From a579d2465264d4f8463e2c87994550ed46db176e Mon Sep 17 00:00:00 2001 From: SAGIRI-kawaii Date: Tue, 7 Mar 2023 19:56:03 +0800 Subject: [PATCH] add wordle --- modules/self_contained/wordle/__init__.py | 204 + modules/self_contained/wordle/gb.py | 4 + modules/self_contained/wordle/metadata.json | 25 + modules/self_contained/wordle/utils.py | 88 + modules/self_contained/wordle/waiter.py | 152 + modules/self_contained/wordle/wordle.py | 153 + modules/self_contained/wordle/words/CET4.json | 18072 + modules/self_contained/wordle/words/CET6.json | 11824 + modules/self_contained/wordle/words/GMAT.json | 12223 + modules/self_contained/wordle/words/GRE.json | 27380 + .../self_contained/wordle/words/IELTS.json | 13422 + modules/self_contained/wordle/words/SAT.json | 16614 + .../self_contained/wordle/words/TOFEL.json | 35151 ++ modules/self_contained/wordle/words/words.txt | 466543 +++++++++++++++ .../words/\344\270\223\345\205\253.json" | 46477 ++ .../words/\344\270\223\345\233\233.json" | 16384 + .../words/\350\200\203\347\240\224.json" | 17707 + resources/fonts/KarnakPro-Bold.ttf | Bin 0 -> 139252 bytes shared/orm/tables.py | 15 - 19 files changed, 682423 insertions(+), 15 deletions(-) create mode 100644 modules/self_contained/wordle/__init__.py create mode 100644 modules/self_contained/wordle/gb.py create mode 100644 modules/self_contained/wordle/metadata.json create mode 100644 modules/self_contained/wordle/utils.py create mode 100644 modules/self_contained/wordle/waiter.py create mode 100644 modules/self_contained/wordle/wordle.py create mode 100644 modules/self_contained/wordle/words/CET4.json create mode 100644 modules/self_contained/wordle/words/CET6.json create mode 100644 modules/self_contained/wordle/words/GMAT.json create mode 100644 modules/self_contained/wordle/words/GRE.json create mode 100644 modules/self_contained/wordle/words/IELTS.json create mode 100644 modules/self_contained/wordle/words/SAT.json create mode 100644 modules/self_contained/wordle/words/TOFEL.json create mode 100644 modules/self_contained/wordle/words/words.txt create mode 100644 "modules/self_contained/wordle/words/\344\270\223\345\205\253.json" create mode 100644 "modules/self_contained/wordle/words/\344\270\223\345\233\233.json" create mode 100644 "modules/self_contained/wordle/words/\350\200\203\347\240\224.json" create mode 100644 resources/fonts/KarnakPro-Bold.ttf diff --git a/modules/self_contained/wordle/__init__.py b/modules/self_contained/wordle/__init__.py new file mode 100644 index 00000000..c4fa08c9 --- /dev/null +++ b/modules/self_contained/wordle/__init__.py @@ -0,0 +1,204 @@ +import json +import random +import asyncio + +from graia.saya import Channel, Saya +from graia.ariadne.app import Ariadne +from graia.ariadne.model import Group, Member +from graia.ariadne.event.message import GroupMessage +from graia.ariadne.message.chain import MessageChain +from graia.ariadne.message.element import Image, Source +from graia.broadcast.interrupt import InterruptControl +from graia.ariadne.message.parser.twilight import ArgResult, ArgumentMatch, Twilight +from graia.saya.builtins.broadcast.schema import ListenerSchema +from loguru import logger + +from shared.utils.control import ( + Distribute, + BlackListControl, + FrequencyLimit, + Function, + UserCalledCountControl +) +from shared.utils.module_related import get_command + +from .gb import running_group, running_mutex +from .utils import get_member_statistic +from .waiter import WordleWaiter +from .wordle import Wordle, word_dic, word_path + +saya = Saya.current() +channel = Channel.current() + +channel.name("Wordle") +channel.author("SAGIRI-kawaii, I_love_study") +channel.description("wordle猜单词游戏,发送 /wordle -h 查看帮助") + +assert saya.broadcast is not None +inc = InterruptControl(saya.broadcast) + +DEFAULT_DIC = "CET4" + +decorators = [ + Distribute.distribute(), + FrequencyLimit.require("wordle", 2), + Function.require(channel.module, notice=True), + BlackListControl.enable(), + UserCalledCountControl.add(UserCalledCountControl.FUNCTIONS), +] + + +# 你肯定好奇为什么会有一个 @ "_",因为这涉及到一个bug +@channel.use( + ListenerSchema( + listening_events=[GroupMessage], + inline_dispatchers=[ + Twilight([ + get_command(__file__, channel.module), + ArgumentMatch("-help", "-h", action="store_true", optional=False) + @ "_", + ]) + ], + decorators=decorators, + ) +) +async def wordle_help(app: Ariadne, group: Group): + await app.send_group_message( + group, + MessageChain( + "Wordle文字游戏\n" + "答案为指定长度单词,发送对应长度单词即可\n" + "灰色块代表此单词中没有此字母\n" + "黄色块代表此单词中有此字母,但该字母所处位置不对\n" + "绿色块代表此单词中有此字母且位置正确\n" + "猜出单词或用光次数则游戏结束\n" + "发起游戏:/wordle -l=5 -d=SAT,其中-l/-length为单词长度,-d/-dic为指定词典,默认为5和CET4\n" + "中途放弃:/wordle -g 或 /wordle -giveup\n" + "查看数据统计:/wordle -s 或 /wordle -statistic\n" + "查看提示:/wordle -hint\n" + f"注:目前包含词典:{'、'.join(word_dic)}" + ), + ) + + +@channel.use( + ListenerSchema( + listening_events=[GroupMessage], + inline_dispatchers=[ + Twilight([ + get_command(__file__, channel.module), + ArgumentMatch( + "-s", "-statistic", action="store_true", optional=False + ) + @ "_", + ]) + ], + decorators=decorators, + ) +) +async def wordle_statistic(app: Ariadne, group: Group, member: Member, source: Source): + data = await get_member_statistic(group, member) + await app.send_group_message( + group, + MessageChain( + f"用户 {member.name}\n共参与{data[4]}场游戏," + f"其中胜利{data[0]}场,失败{data[1]}场\n" + f"一共猜对{data[2]}次,猜错{data[3]}次," + f"共使用过{data[5]}次提示,再接再厉哦~" + ), + quote=source, + ) + + +@channel.use( + ListenerSchema( + listening_events=[GroupMessage], + inline_dispatchers=[ + Twilight([ + get_command(__file__, channel.module), + ArgumentMatch("-d", "-dic") @ "dic", + ArgumentMatch("--single", action="store_true") @ "single", + ArgumentMatch("-l", "--length") @ "length", + ]) + ], + decorators=decorators, + ) +) +async def wordle( + app: Ariadne, + group: Group, + member: Member, + source: Source, + dic: ArgResult, + single: ArgResult, + length: ArgResult, +): + # 判断是否开了 + async with running_mutex: + if group.id in running_group: + await app.send_group_message( + group, MessageChain("诶,游戏不是已经开始了吗?等到本局游戏结束再开好不好") + ) + return + + # 字典选择 + if dic.matched: + if (choose_dic := str(dic.result)) not in word_dic: + await app.send_group_message( + group, + MessageChain( + f"{choose_dic}是什么类型的字典啊,我不造啊\n" f"我只知道{'、'.join(word_dic)}" + ), + ) + return + else: + choose_dic = "CET4" + + dic_data = json.loads( + (word_path / f"{choose_dic}.json").read_text(encoding="UTF-8") + ) + + # 长度选择 + if length.matched: + ls = str(length.result) + if not ls.isnumeric(): + await app.send_group_message(group, MessageChain(f"'{ls}'是数字吗?")) + return + l = int(ls) + else: + l = 5 + + # 搜寻并决定单词 + choices = [k for k in dic_data if len(k) == l] + if not choices: + return await app.send_group_message(group, MessageChain("对不起呢,没有这种长度的单词")) + + guess_word = random.choice(choices) + + # 是否单人 + single_gamer = single.matched + + async with running_mutex: + running_group.add(group.id) + gaming = True + + w = Wordle(guess_word) + logger.success(f"成功创建 Wordle 实例,单词为:{guess_word}") + await app.send_group_message(group, MessageChain(Image(data_bytes=w.get_img()))) + + try: + while gaming: + gaming = await inc.wait( + WordleWaiter( + app.account, + w, + dic_data[guess_word], + group, + member if single_gamer else None, + ), + timeout=300, + ) + except asyncio.exceptions.TimeoutError: + await app.send_group_message(group, MessageChain("游戏超时,进程结束"), quote=source) + async with running_mutex: + running_group.remove(group.id) diff --git a/modules/self_contained/wordle/gb.py b/modules/self_contained/wordle/gb.py new file mode 100644 index 00000000..8b9e6dc1 --- /dev/null +++ b/modules/self_contained/wordle/gb.py @@ -0,0 +1,4 @@ +from asyncio import Lock + +running_mutex = Lock() +running_group = set() diff --git a/modules/self_contained/wordle/metadata.json b/modules/self_contained/wordle/metadata.json new file mode 100644 index 00000000..0560140c --- /dev/null +++ b/modules/self_contained/wordle/metadata.json @@ -0,0 +1,25 @@ +{ + "name": "Wordle", + "version": "0.3", + "display_name": "Wordle猜单词", + "authors": [ + "SAGIRI-kawaii", + "I_love_study" + ], + "description": "wordle猜单词游戏", + "usage": [ + "发送 `/wordle -h` 查看帮助", + "发送 `/wordle -l={length}` 可指定单词长度", + "发送 `/wordle -d=SAT` 可指定词典", + "发送 `/wordle -g` 可放弃本局比赛", + "发送 `/wordle -hint` 可查看提示", + "发送 `/wordle -s` 可查看比赛数据" + ], + "example": [ + "/wordle", + "/wordle -l=5 -d=SAT" + ], + "icon": "", + "prefix": ["/"], + "triggers": ["wordle"] +} \ No newline at end of file diff --git a/modules/self_contained/wordle/utils.py b/modules/self_contained/wordle/utils.py new file mode 100644 index 00000000..42a19fae --- /dev/null +++ b/modules/self_contained/wordle/utils.py @@ -0,0 +1,88 @@ +from enum import Flag, auto +from typing import Union, Tuple +from sqlalchemy import select, Column, BIGINT + +from graia.ariadne.model import Group, Member + +from shared.orm import orm, Base + + +class WordleStatistic(Base): + """wordle 游戏数据""" + + __tablename__ = "wordle_statistic" + + group_id = Column(BIGINT, primary_key=True) + member_id = Column(BIGINT, primary_key=True) + game_count = Column(BIGINT, default=0) + win_count = Column(BIGINT, default=0) + lose_count = Column(BIGINT, default=0) + correct_count = Column(BIGINT, default=0) + wrong_count = Column(BIGINT, default=0) + hint_count = Column(BIGINT, default=0) + + +class StatisticType(Flag): + win = auto() + lose = auto() + wrong = auto() + correct = auto() + game = auto() + hint = auto() + + +count = { + "win_count": StatisticType.win, + "lose_count": StatisticType.lose, + "correct_count": StatisticType.correct, + "wrong_count": StatisticType.wrong, + "game_count": StatisticType.game, + "hint_count": StatisticType.hint, +} + + +async def update_member_statistic( + group: Union[int, Group], + member: Union[int, Member], + statistic_type: StatisticType, + value: int = 1, +): + if isinstance(member, Member): + member = member.id + if isinstance(group, Group): + group = group.id + + old_value = await get_member_statistic(group, member) + + new_value = {"group_id": group, "member_id": member} + for num, (name, stype) in enumerate(count.items()): + if stype in statistic_type: + new_value[name] = old_value[num] + value + + await orm.insert_or_update( + WordleStatistic, + [WordleStatistic.member_id == member, WordleStatistic.group_id == group], + new_value, + ) + + +async def get_member_statistic( + group: Union[int, Group], member: Union[int, Member] +) -> Tuple: + if isinstance(member, Member): + member = member.id + if isinstance(group, Group): + group = group.id + if data := await orm.fetchone( + select( + WordleStatistic.win_count, + WordleStatistic.lose_count, + WordleStatistic.correct_count, + WordleStatistic.wrong_count, + WordleStatistic.game_count, + WordleStatistic.hint_count, + ).where(WordleStatistic.member_id == member, WordleStatistic.group_id == group) + ): + return data + else: + return 0, 0, 0, 0, 0, 0 diff --git a/modules/self_contained/wordle/waiter.py b/modules/self_contained/wordle/waiter.py new file mode 100644 index 00000000..e3425ea2 --- /dev/null +++ b/modules/self_contained/wordle/waiter.py @@ -0,0 +1,152 @@ +import asyncio +from typing import Dict, Optional, Union + +from graia.ariadne.app import Ariadne +from graia.ariadne.event.message import GroupMessage +from graia.ariadne.message.chain import MessageChain +from graia.ariadne.message.element import Image, Source +from graia.ariadne.model import Group, Member +from graia.broadcast.interrupt.waiter import Waiter + +from .gb import running_group, running_mutex +from .utils import StatisticType, update_member_statistic +from .wordle import Wordle, all_word + +CE = {"CHS": "中译", "ENG": "英译"} + + +class WordleWaiter(Waiter.create([GroupMessage])): + def __init__( + self, + account: int, + wordle: Wordle, + meaning: Dict[str, str], + group: Union[Group, int], + member: Optional[Union[Member, int]] = None, + ): + self.account = account + self.wordle = wordle + self.group = group if isinstance(group, int) else group.id + self.meaning = meaning + self.meaning_str = "\n".join( + f"{CE[e]}:{self.meaning[e]}" for e in CE if e in self.meaning + ) + self.member = ( + (member if isinstance(member, int) else member.id) if member else None + ) + self.member_list = set() + self.member_list_mutex = asyncio.Lock() + + async def update_statistic( + self, statistic: StatisticType, member: Union[Member, int] + ): + async with self.member_list_mutex: + await update_member_statistic(self.group, member, statistic) + + async def remove_running(self): + async with running_mutex: + if self.group in running_group: + running_group.remove(self.group) + + async def gameover(self, app: Ariadne, source: Source): + await app.send_group_message( + self.group, + MessageChain( + Image(data_bytes=self.wordle.get_img()), + "很遗憾,没有人猜出来呢" f"单词:{self.wordle.word}\n{self.meaning_str}", + ), + quote=source, + ) + + async with self.member_list_mutex: + for m in self.member_list: + await update_member_statistic( + self.group, m, StatisticType.lose | StatisticType.game + ) + await self.remove_running() + + return False + + async def detected_event( + self, + app: Ariadne, + group: Group, + member: Member, + message: MessageChain, + source: Source, + ): + # 判断是否是服务范围 + if self.group != group.id or (self.member and self.member != member.id) or self.account != app.account: + return + + # 什么,放弃了?GiveUp! + word = str(message).strip() + if word in {"/wordle -giveup", "/wordle -g"}: + return await self.gameover(app, source) + + if word == "/wordle -hint": + await self.update_statistic(StatisticType.hint, member) + await app.send_group_message( + group, + MessageChain( + Image(data_bytes=self.wordle.get_hint()) + if self.wordle.guess_right_chars + else "你还没有猜对过一个字母哦~再猜猜吧~" + ), + ) + return True + + # 防止出现问题 + if self.wordle.finish: + return False + + word = word.upper() + # 应该是聊其他的,直接 return + legal_chars = "'-./0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ" + if len(word) != self.wordle.length or not all(c in legal_chars for c in word): + return + + async with self.member_list_mutex: + self.member_list.add(member.id) + + if word not in all_word: + await app.send_group_message( + group, + MessageChain(f"你确定 {word} 是一个合法的单词吗?"), + quote=source, + ) + return True + elif word in self.wordle.history_words: + await app.send_group_message( + group, MessageChain("你已经猜过这个单词了呢"), quote=source + ) + return True + + game_end, game_win = self.wordle.guess(word) + + if game_win: + await self.update_statistic(StatisticType.correct, member) + for m in self.member_list: + await self.update_statistic(StatisticType.win | StatisticType.game, m) + + await app.send_group_message( + group, + MessageChain( + Image(data_bytes=self.wordle.get_img()), + f"\n恭喜你猜出了单词!\n【单词】:{self.wordle.word}\n{self.meaning_str}", + ), + quote=source, + ) + await self.remove_running() + return False + elif game_end: + await self.update_statistic(StatisticType.wrong, member) + return ( + await self.gameover(app, source) if group.id in running_group else False + ) + else: + await app.send_group_message( + group, MessageChain(Image(data_bytes=self.wordle.get_img())) + ) + await self.update_statistic(StatisticType.wrong, member) + return True diff --git a/modules/self_contained/wordle/wordle.py b/modules/self_contained/wordle/wordle.py new file mode 100644 index 00000000..f316025f --- /dev/null +++ b/modules/self_contained/wordle/wordle.py @@ -0,0 +1,153 @@ +from io import BytesIO +from pathlib import Path +from itertools import product +from typing import Tuple + +from PIL import Image, ImageDraw, ImageFont + +word_path = Path(__file__).parent / "words" + +all_word = {w.upper() for w in (word_path / "words.txt").read_text(encoding="UTF-8").splitlines()} + +word_dic = [p.stem for p in word_path.iterdir() if p.suffix == ".json"] + +font = ImageFont.truetype(r"resources/fonts/KarnakPro-Bold.ttf", 20) + + +class Wordle: + def __init__(self, word: str): + self.length = len(word) + self.word = word + self.word_upper = word.upper() + self.finish = False + + self.row = self.length + 1 + self.pointer = 0 + + # color + self.background_color = (255, 255, 255) + self.none_color = (123, 123, 124) + self.right_color = (134, 163, 115) + self.wplace_color = (198, 182, 109) + + # size + self.padding = 20 + self.block_padding = 10 + self.block_border = 2 + self.block_a = 40 + + # font + self.font_size = 20 + self.font = font + + # Right word + self.guess_right_chars = set() + self.history_words = [] + + # init wordle_pic + board_side_width = ( + 2 * self.padding + + (self.length - 1) * self.block_padding + + self.length * self.block_a + ) + board_side_height = ( + 2 * self.padding + + self.length * self.block_padding + + (self.row) * self.block_a + ) + self.size = (board_side_width, board_side_height) + self.pic = Image.new("RGB", self.size, self.background_color) + self.draw = ImageDraw.Draw(self.pic) + for x, y in product(range(self.length), range(self.length + 1)): + x_pics = self.padding + (x * (self.block_a + self.block_padding)) + y_pics = self.padding + (y * (self.block_a + self.block_padding)) + self.draw.rectangle( + (x_pics, y_pics, x_pics + self.block_a, y_pics + self.block_a), + outline=self.none_color, + width=self.block_border, + ) + + def get_img(self) -> bytes: + self.pic.save(b := BytesIO(), format="png") + return b.getvalue() + + def get_color(self, word: str): + ret_data = [] + for i in range(self.length): + c = word[i] + if c == self.word_upper[i]: + ret_data.append(self.right_color) + self.guess_right_chars.add(c) + elif c in self.word_upper: + ret_data.append(self.wplace_color) + self.guess_right_chars.add(c) + else: + ret_data.append(self.none_color) + return ret_data + + def get_hint(self) -> bytes: + size = ( + ( + 2 * self.padding + + (self.length - 1) * self.block_padding + + self.length * self.block_a + ), + 2 * self.padding + self.block_a, + ) + + pic = Image.new("RGB", size, self.background_color) + draw = ImageDraw.Draw(pic) + + y = self.padding + char_y = int(y + (self.block_a - self.font_size) / 2) + + for i, l in enumerate(self.word_upper): + x = self.padding + (i * (self.block_a + self.block_padding)) + draw.rectangle( + (x, y, x + self.block_a, y + self.block_a), + fill=self.right_color if l in self.guess_right_chars else None, + outline=self.none_color, + width=self.block_border, + ) + if l in self.guess_right_chars: + char_x = self.font.getlength(l.upper()) + draw.text( + (int(x + (self.block_a - char_x) / 2), char_y), + l, + self.background_color, + self.font, + ) + + pic.save(b := BytesIO(), format="PNG") + return b.getvalue() + + def guess(self, answer: str) -> Tuple[bool, bool]: + answer = answer.upper() + self.history_words.append(answer) + color = self.get_color(answer) + y = ( + self.padding + + (self.pointer * (self.block_a + self.block_padding)) + + self.block_border + ) + a = self.block_a - 2 * self.block_border + for n, (l, c) in enumerate(zip(answer, color)): + x = ( + self.padding + + (n * (self.block_a + self.block_padding)) + + self.block_border + ) + self.draw.rectangle((x, y, x + a, y + a), fill=c) + char_x = self.font.getlength(l) + self.draw.text( + (int(x + (a - char_x) / 2), int(y + (a - self.font_size) / 2)), + l, + self.background_color, + self.font, + ) + self.pointer += 1 + + game_end = self.finish = self.pointer >= self.row + game_win = answer == self.word_upper + + return game_end, game_win diff --git a/modules/self_contained/wordle/words/CET4.json b/modules/self_contained/wordle/words/CET4.json new file mode 100644 index 00000000..d84baf7e --- /dev/null +++ b/modules/self_contained/wordle/words/CET4.json @@ -0,0 +1,18072 @@ +{ + "access": { + "CHS": "接近,入口", + "ENG": "the right to enter a place, use something, see someone etc" + }, + "project": { + "CHS": "工程;课题、作业", + "ENG": "a carefully planned piece of work to get information about something, to build something, to improve something etc" + }, + "intention": { + "CHS": "打算,意图", + "ENG": "a plan or desire to do something" + }, + "equivalence": { + "CHS": "等值,相等", + "ENG": "If there is equivalence between two things, they have the same use, function, size, or value" + }, + "negotiate": { + "CHS": "谈判,协商,交涉", + "ENG": "to discuss something in order to reach an agreement, especially in business or politics" + }, + "disappointing": { + "CHS": "令人失望的", + "ENG": "not as good as you hoped or expected" + }, + "alternative": { + "CHS": "代替品", + "ENG": "If one thing is an alternative to another, the first can be found, used, or done instead of the second" + }, + "generous": { + "CHS": "慷慨的", + "ENG": "someone who is generous is willing to give money, spend time etc, in order to help people or give them pleasure" + }, + "biological": { + "CHS": "生物的", + "ENG": "relating to the natural processes performed by living things" + }, + "strategy": { + "CHS": "策略,战略", + "ENG": "a planned series of actions for achieving something" + }, + "paradox": { + "CHS": "悖论;自相矛盾", + "ENG": "a statement that seems impossible because it contains two opposing ideas that are both true" + }, + "primary": { + "CHS": "主要的,基本的", + "ENG": "most important" + }, + "standpoint": { + "CHS": "立场", + "ENG": "a way of thinking about people, situations, ideas etc" + }, + "grab": { + "CHS": "抢先,抢占,抢夺", + "ENG": "to get something for yourself, sometimes in an unfair way" + }, + "crucial": { + "CHS": "至关重要的", + "ENG": "something that is crucial is extremely important, because everything else depends on it" + }, + "flaw": { + "CHS": "缺点;错误", + "ENG": "a mistake, mark, or weakness that makes something imperfect" + }, + "depressed": { + "CHS": "萧条的;沮丧的", + "ENG": "an area, industry etc that is depressed does not have enough economic or business activity" + }, + "obstacle": { + "CHS": "阻碍", + "ENG": "something that makes it difficult to achieve some­thing" + }, + "automatic": { + "CHS": "自动的", + "ENG": "an automatic machine is designed to work without needing someone to operate it for each part of a process" + }, + "passionate": { + "CHS": "热情的", + "ENG": "showing or involving very strong feelings of sexual love" + }, + "gambling": { + "CHS": "赌博", + "ENG": "when people risk money or possessions on the result of something which is not certain, such as a card game or a horse race" + }, + "logic": { + "CHS": "逻辑", + "ENG": "a way of thinking about something that seems correct and reasonable, or a set of sensible reasons for doing something" + }, + "theory": { + "CHS": "理论", + "ENG": "an idea or set of ideas that is intended to explain something about life or the world, especially an idea that has not yet been proved to be true" + }, + "download": { + "CHS": "下载", + "ENG": "to move information or programs from a computer network to a small computer" + }, + "signal": { + "CHS": "发信号,打信号;示意", + "ENG": "to make a sound or action in order to give information or tell someone to do something" + }, + "authoritative": { + "CHS": "权威的", + "ENG": "an authoritative book, account etc is respected because the person who wrote it knows a lot about the subject" + }, + "smooth": { + "CHS": "光滑的", + "ENG": "a smooth surface has no rough parts, lumps, or holes, especially in a way that is pleasant and attractive to touch" + }, + "institution": { + "CHS": "社会公共机构;制度;设立,制定", + "ENG": "a large organization that has a particular kind of work or purpose" + }, + "vehicle": { + "CHS": "车辆", + "ENG": "a machine with an engine that is used to take people or things from one place to another, such as a car, bus, or truck" + }, + "plague": { + "CHS": "使困扰", + "ENG": "to cause pain, suffering, or trouble to someone, especially for a long period of time" + }, + "psychological": { + "CHS": "心理上的", + "ENG": "relating to the way that your mind works and the way that this affects your behaviour" + }, + "shade": { + "CHS": "阴凉处", + "ENG": "slight darkness or shelter from the direct light of the sun made by something blocking it" + }, + "persistent": { + "CHS": "持续的;坚持的", + "ENG": "continuing to exist or happen, especially for longer than is usual or desirable" + }, + "voluntary": { + "CHS": "自愿的,主动的", + "ENG": "done willingly and without being forced" + }, + "tolerance": { + "CHS": "宽容,容忍", + "ENG": "willingness to allow people to do, say, or believe what they want without criticizing or punishing them" + }, + "senior": { + "CHS": "老年人", + "ENG": "a senior citizen" + }, + "individual": { + "CHS": "个人", + "ENG": "a person, considered separately from the rest of the group or society that they live in" + }, + "contemporary": { + "CHS": "当代的,现代的", + "ENG": "belonging to the present time" + }, + "opposite": { + "CHS": "相反的", + "ENG": "as different as possible from something else" + }, + "specialize": { + "CHS": "专业从事", + "ENG": "to limit all or most of your study, business etc to a particular subject or activity" + }, + "content": { + "CHS": "内容", + "ENG": "the ideas, facts, or opinions that are contained in a speech, piece of writing, film, programme etc" + }, + "philosopher": { + "CHS": "哲学家", + "ENG": "someone who studies and develops ideas about the nature and meaning of existence, truth, good and evil etc" + }, + "unrest": { + "CHS": "不安定,动荡", + "ENG": "a political situation in which people protest or behave violently" + }, + "startle": { + "CHS": "吃惊", + "ENG": "to make someone suddenly surprised or slightly shocked" + }, + "emission": { + "CHS": "排放,辐射", + "ENG": "a gas or other substance that is sent into the air" + }, + "overweight": { + "CHS": "超重的" + }, + "occupation": { + "CHS": "职业,工作", + "ENG": "a job or profession" + }, + "mainstream": { + "CHS": "主流", + "ENG": "the most usual ideas or methods, or the people who have these ideas or methods" + }, + "scholarship": { + "CHS": "奖学金", + "ENG": "an amount of money that is given to someone by an educational organization to help pay for their education" + }, + "contract": { + "CHS": "合同", + "ENG": "an official agreement between two or more people, stating what each will do" + }, + "cheek": { + "CHS": "脸颊", + "ENG": "the soft round part of your face below each of your eyes" + }, + "interdependence": { + "CHS": "相互依靠", + "ENG": "a situation in which people or things depend on each other" + }, + "import": { + "CHS": "进口", + "ENG": "to bring a product from one country into another so that it can be sold there" + }, + "fiction": { + "CHS": "小说,虚构的文学作品", + "ENG": "books and stories about imaginary people and events" + }, + "upbringing": { + "CHS": "养育,培养,教养", + "ENG": "the way that your parents care for you and teach you to behave when you are growing up" + }, + "preserve": { + "CHS": "保护", + "ENG": "to save something or someone from being harmed or destroyed" + }, + "vitally": { + "CHS": "极其重要地", + "ENG": "in a very important or necessary way" + }, + "masculine": { + "CHS": "男性的", + "ENG": "having qualities considered to be typical of men or of what men do" + }, + "advocate": { + "CHS": "提倡者,拥护者,鼓吹者", + "ENG": "someone who publicly supports someone or something" + }, + "dust": { + "CHS": "灰尘", + "ENG": "dry powder consisting of extremely small bits of dirt that is in buildings on furniture, floors etc if they are not kept clean" + }, + "track": { + "CHS": "追踪,〔循着踪迹、气味等〕找寻", + "ENG": "to search for a person or animal by following the marks they leave behind them on the ground, their smell etc" + }, + "confidence": { + "CHS": "信心", + "ENG": "the feeling that you can trust someone or something to be good, work well, or produce good results" + }, + "riotous": { + "CHS": "狂暴的", + "ENG": "noisy or violent, especially in a public place" + }, + "sophisticated": { + "CHS": "复杂的;世故的", + "ENG": "a sophisticated machine, system, method etc is very well designed and very advanced, and often works in a complicated way" + }, + "similar": { + "CHS": "相似的", + "ENG": "almost the same" + }, + "transform": { + "CHS": "改变", + "ENG": "to completely change the appearance, form, or character of something or someone, especially in a way that improves it" + }, + "approve": { + "CHS": "赞成,同意", + "ENG": "to think that someone or something is good, right, or suitable" + }, + "session": { + "CHS": "开会,会议", + "ENG": "a formal meeting or group of meetings, especially of a law court or parliament" + }, + "awareness": { + "CHS": "意识", + "ENG": "knowledge or understanding of a particular subject or situation" + }, + "exhaust": { + "CHS": "使筋疲力尽", + "ENG": "to make someone feel extremely tired" + }, + "subsidize": { + "CHS": "提供补贴", + "ENG": "If a government or other authority subsidizes something, they pay part of the cost of it" + }, + "grocery": { + "CHS": "杂货店", + "ENG": "food and other goods that are sold by a grocer or a supermarket" + }, + "ignorance": { + "CHS": "无知,愚昧", + "ENG": "lack of knowledge or information about something" + }, + "intelligence": { + "CHS": "智力,智慧,理解力", + "ENG": "the ability to learn, understand, and think about things" + }, + "tiny": { + "CHS": "微小的", + "ENG": "extremely small" + }, + "praise": { + "CHS": "赞扬,赞美", + "ENG": "to say that you admire and approve of someone or something, especially publicly" + }, + "memorize": { + "CHS": "熟记,牢记", + "ENG": "to learn words, music etc so that you know them perfectly" + }, + "relative": { + "CHS": "亲戚", + "ENG": "a member of your family" + }, + "breakthrough": { + "CHS": "突破", + "ENG": "an important new discovery in something you are studying, especially one made after trying for a long time" + }, + "incidence": { + "CHS": "几率,发生率", + "ENG": "the number of times something happens, especially crime, disease etc" + }, + "scratch": { + "CHS": "抓,划痕", + "ENG": "a small cut on someone’s skin" + }, + "harmful": { + "CHS": "有害的", + "ENG": "causing harm" + }, + "undergo": { + "CHS": "承受", + "ENG": "if you undergo a change, an unpleasant experience etc, it happens to you or is done to you" + }, + "recession": { + "CHS": "衰退", + "ENG": "a difficult time when there is less trade, business activity etc in a country than usual" + }, + "extraordinary": { + "CHS": "非凡的", + "ENG": "very much greater or more impressive than usual" + }, + "improper": { + "CHS": "不合适的,不适当的", + "ENG": "dishonest, illegal, or morally wrong" + }, + "marginalize": { + "CHS": "边缘化,排斥", + "ENG": "to make a person or a group of people unimportant and powerless in an unfair way" + }, + "vital": { + "CHS": "重要的", + "ENG": "extremely important and necessary for something to succeed or exist" + }, + "fortunately": { + "CHS": "幸运地", + "ENG": "happening because of good luck" + }, + "commencement": { + "CHS": "毕业典礼", + "ENG": "a ceremony at which university, college, or high school students receive their diplomas" + }, + "fetch": { + "CHS": "取回", + "ENG": "If you fetch something or someone, you go and get them from the place where they are" + }, + "clumsy": { + "CHS": "笨拙的,不圆滑的", + "ENG": "moving or doing things in a careless way, especially so that you drop things, knock into things etc" + }, + "establishment": { + "CHS": "确立", + "ENG": "the act of starting an organization, relationship, or system" + }, + "emit": { + "CHS": "发出,排出", + "ENG": "to send out gas, heat, light, sound etc" + }, + "entertaining": { + "CHS": "有趣的,使人愉快的", + "ENG": "amusing and interesting" + }, + "irregular": { + "CHS": "不规律的", + "ENG": "having a shape, surface, pattern etc that is not even, smooth, or balanced" + }, + "psychologist": { + "CHS": "心理学家", + "ENG": "someone who is trained in psychology" + }, + "era": { + "CHS": "纪元,年代", + "ENG": "a period of time in history that is known for a particular event, or for particular qualities" + }, + "triumph": { + "CHS": "胜利", + "ENG": "an important victory or success after a difficult struggle" + }, + "detection": { + "CHS": "侦查;察觉", + "ENG": "when something is found that is not easy to see, hear etc, or the process of looking for it" + }, + "cozy": { + "CHS": "舒适的" + }, + "gallery": { + "CHS": "美术馆", + "ENG": "a large building where people can see famous pieces of art" + }, + "enormous": { + "CHS": "巨大的", + "ENG": "very big in size or in amount" + }, + "obtain": { + "CHS": "获得", + "ENG": "to get something that you want, especially through your own effort, skill, or work" + }, + "desert": { + "CHS": "抛弃", + "ENG": "to leave someone or something and no longer help or support them" + }, + "aviate": { + "CHS": "驾驶飞机", + "ENG": "to pilot or fly in an aircraft" + }, + "determine": { + "CHS": "决定;下决心", + "ENG": "if something determines something else, it directly influences or decides it" + }, + "disappear": { + "CHS": "不见,消失", + "ENG": "to become impossible to see any longer" + }, + "entitle": { + "CHS": "使具有权利,使具有资格", + "ENG": "to give someone the official right to do or have something" + }, + "relieve": { + "CHS": "解除,减轻,缓解", + "ENG": "to reduce someone’s pain or unpleasant feelings" + }, + "generosity": { + "CHS": "慷慨,大方", + "ENG": "a generous attitude, or generous behaviour" + }, + "colleague": { + "CHS": "同事", + "ENG": "someone you work with – used especially by professional people" + }, + "undertake": { + "CHS": "承担", + "ENG": "to accept that you are responsible for a piece of work, and start to do it" + }, + "convenient": { + "CHS": "方便的", + "ENG": "useful to you because it saves you time, or does not spoil your plans or cause you problems" + }, + "preferentially": { + "CHS": "优先地" + }, + "column": { + "CHS": "专栏", + "ENG": "an article on a particular subject or by a particular writer that appears regularly in a newspaper or magazine" + }, + "affectionate": { + "CHS": "深情的,柔情的", + "ENG": "showing in a gentle way that you love someone and care about them" + }, + "issue": { + "CHS": "问题", + "ENG": "a subject or problem that is often discussed or argued about, especially a social or political matter that affects the interests of a lot of people" + }, + "inquire": { + "CHS": "询问", + "ENG": "to ask someone for information" + }, + "groundlessly": { + "CHS": "无缘无故地,无根据地" + }, + "independently": { + "CHS": "独立地" + }, + "approach": { + "CHS": "方法", + "ENG": "a method of doing something or dealing with a problem" + }, + "administration": { + "CHS": "管理;〔某一时期的〕政府", + "ENG": "the activities that are involved in managing the work of a company or organization" + }, + "adversity": { + "CHS": "逆境,不幸", + "ENG": "a situation in which you have a lot of problems that seem to be caused by bad luck" + }, + "technician": { + "CHS": "技术员,技师", + "ENG": "someone whose job is to check equipment or machines and make sure that they are working properly" + }, + "regular": { + "CHS": "有规律的,经常的", + "ENG": "happening every hour, every week, every month etc, usually with the same amount of time in between" + }, + "miscalculation": { + "CHS": "算错,误算", + "ENG": "a mistake made in deciding how long something will take to do, how much money you will need etc" + }, + "hinder": { + "CHS": "阻碍", + "ENG": "to make it difficult for something to develop or succeed" + }, + "selection": { + "CHS": "选择,挑选", + "ENG": "the careful choice of a particular person or thing from a group of similar people or things" + }, + "tide": { + "CHS": "潮水", + "ENG": "a current of water caused by the tide" + }, + "superior": { + "CHS": "上级,长官", + "ENG": "someone who has a higher rank or position than you, especially in a job" + }, + "matter": { + "CHS": "要紧,重要", + "ENG": "to be important, especially to be important to you, or to have an effect on what happens" + }, + "passively": { + "CHS": "消极地" + }, + "grant": { + "CHS": "授予;允许", + "ENG": "If someone in authority grants you something, or if something is granted to you, you are allowed to have it" + }, + "liberation": { + "CHS": "解放" + }, + "observe": { + "CHS": "遵守", + "ENG": "to do what you are supposed to do according to a law or agreement" + }, + "institute": { + "CHS": "〔从事科研或教育等的〕机构;学院;研究院", + "ENG": "an organization that has a particular purpose such as scientific or educational work, or the building where this organization is based" + }, + "dormitory": { + "CHS": "宿舍", + "ENG": "a large building at a college or university where students live" + }, + "awful": { + "CHS": "可怕的,骇人的", + "ENG": "very bad or unpleasant" + }, + "emergency": { + "CHS": "紧急情况", + "ENG": "an unexpected and dangerous situation that must be dealt with immediately" + }, + "stress": { + "CHS": "压力;重音", + "ENG": "continuous feelings of worry about your work or personal life, that prevent you from relaxing" + }, + "launch": { + "CHS": "发动", + "ENG": "to start something, usually something big or important" + }, + "suppose": { + "CHS": "料想,以为;假定;期望", + "ENG": "to think that something is probably true, based on what you know" + }, + "remove": { + "CHS": "消除,移除", + "ENG": "to get rid of something so that it does not exist any longer" + }, + "exposure": { + "CHS": "暴露;揭露", + "ENG": "when someone is in a situation where they are not protected from something dangerous or unpleasant" + }, + "promote": { + "CHS": "促进,提升;推销", + "ENG": "If people promote something, they help or encourage it to happen, increase, or spread" + }, + "engage": { + "CHS": "从事;吸引", + "ENG": "If you engage in an activity, you do it or are actively involved with it." + }, + "uncertain": { + "CHS": "不确定的", + "ENG": "feeling doubt about something" + }, + "accommodate": { + "CHS": "为…提供住宿", + "ENG": "to provide someone with a place to stay, live, or work" + }, + "slave": { + "CHS": "奴隶", + "ENG": "someone who is owned by another person and works for them for no money" + }, + "mature": { + "CHS": "成熟的", + "ENG": "someone, especially a child or young person, who is mature behaves in a sensible and reasonable way, as you would expect an adult to behave" + }, + "contrast": { + "CHS": "对比", + "ENG": "if two things contrast, the difference between them is very easy to see and is sometimes surprising" + }, + "clinic": { + "CHS": "诊所", + "ENG": "a place, often in a hospital, where medical treatment is given to people who do not need to stay in the hospital" + }, + "award": { + "CHS": "奖(金)", + "ENG": "something such as a prize or money given to someone to reward them for something they have done" + }, + "worthwhile": { + "CHS": "有价值的", + "ENG": "if something is worthwhile, it is important or useful, or you gain something from it" + }, + "cruelty": { + "CHS": "残暴,残酷", + "ENG": "behaviour or actions that deliberately cause pain to people or animals" + }, + "threaten": { + "CHS": "威胁", + "ENG": "to say that you will cause someone harm or trouble if they do not do what you want" + }, + "chemical": { + "CHS": "化学制品", + "ENG": "relating to substances, the study of substances, or processes involving changes in substances" + }, + "consistent": { + "CHS": "一致的", + "ENG": "always behaving in the same way or having the same attitudes, standards etc – usually used to show approval" + }, + "renew": { + "CHS": "〔中止后〕重新开始,继续", + "ENG": "to begin doing something again after a period of not doing it" + }, + "takeoff": { + "CHS": "起飞", + "ENG": "Takeoff is the beginning of a flight, when an aircraft leaves the ground" + }, + "innocent": { + "CHS": "无辜的;天真的", + "ENG": "not guilty of a crime" + }, + "currently": { + "CHS": "当前;一般地", + "ENG": "at the present time" + }, + "dropout": { + "CHS": "辍学者", + "ENG": "someone who leaves school or college before they have finished" + }, + "replace": { + "CHS": "代替", + "ENG": "to start doing something instead of another person, or start being used instead of another thing" + }, + "sightseeing": { + "CHS": "观光", + "ENG": "when you visit famous or interesting places, especially as tourists" + }, + "honor": { + "CHS": "荣誉;崇敬,敬重,敬意", + "ENG": "the respect that you, your family, your country etc receive from other people, which makes you feel proud" + }, + "imitate": { + "CHS": "模仿", + "ENG": "to copy the way someone behaves, speaks, moves etc, especially in order to make people laugh" + }, + "installment": { + "CHS": "分期付款", + "ENG": "one of a series of regular payments that you make until you have paid all the money you owe" + }, + "personality": { + "CHS": "个性,性格", + "ENG": "someone’s character, especially the way they behave towards other people" + }, + "headquarter": { + "CHS": "设立总部,在…设立总部", + "ENG": "to place in or establish as headquarters" + }, + "ingredient": { + "CHS": "成分,原料", + "ENG": "one of the foods that you use to make a particular food or dish" + }, + "revenue": { + "CHS": "收入", + "ENG": "money that a business or organization receives over a period of time, especially from selling goods or services" + }, + "sensitive": { + "CHS": "敏感的", + "ENG": "easily upset or offended by events or things that people say" + }, + "particular": { + "CHS": "特别的,特指的;讲究的;挑剔的,吹毛求疵的", + "ENG": "a particular thing or person is the one that you are talking about, and not any other" + }, + "tumor": { + "CHS": "瘤", + "ENG": "a mass of diseased cells in your body that have divided and increased too quickly" + }, + "consequence": { + "CHS": "结果,成果", + "ENG": "something that happens as a result of a particular action or set of conditions" + }, + "explicitly": { + "CHS": "直接地,明确地" + }, + "sway": { + "CHS": "影响", + "ENG": "to influence someone so that they change their opinion" + }, + "technical": { + "CHS": "技术的", + "ENG": "connected with knowledge of how machines work" + }, + "expert": { + "CHS": "熟练的,内行的", + "ENG": "having a special skill or special knowledge of a subject" + }, + "harm": { + "CHS": "伤害,损害〔某事物〕", + "ENG": "to have a bad effect on something" + }, + "imaginary": { + "CHS": "虚构的,想象的", + "ENG": "not real, but produced from pictures or ideas in your mind" + }, + "contaminate": { + "CHS": "污染,弄脏", + "ENG": "to make a place or substance dirty or harmful by putting something such as chemicals or poison in it" + }, + "soar": { + "CHS": "猛增", + "ENG": "to increase quickly to a high level" + }, + "solely": { + "CHS": "单独地,唯一地", + "ENG": "not involving anything or anyone else" + }, + "tremendous": { + "CHS": "巨大的", + "ENG": "very big, fast, powerful etc" + }, + "civilization": { + "CHS": "文明", + "ENG": "a society that is well organized and developed, used especially about a particular society in a particular place or at a particular time" + }, + "tough": { + "CHS": "困难的", + "ENG": "difficult to do or deal with" + }, + "gift": { + "CHS": "礼物;天赋", + "ENG": "something that you give someone, for example to thank them or because you like them, especially on a special occasion" + }, + "scale": { + "CHS": "规模;比例", + "ENG": "the size or level of something, or the amount that something is happening" + }, + "injure": { + "CHS": "使受伤", + "ENG": "to hurt yourself or someone else, for example in an accident or an attack" + }, + "embrace": { + "CHS": "拥抱;欣然接受,乐意采纳 (新思想、意见、宗教等)", + "ENG": "to put your arms around someone and hold them in a friendly or loving way" + }, + "seldom": { + "CHS": "很少,罕见", + "ENG": "very rarely or almost never" + }, + "performance": { + "CHS": "演出;履行;表现", + "ENG": "when someone performs a play or a piece of music" + }, + "violate": { + "CHS": "违反", + "ENG": "to disobey or do something against an official agreement, law, principle etc" + }, + "associate": { + "CHS": "把……联系起来;交往;", + "ENG": "to make a connection in your mind between one thing or person and another" + }, + "privacy": { + "CHS": "隐私", + "ENG": "the state of being free from public attention" + }, + "choke": { + "CHS": "使窒息", + "ENG": "to be unable to breathe properly because something is in your throat or there is not enough air" + }, + "capable": { + "CHS": "能干的,有能力的", + "ENG": "having the qualities or ability needed to do something" + }, + "appeal": { + "CHS": "吸引;呼吁;恳请,恳求", + "ENG": "if someone or something appeals to you, they seem attractive and interesting" + }, + "careless": { + "CHS": "粗心的", + "ENG": "not paying enough attention to what you are doing, so that you make mistakes, damage things etc" + }, + "hit": { + "CHS": "(唱片、电影或戏剧的) 成功;命中,击中", + "ENG": "something such as a film, play, song etc that is very popular and successful" + }, + "swallow": { + "CHS": "咽下,吞下", + "ENG": "to make food or drink go down your throat and towards your stomach" + }, + "consult": { + "CHS": "咨询", + "ENG": "to ask for information or advice from someone because it is their job to know something" + }, + "preservation": { + "CHS": "保存,保留", + "ENG": "when something is kept in its original state or in good condition" + }, + "distance": { + "CHS": "距离", + "ENG": "the amount of space between two places or things" + }, + "plastic": { + "CHS": "塑料的", + "ENG": "made of plastic" + }, + "predict": { + "CHS": "预言,预测,预告", + "ENG": "to say that something will happen, before it happens" + }, + "submit": { + "CHS": "提交", + "ENG": "to give a plan, piece of writing etc to someone in authority for them to consider or approve" + }, + "entertainment": { + "CHS": "娱乐", + "ENG": "things such as films, television, performances etc that are intended to amuse or interest people" + }, + "critical": { + "CHS": "批评的,爱挑剔的", + "ENG": "if you are critical, you criticize someone or something" + }, + "transaction": { + "CHS": "交易,业务,事务", + "ENG": "a business deal or action, such as buying or selling something" + }, + "via": { + "CHS": "通过", + "ENG": "travelling through a place on the way to another place" + }, + "insist": { + "CHS": "主张,坚持", + "ENG": "to demand that something should happen" + }, + "distract": { + "CHS": "分心", + "ENG": "to take someone’s attention away from something by making them look at or listen to something else" + }, + "subdivision": { + "CHS": "分支; 分部", + "ENG": "when something is subdivided, or the parts that result from doing this" + }, + "yield": { + "CHS": "产量", + "ENG": "the amount of profits, crops etc that something produces" + }, + "misunderstand": { + "CHS": "误解", + "ENG": "to fail to understand someone or something correctly" + }, + "detail": { + "CHS": "细节", + "ENG": "a single feature, fact, or piece of information about something" + }, + "immeasurable": { + "CHS": "无法估量的", + "ENG": "used to emphasize that something is too big or too extreme to be measured" + }, + "convincing": { + "CHS": "令人信服的", + "ENG": "making you believe that something is true or right" + }, + "donate": { + "CHS": "捐赠", + "ENG": "to give something, especially money, to a person or an organization in order to help them" + }, + "compare": { + "CHS": "比较,对照", + "ENG": "to consider two or more things or people, in order to show how they are similar or different" + }, + "item": { + "CHS": "〔尤指清单上、一群或一组事物中的〕一项,一件,一条", + "ENG": "a single thing, especially one thing in a list, group, or set of things" + }, + "concrete": { + "CHS": "具体的", + "ENG": "definite and specific" + }, + "govern": { + "CHS": "管理,支配", + "ENG": "to officially and legally control a country and make all the decisions about taxes, laws, public services etc" + }, + "classify": { + "CHS": "把…分类,把…分级", + "ENG": "to decide what group something belongs to" + }, + "restrict": { + "CHS": "限制,限定", + "ENG": "to limit or control the size, amount, or range of something" + }, + "establish": { + "CHS": "建立,创办,设立", + "ENG": "to start a company, organization, system, etc that is intended to exist or continue for a long time" + }, + "counseling": { + "CHS": "咨询服务" + }, + "majority": { + "CHS": "多数", + "ENG": "most of the people or things in a group" + }, + "contact": { + "CHS": "〔写信、打电话〕联系〔某人〕", + "ENG": "to write to or telephone someone" + }, + "virtual": { + "CHS": "虚拟的", + "ENG": "made, done, seen etc on the Internet or on a computer, rather than in the real world" + }, + "simplicity": { + "CHS": "简单", + "ENG": "the quality of being simple and not complicated, especially when this is attractive or useful" + }, + "enrollment": { + "CHS": "入学人数", + "ENG": "the number of people who have arranged to join a school, university, course etc" + }, + "programming": { + "CHS": "〔计算机的〕程序编写,程序设计;程序;;〔电视或广播〕节目;电视[广播]节目策划,编排", + "ENG": "the activity of writing programs for computers, or something written by a programmer" + }, + "device": { + "CHS": "装置,设备", + "ENG": "a machine or tool that does a special job" + }, + "previous": { + "CHS": "之前的", + "ENG": "A previous event or thing is one that happened or existed before the one that you are talking about" + }, + "alter": { + "CHS": "改变", + "ENG": "to change, or to make someone or something change" + }, + "coach": { + "CHS": "当…的教练,训练,培训", + "ENG": "to teach a person or team the skills they need for a sport" + }, + "crisis": { + "CHS": "危机", + "ENG": "a situation in which there are a lot of problems that must be dealt with quickly so that the situation does not get worse or more dangerous" + }, + "interconnect": { + "CHS": "相互联系", + "ENG": "if two facts, ideas, events etc are interconnected, or if they interconnect, they are related and one is affected by or caused by the other(" + }, + "enrich": { + "CHS": "丰富;使富有", + "ENG": "to improve the quality of something, especially by adding things to it" + }, + "poll": { + "CHS": "民意调查", + "ENG": "the process of finding out what people think about something by asking many people the same question, or the record of the result" + }, + "consent": { + "CHS": "同意,赞同", + "ENG": "agreement about something" + }, + "utility": { + "CHS": "公用事业〔如煤气、电力等〕", + "ENG": "a service such as gas or electricity provided for people to use" + }, + "poisonous": { + "CHS": "有毒的,有害的", + "ENG": "containing poison or producing poison" + }, + "collision": { + "CHS": "冲突,抵触", + "ENG": "a strong disagreement between two people or groups" + }, + "rank": { + "CHS": "衔,阶层", + "ENG": "the position or level that someone holds in an organization, especially in the police or the army, navy etc" + }, + "fundamentally": { + "CHS": "根本上", + "ENG": "in every way that is important or basic" + }, + "inflation": { + "CHS": "通货膨胀", + "ENG": "a continuing increase in prices, or the rate at which prices increase" + }, + "secure": { + "CHS": "确保……安全", + "ENG": "to make something safe from being attacked, harmed, or lost" + }, + "interpret": { + "CHS": "解释", + "ENG": "to believe that something someone does or something that happens has a particular meaning" + }, + "criticize": { + "CHS": "批评;评论", + "ENG": "to express your disapproval of someone or something, or to talk about their faults" + }, + "arrest": { + "CHS": "逮捕", + "ENG": "if the police arrest someone, the person is taken to a police station because the police think they have done something illegal" + }, + "afford": { + "CHS": "负担得起", + "ENG": "to have enough money to buy or pay for something" + }, + "implementation": { + "CHS": "实现,履行" + }, + "initiate": { + "CHS": "开始,发起", + "ENG": "to arrange for something important to start, such as an official process or a new plan" + }, + "enable": { + "CHS": "使能够……", + "ENG": "If someone or something enables you to do a particular thing, they give you the opportunity to do it" + }, + "narrow": { + "CHS": "狭窄的", + "ENG": "measuring only a small distance from one side to the other, especially in relation to the length" + }, + "overcharge": { + "CHS": "向……多收费", + "ENG": "to charge someone too much money for something" + }, + "shortcut": { + "CHS": "捷径,近路", + "ENG": "A shortcut is a quicker way of getting somewhere than the usual route" + }, + "leisure": { + "CHS": "悠闲,空闲", + "ENG": "time when you are not working or studying and can relax and do things you enjoy" + }, + "original": { + "CHS": "原始的,最初的", + "ENG": "existing or happening first, before other people or things" + }, + "density": { + "CHS": "密度", + "ENG": "the degree to which an area is filled with people or things" + }, + "sphere": { + "CHS": "球体;范围", + "ENG": "a ball shape" + }, + "margin": { + "CHS": "页边的空白,页边,白边", + "ENG": "the empty space at the side of a page" + }, + "department": { + "CHS": "部门", + "ENG": "one of the groups of people who work together in a particular part of a large organization such as a hospital, university, company, or government" + }, + "desire": { + "CHS": "渴望,欲望", + "ENG": "a strong hope or wish" + }, + "legend": { + "CHS": "传奇", + "ENG": "an old, well-known story, often about brave people, adventures, or magical events" + }, + "dictator": { + "CHS": "独裁者;专制者", + "ENG": "a ruler who has complete power over a country, especially one whose power has been gained by force" + }, + "diversity": { + "CHS": "多样性;差异", + "ENG": "the fact of including many different types of people or things" + }, + "quit": { + "CHS": "放弃" + }, + "outgoing": { + "CHS": "开朗的;外向的;外出的", + "ENG": "someone who is outgoing likes to meet and talk to new people" + }, + "solution": { + "CHS": "解决,解答,解决办法", + "ENG": "a way of solving a problem or dealing with a difficult situation" + }, + "revenge": { + "CHS": "报仇", + "ENG": "something you do in order to punish someone who has harmed or offended you" + }, + "reverse": { + "CHS": "相反的", + "ENG": "Reverse means opposite from what you expect or to what has just been described." + }, + "enroll": { + "CHS": "注册", + "ENG": "to officially arrange to join a school, university, or course, or to arrange for someone else to do this" + }, + "logically": { + "CHS": "合乎情理地,符合逻辑地" + }, + "rental": { + "CHS": "租金", + "ENG": "the money that you pay to use a car, television, or other machine over a period of time" + }, + "component": { + "CHS": "成分", + "ENG": "one of several parts that together make up a whole machine, system etc" + }, + "quotation": { + "CHS": "引文", + "ENG": "a sentence or phrase from a book, speech etc which you repeat in a speech or piece of writing because it is interesting or amusing" + }, + "faith": { + "CHS": "信任", + "ENG": "a strong feeling of trust or confidence in someone or something" + }, + "invalid": { + "CHS": "无效的", + "ENG": "a contract, ticket, claim etc that is invalid is not legally or officially acceptable" + }, + "invade": { + "CHS": "侵入,侵略", + "ENG": "to enter a country, town, or area using military force, in order to take control of it" + }, + "separately": { + "CHS": "分别地,另行", + "ENG": "If people or things are dealt with separately or do something separately, they are dealt with or do something at different times or places, rather than together" + }, + "strain": { + "CHS": "扭伤,拉伤", + "ENG": "to injure a muscle or part of your body by using it too much or making it work too hard" + }, + "accessible": { + "CHS": "易接近的", + "ENG": "someone who is accessible is easy to meet and talk to, even if they are very important or powerful" + }, + "lap": { + "CHS": "〔坐着时的〕大腿部", + "ENG": "the upper part of your legs when you are sitting down" + }, + "character": { + "CHS": "角色", + "ENG": "a person in a book, play, film etcs" + }, + "widespread": { + "CHS": "普遍的,广泛的", + "ENG": "existing or happening in many places or situations, or among many people" + }, + "rearrange": { + "CHS": "重新安排", + "ENG": "to change the position or order of things" + }, + "hospitalize": { + "CHS": "就医" + }, + "avail": { + "CHS": "有益, 有帮助", + "ENG": "to be helpful or useful to sb" + }, + "instant": { + "CHS": "立即的;紧急的;速溶的,方便的", + "ENG": "happening or produced immediately" + }, + "democratic": { + "CHS": "民主的", + "ENG": "controlled by representatives who are elected by the people of a country" + }, + "barely": { + "CHS": "仅仅,几乎不", + "ENG": "almost not" + }, + "vanish": { + "CHS": "消失", + "ENG": "to disappear suddenly, especially in a way that cannot be easily explained" + }, + "caregiver": { + "CHS": "照料者", + "ENG": "someone who takes care of a child or sick person" + }, + "harsh": { + "CHS": "严酷的", + "ENG": "harsh conditions are difficult to live in and very uncomfortable" + }, + "reliable": { + "CHS": "可靠的,可信赖的", + "ENG": "someone or something that is reliable can be trusted or depended on" + }, + "massive": { + "CHS": "(尺寸、数量、规模) 非常大的", + "ENG": "very large in size, quantity, or extent" + }, + "alcohol": { + "CHS": "酒精", + "ENG": "drinks such as beer or wine that contain a substance which can make you drunk" + }, + "pregnant": { + "CHS": "怀孕的", + "ENG": "if a woman or female animal is pregnant, she has an unborn baby growing inside her body" + }, + "adapt": { + "CHS": "适应于", + "ENG": "to gradually change your behaviour and attitudes in order to be successful in a new situation" + }, + "bogus": { + "CHS": "假冒的", + "ENG": "not true or real, although someone is trying to make you think it is" + }, + "slippery": { + "CHS": "滑的;模糊的,不明确的,", + "ENG": "something that is slippery is difficult to hold, walk on etc because it is wet or greasy" + }, + "current": { + "CHS": "当前的", + "ENG": "happening or existing now" + }, + "overwhelm": { + "CHS": "压倒,战胜" + }, + "stressful": { + "CHS": "充满著压力的,充满著紧张的", + "ENG": "a job, experience, or situation that is stressful makes you worry a lot" + }, + "toothache": { + "CHS": "牙痛,牙疼", + "ENG": "a pain in a tooth" + }, + "eliminate": { + "CHS": "消除", + "ENG": "to completely get rid of something that is unnecessary or unwanted" + }, + "terminal": { + "CHS": "终点站,航空站", + "ENG": "a big building where people wait to get onto planes, buses, or ships, or where goods are loaded" + }, + "severe": { + "CHS": "严重的", + "ENG": "severe problems, injuries, illnesses etc are very bad or very serious" + }, + "immobile": { + "CHS": "稳定的,不变的", + "ENG": "not moving at all" + }, + "diplomatic": { + "CHS": "外交的", + "ENG": "relating to or involving the work of diplomats" + }, + "candidate": { + "CHS": "申请求职者;投考者;候选人", + "ENG": "someone who is being considered for a job or is competing in an election" + }, + "fund": { + "CHS": "提供资金", + "ENG": "to provide money for an activity, organization, event etc" + }, + "complacency": { + "CHS": "自满,满足", + "ENG": "a feeling of satisfaction with a situation or with what you have achieved, so that you stop trying to improve or change things – used to show disapproval" + }, + "delight": { + "CHS": "高兴", + "ENG": "a feeling of great pleasure and satisfaction" + }, + "inadequate": { + "CHS": "不足的,不够的", + "ENG": "not good enough, big enough, skilled enough etc for a particular purpose" + }, + "steady": { + "CHS": "稳定的,逐步的", + "ENG": "continuing or developing gradually or without stopping, and not likely to change" + }, + "accurate": { + "CHS": "精确的,准确的", + "ENG": "correct and true in every detail" + }, + "identification": { + "CHS": "身份证明;鉴定,识别;认同;", + "ENG": "official papers or cards, such as your passport, that prove who you are" + }, + "previously": { + "CHS": "事先", + "ENG": "Previously means at some time before the period that you are talking about" + }, + "identical": { + "CHS": "相同的", + "ENG": "exactly the same, or very similar" + }, + "retirement": { + "CHS": "退休", + "ENG": "when you stop working, usually because of your age" + }, + "commit": { + "CHS": "犯罪;承担义务", + "ENG": "to do something wrong or illegal" + }, + "element": { + "CHS": "要素;元素", + "ENG": "one part or feature of a whole system, plan, piece of work etc, especially one that is basic or important" + }, + "assess": { + "CHS": "评价", + "ENG": "to make a judgment about a person or situation after thinking carefully about it" + }, + "hire": { + "CHS": "雇佣", + "ENG": "to employ someone for a short time to do a particular job" + }, + "represent": { + "CHS": "代表", + "ENG": "to officially speak or take action for another person or group of people" + }, + "overestimate": { + "CHS": "对(数量)估计过高", + "ENG": "to think something is better, more important etc than it really is" + }, + "supervision": { + "CHS": "监督", + "ENG": "when you supervise someone or something" + }, + "expose": { + "CHS": "暴露", + "ENG": "to show something that is usually covered or hidden" + }, + "seemingly": { + "CHS": "表面上看", + "ENG": "appearing to have a particular quality, when this may or may not be true" + }, + "assignment": { + "CHS": "作业", + "ENG": "a piece of work that a student is asked to do" + }, + "preference": { + "CHS": "偏爱", + "ENG": "if you have a preference for something, you like it more than another thing and will choose it if you can" + }, + "energetic": { + "CHS": "精力充沛的", + "ENG": "having or needing a lot of energy or determination" + }, + "application": { + "CHS": "申请;应用", + "ENG": "a formal, usually written, request for something such as a job, place at university, or permission to do something" + }, + "moral": { + "CHS": "精神上的, 道德的", + "ENG": "relating to the principles of what is right and wrong behaviour, and with the difference between good and evil" + }, + "dispute": { + "CHS": "辩论,争论", + "ENG": "to argue or disagree with someone" + }, + "influence": { + "CHS": "影响", + "ENG": "to affect the way someone or something develops, behaves, thinks etc without directly forcing or ordering them" + }, + "illegal": { + "CHS": "非法的", + "ENG": "not allowed by the law" + }, + "esteem": { + "CHS": "自尊", + "ENG": "a feeling of respect for someone, or a good opinion of someone" + }, + "abundant": { + "CHS": "大量的,丰富的", + "ENG": "something that is abundant exists or is available in large quantities so that there is more than enough" + }, + "survey": { + "CHS": "调查;勘测,测量,测绘", + "ENG": "a set of questions that you ask a large number of people in order to find out about their opinions or behaviour" + }, + "extensively": { + "CHS": "广泛地" + }, + "deserve": { + "CHS": "值得", + "ENG": "to have earned something by good or bad actions or behaviour" + }, + "crash": { + "CHS": "〔汽车的〕撞车事故;〔飞机的〕坠毁,失事", + "ENG": "an accident in which a vehicle violently hits something else" + }, + "affirm": { + "CHS": "断言,声明", + "ENG": "to state publicly that something is true" + }, + "reputation": { + "CHS": "名气,名声,名誉", + "ENG": "the opinion that people have about someone or something because of what has happened in the past" + }, + "degree": { + "CHS": "程度", + "ENG": "the level or amount of something" + }, + "fade": { + "CHS": "逐渐消失", + "ENG": "to gradually disappear" + }, + "competitor": { + "CHS": "竞争者,对手", + "ENG": "a person, team, company etc that is competing with another" + }, + "confuse": { + "CHS": "使混淆,迷惑", + "ENG": "to think wrongly that a person or thing is someone or something else" + }, + "task": { + "CHS": "任务,工作", + "ENG": "a piece of work that must be done, especially one that is difficult or unpleasant or that must be done regularly" + }, + "lessen": { + "CHS": "减少", + "ENG": "to become smaller in size, importance, or value, or make something do this" + }, + "admit": { + "CHS": "承认;容许", + "ENG": "to agree unwillingly that something is true or that someone else is right" + }, + "bow": { + "CHS": "鞠躬", + "ENG": "to bend the top part of your body forward in order to show respect for someone important, or as a way of thanking an audience" + }, + "division": { + "CHS": "除法;部门", + "ENG": "the process of finding out how many times one number is contained in another" + }, + "literature": { + "CHS": "文学,文学作品;文献;文献", + "ENG": "books, plays, poems etc that people think are important and good" + }, + "consultant": { + "CHS": "顾问", + "ENG": "someone whose job is to give advice on a particular subject" + }, + "penalty": { + "CHS": "惩罚", + "ENG": "a punishment for breaking a law, rule, or legal agreement" + }, + "comment": { + "CHS": "评论", + "ENG": "an opinion that you express about someone or something" + }, + "major": { + "CHS": "主修", + "ENG": "to study something as your main subject at college or university" + }, + "option": { + "CHS": "选择", + "ENG": "a choice you can make in a particular situation" + }, + "socialize": { + "CHS": "交往,联谊", + "ENG": "to spend time with other people in a friendly way" + }, + "bureau": { + "CHS": "局", + "ENG": "a government department or a part of a government department in the US" + }, + "budget": { + "CHS": "编预算", + "ENG": "to carefully plan and control how much money you spend and what you will buy with it" + }, + "pop": { + "CHS": "突然出现,跳出", + "ENG": "to come suddenly or unexpectedly out of or away from something" + }, + "position": { + "CHS": "职位", + "ENG": "a job" + }, + "unaffordable": { + "CHS": "买不起的,负担不起的" + }, + "function": { + "CHS": "运行", + "ENG": "to work in the correct or intended way" + }, + "perceive": { + "CHS": "察觉", + "ENG": "to notice, see, or recognize something" + }, + "reserve": { + "CHS": "留出,预定", + "ENG": "to arrange for a place in a hotel, restaurant, plane etc to be kept for you to use at a particular time in the future" + }, + "innovation": { + "CHS": "改革,创新", + "ENG": "the introduction of new ideas or methods" + }, + "alert": { + "CHS": "机警的", + "ENG": "giving all your attention to what is happening, being said etc" + }, + "cautious": { + "CHS": "谨慎的", + "ENG": "careful to avoid danger or risks" + }, + "document": { + "CHS": "文件", + "ENG": "a piece of paper that has official information on it" + }, + "characterize": { + "CHS": "以……特点", + "ENG": "to be typical of a person, place, or thing" + }, + "achieve": { + "CHS": "完成,实现", + "ENG": "to successfully complete something or get a good result, especially by working hard" + }, + "address": { + "CHS": "解决", + "ENG": "if you address a problem, you start trying to solve it" + }, + "inspiration": { + "CHS": "灵感", + "ENG": "a good idea about what you should do, write, say etc, especially one which you get suddenly" + }, + "agency": { + "CHS": "机构", + "ENG": "an organization or department, especially within a government, that does a specific job" + }, + "formulate": { + "CHS": "规定,制定", + "ENG": "to develop something such as a plan or a set of rules, and decide all the details of how it will be done" + }, + "fate": { + "CHS": "命运", + "ENG": "the things that happen to someone or something, especially unpleasant things that end their existence or end a particular period" + }, + "surf": { + "CHS": "冲浪", + "ENG": "to ride on waves while standing on a special board" + }, + "steer": { + "CHS": "驾驶", + "ENG": "to control the direction a vehicle is going, for example by turning a wheel" + }, + "structure": { + "CHS": "结构", + "ENG": "the way in which the parts of something are connected with each other and form a whole, or the thing that these parts make up" + }, + "architect": { + "CHS": "建筑师", + "ENG": "someone whose job is to design buildings" + }, + "frame": { + "CHS": "框架", + "ENG": "a structure made of wood, metal, plastic etc that surrounds something such as a picture or window, and holds it in place" + }, + "amaze": { + "CHS": "使吃惊", + "ENG": "to surprise someone very much" + }, + "affirmation": { + "CHS": "断言,肯定" + }, + "intelligent": { + "CHS": "有智慧的,聪明的,悟性强的", + "ENG": "an intelligent person has a high level of mental ability and is good at understanding ideas and thinking clearly" + }, + "code": { + "CHS": "代码,密码", + "ENG": "a system of words, letters, or symbols that you use instead of ordinary writing, so that the information can only be understood by someone else who knows the system" + }, + "burden": { + "CHS": "重担,负担", + "ENG": "something difficult or worrying that you are responsible for" + }, + "absorb": { + "CHS": "吸收(液体、气体等)", + "ENG": "to take in liquid, gas, or another substance from the surface or space around something" + }, + "instruction": { + "CHS": "用法说明;操作指南;命令,指示", + "ENG": "the written information that tells you how to do or use something" + }, + "admission": { + "CHS": "承认;准许进(加)入;入场费", + "ENG": "a statement in which you admit that something is true or that you have done something wrong" + }, + "additional": { + "CHS": "额外的", + "ENG": "more than what was agreed or expected" + }, + "prejudice": { + "CHS": "使有偏见,使有成见", + "ENG": "to influence someone so that they have an unfair or unreasonable opinion about someone or something" + }, + "process": { + "CHS": "处理", + "ENG": "to deal with an official document, request etc in the usual way" + }, + "elegant": { + "CHS": "优雅的", + "ENG": "beautiful, attractive, or graceful" + }, + "hospitable": { + "CHS": "热情友好的", + "ENG": "friendly, welcoming, and generous to visitors" + }, + "refreshing": { + "CHS": "恢复活力的", + "ENG": "A refreshing bath or drink makes you feel energetic or cool again after you have been tired or hot" + }, + "ensure": { + "CHS": "确保", + "ENG": "to make certain that something will happen properly" + }, + "frighten": { + "CHS": "使惊恐,使恐慌", + "ENG": "to make someone feel afraid" + }, + "civilized": { + "CHS": "文明的", + "ENG": "a civilized society is well organized and developed, and has fair laws and customs" + }, + "approval": { + "CHS": "批准,认可;赞成,同意", + "ENG": "when a plan, decision, or person is officially accepted" + }, + "publicize": { + "CHS": "宣布", + "ENG": "to give information about something to the public, so that they know about it" + }, + "resident": { + "CHS": "居民", + "ENG": "someone who lives or stays in a particular place" + }, + "considerate": { + "CHS": "体贴的;考虑周到的", + "ENG": "always thinking of what other people need or want and being careful not to upset them" + }, + "twist": { + "CHS": "扭曲,使弯曲", + "ENG": "to bend or turn something, such as wire, hair, or cloth, into a particular shape" + }, + "citizen": { + "CHS": "市民,城镇居民;公民", + "ENG": "someone who lives in a particular town, country, or state" + }, + "stake": { + "CHS": "风险", + "ENG": "if something that you value very much is at stake, you will lose it if a plan or action is not successful" + }, + "keenly": { + "CHS": "敏锐地" + }, + "superficial": { + "CHS": "肤浅的", + "ENG": "not studying or looking at something carefully and only seeing the most noticeable things" + }, + "flexibility": { + "CHS": "灵活性;适应性", + "ENG": "the ability to change or be changed easily to suit a different situation" + }, + "favorable": { + "CHS": "赞同的", + "ENG": "a favourable report, opinion, or reaction shows that you think that someone or something is good or that you agree with them" + }, + "competent": { + "CHS": "胜任的,有能力的", + "ENG": "having enough skill or knowledge to do something to a satisfactory standard" + }, + "emotional": { + "CHS": "情绪(上)的,情感(上)的;激起感情的; 敏感的;情绪激动的〔尤指哭泣〕", + "ENG": "relating to your feelings or how you control them" + }, + "pioneer": { + "CHS": "开拓,开发", + "ENG": "to be the first person to do, invent or use something" + }, + "sustain": { + "CHS": "维持", + "ENG": "to make something continue to exist or happen for a period of time" + }, + "gloomy": { + "CHS": "阴沉的,沮丧的", + "ENG": "making you feel that things will not improve" + }, + "convince": { + "CHS": "使相信", + "ENG": "to make someone feel certain that something is true" + }, + "profitable": { + "CHS": "有利可图的,有益的", + "ENG": "producing a profit or a useful result" + }, + "routinely": { + "CHS": "例行公事地", + "ENG": "if something is routinely done, it is done as a normal part of a process or job" + }, + "phenomenon": { + "CHS": "现象", + "ENG": "something that happens or exists in society, science, or nature, especially something that is studied because it is difficult to understand" + }, + "variety": { + "CHS": "多样", + "ENG": "a lot of things of the same type that are different from each other in some way" + }, + "gum": { + "CHS": "牙龈", + "ENG": "your gums are the two areas of firm pink flesh at the top and bottom of your mouth, in which your teeth are fixed" + }, + "criticism": { + "CHS": "批评", + "ENG": "remarks that say what you think is bad about someone or something" + }, + "fatal": { + "CHS": "致命的,攸关的", + "ENG": "resulting in someone’s death" + }, + "delightful": { + "CHS": "高兴的", + "ENG": "very pleasant" + }, + "tedious": { + "CHS": "单调沉闷的", + "ENG": "something that is tedious continues for a long time and is not interesting" + }, + "flexible": { + "CHS": "灵活的", + "ENG": "a person, plan etc that is flexible can change or be changed easily to suit any new situation" + }, + "considerably": { + "CHS": "相当地,非常地", + "ENG": "much or a lot" + }, + "efficiently": { + "CHS": "有效地" + }, + "appearance": { + "CHS": "外表, 外观;出现", + "ENG": "the way someone or something looks to other people" + }, + "album": { + "CHS": "粘贴簿,集邮簿,册", + "ENG": "a book that you put photographs, stamps etc in" + }, + "optimistic": { + "CHS": "乐观的", + "ENG": "believing that good things will happen in the future" + }, + "clue": { + "CHS": "线索", + "ENG": "an object or piece of information that helps someone solve a crime or mystery" + }, + "grief": { + "CHS": "悲伤", + "ENG": "extreme sadness, especially because someone you love has died" + }, + "synthetic": { + "CHS": "合成的,人造的", + "ENG": "produced by combining different artificial substances, rather than being naturally produced" + }, + "resistance": { + "CHS": "抵御,抵抗;抵抗力", + "ENG": "fighting against someone who is attacking you" + }, + "install": { + "CHS": "安装", + "ENG": "to put a piece of equipment somewhere and connect it so that it is ready to be used" + }, + "pledge": { + "CHS": "保证,誓言", + "ENG": "a serious promise or agree-ment, especially one made publicly or officially" + }, + "unique": { + "CHS": "独特的,唯一的", + "ENG": "being the only one of its kind" + }, + "stock": { + "CHS": "股票;库存", + "ENG": "a share in a company" + }, + "disadvantage": { + "CHS": "不利情况,缺点", + "ENG": "something that causes problems, or that makes someone or something less likely to be successful or effective" + }, + "compensate": { + "CHS": "弥补,补偿", + "ENG": "to replace or balance the effect of something bad" + }, + "rescue": { + "CHS": "营救,援救", + "ENG": "to save someone or something from a situation of danger or harm" + }, + "monitor": { + "CHS": "监控;监听", + "ENG": "to carefully watch and check a situation in order to see how it changes over a period of time" + }, + "refusal": { + "CHS": "拒绝", + "ENG": "when you say firmly that you will not do, give, or accept something" + }, + "exile": { + "CHS": "流放,放逐", + "ENG": "a situation in which you are forced to leave your country and live in another country, especially for political reasons" + }, + "encourage": { + "CHS": "鼓励", + "ENG": "to give someone the courage or confidence to do something" + }, + "concept": { + "CHS": "观点,观念", + "ENG": "an idea of how something is, or how something should be done" + }, + "render": { + "CHS": "给予", + "ENG": "to give something to someone or do something, because it is your duty or because someone expects you to" + }, + "trait": { + "CHS": "性格", + "ENG": "a particular quality in someone’s character" + }, + "feature": { + "CHS": "特点", + "ENG": "a part of something that you notice because it seems important, interesting, or typical" + }, + "reframe": { + "CHS": "再构造(图画、照片等)", + "ENG": "to support or enclose (a picture, photograph, etc) in a new or different frame" + }, + "identify": { + "CHS": "认出,识别;视为", + "ENG": "to recognize and correctly name someone or something" + }, + "impose": { + "CHS": "强加", + "ENG": "if someone in authority imposes a rule, punishment, tax etc, they force people to accept it" + }, + "snack": { + "CHS": "零食,小吃", + "ENG": "a small amount of food that is eaten between main meals or instead of a meal" + }, + "require": { + "CHS": "要求,命令", + "ENG": "if you are required to do or have something, a law or rule says you must do it or have it" + }, + "donation": { + "CHS": "捐赠", + "ENG": "something, especially money, that you give to a person or an organ-ization in order to help them" + }, + "equal": { + "CHS": "相等的,平等的", + "ENG": "the same in size, number, amount, value etc as something else" + }, + "rare": { + "CHS": "罕有的,少见的", + "ENG": "not seen or found very often, or not happening very often" + }, + "specify": { + "CHS": "指定,具体说明", + "ENG": "to state something in an exact and detailed way" + }, + "constant": { + "CHS": "不断的,持续的", + "ENG": "happening regularly or all the time" + }, + "standardize": { + "CHS": "使标准化", + "ENG": "to make all the things of one particular type the same as each other" + }, + "consume": { + "CHS": "消费,消耗", + "ENG": "to use time, energy, goods etc" + }, + "status": { + "CHS": "地位", + "ENG": "the official legal position or condition of a person, group, country etc" + }, + "complement": { + "CHS": "补充", + "ENG": "to make a good combination with someone or something else" + }, + "lengthy": { + "CHS": "长的,漫长的", + "ENG": "continuing for a long time, often too long" + }, + "embarrassed": { + "CHS": "尴尬的;窘迫的", + "ENG": "feeling uncomfortable or nervous and worrying about what people think of you, for example because you have made a silly mistake, or because you have to talk or sing in public" + }, + "rational": { + "CHS": "神智清楚的", + "ENG": "A rational person is someone who is sensible and is able to make decisions based on intelligent thinking rather than on emotion" + }, + "distant": { + "CHS": "遥远的", + "ENG": "far away in space or time" + }, + "homemaker": { + "CHS": "主妇", + "ENG": "a woman who works at home cleaning and cooking etc and does not have another job" + }, + "exception": { + "CHS": "例外", + "ENG": "something or someone that is not included in a general statement or does not follow a rule or pattern" + }, + "sustainable": { + "CHS": "可持续的", + "ENG": "able to continue without causing damage to the environment" + }, + "trigger": { + "CHS": "引发,引起", + "ENG": "to make something happen very quickly, especially a series of events" + }, + "intend": { + "CHS": "打算", + "ENG": "If you intend to do something, you have decided or planned to do it." + }, + "spread": { + "CHS": "扩散;传播", + "ENG": "if something spreads or is spread, it becomes larger or moves so that it affects more people or a larger area" + }, + "estimate": { + "CHS": "估计", + "ENG": "to try to judge the value, size, speed, cost etc of something, without calculating it exactly" + }, + "technique": { + "CHS": "技巧,手艺;技术,技能", + "ENG": "a special way of doing something" + }, + "include": { + "CHS": "包含", + "ENG": "if one thing includes another, the second thing is part of the first" + }, + "academic": { + "CHS": "学术的", + "ENG": "relating to education, especially at college or university level" + }, + "distinctive": { + "CHS": "独特的,与众不同的", + "ENG": "having a special quality, character, or appearance that is different and easy to recognize" + }, + "consist": { + "CHS": "由……组成", + "ENG": "to be formed from two or more things or people" + }, + "bid": { + "CHS": "出价,投标", + "ENG": "to offer to pay a particular price for goods, especially in an auction" + }, + "benefit": { + "CHS": "有益于,有助于", + "ENG": "if you benefit from something, or it benefits you, it gives you an advantage, improves your life, or helps you in some way" + }, + "downsize": { + "CHS": "裁员", + "ENG": "if a company or organization downsizes, it reduces the number of people it employs in order to reduce costs" + }, + "avoid": { + "CHS": "避免", + "ENG": "to prevent something bad from happening" + }, + "gender": { + "CHS": "性别", + "ENG": "the fact of being male or female" + }, + "interracial": { + "CHS": "种族间的", + "ENG": "between different races of people" + }, + "complaint": { + "CHS": "抱怨; 投诉", + "ENG": "a statement in which someone complains about something" + }, + "pattern": { + "CHS": "模式", + "ENG": "the regular way in which something happens, develops, or is done" + }, + "mood": { + "CHS": "心情", + "ENG": "the way you feel at a particular time" + }, + "sympathy": { + "CHS": "同情心", + "ENG": "the feeling of being sorry for someone who is in a bad situation" + }, + "discount": { + "CHS": "折扣", + "ENG": "a reduction in the usual price of something" + }, + "value": { + "CHS": "重视", + "ENG": "to think that someone or something is important" + }, + "altitude": { + "CHS": "海拔, 高度", + "ENG": "the height of an object or place above the sea" + }, + "groundsheet": { + "CHS": "防潮布", + "ENG": "a piece of material that water cannot pass through which people sleep on when they are camping" + }, + "evolutionary": { + "CHS": "进化的;演变的", + "ENG": "relating to the way in which plants and animals develop and change gradually over a long period of time" + }, + "implement": { + "CHS": "实施,执行", + "ENG": "to take action or make changes that you have officially decided should happen" + }, + "dominant": { + "CHS": "占优势的", + "ENG": "more powerful, important, or noticeable than other people or things" + }, + "scope": { + "CHS": "范围", + "ENG": "the range of things that a subject, activity, book etc deals with" + }, + "suspect": { + "CHS": "嫌疑犯", + "ENG": "someone who is thought to be guilty of a crime" + }, + "confrontation": { + "CHS": "冲突,对抗", + "ENG": "a situation in which there is a lot of angry disagreement between two people or groups" + }, + "puzzle": { + "CHS": "难解之事,谜", + "ENG": "something that is difficult to understand or explain" + }, + "critic": { + "CHS": "批评家,评论家", + "ENG": "someone whose job is to make judgments about the good and bad qualities of art, music, films etc" + }, + "apartment": { + "CHS": "公寓", + "ENG": "a set of rooms on one floor of a large building, where someone lives" + }, + "analyze": { + "CHS": "分析", + "ENG": "to examine or think about something carefully, in order to understand it" + }, + "maintain": { + "CHS": "维持;主张", + "ENG": "to make something continue in the same way or at the same standard as before" + }, + "curb": { + "CHS": "控制", + "ENG": "an influence which helps to control or limit something" + }, + "version": { + "CHS": "版本", + "ENG": "a copy of something that has been changed so that it is slightly different" + }, + "rival": { + "CHS": "对手", + "ENG": "a person, group, or organization that you compete with in sport, business, a fight etc" + }, + "beneficial": { + "CHS": "有利的,有益的", + "ENG": "having a good effect" + }, + "substantial": { + "CHS": "大量的", + "ENG": "large in amount or number" + }, + "recover": { + "CHS": "恢复;重新获得;寻回", + "ENG": "to get better after an illness, accident, shock etc" + }, + "diploma": { + "CHS": "文凭", + "ENG": "a document showing that a student has successfully completed their high school or university education" + }, + "carpenter": { + "CHS": "木匠", + "ENG": "someone whose job is making and repairing wooden objects" + }, + "circumstance": { + "CHS": "环境,境遇", + "ENG": "the combination of facts, events etc that influence your life, and that you cannot control" + }, + "canteen": { + "CHS": "食堂", + "ENG": "a place in a factory, school etc where meals are provided, usually quite cheaply" + }, + "advocator": { + "CHS": "主张者,倡导者" + }, + "disorderly": { + "CHS": "杂乱的", + "ENG": "untidy or without any order" + }, + "essentially": { + "CHS": "本质上,根本上", + "ENG": "used when stating the most basic facts about something" + }, + "prevent": { + "CHS": "预防", + "ENG": "to stop something from happening, or stop someone from doing something" + }, + "ceremony": { + "CHS": "典礼,仪式", + "ENG": "an important social or religious event, when a traditional set of actions is performed in a formal way" + }, + "assume": { + "CHS": "假定,认为", + "ENG": "to think that something is true, although you do not have definite proof" + }, + "demand": { + "CHS": "要求", + "ENG": "to ask for something very firmly, especially because you think you have a right to do this" + }, + "principle": { + "CHS": "原则,原理", + "ENG": "a moral rule or belief about what is right and wrong, that influences how you behave" + }, + "reception": { + "CHS": "接待;反响", + "ENG": "a particular type of welcome for someone, or a particular type of reaction to their ideas, work etc" + }, + "transfer": { + "CHS": "转换,调换", + "ENG": "the process by which someone or something moves or is moved from one place, job etc to" + }, + "preventable": { + "CHS": "可预防的", + "ENG": "Preventable diseases, illnesses, or deaths could be stopped from occurring" + }, + "anticipate": { + "CHS": "预感", + "ENG": "to expect that something will happen and be ready for it" + }, + "assumption": { + "CHS": "假定,假设", + "ENG": "something that you think is true although you have no definite proof" + }, + "prescription": { + "CHS": "处方", + "ENG": "a piece of paper on which a doctor writes what medicine a sick person should have, so that they can get it from a pharmacist" + }, + "evolution": { + "CHS": "演变,进化", + "ENG": "the scientific idea that plants and animals develop and change gradually over a long period of time" + }, + "annoy": { + "CHS": "使反感,厌烦", + "ENG": "If someone or something annoys you, it makes you fairly angry and impatient" + }, + "unintended": { + "CHS": "意想不到的", + "ENG": "Unintended results were not planned to happen, although they happened" + }, + "origin": { + "CHS": "起源", + "ENG": "the place or situation in which something begins to exist" + }, + "qualify": { + "CHS": "使……有资格", + "ENG": "to have the right to have or do something, or to give someone this right" + }, + "emergence": { + "CHS": "出现,发生", + "ENG": "when something begins to be known or noticed" + }, + "complain": { + "CHS": "抱怨", + "ENG": "to say that you are annoyed, not satisfied, or unhappy about something or someone" + }, + "merit": { + "CHS": "值得", + "ENG": "to be good, important, or serious enough for praise or attention" + }, + "forum": { + "CHS": "论坛", + "ENG": "an organization, meeting, TV programme etc where people have a chance to publicly discuss an important subject" + }, + "arrange": { + "CHS": "安排,筹划", + "ENG": "to organize or make plans for something such as a meeting, party, or trip" + }, + "determination": { + "CHS": "意志", + "ENG": "the quality of trying to do something even when it is difficult" + }, + "bargain": { + "CHS": "便宜货,减价品", + "ENG": "something you buy cheaply or for less than its usual price" + }, + "appetite": { + "CHS": "欲望, 胃口", + "ENG": "a desire for food" + }, + "neutral": { + "CHS": "中立的", + "ENG": "not supporting any of the people or groups involved in an argument or disagreement" + }, + "primitive": { + "CHS": "原始的;简单的;简单的,简陋的", + "ENG": "belonging to a simple way of life that existed in the past and does not have modern industries and machines" + }, + "therapy": { + "CHS": "疗法 治疗", + "ENG": "the treatment of an illness or injury over a fairly long period of time" + }, + "conscience": { + "CHS": "良心", + "ENG": "the part of your mind that tells you whether what you are doing is morally right or wrong" + }, + "define": { + "CHS": "确定;下定义", + "ENG": "to describe something correctly and thoroughly, and to say what standards, limits, qualities etc it has that make it different from other things" + }, + "creativity": { + "CHS": "创造力", + "ENG": "the ability to use your imagination to produce new ideas, make things etc" + }, + "tailor": { + "CHS": "调整使适应", + "ENG": "If you tailor something such as a plan or system to someone's needs, you make it suitable for a particular person or purpose by changing the details of it" + }, + "dramatically": { + "CHS": "戏剧性地,引人注目地" + }, + "panic": { + "CHS": "惊恐", + "ENG": "a sudden strong feeling of fear or nervousness that makes you unable to think clearly or behave sensibly" + }, + "motivation": { + "CHS": "激励,刺激", + "ENG": "eagerness and willingness to do something without needing to be told or forced to do it" + }, + "durable": { + "CHS": "持久的,耐用的", + "ENG": "staying in good condition for a long time, even if used a lot" + }, + "remedy": { + "CHS": "药物", + "ENG": "a medicine to cure an illness or pain that is not very serious" + }, + "inevitable": { + "CHS": "不可避免的", + "ENG": "certain to happen and impossible to avoid" + }, + "diverse": { + "CHS": "各种各样的", + "ENG": "very different from each other" + }, + "context": { + "CHS": "背景,环境", + "ENG": "the situation, events, or information that are related to something and that help you to understand it" + }, + "prominent": { + "CHS": "杰出的;突出的,凸起的", + "ENG": "important" + }, + "witness": { + "CHS": "目击者,目击", + "ENG": "someone who sees a crime or an accident and can describe what happened" + }, + "save": { + "CHS": "节省", + "ENG": "to use less money, time, energy etc so that you do not waste any" + }, + "inherit": { + "CHS": "继承", + "ENG": "to receive money, property etc from someone after they have died" + }, + "occasion": { + "CHS": "场合", + "ENG": "An occasion is a time when something happens, or a case of it happening" + }, + "initiative": { + "CHS": "主动权,自主权", + "ENG": "if you have or take the initiative, you are in a position to control a situation and decide what to do next" + }, + "insight": { + "CHS": "洞察力,洞悉", + "ENG": "the ability to understand and realize what people or situations are really like" + }, + "misguided": { + "CHS": "被误导的", + "ENG": "a misguided idea or opinion is wrong because it is based on a wrong understanding of a situation" + }, + "sponsor": { + "CHS": "赞助", + "ENG": "to give money to a sports event, theatre, institution etc, especially in exchange for the right to advertise" + }, + "porter": { + "CHS": "搬运工", + "ENG": "someone whose job is to carry people’s bags at railway stations, airports etc" + }, + "loyalty": { + "CHS": "忠诚,忠实", + "ENG": "the quality of remaining faithful to your friends, principles, country etc" + }, + "overwhelming": { + "CHS": "压倒性的", + "ENG": "very large or greater, more important etc than any other" + }, + "appreciation": { + "CHS": "感激", + "ENG": "a feeling of being grateful for something someone has done" + }, + "setting": { + "CHS": "背景,环境", + "ENG": "the place where something is or where something happens, and the general environment" + }, + "display": { + "CHS": "展览", + "ENG": "to show something to people, or put it in a place where people can see it easily" + }, + "deliver": { + "CHS": "发表", + "ENG": "to make a speech etc to a lot of people" + }, + "astonish": { + "CHS": "使惊讶,使大为吃惊", + "ENG": "to surprise someone very much" + }, + "adequate": { + "CHS": "足够的", + "ENG": "enough in quantity or of a good enough quality for a particular purpose" + }, + "consumption": { + "CHS": "消费,消耗", + "ENG": "the amount of energy, oil, electricity etc that is used" + }, + "abuse": { + "CHS": "虐待;滥用", + "ENG": "to treat someone in a cruel and violent way, often sexually" + }, + "broad": { + "CHS": "宽的", + "ENG": "a road, river, or part of someone’s body etc that is broad is wide" + }, + "inappropriate": { + "CHS": "不合适的", + "ENG": "not suitable or right for a particular purpose or in a particular situation" + }, + "worldwide": { + "CHS": "全世界范围地", + "ENG": "If something exists or happens worldwide, it exists or happens throughout the world" + }, + "strict": { + "CHS": "严格的", + "ENG": "expecting people to obey rules or to do what you say" + }, + "means": { + "CHS": "方法", + "ENG": "a way of doing or achieving something" + }, + "reveal": { + "CHS": "揭露,揭示", + "ENG": "to make known something that was previously secret or unknown" + }, + "confirm": { + "CHS": "证实", + "ENG": "to show that something is definitely true, especially by providing more proof" + }, + "consensus": { + "CHS": "一致意见", + "ENG": "an opinion that everyone in a group agrees with or accepts" + }, + "agent": { + "CHS": "代理商", + "ENG": "a person or company that represents another person or company, especially in business" + }, + "neighborhood": { + "CHS": "地区" + }, + "participate": { + "CHS": "参与,参加", + "ENG": "to take part in an activity or event" + }, + "valid": { + "CHS": "有效的", + "ENG": "a valid ticket, document, or agreement is legally or officially acceptable" + }, + "initially": { + "CHS": "最初,起初", + "ENG": "at the beginning" + }, + "slightly": { + "CHS": "轻微地", + "ENG": "Slightly means to some degree but not to a very large degree" + }, + "objection": { + "CHS": "反对", + "ENG": "a reason that you have for opposing or disapproving of something, or something you say that expresses this" + }, + "atmosphere": { + "CHS": "气氛;大气;空气", + "ENG": "the feeling that an event or place gives you" + }, + "assign": { + "CHS": "布置;分配", + "ENG": "If you assign a piece of work to someone, you give them the work to do." + }, + "evidence": { + "CHS": "根据,证据,迹象", + "ENG": "facts or signs that show clearly that something exists or is true" + }, + "racially": { + "CHS": "种族上地" + }, + "exclude": { + "CHS": "排除,不包括", + "ENG": "to deliberately not include something" + }, + "available": { + "CHS": "可利用的,现有的;可获得的", + "ENG": "something that is available is able to be used or can easily be bought or found" + }, + "puzzling": { + "CHS": "令人困惑的", + "ENG": "confusing and difficult to understand or explain" + }, + "evaluation": { + "CHS": "评价,评估", + "ENG": "a judgment about how good, useful, or successful something is" + }, + "irritate": { + "CHS": "激怒", + "ENG": "to make someone feel annoyed or impatient, especially by doing something many times or for a long period of time" + }, + "distinguished": { + "CHS": "显著的,杰出的", + "ENG": "successful, respected, and admired" + }, + "depressing": { + "CHS": "令人沮丧的", + "ENG": "making you feel very sad" + }, + "mutually": { + "CHS": "互相地", + "ENG": "felt or done equally by two or more people" + }, + "mission": { + "CHS": "使命,任务;代表团", + "ENG": "an important job that involves travelling somewhere, done by a member of the air force, army etc, or by a spacecraft" + }, + "migration": { + "CHS": "迁移,移民", + "ENG": "when large numbers of people go to live in another area or country, especially in order to find work" + }, + "site": { + "CHS": "场所,地址", + "ENG": "a place where something important or interesting happened" + }, + "expectation": { + "CHS": "期望", + "ENG": "what you think or hope will happen" + }, + "update": { + "CHS": "更新;使现代化", + "ENG": "to add the most recent information to something" + }, + "gear": { + "CHS": "使合适", + "ENG": "to be organized in a way that is suitable for a particular purpose or situation" + }, + "reproductive": { + "CHS": "生殖的,再生的", + "ENG": "relating to the process of producing babies, young animals, or plants" + }, + "incredible": { + "CHS": "不可思议的", + "ENG": "too strange to be believed, or very difficult to believe" + }, + "backward": { + "CHS": "向后", + "ENG": "If you move or look backward, you move or look in the direction that your back is facing" + }, + "raise": { + "CHS": "提高;筹款;抚养", + "ENG": "to increase an amount, number, or level" + }, + "prohibit": { + "CHS": "禁止,阻止,防止", + "ENG": "to say that an action is illegal or not allowed" + }, + "bother": { + "CHS": "麻烦;打扰", + "ENG": "to make the effort to do something" + }, + "pose": { + "CHS": "姿势", + "ENG": "the position in which someone stands or sits, especially in a painting, photograph etc" + }, + "instrument": { + "CHS": "仪器,器械,工具", + "ENG": "a small tool used in work such as science or medicine" + }, + "mask": { + "CHS": "掩饰", + "ENG": "to hide your feelings or the truth about a situation" + }, + "essential": { + "CHS": "必须的;本质的", + "ENG": "extremely important and necessary" + }, + "harvest": { + "CHS": "丰收,收获", + "ENG": "the time when crops are gathered from the fields, or the act of gathering them" + }, + "reject": { + "CHS": "拒绝,驳回", + "ENG": "to refuse to accept, believe in, or agree with something" + }, + "advancement": { + "CHS": "进步,提升", + "ENG": "progress or development in your job, level of knowledge etc" + }, + "skyrocket": { + "CHS": "突升,猛涨", + "ENG": "if a price or an amount skyrockets, it greatly increases very quickly" + }, + "characteristic": { + "CHS": "特点", + "ENG": "a quality or feature of something or someone that is typical of them and easy to recognize" + }, + "implication": { + "CHS": "含义,暗示", + "ENG": "a suggestion that is not made directly but that people are expected to understand or accept" + }, + "measure": { + "CHS": "测量", + "ENG": "to find the size, length, or amount of something, using standard units such as inch es ,metres etc" + }, + "replacement": { + "CHS": "代替", + "ENG": "when you get something that is newer or better than the one you had before" + }, + "easygoing": { + "CHS": "脾气随和的,温和的" + }, + "squeeze": { + "CHS": "压,榨", + "ENG": "to press something firmly together with your fingers or hand" + }, + "exhibition": { + "CHS": "展览", + "ENG": "a show of paintings, photographs, or other objects that people can go to see" + }, + "responsibility": { + "CHS": "责任", + "ENG": "a duty to be in charge of someone or something, so that you make decisions and can be blamed if something bad happens" + }, + "enhance": { + "CHS": "提高;加强;增加", + "ENG": "to improve something" + }, + "retain": { + "CHS": "保留,留用", + "ENG": "to keep something or continue to have something" + }, + "convey": { + "CHS": "传达,传递", + "ENG": "to communicate or express something, with or without using words" + }, + "regulation": { + "CHS": "管理;规则", + "ENG": "an official rule or order" + }, + "integrity": { + "CHS": "完整", + "ENG": "the state of being united as one complete thing" + }, + "combine": { + "CHS": "联合,结合", + "ENG": "if you combine two or more different things, or if they combine, they begin to exist or work together" + }, + "impermanency": { + "CHS": "非永久性" + }, + "catalogue": { + "CHS": "把……编入目录", + "ENG": "to make a complete list of all the things in a group" + }, + "council": { + "CHS": "议会", + "ENG": "a group of people that are chosen to make rules, laws, or decisions, or to give advice" + }, + "prepare": { + "CHS": "做准备", + "ENG": "to make plans or arrangements for something that will happen in the future" + }, + "inquiry": { + "CHS": "询问", + "ENG": "a question you ask in order to get information" + }, + "tension": { + "CHS": "紧张", + "ENG": "a nervous worried feeling that makes it impossible for you to relax" + }, + "prompt": { + "CHS": "促使;激励", + "ENG": "to make someone decide to do something" + }, + "attendance": { + "CHS": "出席人数", + "ENG": "the number of people who attend a game, concert, meeting etc" + }, + "retail": { + "CHS": "零售", + "ENG": "to be sold for a particular price in a shop" + }, + "image": { + "CHS": "形象,声誉,;印象", + "ENG": "the opinion people have of a person, organization, product etc, or the way a person, organization etc seems to be to the public" + }, + "quantity": { + "CHS": "量,数量", + "ENG": "an amount of something that can be counted or measured" + }, + "inspector": { + "CHS": "检查员", + "ENG": "an official whose job is to check that something is satisfactory and that rules are being obeyed" + }, + "endurance": { + "CHS": "耐力", + "ENG": "the ability to continue doing something difficult or painful over a long period of time" + }, + "simplify": { + "CHS": "简化", + "ENG": "to make something easier or less complicated" + }, + "range": { + "CHS": "在范围内变化", + "ENG": "if prices, levels, temperatures etc range from one amount to another, they include both those amounts and anything in between" + }, + "accomplish": { + "CHS": "完成", + "ENG": "to succeed in doing something, especially after trying very hard" + }, + "treatment": { + "CHS": "治疗;对待", + "ENG": "something that is done to cure someone who is injured or ill" + }, + "spare": { + "CHS": "空闲的", + "ENG": "not being used or not needed at the present time" + }, + "welfare": { + "CHS": "幸福;福利", + "ENG": "someone’s welfare is their health and happiness" + }, + "boost": { + "CHS": "促使,促进", + "ENG": "to increase or improve something and make it more successful" + }, + "consciousness": { + "CHS": "意识", + "ENG": "your mind and your thoughts" + }, + "patiently": { + "CHS": "耐心地" + }, + "decent": { + "CHS": "正派的,体面的", + "ENG": "following moral standards that are acceptable to society" + }, + "review": { + "CHS": "复习", + "ENG": "to examine and describe the most important parts of a series of events or period of time" + }, + "considerable": { + "CHS": "相当大(或多)的", + "ENG": "fairly large, especially large enough to have an effect or be important" + }, + "misguide": { + "CHS": "误导", + "ENG": "to guide or direct wrongly or badly" + }, + "foundation": { + "CHS": "地基;基础;;基金会", + "ENG": "the solid layer of cement , bricks, stones etc that is put under a building to support it" + }, + "postgraduate": { + "CHS": "研究生", + "ENG": "someone who is studying at a university to get a master’s degree or a phd" + }, + "prevail": { + "CHS": "流行,盛行", + "ENG": "if a belief, custom, situation etc prevails, it exists among a group of people at a certain time" + }, + "solid": { + "CHS": "扎实的,坚实的", + "ENG": "hard or firm, with a fixed shape, and not a liquid or gas" + }, + "counsel": { + "CHS": "忠告,建议", + "ENG": "to advise someone" + }, + "maximum": { + "CHS": "最大值的,最大量的", + "ENG": "the maximum amount, quantity, speed etc is the largest that is possible or allowed" + }, + "abstract": { + "CHS": "抽象的", + "ENG": "based on general ideas or principles rather than specific examples or real events" + }, + "realistic": { + "CHS": "现实的,实际的", + "ENG": "judging and dealing with situations in a practical way according to what is actually possible rather than what you would like to happen" + }, + "ban": { + "CHS": "禁止", + "ENG": "to say that something must not be done, seen, used etc" + }, + "ashamed": { + "CHS": "羞耻的;内疚的;惭愧的", + "ENG": "feeling very sorry and embarrassed because of something you have done" + }, + "solve": { + "CHS": "解决", + "ENG": "to find or provide a way of dealing with a problem" + }, + "reinforce": { + "CHS": "加强,强化", + "ENG": "to give support to an opinion, idea, or feeling, and make it stronger" + }, + "applicant": { + "CHS": "申请人", + "ENG": "someone who has formally asked, usually in writing, for a job, university place etc" + }, + "tuition": { + "CHS": "学费", + "ENG": "the money you pay for being taught" + }, + "persistence": { + "CHS": "坚持不懈", + "ENG": "determination to do something even though it is difficult or other people oppose it" + }, + "overcome": { + "CHS": "战胜,克服", + "ENG": "to successfully control a feeling or problem that prevents you from achieving something" + }, + "bride": { + "CHS": "新娘", + "ENG": "a woman at the time she gets married or just after she is married" + }, + "engagement": { + "CHS": "婚约", + "ENG": "an agreement between two people to marry, or the period of time they are engaged" + }, + "household": { + "CHS": "家庭,一家人", + "ENG": "all the people who live together in one house" + }, + "evaluate": { + "CHS": "评价", + "ENG": "to judge how good, useful, or successful something is" + }, + "saint": { + "CHS": "圣人", + "ENG": "someone who is given the title ‘saint’ by the Christian church after they have died, because they have been very good or holy" + }, + "delay": { + "CHS": "推迟,延期", + "ENG": "to wait until a later time to do something" + }, + "private": { + "CHS": "私人的", + "ENG": "for use by one person or group, not for everyone" + }, + "definition": { + "CHS": "定义", + "ENG": "a phrase or sentence that says exactly what a word, phrase, or idea means" + }, + "influential": { + "CHS": "有影响力的", + "ENG": "having a lot of influence and therefore changing the way people think and behave" + }, + "recommend": { + "CHS": "推荐;劝告;使受欢迎", + "ENG": "to say that something or someone is good, or suggest them for a particular purpose or job" + }, + "frontier": { + "CHS": "边境", + "ENG": "the border of a country" + }, + "concern": { + "CHS": "与…有关,关于", + "ENG": "if a story, book, report etc concerns someone or something, it is about them" + }, + "organ": { + "CHS": "器官", + "ENG": "a part of the body, such as the heart or lungs, that has a particular purpose" + }, + "cite": { + "CHS": "引用", + "ENG": "to mention something as an example, especially one that supports, proves, or explains an idea or situation" + }, + "mechanism": { + "CHS": "机制,机能", + "ENG": "part of a machine or a set of parts that does a particular job" + }, + "contest": { + "CHS": "比赛", + "ENG": "a competition or a situation in which two or more people or groups are competing with each other" + }, + "symptom": { + "CHS": "症状", + "ENG": "something wrong with your body or mind which shows that you have a particular illness" + }, + "deadline": { + "CHS": "最后期限", + "ENG": "a date or time by which you have to do or complete something" + }, + "domination": { + "CHS": "主导" + }, + "figure": { + "CHS": "人物;数字", + "ENG": "someone who is important or famous in some way" + }, + "imply": { + "CHS": "暗示;意味;", + "ENG": "to suggest that something is true, without saying this directly" + }, + "curiosity": { + "CHS": "好奇心", + "ENG": "the desire to know about something" + }, + "induce": { + "CHS": "引诱", + "ENG": "to persuade someone to do something, especially something that does not seem wise" + }, + "acknowledge": { + "CHS": "承认(…的权威)", + "ENG": "to accept that someone or something has authority over people" + }, + "gym": { + "CHS": "体育馆,健身房", + "ENG": "a special building or room that has equipment for doing physical exercise" + }, + "chef": { + "CHS": "厨师", + "ENG": "a skilled cook, especially the main cook in a hotel or restaurant" + }, + "sensible": { + "CHS": "明智的", + "ENG": "reasonable, practical, and showing good judgment" + }, + "outline": { + "CHS": "梗概,提纲,草稿,要点", + "ENG": "the main ideas or facts about something, without the details" + }, + "react": { + "CHS": "对……作出反应", + "ENG": "to behave in a particular way or show a particular emotion because of something that has happened or been said" + }, + "committee": { + "CHS": "委员会", + "ENG": "a group of people chosen to do a particular job, make decisions etc" + }, + "civilian": { + "CHS": "平民,百姓", + "ENG": "anyone who is not a member of the military forces or the police" + }, + "domestic": { + "CHS": "国内的", + "ENG": "relating to or happening in one particular country and not involving any other countries" + }, + "complex": { + "CHS": "复杂的", + "ENG": "consisting of many different parts and often difficult to understand" + }, + "locate": { + "CHS": "位于,定位", + "ENG": "to be in a particular position or place" + }, + "tighten": { + "CHS": "使变紧", + "ENG": "to close or fasten something firmly by turning it" + }, + "physics": { + "CHS": "物理,物理学", + "ENG": "the science concerned with the study of physical objects and substances, and of natural forces such as light, heat, and movement" + }, + "foothold": { + "CHS": "立足处(攀登时脚踩的地方)", + "ENG": "a small hole or crack where you can safely put your foot when climbing a steep rock" + }, + "discharge": { + "CHS": "释放;排出;批准离开; 命令离开", + "ENG": "to send out gas, liquid, smoke etc, or to allow it to escape" + }, + "advanced": { + "CHS": "高级的", + "ENG": "studying or dealing with a school subject at a difficult level" + }, + "complicated": { + "CHS": "复杂的,难懂的", + "ENG": "difficult to understand or deal with, because many parts or details are involved" + }, + "needy": { + "CHS": "贫穷的", + "ENG": "having very little food or money" + }, + "stale": { + "CHS": "乏味的,没有新意的", + "ENG": "not interesting or exciting any more" + }, + "casual": { + "CHS": "漫不经心的,随便的;偶然的", + "ENG": "relaxed and not worried, or seeming not to care about something" + }, + "conform": { + "CHS": "相一致,遵守", + "ENG": "to obey a law, rule etc" + }, + "recharge": { + "CHS": "再充电", + "ENG": "to put a new supply of electricity into a battery" + }, + "annually": { + "CHS": "每年,一年一次" + }, + "frown": { + "CHS": "皱眉", + "ENG": "to make an angry, unhappy, or confused expression, moving your eyebrows together" + }, + "decline": { + "CHS": "下降,减少;拒绝", + "ENG": "to decrease in quantity or importance" + }, + "originate": { + "CHS": "开始", + "ENG": "to come from a particular place or start in a particular situation" + }, + "prospect": { + "CHS": "前景;前途", + "ENG": "a particular event which will probably or definitely happen in the future – used especially when you want to talk about how you feel about it" + }, + "curious": { + "CHS": "好奇的", + "ENG": "wanting to know about something" + }, + "incentive": { + "CHS": "动机,刺激", + "ENG": "something that encourages you to work harder, start a new activity etc" + }, + "virus": { + "CHS": "病毒", + "ENG": "a very small living thing that causes infectious illnesses" + }, + "cultivate": { + "CHS": "培养, 养成", + "ENG": "to work hard to develop a particular skill, attitude, or quality" + }, + "potential": { + "CHS": "有可能的;潜在的", + "ENG": "likely to develop into a particular type of person or thing in the future" + }, + "reluctant": { + "CHS": "不愿意的,勉强的", + "ENG": "slow and unwilling" + }, + "miserable": { + "CHS": "痛苦的", + "ENG": "extremely unhappy, for example because you feel lonely, cold, or badly treated" + }, + "persuasion": { + "CHS": "劝说", + "ENG": "the act of persuading someone to do something" + }, + "competitiveness": { + "CHS": "竞争力", + "ENG": "the ability of a company, country, or a product to compete with others" + }, + "restriction": { + "CHS": "限制,限定", + "ENG": "a rule or law that limits or controls what people can do" + }, + "minor": { + "CHS": "小的", + "ENG": "small and not very important or serious, especially when compared with other things" + }, + "grain": { + "CHS": "谷物,粮食", + "ENG": "the seeds of crops such as corn, wheat, or rice that are gathered for use as food, or these crops themselves" + }, + "rate": { + "CHS": "比率,速率", + "ENG": "the number of times something happens, or the number of examples of something within a certain period" + }, + "radically": { + "CHS": "完全地,彻底地" + }, + "distinct": { + "CHS": "明显的;有区别的", + "ENG": "clearly different or belonging to a different type" + }, + "equality": { + "CHS": "平等", + "ENG": "a situation in which people have the same rights, advantages etc" + }, + "hardworking": { + "CHS": "苦干的,不辞辛劳的" + }, + "qualification": { + "CHS": "资格(证明),合格证书", + "ENG": "if you have a qualification, you have passed an examination or course to show you have a particular level of skill or knowledge in a subject" + }, + "bacteria": { + "CHS": "细菌", + "ENG": "very small living things, some of which cause illness or disease" + }, + "corporate": { + "CHS": "团体的;法人的", + "ENG": "shared by or involving all the members of a group" + }, + "undermine": { + "CHS": "逐渐削弱; 逐渐动摇", + "ENG": "If you undermine someone's efforts or undermine their chances of achieving something, you behave in a way that makes them less likely to succeed" + }, + "selfish": { + "CHS": "自私的", + "ENG": "caring only about yourself and not about other people – used to show disapproval" + }, + "cater": { + "CHS": "迎合", + "ENG": "To cater to a group of people means to provide all the things that they need or want" + }, + "survival": { + "CHS": "幸存", + "ENG": "the state of continuing to live or exist" + }, + "favor": { + "CHS": "偏好, 较喜欢", + "ENG": "to prefer someone or something to other things or people, especially when there are several to choose from" + }, + "conflict": { + "CHS": "冲突", + "ENG": "if two ideas, beliefs, opinions etc conflict, they cannot exist together or both be true" + }, + "client": { + "CHS": "客户", + "ENG": "someone who gets services or advice from a professional person, company, or organization" + }, + "garage": { + "CHS": "车库", + "ENG": "a building for keeping a car in, usually next to or attached to a house" + }, + "fatigue": { + "CHS": "疲劳,疲乏", + "ENG": "very great tiredness" + }, + "plant": { + "CHS": "工厂", + "ENG": "a factory or building where an industrial process happens" + }, + "endanger": { + "CHS": "危及,危害,濒临危险", + "ENG": "to put someone or something in danger of being hurt, damaged, or destroyed" + }, + "operation": { + "CHS": "手术;行动", + "ENG": "the process of cutting into someone’s body to repair or remove a part that is damaged" + }, + "handle": { + "CHS": "处理", + "ENG": "to do the things that are necessary to complete a job" + }, + "laborious": { + "CHS": "费力的", + "ENG": "taking a lot of time and effort" + }, + "passion": { + "CHS": "热情,激情", + "ENG": "a very strong belief or feeling about something" + }, + "cooperative": { + "CHS": "合作的", + "ENG": "willing to cooperate" + }, + "inflate": { + "CHS": "(使)膨胀", + "ENG": "to fill something with air or gas so it becomes larger, or to become filled with air or gas" + }, + "resourceful": { + "CHS": "机智的", + "ENG": "good at finding ways of dealing with practical problems" + }, + "exaggerate": { + "CHS": "夸张", + "ENG": "to make something seem better, larger, worse etc than it really is" + }, + "loan": { + "CHS": "贷款", + "ENG": "an amount of money that you borrow from a bank etc" + }, + "vocabulary": { + "CHS": "词汇", + "ENG": "all the words that someone knows or uses" + }, + "illustrate": { + "CHS": "说明,阐明", + "ENG": "to make the meaning of something clearer by giving examples" + }, + "overflow": { + "CHS": "溢出,淹没", + "ENG": "if a river, lake, or container overflows, it is so full that the liquid or material inside flows over its edges" + }, + "fantasize": { + "CHS": "想象,幻想", + "ENG": "to imagine that you are doing something which is very pleasant or exciting, but which is very unlikely to happen" + }, + "amusing": { + "CHS": "有趣的,好玩儿的", + "ENG": "funny and entertaining" + }, + "universal": { + "CHS": "宇宙的,全世界的;普遍的", + "ENG": "involving everyone in the world or in a particular group" + }, + "generate": { + "CHS": "产生", + "ENG": "to produce or cause something" + }, + "schedule": { + "CHS": "日程表", + "ENG": "a plan of what someone is going to do and when they are going to do it" + }, + "backslide": { + "CHS": "倒退,退步", + "ENG": "to start doing the bad things that you used to do, after having improved your behaviour" + }, + "particle": { + "CHS": "微粒", + "ENG": "a very small piece of something" + }, + "menu": { + "CHS": "菜单", + "ENG": "a list of all the kinds of food that are available for a meal, especially in a restaurant" + }, + "reward": { + "CHS": "报答,奖赏", + "ENG": "to give something to someone because they have done something good or helpful or have worked fo" + }, + "reproduce": { + "CHS": "复制", + "ENG": "to make a photograph or printed copy of something" + }, + "worsen": { + "CHS": "(使)变得更坏", + "ENG": "to become worse or make something worse" + }, + "feedback": { + "CHS": "反馈", + "ENG": "advice, criticism etc about how successful or useful something is" + }, + "equivalent": { + "CHS": "相等的,相当的", + "ENG": "having the same value, purpose, job etc as a person or thing of a different kind" + }, + "resign": { + "CHS": "辞职", + "ENG": "to officially announce that you have decided to leave your job or an organization" + }, + "motivate": { + "CHS": "促动,激发,诱导", + "ENG": "to make someone want to achieve something and make them willing to work hard in order to do this" + }, + "compel": { + "CHS": "强迫", + "ENG": "to force someone to do something" + }, + "revise": { + "CHS": "修订", + "ENG": "to change something because of new information or ideas" + }, + "dampen": { + "CHS": "抑制", + "ENG": "to make something such as a feeling or activity less strong" + }, + "prosperity": { + "CHS": "繁荣", + "ENG": "when people have money and everything that is needed for a good life" + }, + "flow": { + "CHS": "流动", + "ENG": "when a liquid, gas, or electricity flows, it moves in a steady continuous stream" + }, + "humanity": { + "CHS": "人类〔总称〕;人性", + "ENG": "people in general" + }, + "sideways": { + "CHS": "向侧面", + "ENG": "with the side, rather than the front or back, facing forwards" + }, + "pursue": { + "CHS": "追求", + "ENG": "to continue doing an activity or trying to achieve something over a long period of time" + }, + "innovate": { + "CHS": "创新,革新", + "ENG": "to start to use new ideas, methods, or inventions" + }, + "mill": { + "CHS": "工厂", + "ENG": "a factory that produces materials such as cotton, cloth, or steel" + }, + "promotional": { + "CHS": "促销的", + "ENG": "Promotional material, events, or ideas are designed to increase the sales of a product or service" + }, + "dump": { + "CHS": "扔下,倾倒;倾销", + "ENG": "If you dump something somewhere, you put it or unload it there quickly and carelessly." + }, + "resist": { + "CHS": "抵抗,抗拒", + "ENG": "to try to prevent a change from happening, or prevent yourself from being forced to do something" + }, + "source": { + "CHS": "来源", + "ENG": "a thing, place, activity etc that you get something from" + }, + "legal": { + "CHS": "法律的", + "ENG": "if something is legal, you are allowed to do it or have to do it by law" + }, + "picky": { + "CHS": "挑剔的", + "ENG": "someone who is picky only likes particular things and not others, and so is not easy to please" + }, + "steal": { + "CHS": "偷窃", + "ENG": "to take something that belongs to someone else" + }, + "despite": { + "CHS": "尽管", + "ENG": "used to say that something happens or is true even though something else might have prevented it" + }, + "explosion": { + "CHS": "爆炸", + "ENG": "a loud sound and the energy produced by something such as a bomb bursting into small pieces" + }, + "gap": { + "CHS": "缝隙,缺口;差距", + "ENG": "a space between two objects or two parts of an object, especially because something is missing" + }, + "relevant": { + "CHS": "有关的,切题的", + "ENG": "directly relating to the subject or problem being discussed or considered" + }, + "ignore": { + "CHS": "忽视,不顾", + "ENG": "to behave as if you had not heard or seen someone or something" + }, + "complete": { + "CHS": "完整的,彻底的", + "ENG": "used to emphasize that a quality or situation is as great as it could possibly be" + }, + "sufficient": { + "CHS": "足够的", + "ENG": "as much as is needed for a particular purpose" + }, + "switch": { + "CHS": "转变,改变", + "ENG": "to change from doing or using one thing to doing or using another" + }, + "request": { + "CHS": "要求", + "ENG": "a polite or formal demand for something" + }, + "stereotype": { + "CHS": "老套,固定模式", + "ENG": "a belief or idea of what a particular type of person or thing is like. Stereotypes are often unfair or untrue." + }, + "couple": { + "CHS": "夫妻,情侣", + "ENG": "two people who are married or having a sexual or romantic relationship" + }, + "honesty": { + "CHS": "诚实", + "ENG": "the quality of being honest" + }, + "transportation": { + "CHS": "运输", + "ENG": "a system or method for carrying passengers or goods from one place to another" + }, + "physical": { + "CHS": "身体上的", + "ENG": "related to someone’s body rather than their mind or emotions" + }, + "screen": { + "CHS": "筛查", + "ENG": "to do tests on a lot of people to find out whether they have a particular illness" + }, + "divine": { + "CHS": "神圣的", + "ENG": "coming from or relating to God or a god" + }, + "guideline": { + "CHS": "指导原则", + "ENG": "rules or instructions about the best way to do something" + }, + "revolution": { + "CHS": "革命", + "ENG": "a complete change in ways of thinking, methods of working etc" + }, + "interruption": { + "CHS": "打扰;中断", + "ENG": "something that temporarily stops an activity or a situation; a time when an activity is stopped" + }, + "dishwasher": { + "CHS": "洗碗机", + "ENG": "a machine that washes dishes" + }, + "promising": { + "CHS": "有希望的,有前途的", + "ENG": "showing signs of being successful or good in the future" + }, + "vary": { + "CHS": "不同;变化", + "ENG": "if several things of the same type vary, they are all different from each other" + }, + "permanent": { + "CHS": "永久的", + "ENG": "continuing to exist for a long time or for all the time in the future" + }, + "manufacture": { + "CHS": "制造,生产", + "ENG": "to use machines to make goods or materials, usually in large numbers or amounts" + }, + "fussy": { + "CHS": "爱挑剔的;", + "ENG": "very concerned about small, usually unimportant details, and difficult to please" + }, + "dictate": { + "CHS": "命令,规定", + "ENG": "an order, rule, or principle that you have to obey" + }, + "professional": { + "CHS": "专业的", + "ENG": "showing that someone has been well trained and is good at their work" + }, + "prosper": { + "CHS": "繁荣", + "ENG": "if people or businesses prosper, they grow and develop in a successful way, especially by becoming rich or making a large profit" + }, + "exchange": { + "CHS": "交换,交流", + "ENG": "to give someone something and receive the same kind of thing from them at the same time" + }, + "concentration": { + "CHS": "集中", + "ENG": "a large amount of something in a particular place or among particular people" + }, + "gesture": { + "CHS": "手势,姿势", + "ENG": "a movement of part of your body, especially your hands or head, to show what you mean or how you feel" + }, + "deliberate": { + "CHS": "故意的", + "ENG": "intended or planned" + }, + "contribution": { + "CHS": "贡献;捐款", + "ENG": "something that you give or do in order to help something be successful" + }, + "bless": { + "CHS": "保佑,祝福", + "ENG": "if God blesses someone or something, he helps and protects them" + }, + "detective": { + "CHS": "侦探", + "ENG": "a police officer whose job is to discover information about crimes and catch criminals" + }, + "evident": { + "CHS": "明显的", + "ENG": "easy to see, notice, or understand" + }, + "retreat": { + "CHS": "退避,后退;撤退", + "ENG": "to move away from someone or something" + }, + "responsible": { + "CHS": "负责的,有责任的", + "ENG": "if someone is responsible for an accident, mistake, crime etc, it is their fault or they can be blamed" + }, + "identity": { + "CHS": "身份", + "ENG": "someone’s identity is their name or who they are" + }, + "statistics": { + "CHS": "统计学;数据", + "ENG": "quantitative data on any subject, esp data comparing the distribution of some quantity for different subclasses of the population" + }, + "appreciate": { + "CHS": "感激;欣赏", + "ENG": "used to thank someone in a polite way or to say that you are grateful for something they have done" + }, + "insult": { + "CHS": "侮辱", + "ENG": "to offend someone by saying or doing something they think is rude" + }, + "neglect": { + "CHS": "疏忽;忽视", + "ENG": "to fail to look after someone or something properly" + }, + "primarily": { + "CHS": "主要地,首先", + "ENG": "mainly" + }, + "long": { + "CHS": "渴望", + "ENG": "to want something very much, especially when it seems unlikely to happen soon" + }, + "incline": { + "CHS": "倾向于", + "ENG": "if a situation, fact etc inclines you to do or think something, it influences you towards a particular action or opinion" + }, + "asset": { + "CHS": "有价值的人(或物)资产", + "ENG": "the things that a company owns, that can be sold to pay debts" + }, + "overtake": { + "CHS": "超车", + "ENG": "to go past a moving vehicle or person because you are going faster than them and want to get in front of them" + }, + "extension": { + "CHS": "分机", + "ENG": "one of many telephone lines connected to a central system in a large building, which all have different numbers" + }, + "engine": { + "CHS": "引擎,发动机", + "ENG": "the part of a vehicle that produces power to make it move" + }, + "emphasize": { + "CHS": "强调", + "ENG": "to say something in a strong way" + }, + "genuine": { + "CHS": "真正的", + "ENG": "a genuine feeling, desire etc is one that you really feel, not one you pretend to feel" + }, + "fascination": { + "CHS": "魅力;入迷", + "ENG": "something that interests you very much, or the quality of being very interesting" + }, + "lodge": { + "CHS": "住宿,暂住", + "ENG": "to pay to live in a room in someone’s house" + }, + "cheat": { + "CHS": "欺骗, 作弊", + "ENG": "to behave in a dishonest way in order to win or to get an advantage, especially in a competition, game, or examination" + }, + "security": { + "CHS": "安全,安保", + "ENG": "things that are done to keep a person, building, or country safe from danger or crime" + }, + "painful": { + "CHS": "痛苦的,疼痛的,令人不快的", + "ENG": "if a part of your body is painful, it hurts" + }, + "emerge": { + "CHS": "出现", + "ENG": "to appear or come out from somewhere" + }, + "instance": { + "CHS": "情况,例子", + "ENG": "an example of a particular kind of situation" + }, + "steep": { + "CHS": "陡峭的;急剧升/降的", + "ENG": "a road, hill etc that is steep slopes at a high angle" + }, + "rigorous": { + "CHS": "严格的", + "ENG": "careful, thorough, and exact" + }, + "persuade": { + "CHS": "说服", + "ENG": "to make someone decide to do something, especially by giving them reasons why they should do it, or asking them many times to do it" + }, + "procedure": { + "CHS": "程序", + "ENG": "a way of doing something, especially the correct or usual way" + }, + "signature": { + "CHS": "签名", + "ENG": "your name written in the way you usually write it, for example at the end of a letter, or on a cheque etc, to show that you have written it" + }, + "surpass": { + "CHS": "超过", + "ENG": "to be even better or greater than someone or something else" + }, + "campaign": { + "CHS": "活动", + "ENG": "a series of actions intended to achieve a particular result relating to politics or business, or a social improvement" + }, + "advance": { + "CHS": "前进", + "ENG": "to move towards someone or something, especially in a slow and determined way – used especially to talk about soldiers" + }, + "charity": { + "CHS": "慈善机构", + "ENG": "an organization that gives money, goods, or help to people who are poor, sick etc" + }, + "average": { + "CHS": "平常的", + "ENG": "having qualities that are typical of most people or things" + }, + "indispensable": { + "CHS": "必不可少的", + "ENG": "someone or something that is indispensable is so important or useful that it is impossible to manage without them" + }, + "irrationally": { + "CHS": "不合理地,无理性地" + }, + "accompany": { + "CHS": "陪伴", + "ENG": "to go somewhere with someone" + }, + "aviation": { + "CHS": "航空", + "ENG": "the science or practice of flying in aircraft" + }, + "distress": { + "CHS": "使痛苦,悲痛", + "ENG": "to make someone feel very upset" + }, + "invariably": { + "CHS": "不变地,一直", + "ENG": "if something invariably happens or is invariably true, it always happens or is true" + }, + "invest": { + "CHS": "投资", + "ENG": "to buy shares, property, or goods because you hope that the value will increase and you can make a profit" + }, + "approximately": { + "CHS": "大约" + }, + "conservation": { + "CHS": "保护,保存", + "ENG": "the protection of natural things such as animals, plants, forests etc, to prevent them from being spoiled or destroyed" + }, + "ease": { + "CHS": "轻松,舒适", + "ENG": "Ease is the state of being very comfortable and able to live as you want, without any worries or problems" + }, + "extracurricular": { + "CHS": "课外的", + "ENG": "extracurricular activities are not part of the course that a student is doing at a school or college" + }, + "undoubtedly": { + "CHS": "无疑" + }, + "excellent": { + "CHS": "卓越的,杰出的,极好的", + "ENG": "extremely good or of very high quality" + }, + "investigate": { + "CHS": "调查", + "ENG": "to try to find out the truth about something such as a crime, accident, or scientific problem" + }, + "judgement": { + "CHS": "判断,决定", + "ENG": "the ability to make sensible decisions about what to do and when to do it" + }, + "struggle": { + "CHS": "搏斗", + "ENG": "to try extremely hard to achieve something, even though it is very difficult" + }, + "prohibitively": { + "CHS": "过分地,非常地" + }, + "military": { + "CHS": "军队的,军事的", + "ENG": "used by, involving, or relating to the army, navy, or airforce" + }, + "consequently": { + "CHS": "结果", + "ENG": "as a result" + }, + "suffer": { + "CHS": "受苦;遭受(痛苦)", + "ENG": "to experience physical or mental pain" + }, + "visible": { + "CHS": "看得见的", + "ENG": "something that is visible can be seen" + }, + "swift": { + "CHS": "迅速的", + "ENG": "happening or done quickly and immediately" + }, + "battle": { + "CHS": "战争,战役", + "ENG": "a fight between opposing armies, groups of ships, groups of people etc, especially one that is part of a larger war" + }, + "liability": { + "CHS": "责任", + "ENG": "legal responsibility for something, especially for paying money that is owed, or for damage or injury" + }, + "resistant": { + "CHS": "抵抗的;抵制的", + "ENG": "not damaged or affected by something" + }, + "nutritious": { + "CHS": "营养的", + "ENG": "food that is nutritious is full of the natural substances that your body needs to stay healthy or to grow properly" + }, + "constantly": { + "CHS": "不断地,时常地", + "ENG": "all the time, or very often" + }, + "familiar": { + "CHS": "熟悉的", + "ENG": "someone or something that is familiar is well-known to you and easy to recognize" + }, + "terribly": { + "CHS": "可怕地,非常", + "ENG": "very" + }, + "restore": { + "CHS": "修复", + "ENG": "to make something return to its former state or condition" + }, + "refine": { + "CHS": "改善;精炼", + "ENG": "to improve a method, plan, system etc by gradually making slight changes to it" + }, + "inspire": { + "CHS": "激发;鼓舞;使产生灵感", + "ENG": "to encourage someone by making them feel confident and eager to do something" + }, + "comply": { + "CHS": "遵从", + "ENG": "to do what you have to do or are asked to do" + }, + "justice": { + "CHS": "公正", + "ENG": "fairness in the way people are treated" + }, + "district": { + "CHS": "区", + "ENG": "an area of a town or the countryside, especially one with particular features" + }, + "installation": { + "CHS": "安装;就职;就职仪式", + "ENG": "when someone fits a piece of equipment somewhere" + }, + "marvelous": { + "CHS": "引起惊异的" + }, + "provoke": { + "CHS": "激起,挑起", + "ENG": "to cause a reaction or feeling, especially a sudden one" + }, + "lobby": { + "CHS": "游说", + "ENG": "to try to persuade the government or someone with political power that a law or situation should be changed" + }, + "interview": { + "CHS": "采访 ;面试", + "ENG": "to ask someone questions during an interview" + }, + "release": { + "CHS": "释放;发布", + "ENG": "to let someone go free, after having kept them somewhere" + }, + "explore": { + "CHS": "探索", + "ENG": "to discuss or think about something carefully" + }, + "profound": { + "CHS": "深厚的", + "ENG": "having a strong influence or effect" + }, + "exploit": { + "CHS": "开采", + "ENG": "to develop and use minerals, forests, oil etc for business or industry" + }, + "startup": { + "CHS": "启动,开办" + }, + "constructive": { + "CHS": "建设的,建设性的", + "ENG": "useful and helpful, or likely to produce good results" + }, + "unbearable": { + "CHS": "无法忍受的", + "ENG": "too unpleasant, painful, or annoying to deal with" + }, + "laundry": { + "CHS": "要洗的衣服;刚洗过的衣物;洗衣房", + "ENG": "clothes, sheets etc that need to be washed or have just been washed" + }, + "seize": { + "CHS": "抓住", + "ENG": "to take hold of something suddenly and violently" + }, + "poison": { + "CHS": "使中毒", + "ENG": "If someone poisons another person, they kill the person or make them ill by giving them poison" + }, + "bakery": { + "CHS": "面包店", + "ENG": "a place where bread and cakes are baked, or a shop where they are sold" + }, + "tent": { + "CHS": "帐篷", + "ENG": "a shelter consisting of a sheet of cloth supported by poles and ropes, used especially for camping" + }, + "wedding": { + "CHS": "婚礼", + "ENG": "a marriage ceremony, especially one with a religious service" + }, + "fair": { + "CHS": "集市", + "ENG": "an outdoor event, at which there are large machines to ride on, games to play, and sometimes farm animals being judged and sold" + }, + "geographic": { + "CHS": "地理的" + }, + "comprehensive": { + "CHS": "综合的,全面的", + "ENG": "including all the necessary facts, details, or problems that need to be dealt with" + }, + "riot": { + "CHS": "暴乱", + "ENG": "a situation in which a large crowd of people are behaving in a violent and uncontrolled way, especially when they are protesting about something" + }, + "conspicuous": { + "CHS": "显著地", + "ENG": "very easy to notice" + }, + "block": { + "CHS": "街区", + "ENG": "the distance along a city street from where one street crosses it to the next" + }, + "acute": { + "CHS": "敏锐的", + "ENG": "acute senses such as hearing, taste, touch etc are very good and sensitive" + }, + "endure": { + "CHS": "忍耐;容忍", + "ENG": "to be in a difficult or painful situation for a long time without complaining" + }, + "assembly": { + "CHS": "装配", + "ENG": "the process of putting the parts of something together" + }, + "opponent": { + "CHS": "对手", + "ENG": "someone who you try to defeat in a competition, game, fight, or argument" + }, + "confront": { + "CHS": "面对", + "ENG": "if a problem, difficulty etc confronts you, it appears and needs to be dealt with" + }, + "stir": { + "CHS": "搅动;煽动,激起", + "ENG": "to move a liquid or substance around with a spoon or stick in order to mix it together" + }, + "rocket": { + "CHS": "猛增", + "ENG": "if a price or amount rockets, it increases quickly and suddenly" + }, + "attribute": { + "CHS": "归因于", + "ENG": "If you attribute something to an event or situation, you think that it was caused by that event or situation" + }, + "sentence": { + "CHS": "判决", + "ENG": "if a judge sentences someone who is guilty of a crime, they give them a punishment" + }, + "tempting": { + "CHS": "诱人的,吸引人的", + "ENG": "something that is tempting seems very good and you would like to have it or do it" + }, + "commitment": { + "CHS": "承诺,保证", + "ENG": "a promise to do something or to behave in a particular way" + }, + "feasible": { + "CHS": "可行的;可能的;可用的", + "ENG": "a plan, idea, or method that is feasible is possible and is likely to work" + }, + "outcome": { + "CHS": "结果", + "ENG": "the final result of a meeting, discussion, war etc – used especially when no one knows what it will be until it actually happens" + }, + "diligent": { + "CHS": "勤奋的", + "ENG": "someone who is diligent works hard and is careful and thorough" + }, + "deprive": { + "CHS": "剥夺,夺去,使丧失", + "ENG": "If you deprive someone of something that they want or need, you take it away from them, or you prevent them from having it" + }, + "grid": { + "CHS": "输电网", + "ENG": "the network of electricity supply wires that connects power stations and provides electricity to buildings in an area" + }, + "distribute": { + "CHS": "分发", + "ENG": "to share things among a group of people, especially in a planned way" + }, + "destruction": { + "CHS": "破坏", + "ENG": "the act or process of destroying something or of being destroyed" + }, + "divide": { + "CHS": "分开", + "ENG": "if something divides, or if you divide it, it separates into two or more parts" + }, + "highlight": { + "CHS": "突出的部分", + "ENG": "the most important, interesting, or enjoyable part of something such as a holiday, performance, or sports competition" + }, + "justify": { + "CHS": "证明……正当", + "ENG": "to give an acceptable explanation for something that other people think is unreasonable" + }, + "announce": { + "CHS": "宣布,声称", + "ENG": "to officially tell people about something, especially about a plan or a decision" + }, + "proposal": { + "CHS": "提议", + "ENG": "a plan or suggestion which is made formally to an official person or group, or the act of making it" + }, + "advisory": { + "CHS": "报告,警告", + "ENG": "an official warning or notice that gives information about a dangerous situation" + }, + "mystery": { + "CHS": "迷,神秘的事物", + "ENG": "an event, situation etc that people do not understand or cannot explain because they do not know enough about it" + }, + "punctual": { + "CHS": "准时的", + "ENG": "arriving, happening, or being done at exactly the time that has been arranged" + }, + "derive": { + "CHS": "得到,导出", + "ENG": "to get something, especially an advantage or a pleasant feeling, from something" + }, + "harmony": { + "CHS": "和谐", + "ENG": "notes of music combined together in a pleasant way" + }, + "unwilling": { + "CHS": "不愿意的", + "ENG": "not wanting to do something and refusing to do it" + }, + "view": { + "CHS": "看待", + "ENG": "to think about something or someone in a particular way" + }, + "financial": { + "CHS": "财政的,经济的", + "ENG": "relating to money or the management of money" + }, + "priority": { + "CHS": "优先,优先权", + "ENG": "the thing that you think is most important and that needs attention before anything else" + }, + "impermanent": { + "CHS": "非永久(性)的;不持久的,暂时的", + "ENG": "not staying the same forever" + }, + "symbolize": { + "CHS": "象征", + "ENG": "if something symbolizes a quality, feeling etc, it represents it" + }, + "bankrupt": { + "CHS": "破产的,倒闭的", + "ENG": "without enough money to pay what you owe" + }, + "intake": { + "CHS": "摄入", + "ENG": "the amount of food, drink etc that you take into your body" + }, + "addiction": { + "CHS": "上瘾", + "ENG": "the need to take a harmful drug regularly, without being able to stop" + }, + "productive": { + "CHS": "富有成效的", + "ENG": "producing or achieving a lot" + }, + "admire": { + "CHS": "钦佩,称赞", + "ENG": "to respect and like someone because they have done something that you think is good" + }, + "reflect": { + "CHS": "反映", + "ENG": "to show or be a sign of a particular situation or feeling" + }, + "underline": { + "CHS": "强调", + "ENG": "to show that something is important" + }, + "representative": { + "CHS": "代表", + "ENG": "someone who has been chosen to speak, vote, or make decisions for someone else" + }, + "blame": { + "CHS": "指责,责怪", + "ENG": "to say or think that someone or something is responsible for something bad" + }, + "retrain": { + "CHS": "再教育;再训练", + "ENG": "to learn or to teach someone the skills that are needed to do a different job" + }, + "tasteless": { + "CHS": "无味的", + "ENG": "food or drink that is tasteless is unpleasant because it has no particular taste" + }, + "excessive": { + "CHS": "过度的", + "ENG": "much more than is reasonable or necessary" + }, + "dishonest": { + "CHS": "不诚实的", + "ENG": "not honest, and so deceiving or cheating people" + }, + "caution": { + "CHS": "警告,告诫", + "ENG": "to warn someone that something might be dangerous, difficult etc" + }, + "glorious": { + "CHS": "辉煌的", + "ENG": "having or deserving great fame, praise, and honour" + }, + "pointless": { + "CHS": "无意义的", + "ENG": "worthless or not likely to have any useful result" + }, + "significant": { + "CHS": "重要的", + "ENG": "having an important effect or influence, especially on what will happen in the future" + }, + "mutual": { + "CHS": "相互的", + "ENG": "mutual feelings such as respect, trust, or hatred are feelings that two or more people have for each other" + }, + "temptation": { + "CHS": "诱惑,引诱", + "ENG": "a strong desire to have or do something even though you know you should not" + }, + "passive": { + "CHS": "被动的", + "ENG": "someone who is passive tends to accept things that happen to them or things that people say to them, without taking any action" + }, + "evolve": { + "CHS": "使发展", + "ENG": "to develop and change gradually over a long period of time" + }, + "treasure": { + "CHS": "珍爱", + "ENG": "to keep and care for something that is very special, important, or valuable to you" + }, + "shock": { + "CHS": "感到震惊", + "ENG": "to make someone feel very surprised and upset, and unable to believe what has happened" + }, + "disservice": { + "CHS": "伤害,帮倒忙", + "ENG": "If you do someone or something a disservice, you harm them in some way" + }, + "ambitious": { + "CHS": "有雄心的,野心勃勃的", + "ENG": "determined to be successful, rich, powerful etc" + }, + "fancy": { + "CHS": "华丽的;别致的", + "ENG": "fancy hotels, restaurants, cars etc are expensive and fashionable" + }, + "accumulate": { + "CHS": "积累,增加", + "ENG": "to gradually get more and more money, possessions, knowledge etc over a period of time" + }, + "fuss": { + "CHS": "大惊小怪", + "ENG": "anxious behaviour or activity that is usually about unimportant things" + }, + "ultimately": { + "CHS": "最后,最终", + "ENG": "finally, after everything else has been done or considered" + }, + "showmanship": { + "CHS": "主持演出的技巧", + "ENG": "skill at entertaining people and getting public attention" + }, + "cancel": { + "CHS": "取消", + "ENG": "to decide that something that was officially planned will not happen" + }, + "regulate": { + "CHS": "管理", + "ENG": "to control an activity or process, especially by rules" + }, + "peer": { + "CHS": "同龄人", + "ENG": "your peers are the people who are the same age as you, or who have the same type of job, social class etc" + }, + "calculate": { + "CHS": "计算", + "ENG": "to find out how much something will cost, how long something will take etc, by using numbers" + }, + "virtually": { + "CHS": "几乎,差不多", + "ENG": "almost" + }, + "accustom": { + "CHS": "使习惯", + "ENG": "to make yourself or another person become used to a situation or place" + }, + "retailer": { + "CHS": "零售商", + "ENG": "a person or business that sells goods to customers in a shop" + }, + "programmer": { + "CHS": "程序设计员", + "ENG": "someone whose job is to write computer programs" + }, + "advice": { + "CHS": "建议", + "ENG": "an opinion you give someone about what they should do" + }, + "admiration": { + "CHS": "钦佩,称赞", + "ENG": "a feeling of great respect and liking for something or someone" + }, + "courageous": { + "CHS": "有勇气的", + "ENG": "brave" + }, + "respectful": { + "CHS": "有礼貌的,尊重的", + "ENG": "feeling or showing respect" + }, + "makeup": { + "CHS": "化妆品", + "ENG": "Makeup consists of things such as lipstick, eye shadow, and powder which some women put on their faces to make themselves look more attractive or which actors use to change or improve their appearance" + }, + "reservation": { + "CHS": "预定", + "ENG": "an arrangement which you make so that a place in a hotel, restaurant, plane etc is kept for you at a particular time in the future" + }, + "apply": { + "CHS": "申请;应用", + "ENG": "to make a formal request, usually written, for something such as a job, a place at a university, or permission to do something" + }, + "demonstrate": { + "CHS": "证明;展示", + "ENG": "to show or prove something clearly" + }, + "generation": { + "CHS": "一代人;产生", + "ENG": "all people of about the same age" + }, + "chat": { + "CHS": "聊天", + "ENG": "to talk in a friendly informal way, especially about things that are not important" + }, + "ancient": { + "CHS": "古代的", + "ENG": "belonging to a time long ago in history, especially thousands of years ago" + }, + "evil": { + "CHS": "邪恶,罪恶", + "ENG": "something that is very bad or harmful" + }, + "indifferent": { + "CHS": "冷漠的", + "ENG": "If you accuse someone of being indifferent to something, you mean that they have a complete lack of interest in it" + }, + "namely": { + "CHS": "即,也就是", + "ENG": "used when saying the names of the people or things you are referring to" + }, + "effect": { + "CHS": "影响", + "ENG": "a change that is caused by an event, action etc" + }, + "devote": { + "CHS": "奉献,致力于", + "ENG": "to use all or most of your time, effort etc in order to do something or help someone" + }, + "appointment": { + "CHS": "约会", + "ENG": "an arrangement for a meeting at an agreed time and place, for a particular purpose" + }, + "appoint": { + "CHS": "任命,委派;约定,确定,指定", + "ENG": "to choose someone for a position or a job" + }, + "resemble": { + "CHS": "像,相似", + "ENG": "to look like or be similar to someone or something" + }, + "assemble": { + "CHS": "集合;组装;集合", + "ENG": "if you assemble a large number of people or things, or if they assemble, they are gathered together in one place, often for a particular purpose" + }, + "expressiveness": { + "CHS": "表达" + }, + "visibility": { + "CHS": "能见度", + "ENG": "the distance it is possible to see, especially when this is affected by weather conditions" + }, + "distracted": { + "CHS": "分心的", + "ENG": "anxious and unable to think clearly" + }, + "debt": { + "CHS": "债务", + "ENG": "a sum of money that a person or organization owes" + }, + "substitute": { + "CHS": "代替", + "ENG": "to use something new or diffe-rent instead of something else" + }, + "insecure": { + "CHS": "不安全的", + "ENG": "a job, investment etc that is insecure does not give you a feeling of safety, because it might be taken away or lost at any time" + }, + "chap": { + "CHS": "小伙子,小家伙,家伙", + "ENG": "a man, especially a man you know and like" + }, + "selective": { + "CHS": "选择的,精选的", + "ENG": "careful about what you choose to do, buy, allow etc" + }, + "compensation": { + "CHS": "弥补,补偿", + "ENG": "money paid to someone because they have suffered injury or loss, or because something they own has been damaged" + }, + "dilemma": { + "CHS": "困境", + "ENG": "a situation in which it is very difficult to decide what to do, because all the choices seem equally good or equally bad" + }, + "foreseeable": { + "CHS": "可以预见的", + "ENG": "for as long as it is possible to know what is likely to happen" + }, + "inadequacy": { + "CHS": "不足", + "ENG": "the fact of not being good enough in quality, ability, size etc for a particular purpose" + }, + "guarantee": { + "CHS": "保证,担保", + "ENG": "a formal promise that something will be done" + }, + "discrimination": { + "CHS": "歧视", + "ENG": "the practice of treating one person or group differently from another in an unfair way" + }, + "intense": { + "CHS": "强烈的", + "ENG": "having a very strong effect or felt very strongly" + }, + "facilitate": { + "CHS": "使便利,促进", + "ENG": "To facilitate an action or process, especially one that you would like to happen, means to make it easier or more likely to happen" + }, + "mislead": { + "CHS": "误导", + "ENG": "to make someone believe something that is not true by giving them information that is false or not complete" + }, + "reassess": { + "CHS": "重新评估", + "ENG": "to think about something again carefully in order to decide whether to change your opinion or judgment about it" + }, + "response": { + "CHS": "反应", + "ENG": "something that is done as a reaction to something that has happened or been said" + }, + "essay": { + "CHS": "散文,文章", + "ENG": "a short piece of writing about a particular subject by a student as part of a course of study" + }, + "stimulate": { + "CHS": "刺激", + "ENG": "to encourage or help an activity to begin or develop further" + }, + "dessert": { + "CHS": "甜点", + "ENG": "sweet food served after the main part of a meal" + }, + "peaceful": { + "CHS": "平静的;和平的", + "ENG": "a peaceful time, place, or situation is quiet and calm without any worry or excitement" + }, + "regularly": { + "CHS": "定期地,有规律地", + "ENG": "at the same time each day, week, month etc" + }, + "fascinate": { + "CHS": "强烈地吸引,迷住", + "ENG": "if someone or something fascinates you, you are attracted to them and think they are extremely interesting" + }, + "durability": { + "CHS": "持久" + }, + "discover": { + "CHS": "发现", + "ENG": "to find someone or something, either by accident or because you were looking for them" + }, + "constitute": { + "CHS": "组成", + "ENG": "if several people or things constitute something, they are the parts that form it" + }, + "administrative": { + "CHS": "管理的", + "ENG": "relating to the work of managing a company or organization" + }, + "tremble": { + "CHS": "颤抖", + "ENG": "to shake slightly in a way that you cannot control, especially because you are upset or frightened" + }, + "ignorant": { + "CHS": "无知的", + "ENG": "not knowing facts or information that you ought to know" + }, + "decorate": { + "CHS": "装饰", + "ENG": "to make something look more attractive by putting something pretty on it" + }, + "acquire": { + "CHS": "获得", + "ENG": "to obtain something by buying it or being given it" + }, + "annual": { + "CHS": "每年的", + "ENG": "happening once a year" + }, + "due": { + "CHS": "到期的", + "ENG": "expected to happen or arrive at a particular time" + }, + "situation": { + "CHS": "情况", + "ENG": "a combination of all the things that are happening and all the conditions that exist at a particular time in a particular place" + }, + "archive": { + "CHS": "档案馆,档案室;档案", + "ENG": "a place where a large number of historical records are stored, or the records that are stored" + }, + "incomparable": { + "CHS": "无比的,无可匹敌的", + "ENG": "extremely good, beautiful etc, and much better than others" + }, + "perspective": { + "CHS": "视角,观点;远景", + "ENG": "a way of thinking about something, especially one which is influenced by the type of person you are or by your experiences" + }, + "compete": { + "CHS": "竞争", + "ENG": "if one company or country competes with another, it tries to get people to buy its goods or servicesrather than those available from another company or country" + }, + "joint": { + "CHS": "联合的", + "ENG": "involving two or more people or groups, or owned or shared by them" + }, + "overload": { + "CHS": "负担太重", + "ENG": "too much of sth" + }, + "mechanic": { + "CHS": "机械师", + "ENG": "someone who is skilled at repairing motor vehicles and machinery" + }, + "distinguish": { + "CHS": "区别,区分", + "ENG": "to recognize and understand the difference between two or more things or people" + }, + "vote": { + "CHS": "投票,选举", + "ENG": "to show which person or party you want, or whether you support a plan, by marking a piece of paper, raising your hand etc" + }, + "everlasting": { + "CHS": "永恒的", + "ENG": "continuing for ever, even after someone has died" + }, + "construction": { + "CHS": "建筑", + "ENG": "the process of building things such as houses, bridges, roads etc" + }, + "aggressive": { + "CHS": "挑衅的,好斗的;有上进心的", + "ENG": "behaving in an angry threatening way, as if you want to fight or attack someone" + }, + "classification": { + "CHS": "分类,级别", + "ENG": "a process in which you put something into the group or class it belongs to" + }, + "melt": { + "CHS": "融化", + "ENG": "if something solid melts or if heat melts it, it becomes liquid" + }, + "detect": { + "CHS": "觉察;检测", + "ENG": "to notice or discover something, especially something that is not easy to see, hear etc" + }, + "discourage": { + "CHS": "阻止;使气馁", + "ENG": "to make something less likely to happen" + }, + "combination": { + "CHS": "联合,结合", + "ENG": "two or more different things that exist together or are used or put together" + }, + "grave": { + "CHS": "坟墓", + "ENG": "the place in the ground where a dead body is buried" + }, + "malfunction": { + "CHS": "失灵,故障", + "ENG": "a fault in the way a machine or part of someone’s body works" + }, + "reduce": { + "CHS": "减少", + "ENG": "to make something smaller or less in size, amount, or price" + }, + "respectively": { + "CHS": "各自地", + "ENG": "in the same order as the things you have just mentioned" + }, + "forefinger": { + "CHS": "食指", + "ENG": "the finger next to your thumb" + }, + "wise": { + "CHS": "聪明的,有智慧的", + "ENG": "wise decisions and actions are sensible and based on good judgment" + }, + "background": { + "CHS": "背景", + "ENG": "someone’s family, education, previous work etc" + }, + "symbol": { + "CHS": "象征,标志", + "ENG": "a picture or shape that has a particular meaning or represents a particular organization or idea" + }, + "quality": { + "CHS": "品质", + "ENG": "how good or bad something is" + }, + "repave": { + "CHS": "再铺,重新铺砌" + }, + "downfall": { + "CHS": "(雨等的)大下特下" + }, + "ring": { + "CHS": "拳击台", + "ENG": "a small square area surrounded by ropes, where people box or wrestle" + }, + "planet": { + "CHS": "行星", + "ENG": "A planet is a large, round object in space that moves around a star. The Earth is a planet." + }, + "pension": { + "CHS": "养老金", + "ENG": "an amount of money paid regularly by the government or company to someone who does not work any more, for example because they have reached the age when people stop working or because they are ill" + }, + "perception": { + "CHS": "感知", + "ENG": "Perception is the recognition of things using your senses, especially the sense of sight" + }, + "facility": { + "CHS": "设施", + "ENG": "Facilities are buildings, pieces of equipment, or services that are provided for a particular purpose" + }, + "proportion": { + "CHS": "比例,部分", + "ENG": "A proportion of a group or an amount is a part of it" + }, + "involve": { + "CHS": "卷入,包含", + "ENG": "if an activity or situation involves something, that thing is part of it or a result of it" + }, + "attempt": { + "CHS": "尝试,试图", + "ENG": "to try to do something, especially something difficult" + }, + "conventional": { + "CHS": "传统的", + "ENG": "a conventional method, product, practice etc has been used for a long time and is considered the usual type" + }, + "detailed": { + "CHS": "细节的,详细的", + "ENG": "containing or including a lot of information or details" + }, + "interpretation": { + "CHS": "阐释,说明", + "ENG": "the way in which someone explains or understands an event, information, someone’s actions etc" + }, + "guilt": { + "CHS": "有罪,犯罪行为", + "ENG": "the fact that you have broken an official law or moral rule" + }, + "connectivity": { + "CHS": "连接,联系", + "ENG": "the ability of computers and other electronic equipment to connect with other computers or programs" + }, + "behave": { + "CHS": "表现", + "ENG": "to do things that are good, bad, sensible etc" + }, + "instruct": { + "CHS": "指导;教授;通知;命令;", + "ENG": "to teach someone something, or show them how to do something" + }, + "infinite": { + "CHS": "无限的", + "ENG": "without limits in space or time" + }, + "hazard": { + "CHS": "危险", + "ENG": "something that may be dangerous, or cause accidents or problems" + }, + "undervalue": { + "CHS": "低估", + "ENG": "to think that someone or something is less important or valuable than they really are" + }, + "specific": { + "CHS": "特定的,具体的", + "ENG": "a specific thing, person, or group is one particular thing, person, or group" + }, + "appealing": { + "CHS": "吸引人的", + "ENG": "attractive or interesting" + }, + "fitness": { + "CHS": "健康", + "ENG": "when you are healthy and strong enough to do hard work or play sports" + }, + "conclusion": { + "CHS": "结论", + "ENG": "something you decide after considering all the information you have" + }, + "absent": { + "CHS": "缺席的", + "ENG": "not at work, school, a meeting etc, because you are sick or decide not to go" + }, + "antique": { + "CHS": "古玩,古董", + "ENG": "a piece of furniture, jewellery etc that was made a very long time ago and is therefore valuable" + }, + "myth": { + "CHS": "神话", + "ENG": "an ancient story, especially one invented in order to explain natural or historical events" + }, + "intervention": { + "CHS": "干涉", + "ENG": "the act of becoming involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "trace": { + "CHS": "痕迹", + "ENG": "a small sign that shows that someone or something was present or existed" + }, + "protest": { + "CHS": "抗议", + "ENG": "to come together to publicly express disapproval or opposition to something" + }, + "refuel": { + "CHS": "(给)加油,加燃料", + "ENG": "to fill a plane or vehicle with fuel before continuing a journey" + }, + "tackle": { + "CHS": "处理", + "ENG": "to try to deal with a difficult problem" + }, + "finance": { + "CHS": "资助", + "ENG": "to provide money, especially a lot of money, to pay for something" + }, + "fine": { + "CHS": "罚款", + "ENG": "to make someone pay money as a punishment" + }, + "indicate": { + "CHS": "表明", + "ENG": "to show that a particular situation exists, or that something is likely to be true" + }, + "dissatisfy": { + "CHS": "不满意", + "ENG": "to fail to satisfy; disappoint" + }, + "expand": { + "CHS": "扩大", + "ENG": "to become larger in size, number, or amount, or to make something become larger" + }, + "spontaneous": { + "CHS": "自发的", + "ENG": "something that is spontaneous has not been planned or organized, but happens by itself, or because you suddenly feel you want to do it" + }, + "offense": { + "CHS": "犯罪;冒犯", + "ENG": "an illegal action or a crime" + }, + "abruptly": { + "CHS": "突然地" + }, + "recycle": { + "CHS": "循环,再利用", + "ENG": "to put used objects or materials through a special process so that they can be used again" + }, + "rude": { + "CHS": "粗鲁的", + "ENG": "speaking or behaving in a way that is not polite and is likely to offend or annoy people" + }, + "contribute": { + "CHS": "捐款,贡献", + "ENG": "to give money, help, ideas etc to something that a lot of other people are also involved in" + }, + "embarrass": { + "CHS": "尴尬", + "ENG": "to make someone feel ashamed, nervous, or uncomfortable, especially in front of other people" + }, + "weaken": { + "CHS": "减少,减弱", + "ENG": "to make someone or something less powerful or less important, or to become less powerful" + }, + "mineral": { + "CHS": "矿物", + "ENG": "a substance that is formed naturally in the earth, such as coal, salt, stone, or gold. Minerals can be dug out of the ground and use" + }, + "sticky": { + "CHS": "粘的", + "ENG": "made of or covered with a substance that sticks to surfaces" + }, + "challenge": { + "CHS": "质疑", + "ENG": "to refuse to accept that something is right, fair, or legal" + }, + "excess": { + "CHS": "过量,过度", + "ENG": "a larger amount of something than is allowed or needed" + }, + "recruit": { + "CHS": "新兵,新成员", + "ENG": "someone who has just joined the army, navy, or air force" + }, + "overstate": { + "CHS": "夸张,夸大", + "ENG": "to talk about something in a way that makes it seem more important, serious etc than it really is" + }, + "generalization": { + "CHS": "概括", + "ENG": "a statement about all the members of a group that may be true in some or many situations but is not true in every case" + }, + "hub": { + "CHS": "中心", + "ENG": "the central and most important part of an area, system, activity etc, which all the other parts are connected to" + }, + "conservative": { + "CHS": "保守的,传统的", + "ENG": "not liking changes or new ideas" + }, + "restock": { + "CHS": "重新进货,再储存", + "ENG": "If you restock something such as a shelf, refrigerator, or shop, you fill it with food or other goods to replace what you have used or sold" + }, + "convict": { + "CHS": "证明…有罪", + "ENG": "to prove or officially announce that someone is guilty of a crime after a trial in a law court" + }, + "deepen": { + "CHS": "使加深,加剧", + "ENG": "if a serious situation deepens, it gets worse – used especially in news reports" + }, + "tank": { + "CHS": "油箱,水箱", + "ENG": "a large container for storing liquid or gas" + }, + "negative": { + "CHS": "消积的;否定的", + "ENG": "considering only the bad qualities of a situation, person etc and not the good ones" + }, + "accelerate": { + "CHS": "加速", + "ENG": "if a process accelerates or if something accelerates it, it happens faster than usual or sooner than you expect" + }, + "territory": { + "CHS": "领土,领域", + "ENG": "land that is owned or controlled by a particular country, ruler, or military force" + }, + "impact": { + "CHS": "影响", + "ENG": "the effect or influence that an event, situation etc has on someone or something" + }, + "distraction": { + "CHS": "分心;消遣", + "ENG": "something that stops you paying attention to what you are doing" + }, + "resolve": { + "CHS": "解决;下决心", + "ENG": "to find a satisfactory way of dealing with a problem or difficulty" + }, + "explosive": { + "CHS": "炸药", + "ENG": "a substance that can cause an explosion" + }, + "numerous": { + "CHS": " 众多的", + "ENG": "many" + }, + "analyse": { + "CHS": " 分析; 分解; 解析", + "ENG": "to examine or think about something carefully, in order to understand it" + }, + "remote": { + "CHS": " 遥远的; 偏僻的; 关系疏远的; 脱离的; 微乎其微的; 孤高的, 冷淡的; 遥控的", + "ENG": "far from towns or other places where people live" + }, + "salary": { + "CHS": " 薪金, 薪水", + "ENG": "money that you receive as payment from the organization you work for, usually paid to you every month" + }, + "pollution": { + "CHS": " 污染, 污染物", + "ENG": "the process of making air, water, soil etc dangerously dirty and not suitable for people to use, or the state of being dangerously dirty" + }, + "pretend": { + "CHS": " 装作, 假装", + "ENG": "to behave as if something is true when in fact you know it is not, in order to deceive people or for fun" + }, + "kettle": { + "CHS": " 水壶", + "ENG": "a container with a lid, a handle, and a spout,used for boiling and pouring water" + }, + "wreck": { + "CHS": " 破坏", + "ENG": "to completely spoil something so that it cannot continue in a successful way" + }, + "drunk": { + "CHS": " 醉的; 陶醉的", + "ENG": "unable to control your behaviour, speech etc because you have drunk too much alcohol" + }, + "sake": { + "CHS": " 缘故, 理由", + "ENG": "in order to help, improve, or please someone or something" + }, + "conceal": { + "CHS": " 把…隐藏起来, 掩盖, 隐瞒", + "ENG": "to hide something carefully" + }, + "audience": { + "CHS": " 听众, 观众, 读者", + "ENG": "a group of people who come to watch and listen to someone speaking or performing in public" + }, + "meanwhile": { + "CHS": " 与此同时", + "ENG": "while something else is happening" + }, + "possess": { + "CHS": " 占用, 拥有", + "ENG": "to have a particular quality or ability" + }, + "investment": { + "CHS": " 投资, 投资额; 投入", + "ENG": "the use of money to get a profit or to make a business activity successful, or the money that is used" + }, + "optional": { + "CHS": " 可以任选的", + "ENG": "if something is optional, you do not have to do it or use it, but you can choose to if you want to" + }, + "circular": { + "CHS": " 通知, 通告", + "ENG": "a printed advertisement, notice etc that is sent to lots of people at the same time" + }, + "analysis": { + "CHS": " 分析, 分析报告; 分解; 解析", + "ENG": "a process in which a doctor makes someone talk about their past experiences, relationships etc in order to help them with mental or emotional problems" + }, + "click": { + "CHS": " 咔嗒声", + "ENG": "a short hard sound" + }, + "fashionable": { + "CHS": " 流行的, 时髦的", + "ENG": "popular, especially for a short period of time" + }, + "devise": { + "CHS": " 设计, 发明", + "ENG": "to plan or invent a new way of doing something" + }, + "apparent": { + "CHS": " 表面上的, 明显的", + "ENG": "easy to notice" + }, + "journalist": { + "CHS": " 新闻工作者, 新闻记者", + "ENG": "someone who writes news reports for newspapers, magazines, television, or radio" + }, + "temper": { + "CHS": " 调和, 使缓和; 【冶】使回火", + "ENG": "to make something less severe or extreme" + }, + "protective": { + "CHS": " 保护的, 防护的", + "ENG": "used or intended for protection" + }, + "multicultural": { + "CHS": " 融合多种文化的", + "ENG": "involving or including people or ideas from many different countries, races, or religions" + }, + "object": { + "CHS": " 实物, 物体; 目的, 目标; 对象, 客体; 宾语", + "ENG": "a solid thing that you can hold, touch, or see but that is not alive" + }, + "humble": { + "CHS": " 谦逊的; 地位低下的; 简陋的", + "ENG": "not considering yourself or your ideas to be as important as other people’s" + }, + "chapter": { + "CHS": " 章, 回, 篇", + "ENG": "one of the parts into which a book is divided" + }, + "harbour": { + "CHS": " 庇护; 心怀", + "ENG": "to keep bad thoughts, fears, or hopes in your mind for a long time" + }, + "independent": { + "CHS": " 独立的, 自主的; 无偏见的; 不相关联的", + "ENG": "an independent organization is not owned or controlled by, or does not receive money from, another organization or the government" + }, + "carriage": { + "CHS": " 客车厢, 四轮马车", + "ENG": "a vehicle with wheels that is pulled by a horse, used in the past" + }, + "cliff": { + "CHS": " 悬崖, 峭壁", + "ENG": "a large area of rock or a mountain with a very steep side, often at the edge of the sea or a river" + }, + "concede": { + "CHS": " 承认, 承认…为真; 承认失败; 允许, 让予; 让步, 认输", + "ENG": "to admit that something is true or correct, although you wish it were not true" + }, + "elect": { + "CHS": " 选举, 推选; 选择", + "ENG": "to choose someone for an official position by voting" + }, + "weekly": { + "CHS": "每周的", + "ENG": "happening or done every week" + }, + "result": { + "CHS": "结果;成果;比分", + "ENG": "something that happens or exists because of something that happened before" + }, + "golf": { + "CHS": " 高尔夫球运动", + "ENG": "a game in which the players hit a small white ball into holes in the ground with a set of golf clubs, using as few hits as possible" + }, + "sexism": { + "CHS": " 性别偏见, 性别歧视", + "ENG": "the belief that one sex is weaker, less intelligent, or less important than the other, especially when this results in someone being treated unfairly" + }, + "commission": { + "CHS": " 委任, 委托", + "ENG": "to formally ask someone to write an official report, produce a work of art for you etc" + }, + "headline": { + "CHS": " 大字标题; 新闻提要", + "ENG": "the title of a newspaper report, which is printed in large letters above the report" + }, + "connect": { + "CHS": " 连接, 结合, 联系; 给…接通电话", + "ENG": "to join two or more things together" + }, + "policy": { + "CHS": " 政策, 方针; 保险单", + "ENG": "a way of doing something that has been officially agreed and chosen by a political party, a business, or another organization" + }, + "editorial": { + "CHS": " 社论, 重要评论", + "ENG": "a piece of writing in a newspaper that gives the editor’s opinion about something, rather than reporting facts" + }, + "resume": { + "CHS": " 摘要, 概要; 简历", + "ENG": "a short account of something such as an article or speech which gives the main points but no details" + }, + "rebuild": { + "CHS": " 重建, 改造; 复原", + "ENG": "to build something again, after it has been damaged or destroyed" + }, + "artistic": { + "CHS": " 艺术的, 艺术家的; 富有艺术性的, 精美的; 精彩的", + "ENG": "relating to art or culture" + }, + "union": { + "CHS": " 工会, 联盟; 联合, 团结; 一致", + "ENG": "an organization formed by workers to protect their rights" + }, + "plentiful": { + "CHS": " 丰富的, 充足的; 大量的", + "ENG": "more than enough in quantity" + }, + "halt": { + "CHS": " 停住", + "ENG": "a stop or pause" + }, + "sunset": { + "CHS": " 日落; 晚霞", + "ENG": "the time of day when the sun disappears and night begins" + }, + "obvious": { + "CHS": " 明显的", + "ENG": "easy to notice or understand" + }, + "illustration": { + "CHS": " 说明, 图解, 例证", + "ENG": "a picture in a book, article etc, especially one that helps you to understand it" + }, + "disguise": { + "CHS": " 用来伪装的东西; 伪装, 掩饰", + "ENG": "something that you wear to change your appearance and hide who you are, or the act of wearing this" + }, + "wrap": { + "CHS": " 披肩", + "ENG": "a piece of thick cloth that a woman wears around her shoulders" + }, + "surgery": { + "CHS": " 外科, 外科手术; 手术室", + "ENG": "medical treatment in which a surgeon cuts open your body to repair or remove something inside" + }, + "liberal": { + "CHS": " 心胸宽大的, 慷慨的; 自由的, 自由主义的", + "ENG": "allowing people or organizations a lot of political or economic freedom" + }, + "violent": { + "CHS": " 暴力引起的, 暴力的; 猛烈的, 剧烈的", + "ENG": "involving actions that are intended to injure or kill people, by hitting them, shooting them etc" + }, + "chill": { + "CHS": " 寒冷, 寒气; 风寒, 寒战", + "ENG": "a feeling of coldness" + }, + "dominate": { + "CHS": "在…中占首要地位;支配,统治,控制;耸立于,俯视", + "ENG": "to control someone or something or to have more importance than other people or things" + }, + "faithful": { + "CHS": " 忠诚的; 如实的; 尽职的", + "ENG": "remaining loyal to a particular person, belief, political party etc and continuing to support them" + }, + "pad": { + "CHS": " 填塞", + "ENG": "If you pad something, you put something soft in it or over it in order to make it less hard, to protect it, or to give it a different shape" + }, + "provocation": { + "CHS": " 激怒, 刺激; 挑衅, 挑拨", + "ENG": "an action or event that makes someone angry or upset, or is intended to do this" + }, + "ambition": { + "CHS": " 雄心, 抱负; 野心; 期望得到的东西", + "ENG": "determination to be successful, rich, powerful etc" + }, + "exceed": { + "CHS": " 超过, 胜过, 超出", + "ENG": "to be more than a particular number or amount" + }, + "besides": { + "CHS": " 除…之外" + }, + "preposition": { + "CHS": " 介词", + "ENG": "a word that is used before a noun, pronoun , or gerund to show place, time, direction etc. In the phrase ‘the trees in the park’, ‘in’ is a preposition." + }, + "enlarge": { + "CHS": " 扩大, 扩展, 放大", + "ENG": "if you enlarge something, or if it enlarges, it increases in size or scale" + }, + "export": { + "CHS": " 输出, 出口; 输出品, 出口额", + "ENG": "the business of selling and sending goods to other countries" + }, + "Christ": { + "CHS": " 基督, 救世主" + }, + "murder": { + "CHS": "谋杀;杀害", + "ENG": "to kill someone deliberately and illegally" + }, + "pat": { + "CHS": "轻拍", + "ENG": "a friendly act of touching someone with your hand flat" + }, + "fantasy": { + "CHS": " 想象, 幻想; 想象的产物", + "ENG": "an exciting and unusual experience or situation you imagine happening to you, but which will probably never happen" + }, + "horsepower": { + "CHS": " 马力", + "ENG": "a unit for measuring the power of an engine, or the power of an engine measured like this" + }, + "invitation": { + "CHS": " 邀请, 招待; 请柬; 吸引, 诱惑", + "ENG": "a written or spoken request to someone, inviting them to go somewhere or do something" + }, + "paw": { + "CHS": "爪子", + "ENG": "an animal’s foot that has nails or claw s " + }, + "moisture": { + "CHS": " 潮湿, 湿气", + "ENG": "small amounts of water that are present in the air, in a substance, or on a surface" + }, + "toast": { + "CHS": " 烘, 烤; 向…祝酒, 为…干杯", + "ENG": "to drink a glass of wine etc to thank some-one, wish someone luck, or celebrate something" + }, + "frustrate": { + "CHS": " 使沮丧, 使灰心; 挫败, 使受挫折", + "ENG": "if something frustrates you, it makes you feel annoyed or angry because you are unable to do what you want" + }, + "external": { + "CHS": " 外部的, 外面的", + "ENG": "relating to the outside of something or of a person’s body" + }, + "aside": { + "CHS": " 在旁边, 到旁边", + "ENG": "moved to one side or away from you" + }, + "authority": { + "CHS": " 官方; 权力; 当权者, 行政管理机构; 权威, 专家", + "ENG": "the power you have because of your official position" + }, + "creature": { + "CHS": " 创造物, 产物; 生物, 动物, 家畜", + "ENG": "anything that is living, such as an animal, fish, or insect, but not a plant" + }, + "semiconductor": { + "CHS": " 半导体", + "ENG": "a substance, such as silicon , that allows some electric currents to pass through it, and is used in electronic equipment" + }, + "rope": { + "CHS": " 用绳捆", + "ENG": "to tie things together using rope" + }, + "provided": { + "CHS": " 假如, 若是" + }, + "gasoline": { + "CHS": " 汽油", + "ENG": "a liquid obtained from petroleum, used mainly for producing power in the engines of cars, trucks etc" + }, + "medium": { + "CHS": "媒体;媒介物,传导体", + "ENG": "a way of communicating information and news to people, such as newspapers, television etc" + }, + "lens": { + "CHS": " 透镜, 镜片, 镜头", + "ENG": "the part of a camera through which the light travels before it reaches the film" + }, + "wisdom": { + "CHS": " 智慧, 才智; 名言", + "ENG": "good sense and judgment, based especially on your experience of life" + }, + "nowhere": { + "CHS": " 任何地方都不", + "ENG": "not in any place or to any place" + }, + "motive": { + "CHS": " 动机, 目的", + "ENG": "the reason that makes someone do something, especially when this reason is kept hidden" + }, + "romantic": { + "CHS": " 浪漫的; 多情的; 有浪漫色彩的, 传奇性的; 不切实际的, 空想的", + "ENG": "showing strong feelings of love" + }, + "spoil": { + "CHS": " 战利品, 掠夺物", + "ENG": "things taken by an army from a defeated enemy, or things taken by thieves" + }, + "airline": { + "CHS": " 航空公司; 航线", + "ENG": "a company that takes passengers and goods to different places by plane" + }, + "multiply": { + "CHS": " 增加, 繁殖; 乘", + "ENG": "to breed" + }, + "ridge": { + "CHS": " 脊, 山脊; 垄, 埂, 脊状突起", + "ENG": "a long area of high land, especially at the top of a mountain" + }, + "pilot": { + "CHS": "驾驶;为引航;试验,试用", + "ENG": "to guide an aircraft, spacecraft, or ship as its pilot" + }, + "umbrella": { + "CHS": " 伞, 雨伞", + "ENG": "an object that you use to protect yourself against rain or hot sun. It consists of a circular folding frame covered in cloth." + }, + "mobile": { + "CHS": " 运动的; 流动的; 多变的", + "ENG": "moving or able to move from one job, area, or social class to another" + }, + "perform": { + "CHS": " 做, 履行, 完成; 表演, 演出; 工作情况, 表现", + "ENG": "to do something to entertain people, for example by acting a play or playing a piece of music" + }, + "multiple": { + "CHS": " 倍数", + "ENG": "a number that contains a smaller number an exact number of times" + }, + "peak": { + "CHS": "山顶,顶点", + "ENG": "the time when something or someone is best, greatest, highest, most successful etc" + }, + "portrait": { + "CHS": " 肖像, 画像", + "ENG": "a painting, drawing, or photograph of a person" + }, + "halfway": { + "CHS": "中途的;部分的;不彻底的", + "ENG": "at a middle point in space or time between two things" + }, + "concentrate": { + "CHS": " 浓缩物, 浓缩液", + "ENG": "a substance or liquid which has been made stronger by removing most of the water from it" + }, + "magnet": { + "CHS": " 磁铁, 磁体; 有吸引力的人或事物", + "ENG": "a piece of iron or steel that can stick to metal or make other metal objects move towards itself" + }, + "weld": { + "CHS": " 焊接, 熔接", + "ENG": "to join metals by melting their edges and pressing them together when they are hot" + }, + "up-to-date": { + "CHS": " 直到最近的, 现代的; 跟上时代的", + "ENG": "modern or fashionable" + }, + "translation": { + "CHS": " 翻译; 译文, 译本", + "ENG": "when you translate something, or something that has been translated" + }, + "cancer": { + "CHS": " 癌, 癌症; 肿瘤", + "ENG": "a very serious disease in which cells in one part of the body start to grow in a way that is not normal" + }, + "personnel": { + "CHS": " 人员, 员工", + "ENG": "the people who work in a company, organization, or military force" + }, + "hopeless": { + "CHS": " 没有希望的, 绝望的", + "ENG": "if something that you try to do is hopeless, there is no possibility of it being successful" + }, + "outlook": { + "CHS": " 观点, 看法; 展望, 前景", + "ENG": "your general attitude to life and the world" + }, + "fountain": { + "CHS": " 泉水; 喷泉; 源泉", + "ENG": "a structure from which water is pushed up into the air, used for example as decoration in a garden or park" + }, + "breadth": { + "CHS": " 宽度; 幅度, 幅面", + "ENG": "the distance from one side of something to the other" + }, + "catalog": { + "CHS": " 将…编入目录, 将编目" + }, + "channel": { + "CHS": " 海峡, 水道, 航道; 渠道, 途径; 频道", + "ENG": "a television station and all the programmes that it broadcasts" + }, + "focus": { + "CHS": " 焦点; 中心", + "ENG": "the thing, person, situation etc that people pay special attention to" + }, + "invisible": { + "CHS": " 看不见的, 无形的", + "ENG": "something that is invisible cannot be seen" + }, + "entire": { + "CHS": " 全部的, 整个的", + "ENG": "used when you want to emphasize that you mean all of a group, period of time, amount etc" + }, + "pea": { + "CHS": " 豌豆", + "ENG": "a round green seed that is cooked and eaten as a vegetable, or the plant on which these seeds grow" + }, + "pill": { + "CHS": " 药丸", + "ENG": "a small solid piece of medicine that you swallow whole" + }, + "wrist": { + "CHS": " 腕, 腕关节", + "ENG": "the part of your body where your hand joins your arm" + }, + "flour": { + "CHS": " 面粉; 粉, 粉状物质", + "ENG": "a powder that is made by crushing wheat or other grain and is used for making bread, cakes etc" + }, + "camel": { + "CHS": " 骆驼", + "ENG": "a large desert animal with a long neck and either one or two hump s (= large raised parts ) on its back" + }, + "fierce": { + "CHS": " 凶猛的; 狂热的", + "ENG": "done with a lot of energy and strong feelings, and sometimes violence" + }, + "bump": { + "CHS": " 碰撞, 猛撞; 肿块; 隆起物", + "ENG": "an area of skin that is raised because you have hit it on something" + }, + "per": { + "CHS": " 每, 每一", + "ENG": "for each" + }, + "proceed": { + "CHS": " 继续进行; 行进, 前进", + "ENG": "to continue to do something that has already been planned or started" + }, + "considering": { + "CHS": " 鉴于, 考虑到, 顾及", + "ENG": "used to say that you are thinking about a particular fact when you are giving your opinion" + }, + "corporation": { + "CHS": " 公司, 企业, 社团", + "ENG": "a big company, or a group of companies acting together as a single organization" + }, + "bulb": { + "CHS": " 电灯泡, 球状物", + "ENG": "the glass part of an electric light, that the light shines from" + }, + "dismiss": { + "CHS": " 不再考虑; 解雇, 解散; 驳回", + "ENG": "to remove someone from their job" + }, + "propose": { + "CHS": " 提议, 建议, 提出; 提名, 推荐; 打算, 计划; 求婚", + "ENG": "to suggest something as a plan or course of action" + }, + "reform": { + "CHS": " 改革, 改良, 改造; 改正, 改过自新", + "ENG": "to improve a system, law, organization etc by making a lot of changes to it, so that it operates in a fairer or more effective way" + }, + "draught": { + "CHS": "〔啤酒〕桶装的,散装的", + "ENG": "draught beer is served from a large container rather than a bottle" + }, + "daylight": { + "CHS": " 白昼, 日光, 黎明", + "ENG": "the light produced by the sun during the day" + }, + "integration": { + "CHS": " 综合", + "ENG": "the combining of two or more things so that they work together effectively" + }, + "indication": { + "CHS": " 指示, 表示, 表明; 象征, 迹象", + "ENG": "a sign, remark, event etc that shows what is happening, what someone is thinking or feeling, or what is true" + }, + "bulk": { + "CHS": "物体;体积;大批", + "ENG": "the size of something or someone" + }, + "despair": { + "CHS": "绝望,感到无望", + "ENG": "to feel that there is no hope at all" + }, + "champion": { + "CHS": " 冠军, 得胜者; 捍卫者, 拥护者", + "ENG": "A champion is someone who has won the first prize in a competition, contest, or fight" + }, + "circuit": { + "CHS": " 电路, 线路; 环行, 巡行", + "ENG": "a path that forms a circle around an area, or a journey along this path" + }, + "pine": { + "CHS": "松树,松木", + "ENG": "a tall tree with long hard sharp leaves that do not fall off in winter" + }, + "magnificent": { + "CHS": " 宏伟的, 壮丽的; 华丽的; 极好的" + }, + "guy": { + "CHS": " 家伙, 伙计", + "ENG": "a man" + }, + "protection": { + "CHS": " 保护, 防护", + "ENG": "when someone or something is protected" + }, + "pint": { + "CHS": " 品脱", + "ENG": "a unit for measuring an amount of liquid, especially beer or milk. In Britain a pint is equal to 0.568 litres, and in the US it is equal to 0.473 litres." + }, + "conjunction": { + "CHS": " 接合, 连接, 联合; 连词", + "ENG": "a combination of different things that have come together by chance" + }, + "orderly": { + "CHS": " 整洁的; 有秩序的", + "ENG": "arranged or organized in a sensible or neat way" + }, + "costly": { + "CHS": " 昂贵的, 价值高的", + "ENG": "very expensive, especially wasting a lot of money" + }, + "roast": { + "CHS": "烤肉", + "ENG": "a large piece of roasted meat" + }, + "violence": { + "CHS": " 猛烈, 激烈; 暴力", + "ENG": "an angry way of speaking or reacting" + }, + "succession": { + "CHS": " 连续; 一连串; 接替, 继任, 继承", + "ENG": "the act of taking over an official job or position, or the right to be the next to take it" + }, + "accordingly": { + "CHS": " 因此, 所以; 照着", + "ENG": "as a result of something" + }, + "product": { + "CHS": " 产品, 产物; 乘积", + "ENG": "something that is grown or made in a factory in large quantities, usually in order to be sold" + }, + "particularly": { + "CHS": " 特别, 尤其", + "ENG": "more than usual or more than others" + }, + "heading": { + "CHS": " 标题, 题词, 题名; 新闻提要", + "ENG": "the title written at the beginning of a piece of writing, or at the beginning of part of a book" + }, + "lover": { + "CHS": " 爱好者; 情人", + "ENG": "someone’s lover is the person they are having a sexual relationship with but who they are not married to" + }, + "vinegar": { + "CHS": " 醋", + "ENG": "a sour-tasting liquid made from malt or wine that is used to improve the taste of food or to preserve it" + }, + "intellectual": { + "CHS": "知识分子", + "ENG": "an intelligent, well-educated person who spends time thinking about complicated ideas and discussing them" + }, + "framework": { + "CHS": " 框架, 结构; 准则; 体系", + "ENG": "a set of ideas, rules, or beliefs from which something is developed, or on which decisions are based" + }, + "infect": { + "CHS": " 传染, 感染; 影响", + "ENG": "to give someone a disease" + }, + "arrow": { + "CHS": " 箭, 箭状物; 箭头符号", + "ENG": "a weapon usually made from a thin straight piece of wood with a sharp point at one end, that you shoot with a bow " + }, + "cop": { + "CHS": " 警察", + "ENG": "a police officer" + }, + "fuel": { + "CHS": "给…加燃料;刺激", + "ENG": "if you fuel a vehicle, or if it fuels up, fuel is put into it" + }, + "hostile": { + "CHS": " 敌方的; 不友善的", + "ENG": "angry and deliberately unfriendly towards someone, and ready to argue with them" + }, + "aeroplane": { + "CHS": " 飞机", + "ENG": "a flying vehicle with wings and at least one engine" + }, + "manner": { + "CHS": " 方式; 态度; 风度; 礼貌, 规矩", + "ENG": "the way in which something is done or happens" + }, + "employee": { + "CHS": " 受雇者, 雇员, 雇工", + "ENG": "someone who is paid to work for someone else" + }, + "pray": { + "CHS": " 祈祷, 祈求; 请求, 恳求", + "ENG": "to speak to God in order to ask for help or give thanks" + }, + "lad": { + "CHS": " 男孩, 小伙子", + "ENG": "a boy or young man" + }, + "crawl": { + "CHS": " 爬, 爬行; 缓慢地行进", + "ENG": "to move along on your hands and knees with your body close to the ground" + }, + "lag": { + "CHS": " 落后" + }, + "towel": { + "CHS": " 毛巾, 手巾", + "ENG": "a piece of cloth that you use for drying your skin or for drying things such as dishes" + }, + "employer": { + "CHS": " 雇佣者, 雇主", + "ENG": "a person, company, or organization that employs people" + }, + "pit": { + "CHS": " 使有坑", + "ENG": "to put small marks or holes in the surface of something" + }, + "suspend": { + "CHS": " 暂停, 终止; 吊, 悬", + "ENG": "to officially stop something from continuing, especially for a short time" + }, + "pigeon": { + "CHS": " 鸽子", + "ENG": "a grey bird with short legs that is common in cities" + }, + "well-known": { + "CHS": " 众所周知的, 著名的", + "ENG": "known by a lot of people" + }, + "beneath": { + "CHS": "在…下方;低于,次于;在…掩盖下;连…也不值得,有失…的身份" + }, + "terror": { + "CHS": " 恐怖, 惊骇; 引起恐怖的人或事", + "ENG": "a feeling of extreme fear" + }, + "comparison": { + "CHS": " 比较, 对照; 比拟, 比喻", + "ENG": "the process of comparing two or more people or things" + }, + "surge": { + "CHS": " 大浪, 波涛; 高涨; 汹涌" + }, + "lest": { + "CHS": " 唯恐, 以免", + "ENG": "in order to make sure that something will not happen" + }, + "heroic": { + "CHS": " 英雄的; 英勇的", + "ENG": "extremely brave or determined, and admired by many people" + }, + "basis": { + "CHS": " 基础, 根据; 原则", + "ENG": "the facts, ideas, or things from which something can be developed" + }, + "tutor": { + "CHS": "导师;家庭教师,私人教师", + "ENG": "someone who gives private lessons to one student or a small group, and is paid directly by them" + }, + "senator": { + "CHS": " 参议员", + "ENG": "a member of the Senate or a senate" + }, + "adventure": { + "CHS": " 奇遇; 冒险, 冒险活动", + "ENG": "an exciting experience in which dangerous or unusual things happen" + }, + "successive": { + "CHS": " 连续的, 接连的", + "ENG": "coming or following one after the other" + }, + "condition": { + "CHS": " 状况, 状态; 环境", + "ENG": "the state that something is in, especially how good or bad its physical state is" + }, + "thirsty": { + "CHS": " 渴的; 渴望的", + "ENG": "feeling that you want or need a drink" + }, + "obligation": { + "CHS": " 义务, 责任", + "ENG": "a moral or legal duty to do something" + }, + "improve": { + "CHS": " 变得更好; 改善; 提高", + "ENG": "to make something better, or to become better" + }, + "rarely": { + "CHS": " 很少, 难得" + }, + "governor": { + "CHS": " 州长; 主管人员; 理事, 董事", + "ENG": "a member of a committee that controls an organization or institution" + }, + "unite": { + "CHS": " 联合, 统一", + "ENG": "if different people or organizations unite, or if something unites them, they join together in order to achieve something" + }, + "lavatory": { + "CHS": " 盥洗室, 厕所", + "ENG": "a toilet or the room a toilet is in" + }, + "exterior": { + "CHS": " 外部, 外表", + "ENG": "the outside of something, especially a building" + }, + "combat": { + "CHS": " 与…斗争, 与…战斗" + }, + "troop": { + "CHS": "军队,部队;一群,大量", + "ENG": "soldiers in an organized group" + }, + "scenery": { + "CHS": " 风景, 景色; 舞台布景", + "ENG": "the natural features of a particular part of a country that you can see, such as mountains, forests, deserts etc" + }, + "unity": { + "CHS": " 单一, 统一, 团结; 和睦, 协调", + "ENG": "when a group of people or countries agree or are joined together" + }, + "effective": { + "CHS": " 有效的; 有影响的", + "ENG": "successful, and working in the way that was intended" + }, + "similarly": { + "CHS": " 类似地, 相似地", + "ENG": "in a similar way" + }, + "muscle": { + "CHS": " 肌肉, 体力; 力量, 实力", + "ENG": "one of the pieces of flesh inside your body that you use in order to move, and that connect your bones together" + }, + "design": { + "CHS": " 设计, 构想; 图样; 企图", + "ENG": "the art or process of making a drawing of something to show how you will make it or what it will look like" + }, + "extra": { + "CHS": " 额外的事物, 额外费用", + "ENG": "an amount of something, especially money, in addition to the usual, basic, or necessary amount" + }, + "victim": { + "CHS": " 牺牲者, 受害者", + "ENG": "someone who has been attacked, robbed, or murdered" + }, + "possibility": { + "CHS": " 可能; 可能的事", + "ENG": "if there is a possibility that something is true or that something will happen, it might be true or it might happen" + }, + "lane": { + "CHS": " 小路; 跑道; 航道, 航线", + "ENG": "a narrow road in the countryside" + }, + "garlic": { + "CHS": " 大蒜", + "ENG": "a plant like a small onion, used in cooking to give a strong taste" + }, + "chief": { + "CHS": " 首领, 长官; 酋长, 族长", + "ENG": "the ruler of a tribe" + }, + "accord": { + "CHS": "使符合;使一致;调节;授予,赠与,给予", + "ENG": "to give someone or something special attention or a particular type of treatment" + }, + "aircraft": { + "CHS": " 飞机, 飞行器", + "ENG": "a plane or other vehicle that can fly" + }, + "doubtful": { + "CHS": " 难以预测的; 怀疑的", + "ENG": "not sure that something is true or right" + }, + "opening": { + "CHS": " 口子, 洞, 孔; 开始; 空缺", + "ENG": "a hole or space in something" + }, + "industrial": { + "CHS": " 工业的, 产业的", + "ENG": "relating to industry or the people working in it" + }, + "obey": { + "CHS": " 顺从, 服从", + "ENG": "to do what someone in authority tells you to do, or what a law or rule says you must do" + }, + "conduct": { + "CHS": " 进行; 管理, 指挥, 引导; 传输, 传导", + "ENG": "to stand in front of a group of musicians or singers and direct their playing or singing" + }, + "stable": { + "CHS": " 厩, 马厩, 牛棚", + "ENG": "a building where horses are kept" + }, + "lamb": { + "CHS": " 羔羊, 小羊; 羔羊肉", + "ENG": "a young sheep" + }, + "pillow": { + "CHS": " 枕头", + "ENG": "a cloth bag filled with soft material that you put your head on when you are sleeping" + }, + "harness": { + "CHS": " 马具, 挽具", + "ENG": "a set of leather bands used to control a horse or to attach it to a vehicle it is pulling" + }, + "fantastic": { + "CHS": " 极好的, 极出色的, 了不起的; 极大的; 难以相信的; 异想天开的, 不实际的; 奇异的, 古怪的", + "ENG": "extremely good, attractive, enjoyable etc" + }, + "sketch": { + "CHS": "略图;梗概;素描,速写", + "ENG": "a simple, quickly made drawing that does not show much detail" + }, + "tidy": { + "CHS": " 整洁, 整齐", + "ENG": "to make a place look tidy" + }, + "respond": { + "CHS": " 回答, 答复; 作出反应, 响应", + "ENG": "to do something as a reaction to something that has been said or done" + }, + "incident": { + "CHS": " 发生的事, 事件", + "ENG": "an event, especially one that is unusual, important, or violent" + }, + "maintenance": { + "CHS": " 维持; 保养; 抚养费", + "ENG": "the repairs, painting etc that are necessary to keep something in good condition" + }, + "marry": { + "CHS": " 娶, 嫁; 为…证婚; 结婚, 结合", + "ENG": "if you marry someone, you become their husband or wife" + }, + "decay": { + "CHS": " 腐烂", + "ENG": "the natural chemical change that causes the slow destruction of something" + }, + "supply": { + "CHS": " 供给, 供应", + "ENG": "an amount of something that is available to be used" + }, + "circulate": { + "CHS": " 循环, 流通; 流传, 散布, 传播", + "ENG": "to move around within a system, or to make something do this" + }, + "liberty": { + "CHS": " 自由; 许可, 准许; 过于随便, 放肆", + "ENG": "Liberty is the freedom to live your life in the way that you want, without interference from other people or the authorities" + }, + "liable": { + "CHS": " 易于…的; 可能的", + "ENG": "likely to be affected by a particular kind of problem, illness etc" + }, + "cargo": { + "CHS": " 船货, 货物", + "ENG": "the goods that are being carried in a ship or plane" + }, + "confidential": { + "CHS": " 秘密的, 机密的; 亲信的", + "ENG": "spoken or written in secret and intended to be kept secret" + }, + "drift": { + "CHS": " 漂流; 大意, 主旨; 趋势", + "ENG": "a slow change or development from one situation, opinion etc to another" + }, + "chaos": { + "CHS": " 混乱, 紊乱", + "ENG": "a situation in which everything is happening in a confused way and nothing is organized or arranged in order" + }, + "mankind": { + "CHS": " 人类", + "ENG": "all humans considered as a group" + }, + "pace": { + "CHS": "步,步速;速度;节奏", + "ENG": "the speed at which something happens or is done" + }, + "exclaim": { + "CHS": " 呼喊, 惊叫", + "ENG": "to say something suddenly and loudly because you are surprised, angry, or excited" + }, + "probable": { + "CHS": " 很可能的, 大概的", + "ENG": "likely to exist, happen, or be true" + }, + "forecast": { + "CHS": "预测,预报", + "ENG": "a description of what is likely to happen in the future, based on the information that you have now" + }, + "uncover": { + "CHS": " 揭露, 暴露; 揭开…的盖子", + "ENG": "to find out about something that has been kept secret" + }, + "recognize": { + "CHS": " 认出, 识别; 承认; 赏识, 表彰, 报偿", + "ENG": "to know who someone is or what something is, because you have seen, heard, experienced, or learned about them in the past" + }, + "pack": { + "CHS": " 包, 小盒", + "ENG": "a small container, usually made of paper, that something is sold in" + }, + "restraint": { + "CHS": " 抑制, 限制, 克制; 约束措施, 约束条件", + "ENG": "calm sensible controlled behaviour, especially in a situation when it is difficult to stay calm" + }, + "input": { + "CHS": " 把…输入计算机", + "ENG": "to put information into a computer" + }, + "cue": { + "CHS": " 提示; 暗示", + "ENG": "to give someone a sign that it is the right moment for them to speak or do something, especially during a performance" + }, + "volt": { + "CHS": " 伏特, 伏", + "ENG": "a unit for measuring the force of an electric current" + }, + "reality": { + "CHS": " 现实, 实际; 真实", + "ENG": "what actually happens or is true, not what is imagined or thought" + }, + "offend": { + "CHS": " 冒犯, 伤害…的感情; 使厌恶; 违反", + "ENG": "to make someone angry or upset by doing or saying something that they think is rude, unkind etc" + }, + "molecule": { + "CHS": " 分子", + "ENG": "the smallest unit into which any substance can be divided without losing its own chemical nature, usually consisting of two or more atoms" + }, + "bathe": { + "CHS": " 洗澡; 游泳", + "ENG": "to wash yourself or someone else in a bath" + }, + "workman": { + "CHS": " 工人, 劳动者, 工匠", + "ENG": "someone who does physical work such as building, repairing things etc" + }, + "sunrise": { + "CHS": " 日出; 朝霞", + "ENG": "the time when the sun first appears in the morning" + }, + "starve": { + "CHS": " 挨饿, 饿死", + "ENG": "to suffer or die because you do not have enough to eat" + }, + "battery": { + "CHS": " 电池, 蓄电池; 排炮, 炮组; 一系列, 一套", + "ENG": "an object that provides a supply of electricity for something such as a radio, car, or toy" + }, + "chase": { + "CHS": " 追逐, 追赶; 追求", + "ENG": "to quickly follow someone or something in order to catch them" + }, + "accident": { + "CHS": " 意外, 事故", + "ENG": "in a way that is not planned or intended" + }, + "marine": { + "CHS": "海军陆战队士兵", + "ENG": "A marine is a member of an armed force, for example the U.S. Marine Corps or the Royal Marines, who is specially trained for military duties at sea as well as on land. " + }, + "clay": { + "CHS": " 黏土, 泥土; 肉体", + "ENG": "a type of heavy sticky earth that can be used for making pots, bricks etc" + }, + "anyway": { + "CHS": " 无论如何, 至少; 不论以何种方式, 无论从什么角度", + "ENG": "used when adding something that corrects or slightly changes what you have just said" + }, + "routine": { + "CHS": "例行公事,惯例,惯常的程序", + "ENG": "the usual order in which you do things, or the things you regularly do" + }, + "attack": { + "CHS": " 攻击, 进攻", + "ENG": "to start using guns, bombs etc against an enemy in a war" + }, + "humour": { + "CHS": " 幽默, 诙谐, 幽默感", + "ENG": "the ability or tendency to think that things are funny, or funny things you say that show you have this ability" + }, + "divorce": { + "CHS": "离婚,离异", + "ENG": "the legal ending of a marriage" + }, + "currency": { + "CHS": " 通货, 货币; 通行, 流行", + "ENG": "the system or type of money that a country uses" + }, + "canal": { + "CHS": " 运河, 沟渠; 管", + "ENG": "a long passage dug into the ground and filled with water, either for boats to travel along, or to take water to a place" + }, + "attach": { + "CHS": " 缚, 系, 贴; 附加; 使依恋, 使喜爱; 使附属; 认为有", + "ENG": "to allow something to happen, but only if someone agrees to do a particular thing or accept a particular idea" + }, + "ankle": { + "CHS": " 踝, 踝关节", + "ENG": "the joint between your foot and your leg" + }, + "legislation": { + "CHS": " 法律, 法规; 立法, 法律的制定", + "ENG": "a law or set of laws" + }, + "clause": { + "CHS": " 条款; 从句, 分句", + "ENG": "a part of a written law or legal document covering a particular subject of the whole law or document" + }, + "quiz": { + "CHS": " 考查, 盘问", + "ENG": "to ask someone a lot of questions" + }, + "surplus": { + "CHS": "过剩,剩余,盈余", + "ENG": "an amount of something that is more than what is needed or used" + }, + "correspondence": { + "CHS": " 信件, 函件; 通信, 通信联系; 符合, 一致, 相似", + "ENG": "the letters that someone sends and receives, especially official or business letters" + }, + "refresh": { + "CHS": " 振作精神, 恢复活力", + "ENG": "to make someone feel less tired or less hot" + }, + "librarian": { + "CHS": " 图书馆管理员", + "ENG": "someone who works in a library" + }, + "intimate": { + "CHS": " 暗示, 提示", + "ENG": "to make people understand what you mean without saying it directly" + }, + "reporter": { + "CHS": " 记者", + "ENG": "someone whose job is to write about news events for a newspaper, or to tell people about them on television or on the radio" + }, + "declaration": { + "CHS": " 宣布, 宣告; 宣言, 声明; 申报", + "ENG": "an important official statement about a particular situation or plan, or the act of making this statement" + }, + "disclose": { + "CHS": " 揭示; 透露", + "ENG": "to make something publicly known, especially after it has been kept secret" + }, + "religion": { + "CHS": " 宗教, 宗教信仰", + "ENG": "a belief in one or more gods" + }, + "diagram": { + "CHS": " 图解, 图表, 简图", + "ENG": "a simple drawing or plan that shows exactly where something is, what something looks like, or how something works" + }, + "claw": { + "CHS": "爪,脚爪,螯", + "ENG": "a sharp curved nail on an animal, bird, or some insects" + }, + "torture": { + "CHS": " 拷打", + "ENG": "to deliberately hurt someone in order to force them to give you information, to punish them, or to be cruel" + }, + "prayer": { + "CHS": " 祷告, 祈祷; 祷文; 祈求, 祈望", + "ENG": "words that you say when praying to God or gods" + }, + "tragedy": { + "CHS": " 悲剧, 惨事, 惨案; 悲剧艺术", + "ENG": "a very sad event, that shocks people because it involves death" + }, + "charm": { + "CHS": " 吸引, 迷住", + "ENG": "to attract someone and make them like you, sometimes in order to make them do something for you" + }, + "clap": { + "CHS": " 拍手, 鼓掌", + "ENG": "the loud sound that you make when you hit your hands together many times to show that you enjoyed something" + }, + "purple": { + "CHS": "紫色", + "ENG": "a dark colour that is a mixture of red and blue" + }, + "economical": { + "CHS": " 节约的; 经济学的", + "ENG": "using money, time, goods etc carefully and without wasting any" + }, + "prosperous": { + "CHS": " 繁荣的, 兴旺的", + "ENG": "rich and successful" + }, + "polish": { + "CHS": " 擦光剂", + "ENG": "a liquid, powder, or other substance that you rub into a surface to make it smooth and shiny" + }, + "cabinet": { + "CHS": " 橱, 柜; 内阁", + "ENG": "the politicians with important positions in a government who meet to make decisions or advise the leader of the government" + }, + "chart": { + "CHS": " 用图表表示, 在图上表示", + "ENG": "if a record charts, it enters the weekly list of the most popular records" + }, + "optical": { + "CHS": " 眼的, 光学的, 视觉的", + "ENG": "relating to machines or processes which are concerned with light, images, or the way we see things" + }, + "fashion": { + "CHS": " 样子, 方式; 时尚; 流行款式", + "ENG": "a style of clothes, hair etc that is popular at a particular time" + }, + "insurance": { + "CHS": " 保险, 保险费", + "ENG": "an arrangement with a company in which you pay them money, especially regularly, and they pay the costs if something bad happens, for example if you become ill or your car is damaged" + }, + "preface": { + "CHS": " 序言, 前言, 引言", + "ENG": "an introduction at the beginning of a book or speech" + }, + "lid": { + "CHS": " 盖子, 盖", + "ENG": "a cover for the open part of a pot, box, or other container" + }, + "deception": { + "CHS": " 欺骗; 诡计, 骗局", + "ENG": "the act of deliberately making someone believe something that is not true" + }, + "basically": { + "CHS": " 基本上, 从根本上说", + "ENG": "used to emphasize the most important reason or fact about something, or a simple explanation of something" + }, + "avenue": { + "CHS": " 林荫道, 道路, 大街", + "ENG": "used in the names of streets in a town or city" + }, + "immense": { + "CHS": " 巨大的; 极好的", + "ENG": "extremely large" + }, + "given": { + "CHS": " 考虑到", + "ENG": "taking something into account" + }, + "hay": { + "CHS": " 干草", + "ENG": "long grass that has been cut and dried, used as food for cattle" + }, + "chest": { + "CHS": " 胸腔, 胸膛; 箱子", + "ENG": "the front part of your body between your neck and your stomach" + }, + "definite": { + "CHS": " 明确的, 肯定的", + "ENG": "clearly known, seen, or stated" + }, + "reflection": { + "CHS": " 映像, 倒影; 反射; 反映, 表达; 非议; 沉思, 反省", + "ENG": "an image that you can see in a mirror, glass, or water" + }, + "ultimate": { + "CHS": " 终极, 顶点" + }, + "campus": { + "CHS": " 校园, 学校场地", + "ENG": "the land and buildings of a university or college, including the buildings where students live" + }, + "solicitor": { + "CHS": " 律师, 法律顾问", + "ENG": "a type of lawyer in Britain who gives legal advice, prepares the necessary documents when property is bought or sold, and defends people, especially in the lower courts of law" + }, + "cheerful": { + "CHS": " 快乐的, 愉快的; 使人感到愉快的", + "ENG": "something that is cheerful makes you feel happy because it is so bright or pleasant" + }, + "guilty": { + "CHS": " 内疚的; 有罪的", + "ENG": "feeling very ashamed and sad because you know that you have done something wrong" + }, + "overall": { + "CHS": " 全面的, 总体的, 全部的", + "ENG": "considering or including everything" + }, + "receipt": { + "CHS": " 发票, 收据; 收入, 进款; 收到, 接到", + "ENG": "a piece of paper that you are given which shows that you have paid for something" + }, + "pepper": { + "CHS": " 在…上撒; 使布满", + "ENG": "if something is peppered with things, it has a lot of those things in it or on it" + }, + "plural": { + "CHS": " 复数", + "ENG": "a form of a word that shows you are talking about more than one thing, person etc. For example, ‘dogs’ is the plural of ‘dog’" + }, + "doctoral": { + "CHS": " 博士的", + "ENG": "done as part of work for the university degree of doctor" + }, + "effort": { + "CHS": " 努力, 努力的成果", + "ENG": "the physical or mental energy that is needed to do something" + }, + "video": { + "CHS": " 录像", + "ENG": "a copy of a film or television programme, or a series of events, recorded on videotape" + }, + "disaster": { + "CHS": " 灾难, 灾祸, 天灾; 彻底的失败", + "ENG": "a sudden event such as a flood, storm, or accident which causes great damage or suffering" + }, + "agriculture": { + "CHS": " 农业, 农学", + "ENG": "the practice or science of farming" + }, + "weapon": { + "CHS": " 武器, 兵器", + "ENG": "something that you use to fight with or attack someone with, such as a knife, bomb, or gun" + }, + "grocer": { + "CHS": " 食品商, 杂货商", + "ENG": "someone who owns or works in a shop that sells food and other things used in the home" + }, + "stare": { + "CHS": " 盯, 凝视", + "ENG": "to look at something or someone for a long time without moving your eyes, for example because you are surprised, angry, or bored" + }, + "enclose": { + "CHS": " 围住, 圈起; 附上; 把…装入信封", + "ENG": "to put something inside an envelope as well as a letter" + }, + "convention": { + "CHS": " 习俗, 惯例; 公约; 会议", + "ENG": "a formal agreement, especially between countries, about particular rules or behaviour" + }, + "disease": { + "CHS": " 病, 疾病; 不健全; 弊端", + "ENG": "an illness which affects a person, animal, or plant" + }, + "center": { + "CHS": " 圆心, 正中; 中心" + }, + "suspicion": { + "CHS": " 怀疑, 疑心, 猜疑; 一点儿, 少量", + "ENG": "a feeling you have that someone is probably guilty of doing something wrong or dishonest" + }, + "purchase": { + "CHS": " 购买; 购买的物品", + "ENG": "something you buy, or the act of buying it" + }, + "generic": { + "CHS": " 【生物】 属的, 类的; 一般的, 普通的", + "ENG": "relating to a whole group of things rather than to one thing" + }, + "genius": { + "CHS": " 天才, 天赋, 天资; 天才人物", + "ENG": "a very high level of intelligence, mental skill, or ability, which only a few people have" + }, + "alike": { + "CHS": "同样的,相同的", + "ENG": "very similar" + }, + "gravity": { + "CHS": " 重力, 引力; 严重性; 严肃, 庄重", + "ENG": "the force that causes something to fall to the ground or to be attracted to another planet " + }, + "typical": { + "CHS": " 典型的, 代表性的", + "ENG": "having the usual features or qualities of a particular group or thing" + }, + "studio": { + "CHS": " 画室, 摄影室; 播音室, 录音室, 摄影棚", + "ENG": "a room where television and radio programmes are made and broadcast or where music is recorded" + }, + "tray": { + "CHS": " 盘, 托盘, 碟", + "ENG": "a flat piece of plastic, metal, or wood, with raised edges, used for carrying things such as plates, food etc" + }, + "downward": { + "CHS": "向下的", + "ENG": "moving or pointing towards a lower position" + }, + "cabbage": { + "CHS": " 洋白菜, 卷心菜", + "ENG": "a large round vegetable with thick green or purple leaves" + }, + "palm": { + "CHS": " 手掌, 掌状物; 棕榈树", + "ENG": "the inside surface of your hand, in which you hold things" + }, + "hydrogen": { + "CHS": " 氢", + "ENG": "Hydrogen is a colourless gas that is the lightest and commonest element in the universe" + }, + "infant": { + "CHS": "婴儿", + "ENG": "a baby or very young child" + }, + "hen": { + "CHS": " 母鸡, 雌禽", + "ENG": "an adult female chicken" + }, + "whoever": { + "CHS": " 谁; 无论谁; 究竟是谁", + "ENG": "used to say that it does not matter who does something, is in a particular place etc" + }, + "carbon": { + "CHS": " 碳", + "ENG": "a chemical substance that exists in a pure form as diamonds, graphite etc, or in an impure form as coal, petrol etc. It is a chemical element : symbol C" + }, + "unload": { + "CHS": " 卸, 卸货; 下客; 退出子弹; 卸下胶卷", + "ENG": "to remove the film from a camera" + }, + "payment": { + "CHS": " 支付, 支付的款项", + "ENG": "an amount of money that has been or must be paid" + }, + "specifically": { + "CHS": " 特别地, 特定地; 明确地, 具体地", + "ENG": "relating to or intended for one particular type of person or thing only" + }, + "controversial": { + "CHS": " 引起争论的, 有争议的", + "ENG": "causing a lot of disagreement, because many people have strong opinions about the subject being discussed" + }, + "attain": { + "CHS": " 达到, 获得, 完成", + "ENG": "to succeed in achieving something after trying for a long time" + }, + "trap": { + "CHS": " 设陷阱捕捉; 诱骗", + "ENG": "to catch an animal or bird using a trap" + }, + "hardware": { + "CHS": " 五金器具; 硬件", + "ENG": "computer machinery and equipment, as opposed to the programs that make computers work" + }, + "deputy": { + "CHS": " 副职, 副手; 代表, 代理人", + "ENG": "someone who is directly below another person in rank, and who is officially in charge when that person is not there" + }, + "warmth": { + "CHS": " 暖和, 温暖; 热烈, 热情, 热心", + "ENG": "the heat something produces, or when you feel warm" + }, + "supreme": { + "CHS": " 最高的, 最大的; 极度的, 最重要的", + "ENG": "having the highest position of power, importance, or influence" + }, + "ambulance": { + "CHS": " 救护车; 野战医院", + "ENG": "a special vehicle that is used to take people who are ill or injured to hospital" + }, + "slope": { + "CHS": "倾斜;斜面", + "ENG": "a piece of ground or a surface that slopes" + }, + "philosophy": { + "CHS": " 哲学, 哲理, 人生哲学", + "ENG": "the study of the nature and meaning of existence, truth, good and evil, etc" + }, + "preventive": { + "CHS": " 预防性的", + "ENG": "intended to stop something you do not want to happen, such as illness, from happening" + }, + "creative": { + "CHS": " 创造性的, 创作的", + "ENG": "involving the use of imagination to produce new ideas or things" + }, + "junior": { + "CHS": " 晚辈; 三年级学生", + "ENG": "a child who goes to a junior school" + }, + "allocate": { + "CHS": " 分配, 分派, 把…拨给", + "ENG": "to use something for a particular purpose, give something to a particular person etc, especially after an official decision has been made" + }, + "provide": { + "CHS": " 提供, 供给", + "ENG": "to give something to someone or make it available to them, because they need it or want it" + }, + "worship": { + "CHS": " 崇拜", + "ENG": "to admire and love someone very much" + }, + "lawn": { + "CHS": " 草地, 草坪, 草场", + "ENG": "an area of ground in a garden or park that is covered with short grass" + }, + "log": { + "CHS": " 正式记录", + "ENG": "to make an official record of events, facts etc" + }, + "solar": { + "CHS": " 太阳的, 日光的; 太阳能的", + "ENG": "relating to the sun" + }, + "formation": { + "CHS": " 形成, 构成, 形成物; 队形, 排列", + "ENG": "the process of starting a new organization or group" + }, + "layer": { + "CHS": " 层, 层次", + "ENG": "an amount or piece of a material or substance that covers a surface or that is between two other things" + }, + "triangle": { + "CHS": " 三角", + "ENG": "a flat shape with three straight sides and three angles" + }, + "accidental": { + "CHS": " 偶然的, 意外的", + "ENG": "happening without being planned or intended" + }, + "assure": { + "CHS": " 使确信; 确保, 向…保证", + "ENG": "to tell someone that something will definitely happen or is definitely true so that they are less worried" + }, + "theme": { + "CHS": " 主题, 题目", + "ENG": "the main subject or idea in a piece of writing, speech, film etc" + }, + "smash": { + "CHS": " 破碎 ; 猛击, 猛撞; 轰动的演出, 巨大的成功", + "ENG": "the loud sound of something breaking" + }, + "merely": { + "CHS": " 仅仅, 只不过", + "ENG": "used to emphasize how small or unimportant something or someone is" + }, + "contradiction": { + "CHS": " 矛盾, 不一致; 否认, 反驳", + "ENG": "a difference between two statements, beliefs, or ideas about something that means they cannot both be true" + }, + "wealth": { + "CHS": " 财富, 财产; 丰富", + "ENG": "a large amount of money, property etc that a person or country owns" + }, + "editor": { + "CHS": " 编辑, 编者, 校订者", + "ENG": "the person who is in charge of a newspaper or magazine, or part of a newspaper or magazine, and decides what should be included in it" + }, + "barrel": { + "CHS": " 桶; 圆筒; 枪管", + "ENG": "a large curved container with a flat top and bottom, made of wood or metal, and used for storing beer, wine etc" + }, + "survive": { + "CHS": "从…逃出,幸免于;从中挺过来;比…活得长", + "ENG": "to continue to live after an accident, war, or illness" + }, + "efficient": { + "CHS": " 效率高的; 有能力的", + "ENG": "if someone or something is efficient, they work well without wasting time, money, or energy" + }, + "initial": { + "CHS": " 首字母", + "ENG": "the first letter of someone’s first name" + }, + "unfortunately": { + "CHS": " 不幸地", + "ENG": "used when you are mentioning a fact that you wish was not true" + }, + "heterogeneity": { + "CHS": " 异种, 异质, 不同成分" + }, + "sword": { + "CHS": " 剑, 刀", + "ENG": "a weapon with a long pointed blade and a handle" + }, + "summarize": { + "CHS": " 概括, 概述, 总结", + "ENG": "to make a short statement giving only the main information and not the details of a plan, event, report etc" + }, + "beam": { + "CHS": " 面露喜色; 定向发出, 播送", + "ENG": "to send a radio or television signal through the air, especially to somewhere very distant" + }, + "alliance": { + "CHS": " 结盟, 联盟", + "ENG": "an arrangement in which two or more countries, groups etc agree to work together to try to change or achieve something" + }, + "possession": { + "CHS": " 有, 所有; 所有物", + "ENG": "if something is in your possession, you own it, or you have obtained it from somewhere" + }, + "hip": { + "CHS": " 臀部, 髋部", + "ENG": "one of the two parts on each side of your body between the top of your leg and your waist" + }, + "merry": { + "CHS": " 欢乐的, 愉快的", + "ENG": "used to say that you hope someone will have a happy time at Christmas" + }, + "dam": { + "CHS": " 筑堤挡住", + "ENG": "to stop the water in a river or stream from flowing by building a special wall across it" + }, + "pessimistic": { + "CHS": " 悲观的", + "ENG": "expecting that bad things will happen in the future or that something will have a bad result" + }, + "commander": { + "CHS": " 司令官, 指挥员", + "ENG": "an officer of any rank who is in charge of a group of soldiers or a particular military activity" + }, + "bloom": { + "CHS": "花,开花,开花期;青春焕发", + "ENG": "a flower or flowers" + }, + "zone": { + "CHS": " 地区, 区域, 范围", + "ENG": "a large area that is different from other areas around it in some way" + }, + "emphasis": { + "CHS": " 强调; 重点, 重要性", + "ENG": "special attention or importance" + }, + "interrupt": { + "CHS": " 打断, 打扰, 中断", + "ENG": "to stop someone from continuing what they are saying or doing by suddenly speaking to them, making a noise etc" + }, + "prescribe": { + "CHS": " 开; 吩咐采用; 规定, 指定", + "ENG": "to state officially what should be done in a particular situation" + }, + "bean": { + "CHS": " 豆, 蚕豆", + "ENG": "a seed or a pod (= case containing seeds ) , that comes from a climbing plant and is cooked as food. There are very many types of beans." + }, + "accustomed": { + "CHS": " 惯常的, 习惯的", + "ENG": "usual" + }, + "turbine": { + "CHS": " 叶轮机, 汽轮机", + "ENG": "an engine or motor in which the pressure of a liquid or gas moves a special wheel around" + }, + "repeatedly": { + "CHS": " 一再, 再三, 多次地", + "ENG": "many times" + }, + "gross": { + "CHS": " 总的; 严重的; 粗俗的; 臃肿的", + "ENG": "clearly wrong and unacceptable" + }, + "workshop": { + "CHS": " 车间, 作坊, 创作室; 研讨会, 讲习班", + "ENG": "a room or building where tools and machines are used for making or repairing things" + }, + "liter": { + "CHS": " 升" + }, + "format": { + "CHS": " 使格式化", + "ENG": "to organize the space on a computer disk so that information can be stored on it" + }, + "sacrifice": { + "CHS": " 牺牲; 供奉; 祭品", + "ENG": "when you decide not to have something valuable, in order to get something that is more important" + }, + "formal": { + "CHS": " 正式的, 礼仪上的", + "ENG": "made or done officially or publicly" + }, + "congratulate": { + "CHS": " 祝贺, 向…道喜", + "ENG": "to tell someone that you are happy because they have achieved something or because something nice has happened to them" + }, + "rainbow": { + "CHS": " 虹, 彩虹", + "ENG": "a large curve of different colours that can appear in the sky when there is both sun and rain" + }, + "soak": { + "CHS": " 浸, 泡", + "ENG": "if you soak something, or if you let it soak, you keep it covered with a liquid for a period of time, especially in order to make it softer or easier to clean" + }, + "salesman": { + "CHS": " 售货员, 推销员", + "ENG": "a man whose job is to persuade people to buy his company’s products" + }, + "interference": { + "CHS": " 干涉, 干预, 阻碍", + "ENG": "an act of interfering" + }, + "fibre": { + "CHS": " 纤维, 纤维质", + "ENG": "the parts of plants that you eat but cannot digest . Fibre helps to keep you healthy by moving food quickly through your body." + }, + "entertain": { + "CHS": " 使欢乐; 招待, 请客", + "ENG": "to invite people to your home for a meal, party etc, or to take your company’s customers somewhere to have a meal, drinks etc" + }, + "colony": { + "CHS": " 殖民地; 侨居地, 聚居地; 群体, 集群", + "ENG": "a country or area that is under the political control of a more powerful country, usually one that is far away" + }, + "mathematics": { + "CHS": " 数学", + "ENG": "the science of numbers and of shapes, including algebra , geometry , and arithmetic " + }, + "wagon": { + "CHS": " 四轮马车, 大篷车; 铁路货车, 客货两用车", + "ENG": "a strong vehicle with four wheels, used for carrying heavy loads and usually pulled by horses" + }, + "elsewhere": { + "CHS": " 在别处, 向别处", + "ENG": "in, at, or to another place" + }, + "penetrate": { + "CHS": " 透入, 渗入, 进入; 刺穿; 洞察, 了解", + "ENG": "to enter something and pass or spread through it, especially when this is difficult" + }, + "principal": { + "CHS": " 负责人, 校长; 资本, 本金; 主要演员, 主角", + "ENG": "someone who is in charge of a school" + }, + "tend": { + "CHS": "易于,往往会;趋向,倾向", + "ENG": "if something tends to happen, it happens often and is likely to happen again" + }, + "exceedingly": { + "CHS": " 极端地, 非常", + "ENG": "extremely" + }, + "specimen": { + "CHS": " 样本, 标本, 样品", + "ENG": "a small amount or piece that is taken from something, so that it can be tested or examined" + }, + "relief": { + "CHS": " 轻松, 宽慰; 缓解; 调剂, 消遣; 接替", + "ENG": "a feeling of comfort when something frightening, worrying, or painful has ended or has not happened" + }, + "dimension": { + "CHS": " 尺寸, 尺度; 方面, 特点; 面积, 规模", + "ENG": "a part of a situation or a quality involved in it" + }, + "introduction": { + "CHS": " 介绍, 引进; 引言", + "ENG": "the act of formally telling two people each other’s names when they first meet" + }, + "banner": { + "CHS": " 横幅; 旗, 旗帜", + "ENG": "a belief or principle" + }, + "encounter": { + "CHS": " 遭遇", + "ENG": "an occasion when you meet someone, or do something with someone you do not know" + }, + "soda": { + "CHS": " 碳酸钠, 纯碱; 汽水, 苏打水", + "ENG": "water that contains bubbles and is often added to alcoholic drinks" + }, + "gratitude": { + "CHS": " 感激, 感谢, 感恩", + "ENG": "the feeling of being grateful" + }, + "interaction": { + "CHS": " 相互作用, 干扰", + "ENG": "a process by which two or more things affect each other" + }, + "chew": { + "CHS": " 咀嚼, 嚼碎", + "ENG": "to bite food several times before swallowing it" + }, + "interfere": { + "CHS": " 干涉, 干预, 妨碍", + "ENG": "to deliberately get involved in a situation where you are not wanted or needed" + }, + "account": { + "CHS": "记述;解释;账目", + "ENG": "an arrangement in which a bank keeps your money safe so that you can pay more in or take money out" + }, + "uneasy": { + "CHS": " 心神不安的, 忧虑的", + "ENG": "worried or slightly afraid because you think that something bad might happen" + }, + "tolerate": { + "CHS": " 忍受, 容忍; 容许, 承认", + "ENG": "to allow people to do, say, or believe something without criticizing or punishing them" + }, + "developmental": { + "CHS": " 发展的", + "ENG": "relating to the development of someone or something" + }, + "stack": { + "CHS": " 堆积, 堆放于", + "ENG": "If you stack a number of things, you arrange them in neat piles" + }, + "compassion": { + "CHS": " 同情, 怜悯", + "ENG": "a strong feeling of sympathy for someone who is suffering, and a desire to help them" + }, + "alphabet": { + "CHS": " 字母表, 字母系统", + "ENG": "a set of letters, arranged in a particular order, and used in writing" + }, + "parliament": { + "CHS": " 议会, 国会", + "ENG": "the group of people who are elected to make a country’s laws and discuss important national affairs" + }, + "crack": { + "CHS": "裂缝,裂纹;破裂声", + "ENG": "a very narrow space between two things or two parts of something" + }, + "bind": { + "CHS": " 捆绑, 包扎; 装订; 约束; 使结合, 使黏合", + "ENG": "if you are bound by an agreement, promise etc, you must do what you have agreed to do or promised to do" + }, + "trim": { + "CHS": " 使整齐", + "ENG": "to move the sails of a boat in order to go faster" + }, + "dental": { + "CHS": " 牙齿的, 牙科的", + "ENG": "relating to your teeth" + }, + "predictable": { + "CHS": " 可预料的", + "ENG": "if something or someone is predictable, you know what will happen or what they will do – sometimes used to show disapproval" + }, + "railway": { + "CHS": " 铁路", + "ENG": "a system of tracks along which trains run, or a system of trains" + }, + "cube": { + "CHS": "立方形,立方", + "ENG": "a solid object with six equal square sides" + }, + "rally": { + "CHS": "集会;公路汽车赛", + "ENG": "a large public meeting, especially one that is held outdoors to support a political idea, protest etc" + }, + "prime": { + "CHS": " 使准备好", + "ENG": "to prepare someone for a situation so that they know what to do" + }, + "happen": { + "CHS": " 发生; 碰巧, 恰好", + "ENG": "when something happens, there is an event, especially one that is not planned" + }, + "festival": { + "CHS": " 节日; 音乐节", + "ENG": "a special occasion when people celebrate something such as a religious event, and there is often a public holiday" + }, + "mild": { + "CHS": " 温柔的; 温暖的; 轻微的", + "ENG": "fairly warm" + }, + "profile": { + "CHS": " 为…描绘; 写…的传略", + "ENG": "to write or give a short description of someone or something" + }, + "loyal": { + "CHS": " 忠诚的, 忠心的", + "ENG": "always supporting your friends, principles, country etc" + }, + "opportunity": { + "CHS": " 机会, 良机", + "ENG": "a chance to do something or an occasion when it is easy for you to do something" + }, + "active": { + "CHS": " 活跃的, 积极的; 主动的; 起作用的", + "ENG": "always busy doing things, especially physical or mental activities" + }, + "dorm": { + "CHS": " 宿舍", + "ENG": "a dormitory " + }, + "whichever": { + "CHS": " 无论哪个, 无论哪些" + }, + "court": { + "CHS": " 法院, 法庭; 庭院; 宫廷; 球场", + "ENG": "an area made for playing games such as tennis" + }, + "venture": { + "CHS": "风险投资,风险项目", + "ENG": "a new business activity that involves taking risks" + }, + "bucket": { + "CHS": " 水桶, 吊桶; 铲斗", + "ENG": "an open container with a handle, used for carrying and holding things, especially liquids" + }, + "dose": { + "CHS": " 剂量, 用量, 一剂", + "ENG": "the amount of a medicine or a drug that you should take" + }, + "route": { + "CHS": " 路线, 路程", + "ENG": "a way from one place to another" + }, + "enthusiasm": { + "CHS": " 热情, 热心, 热忱; 巨大兴趣", + "ENG": "a strong feeling of interest and enjoyment about something and an eagerness to be involved in it" + }, + "adult": { + "CHS": "成年人", + "ENG": "a fully-grown person, or one who is considered to be legally responsible for their actions" + }, + "attitude": { + "CHS": " 态度, 看法; 姿势", + "ENG": "the opinions and feelings that you usually have about something, especially when this is shown in your behaviour" + }, + "pluralism": { + "CHS": " 多重性; 兼职, 兼任" + }, + "shiver": { + "CHS": " 战栗, 颤抖", + "ENG": "to shake slightly because you are cold or frightened" + }, + "Bible": { + "CHS": " 圣经", + "ENG": "TheBible is the holy book on which the Jewish and Christian religions are based" + }, + "liquor": { + "CHS": " 酒, 烈性酒", + "ENG": "a strong alcoholic drink such as whisky" + }, + "honourable": { + "CHS": " 光荣的; 可敬的; 正直的", + "ENG": "an honourable action or activity deserves respect and admiration" + }, + "transparent": { + "CHS": " 透明的; 易识破的; 明显的, 清楚的", + "ENG": "if something is transparent, you can see through it" + }, + "interior": { + "CHS": " 内部", + "ENG": "the inner part or inside of something" + }, + "rouse": { + "CHS": " 惊起; 唤起; 唤醒", + "ENG": "to wake someone who is sleeping deeply" + }, + "journal": { + "CHS": " 日报, 杂志, 日志", + "ENG": "a serious magazine produced for professional people or those with a particular interest" + }, + "grasp": { + "CHS": " 抓; 理解", + "ENG": "the way you hold something or your ability to hold it" + }, + "involvement": { + "CHS": " 连累; 包含" + }, + "spark": { + "CHS": "火花,火星", + "ENG": "a very small piece of burning material produced by a fire or by hitting or rubbing two hard objects together" + }, + "unlike": { + "CHS": " 不像…", + "ENG": "completely different from a particular person or thing" + }, + "hearing": { + "CHS": " 听力, 听觉; 听力所及之距离; 意见听取会; 申辩的机会", + "ENG": "the sense which you use to hear sounds" + }, + "acquisition": { + "CHS": " 取得, 获得, 习得; 获得物, 增添的人", + "ENG": "the process by which you gain knowledge or learn a skill" + }, + "volcano": { + "CHS": " 火山", + "ENG": "a mountain with a large hole at the top, through which lava(= very hot liquid rock ) is sometimes forced out" + }, + "rigid": { + "CHS": " 严格的; 死板的; 刚硬的, 僵硬的", + "ENG": "rigid methods, systems etc are very strict and difficult to change" + }, + "so-called": { + "CHS": " 所谓的, 号称的", + "ENG": "used to describe someone or something that has been given a name that you think is wrong" + }, + "grateful": { + "CHS": " 感激的; 令人愉快的", + "ENG": "feeling that you want to thank someone because of something kind that they have done, or showing this feeling" + }, + "chip": { + "CHS": " 屑片, 碎片; 炸土豆条; 集成电路片, 集成块; 缺口, 瑕疵", + "ENG": "a small piece of silicon that has a set of complicated electrical connections on it and is used to store and process information in computers" + }, + "chin": { + "CHS": " 颏, 下巴", + "ENG": "the front part of your face below your mouth" + }, + "operational": { + "CHS": " 运转的; 可使用的; 操作上的", + "ENG": "working and ready to be used" + }, + "staff": { + "CHS": " 为…配备人员", + "ENG": "to be or provide the workers for an organization" + }, + "noticeable": { + "CHS": " 显而易见的", + "ENG": "easy to notice" + }, + "blast": { + "CHS": " 炸", + "ENG": "to damage or destroy something, or to injure or kill someone, using a gun or a bomb" + }, + "series": { + "CHS": " 一系列, 连续; 丛书, 连续剧", + "ENG": "several events or actions of a similar type that happen one after the other" + }, + "thrive": { + "CHS": " 兴旺, 繁荣, 旺盛", + "ENG": "to become very successful or very strong and healthy" + }, + "purse": { + "CHS": " 钱包, 女用小提包", + "ENG": "a small bag in which women keep paper money, coins, cards etc" + }, + "dialect": { + "CHS": " 方言, 土语, 地方话", + "ENG": "a form of a language which is spoken only in one area, with words or grammar that are slightly different from other forms of the same language" + }, + "accountant": { + "CHS": " 会计人员, 会计师", + "ENG": "someone whose job is to keep and check financial accounts, calculate taxes etc" + }, + "stocking": { + "CHS": " 长袜", + "ENG": "a thin close-fitting piece of clothing that covers a woman’s leg and foot" + }, + "dim": { + "CHS": " 变暗淡", + "ENG": "if a light dims, or if you dim it, it becomes less bright" + }, + "dip": { + "CHS": "游一会儿泳", + "ENG": "a quick swim" + }, + "recreational": { + "CHS": " 休养的; 娱乐的", + "ENG": "Recreational means relating to things people do in their spare time to relax" + }, + "faculty": { + "CHS": " 才能, 能力; 系, 科; 全体教员", + "ENG": "all the teachers in a university" + }, + "trail": { + "CHS": " 跟踪, 追踪", + "ENG": "to follow someone by looking for signs that they have gone in a particular direction" + }, + "passport": { + "CHS": " 护照", + "ENG": "a small official document that you get from your government, that proves who you are, and which you need in order to leave your country and enter other countries" + }, + "prior": { + "CHS": " 在前的; 优先的", + "ENG": "existing or arranged before something else or before the present situation" + }, + "bracket": { + "CHS": " 把…归为同一类", + "ENG": "to consider two or more people or things as being similar or the same" + }, + "highway": { + "CHS": " 公路, 大路", + "ENG": "a wide main road that joins one town to another" + }, + "parcel": { + "CHS": " 分, 分配; 把…包起来, 捆扎" + }, + "static": { + "CHS": " 静电", + "ENG": "noise caused by electricity in the air that blocks or spoils the sound from radio or TV" + }, + "journey": { + "CHS": "旅行,旅程", + "ENG": "an occasion when you travel from one place to another, especially over a long distance" + }, + "finally": { + "CHS": " 最后; 决定性地", + "ENG": "after a long time" + }, + "creep": { + "CHS": " 爬行, 缓慢地行进", + "ENG": "if something such as an insect, small animal, or car creeps, it moves slowly and quietly" + }, + "strap": { + "CHS": " 捆扎; 用绷带包扎", + "ENG": "If you strap something somewhere, you fasten it there with a strap" + }, + "grape": { + "CHS": " 葡萄, 葡萄藤", + "ENG": "one of a number of small round green or purple fruits that grow together on a vine . Grapes are often used for making wine" + }, + "conviction": { + "CHS": " 确信; 坚定的信仰; 说服, 信服; 定罪, 判罪", + "ENG": "a very strong belief or opinion" + }, + "scholar": { + "CHS": " 学者; 奖学金获得者", + "ENG": "someone who knows a lot about a particular subject, especially one that is not a science subject" + }, + "straw": { + "CHS": " 稻草; 麦秆吸管, 吸管", + "ENG": "a thin tube of paper or plastic for sucking up liquid from a bottle or a cup" + }, + "regarding": { + "CHS": " 关于", + "ENG": "a word used especially in letters or speeches to introduce the subject you are writing or talking about" + }, + "graph": { + "CHS": " 图, 图表", + "ENG": "a drawing that uses a line or lines to show how two or more sets of measurements are related to each other" + }, + "vision": { + "CHS": " 想象力; 梦幻; 视力, 视觉", + "ENG": "the ability to see" + }, + "petrol": { + "CHS": " 汽油", + "ENG": "a liquid obtained from petroleum that is used to supply power to the engine of cars and other vehicles" + }, + "acceptance": { + "CHS": " 接受; 承认; 容忍", + "ENG": "when you officially agree to take something that you have been offered" + }, + "relativity": { + "CHS": " 相对论; 相关性", + "ENG": "the relationship in physics between time, space, and movement according to Einstein’s theory " + }, + "reckon": { + "CHS": " 认为, 估计; 指望, 盼望; 测算, 测量", + "ENG": "spoken to think or suppose something" + }, + "confusion": { + "CHS": " 困惑, 糊涂; 混淆; 骚乱", + "ENG": "when you do not understand what is happening or what something means because it is not clear" + }, + "blank": { + "CHS": " 空白; 空白表格", + "ENG": "an empty space on a piece of paper, where you are supposed to write a word or letter" + }, + "landlord": { + "CHS": " 地主, 房东; 店主", + "ENG": "a man who rents a room, building, or piece of land to someone" + }, + "worthy": { + "CHS": " 有价值的, 值得的", + "ENG": "deserving respect from people" + }, + "endless": { + "CHS": " 无止境的", + "ENG": "very large in amount, size, or number" + }, + "title": { + "CHS": " 标题, 题目; 称号, 头衔; 权利, 权益", + "ENG": "the name given to a particular book, painting, play etc" + }, + "mist": { + "CHS": "薄雾", + "ENG": "a light cloud low over the ground that makes it difficult for you to see very far" + }, + "duration": { + "CHS": " 持续, 持久", + "ENG": "the length of time that something continues" + }, + "plantation": { + "CHS": " 种植园, 人工林", + "ENG": "a large area of land in a hot country, where crops such as tea, cotton, and sugar are grown" + }, + "loaf": { + "CHS": "面包", + "ENG": "bread that is shaped and baked in one piece and can be cut into slices" + }, + "nuclear": { + "CHS": " 核子的, 核能的, 核武器的; 核心的", + "ENG": "relating to or involving the nucleus (= central part ) of an atom, or the energy produced when the nucleus of an atom is either split or joined with the nucleus of another atom" + }, + "outward": { + "CHS": " 外面的; 外表的; 向外的", + "ENG": "relating to how a person or situation seems to be, rather than how it really is" + }, + "bloody": { + "CHS": " 血染", + "ENG": "to injure someone so that blood comes, or to cover something with blood" + }, + "poetry": { + "CHS": " 诗, 诗歌, 诗集", + "ENG": "poems in general, or the art of writing them" + }, + "owner": { + "CHS": " 物主, 所有人", + "ENG": "someone who owns something" + }, + "vapour": { + "CHS": " 蒸汽", + "ENG": "a mass of very small drops of a liquid which float in the air, for example because the liquid has been heated" + }, + "sole": { + "CHS": "脚底,鞋底,袜底", + "ENG": "the bottom surface of your foot, especially the part you walk or stand on" + }, + "jury": { + "CHS": " 陪审团; 评奖团", + "ENG": "a group of 12 ordinary people who listen to the details of a case in court and decide whether someone is guilty or not" + }, + "holy": { + "CHS": " 神圣的, 圣洁的, 虔诚的", + "ENG": "connected with God and religion" + }, + "spelling": { + "CHS": " 拼字, 拼法, 拼写法", + "ENG": "the act of spelling words correctly, or the ability to do this" + }, + "relax": { + "CHS": " 放松, 松弛; 放宽, 缓和", + "ENG": "to rest or do something that is enjoyable, especially after you have been working" + }, + "priest": { + "CHS": " 神父, 牧师", + "ENG": "someone who is specially trained to perform religious duties and ceremonies in the Christian church" + }, + "permission": { + "CHS": " 允许, 许可, 准许", + "ENG": "If someone who has authority over you gives you permission to do something, they say that they will allow you to do it" + }, + "grand": { + "CHS": " 宏伟的; 重大的; 傲慢的; 派头大的; 绝佳的; 全部的", + "ENG": "big and very impressive" + }, + "postage": { + "CHS": " 邮费, 邮资", + "ENG": "the money charged for sending a letter, package etc by post" + }, + "tame": { + "CHS": " 制服, 控制并利用; 驯化, 驯服", + "ENG": "to reduce the power or strength of something and prevent it from causing trouble" + }, + "material": { + "CHS": "材料,素材", + "ENG": "a solid substance such as wood, plastic, or metal" + }, + "universe": { + "CHS": " 宇宙, 世界; 领域, 范围", + "ENG": "a world or an area of space that is different from the one we are in" + }, + "spectacular": { + "CHS": " 壮观的演出; 惊人之举", + "ENG": "an event or performance that is very large and impressive" + }, + "peculiar": { + "CHS": " 奇怪的, 古怪的; 特有的", + "ENG": "strange, unfamiliar, or a little surprising" + }, + "blanket": { + "CHS": " 毛毯, 毯子, 羊毛毯", + "ENG": "a cover for a bed, usually made of wool" + }, + "injection": { + "CHS": " 注射, 注入; 充满", + "ENG": "an act of putting a drug into someone’s body using a special needle" + }, + "envy": { + "CHS": " 妒忌, 羡慕", + "ENG": "to wish that you had someone else’s possessions, abilities etc" + }, + "hut": { + "CHS": " 小屋, 棚屋", + "ENG": "a small simple building with only one or two rooms" + }, + "invincible": { + "CHS": " 不能征服的, 无敌的", + "ENG": "too strong to be destroyed or defeated" + }, + "convert": { + "CHS": " 转变, 转化; 改变", + "ENG": "to change something into a different form, or to change something so that it can be used for a different purpose or in a different way" + }, + "construct": { + "CHS": " 建筑物; 构想, 观念", + "ENG": "an idea formed by combining several pieces of information or knowledge" + }, + "thick": { + "CHS": "厚的,密的,浓的;不清楚的,口音重的", + "ENG": "if something is thick, there is a large distance or a larger distance than usual between its two opposite surfaces or sides" + }, + "executive": { + "CHS": " 执行者", + "ENG": "a group of people who are in charge of an organization and make the rules" + }, + "navigation": { + "CHS": " 航行, 航海, 航空; 导航, 领航", + "ENG": "the science or job of planning which way you need to go when you are travelling from one place to another" + }, + "hook": { + "CHS": "钩,挂钩", + "ENG": "a curved piece of metal or plastic that you use for hanging things on" + }, + "balance": { + "CHS": " 天平; 平衡; 结存, 结欠", + "ENG": "a state in which all your weight is evenly spread so that you do not fall" + }, + "cigar": { + "CHS": " 雪茄烟", + "ENG": "a thick tube-shaped thing that people smoke, and which is made from tobacco leaves that have been rolled up" + }, + "action": { + "CHS": " 行动; 已做的事; 作用, 功能; 情节", + "ENG": "the process of doing something, especially in order to achieve a particular thing" + }, + "stadium": { + "CHS": " 运动场, 体育场", + "ENG": "a building for public events, especially sports and large rock music concerts, consisting of a playing field surrounded by rows of seats" + }, + "whereas": { + "CHS": " 然而, 但是, 尽管", + "ENG": "used to say that although something is true of one thing, it is not true of another" + }, + "pitch": { + "CHS": "投掷;使猛然倒下;表达;把…定于特定程度;定调", + "ENG": "to fall or be moved suddenly in a particular direction, or to make someone or something do this" + }, + "kindness": { + "CHS": " 仁慈, 好意", + "ENG": "kind behaviour towards someone" + }, + "adoptive": { + "CHS": " 收养关系的; 采用的", + "ENG": "an adoptive parent is one who has adopted a child" + }, + "chop": { + "CHS": " 排骨", + "ENG": "a small piece of meat on a bone, usually cut from a sheep or pig" + }, + "electrical": { + "CHS": " 电的, 电气科学的", + "ENG": "relating to electricity" + }, + "statue": { + "CHS": " 塑像, 雕像, 铸像", + "ENG": "an image of a person or animal that is made in solid material such as stone or metal and is usually large" + }, + "being": { + "CHS": " 存在; 生物, 生命", + "ENG": "to start to exist" + }, + "vacant": { + "CHS": " 空的, 未被占用的; 空缺的; 茫然的, 空虚的", + "ENG": "a vacant seat, building, room or piece of land is empty and available for someone to use" + }, + "physicist": { + "CHS": " 物理学家", + "ENG": "a scientist who has special knowledge and training in physics " + }, + "underground": { + "CHS": " 地铁; 地下组织", + "ENG": "a railway system under the ground" + }, + "curse": { + "CHS": " 天谴; 祸害, 祸根", + "ENG": "something that causes trouble, harm etc" + }, + "impression": { + "CHS": " 印象; 印记", + "ENG": "the opinion or feeling you have about someone or something because of the way they seem" + }, + "baseball": { + "CHS": " 棒球", + "ENG": "an outdoor game between two teams of nine players, in which players try to get points by hitting a ball and running around four base s " + }, + "interval": { + "CHS": " 间隔, 间距; 幕间休息", + "ENG": "the period of time between two events, activities etc" + }, + "machinery": { + "CHS": " 机器, 机械", + "ENG": "You can use machinery to refer to machines in general, or machines that are used in a factory or on a farm" + }, + "shield": { + "CHS": " 保护, 防护", + "ENG": "to protect someone or something from being harmed or damaged" + }, + "upset": { + "CHS": "翻倒;搅乱;不安;不适", + "ENG": "an illness that affects the stomach and makes you feel sick" + }, + "inference": { + "CHS": " 推断结果, 结论; 推论, 推理, 推断", + "ENG": "something that you think is true, based on information that you have" + }, + "curve": { + "CHS": "曲线,弯,弯曲处", + "ENG": "a line that gradually bends like part of a circle" + }, + "dot": { + "CHS": " 打点于" + }, + "skim": { + "CHS": " 撇去, 掠过, 擦过; 浏览, 略读", + "ENG": "to remove something from the surface of a liquid, especially floating fat, solids, or oil" + }, + "notify": { + "CHS": " 通知, 告知, 报告", + "ENG": "to formally or officially tell someone about something" + }, + "mention": { + "CHS": " 提及, 说起", + "ENG": "to talk or write about something or someone, usually quickly and without saying very much or giving details" + }, + "stream": { + "CHS": "河,溪流;一股,一串", + "ENG": "a natural flow of water that moves across the land and is narrower than a river" + }, + "crime": { + "CHS": " 罪, 罪行, 犯罪", + "ENG": "illegal activities in general" + }, + "heave": { + "CHS": " 举起; 起伏, 升降", + "ENG": "a strong rising or falling movement" + }, + "nourish": { + "CHS": " 提供养分, 养育", + "ENG": "To nourish a person, animal, or plant means to provide them with the food that is necessary for life, growth, and good health" + }, + "surround": { + "CHS": " 围, 围绕; 圈住", + "ENG": "to be all around someone or something on every side" + }, + "mat": { + "CHS": " 席子, 垫子", + "ENG": "a small piece of thick rough material which covers part of a floor" + }, + "cigarette": { + "CHS": " 香烟, 纸烟, 卷烟", + "ENG": "a thin tube of paper filled with finely cut tobacco that people smoke" + }, + "torch": { + "CHS": " 火炬, 火把; 手电筒", + "ENG": "a small electric lamp that you carry in your hand" + }, + "positive": { + "CHS": " 确实的, 明确的; 积极的, 肯定的", + "ENG": "good or useful" + }, + "favourite": { + "CHS": " 特别受喜爱的人", + "ENG": "something that you like more than other things of the same kind" + }, + "radar": { + "CHS": " 雷达", + "ENG": "a piece of equipment that uses radio waves to find the position of things and watch their movement" + }, + "refugee": { + "CHS": " 难民", + "ENG": "someone who has been forced to leave their country, especially during a war, or for political or religious reasons" + }, + "aluminium": { + "CHS": " 铝", + "ENG": "a silver-white metal that is very light and is used to make cans, cooking pans, window frames etc. It is a chemical element : symbol Al" + }, + "comparable": { + "CHS": " 可比较的; 类似的; 比得上的", + "ENG": "similar to something else in size, number, quality etc, so that you can make a comparison" + }, + "rotate": { + "CHS": " 旋转, 转动; 轮流", + "ENG": "to turn with a circular movement around a central point, or to make something do this" + }, + "opera": { + "CHS": " 歌剧", + "ENG": "a musical play in which all of the words are sung" + }, + "presumably": { + "CHS": " 大概, 可能, 据推测", + "ENG": "used to say that you think something is probably true" + }, + "subject": { + "CHS": " 使隶属", + "ENG": "to force a country or group of people to be ruled by you, and control them very strictly" + }, + "practically": { + "CHS": " 几乎, 简直; 实际上", + "ENG": "Practically means almost, but not completely or exactly" + }, + "recognition": { + "CHS": " 认出, 识别; 承认; 赏识, 表彰, 报偿", + "ENG": "the act of realizing and accepting that something is true or important" + }, + "cassette": { + "CHS": " 盒式录音带", + "ENG": "a small flat plastic case containing magnetic tape , that can be used for playing or recording sound" + }, + "blade": { + "CHS": " 刀刃, 刀片, 叶片", + "ENG": "the flat cutting part of a tool or weapon" + }, + "arrangement": { + "CHS": " 整理, 排列, 安排; 准备工作", + "ENG": "plans and preparations that you must make so that something can happen" + }, + "strip": { + "CHS": " 条带", + "ENG": "a long narrow piece of paper, cloth etc" + }, + "continuous": { + "CHS": " 连续不断的; 延伸的", + "ENG": "continuing to happen or exist without stopping" + }, + "maid": { + "CHS": " 女仆, 侍女", + "ENG": "a female servant, especially in a large house or hotel" + }, + "residence": { + "CHS": " 住处, 住宅; 居住; 居住资格", + "ENG": "the state of living in a place" + }, + "credit": { + "CHS": " 相信; 把…记入贷方; 把…归于", + "ENG": "to add money to a bank account" + }, + "regardless": { + "CHS": " 不顾后果地; 不管怎样, 无论如何", + "ENG": "without being affected or influenced by something" + }, + "oxygen": { + "CHS": " 氧, 氧气", + "ENG": "a gas that has no colour or smell, is present in air, and is necessary for most animals and plants to live. It is a chemical element: symbol O" + }, + "intensive": { + "CHS": " 加强的; 精深的, 透彻的; 精耕细作的", + "ENG": "involving a lot of activity, effort, or careful attention in a short period of time" + }, + "ideal": { + "CHS": " 理想; 理想的东西", + "ENG": "a principle about what is morally right or a perfect standard that you hope to achieve" + }, + "bearing": { + "CHS": " 举止, 风度; 方位, 方向感; 影响", + "ENG": "the way in which you move, stand, or behave, especially when this shows your character" + }, + "occur": { + "CHS": " 发生, 出现, 存在; 被想起, 被想到", + "ENG": "to happen" + }, + "comedy": { + "CHS": " 喜剧, 喜剧性", + "ENG": "entertainment that is intended to make people laugh" + }, + "broom": { + "CHS": " 扫帚", + "ENG": "a large brush with a long handle, used for sweeping floors" + }, + "pressure": { + "CHS": " 对…施加压力, 迫使", + "ENG": "to try to make someone do something by making them feel it is their duty to do it" + }, + "breeze": { + "CHS": "微风,和风", + "ENG": "a gentle wind" + }, + "trash": { + "CHS": " 捣毁, 破坏", + "ENG": "to destroy something completely, either deliberately or by using it too much" + }, + "painter": { + "CHS": " 漆工; 画家", + "ENG": "someone who paints pictures" + }, + "millimetre": { + "CHS": " 毫米", + "ENG": "a unit for measuring length. There are 1,000 millimetres in one metre." + }, + "horn": { + "CHS": " 角; 号角; 警报器", + "ENG": "the hard pointed thing that grows, usually in pairs, on the heads of animals such as cows and goats" + }, + "specialist": { + "CHS": " 专家", + "ENG": "someone who knows a lot about a particular subject, or is very skilled at it" + }, + "infer": { + "CHS": " 推论, 推断; 猜想", + "ENG": "to form an opinion that something is probably true because of information that you have" + }, + "compass": { + "CHS": " 罗盘, 指南针; 圆规; 界限, 范围", + "ENG": "an instrument that shows directions and has a needle that always points north" + }, + "sore": { + "CHS": " 疮, 痛处", + "ENG": "a painful, often red, place on your body caused by a wound or infection" + }, + "dispose": { + "CHS": " 处理, 解决; 使倾向于", + "ENG": "to deal with or settle " + }, + "glow": { + "CHS": "白热光;脸红;激情", + "ENG": "A glow is a pink colour on a person's face, usually because they are healthy or have been exercising" + }, + "curtain": { + "CHS": " 门帘, 窗帘; 幕", + "ENG": "a piece of hanging cloth that can be pulled across to cover a window, divide a room etc" + }, + "laughter": { + "CHS": " 笑, 笑声", + "ENG": "when people laugh, or the sound of people laughing" + }, + "constitution": { + "CHS": " 宪法, 章程; 组成; 设立", + "ENG": "a set of basic laws and principles that a country or organization is governed by" + }, + "blend": { + "CHS": " 混合", + "ENG": "to combine different things in a way that produces an effective or pleasant result, or to become combined in this way" + }, + "certificate": { + "CHS": " 证书, 证件, 执照", + "ENG": "an official document that states that a fact or facts are true" + }, + "mess": { + "CHS": " 弄糟, 弄脏, 搞乱", + "ENG": "to make something look untidy or dirty" + }, + "sour": { + "CHS": " 变酸, 变馊; 变得乖戾", + "ENG": "if milk sours, or if something sours it, it begins to have an unpleasant sharp taste" + }, + "delete": { + "CHS": " 删除, 擦掉", + "ENG": "to remove something that has been written down or stored in a computer" + }, + "nonsense": { + "CHS": " 胡说, 废话; 冒失的行动", + "ENG": "ideas, opinions, statements etc that are not true or that seem very stupid" + }, + "stain": { + "CHS": " 污点, 污迹", + "ENG": "a mark that is difficult to remove, especially one made by a liquid such as blood, coffee, or ink" + }, + "leadership": { + "CHS": " 领导", + "ENG": "the position of being the leader of a group, organization, country etc" + }, + "X-ray": { + "CHS": " X射线, X光", + "ENG": "a beam of radiation1 that can go through solid objects and is used for photographing the inside of the body" + }, + "fulfil": { + "CHS": " 履行, 实现, 完成; 满足, 使满意", + "ENG": "if you fulfil a hope, wish, or aim, you achieve the thing that you hoped for, wished for etc" + }, + "wicked": { + "CHS": " 坏的, 令人厌恶的; 淘气的, 顽皮的", + "ENG": "behaving in a way that is morally wrong" + }, + "spokesman": { + "CHS": " 发言人", + "ENG": "a man who has been chosen to speak officially for a group, organization, or government" + }, + "equation": { + "CHS": " 方程, 等式", + "ENG": "a statement in mathematics that shows that two amounts or totals are equal" + }, + "impressive": { + "CHS": " 给人深刻印象的", + "ENG": "something that is impressive makes you admire it because it is very good, large, important etc" + }, + "compound": { + "CHS": " 使恶化, 加重; 使化合, 使合成", + "ENG": "to make a difficult situation worse by adding more problems" + }, + "intensity": { + "CHS": " 强烈, 剧烈; 强度", + "ENG": "the quality of being felt very strongly or having a strong effect" + }, + "waken": { + "CHS": " 醒来, 弄醒", + "ENG": "to wake up, or to wake someone up" + }, + "concerning": { + "CHS": " 关于", + "ENG": "about or relating to" + }, + "attraction": { + "CHS": " 吸引, 吸引力; 引力; 具有吸引力的事物", + "ENG": "a feature or quality that makes something seem interesting or enjoyable" + }, + "circulation": { + "CHS": " 循环; 流传; 发行, 流通", + "ENG": "the movement of blood around your body" + }, + "bake": { + "CHS": " 烤, 烘, 焙", + "ENG": "to cook something using dry heat, in an oven " + }, + "mere": { + "CHS": " 仅仅的; 纯粹的" + }, + "accommodation": { + "CHS": " 住处; 膳宿", + "ENG": "a place for someone to stay, live, or work" + }, + "suburb": { + "CHS": " 郊区, 郊外, 近郊", + "ENG": "an area where people live which is away from the centre of a town or city" + }, + "threat": { + "CHS": " 威胁, 恐吓; 凶兆, 征兆", + "ENG": "a statement in which you tell someone that you will cause them harm or trouble if they do not do what you want" + }, + "writer": { + "CHS": " 作者, 作家", + "ENG": "someone who writes books, stories etc, especially as a job" + }, + "breast": { + "CHS": " 乳房; 胸脯, 胸膛", + "ENG": "one of the two round raised parts on a woman’s chest that produce milk when she has a baby" + }, + "invention": { + "CHS": " 发明, 创造; 捏造", + "ENG": "a useful machine, tool, instrument etc that has been invented" + }, + "mercy": { + "CHS": " 仁慈, 宽容; 恩惠; 幸运", + "ENG": "if someone shows mercy, they choose to forgive or to be kind to someone who they have the power to hurt or punish" + }, + "curl": { + "CHS": " 鬈发; 卷曲, 卷曲物", + "ENG": "a piece of hair that hangs in a curved shape" + }, + "inform": { + "CHS": "通知;报告", + "ENG": "to officially tell someone about something or give them information" + }, + "glue": { + "CHS": " 胶合", + "ENG": "to join two things together using glue" + }, + "scream": { + "CHS": " 尖叫声", + "ENG": "a loud high sound that you make with your voice because you are hurt, frightened, excited etc" + }, + "sorrow": { + "CHS": " 悲痛, 悲哀, 悲伤; 伤心事, 不幸的事", + "ENG": "a feeling of great sadness, usually because someone has died or because something terrible has happened to you" + }, + "patch": { + "CHS": " 补, 修补", + "ENG": "to repair a hole in something by putting a piece of something else over it" + }, + "observer": { + "CHS": " 观察员, 观察者", + "ENG": "someone who regularly watches or pays attention to particular things, events, situations etc" + }, + "procession": { + "CHS": " 队伍, 行列", + "ENG": "a line of people or vehicles moving slowly as part of a ceremony" + }, + "Marxist": { + "CHS": " 马克思主义者", + "ENG": "someone who agrees with Marxism" + }, + "bang": { + "CHS": "猛击,猛撞;砰地敲", + "ENG": "to hit something hard, making a loud noise" + }, + "brow": { + "CHS": " 额, 眉, 眉毛", + "ENG": "the part of your face above your eyes and below your hair" + }, + "meaning": { + "CHS": " 意义, 意思; 目的; 重要性", + "ENG": "the thing or idea that a word, expression, or sign represents" + }, + "magnetic": { + "CHS": " 磁的; 有吸引力的", + "ENG": "concerning or produced by magnetism " + }, + "band": { + "CHS": " 用带绑扎" + }, + "orbit": { + "CHS": " 做轨道运行", + "ENG": "to travel in a curved path around a much larger object such as the Earth, the Sun etc" + }, + "comprise": { + "CHS": " 包含, 包括, 构成", + "ENG": "to consist of particular parts, groups etc" + }, + "moderate": { + "CHS": " 和缓, 减轻; 节制", + "ENG": "to make something less extreme or violent, or to become less extreme or violent" + }, + "spray": { + "CHS": "浪花,水花;喷雾", + "ENG": "liquid which is forced out of a special container in a stream of very small drops" + }, + "receiver": { + "CHS": " 听筒; 接收器", + "ENG": "the part of a telephone that you hold next to your mouth and ear" + }, + "outer": { + "CHS": " 外面的, 外层的", + "ENG": "on the outside of something" + }, + "invent": { + "CHS": " 发明, 创造; 捏造", + "ENG": "to make, design, or think of a new type of thing" + }, + "fluent": { + "CHS": " 流利的, 流畅的", + "ENG": "able to speak a language very well" + }, + "shortcoming": { + "CHS": " 短处, 缺点", + "ENG": "a fault or weakness that makes someone or something less successful or effective than they should be" + }, + "execute": { + "CHS": " 将…处死; 实施, 执行", + "ENG": "to kill someone, especially legally as a punishment" + }, + "flood": { + "CHS": "洪水;大量", + "ENG": "a very large amount of water that covers an area that is usually dry" + }, + "vitamin": { + "CHS": " 维生素", + "ENG": "a chemical substance in food that is necessary for good health" + }, + "pillar": { + "CHS": " 柱, 柱子; 栋梁", + "ENG": "a tall upright round post used as a support for a roof or bridge" + }, + "thereby": { + "CHS": " 因此, 从而, 由此", + "ENG": "with the result that something else happens" + }, + "funeral": { + "CHS": " 葬礼, 丧礼, 丧葬", + "ENG": "a religious ceremony for burying or cremating (= burning ) someone who has died" + }, + "fireman": { + "CHS": " 消防队员; 司炉工", + "ENG": "a man whose job is to stop fires burning" + }, + "sincere": { + "CHS": " 真诚的, 诚挚的", + "ENG": "a feeling, belief, or statement that is sincere is honest and true, and based on what you really feel and believe" + }, + "male": { + "CHS": " 男子, 雄性动物", + "ENG": "a male animal" + }, + "ministry": { + "CHS": " 部", + "ENG": "a government department that is responsible for one of the areas of government work, such as education or health" + }, + "religious": { + "CHS": " 宗教的; 笃信宗教的, 虔诚的", + "ENG": "relating to religion in general or to a particular religion" + }, + "nevertheless": { + "CHS": " 仍然, 然而", + "ENG": "in spite of a fact that you have just mentioned" + }, + "shelter": { + "CHS": " 掩蔽, 庇护; 躲避", + "ENG": "to stay in or under a place where you are protected from the weather or from danger" + }, + "outset": { + "CHS": " 开始, 开端", + "ENG": "at or from the beginning of an event or process" + }, + "jewel": { + "CHS": " 宝石; 宝石饰物", + "ENG": "a valuable stone, such as a diamond" + }, + "scan": { + "CHS": " 扫描", + "ENG": "a medical test in which a special machine produces a picture of something inside your body" + }, + "association": { + "CHS": " 协会, 团体; 联合, 交往", + "ENG": "an organization that consists of a group of people who have the same aims, do the same kind of work etc" + }, + "fundamental": { + "CHS": " 基本原则" + }, + "global": { + "CHS": " 全球的, 全世界的; 总的, 完整的", + "ENG": "affecting or including the whole world" + }, + "unless": { + "CHS": " 除非, 如果不", + "ENG": "used to say that something will happen or be true if something else does not happen or is not true" + }, + "butterfly": { + "CHS": " 蝴蝶", + "ENG": "a type of insect that has large wings, often with beautiful colours" + }, + "glance": { + "CHS": " 用扫视; 反射" + }, + "relationship": { + "CHS": " 关系, 关联", + "ENG": "the way in which two people or two groups feel about each other and behave towards each other" + }, + "dictation": { + "CHS": " 口授; 听写", + "ENG": "when you say words for someone to write down" + }, + "stiff": { + "CHS": "硬的,僵直的;不灵活的;拘谨的,生硬的;费劲的;强烈的", + "ENG": "if someone or a part of their body is stiff, their muscles hurt and it is difficult for them to move" + }, + "expression": { + "CHS": " 词语; 表达; 表情", + "ENG": "something you say, write, or do that shows what you think or feel" + }, + "reaction": { + "CHS": " 反应; 反作用", + "ENG": "something that you feel or do because of something that has happened or been said" + }, + "childhood": { + "CHS": " 童年, 幼年, 早期", + "ENG": "A person's childhood is the period of their life when they are a child" + }, + "wolf": { + "CHS": " 狼", + "ENG": "a wild animal that looks like a large dog and lives and hunts in groups" + }, + "accordance": { + "CHS": " 一致; 和谐" + }, + "thorough": { + "CHS": " 彻底的, 详尽的", + "ENG": "including every possible detail" + }, + "democracy": { + "CHS": " 民主, 民主制; 民主国家", + "ENG": "a system of government in which every citizen in the country can vote to elect its government officials" + }, + "dye": { + "CHS": " 染料; 染色", + "ENG": "a substance you use to change the colour of your clothes, hair etc" + }, + "extensive": { + "CHS": " 广阔的, 广泛的", + "ENG": "large in size, amount, or degree" + }, + "congratulation": { + "CHS": " 贺词; 祝贺, 恭喜", + "ENG": "when you tell someone that you are happy because they have achieved something or because something nice has happened to them" + }, + "abandon": { + "CHS": " 放任; 纵情", + "ENG": "if someone does something with abandon, they behave in a careless or uncontrolled way, without thinking or caring about what they are doing" + }, + "definitely": { + "CHS": " 一定地, 明确地", + "ENG": "without any doubt" + }, + "geometry": { + "CHS": " 几何, 几何学", + "ENG": "the study in mathematics of the angles and shapes formed by the relationships of lines, surfaces, and solid objects in space" + }, + "ratio": { + "CHS": " 比, 比率", + "ENG": "a relationship between two amounts, represented by a pair of numbers showing how much bigger one amount is than the other" + }, + "wool": { + "CHS": " 羊毛; 毛线, 绒线", + "ENG": "the soft thick hair that sheep and some goats have on their body" + }, + "wholly": { + "CHS": " 完全地, 全部地", + "ENG": "completely" + }, + "instinct": { + "CHS": " 本能, 天性; 直觉", + "ENG": "a natural tendency to behave in a particular way or a natural ability to know something, which is not learned" + }, + "approximate": { + "CHS": " 近似; 估计", + "ENG": "to be close to a particular number" + }, + "afterward": { + "CHS": " 后来, 以后", + "ENG": "If you do something or if something happens afterward, you do it or it happens after a particular event or time that has already been mentioned" + }, + "shrug": { + "CHS": " 耸肩", + "ENG": "to raise and then lower your shoulders in order to show that you do not know something or do not care about something" + }, + "independence": { + "CHS": " 独立, 自主, 自立", + "ENG": "political freedom from control by the government of another country" + }, + "coordination": { + "CHS": " 同等; 调和", + "ENG": "the way in which your muscles move together when you perform a movement" + }, + "presentation": { + "CHS": " 提供, 显示; 外观, 图像; 授予, 赠送; 报告, 介绍; 表演", + "ENG": "the act of giving someone a prize or present at a formal ceremony" + }, + "diameter": { + "CHS": " 直径", + "ENG": "a straight line from one side of a circle to the other side, passing through the centre of the circle, or the length of this line" + }, + "barn": { + "CHS": " 谷仓; 牲口棚", + "ENG": "a large farm building for storing crops, or for keeping animals in" + }, + "bark": { + "CHS": " 吠声, 叫声; 树皮", + "ENG": "the sharp loud sound made by a dog" + }, + "loop": { + "CHS": "圈,环,回路;循环", + "ENG": "a shape like a curve or a circle made by a line curving back towards itself, or a piece of wire, string etc that has this shape" + }, + "restrain": { + "CHS": " 阻止, 控制; 抑制, 遏制", + "ENG": "to stop someone from doing something, often by using physical force" + }, + "greedy": { + "CHS": " 贪吃的; 贪婪的; 渴望的", + "ENG": "always wanting more food, money, power, possessions etc than you need" + }, + "awkward": { + "CHS": " 笨拙的, 尴尬的; 难操纵的, 使用不便的; 不灵巧的", + "ENG": "making you feel embarrassed so that you are not sure what to do or say" + }, + "bare": { + "CHS": " 露出, 显露", + "ENG": "to remove something that was covering or hiding something" + }, + "ruin": { + "CHS": "毁灭;废墟", + "ENG": "the part of a building that is left after the rest has been destroyed" + }, + "crane": { + "CHS": " 起重机, 摄影升降机; 鹤", + "ENG": "a large tall machine used by builders for lifting heavy things" + }, + "beard": { + "CHS": " 胡须, 络腮胡子", + "ENG": "hair that grows around a man’s chin and cheeks" + }, + "impatient": { + "CHS": " 不耐烦的, 急躁的", + "ENG": "annoyed because of delays, someone else’s mistakes etc" + }, + "spill": { + "CHS": " 溢出", + "ENG": "when you spill something, or an amount of something that is spilled" + }, + "owing": { + "CHS": " 应付的, 未付的", + "ENG": "if money is owing, it has not yet been paid to the person who should receive it" + }, + "collection": { + "CHS": " 搜集, 聚集, 积聚; 收集, 收取; 收藏品, 收集的东西", + "ENG": "the act of obtaining money that is owed to you" + }, + "gardener": { + "CHS": " 园丁, 花匠", + "ENG": "someone whose job is to work in gardens" + }, + "conquest": { + "CHS": " 攻取, 征服, 克服", + "ENG": "the act of getting control of a country by fighting" + }, + "finding": { + "CHS": " 发现; 调查的结果; 裁决", + "ENG": "the information that someone has discovered as a result of their study, work etc" + }, + "dense": { + "CHS": " 密集的, 浓厚的; 密度大的", + "ENG": "made of or containing a lot of things or people that are very close together" + }, + "fortnight": { + "CHS": " 两星期, 十四天", + "ENG": "two weeks" + }, + "laboratory": { + "CHS": " 实验室, 研究室", + "ENG": "a special room or building in which a scientist does tests or prepares substances" + }, + "inspect": { + "CHS": "检查,审查;检阅", + "ENG": "to examine something carefully in order to find out more about it or to find out what is wrong with it" + }, + "systematical": { + "CHS": " 有系统的, 有计划的" + }, + "farewell": { + "CHS": " 告别, 欢送会", + "ENG": "the action of saying goodbye" + }, + "allow": { + "CHS": " 允许, 准许; 同意给; 承认; 允许…进入", + "ENG": "to let someone do or have something, or let something happen" + }, + "appliance": { + "CHS": " 用具, 器具, 器械; 家电", + "ENG": "a piece of equipment, especially electrical equipment, such as a cooker or washing machine , used in people’s homes" + }, + "mass": { + "CHS": "众多,大量;团,块,堆;群众;质量", + "ENG": "a large crowd" + }, + "lord": { + "CHS": " 领主, 君主, 贵族", + "ENG": "a man who has a rank in the aristocracy , especially in Britain, or his title" + }, + "amateur": { + "CHS": "业余爱好者;外行", + "ENG": "someone who does an activity just for pleasure, not as their job" + }, + "condemn": { + "CHS": " 谴责, 指责; 判…刑, 宣告…有罪", + "ENG": "to say very strongly that you do not approve of something or someone, especially because you think it is morally wrong" + }, + "beast": { + "CHS": " 兽, 野兽, 牲畜; 凶残的人, 令人厌憎的人", + "ENG": "an animal, especially a large or dangerous one" + }, + "assistance": { + "CHS": " 协助, 援助", + "ENG": "help or support" + }, + "commerce": { + "CHS": " 商业, 贸易; 社交", + "ENG": "the buying and selling of goods and services" + }, + "poem": { + "CHS": " 诗", + "ENG": "a piece of writing that expresses emotions, experiences, and ideas, especially in short lines using words that rhyme (= end with the same sound ) " + }, + "interest": { + "CHS": " 使感兴趣", + "ENG": "to make someone want to pay attention to something and find out more about it" + }, + "gulf": { + "CHS": " 海湾; 巨大的分歧", + "ENG": "a large area of sea partly enclosed by land" + }, + "poet": { + "CHS": " 诗人", + "ENG": "someone who writes poems" + }, + "shave": { + "CHS": " 修面, 刮脸", + "ENG": "if a man has a shave, he cuts off the hair on his face close to his skin using a razor " + }, + "organic": { + "CHS": " 有机体的, 有机物的", + "ENG": "relating to farming or gardening methods of growing food without using artificial chemicals, or produced or grown by these methods" + }, + "summary": { + "CHS": "摘要,概要,一览", + "ENG": "a short statement that gives the main information about something, without giving all the details" + }, + "inferior": { + "CHS": " 下级, 下属", + "ENG": "someone who has a lower position or rank than you in an organization" + }, + "steamer": { + "CHS": " 轮船, 汽船", + "ENG": "a steamship " + }, + "recently": { + "CHS": " 最近, 新近", + "ENG": "not long ago" + }, + "overlook": { + "CHS": " 忽视; 宽恕; 俯瞰", + "ENG": "to not notice something, or not see how important it is" + }, + "politician": { + "CHS": " 政治家, 政客", + "ENG": "someone who works in politics, especially an elected member of the government" + }, + "dramatic": { + "CHS": " 引人注目的, 激动人心的; 突然的", + "ENG": "exciting or impressive" + }, + "mosquito": { + "CHS": " 蚊子", + "ENG": "a small flying insect that sucks the blood of people and animals, sometimes spreading the disease malaria " + }, + "guitar": { + "CHS": " 吉他, 六弦琴", + "ENG": "a musical instrument usually with six strings that you play by pulling the strings with your fingers or with a plectrum (= small piece of plastic, metal etc ) " + }, + "layout": { + "CHS": " 布局, 安排, 设计", + "ENG": "the way in which something such as a town, garden, or building is arranged" + }, + "artificial": { + "CHS": " 人工的, 人为的; 矫揉造作的; 模拟的", + "ENG": "not real or not made of natural things but made to be like something that is real or natural" + }, + "removal": { + "CHS": " 除去, 消除; 移动, 搬迁", + "ENG": "when you get rid of something so that it does not exist any longer" + }, + "formula": { + "CHS": " 公式, 方程式; 原则, 方案; 配方", + "ENG": "a method or set of principles that you use to solve a problem or to make sure that something is successful" + }, + "revolt": { + "CHS": " 反叛, 起义", + "ENG": "strong and often violent action by a lot of people against their ruler or government" + }, + "disgust": { + "CHS": " 厌恶, 憎恶", + "ENG": "a strong feeling of dislike, annoyance, or disapproval" + }, + "stem": { + "CHS": " 堵住, 止住, 停住", + "ENG": "to stop the flow of a liquid" + }, + "sunshine": { + "CHS": " 日光, 阳光", + "ENG": "the light and heat that come from the sun when there is no cloud" + }, + "trend": { + "CHS": " 倾向", + "ENG": "a general tendency in the way a situation is changing or developing" + }, + "achievement": { + "CHS": " 完成; 成就, 成绩", + "ENG": "something important that you succeed in doing by your own efforts" + }, + "desirable": { + "CHS": " 值得向往的, 令人满意的" + }, + "balcony": { + "CHS": " 阳台; 楼厅, 楼座", + "ENG": "a structure that you can stand on, that is attached to the outside wall of a building, above ground level" + }, + "preparation": { + "CHS": " 准备, 预备; 制剂", + "ENG": "the process of preparing something or preparing for something" + }, + "relate": { + "CHS": "使有关联;讲述,叙述", + "ENG": "if two things relate, they are connected in some way" + }, + "elevator": { + "CHS": " 电梯, 升降机", + "ENG": "a machine that takes people and goods from one level to another in a building" + }, + "grammar": { + "CHS": " 语法; 语法书", + "ENG": "the rules by which words change their forms and are combined into sentences, or the study or use of these rules" + }, + "preliminary": { + "CHS": " 初步做法, 起始行为" + }, + "dependent": { + "CHS": " 依靠的, 依赖的; 取决于…的", + "ENG": "needing someone or something in order to exist, be successful, be healthy etc" + }, + "profession": { + "CHS": " 职业; 声明, 表白", + "ENG": "A profession is a type of job that requires advanced education or training" + }, + "calculator": { + "CHS": " 计算器, 计算者", + "ENG": "a small electronic machine that can add, multiply etc" + }, + "van": { + "CHS": " 大篷车, 运货车", + "ENG": "a vehicle used especially for carrying goods, which is smaller than a truck and has a roof and usually no windows at the sides" + }, + "biology": { + "CHS": " 生物学, 生态学", + "ENG": "the scientific study of living things" + }, + "worm": { + "CHS": " 虫, 蠕虫", + "ENG": "a long thin creature with no bones and no legs that lives in soil" + }, + "compress": { + "CHS": " 压紧, 压缩", + "ENG": "to press something or make it smaller so that it takes up less space, or to become smaller" + }, + "arise": { + "CHS": " 出现; 由…引起; 起身, 起床", + "ENG": "if a problem or difficult situation arises, it begins to happen" + }, + "collaborative": { + "CHS": " 合作的, 协作的, 协力完成的", + "ENG": "A collaborative piece of work is done by two or more people or groups working together" + }, + "cherish": { + "CHS": " 珍爱; 怀有", + "ENG": "to love someone or something very much and take care of them well" + }, + "cattle": { + "CHS": " 牛; 牲口, 家畜", + "ENG": "cows and bull s kept on a farm for their meat or milk" + }, + "imagination": { + "CHS": " 想象, 想象力, 空想; 想象出", + "ENG": "the ability to form pictures or ideas in your mind" + }, + "underneath": { + "CHS": " 下部, 底部", + "ENG": "the bottom surface of something, or the part of something that is below or under something else" + }, + "nursery": { + "CHS": " 托儿所, 保育室; 苗圃", + "ENG": "a place where young children are taken care of during the day while their parents are at work" + }, + "mate": { + "CHS": "伙伴,同事;配偶,配对物;大副", + "ENG": "someone you work with, do an activity with, or share something with" + }, + "emperor": { + "CHS": " 皇帝", + "ENG": "the man who is the ruler of an empire" + }, + "prolong": { + "CHS": " 拉长, 延长", + "ENG": "to deliberately make something such as a feeling or an activity last longer" + }, + "flock": { + "CHS": " 羊群, 群; 大量", + "ENG": "a group of sheep, goats, or birds" + }, + "internal": { + "CHS": " 内的; 国内的; 内心的", + "ENG": "within a particular country" + }, + "thumb": { + "CHS": "拇指", + "ENG": "the part of your hand that is shaped like a thick short finger and helps you to hold things" + }, + "republican": { + "CHS": " 共和党人", + "ENG": "someone who believes in government by elected representatives only, with no king or queen" + }, + "literary": { + "CHS": " 文学的; 文人的, 书卷气的", + "ENG": "relating to literature" + }, + "forehead": { + "CHS": " 额头; 前部", + "ENG": "the part of your face above your eyes and below your hair" + }, + "classical": { + "CHS": " 古典的, 经典的", + "ENG": "belonging to a traditional style or set of ideas" + }, + "privilege": { + "CHS": " 特权; 优惠", + "ENG": "a special advantage that is given only to one person or group of people" + }, + "punch": { + "CHS": " 猛击; 冲床; 穿孔机; 力量, 效力", + "ENG": "a strong effective way of expressing things that makes people interested" + }, + "naturally": { + "CHS": " 当然; 天然地; 天生地", + "ENG": "use this to say that something is normal and not surprising" + }, + "mysterious": { + "CHS": " 神秘的, 诡秘的", + "ENG": "mysterious events or situations are difficult to explain or understand" + }, + "moreover": { + "CHS": " 而且, 再者, 此外", + "ENG": "in addition – used to introduce information that adds to or supports what has previously been said" + }, + "scatter": { + "CHS": " 撒, 散播; 散开, 驱散", + "ENG": "if someone scatters a lot of things, or if they scatter, they are thrown or dropped over a wide area in an irregular way" + }, + "writing": { + "CHS": " 书写, 写; 著作", + "ENG": "books, poems, articles etc, especially those by a particular writer or about a particular subject" + }, + "federal": { + "CHS": " 联邦的, 联盟的", + "ENG": "a federal country or system of government consists of a group of states which control their own affairs, but which are also controlled by a single national government which makes decisions on foreign affairs, defence etc" + }, + "verify": { + "CHS": " 证实, 查证, 证明", + "ENG": "to state that something is true" + }, + "collective": { + "CHS": " 团体, 集体", + "ENG": "a group of people who work together to run something such as a business or farm, and who share the profits equally" + }, + "excursion": { + "CHS": " 远足, 短途旅行", + "ENG": "a short journey arranged so that a group of people can visit a place, especially while they are on holiday" + }, + "event": { + "CHS": " 事件, 大事, 事变", + "ENG": "something that happens, especially something important, interesting or unusual" + }, + "academy": { + "CHS": " 研究会, 学会; 专门学校", + "ENG": "an official organization which encourages the development of literature, art, science etc" + }, + "sympathize": { + "CHS": " 同情, 怜悯; 体谅; 赞同", + "ENG": "to feel sorry for someone because you understand their problems" + }, + "alongside": { + "CHS": " 在…旁边, 沿着…的边; 和…在一起" + }, + "coupon": { + "CHS": " 礼券, 优惠券, 配给券; 联票; 票证", + "ENG": "a small piece of printed paper that gives you the right to pay less for something or get something free" + }, + "railroad": { + "CHS": " 由铁路运输" + }, + "nucleus": { + "CHS": " 核心; 核", + "ENG": "the central part of an atom, made up of neutrons, protons, and other elementary particles" + }, + "fascinating": { + "CHS": " 迷人的, 有极大吸引力的", + "ENG": "extremely interesting" + }, + "sting": { + "CHS": "刺伤处,蜇伤处", + "ENG": "a wound or mark made when an insect or plant stings you" + }, + "haste": { + "CHS": " 急速, 急忙; 草率" + }, + "agenda": { + "CHS": " 议事日程", + "ENG": "a list of problems or subjects that a government, organization etc is planning to deal with" + }, + "liquid": { + "CHS": "液体", + "ENG": "a substance that is not a solid or a gas, for example water or milk" + }, + "culture": { + "CHS": " 文化, 文明; 教养; 培养; 培养菌", + "ENG": "the beliefs, way of life, art, and customs that are shared and accepted by people in a particular society" + }, + "sleeve": { + "CHS": " 袖子, 袖套", + "ENG": "the part of a piece of clothing that covers all or part of your arm" + }, + "devotion": { + "CHS": " 献身, 奉献; 忠实; 热爱; 虔诚", + "ENG": "the loyalty that you show towards a person, job etc, especially by working hard" + }, + "anonymous": { + "CHS": " 匿名的; 无名的; 无特色的", + "ENG": "unknown by name" + }, + "fisherman": { + "CHS": " 渔民, 渔夫", + "ENG": "someone who catches fish as a sport or as a job" + }, + "span": { + "CHS": " 持续, 贯穿; 包括; 横跨, 跨越", + "ENG": "to include all of a period of time" + }, + "existence": { + "CHS": " 存在, 实在, 生存", + "ENG": "the state of existing" + }, + "craft": { + "CHS": " 工艺, 手艺; 船, 航空器", + "ENG": "a job or activity in which you make things with your hands, and that you usually need skill to do" + }, + "butcher": { + "CHS": " 屠宰, 残杀", + "ENG": "to kill animals and prepare them to be used as meat" + }, + "minority": { + "CHS": " 少数; 少数民族", + "ENG": "a small group of people or things within a much larger group" + }, + "pole": { + "CHS": " 杆; 极, 磁极, 电极", + "ENG": "one of two points at the ends of a magnet where its power is the strongest" + }, + "float": { + "CHS": " 浮动, 漂浮; 飘动", + "ENG": "if something floats, it moves slowly through the air or stays up in the air" + }, + "graceful": { + "CHS": " 优美的, 优雅的; 得体的", + "ENG": "moving in a smooth and attractive way, or having an attractive shape or form" + }, + "fourfold": { + "CHS": "四倍的,四重的", + "ENG": "four times as much or as many" + }, + "preferable": { + "CHS": " 更可取的, 更好的, 更合意的", + "ENG": "better or more suitable" + }, + "reference": { + "CHS": " 提到, 论及; 参考; 引文; 参考书目; 证明书, 证明人", + "ENG": "part of something you say or write in which you mention a person or thing" + }, + "frog": { + "CHS": " 蛙", + "ENG": "a small green animal that lives near water and has long legs for jumping" + }, + "spite": { + "CHS": " 刁难, 欺侮" + }, + "chamber": { + "CHS": " 会议室, 会所; 房间; 腔, 室", + "ENG": "an enclosed space, especially in your body or inside a machine" + }, + "coarse": { + "CHS": " 粗的, 粗糙的; 粗劣的; 粗俗的", + "ENG": "having a rough surface that feels slightly hard" + }, + "nephew": { + "CHS": " 侄子, 外甥", + "ENG": "the son of your brother or sister, or the son of your husband’s or wife’s brother or sister" + }, + "publicity": { + "CHS": " 公众的注意, 名声; 宣传, 宣扬", + "ENG": "Publicity is information or actions that are intended to attract the public's attention to someone or something" + }, + "depart": { + "CHS": " 离开, 起程, 出发", + "ENG": "to leave, especially when you are starting a journey" + }, + "capture": { + "CHS": " 捕获, 俘获; 夺得", + "ENG": "to catch a person and keep them as a prisoner" + }, + "spade": { + "CHS": " 铲, 铁锹", + "ENG": "a tool for digging that has a long handle and a broad metal blade that you push into the ground" + }, + "sequence": { + "CHS": " 连续, 接续, 一连串; 次序, 顺序", + "ENG": "the order that something happens or exists in, or the order it is supposed to happen or exist in" + }, + "provision": { + "CHS": " 供应; 准备; 条款, 规定; 给养, 口粮", + "ENG": "when you provide something that someone needs now or in the future" + }, + "thrust": { + "CHS": " 戳, 刺; 要点, 要旨; 推力", + "ENG": "the main meaning or aim of what someone is saying or doing" + }, + "fame": { + "CHS": " 名声, 名望", + "ENG": "the state of being known about by a lot of people because of your achievements" + }, + "mud": { + "CHS": " 泥, 泥浆", + "ENG": "wet earth that has become soft and sticky" + }, + "mug": { + "CHS": " 对…行凶抢劫", + "ENG": "to attack someone and rob them in a public place" + }, + "pond": { + "CHS": " 池塘", + "ENG": "a small area of fresh water that is smaller than a lake, that is either natural or artificially made" + }, + "arrival": { + "CHS": " 到达, 到来; 到达者, 到达物", + "ENG": "when someone or something arrives somewhere" + }, + "scientific": { + "CHS": " 科学的", + "ENG": "about or related to science, or using its methods" + }, + "frequent": { + "CHS": " 常到, 常去", + "ENG": "to go to a particular place often" + }, + "according": { + "CHS": " 相等的, 一致的, 依…而定的" + }, + "insure": { + "CHS": " 为…投保; 确保", + "ENG": "to buy insurance so that you will receive money if something bad happens to you, your family, your possessions etc" + }, + "powder": { + "CHS": " 粉, 粉末", + "ENG": "a dry substance in the form of very small grains" + }, + "membership": { + "CHS": " 会员身份, 会籍; 全体会员, 会员数", + "ENG": "when someone is a member of a club, group, or organization" + }, + "error": { + "CHS": " 错误, 谬误, 差错", + "ENG": "a mistake" + }, + "platform": { + "CHS": " 平台, 站台, 讲台; 纲领, 宣言", + "ENG": "the raised place beside a railway track where you get on and off a train in a station" + }, + "network": { + "CHS": " 网状物; 广播网, 电视网; 网络", + "ENG": "a system of lines, tubes, wires, roads etc that cross each other and are connected to each other" + }, + "jealous": { + "CHS": " 妒忌的, 猜疑的; 精心守护的", + "ENG": "feeling unhappy because someone has something that you wish you had" + }, + "rust": { + "CHS": "铁锈", + "ENG": "the reddish-brown substance that forms on iron or steel when it gets wet" + }, + "Negro": { + "CHS": " 黑人", + "ENG": "a word for a black person, usually considered offensive" + }, + "modernization": { + "CHS": " 现代化" + }, + "criminology": { + "CHS": " 犯罪学, 刑事学", + "ENG": "the scientific study of crime and criminals" + }, + "advantage": { + "CHS": " 优点, 优势, 好处", + "ENG": "a good or useful feature that something has" + }, + "assistant": { + "CHS": "助手,助理,助教", + "ENG": "someone who helps someone else in their work, especially by doing the less important jobs" + }, + "inn": { + "CHS": " 小旅店, 小酒店", + "ENG": "a small hotel or pub, especially an old one in the countryside" + }, + "instead": { + "CHS": " 作为替代; 却, 反而", + "ENG": "used to say what is done, when you have just said that a particular thing is not done" + }, + "controversy": { + "CHS": " 争论, 辩论", + "ENG": "a serious argument about something that involves many people and continues for a long time" + }, + "command": { + "CHS": " 命令, 指挥, 控制", + "ENG": "to tell someone officially to do something, especially if you are a military leader, a king etc" + }, + "newsstand": { + "CHS": " 报摊, 杂志摊", + "ENG": "A newsstand is a stall in the street or a public place, which sells newspapers and magazines" + }, + "worthless": { + "CHS": " 无价值的, 无用的", + "ENG": "something that is worthless has no value, importance, or use" + }, + "ambassador": { + "CHS": " 大使, 使节, 派驻国际组织的代表", + "ENG": "an important official who represents his or her government in a foreign country" + }, + "variable": { + "CHS": " 变量", + "ENG": "something that may be different in different situations, so that you cannot be sure what will happen" + }, + "temple": { + "CHS": " 圣堂, 神殿, 庙宇", + "ENG": "a building where people go to worship , in the Jewish, Hindu, Buddhist, Sikh, and Mormon religions" + }, + "growth": { + "CHS": " 增长, 增长量; 生长, 生长物", + "ENG": "an increase in the value of goods or services produced and sold by a business or a country" + }, + "landscape": { + "CHS": " 美化…的景观", + "ENG": "to make a park, garden etc look attractive and interesting by changing its design, and by planting trees and bushes etc" + }, + "weave": { + "CHS": " 织, 编", + "ENG": "to make cloth, a carpet, a basket etc by crossing threads or thin pieces under and over each other by hand or on a loom" + }, + "carrot": { + "CHS": " 胡萝卜", + "ENG": "a long pointed orange vegetable that grows under the ground" + }, + "normally": { + "CHS": " 通常; 正常地", + "ENG": "usually" + }, + "vague": { + "CHS": " 模糊的, 含糊的", + "ENG": "unclear because someone does not give enough detailed information or does not say exactly what they mean" + }, + "temporary": { + "CHS": " 暂时的, 临时的", + "ENG": "continuing for only a limited period of time" + }, + "fare": { + "CHS": "车费,船费,票价", + "ENG": "the price you pay to travel somewhere by bus, train, plane etc" + }, + "desperate": { + "CHS": " 拼死的, 不顾一切的; 绝望的; 极需要的", + "ENG": "willing to do anything to change a very bad situation, and not caring about danger" + }, + "leading": { + "CHS": " 指导的, 带头的; 最主要的; 饰演主角的", + "ENG": "The leading person or thing in a particular area is the one which is most important or successful" + }, + "accuracy": { + "CHS": " 准确, 精确", + "ENG": "the ability to do something in an exact way without making a mistake" + }, + "handy": { + "CHS": " 手边的, 便于使用的", + "ENG": "useful" + }, + "urge": { + "CHS": " 冲动, 强烈的欲望", + "ENG": "a strong wish or need" + }, + "resolution": { + "CHS": " 正式决定, 决议; 决心, 决意; 解决, 解答; 分辨率, 清晰度", + "ENG": "a formal decision or statement agreed on by a group of people, especially after a vote" + }, + "score": { + "CHS": "得分,比数,成绩;二十", + "ENG": "the number of points that each team or player has won in a game or competition" + }, + "quote": { + "CHS": " 引文, 引语; 报价, 牌价; 引号", + "ENG": "a sentence or phrase from a book, speech etc which you repeat in a speech or piece of writing because it is interesting or amusing" + }, + "graduate": { + "CHS": "毕业生;研究生", + "ENG": "someone who has completed a university degree, especially a first degree" + }, + "famine": { + "CHS": " 饥荒; 严重的缺乏", + "ENG": "a situation in which a large number of people have little or no food for a long time and many people die" + }, + "gramme": { + "CHS": "gram的英式拼法", + "ENG": "a British spelling of gram " + }, + "rag": { + "CHS": " 破布, 碎布; 破旧衣服", + "ENG": "a small piece of old cloth, for example one used for cleaning things" + }, + "visual": { + "CHS": " 视觉资料", + "ENG": "something such as a picture or the part of a film, video etc that you can see, as opposed to the parts that you hear" + }, + "understanding": { + "CHS": "理解,理解力;谅解;协议;相互理解,融洽", + "ENG": "an unofficial or informal agreement" + }, + "empire": { + "CHS": " 帝国", + "ENG": "a group of countries that are all controlled by one ruler or government" + }, + "educate": { + "CHS": " 教育, 培养, 训练", + "ENG": "to teach a child at a school, college, or university" + }, + "fairy": { + "CHS": " 小精灵, 小仙子", + "ENG": "a small imaginary creature with magic powers, which looks like a very small person" + }, + "rat": { + "CHS": " 鼠", + "ENG": "an animal that looks like a large mouse with a long tail" + }, + "mayor": { + "CHS": " 市长", + "ENG": "the person who has been elected to lead the government of a town or city" + }, + "fairly": { + "CHS": " 相当, 尚可, 还; 公平地", + "ENG": "more than a little, but much less than very" + }, + "handwriting": { + "CHS": " 笔迹, 手迹; 书法", + "ENG": "the style of someone’s writing" + }, + "merchant": { + "CHS": " 商人", + "ENG": "someone whose job is to buy and sell wine, coal etc, or a small company that does this" + }, + "raw": { + "CHS": " 自然状态的, 未加工过的; 生的; 未经分析的, 原始的; 生疏无知的, 未经训练的; 露肉而刺痛的", + "ENG": "not cooked" + }, + "proportional": { + "CHS": " 比例的, 成比例的", + "ENG": "something that is proportional to something else is in the correct or most suitable relationship to it in size, amount, importance etc" + }, + "economy": { + "CHS": " 经济; 节约, 节省", + "ENG": "something that you do in order to spend less money" + }, + "community": { + "CHS": " 社区, 社会, 公社; 团体, 界; 群落", + "ENG": "the people who live in the same area, town etc" + }, + "packet": { + "CHS": " 小包, 小盒", + "ENG": "a small flat package that is sent by post or delivered to someone" + }, + "airport": { + "CHS": " 机场, 航空港", + "ENG": "a place where planes take off and land, with buildings for passengers to wait in" + }, + "courtyard": { + "CHS": " 庭院, 院子", + "ENG": "an open space that is completely or partly surrounded by buildings" + }, + "nationality": { + "CHS": " 国籍; 民族", + "ENG": "the state of being legally a citizen of a particular country" + }, + "aboard": { + "CHS": " 在船上, 上船", + "ENG": "on or onto a ship, plane, or train" + }, + "shortly": { + "CHS": " 立刻, 不久; 不耐烦地; 简短地", + "ENG": "soon" + }, + "hobby": { + "CHS": " 业余爱好, 癖好", + "ENG": "an activity that you enjoy doing in your free time" + }, + "appropriate": { + "CHS": " 适当的, 恰当的", + "ENG": "correct or suitable for a particular time, situation, or purpose" + }, + "providing": { + "CHS": " 倘若" + }, + "throat": { + "CHS": " 咽喉, 喉咙; 嗓音", + "ENG": "the passage from the back of your mouth to the top of the tubes that go down to your lungs and stomach" + }, + "immediately": { + "CHS": " 立即, 马上; 直接地, 紧接地", + "ENG": "without delay" + }, + "manual": { + "CHS": " 手册, 指南", + "ENG": "a book that gives instructions about how to do something, especially how to use a machine" + }, + "measurement": { + "CHS": " 衡量, 测量; 尺寸, 大小", + "ENG": "the length, height etc of something" + }, + "retire": { + "CHS": " 退休, 退役; 退下, 退出, 撤退; 就寝", + "ENG": "to go away to a quiet place" + }, + "aspect": { + "CHS": " 方面; 朝向, 方向; 样子, 外表", + "ENG": "one part of a situation, idea, plan etc that has many parts" + }, + "behavior": { + "CHS": " 行为, 举止, 表现" + }, + "musician": { + "CHS": " 音乐家, 乐师", + "ENG": "someone who plays a musical instrument, especially very well or as a job" + }, + "minimize": { + "CHS": " 将…减少; 最小化", + "ENG": "to reduce something that is difficult, dangerous, or unpleasant to the smallest possible amount or degree" + }, + "descend": { + "CHS": " 下来, 下降; 下倾", + "ENG": "to move from a higher level to a lower one" + }, + "logical": { + "CHS": " 逻辑的, 合乎常理的", + "ENG": "seeming reasonable and sensible" + }, + "oblige": { + "CHS": " 迫使; 施恩于, 帮…的忙; 使感激", + "ENG": "if you are obliged to do something, you have to do it because the situation, the law, a duty etc makes it necessary" + }, + "slam": { + "CHS": " 砰的一声", + "ENG": "the noise or action of a door, window etc slamming" + }, + "swing": { + "CHS": " 摇摆; 秋千", + "ENG": "a seat hanging from ropes or chains, usually used by children to play on by moving it forwards and backwards using their legs" + }, + "ridiculous": { + "CHS": " 荒谬的, 可笑的", + "ENG": "very silly or unreasonable" + }, + "handbag": { + "CHS": " 手提包", + "ENG": "a small bag in which a woman carries money and personal things" + }, + "invasion": { + "CHS": " 入侵, 侵略, 侵犯", + "ENG": "when the army of one country enters another country by force, in order to take control of it" + }, + "spin": { + "CHS": " 旋转, 自转", + "ENG": "an act of turning around quickly" + }, + "shallow": { + "CHS": " 浅滩, 浅水处" + }, + "lease": { + "CHS": " 出租; 租得, 租有", + "ENG": "to use a building, car etc under a lease" + }, + "slap": { + "CHS": " 掴, 掌击, 拍", + "ENG": "a quick hit with the flat part of your hand" + }, + "spit": { + "CHS": " 唾沫, 唾液", + "ENG": "the watery liquid that is produced in your mouth" + }, + "scout": { + "CHS": "侦察员,侦察机,侦察舰;童子军", + "ENG": "a girl who is a member of an organization for girls that teaches them practical things" + }, + "anniversary": { + "CHS": " 周年纪念日", + "ENG": "a date on which something special or important happened in a previous year" + }, + "register": { + "CHS": "登记;登记表", + "ENG": "an official list of names of people, companies etc, or a book that has this list" + }, + "restless": { + "CHS": " 焦躁不安的; 静不下来的, 运动不止的", + "ENG": "unwilling to keep still or stay where you are, especially because you are nervous or bored" + }, + "persuasive": { + "CHS": " 劝诱的; 有说服力的", + "ENG": "able to make other people believe something or do what you ask" + }, + "fleet": { + "CHS": " 舰队, 船队", + "ENG": "a group of ships, or all the ships in a navy" + }, + "communicate": { + "CHS": " 通讯; 交际, 交流; 连接, 相通; 传达, 传播; 传染", + "ENG": "to express your thoughts and feelings clearly, so that other people understand them" + }, + "saddle": { + "CHS": " 给…装鞍; 使承担任务", + "ENG": "to put a saddle on a horse" + }, + "rural": { + "CHS": " 农村的, 乡村的", + "ENG": "happening in or relating to the countryside, not the city" + }, + "official": { + "CHS": " 官员, 行政人员, 高级人员", + "ENG": "someone who is in a position of authority in an organization" + }, + "historical": { + "CHS": " 历史的, 有关历史的", + "ENG": "relating to the past" + }, + "repetition": { + "CHS": " 重复, 反复", + "ENG": "doing or saying the same thing many times" + }, + "acid": { + "CHS": "酸", + "ENG": "a chemical substance that has a pH of less than 7. Strong acids can burn holes in material or damage your skin" + }, + "transmission": { + "CHS": " 传播, 发射; 传送, 传递; 传染", + "ENG": "the process of sending out electronic signals, messages etc, using radio, television, or other similar equipment" + }, + "shortage": { + "CHS": " 不足, 缺少", + "ENG": "a situation in which there is not enough of something that people need" + }, + "female": { + "CHS": "雌性动物;女子", + "ENG": "an animal that belongs to the sex that can have babies or produce eggs" + }, + "microphone": { + "CHS": " 扩音器, 话筒, 麦克风", + "ENG": "a piece of equipment that you speak into to record your voice or make it louder when you are speaking or performing in public" + }, + "surrender": { + "CHS": " 交出, 放弃; 投降", + "ENG": "to say officially that you want to stop fighting, because you realize that you cannot win" + }, + "faint": { + "CHS": "昏厥", + "ENG": "an act of becoming unconscious" + }, + "world-wide": { + "CHS": " 遍及全球的", + "ENG": "Worldwide is also an adjective" + }, + "minister": { + "CHS": " 部长, 大臣; 公使, 外交使节; 牧师", + "ENG": "a politician who is in charge of a government depart-ment, in Britain and some other countries" + }, + "jail": { + "CHS": " 监禁, 拘留; 塞满; 卡住; 干扰", + "ENG": "to put someone in jail" + }, + "typewriter": { + "CHS": " 打字机", + "ENG": "a machine with keys that you press in order to print letters of the alphabet onto paper" + }, + "helpless": { + "CHS": " 无助的; 无能的; 无法抗拒的", + "ENG": "unable to look after yourself or to do anything to help yourself" + }, + "respect": { + "CHS": " 尊敬; 尊重", + "ENG": "to admire someone because they have high standards and good qualities such as fairness and honesty" + }, + "volume": { + "CHS": " 卷, 册, 书卷; 容积, 体积; 音量, 响度", + "ENG": "the amount of sound produced by a television, radio etc" + }, + "ache": { + "CHS": " 疼痛", + "ENG": "a continuous pain that is not sharp or very strong" + }, + "shell": { + "CHS": " 剥…的壳; 炮击", + "ENG": "to fire shells from large guns at something" + }, + "loose": { + "CHS": " 松的; 不精确的, 不严密的; 散漫的", + "ENG": "not firmly fastened in place" + }, + "therefore": { + "CHS": " 因此, 所以", + "ENG": "as a result of something that has just been mentioned" + }, + "hesitate": { + "CHS": " 犹豫, 踌躇; 含糊; 不情愿" + }, + "rifle": { + "CHS": " 来复枪, 步枪", + "ENG": "a long gun which you hold up to your shoulder to shoot" + }, + "baggage": { + "CHS": " 行李", + "ENG": "the cases, bags, boxes etc carried by someone who is travelling" + }, + "companion": { + "CHS": " 同伴, 共事者; 伴侣", + "ENG": "someone you spend a lot of time with, especially a friend" + }, + "breakdown": { + "CHS": " 垮, 衰竭; 损坏, 故障; 倒塌", + "ENG": "an occasion when a car or a piece of machinery breaks and stops working" + }, + "paste": { + "CHS": " 粘, 贴", + "ENG": "to stick something to something else using glue" + }, + "jeans": { + "CHS": " 工装裤, 牛仔裤", + "ENG": "trousers made of denim(= a strong, usually blue, cotton cloth )" + }, + "overnight": { + "CHS": " 一整夜的; 一夜间的, 突然的", + "ENG": "happening during the night or for the night" + }, + "stretch": { + "CHS": " 一段时间, 一段路程, 连绵的一片; 伸展, 延伸", + "ENG": "a continuous period of time" + }, + "undo": { + "CHS": " 解开, 打开; 取消, 撤销", + "ENG": "to open something that is tied, fastened or wrapped" + }, + "laser": { + "CHS": " 激光", + "ENG": "a piece of equipment that produces a powerful narrow beam of light that can be used in medical operations, to cut metals, or to make patterns of light for entertainment" + }, + "mixture": { + "CHS": " 混合, 混合物", + "ENG": "a combination of two or more different things, feelings, or types of people" + }, + "medal": { + "CHS": " 奖牌, 奖章, 勋章", + "ENG": "a flat piece of metal, usually shaped like a coin, that is given to someone who has won a competition or who has done something brave" + }, + "satellite": { + "CHS": " 卫星, 人造卫星", + "ENG": "a machine that has been sent into space and goes around the Earth, moon etc, used for radio, television, and other electronic communication" + }, + "bullet": { + "CHS": " 枪弹, 子弹, 弹丸", + "ENG": "a small piece of metal that you fire from a gun" + }, + "recorder": { + "CHS": " 录音机, 录像机; 记录装置, 记录仪", + "ENG": "a piece of electrical equipment that records music, films etc" + }, + "nitrogen": { + "CHS": " 氮", + "ENG": "a gas that has no colour or smell, and that forms most of the Earth’s air. It is a chemical element: symbol N" + }, + "pour": { + "CHS": " 灌, 倒; 倾泻", + "ENG": "to make a liquid or other substance flow out of or into a container by holding it at an angle" + }, + "label": { + "CHS": " 贴标签于; 把…称为", + "ENG": "to attach a label onto something or write information on something" + }, + "improvement": { + "CHS": " 改进, 改善; 改进处", + "ENG": "the act of improving something or the state of being improved" + }, + "scissors": { + "CHS": " 剪刀", + "ENG": "a tool for cutting paper, cloth etc, made of two sharp blades fastened together in the middle, with holes for your finger and thumb" + }, + "significance": { + "CHS": " 意义, 含义; 重要性, 重大", + "ENG": "The significance of something is the importance that it has, usually because it will have an effect on a situation or shows something about a situation" + }, + "modify": { + "CHS": " 更改, 修改; 修饰", + "ENG": "to make small changes to something in order to improve it and make it more suitable or effective" + }, + "horizon": { + "CHS": " 地平线; 眼界, 见识", + "ENG": "the line far away where the land or sea seems to meet the sky" + }, + "environment": { + "CHS": " 环境, 外界; 围绕", + "ENG": "the air, water, and land on Earth, which is affected by man’s activities" + }, + "airplane": { + "CHS": " 飞机", + "ENG": "a vehicle that flies through the air and has one or more engines" + }, + "progressive": { + "CHS": " 前进的; 渐进的; 进行式的", + "ENG": "supporting new or modern ideas and methods, especially in politics and education" + }, + "reservoir": { + "CHS": " 水库, 蓄水池; 储藏, 汇集", + "ENG": "a lake, especially an artificial one, where water is stored before it is supplied to people’s houses" + }, + "swear": { + "CHS": " 宣誓; 咒骂", + "ENG": "to use rude and offensive language" + }, + "copyright": { + "CHS": " 版权", + "ENG": "the legal right to be the only producer or seller of a book, play, film, or record for a specific length of time" + }, + "biotechnology": { + "CHS": " 生物工艺学", + "ENG": "the use of living things such as cells, bacteria etc to make drugs, destroy waste matter etc" + }, + "career": { + "CHS": " 生涯, 职业, 经历", + "ENG": "a job or profession that you have been trained for, and which you do for a long period of your life" + }, + "tendency": { + "CHS": " 趋向, 趋势, 倾向", + "ENG": "if someone or something has a tendency to do or become a particular thing, they are likely to do or become it" + }, + "charter": { + "CHS": "包,租", + "ENG": "to pay a company for the use of their aircraft, boat etc" + }, + "slim": { + "CHS": " 减轻体重, 变苗条", + "ENG": "to make yourself thinner by eating less, taking a lot of exercise etc" + }, + "arithmetic": { + "CHS": " 算术, 四则运算", + "ENG": "the science of numbers involving adding, multiplying etc" + }, + "rib": { + "CHS": " 肋骨", + "ENG": "one of the 12 pairs of curved bones that surround your chest" + }, + "faulty": { + "CHS": " 有错误的, 有缺点的", + "ENG": "not working properly, or not made correctly" + }, + "liberate": { + "CHS": " 解放, 释放", + "ENG": "to free prisoners, a city, a country etc from someone’s control" + }, + "rid": { + "CHS": " 使摆脱, 解除…的负担, 从…中清除", + "ENG": "If you rid a place or person of something undesirable or unwanted, you succeed in removing it completely from that place or person" + }, + "variation": { + "CHS": " 变化, 变动; 变异; 变奏", + "ENG": "a difference between similar things, or a change from the usual amount or form of something" + }, + "defect": { + "CHS": " 缺点, 缺陷, 欠缺", + "ENG": "a fault or a lack of something that means that something or someone is not perfect" + }, + "explode": { + "CHS": "使爆炸", + "ENG": "to burst, or to make something burst, into small pieces, usually with a loud noise and in a way that causes damage" + }, + "property": { + "CHS": " 财产, 所有物; 房产; 物业; 性质, 性能", + "ENG": "the thing or things that someone owns" + }, + "succeeding": { + "CHS": " 以后的, 随后的", + "ENG": "coming after something else" + }, + "brave": { + "CHS": " 勇敢的; 华丽的", + "ENG": "dealing with danger, pain, or difficult situations with courage and confidence" + }, + "viewpoint": { + "CHS": " 观点, 看法, 见解", + "ENG": "a particular way of thinking about a problem or subject" + }, + "anyhow": { + "CHS": " 无论如何, 不管怎么说; 随随便便地, 杂乱无章地", + "ENG": "in a careless or untidy way" + }, + "whistle": { + "CHS": "口哨;呼啸而过", + "ENG": "a small object that produces a high whistling sound when you blow into it" + }, + "forth": { + "CHS": " 向前; 向外, 往外", + "ENG": "going out from a place or point, and moving forwards or outwards" + }, + "crossing": { + "CHS": " 人行横道, 交叉口; 横渡", + "ENG": "a place where you can safely cross a road, railway, river etc" + }, + "script": { + "CHS": " 剧本, 广播稿; 书写用的字母; 笔迹, 手迹", + "ENG": "writing done by hand" + }, + "submerge": { + "CHS": " 淹没, 潜入水中", + "ENG": "to go under the surface of the water and be completely covered by it" + }, + "system": { + "CHS": " 系统; 制度, 体制; 方法, 做法; 身体", + "ENG": "a group of related parts that work together as a whole for a particular purpose" + }, + "compose": { + "CHS": " 组成, 构成; 创作, 为…谱曲; 使平静, 使镇静", + "ENG": "to write a piece of music" + }, + "spot": { + "CHS": " 认出, 发现; 玷污", + "ENG": "to notice someone or something, especially when they are difficult to see or recognize" + }, + "roller": { + "CHS": " 滚筒, 滚轴", + "ENG": "a piece of equipment consisting of a tube-shaped piece of wood, metal etc that rolls over and over, used for painting, crushing, making things smoother etc" + }, + "partial": { + "CHS": " 部分的; 不公平的; 偏爱的, 偏袒的", + "ENG": "not complete" + }, + "aid": { + "CHS": " 帮助; 救护; 助手; 辅助手段", + "ENG": "help that you need to do a particular thing" + }, + "tone": { + "CHS": " 腔调, 语气; 音调; 风格, 气度; 色调, 明暗", + "ENG": "the way your voice sounds, which shows how you are feeling or what you mean" + }, + "confident": { + "CHS": " 确信的, 肯定的; 自信的", + "ENG": "sure that something will happen in the way that you want or expect" + }, + "swell": { + "CHS": " 波浪起伏; 鼓起, 隆起; 增强", + "ENG": "the roundness or curved shape of something" + }, + "skilled": { + "CHS": " 有技能的; 熟练的; 需要技能的", + "ENG": "someone who is skilled has the training and experience that is needed to do something well" + }, + "local": { + "CHS": " 地方性的; 本地的; 局部的; 狭隘的", + "ENG": "relating to the particular area you live in, or the area you are talking about" + }, + "remind": { + "CHS": " 提醒, 使想起", + "ENG": "to make someone remember something that they must do" + }, + "crude": { + "CHS": " 简陋的, 天然的; 粗鲁的, 粗俗的", + "ENG": "not exact or without any detail, but generally correct and useful" + }, + "manufacturer": { + "CHS": " 制造商; 制造厂", + "ENG": "a company that makes large quantities of goods" + }, + "crew": { + "CHS": " 全体船员; 一队工作人员", + "ENG": "all the people who work on a ship or plane" + }, + "withstand": { + "CHS": " 抵挡, 反抗", + "ENG": "to defend yourself successfully against people who attack, criticize, or oppose you" + }, + "defeat": { + "CHS": " 战胜, 挫败", + "ENG": "failure to win or succeed" + }, + "vacuum": { + "CHS": "真空;真空吸尘器", + "ENG": "a space that is completely empty of all gas, especially one from which all the air has been taken away" + }, + "bubble": { + "CHS": "泡", + "ENG": "a ball of air or gas in liquid" + }, + "electronic": { + "CHS": " 电子学; 电子设备" + }, + "vacation": { + "CHS": " 假期, 休假", + "ENG": "a holiday, or time spent not working" + }, + "tender": { + "CHS": " 投标", + "ENG": "a formal statement of the price you would charge for doing a job or providing goods or services" + }, + "curriculum": { + "CHS": " 课程, 全部课程", + "ENG": "the subjects that are taught by a school, college etc, or the things that are studied in a particular subject" + }, + "meantime": { + "CHS": " 其间, 同时" + }, + "powerful": { + "CHS": " 强大的, 有力的, 有权的; 强壮的, 强健的", + "ENG": "a powerful person, organization, group etc is able to control and influence events and other people’s actions" + }, + "slip": { + "CHS": " 疏漏, 差错", + "ENG": "A slip is a small or unimportant mistake" + }, + "species": { + "CHS": " 种, 类", + "ENG": "a group of animals or plants whose members are similar and can breed together to produce young animals or plants" + }, + "anchor": { + "CHS": "锚;给人安全感的物", + "ENG": "a piece of heavy metal that is lowered to the bottom of the sea, a lake etc to prevent a ship or boat moving" + }, + "preceding": { + "CHS": " 在前的, 在先的, 前面的", + "ENG": "happening or coming before the time, place, or part mentioned" + }, + "acquaintance": { + "CHS": " 认识, 了解; 熟人", + "ENG": "someone you know, but who is not a close friend" + }, + "royal": { + "CHS": " 王室的, 皇家的", + "ENG": "relating to or belonging to a king or queen" + }, + "internship": { + "CHS": " 实习生身份; 实习医师期", + "ENG": "a job that lasts for a short time, that someone, especially a student, does in order to gain experience" + }, + "shed": { + "CHS": " 棚, 小屋, 货棚", + "ENG": "a small building, often made of wood, used especially for storing things" + }, + "eyesight": { + "CHS": " 视力, 目力", + "ENG": "your ability to see" + }, + "precision": { + "CHS": " 精确, 精密", + "ENG": "the quality of being very exact or correct" + }, + "glove": { + "CHS": " 手套", + "ENG": "a piece of clothing that you wear on your hand in order to protect it or keep it warm" + }, + "naked": { + "CHS": " 裸体的; 无遮蔽的", + "ENG": "not wearing any clothes or not covered by clothes" + }, + "trial": { + "CHS": " 试, 试验; 审判; 讨厌的人", + "ENG": "a legal process in which a judge and often a jury in a court of law examine information to decide whether someone is guilty of a crime" + }, + "correspond": { + "CHS": " 相符合, 相当; 通信", + "ENG": "if two things or ideas correspond, the parts or information in one relate to the parts or information in the other" + }, + "spur": { + "CHS": " 刺激, 鞭策, 激励", + "ENG": "to encourage someone or make them want to do something" + }, + "rear": { + "CHS": " 抚养, 饲养; 种植", + "ENG": "to look after a person or animal until they are fully grown" + }, + "amongst": { + "CHS": " 在…之中" + }, + "insect": { + "CHS": " 昆虫, 虫", + "ENG": "a small creature such as a fly or ant, that has six legs, and sometimes wings" + }, + "moist": { + "CHS": " 湿润的, 潮湿的", + "ENG": "slightly wet, especially in a way that is pleasant or suitable" + }, + "cable": { + "CHS": " 缆, 索, 电缆; 电报", + "ENG": "a plastic or rubber tube containing wires that carry telephone messages, electronic signals, television pictures etc" + }, + "border": { + "CHS": " 给…加上边, 围; 邻接; 与…接壤", + "ENG": "if one country, state, or area borders another, it is next to it and shares a border with it" + }, + "estate": { + "CHS": " 土地, 住宅区, 地产; 财产, 遗产; 庄园, 种植园", + "ENG": "a large area of land in the country, usually with one large house on it and one owner" + }, + "applicable": { + "CHS": " 能应用的; 合适的, 适当的", + "ENG": "if something is applicable to a particular person, group, or situation, it affects them or is related to them" + }, + "brass": { + "CHS": " 黄铜, 黄铜器, 铜管乐器", + "ENG": "a very hard bright yellow metal that is a mixture of copper and zinc " + }, + "expense": { + "CHS": " 花费, 消费; 费用, 开支; 业务费用", + "ENG": "the amount of money that you spend on something" + }, + "rumour": { + "CHS": " 谣传, 谣言", + "ENG": "information or a story that is passed from one person to another and which may or may not be true" + }, + "boundary": { + "CHS": " 分界线, 边界", + "ENG": "the real or imaginary line that marks the edge of a state, country etc, or the edge of an area of land that belongs to someone" + }, + "rob": { + "CHS": " 抢劫, 盗窃", + "ENG": "to steal money or property from a person, bank etc" + }, + "elderly": { + "CHS": " 到了晚年的人, 老年人", + "ENG": "The elderly are people who are old" + }, + "rod": { + "CHS": " 杆, 棒", + "ENG": "a long thin pole or bar" + }, + "dumb": { + "CHS": " 哑的; 无言的; 说不出话的", + "ENG": "unable to speak, because you are angry, surprised, shocked etc" + }, + "respective": { + "CHS": " 各自的, 各个的, 分别的", + "ENG": "used before a plural noun to refer to the different things that belong to each separate person or thing mentioned" + }, + "media": { + "CHS": " 新闻媒介, 传播媒介", + "ENG": "all the organizations, such as television, radio, and newspapers, that provide news and information for the public, or the people who do this work" + }, + "favour": { + "CHS": " 赞同; 喜爱, 偏爱; 有利于", + "ENG": "to provide suitable conditions for something to happen" + }, + "pollute": { + "CHS": " 弄脏, 污染; 腐蚀", + "ENG": "to make air, water, soil etc dangerously dirty and not suitable for people to use" + }, + "harden": { + "CHS": " 变硬; 变得坚强", + "ENG": "to become firm or stiff, or to make something firm or stiff" + }, + "eve": { + "CHS": " 前夜, 前夕, 前一刻", + "ENG": "the night or day before an important day" + }, + "pronoun": { + "CHS": " 代词", + "ENG": "a word that is used instead of a noun or noun phrase, such as ‘he’ instead of ‘Peter’ or ‘the man’" + }, + "chemist": { + "CHS": " 化学家, 药剂师", + "ENG": "a scientist who has special knowledge and training in chemistry" + }, + "abroad": { + "CHS": " 到国外; 在传播, 在流传", + "ENG": "in or to a foreign country" + }, + "radical": { + "CHS": " 激进分子", + "ENG": "someone who has new and different ideas, especially someone who wants complete social and political change" + }, + "drawer": { + "CHS": " 抽屉", + "ENG": "part of a piece of furniture, such as a desk, that you pull out and push in and use to keep things in" + }, + "requirement": { + "CHS": " 要求; 必要条件; 需要, 需要的东西", + "ENG": "something that someone needs or asks for" + }, + "transport": { + "CHS": " 运输, 运输工具", + "ENG": "a system or method for carrying passengers or goods from one place to another" + }, + "employment": { + "CHS": " 工作; 雇用; 使用", + "ENG": "the condition of having a paid job" + }, + "acre": { + "CHS": " 英亩", + "ENG": "a unit for measuring area, equal to 4,840 square yards or 4,047 square metres" + }, + "whisper": { + "CHS": " 低语, 耳语", + "ENG": "a very quiet voice you make using your breath and no sound" + }, + "semester": { + "CHS": " 学期", + "ENG": "one of the two periods of time that a year at high schools and universities is divided into, especially in the US" + }, + "dull": { + "CHS": " 乏味的, 单调的; 晦暗的, 阴沉的; 低沉的; 笨的; 钝的", + "ENG": "not bright and with lots of clouds" + }, + "collapse": { + "CHS": "突然失败;突然瓦解", + "ENG": "a sudden failure in the way something works, so that it cannot continue" + }, + "concession": { + "CHS": " 让步, 妥协; 特许, 特许权; 承认, 认可", + "ENG": "something that you allow someone to have in order to end an argument or a disagreement" + }, + "shift": { + "CHS": " 转换, 转变; 轮班", + "ENG": "a change in the way people think about something, in the way something is done etc" + }, + "echo": { + "CHS": "回声;反响,共鸣", + "ENG": "a sound that you hear again after a loud noise, because it was made near something such as a wall" + }, + "erect": { + "CHS": "建造;使竖立", + "ENG": "to build something such as a building or wall" + }, + "elective": { + "CHS": " 选修课程", + "ENG": "a course that students can choose to take, but they do not have to take it in order to graduate" + }, + "accusation": { + "CHS": " 谴责; 【律】 指控", + "ENG": "a statement saying that someone is guilty of a crime or of doing something wrong" + }, + "protein": { + "CHS": " 蛋白质", + "ENG": "one of several natural substances that exist in food such as meat, eggs, and beans, and which your body needs in order to grow and remain strong and healthy" + }, + "exclusive": { + "CHS": " 独家新闻", + "ENG": "an important or exciting story that is printed in only one newspaper, because that newspaper was the first to find out about it" + }, + "jar": { + "CHS": "罐子,坛子,广口瓶", + "ENG": "a glass container with a wide top and a lid, used for storing food such as jam or honey, or the amount it contains" + }, + "poverty": { + "CHS": " 贫穷, 贫困", + "ENG": "the situation or experience of being poor" + }, + "resort": { + "CHS": " 求助, 凭借, 诉诸; 求助的对象, 采用的手段; 常去之地, 胜地", + "ENG": "a place where a lot of people go for holidays" + }, + "goodness": { + "CHS": " 善良, 美德, 好意", + "ENG": "Goodness is the quality of being kind, helpful, and honest" + }, + "lightning": { + "CHS": " 闪电, 电光", + "ENG": "a powerful flash of light in the sky caused by electricity and usually followed by thunder" + }, + "jaw": { + "CHS": " 颌, 颚", + "ENG": "one of the two bones that your teeth are in" + }, + "remain": { + "CHS": " 残余; 残骸; 遗迹", + "ENG": "Theremainsof something are the parts of it that are left after most of it has been taken away or destroyed" + }, + "mount": { + "CHS": " 山, 峰", + "ENG": "used as part of the name of a mountain" + }, + "atomic": { + "CHS": " 原子的, 原子能的, 原子武器的", + "ENG": "relating to the energy produced by splitting atoms or the weapons that use this energy" + }, + "deposit": { + "CHS": " 定金, 押金; 存款; 矿藏", + "ENG": "money that you pay when you rent something such as an apartment or car, which will be given back if you do not damage it" + }, + "centimetre": { + "CHS": " 公分, 厘米", + "ENG": "a unit for measuring length. There are 100 centimetres in one metre." + }, + "telescope": { + "CHS": " 望远镜", + "ENG": "a piece of equipment shaped like a tube, used for making distant objects look larger and closer" + }, + "rotten": { + "CHS": " 腐烂的; 令人不愉快的; 糟糕的", + "ENG": "badly decayed and no longer good to use" + }, + "skillful": { + "CHS": " 灵巧的, 娴熟的" + }, + "flash": { + "CHS": "闪光;闪光灯", + "ENG": "a bright light that shines for a short time and then stops shining" + }, + "accuse": { + "CHS": " 指责, 归咎于", + "ENG": "to say that you believe someone is guilty of a crime or of doing something bad" + }, + "housing": { + "CHS": " 房屋, 住宅; 住房建筑, 住房供给; 外壳, 外罩", + "ENG": "the houses or conditions that people live in" + }, + "devil": { + "CHS": " 魔鬼, 恶魔; 家伙, 人", + "ENG": "the most powerful evil spiritin some religions, especially in Christianity" + }, + "fertile": { + "CHS": " 肥沃的; 多产的; 丰富的", + "ENG": "fertile land or soil is able to produce good crops" + }, + "automobile": { + "CHS": " 汽车, 机动车", + "ENG": "a car" + }, + "notion": { + "CHS": " 概念, 观念; 意图, 想法, 念头", + "ENG": "an idea, belief, or opinion" + }, + "helicopter": { + "CHS": " 直升机", + "ENG": "a type of aircraft with large metal blades on top which turn around very quickly to make it fly" + }, + "tractor": { + "CHS": " 拖拉机, 牵引车", + "ENG": "a strong vehicle with large wheels, used for pulling farm machinery" + }, + "patience": { + "CHS": " 忍耐, 耐心", + "ENG": "If you have patience, you are able to stay calm and not get annoyed, for example, when something takes a long time, or when someone is not doing what you want them to do" + }, + "grace": { + "CHS": " 使优美", + "ENG": "to make a place or an object look more attractive" + }, + "advertisement": { + "CHS": " 广告, 公告, 登广告; 广告活动, 宣传", + "ENG": "a picture, set of words, or a short film, which is intended to persuade people to buy a product or use a service, or that gives information about a job that is available, an event that is going to happen etc" + }, + "ripe": { + "CHS": " 熟的; 时机成熟的", + "ENG": "ripe fruit or crops are fully grown and ready to eat" + }, + "vice": { + "CHS": " 罪恶; 恶习, 缺点; 虎钳", + "ENG": "criminal activities that involve sex or drugs" + }, + "horror": { + "CHS": " 恐怖; 憎恶; 令人恐怖的事物", + "ENG": "something that is very terrible, shocking, or frightening" + }, + "thoughtful": { + "CHS": " 沉思的; 体贴的", + "ENG": "always thinking of the things you can do to make people happy or comfortable" + }, + "gram": { + "CHS": " 克", + "ENG": "the basic unit for measuring weight in the metric system " + }, + "empower": { + "CHS": " 授权于; 使能够", + "ENG": "to give a person or organization the legal right to do something" + }, + "arouse": { + "CHS": " 引起; 唤起, 唤醒", + "ENG": "to wake someone" + }, + "nest": { + "CHS": "巢,窝,穴", + "ENG": "a place made or chosen by a bird to lay its eggs in and to live in" + }, + "tour": { + "CHS": " 旅行, 游历", + "ENG": "a journey for pleasure, during which you visit several different towns, areas etc" + }, + "calm": { + "CHS": " 平静, 镇静", + "ENG": "to become quiet and relaxed after you have been angry, excited, nervous, or upset, or to make someone become quiet and relaxed" + }, + "boring": { + "CHS": " 令人厌烦的, 乏味的, 无聊的", + "ENG": "not interesting in any way" + }, + "classic": { + "CHS": " 文学名著, 经典作品, 杰作; 优秀的典范; 古典文学, 古典语文研究", + "ENG": "a book, play, or film that is important and has been admired for a long time" + }, + "ownership": { + "CHS": " 所有, 所有制", + "ENG": "the fact of owning something" + }, + "metric": { + "CHS": " 公制的, 米制的", + "ENG": "using or connected with the metric system of weights and measures" + }, + "absolute": { + "CHS": " 十足的, 地道的; 绝对的, 完全的; 不受任何限制的", + "ENG": "complete or total" + }, + "ash": { + "CHS": " 灰, 灰末; 骨灰", + "ENG": "the soft grey powder that remains after something has been burned" + }, + "describe": { + "CHS": " 形容; 描写; 画出", + "ENG": "to say what something or someone is like by giving details about them" + }, + "suck": { + "CHS": " 吸, 吮, 啜; 吸收", + "ENG": "to take air, liquid etc into your mouth by making your lips form a small hole and using the muscles of your mouth to pull it in" + }, + "rub": { + "CHS": " 擦, 摩擦", + "ENG": "to move your hand, or something such as a cloth, backwards and forwards over a surface while pressing firmly" + }, + "presently": { + "CHS": " 不久, 一会儿; 现在, 目前", + "ENG": "in a short time" + }, + "wealthy": { + "CHS": " 富有的, 富裕的", + "ENG": "having a lot of money, possessions etc" + }, + "rug": { + "CHS": " 地毯", + "ENG": "a piece of thick cloth or wool that covers part of a floor, used for warmth or as a decoration" + }, + "jazz": { + "CHS": " 爵士音乐, 爵士舞曲", + "ENG": "a type of music that has a strong beat and parts for performers to play alone" + }, + "dusk": { + "CHS": " 薄暮, 黄昏; 幽暗", + "ENG": "the time before it gets dark when the sky is becoming less bright" + }, + "occasional": { + "CHS": " 偶尔的, 间或发生的", + "ENG": "happening sometimes but not often or regularly" + }, + "boast": { + "CHS": " 自吹自擂, 自夸的话", + "ENG": "Boast is also a noun" + }, + "operator": { + "CHS": " 操作人员; 话务员, 报务员", + "ENG": "someone who operates a machine or piece of equipment" + }, + "debate": { + "CHS": " 争论, 辩论", + "ENG": "discussion of a particular subject that often continues for a long time and in which people express different opinions" + }, + "spacecraft": { + "CHS": " 航天器, 宇宙飞船", + "ENG": "a vehicle that is able to travel in space" + }, + "furniture": { + "CHS": " 家具", + "ENG": "large objects such as chairs, tables, beds, and cupboards" + }, + "segment": { + "CHS": " 部分, 片段; 瓣", + "ENG": "a part of something that is different from or affected differently from the whole in some way" + }, + "stripe": { + "CHS": " 条纹", + "ENG": "a line of colour, especially one of several lines of colour all close together" + }, + "jet": { + "CHS": "喷气式飞机;喷嘴;喷射", + "ENG": "a fast plane with a jet engine" + }, + "helpful": { + "CHS": " 给予帮助的; 有用的", + "ENG": "providing useful help in making a situation better or easier" + }, + "statistic": { + "CHS": " 统计数值, 统计资料; 统计学", + "ENG": "a single number which represents a fact or measurement" + }, + "attractive": { + "CHS": " 有吸引力的, 引起注意的", + "ENG": "someone who is attractive is good looking, especially in a way that makes you sexually interested in them" + }, + "superb": { + "CHS": " 极好的; 高质量的", + "ENG": "extremely good" + }, + "mold": { + "CHS": " 用模子制作, 塑造; 使形成, 影响…的形成" + }, + "engineering": { + "CHS": " 工程, 工程学", + "ENG": "the work involved in designing and building roads, bridges, machines etc" + }, + "bold": { + "CHS": " 勇敢的; 鲁莽的; 粗体的, 黑体的; 醒目的", + "ENG": "so confident or determined that you sometimes offend people" + }, + "bleed": { + "CHS": "勒索…的钱" + }, + "delicious": { + "CHS": " 美味的; 芬芳的, 怡人的; 有趣的", + "ENG": "very pleasant to taste or smell" + }, + "whatever": { + "CHS": " [用于否定句中以加强语气]任何; 无论什么", + "ENG": "used to emphasize a negative statement" + }, + "decrease": { + "CHS": " 减少", + "ENG": "the process of becoming less, or the amount by which something becomes less" + }, + "volunteer": { + "CHS": "志愿者;志愿兵", + "ENG": "someone who does a job willingly without being paid" + }, + "museum": { + "CHS": " 博物馆", + "ENG": "a building where important cultural , historical, or scientific objects are kept and shown to the public" + }, + "senate": { + "CHS": " 参议院, 上院", + "ENG": "the smaller and more important of the two parts of the government with the power to make laws, in countries such as the US, Australia, and France" + }, + "trumpet": { + "CHS": " 大声宣告, 鼓吹", + "ENG": "to tell everyone about something that you are proud of, especially in an annoying way" + }, + "bolt": { + "CHS": " 闩门", + "ENG": "to lock a door or window by sliding a bolt across" + }, + "string": { + "CHS": "缚,扎,挂;串起,穿;使排成一列;伸展,拉直", + "ENG": "to put things together onto a thread, chain etc" + }, + "occupy": { + "CHS": " 占领, 占, 占有", + "ENG": "if something occupies you or your time, you are busy doing it" + }, + "boom": { + "CHS": "激增,繁荣,迅速发展;隆隆声,嗡嗡声", + "ENG": "a quick increase of business activity" + }, + "absence": { + "CHS": " 缺席, 不在; 缺席的时间, 外出期; 缺乏, 不存在", + "ENG": "when you are not in the place where people expect you to be, or the time that you are away" + }, + "attract": { + "CHS": " 吸引, 引起…注意", + "ENG": "to make someone interested in something, or make them want to take part in something" + }, + "edition": { + "CHS": " 版, 版本, 版次", + "ENG": "the form that a book, newspaper, magazine etc is produced in" + }, + "summit": { + "CHS": " 最高点, 峰顶; 最高级会议", + "ENG": "an important meeting or set of meetings between the leaders of several governments" + }, + "typist": { + "CHS": " 打字员", + "ENG": "a secretary whose main job is to type letters" + }, + "ally": { + "CHS": " 同盟国, 同盟者; 支持者", + "ENG": "a country that agrees to help or support another country in a war" + }, + "statement": { + "CHS": " 陈述, 声明; 结算单, 报表", + "ENG": "something you say or write, especially publicly or officially, to let people know your intentions or opinions, or to record facts" + }, + "hence": { + "CHS": " 因此, 所以; 今后", + "ENG": "for this reason" + }, + "memorial": { + "CHS": " 纪念碑, 纪念堂, 纪念仪式", + "ENG": "something, especially a stone with writing on it, that reminds people of someone who has died" + }, + "factor": { + "CHS": " 因素; 因子; 系数", + "ENG": "one of several things that influence or cause a situation" + }, + "boot": { + "CHS": " 靴子, 长筒靴; 行李箱; 解雇", + "ENG": "a type of shoe that covers your whole foot and the lower part of your leg" + }, + "pinch": { + "CHS": " 撮, 微量", + "ENG": "A pinch of an ingredient such as salt is the amount of it that you can hold between your thumb and your first finger" + }, + "delivery": { + "CHS": " 投递, 交付; 分娩; 讲话方式; 投递的邮件", + "ENG": "the act of bringing goods, letters etc to a particular person or place, or the things that are brought" + }, + "rack": { + "CHS": " 使痛苦, 折磨; 尽力使用", + "ENG": "If someone is racked by something such as illness or anxiety, it causes them great suffering or pain" + }, + "election": { + "CHS": " 选举; 选择权; 当选", + "ENG": "when people vote to choose someone for an official position" + }, + "conquer": { + "CHS": " 征服, 战胜; 破除, 克服", + "ENG": "to get control of a country by fighting" + }, + "learned": { + "CHS": " 有学问的; 学术上的", + "ENG": "a learned person has a lot of knowledge because they have read and studied a lot" + }, + "substance": { + "CHS": " 物质; 实质; 大意, 要旨; 根据, 理由", + "ENG": "a particular type of solid, liquid, or gas" + }, + "bond": { + "CHS": "联结,联系;公债;契约,合同", + "ENG": "an official document promising that a government or company will pay back money that it has borrowed, often with interest " + }, + "target": { + "CHS": " 把…作为目标; 瞄准", + "ENG": "to make something have an effect on a particular limited group or area" + }, + "wax": { + "CHS": " 给…上蜡", + "ENG": "to rub a layer of wax into a floor, surface etc to protect it or make it shine" + }, + "grind": { + "CHS": " 磨, 磨快", + "ENG": "to make something smooth or sharp by rubbing it on a hard surface or by using a machine" + }, + "urban": { + "CHS": " 城市的, 都市的; 住在都市的", + "ENG": "relating to towns and cities" + }, + "furthermore": { + "CHS": " 而且, 此外", + "ENG": "in addition to what has already been said" + }, + "guidance": { + "CHS": " 引导, 指导, 领导", + "ENG": "help and advice that is given to someone about their work, education, or personal life" + }, + "risk": { + "CHS": " 冒…的危险, 使遭受危险", + "ENG": "to put something in a situation in which it could be lost, destroyed, or harmed" + }, + "flame": { + "CHS": " 火焰, 光辉; 热情", + "ENG": "hot bright burning gas that you see when something is on fire" + }, + "container": { + "CHS": " 容器; 集装箱", + "ENG": "something such as a box or bowl that you use to keep things in" + }, + "leader": { + "CHS": " 领袖, 领导人, 首领", + "ENG": "the person who directs or controls a group, organization, country etc" + }, + "delicate": { + "CHS": " 纤细的, 易碎的; 微妙的; 精美的", + "ENG": "easily damaged or broken" + }, + "discard": { + "CHS": " 丢弃, 抛弃, 遗弃", + "ENG": "If you discard something, you get rid of it because you no longer want it or need it" + }, + "rebel": { + "CHS": " 反叛分子, 反对者", + "ENG": "someone who opposes or fights against people in authority" + }, + "bounce": { + "CHS": " 弹, 反弹", + "ENG": "the action of moving up and down on a surface" + }, + "usage": { + "CHS": " 使用; 对待; 惯用法", + "ENG": "the way that words are used in a language" + }, + "tissue": { + "CHS": " 组织; 薄绢, 薄纸, 手巾纸", + "ENG": "a piece of soft thin paper, used especially for blowing your nose on" + }, + "experimental": { + "CHS": " 实验的, 试验的", + "ENG": "used for, relating to, or resulting from experiments" + }, + "loosen": { + "CHS": " 解开; 放松, 松弛", + "ENG": "to make something less tight or less firmly fastened, or to become less tight or less firmly fastened" + }, + "rent": { + "CHS": " 租金; 出租", + "ENG": "the money that someone pays regularly to use a room, house etc that belongs to someone else" + }, + "nearby": { + "CHS": "附近的", + "ENG": "not far away" + }, + "cart": { + "CHS": " 运货马车", + "ENG": "a vehicle with no roof that is pulled by a horse and used for carrying heavy things" + }, + "modest": { + "CHS": " 谦虚的; 适中的; 羞怯的", + "ENG": "someone who is modest does not want to talk about their abilities or achievements" + }, + "cast": { + "CHS": " 演员表, 全体演员; 石膏绷带; 铸型, 铸件; 投, 抛", + "ENG": "all the people who perform in a play, film etc" + }, + "anxious": { + "CHS": " 忧虑的, 令人焦急的; 渴望的", + "ENG": "worried about something" + }, + "hatred": { + "CHS": " 憎恶, 憎恨, 仇恨", + "ENG": "an angry feeling of extreme dislike for someone or something" + }, + "crush": { + "CHS": " 压碎, 碾碎; 摧毁, 压垮", + "ENG": "to press something so hard that it breaks or is damaged" + }, + "largely": { + "CHS": " 大部分, 大量地" + }, + "slice": { + "CHS": " 切, 削", + "ENG": "to cut meat, bread, vegetables etc into thin flat pieces" + }, + "frost": { + "CHS": "冰冻,严寒;霜", + "ENG": "very cold weather, when water freezes" + }, + "electron": { + "CHS": " 电子", + "ENG": "a very small piece of matter with a negative electrical charge that moves around the nucleus(= central part ) of an atom" + }, + "truly": { + "CHS": " 真正地; 忠实地", + "ENG": "used to emphasize that the way you are describing something is really true" + }, + "cash": { + "CHS": " 把…兑现", + "ENG": "If you cash a cheque, you exchange it at a bank for the amount of money that it is worth" + }, + "gene": { + "CHS": " 基因", + "ENG": "a part of a cell in a living thing that controls what it looks like, how it grows, and how it develops. People get their genes from their parents" + }, + "liver": { + "CHS": " 肝", + "ENG": "a large organ in your body that produces bile and cleans your blood" + }, + "suicide": { + "CHS": " 自杀", + "ENG": "the act of killing yourself" + }, + "violet": { + "CHS": "紫罗兰", + "ENG": "a plant with small dark purple flowers, or sometimes white or yellow ones" + }, + "hollow": { + "CHS": " 空的, 空洞的; 沉闷的; 虚伪的", + "ENG": "having an empty space inside" + }, + "trunk": { + "CHS": " 树干; 大衣箱, 皮箱; 汽车后备箱; 象鼻", + "ENG": "the thick central woody stem of a tree" + }, + "saving": { + "CHS": " 节省, 节约; 储蓄金, 存款", + "ENG": "all the money that you have saved, especially in a bank" + }, + "rely": { + "CHS": " 依靠, 依赖; 信赖, 指望", + "ENG": "If you rely on someone or something, you need them and depend on them in order to live or work properly" + }, + "slide": { + "CHS": " 滑动; 滑道, 滑面; 幻灯片", + "ENG": "a large structure with steps leading to the top of a long sloping surface which children can slide down" + }, + "utilize": { + "CHS": " 利用", + "ENG": "to use something for a particular purpose" + }, + "waist": { + "CHS": " 腰, 腰部", + "ENG": "the narrow part in the middle of the human body" + }, + "flesh": { + "CHS": " 肉, 肌肉, 肉体", + "ENG": "the soft part of the body of a person or animal that is between the skin and the bones" + }, + "jungle": { + "CHS": " 丛林, 密林, 莽丛; 乱七八糟的一堆", + "ENG": "a thick tropical forest with many large plants growing very close together" + }, + "portion": { + "CHS": " 分配, 把…分给" + }, + "settle": { + "CHS": " 安排, 安放; 调停; 支付, 核算; 安家; 飞落, 停留; 安定", + "ENG": "to become quiet and calm, or to make someone quiet and calm" + }, + "connexion": { + "CHS": "connection的英式拼法", + "ENG": "a British spelling of connection " + }, + "scrape": { + "CHS": " 刮, 擦; 刮擦声", + "ENG": "a mark or slight injury caused by rubbing against a rough surface" + }, + "hardship": { + "CHS": " 艰难, 困苦", + "ENG": "something that makes your life difficult or unpleasant, especially a lack of money, or the condition of having a difficult life" + }, + "cushion": { + "CHS": " 垫子, 坐垫, 靠垫", + "ENG": "a cloth bag filled with soft material that you put on a chair or the floor to make it more comfortable" + }, + "scold": { + "CHS": " 责骂, 训斥", + "ENG": "to angrily criticize someone, especially a child, about something they have done" + }, + "civilize": { + "CHS": " 使文明, 使开化, 教育", + "ENG": "to influence someone’s behaviour, making or teaching them to act in a more sensible or gentle way" + }, + "physician": { + "CHS": " 内科医生", + "ENG": "a doctor" + }, + "architecture": { + "CHS": " 建筑学; 建筑式样, 建筑风格", + "ENG": "the style and design of a building or buildings" + }, + "grip": { + "CHS": " 紧握", + "ENG": "the way you hold something tightly, or your ability to do this" + }, + "electricity": { + "CHS": " 电", + "ENG": "the power that is carried by wires, cables etc, and is used to provide light or heat, to make machines work etc" + }, + "climate": { + "CHS": " 气候; 风土, 地带; 风气, 气氛", + "ENG": "the typical weather conditions in a particular area" + }, + "conductor": { + "CHS": " 售票员, 列车长; 指挥; 导体", + "ENG": "someone who stands in front of a group of musicians or singers and directs their playing or singing" + }, + "bore": { + "CHS": " 令人讨厌的人", + "ENG": "something that is not interesting to you or that annoys you" + }, + "crust": { + "CHS": " 面包皮, 硬外皮; 外壳, 地壳", + "ENG": "the hard brown outer surface of bread" + }, + "disorder": { + "CHS": " 混乱, 杂乱, 骚乱", + "ENG": "a situation in which a lot of people behave in an uncontrolled, noisy, or violent way in public" + }, + "organization": { + "CHS": " 组织, 团体, 机构", + "ENG": "a group such as a club or business that has formed for a particular purpose" + }, + "rage": { + "CHS": "狂怒,盛怒;风靡一时的事物,时尚", + "ENG": "a strong feeling of uncontrollable anger" + }, + "width": { + "CHS": " 宽阔, 广阔; 宽度", + "ENG": "the distance from one side of something to the other" + }, + "dairy": { + "CHS": "牛奶场;乳制品", + "ENG": "a place on a farm where milk is kept and butter and cheese are made" + }, + "board": { + "CHS": "上", + "ENG": "to get on a bus, plane, train etc in order to travel somewhere" + }, + "economic": { + "CHS": " 经济学; 经济状况" + }, + "stuff": { + "CHS": " 装, 填, 塞; 让…吃饱", + "ENG": "to push or put something into a small space, especially in a quick careless way" + }, + "widow": { + "CHS": " 寡妇", + "ENG": "a woman whose husband has died and who has not married again" + }, + "distinction": { + "CHS": " 差别, 不同, 区分", + "ENG": "a clear difference or separation between two similar things" + }, + "navy": { + "CHS": " 海军", + "ENG": "the part of a country’s military forces that fights at sea" + }, + "fee": { + "CHS": " 费; 酬金, 赏金", + "ENG": "an amount of money that you pay to do something or that you pay to a professional person for their work" + }, + "section": { + "CHS": " 部分, 章节; 部门, 科; 截面, 剖面", + "ENG": "one of the parts that something such as an object or place is divided into" + }, + "whip": { + "CHS": " 鞭子", + "ENG": "a long thin piece of rope or leather with a handle, that you hit animals with to make them move or that you hit someone with to punish them" + }, + "protocol": { + "CHS": " 礼仪, 礼节; 草案, 议定书", + "ENG": "a system of rules about the correct way to behave on an official occasion" + }, + "whale": { + "CHS": " 鲸", + "ENG": "a very large animal that lives in the sea and looks like a fish, but is actually a mammal" + }, + "talent": { + "CHS": " 天才, 才能; 人才", + "ENG": "a natural ability to do something well" + }, + "percentage": { + "CHS": " 百分比, 百分率", + "ENG": "an amount expressed as if it is part of a total which is 100" + }, + "hunt": { + "CHS": " 打猎; 搜寻; 驱逐", + "ENG": "to look for someone or something very carefully" + }, + "violin": { + "CHS": " 小提琴", + "ENG": "a small wooden musical instrument that you hold under your chin and play by pulling a bow(= special stick ) across the strings" + }, + "remonstrate": { + "CHS": " 抗议", + "ENG": "to tell someone that you strongly disapprove of something they have said or done" + }, + "package": { + "CHS": " 把…打包; 包装", + "ENG": "to put food or other goods into a bag, box etc ready to be sold or sent" + }, + "rail": { + "CHS": "栏杆,横杆;铁轨,轨道;铁路", + "ENG": "the railway system" + }, + "germ": { + "CHS": " 微生物, 细菌; 幼芽", + "ENG": "a very small living thing that can make you ill" + }, + "inner": { + "CHS": " 内部的; 内心的", + "ENG": "on the inside or close to the centre of something" + }, + "market": { + "CHS": " 市场; 股市; 行情, 销路", + "ENG": "a particular country or area where a company sells its goods or where a particular type of goods is sold" + }, + "keen": { + "CHS": " 热心的; 激烈的; 敏锐的, 敏捷的", + "ENG": "someone who is keen is eager to work or learn, and enjoys doing it" + }, + "glimpse": { + "CHS": " 一瞥, 一看", + "ENG": "a quick look at someone or something that does not allow you to see them clearly" + }, + "footstep": { + "CHS": " 脚步, 脚步声, 足迹", + "ENG": "the sound each step makes when someone is walking" + }, + "veteran": { + "CHS": " 老兵, 老手", + "ENG": "someone who has been a soldier, sailor etc in a war" + }, + "outside": { + "CHS": "外部,外表", + "ENG": "the part or surface of something that is furthest from the centre" + }, + "nerve": { + "CHS": " 神经; 勇敢, 胆量", + "ENG": "nerves are parts inside your body which look like threads and carry messages between the brain and other parts of the body" + }, + "affection": { + "CHS": " 感情; 爱, 爱慕", + "ENG": "If you regard someone or something with affection, you like them and are fond of them" + }, + "eagle": { + "CHS": " 鹰", + "ENG": "a very large strong bird with a beak like a hook that eats small animals, birds etc" + }, + "cruise": { + "CHS": " 航游, 游弋", + "ENG": "A cruise is a holiday during which you travel on a ship or boat and visit a number of places" + }, + "elementary": { + "CHS": " 基本的, 初级的", + "ENG": "simple or basic" + }, + "topic": { + "CHS": " 题目, 论题, 话题", + "ENG": "a subject that people talk or write about" + }, + "solemn": { + "CHS": " 庄严的, 隆重的; 严肃的", + "ENG": "very serious and not happy, for example because something bad has happened or because you are at an important occasion" + }, + "omit": { + "CHS": " 省略; 遗漏", + "ENG": "to not include someone or something, either deliberately or because you forget to do it" + }, + "erroneous": { + "CHS": " 错误的, 不正确的", + "ENG": "erroneous ideas or information are wrong and based on facts that are not correct" + }, + "raid": { + "CHS": " 袭击; 突入查抄, 突入搜捕; 劫掠", + "ENG": "a short attack on a place by soldiers, planes, or ships, intended to cause damage but not take control" + }, + "politics": { + "CHS": " 政治, 政治学; 政纲, 政见", + "ENG": "ideas and activities relating to gaining and using power in a country, city etc" + }, + "limitation": { + "CHS": " 限制, 限度; 局限", + "ENG": "the act or process of controlling or reducing something" + }, + "kindergarten": { + "CHS": " 幼儿园", + "ENG": "a school for children aged two to five" + }, + "unexpected": { + "CHS": " 想不到的, 意外的", + "ENG": "used to describe something that is surprising because you were not expecting it" + }, + "generator": { + "CHS": " 发电机; 发生器", + "ENG": "a machine that produces electricity" + }, + "insert": { + "CHS": " 插入, 嵌入; 登载", + "ENG": "to put something inside or into something else" + }, + "remark": { + "CHS": " 话语; 谈论, 评论", + "ENG": "something that you say when you express an opinion or say what you have noticed" + }, + "forbid": { + "CHS": " 禁止, 不许, 阻止", + "ENG": "to tell someone that they are not allowed to do something, or that something is not allowed" + }, + "microscope": { + "CHS": " 显微镜", + "ENG": "a scientific instrument that makes extremely small things look larger" + }, + "necessarily": { + "CHS": " 必要地; 必然", + "ENG": "in a way that cannot be different or be avoided" + }, + "billion": { + "CHS": " 十亿", + "ENG": "the number 1,000,000,000" + }, + "parallel": { + "CHS": " 与…平行; 与…相似, 与…相当, 比得上", + "ENG": "if one thing parallels another, they happen at the same time or are similar, and seem to be related" + }, + "patient": { + "CHS": " 病人", + "ENG": "someone who is receiving medical treatment from a doctor or in a hospital" + }, + "cashier": { + "CHS": " 出纳", + "ENG": "someone whose job is to receive or pay out money in a shop" + }, + "sheer": { + "CHS": "完全的,十足的;陡峭的,垂直的;极薄的,透明的", + "ENG": "a sheer drop, cliff, slope etc is very steep and almost vertical" + }, + "miracle": { + "CHS": " 奇迹, 令人惊奇的人", + "ENG": "an action or event believed to be caused by God, which is impossible according to the ordinary laws of nature" + }, + "profit": { + "CHS": "有益于,有利于", + "ENG": "to be useful or helpful to someone" + }, + "wit": { + "CHS": " 风趣; 妙语; 智力, 才智, 智能", + "ENG": "the ability to say things that are clever and amusing" + }, + "handful": { + "CHS": " 一把, 少数, 一小撮", + "ENG": "an amount that you can hold in your hand" + }, + "nylon": { + "CHS": " 尼龙", + "ENG": "a strong artificial material that is used to make plastics, clothes, rope etc" + }, + "yawn": { + "CHS": " 呵欠", + "ENG": "an act of yawning" + }, + "electric": { + "CHS": " 电的, 电动的", + "ENG": "needing electricity to work, produced by electricity, or used for carrying electricity" + }, + "kingdom": { + "CHS": " 王国; 领域; 界", + "ENG": "a country ruled by a king or queen" + }, + "differ": { + "CHS": " 不同, 相异; 发生分歧", + "ENG": "if two people or groups differ about something, they have opposite opinions" + }, + "various": { + "CHS": " 各种各样的, 不同的", + "ENG": "if there are various things, there are several different types of that thing" + }, + "latter": { + "CHS": " 后者的; 后一半的", + "ENG": "being the second of two people or things, or the last in a list just mentioned" + }, + "depression": { + "CHS": " 抑郁, 沮丧; 不景气, 萧条; 洼地, 凹陷", + "ENG": "the period during the 1930s when there was not much business activity and not many jobs" + }, + "reduction": { + "CHS": " 减少, 缩小; 下降, 降低", + "ENG": "a decrease in the size, price, or amount of something, or the act of decreasing something" + }, + "extent": { + "CHS": " 广度; 范围; 程度", + "ENG": "used to say how true something is or how great an effect or change is" + }, + "gaol": { + "CHS": "监狱" + }, + "conversely": { + "CHS": " 相反", + "ENG": "used when one situation is the opposite of another" + }, + "sauce": { + "CHS": " 调味汁, 作料", + "ENG": "a thick cooked liquid that is served with food to give it a particular taste" + }, + "bat": { + "CHS": " 蝙蝠; 球棒, 球拍", + "ENG": "a small animal like a mouse with wings that flies around at night" + }, + "neighbourhood": { + "CHS": " 四邻; 附近; 接近", + "ENG": "the area around you or around a particular place, or the people who live there" + }, + "draft": { + "CHS": " 起草; 征募", + "ENG": "to write a plan, letter, report etc that will need to be changed before it is in its finished form" + }, + "giant": { + "CHS": "巨人,巨物;才智超群的人", + "ENG": "an extremely tall strong man, who is often bad and cruel, in children’s stories" + }, + "fluid": { + "CHS": "流体,液体", + "ENG": "a liquid" + }, + "bay": { + "CHS": " 湾; 分隔间", + "ENG": "A bay is a part of a coast where the land curves inward" + }, + "outlet": { + "CHS": " 出口, 出路; 发泄途径", + "ENG": "a way of expressing or getting rid of strong feelings" + }, + "addition": { + "CHS": " 加, 加法; 附加物", + "ENG": "something that is added to something else, often in order to improve it" + }, + "gang": { + "CHS": "一帮,一伙", + "ENG": "a group of criminals who work together" + }, + "shrink": { + "CHS": " 起皱; 收缩; 退缩, 畏缩", + "ENG": "to become smaller, or to make something smaller, through the effects of heat or water" + }, + "ancestor": { + "CHS": " 祖宗, 祖先; 原型; 先驱", + "ENG": "a member of your family who lived a long time ago" + }, + "textile": { + "CHS": "纺织品;纺织业", + "ENG": "any type of woven cloth that is made in large quantities, used especially by people in the business of making clothes etc" + }, + "former": { + "CHS": " 前者", + "ENG": "the first of two people or things that you have just mentioned" + }, + "extend": { + "CHS": " 延长, 扩大; 提供, 给予; 伸展, 达到", + "ENG": "to continue for a particular distance or over a particular area" + }, + "fold": { + "CHS": " 褶, 折叠的部分", + "ENG": "a line made in paper or material when you fold one part of it over another" + }, + "globe": { + "CHS": " 地球, 世界; 地球仪; 球体", + "ENG": "a round object with a map of the Earth drawn on it" + }, + "ax": { + "CHS": " 斧子" + }, + "intermediate": { + "CHS": " 中间的; 中级的", + "ENG": "an intermediate stage in a process of development is between two other stages" + }, + "folk": { + "CHS": " 人们; 家属, 亲属; 大伙儿, 各位", + "ENG": "people" + }, + "consideration": { + "CHS": " 考虑, 思考, 要考虑的事; 体贴, 关心", + "ENG": "careful thought and attention, especially before making an official or important decision" + }, + "competitive": { + "CHS": " 竞争的, 比赛的; 好竞争的, 求胜心切的; 有竞争力的", + "ENG": "determined or trying very hard to be more successful than other people or businesses" + }, + "enquiry": { + "CHS": " 询问" + }, + "applause": { + "CHS": " 鼓掌, 掌声", + "ENG": "the sound of many people hitting their hands together and shouting, to show that they have enjoyed something" + }, + "frank": { + "CHS": " 坦白的, 直率的", + "ENG": "honest and truthful" + }, + "prove": { + "CHS": " 证实, 证明; 结果是", + "ENG": "to show that something is true by providing facts, information etc" + }, + "scheme": { + "CHS": "计划,方案;阴谋", + "ENG": "an official plan that is intended to help people in some way, for example by providing education or training" + }, + "affect": { + "CHS": " 影响; 感动", + "ENG": "to do something that produces an effect or change in something or in someone’s situation" + }, + "deaf": { + "CHS": " 聋的; 不愿听的", + "ENG": "physically unable to hear anything or unable to hear well" + }, + "drain": { + "CHS": " 耗竭; 排水沟, 排水管", + "ENG": "a pipe that carries water or waste liquids away" + }, + "isolate": { + "CHS": " 使隔离, 使孤立", + "ENG": "to separate one person, group, or thing from other people or things" + }, + "sailor": { + "CHS": " 水手, 海员", + "ENG": "someone who works on a ship" + }, + "amuse": { + "CHS": " 逗…乐, 给…娱乐", + "ENG": "to make time pass in an enjoyable way, so that you do not get bored" + }, + "inward": { + "CHS": "里面的;内心的", + "ENG": "felt or experienced in your own mind but not expressed to other people" + }, + "enquire": { + "CHS": " 询问" + }, + "civil": { + "CHS": " 公民的; 文职的; 民用的; 民事的, 民法的; 文明的", + "ENG": "relating to the people who live in a country" + }, + "popularity": { + "CHS": " 普及, 流行; 声望", + "ENG": "when something or someone is liked or supported by a lot of people" + }, + "subsequent": { + "CHS": " 随后的, 后来的", + "ENG": "happening or coming after something else" + }, + "scarcely": { + "CHS": " 几乎不, 简直不; 决不; 刚刚, 才", + "ENG": "only a moment ago" + }, + "panel": { + "CHS": " 专门小组; 面, 板; 控制板, 仪表盘", + "ENG": "a board in a car, plane, boat etc that has the controls on it" + }, + "outstanding": { + "CHS": " 突出的, 杰出的; 未解决的; 未偿付的", + "ENG": "extremely good" + }, + "charge": { + "CHS": " 费用; 管理; 控告, 指责; 电荷, 充电", + "ENG": "the amount of money you have to pay for goods or services" + }, + "sew": { + "CHS": " 缝制, 缝纫", + "ENG": "to use a needle and thread to make or repair clothes or to fasten something such as a button to them" + }, + "oval": { + "CHS": "椭圆形", + "ENG": "a shape like a circle, but wider in one direction than the other" + }, + "sample": { + "CHS": " 从…抽样; 品尝, 体验", + "ENG": "to taste food or drink in order to see what it is like" + }, + "integrate": { + "CHS": " 成为一体, 合并", + "ENG": "to become part of a group or society and be accepted by them, or to help someone do this(" + }, + "survivor": { + "CHS": " 生还者; 残存物", + "ENG": "someone who continues to live after an accident, war, or illness" + }, + "tropical": { + "CHS": " 热带的; 炎热的", + "ENG": "coming from or existing in the hottest parts of the world" + }, + "partner": { + "CHS": "伙伴,合伙人,搭档,配偶", + "ENG": "one of two people who are married, or who live together and have a sexual relationship" + }, + "plunge": { + "CHS": " 纵身投入, 猛冲; 猛跌", + "ENG": "If something or someone plunges in a particular direction, especially into water, they fall, rush, or throw themselves in that direction" + }, + "diagnose": { + "CHS": " 诊断", + "ENG": "to find out what illness someone has, or what the cause of a fault is, after doing tests, examinations etc" + }, + "somewhat": { + "CHS": "一点儿" + }, + "earnest": { + "CHS": " 认真的, 诚恳的", + "ENG": "very serious and sincere" + }, + "spider": { + "CHS": " 蜘蛛", + "ENG": "a small creature with eight legs, which catches insects using a fine network of sticky threads" + }, + "clarify": { + "CHS": " 澄清, 阐明", + "ENG": "to make something clearer or easier to understand" + }, + "furnace": { + "CHS": " 炉子, 熔炉, 鼓风炉", + "ENG": "a large container for a very hot fire, used to produce power, heat, or liquid metal" + }, + "ditch": { + "CHS": " 沟, 沟渠, 渠道", + "ENG": "a long narrow hole dug at the side of a field, road etc to hold or remove unwanted water" + }, + "deck": { + "CHS": " 甲板, 舱面; 层面", + "ENG": "one of the levels on a bus, plane etc" + }, + "scare": { + "CHS": "惊恐,恐慌", + "ENG": "a sudden feeling of fear" + }, + "thunder": { + "CHS": "雷,雷声;擂鼓般的响声,轰隆声", + "ENG": "the loud noise that you hear during a storm, usually after a flash of lightning" + }, + "humorous": { + "CHS": " 幽默的, 诙谐的", + "ENG": "funny and enjoyable" + }, + "furnish": { + "CHS": " 供应, 提供; 装备", + "ENG": "to supply or provide something" + }, + "bet": { + "CHS": " 打赌; 赌金, 赌注", + "ENG": "an agreement to risk money on the result of a race, game etc or on something happening, or the money that you risk" + }, + "scary": { + "CHS": " 引起惊慌的" + }, + "utmost": { + "CHS": " 极限", + "ENG": "the most that can be done" + }, + "consultancy": { + "CHS": " 咨询公司", + "ENG": "a company that gives advice on a particular subject" + }, + "ribbon": { + "CHS": " 缎带, 丝带; 色带", + "ENG": "a narrow piece of attractive cloth that you use, for example, to tie your hair or hold things together" + }, + "garbage": { + "CHS": " 垃圾, 废物; 废话; 无用的资料", + "ENG": "waste material, such as paper, empty containers, and food thrown away" + }, + "mainland": { + "CHS": " 大陆", + "ENG": "the main area of land that forms a country, as compared to islands near it that are also part of that country" + }, + "homogeneous": { + "CHS": " 同种类的, 同性质的, 有相同特征的", + "ENG": "Homogeneous is used to describe a group or thing which has members or parts that are all the same" + }, + "anxiety": { + "CHS": " 焦虑, 忧虑; 渴望, 热望", + "ENG": "a feeling of wanting to do something very much" + }, + "adjust": { + "CHS": " 调整, 调节, 校正", + "ENG": "to change or move something slightly to improve it or make it more suitable for a particular purpose" + }, + "popularize": { + "CHS": " 普及", + "ENG": "to make a difficult subject or idea able to be easily understood by ordinary people who have no special knowledge about it" + }, + "burst": { + "CHS": " 爆炸", + "ENG": "the act of something bursting or the place where it has burst" + }, + "vigorous": { + "CHS": " 朝气蓬勃的; 有力的, 用力的", + "ENG": "using a lot of energy and strength or determination" + }, + "refrigerator": { + "CHS": " 冰箱, 冷藏库", + "ENG": "a large piece of electrical kitchen equipment, shaped like a cupboard, used for keeping food and drink cool" + }, + "necessity": { + "CHS": " 必需品; 必要性, 需要", + "ENG": "something that you need to have in order to live" + }, + "fog": { + "CHS": " 雾, 烟雾, 尘雾", + "ENG": "cloudy air near the ground which is difficult to see through" + }, + "lucky": { + "CHS": " 幸运的, 侥幸的; 吉利的", + "ENG": "having good luck" + }, + "industrialize": { + "CHS": " 工业化", + "ENG": "When a country industrializes or is industrialized, it develops a lot of industries" + }, + "clash": { + "CHS": " 冲突; 不协调; 刺耳的撞击声", + "ENG": "a short fight between two armies or groups – used in news reports" + }, + "depress": { + "CHS": " 使沮丧; 使不景气; 削弱, 抑制", + "ENG": "to make someone feel very unhappy" + }, + "parade": { + "CHS": "游行;检阅", + "ENG": "a public celebration when musical bands, brightly decorated vehicles etc move down the street" + }, + "precaution": { + "CHS": " 预防; 防备, 警惕", + "ENG": "something you do in order to prevent something dangerous or unpleasant from happening" + }, + "lemon": { + "CHS": " 柠檬; 柠檬树; 柠檬黄, 淡黄色", + "ENG": "a fruit with a hard yellow skin and sour juice" + }, + "plot": { + "CHS": "故事情节;计划,密谋;小块土地", + "ENG": "a secret plan by a group of people to do something harmful or illegal" + }, + "sanction": { + "CHS": " 批准, 认可; 约束因素, 约束力; 国际制裁", + "ENG": "official orders or laws stopping trade, communication etc with another country, as a way of forcing its leaders to make political changes" + }, + "await": { + "CHS": " 等候; 期待; 将降临到…身上", + "ENG": "to wait for something" + }, + "sin": { + "CHS": "罪,罪孽", + "ENG": "an action that is against religious rules and is considered to be an offence against God" + }, + "contrary": { + "CHS": " 相反", + "ENG": "used to add to a negative statement, to disagree with a negative statement by someone else, or to answer no to a question" + }, + "lump": { + "CHS": "块,肿块", + "ENG": "a small piece of something solid, without a particular shape" + }, + "digital": { + "CHS": " 数字的, 数位的", + "ENG": "using a system in which information is recorded or sent out electronically in the form of numbers, usually ones and zeros" + }, + "brilliant": { + "CHS": " 光辉的; 卓越的", + "ENG": "brilliant light or colour is very bright and strong" + }, + "historic": { + "CHS": " 历史上著名的, 具有重大历史意义的", + "ENG": "a historic event or act is very important and will be recorded as part of history" + }, + "oven": { + "CHS": " 炉, 烤箱", + "ENG": "a piece of equipment that food is cooked inside, shaped like a metal box with a door on the front" + }, + "bound": { + "CHS": " 跳跃; 界限, 限制", + "ENG": "a long or high jump made with a lot of energy" + }, + "counter": { + "CHS": " 柜台; 计数器; 筹码", + "ENG": "the place where you pay or are served in a shop, bank, restaurant etc" + }, + "rhythm": { + "CHS": " 韵律, 节奏", + "ENG": "a regular repeated pattern of sounds or movements" + }, + "stroke": { + "CHS": " 抚摸", + "ENG": "to move your hand gently over something" + }, + "breed": { + "CHS": "品种", + "ENG": "a type of animal that is kept as a pet or on a farm" + }, + "management": { + "CHS": " 管理; 处理; 管理部门; 管理人员", + "ENG": "the activity of controlling and organizing the work that a company or organization does" + }, + "publish": { + "CHS": " 公布, 发表; 出版, 刊印", + "ENG": "to arrange for a book, magazine etc to be written, printed, and sold" + }, + "realm": { + "CHS": " 界, 领域, 范围; 王国, 国度", + "ENG": "a general area of knowledge, activity, or thought" + }, + "correspondent": { + "CHS": " 通讯员, 记者", + "ENG": "someone who is employed by a newspaper or a television station etc to report news from a particular area or on a particular subject" + }, + "tunnel": { + "CHS": "隧道,坑道,地道", + "ENG": "a passage that has been dug under the ground for cars, trains etc to go through" + }, + "withdraw": { + "CHS": " 收回, 撤回; 撤退", + "ENG": "to stop taking part in an activity, belonging to an organization etc, or to make someone do this" + }, + "elaborate": { + "CHS": " 详述, 详细制订", + "ENG": "If you elaborate on something that has been said, you say more about it, or give more details" + }, + "feather": { + "CHS": " 羽毛, 翎毛", + "ENG": "one of the light soft things that cover a bird’s body" + }, + "corridor": { + "CHS": " 走廊, 回廊, 通路", + "ENG": "a long narrow passage on a train or between rooms in a building, with doors leading off it" + }, + "decade": { + "CHS": " 十年, 十年期", + "ENG": "a period of 10 years" + }, + "select": { + "CHS": "选择,挑选", + "ENG": "to choose something or someone by thinking carefully about which is the best, most suitable etc" + }, + "fulfill": { + "CHS": " 履行, 实现, 完成; 满足, 使满意" + }, + "crowd": { + "CHS": "群,一批", + "ENG": "a large group of people who have gathered together to do something, for example to watch something or protest about something" + }, + "congress": { + "CHS": " 代表大会; [C-]国会, 议会", + "ENG": "a formal meeting of representatives of different groups, countries etc, to discuss ideas, make decisions etc" + }, + "mechanical": { + "CHS": " 机械的, 机械制造的; 机械学的, 力学的; 呆板的", + "ENG": "affecting or involving a machine" + }, + "recommendation": { + "CHS": " 推荐, 推荐信; 建议; 优点, 可取之处", + "ENG": "a suggestion to someone that they should choose a particular thing or person that you think is very good" + }, + "flourish": { + "CHS": " 挥动", + "ENG": "to wave something in your hand in order to make people notice it" + }, + "output": { + "CHS": " 输出", + "ENG": "if a computer outputs information, it produces it" + }, + "striking": { + "CHS": " 显著的, 突出的; 惹人注目的, 容貌出众的", + "ENG": "unusual or interesting enough to be easily noticed" + }, + "vessel": { + "CHS": " 容器; 船; 飞船; 管", + "ENG": "a ship or large boat" + }, + "drag": { + "CHS": " 累赘; 一吸, 一抽", + "ENG": "If you take a drag on a cigarette or pipe that you are smoking, you take in air through it" + }, + "crown": { + "CHS": " 王冠, 冕", + "ENG": "a mark, sign, badge etc in the shape of a crown, used especially to show rank or quality" + }, + "likely": { + "CHS": "可能的;适合的", + "ENG": "something that is likely will probably happen or is probably true" + }, + "gymnasium": { + "CHS": " 体育馆, 健身房", + "ENG": "a gym " + }, + "vain": { + "CHS": " 徒劳的; 自负的", + "ENG": "someone who is vain is too proud of their good looks, abilities, or position – used to show disapproval" + }, + "lower": { + "CHS": " 放下, 降低", + "ENG": "to reduce something in amount, degree, strength etc, or to become less" + }, + "index": { + "CHS": " 索引; 指数, 指标", + "ENG": "an alphabetical list of names, subjects etc at the back of a book, with the numbers of the pages where they can be found" + }, + "fry": { + "CHS": " 油煎, 油炸, 油炒", + "ENG": "to cook something in hot fat or oil, or to be cooked in hot fat or oil" + }, + "youngster": { + "CHS": " 青年, 年轻人, 孩子", + "ENG": "a child or young person" + }, + "odd": { + "CHS": " 奇特的; 临时的; 奇数的; 单只的; 剩余的, 挂零的", + "ENG": "different from what is normal or expected, especially in a way that you disapprove of or cannot understand" + }, + "lung": { + "CHS": " 肺", + "ENG": "one of the two organs in your body that you breathe with" + }, + "supplement": { + "CHS": " 增补, 补充", + "ENG": "to add something, especially to what you earn or eat, in order to increase it to an acceptable level" + }, + "paragraph": { + "CHS": " 段, 节", + "ENG": "part of a piece of writing which starts on a new line and contains at least one sentence" + }, + "widen": { + "CHS": " 加宽, 变宽", + "ENG": "to become wider, or to make something wider" + }, + "crystal": { + "CHS": " 水晶, 结晶体, 晶粒", + "ENG": "very high quality clear glass" + }, + "occurrence": { + "CHS": " 发生, 出现; 发生的事件", + "ENG": "something that happens" + }, + "thinking": { + "CHS": "想法,意见,见解", + "ENG": "your opinion or ideas about something, or your attitude towards it" + }, + "cycle": { + "CHS": "骑自行车", + "ENG": "to travel by bicycle" + }, + "disposal": { + "CHS": " 丢掉, 销毁; 处理; 排列, 布置", + "ENG": "when you get rid of something" + }, + "settlement": { + "CHS": " 解决; 协议; 居留地", + "ENG": "an official agreement or decision that ends an argument, a court case, or a fight, or the action of making an agreement" + }, + "delegate": { + "CHS": " 委派…为代表; 授 , 把…委托给", + "ENG": "to choose someone to do a particular job, or to be a representative of a group, organization etc" + }, + "dissolve": { + "CHS": " 溶解; 解散; 消失, 减弱; 结束", + "ENG": "if a solid dissolves, or if you dissolve it, it mixes with a liquid and becomes part of it" + }, + "digest": { + "CHS": " 文摘; 摘要", + "ENG": "a short piece of writing that gives the most important facts from a book, report etc" + }, + "angle": { + "CHS": " 角, 角度; 观点, 立场", + "ENG": "the space between two straight lines or surfaces that join each other, measured in degrees" + }, + "immigrant": { + "CHS": " 移民, 侨民", + "ENG": "someone who enters another country to live there permanently" + }, + "tradition": { + "CHS": " 传统, 惯例", + "ENG": "a belief, custom, or way of doing something that has existed for a long time, or these beliefs, customs etc in general" + }, + "ability": { + "CHS": " 能力, 本领; 才能, 才智", + "ENG": "the state of being able to do something" + }, + "urgent": { + "CHS": " 紧急的, 急迫的", + "ENG": "very important and needing to be dealt with immediately" + }, + "belief": { + "CHS": " 信任, 相信; 信念", + "ENG": "the feeling that something is definitely true or definitely exists" + }, + "bundle": { + "CHS": " 收集, 归拢; 把…塞入", + "ENG": "If someone is bundled somewhere, someone pushes them there in a rough and hurried way" + }, + "suggestion": { + "CHS": " 建议, 意见; 细微的迹象; 暗示", + "ENG": "an idea, plan, or possibility that someone mentions, or the act of mentioning it" + }, + "systematic": { + "CHS": " 有系统的, 有计划的", + "ENG": "organized carefully and done thoroughly" + }, + "cupboard": { + "CHS": " 柜橱; 碗碟橱, 食橱", + "ENG": "a piece of furniture with doors, and sometimes shelves, used for storing clothes, plates, food etc" + }, + "generally": { + "CHS": " 一般地, 通常地; 普遍地", + "ENG": "by or to most people" + }, + "bacon": { + "CHS": " 咸肉", + "ENG": "salted or smoked meat from the back or sides of a pig, often served in narrow thin pieces" + }, + "likewise": { + "CHS": " 同样地; 也, 又", + "ENG": "in the same way" + }, + "slender": { + "CHS": " 细长的, 苗条的; 微薄的, 不足的", + "ENG": "thin in an attractive or graceful way" + }, + "troublesome": { + "CHS": " 令人烦恼的, 麻烦的", + "ENG": "causing problems, in an annoying way" + }, + "oral": { + "CHS": " 口头的; 口的", + "ENG": "spoken, not written" + }, + "married": { + "CHS": " 已婚的; 婚姻的", + "ENG": "having a husband or a wife" + }, + "conscious": { + "CHS": " 意识到的, 自觉的; 神志清醒的; 有意的, 存心的", + "ENG": "noticing or realizing something" + }, + "fur": { + "CHS": " 软毛, 毛皮, 裘皮; 毛皮衣服", + "ENG": "the thick soft hair that covers the bodies of some animals, such as cats, dogs, and rabbits" + }, + "auto": { + "CHS": " 汽车", + "ENG": "a car" + }, + "sigh": { + "CHS": "叹息", + "ENG": "an act or sound of sighing" + }, + "pants": { + "CHS": " 长裤, 便裤; 内裤", + "ENG": "a piece of clothing that covers you from your waist to your feet and has a separate part for each leg" + }, + "split": { + "CHS": " 裂口", + "ENG": "a tear or crack in something made of cloth, wood etc" + }, + "orchestra": { + "CHS": " 管弦乐队", + "ENG": "a large group of musicians playing many different kinds of instruments and led by a conductor" + }, + "publication": { + "CHS": " 出版, 发行; 公布, 发表", + "ENG": "The publication of a book or magazine is the act of printing it and sending it to stores to be sold" + }, + "claim": { + "CHS": " 要求, 认领, 索赔; 声称; 断言", + "ENG": "a statement that something is true, even though it has not been proved" + }, + "sow": { + "CHS": " 播, 播种", + "ENG": "to plant or scatter seeds on a piece of ground" + }, + "petroleum": { + "CHS": " 石油", + "ENG": "oil that is obtained from below the surface of the Earth and is used to make petrol, paraffin , and various chemical substances" + }, + "communication": { + "CHS": " 通讯, 交流, 交际; 通信工具, 交通联系", + "ENG": "the process by which people exchange information or express their thoughts and feelings" + }, + "directly": { + "CHS": " 直接地; 正好地, 截然; 立即", + "ENG": "with no other person, action, process etc between" + }, + "kneel": { + "CHS": " 跪, 跪下, 跪着", + "ENG": "to be in or move into a position where your body is resting on your knees" + }, + "fasten": { + "CHS": " 扎牢, 扣住", + "ENG": "to firmly close a window, gate etc so that it will not open, or to become firmly closed" + }, + "author": { + "CHS": " 著作家, 作者", + "ENG": "someone who has written a book" + }, + "dirt": { + "CHS": " 灰尘, 土; 污物, 污垢", + "ENG": "any substance that makes things dirty, such as mud or dust" + }, + "astrophysics": { + "CHS": " 天体物理学", + "ENG": "the scientific study of the chemical structure of the stars and the forces that influence them" + }, + "greenhouse": { + "CHS": " 温室, 暖房", + "ENG": "a glass building used for growing plants that need warmth, light, and protection" + }, + "plus": { + "CHS": " 加号, 正号", + "ENG": "a plus sign " + }, + "expansion": { + "CHS": " 扩大, 扩充, 扩张, 膨胀", + "ENG": "when something increases in size, range, amount etc" + }, + "entry": { + "CHS": " 入口处; 登记; 进入; 参赛者名单; 条目", + "ENG": "the act of going into something" + }, + "license": { + "CHS": " 准许", + "ENG": "to give official permission for someone to do or produce something, or for an activity to take place" + }, + "headquarters": { + "CHS": " 司令部, 总部", + "ENG": "the main building or offices used by a large company or organization" + }, + "gaze": { + "CHS": " 凝视, 盯, 注视", + "ENG": "to look at someone or something for a long time, giving it all your attention, often without realizing you are doing so" + }, + "plug": { + "CHS": " 把…塞住, 用…塞住", + "ENG": "to fill or block a small hole" + }, + "bunch": { + "CHS": "使成一束", + "ENG": "to hold or tie things together in a bunch" + }, + "thermometer": { + "CHS": " 温度计, 寒暑表", + "ENG": "a piece of equipment that measures the temperature of the air, of your body etc" + }, + "tense": { + "CHS": "时态", + "ENG": "any of the forms of a verb that show the time, continuance, or completion of an action or state that is expressed by the verb. ‘I am’ is in the present tense, ‘I was’ is past tense, and ‘I will be’ is future tense." + }, + "postpone": { + "CHS": " 延迟, 延期", + "ENG": "to change the date or time of a planned event or action to a later one" + }, + "favourable": { + "CHS": " 有利的, 赞成的; 顺利的", + "ENG": "suitable and likely to make something happen or succeed" + }, + "hammer": { + "CHS": "锤,榔头", + "ENG": "the part of a gun that hits the explosive charge that fires a bullet" + }, + "candy": { + "CHS": " 糖果", + "ENG": "a sweet food made from sugar or chocolate" + }, + "seal": { + "CHS": " 封", + "ENG": "to close an entrance or a container with something that stops air, water etc from coming in or out of it" + }, + "mental": { + "CHS": " 心理的, 精神的, 思想上的; 精神病的; 智力的", + "ENG": "relating to the health or state of someone’s mind" + }, + "storage": { + "CHS": " 贮藏; 贮藏量", + "ENG": "the process of keeping or putting something in a special place while it is not being used" + }, + "racial": { + "CHS": " 种族的, 人种的", + "ENG": "relating to the relationships between different races of people who now live in the same country or area" + }, + "niece": { + "CHS": " 侄女, 外甥女", + "ENG": "the daughter of your brother or sister, or the daughter of your wife’s or husband’s brother or sister" + }, + "auxiliary": { + "CHS": " 辅助的, 附属的; 后备的", + "ENG": "auxiliary workers provide additional help for another group of workers" + }, + "heal": { + "CHS": "使愈合,治愈,使康复;调停,消除", + "ENG": "if a wound or a broken bone heals or is healed, the flesh, skin, or bone grows back together and becomes healthy again" + }, + "somehow": { + "CHS": " 由于某种原因, 不知怎么的; 以某种方式", + "ENG": "in some way, or by some means, although you do not know how" + }, + "dive": { + "CHS": " 跳水; 潜水; 俯冲", + "ENG": "to jump into deep water with your head and arms going in first" + }, + "brick": { + "CHS": " 砖, 砖块, 砖状物", + "ENG": "a hard block of baked clay used for building walls, houses etc" + }, + "heap": { + "CHS": " 堆, 大量", + "ENG": "a large untidy pile of things" + }, + "consumer": { + "CHS": " 消费者, 用户, 消耗者", + "ENG": "someone who buys and uses products and services" + }, + "cripple": { + "CHS": " 使跛; 使残疾", + "ENG": "to hurt someone badly so that they cannot walk properly" + }, + "highly": { + "CHS": " 高度地, 极, 非常赞许地", + "ENG": "very" + }, + "brief": { + "CHS": " 概要, 摘要", + "ENG": "a short spoken or written statement giving facts about a law case" + }, + "keyboard": { + "CHS": " 键盘", + "ENG": "a board with buttons marked with letters or numbers that are pressed to put information into a computer or other machine" + }, + "nature": { + "CHS": " 大自然; 本性; 性质", + "ENG": "everything in the physical world that is not controlled by humans, such as wild plants and animals, earth and rocks, and the weather" + }, + "social": { + "CHS": " 社会的; 交际的, 社交的", + "ENG": "relating to human society and its organization, or the quality of people’s lives" + }, + "medication": { + "CHS": " 药物治疗; 药物", + "ENG": "medicine or drugs given to people who are ill" + }, + "drill": { + "CHS": "钻头;操练,训练", + "ENG": "a method of teaching students, sports players etc something by making them repeat the same lesson, exercise etc many times" + }, + "whilst": { + "CHS": " 当…的时候" + }, + "clerk": { + "CHS": " 店员, 办事员, 职员", + "ENG": "someone who keeps records or accounts in an office" + }, + "equip": { + "CHS": " 装备, 配备; 使有准备", + "ENG": "to provide a person or place with the things that are needed for a particular kind of activity or work" + }, + "radiation": { + "CHS": " 放射物, 辐射能; 辐射", + "ENG": "a form of energy that comes especially from nuclear reactions, which in large amounts is very harmful to living things" + }, + "Christian": { + "CHS": "基督教徒,信徒", + "ENG": "a person who believes in the ideas taught by Jesus Christ" + }, + "pulse": { + "CHS": "脉搏;脉冲", + "ENG": "the regular beat that can be felt, for example at your wrist, as your heart pumps blood around your body" + }, + "luxury": { + "CHS": " 奢侈; 奢侈品", + "ENG": "very great comfort and pleasure, such as you get from expensive food, beautiful houses, cars etc" + }, + "spiritual": { + "CHS": " 精神的, 心灵的; 宗教的", + "ENG": "relating to your spirit rather than to your body or mind" + }, + "mould": { + "CHS": " 用模子做, 浇铸; 使形成, 把…铸造成", + "ENG": "to shape a soft substance by pressing or rolling it or by putting it into a mould" + }, + "increasingly": { + "CHS": " 日益, 越来越多地", + "ENG": "more and more all the time" + }, + "elbow": { + "CHS": " 用肘部, 用肘挤", + "ENG": "to push someone with your elbows, especially in order to move past them" + }, + "salad": { + "CHS": " 色拉, 凉拌菜", + "ENG": "a mixture of raw vegetables, especially lettuce , cucumber , and tomato" + }, + "strategic": { + "CHS": " 对全局有重要意义的, 关键的; 战略的", + "ENG": "done as part of a plan, especially in a military, business, or political situation" + }, + "readily": { + "CHS": " 乐意地, 欣然地; 容易地; 很快地, 立即", + "ENG": "quickly and easily" + }, + "stoop": { + "CHS": " 弯腰, 曲背", + "ENG": "if you have a stoop, your shoulders are bent forward" + }, + "upper": { + "CHS": " 上面的, 地位较高的", + "ENG": "in a higher position than something else" + }, + "splendid": { + "CHS": " 壮丽的; 极好的", + "ENG": "very good" + }, + "county": { + "CHS": " 郡, 县", + "ENG": "an area of a state or country that has its own government to deal with local matters" + }, + "respondent": { + "CHS": " 回答者; 响应者; 被告", + "ENG": "someone who has to defend their own case in a law court, especially in a divorce case" + }, + "episode": { + "CHS": " 一个事件; 插曲, 片段; 连续剧的一集", + "ENG": "a television or radio programme that is one of a series of programmes in which the same story is continued each week" + }, + "convenience": { + "CHS": " 方便; 便利设施", + "ENG": "the quality of being suitable or useful for a particular purpose, especially by making something easier or saving you time" + }, + "discipline": { + "CHS": " 训练; 惩罚, 处罚", + "ENG": "to punish someone in order to keep order and control" + }, + "behalf": { + "CHS": " 利益" + }, + "evidently": { + "CHS": " 明显地, 显然", + "ENG": "used to say that something is true because you can see that it is true" + }, + "objective": { + "CHS": "目标,目的", + "ENG": "something that you are trying hard to achieve, especially in business or politics" + }, + "victimize": { + "CHS": " 使受害, 使牺牲", + "ENG": "to treat someone unfairly because you do not like them, their beliefs, or the race they belong to" + }, + "exert": { + "CHS": " 尽; 运用", + "ENG": "to use your power, influence etc in order to make something happen" + }, + "province": { + "CHS": " 省; 领域, 范围", + "ENG": "one of the large areas into which some countries are divided, and which usually has its own local government" + }, + "scandal": { + "CHS": " 丑事, 丑闻; 流言蜚语; 反感, 愤慨", + "ENG": "an event in which someone, especially someone important, behaves in a bad way that shocks people" + }, + "horrible": { + "CHS": " 令人恐惧的, 可怕的; 骇人听闻的; 极讨厌的, 使人不愉快的; 糟透的", + "ENG": "very bad - used, for example, about things you see, taste, or smell, or about the weather" + }, + "strengthen": { + "CHS": " 加强, 巩固", + "ENG": "to become stronger or make something stronger" + }, + "drip": { + "CHS": " 水滴; 滴水声", + "ENG": "one of the drops of liquid that fall from something" + }, + "injury": { + "CHS": " 损害, 伤害; 受伤处", + "ENG": "a wound or damage to part of your body caused by an accident or attack" + }, + "exhibit": { + "CHS": " 展览品", + "ENG": "something, for example a painting, that is put in a public place so that people can go to see it" + }, + "brand": { + "CHS": " 铭刻, 打烙印于; 加污名于, 谴责", + "ENG": "When you brand an animal, you put a permanent mark on its skin in order to show who it belongs to, usually by burning a mark onto its skin" + }, + "mushroom": { + "CHS": "蘑菇", + "ENG": "one of several kinds of fungus with stems and round tops, some of which can be eaten" + }, + "deny": { + "CHS": " 否定, 否认; 拒绝…的要求", + "ENG": "to say that something is not true, or that you do not believe something" + }, + "recreation": { + "CHS": " 娱乐活动, 消遣", + "ENG": "an activity that you do for pleasure or amusement" + }, + "subtract": { + "CHS": " 减, 减去, 去掉", + "ENG": "to take a number or an amount from a larger number or amount" + }, + "allowance": { + "CHS": " 津贴, 补贴; 零用钱", + "ENG": "an amount of money that you are given regularly or for a special purpose" + }, + "portable": { + "CHS": " 便于携带的, 手提式的", + "ENG": "able to be carried or moved easily" + }, + "glory": { + "CHS": " 光荣, 荣誉的事; 美丽", + "ENG": "the importance, honour, and praise that people give someone they admire a lot" + }, + "secondary": { + "CHS": " 次要的, 第二的; 中等的; 辅助的, 从属的", + "ENG": "not as important as something else" + }, + "attorney": { + "CHS": " 律师, 代理人", + "ENG": "a lawyer" + }, + "wander": { + "CHS": " 漫游, 闲逛, 漫步; 偏离正道; 走神, 恍惚", + "ENG": "to walk slowly across or around an area, usually without a clear direction or purpose" + }, + "adopt": { + "CHS": " 收养; 采用, 采取; 正式通过, 批准", + "ENG": "to take someone else’s child into your home and legally become its parent" + }, + "oppose": { + "CHS": " 反对; 反抗", + "ENG": "to disagree with something such as a plan or idea and try to prevent it from happening or succeeding" + }, + "singular": { + "CHS": " 单数的; 非凡的, 奇特的; 独一无二的", + "ENG": "a singular noun, verb, form etc is used when writing or speaking about one person or thing" + }, + "mainframe": { + "CHS": " 主机, 大型机", + "ENG": "a large powerful computer that can work very fast and that a lot of people can use at the same time" + }, + "motor": { + "CHS": " 发动机, 电动车", + "ENG": "the part of a machine that makes it work or move, by changing power, especially electrical power, into movement" + }, + "minus": { + "CHS": "负数;减号", + "ENG": "a minus sign " + }, + "conference": { + "CHS": " 会议, 讨论会; 讨论, 商谈", + "ENG": "a large formal meeting where a lot of people discuss important matters such as business, politics, or science, especially for several days" + }, + "activity": { + "CHS": " 活动; 活力; 行动", + "ENG": "things that people do, especially in order to achieve a particular aim" + }, + "advisable": { + "CHS": " 明智的, 可取的", + "ENG": "something that is advisable should be done in order to avoid problems or risks" + }, + "cooperate": { + "CHS": " 合作, 协作; 配合", + "ENG": "to work with someone else to achieve something that you both want" + }, + "cabin": { + "CHS": " 小屋; 船舱, 机舱", + "ENG": "a small house, especially one built of wood in an area of forest or mountains" + }, + "sum": { + "CHS": "总数;金额;算术", + "ENG": "an amount of money" + }, + "heel": { + "CHS": " 脚后跟, 踵; 后跟", + "ENG": "the curved back part of your foot" + }, + "disturb": { + "CHS": " 打扰, 扰乱; 弄乱; 使不安", + "ENG": "to interrupt someone so that they cannot continue what they are doing" + }, + "copper": { + "CHS": " 铜; 铜币, 铜制器", + "ENG": "a soft reddish-brown metal that allows electricity and heat to pass through it easily, and is used to make electrical wires, water pipes etc. It is a chemical element: symbol Cu" + }, + "persist": { + "CHS": " 坚持, 持续", + "ENG": "to continue to do something, although this is difficult, or other people oppose it" + }, + "audio": { + "CHS": " 听觉的, 声音的", + "ENG": "relating to sound that is recorded or broadcast" + }, + "pump": { + "CHS": " 抽, 泵送, 打气", + "ENG": "to make liquid or gas move in a particular direction, using a pump" + }, + "pierce": { + "CHS": " 刺穿, 穿孔于", + "ENG": "If a sharp object pierces something, or if you pierce something with a sharp object, the object goes into it and makes a hole in it" + }, + "teenager": { + "CHS": " 青少年", + "ENG": "someone who is between 13 and 19 years old" + }, + "apart": { + "CHS": " 分离的, 分隔的", + "ENG": "If people or groups are a long way apart on a particular topic or issue, they have completely different views and disagree about it" + }, + "calendar": { + "CHS": " 日历, 历书, 历法", + "ENG": "a set of pages that show the days, weeks, and months of a particular year, that you usually hang on a wall" + }, + "offensive": { + "CHS": " 进攻, 攻势", + "ENG": "a planned military attack involving large forces over a long period" + }, + "cartoon": { + "CHS": " 卡通画, 幽默画; 动画片, 卡通片", + "ENG": "a short film that is made by photographing a series of drawings" + }, + "speculate": { + "CHS": " 推测, 推断; 投机, 做投机买卖", + "ENG": "to guess about the possible causes or effects of something, without knowing all the facts or details" + }, + "amid": { + "CHS": " 在…中间, 在…之中, 被…围绕", + "ENG": "among or surrounded by things" + }, + "beloved": { + "CHS": " 所钟爱的, 所爱戴的", + "ENG": "loved very much by someone" + }, + "single": { + "CHS": "单程票;", + "ENG": "a ticket for a trip from one place to another but not back again" + }, + "cement": { + "CHS": " 黏结; 巩固, 使团结", + "ENG": "to make a relationship between people, countries, or organizations firm and strong" + }, + "subway": { + "CHS": " 地道; 地铁", + "ENG": "a railway system that runs under the ground below a big city" + }, + "gallon": { + "CHS": " 加仑", + "ENG": "a unit for measuring liquids, equal to eight pints. In Britain this is 4.55 litres, and in the US it is 3.79 litres." + }, + "acquaint": { + "CHS": " 使认识, 使了解", + "ENG": "If you acquaint someone with something, you tell them about it so that they know it. If you acquaint yourself with something, you learn about it. " + }, + "elastic": { + "CHS": "松紧带", + "ENG": "Elastic is a rubber material that stretches when you pull it and returns to its original size and shape when you let it go. Elastic is often used in clothes to make them fit tightly, for example, around the waist. " + }, + "assist": { + "CHS": " 援助, 帮助, 协助", + "ENG": "to help someone to do something" + }, + "vast": { + "CHS": " 巨大的, 大量的; 浩瀚的", + "ENG": "extremely large" + }, + "intervene": { + "CHS": " 干涉, 调停, 干预; 插入, 介入; 干扰, 打扰", + "ENG": "to become involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "undergraduate": { + "CHS": " 大学本科生", + "ENG": "a student at college or university, who is working for their first degree" + }, + "commercial": { + "CHS": " 商业的, 商务的; 商品化的, 商业性的", + "ENG": "related to business and the buying and selling of goods and services" + }, + "reasonable": { + "CHS": " 通情达理的, 讲道理的; 合理的; 公道的; 尚好的, 过得去的", + "ENG": "fair and sensible" + }, + "confine": { + "CHS": " 限制, 使局限; 使不外出, 禁闭", + "ENG": "to keep someone in a place that they cannot leave, such as a prison" + }, + "frequency": { + "CHS": " 屡次; 次数, 频率", + "ENG": "the fact that something happens a lot" + }, + "horizontal": { + "CHS": " 地平的, 水平的", + "ENG": "flat and level" + }, + "luggage": { + "CHS": " 行李", + "ENG": "the cases, bags etc that you carry when you are travelling" + }, + "lick": { + "CHS": " 舔; 少量, 少许", + "ENG": "when you move your tongue across the surface of something" + }, + "missile": { + "CHS": " 导弹, 飞弹, 投射物", + "ENG": "a weapon that can fly over long distances and that explodes when it hits the thing it has been aimed at" + }, + "dynamic": { + "CHS": " 动力; 动力学", + "ENG": "something that causes action or change" + }, + "satisfactory": { + "CHS": " 令人满意的", + "ENG": "something that is satisfactory seems good enough for you, or good enough for a particular situation or purpose" + }, + "unusual": { + "CHS": " 不平常的, 少有的; 独特的, 与众不同的", + "ENG": "different from what is usual or normal" + }, + "sector": { + "CHS": " 部门, 部分; 防御地段, 防区; 扇形", + "ENG": "a part of an area of activity, especially of business, trade etc" + }, + "extreme": { + "CHS": " 极端, 过分", + "ENG": "a situation, quality etc which is as great as it can possibly be – used especially when talking about two opposites" + }, + "coil": { + "CHS": " 卷", + "ENG": "to wind or twist into a series of rings, or to make something do this" + }, + "coordinate": { + "CHS": "坐标", + "ENG": "one of a set of numbers which give the exact position of a point on a map, computer screen etc" + }, + "organism": { + "CHS": " 生物, 有机体; 机体, 有机组织", + "ENG": "an animal, plant, human, or any other living thing" + }, + "athlete": { + "CHS": " 运动员, 体育家", + "ENG": "someone who competes in sports competitions, especially running, jumping, and throwing" + }, + "epidemic": { + "CHS": " 流行病; 传播", + "ENG": "a large number of cases of a disease that happen at the same time" + }, + "upright": { + "CHS": "垂直的;正直的,诚实的", + "ENG": "standing or sitting straight up" + }, + "remarkable": { + "CHS": " 值得注意的, 引人注目的; 异常的, 非凡的", + "ENG": "unusual or surprising and therefore deserving attention or praise" + }, + "brake": { + "CHS": "闸,刹车", + "ENG": "a piece of equipment that makes a vehicle go more slowly or stop" + }, + "tube": { + "CHS": " 管, 电子管, 显像管", + "ENG": "a round pipe made of metal, glass, rubber etc, especially for liquids or gases to go through" + }, + "naval": { + "CHS": " 海军的", + "ENG": "relating to the navy or used by the navy" + }, + "failure": { + "CHS": " 失败, 失败的人; 失灵, 故障; 不履行", + "ENG": "a lack of success in achieving or doing something" + }, + "accountancy": { + "CHS": " 会计工作; 会计学", + "ENG": "the profession or work of keeping or checking financial accounts, calculating taxes etc" + }, + "forge": { + "CHS": " 打制, 锻造; 伪造", + "ENG": "to illegally copy something, especially something printed or written, to make people think that it is real" + }, + "carpet": { + "CHS": " 地毯", + "ENG": "heavy woven material for covering floors or stairs, or a piece of this material" + }, + "hint": { + "CHS": "暗示,示意;细微的迹象;建议", + "ENG": "something that you say or do to suggest something to someone, without telling them directly" + }, + "knot": { + "CHS": "把…打成结", + "ENG": "to tie together two ends or pieces of string, rope, cloth etc" + }, + "region": { + "CHS": " 地区, 地带, 区域; 范围, 幅度", + "ENG": "a large area of a country or of the world, usually without exact limits" + }, + "support": { + "CHS": " 支持, 支撑物, 支持者", + "ENG": "something that presses on something else to hold it up or in position" + }, + "yearly": { + "CHS": "每年的", + "ENG": "happening or appearing every year or once a year" + }, + "deceive": { + "CHS": " 欺骗, 蒙蔽, 行骗", + "ENG": "to make someone believe something that is not true" + }, + "saucer": { + "CHS": " 茶托, 碟子", + "ENG": "a small round plate that curves up at the edges, that you put a cup on" + }, + "kid": { + "CHS": "小孩;年轻人", + "ENG": "a child" + }, + "donkey": { + "CHS": " 驴; 笨蛋", + "ENG": "a grey or brown animal like a horse, but smaller and with long ears" + }, + "destination": { + "CHS": " 目的地, 终点, 目标", + "ENG": "the place that someone or something is going to" + }, + "vertical": { + "CHS": " 垂直的, 竖式的", + "ENG": "pointing up in a line that forms an angle of 90˚ with a flat surface" + }, + "learning": { + "CHS": " 学习; 学问, 知识", + "ENG": "knowledge gained through reading and study" + }, + "monument": { + "CHS": " 纪念碑, 纪念馆; 历史遗迹", + "ENG": "a building, statue , or other large structure that is built to remind people of an important event or famous person" + }, + "misconception": { + "CHS": " 误解", + "ENG": "an idea which is wrong or untrue, but which people believe because they do not understand the subject properly" + }, + "damp": { + "CHS": " 使潮湿; 使沮丧; 抑制", + "ENG": "to dampen something" + }, + "vivid": { + "CHS": " 鲜艳的; 生动的, 栩栩如生的", + "ENG": "vivid memories, dreams, descriptions etc are so clear that they seem real" + }, + "honey": { + "CHS": " 蜜, 蜂蜜; 甜, 甜蜜; [常用于称呼] 宝贝儿", + "ENG": "a sweet sticky substance produced by bees , used as food" + }, + "screw": { + "CHS": " 固定, 拧紧", + "ENG": "to attach one thing to another using a screw" + }, + "missing": { + "CHS": " 缺掉的, 失踪的", + "ENG": "something that is missing is not in its usual place, so that you cannot find it" + }, + "virtue": { + "CHS": " 善, 美德; 优点, 长处", + "ENG": "moral goodness of character and behaviour" + }, + "normal": { + "CHS": " 正常的, 平常的; 正规的, 规范的", + "ENG": "usual, typical, or expected" + }, + "socialist": { + "CHS": " 社会主义者", + "ENG": "someone who believes in socialism, or who is a member of a political party that supports socialism" + }, + "gradual": { + "CHS": " 逐渐的, 渐进的; 坡度平缓的", + "ENG": "happening slowly over a long period of time" + }, + "ore": { + "CHS": " 矿, 矿石", + "ENG": "rock or earth from which metal can be obtained" + }, + "slight": { + "CHS": "侮慢;轻视,冷落", + "ENG": "to offend someone by treating them rudely or without respect" + }, + "transmit": { + "CHS": " 传送, 传递; 传染; 播送, 发射", + "ENG": "to send out electronic signals, messages etc using radio, television, or other similar equipment" + }, + "socialism": { + "CHS": " 社会主义", + "ENG": "an economic and political system in which large industries are owned by the government, and taxes are used to take some wealth away from richer citizens and give it to poorer citizens" + }, + "argue": { + "CHS": "争论,争辩,辩论;主张;说服", + "ENG": "to disagree with someone in words, often in an angry way" + }, + "technology": { + "CHS": " 工艺学; 工艺, 技术", + "ENG": "new machines, equipment, and ways of doing things that are based on modern knowledge about science and computers" + }, + "voltage": { + "CHS": " 电压", + "ENG": "electrical force measured in volts" + }, + "damn": { + "CHS": "该死的〔表示对某人或某事物生气〕", + "ENG": "used when you are angry or annoyed with someone or something" + }, + "location": { + "CHS": " 位置, 场所; 外景拍摄地", + "ENG": "a particular place, especially in relation to other areas, buildings etc" + }, + "advertise": { + "CHS": " 为…做广告, 宣传; 公告; 登广告", + "ENG": "to tell the public about a product or service in order to persuade them to buy it" + }, + "compromise": { + "CHS": "妥协,和解,折中办法", + "ENG": "an agreement that is achieved after everyone involved accepts less than what they wanted at first, or the act of making this agreement" + }, + "sack": { + "CHS": " 解雇; 洗劫, 劫掠", + "ENG": "to dismiss someone from their job" + }, + "software": { + "CHS": " 软件", + "ENG": "the sets of programs that tell a computer how to do a particular job" + }, + "seminar": { + "CHS": " 研究班, 研讨会", + "ENG": "a class at a university or college for a small group of students and a teacher to study or discuss a particular subject" + }, + "comparative": { + "CHS": " 比较的, 相对的", + "ENG": "comfort freedom, wealth etc that is quite good when compared to how comfortable, free, or rich etc something or someone else is" + }, + "competition": { + "CHS": " 竞争, 比赛", + "ENG": "a situation in which people or organizations try to be more successful than other people or organizations" + }, + "fruitful": { + "CHS": " 多产的, 肥沃的", + "ENG": "land that is fruitful produces a lot of crops" + }, + "dragon": { + "CHS": " 龙", + "ENG": "a large imaginary animal that has wings and a long tail and can breathe out fire" + }, + "hesitant": { + "CHS": " 犹豫的; 吞吞吐吐的", + "ENG": "uncertain about what to do or say because you are nervous or unwilling" + }, + "beyond": { + "CHS": "在…的那边,远于;迟于;越出", + "ENG": "on or to the further side of something" + }, + "hell": { + "CHS": " 地狱; 极大的痛苦", + "ENG": "the place where the souls of bad people are believed to be punished after death, especially in the Christian and Muslim religions" + }, + "connection": { + "CHS": " 联系, 关系; 连接, 衔接; 连贯性; 熟人, 关系", + "ENG": "the way in which two facts, ideas, events etc are related to each other, and one is affected or caused by the other" + }, + "proof": { + "CHS": "证据,证明;校样,样张", + "ENG": "facts, information, documents etc that prove something is true" + }, + "timber": { + "CHS": " 木材, 原木; 大木料, 栋木", + "ENG": "wood used for building or making things" + }, + "roar": { + "CHS": " 呐喊声, 咆哮声, 吼叫声; 轰鸣", + "ENG": "a deep, loud noise made by an animal such as a lion, or by someone’s voice" + }, + "presence": { + "CHS": " 出席, 到场; 存在; 仪表, 仪态", + "ENG": "when someone or something is present in a particular place" + }, + "phase": { + "CHS": " 阶段; 方面; 相, 相位", + "ENG": "one of the stages of a process of development or change" + }, + "surrounding": { + "CHS": "附近的;四周的", + "ENG": "near or around a particular place" + }, + "efficiency": { + "CHS": " 效率; 功效, 效能", + "ENG": "the quality of doing something well and effectively, without wasting time, money, or energy" + }, + "overhead": { + "CHS": " 经常费用, 管理费用", + "ENG": "money spent regularly on rent, insurance, electricity, and other things that are needed to keep a business operating" + }, + "conclude": { + "CHS": " 推断出, 推论出; 结束, 终了; 缔结, 议定", + "ENG": "to decide that something is true after considering all the information you have" + }, + "comprehension": { + "CHS": " 理解, 理解力, 领悟; 理解力测验", + "ENG": "the ability to understand something" + }, + "beggar": { + "CHS": " 使贫穷", + "ENG": "to make someone very poor" + }, + "leather": { + "CHS": " 皮革, 皮革制品", + "ENG": "animal skin that has been treated to preserve it, and is used for making shoes, bags etc" + }, + "comb": { + "CHS": " 梳理; 在…搜寻; 彻底搜查", + "ENG": "to make hair look tidy using a comb" + }, + "innovative": { + "CHS": " 创新的, 革新的", + "ENG": "an innovative idea or way of doing something is new, different, and better than those that existed before" + }, + "fabric": { + "CHS": " 织物, 纺织品; 结构", + "ENG": "cloth used for making clothes, curtains etc" + }, + "revolutionary": { + "CHS": " 革命者", + "ENG": "someone who joins in or supports a political or social revolution" + }, + "following": { + "CHS": " 一批追随者", + "ENG": "a group of people who support or admire someone" + }, + "exact": { + "CHS": " 强求, 索取", + "ENG": "to demand and get something from someone by using threats, force etc" + }, + "indoor": { + "CHS": "室内的", + "ENG": "used or happening inside a building" + }, + "force": { + "CHS": " 军队, 兵力; 暴力, 武力; 力, 力气; 影响力, 效力", + "ENG": "military action used as a way of achieving your aims" + }, + "centigrade": { + "CHS": " 百分度的; 摄氏的", + "ENG": "Centigrade is a scale for measuring temperature, in which water freezes at 0 degrees and boils at 100 degrees. It is represented by the symbol °C. " + }, + "sexual": { + "CHS": " 性的, 两性的; 性别的", + "ENG": "relating to the physical activity of sex" + }, + "sympathetic": { + "CHS": " 同情的; 和谐的; 赞同的, 支持的; 合意的", + "ENG": "caring and feeling sorry about someone’s problems" + }, + "freight": { + "CHS": " 运送", + "ENG": "to send goods by air, sea, or train" + }, + "distribution": { + "CHS": " 分发, 分配; 分布", + "ENG": "the act of sharing things among a large group of people in a planned way" + }, + "tyre": { + "CHS": " 轮胎, 车胎", + "ENG": "a thick rubber ring that fits around the wheel of a car, bicycle etc" + }, + "capacity": { + "CHS": " 容量; 能力, 才能; 能量; 身份, 地位", + "ENG": "someone’s ability to do something" + }, + "cope": { + "CHS": " 应付, 处理", + "ENG": "to succeed in dealing with a difficult problem or situation" + }, + "overseas": { + "CHS": " 在海外的", + "ENG": "coming from, existing in, or happening in a foreign country that is across the sea" + }, + "impress": { + "CHS": " 印记; 特征" + }, + "confess": { + "CHS": " 供认, 坦白; 承认", + "ENG": "to admit, especially to the police, that you have done something wrong or illegal" + }, + "leak": { + "CHS": " 漏洞", + "ENG": "a small hole that lets liquid or gas flow into or out of something" + }, + "ghost": { + "CHS": " 鬼, 灵魂, 鬼魂", + "ENG": "the spirit of a dead person that some people think they can feel or see in a place" + }, + "lean": { + "CHS": " 瘦的; 贫瘠的", + "ENG": "thin in a healthy and attractive way" + }, + "flat": { + "CHS": "一套房间,单元住宅", + "ENG": "a place for people to live that consists of a set of rooms that are part of a larger building" + }, + "recall": { + "CHS": " 回忆; 召回, 叫回; 收回, 撤销", + "ENG": "to remember a particular fact, event, or situation from the past" + }, + "leap": { + "CHS": " 跳跃; 骤变", + "ENG": "a big jump" + }, + "waterproof": { + "CHS": " 不透水的, 防水的", + "ENG": "not allowing water to enter" + }, + "barber": { + "CHS": " 理发师", + "ENG": "a man whose job is to cut men’s hair and sometimes to shave them" + }, + "precise": { + "CHS": " 精确的, 准确的; 严谨的", + "ENG": "precise information, details etc are exact, clear, and correct" + }, + "precious": { + "CHS": " 珍贵的, 宝贵的", + "ENG": "something that is precious is valuable and important and should not be wasted or used without care" + }, + "observation": { + "CHS": " 注意, 观察; 言论, 评论; 观察资料", + "ENG": "the process of watching something or someone carefully for a period of time" + }, + "apologize": { + "CHS": " 道歉, 谢罪, 认错", + "ENG": "to tell someone that you are sorry that you have done something wrong" + }, + "inhabitant": { + "CHS": " 居民, 住户", + "ENG": "one of the people who live in a particular place" + }, + "fraction": { + "CHS": " 小部分; 片断; 分数", + "ENG": "a part of a whole number in mathematics, such as ½ or ¾" + }, + "filter": { + "CHS": " 滤纸, 过滤嘴", + "ENG": "something that you pass water, air etc through in order to remove unwanted substances and make it clean or suitable to use" + }, + "sunlight": { + "CHS": " 日光, 阳光", + "ENG": "natural light that comes from the sun" + }, + "emotion": { + "CHS": " 情感, 感情; 激动", + "ENG": "a strong human feeling such as love, hate, or anger" + }, + "cease": { + "CHS": " 停止, 终止", + "ENG": "to stop doing something or stop happening" + }, + "owe": { + "CHS": " 欠; 应把…归功于; 感激, 感恩", + "ENG": "to be successful because of the good effect or influence of something or someone" + }, + "scarce": { + "CHS": " 缺乏的, 不足的; 稀少的, 罕见的", + "ENG": "if something is scarce, there is not very much of it available" + }, + "minimum": { + "CHS": "最低限度;最小量", + "ENG": "the smallest amount of something or number of things that is possible or necessary" + }, + "queue": { + "CHS": "长队,行列", + "ENG": "a line of people waiting to enter a building, buy something etc, or a line of vehicles waiting to move" + }, + "mathematical": { + "CHS": " 数学的", + "ENG": "relating to or using mathematics" + }, + "apology": { + "CHS": " 道歉, 认错, 谢罪", + "ENG": "something that you say or write to show that you are sorry for doing something wrong" + }, + "magic": { + "CHS": "魔法,魅力", + "ENG": "the power to make impossible things happen by saying special words or doing special actions" + }, + "argument": { + "CHS": " 争论, 辩论; 理由; 说理, 论证", + "ENG": "a situation in which two or more people disagree, often angrily" + }, + "data": { + "CHS": "资料,数据", + "ENG": "information or facts" + }, + "theoretical": { + "CHS": " 理论的", + "ENG": "relating to the study of ideas, especially scientific ideas, rather than with practical uses of the ideas or practical experience" + }, + "utter": { + "CHS": " 发出, 说, 讲", + "ENG": "to say something" + }, + "onion": { + "CHS": " 洋葱; 洋葱类植物", + "ENG": "a round white vegetable with a brown, red, or white skin and many layers. Onions have a strong taste and smell." + }, + "vibrate": { + "CHS": " 颤动", + "ENG": "if something vibrates, or if you vibrate it, it shakes quickly and continuously with very small movements" + }, + "drum": { + "CHS": "鼓,鼓状物;圆桶", + "ENG": "a musical instrument made of skin stretched over a circular frame, played by hitting it with your hand or a stick" + }, + "sausage": { + "CHS": " 香肠, 腊肠", + "ENG": "a small tube of skin filled with a mixture of meat, spices etc, eaten hot or cold after it has been cooked" + }, + "hopeful": { + "CHS": " 有希望的", + "ENG": "believing that what you hope for is likely to happen" + }, + "condense": { + "CHS": " 冷凝, 凝结; 浓缩, 压缩, 简缩", + "ENG": "if a gas condenses, or is condensed, it becomes a liquid" + }, + "barrier": { + "CHS": " 栅栏; 检票口; 屏障; 障碍, 隔阂", + "ENG": "a rule, problem etc that prevents people from doing something, or limits what they can do" + }, + "create": { + "CHS": " 创造; 引起, 产生", + "ENG": "to make something exist that did not exist before" + }, + "criminal": { + "CHS": "犯人,罪犯,刑事犯", + "ENG": "someone who is involved in illegal activities or has been proved guilty of a crime" + }, + "tag": { + "CHS": "给…加上标签", + "ENG": "to attach a tag to something" + }, + "notebook": { + "CHS": " 笔记本", + "ENG": "a book made of plain paper on which you can write notes" + }, + "indirect": { + "CHS": " 间接的, 婉转的", + "ENG": "not directly caused by something" + }, + "resource": { + "CHS": " 资源; 财力; 应付办法, 谋略", + "ENG": "something such as useful land, or minerals such as oil or coal, that exists in a country and can be used to increase its wealth" + }, + "ugly": { + "CHS": " 丑陋的; 可怕的", + "ENG": "extremely unattractive and unpleasant to look at" + }, + "nuisance": { + "CHS": " 讨厌的东西", + "ENG": "a person, thing, or situation that annoys you or causes problems" + }, + "tax": { + "CHS": " 对…征税; 使负担重, 使费尽力气", + "ENG": "to charge a tax on something" + }, + "earthquake": { + "CHS": " 地震, 大震荡", + "ENG": "a sudden shaking of the earth’s surface that often causes a lot of damage" + }, + "excitement": { + "CHS": " 刺激, 激动, 兴奋; 令人兴奋的事, 刺激的因素", + "ENG": "the feeling of being excited" + }, + "nightmare": { + "CHS": " 噩梦; 可怕的事物, 无法摆脱的恐惧", + "ENG": "a very frightening dream" + }, + "cord": { + "CHS": " 细绳, 粗线, 索; 灯芯绒裤", + "ENG": "a piece of thick string or thin rope" + }, + "ending": { + "CHS": " 结尾, 结局; 死亡", + "ENG": "the way that a story, film, activity etc finishes" + }, + "core": { + "CHS": " 果实的心; 核心, 要点", + "ENG": "the hard central part of a fruit such as an apple" + }, + "enforce": { + "CHS": " 实施, 执行; 强制, 强迫, 迫使", + "ENG": "to make people obey a rule or law" + }, + "embassy": { + "CHS": " 大使馆; 大使馆全体成员", + "ENG": "a group of officials who represent their government in a foreign country, or the building they work in" + }, + "departure": { + "CHS": " 离开, 起程, 出发; 背离, 违背", + "ENG": "an act of leaving a place, especially at the start of a journey" + }, + "dash": { + "CHS": " 猛冲; 破折号", + "ENG": "an occasion when someone runs somewhere very quickly in order to get away from something or someone, or in order to reach them" + }, + "sociology": { + "CHS": " 社会学", + "ENG": "the scientific study of societies and the behaviour of people in groups" + }, + "link": { + "CHS": " 环节, 联系, 纽带", + "ENG": "a way in which two things or ideas are related to each other" + }, + "flee": { + "CHS": " 逃走, 逃掉, 逃离; 避开, 逃避", + "ENG": "to leave somewhere very quickly, in order to escape from danger" + }, + "recovery": { + "CHS": " 恢复, 痊愈; 追回, 寻回, 收复", + "ENG": "the process of getting better after an illness, injury etc" + }, + "hedge": { + "CHS": "篱笆,树篱;障碍物", + "ENG": "a row of small bushes or trees growing close together, usually dividing one field or garden from another" + }, + "tune": { + "CHS": " 调整, 调节; 为调音", + "ENG": "to make a musical instrument play at the right pitch " + }, + "weep": { + "CHS": " 哭泣, 流泪; 渗出", + "ENG": "to cry, especially because you feel very sad" + }, + "aware": { + "CHS": " 知道的, 意识到的", + "ENG": "if you are aware that a situation exists, you realize or know that it exists" + }, + "drama": { + "CHS": " 戏剧, 剧本; 戏剧性事件", + "ENG": "a play for the theatre, television, radio etc, usually a serious one, or plays in general" + }, + "limp": { + "CHS": "跛行", + "ENG": "the way someone walks when they are limping" + }, + "organize": { + "CHS": " 组织, 把…编组; 使有条理", + "ENG": "to manage a group of people who are doing something" + }, + "marriage": { + "CHS": " 结婚, 婚姻; 婚礼", + "ENG": "the relationship between two people who are married, or the state of being married" + }, + "stove": { + "CHS": " 炉, 火炉, 电炉", + "ENG": "a thing used for heating a room or for cooking, which works by burning wood, coal, oil, or gas" + }, + "alarm": { + "CHS": " 使惊恐; 使担心", + "ENG": "to make someone feel worried or frightened" + }, + "weed": { + "CHS": "杂草,野草", + "ENG": "a wild plant growing where it is not wanted that prevents crops or garden flowers from growing properly" + }, + "continual": { + "CHS": " 连续的; 频频的", + "ENG": "continuing for a long time without stopping" + }, + "herd": { + "CHS": " 放牧", + "ENG": "to make animals move together in a group" + }, + "limb": { + "CHS": " 肢, 臂, 腿; 树枝", + "ENG": "an arm or leg" + }, + "balloon": { + "CHS": " 气球, 玩具气球", + "ENG": "an object made of brightly coloured thin rubber, that is filled with air and used as a toy or decoration for parties" + }, + "motion": { + "CHS": "运动;手势,眼色,动作;提议", + "ENG": "the process of moving or the way that someone or something moves" + }, + "limited": { + "CHS": " 有限的", + "ENG": "not very great in amount, number, ability etc" + }, + "idle": { + "CHS": " 虚度, 无所事事", + "ENG": "to spend time doing nothing" + }, + "arbitrary": { + "CHS": " 随心所欲的, 专断的", + "ENG": "decided or arranged without any reason or plan, often unfairly" + }, + "fearful": { + "CHS": " 害怕的, 可怕的; 不安的, 忧虑的", + "ENG": "frightened that something bad might happen" + }, + "accent": { + "CHS": " 口音, 腔调; 重音", + "ENG": "the way someone pronounces the words of a language, showing which country or which part of a country they come from" + }, + "fertilizer": { + "CHS": " 肥料", + "ENG": "a substance that is put on the soil to make plants grow" + }, + "lorry": { + "CHS": " 运货汽车, 卡车", + "ENG": "a large vehicle for carrying heavy goods" + }, + "carrier": { + "CHS": " 运输工具, 运载工具; 带菌者; 载重架, 置物架", + "ENG": "a company that moves goods or passengers from one place to another" + }, + "fragment": { + "CHS": "碎片,破片,碎块", + "ENG": "a small piece of something that has broken off or that comes from something larger" + }, + "corresponding": { + "CHS": " 相应的, 符合的", + "ENG": "caused by or connected with something you have already mentioned" + }, + "treaty": { + "CHS": " 条约, 协议, 协定", + "ENG": "a formal written agreement between two or more countries or governments" + }, + "responsive": { + "CHS": " 响应的; 敏感的, 易受影响的", + "ENG": "reacting quickly, in a positive way" + }, + "ounce": { + "CHS": " 盎司", + "ENG": "a unit for measuring weight, equal to 28.35 grams. There are 16 ounces in a pound." + }, + "category": { + "CHS": " 种类, 类, 类别", + "ENG": "a group of people or things that are all of the same type" + }, + "snap": { + "CHS": "吧嗒声;快照", + "ENG": "a sudden loud sound, especially made by something breaking or closing" + }, + "refuse": { + "CHS": "拒绝", + "ENG": "to say firmly that you will not do something that someone has asked you to do" + }, + "soluble": { + "CHS": "可溶的;可以解决的", + "ENG": "a soluble substance can be dissolved in a liquid" + }, + "hat": { + "CHS": "帽子(一般指有边的)", + "ENG": "a piece of clothing that you wear on your head" + }, + "beach": { + "CHS": "海滩,湖滩,河滩", + "ENG": "an area of sand or small stones at the edge of the sea or a lake" + }, + "amplify": { + "CHS": "放大,扩大;增强", + "ENG": "to make sound louder, especially musical sound" + }, + "put": { + "CHS": "放,摆;使处于", + "ENG": "to move something to a particular place or position, especially using your hands" + }, + "December": { + "CHS": "十二月", + "ENG": "the 12th month of the year, between November and January" + }, + "president": { + "CHS": "总统;(某组织的)最高权力人", + "ENG": "the official leader of a country that does not have a king or queen" + }, + "lately": { + "CHS": "最近,不久前", + "ENG": "recently" + }, + "down": { + "CHS": "向下;在下面", + "ENG": "to or towards a lower place or position" + }, + "lake": { + "CHS": "湖", + "ENG": "a large area of water surrounded by land" + }, + "nor": { + "CHS": "既不…也不…;也不", + "ENG": "used when mentioning two things that are not true or do not happen" + }, + "bench": { + "CHS": "长凳,条凳", + "ENG": "a long seat for two or more people, especially outdoors" + }, + "mirror": { + "CHS": "与〔另一事物〕相似;反映", + "ENG": "if one thing mirrors another, it is very similar to it and may seem to copy or represent it" + }, + "draw": { + "CHS": "画,划", + "ENG": "to produce a picture of something using a pencil, pen etc" + }, + "net": { + "CHS": "网,网状物;互联网", + "ENG": "something used for catching fish, insects, or animals which is made of threads or wires woven across each other with regular spaces between them" + }, + "quiet": { + "CHS": "安静的;寂静的", + "ENG": "not making much noise, or making no noise at all" + }, + "water": { + "CHS": "使湿,灌溉", + "ENG": "if you water plants or the ground they are growing in, you pour water on them" + }, + "nervous": { + "CHS": "神经的;易激动的", + "ENG": "worried or frightened about something, and unable to relax" + }, + "fight": { + "CHS": "打(仗);斗争", + "ENG": "to take part in a war or battle" + }, + "lift": { + "CHS": "电梯", + "ENG": "a machine that you can ride in, that moves up and down between the floors in a tall building" + }, + "dirty": { + "CHS": "脏的;下流的", + "ENG": "covered in or marked by an unwanted substance" + }, + "belong": { + "CHS": "属于", + "ENG": "If something belongs to you, you own it" + }, + "express": { + "CHS": "快车;快递", + "ENG": "a train or bus that does not stop in many places and therefore travels quickly" + }, + "imagine": { + "CHS": "想象,设想", + "ENG": "to form a picture or idea in your mind about what something could be like" + }, + "lever": { + "CHS": "控制杆;杆,杠杆", + "ENG": "a stick or handle on a machine or piece of equipment, that you move to operate it" + }, + "midst": { + "CHS": "中部,中间,当中", + "ENG": "in a particular group" + }, + "direct": { + "CHS": "直接的;直率的", + "ENG": "done without any other people, actions, processes etc coming between" + }, + "get": { + "CHS": "获得,得到;到达;变成,成为", + "ENG": "to obtain something by finding it, asking for it, or paying for it" + }, + "hamburger": { + "CHS": "汉堡包,牛肉饼", + "ENG": "a flat round piece of finely cut beef which is cooked and eaten in a bread bun" + }, + "climb": { + "CHS": "攀登,爬", + "ENG": "to move up, down, or across something using your feet and hands, especially when this is difficult to do" + }, + "public": { + "CHS": "公众", + "ENG": "ordinary people who do not work for the government or have any special position in society" + }, + "palace": { + "CHS": "宫,宫殿", + "ENG": "the official home of a person of very high rank, especially a king or queen – often used in names" + }, + "cow": { + "CHS": "母牛,奶牛;母兽", + "ENG": "a large female animal that is kept on farms and used to produce milk or meat" + }, + "fun": { + "CHS": "乐趣,娱乐;玩笑", + "ENG": "an experience or activity that is very enjoyable and exciting" + }, + "living": { + "CHS": "生活,生计", + "ENG": "the way that you earn money or the money that you earn" + }, + "Mediterranean": { + "CHS": "地中海的", + "ENG": "relating to the Mediterranean Sea, or typical of the area of southern Europe around it" + }, + "worth": { + "CHS": "价值", + "ENG": "how good or useful something is or how important it is to people" + }, + "brood": { + "CHS": "孵(蛋)", + "ENG": "if a bird broods, it sits on its eggs to make the young birds break out" + }, + "tip": { + "CHS": "轻击;给小费", + "ENG": "to hit or strike lightly" + }, + "certain": { + "CHS": "肯定的;确实的", + "ENG": "confident and sure, without any doubts" + }, + "messenger": { + "CHS": "送信者,信使", + "ENG": "someone whose job is to deliver messages or documents, or someone who takes a message to someone else" + }, + "youth": { + "CHS": "青春;青年们;青年", + "ENG": "the quality or state of being young" + }, + "fact": { + "CHS": "事实;实际,实情", + "ENG": "a piece of information that is known to be true" + }, + "cool": { + "CHS": "凉的;冷静的", + "ENG": "low in temperature, but not cold, often in a way that feels pleasant" + }, + "program": { + "CHS": "程序;节目单", + "ENG": "a set of instructions given to a computer to make it perform an operation" + }, + "illness": { + "CHS": "病,疾病", + "ENG": "a disease of the body or mind, or the condition of being ill" + }, + "population": { + "CHS": "人口;全体居民", + "ENG": "the number of people living in a particular area, country etc" + }, + "order": { + "CHS": "命令", + "ENG": "to tell someone that they must do something, especially using your official power or authority" + }, + "everywhere": { + "CHS": "到处,处处", + "ENG": "in or to every place" + }, + "stage": { + "CHS": "阶段;舞台", + "ENG": "a particular time or state that something reaches as it grows or develops" + }, + "everyone": { + "CHS": "每人,人人", + "ENG": "every person" + }, + "hatch": { + "CHS": "(蛋)孵化;孵出", + "ENG": "if an egg hatches, or if it is hatched, it breaks, letting the young bird, insect etc come out" + }, + "more": { + "CHS": "更", + "ENG": "having a particular quality to a greater degree" + }, + "apple": { + "CHS": "苹果", + "ENG": "a hard round fruit that has red, light green, or yellow skin and is white inside" + }, + "never": { + "CHS": "永不,决不;不", + "ENG": "not at any time, or not once" + }, + "idiom": { + "CHS": "习语,成语", + "ENG": "a group of words that has a special meaning that is different from the ordinary meaning of each separate word. For example, ‘under the weather’ is an idiom meaning ‘ill’." + }, + "fourteen": { + "CHS": "十四", + "ENG": "the number 14" + }, + "on": { + "CHS": "在…上", + "ENG": "used to say what part of someone or something is hit or touched" + }, + "animal": { + "CHS": "兽欲/动物本能等(animal urges/instincts)", + "ENG": "human feelings, desires etc that are connected with sex, food, and other basic needs" + }, + "mend": { + "CHS": "修补,缝补;修理", + "ENG": "to repair a tear or hole in a piece of clothing" + }, + "dozen": { + "CHS": "一打,十二个", + "ENG": "twelve" + }, + "classmate": { + "CHS": "同班同学", + "ENG": "a member of the same class in a school, college or – in the US – a university" + }, + "personal": { + "CHS": "个人的;本人的", + "ENG": "belonging or relating to one particular person, rather than to other people or to people in general" + }, + "custom": { + "CHS": "习惯,风俗;海关", + "ENG": "something that is done by people in a particular society because it is traditional" + }, + "child": { + "CHS": "小孩,儿童;儿子/女儿", + "ENG": "someone who is not yet an adult" + }, + "education": { + "CHS": "教育;训导", + "ENG": "the process of teaching and learning, usually at school, college, or university" + }, + "stair": { + "CHS": "楼梯", + "ENG": "a set of steps built for going from one level of a building to another" + }, + "ornament": { + "CHS": "装饰物;装饰", + "ENG": "a small object that you keep in your house because it is beautiful rather than useful" + }, + "downstairs": { + "CHS": "楼下的", + "ENG": "be situated on the ground floor of a building or on a lower floor than you are" + }, + "hare": { + "CHS": "野兔", + "ENG": "an animal like a rabbit but larger, which can run very quickly" + }, + "brook": { + "CHS": "小河,溪流", + "ENG": "a small stream" + }, + "employ": { + "CHS": "雇用;用;使忙于", + "ENG": "to pay someone to work for you" + }, + "may": { + "CHS": "可能;可以;祝", + "ENG": "if something may happen or may be true, there is a possibility that it will happen or be true but this is not certain" + }, + "freeze": { + "CHS": "冻;结冻", + "ENG": "if a liquid or something wet freezes or is frozen, it becomes hard and solid because the temperature is very cold" + }, + "greeting": { + "CHS": "问候,招呼,致敬", + "ENG": "something you say or do when you meet someone" + }, + "steel": { + "CHS": "钢,钢铁", + "ENG": "strong metal that can be shaped easily, consisting of iron and carbon" + }, + "guard": { + "CHS": "卫兵", + "ENG": "someone whose job is to protect a place or person" + }, + "breakfast": { + "CHS": "早饭,早餐", + "ENG": "the meal you have in the morning" + }, + "notice": { + "CHS": "注意;通知", + "ENG": "when you notice or pay attention to someone or something" + }, + "money": { + "CHS": "货币;金钱;财富", + "ENG": "what you earn by working and can use to buy things. Money can be in the form of notes and coins or cheques, and can be kept in a bank" + }, + "best": { + "CHS": "最好的;最大的", + "ENG": "better than anything else or anyone else in quality, skill, how effective it is etc" + }, + "meet": { + "CHS": "遇见", + "ENG": "to see someone by chance and talk to them" + }, + "beginning": { + "CHS": "开始,开端;起源", + "ENG": "the start or first part of an event, story, period of time etc" + }, + "juice": { + "CHS": "(水果等)汁,液", + "ENG": "the liquid that comes from fruit and vegetables, or a drink that is made from this" + }, + "meadow": { + "CHS": "草地,牧草地", + "ENG": "a field with wild grass and flowers" + }, + "fish": { + "CHS": "钓鱼", + "ENG": "to try to catch fish" + }, + "incorrect": { + "CHS": "不正确的,错误的", + "ENG": "not correct or true" + }, + "lose": { + "CHS": "失去;迷失;输掉", + "ENG": "to stop having a particular attitude, quality, ability etc, or to gradually have less of it" + }, + "man": { + "CHS": "男人;人;人类", + "ENG": "an adult male human" + }, + "bell": { + "CHS": "钟,铃,门铃;钟声", + "ENG": "a piece of electrical equipment that makes a ringing sound, used as a signal or to get someone’s attention" + }, + "mean": { + "CHS": "作…解释;意指", + "ENG": "to have or represent a particular meaning" + }, + "complicate": { + "CHS": "使复杂;使陷入", + "ENG": "to make a problem or situation more difficult" + }, + "English": { + "CHS": "英国人的", + "ENG": "relating to England or its people" + }, + "call": { + "CHS": "把…叫做;叫,喊", + "ENG": "to use a word or name to describe someone or something in a particular way" + }, + "pleasant": { + "CHS": "令人愉快的,舒适的", + "ENG": "enjoyable or attractive and making you feel happy" + }, + "conversion": { + "CHS": "转变,转化;改变", + "ENG": "when you change something from one form, purpose, or system to a different one" + }, + "master": { + "CHS": "能手;主人;硕士", + "ENG": "someone who is very skilled at something" + }, + "pipe": { + "CHS": "管子,导管;烟斗", + "ENG": "a tube through which a liquid or gas flows" + }, + "bike": { + "CHS": "骑自行车", + "ENG": "to ride a bicycle" + }, + "canoe": { + "CHS": "独木舟,皮艇,划子", + "ENG": "a long light boat that is pointed at both ends and which you move along using a paddle" + }, + "double": { + "CHS": "双的;两倍的", + "ENG": "consisting of two parts that are similar or exactly the same" + }, + "kilogram": { + "CHS": "千克,公斤", + "ENG": "a unit for measuring weight, equal to 1,000 grams" + }, + "break": { + "CHS": "打破;损坏;破坏", + "ENG": "if you break something, you make it separate into two or more pieces, for example by hitting it, dropping it, or bending it" + }, + "capital": { + "CHS": "首都;资本,资金", + "ENG": "an important city where the main government of a country, state etc is" + }, + "progress": { + "CHS": "前进;进展;进步", + "ENG": "slow or steady movement somewhere" + }, + "exam": { + "CHS": "考试;检查,细查", + "ENG": "a spoken or written test of knowledge, especially an important one" + }, + "inhabit": { + "CHS": "居住于,栖息于", + "ENG": "if animals or people inhabit an area or place, they live there" + }, + "possibly": { + "CHS": "可能地;也许", + "ENG": "used when saying that something may be true or likely, although you are not completely certain" + }, + "roll": { + "CHS": "滚动;转动", + "ENG": "if something rolls, especially something round, or if you roll it, it moves along a surface by turning over and over" + }, + "repair": { + "CHS": "修理,修补", + "ENG": "something that you do to fix a thing that is damaged, broken, or not working" + }, + "broken": { + "CHS": "被打碎的;骨折的", + "ENG": "in small pieces because it has been hit, dropped etc" + }, + "gaseous": { + "CHS": "气体的,气态的", + "ENG": "like gas or in the form of gas" + }, + "lecture": { + "CHS": "演讲,讲课", + "ENG": "to talk to a group of people on a particular subject, especially to students in a university" + }, + "become": { + "CHS": "变得;变成;成为", + "ENG": "to start to have a feeling or quality, or to start to develop into something" + }, + "land": { + "CHS": "上岸" + }, + "prison": { + "CHS": "监狱;监禁", + "ENG": "a building where people are kept as a punishment for a crime, or while they are waiting to go to court for their trial" + }, + "length": { + "CHS": "长,长度;一段", + "ENG": "the measurement of how long something is from one end to the other" + }, + "grammatical": { + "CHS": "语法上的", + "ENG": "concerning grammar" + }, + "contempt": { + "CHS": "轻蔑;藐视;受辱", + "ENG": "a feeling that someone or something is not important and deserves no respect" + }, + "dew": { + "CHS": "露,露水", + "ENG": "the small drops of water that form on outdoor surfaces during the night" + }, + "professor": { + "CHS": "教授", + "ENG": "a teacher of the highest rank in a university department" + }, + "nothing": { + "CHS": "毫不", + "ENG": "to have no qualities or features that are similar to someone or something else" + }, + "limit": { + "CHS": "限度;限制;范围", + "ENG": "the greatest or least amount, number, speed etc that is allowed" + }, + "cold": { + "CHS": "冷", + "ENG": "a low temperature or cold weather" + }, + "forget": { + "CHS": "忘记,遗忘", + "ENG": "to not remember facts, information, or people or things from the past" + }, + "appear": { + "CHS": "似乎;出现;来到", + "ENG": "used to say how something seems, especially from what you know about it or from what you can see" + }, + "price": { + "CHS": "价格,价钱;代价", + "ENG": "the amount of money you have to pay for something" + }, + "worst": { + "CHS": "最坏地", + "ENG": "most badly" + }, + "moan": { + "CHS": "呻吟", + "ENG": "to make a long low sound expressing pain, unhappiness, or sexual pleasure" + }, + "terrible": { + "CHS": "可怕的;极度的", + "ENG": "very bad" + }, + "dollar": { + "CHS": "元〔美国、加拿大、澳大利亚等国的货币单位〕", + "ENG": "the standard unit of money in the US, Canada, Australia, and some other countries, divided into 100 cent s : symbol $" + }, + "answer": { + "CHS": "回答;响应", + "ENG": "to say something to someone as a reply when they have asked you a question, made a suggestion etc" + }, + "learn": { + "CHS": "学,学习", + "ENG": "to gain knowledge of a subject or skill, by experience, by studying it, or by being taught" + }, + "industry": { + "CHS": "工业,产业;勤劳", + "ENG": "businesses that produce a particular type of thing or provide a particular service" + }, + "friendly": { + "CHS": "友好的;友谊的", + "ENG": "behaving towards someone in a way that shows you like them and are ready to talk to them or help them" + }, + "pale": { + "CHS": "苍白的;浅的", + "ENG": "having a skin colour that is very white, or whiter than it usually is" + }, + "gentleman": { + "CHS": "绅士;有教养的人", + "ENG": "a man who is always polite, has good manners, and treats other people well" + }, + "exactly": { + "CHS": "确切地;恰恰正是", + "ENG": "used when emphasizing that something is no more and no less than a number or amount, or is completely correct in every detail" + }, + "hawk": { + "CHS": "鹰,隼", + "ENG": "a large bird that hunts and eats small birds and animals" + }, + "French": { + "CHS": "法国人", + "ENG": "people from France" + }, + "aural": { + "CHS": "耳的,听觉的", + "ENG": "relating to the sense of hearing, or someone’s ability to understand sounds" + }, + "basket": { + "CHS": "篮,篓,筐", + "ENG": "a container made of thin pieces of plastic, wire, or wood woven together, used to carry things or put things in" + }, + "interpreter": { + "CHS": "译员,口译者", + "ENG": "someone who changes spoken words from one language into another, especially as their job" + }, + "mountain": { + "CHS": "山,山岳;山脉", + "ENG": "a very high hill" + }, + "throughout": { + "CHS": "到处", + "ENG": "during all of a particular period, from the beginning to the end" + }, + "measurable": { + "CHS": "可测量的", + "ENG": "able to be measured" + }, + "clasp": { + "CHS": "扣子,钩子;别针", + "ENG": "a small metal object for fastening a bag, belt, piece of jewellery etc" + }, + "unit": { + "CHS": "单位;单元;部件", + "ENG": "a thing, person, or group that is regarded as one single whole part of something larger" + }, + "spring": { + "CHS": "泉;跳跃", + "ENG": "a place where water comes up naturally from the ground" + }, + "home": { + "CHS": "家庭的", + "ENG": "relating to or belonging to your home or family" + }, + "army": { + "CHS": "军队;陆军", + "ENG": "the part of a country’s military force that is trained to fight on land in a war" + }, + "clock": { + "CHS": "钟,仪表", + "ENG": "an instrument that shows what time it is, in a room or outside on a building" + }, + "ladder": { + "CHS": "梯子,梯状物", + "ENG": "a piece of equipment used for climbing up to or down from high places. A ladder has two bars that are connected by rungs" + }, + "doubt": { + "CHS": "怀疑", + "ENG": "to think that something may not be true or that it is unlikely" + }, + "fork": { + "CHS": "餐叉;叉;分叉", + "ENG": "a tool you use for picking up and eating food, with a handle and three or four points" + }, + "course": { + "CHS": "课程;过程;一道菜", + "ENG": "a series of lessons in a particular subject" + }, + "duck": { + "CHS": "鸭;中文释义: 雌鸭;鸭肉", + "ENG": "a very common water bird with short legs and a wide beak, used for its meat, eggs, and soft feathers" + }, + "native": { + "CHS": "本地人", + "ENG": "someone who lives in a place all the time or has lived there a long time" + }, + "atom": { + "CHS": "原子;微粒;微量", + "ENG": "the smallest part of an element that can exist alone or can combine with other substances to form a molecule" + }, + "flag": { + "CHS": "旗,旗帜", + "ENG": "a piece of cloth with a coloured pattern or picture on it that represents a country or organization" + }, + "person": { + "CHS": "人;人身;本人", + "ENG": "a human being, especially considered as someone with their own particular character" + }, + "hair": { + "CHS": "头发;毛发;毛", + "ENG": "the mass of things like fine threads that grows on your head" + }, + "clever": { + "CHS": "聪明的;机敏的", + "ENG": "able to learn and understand things quickly" + }, + "chimney": { + "CHS": "烟囱,烟筒", + "ENG": "a structure through which smoke or steam is carried up away from a fire, etc. and through the roof of a building; the part of this that is above the roof" + }, + "orphan": { + "CHS": "孤儿", + "ENG": "a child whose parents are both dead" + }, + "plane": { + "CHS": "飞机;平面", + "ENG": "a vehicle that flies in the air and has wings and at least one engine" + }, + "queen": { + "CHS": "女王;王后;王后", + "ENG": "the female ruler of a country" + }, + "really": { + "CHS": "真正地;实在", + "ENG": "used when you are talking about what actually happened or is true, rather than what people might wrongly think" + }, + "leaf": { + "CHS": "叶,叶子", + "ENG": "one of the flat green parts of a plant that are joined to its stem or branches" + }, + "meeting": { + "CHS": "聚集,会合;会见", + "ENG": "an event at which people meet to discuss and decide things" + }, + "correct": { + "CHS": "纠正", + "ENG": "to make something right or to make it work the way it should" + }, + "month": { + "CHS": "月,月份", + "ENG": "one of the 12 named periods of time that a year is divided into" + }, + "trust": { + "CHS": "相信;委托", + "ENG": "to believe that someone is honest or will not do anything bad or wrong" + }, + "quick": { + "CHS": "快的;敏捷的", + "ENG": "lasting for or taking only a short time" + }, + "hunger": { + "CHS": "饿,饥饿;渴望", + "ENG": "the feeling that you need to eat" + }, + "knowledge": { + "CHS": "知识,学识;知道", + "ENG": "the information, skills, and understanding that you have gained through learning or experience" + }, + "dish": { + "CHS": "碟,盘子;菜肴", + "ENG": "a flat container with low sides, for serving food from or cooking food in" + }, + "cheque": { + "CHS": "支票", + "ENG": "a printed piece of paper that you write an amount of money on, sign, and use instead of money to pay for things" + }, + "centre": { + "CHS": "集中", + "ENG": "to move something to a position at the centre of something else" + }, + "come": { + "CHS": "来,来到;出现", + "ENG": "to move towards you or arrive at the place where you are" + }, + "lion": { + "CHS": "狮子;勇猛的人", + "ENG": "a large animal of the cat family that lives in Africa and parts of southern Asia. Lions have gold-coloured fur and the male has a mane (long hair around its neck )." + }, + "berry": { + "CHS": "浆果(如草莓等)", + "ENG": "a small soft fruit with small seeds" + }, + "type": { + "CHS": "打字", + "ENG": "to write something using a computer or a typewriter" + }, + "pleasure": { + "CHS": "愉快,快乐;乐事", + "ENG": "the feeling of happiness, enjoyment, or satisfaction that you get from an experience" + }, + "experiment": { + "CHS": "实验;试验", + "ENG": "a scientific test done to find out how something reacts under certain conditions, or to find out if a particular idea is true" + }, + "pear": { + "CHS": "梨子,梨树", + "ENG": "a sweet juicy fruit that has a round base and is thinner near the top, or the tree that produces this fruit" + }, + "Marxism": { + "CHS": "马克思主义", + "ENG": "the system of political thinking invented by Karl Marx, which explains changes in history as the result of a struggle between social classes" + }, + "mind": { + "CHS": "头脑;理智;记忆", + "ENG": "your thoughts or your ability to think, feel, and imagine things" + }, + "blow": { + "CHS": "吹;吹动;吹响", + "ENG": "if the wind or a current of air blows, it moves" + }, + "model": { + "CHS": "模型;模特儿", + "ENG": "a small copy of a building, vehicle, machine etc, especially one that can be put together from separate parts" + }, + "probably": { + "CHS": "或许,大概", + "ENG": "used to say that sth is likely to happen or to be true" + }, + "library": { + "CHS": "图书馆;藏书", + "ENG": "a room or building containing books that can be looked at or borrowed" + }, + "my": { + "CHS": "我的", + "ENG": "of or belonging to the speaker or writer" + }, + "itself": { + "CHS": "它自己;自身", + "ENG": "used to show that a thing, organization, animal, or baby that does something is affected by its own action" + }, + "jewish": { + "CHS": "犹太人的", + "ENG": "relating to Jews or Judaism" + }, + "bite": { + "CHS": "咬;咬,叮,螫;剌穿", + "ENG": "to use your teeth to cut, crush, or chew something" + }, + "history": { + "CHS": "历史;个人经历", + "ENG": "all the things that happened in the past, especially the political, social, or economic development of a nation" + }, + "list": { + "CHS": "列举", + "ENG": "to write a list, or mention things one after the other" + }, + "new": { + "CHS": "新的;新近出现的", + "ENG": "recently made, built, invented, written, designed etc" + }, + "amount": { + "CHS": "总数;数量;和", + "ENG": "a quantity of something such as time, money, or a substance" + }, + "early": { + "CHS": "早的,早期的", + "ENG": "in the first part of a period of time, event, or process" + }, + "number": { + "CHS": "数,数字;号码", + "ENG": "a word or sign that represents an amount or a quantity" + }, + "catch": { + "CHS": "捉住;赶上;领会", + "ENG": "to trap an animal or fish by using a trap, net, or hook, or by hunting it" + }, + "feed": { + "CHS": "喂(养);吃饲料", + "ENG": "to give food to a person or animal" + }, + "league": { + "CHS": "联合会;同盟,联盟", + "ENG": "a group of sports teams or players who play games against each other to see who is best" + }, + "foreign": { + "CHS": "外国的;外来的", + "ENG": "from or relating to a country that is not your own" + }, + "play": { + "CHS": "玩,游戏;演奏", + "ENG": "when children play, they do things that they enjoy, often with other people or with toys" + }, + "prince": { + "CHS": "王子;亲王", + "ENG": "the son of a king, queen, or prince" + }, + "farther": { + "CHS": "更远的", + "ENG": "more distant; a comparative form of ‘far’" + }, + "liner": { + "CHS": "班船,班机", + "ENG": "a passenger ship or airplane run by a shipping line or airline" + }, + "noise": { + "CHS": "喧闹声;响声;噪声", + "ENG": "a sound, especially one that is loud, unpleasant, or frightening" + }, + "masterpiece": { + "CHS": "杰作,名著", + "ENG": "a work of art, a piece of writing or music etc that is of very high quality or that is the best that a particular artist, writer etc has produced" + }, + "recent": { + "CHS": "新近的,最近的", + "ENG": "having happened or started only a short time ago" + }, + "compute": { + "CHS": "计算,估计,估算", + "ENG": "to calculate a result, answer, sum etc" + }, + "difficulty": { + "CHS": "困难;难事;困境", + "ENG": "if you have difficulty doing something, it is difficult for you to do" + }, + "past": { + "CHS": "过去", + "ENG": "the time that existed before the present" + }, + "alloy": { + "CHS": "合金;(金属的)成色", + "ENG": "a metal that consists of two or more metals mixed together" + }, + "feast": { + "CHS": "盛宴;筵席;节日", + "ENG": "a large meal where a lot of people celebrate a special occasion" + }, + "group": { + "CHS": "聚集", + "ENG": "to come together and form a group, or to arrange things or people together in a group" + }, + "atmospheric": { + "CHS": "大气的;大气层的", + "ENG": "relating to the Earth’s atmosphere" + }, + "stranger": { + "CHS": "陌生人;新来者", + "ENG": "someone that you do not know" + }, + "present": { + "CHS": "目前", + "ENG": "the time that is happening now" + }, + "music": { + "CHS": "音乐,乐曲;乐谱", + "ENG": "a series of sounds made by instruments or voices in a way that is pleasant or exciting" + }, + "simply": { + "CHS": "简单地;朴素地", + "ENG": "if you say or explain something simply, you say it in a way that is easy for people to understand" + }, + "heart": { + "CHS": "心,内心;勇气", + "ENG": "the part of you that feels strong emotions and feelings" + }, + "easily": { + "CHS": "容易地", + "ENG": "without problems or difficulties" + }, + "burn": { + "CHS": "烧伤", + "ENG": "an injury caused by fire, heat, the light of the sun, or acid" + }, + "can": { + "CHS": "罐头,听头;容器", + "ENG": "a metal container in which food or drink is preserved without air" + }, + "cotton": { + "CHS": "棉;棉线;棉布", + "ENG": "cloth or thread made from the white hair of the cotton plant" + }, + "European": { + "CHS": "欧洲人", + "ENG": "someone from Europe" + }, + "explain": { + "CHS": "解释;为…辩解", + "ENG": "to tell someone about something in a way that is clear or easy to understand" + }, + "natural": { + "CHS": "自然界的;天然的", + "ENG": "existing in nature and not caused, made, or controlled by people" + }, + "clean": { + "CHS": "清洁的;纯洁的", + "ENG": "without any dirt, marks etc" + }, + "rain": { + "CHS": "下雨", + "ENG": "if it rains, drops of water fall from clouds in the sky" + }, + "eighth": { + "CHS": "八分之一", + "ENG": "one of eight equal parts of something" + }, + "bread": { + "CHS": "面包;食物,粮食", + "ENG": "a type of food made from flour and water that is mixed together and then baked" + }, + "beautiful": { + "CHS": "美的,美丽的", + "ENG": "someone or something that is beautiful is extremely attractive to look at" + }, + "Fahrenheit": { + "CHS": "华氏温度", + "ENG": "a scale of temperature in which water freezes at 32˚ and boils at 212˚" + }, + "freedom": { + "CHS": "自由;自主", + "ENG": "the right to do what you want without being controlled or restricted by anyone" + }, + "lumber": { + "CHS": "木材;木料;制材", + "ENG": "pieces of wood used for building, that have been cut to specific lengths and widths" + }, + "toe": { + "CHS": "脚趾;足尖", + "ENG": "one of the five movable parts at the end of your foot" + }, + "touch": { + "CHS": "触", + "ENG": "the action of putting your hand, finger, or another part of your body on something or someone" + }, + "part": { + "CHS": "一部分;零件", + "ENG": "a piece or feature of something such as an object, area, event, or period of time" + }, + "judge": { + "CHS": "法官;裁判员", + "ENG": "the official in control of a court, who decides how criminals should be punished" + }, + "decision": { + "CHS": "决定,决心;果断", + "ENG": "a choice or judgment that you make after a period of discussion or thought" + }, + "drawing": { + "CHS": "图画,素描;绘图", + "ENG": "a picture that you draw with a pencil, pen etc" + }, + "ago": { + "CHS": "以前", + "ENG": "used to show how far back in the past something happened" + }, + "hear": { + "CHS": "听见;听说;审讯", + "ENG": "to know that a sound is being made, using your ears" + }, + "freely": { + "CHS": "自由地;直率地", + "ENG": "without anyone stopping or limiting something" + }, + "sort": { + "CHS": "整理", + "ENG": "to put things in a particular order or arrange them in groups according to size, type etc" + }, + "dishonour": { + "CHS": "不光彩;丢脸的人", + "ENG": "loss of respect from other people, because you have behaved in a morally unacceptable way" + }, + "permit": { + "CHS": "执照", + "ENG": "an official written statement giving you the right to do something" + }, + "proper": { + "CHS": "适合的;合乎体统的", + "ENG": "right, suitable, or correct" + }, + "lame": { + "CHS": "跛的;瘸的,残废的", + "ENG": "unable to walk properly because your leg or foot is injured or weak" + }, + "happy": { + "CHS": "快乐的;幸福的", + "ENG": "having feelings of pleasure, for example because something good has happened to you or you are very satisfied with your life" + }, + "glide": { + "CHS": "滑行", + "ENG": "a smooth quiet movement that seems to take no effort" + }, + "pen": { + "CHS": "钢笔,自来水笔", + "ENG": "an instrument for writing or drawing with ink" + }, + "apparatus": { + "CHS": "器械,仪器;器官", + "ENG": "the set of tools and machines that you use for a particular scientific, medical, or technical purpose" + }, + "next": { + "CHS": "紧接的;贴近的", + "ENG": "coming straight after sb/sth in time, order or space" + }, + "adjective": { + "CHS": "形容词", + "ENG": "a word that describes a noun or pronoun. In the phrase ‘black hat’, ‘black’ is an adjective and in the sentence ‘It makes her happy’, ‘happy’ is an adjective." + }, + "knee": { + "CHS": "膝,膝盖,膝关节", + "ENG": "the joint that bends in the middle of your leg" + }, + "artist": { + "CHS": "艺术家,美术家", + "ENG": "someone who produces art, especially paintings or drawings" + }, + "reader": { + "CHS": "读者;读物,读本", + "ENG": "someone who reads books, or who reads in a particular way" + }, + "acceptable": { + "CHS": "可接受的,合意的", + "ENG": "good enough to be used for a particular purpose or to be considered satisfactory" + }, + "mail": { + "CHS": "邮寄", + "ENG": "to send a letter or package to someone" + }, + "cloud": { + "CHS": "云;云状物;阴影", + "ENG": "a white or grey mass in the sky that forms from very small drops of water" + }, + "busy": { + "CHS": "忙的;繁忙的", + "ENG": "if you are busy, you are working hard and have a lot of things to do" + }, + "secretary": { + "CHS": "秘书;书记;大臣", + "ENG": "someone who works in an office typing letters, keeping records, answering telephone calls, arranging meetings etc" + }, + "deadly": { + "CHS": "致命的;死一般的", + "ENG": "likely to cause death" + }, + "brother": { + "CHS": "兄弟;同事,同胞", + "ENG": "a male who has the same parents as you" + }, + "inch": { + "CHS": "英寸", + "ENG": "a unit for measuring length, equal to 2.54 centimetres. There are 12 inches in a foot." + }, + "coffee": { + "CHS": "咖啡,咖啡茶", + "ENG": "a hot dark brown drink that has a slightly bitter taste" + }, + "as": { + "CHS": "当…的时候", + "ENG": "while or when" + }, + "coin": { + "CHS": "铸造(硬币)", + "ENG": "to make pieces of money from metal" + }, + "tourist": { + "CHS": "旅游者,观光者", + "ENG": "someone who is visiting a place for pleasure on holiday" + }, + "taste": { + "CHS": "味觉;品味", + "ENG": "the sense by which you know one food from another" + }, + "nearly": { + "CHS": "差不多", + "ENG": "almost, but not quite or not completely" + }, + "away": { + "CHS": "离开,远离;…去", + "ENG": "used to say that someone leaves a place or person, or stays some distance from a place or person" + }, + "lawyer": { + "CHS": "律师;法学家", + "ENG": "someone whose job is to advise people about laws, write formal agreements, or represent people in court" + }, + "gasp": { + "CHS": "气喘,喘息", + "ENG": "to breathe quickly in a way that can be heard because you are having difficulty breathing" + }, + "cubic": { + "CHS": "立方形的;立方的", + "ENG": "relating to a measurement of space which is calculated by multiplying the length of something by its width and height" + }, + "smart": { + "CHS": "聪颖的,机灵的", + "ENG": "intelligent or sensible" + }, + "floor": { + "CHS": "地板;楼层", + "ENG": "the flat surface that you stand on inside a building" + }, + "blackboard": { + "CHS": "黑板", + "ENG": "a board with a dark smooth surface, used in schools for writing on with chalk" + }, + "deceit": { + "CHS": "欺骗,欺诈", + "ENG": "behaviour that is intended to make someone believe something that is not true" + }, + "now": { + "CHS": "现在;立刻", + "ENG": "(at) the present time" + }, + "believe": { + "CHS": "相信;认为", + "ENG": "to be sure that something is true or that someone is telling the truth" + }, + "mile": { + "CHS": "英里", + "ENG": "a unit for measuring distance, equal to 1,760 yard s or about 1,609 metres" + }, + "club": { + "CHS": "〔职业体育的〕俱乐部;俱乐部;夜总会", + "ENG": "a professional organization including the players, managers, and owners of a sports team" + }, + "guess": { + "CHS": "猜测,推测", + "ENG": "an attempt to answer a question or make a judgement when you are not sure whether you will be correct" + }, + "bottom": { + "CHS": "底,底部,根基", + "ENG": "the lowest part of something" + }, + "bud": { + "CHS": "芽,萌芽;蓓蕾", + "ENG": "a young tightly rolled-up flower or leaf before it opens" + }, + "Australia": { + "CHS": "澳大利亚", + "ENG": "An island country and continent in the southern hemisphere, in the south-western Pacific Ocean, a member state of the Commonwealth of Nations; population 28,500,000 (estimated 2015); capital, Canberra; official language, English." + }, + "choose": { + "CHS": "选择,挑选;情愿", + "ENG": "to decide which one of a number of things or people you want" + }, + "nowadays": { + "CHS": "现今,现在", + "ENG": "now, compared with what happened in the past" + }, + "fall": { + "CHS": "落下;跌倒;陷落", + "ENG": "to move or drop down from a higher position to a lower position" + }, + "furious": { + "CHS": "狂怒的;狂暴的", + "ENG": "very angry" + }, + "tap": { + "CHS": "轻叩", + "ENG": "to hit your fingers lightly on something, for example to get someone’s attention" + }, + "immediate": { + "CHS": "立即的;直接的", + "ENG": "happening or done at once and without delay" + }, + "bruise": { + "CHS": "青肿,伤痕;擦伤", + "ENG": "a purple or brown mark on your skin that you get because you have fallen, been hit etc" + }, + "be": { + "CHS": "是;在", + "ENG": "used to say that someone or something is the same as the subject of the sentence" + }, + "heavily": { + "CHS": "重重地;大量地", + "ENG": "in large amounts, to a high degree, or with great severity" + }, + "operate": { + "CHS": "操作;施行手术", + "ENG": "to use and control a machine or equipment" + }, + "record": { + "CHS": "记录", + "ENG": "to write information down or store it in a computer or on film so that it can be looked at in the future" + }, + "groan": { + "CHS": "呻吟", + "ENG": "a long deep sound that you make when you are in pain or do not want to do something" + }, + "meat": { + "CHS": "肉", + "ENG": "the flesh of animals and birds eaten as food" + }, + "arm": { + "CHS": "臂;臂状物;武器", + "ENG": "one of the two long parts of your body between your shoulders and your hands" + }, + "lip": { + "CHS": "嘴唇", + "ENG": "one of the two soft parts around your mouth where your skin is redder or darker" + }, + "fable": { + "CHS": "寓言;虚构的故事", + "ENG": "a traditional short story that teaches a moral lesson, especially a story about animals" + }, + "excuse": { + "CHS": "借口", + "ENG": "a reason that you invent to explain an action and to hide your real intentions" + }, + "cellar": { + "CHS": "地窑,地下室", + "ENG": "a room under a house or other building, often used for storing things" + }, + "noisy": { + "CHS": "喧闹的;嘈杂的", + "ENG": "someone or something that is noisy makes a lot of noise" + }, + "her": { + "CHS": "她的", + "ENG": "belonging to or connected with a woman, girl, or female animal that has already been mentioned" + }, + "rather": { + "CHS": "相当;宁可,宁愿", + "ENG": "fairly or to some degree" + }, + "dinner": { + "CHS": "正餐,主餐;宴会", + "ENG": "the main meal of the day, eaten in the middle of the day or the evening" + }, + "African": { + "CHS": "非洲人", + "ENG": "someone from Africa" + }, + "kill": { + "CHS": "杀死;扼杀;消磨", + "ENG": "to make a person or animal die" + }, + "cough": { + "CHS": "咳嗽", + "ENG": "a medical condition that makes you cough a lot" + }, + "composition": { + "CHS": "构成;作品;写作", + "ENG": "the way in which something is made up of different parts, things, or members" + }, + "it": { + "CHS": "这,那,它", + "ENG": "used to refer to a thing, animal, situation, idea etc that has already been mentioned or is already known about" + }, + "bristle": { + "CHS": "短而硬的毛;鬃毛", + "ENG": "a short stiff hair that feels rough" + }, + "especially": { + "CHS": "尤其;特别,格外", + "ENG": "used to emphasize that something is more important or happens more with one particular thing than with others" + }, + "bottle": { + "CHS": "瓶,酒瓶;一瓶", + "ENG": "a container with a narrow top for keeping liquids in, usually made of plastic or glass" + }, + "delegation": { + "CHS": "代表团", + "ENG": "a group of people who represent a company, organization etc" + }, + "ourselves": { + "CHS": "我们自己", + "ENG": "used by the person speaking to show that they and one or more other people are affected by their own action" + }, + "sulphur": { + "CHS": "硫(磺),硫黄", + "ENG": "a common light yellow chemical substance that burns with a very strong unpleasant smell, and is used in drugs, explosives, and industry. It is a chemical element :symbol S" + }, + "inspection": { + "CHS": "检阅;检查,审查", + "ENG": "an official visit to a building or organization to check that everything is satisfactory and that rules are being obeyed" + }, + "happiness": { + "CHS": "幸福,幸运;快乐", + "ENG": "the state of being happy" + }, + "attention": { + "CHS": "注意,留心;注意力", + "ENG": "when you carefully listen to, look at, or think about someone or something" + }, + "January": { + "CHS": "一月", + "ENG": "the first month of the year, between December and February" + }, + "monkey": { + "CHS": "猴子,猿", + "ENG": "a small brown animal with a long tail, which uses its hands to climb trees and lives in hot countries" + }, + "goat": { + "CHS": "山羊", + "ENG": "an animal that has horns on top of its head and long hair under its chin, and can climb steep hills and rocks. Goats live wild in the mountains or are kept as farm animals." + }, + "city": { + "CHS": "城市,都市", + "ENG": "a large important town" + }, + "American": { + "CHS": "美国人", + "ENG": "someone from the US" + }, + "pull": { + "CHS": "拉,拉力", + "ENG": "an act of using force to move something towards you or in the same direction that you are moving" + }, + "October": { + "CHS": "十月", + "ENG": "the tenth month of the year, between September and November" + }, + "mad": { + "CHS": "发疯的;恼火的", + "ENG": "crazy or very silly" + }, + "boss": { + "CHS": "指挥", + "ENG": "to tell people to do things, give them orders etc, especially when you have no authority to do it" + }, + "dying": { + "CHS": "垂死的;临终的", + "ENG": "happening just before someone dies" + }, + "indeed": { + "CHS": "确实;真正地", + "ENG": "used to emphasize a statement or answer" + }, + "occasionally": { + "CHS": "偶然;非经常地", + "ENG": "sometimes, but not regularly and not often" + }, + "human": { + "CHS": "人", + "ENG": "a person" + }, + "glitter": { + "CHS": "闪光", + "ENG": "brightness consisting of many flashing points of light" + }, + "muddy": { + "CHS": "多泥的,泥泞的", + "ENG": "covered with mud or containing mud" + }, + "bed": { + "CHS": "床,床位;圃;河床", + "ENG": "a piece of furniture that you sleep on" + }, + "silent": { + "CHS": "寂静无声的;沉默的", + "ENG": "without any sound, or not making any sound" + }, + "dislike": { + "CHS": "不喜爱,厌恶", + "ENG": "a feeling of not liking someone or something" + }, + "greatly": { + "CHS": "大大地,非常", + "ENG": "extremely or very much" + }, + "pity": { + "CHS": "同情", + "ENG": "to feel sorry for someone because they are in a very bad situation" + }, + "passage": { + "CHS": "通路,通道;通过", + "ENG": "a way through something" + }, + "care": { + "CHS": "小心", + "ENG": "when you are careful to avoid damage, mistakes etc" + }, + "easy": { + "CHS": "容易的;安逸的", + "ENG": "not difficult to do, and not needing much effort" + }, + "hi": { + "CHS": "嗨(表示问候等)", + "ENG": "hello" + }, + "income": { + "CHS": "收入;收益;进款", + "ENG": "the money that you earn from your work or that you receive from investments, the government etc" + }, + "meter": { + "CHS": "计量器;计,表", + "ENG": "a machine that measures and shows the amount of something you have used or the amount of money that you must pay" + }, + "pure": { + "CHS": "纯粹的;纯洁的", + "ENG": "not mixed with anything else; with nothing added" + }, + "eager": { + "CHS": "渴望的,热切的", + "ENG": "very keen and excited about something that is going to happen or about something you want to do" + }, + "fox": { + "CHS": "狐狸;狡猾的人", + "ENG": "a wild animal like a dog with reddish-brown fur, a pointed face, and a thick tail" + }, + "penny": { + "CHS": "(英)便士;(美)分", + "ENG": "a small unit of money in Britain. There are 100 pence in one pound." + }, + "steam": { + "CHS": "蒸发;蒸", + "ENG": "to send out steam" + }, + "file": { + "CHS": "把…归档", + "ENG": "to keep papers, documents etc in a particular place so that you can find them easily" + }, + "midnight": { + "CHS": "午夜,子夜,夜半", + "ENG": "12 o’clock at night" + }, + "oil": { + "CHS": "加油于", + "ENG": "to put oil onto part of a machine or part of something that moves, to help it to move or work more smoothly" + }, + "instantly": { + "CHS": "立即,即刻", + "ENG": "immediately" + }, + "Chinese": { + "CHS": "中国人", + "ENG": "people from China" + }, + "good": { + "CHS": "好的;有本事的", + "ENG": "of a high standard or quality" + }, + "method": { + "CHS": "方法,办法;教学法", + "ENG": "a planned way of doing something, especially one that a lot of people know about and use" + }, + "monthly": { + "CHS": "每月", + "ENG": "every month or once a month" + }, + "dream": { + "CHS": "做梦", + "ENG": "to have a dream while you are asleep" + }, + "load": { + "CHS": "负载", + "ENG": "a large quantity of something that is carried by a vehicle, person etc" + }, + "modern": { + "CHS": "现代的,近代的", + "ENG": "belonging to the present time or most recent time" + }, + "common": { + "CHS": "普通的;共同的", + "ENG": "happening often and to many people or in many places" + }, + "produce": { + "CHS": "产生;生产;展现", + "ENG": "to cause a particular result or effect" + }, + "castle": { + "CHS": "城堡;巨大建筑物", + "ENG": "a very large strong building, built in the past as a safe place that could be easily defended against attack" + }, + "ask": { + "CHS": "问;要求;邀请", + "ENG": "to speak or write to someone in order to get an answer, information, or a solution" + }, + "pin": { + "CHS": "别住", + "ENG": "to fasten something somewhere, or to join two things together, using a pin" + }, + "diary": { + "CHS": "日记,日记簿", + "ENG": "a book in which you write down the things that happen to you each day" + }, + "bicycle": { + "CHS": "自行车,脚踏车", + "ENG": "a vehicle with two wheels that you ride by pushing its pedals with your feet" + }, + "saw": { + "CHS": "锯,锯开", + "ENG": "to cut something using a saw" + }, + "submarine": { + "CHS": "潜水艇", + "ENG": "a ship, especially a military one, that can stay under water" + }, + "oriental": { + "CHS": "东方的;东方国家的", + "ENG": "relating to or from the eastern part of the world, especially China and Japan" + }, + "for": { + "CHS": "给;为;因为", + "ENG": "used to say who is intended to get or use something, or where something is intended to be used" + }, + "healthy": { + "CHS": "健康的;有益健康的", + "ENG": "physically strong and not likely to become ill or weak" + }, + "cock": { + "CHS": "公鸡;雄禽;旋塞", + "ENG": "an adult male chicken" + }, + "actress": { + "CHS": "女演员", + "ENG": "a woman who performs in a play or film" + }, + "hand": { + "CHS": "手;指针", + "ENG": "the part of your body at the end of your arm, including your fingers and thumb, that you use to hold things" + }, + "partly": { + "CHS": "部分地,不完全地", + "ENG": "to some degree, but not completely" + }, + "escape": { + "CHS": "逃跑", + "ENG": "the act of getting away from a place, or a dangerous or bad situation" + }, + "awfully": { + "CHS": "令人畏惧的;很", + "ENG": "very" + }, + "golden": { + "CHS": "金色的;极好的", + "ENG": "having a bright yellow colour like gold" + }, + "lot": { + "CHS": "抽签,抓阄", + "ENG": "to choose sb/sth by lot" + }, + "unlikely": { + "CHS": "未必的,未必可能的", + "ENG": "not likely to happen" + }, + "liar": { + "CHS": "说谎的人", + "ENG": "someone who deliberately says things which are not true" + }, + "family": { + "CHS": "家,家庭;家族", + "ENG": "a group of people who are related to each other, especially a mother, a father, and their children" + }, + "many": { + "CHS": "许多人", + "ENG": "many people" + }, + "goal": { + "CHS": "目的;球门;得分", + "ENG": "something that you hope to achieve in the future" + }, + "indefinite": { + "CHS": "不明确的;不定的", + "ENG": "not clear or exact" + }, + "bear": { + "CHS": "熊;粗鲁的人", + "ENG": "a large strong animal with thick fur, that eats flesh, fruit, and insects" + }, + "pretty": { + "CHS": "漂亮的,标致的", + "ENG": "a woman or child who is pretty has a nice attractive face" + }, + "goose": { + "CHS": "鹅;雌鹅", + "ENG": "a bird that is like a duck but is larger and makes loud noises" + }, + "pupil": { + "CHS": "学生,小学生", + "ENG": "someone who is being taught, especially a child" + }, + "fan": { + "CHS": "(运动等)狂热爱好者", + "ENG": "someone who likes a particular sport or performing art very much, or who admires a famous person" + }, + "wheat": { + "CHS": "小麦", + "ENG": "the grain that bread is made from, or the plant that it grows on" + }, + "page": { + "CHS": "页", + "ENG": "one side of a piece of paper in a book, newspaper, document etc, or the sheet of paper itself" + }, + "hero": { + "CHS": "英雄;勇士;男主角", + "ENG": "a man who is admired for doing something extremely brave" + }, + "kick": { + "CHS": "踢", + "ENG": "a movement with the foot or the leg, usually to hit sth with the foot" + }, + "chemistry": { + "CHS": "化学", + "ENG": "the science that is concerned with studying the structure of substances and the way that they change or combine with each other" + }, + "gown": { + "CHS": "长袍,长外衣", + "ENG": "a long loose piece of clothing worn for special ceremonies by judges, teachers, lawyers, and members of universities" + }, + "shot": { + "CHS": "发射;弹丸;射门", + "ENG": "the act of firing a gun; the sound this makes" + }, + "gay": { + "CHS": "快乐的;鲜明的", + "ENG": "cheerful and excited" + }, + "sometime": { + "CHS": "在某一时候;从前", + "ENG": "at a time in the future or in the past, although you do not know exactly when" + }, + "reason": { + "CHS": "推理", + "ENG": "to form a particular judgment about a situation after carefully considering the facts" + }, + "cross": { + "CHS": "穿过;使交叉", + "ENG": "to go across; to pass or stretch from one side to the other" + }, + "development": { + "CHS": "发展;生长;开发", + "ENG": "the process of gradually becoming bigger, better, stronger, or more advanced" + }, + "flush": { + "CHS": "(脸)发红", + "ENG": "to become red in the face, for example when you are angry or embarrassed" + }, + "canvas": { + "CHS": "粗帆布;一块油画布", + "ENG": "strong cloth used to make bags, tents, shoes etc" + }, + "medical": { + "CHS": "医学的;内科的", + "ENG": "relating to medicine and the treatment of disease or injury" + }, + "could": { + "CHS": "能,会,可以(can的过去式)", + "ENG": "used as the past tense of ‘can’ to say what someone was able to do or was allowed to do in the past" + }, + "oppress": { + "CHS": "压迫,压制;压抑", + "ENG": "to treat a group of people unfairly or cruelly, and prevent them from having the same rights that other people in society have" + }, + "Latin": { + "CHS": "拉丁语", + "ENG": "the language used in ancient Rome" + }, + "rough": { + "CHS": "表面不平的;粗略的", + "ENG": "having an uneven surface" + }, + "other": { + "CHS": "另外的;其余的", + "ENG": "used to refer to all the people or things in a group apart from the one you have already men­tioned or the one that is already known about" + }, + "drink": { + "CHS": "饮料", + "ENG": "liquid that you can drink" + }, + "ball": { + "CHS": "球;球状物;舞会", + "ENG": "a round object that is thrown, kicked, or hit in a game or sport" + }, + "dock": { + "CHS": "船坞;码头", + "ENG": "a place in a port where ships are loaded, unloaded, or repaired" + }, + "join": { + "CHS": "参加;连接", + "ENG": "to begin to take part in an activity that other people are involved in" + }, + "poor": { + "CHS": "贫穷的;贫乏的", + "ENG": "having very little money and not many possessions" + }, + "great": { + "CHS": "大的;伟大的", + "ENG": "very large in amount or degree" + }, + "nut": { + "CHS": "坚果,干果;螺母", + "ENG": "a dry brown fruit inside a hard shell, that grows on a tree" + }, + "gun": { + "CHS": "枪,炮,手枪", + "ENG": "a metal weapon which shoots bullets or shells" + }, + "but": { + "CHS": "但是,可是", + "ENG": "used to connect two statements or phrases when the second one adds something different or seems surprising after the first one" + }, + "ought": { + "CHS": "应当,应该", + "ENG": "it is morally right to do a particular thing or that it is morally right for a particular situation to exist, especially when giving or asking for advice or opinions." + }, + "impossible": { + "CHS": "不可能的,办不到的", + "ENG": "something that is impossible cannot happen or be done" + }, + "real": { + "CHS": "真的;现实的", + "ENG": "something that is real is actually what it seems to be and not false or artificial" + }, + "equipment": { + "CHS": "装备,设备;配备", + "ENG": "the tools, machines etc that you need to do a particular job or activity" + }, + "luck": { + "CHS": "好运,幸运;运气", + "ENG": "good things that happen to you by chance" + }, + "absolutely": { + "CHS": "完全地;绝对地", + "ENG": "completely and in every way" + }, + "office": { + "CHS": "办公室;处,局,社", + "ENG": "a building that belongs to a company or organization, with rooms where people can work at desks" + }, + "Japanese": { + "CHS": "日本人", + "ENG": "people from Japan" + }, + "chocolate": { + "CHS": "巧克力;巧克力糖", + "ENG": "a sweet brown food that you can eat as a sweet or use in cooking to give foods such as cakes a special sweet taste" + }, + "chicken": { + "CHS": "鸡;鸡肉", + "ENG": "a common farm bird that is kept for its meat and eggs" + }, + "kilometre": { + "CHS": "千米,公里", + "ENG": "a unit for measuring distance, equal to 1,000 metres" + }, + "separate": { + "CHS": "分离的;个别的", + "ENG": "not joined to or touching something else" + }, + "frequently": { + "CHS": "时常,常常", + "ENG": "very often or many times" + }, + "big": { + "CHS": "大的,巨大的", + "ENG": "of more than average size or amount" + }, + "half": { + "CHS": "一半的", + "ENG": "exactly or about 50% (1/2) of an amount, time, distance, number etc" + }, + "afraid": { + "CHS": "害怕的;担心的", + "ENG": "frightened because you think that you may get hurt or that something bad may happen" + }, + "cinema": { + "CHS": "电影院;电影,影片", + "ENG": "a building in which films are shown" + }, + "lamp": { + "CHS": "灯", + "ENG": "an object that produces light by using electricity, oil, or gas" + }, + "line": { + "CHS": "线;线条;排;路线", + "ENG": "a long thin mark on a piece of paper, the ground, or another surface" + }, + "locomotive": { + "CHS": "火车头,机车", + "ENG": "a railway engine" + }, + "along": { + "CHS": "向前", + "ENG": "going forward" + }, + "bury": { + "CHS": "埋葬,葬;埋藏", + "ENG": "to put someone who has died in a grave" + }, + "green": { + "CHS": "绿色", + "ENG": "the colour of grass and leaves" + }, + "press": { + "CHS": "压,按;按,揿;催促", + "ENG": "to push something firmly against a surface" + }, + "firm": { + "CHS": "商行,商号,公司", + "ENG": "a business or company, especially a small one" + }, + "compile": { + "CHS": "编辑,编制,搜集", + "ENG": "to make a book, list, record etc, using different pieces of information, music etc" + }, + "grey": { + "CHS": "灰色", + "ENG": "the colour of dark clouds, neither black nor white" + }, + "bitterly": { + "CHS": "苦苦地;悲痛地", + "ENG": "in a way that produces or shows feelings of great sadness or anger" + }, + "defence": { + "CHS": "防御;防务;辩护", + "ENG": "the act of protecting sb/sth from attack, criticism, etc." + }, + "trade": { + "CHS": "交易", + "ENG": "to buy and sell goods, services etc as your job or business" + }, + "gray": { + "CHS": "灰色", + "ENG": "the colour of smoke or ashes" + }, + "gradually": { + "CHS": "逐渐地,逐步地", + "ENG": "slowly, over a long period of time" + }, + "acceleration": { + "CHS": "加速;加速度", + "ENG": "a process in which something happens more and more quickly" + }, + "also": { + "CHS": "而且,还;亦,也", + "ENG": "in addition to something else that you have mentioned" + }, + "circumference": { + "CHS": "圆周,周长,圆周线", + "ENG": "the distance or measurement around the outside of a circle or any round shape" + }, + "seek": { + "CHS": "寻找,探索;试图", + "ENG": "to look for someone or something" + }, + "clothe": { + "CHS": "给…穿衣服", + "ENG": "to put clothes on your body" + }, + "newly": { + "CHS": "新近,最近", + "ENG": "recently" + }, + "lack": { + "CHS": "缺乏,不足", + "ENG": "to not have something that you need, or not have enough of it" + }, + "difference": { + "CHS": "差别;差;分歧", + "ENG": "a way in which two or more people or things are not like each other" + }, + "hope": { + "CHS": "希望", + "ENG": "a feeling of wanting something to happen or be true and believing that it is possible or likely" + }, + "insufficient": { + "CHS": "不足的;不适当的", + "ENG": "not enough, or not great enough" + }, + "east": { + "CHS": "在东方", + "ENG": "to or in the countries in Asia, especially China and Japan" + }, + "pronunciation": { + "CHS": "发音,发音法", + "ENG": "the way in which a language or a particular word is pronounced" + }, + "photo": { + "CHS": "照片,相片", + "ENG": "a photograph" + }, + "popular": { + "CHS": "流行的;民众的", + "ENG": "liked by a lot of people" + }, + "obviously": { + "CHS": "明显地,显然地", + "ENG": "used to mean that a fact can easily be noticed or understood" + }, + "please": { + "CHS": "使高兴,请满意", + "ENG": "to make someone happy or satisfied" + }, + "beside": { + "CHS": "在…旁边", + "ENG": "next to or very close to the side of someone or something" + }, + "percent": { + "CHS": "百分之…", + "ENG": "one part in every hundred" + }, + "Englishman": { + "CHS": "英国男子", + "ENG": "a man from England" + }, + "basketball": { + "CHS": "篮球运动;篮球", + "ENG": "a game played indoors between two teams of five players, in which each team tries to win points by throwing a ball through a net" + }, + "nod": { + "CHS": "点(头);点头表示", + "ENG": "to move your head up and down, especially in order to show agreement or understanding" + }, + "foremost": { + "CHS": "最初的;第一流的", + "ENG": "in a leading position among a group of people or things" + }, + "wage": { + "CHS": "开展(运动)", + "ENG": "to be involved in a war against someone, or a fight against something" + }, + "childish": { + "CHS": "孩子的;幼稚的", + "ENG": "relating to or typical of a child" + }, + "name": { + "CHS": "说出", + "ENG": "to say what the name of someone or something is, especially officially" + }, + "prefer": { + "CHS": "更喜欢", + "ENG": "to like someone or something more than someone or something else, so that you would choose it if you could" + }, + "often": { + "CHS": "经常,常常", + "ENG": "if something happens often, it happens regularly or many times" + }, + "northern": { + "CHS": "北方的,北部的", + "ENG": "in or from the north of a country or area" + }, + "act": { + "CHS": "行为", + "ENG": "one thing that you do" + }, + "one": { + "CHS": "一个人", + "ENG": "used to refer to a member of a group or pair of people or things" + }, + "closely": { + "CHS": "紧密地;接近地", + "ENG": "to a very great degree" + }, + "church": { + "CHS": "教堂,礼拜堂;教会", + "ENG": "a building where Christians go to worship" + }, + "note": { + "CHS": "笔记;便条;注释", + "ENG": "something that you write down to remind you of something" + }, + "both": { + "CHS": "两者(都)", + "ENG": "used to talk about two people, things etc together, and emphasize that each is included" + }, + "axis": { + "CHS": "轴,轴线;中心线", + "ENG": "the imaginary line around which a large round object, such as the Earth, turns" + }, + "relation": { + "CHS": "关系,联系;家属", + "ENG": "the way in which two people, groups or countries behave towards each other or deal with each other" + }, + "officer": { + "CHS": "官员;干事;军官", + "ENG": "someone who is in a position in an organization or the government" + }, + "keep": { + "CHS": "保持;坚持", + "ENG": "to stay in a particular state, condition, or position, or to make someone or something do this" + }, + "electronics": { + "CHS": "电子学", + "ENG": "the study or industry of making equipment, such as computers and televisions, that work electronically" + }, + "paper": { + "CHS": "纸;官方文件;文章", + "ENG": "material in the form of thin sheets that is used for writing on, wrapping things etc" + }, + "truth": { + "CHS": "事实;真理;真实性", + "ENG": "the true facts about something, rather than what is untrue, imagined, or guessed" + }, + "pie": { + "CHS": "(西点)馅饼", + "ENG": "fruit baked inside a pastry covering" + }, + "reply": { + "CHS": "回答,答复", + "ENG": "something that is said, written, or done as a way of replying" + }, + "cake": { + "CHS": "饼,糕,蛋糕", + "ENG": "a soft sweet food made by baking a mixture of flour, butter, sugar, and eggs" + }, + "edge": { + "CHS": "边缘,边;刀口", + "ENG": "the part of an object that is furthest from its centre" + }, + "close": { + "CHS": "关,闭;结束", + "ENG": "to shut something in order to cover an opening, or to become shut in this way" + }, + "production": { + "CHS": "生产;总产量", + "ENG": "the process of making or growing things to be sold, especially in large quantities" + }, + "foolish": { + "CHS": "愚蠢的;鲁莽的", + "ENG": "a foolish action, remark etc is stupid and shows that someone is not thinking sensibly" + }, + "found": { + "CHS": "创立,创办;建立", + "ENG": "to start something such as an organization, company, school, or city, often by providing the necessary money" + }, + "gather": { + "CHS": "聚集;集合;收集", + "ENG": "to come together and form a group, or to make people do this" + }, + "captive": { + "CHS": "俘虏,被监禁的人", + "ENG": "someone who is kept as a prisoner, especially in a war" + }, + "colonel": { + "CHS": "陆军上校;中校", + "ENG": "a high rank in the army, Marines, or the US air force, or someone who has this rank" + }, + "hateful": { + "CHS": "可恨的,可恶的", + "ENG": "very bad, unpleasant, or unkind" + }, + "pronounce": { + "CHS": "发…的音;宣布", + "ENG": "to make the sound of a letter, word etc, especially in the correct way" + }, + "hello": { + "CHS": "喂", + "ENG": "used as a greeting when you see or meet someone" + }, + "slit": { + "CHS": "切开,撕开", + "ENG": "to make a straight narrow cut in cloth, paper, skin etc" + }, + "chalk": { + "CHS": "白垩;粉笔", + "ENG": "soft white or grey rock formed a long time ago from the shells of small sea animals" + }, + "midday": { + "CHS": "正午,中午", + "ENG": "the middle of the day, at or around 12 o’clock" + }, + "despise": { + "CHS": "鄙视,蔑视", + "ENG": "to dislike and have a low opinion of someone or something" + }, + "needle": { + "CHS": "针;编织针", + "ENG": "a small thin piece of steel, with a point at one end and a hole in the other, used for sewing" + }, + "another": { + "CHS": "再一个的;别的", + "ENG": "not the same thing, person etc, but a different one" + }, + "finger": { + "CHS": "手指;指状物", + "ENG": "one of the four long thin parts on your hand, not including your thumb" + }, + "charming": { + "CHS": "迷人的,可爱的", + "ENG": "very pleasing or attractive" + }, + "fast": { + "CHS": "快", + "ENG": "moving quickly" + }, + "die": { + "CHS": "死,死亡;灭亡", + "ENG": "to stop living and become dead" + }, + "abnormal": { + "CHS": "不正常的;变态的", + "ENG": "very different from usual in a way that seems strange, worrying, wrong, or dangerous" + }, + "peasant": { + "CHS": "农民", + "ENG": "a poor farmer who owns or rents a small amount of land, either in past times or in poor countries" + }, + "base": { + "CHS": "基础,底层;基地", + "ENG": "the lowest part or surface of something" + }, + "chain": { + "CHS": "链,链条", + "ENG": "a series of metal rings which are joined together in a line and used for fastening things, supporting weights, decoration etc" + }, + "mechanically": { + "CHS": "机械地", + "ENG": "Without thought or spontaneity; automatically" + }, + "myself": { + "CHS": "我自己;我亲自", + "ENG": "used by the person speaking or writing to show that they are affected by their own action" + }, + "listener": { + "CHS": "听众之一;听者", + "ENG": "someone who listens to the radio" + }, + "paint": { + "CHS": "(给…)上油漆;画,绘画", + "ENG": "to put paint on a surface" + }, + "okay": { + "CHS": "对,好", + "ENG": "You can say \"Okay\" to show that you agree to something." + }, + "police": { + "CHS": "警察;警察当局", + "ENG": "the people who work for an official organization whose job is to catch criminals and make sure that people obey the law" + }, + "gracious": { + "CHS": "有礼貌的;仁慈的", + "ENG": "behaving in a polite, kind, and generous way, especially to people of a lower rank" + }, + "pause": { + "CHS": "中止,暂停", + "ENG": "to stop speaking or doing something for a short time before starting again" + }, + "cheese": { + "CHS": "奶酪,干酪", + "ENG": "a solid food made from milk, which is usually yellow or white in colour, and can be soft or hard" + }, + "lead": { + "CHS": "铅,铅制品", + "ENG": "a chemical element. Lead is a heavy soft grey metal, used especially in the past for water pipes or to cover roofs." + }, + "friendship": { + "CHS": "友谊;友好", + "ENG": "a relationship between friends" + }, + "commonly": { + "CHS": "普通地,一般地", + "ENG": "usually or by most people" + }, + "cook": { + "CHS": "烹调,煮;烧菜", + "ENG": "to prepare food for eating by using heat" + }, + "ninth": { + "CHS": "九分之一", + "ENG": "one of nine equal parts of something" + }, + "deal": { + "CHS": "买卖;待遇", + "ENG": "an agreement or arrangement, especially in business or politics, that helps both sides involved" + }, + "collect": { + "CHS": "收集;收款", + "ENG": "to get things of the same type from different places and bring them together" + }, + "decide": { + "CHS": "决定,决心;解决", + "ENG": "to make a choice or judgment about something, especially after considering all the possibilities or arguments" + }, + "football": { + "CHS": "足球", + "ENG": "a game played by two teams of eleven players who try to kick a round ball into the other team’s goal" + }, + "careful": { + "CHS": "仔细的;细致的", + "ENG": "giving a lot of attention to details" + }, + "receive": { + "CHS": "得到;收到;接待", + "ENG": "to be given something" + }, + "sign": { + "CHS": "签名", + "ENG": "to write your signature on something to show that you wrote it, agree with it, or were present" + }, + "hide": { + "CHS": "把…藏起来;隐瞒", + "ENG": "to deliberately put or keep something or someone in a place where they cannot easily be seen or found" + }, + "Italian": { + "CHS": "意大利人", + "ENG": "someone from Italy" + }, + "magazine": { + "CHS": "杂志,期刊", + "ENG": "a large thin book with a paper cover that contains news stories, articles, photographs etc, and is sold weekly or monthly" + }, + "direction": { + "CHS": "方向,方位;指导", + "ENG": "the way something or someone moves, faces, or is aimed" + }, + "job": { + "CHS": "职业;工作;零活", + "ENG": "the regular paid work that you do for an employer" + }, + "practise": { + "CHS": "练习,实习,训练", + "ENG": "to do an activity, often regularly, in order to improve your skill or to prepare for a test" + }, + "dead": { + "CHS": "死的,无生命的", + "ENG": "no longer alive" + }, + "me": { + "CHS": "(宾格)我", + "ENG": "used by the person speaking or writing to refer to himself or herself" + }, + "develop": { + "CHS": "发展;形成;开发", + "ENG": "to gradually grow or become bigger, more advanced, stronger, etc.; to make sth do this" + }, + "rabbit": { + "CHS": "兔子", + "ENG": "a small animal with long ears and soft fur, that lives in a hole in the ground" + }, + "brisk": { + "CHS": "活泼的;清新的", + "ENG": "quick and full of energy" + }, + "energy": { + "CHS": "活力;精力;能;能量", + "ENG": "the physical and mental strength that makes you able to do things" + }, + "shriek": { + "CHS": "尖叫声", + "ENG": "a loud high sound made because you are frightened, excited, angry etc" + }, + "horse": { + "CHS": "马;马科动物", + "ENG": "a large strong animal that people ride and use for pulling heavy things" + }, + "moment": { + "CHS": "时刻;片刻,瞬间", + "ENG": "a particular point in time" + }, + "deed": { + "CHS": "行为;功绩;劣迹;契约", + "ENG": "something someone does, especially something that is very good or very bad" + }, + "owl": { + "CHS": "猫头鹰,枭", + "ENG": "a bird with large eyes that hunts at night" + }, + "knife": { + "CHS": "小刀,刀,餐刀", + "ENG": "a metal blade fixed into a handle, used for cutting or as a weapon" + }, + "milk": { + "CHS": "挤(奶)", + "ENG": "to take milk from a cow or goat" + }, + "exercise": { + "CHS": "练习", + "ENG": "to do sports or other physical activities in order to stay healthy or become stronger; to make an animal do this" + }, + "communist": { + "CHS": "共产党员", + "ENG": "someone who is a member of a political party that supports communism, or who believes in communism" + }, + "betray": { + "CHS": "背叛;辜负;泄漏", + "ENG": "to be disloyal to someone who trusts you, so that they are harmed or upset" + }, + "meal": { + "CHS": "膳食,一餐", + "ENG": "an occasion when you eat food, for example breakfast or dinner, or the food that you eat on that occasion" + }, + "August": { + "CHS": "八月", + "ENG": "the eighth month of the year, between July and September" + }, + "during": { + "CHS": "在…期间", + "ENG": "from the beginning to the end of a period of time" + }, + "marble": { + "CHS": "大理石", + "ENG": "a type of hard rock that becomes smooth when it is polished, and is used for making buildings, statue s etc" + }, + "inventor": { + "CHS": "发明者;发明家", + "ENG": "someone who has invented something, or whose job is to invent things" + }, + "metal": { + "CHS": "金属,金属制品", + "ENG": "a hard, usually shiny substance such as iron, gold, or steel" + }, + "high": { + "CHS": "高", + "ENG": "at or to a level high above the ground, the floor etc" + }, + "born": { + "CHS": "天生的;出生的", + "ENG": "having a natural ability or skill for a particular activity or job" + }, + "destroy": { + "CHS": "破坏;消灭;打破", + "ENG": "to damage something so badly that it no longer exists or cannot be used or repaired" + }, + "heating": { + "CHS": "加热,供暖", + "ENG": "the process of heating a building or room, considered especially from the point of view of how much this costs" + }, + "basin": { + "CHS": "洗脸盆;盆;盆地", + "ENG": "a round container attached to the wall in a bathroom, where you wash your hands and face" + }, + "sweater": { + "CHS": "厚运动衫,毛线衫", + "ENG": "a piece of warm wool or cotton clothing with long sleeves, which covers the top half of your body" + }, + "shear": { + "CHS": "剪;剥夺", + "ENG": "to cut the wool off a sheep;to cut off someone’s hair" + }, + "greet": { + "CHS": "问候,招呼;反应", + "ENG": "to say hello to someone or welcome them" + }, + "practical": { + "CHS": "实践的;实用的", + "ENG": "relating to real situations and events rather than ideas, emotions etc" + }, + "nose": { + "CHS": "鼻子", + "ENG": "the part of a person’s or animal’s face used for smelling or breathing" + }, + "morning": { + "CHS": "早晨,上午", + "ENG": "the early part of the day, from when the sun rises until 12 o’clock in the middle of the day" + }, + "period": { + "CHS": "时期;学时;句号", + "ENG": "a particular length of time with a beginning and an end" + }, + "grow": { + "CHS": "增长;生长", + "ENG": "to become bigger, taller etc over a period of time in the process of becoming an adult" + }, + "lively": { + "CHS": "活泼的", + "ENG": "full of life and energy; active and enthusiastic" + }, + "brute": { + "CHS": "禽兽,畜生", + "ENG": "a man who treats people in an unkind, cruel way" + }, + "beef": { + "CHS": "牛肉;菜牛", + "ENG": "the meat from a cow" + }, + "displease": { + "CHS": "使不愉快,使生气", + "ENG": "to make sb feel upset, annoyed or not satisfied" + }, + "park": { + "CHS": "公园;停车场", + "ENG": "a large open area with grass and trees, especially in a town, where people can walk, play games etc" + }, + "nineteen": { + "CHS": "十九,十九个", + "ENG": "the number 19" + }, + "cry": { + "CHS": "哭,哭泣;叫喊", + "ENG": "to produce tears from your eyes, usually because you are unhappy or hurt" + }, + "into": { + "CHS": "进,入;进入到", + "ENG": "to the inside or inner part of a container, place, area etc" + }, + "maths": { + "CHS": "(英)数学", + "ENG": "mathematics" + }, + "bag": { + "CHS": "袋,包,钱包,背包", + "ENG": "the amount that a bag will hold" + }, + "certainty": { + "CHS": "必然;肯定", + "ENG": "the state of being certain" + }, + "lazy": { + "CHS": "懒惰的,懒散的", + "ENG": "not liking work and physical activity, or not making any effort to do anything" + }, + "hurt": { + "CHS": "使受伤;使痛心", + "ENG": "to injure yourself or someone else" + }, + "hillside": { + "CHS": "(小山)山腰,山坡", + "ENG": "the sloping side of a hill" + }, + "dictionary": { + "CHS": "词典,字典", + "ENG": "a book that gives a list of words in alphabetical order and explains their meanings in the same language, or another language" + }, + "date": { + "CHS": "注…日期", + "ENG": "to write or print the date on something" + }, + "indoors": { + "CHS": "在室内,在屋里", + "ENG": "into or inside a building" + }, + "leg": { + "CHS": "腿,腿部", + "ENG": "one of the long parts of your body that your feet are joined to, or a similar part on an animal or insect" + }, + "actually": { + "CHS": "实际上;竟然", + "ENG": "used to add new information to what you have just said, to give your opinion, or to start a new conversation" + }, + "report": { + "CHS": "报告;汇报", + "ENG": "to tell someone about what has been happening, or what you are doing as part of your job" + }, + "none": { + "CHS": "毫不", + "ENG": "not at all" + }, + "large": { + "CHS": "大的;巨大的", + "ENG": "big in size, amount, or number" + }, + "map": { + "CHS": "地图;图;天体图", + "ENG": "a drawing of a particular area, for example a city or country, which shows its main features, such as its roads, rivers, mountains etc" + }, + "article": { + "CHS": "文章;物品;条款", + "ENG": "a piece of writing about a particular subject in a newspaper or magazine" + }, + "copy": { + "CHS": "抄写,复制", + "ENG": "to deliberately make or produce something that is exactly like another thing" + }, + "elephant": { + "CHS": "象", + "ENG": "a very large grey animal with four legs, two tusks and a trunk that it can use to pick things up" + }, + "hasten": { + "CHS": "催促;赶紧", + "ENG": "to make sth happen sooner or more quickly" + }, + "mutter": { + "CHS": "轻声低语;抱怨", + "ENG": "to speak in a low voice, especially because you are annoyed about something, or you do not want people to hear you" + }, + "musical": { + "CHS": "音乐的", + "ENG": "relating to music or consisting of music" + }, + "silk": { + "CHS": "蚕丝,丝,丝织品", + "ENG": "a thin smooth soft cloth made from very thin thread which is produced by a silkworm" + }, + "anything": { + "CHS": "任何事物;一切", + "ENG": "any thing, event, situation etc, when it is not important to say exactly which" + }, + "outskirt": { + "CHS": "外边,郊区", + "ENG": "a part of the city far removed from the center" + }, + "brain": { + "CHS": "脑,脑髓;脑力", + "ENG": "the organ inside your head that controls how you think, feel, and move" + }, + "quite": { + "CHS": "完全;相当;的确", + "ENG": "completely" + }, + "flight": { + "CHS": "航班;飞行;逃跑", + "ENG": "a journey in a plane or space vehicle, or the plane or vehicle that is making the journey" + }, + "idea": { + "CHS": "想法;思想;意见", + "ENG": "a plan or suggestion for a possible course of action, especially one that you think of suddenly" + }, + "blue": { + "CHS": "蓝色", + "ENG": "the colour of the sky or the sea on a fine day" + }, + "kitchen": { + "CHS": "厨房,灶间", + "ENG": "the room where you prepare and cook food" + }, + "bridge": { + "CHS": "桥,桥梁;桥牌", + "ENG": "a structure built over a river, road etc that allows people or vehicles to cross from one side to the other" + }, + "anyone": { + "CHS": "任何人", + "ENG": "used to refer to any person, when it is not important to say exactly who" + }, + "envelope": { + "CHS": "信封;封套;封皮", + "ENG": "a thin paper cover in which you put and send a letter" + }, + "glare": { + "CHS": "瞪眼", + "ENG": "a long angry look" + }, + "fault": { + "CHS": "缺点;过失;故障", + "ENG": "a bad or weak part of someone’s character" + }, + "calculation": { + "CHS": "计算,计算结果", + "ENG": "the act or process of using numbers to find out an amount" + }, + "driver": { + "CHS": "驾驶员,司机", + "ENG": "someone who drives a car, bus etc" + }, + "fresh": { + "CHS": "新的;新鲜的", + "ENG": "adding to or replacing something" + }, + "chance": { + "CHS": "机会,机遇;可能性", + "ENG": "a time or situation which you can use to do something that you want to do" + }, + "accessary": { + "CHS": "同谋,从犯", + "ENG": "someone who helps a criminal, especially by helping them hide from the police" + }, + "dwelling": { + "CHS": "住处,寓所", + "ENG": "a house, apartment etc where people live" + }, + "hardly": { + "CHS": "几乎不,简直不", + "ENG": "almost not" + }, + "dance": { + "CHS": "舞", + "ENG": "a special set of movements performed to a particular type of music" + }, + "neck": { + "CHS": "颈,脖子", + "ENG": "the part of your body that joins your head to your shoulders, or the same part of an animal or bird" + }, + "lady": { + "CHS": "女士,夫人;贵妇人", + "ENG": "used as the title of the wife or daughter of a British noblemanor the wife of a knight" + }, + "announcer": { + "CHS": "播音员", + "ENG": "someone who reads news or information on the television or radio" + }, + "law": { + "CHS": "法律;法令;法则", + "ENG": "the whole system of rules that people in a particular country or area must obey" + }, + "lieutenant": { + "CHS": "陆军中尉;副职官员", + "ENG": "a fairly low rank in the armed forces, or an officer of this rank" + }, + "begin": { + "CHS": "开始", + "ENG": "to start doing something" + }, + "rush": { + "CHS": "冲,奔;催促", + "ENG": "to move very quickly, especially because you need to be somewhere very soon" + }, + "grieve": { + "CHS": "悲痛;使悲痛", + "ENG": "to feel extremely sad, especially because someone you love has died" + }, + "brim": { + "CHS": "边,边缘;帽沿", + "ENG": "the top edge of a container" + }, + "ant": { + "CHS": "蚂蚁", + "ENG": "a small insect that lives in large groups" + }, + "lovely": { + "CHS": "可爱的;令人愉快的", + "ENG": "beautiful or attractive" + }, + "uniform": { + "CHS": "制服", + "ENG": "a particular type of clothing worn by all the members of a group or organization such as the police, the army etc" + }, + "promise": { + "CHS": "允诺", + "ENG": "to tell someone that you will definitely do or provide something or that something will happen" + }, + "handkerchief": { + "CHS": "手帕", + "ENG": "a piece of cloth that you use for drying your nose or eyes" + }, + "international": { + "CHS": "国际的,世界(性)的", + "ENG": "relating to or involving more than one nation" + }, + "country": { + "CHS": "国家,国土;农村", + "ENG": "an area of land that is controlled by its own government, president, king etc" + }, + "bend": { + "CHS": "使弯曲;弯曲", + "ENG": "to push or press something so that it is no longer flat or straight" + }, + "lock": { + "CHS": "锁上,锁住", + "ENG": "to fasten something, usually with a key, so that other people cannot open it, or to be fastened like this" + }, + "moon": { + "CHS": "月球,月亮;卫星", + "ENG": "the round object that you can see shining in the sky at night, and that moves around the Earth every 28 days" + }, + "tale": { + "CHS": "故事;传说", + "ENG": "a story about exciting imaginary events" + }, + "say": { + "CHS": "比如说[用于举例]", + "ENG": "used when suggesting or supposing that something might happen or be true" + }, + "brandy": { + "CHS": "白兰地酒", + "ENG": "a strong alcoholic drink made from wine, or a glass of this drink" + }, + "bomb": { + "CHS": "轰炸", + "ENG": "to attack a place by leaving a bomb there, or by dropping bombs on it from a plane" + }, + "hill": { + "CHS": "小山,山岗;丘陵", + "ENG": "an area of land that is higher than the land around it, like a mountain but smaller" + }, + "correction": { + "CHS": "改正,纠正,修改", + "ENG": "a change made in something in order to make it right or better" + }, + "America": { + "CHS": "美洲;美国", + "ENG": "a name commonly used for the US" + }, + "camera": { + "CHS": "照相机,摄影机", + "ENG": "a piece of equipment used to take photographs or make films or television programmes" + }, + "intentional": { + "CHS": "故意的,有意识的", + "ENG": "done deliberately and usually intended to cause harm" + }, + "north": { + "CHS": "北方的", + "ENG": "in the north or facing the north" + }, + "funny": { + "CHS": "滑稽的;古怪的", + "ENG": "making you laugh" + }, + "camp": { + "CHS": "野营,营地,兵营", + "ENG": "a place where people stay in tents, shelters etc for a short time, usually in the mountains, a forest etc" + }, + "button": { + "CHS": "扣紧", + "ENG": "to fasten clothes with buttons, or to be fastened with buttons" + }, + "Friday": { + "CHS": "星期五", + "ENG": "the day between Thursday and Saturday" + }, + "need": { + "CHS": "需要", + "ENG": "to have to have something or someone, because you cannot do something without them, or because you cannot continue or cannot exist without them" + }, + "leave": { + "CHS": "离去", + "ENG": "to go away from a place or a person" + }, + "key": { + "CHS": "钥匙;键;答案", + "ENG": "a small specially shaped piece of metal that you put into a lock and turn in order to lock or unlock a door, start a car etc" + }, + "birth": { + "CHS": "分娩,出生;出身", + "ENG": "the time when a baby comes out of its mother’s body" + }, + "much": { + "CHS": "许多的", + "ENG": "a large amount of something" + }, + "pardon": { + "CHS": "原谅", + "ENG": "to forgive someone for behaving badly" + }, + "phrase": { + "CHS": "短语;习惯用语", + "ENG": "a group of words without a finite verb, especially when they are used to form part of a sentence, such as ‘walking along the road’ and ‘a bar of soap’" + }, + "pan": { + "CHS": "平底锅;烤盘", + "ENG": "a round metal container that you use for cooking, usually with one long handle and a lid" + }, + "I": { + "CHS": "(主格)我", + "ENG": "used by the person speaking or writing to refer to himself or herself" + }, + "weakness": { + "CHS": "弱点;虚弱;软弱", + "ENG": "a fault in someone’s character or in a system, organization, design etc" + }, + "Japan": { + "CHS": "日本,日本国" + }, + "picture": { + "CHS": "画", + "ENG": "to show someone or something in a photograph, painting, or drawing" + }, + "minute": { + "CHS": "分,分钟;一会儿", + "ENG": "a unit for measuring time. There are 60 minutes in one hour" + }, + "silly": { + "CHS": "傻的,愚蠢的", + "ENG": "not sensible, or showing bad judgment" + }, + "hungry": { + "CHS": "饥饿的;渴望的", + "ENG": "wanting to eat something" + }, + "traffic": { + "CHS": "交通,通行;交通量", + "ENG": "the vehicles moving along a road or street" + }, + "unconscious": { + "CHS": "不省人事的", + "ENG": "unable to see, move, feel etc in the normal way because you are not conscious" + }, + "reading": { + "CHS": "读书;读,阅读", + "ENG": "the activity or skill of understanding written words" + }, + "little": { + "CHS": "小的;少;幼小的", + "ENG": "small in size" + }, + "Africa": { + "CHS": "非洲", + "ENG": "the second largest continent; located south of Europe and bordered to the west by the South Atlantic and to the east by the Indian Ocean" + }, + "food": { + "CHS": "食物,食品;养料,精神食粮", + "ENG": "things that people and animals eat, such as vege-tables or meat" + }, + "machine": { + "CHS": "机器;机械", + "ENG": "a piece of equipment with moving parts that uses power such as electricity to do a particular job" + }, + "radius": { + "CHS": "半径", + "ENG": "the distance from the centre to the edge of a circle, or a line drawn from the centre to the edge" + }, + "fist": { + "CHS": "拳(头)", + "ENG": "the hand when it is tightly closed, so that the fingers are curled in towards the palm . People close their hand in a fist when they are angry or are going to hit someone." + }, + "policeman": { + "CHS": "警察", + "ENG": "a male police officer" + }, + "Christmas": { + "CHS": "圣诞节", + "ENG": "the period of time around December 25th, the day when Christians celebrate the birth of Christ" + }, + "him": { + "CHS": "(宾格)他", + "ENG": "used to refer to a man, boy, or male animal that has already been mentioned or is already known about" + }, + "shelf": { + "CHS": "搁板,架子", + "ENG": "a long flat narrow board attached to a wall or in a frame or cupboard, used for putting things on" + }, + "later": { + "CHS": "后来;过一会儿", + "ENG": "after the time you are talking about or after the present time" + }, + "daily": { + "CHS": "日报", + "ENG": "a newspaper that is printed and sold every day, or every day except Sunday" + }, + "mine": { + "CHS": "我的", + "ENG": "used by the person speaking or writing to refer to something that belongs to or is connected with himself or herself" + }, + "farmer": { + "CHS": "农民,农夫;农场主", + "ENG": "someone who owns or manages a farm" + }, + "Asia": { + "CHS": "亚洲", + "ENG": "the largest continent with 60% of the earth's population; it is joined to Europe on the west to form Eurasia; it is the site of some of the world's earliest civilizations" + }, + "playground": { + "CHS": "操场,运动场", + "ENG": "an area for children to play, especially at a school or in a park, that often has special equipment for climbing on, riding on etc" + }, + "evaporate": { + "CHS": "使蒸发", + "ENG": "if a liquid evaporates, or if heat evaporates it, it changes into a gas" + }, + "honour": { + "CHS": "光荣;尊敬,敬意", + "ENG": "something that makes you feel very proud" + }, + "nice": { + "CHS": "美好的,令人愉快的", + "ENG": "pleasant, attractive, or enjoyable" + }, + "phone": { + "CHS": "电话,电话机", + "ENG": "a telephone" + }, + "cat": { + "CHS": "猫,;猫科动物", + "ENG": "a small animal with four legs that people often keep as a pet" + }, + "offer": { + "CHS": "提供", + "ENG": "a statement saying that you are willing to do something for someone or give them something" + }, + "body": { + "CHS": "身体;尸体;主体", + "ENG": "the physical structure of a person or animal" + }, + "holiday": { + "CHS": "假期;假日,节日", + "ENG": "a time of rest from work, school etc" + }, + "glass": { + "CHS": "玻璃;玻璃杯", + "ENG": "a transparent solid substance used for making windows, bottles etc" + }, + "wave": { + "CHS": "波动,挥动,摆动", + "ENG": "if you wave something, or if it waves, it moves from side to side" + }, + "different": { + "CHS": "差异的;各种的", + "ENG": "not like sb/sth else" + }, + "cut": { + "CHS": "切,割,剪;减少", + "ENG": "to divide something or separate something from its main part, using scissors, a knife etc" + }, + "dawn": { + "CHS": "破晓", + "ENG": "if day or morning dawns, it begins" + }, + "oar": { + "CHS": "浆,橹", + "ENG": "a long pole with a wide flat blade at one end, used for rowing a boat" + }, + "ordinary": { + "CHS": "平常的;平凡的", + "ENG": "average, common, or usual, not different or special" + }, + "cheer": { + "CHS": "使振作;欢呼", + "ENG": "to shout as a way of showing happiness, praise, approval, or support of someone or something" + }, + "pass": { + "CHS": "经过;通过;度过", + "ENG": "to come up to a particular place, person, or object and go past them" + }, + "level": { + "CHS": "水平的", + "ENG": "flat and not sloping in any direction" + }, + "anywhere": { + "CHS": "在什么地方", + "ENG": "in or to any place" + }, + "deer": { + "CHS": "鹿", + "ENG": "a large wild animal that can run very fast, eats grass, and has horns" + }, + "every": { + "CHS": "每一的;每隔…的", + "ENG": "used with singular nouns to refer to all the members of a group of things or people" + }, + "a": { + "CHS": "一(个);每一(个)", + "ENG": "used to show that you are talking about someone or something that has not been mentioned before, or that your listener does not know about" + }, + "bar": { + "CHS": "酒吧间;条,杆;栅", + "ENG": "one of the rooms inside a pub" + }, + "plenty": { + "CHS": "丰富,充足,大量", + "ENG": "a large quantity that is enough or more than enough" + }, + "fly": { + "CHS": "飞行", + "ENG": "if a plane, spacecraft etc flies, it moves through the air" + }, + "friend": { + "CHS": "朋友,友人", + "ENG": "someone who you know and like very much and enjoy spending time with" + }, + "any": { + "CHS": "什么,一些;任何的", + "ENG": "some or even the smallest amount or number" + }, + "nurse": { + "CHS": "看护", + "ENG": "to look after someone who is ill or injured" + }, + "toilet": { + "CHS": "厕所,盥洗室,浴室", + "ENG": "a room or building containing a toilet" + }, + "goods": { + "CHS": "货物;商品", + "ENG": "things which are carried by road, train etc" + }, + "coast": { + "CHS": "海岸,海滨(地区)", + "ENG": "the area where the land meets the sea" + }, + "diamond": { + "CHS": "金钢石,钻石;菱形", + "ENG": "a clear, very hard valuable stone, used in jewellery and in industry" + }, + "otherwise": { + "CHS": "否则;要不然", + "ENG": "used to state what the result would be if sth did not happen or if the situation were different" + }, + "movement": { + "CHS": "动作,活动;移动", + "ENG": "when someone or something changes position or moves from one place to another" + }, + "bowl": { + "CHS": "碗,钵;碗状物", + "ENG": "a wide round container that is open at the top, used to hold liquids, food, flowers etc" + }, + "far": { + "CHS": "远,遥远", + "ENG": "a long distance" + }, + "general": { + "CHS": "将军", + "ENG": "an officer of very high rank in the army or air force" + }, + "gentle": { + "CHS": "和蔼的;轻柔的", + "ENG": "kind and careful in the way you behave or do things, so that you do not hurt or damage anyone or anything" + }, + "however": { + "CHS": "然而;不管怎样", + "ENG": "used when you are adding a fact or piece of information that seems surprising, or seems very different from what you have just said" + }, + "above": { + "CHS": "在…上面;高于", + "ENG": "in a higher position than something else" + }, + "enthusiastic": { + "CHS": "热情的,热心的", + "ENG": "feeling or showing a lot of interest and excitement about something" + }, + "hard": { + "CHS": "硬的;困难的", + "ENG": "firm, stiff, and difficult to press down, break, or cut" + }, + "proud": { + "CHS": "骄傲的;自负的〔含贬义〕;自豪的", + "ENG": "thinking that you are more important, skilful etc than you really are – used to show disapproval" + }, + "gently": { + "CHS": "有礼貌地;柔和地", + "ENG": "in a gentle way" + }, + "flavour": { + "CHS": "味,味道;风味", + "ENG": "the particular taste of a food or drink" + }, + "loud": { + "CHS": "响亮的;吵闹的", + "ENG": "making a lot of noise" + }, + "dry": { + "CHS": "干的,干燥的", + "ENG": "without water or liquid inside or on the surface" + }, + "mute": { + "CHS": "哑巴", + "ENG": "someone who cannot speak" + }, + "change": { + "CHS": "改变,变化;零钱", + "ENG": "the process or result of something or someone becoming different" + }, + "wear": { + "CHS": "磨损", + "ENG": "to become thinner or weaker after continuous use, or to make something do this" + }, + "radioactive": { + "CHS": "放射性的", + "ENG": "a radioactive substance is dangerous because it contains radiation" + }, + "geography": { + "CHS": "地理,地理学", + "ENG": "the study of the countries, oceans, rivers, mountains, cities etc of the world" + }, + "his": { + "CHS": "他的,他的东西", + "ENG": "of or belonging to him" + }, + "central": { + "CHS": "中心的;主要的", + "ENG": "in the middle of an area or an object" + }, + "nine": { + "CHS": "九,九个", + "ENG": "the number 9" + }, + "voyage": { + "CHS": "航海,航行", + "ENG": "to travel to a place, especially by ship" + }, + "expensive": { + "CHS": "昂贵的,花钱多的", + "ENG": "costing a lot of money" + }, + "before": { + "CHS": "在…以前", + "ENG": "earlier than something or someone" + }, + "empty": { + "CHS": "空的;空洞的", + "ENG": "having nothing inside" + }, + "heat": { + "CHS": "变热", + "ENG": "to make something become warm or hot" + }, + "Canadian": { + "CHS": "加拿大的", + "ENG": "relating to Canada or its people" + }, + "last": { + "CHS": "最后", + "ENG": "after everything or everyone else" + }, + "cause": { + "CHS": "原因;理由;事业", + "ENG": "a person, event, or thing that makes something happen" + }, + "keeper": { + "CHS": "饲养员;看护人", + "ENG": "someone who looks after animals" + }, + "mouth": { + "CHS": "嘴,口,口腔", + "ENG": "the part of your face which you put food into, or which you use for speaking" + }, + "fourth": { + "CHS": "四分之一", + "ENG": "¼; one of four equal parts" + }, + "March": { + "CHS": "三月", + "ENG": "the third month of the year, between February and April" + }, + "entrance": { + "CHS": "入口,门口;进入", + "ENG": "a door, gate etc that you go through to enter a place" + }, + "consider": { + "CHS": "考虑;认为;关心", + "ENG": "to think about something carefully, especially before making a choice or decision" + }, + "sound": { + "CHS": "健康的;完好的", + "ENG": "physically or mentally healthy" + }, + "most": { + "CHS": "最,很", + "ENG": "having the greatest amount of a particular quality" + }, + "alone": { + "CHS": "单独地", + "ENG": "without any help from other people" + }, + "marvellous": { + "CHS": "奇迹般的;了不起的", + "ENG": "extremely good, enjoyable, impressive etc" + }, + "hold": { + "CHS": "拿住;掌握;拥有", + "ENG": "to carry sth; to have sb/sth in your hand, arms, etc." + }, + "like": { + "CHS": "喜欢;喜爱;希望", + "ENG": "to enjoy something or think that it is nice or good" + }, + "treat": { + "CHS": "款待", + "ENG": "something special that you give someone or do for them because you know they will enjoy it" + }, + "beg": { + "CHS": "乞求;请求", + "ENG": "to ask for something in an anxious or urgent way, because you want it very much" + }, + "himself": { + "CHS": "他自己;他亲自", + "ENG": "used when the man or boy who performs an action is also affected by it" + }, + "cure": { + "CHS": "治愈", + "ENG": "the act of making someone well again after an illness" + }, + "bough": { + "CHS": "树枝", + "ENG": "a main branch on a tree" + }, + "bee": { + "CHS": "蜂,密蜂;忙碌的人", + "ENG": "a black and yellow flying insect that makes honey and can sting you" + }, + "bird": { + "CHS": "鸟,禽", + "ENG": "a creature with wings and feathers that can usually fly. Many birds sing and build nests, and female birds lay eggs" + }, + "cloth": { + "CHS": "布;衣料;桌布", + "ENG": "material used for making things such as clothes" + }, + "door": { + "CHS": "门;通道;一家", + "ENG": "a piece of wood, glass, etc. that is opened and closed so that people can get in and out of a room, building, car, etc.; a similar thing in a cupboard/closet" + }, + "description": { + "CHS": "描写,形容;种类", + "ENG": "a piece of writing or speech that gives details about what someone or something is like" + }, + "beat": { + "CHS": "打,敲;打败", + "ENG": "to hit sb/sth many times, usually very hard" + }, + "branch": { + "CHS": "树枝;分部;分科", + "ENG": "a part of a tree that grows out from the trunk and that has leaves, fruit, or smaller branches growing from it" + }, + "astronaut": { + "CHS": "宇宙航行员,宇航员", + "ENG": "someone who travels and works in a spacecraft" + }, + "brighten": { + "CHS": "使发光;使快活", + "ENG": "to become or make sth lighter or brighter in colour" + }, + "sulfur": { + "CHS": "硫(磺),硫黄", + "ENG": "(sulphur)a common light yellow chemical substance that burns with a very strong unpleasant smell, and is used in drugs, explosives, and industry. It is a chemical element :symbol S" + }, + "beginner": { + "CHS": "初学者,生手", + "ENG": "someone who has just started to do or learn something" + }, + "print": { + "CHS": "印刷的文字", + "ENG": "writing that has been printed, for example in books or newspapers" + }, + "fit": { + "CHS": "适合;安装", + "ENG": "to be the right shape and size for sb/sth" + }, + "lay": { + "CHS": "置放;铺设;设置", + "ENG": "to put sb/sth in a particular position, especially when it is done gently or carefully" + }, + "cruel": { + "CHS": "残忍的,残酷的", + "ENG": "having a desire to cause pain and suffering" + }, + "desk": { + "CHS": "书桌,办公桌", + "ENG": "a piece of furniture like a table, usually with drawers in it, that you sit at to write and work" + }, + "cost": { + "CHS": "价格;代价;成本", + "ENG": "the amount of money that you have to pay in order to buy, do, or produce something" + }, + "car": { + "CHS": "汽车,小汽车,轿车", + "ENG": "a vehicle with four wheels and an engine, that can carry a small number of passengers" + }, + "earn": { + "CHS": "赚得,挣得;获得", + "ENG": "to receive a particular amount of money for the work that you do" + }, + "gunpowder": { + "CHS": "黑色火药;有烟火药", + "ENG": "an explosive substance used in bombs and fireworks" + }, + "guide": { + "CHS": "给某人领路,带领", + "ENG": "to show sb the way to a place, often by going with them" + }, + "pile": { + "CHS": "堆叠,累积", + "ENG": "to arrange things in a pile" + }, + "row": { + "CHS": "(一)排,(一)行", + "ENG": "a line of things or people next to each other" + }, + "trick": { + "CHS": "哄骗", + "ENG": "to deceive someone in order to get something from them or to make them do something" + }, + "February": { + "CHS": "二月", + "ENG": "the second month of the year, between January and March" + }, + "cell": { + "CHS": "细胞;小房间", + "ENG": "the smallest part of a living thing that can exist independently" + }, + "completely": { + "CHS": "十分,完全地", + "ENG": "to the greatest degree possible" + }, + "pair": { + "CHS": "成对,配对", + "ENG": "to put people or things into groups of two, or to form groups of two" + }, + "red": { + "CHS": "红色", + "ENG": "the colour of blood" + }, + "dig": { + "CHS": "掘,挖;采掘", + "ENG": "to move earth, snow etc, or to make a hole in the ground, using a spade or your hands" + }, + "comfortable": { + "CHS": "舒适的", + "ENG": "making you feel physically relaxed, without any pain or without being too hot, cold etc" + }, + "labour": { + "CHS": "劳动;工作;劳工", + "ENG": "work, especially physical work" + }, + "awake": { + "CHS": "唤醒", + "ENG": "to wake up, or to make someone wake up" + }, + "pocket": { + "CHS": "袖珍的", + "ENG": "small enough to be carried in your pocket" + }, + "lime": { + "CHS": "石灰", + "ENG": "a white substance obtained by burning limestone, used for making cement, marking sports fields etc" + }, + "aim": { + "CHS": "瞄准;针对;致力", + "ENG": "to point or direct a weapon, a shot, a kick, etc. at sb/sth" + }, + "because": { + "CHS": "由于,因为", + "ENG": "used when you are giving the reason for something" + }, + "dial": { + "CHS": "拨", + "ENG": "to press the buttons or turn the dial on a telephone in order to make a telephone call" + }, + "loudspeaker": { + "CHS": "扬声器,喇叭", + "ENG": "a piece of equipment used to make sounds louder" + }, + "picnic": { + "CHS": "野餐", + "ENG": "to have a picnic" + }, + "contain": { + "CHS": "包含,容纳", + "ENG": "if something such as a bag, box, or place contains something, that thing is inside it" + }, + "go": { + "CHS": "去;走;变为", + "ENG": "to move in a particular way, or to do something as you are moving" + }, + "fill": { + "CHS": "装满,盛满;占满", + "ENG": "if a container or place fills, or if you fill it, enough of something goes into it to make it full" + }, + "ours": { + "CHS": "我们的", + "ENG": "used to refer to something that belongs to or is connected with us" + }, + "borrow": { + "CHS": "借,借用,借人", + "ENG": "to use something that belongs to someone else and that you must give back to them later" + }, + "landing": { + "CHS": "上岸,登陆,着陆", + "ENG": "the action of bringing an aircraft down to the ground after being in the air" + }, + "Roman": { + "CHS": "罗马的", + "ENG": "connected with the modern city of Rome" + }, + "power": { + "CHS": "能力;力;权;幂", + "ENG": "the ability or right to control people or events" + }, + "pick": { + "CHS": "镐,鹤嘴锄", + "ENG": "a pickaxe" + }, + "between": { + "CHS": "在…中间", + "ENG": "in or into the space separating two or more points, objects, people, etc." + }, + "cafe": { + "CHS": "咖啡馆;小餐厅", + "ENG": "a place where you can buy drinks and simple meals. Alcohol is not usually served in British or American cafes." + }, + "badly": { + "CHS": "坏,差;严重地", + "ENG": "in an unsatisfactory or unsuccessful way" + }, + "or": { + "CHS": "或,或者;即", + "ENG": "used between two words or phrases to show that either of two things is possible, or used before the last in a list of possibilities or choices" + }, + "post": { + "CHS": "贴出", + "ENG": "to put up a public notice about something on a wall or notice board" + }, + "drop": { + "CHS": "使落下;降低", + "ENG": "to fall suddenly onto the ground or into something" + }, + "its": { + "CHS": "它的", + "ENG": "used to refer to something that belongs to or is connected with a thing, animal, baby etc that has already been mentioned" + }, + "carry": { + "CHS": "携带;运载;传送", + "ENG": "to have something with you in your pocket, on your belt, in your bag etc everywhere you go" + }, + "bill": { + "CHS": "账单;票据;招贴", + "ENG": "a written list showing how much you have to pay for services you have received, work that has been done etc" + }, + "tower": { + "CHS": "屹立,高耸", + "ENG": "to be much taller than the people or things around you" + }, + "important": { + "CHS": "重要的;有势力的", + "ENG": "an important event, decision, problem etc has a big effect or influence on people’s lives or on events in the future" + }, + "flare": { + "CHS": "闪耀", + "ENG": "to burn brightly, but usually for only a short time or not steadily" + }, + "off": { + "CHS": "(离)开;(停)止", + "ENG": "away from a place" + }, + "dear": { + "CHS": "啊", + "ENG": "used to show that you are surprised, upset, or annoyed because something bad has happened" + }, + "mode": { + "CHS": "方式;样式", + "ENG": "a particular way or style of behaving, living or doing something" + }, + "coal": { + "CHS": "煤;煤块", + "ENG": "a hard black mineral which is dug out of the ground and burnt to produce heat" + }, + "afternoon": { + "CHS": "下午,午后", + "ENG": "the part of the day after the morning and before the evening" + }, + "linen": { + "CHS": "亚麻布;亚麻织物", + "ENG": "cloth made from the flax plant, used to make high quality clothes, home decorations etc" + }, + "anger": { + "CHS": "使发怒", + "ENG": "to make someone angry" + }, + "April": { + "CHS": "四月", + "ENG": "the fourth month of the year, between March and May" + }, + "match": { + "CHS": "比赛,竞赛;对手", + "ENG": "an organized sports event between two teams or people" + }, + "how": { + "CHS": "怎么;怎样;多少", + "ENG": "used to ask or talk about the way in which something happens or is done" + }, + "cunning": { + "CHS": "狡猾的,狡诈的", + "ENG": "someone who is cunning is clever and good at deceiving people in order to get what they want" + }, + "wound": { + "CHS": "使受伤", + "ENG": "to injure someone with a knife, gun etc" + }, + "grade": { + "CHS": "等级", + "ENG": "a particular level of quality that a product, material etc has" + }, + "enjoy": { + "CHS": "享受;欣赏,喜爱", + "ENG": "to get pleasure from something" + }, + "dialog": { + "CHS": "对话,对白", + "ENG": "a conversation in a book, play, or film" + }, + "air": { + "CHS": "空气;空中", + "ENG": "the mixture of gases around the Earth, that we breathe" + }, + "garden": { + "CHS": "花园,菜园;公园", + "ENG": "piece of land next to or around your house where you can grow flowers, fruit, vegetables, etc., usually with an area of grass(called a lawn )" + }, + "discovery": { + "CHS": "发现;被发现的事物", + "ENG": "when someone discovers something" + }, + "look": { + "CHS": "看", + "ENG": "an act of looking at something" + }, + "forever": { + "CHS": "永远;总是,老是", + "ENG": "for all future time" + }, + "altogether": { + "CHS": "完全;总而言之", + "ENG": "used to emphasize that something has been done completely or has finished completely" + }, + "health": { + "CHS": "健康状况;健康", + "ENG": "the general condition of your body and how healthy you are" + }, + "piece": { + "CHS": "拼合", + "ENG": "to put all the separate parts of sth together to make a complete whole" + }, + "free": { + "CHS": "自由的;空闲的", + "ENG": "not held, tied up, or kept somewhere as a prisoner" + }, + "robot": { + "CHS": "机器人;自动机", + "ENG": "a machine that can move and do some of the work of a person, and is usually controlled by a computer" + }, + "nobody": { + "CHS": "谁也不;无人", + "ENG": "no one" + }, + "government": { + "CHS": "政府;治理;政治", + "ENG": "the group of people who govern a country or state" + }, + "flower": { + "CHS": "花,花卉;开花", + "ENG": "a coloured or white part that a plant or tree produces before fruit or seeds" + }, + "outwards": { + "CHS": "向外,往海外", + "ENG": "towards the outside or away from the centre of something" + }, + "forgive": { + "CHS": "原谅,饶恕,宽恕", + "ENG": "to stop being angry with someone and stop blaming them, although they have done something wrong" + }, + "eighteen": { + "CHS": "十八,十八个", + "ENG": "the number 18" + }, + "breath": { + "CHS": "气息,呼吸", + "ENG": "the air that you take into your lungs and send out again" + }, + "near": { + "CHS": "近的", + "ENG": "a short distance away" + }, + "shower": { + "CHS": "阵雨;(一)阵;淋浴", + "ENG": "a short period of rain" + }, + "alive": { + "CHS": "活着的;活跃的", + "ENG": "still living and not dead" + }, + "Indian": { + "CHS": "印度人", + "ENG": "someone from India" + }, + "serve": { + "CHS": "为…服务;招待", + "ENG": "to help the customers in a shop, especially by bringing them the things that they want" + }, + "fear": { + "CHS": "害怕", + "ENG": "to feel afraid or worried that something bad may happen" + }, + "madam": { + "CHS": "夫人,女士,太太", + "ENG": "used to address a woman in a polite way, especially a customer in a shop" + }, + "dangerous": { + "CHS": "危险的,不安全的", + "ENG": "able or likely to harm or kill you" + }, + "if": { + "CHS": "假如,如果", + "ENG": "used when talking about something that might happen or be true, or might have happened" + }, + "loss": { + "CHS": "遗失;损失;失败", + "ENG": "the fact of no longer having something, or of having less of it than you used to have, or the process by which this happens" + }, + "age": { + "CHS": "变老", + "ENG": "to start looking older or to make someone or something look older" + }, + "egg": { + "CHS": "蛋,卵;蛋,鸡蛋", + "ENG": "a round object with a hard surface, that contains a baby bird, snake, insect etc and which is produced by a female bird, snake, insect etc" + }, + "June": { + "CHS": "六月", + "ENG": "the sixth month of the year, between May and July" + }, + "comfort": { + "CHS": "安慰", + "ENG": "to make someone feel less worried, unhappy, or upset, for example by saying kind things to them or touching them" + }, + "all": { + "CHS": "全部", + "ENG": "the whole of a particular group or thing or to everyone or everything of a particular kind" + }, + "India": { + "CHS": "印度", + "ENG": "a republic in the Asian subcontinent in southern Asia; second most populous country in the world; achieved independence from the United Kingdom in 1947" + }, + "cottage": { + "CHS": "村舍,小屋", + "ENG": "a small house in the country" + }, + "forty": { + "CHS": "四十,第四十", + "ENG": "the number 40" + }, + "invite": { + "CHS": "邀请;(正式)邀请,请求", + "ENG": "to ask someone to come to a party, wedding, meal etc" + }, + "almost": { + "CHS": "几乎,差不多", + "ENG": "nearly, but not completely or not quite" + }, + "in": { + "CHS": "在…里;进,入", + "ENG": "used with the name of a container, place, or area to say where someone or something is" + }, + "everyday": { + "CHS": "每天的,日常的", + "ENG": "ordinary, usual, or happening every day" + }, + "four": { + "CHS": "四,四个,第四", + "ENG": "the number 4" + }, + "humid": { + "CHS": "湿的,湿气重的", + "ENG": "if the weather is humid, you feel uncomfortable because the air is very wet and usually hot" + }, + "November": { + "CHS": "十一月", + "ENG": "the 11th month of the year, between October and December" + }, + "clothes": { + "CHS": "衣服,服装", + "ENG": "the things that people wear to cover their body or keep warm" + }, + "rainy": { + "CHS": "下雨的,多雨的", + "ENG": "a rainy period of time is one when it rains a lot" + }, + "fruit": { + "CHS": "水果;果实;成果", + "ENG": "something that grows on a plant, tree, or bush, can be eaten as a food, contains seeds or a stone, and is usually sweet" + }, + "eighty": { + "CHS": "八十,八十个", + "ENG": "the number 80" + }, + "reach": { + "CHS": "抵达;伸出;达到", + "ENG": "to arrive at a place" + }, + "pound": { + "CHS": "磅;英磅", + "ENG": "a unit for measuring weight, equal to 16 ounce s or 0.454 kilograms" + }, + "beer": { + "CHS": "啤酒", + "ENG": "an alcoholic drink made from malt and hop s" + }, + "punish": { + "CHS": "罚,惩罚,处罚", + "ENG": "to make someone suffer because they have done something wrong or broken the law" + }, + "island": { + "CHS": "岛,岛屿", + "ENG": "a piece of land completely surrounded by water" + }, + "color": { + "CHS": "颜色,彩色;颜料", + "ENG": "red, blue, yellow, green, brown, purple etc" + }, + "extremely": { + "CHS": "极端,极其,非常", + "ENG": "to a very great degree" + }, + "certainly": { + "CHS": "一定,必定;当然", + "ENG": "without doubt" + }, + "laugh": { + "CHS": "笑", + "ENG": "the act of laughing or the sound you make when you laugh" + }, + "century": { + "CHS": "世纪;百年", + "ENG": "one of the 100-year periods measured from before or after the year of Christ’s birth" + }, + "hers": { + "CHS": "她的(所有物)", + "ENG": "used to refer to something that belongs to or is connected with a woman, girl, or female animal that has already been mentioned" + }, + "northeast": { + "CHS": "位于东北的", + "ENG": "The northeast edge, corner, or part of a place is the part which is toward the northeast" + }, + "purpose": { + "CHS": "目的;意图", + "ENG": "the purpose of something is what it is intended to achieve" + }, + "excite": { + "CHS": "使激动;引起", + "ENG": "to make someone feel happy, interested, or eager" + }, + "disappoint": { + "CHS": "使失望,使受挫折", + "ENG": "to make someone feel unhappy because something they hoped for did not happen or was not as good as they expected" + }, + "silver": { + "CHS": "银;银币;银器", + "ENG": "a valuable shiny, light grey metal that is used to make jewellery, knives, coins etc. It is a chemical element : symbol Ag" + }, + "manager": { + "CHS": "经理,管理人", + "ENG": "someone whose job is to manage part or all of a company or other organization" + }, + "from": { + "CHS": "从…来", + "ENG": "used to show what the origin of sb/sth is" + }, + "elimination": { + "CHS": "排除,消除;消灭", + "ENG": "to remove or get rid of sth/sb" + }, + "defend": { + "CHS": "保卫,防守", + "ENG": "to do something in order to protect someone or something from being attacked" + }, + "always": { + "CHS": "总是,一直;永远", + "ENG": "all the time, at all times, or every time" + }, + "honeymoon": { + "CHS": "蜜月", + "ENG": "a holiday taken by two people who have just got married" + }, + "late": { + "CHS": "迟,晚", + "ENG": "after the usual time" + }, + "Germany": { + "CHS": "德意志,德国", + "ENG": "the Federal Republic of Germany" + }, + "clearly": { + "CHS": "明白地,清晰地", + "ENG": "in a way that is easy to see, hear, or understand" + }, + "follow": { + "CHS": "跟随;结果是", + "ENG": "to go, walk, drive etc behind or after someone else" + }, + "pink": { + "CHS": "粉红色的", + "ENG": "pale red" + }, + "bring": { + "CHS": "带来;引出;促使", + "ENG": "to take something or someone with you to the place where you are now, or to the place you are talking about" + }, + "ground": { + "CHS": "地;场地;根据", + "ENG": "the solid surface of the earth" + }, + "film": { + "CHS": "影片;胶卷;薄层", + "ENG": "a story that is told using sound and moving pictures, shown at a cinema or on television" + }, + "Canada": { + "CHS": "加拿大", + "ENG": "a nation in northern North America" + }, + "among": { + "CHS": "在…之中", + "ENG": "in or through the middle of a group of people or things" + }, + "discussion": { + "CHS": "讨论,谈论;论述", + "ENG": "when you discuss something" + }, + "republic": { + "CHS": "共和国,共和政体", + "ENG": "a country governed by elected representatives of the people, and led by a president, not a king or queen" + }, + "gas": { + "CHS": "气体;煤气;汽油", + "ENG": "a substance such as air, which is not solid or liquid, and usually cannot be seen" + }, + "advise": { + "CHS": "劝告;建议;通知", + "ENG": "to tell someone what you think they should do, especially when you know more than they do about something" + }, + "bank": { + "CHS": "银行;库;沿,堤", + "ENG": "an organization that provides various financial services, for example keeping or lending money" + }, + "help": { + "CHS": "帮手", + "ENG": "things you do to make it easier or possible for someone to do something" + }, + "remember": { + "CHS": "记得;想起;记住", + "ENG": "to have a picture or idea in your mind of people, events, places etc from the past" + }, + "even": { + "CHS": "甚至;甚至更,还", + "ENG": "used to emphasize something that is unexpected or surprising in what you are saying" + }, + "booth": { + "CHS": "公用电话亭;货摊", + "ENG": "a small confined place where you can do sth privately, for example make a telephone call" + }, + "final": { + "CHS": "最后的;决定性的", + "ENG": "last in a series of actions, events, parts of a story etc" + }, + "drought": { + "CHS": "旱灾,干旱", + "ENG": "a long period of dry weather when there is not enough water for plants and animals to live" + }, + "tin": { + "CHS": "锡;罐头", + "ENG": "a soft silver-white metal that is often used to cover and protect iron and steel. It is a chemical element: symbol Sn" + }, + "left": { + "CHS": "左边的", + "ENG": "on the same side of something as your left side" + }, + "farm": { + "CHS": "农场,农庄;饲养场", + "ENG": "an area of land used for growing crops or keeping animals" + }, + "miner": { + "CHS": "矿工", + "ENG": "someone who works under the ground in a mine to remove coal, gold etc" + }, + "Britain": { + "CHS": "不列颠,英国", + "ENG": "the island containing England, Scotland and Wales, Great Britain" + }, + "mix": { + "CHS": "使混合,混淆", + "ENG": "if you mix two or more substances or if they mix, they combine to become a single substance, and they cannot be easily separated" + }, + "fond": { + "CHS": "喜爱的;溺爱的", + "ENG": "feeling affection for sb, especially sb you have known for a long time" + }, + "five": { + "CHS": "五,五个,第五", + "ENG": "the number 5" + }, + "transistor": { + "CHS": "晶体管", + "ENG": "a small piece of electronic equipment in radios, televisions etc that controls the flow of electricity" + }, + "house": { + "CHS": "房屋,住宅;商号", + "ENG": "a building that someone lives in, especially one that has more than one level and is intended to be used by one family" + }, + "knob": { + "CHS": "门把,拉手;旋纽", + "ENG": "a round handle or thing that you turn to open a door, turn on a television etc" + }, + "inexpensive": { + "CHS": "花费不多的,廉价的", + "ENG": "cheap – use this to show approval" + }, + "finish": { + "CHS": "结尾", + "ENG": "the end or last part of something" + }, + "statistical": { + "CHS": "统计的,统计学的", + "ENG": "relating to the use of statistics" + }, + "enemy": { + "CHS": "敌人;仇敌;敌兵", + "ENG": "someone who hates you and wants to harm you" + }, + "eight": { + "CHS": "八,八个", + "ENG": "the number 8" + }, + "cream": { + "CHS": "奶油,乳脂;奶油色", + "ENG": "a thick yellow-white liquid that rises to the top of milk" + }, + "duty": { + "CHS": "责任;职责;税", + "ENG": "something that you have to do because it is morally or legally right" + }, + "cousin": { + "CHS": "堂(或表)兄弟(姐妹)", + "ENG": "the child of your uncle or aunt" + }, + "clear": { + "CHS": "清除", + "ENG": "to make somewhere emptier or tidier by removing things from it" + }, + "coat": { + "CHS": "外套,上衣;皮毛", + "ENG": "a piece of clothing with long sleeves that is worn over your clothes to protect them or to keep you warm" + }, + "affair": { + "CHS": "事务;事情,事件", + "ENG": "public or political events and activities" + }, + "cup": { + "CHS": "杯子;(一)杯;奖杯", + "ENG": "a small round container, usually with a handle, that you use to drink tea, coffee etc" + }, + "hurry": { + "CHS": "赶紧;催促", + "ENG": "to do something or go somewhere more quickly than usual, especially because there is not much time" + }, + "bad": { + "CHS": "坏的,恶的;严重的", + "ENG": "morally wrong or evil" + }, + "pig": { + "CHS": "猪,小猪,野猪", + "ENG": "a farm animal with short legs, a fat body and a curved tail. Pigs are kept for their meat, which includes pork , bacon and ham ." + }, + "grandfather": { + "CHS": "祖父;外祖父", + "ENG": "the father of your father or mother" + }, + "gain": { + "CHS": "增进", + "ENG": "an increase in the amount or level of something" + }, + "except": { + "CHS": "除…之外", + "ENG": "used to introduce the only person, thing, action, fact, or situation about which a statement is not true" + }, + "heir": { + "CHS": "后嗣,继承人", + "ENG": "the person who has the legal right to receive the property or title of another person when they die" + }, + "art": { + "CHS": "艺术,美术;技术", + "ENG": "the use of painting, drawing, sculpture etc to represent things or express ideas" + }, + "buy": { + "CHS": "买,购买", + "ENG": "to get something by paying money for it" + }, + "girl": { + "CHS": "女孩子,姑娘;女儿", + "ENG": "a female child" + }, + "chess": { + "CHS": "棋;国际象棋", + "ENG": "a game for two players, who move their playing pieces according to particular rules across a special board to try to trap their opponent’s king" + }, + "kite": { + "CHS": "风筝", + "ENG": "a light frame covered in coloured paper or plastic that you let fly in the air on the end of one or two long strings" + }, + "move": { + "CHS": "动", + "ENG": "when someone moves for a short time in a particular direction" + }, + "at": { + "CHS": "在…里;在…时", + "ENG": "used to say exactly where something or someone is, or where something happens" + }, + "crow": { + "CHS": "啼", + "ENG": "if a cock crows, it makes a loud high sound" + }, + "depend": { + "CHS": "依靠,依赖;相信", + "ENG": "to need the support, help, or existence of someone or something in order to exist, be healthy, be successful etc" + }, + "thus": { + "CHS": "如此,这样;因而", + "ENG": "as a result of something that you have just mentioned" + }, + "agreement": { + "CHS": "协定,协议;同意", + "ENG": "an arrangement or promise to do something, made by two or more people, companies, organizations etc" + }, + "clothing": { + "CHS": "衣服", + "ENG": "the clothes that people wear" + }, + "Monday": { + "CHS": "星期一", + "ENG": "the day between Sunday and Tuesday" + }, + "badminton": { + "CHS": "羽毛球", + "ENG": "a game that is similar to tennis but played with a shuttlecock instead of a ball" + }, + "knock": { + "CHS": "敲,击,打", + "ENG": "a sharp blow from sth hard" + }, + "fifteen": { + "CHS": "十五;十五个", + "ENG": "the number 15" + }, + "aunt": { + "CHS": "伯母,婶母,姑母", + "ENG": "the sister of your father or mother, or the wife of your father’s or mother’s brother" + }, + "building": { + "CHS": "建筑物,大楼;建筑", + "ENG": "a structure such as a house, church, or factory, that has a roof and walls" + }, + "postman": { + "CHS": "邮递员", + "ENG": "someone whose job is to collect and deliver letters" + }, + "tempt": { + "CHS": "引诱,诱惑;吸引", + "ENG": "to make someone want to have or do something, even though they know they really should not" + }, + "fix": { + "CHS": "决定;使固定", + "ENG": "to decide on a limit for something, especially prices, costs etc, so that they do not change" + }, + "classroom": { + "CHS": "教室,课堂", + "ENG": "a room that you have lessons in at a school or college" + }, + "daughter": { + "CHS": "女儿", + "ENG": "someone’s female child" + }, + "out": { + "CHS": "出,在外;现出来", + "ENG": "from inside an object, container, building, or place" + }, + "outdoors": { + "CHS": "在户外,在野外", + "ENG": "outside, not in a building" + }, + "mark": { + "CHS": "标明", + "ENG": "to show where something is" + }, + "already": { + "CHS": "早已,已经", + "ENG": "before now or before a particular time in the pas" + }, + "book": { + "CHS": "预定", + "ENG": "to make arrangements to stay in a place, eat in a restaurant, go to a theatre etc at a particular time in the future" + }, + "heavy": { + "CHS": "重的;大的;充满的", + "ENG": "weighing a lot" + }, + "peach": { + "CHS": "桃子,桃树", + "ENG": "a round juicy fruit that has a soft yellow or red skin and a large, hard seed in the centre, or the tree that this fruit grows on" + }, + "danger": { + "CHS": "危险;危险事物", + "ENG": "the possibility that someone or something will be harmed, destroyed, or killed" + }, + "plate": { + "CHS": "电镀", + "ENG": "to be covered with a thin covering of gold or silver" + }, + "neighbour": { + "CHS": "邻居,邻人;邻国", + "ENG": "someone who lives next to you or near you" + }, + "plan": { + "CHS": "计划;打算", + "ENG": "to think carefully about something you want to do, and decide how and when you will do it" + }, + "Greek": { + "CHS": "希腊人", + "ENG": "someone from Greece" + }, + "party": { + "CHS": "聚会;党,党派", + "ENG": "a social event when a lot of people meet together to enjoy themselves by eating, drinking, dancing etc" + }, + "further": { + "CHS": "更远的", + "ENG": "more" + }, + "radio": { + "CHS": "无线电;收音机", + "ENG": "when messages are sent or received in this way" + }, + "coward": { + "CHS": "懦夫;胆怯者", + "ENG": "someone who is not at all brave" + }, + "ice": { + "CHS": "冰敷", + "ENG": "to cover an injured part of the body in ice to stop it from swelling" + }, + "piano": { + "CHS": "钢琴", + "ENG": "a large musical instrument that has a long row of black and white key s . You play the piano by sitting in front of it and pressing the keys." + }, + "discuss": { + "CHS": "讨论,谈论;论述", + "ENG": "to talk about something with another person or a group in order to exchange ideas or decide something" + }, + "neat": { + "CHS": "整洁的", + "ENG": "tidy and carefully arranged" + }, + "baby": { + "CHS": "婴儿;孩子气的人", + "ENG": "a very young child who has not yet learned to speak or walk" + }, + "wooden": { + "CHS": "木制的;呆板的", + "ENG": "made of wood" + }, + "honest": { + "CHS": "诚实的", + "ENG": "someone who is honest always tells the truth and does not cheat or steal" + }, + "necklace": { + "CHS": "项链,项圈", + "ENG": "a string of jewels, beads etc or a thin gold or silver chain to wear around the neck" + }, + "surroundings": { + "CHS": "周围的事物,环境", + "ENG": "the objects, buildings, natural things etc that are around a person or thing at a particular time" + }, + "chair": { + "CHS": "椅子;主席", + "ENG": "a piece of furniture for one person to sit on, which has a back, a seat, and four legs" + }, + "back": { + "CHS": "回原处;回;在后", + "ENG": "in, into, or to the place or position where someone or something was before" + }, + "jacket": { + "CHS": "短上衣,茄克衫", + "ENG": "a short light coat" + }, + "our": { + "CHS": "我们的", + "ENG": "belonging to or connected with us" + }, + "low": { + "CHS": "低的;矮的;低下的", + "ENG": "not high or tall" + }, + "bathroom": { + "CHS": "浴室;盥洗室", + "ENG": "a room in which there is a bath/bathtub , a washbasin and often a toilet" + }, + "jump": { + "CHS": "跳;暴涨", + "ENG": "to push yourself up into the air, or over or away from something etc, using your legs" + }, + "count": { + "CHS": "计算;数,计数", + "ENG": "to calculate the total number of things or people in a group" + }, + "biscuit": { + "CHS": "(英)饼干;(美)软饼", + "ENG": "a small thin dry cake that is usually sweet and made for one person to eat" + }, + "orange": { + "CHS": "橙(树);柑(树)", + "ENG": "a round fruit that has a thick orange skin and is divided into parts inside" + }, + "blossom": { + "CHS": "开花", + "ENG": "if trees blossom, they produce flowers" + }, + "fridge": { + "CHS": "电冰箱", + "ENG": "a large piece of electrical kitchen equipment, used for keeping food and drinks cool" + }, + "German": { + "CHS": "德国人", + "ENG": "someone from Germany" + }, + "British": { + "CHS": "不列颠的,英联邦的", + "ENG": "relating to Britain or its people" + }, + "famous": { + "CHS": "著名的,出名的", + "ENG": "known about by many people in many places" + }, + "only": { + "CHS": "唯一的", + "ENG": "used to say that there is one person, thing, or group in a particular situation and no others" + }, + "gold": { + "CHS": "金制的", + "ENG": "made of gold" + }, + "breathe": { + "CHS": "呼吸", + "ENG": "to take air into your lungs and send it out again" + }, + "metre": { + "CHS": "米,公尺", + "ENG": "the basic unit for measuring length in the metric system" + }, + "college": { + "CHS": "学院;大学", + "ENG": "a school for advanced education, especially in a particular profession or skill" + }, + "mother": { + "CHS": "母亲,妈妈", + "ENG": "a female parent of a child or animal" + }, + "hour": { + "CHS": "小时;时间;时刻", + "ENG": "a unit for measuring time. There are 60 minutes in one hour, and 24 hours in one day." + }, + "crop": { + "CHS": "农作物,庄稼;一熟:一季的收成", + "ENG": "a plant such as wheat, rice, or fruit that is grown by farmers and used as food" + }, + "feel": { + "CHS": "有知觉;触,摸", + "ENG": "to experience a particular physical feeling or emotion" + }, + "game": { + "CHS": "游戏;比赛;猎物", + "ENG": "an activity or sport in which people compete with each other according to agreed rules" + }, + "opinion": { + "CHS": "意见,看法,主张", + "ENG": "your ideas or beliefs about a particular subject" + }, + "yard": { + "CHS": "院子,庭院;场地", + "ENG": "the area around a house, usually covered with grass" + }, + "doctor": { + "CHS": "医生,医师;博士", + "ENG": "someone who is trained to treat people who are ill" + }, + "soil": { + "CHS": "弄脏", + "ENG": "to make something dirty, especially with waste from your body" + }, + "earth": { + "CHS": "地球;陆地,地面", + "ENG": "the planet that we live on" + }, + "waggon": { + "CHS": "四轮运货马车", + "ENG": "(wagon)a strong vehicle with four wheels, used for carrying heavy loads and usually pulled by horses" + }, + "regret": { + "CHS": "懊悔", + "ENG": "sadness that you feel about something, especially because you wish it had not happened" + }, + "lace": { + "CHS": "鞋带,系带;花边", + "ENG": "a string that is pulled through special holes in shoes or clothing to pull the edges together and fasten them" + }, + "jolly": { + "CHS": "快活的;令人高兴的", + "ENG": "happy and enjoying yourself" + }, + "area": { + "CHS": "地区;面积;领域", + "ENG": "a particular part of a country, town etc" + }, + "Oceania": { + "CHS": "大洋洲", + "ENG": "a large region of the world consisting of the Pacific islands and the seas around them" + }, + "ocean": { + "CHS": "海洋;洋", + "ENG": "the great mass of salt water that covers most of the Earth’s surface" + }, + "everything": { + "CHS": "每件事,事事", + "ENG": "each thing or all things" + }, + "total": { + "CHS": "合计,总共", + "ENG": "to reach a particular total" + }, + "ad": { + "CHS": "广告", + "ENG": "an advertisement" + }, + "check": { + "CHS": "检查", + "ENG": "the process of finding out if something is safe, correct, true, or in the condition it should be" + }, + "cheap": { + "CHS": "廉价的;劣质的", + "ENG": "not at all expensive, or lower in price than you expected" + }, + "memory": { + "CHS": "记忆;回忆;存储", + "ENG": "something that you remember from the past about a person, place, or experience" + }, + "accept": { + "CHS": "接受;同意", + "ENG": "to take something that someone offers you, or to agree to do something that someone asks you to do" + }, + "behind": { + "CHS": "在…后面", + "ENG": "at or towards the back of a thing or person" + }, + "false": { + "CHS": "不真实的;伪造的", + "ENG": "a statement, story etc that is false is completely untrue" + }, + "increase": { + "CHS": "增加", + "ENG": "a rise in the amount, number or value of sth" + }, + "guest": { + "CHS": "客人,宾客;旅客", + "ENG": "a person that you have invited to your house or to a particular event that you are paying for" + }, + "polite": { + "CHS": "有礼貌的;有教养的", + "ENG": "behaving or speaking in a way that is correct for the social situation you are in, and showing that you are careful to consider other people’s needs and feelings" + }, + "box": { + "CHS": "箱,盒;包厢", + "ENG": "a container for putting things in, especially one with four stiff straight sides" + }, + "aloud": { + "CHS": "出声地;大声地", + "ENG": "in a voice that other people can hear" + }, + "cigaret": { + "CHS": "香烟,纸烟,卷烟", + "ENG": "(cigarette)a thin tube of paper filled with finely cut tobacco that people smoke" + }, + "square": { + "CHS": "正方形;广场", + "ENG": "a shape with four straight equal sides with 90˚ angles at the corners" + }, + "cave": { + "CHS": "山洞,洞穴,窑洞", + "ENG": "a large natural hole in the side of a cliff or hill, or under the ground" + }, + "banana": { + "CHS": "香蕉;芭蕉属植物", + "ENG": "a long curved tropical fruit with a yellow skin" + }, + "unknown": { + "CHS": "不知道的;未知的", + "ENG": "not known about" + }, + "collar": { + "CHS": "衣领;项圈", + "ENG": "the part of a shirt, coat etc that fits around your neck, and is usually folded over" + }, + "circle": { + "CHS": "圆;圆周;圈子", + "ENG": "a completely round flat shape" + }, + "thickness": { + "CHS": "厚(度);密(度)", + "ENG": "how thick something is" + }, + "news": { + "CHS": "新闻;消息", + "ENG": "reports of recent events in the newspapers or on the radio or television" + }, + "suspicious": { + "CHS": "怀疑的;可疑的", + "ENG": "thinking that someone might be guilty of doing something wrong or dishonest" + }, + "shoot": { + "CHS": "芽", + "ENG": "the part of a plant that comes up above the ground when it is just beginning to grow, or a new part that grows on an existing plant" + }, + "lie": { + "CHS": "躺;平放;位于", + "ENG": "to be or put yourself in a flat or horizontal position so that you are not standing or sitting" + }, + "quarrel": { + "CHS": "争吵,吵架,口角", + "ENG": "an angry argument or disagreement" + }, + "here": { + "CHS": "这里;向这里", + "ENG": "used after a verb or preposition to mean ‘in, at or to this position or place ’" + }, + "example": { + "CHS": "例子,实例;模范", + "ENG": "something such as an object, a fact or a situation that shows, explains or supports what you say" + }, + "stability": { + "CHS": "稳定;稳定性", + "ENG": "the condition of being steady and not changing" + }, + "forest": { + "CHS": "森林;森林地带", + "ENG": "a large area of land that is covered with trees" + }, + "customer": { + "CHS": "顾客,主顾", + "ENG": "someone who buys goods or services from a shop, company etc" + }, + "king": { + "CHS": "国王,君主", + "ENG": "a man who rules a country because he is from a royal family" + }, + "member": { + "CHS": "成员,会员", + "ENG": "a person or country that belongs to a group or organization" + }, + "corner": { + "CHS": "角;边远地区", + "ENG": "the point at which two lines or edges meet" + }, + "grandmother": { + "CHS": "祖母,外祖母", + "ENG": "the mother of your mother or father" + }, + "of": { + "CHS": "…的;由于", + "ENG": "used to show what a part belongs to or comes from" + }, + "noun": { + "CHS": "名词", + "ENG": "a word or group of words that represent a person (such as ‘Michael’, ‘teacher’ or ‘police officer’), a place (such as ‘France’ or ‘school’), a thing or activity (such as ‘coffee’ or ‘football’), or a quality or idea (such as ‘danger’ or ‘happiness’). Nouns can be used as the subject or object of a verb (as in ‘The teacher arrived’ or ‘We like the teacher’) or as the object of a preposition (as in ‘good at football’)." + }, + "fire": { + "CHS": "开火", + "ENG": "to shoot bullets or bombs" + }, + "ahead": { + "CHS": "向前;在前;提前", + "ENG": "further forward in space or time; in front" + }, + "eleven": { + "CHS": "十一,十一个", + "ENG": "the number" + }, + "by": { + "CHS": "在…旁;被,由", + "ENG": "beside or near something" + }, + "Australian": { + "CHS": "澳大利亚的", + "ENG": "relating to Australia or its people" + }, + "main": { + "CHS": "主要的,最重要的", + "ENG": "larger or more important than all other things, ideas etc of the same kind" + }, + "explanation": { + "CHS": "解释,说明;辩解", + "ENG": "a statement, fact, or situation that tells you why sth happened; a reason given for sth" + }, + "mainly": { + "CHS": "主要地,大体上", + "ENG": "used to mention the main part or cause of something, the main reason for something etc" + }, + "manly": { + "CHS": "男子气概的,果断的", + "ENG": "having qualities that people expect and admire in a man, such as being brave and strong" + }, + "have": { + "CHS": "有;吃", + "ENG": "used to say that someone owns something or that it is available for them to use" + }, + "boy": { + "CHS": "男孩,少年;家伙", + "ENG": "a male child, or a male person in general" + }, + "Mister": { + "CHS": "先生", + "ENG": "Men are sometimes addressed as mister, especially by children and especially when the person talking to them does not know their name" + }, + "dread": { + "CHS": "惧怕", + "ENG": "to feel anxious or worried about something that is going to happen or may happen" + }, + "difficult": { + "CHS": "困难的;难对付的", + "ENG": "hard to do, understand, or deal with" + }, + "elder": { + "CHS": "长者", + "ENG": "a member of a tribe or other social group who is important and respected because they are old" + }, + "twin": { + "CHS": "孪生儿", + "ENG": "one of two children born at the same time to the same mother" + }, + "political": { + "CHS": "政治的,政治上的", + "ENG": "connected with the state, government or public affairs" + }, + "northwest": { + "CHS": "位于西北的", + "ENG": "in the northwest of a place" + }, + "lantern": { + "CHS": "提灯,灯笼", + "ENG": "a lamp that you can carry, consisting of a metal container with glass sides that surrounds a flame or light" + }, + "oneself": { + "CHS": "自己;亲自", + "ENG": "used to emphasize one" + }, + "declare": { + "CHS": "断言;声明;表明", + "ENG": "to state sth firmly and clearly" + }, + "he": { + "CHS": "(主格)他", + "ENG": "used to refer to a man, boy, or male animal that has already been mentioned or is already known about" + }, + "eat": { + "CHS": "吃", + "ENG": "to put food in your mouth and chew and swallow it" + }, + "add": { + "CHS": "添加,附加,掺加", + "ENG": "to put something with something else or with a group of other things" + }, + "strange": { + "CHS": "陌生的;奇怪的", + "ENG": "not familiar because you have not been there before or met the person before" + }, + "headache": { + "CHS": "头痛;头痛的事", + "ENG": "a pain in your head" + }, + "damage": { + "CHS": "损害", + "ENG": "physical harm that is done to something or to a part of someone’s body, so that it is broken or injured" + }, + "store": { + "CHS": "商店;贮藏;贮存品", + "ENG": "a place where goods are sold to the public. In British English, a store is large and sells many different things, but in American English, a store can be large or small, and sell many things or only one type of thing." + }, + "bitter": { + "CHS": "痛苦的;严寒的", + "ENG": "making you feel very unhappy and upset" + }, + "birthday": { + "CHS": "生日;诞生的日期", + "ENG": "the day in each year which is the same date as the one on which you were born" + }, + "wing": { + "CHS": "翼,翅膀,翅", + "ENG": "oone of the parts of the body of a bird, insect or bat that it uses for flying" + }, + "gauge": { + "CHS": "量器", + "ENG": "an instrument for measuring the size or amount of something" + }, + "give": { + "CHS": "做,作;送给", + "ENG": "used with a noun to describe a particular action, giving the same meaning as the related verb" + }, + "end": { + "CHS": "结束", + "ENG": "to finish; to make sth finish" + }, + "disagree": { + "CHS": "有分歧;不一致", + "ENG": "to have or express a different opinion from someone else" + }, + "engineer": { + "CHS": "工程师,技师", + "ENG": "someone whose job is to design or build roads, bridges, machines etc" + }, + "plain": { + "CHS": "清楚的", + "ENG": "very clear, and easy to understand or recognize" + }, + "eastern": { + "CHS": "朝东的;东方的", + "ENG": "in or from the east of a country or area" + }, + "noon": { + "CHS": "正午,中午", + "ENG": "12 o’clock in the daytime" + }, + "transformation": { + "CHS": "变化;改造;转变", + "ENG": "a complete change in someone or something" + }, + "least": { + "CHS": "最少", + "ENG": "less than anything or anyone else" + }, + "do": { + "CHS": "做,干,办", + "ENG": "to perform an action or activity" + }, + "national": { + "CHS": "民族的;国家的", + "ENG": "connected with a particular nation; shared by a whole nation" + }, + "suit": { + "CHS": "适合", + "ENG": "to be acceptable, suitable, or convenient for a particular person or in a particular situation" + }, + "needless": { + "CHS": "不需要的", + "ENG": "needless troubles, suffering, loss etc are unnecessary because they could easily have been avoided" + }, + "pain": { + "CHS": "痛,疼痛;辛苦", + "ENG": "the feeling you have when part of your body hurts" + }, + "habitual": { + "CHS": "习惯性的,惯常的", + "ENG": "usual or typical of someone" + }, + "hate": { + "CHS": "恨,憎恨;不喜欢", + "ENG": "to dislike something very much" + }, + "point": { + "CHS": "点;要点;细目;分", + "ENG": "a mark or unit on a scale of measurement" + }, + "live": { + "CHS": "活的", + "ENG": "living; not dead" + }, + "July": { + "CHS": "七月", + "ENG": "the seventh month of the year, between June and August" + }, + "father": { + "CHS": "父亲;神父;创始人", + "ENG": "a male parent" + }, + "upward": { + "CHS": "上升的;向上的", + "ENG": "increasing to a higher level" + }, + "ready": { + "CHS": "准备好的;愿意的", + "ENG": "fully prepared for what you are going to do" + }, + "path": { + "CHS": "路,小道;道路", + "ENG": "a track that has been made deliberately or made by many people walking over the same ground" + }, + "helmet": { + "CHS": "头盔,钢盔", + "ENG": "a strong hard hat that soldiers, motorcycle riders, the police etc wear to protect their heads" + }, + "adverb": { + "CHS": "副词", + "ENG": "a word that adds to the meaning of a verb, an adjective, another adverb, or a whole sentence, such as ‘slowly’ in ‘He ran slowly’, ‘very’ in ‘It’s very hot’, or ‘naturally’ in ‘Naturally, we want you to come.’" + }, + "information": { + "CHS": "消息,信息;通知", + "ENG": "facts or details that tell you something about a situation, person, event etc" + }, + "belt": { + "CHS": "带,腰带;皮带;区", + "ENG": "a band of leather, cloth etc that you wear around your waist to hold up your clothes or for decoration" + }, + "open": { + "CHS": "开", + "ENG": "to move a door, window etc so that people, things, air etc can pass through, or to be moved in this way" + }, + "cage": { + "CHS": "笼;鸟笼,囚笼", + "ENG": "a structure made of wires or bars in which birds or animals can be kept" + }, + "exist": { + "CHS": "存在;生存,生活", + "ENG": "to be present in a place or situation" + }, + "herself": { + "CHS": "她自己;她亲自", + "ENG": "used when the woman or girl who performs an action is also affected by it" + }, + "potato": { + "CHS": "马铃薯,土豆", + "ENG": "a round white vegetable with a brown, red, or pale yellow skin, that grows under the ground" + }, + "rotary": { + "CHS": "旋转的,转动的", + "ENG": "turning in a circle around a fixed point, like a wheel" + }, + "prize": { + "CHS": "珍视", + "ENG": "to think that someone or something is very important or valuable" + }, + "knit": { + "CHS": "把…编结", + "ENG": "to make clothing out of wool, using two knitting needles" + }, + "neither": { + "CHS": "(两者)都不的", + "ENG": "not one or the other of two people or things" + }, + "flu": { + "CHS": "流行性感冒", + "ENG": "a common illness that makes you feel very tired and weak, gives you a sore throat, and makes you cough and have to clear your nose a lot" + }, + "continent": { + "CHS": "大陆;陆地;洲", + "ENG": "a large mass of land surrounded by sea" + }, + "boil": { + "CHS": "沸腾;汽化;煮沸", + "ENG": "when a liquid boils or when you boil it, it is heated to the point where it forms bubbles and turns to steam or vapour" + }, + "grass": { + "CHS": "草;牧草;草地", + "ENG": "a common wild plant with narrow green leaves and stems that are eaten by cows, horses, sheep, etc." + }, + "first": { + "CHS": "最初", + "ENG": "at the beginning" + }, + "business": { + "CHS": "商业,生意;事务;事务", + "ENG": "the activity of making money by producing or buying and selling goods, or providing services" + }, + "photograph": { + "CHS": "照片,相片", + "ENG": "a picture obtained by using a camera and film that is sensitive to light" + }, + "love": { + "CHS": "爱", + "ENG": "a strong feeling of caring about someone, especially a member of your family or a close friend" + }, + "arrive": { + "CHS": "到达;来临;达到", + "ENG": "to get to the place you are going to" + }, + "novel": { + "CHS": "新的", + "ENG": "not like anything known before, and unusual or interesting" + }, + "forward": { + "CHS": "向前;今后,往后", + "ENG": "towards a place or position that is in front of you" + }, + "nail": { + "CHS": "钉", + "ENG": "to fasten something to something else with nails" + }, + "fail": { + "CHS": "失败;不能;失灵", + "ENG": "to not succeed in achieving something" + }, + "exciting": { + "CHS": "令人兴奋的", + "ENG": "making you feel excited" + }, + "day": { + "CHS": "(一)天;白昼,白天", + "ENG": "a period of 24 hours" + }, + "onto": { + "CHS": "到…上", + "ENG": "used to say that someone or something moves to a position on a surface, area, or object" + }, + "ninety": { + "CHS": "九十,九十个", + "ENG": "the number 90" + }, + "hotel": { + "CHS": "旅馆", + "ENG": "a building where people pay to stay and eat meals" + }, + "build": { + "CHS": "建筑;建立;创立", + "ENG": "to make something, especially a building or something large" + }, + "bosom": { + "CHS": "胸,胸部;内心", + "ENG": "the front part of a woman’s chest" + }, + "face": { + "CHS": "脸;表面", + "ENG": "the front part of your head, where your eyes, nose, and mouth are" + }, + "parent": { + "CHS": "父亲,母亲,双亲", + "ENG": "the father or mother of a person or animal" + }, + "fortune": { + "CHS": "运气;巨款;命运", + "ENG": "chance or luck, and the effect that it has on your life" + }, + "interesting": { + "CHS": "有趣的,引人入胜的", + "ENG": "attracting your attention because it is special, exciting or unusual" + }, + "again": { + "CHS": "又一次;而且", + "ENG": "one more time – used when something has happened or been done before" + }, + "mechanics": { + "CHS": "力学", + "ENG": "the science of movement and force" + }, + "letter": { + "CHS": "信;字母", + "ENG": "a written or printed message that is usually put in an envelope and sent by mail" + }, + "eye": { + "CHS": "眼睛;眼力", + "ENG": "one of the two parts of the body that you use to see with" + }, + "card": { + "CHS": "卡;卡片;名片", + "ENG": "a small piece of plastic or paper containing information about a person or showing, for example, that they belong to a particular organization, club etc" + }, + "bush": { + "CHS": "灌木,灌木丛,矮树", + "ENG": "a plant with many thin branches growing up from the ground" + }, + "reflexion": { + "CHS": "映象;反映;反射", + "ENG": "an image that you can see in a mirror, glass, or water" + }, + "Arabian": { + "CHS": "阿拉伯的", + "ENG": "relating to Arabia or its people" + }, + "basic": { + "CHS": "基本的,基础的", + "ENG": "forming the most important or most necessary part of something" + }, + "director": { + "CHS": "理事;导演;指导者;负责人", + "ENG": "someone who controls or manages a company" + }, + "own": { + "CHS": "有,拥有", + "ENG": "to have something which belongs to you, especially because you have bought it, been given it etc and it is legally yours" + }, + "ampere": { + "CHS": "安培", + "ENG": "a unit used for measuring electric current" + }, + "doubtless": { + "CHS": "无疑地;很可能", + "ENG": "used when saying that something is almost certain to happen or be true" + }, + "cloak": { + "CHS": "斗篷;覆盖(物)", + "ENG": "a warm piece of clothing like a coat without sleeves that hangs loosely from your shoulders" + }, + "mistress": { + "CHS": "女主;夫人", + "ENG": "the female owner of a dog, horse etc" + }, + "housewife": { + "CHS": "家庭主妇", + "ENG": "a married woman who works at home doing the cooking, cleaning etc, but does not have a job outside the house" + }, + "headmaster": { + "CHS": "校长", + "ENG": "a male teacher who is in charge of a school" + }, + "oak": { + "CHS": "栎属植物;栎木,橡木", + "ENG": "a large tree that is common in northern countries, or the hard wood of this tree" + }, + "no": { + "CHS": "没有" + }, + "somebody": { + "CHS": "某人,有人", + "ENG": "used to mean a person, when you do not know, or do not say who the person is" + }, + "rotation": { + "CHS": "旋转,转动", + "ENG": "when something turns with a circular movement around a central point" + }, + "ink": { + "CHS": "墨水,油墨", + "ENG": "a coloured liquid that you use for writing, printing or drawing" + }, + "naughty": { + "CHS": "顽皮的,淘气的", + "ENG": "a naughty child does not obey adults and behaves badly" + }, + "fifth": { + "CHS": "五分之一", + "ENG": "one of five equal parts of something" + }, + "hall": { + "CHS": "门厅;过道;会堂", + "ENG": "the area just inside the door of a house or other building, that leads to other rooms" + }, + "continue": { + "CHS": "继续,连续;延伸", + "ENG": "to not stop happening, existing, or doing something" + }, + "microcomputer": { + "CHS": "微型计算机,微机", + "ENG": "a small computer" + }, + "manage": { + "CHS": "管理;设法;成功应付,对付", + "ENG": "to direct or control a business or department and the people, equipment, and money involved in it" + }, + "realize": { + "CHS": "认识到;实现", + "ENG": "to know and understand something, or suddenly begin to understand it" + }, + "brush": { + "CHS": "刷子,毛刷;画笔", + "ENG": "an object that you use for cleaning, painting, making your hair tidy etc, made with a lot of hairs, bristle s , or thin pieces of plastic, fastened to a handle" + }, + "candle": { + "CHS": "蜡烛", + "ENG": "a stick of wax with a string through the middle, which you burn to give light" + }, + "eventually": { + "CHS": "终于;最后", + "ENG": "after a long time, or after a lot of things have happened" + }, + "glad": { + "CHS": "高兴的;乐意的", + "ENG": "pleased and happy about something" + }, + "dog": { + "CHS": "狗,犬;犬科动物", + "ENG": "a common animal with four legs, fur, and a tail. Dogs are kept as pets or trained to guard places, find drugs etc." + }, + "automation": { + "CHS": "自动,自动化", + "ENG": "the use of computers and machines instead of people to do a job" + }, + "huge": { + "CHS": "巨大的,庞大的", + "ENG": "extremely large in size, amount, or degree" + }, + "few": { + "CHS": "很少的;少数的", + "ENG": "not many or hardly any people or things" + }, + "angel": { + "CHS": "天使;安琪儿,天使〔指仁慈、善良或美丽的人〕", + "ENG": "a spirit who is God’s servant in heaven, and who is often shown as a person dressed in white with wings" + }, + "handsome": { + "CHS": "英俊的;相当大的", + "ENG": "a man who is handsome looks attractive" + }, + "class": { + "CHS": "班,班级;阶级;等级", + "ENG": "a group of students who are taught together" + }, + "nation": { + "CHS": "国家;民族", + "ENG": "a country, considered especially in relation to its people and its social or economic structure" + }, + "port": { + "CHS": "港,港口", + "ENG": "a place where ships can be loaded and unloaded" + }, + "message": { + "CHS": "信息,消息;启示,要旨,寓意", + "ENG": "a spoken or written piece of information that you send to another person or leave for them" + }, + "black": { + "CHS": "黑色的;黑暗的", + "ENG": "having the darkest colour, like coal or night" + }, + "lend": { + "CHS": "把…借给;贷(款)", + "ENG": "to let someone borrow money or something that belongs to you for a short time" + }, + "sail": { + "CHS": "航行", + "ENG": "to travel on or across an area of water in a boat or ship" + }, + "France": { + "CHS": "法国,法兰西" + }, + "cafeteria": { + "CHS": "自助食堂", + "ENG": "a restaurant, often in a factory, college etc, where you choose from foods that have already been cooked and carry your own food to a table" + }, + "joy": { + "CHS": "欢乐,喜悦;乐事", + "ENG": "great happiness and pleasure" + }, + "repeat": { + "CHS": "重演,重现", + "ENG": "an event that is very like something that happened before" + }, + "fence": { + "CHS": "栅栏", + "ENG": "a structure made of wood, metal etc that surrounds a piece of land" + }, + "necessary": { + "CHS": "必要的;必然的", + "ENG": "something that is necessary is what you need to have or need to do" + }, + "read": { + "CHS": "读,看懂", + "ENG": "to look at written words and understand what they mean" + }, + "and": { + "CHS": "和,又,并;则,那么", + "ENG": "used to join two words, phrases etc referring to things that are related in some way" + }, + "passenger": { + "CHS": "乘客,旅客", + "ENG": "someone who is travelling in a vehicle, plane, boat etc, but is not driving it or working on it" + }, + "feeble": { + "CHS": "虚弱的;微弱的", + "ENG": "extremely weak" + }, + "kind": { + "CHS": "种类", + "ENG": "one of the different types of a person or thing that belong to the same group" + }, + "lighten": { + "CHS": "照亮,使明亮", + "ENG": "to become brighter or less dark, or to make something brighter etc" + }, + "hot": { + "CHS": "热的;刺激的;辣的", + "ENG": "something that is hot has a high temperature - used about weather, places, food, drink, or objects" + }, + "hasty": { + "CHS": "急速的;仓促的", + "ENG": "Done with excessive speed or urgency; hurried" + }, + "able": { + "CHS": "有能力的;出色的", + "ENG": "to have the skill, strength, knowledge etc needed to do something" + }, + "drive": { + "CHS": "驾驶;打入;驱", + "ENG": "to make a car, truck, bus etc move along" + }, + "eleventh": { + "CHS": "第十一(个)", + "ENG": "coming after ten other things in a series" + }, + "friction": { + "CHS": "摩擦;摩擦力", + "ENG": "disagreement, angry feelings, or unfriendliness between people" + }, + "old": { + "CHS": "老的;…岁的", + "ENG": "someone who is old has lived for a very long time" + }, + "night": { + "CHS": "夜,夜间", + "ENG": "the dark part of each 24-hour period when the sun cannot be seen and when most people sleep" + }, + "joyful": { + "CHS": "十分喜悦的,快乐的", + "ENG": "very happy, or likely to make people very happy" + }, + "full": { + "CHS": "满的;完全的", + "ENG": "containing as much or as many things or people as possible, so there is no space left" + }, + "foot": { + "CHS": "脚;最下部;英尺", + "ENG": "the part of your body that you stand on and walk on" + }, + "movie": { + "CHS": "电影;电影院", + "ENG": "a film made to be shown at the cinema or on television" + }, + "although": { + "CHS": "尽管,虽然", + "ENG": "used to introduce a statement that makes your main statement seem surprising or unlikely" + }, + "jam": { + "CHS": "果酱", + "ENG": "a thick sweet substance made from boiled fruit and sugar, eaten especially on bread" + }, + "mutton": { + "CHS": "羊肉", + "ENG": "the meat from a sheep" + }, + "pot": { + "CHS": "锅;壶,罐,盆", + "ENG": "a deep round container used for cooking things in" + }, + "language": { + "CHS": "语言;语言课程", + "ENG": "a system of communication by written or spoken words, which is used by the people of a particular country or area" + }, + "wire": { + "CHS": "金属线;电缆", + "ENG": "thin metal in the form of a thread, or a piece of this" + }, + "lunch": { + "CHS": "午餐,(美)便餐", + "ENG": "a meal eaten in the middle of the day" + }, + "form": { + "CHS": "形成", + "ENG": "to start to exist, or make something start to exist, especially as the result of a natural process" + }, + "death": { + "CHS": "死,死亡;灭亡", + "ENG": "a creature that looks like a human skeleton , used in paintings, stories etc to represent the fact that people die" + }, + "host": { + "CHS": "主人;东道主", + "ENG": "someone at a party, meal etc who has invited the guests and who provides the food, drink etc" + }, + "pork": { + "CHS": "猪肉", + "ENG": "the meat from pigs" + }, + "expect": { + "CHS": "预料,预期;等待", + "ENG": "to think that something will happen because it seems likely or has been planned" + }, + "exclusively": { + "CHS": "专门地", + "ENG": "to refer to situations or activities that involve only the thing or things mentioned, and nothing else" + }, + "noble": { + "CHS": "贵族的;高尚的", + "ENG": "belonging to the nobility" + }, + "sweep": { + "CHS": "扫;刮起;扫过", + "ENG": "to clean the dust, dirt etc from the floor or ground, using a brush with a long handle" + }, + "countryside": { + "CHS": "乡下,农村", + "ENG": "land that is outside cities and towns" + }, + "miss": { + "CHS": "小姐", + "ENG": "used in front of the family name of a woman who is not married to address her politely, to write to her, or to talk about her" + }, + "hundred": { + "CHS": "许多", + "ENG": "a very large number of things or people" + }, + "fool": { + "CHS": "欺骗", + "ENG": "to trick someone into believing something that is not true" + }, + "attentive": { + "CHS": "注意的;有礼貌的", + "ENG": "listening to or watching someone carefully because you are interested" + }, + "anybody": { + "CHS": "任何人", + "ENG": "anyone" + }, + "depth": { + "CHS": "深度;深厚;深处", + "ENG": "the distance from the top or surface to the bottom of sth" + }, + "tire": { + "CHS": "疲劳,累;厌倦", + "ENG": "to start to feel tired, or make someone feel tired" + }, + "God": { + "CHS": "神,神像;上帝", + "ENG": "(in some religions) a being or spirit who is believed to have power over a particular part of nature or who is believed to represent a particular quality" + }, + "habit": { + "CHS": "习惯;习性", + "ENG": "something that you do regularly or usually, often without thinking about it because you have done it so many times before" + }, + "dare": { + "CHS": "敢;竟敢", + "ENG": "to be brave enough to do something that is risky or that you are afraid to do – used especially in questions or negative sentences" + }, + "odour": { + "CHS": "气味,味道", + "ENG": "a smell, especially an unpleasant one" + }, + "enter": { + "CHS": "走进,进入;参加", + "ENG": "to come or go into sth" + }, + "introduce": { + "CHS": "介绍;引进;传入", + "ENG": "if you introduce someone to another person, you tell them each other’s names for the first time" + }, + "pool": { + "CHS": "游泳池;水塘,水池", + "ENG": "a hole or container that has been specially made and filled with water so that people can swim or play in it" + }, + "daring": { + "CHS": "大胆的,勇敢的", + "ENG": "involving a lot of risk or danger, or brave enough to do risky things" + }, + "telegram": { + "CHS": "电报", + "ENG": "a message sent by telegraph" + }, + "lifetime": { + "CHS": "一生,终身", + "ENG": "the period of time during which someone is alive or something exists" + }, + "control": { + "CHS": "控制", + "ENG": "the ability or power to make someone or something do what you want or make something happen in the way you want" + }, + "bronze": { + "CHS": "青铜;青铜制品", + "ENG": "a hard metal that is a mixture of copper and tin" + }, + "lab": { + "CHS": "实验室,研究室", + "ENG": "a laboratory" + }, + "disable": { + "CHS": "使无能,使伤残", + "ENG": "to make someone unable to use a part of their body properly" + }, + "gate": { + "CHS": "大门;篱笆门", + "ENG": "the part of a fence or outside wall that you can open and close so that you can enter or leave a place" + }, + "seed": { + "CHS": "种(子),籽;起因,萌芽", + "ENG": "one of the small hard objects in a fruit such as an apple or orange, from which new fruit trees grow" + }, + "concert": { + "CHS": "音乐会,演奏会", + "ENG": "a performance given by musicians or singers" + }, + "celebrate": { + "CHS": "庆祝;歌颂,赞美", + "ENG": "to show that an event or occasion is important by doing something special or enjoyable" + }, + "prisoner": { + "CHS": "囚犯", + "ENG": "someone who is kept in a prison as a legal punishment for a crime or while they are waiting for their trial" + }, + "princess": { + "CHS": "公主;王妃", + "ENG": "a close female relation of a king and queen, especially a daughter" + }, + "ill": { + "CHS": "恶劣地;讨厌地", + "ENG": "badly or in an unpleasant way" + }, + "comrade": { + "CHS": "亲密的同伴;同志", + "ENG": "a friend, especially someone who shares difficult work or danger" + }, + "problem": { + "CHS": "问题;习题,问题", + "ENG": "a situation that causes difficulties" + }, + "enough": { + "CHS": "足够地", + "ENG": "to the necessary degree" + }, + "bath": { + "CHS": "浴,洗澡;浴缸", + "ENG": "an act of washing your whole body by sitting or lying in water" + }, + "inside": { + "CHS": "内部", + "ENG": "the inner part of something, which is surrounded or hidden by the outer part" + }, + "oh": { + "CHS": "嗬,哦,唉呀", + "ENG": "used when you want to get someone’s attention or continue what you are saying" + }, + "talk": { + "CHS": "讲话;谈论", + "ENG": "to say things; to speak in order to give information or to express feelings, ideas, etc." + }, + "ever": { + "CHS": "在任何时候;曾经", + "ENG": "used in negative sentences and questions, or sentences with if to mean ‘at any time’" + }, + "deduce": { + "CHS": "演绎,推论,推断", + "ENG": "to use the knowledge and information you have in order to understand something or form an opinion about it" + }, + "angry": { + "CHS": "愤怒的,生气的", + "ENG": "feeling strong emotions which make you want to shout at someone or hurt them because they have behaved in an unfair, cruel, offensive etc way, or because you think that a situation is unfair, unacceptable etc" + }, + "Asian": { + "CHS": "亚洲人", + "ENG": "someone from Asia, or whose family originally came from Asia, especially India or Pakistan" + }, + "dress": { + "CHS": "服装", + "ENG": "clothes for men or women of a particular type or for a particular occasion" + }, + "inefficient": { + "CHS": "效率低的,无能的", + "ENG": "not using time, money, energy etc in the best way" + }, + "mouthful": { + "CHS": "满口,一口", + "ENG": "an amount of food or drink that you put into your mouth at one time" + }, + "hospital": { + "CHS": "医院", + "ENG": "a large building where sick or injured people receive medical treatment" + }, + "probability": { + "CHS": "可能性;概率", + "ENG": "how likely something is, sometimes calculated in a mathematical way" + }, + "each": { + "CHS": "各,各自", + "ENG": "used to refer to every one of two or more people or things, when you are thinking about them separately" + }, + "asleep": { + "CHS": "睡着的,睡熟的", + "ENG": "sleeping" + }, + "possible": { + "CHS": "可能的;可能存在的", + "ENG": "if something is possible, it can be done or achieved" + }, + "hostess": { + "CHS": "女主人", + "ENG": "a woman at a party, meal etc who has invited all the guests and provides them with food, drink etc" + }, + "cathedral": { + "CHS": "总教堂;大教堂", + "ENG": "the main church of a particular area under the control of a bishop" + }, + "might": { + "CHS": "可能,会,也许", + "ENG": "if something might happen or might be true, there is a possibility that it may happen or may be true, but you are not at all certain" + }, + "ox": { + "CHS": "阉牛;牛;公牛", + "ENG": "a bull whose sex organs have been removed, often used for working on farms" + }, + "fellow": { + "CHS": "家伙;伙伴", + "ENG": "a man" + }, + "brown": { + "CHS": "褐色,棕色", + "ENG": "the colour of earth, wood, or coffee" + }, + "blind": { + "CHS": "瞎的;盲目的", + "ENG": "not able to see" + }, + "must": { + "CHS": "必须;必然要", + "ENG": "to have to do something because it is necessary or important, or because of a law or order" + }, + "importance": { + "CHS": "重要;重要性", + "ENG": "the quality of being important" + }, + "cap": { + "CHS": "帽子,便帽;帽状物", + "ENG": "a covering that fits very closely to your head" + }, + "captain": { + "CHS": "陆军上尉;队长", + "ENG": "a military officer with a fairly high rank" + }, + "mistake": { + "CHS": "误解,弄错", + "ENG": "to understand something wrongly" + }, + "crazy": { + "CHS": "疯狂的,荒唐的", + "ENG": "very strange or not sensible" + }, + "pay": { + "CHS": "支付;付给;给予", + "ENG": "to give someone money for something you buy or for a service" + }, + "lonely": { + "CHS": "孤独的;荒凉的", + "ENG": "unhappy because you are alone or do not have anyone to talk to" + }, + "corn": { + "CHS": "谷物;(英)小麦", + "ENG": "plants such as wheat, barley , and oats or their seeds" + }, + "field": { + "CHS": "田野;田;运动场", + "ENG": "an area of land in the country, especially one where crops are grown or animals feed on grass" + }, + "future": { + "CHS": "将来,未来;前途", + "ENG": "the time after the present" + }, + "brittle": { + "CHS": "脆的;易损坏的", + "ENG": "hard but easily broken" + }, + "about": { + "CHS": "关于;在…周围", + "ENG": "concerning or relating to a particular subject" + }, + "mourn": { + "CHS": "哀痛,哀悼", + "ENG": "to feel very sad and to miss someone after they have died" + }, + "choice": { + "CHS": "选择,抉择", + "ENG": "an act of choosing between two or more possibilities; something that you can choose" + }, + "foreigner": { + "CHS": "外国人", + "ENG": "someone who comes from a different country" + }, + "protect": { + "CHS": "保护,保卫,警戒", + "ENG": "to keep someone or something safe from harm, damage, or illness" + }, + "deep": { + "CHS": "深的;纵深的", + "ENG": "going far down from the top or from the surface" + }, + "storey": { + "CHS": "(层)楼", + "ENG": "a floor or level of a building" + }, + "willing": { + "CHS": "愿意的,心甘情愿的", + "ENG": "prepared to do something, or having no reason to not want to do it" + }, + "quarter": { + "CHS": "四分之一;一刻钟", + "ENG": "one of four equal parts into which something can be divided" + }, + "lightly": { + "CHS": "轻轻地,轻松地", + "ENG": "with only a small amount of weight or force" + }, + "case": { + "CHS": "情况;病例;事实", + "ENG": "a particular situation or a situation of a particular type" + }, + "overcoat": { + "CHS": "外衣,大衣", + "ENG": "a long thick warm coat" + }, + "beauty": { + "CHS": "美,美丽;美人", + "ENG": "a quality that people, places, or things have that makes them very attractive to look at" + }, + "painting": { + "CHS": "油画;绘画;着色", + "ENG": "a picture that has been painted" + }, + "drown": { + "CHS": "淹死,溺死", + "ENG": "to die from being under water for too long, or to kill someone in this way" + }, + "nap": { + "CHS": "小睡,打盹,瞌睡", + "ENG": "a short sleep, especially during the day" + }, + "company": { + "CHS": "公司,商号;同伴", + "ENG": "a business organization that makes or sells goods or services" + }, + "computer": { + "CHS": "计算机,电脑", + "ENG": "an electronic machine that stores information and uses programs to help you find, organize, or change the information" + }, + "transformer": { + "CHS": "变压器", + "ENG": "a piece of equipment for changing electricity from one voltage to another" + }, + "regard": { + "CHS": "把…看作", + "ENG": "to think about someone or something in a particular way" + }, + "height": { + "CHS": "高,高度;高处", + "ENG": "how tall someone or something is" + }, + "bit": { + "CHS": "一点,一些,小片", + "ENG": "a small piece of something" + }, + "imprison": { + "CHS": "关押,监禁;限制", + "ENG": "to put someone in prison or to keep them somewhere and prevent them from leaving" + }, + "carve": { + "CHS": "刻,雕刻;切开", + "ENG": "to make an object or pattern by cutting a piece of wood or stone" + }, + "practice": { + "CHS": "练习;实践;业务", + "ENG": "doing an activity or training regularly so that you can improve your skill" + }, + "rapid": { + "CHS": "快的", + "ENG": "happening or done very quickly and in a very short time" + }, + "mortal": { + "CHS": "终有一死的;致死的", + "ENG": "not able to live for ever" + }, + "iron": { + "CHS": "烫(衣)", + "ENG": "to make clothes, etc. smooth by using an iron" + }, + "China": { + "CHS": "中国", + "ENG": "the People's Republic of China" + }, + "bull": { + "CHS": "公牛;雄的象", + "ENG": "an adult male animal of the cattle family" + }, + "newspaper": { + "CHS": "报纸,报", + "ENG": "a set of large folded sheets of printed paper containing news, articles, pictures, advertisements etc which is sold daily or weekly" + }, + "pencil": { + "CHS": "铅笔", + "ENG": "an instrument that you use for writing or drawing, consisting of a wooden stick with a thin piece of a black or coloured substance in the middle" + }, + "courage": { + "CHS": "勇气,胆量,胆识", + "ENG": "the quality of being brave when you are facing a difficult or dangerous situation or when you are very ill" + }, + "place": { + "CHS": "地方,地点;住所", + "ENG": "a space or area, for example a particular point on a surface or in a room, building, town, city etc" + }, + "joke": { + "CHS": "说笑话", + "ENG": "to say things that are intended to be funny and that you do not really mean" + }, + "sheet": { + "CHS": "被单;纸张;薄板", + "ENG": "a large piece of thin cloth that you put on a bed to lie on or lie under" + }, + "melon": { + "CHS": "瓜,甜瓜", + "ENG": "a large round fruit with sweet juicy flesh" + }, + "cucumber": { + "CHS": "黄瓜", + "ENG": "a long thin round vegetable with a dark green skin and a light green inside, usually eaten raw" + }, + "less": { + "CHS": "更少地", + "ENG": "not so much or to a smaller degree" + }, + "peace": { + "CHS": "和平;平静;和睦", + "ENG": "a situation or a period of time in which there is no war or violence in a country or an area" + }, + "once": { + "CHS": "一次;曾经", + "ENG": "on one occasion only" + }, + "bus": { + "CHS": "公共汽车", + "ENG": "a large vehicle that people pay to travel on" + }, + "husband": { + "CHS": "丈夫", + "ENG": "the man that a woman is married to" + }, + "haircut": { + "CHS": "理发", + "ENG": "when you have a haircut, someone cuts your hair for you" + }, + "kiss": { + "CHS": "吻", + "ENG": "an act of kissing" + }, + "pet": { + "CHS": "爱畜;宠儿", + "ENG": "an animal such as a cat or a dog which you keep and care for at home" + }, + "cordial": { + "CHS": "真诚的,诚恳的", + "ENG": "friendly but quite polite and formal" + }, + "bright": { + "CHS": "明亮的;聪明的", + "ENG": "shining strongly, or with plenty of light" + }, + "pride": { + "CHS": "自夸", + "ENG": "to be especially proud of something that you do well, or of a good quality that you have" + }, + "find": { + "CHS": "找到;找出;发觉", + "ENG": "to get back sth/sb that was lost after searching for it/them" + }, + "overtime": { + "CHS": "加班;加班的时间", + "ENG": "time that you spend working at your job after you have worked the normal hours" + }, + "nasty": { + "CHS": "龌龊的;淫猥的", + "ENG": "offensive; in bad taste" + }, + "outdoor": { + "CHS": "户外的,室外的", + "ENG": "existing, happening, or used outside, not inside a building" + }, + "heaven": { + "CHS": "天堂;天,天空", + "ENG": "the place where God is believed to live and where good people are believed to go when they die" + }, + "medicine": { + "CHS": "内服药;医学", + "ENG": "a substance used for treating illness, especially a liquid you drink" + }, + "Europe": { + "CHS": "欧洲", + "ENG": "the continent that is north of the Mediterranean and goes as far east as the Ural Mountains in Russia" + }, + "examine": { + "CHS": "检查,仔细观察", + "ENG": "to look at something carefully and thoroughly because you want to find out more about it" + }, + "silence": { + "CHS": "使沉默", + "ENG": "to make someone stop talking, or stop something making a noise" + }, + "reliability": { + "CHS": "可靠性", + "ENG": "the trait of being dependable or reliable" + }, + "granddaughter": { + "CHS": "孙女,外孙女", + "ENG": "the daughter of your son or daughter" + }, + "fortunate": { + "CHS": "幸运的;侥幸的", + "ENG": "someone who is fortunate has something good happen to them, or is in a good situation" + }, + "ear": { + "CHS": "耳朵;听力,听觉", + "ENG": "one of the organs on either side of your head that you hear with" + }, + "actual": { + "CHS": "实际的", + "ENG": "used to emphasize that something is real or exact" + }, + "after": { + "CHS": "在…以后;次于", + "ENG": "next to and following sb/sth in order or importance" + }, + "plough": { + "CHS": "犁,耕", + "ENG": "to turn over the earth using a plough so that seeds can be planted" + }, + "perhaps": { + "CHS": "也许,可能,多半", + "ENG": "used to say that something may be true, but you are not sure" + }, + "cent": { + "CHS": "分;分币", + "ENG": "1/100th of the standard unit of money in some countries. For example, there are 100 cents in one dollar or in one euro : symbol ¢." + }, + "either": { + "CHS": "(两者)任何一个", + "ENG": "one or the other of two; it does not matter which" + }, + "Atlantic": { + "CHS": "大西洋", + "ENG": "Atlantic Ocean" + }, + "actor": { + "CHS": "演剧的人", + "ENG": "someone who performs in a play or film" + }, + "fever": { + "CHS": "发热,发烧;狂热", + "ENG": "an illness or a medical condition in which you have a very high temperature" + }, + "mostly": { + "CHS": "主要的,大部分", + "ENG": "used to talk about most members of a group, most occasions, most parts of something etc" + }, + "player": { + "CHS": "游戏的人;比赛者", + "ENG": "a person who takes part in a game or sport" + }, + "experience": { + "CHS": "经验,感受;经历", + "ENG": "knowledge or skill that you gain from doing a job or activity, or the process of doing this" + }, + "perfect": { + "CHS": "完美的;完全的", + "ENG": "not having any mistakes, faults, or damage" + }, + "better": { + "CHS": "更好地", + "ENG": "to a higher standard or quality" + }, + "exit": { + "CHS": "退出", + "ENG": "to finish using a computer program" + }, + "chairman": { + "CHS": "主席;议长,会长", + "ENG": "someone, especially a man, who is in charge of a meeting or directs the work of a committee or an organization" + }, + "below": { + "CHS": "在…下面(以下)", + "ENG": "at or to a lower level or position than sb/sth" + }, + "over": { + "CHS": "在…上方;超过", + "ENG": "above or higher than something, without touching it" + }, + "conversation": { + "CHS": "会话,非正式会谈", + "ENG": "an informal talk in which people exchange news, feelings, and thoughts" + }, + "factory": { + "CHS": "工厂,制造厂", + "ENG": "a building or group of buildings in which goods are produced in large quantities, using machines" + }, + "cherry": { + "CHS": "樱桃;樱桃树", + "ENG": "a small round red or black fruit with a long thin stem and a stone in the middle" + }, + "else": { + "CHS": "别的", + "ENG": "different" + }, + "mouse": { + "CHS": "鼠,耗子", + "ENG": "a small furry animal with a pointed nose and a long tail that lives in people’s houses or in fields" + }, + "disk": { + "CHS": "圆盘,唱片;磁盘", + "ENG": "(<英> disc)a small flat piece of plastic or metal which is used for storing computer or electronic information" + }, + "dark": { + "CHS": "暗的;黑色的", + "ENG": "with no or very little light, especially because it is night" + }, + "hang": { + "CHS": "挂,悬;吊死", + "ENG": "to attach sth, or to be attached, at the top so that the lower part is free or loose" + }, + "pacific": { + "CHS": "太平洋", + "ENG": "Pacific Ocean" + }, + "against": { + "CHS": "倚在;逆,对着", + "ENG": "next to and touching an upright surface, especially for support" + }, + "blood": { + "CHS": "血,血液;血统", + "ENG": "the red liquid that your heart pumps around your body" + }, + "life": { + "CHS": "生命;一生;寿命", + "ENG": "the period of time when someone is alive" + }, + "cannon": { + "CHS": "大炮,火炮;榴弹炮", + "ENG": "a large heavy powerful gun that was used in the past to fire heavy metal balls" + }, + "evening": { + "CHS": "傍晚,黄昏,晚上", + "ENG": "the early part of the night between the end of the day and the time you go to bed" + }, + "ceiling": { + "CHS": "天花板,顶蓬", + "ENG": "the inner surface of the top part of a room" + }, + "just": { + "CHS": "正好;只是;刚才", + "ENG": "exactly" + }, + "mercury": { + "CHS": "水银,汞", + "ENG": "Mercury is a silver-coloured liquid metal that is used especially in thermometers and barometers" + }, + "materialism": { + "CHS": "唯物主义", + "ENG": "the belief that only physical things really exist" + }, + "let": { + "CHS": "允许,让;使", + "ENG": "to allow someone to do something" + }, + "darling": { + "CHS": "亲爱的人;宠儿", + "ENG": "used when speaking to someone you love" + }, + "head": { + "CHS": "率领", + "ENG": "to be in charge of a team, government, organization etc" + }, + "fifty": { + "CHS": "五十,五十个", + "ENG": "the number 50" + }, + "people": { + "CHS": "人;人民,民族", + "ENG": "used as the plural of ‘person’ to refer to men, women, and children" + }, + "indignant": { + "CHS": "愤慨的,义愤的", + "ENG": "angry and surprised because you feel insulted or unfairly treated" + }, + "around": { + "CHS": "在…周围", + "ENG": "surrounding or on all sides of something or someone" + }, + "everybody": { + "CHS": "每人,人人", + "ENG": "everyone" + }, + "England": { + "CHS": "英格兰;英国", + "ENG": "a division of the United Kingdom" + }, + "sportsman": { + "CHS": "运动员", + "ENG": "a man who plays several different sports" + }, + "agree": { + "CHS": "同意;持相同意见", + "ENG": "to have or express the same opinion about something as someone else" + }, + "ray": { + "CHS": "光线;射线,辐射线", + "ENG": "a straight narrow beam of light from the sun or moon" + }, + "thread": { + "CHS": "线;丝;螺纹;头绪", + "ENG": "a long thin string of cotton, silk etc used to sew or weave cloth" + }, + "across": { + "CHS": "横过;在…对面", + "ENG": "from one side to the other side of sth" + }, + "landlady": { + "CHS": "女房东;女地主", + "ENG": "a woman who rents a room, building, or piece of land to someone" + }, + "attend": { + "CHS": "出席;照顾,护理", + "ENG": "to go to an event such as a meeting or a class" + }, + "cover": { + "CHS": "盖子", + "ENG": "a thing that is put over or on another thing, usually to protect it or to decorate it" + }, + "push": { + "CHS": "推;鼓励;敦促;逼迫", + "ENG": "to make someone or something move by pressing them with your hands, arms etc" + }, + "light": { + "CHS": "轻的;少量的", + "ENG": "not very heavy" + }, + "make": { + "CHS": "做,制造;使", + "ENG": "to produce something, for example by putting the different parts of it together" + }, + "wind": { + "CHS": "绕,缠绕", + "ENG": "to turn or twist something several times around something else" + }, + "blaze": { + "CHS": "燃烧", + "ENG": "to burn very brightly and strongly" + }, + "cloudy": { + "CHS": "多云的;云一般的", + "ENG": "a cloudy sky, day etc is dark because there are a lot of clouds" + }, + "grandson": { + "CHS": "孙子,外孙子", + "ENG": "the son of your son or daughter" + }, + "feeling": { + "CHS": "感觉,知觉;感情", + "ENG": "an emotion that you feel, such as anger, sadness, or happiness" + }, + "race": { + "CHS": "比赛,竞赛,竞争", + "ENG": "a situation in which one group of people tries to obtain or achieve something before another group does" + }, + "drug": { + "CHS": "药,药物,药材", + "ENG": "a medicine, or a substance for making medicines" + }, + "listen": { + "CHS": "听,留神听;听从", + "ENG": "to pay attention to what someone is saying or to a sound that you can hear" + }, + "murderer": { + "CHS": "杀人犯,凶手", + "ENG": "someone who murders another person" + }, + "lesson": { + "CHS": "功课,课;课程", + "ENG": "a period of time in which someone is taught a particular skill, for example how to play a musical instrument or drive a car" + }, + "butter": { + "CHS": "黄油;奶油", + "ENG": "a soft yellow food made from cream or milk, used in cooking and for spreading on bread" + }, + "middle": { + "CHS": "中部的", + "ENG": "half of the way through an event or period of time" + }, + "million": { + "CHS": "许多", + "ENG": "an extremely large number of people or things" + }, + "know": { + "CHS": "知道;认识;通晓", + "ENG": "to have information about something" + }, + "wheel": { + "CHS": "轮,车轮", + "ENG": "one of the round things under a car, bus, bicycle etc that turns when it moves" + }, + "hole": { + "CHS": "洞;孔眼;裂开处", + "ENG": "an empty space in something solid" + }, + "refer": { + "CHS": "谈到", + "ENG": "to mention or speak about sb/sth" + }, + "velocity": { + "CHS": "速度", + "ENG": "the speed of something that is moving in a particular direction" + }, + "bone": { + "CHS": "骨,骨骼", + "ENG": "one of the hard parts that together form the frame of a human, animal, or fish body" + }, + "want": { + "CHS": "需要;缺乏", + "ENG": "something that you need or want" + }, + "examination": { + "CHS": "考试;检查,细查", + "ENG": "a spoken or written test of knowledge, especially an important one" + }, + "heroine": { + "CHS": "女英雄;女主角", + "ENG": "a woman who is admired for doing something extremely brave" + }, + "cricket": { + "CHS": "板球;蟋蟀", + "ENG": "a game between two teams of 11 players in which players try to get points by hitting a ball and running between two sets of three sticks" + }, + "structural": { + "CHS": "结构的,构造的", + "ENG": "connected with the structure of something" + }, + "shore": { + "CHS": "滨,岸", + "ENG": "the land along the edge of a large area of water such as an ocean or lake" + }, + "autumn": { + "CHS": "秋,秋季", + "ENG": "the season between summer and winter, when leaves change colour and the weather becomes cooler" + }, + "question": { + "CHS": "问题;疑问", + "ENG": "a sentence, phrase or word that asks for information" + }, + "front": { + "CHS": "前部", + "ENG": "the part of something that is furthest forward in the direction that it is facing or moving" + }, + "broadcast": { + "CHS": "广播,播音", + "ENG": "a programme on the radio or on television" + }, + "investigation": { + "CHS": "调查,调查研究", + "ENG": "an official attempt to find out the truth about or the cause of something such as a crime, accident, or scientific problem" + }, + "boat": { + "CHS": "小船,艇", + "ENG": "a vehicle that travels across water" + }, + "agony": { + "CHS": "极度痛苦", + "ENG": "very severe pain" + }, + "communism": { + "CHS": "共产主义", + "ENG": "a political system in which the government controls the production of all food and goods, and there is no privately owned property" + }, + "not": { + "CHS": "不,没有", + "ENG": "used to make a word, statement, or question negative" + }, + "maybe": { + "CHS": "大概,或许;也许", + "ENG": "used to say that something may happen or may be true but you are not certain" + } +} \ No newline at end of file diff --git a/modules/self_contained/wordle/words/CET6.json b/modules/self_contained/wordle/words/CET6.json new file mode 100644 index 00000000..a2ca8dcd --- /dev/null +++ b/modules/self_contained/wordle/words/CET6.json @@ -0,0 +1,11824 @@ +{ + "consistent": { + "CHS": "一致的", + "ENG": "always behaving in the same way or having the same attitudes, standards etc – usually used to show approval" + }, + "battery": { + "CHS": "电池", + "ENG": "an object that provides a supply of electricity for something such as a radio, car, or toy" + }, + "competent": { + "CHS": "能胜任的,有能力的", + "ENG": "having enough skill or knowledge to do something to a satisfactory standard" + }, + "preserve": { + "CHS": "保存,保护", + "ENG": "to save something or someone from being harmed or destroyed" + }, + "possession": { + "CHS": "拥有", + "ENG": "if something is in your possession, you own it, or you have obtained it from somewhere" + }, + "proximately": { + "CHS": "近似,接近" + }, + "wildfire": { + "CHS": "野火", + "ENG": "a fire that moves quickly and cannot be controlled" + }, + "compact": { + "CHS": "紧密的,紧凑的", + "ENG": "packed or put together firmly and closely" + }, + "defy": { + "CHS": "违背,违抗", + "ENG": "to refuse to obey a law or rule, or refuse to do what someone in authority tells you to do" + }, + "absolutely": { + "CHS": "当然", + "ENG": "used to say that you completely agree with someone" + }, + "filter": { + "CHS": "过滤", + "ENG": "to remove unwanted substances from water, air etc by passing it through a special substance or piece of equipment" + }, + "server": { + "CHS": "服务器", + "ENG": "one of the computers on a network that provides a special service" + }, + "spoil": { + "CHS": "溺爱", + "ENG": "to give a child everything they want, or let them do whatever they want, often with the result that they behave badly" + }, + "rustle": { + "CHS": "发出沙沙声", + "ENG": "if leaves, papers, clothes etc rustle, or if you rustle them, they make a noise as they rub against each other" + }, + "diversion": { + "CHS": "转移;娱乐", + "ENG": "a change in the direction or use of something, or the act of changing it" + }, + "complaint": { + "CHS": "抱怨,投诉", + "ENG": "a statement in which someone complains about something" + }, + "merge": { + "CHS": "合并", + "ENG": "to combine, or to join things together to form one thing" + }, + "priceless": { + "CHS": "无价的,难以用价格衡量的", + "ENG": "extremely valuable" + }, + "honorary": { + "CHS": "荣誉的", + "ENG": "an honorary title, rank, or university degree is given to someone as an honour" + }, + "chronic": { + "CHS": "长期的;慢性的", + "ENG": "a chronic disease or illness is one that continues for a long time and cannot be cured" + }, + "extracurricular": { + "CHS": "课外的", + "ENG": "extracurricular activities are not part of the course that a student is doing at a school or college" + }, + "lobby": { + "CHS": "游说", + "ENG": "an attempt to persuade a government to change a law, make a new law etc" + }, + "inexhaustible": { + "CHS": "用不完的,无穷无尽的", + "ENG": "something that is inexhaustible exists in such large amounts that it can never be finished or used up" + }, + "inevitable": { + "CHS": "不可避免的", + "ENG": "certain to happen and impossible to avoid" + }, + "contamination": { + "CHS": "污染", + "ENG": "the action or state of making or being made impure by polluting or poisoning" + }, + "suspend": { + "CHS": "暂停", + "ENG": "to officially stop something from continuing, especially for a short time" + }, + "imminent": { + "CHS": "即将来临的", + "ENG": "an event that is imminent, especially an unpleasant one, will happen very soon" + }, + "obesity": { + "CHS": "肥胖", + "ENG": "when someone is very fat in a way that is unhealthy" + }, + "aid": { + "CHS": "援助,有助于", + "ENG": "to help someone do something" + }, + "solution": { + "CHS": "解决,解决方法;溶液", + "ENG": "a way of solving a problem or dealing with a difficult situation" + }, + "tuition": { + "CHS": "学费", + "ENG": "the money you pay for being taught" + }, + "esteem": { + "CHS": "尊重", + "ENG": "to respect and admire someone or something" + }, + "purchase": { + "CHS": "购买", + "ENG": "something you buy, or the act of buying it" + }, + "incorporate": { + "CHS": "合并", + "ENG": "to include something as part of a group, system, plan etc" + }, + "prevail": { + "CHS": "流行,普遍", + "ENG": "if a belief, custom, situation etc prevails, it exists among a group of people at a certain time" + }, + "irrational": { + "CHS": "不合理的,不理性的", + "ENG": "not based on clear thought or reason" + }, + "inherent": { + "CHS": "固有的", + "ENG": "a quality that is inherent in something is a natural part of it and cannot be separated from it" + }, + "overexcited": { + "CHS": "过于激烈的", + "ENG": "someone who is overexcited is very excited and not behaving sensibly" + }, + "preference": { + "CHS": "偏爱", + "ENG": "if you have a preference for something, you like it more than another thing and will choose it if you can" + }, + "evolution": { + "CHS": "演变;发展;进化", + "ENG": "the gradual change and development of an idea, situation, or object" + }, + "exotic": { + "CHS": "异域的,外国的", + "ENG": "something that is exotic seems unusual and interesting because it is related to a foreign country – use this to show approval" + }, + "stockbroker": { + "CHS": "股票经理人", + "ENG": "a person or organization whose job is to buy and sell shares, bonds etc for people" + }, + "misinterpret": { + "CHS": "误解", + "ENG": "to not understand the correct meaning of something that someone says or does, or of facts that you are considering" + }, + "prosperity": { + "CHS": "繁荣", + "ENG": "when people have money and everything that is needed for a good life" + }, + "tank": { + "CHS": "水箱", + "ENG": "a large container for storing liquid or gas" + }, + "outdated": { + "CHS": "过时的", + "ENG": "if something is outdated, it is no longer considered useful or effective, because something more modern exists" + }, + "outnumber": { + "CHS": "超过", + "ENG": "to be more in number than another group" + }, + "supervisor": { + "CHS": "督导", + "ENG": "someone who supervises a person or activity" + }, + "fluctuate": { + "CHS": "波动", + "ENG": "if a price or amount fluctuates, it keeps changing and becoming higher and lower" + }, + "substance": { + "CHS": "物质", + "ENG": "a particular type of solid, liquid, or gas" + }, + "profitable": { + "CHS": "有利可图的,有利益的", + "ENG": "producing a profit or a useful result" + }, + "markedly": { + "CHS": "显著地" + }, + "ineffective": { + "CHS": "无效的", + "ENG": "something that is ineffective does not achieve what it is intended to achieve" + }, + "bleak": { + "CHS": "荒凉的", + "ENG": "cold and without any pleasant or comfortable features" + }, + "optimistic": { + "CHS": "乐观的", + "ENG": "believing that good things will happen in the future" + }, + "ultimate": { + "CHS": "最终的", + "ENG": "the ultimate result of a long process is what happens at the end of it" + }, + "consumption": { + "CHS": "消耗;消费", + "ENG": "the amount of energy, oil, electricity etc that is used" + }, + "foster": { + "CHS": "促进;培养", + "ENG": "to help a skill, feeling, idea etc develop over a period of time" + }, + "receipt": { + "CHS": "发票", + "ENG": "a piece of paper that you are given which shows that you have paid for something" + }, + "harsh": { + "CHS": "严酷的,严峻的", + "ENG": "harsh conditions are difficult to live in and very uncomfortable" + }, + "misfortune": { + "CHS": "不幸;灾祸,灾难", + "ENG": "very bad luck, or something that happens to you as a result of bad luck" + }, + "citation": { + "CHS": "引文", + "ENG": "a line taken from a book, speech etc" + }, + "rape": { + "CHS": "强奸", + "ENG": "the crime of forcing someone to have sex, especially by using violence" + }, + "ecological": { + "CHS": "生态学的", + "ENG": "connected with the way plants, animals, and people are related to each other and to their environment" + }, + "lag": { + "CHS": "落后", + "ENG": "to move or develop more slowly than others" + }, + "controversy": { + "CHS": "争议", + "ENG": "a serious argument about something that involves many people and continues for a long time" + }, + "cornerstone": { + "CHS": "基石", + "ENG": "something that is extremely important because everything else depends on it" + }, + "erect": { + "CHS": "建立", + "ENG": "to build something such as a building or wall" + }, + "prematurely": { + "CHS": "早熟地,过早地" + }, + "initiative": { + "CHS": "主动性", + "ENG": "the ability to make decisions and take action without waiting for someone to tell you what to do" + }, + "dilute": { + "CHS": "稀释,冲淡", + "ENG": "to make a liquid weaker by adding water or another liquid" + }, + "viewpoint": { + "CHS": "观点", + "ENG": "a particular way of thinking about a problem or subject" + }, + "typical": { + "CHS": "典型的", + "ENG": "having the usual features or qualities of a particular group or thing" + }, + "stray": { + "CHS": "走失[流浪]的动物", + "ENG": "an animal that is lost or has no home" + }, + "imbalance": { + "CHS": "不平衡", + "ENG": "a lack of a fair or correct balance between two things, which results in problems or unfairness" + }, + "affiliation": { + "CHS": "隶属关系,单位团体", + "ENG": "the connection or involvement that someone or something has with a political, religious etc organization" + }, + "counterpart": { + "CHS": "对等物", + "ENG": "Someone's or something's counterpart is another person or thing that has a similar function or position in a different place" + }, + "classify": { + "CHS": "分类", + "ENG": "to decide what group something belongs to" + }, + "demonstration": { + "CHS": "展示;游行", + "ENG": "an act of explaining and showing how to do something or how something works" + }, + "outlive": { + "CHS": "比……活的时间长", + "ENG": "to remain alive after someone else has died" + }, + "reservation": { + "CHS": "预定", + "ENG": "an arrangement which you make so that a place in a hotel, restaurant, plane etc is kept for you at a particular time in the future" + }, + "circumstance": { + "CHS": "情况,环境", + "ENG": "the conditions that affect a situation, action, event etc" + }, + "revolutionize": { + "CHS": "革命化", + "ENG": "to completely change the way people do something or think about something" + }, + "outweigh": { + "CHS": "超过", + "ENG": "If one thing outweighs another, the first thing is of greater importance, benefit, or significance than the second thing" + }, + "cast": { + "CHS": "投掷,扔", + "ENG": "to throw something somewhere" + }, + "uncertain": { + "CHS": "不确定的", + "ENG": "feeling doubt about something" + }, + "threat": { + "CHS": "威胁", + "ENG": "a statement in which you tell someone that you will cause them harm or trouble if they do not do what you want" + }, + "conservative": { + "CHS": "保守的", + "ENG": "not liking changes or new ideas" + }, + "overestimate": { + "CHS": "高估", + "ENG": "to think something is better, more important etc than it really is" + }, + "documentary": { + "CHS": "纪录片", + "ENG": "a film or television or a radio programme that gives detailed information about a particular subject" + }, + "relieve": { + "CHS": "减轻,缓解", + "ENG": "to reduce someone’s pain or unpleasant feelings" + }, + "regardless": { + "CHS": "不管,不顾", + "ENG": "without being affected or influenced by something" + }, + "pause": { + "CHS": "暂停,迟疑", + "ENG": "a short time during which someone stops speaking or doing something before starting again" + }, + "launch": { + "CHS": "发布,推出", + "ENG": "to make a new product, book etc available for sale for the first time" + }, + "apartment": { + "CHS": "公寓", + "ENG": "a set of rooms on one floor of a large building, where someone lives" + }, + "spark": { + "CHS": "火花", + "ENG": "a very small piece of burning material produced by a fire or by hitting or rubbing two hard objects together" + }, + "eliminate": { + "CHS": "消除", + "ENG": "to completely get rid of something that is unnecessary or unwanted" + }, + "unintentionally": { + "CHS": "无意地" + }, + "opposition": { + "CHS": "反对", + "ENG": "strong disagreement with, or protest against, something such as a plan, law, or system" + }, + "polar": { + "CHS": "极地的", + "ENG": "close to or relating to the North Pole or the South Pole" + }, + "integral": { + "CHS": "必需的,不可缺少的", + "ENG": "Something that is an integral part of something is an essential part of that thing" + }, + "guard": { + "CHS": "保护", + "ENG": "to protect a person, place, or object by staying near them and watching them" + }, + "branch": { + "CHS": "分支,分公司", + "ENG": "a local business, shop etc that is part of a larger business etc" + }, + "affiliate": { + "CHS": "使隶属于", + "ENG": "if a group or organization affiliates to or with another larger one, it forms a close connection with it" + }, + "irrigation": { + "CHS": "灌溉" + }, + "stove": { + "CHS": "炉子", + "ENG": "a thing used for heating a room or for cooking, which works by burning wood, coal, oil, or gas" + }, + "memorable": { + "CHS": "值得纪念的", + "ENG": "very good, enjoyable, or unusual, and worth remembering" + }, + "elimination": { + "CHS": "消除,淘汰", + "ENG": "the removal or destruction of something" + }, + "revenue": { + "CHS": "收入", + "ENG": "money that a business or organization receives over a period of time, especially from selling goods or services" + }, + "decisive": { + "CHS": "决定性的", + "ENG": "an action, event etc that is decisive has a big effect on the way that something develops" + }, + "displace": { + "CHS": "取代", + "ENG": "to take the place or position of something or someone" + }, + "violation": { + "CHS": "违反", + "ENG": "an action that breaks a law, agreement, principle etc" + }, + "ideological": { + "CHS": "意识形态的", + "ENG": "based on strong beliefs or ideas, especially political or economic ideas" + }, + "neighborhood": { + "CHS": "附近", + "ENG": "the area around you or around a particular place" + }, + "calorie": { + "CHS": "卡路里", + "ENG": "a unit for measuring the amount of energy that food will produce" + }, + "fierce": { + "CHS": "激烈的", + "ENG": "done with a lot of energy and strong feelings, and sometimes violence" + }, + "mention": { + "CHS": "提及", + "ENG": "to talk or write about something or someone, usually quickly and without saying very much or giving details" + }, + "extend": { + "CHS": "延伸;延期", + "ENG": "to continue for a longer period of time, or to make something last longer" + }, + "column": { + "CHS": "专栏", + "ENG": "an article on a particular subject or by a particular writer that appears regularly in a newspaper or magazine" + }, + "analytical": { + "CHS": "分析的", + "ENG": "using scientific analysis to examine something" + }, + "figure": { + "CHS": "数字", + "ENG": "a number representing an amount, especially an official number" + }, + "frighten": { + "CHS": "使害怕", + "ENG": "to make someone feel afraid" + }, + "preindustrial": { + "CHS": "工业化以前的" + }, + "furnish": { + "CHS": "提供", + "ENG": "to supply or provide something" + }, + "scarcity": { + "CHS": "缺乏", + "ENG": "a situation in which there is not enough of something" + }, + "transform": { + "CHS": "转变", + "ENG": "to completely change the appearance, form, or character of something or someone, especially in a way that improves it" + }, + "misled": { + "CHS": "(mislead过去式)误导", + "ENG": "to make someone believe something that is not true by giving them information that is false or not complete" + }, + "intervene": { + "CHS": "干涉", + "ENG": "to become involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "vary": { + "CHS": "变化", + "ENG": "if something varies, it changes depending on the situation" + }, + "bureaucracy": { + "CHS": "官僚主义", + "ENG": "a complicated official system that is annoying or confusing because it has a lot of rules, processes etc" + }, + "recruiter": { + "CHS": "招聘者", + "ENG": "someone in a company who is involved in recruiting new employees" + }, + "pattern": { + "CHS": "模式", + "ENG": "the regular way in which something happens, develops, or is done" + }, + "necessity": { + "CHS": "必须,必要性", + "ENG": "when something is necessary" + }, + "deny": { + "CHS": "否认", + "ENG": "to say that something is not true, or that you do not believe something" + }, + "drift": { + "CHS": "漂流", + "ENG": "to move slowly on water or in the air" + }, + "endorsement": { + "CHS": "支持", + "ENG": "a public statement or action showing that you support sb/sth" + }, + "dare": { + "CHS": "勇敢,敢于做", + "ENG": "to be brave enough to do something that is risky or that you are afraid to do – used especially in questions or negative sentences" + }, + "consultancy": { + "CHS": "咨询公司", + "ENG": "a company that gives advice on a particular subject" + }, + "constant": { + "CHS": "不断的", + "ENG": "happening regularly or all the time" + }, + "deposit": { + "CHS": "存款", + "ENG": "a part of the cost of something you are buying that you pay some time before you pay the rest of it" + }, + "transmit": { + "CHS": "传播,传导", + "ENG": "to send out electronic signals, messages etc using radio, television, or other similar equipment" + }, + "undermine": { + "CHS": "削弱", + "ENG": "to gradually make someone or something less strong or effective" + }, + "resign": { + "CHS": "辞职", + "ENG": "to officially announce that you have decided to leave your job or an organization" + }, + "respective": { + "CHS": "各自的", + "ENG": "used before a plural noun to refer to the different things that belong to each separate person or thing mentioned" + }, + "consent": { + "CHS": "同意", + "ENG": "agreement about something" + }, + "reunion": { + "CHS": "团聚", + "ENG": "a social meeting of people who have not met for a long time, especially people who were at school or college together" + }, + "premium": { + "CHS": "〔尤指每年缴付的〕保险费", + "ENG": "the cost of insurance, especially the amount that you pay each year" + }, + "interpretation": { + "CHS": "解释,理解", + "ENG": "the way in which someone explains or understands an event, information, someone’s actions etc" + }, + "concrete": { + "CHS": "具体的", + "ENG": "definite and specific" + }, + "facility": { + "CHS": "设施", + "ENG": "Facilities are buildings, pieces of equipment, or services that are provided for a particular purpose" + }, + "convert": { + "CHS": "转换,改变", + "ENG": "to change something into a different form, or to change something so that it can be used for a different purpose or in a different way" + }, + "prompt": { + "CHS": "促使", + "ENG": "to make someone decide to do something" + }, + "weave": { + "CHS": "织布,编织", + "ENG": "to make cloth, a carpet, a basket etc by crossing threads or thin pieces under and over each other by hand or on a loom" + }, + "conformity": { + "CHS": "一致", + "ENG": "in a way that obeys rules, customs etc" + }, + "inaction": { + "CHS": "不作为", + "ENG": "If you refer to someone's inaction, you disapprove of the fact that they are doing nothing" + }, + "trim": { + "CHS": "修剪", + "ENG": "to make something look neater by cutting small pieces off it" + }, + "irony": { + "CHS": "讽刺", + "ENG": "a subtle form of humour that involves saying things that are the opposite of what you really mean" + }, + "monopolize": { + "CHS": "垄断", + "ENG": "to have complete control over something so that other people cannot share it or take part in it" + }, + "workload": { + "CHS": "工作量", + "ENG": "the amount of work that a person or organization has to do" + }, + "complicated": { + "CHS": "复杂的", + "ENG": "made of many different things or parts that are connected; difficult to understand" + }, + "property": { + "CHS": "财产", + "ENG": "the thing or things that someone owns" + }, + "underrepresented": { + "CHS": "未被充分代表的", + "ENG": "insufficiently represented or spoken on behalf of" + }, + "philosophy": { + "CHS": "哲学", + "ENG": "the study of the nature and meaning of existence, truth, good and evil, etc" + }, + "regime": { + "CHS": "制度,管理体制", + "ENG": "a particular system - used especially when talking about a previous system, or one that has just been introduced" + }, + "bizarre": { + "CHS": "古怪的;奇怪的", + "ENG": "very unusual or strange" + }, + "ruin": { + "CHS": "毁坏", + "ENG": "to spoil or destroy something completely" + }, + "inspire": { + "CHS": "鼓励", + "ENG": "to encourage someone by making them feel confident and eager to do something" + }, + "deforestation": { + "CHS": "砍伐森林", + "ENG": "the cutting or burning down of all the trees in an area" + }, + "exceptional": { + "CHS": "例外的", + "ENG": "Exceptional situations and incidents are unusual and only likely to happen infrequently" + }, + "hazard": { + "CHS": "危险", + "ENG": "something that may be dangerous, or cause accidents or problems" + }, + "upgrade": { + "CHS": "升级", + "ENG": "to make a computer, machine, or piece of software better and able to do more things" + }, + "abnormally": { + "CHS": "不正常地" + }, + "accidentally": { + "CHS": "偶然地,意外地", + "ENG": "in a way that was not planned or intended deliberately" + }, + "frontier": { + "CHS": "边境", + "ENG": "the border of a country" + }, + "considerable": { + "CHS": "相当多的", + "ENG": "fairly large, especially large enough to have an effect or be important" + }, + "legalize": { + "CHS": "合法化", + "ENG": "If something is legalized, a law is passed that makes it legal" + }, + "dispensable": { + "CHS": "可有可无的", + "ENG": "not necessary or important and so easy to get rid of" + }, + "certify": { + "CHS": "保证,证明", + "ENG": "to state that something is correct or true, especially after some kind of test" + }, + "insurer": { + "CHS": "保险公司;承保人", + "ENG": "a person or company that provides insurance" + }, + "overstate": { + "CHS": "夸张", + "ENG": "to talk about something in a way that makes it seem more important, serious etc than it really is" + }, + "profound": { + "CHS": "深刻的;博学的", + "ENG": "having a strong influence or effect" + }, + "agony": { + "CHS": "痛苦", + "ENG": "very severe pain" + }, + "craft": { + "CHS": "精巧地制作", + "ENG": "to make something using a special skill, especially with your hands" + }, + "obscurity": { + "CHS": "默默无闻", + "ENG": "the state of not being known or remembered" + }, + "guarantee": { + "CHS": "保证", + "ENG": "to promise to do something or to promise that something will happen" + }, + "dolphin": { + "CHS": "海豚", + "ENG": "a very intelligent sea animal like a fish with a long grey pointed nose" + }, + "severity": { + "CHS": "严重性", + "ENG": "the quality or condition of being severe" + }, + "discourage": { + "CHS": "阻止;使气馁", + "ENG": "to make something less likely to happen" + }, + "fault": { + "CHS": "过失", + "ENG": "if something bad that has happened is your fault, you should be blamed for it, because you made a mistake or failed to do something" + }, + "robbery": { + "CHS": "抢劫", + "ENG": "the crime of stealing money or things from a bank, shop etc, especially using violence" + }, + "inanimate": { + "CHS": "无生命的", + "ENG": "not living" + }, + "calculation": { + "CHS": "计算", + "ENG": "the act or process of using numbers to find out an amount" + }, + "baffle": { + "CHS": "使迷惑,困惑", + "ENG": "if something baffles you, you cannot understand or explain it at all" + }, + "overcharge": { + "CHS": "多收钱", + "ENG": "to charge someone too much money for something" + }, + "nap": { + "CHS": "小睡", + "ENG": "a short sleep, especially during the day" + }, + "disposal": { + "CHS": "处理;支配", + "ENG": "when you get rid of something" + }, + "authorities": { + "CHS": "当局", + "ENG": "The authorities are the people who have the power to make decisions and to make sure that laws are obeyed" + }, + "chronicle": { + "CHS": "记录", + "ENG": "to describe events in the order in which they happened" + }, + "shade": { + "CHS": "为…遮阳[挡光],遮蔽〔光线〕", + "ENG": "to protect something from direct light" + }, + "milestone": { + "CHS": "里程碑", + "ENG": "a very important event in the development of something" + }, + "unstable": { + "CHS": "不稳定的", + "ENG": "likely to change sud­denly and become worse" + }, + "strain": { + "CHS": "压力", + "ENG": "worry that is caused by having to deal with a problem or work too hard over a long period of time" + }, + "municipal": { + "CHS": "市政府的", + "ENG": "relating to or belonging to the government of a town or city" + }, + "ideologically": { + "CHS": "意识形态上地", + "ENG": "In a way that relates to ideas or an ideology, especially of a political or economic nature." + }, + "greedy": { + "CHS": "贪婪的", + "ENG": "always wanting more food, money, power, possessions etc than you need" + }, + "robust": { + "CHS": "强健的", + "ENG": "a robust person is strong and healthy" + }, + "diagnose": { + "CHS": "诊断", + "ENG": "to find out what illness someone has, or what the cause of a fault is, after doing tests, examinations etc" + }, + "definite": { + "CHS": "一定的,确切的", + "ENG": "clearly known, seen, or stated" + }, + "reserved": { + "CHS": "保留意见的;矜持的", + "ENG": "Someone who is reserved keeps their feelings hidden" + }, + "affection": { + "CHS": "喜爱", + "ENG": "a feeling of liking or love and caring" + }, + "material": { + "CHS": "材料", + "ENG": "a solid substance such as wood, plastic, or metal" + }, + "conduct": { + "CHS": "进行,实行", + "ENG": "to carry out a particular activity or process, especially in order to get information or prove facts" + }, + "association": { + "CHS": "联系", + "ENG": "a relationship with a particular person, organization, group etc" + }, + "collide": { + "CHS": "撞击,碰撞", + "ENG": "to hit something or someone that is moving in a different direction from you" + }, + "industrious": { + "CHS": "勤奋的", + "ENG": "someone who is industrious works hard" + }, + "fascinate": { + "CHS": "使着迷", + "ENG": "If something fascinates you, it interests and delights you so much that your thoughts tend to concentrate on it" + }, + "prevalence": { + "CHS": "流行,普遍" + }, + "exert": { + "CHS": "施加", + "ENG": "to use your power, influence etc in order to make something happen" + }, + "minor": { + "CHS": "次要的,小的", + "ENG": "small and not very important or serious, especially when compared with other things" + }, + "tempting": { + "CHS": "吸引人的", + "ENG": "something that is tempting seems very good and you would like to have it or do it" + }, + "appropriation": { + "CHS": "挪用", + "ENG": "the act of taking control of something without asking permission" + }, + "injustice": { + "CHS": "不公正", + "ENG": "a situation in which people are treated very unfairly and not given their rights" + }, + "irrelevant": { + "CHS": "无关的", + "ENG": "not useful or not relating to a particular situation, and therefore not important" + }, + "registration": { + "CHS": "注册,登记", + "ENG": "the act of recording names and details on an official list" + }, + "democracy": { + "CHS": "民主", + "ENG": "a situation or system in which everyone is equal and has the right to vote, make decisions etc" + }, + "grateful": { + "CHS": "感激的", + "ENG": "feeling that you want to thank someone because of something kind that they have done, or showing this feeling" + }, + "offense": { + "CHS": "冒犯", + "ENG": "when you offend or upset someone by something you do or say" + }, + "atmosphere": { + "CHS": "气氛;大气(层)", + "ENG": "the feeling that an event or place gives you" + }, + "approach": { + "CHS": "方法", + "ENG": "a method of doing something or dealing with a problem" + }, + "rival": { + "CHS": "对手", + "ENG": "a person, group, or organization that you compete with in sport, business, a fight etc" + }, + "commitment": { + "CHS": "承诺", + "ENG": "a promise to do something or to behave in a particular way" + }, + "furious": { + "CHS": "生气的;激烈的", + "ENG": "very angry" + }, + "accurate": { + "CHS": "精确的", + "ENG": "measured or calculated correctly" + }, + "abstract": { + "CHS": "抽象的", + "ENG": "based on general ideas or principles rather than specific examples or real events" + }, + "deprivation": { + "CHS": "剥夺,匮乏", + "ENG": "the lack of something that you need in order to be healthy, comfortable, or happy" + }, + "designate": { + "CHS": "指定,委派", + "ENG": "to choose someone or something for a particular job or purpose" + }, + "turtle": { + "CHS": "海龟", + "ENG": "a reptile that lives mainly in water and has a soft body covered by a hard shell" + }, + "expertise": { + "CHS": "专业知识", + "ENG": "Expertise is special skill or knowledge that is acquired by training, study, or practice" + }, + "vessel": { + "CHS": "血管", + "ENG": "a vein in your body" + }, + "ventilate": { + "CHS": "使通风", + "ENG": "to let fresh air into a room, building etc" + }, + "trade-off": { + "CHS": "权衡,交易", + "ENG": "a situation where you make a compromise between two things, or where you exchange all or part of one thing for another" + }, + "endless": { + "CHS": "无限的,没完没了的", + "ENG": "very large in amount, size, or number" + }, + "temptation": { + "CHS": "诱惑", + "ENG": "a strong desire to have or do something even though you know you should not" + }, + "legislation": { + "CHS": "立法", + "ENG": "the act or process of making a law or laws" + }, + "duplication": { + "CHS": "复制品", + "ENG": "one of two or more things that are the same in every detail" + }, + "trick": { + "CHS": "骗局,诡计", + "ENG": "something you do in order to deceive someone" + }, + "evaluation": { + "CHS": "评价", + "ENG": "a judgment about how good, useful, or successful something is" + }, + "abandonment": { + "CHS": "放弃", + "ENG": "The abandonment of a place, thing, or person is the act of leaving it permanently or for a long time, especially when you should not do so" + }, + "turbulent": { + "CHS": "动荡的,骚乱的", + "ENG": "a turbulent situation or period of time is one in which there are a lot of sudden changes" + }, + "expel": { + "CHS": "开除,驱逐", + "ENG": "to officially force someone to leave a school or organization" + }, + "carpenter": { + "CHS": "木匠", + "ENG": "someone whose job is making and repairing wooden objects" + }, + "hasty": { + "CHS": "匆忙的", + "ENG": "done in a hurry, especially with bad results" + }, + "unprecedented": { + "CHS": "史无前例的", + "ENG": "If something is unprecedented, it has never happened before" + }, + "extreme": { + "CHS": "极端的", + "ENG": "very unusual and severe or serious" + }, + "outperform": { + "CHS": "胜过", + "ENG": "to be more successful than someone or something else" + }, + "modernize": { + "CHS": "现代化", + "ENG": "to make something such as a system or building more modern" + }, + "interactive": { + "CHS": "〔人与计算机程序、电视系统等〕交互的,互动的;合作的;相互交流的", + "ENG": "an interactive computer program, television system etc allows you to communicate directly with it, and does things in reaction to your actions" + }, + "successively": { + "CHS": "接连着地,继续地", + "ENG": "immediately one after another." + }, + "innovation": { + "CHS": "创新,革新;新观念;新方法;新发明", + "ENG": "the introduction of new ideas or methods" + }, + "elaborately": { + "CHS": "复杂地,精心设计地", + "ENG": "in a detailed and carefully arranged manner." + }, + "vegetarian": { + "CHS": "素食主义者", + "ENG": "someone who does not eat meat or fish" + }, + "faculty": { + "CHS": "〔大学的〕全体教员", + "ENG": "all the teachers in a university" + }, + "render": { + "CHS": "给予", + "ENG": "to give something to someone or do something, because it is your duty or because someone expects you to" + }, + "portray": { + "CHS": "描述", + "ENG": "to describe or show someone or something in a particular way, according to your opinion of them" + }, + "notion": { + "CHS": "想法,观点", + "ENG": "an idea, belief, or opinion" + }, + "tropical": { + "CHS": "热带的", + "ENG": "coming from or existing in the hottest parts of the world" + }, + "character": { + "CHS": "角色;某物的特色", + "ENG": "a person in a book, play, film etc" + }, + "infectious": { + "CHS": "感染的,传染的", + "ENG": "an infectious illness can be passed from one person to another, especially through the air you breathe" + }, + "lawn": { + "CHS": "草坪", + "ENG": "an area of ground in a garden or park that is covered with short grass" + }, + "permanent": { + "CHS": "永久的", + "ENG": "continuing to exist for a long time or for all the time in the future" + }, + "transcend": { + "CHS": "超越", + "ENG": "to go beyond the usual limits of something" + }, + "kidnap": { + "CHS": "绑架", + "ENG": "to take someone somewhere illegally by force, often in order to get money for returning them" + }, + "dominate": { + "CHS": "主导,主宰", + "ENG": "to control someone or something or to have more importance than other people or things" + }, + "stabilize": { + "CHS": "使稳固,使安定", + "ENG": "to become firm, steady, or unchanging, or to make something firm or steady" + }, + "consult": { + "CHS": "咨询", + "ENG": "to ask for information or advice from someone because it is their job to know something" + }, + "resume": { + "CHS": "简历", + "ENG": "a short written account of your education and your previous jobs that you send to an employer when you are looking for a new job" + }, + "migrate": { + "CHS": "移民;迁徙", + "ENG": "if people migrate, they go to live in another area or country, especially in order to find work" + }, + "isolation": { + "CHS": "隔绝,隔离", + "ENG": "when one group, person, or thing is separate from others" + }, + "derive": { + "CHS": "获得", + "ENG": "to get something, especially an advantage or a pleasant feeling, from something" + }, + "conservation": { + "CHS": "保护", + "ENG": "the protection of natural things such as animals, plants, forests etc, to prevent them from being spoiled or destroyed" + }, + "incidence": { + "CHS": "发生率", + "ENG": "the number of times something happens, especially crime, disease etc" + }, + "perpetual": { + "CHS": "永久的", + "ENG": "permanent" + }, + "pessimistic": { + "CHS": "悲观的", + "ENG": "expecting that bad things will happen in the future or that something will have a bad result" + }, + "crew": { + "CHS": "机组人员", + "ENG": "all the people who work on a ship or plane" + }, + "mourn": { + "CHS": "哀悼", + "ENG": "to feel very sad and to miss someone after they have died" + }, + "vice": { + "CHS": "恶习", + "ENG": "a bad habit" + }, + "shot": { + "CHS": "照相,照片", + "ENG": "a photograph" + }, + "virus": { + "CHS": "病毒", + "ENG": "a very small living thing that causes infectious illnesses" + }, + "dorm": { + "CHS": "宿舍", + "ENG": "a dormitory" + }, + "erupt": { + "CHS": "爆发;喷出", + "ENG": "if fighting, violence, noise etc erupts, it starts suddenly" + }, + "impact": { + "CHS": "影响", + "ENG": "the effect or influence that an event, situation etc has on someone or something" + }, + "index": { + "CHS": "指数;标志,指标", + "ENG": "a system by which prices, costs etc can be compared to those of a previous date" + }, + "claim": { + "CHS": "声称;索取", + "ENG": "to state that something is true, even though it has not been proved" + }, + "embrace": { + "CHS": "采纳,接受", + "ENG": "to eagerly accept a new idea, opinion, religion etc" + }, + "enviable": { + "CHS": "值得羡慕的", + "ENG": "an enviable quality, position, or possession is good and other people would like to have it" + }, + "blouse": { + "CHS": "女衬衫", + "ENG": "a shirt for women" + }, + "deliver": { + "CHS": "递送;发表演讲", + "ENG": "to take goods, letters, packages etc to a particular place or person" + }, + "rhythm": { + "CHS": "节奏", + "ENG": "a regular repeated pattern of sounds or movements" + }, + "code": { + "CHS": "代号,密码", + "ENG": "a system of words, letters, or symbols that you use instead of ordinary writing, so that the information can only be understood by someone else who knows the system" + }, + "monopoly": { + "CHS": "垄断", + "ENG": "if a company or government has a monopoly of a business or political activity, it has complete control of it so that other organizations cannot compete with it" + }, + "interfere": { + "CHS": "干涉;妨碍", + "ENG": "to deliberately get involved in a situation where you are not wanted or needed" + }, + "contestant": { + "CHS": "参赛者", + "ENG": "someone who competes in a contest" + }, + "ridiculous": { + "CHS": "滑稽的,可笑的", + "ENG": "very silly or unreasonable" + }, + "glamorous": { + "CHS": "有魅力的,迷人的", + "ENG": "attractive, exciting, and related to wealth and success" + }, + "mall": { + "CHS": "商场", + "ENG": "a large area where there are a lot of shops, usually a covered area where cars are not allowed" + }, + "chronically": { + "CHS": "慢性地;持久地" + }, + "prolonged": { + "CHS": "长时间的", + "ENG": "continuing for a long time" + }, + "symptom": { + "CHS": "症状", + "ENG": "something wrong with your body or mind which shows that you have a particular illness" + }, + "compelling": { + "CHS": "引人注目的", + "ENG": "very interesting or exciting, so that you have to pay attention" + }, + "immensely": { + "CHS": "非常,极大地", + "ENG": "very much" + }, + "species": { + "CHS": "物种", + "ENG": "a group of animals or plants whose members are similar and can breed together to produce young animals or plants" + }, + "battle": { + "CHS": "激战,战役", + "ENG": "a fight between opposing armies, groups of ships, groups of people etc, especially one that is part of a larger war" + }, + "conflict": { + "CHS": "冲突", + "ENG": "a state of disagreement or argument between people, groups, countries etc" + }, + "permeate": { + "CHS": "渗透", + "ENG": "if liquid, gas etc permeates something, it enters it and spreads through every part of it" + }, + "erroneous": { + "CHS": "错误的", + "ENG": "erroneous ideas or information are wrong and based on facts that are not correct" + }, + "compartment": { + "CHS": "车厢, 隔间", + "ENG": "a smaller enclosed space inside something larger" + }, + "metropolitan": { + "CHS": "大都市的", + "ENG": "relating or belonging to a very large city" + }, + "grip": { + "CHS": "抓住", + "ENG": "the way you hold something tightly, or your ability to do this" + }, + "crush": { + "CHS": "压碎,压榨", + "ENG": "to press something so hard that it breaks or is damaged" + }, + "prior": { + "CHS": "先前的;优先的", + "ENG": "existing or arranged before something else or before the present situation" + }, + "formula": { + "CHS": "公式", + "ENG": "a series of numbers or letters that represent a mathematical or scientific rule" + }, + "inescapable": { + "CHS": "不可避免的", + "ENG": "an inescapable fact or situation is one that you cannot avoid or ignore" + }, + "skeptical": { + "CHS": "怀疑的", + "ENG": "tending to disagree with what other people tell you" + }, + "harness": { + "CHS": "利用,控制", + "ENG": "to control and use the natural force or power of something" + }, + "destination": { + "CHS": "目的地", + "ENG": "the place that someone or something is going to" + }, + "vocational": { + "CHS": "职业的", + "ENG": "teaching or relating to the skills you need to do a particular job" + }, + "density": { + "CHS": "密度", + "ENG": "the degree to which an area is filled with people or things" + }, + "variance": { + "CHS": "不同", + "ENG": "the amount by which two or more things are different or by which they change" + }, + "landmark": { + "CHS": "地标", + "ENG": "something that is easy to recognize, such as a tall tree or building, and that helps you know where you are" + }, + "linger": { + "CHS": "逗留,徘徊", + "ENG": "to stay somewhere a little longer, especially because you do not want to leave" + }, + "luxurious": { + "CHS": "奢侈的,豪华的", + "ENG": "very expensive, beautiful, and comfortable" + }, + "astronomical": { + "CHS": "天文数字的", + "ENG": "astronomical prices, costs etc are extremely high" + }, + "coordination": { + "CHS": "协调;(肌肉的)协调", + "ENG": "the organization of people or things so that they work together well" + }, + "currency": { + "CHS": "货币", + "ENG": "the system or type of money that a country uses" + }, + "blame": { + "CHS": "谴责", + "ENG": "to say or think that someone or something is responsible for something bad" + }, + "dismiss": { + "CHS": "解雇", + "ENG": "to remove someone from their job" + }, + "testify": { + "CHS": "作证;证明,检验", + "ENG": "to make a formal statement of what is true, especially in a court of law" + }, + "qualify": { + "CHS": "使有资格", + "ENG": "to have the right to have or do something, or to give someone this right" + }, + "inquire": { + "CHS": "询问", + "ENG": "to ask someone for information" + }, + "emphasize": { + "CHS": "强调", + "ENG": "to say something in a strong way" + }, + "overwhelming": { + "CHS": "压倒性的", + "ENG": "very large or greater, more important etc than any other" + }, + "flame": { + "CHS": "火焰", + "ENG": "hot bright burning gas that you see when something is on fire" + }, + "imitate": { + "CHS": "模仿", + "ENG": "to copy the way someone behaves, speaks, moves etc, especially in order to make people laugh" + }, + "handle": { + "CHS": "把手", + "ENG": "the part of a door that you use for opening it" + }, + "drought": { + "CHS": "干旱", + "ENG": "a long period of dry weather when there is not enough water for plants and animals to live" + }, + "drummer": { + "CHS": "鼓手", + "ENG": "someone who plays drums" + }, + "revive": { + "CHS": "复兴;复苏", + "ENG": "to bring something back after it has not been used or has not existed for a period of time" + }, + "vulnerable": { + "CHS": "脆弱的, 易受影响的", + "ENG": "someone who is vulnerable can be easily harmed or hurt" + }, + "spot": { + "CHS": "发现", + "ENG": "to notice someone or something, especially when they are difficult to see or recognize" + }, + "suppress": { + "CHS": "镇压,压制", + "ENG": "to stop people from opposing the government, especially by using force" + }, + "diminish": { + "CHS": "减少", + "ENG": "to become or make something become smaller or less" + }, + "reconcile": { + "CHS": "使一致;使和解,调解", + "ENG": "if you reconcile two ideas, situations, or facts, you find a way in which they can both be true or acceptable" + }, + "artificial": { + "CHS": "人造的;虚伪的", + "ENG": "not real or not made of natural things but made to be like something that is real or natural" + }, + "athletic": { + "CHS": "强壮的;擅长运动的;运动的,运动员的", + "ENG": "physically strong and good at sport" + }, + "confrontational": { + "CHS": "对抗的,有敌意的", + "ENG": "If you describe the way that someone behaves as confrontational, you are showing your disapproval of the fact that they are aggressive and likely to cause an argument or dispute" + }, + "row": { + "CHS": "划船", + "ENG": "to make a boat move across water using oar s" + }, + "navigate": { + "CHS": "航行,驾驶", + "ENG": "to sail along a river or other area of water" + }, + "panic": { + "CHS": "惊慌", + "ENG": "a sudden strong feeling of fear or nervousness that makes you unable to think clearly or behave sensibly" + }, + "hostile": { + "CHS": "有敌意的", + "ENG": "angry and deliberately unfriendly towards someone, and ready to argue with them" + }, + "console": { + "CHS": "安慰", + "ENG": "to make someone feel better when they are feeling sad or disappointed" + }, + "endanger": { + "CHS": "使……危险", + "ENG": "to put someone or something in danger of being hurt, damaged, or destroyed" + }, + "prospect": { + "CHS": "前景", + "ENG": "a particular event which will probably or definitely happen in the future – used especially when you want to talk about how you feel about it" + }, + "discern": { + "CHS": "识别", + "ENG": "If you can discern something, you are aware of it and know what it is" + }, + "judicial": { + "CHS": "司法的", + "ENG": "relating to the law, judges, or their decisions" + }, + "impair": { + "CHS": "损害", + "ENG": "to damage something or make it not as good as it should be" + }, + "motel": { + "CHS": "汽车旅馆", + "ENG": "a hotel for people who are travelling by car, where you can park your car outside your room" + }, + "signal": { + "CHS": "标志", + "ENG": "to be a sign that something is going to happen" + }, + "therapy": { + "CHS": "疗法", + "ENG": "the treatment of an illness or injury over a fairly long period of time" + }, + "diverse": { + "CHS": "各种各样的", + "ENG": "very different from each other" + }, + "conserve": { + "CHS": "保留,保护", + "ENG": "to protect something and prevent it from changing or being damaged" + }, + "adaptation": { + "CHS": "改编版;适应", + "ENG": "a film or television programme that is based on a book or play" + }, + "resist": { + "CHS": "抵制", + "ENG": "to refuse to accept sth and try to stop it from happening" + }, + "convince": { + "CHS": "使……相信", + "ENG": "If someone or something convinces you of something, they make you believe that it is true or that it exists" + }, + "burden": { + "CHS": "负担", + "ENG": "something difficult or worrying that you are responsible for" + }, + "payroll": { + "CHS": "工资总额", + "ENG": "the total amount of wages paid to all the people working in a particular company or industry" + }, + "unified": { + "CHS": "统一的", + "ENG": "created from more than one part, group etc" + }, + "hasten": { + "CHS": "加速", + "ENG": "to make something happen faster or sooner" + }, + "intertwine": { + "CHS": "交织,纠缠", + "ENG": "if two things intertwine, or if they are intertwined, they are twisted together" + }, + "accommodate": { + "CHS": "容纳;适应", + "ENG": "if a room, building etc can accommodate a particular number of people or things, it has enough space for them" + }, + "prescribe": { + "CHS": "开处方", + "ENG": "to say what medicine or treatment a sick person should have" + }, + "construction": { + "CHS": "建筑", + "ENG": "the process of building things such as houses, bridges, roads etc" + }, + "endure": { + "CHS": "忍受", + "ENG": "to be in a difficult or painful situation for a long time without complaining" + }, + "election": { + "CHS": "选举", + "ENG": "when people vote to choose someone for an official position" + }, + "jury": { + "CHS": "陪审团", + "ENG": "a group of 12 ordinary people who listen to the details of a case in court and decide whether someone is guilty or not" + }, + "glory": { + "CHS": "光荣,荣誉", + "ENG": "the importance, honour, and praise that people give someone they admire a lot" + }, + "sew": { + "CHS": "缝上,缝纫", + "ENG": "to use a needle and thread to make or repair clothes or to fasten something such as a button to them" + }, + "sector": { + "CHS": "部门", + "ENG": "a part of an area of activity, especially of business, trade etc" + }, + "hazardous": { + "CHS": "危险的", + "ENG": "dangerous, especially to people’s health or safety" + }, + "deprive": { + "CHS": "剥夺", + "ENG": "If you deprive someone of something that they want or need, you take it away from them, or you prevent them from having it" + }, + "generous": { + "CHS": "慷慨的", + "ENG": "someone who is generous is willing to give money, spend time etc, in order to help people or give them pleasure" + }, + "constrain": { + "CHS": "限制", + "ENG": "to limit something" + }, + "phenomenon": { + "CHS": "现象", + "ENG": "something that happens or exists in society, science, or nature, especially something that is studied because it is difficult to understand" + }, + "assume": { + "CHS": "假定,认为", + "ENG": "to think that something is true, although you do not have definite proof" + }, + "conscientious": { + "CHS": "有良心的,认真负责的", + "ENG": "careful to do everything that it is your job or duty to do" + }, + "concession": { + "CHS": "妥协", + "ENG": "something that you allow someone to have in order to end an argument or a disagreement" + }, + "suspect": { + "CHS": "嫌疑犯", + "ENG": "someone who is thought to be guilty of a crime" + }, + "sample": { + "CHS": "样本,样品", + "ENG": "a small part or amount of something that is examined in order to find out something about the whole" + }, + "penalty": { + "CHS": "惩罚", + "ENG": "a punishment for breaking a law, rule, or legal agreement" + }, + "representative": { + "CHS": "代表", + "ENG": "someone who has been chosen to speak, vote, or make decisions for someone else" + }, + "soothe": { + "CHS": "安慰,减轻", + "ENG": "to make someone feel calmer and less anxious, upset, or angry" + }, + "entail": { + "CHS": "使需要,使必须", + "ENG": "to involve something as a necessary part or result" + }, + "objective": { + "CHS": "目标,目的", + "ENG": "something that you are trying hard to achieve, especially in business or politics" + }, + "submit": { + "CHS": "提交", + "ENG": "to give a plan, piece of writing etc to someone in authority for them to consider or approve" + }, + "identify": { + "CHS": "认出,识别", + "ENG": "to recognize and correctly name someone or something" + }, + "infect": { + "CHS": "感染", + "ENG": "to give someone a disease" + }, + "burial": { + "CHS": "埋葬", + "ENG": "the act or ceremony of putting a dead body into a grave" + }, + "genius": { + "CHS": "天才", + "ENG": "a very high level of intelligence, mental skill, or ability, which only a few people have" + }, + "submerge": { + "CHS": "淹没", + "ENG": "to cover something completely with water or another liquid" + }, + "stereotype": { + "CHS": "刻板印象,固有印象", + "ENG": "A stereotype is a fixed general image or set of characteristics that a lot of people believe represent a particular type of person or thing." + }, + "clarify": { + "CHS": "澄清,明确", + "ENG": "to make something clearer or easier to understand" + }, + "conversion": { + "CHS": "转变", + "ENG": "when you change something from one form, purpose, or system to a different one" + }, + "resident": { + "CHS": "居民", + "ENG": "someone who lives or stays in a particular place" + }, + "aspect": { + "CHS": "方面", + "ENG": "one part of a situation, idea, plan etc that has many parts" + }, + "apologize": { + "CHS": "道歉", + "ENG": "to tell someone that you are sorry that you have done something wrong" + }, + "decent": { + "CHS": "像样的;正派的,规矩的", + "ENG": "of a good enough standard or quality" + }, + "fixture": { + "CHS": "固定装置", + "ENG": "a piece of equipment that is fixed inside a house or building and is sold as part of the house" + }, + "institution": { + "CHS": "机构", + "ENG": "a large organization that has a particular kind of work or purpose" + }, + "scent": { + "CHS": "香味", + "ENG": "a pleasant smell that something has" + }, + "welfare": { + "CHS": "幸福;福利", + "ENG": "someone’s welfare is their health and happiness" + }, + "subsidy": { + "CHS": "补助", + "ENG": "money that is paid by a government or organization to make prices lower, reduce the cost of producing goods etc" + }, + "superficial": { + "CHS": "表面的", + "ENG": "seeming to have a particular quality, although this is not true or real" + }, + "private": { + "CHS": "私人的", + "ENG": "for use by one person or group, not for everyone" + }, + "conventional": { + "CHS": "传统的", + "ENG": "a conventional method, product, practice etc has been used for a long time and is considered the usual type" + }, + "wonder": { + "CHS": "想知道,好奇", + "ENG": "to think about something that you are not sure about and try to guess what is true, what will happen etc" + }, + "tedious": { + "CHS": "冗长的", + "ENG": "something that is tedious continues for a long time and is not interesting" + }, + "subordinate": { + "CHS": "从属的;次要的", + "ENG": "in a less important position than someone else" + }, + "frame": { + "CHS": "制定,拟定〔计划、体制等〕", + "ENG": "to organize and develop a plan, system etc" + }, + "smuggle": { + "CHS": "走私", + "ENG": "to take something or someone illegally from one country to another" + }, + "reimbursement": { + "CHS": "返还费用", + "ENG": "If you receive reimbursement for money that you have spent, you get your money back, for example because the money should have been paid by someone else." + }, + "disappear": { + "CHS": "消失", + "ENG": "to become impossible to see any longer" + }, + "inhale": { + "CHS": "吸入", + "ENG": "to breathe in air, smoke, or gas" + }, + "majority": { + "CHS": "大多数", + "ENG": "most of the people or things in a group" + }, + "memorize": { + "CHS": "熟记", + "ENG": "to learn words, music etc so that you know them perfectly" + }, + "cumulative": { + "CHS": "积累的", + "ENG": "increasing gradually as more of something is added or happens" + }, + "trap": { + "CHS": "捕捉", + "ENG": "to catch an animal or bird using a trap" + }, + "lofty": { + "CHS": "高耸的;崇高的", + "ENG": "lofty mountains, buildings etc are very high and impressive" + }, + "clarity": { + "CHS": "清晰,清楚", + "ENG": "the clarity of a piece of writing, law, argument etc is its quality of being expressed clearly" + }, + "interact": { + "CHS": "互动", + "ENG": "if people interact with each other, they talk to each other, work together etc" + }, + "refine": { + "CHS": "提炼;改进,完善", + "ENG": "When a substance is refined, it is made pure by having all other substances removed from it" + }, + "confer": { + "CHS": "授予", + "ENG": "to officially give someone a title etc, especially as a reward for something they have achieved" + }, + "anonymous": { + "CHS": "匿名的", + "ENG": "unknown by name" + }, + "commentator": { + "CHS": "评论员", + "ENG": "someone who knows a lot about a particular subject, and who writes about it or discusses it on the television or radio" + }, + "keen": { + "CHS": "敏锐的;浓厚的", + "ENG": "someone with a keen mind is quick to understand things" + }, + "enforce": { + "CHS": "强迫,迫使", + "ENG": "to make something happen or force someone to do something" + }, + "grocery": { + "CHS": "杂货店", + "ENG": "a shop/store that sells food and other things used in the home" + }, + "spread": { + "CHS": "传播,扩散", + "ENG": "if something spreads or is spread, it becomes larger or moves so that it affects more people or a larger area" + }, + "recruit": { + "CHS": "招聘", + "ENG": "to find new people to work in a company, join an organization, do a job etc" + }, + "justified": { + "CHS": "正当的", + "ENG": "having an acceptable explanation or reason" + }, + "eccentric": { + "CHS": "古怪的", + "ENG": "behaving in a way that is unusual and different from most people" + }, + "bridge": { + "CHS": "架桥于…之上;缩小", + "ENG": "to build or form a bridge over something" + }, + "neglect": { + "CHS": "疏忽;忽视", + "ENG": "to fail to look after someone or something properly" + }, + "principle": { + "CHS": "道德原则;原则", + "ENG": "a moral rule or belief about what is right and wrong, that influences how you behave" + }, + "stain": { + "CHS": "污渍,污点", + "ENG": "a mark that is difficult to remove, especially one made by a liquid such as blood, coffee, or ink" + }, + "encourage": { + "CHS": "鼓励", + "ENG": "to give someone the courage or confidence to do something" + }, + "convincing": { + "CHS": "令人信服的", + "ENG": "making you believe that something is true or right" + }, + "indiscriminately": { + "CHS": "不加选择地,不加区分地", + "ENG": "in a random manner; unsystematically." + }, + "resolute": { + "CHS": "坚定的", + "ENG": "doing something in a very determined way because you have very strong beliefs, aims etc" + }, + "indicative": { + "CHS": "指示的", + "ENG": "to be a clear sign that a particular situation exists or that something is likely to be true" + }, + "perish": { + "CHS": "死亡", + "ENG": "to die, especially in a terrible or sudden way" + }, + "philosopher": { + "CHS": "哲学家", + "ENG": "someone who studies and develops ideas about the nature and meaning of existence, truth, good and evil etc" + }, + "recipe": { + "CHS": "食谱;秘诀", + "ENG": "a set of instructions for cooking a particular type of food" + }, + "excessive": { + "CHS": "过度的", + "ENG": "much more than is reasonable or necessary" + }, + "rigor": { + "CHS": "严格,严谨", + "ENG": "great care and thoroughness in making sure that something is correct" + }, + "deficient": { + "CHS": "不足的,缺乏的", + "ENG": "not containing or having enough of something" + }, + "incompetence": { + "CHS": "无能", + "ENG": "lack of the ability or skill to do a job properly" + }, + "entitle": { + "CHS": "使具有资格", + "ENG": "to give someone the official right to do or have something" + }, + "adventurer": { + "CHS": "冒险者", + "ENG": "someone who enjoys adventure" + }, + "quicken": { + "CHS": "加快", + "ENG": "to become quicker or make something quicker" + }, + "divert": { + "CHS": "使转向;转移注意力", + "ENG": "to change the direction in which something travels" + }, + "recommend": { + "CHS": "推荐", + "ENG": "to say that something or someone is good, or suggest them for a particular purpose or job" + }, + "incalculable": { + "CHS": "不可估量的,无法计算的", + "ENG": "too great to be calculated" + }, + "outcome": { + "CHS": "结果", + "ENG": "the final result of a meeting, discussion, war etc – used especially when no one knows what it will be until it actually happens" + }, + "scaffolding": { + "CHS": "脚手架", + "ENG": "a set of poles and boards that are built into a structure for workers to stand on when they are working on the outside of a building" + }, + "garage": { + "CHS": "车库", + "ENG": "a building for keeping a car in, usually next to or attached to a house" + }, + "domestic": { + "CHS": "国内的", + "ENG": "relating to or happening in one particular country and not involving any other countries" + }, + "cultivate": { + "CHS": "培养", + "ENG": "to work hard to develop a particular skill, attitude, or quality" + }, + "formulate": { + "CHS": "制定,规划", + "ENG": "to develop something such as a plan or a set of rules, and decide all the details of how it will be done" + }, + "shed": { + "CHS": "洒 (热血)", + "ENG": "To shed blood means to kill people in a violent way. If someone sheds their blood, they are killed in a violent way, usually when they are fighting in a war." + }, + "worldwide": { + "CHS": "世界范围地,全世界", + "ENG": "If something exists or happens worldwide, it exists or happens throughout the world" + }, + "fuss": { + "CHS": "小题大做", + "ENG": "anxious behaviour or activity that is usually about unimportant things" + }, + "contention": { + "CHS": "争论", + "ENG": "argument and disagreement between people" + }, + "hijack": { + "CHS": "劫持", + "ENG": "to use violence or threats to take control of a plane, vehicle, or ship" + }, + "dweller": { + "CHS": "居住者", + "ENG": "a person or animal that lives in a particular place" + }, + "buck": { + "CHS": "美元", + "ENG": "a US, Canadian, or Australian dollar" + }, + "view": { + "CHS": "看待", + "ENG": "to think about something or someone in a particular way" + }, + "pronoun": { + "CHS": "代词", + "ENG": "a word that is used instead of a noun or noun phrase, such as ‘he’ instead of ‘Peter’ or ‘the man’" + }, + "contribution": { + "CHS": "贡献", + "ENG": "something that you give or do in order to help something be successful" + }, + "undecided": { + "CHS": "不确定的", + "ENG": "not having made a decision about something important" + }, + "restrict": { + "CHS": "限制", + "ENG": "to limit or control the size, amount, or range of something" + }, + "reverse": { + "CHS": "相反的", + "ENG": "the opposite order etc to what is usual or to what has just been stated" + }, + "grasp": { + "CHS": "理解;抓住", + "ENG": "to completely understand a fact or an idea, especially a complicated one" + }, + "provoke": { + "CHS": "激怒", + "ENG": "to make someone angry, especially deliberately" + }, + "texture": { + "CHS": "质地", + "ENG": "the way a surface or material feels when you touch it, especially how smooth or rough it is" + }, + "publicity": { + "CHS": "宣传", + "ENG": "Publicity is information or actions that are intended to attract the public's attention to someone or something" + }, + "format": { + "CHS": "形式", + "ENG": "the way in which something such as a television show or meeting is organized or arranged" + }, + "indifferent": { + "CHS": "冷漠的", + "ENG": "If you accuse someone of being indifferent to something, you mean that they have a complete lack of interest in it" + }, + "incentive": { + "CHS": "刺激", + "ENG": "something that encourages you to work harder, start a new activity etc" + }, + "prejudice": { + "CHS": "偏见", + "ENG": "an unreasonable dislike and distrust of people who are different from you in some way, especially because of their race, sex, religion etc – used to show disapproval" + }, + "assumption": { + "CHS": "假设", + "ENG": "something that you think is true although you have no definite proof" + }, + "habitual": { + "CHS": "习惯的", + "ENG": "usual or typical of someone" + }, + "sculpture": { + "CHS": "雕塑", + "ENG": "an object made out of stone, wood, clay etc by an artist" + }, + "responsibility": { + "CHS": "责任", + "ENG": "a duty to be in charge of someone or something, so that you make decisions and can be blamed if something bad happens" + }, + "manuscript": { + "CHS": "手稿", + "ENG": "a book or piece of writing before it is printed" + }, + "duplicate": { + "CHS": "副本,复制品", + "ENG": "an exact copy of something that you can use in the same way" + }, + "ecosystem": { + "CHS": "生态系统", + "ENG": "all the animals and plants in a particular area, and the way in which they are related to each other and to their environment" + }, + "humorous": { + "CHS": "幽默的", + "ENG": "funny and enjoyable" + }, + "contaminate": { + "CHS": "污染,弄脏", + "ENG": "to make a place or substance dirty or harmful by putting something such as chemicals or poison in it" + }, + "orbit": { + "CHS": "轨道", + "ENG": "the curved path travelled by an object which is moving around another much larger object such as the Earth, the Sun etc" + }, + "evolve": { + "CHS": "进化", + "ENG": "if an animal or plant evolves, it changes gradually over a long period of time" + }, + "skyrocket": { + "CHS": "猛增", + "ENG": "if a price or an amount skyrockets, it greatly increases very quickly" + }, + "portion": { + "CHS": "部分", + "ENG": "a part of something larger, especially a part that is different from the other parts" + }, + "cautious": { + "CHS": "谨慎的", + "ENG": "careful to avoid danger or risks" + }, + "assassinate": { + "CHS": "刺杀,暗杀", + "ENG": "to murder an important person" + }, + "narrow": { + "CHS": "变窄,缩小", + "ENG": "to make something narrower or to become narrower" + }, + "botanical": { + "CHS": "植物学的", + "ENG": "relating to plants or the scientific study of plants" + }, + "conquer": { + "CHS": "征服", + "ENG": "to get control of a country by fighting" + }, + "regain": { + "CHS": "重新获得", + "ENG": "to get something back, especially an ability or quality, that you have lost" + }, + "composition": { + "CHS": "作文", + "ENG": "a short piece of writing about a particular subject, that is done at school" + }, + "stress": { + "CHS": "强调", + "ENG": "to emphasize a statement, fact, or idea" + }, + "yield": { + "CHS": "产生", + "ENG": "to produce a result, answer, or piece of information" + }, + "spectacle": { + "CHS": "景象", + "ENG": "a very impressive show or scene" + }, + "host": { + "CHS": "主持", + "ENG": "to provide the place and everything that is needed for an organized event" + }, + "release": { + "CHS": "释放;发布", + "ENG": "to let someone go free, after having kept them somewhere" + }, + "malicious": { + "CHS": "恶毒的", + "ENG": "very unkind and cruel, and deliberately behaving in a way that is likely to upset or hurt someone" + }, + "prevailing": { + "CHS": "流行的", + "ENG": "existing or accepted in a particular place or at a particular time" + }, + "gratitude": { + "CHS": "感激", + "ENG": "the feeling of being grateful" + }, + "mobility": { + "CHS": "流动性;活动性", + "ENG": "the ability to move easily from one job, area, or social class to another" + }, + "ascend": { + "CHS": "上升", + "ENG": "to move up through the air" + }, + "fake": { + "CHS": "假货", + "ENG": "a copy of a valuable object, painting etc that is intended to deceive people" + }, + "inflation": { + "CHS": "通货膨胀", + "ENG": "a continuing increase in prices, or the rate at which prices increase" + }, + "plot": { + "CHS": "情节", + "ENG": "the events that form the main story of a book, film, or play" + }, + "manufacture": { + "CHS": "生产,制造", + "ENG": "to use machines to make goods or materials, usually in large numbers or amounts" + }, + "criticism": { + "CHS": "批评", + "ENG": "remarks that say what you think is bad about someone or something" + }, + "outsource": { + "CHS": "外包", + "ENG": "If a company outsources work or things, it pays workers from outside the company and often outside the country to do the work or supply the things" + }, + "obstacle": { + "CHS": "阻碍", + "ENG": "something that makes it difficult to achieve something" + }, + "appreciative": { + "CHS": "表示赞赏的,感谢的", + "ENG": "feeling or showing that you enjoy something or are pleased about it" + }, + "predominantly": { + "CHS": "占主导地位地", + "ENG": "You use predominantly to indicate which feature or quality is most noticeable in a situation" + }, + "invasion": { + "CHS": "入侵", + "ENG": "when the army of one country enters another country by force, in order to take control of it" + }, + "detect": { + "CHS": "发现", + "ENG": "to notice or discover something, especially something that is not easy to see, hear etc" + }, + "addict": { + "CHS": "吸毒上瘾者;对…着迷的人", + "ENG": "someone who is unable to stop taking drugs" + }, + "slash": { + "CHS": "猛削,劈,砍;削减", + "ENG": "to cut or try to cut something violently with a knife, sword etc" + }, + "cognitive": { + "CHS": "认知的", + "ENG": "related to the process of knowing, understanding, and learning something" + }, + "extinguish": { + "CHS": "熄灭;使消亡", + "ENG": "to make a fire or light stop burning or shining" + }, + "disadvantage": { + "CHS": "缺点,不利条件", + "ENG": "something that causes problems, or that makes someone or something less likely to be successful or effective" + }, + "alien": { + "CHS": "陌生的", + "ENG": "very different from what you are used to, especially in a way that is difficult to understand or accept" + }, + "barely": { + "CHS": "几乎不,仅仅", + "ENG": "almost not" + }, + "simulate": { + "CHS": "模拟,模仿", + "ENG": "to make or produce something that is not real but has the appearance or feeling of being real" + }, + "prospective": { + "CHS": "预期的;未来的", + "ENG": "expected to do sth or to become sth" + }, + "interaction": { + "CHS": "相互影响,相互作用;互动", + "ENG": "a process by which two or more things affect each other" + }, + "materialize": { + "CHS": "实现", + "ENG": "to happen or appear in the way that you expected" + }, + "contribute": { + "CHS": "有助于,促成;捐赠", + "ENG": "to help to make something happen" + }, + "dishonest": { + "CHS": "不诚实的", + "ENG": "not honest, and so deceiving or cheating people" + }, + "appeal": { + "CHS": "请求,呼吁,;上诉", + "ENG": "an urgent request for something important" + }, + "applicant": { + "CHS": "申请者", + "ENG": "someone who has formally asked, usually in writing, for a job, university place etc" + }, + "intelligent": { + "CHS": "聪明的", + "ENG": "an intelligent person has a high level of mental ability and is good at understanding ideas and thinking clearly" + }, + "spacious": { + "CHS": "宽敞的", + "ENG": "a spacious house, room etc is large and has plenty of space to move around in" + }, + "fatal": { + "CHS": "致命的", + "ENG": "resulting in someone’s death" + }, + "counselor": { + "CHS": "咨询顾问", + "ENG": "A counselor is a person whose job is to give advice to people who need it, especially advice on their personal problems." + }, + "potential": { + "CHS": "潜力", + "ENG": "the possibility that something will develop in a particular way, or have a particular effect" + }, + "assimilate": { + "CHS": "同化", + "ENG": "if people assimilate, or are assimilated into a country or group, they become part of that group and are accepted by the people in that group" + }, + "cropland": { + "CHS": "农田", + "ENG": "an area of land on which crops are grown" + }, + "relieved": { + "CHS": "轻松的,缓解的", + "ENG": "feeling happy because you are no longer worried about something" + }, + "compel": { + "CHS": "强迫", + "ENG": "to force someone to do something" + }, + "program": { + "CHS": "计划,安排", + "ENG": "a series of actions which are designed to achieve something important" + }, + "capacity": { + "CHS": "能力;容量", + "ENG": "someone’s ability to do something" + }, + "orient": { + "CHS": "使确定方向;使适应", + "ENG": "to find exactly where you are by looking around you or using a map" + }, + "undertaking": { + "CHS": "任务,事情", + "ENG": "an important job, piece of work, or activity that you are responsible for" + }, + "shift": { + "CHS": "转移注意力;转变", + "ENG": "to change a situation, discussion etc by giving special attention to one idea or subject instead of to a previous one" + }, + "liberation": { + "CHS": "解放", + "ENG": "the seeking of equal status or just treatment for or on behalf of any group believed to be discriminated against" + }, + "utterly": { + "CHS": "完全地,彻底地", + "ENG": "completely – used especially to emphasize that something is very bad, or that a feeling is very strong" + }, + "immense": { + "CHS": "巨大的", + "ENG": "extremely large" + }, + "inferior": { + "CHS": "比……差", + "ENG": "not good, or not as good as someone or something else" + }, + "accrue": { + "CHS": "积累", + "ENG": "if money accrues or is accrued, it gradually increases over a period of time" + }, + "genuine": { + "CHS": "真的;由衷的", + "ENG": "a genuine feeling, desire etc is one that you really feel, not one you pretend to feel" + }, + "nominate": { + "CHS": "提名", + "ENG": "to officially suggest someone or something for an important position, duty, or prize" + }, + "distinctive": { + "CHS": "与众不同的", + "ENG": "having a special quality, character, or appearance that is different and easy to recognize" + }, + "mismanagement": { + "CHS": "管理不当", + "ENG": "Someone's mismanagement of a system or organization is the bad way they have dealt with it or organized it" + }, + "reckon": { + "CHS": "认为,评价", + "ENG": "spoken to think or suppose something" + }, + "mask": { + "CHS": "掩饰,掩盖", + "ENG": "to hide your feelings or the truth about a situation" + }, + "forge": { + "CHS": "伪造;锻造", + "ENG": "to illegally copy something, especially something printed or written, to make people think that it is real" + }, + "identical": { + "CHS": "相同的", + "ENG": "exactly the same, or very similar" + }, + "imperial": { + "CHS": "帝国的", + "ENG": "relating to an empire or to the person who rules it" + }, + "target": { + "CHS": "把…作为目标", + "ENG": "to make something have an effect on a particular limited group or area" + }, + "disconnect": { + "CHS": "断开", + "ENG": "to remove the supply of power, gas, water etc from a machine or piece of equipment" + }, + "immigrant": { + "CHS": "移民", + "ENG": "someone who enters another country to live there permanently" + }, + "unqualified": { + "CHS": "不合格的,不胜任的", + "ENG": "not having the right knowledge, experience, or education to do something" + }, + "edit": { + "CHS": "编校;编辑;剪辑", + "ENG": "to prepare a book, piece of film etc for printing or broadcasting by removing mistakes or parts that are not acceptable" + }, + "govern": { + "CHS": "管理", + "ENG": "to officially and legally control a country and make all the decisions about taxes, laws, public services etc" + }, + "assert": { + "CHS": "主张,断言", + "ENG": "to state firmly that something is true" + }, + "breezy": { + "CHS": "轻松愉快的", + "ENG": "a breezy person is happy, confident, and relaxed" + }, + "hesitate": { + "CHS": "犹豫", + "ENG": "If you hesitate, you do not speak or act for a short time, usually because you are uncertain, embarrassed, or worried about what you are going to say or do." + }, + "presidency": { + "CHS": "总统任期", + "ENG": "the position of being the president of a country or organization, or the period of time during which someone is president" + }, + "quota": { + "CHS": "配额", + "ENG": "an official limit on the number or amount of something that is allowed in a particular period" + }, + "dropout": { + "CHS": "辍学学生", + "ENG": "someone who leaves school or college before they have finished" + }, + "capture": { + "CHS": "逮捕;捕捉", + "ENG": "to catch a person and keep them as a prisoner" + }, + "integrity": { + "CHS": "正直", + "ENG": "the quality of being honest and strong about what you believe to be right" + }, + "flee": { + "CHS": "离开", + "ENG": "to leave somewhere very quickly, in order to escape from danger" + }, + "certification": { + "CHS": "证书", + "ENG": "an official document that says that someone is allowed to do a certain job, that something is of good quality etc" + }, + "instant": { + "CHS": "立即的", + "ENG": "happening or produced immediately" + }, + "criminal": { + "CHS": "罪犯", + "ENG": "someone who is involved in illegal activities or has been proved guilty of a crime" + }, + "clue": { + "CHS": "线索", + "ENG": "an object or piece of information that helps someone solve a crime or mystery" + }, + "arrogant": { + "CHS": "傲慢无礼的", + "ENG": "behaving in an unpleasant or rude way because you think you are more important than other people" + }, + "elevate": { + "CHS": "提升;举起", + "ENG": "to move someone or something to a more important level or rank, or make them better than before" + }, + "expansion": { + "CHS": "扩张;扩大", + "ENG": "when a company, business etc becomes larger by opening new shops, factories etc" + }, + "authority": { + "CHS": "权威;当局", + "ENG": "the power you have because of your official position" + }, + "publicize": { + "CHS": "宣传", + "ENG": "to give information about something to the public, so that they know about it" + }, + "reflective": { + "CHS": "反映的,反射的;深思熟虑的", + "ENG": "a reflective surface reflects light" + }, + "quantity": { + "CHS": "数量", + "ENG": "an amount of something that can be counted or measured" + }, + "acutely": { + "CHS": "强烈地", + "ENG": "feeling or noticing something very strongly" + }, + "isolate": { + "CHS": "使隔离", + "ENG": "to separate one person, group, or thing from other people or things" + }, + "vigorous": { + "CHS": "积极的;精力充沛的", + "ENG": "using a lot of energy and strength or determination" + }, + "counsel": { + "CHS": "建议,忠告", + "ENG": "to advise someone" + }, + "vivid": { + "CHS": "生动的", + "ENG": "vivid memories, dreams, descriptions etc are so clear that they seem real" + }, + "hostility": { + "CHS": "敌意", + "ENG": "when someone is unfriendly and full of anger towards another person" + }, + "collaborate": { + "CHS": "合作", + "ENG": "to work together with a person or group in order to achieve something, especially in science or art" + }, + "consultation": { + "CHS": "商议", + "ENG": "a discussion in which people who are affected by or involved in something can give their opinions" + }, + "transition": { + "CHS": "过渡", + "ENG": "when something changes from one form or state to another" + }, + "deteriorate": { + "CHS": "恶化", + "ENG": "to become worse" + }, + "pasture": { + "CHS": "牧场", + "ENG": "land or a field that is covered with grass and is used for cattle, sheep etc to feed on" + }, + "eyewitness": { + "CHS": "目击者", + "ENG": "someone who has seen something such as a crime happen, and is able to describe it afterwards" + }, + "trait": { + "CHS": "特点", + "ENG": "a particular quality in someone’s character" + }, + "anticipate": { + "CHS": "期望,预期", + "ENG": "to expect that something will happen and be ready for it" + }, + "numerous": { + "CHS": "无数的", + "ENG": "If people or things are numerous, they exist or are present in large numbers." + }, + "combination": { + "CHS": "组合,结合", + "ENG": "two or more different things that exist together or are used or put together" + }, + "slightly": { + "CHS": "轻微地", + "ENG": "Slightly means to some degree but not to a very large degree" + }, + "dividend": { + "CHS": "分红,红利", + "ENG": "a part of a company’s profit that is divided among the people with shares in the company" + }, + "minimal": { + "CHS": "最低的,最小限度的", + "ENG": "very small in degree or amount, especially the smallest degree or amount possible" + }, + "derail": { + "CHS": "脱轨", + "ENG": "if a train derails or something derails it, it goes off the tracks" + }, + "barrier": { + "CHS": "障碍,阻碍", + "ENG": "a rule, problem etc that prevents people from doing something, or limits what they can do" + }, + "ingenuity": { + "CHS": "创造力", + "ENG": "skill at inventing things and thinking of new ideas" + }, + "bribe": { + "CHS": "贿赂", + "ENG": "to illegally give someone, especially a public official, money or a gift in order to persuade them to do something for you" + }, + "guesstimate": { + "CHS": "大概估计,瞎猜估计", + "ENG": "an attempt to judge a quantity by guessing it" + }, + "negotiation": { + "CHS": "协商", + "ENG": "official discussions between the representatives of opposing groups who are trying to reach an agreement, especially in business or politics" + }, + "hardship": { + "CHS": "艰难", + "ENG": "something that makes your life difficult or unpleasant, especially a lack of money, or the condition of having a difficult life" + }, + "badge": { + "CHS": "标记, 徽章", + "ENG": "a small piece of metal, cloth, or plastic with a picture or words on it, worn to show rank, membership of a group, support for a political idea etc" + }, + "compromise": { + "CHS": "妥协", + "ENG": "to reach an agreement in which everyone involved accepts less than what they wanted at first" + }, + "excess": { + "CHS": "过量,过度", + "ENG": "a larger amount of something than is allowed or needed" + }, + "descendant": { + "CHS": "子孙后代", + "ENG": "someone who is related to a person who lived a long time ago, or to a family, group of people etc that existed in the past" + }, + "fulfill": { + "CHS": "实现", + "ENG": "if you fulfill a hope, wish, or aim, you achieve the thing that you hoped for, wished for etc" + }, + "collective": { + "CHS": "共同的", + "ENG": "shared or made by every member of a group or society" + }, + "amend": { + "CHS": "修订", + "ENG": "to correct or make small changes to something that is written or spoken" + }, + "tangled": { + "CHS": "纠缠的;复杂的", + "ENG": "twisted together in an untidy mass" + }, + "qualification": { + "CHS": "资格", + "ENG": "if you have a qualification, you have passed an examination or course to show you have a particular level of skill or knowledge in a subject" + }, + "recall": { + "CHS": "回忆起,想起", + "ENG": "to remember a particular fact, event, or situation from the past" + }, + "adopt": { + "CHS": "采纳", + "ENG": "to start to deal with or think about something in a particular way" + }, + "tasteless": { + "CHS": "没有味道的", + "ENG": "food or drink that is tasteless is unpleasant because it has no particular taste" + }, + "drown": { + "CHS": "溺水", + "ENG": "to die from being under water for too long, or to kill someone in this way" + }, + "tragedy": { + "CHS": "悲剧", + "ENG": "a very sad event, that shocks people because it involves death" + }, + "circulation": { + "CHS": "发行量", + "ENG": "the average number of copies of a newspaper or magazine that are usually sold each day, week, month etc" + }, + "grand": { + "CHS": "壮丽的,极好的", + "ENG": "big and very impressive" + }, + "inadequate": { + "CHS": "不足的", + "ENG": "not good enough, big enough, skilled enough etc for a particular purpose" + }, + "household": { + "CHS": "家庭,一家人", + "ENG": "all the people who live together in one house" + }, + "authorization": { + "CHS": "授权", + "ENG": "official permission to do something, or the document giving this permission" + }, + "auxiliary": { + "CHS": "辅助的", + "ENG": "auxiliary workers provide additional help for another group of workers" + }, + "adverse": { + "CHS": "不利的", + "ENG": "not good or favourable" + }, + "descriptive": { + "CHS": "描写的,描述的", + "ENG": "giving a description of something" + }, + "trace": { + "CHS": "追踪", + "ENG": "to find the origin or cause of sth" + }, + "bloom": { + "CHS": "开花,茂盛", + "ENG": "if a plant or a flower blooms, its flowers appear or open" + }, + "evaluate": { + "CHS": "评价", + "ENG": "to judge how good, useful, or successful something is" + }, + "humanistic": { + "CHS": "人文的", + "ENG": "A humanistic idea, condition, or practice relates to humanism" + }, + "cozy": { + "CHS": "舒适的", + "ENG": "a place that is cozy is small, comfortable, and warm" + }, + "plough": { + "CHS": "犁", + "ENG": "a piece of farm equipment used to turn over the earth so that seeds can be planted" + }, + "melt": { + "CHS": "融化", + "ENG": "if something solid melts or if heat melts it, it becomes liquid" + }, + "lest": { + "CHS": "以免", + "ENG": "in order to make sure that something will not happen" + }, + "ready": { + "CHS": "乐意的,愿意的", + "ENG": "very willing to do something" + }, + "formidable": { + "CHS": "可怕的;令人敬畏的,令人惊叹的", + "ENG": "very powerful or impressive, and often frightening" + }, + "feasible": { + "CHS": "可行的", + "ENG": "a plan, idea, or method that is feasible is possible and is likely to work" + }, + "regarding": { + "CHS": "关于", + "ENG": "a word used especially in letters or speeches to introduce the subject you are writing or talking about" + }, + "needle": { + "CHS": "指针;针", + "ENG": "a long thin piece of metal on a scientific instrument that moves backwards and forwards and points to numbers or directions" + }, + "dimension": { + "CHS": "尺寸;维", + "ENG": "the length, height, width, depth, or diameter of something" + }, + "specialize": { + "CHS": "专业从事", + "ENG": "to limit all or most of your study, business etc to a particular subject or activity" + }, + "overturn": { + "CHS": "推翻", + "ENG": "if you overturn something, or if it overturns, it turns upside down or falls over on its side" + }, + "shrank": { + "CHS": "收缩(shrink过去式)", + "ENG": "to become smaller, or to make something smaller, through the effects of heat or water" + }, + "adversely": { + "CHS": "不利地" + }, + "check": { + "CHS": "检查;阻止", + "ENG": "to do something in order to find out whether something really is correct, true, or in good condition" + }, + "testimony": { + "CHS": "证词", + "ENG": "a formal statement saying that something is true, especially one a witness makes in a court of law" + }, + "rigorous": { + "CHS": "严格的", + "ENG": "careful, thorough, and exact" + }, + "privileged": { + "CHS": "有特权的", + "ENG": "having advantages because of your wealth, social position etc" + }, + "expectation": { + "CHS": "期望", + "ENG": "a feeling or belief about the way something should be or how someone should behave" + }, + "bias": { + "CHS": "偏见", + "ENG": "an opinion about whether a person, group, or idea is good or bad that influences how you deal with it" + }, + "lawsuit": { + "CHS": "诉讼", + "ENG": "a problem or complaint that a person or organization brings to a court of law to be settled" + }, + "eloquent": { + "CHS": "口才好的,雄辩的", + "ENG": "able to express your ideas and opinions well, especially in a way that influences people" + }, + "shrink": { + "CHS": "缩减,缩小", + "ENG": "to become smaller, or to make something smaller, through the effects of heat or water" + }, + "regulation": { + "CHS": "规则;管理", + "ENG": "an official rule or order" + }, + "alternative": { + "CHS": "代替品", + "ENG": "If one thing is an alternative to another, the first can be found, used, or done instead of the second" + }, + "moist": { + "CHS": "潮湿的", + "ENG": "slightly wet, especially in a way that is pleasant or suitable" + }, + "surpass": { + "CHS": "超过", + "ENG": "to be even better or greater than someone or something else" + }, + "fabric": { + "CHS": "布料", + "ENG": "cloth used for making clothes, curtains etc" + }, + "distinction": { + "CHS": "区分", + "ENG": "a clear difference or separation between two similar things" + }, + "eradicate": { + "CHS": "根除", + "ENG": "to completely get rid of something such as a disease or a social problem" + }, + "brilliant": { + "CHS": "才华横溢的;极好的", + "ENG": "extremely clever or skilful" + }, + "redefine": { + "CHS": "重新定义", + "ENG": "If you redefine something, you cause people to consider it in a new way" + }, + "arm": { + "CHS": "装备,武装", + "ENG": "to provide weapons for yourself, an army, a country etc in order to prepare for a fight or a war" + }, + "intensely": { + "CHS": "强烈地" + }, + "desperate": { + "CHS": "绝望的,不顾一切的", + "ENG": "willing to do anything to change a very bad situation, and not caring about danger" + }, + "sexism": { + "CHS": "性别歧视", + "ENG": "the belief that one sex is weaker, less intelligent, or less important than the other, especially when this results in someone being treated unfairly" + }, + "bruise": { + "CHS": "使碰伤,擦伤", + "ENG": "if part of your body bruises, or if you bruise part of your body, it gets hit or hurt and a bruise appears" + }, + "prominent": { + "CHS": "卓越的;突出的", + "ENG": "important" + }, + "comprehensive": { + "CHS": "综合的,全面的", + "ENG": "including all the necessary facts, details, or problems that need to be dealt with" + }, + "forecast": { + "CHS": "预报,预测", + "ENG": "a description of what is likely to happen in the future, based on the information that you have now" + }, + "champion": { + "CHS": "支持,拥护", + "ENG": "If you champion a person, a cause, or a principle, you support or defend them" + }, + "specification": { + "CHS": "说明", + "ENG": "a detailed instruction about how a car, building, piece of equipment etc should be made" + }, + "layout": { + "CHS": "布局,设计", + "ENG": "the way in which something such as a town, garden, or building is arranged" + }, + "rally": { + "CHS": "集会", + "ENG": "a large public meeting, especially one that is held outdoors to support a political idea, protest etc" + }, + "romantic": { + "CHS": "爱情的", + "ENG": "connected or concerned with love" + }, + "deviate": { + "CHS": "偏离", + "ENG": "to change what you are doing so that you are not following an expected plan, idea, or type of behaviour" + }, + "insufficient": { + "CHS": "不足的", + "ENG": "not enough, or not great enough" + }, + "boost": { + "CHS": "提高", + "ENG": "to increase or improve something and make it more successful" + }, + "scandal": { + "CHS": "丑闻", + "ENG": "an event in which someone, especially someone important, behaves in a bad way that shocks people" + }, + "confine": { + "CHS": "限制", + "ENG": "to keep someone or something within the limits of a particular activity or subject" + }, + "conspicuous": { + "CHS": "显著的", + "ENG": "very easy to notice" + }, + "significant": { + "CHS": "重要的", + "ENG": "having an important effect or influence, especially on what will happen in the future" + }, + "fresh": { + "CHS": "新颖的,新奇的", + "ENG": "good or interesting because it has not been done, seen etc before" + }, + "indulge": { + "CHS": "放纵", + "ENG": "to let someone have or do whatever they want, even if it is bad for them" + }, + "instinctively": { + "CHS": "本能地" + }, + "complement": { + "CHS": "补充", + "ENG": "someone or something that emphasizes the good qualities of another person or thing" + }, + "content": { + "CHS": "满意的", + "ENG": "happy and satisfied" + }, + "squalor": { + "CHS": "肮脏", + "ENG": "the condition of being dirty and unpleasant because of a lack of care or money" + }, + "fatigue": { + "CHS": "疲惫", + "ENG": "very great tiredness" + }, + "awesome": { + "CHS": "令人敬畏的,令人赞叹的;极好的", + "ENG": "extremely impressive, serious, or difficult so that you feel great respect, worry, or fear" + }, + "responsive": { + "CHS": "灵敏的,反应的", + "ENG": "reacting quickly, in a positive way" + }, + "echo": { + "CHS": "随声附和,发出回声", + "ENG": "if a sound echoes, you hear it again because it was made near something such as a wall or hill" + }, + "division": { + "CHS": "分歧", + "ENG": "disagreement among the members of a group that makes them form smaller opposing groups" + }, + "gender": { + "CHS": "性别", + "ENG": "the fact of being male or female" + }, + "correlation": { + "CHS": "相关,关联", + "ENG": "a connection between two ideas, facts etc, especially when one may be the cause of the other" + }, + "casualty": { + "CHS": "伤亡人数", + "ENG": "someone who is hurt or killed in an accident or war" + }, + "appropriate": { + "CHS": "适当的", + "ENG": "correct or suitable for a particular time, situation, or purpose" + }, + "subtle": { + "CHS": "微妙的", + "ENG": "not easy to notice or understand unless you pay careful attention" + }, + "critical": { + "CHS": "批评的;关键的", + "ENG": "if you are critical, you criticize someone or something" + }, + "alternatively": { + "CHS": "二选一地;非此即彼", + "ENG": "You use alternatively to introduce a suggestion or to mention something different from what has just been stated." + }, + "intimate": { + "CHS": "亲密的", + "ENG": "having an extremely close friendship" + }, + "disengagement": { + "CHS": "分离", + "ENG": "Disengagement is a process by which people gradually stop being involved in a conflict, activity, or organization." + }, + "lounge": { + "CHS": "休息室", + "ENG": "a public room in a hotel or other building, that is used by many people as a place to relax" + }, + "gesture": { + "CHS": "姿势,手势", + "ENG": "a movement of part of your body, especially your hands or head, to show what you mean or how you feel" + }, + "script": { + "CHS": "脚本,剧本", + "ENG": "the written form of a speech, play, film etc" + }, + "prestige": { + "CHS": "名声,声望", + "ENG": "the respect and admiration that someone or something gets because of their success or important position in society" + }, + "awkward": { + "CHS": "尴尬的;棘手的;笨拙的", + "ENG": "making you feel embarrassed so that you are not sure what to do or say" + }, + "entrepreneur": { + "CHS": "企业家", + "ENG": "someone who starts a new business or arranges business deals in order to make money, often in a way that involves financial risks" + }, + "automatic": { + "CHS": "自动的", + "ENG": "an automatic machine is designed to work without needing someone to operate it for each part of a process" + }, + "thrive": { + "CHS": "繁荣,兴旺", + "ENG": "to become very successful or very strong and healthy" + }, + "enrich": { + "CHS": "丰富,使富裕", + "ENG": "to improve the quality of something, especially by adding things to it" + }, + "chew": { + "CHS": "咀嚼;深思", + "ENG": "to bite food several times before swallowing it" + }, + "vehicle": { + "CHS": "车辆", + "ENG": "a machine with an engine that is used to take people or things from one place to another, such as a car, bus, or truck" + }, + "intriguing": { + "CHS": "有趣的", + "ENG": "something that is intriguing is very interesting because it is strange, mysterious, or unexpected" + }, + "segregation": { + "CHS": "隔离", + "ENG": "when people of different races, sexes, or religions are kept apart so that they live, work, or study separately" + }, + "hurl": { + "CHS": "猛投", + "ENG": "to throw something with a lot of force, especially because you are angry" + }, + "hatch": { + "CHS": "孵化", + "ENG": "if an egg hatches, or if it is hatched, it breaks, letting the young bird, insect etc come out" + }, + "disservice": { + "CHS": "危害", + "ENG": "If you do someone or something a disservice, you harm them in some way" + }, + "variation": { + "CHS": "变化", + "ENG": "a difference between similar things, or a change from the usual amount or form of something" + }, + "enormous": { + "CHS": "巨大的", + "ENG": "very big in size or in amount" + }, + "scare": { + "CHS": "恐吓,惊恐", + "ENG": "a sudden feeling of fear" + }, + "alphabetical": { + "CHS": "按字母表顺序的", + "ENG": "relating to the alphabet" + }, + "conclusive": { + "CHS": "得出结论的", + "ENG": "showing that something is definitely true" + }, + "epidemic": { + "CHS": "流行病", + "ENG": "a large number of cases of a disease that happen at the same time" + }, + "solid": { + "CHS": "坚实的;稳固的", + "ENG": "that you can rely on; having a strong basis" + }, + "clause": { + "CHS": "条款", + "ENG": "a part of a written law or legal document covering a particular subject of the whole law or document" + }, + "attendant": { + "CHS": "服务人员", + "ENG": "someone whose job is to look after or help customers in a public place" + }, + "collapse": { + "CHS": "坍塌,崩塌", + "ENG": "if a building, wall etc collapses, it falls down suddenly, usually because it is weak or damaged" + }, + "dispatch": { + "CHS": "发送,派遣", + "ENG": "to send someone or something somewhere for a particular purpose" + }, + "shrug": { + "CHS": "耸肩", + "ENG": "to raise and then lower your shoulders in order to show that you do not know something or do not care about something" + }, + "redundant": { + "CHS": "失业的,被解雇的;过剩的", + "ENG": "if you are redundant, your employer no longer has a job for you" + }, + "alert": { + "CHS": "提醒", + "ENG": "to make someone realize something important or dangerous" + }, + "deficit": { + "CHS": "赤字", + "ENG": "the difference between the amount of something that you have and the higher amount that you need" + }, + "restructure": { + "CHS": "调整,重建", + "ENG": "to change the way in which something such as a government, business, or system is organized" + }, + "tap": { + "CHS": "轻敲", + "ENG": "to hit your fingers lightly on something, for example to get someone’s attention" + }, + "simultaneous": { + "CHS": "同步的", + "ENG": "things that are simultaneous happen at exactly the same time" + }, + "arise": { + "CHS": "出现", + "ENG": "if a problem or difficult situation arises, it begins to happen" + }, + "wildlife": { + "CHS": "野生动物", + "ENG": "animals and plants growing in natural conditions" + }, + "overwhelm": { + "CHS": "压倒,战胜", + "ENG": "to defeat an army completely" + }, + "motivation": { + "CHS": "动力,积极性", + "ENG": "eagerness and willingness to do something without needing to be told or forced to do it" + }, + "delicate": { + "CHS": "细微的;精细的", + "ENG": "needing to be dealt with carefully or sensitively in order to avoid problems or failure" + }, + "remarkable": { + "CHS": "显著的,杰出的", + "ENG": "unusual or surprising and therefore deserving attention or praise" + }, + "slavery": { + "CHS": "奴隶制度", + "ENG": "the system of having slaves" + }, + "untreated": { + "CHS": "未经处理的", + "ENG": "harmful substances that are untreated have not been made safe" + }, + "suspicious": { + "CHS": "怀疑的", + "ENG": "thinking that someone might be guilty of doing something wrong or dishonest" + }, + "ancient": { + "CHS": "古代的", + "ENG": "belonging to a time long ago in history, especially thousands of years ago" + }, + "distort": { + "CHS": "歪曲;扭曲", + "ENG": "to report something in a way that is not completely true or correct" + }, + "skip": { + "CHS": "跳过", + "ENG": "to not read, mention, or deal with something that would normally come or happen next" + }, + "wishful": { + "CHS": "一厢情愿的" + }, + "entrepreneurship": { + "CHS": "企业管理", + "ENG": "Entrepreneurship is the state of being an entrepreneur, or the activities associated with being an entrepreneur" + }, + "bride": { + "CHS": "新娘", + "ENG": "a woman at the time she gets married or just after she is married" + }, + "unfold": { + "CHS": "展开", + "ENG": "if a story unfolds, or if someone unfolds it, it is told" + }, + "interference": { + "CHS": "干涉", + "ENG": "an act of interfering" + }, + "assault": { + "CHS": "攻击", + "ENG": "a military attack to take control of a place controlled by the enemy" + }, + "shareholder": { + "CHS": "股东", + "ENG": "someone who owns shares in a company or business" + }, + "breakthrough": { + "CHS": "突破性进展", + "ENG": "an important new discovery in something you are studying, especially one made after trying for a long time" + }, + "footnote": { + "CHS": "注脚", + "ENG": "a piece of additional information that is not very important but is interesting or helps you understand something" + }, + "applicable": { + "CHS": "可应用的", + "ENG": "if something is applicable to a particular person, group, or situation, it affects them or is related to them" + }, + "controversial": { + "CHS": "受到争议的", + "ENG": "causing a lot of disagreement, because many people have strong opinions about the subject being discussed" + }, + "inherit": { + "CHS": "继承", + "ENG": "to receive money, property etc from someone after they have died" + }, + "facilitate": { + "CHS": "使便利;促进", + "ENG": "To facilitate an action or process, especially one that you would like to happen, means to make it easier or more likely to happen" + }, + "manifest": { + "CHS": "表明", + "ENG": "to show a feeling, attitude etc" + }, + "fiscal": { + "CHS": "财政的", + "ENG": "relating to money, taxes, debts etc that are owned and managed by the government" + }, + "gown": { + "CHS": "长袍", + "ENG": "a long loose piece of clothing worn for special ceremonies by judges, teachers, lawyers, and members of universities" + }, + "rate": { + "CHS": "费用", + "ENG": "a charge or payment that is set according to a standard scale" + }, + "mortality": { + "CHS": "死亡率", + "ENG": "the number of deaths during a particular period of time among a particular type or group of people" + }, + "decline": { + "CHS": "拒绝", + "ENG": "to say no politely when someone invites you somewhere, offers you something, or wants you to do something" + }, + "mournful": { + "CHS": "悲哀的;令人惋惜的", + "ENG": "If you are mournful, you are very sad" + }, + "paradox": { + "CHS": "悖论", + "ENG": "a statement that seems impossible because it contains two opposing ideas that are both true" + }, + "simultaneously": { + "CHS": "同步地,同时地" + }, + "strategy": { + "CHS": "策略", + "ENG": "a planned series of actions for achieving something" + }, + "literacy": { + "CHS": "识字, 有文化", + "ENG": "the state of being able to read and write" + }, + "apathy": { + "CHS": "冷漠", + "ENG": "the feeling of not being interested in something, and not willing to make any effort to change or improve things" + }, + "boom": { + "CHS": "繁荣", + "ENG": "a quick increase of business activity" + }, + "oblige": { + "CHS": "迫使", + "ENG": "if you are obliged to do something, you have to do it because the situation, the law, a duty etc makes it necessary" + }, + "incompatibility": { + "CHS": "不兼容" + }, + "commerce": { + "CHS": "商业", + "ENG": "the buying and selling of goods and services" + }, + "attribute": { + "CHS": "归因于", + "ENG": "If you attribute something to an event or situation, you think that it was caused by that event or situation" + }, + "cafeteria": { + "CHS": "自助餐厅", + "ENG": "a restaurant, often in a factory, college etc, where you choose from foods that have already been cooked and carry your own food to a table" + }, + "cripple": { + "CHS": "残疾,跛子", + "ENG": "someone who is unable to walk properly because their legs are damaged or injured - now considered offensive" + }, + "shuttle": { + "CHS": "航天飞机", + "ENG": "a space shuttle" + }, + "nightmare": { + "CHS": "噩梦", + "ENG": "a very frightening dream" + }, + "startle": { + "CHS": "使惊讶", + "ENG": "to make someone suddenly surprised or slightly shocked" + }, + "debris": { + "CHS": "残骸,碎片", + "ENG": "the pieces of something that are left after it has been destroyed in an accident, explosion etc" + }, + "assemble": { + "CHS": "收集,组装", + "ENG": "to put all the parts of something together" + }, + "perception": { + "CHS": "看法;意识", + "ENG": "Your perception of something is the way that you think about it or the impression you have of it" + }, + "coastal": { + "CHS": "海滨的", + "ENG": "in the sea or on the land near the coast" + }, + "desert": { + "CHS": "放弃,抛弃", + "ENG": "to leave someone or something and no longer help or support them" + }, + "peer": { + "CHS": "同龄人", + "ENG": "your peers are the people who are the same age as you, or who have the same type of job, social class etc" + }, + "embody": { + "CHS": "体现", + "ENG": "to be a very good example of an idea or quality" + }, + "sympathetic": { + "CHS": "同情的", + "ENG": "caring and feeling sorry about someone’s problems" + }, + "backup": { + "CHS": "后补,援助", + "ENG": "extra help or support that you can get if necessary" + }, + "notably": { + "CHS": "显著地,尤其", + "ENG": "in a way that is clearly different, important, or unusual" + }, + "exploit": { + "CHS": "开发,开采", + "ENG": "to develop and use minerals, forests, oil etc for business or industry" + }, + "poetry": { + "CHS": "诗歌", + "ENG": "poems in general, or the art of writing them" + }, + "discriminate": { + "CHS": "歧视;区别", + "ENG": "to treat a person or group differently from another in an unfair way" + }, + "readjust": { + "CHS": "重新调整,再调整", + "ENG": "to make a small change to something or to its position" + }, + "slight": { + "CHS": "轻微的", + "ENG": "small in degree" + }, + "strip": { + "CHS": "狭长的一块", + "ENG": "a long narrow area of land" + }, + "tackle": { + "CHS": "解决,处理", + "ENG": "to try to deal with a difficult problem" + }, + "steady": { + "CHS": "稳定的", + "ENG": "continuing or developing gradually or without stopping, and not likely to change" + }, + "minority": { + "CHS": "少数,少数民族", + "ENG": "a small group of people or things within a much larger group" + }, + "aspirational": { + "CHS": "渴望成功的的", + "ENG": "having a strong desire to have or achieve something" + }, + "discipline": { + "CHS": "训练,管教", + "ENG": "a way of training someone so that they learn to control their behaviour and obey rules" + }, + "threshold": { + "CHS": "门槛", + "ENG": "the entrance to a room or building, or the area of floor or ground at the entrance" + }, + "soar": { + "CHS": "高飞", + "ENG": "to fly, especially very high up in the sky, floating on air currents" + }, + "uneven": { + "CHS": "不均衡的", + "ENG": "not regular" + }, + "crucial": { + "CHS": "关键的", + "ENG": "something that is crucial is extremely important, because everything else depends on it" + }, + "athletics": { + "CHS": "体育运动", + "ENG": "sports such as running and jumping" + }, + "needy": { + "CHS": "贫穷的", + "ENG": "having very little food or money" + }, + "enthusiastic": { + "CHS": "热情的", + "ENG": "feeling or showing a lot of interest and excitement about something" + }, + "trigger": { + "CHS": "引发,引起", + "ENG": "to make something happen very quickly, especially a series of events" + }, + "essential": { + "CHS": "必须的;本质的", + "ENG": "extremely important and necessary" + }, + "agenda": { + "CHS": "议程", + "ENG": "a list of problems or subjects that a government, organization etc is planning to deal with" + }, + "owe": { + "CHS": "欠钱", + "ENG": "to need to pay someone for something that they have done for you or sold to you, or to need to give someone back money that they have lent you" + }, + "justice": { + "CHS": "公平", + "ENG": "fairness in the way people are treated" + }, + "donor": { + "CHS": "捐赠者", + "ENG": "a person, group etc that gives something, especially money, to help an organization or country" + }, + "convict": { + "CHS": "证明……有罪", + "ENG": "to prove or officially announce that someone is guilty of a crime after a trial in a law court" + }, + "underestimate": { + "CHS": "低估", + "ENG": "to think or guess that something is smaller, cheaper, easier etc than it really is" + }, + "flat": { + "CHS": "公寓", + "ENG": "a place for people to live that consists of a set of rooms that are part of a larger building" + }, + "confidential": { + "CHS": "机密的", + "ENG": "spoken or written in secret and intended to be kept secret" + }, + "unexpected": { + "CHS": "意想不到的", + "ENG": "used to describe something that is surprising because you were not expecting it" + }, + "vitamin": { + "CHS": "维他命", + "ENG": "a chemical substance in food that is necessary for good health" + }, + "jeopardize": { + "CHS": "危害,危及", + "ENG": "to risk losing or spoiling something important" + }, + "disproportionately": { + "CHS": "比例不均地,不成比例地" + }, + "bacteria": { + "CHS": "细菌", + "ENG": "very small living things, some of which cause illness or disease" + }, + "achieve": { + "CHS": "达到,实现", + "ENG": "to successfully complete something or get a good result, especially by working hard" + }, + "bump": { + "CHS": "颠簸", + "ENG": "to move up and down as you move forward, especially in a vehicle" + }, + "existence": { + "CHS": "存在;生存", + "ENG": "the state of existing" + }, + "sweep": { + "CHS": "扫除,清除", + "ENG": "to clean the dust, dirt etc from the floor or ground, using a brush with a long handle" + }, + "shrewd": { + "CHS": "精明的", + "ENG": "good at judging what people or situations are really like" + }, + "illuminate": { + "CHS": "阐释,阐明", + "ENG": "to make something much clearer and easier to understand" + }, + "realm": { + "CHS": "领域,方面", + "ENG": "a general area of knowledge, activity, or thought" + }, + "blueprint": { + "CHS": "蓝图,设计图", + "ENG": "a plan for achieving something" + }, + "pension": { + "CHS": "养老金", + "ENG": "an amount of money paid regularly by the government or company to someone who does not work any more, for example because they have reached the age when people stop working or because they are ill" + }, + "administration": { + "CHS": "管理;政府", + "ENG": "the activities that are involved in managing the work of a company or organization" + }, + "track": { + "CHS": "轨迹,踪迹", + "ENG": "a line of marks left on the ground by a moving person, animal, or vehicle" + }, + "ponder": { + "CHS": "仔细考虑", + "ENG": "to spend time thinking carefully and seriously about a problem, a difficult question, or something that has happened" + }, + "paradise": { + "CHS": "天堂", + "ENG": "in some religions, a perfect place where people are believed to go after they die, if they have led good lives" + }, + "ethnic": { + "CHS": "种族的", + "ENG": "relating to a particular race, nation, or tribe and their customs and traditions" + }, + "accelerate": { + "CHS": "加速", + "ENG": "if a process accelerates or if something accelerates it, it happens faster than usual or sooner than you expect" + }, + "bitter": { + "CHS": "痛苦的", + "ENG": "making you feel very unhappy and upset" + }, + "ambition": { + "CHS": "野心,报复", + "ENG": "determination to be successful, rich, powerful etc" + }, + "confess": { + "CHS": "承认", + "ENG": "to admit something that you feel embarrassed about" + }, + "extent": { + "CHS": "程度", + "ENG": "how large, important, or serious something is, especially something such as a problem or injury" + }, + "accountant": { + "CHS": "会计", + "ENG": "someone whose job is to keep and check financial accounts, calculate taxes etc" + }, + "sheer": { + "CHS": "纯粹的", + "ENG": "You can use sheer to emphasize that a state or situation is complete and does not involve or is not mixed with anything else." + }, + "deliberate": { + "CHS": "故意的", + "ENG": "intended or planned" + }, + "pave": { + "CHS": "铺路", + "ENG": "to cover a path, road, area etc with a hard level surface such as blocks of stone or concrete" + }, + "measure": { + "CHS": "措施", + "ENG": "an action, especially an official one, that is intended to deal with a particular problem" + }, + "potentially": { + "CHS": "潜在地", + "ENG": "something that is potentially dangerous, useful etc is not dangerous etc now, but may become so in the future" + }, + "remove": { + "CHS": "消除,移除;更新", + "ENG": "to get rid of something so that it does not exist any longer" + }, + "allergic": { + "CHS": "过敏的", + "ENG": "having an allergy" + }, + "available": { + "CHS": "可获得的,可利用的", + "ENG": "something that is available is able to be used or can easily be bought or found" + }, + "initial": { + "CHS": "初步的,最初的", + "ENG": "happening at the beginning" + }, + "consensus": { + "CHS": "共识,一致", + "ENG": "an opinion that everyone in a group agrees with or accepts" + }, + "opponent": { + "CHS": "反对者", + "ENG": "someone who disagrees with a plan, idea, or system and wants to try to stop or change it" + }, + "modify": { + "CHS": "改变", + "ENG": "to make small changes to something in order to improve it and make it more suitable or effective" + }, + "signify": { + "CHS": "表明,象征", + "ENG": "to represent, mean, or be a sign of something" + }, + "accumulate": { + "CHS": "积累", + "ENG": "to gradually get more and more money, possessions, knowledge etc over a period of time" + }, + "mining": { + "CHS": "采矿业", + "ENG": "the work or industry of getting gold, coal etc out of the earth" + }, + "violent": { + "CHS": "暴力的", + "ENG": "involving actions that are intended to injure or kill people, by hitting them, shooting them etc" + }, + "adversity": { + "CHS": "逆境", + "ENG": "a situation in which you have a lot of problems that seem to be caused by bad luck" + }, + "dynamics": { + "CHS": "动力学", + "ENG": "the branch of mechanics concerned with the forces that change or produce the motions of bodies" + }, + "chaos": { + "CHS": "混乱", + "ENG": "a situation in which everything is happening in a confused way and nothing is organized or arranged in order" + }, + "persistent": { + "CHS": "持续的;坚持不懈的", + "ENG": "continuing to exist or happen, especially for longer than is usual or desirable" + }, + "ritual": { + "CHS": "仪式", + "ENG": "a ceremony that is always performed in the same way, in order to mark an important religious or social occasion" + }, + "criteria": { + "CHS": "标准", + "ENG": "A criterion is a factor on which you judge or decide something" + }, + "impose": { + "CHS": "强加于", + "ENG": "to force someone to have the same ideas, beliefs etc as you" + }, + "untiring": { + "CHS": "不知疲倦的", + "ENG": "working very hard for a long period of time in order to do something – used to show approval" + }, + "contrary": { + "CHS": "相反的", + "ENG": "contrary ideas, opinions, or actions are completely different and opposed to each other" + }, + "nutritious": { + "CHS": "有营养的", + "ENG": "food that is nutritious is full of the natural substances that your body needs to stay healthy or to grow properly" + }, + "anxiety": { + "CHS": "焦虑", + "ENG": "the feeling of being very worried about something" + }, + "rewarding": { + "CHS": "有意义的", + "ENG": "making you feel happy and satisfied because you feel you are doing something useful or important, even if you do not earn much money" + }, + "straightforward": { + "CHS": "直接的", + "ENG": "honest about your feelings or opinions and not hiding anything" + }, + "descent": { + "CHS": "血统, 后裔", + "ENG": "your family origins, especially your nationality or relationship to someone important who lived a long time ago" + }, + "hospitality": { + "CHS": "友好", + "ENG": "friendly behaviour towards visitors" + }, + "stuff": { + "CHS": "材料,东西", + "ENG": "used when you are talking about things such as substances, materials, or groups of objects when you do not know what they are called, or it is not important to say exactly what they are" + }, + "reflect": { + "CHS": "反映;反射;思考", + "ENG": "to show the image of sb/sth on the surface of sth such as a mirror, water or glass" + }, + "carpentry": { + "CHS": "木工活", + "ENG": "the skill or work of a carpenter" + }, + "decode": { + "CHS": "解码", + "ENG": "if a computer decodes data, it receives it and changes it into a form that can be used by the computer or understood by a person" + }, + "flaw": { + "CHS": "缺点,瑕疵", + "ENG": "a mistake, mark, or weakness that makes something imperfect" + }, + "reveal": { + "CHS": "揭露", + "ENG": "to make known something that was previously secret or unknown" + }, + "tutor": { + "CHS": "辅导", + "ENG": "to teach someone as a tutor" + }, + "accustom": { + "CHS": "使习惯", + "ENG": "to make yourself or another person become used to a situation or place" + }, + "acquaintance": { + "CHS": "熟人", + "ENG": "someone you know, but who is not a close friend" + }, + "distribution": { + "CHS": "分布,分配", + "ENG": "the act of sharing things among a large group of people in a planned way" + }, + "trend": { + "CHS": "趋势", + "ENG": "a general tendency in the way a situation is changing or developing" + }, + "irritate": { + "CHS": "激怒", + "ENG": "to make someone feel annoyed or impatient, especially by doing something many times or for a long period of time" + }, + "intrinsic": { + "CHS": "本质的,固有的", + "ENG": "being part of the nature or character of someone or something" + }, + "deem": { + "CHS": "认为", + "ENG": "to think of something in a particular way or as having a particular quality" + }, + "arouse": { + "CHS": "唤起", + "ENG": "to make you become interested, expect something etc" + }, + "suburban": { + "CHS": "郊区的", + "ENG": "related to a suburb, or in a suburb" + }, + "pursue": { + "CHS": "追求", + "ENG": "to continue doing an activity or trying to achieve something over a long period of time" + }, + "ideology": { + "CHS": "意识形态", + "ENG": "a set of beliefs on which a political or economic system is based, or which strongly influence the way people behave" + }, + "layman": { + "CHS": "门外汉", + "ENG": "someone who is not trained in a particular subject or type of work, especially when they are being compared with someone who is" + }, + "instantaneous": { + "CHS": "即时的,瞬间的", + "ENG": "happening immediately" + }, + "seasick": { + "CHS": "晕船的", + "ENG": "feeling ill when you travel in a boat, because of the movement of the boat in the water" + }, + "lack": { + "CHS": "缺少", + "ENG": "to not have something that you need, or not have enough of it" + }, + "exaggerate": { + "CHS": "夸张", + "ENG": "to make something seem better, larger, worse etc than it really is" + }, + "magnify": { + "CHS": "放大", + "ENG": "to make something seem bigger or louder, especially using special equipment" + }, + "utilization": { + "CHS": "利用" + }, + "twist": { + "CHS": "扭曲", + "ENG": "to bend or turn something, such as wire, hair, or cloth, into a particular shape" + }, + "expedition": { + "CHS": "探险,远征", + "ENG": "a long and carefully organized journey, especially to a dangerous or unfamiliar place, or the people that make this journey" + }, + "switch": { + "CHS": "转换", + "ENG": "to change from doing or using one thing to doing or using another" + }, + "inheritance": { + "CHS": "继承;遗产", + "ENG": "money, property etc that you receive from someone who has died" + }, + "sponsor": { + "CHS": "赞助商", + "ENG": "a person or company that pays for a show, broadcast, sports event etc, especially in exchange for the right to advertise at that event" + }, + "deterioration": { + "CHS": "恶化,退化" + }, + "ongoing": { + "CHS": "持续的,不间断的", + "ENG": "continuing, or continuing to develop" + }, + "refreshing": { + "CHS": "新鲜的", + "ENG": "pleasantly different from what is familiar and boring" + }, + "incidentally": { + "CHS": "顺便地,附带", + "ENG": "You use incidentally to introduce a point that is not directly relevant to what you are saying, often a question or extra information that you have just thought of" + }, + "imprison": { + "CHS": "监禁", + "ENG": "to put someone in prison or to keep them somewhere and prevent them from leaving" + }, + "present": { + "CHS": "呈现,给予", + "ENG": "to give something to someone, for example at a formal or official occasion" + }, + "uninformed": { + "CHS": "无知的,未受过教育的", + "ENG": "not having enough knowledge or information" + }, + "overlap": { + "CHS": "重叠", + "ENG": "If one thing overlaps another, or if you overlap them, a part of the first thing occupies the same area as a part of the other thing. You can also say that two things overlap." + }, + "slim": { + "CHS": "苗条的", + "ENG": "someone who is slim is attractively thin" + }, + "urban": { + "CHS": "城市的,都市的", + "ENG": "relating to towns and cities" + }, + "rank": { + "CHS": "排列;分级", + "ENG": "to arrange objects in a line or row" + }, + "untrustworthy": { + "CHS": "不值得信任的,怀疑的", + "ENG": "someone who is untrustworthy cannot be trusted" + }, + "Automatically": { + "CHS": "自动地;不经思考地", + "ENG": "by the action of a machine, without a person making it work" + }, + "accountable": { + "CHS": "应负责的,有责任的", + "ENG": "responsible for the effects of your actions and willing to explain or be criticized for them" + }, + "collaborative": { + "CHS": "合作的", + "ENG": "a job or piece of work that involves two or more people working together to achieve something" + }, + "practice": { + "CHS": "做法", + "ENG": "something that people do often, especially a particular way of doing something or a social or religious custom" + }, + "diligence": { + "CHS": "勤奋", + "ENG": "careful and thorough work or effort" + }, + "victim": { + "CHS": "受害者", + "ENG": "someone who has been attacked, robbed, or murdered" + }, + "urge": { + "CHS": "催促", + "ENG": "to strongly suggest that someone does something" + }, + "fertility": { + "CHS": "多产,肥沃", + "ENG": "the ability of the land or soil to produce good crops" + }, + "foundation": { + "CHS": "基金会", + "ENG": "an organization that gives or collects money to be used for special purposes, especially for charity or for medical research" + }, + "reception": { + "CHS": "接待", + "ENG": "a particular type of welcome for someone, or a particular type of reaction to their ideas, work etc" + }, + "elite": { + "CHS": "精英", + "ENG": "a group of people who have a lot of power and influence because they have money, knowledge, or special skills" + }, + "suicide": { + "CHS": "自杀", + "ENG": "the act of killing yourself" + }, + "incompetent": { + "CHS": "无能力的,不胜任的", + "ENG": "not having the ability or skill to do a job properly" + }, + "tremendous": { + "CHS": "巨大的", + "ENG": "very big, fast, powerful etc" + }, + "recyclable": { + "CHS": "可回收利用的", + "ENG": "used materials or substances that are recyclable can be recycled" + }, + "visualize": { + "CHS": "想象", + "ENG": "to form a picture of someone or something in your mind" + }, + "exertion": { + "CHS": "运用", + "ENG": "the use of power, influence etc to make something happen" + }, + "slack": { + "CHS": "疲软的,萧条的", + "ENG": "with less business activity than usual" + }, + "rigid": { + "CHS": "严格的", + "ENG": "rigid methods, systems etc are very strict and difficult to change" + }, + "organic": { + "CHS": "有机的", + "ENG": "relating to farming or gardening methods of growing food without using artificial chemicals, or produced or grown by these methods" + }, + "reproduction": { + "CHS": "繁殖", + "ENG": "the act or process of producing babies, young animals, or plants" + }, + "strap": { + "CHS": "用带绑住", + "ENG": "to fasten something or someone in place with one or more straps" + }, + "precision": { + "CHS": "精确性", + "ENG": "the quality of being very exact or correct" + }, + "standardize": { + "CHS": "标准化", + "ENG": "to make all the things of one particular type the same as each other" + }, + "aptly": { + "CHS": "适当地", + "ENG": "named, described etc in a way that seems very suitable" + }, + "promotion": { + "CHS": "促销", + "ENG": "an activity intended to help sell a product, or the product that is being promoted" + }, + "paralyze": { + "CHS": "瘫痪,麻痹", + "ENG": "if something paralyzes you, it makes you lose the ability to move part or all of your body, or to feel it" + }, + "degeneration": { + "CHS": "退化,变质", + "ENG": "the process of becoming worse or less acceptable in quality or condition" + }, + "refrain": { + "CHS": "抑制,避免", + "ENG": "to not do something that you want to do" + }, + "flavor": { + "CHS": "口味", + "ENG": "the particular taste of a food or drink" + }, + "adventure": { + "CHS": "冒险", + "ENG": "an exciting experience in which dangerous or unusual things happen" + }, + "agonize": { + "CHS": "使痛苦", + "ENG": "to think about a difficult decision very carefully and with a lot of effort" + }, + "mount": { + "CHS": "增加", + "ENG": "to increase gradually in amount or degree" + }, + "oppose": { + "CHS": "反对", + "ENG": "to disagree with something such as a plan or idea and try to prevent it from happening or succeeding" + }, + "justifiable": { + "CHS": "理所应当的", + "ENG": "actions, reactions, decisions etc that are justifiable are acceptable because they are done for good reasons" + }, + "promote": { + "CHS": "促进", + "ENG": "If people promote something, they help or encourage it to happen, increase, or spread" + }, + "renewable": { + "CHS": "可再生的", + "ENG": "renewable energy replaces itself naturally, or is easily replaced because there is a large supply of it" + }, + "hypothesis": { + "CHS": "假设,假说", + "ENG": "an idea that is suggested as an explanation for something, but that has not yet been proved to be true" + }, + "presentation": { + "CHS": "展示;讲话", + "ENG": "the way in which something is said, offered, shown, or explained to others" + }, + "cater": { + "CHS": "迎合", + "ENG": "To cater to a group of people means to provide all the things that they need or want" + }, + "unbiased": { + "CHS": "公正的", + "ENG": "unbiased information, opinions, advice etc is fair because the person giving it is not influenced by their own or other people’s opinions" + }, + "immersive": { + "CHS": "沉浸的,身临其境的", + "ENG": "providing information or stimulation for a number of senses, not only sight and sound" + }, + "domain": { + "CHS": "领域", + "ENG": "an area of activity, interest, or knowledge, especially one that a particular person, organization etc deals with" + }, + "primitive": { + "CHS": "原始的;简单的", + "ENG": "belonging to a simple way of life that existed in the past and does not have modern industries and machines" + }, + "urgent": { + "CHS": "急迫的", + "ENG": "very important and needing to be dealt with immediately" + }, + "threaten": { + "CHS": "威胁", + "ENG": "to say that you will cause someone harm or trouble if they do not do what you want" + }, + "throne": { + "CHS": "王位", + "ENG": "the position and power of being a king or queen" + }, + "underfunded": { + "CHS": "资金不足的", + "ENG": "a project, organization etc that is underfunded has not been given enough money to be effective" + }, + "jail": { + "CHS": "监狱", + "ENG": "a place where criminals are kept as part of their punishment, or where people who have been charged with a crime are kept before they are judged in a law court" + }, + "assessment": { + "CHS": "评估,评价", + "ENG": "a process in which you make a judgment about a person or situation, or the judgment you make" + }, + "frustrate": { + "CHS": "使挫败,使沮丧", + "ENG": "if something frustrates you, it makes you feel annoyed or angry because you are unable to do what you want" + }, + "abolition": { + "CHS": "废除", + "ENG": "when a law or a system is officially ended" + }, + "detective": { + "CHS": "侦探", + "ENG": "a police officer whose job is to discover information about crimes and catch criminals" + }, + "skyscraper": { + "CHS": "摩天大楼", + "ENG": "a very tall modern city building" + }, + "corruption": { + "CHS": "腐败", + "ENG": "dishonest, illegal, or immoral behaviour, especially from someone with power" + }, + "intolerant": { + "CHS": "无法容忍的", + "ENG": "If you describe someone as intolerant, you mean that they do not accept behaviour and opinions that are different from their own" + }, + "pierce": { + "CHS": "刺穿", + "ENG": "to make a small hole in or through something, using an object with a sharp point" + }, + "compensate": { + "CHS": "弥补", + "ENG": "to replace or balance the effect of something bad" + }, + "gap": { + "CHS": "差距", + "ENG": "a big difference between two situations, amounts, groups of people etc" + }, + "worship": { + "CHS": "崇拜,喜爱", + "ENG": "to admire and love someone very much" + }, + "gallery": { + "CHS": "美术馆", + "ENG": "a large building where people can see famous pieces of art" + }, + "coach": { + "CHS": "教练", + "ENG": "someone who trains a person or team in a sport" + }, + "cancel": { + "CHS": "取消", + "ENG": "to decide that something that was officially planned will not happen" + }, + "strike": { + "CHS": "罢工", + "ENG": "a period of time when a group of workers deliberately stop working because of a disagreement about pay, working conditions etc" + }, + "rebellion": { + "CHS": "叛逆", + "ENG": "an organized attempt to change the government or leader of a country, using violence" + }, + "distract": { + "CHS": "分心,分散注意", + "ENG": "to take someone’s attention away from something by making them look at or listen to something else" + }, + "imperative": { + "CHS": "必须的,必要的", + "ENG": "extremely important and needing to be done or dealt with immediately" + }, + "geology": { + "CHS": "地质学", + "ENG": "the study of the rocks, soil etc that make up the Earth, and of the way they have changed since the Earth was formed" + }, + "sway": { + "CHS": "影响", + "ENG": "to influence someone so that they change their opinion" + }, + "costume": { + "CHS": "服装", + "ENG": "a set of clothes worn by an actor or by someone to make them look like something such as an animal, famous person etc" + }, + "manual": { + "CHS": "手工的;体力的", + "ENG": "manual work involves using your hands or your physical strength rather than your mind" + }, + "quantifiable": { + "CHS": "可量化的", + "ENG": "Something that is quantifiable can be measured or counted in a scientific way" + }, + "expenditure": { + "CHS": "费用,花销", + "ENG": "the action of spending or using time, money, energy etc" + }, + "breed": { + "CHS": "繁殖;导致", + "ENG": "if animals breed, they mate in order to have babies" + }, + "emerge": { + "CHS": "出现", + "ENG": "to appear or come out from somewhere" + }, + "noted": { + "CHS": "著名的", + "ENG": "well known or famous, especially because of some special quality or ability" + }, + "position": { + "CHS": "位置;职位", + "ENG": "the place where someone or something is, especially in relation to other objects and places" + }, + "extinction": { + "CHS": "灭绝", + "ENG": "when a particular type of animal or plant stops existing" + }, + "receptionist": { + "CHS": "接待员", + "ENG": "someone whose job is to welcome and deal with people arriving in a hotel or office building, visiting a doctor etc" + }, + "reckless": { + "CHS": "鲁莽的", + "ENG": "not caring or worrying about the possible bad or dangerous results of your actions" + }, + "abuse": { + "CHS": "滥用", + "ENG": "to deliberately use something for the wrong purpose or for your own advantage" + }, + "accuse": { + "CHS": "指控", + "ENG": "to say that you believe someone is guilty of a crime or of doing something bad" + }, + "biochemistry": { + "CHS": "生物化学", + "ENG": "the scientific study of the chemistry of living things" + }, + "optimism": { + "CHS": "乐观", + "ENG": "a tendency to believe that good things will always happen" + }, + "predict": { + "CHS": "预测", + "ENG": "to say that something will happen, before it happens" + }, + "notoriously": { + "CHS": "臭名昭著地" + }, + "board": { + "CHS": "董事会", + "ENG": "a group of people in a company or other organization who make the rules and important decisions" + }, + "pose": { + "CHS": "形成", + "ENG": "to exist in a way that may cause a problem, danger, difficulty etc" + }, + "memorandum": { + "CHS": "备忘录", + "ENG": "a memo" + }, + "puzzling": { + "CHS": "迷惑的,困扰的", + "ENG": "confusing and difficult to understand or explain" + }, + "reliable": { + "CHS": "可靠的", + "ENG": "someone or something that is reliable can be trusted or depended on" + }, + "replacement": { + "CHS": "代替", + "ENG": "when you get something that is newer or better than the one you had before" + }, + "reinforce": { + "CHS": "增强,强化", + "ENG": "to give support to an opinion, idea, or feeling, and make it stronger" + }, + "impart": { + "CHS": "传授,教授", + "ENG": "to give information, knowledge, wisdom etc to someone" + }, + "diversity": { + "CHS": "多样性", + "ENG": "the fact of including many different types of people or things" + }, + "occupation": { + "CHS": "职业", + "ENG": "a job or profession" + }, + "intense": { + "CHS": "激烈的,强烈的", + "ENG": "having a very strong effect or felt very strongly" + }, + "dramatically": { + "CHS": "大幅度地;戏剧性地" + }, + "awareness": { + "CHS": "意识", + "ENG": "knowledge or understanding of a particular subject or situation" + }, + "virtually": { + "CHS": "几乎", + "ENG": "almost" + }, + "maturity": { + "CHS": "成熟", + "ENG": "the quality of behaving in a sensible way like an adult" + }, + "rare": { + "CHS": "罕见的,稀少的", + "ENG": "not seen or found very often, or not happening very often" + }, + "curb": { + "CHS": "限制,控制", + "ENG": "to control or limit something in order to prevent it from having a harmful effect" + }, + "favor": { + "CHS": "恩惠;善意的行为", + "ENG": "something that you do for someone in order to help them or be kind to them" + }, + "productivity": { + "CHS": "生产力", + "ENG": "the rate at which goods are produced, and the amount produced, especially in relation to the work, time, and money needed to produce them" + }, + "mechanism": { + "CHS": "机制", + "ENG": "a system that is intended to achieve something or deal with a problem" + }, + "helicopter": { + "CHS": "直升飞机", + "ENG": "a type of aircraft with large metal blades on top which turn around very quickly to make it fly" + }, + "validity": { + "CHS": "有效性;真实性", + "ENG": "the state of being legally or officially acceptable" + }, + "relevant": { + "CHS": "相关的", + "ENG": "directly relating to the subject or problem being discussed or considered" + }, + "miracle": { + "CHS": "奇迹", + "ENG": "something very lucky or very good that happens which you did not expect to happen or did not think was possible" + }, + "fertilizer": { + "CHS": "肥料", + "ENG": "a substance that is put on the soil to make plants grow" + }, + "shady": { + "CHS": "阴凉的", + "ENG": "protected from the sun or producing shade" + }, + "poll": { + "CHS": "民意测验", + "ENG": "the process of finding out what people think about something by asking many people the same question, or the record of the result" + }, + "countermeasure": { + "CHS": "对策", + "ENG": "an action taken to prevent another action from having a harmful effect" + }, + "worldly": { + "CHS": "世间的,尘世的", + "ENG": "relating to ordinary life rather than spiritual or religious ideas" + }, + "legislator": { + "CHS": "立法者", + "ENG": "someone who has the power to make laws or belongs to an institution that makes laws" + }, + "campaign": { + "CHS": "活动", + "ENG": "a series of actions intended to achieve a particular result relating to politics or business, or a social improvement" + }, + "odds": { + "CHS": "可能性", + "ENG": "how likely it is that something will or will not happen" + }, + "shepherd": { + "CHS": "引导,带领", + "ENG": "to lead or guide a group of people somewhere, making sure that they go where you want them to go" + }, + "schedule": { + "CHS": "计划表", + "ENG": "a plan of what someone is going to do and when they are going to do it" + }, + "access": { + "CHS": "取得,获取", + "ENG": "to find information, especially on a computer" + }, + "owl": { + "CHS": "猫头鹰", + "ENG": "a bird with large eyes that hunts at night" + }, + "interpret": { + "CHS": "口译;解释", + "ENG": "to translate spoken words from one language into another" + }, + "intervention": { + "CHS": "干涉", + "ENG": "the act of becoming involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "bemoan": { + "CHS": "抱怨;惋惜", + "ENG": "to complain or say that you are disappointed about something" + }, + "determine": { + "CHS": "决定", + "ENG": "to decide to do something" + }, + "incur": { + "CHS": "引起,导致", + "ENG": "if you incur something unpleasant, it happens to you because of something you have done" + }, + "literal": { + "CHS": "字面的", + "ENG": "the literal meaning of a word or expression is its basic or original meaning" + }, + "proposition": { + "CHS": "提议,主题", + "ENG": "a suggestion, or something that is suggested or considered as a possible thing to do" + }, + "feasibility": { + "CHS": "可行" + }, + "destructive": { + "CHS": "破坏性的,毁灭性的", + "ENG": "causing damage to people or things" + }, + "denationalize": { + "CHS": "使非国有化", + "ENG": "to sell a business or industry that is owned by the state, so that it is then owned privately" + }, + "resort": { + "CHS": "度假胜地", + "ENG": "a place where a lot of people go for holidays" + }, + "engage": { + "CHS": "忙于,从事;雇佣", + "ENG": "If you engage in an activity, you do it or are actively involved with it" + }, + "disarm": { + "CHS": "解除,消除", + "ENG": "to reduce the size of your army, navy etc, and the number of your weapons" + }, + "approximately": { + "CHS": "大约" + }, + "cover": { + "CHS": "遮盖,遮蔽", + "ENG": "to put something over or be over something in order to hide, close, or protect it" + }, + "validation": { + "CHS": "证实" + }, + "widespread": { + "CHS": "广泛传播的", + "ENG": "existing or happening in many places or situations, or among many people" + }, + "unethical": { + "CHS": "不道德的", + "ENG": "morally unacceptable" + }, + "withdraw": { + "CHS": "撤销,撤退", + "ENG": "to stop taking part in an activity, belonging to an organization etc, or to make someone do this" + }, + "relay": { + "CHS": "接替,转播", + "ENG": "if radio or television signals are relayed, they are received and sent, especially so that they can be heard on the radio or seen on television" + }, + "fluently": { + "CHS": "流利地" + }, + "mysteriously": { + "CHS": "神秘地" + }, + "hinder": { + "CHS": "阻碍", + "ENG": "to make it difficult for something to develop or succeed" + }, + "session": { + "CHS": "会议;学年", + "ENG": "a formal meeting or group of meetings, especially of a law court or parliament" + }, + "postdoctoral": { + "CHS": "博士后的", + "ENG": "A postdoctoral student has completed his or her doctorate and is doing further study or research" + }, + "prioritize": { + "CHS": "优先", + "ENG": "to deal with one thing first, because it is the most important" + }, + "bipartisan": { + "CHS": "两党的", + "ENG": "involving two political parties, especially parties with opposing views" + }, + "reluctance": { + "CHS": "勉强,不情愿", + "ENG": "when someone is unwilling to do something, or when they do something slowly to show that they are not very willing" + }, + "intuitive": { + "CHS": "直觉的", + "ENG": "an intuitive idea is based on a feeling rather than on knowledge or facts" + }, + "quote": { + "CHS": "引用", + "ENG": "to repeat exactly what someone else has said or written" + }, + "pragmatic": { + "CHS": "务实的,讲求实际的", + "ENG": "dealing with problems in a sensible practical way instead of strictly following a set of ideas" + }, + "alleviate": { + "CHS": "减轻,缓解", + "ENG": "to make something less painful or difficult to deal with" + }, + "underlying": { + "CHS": "潜在的,基础的", + "ENG": "the cause, idea etc that is the most important, although it is not easily noticed" + }, + "generate": { + "CHS": "产生", + "ENG": "to produce or cause something" + }, + "dysfunction": { + "CHS": "失常", + "ENG": "If you refer to a dysfunction in something such as a relationship or someone's behaviour, you mean that it is different from what is considered to be normal." + }, + "invasive": { + "CHS": "入侵的", + "ENG": "an invasive disease spreads quickly and is difficult to stop" + }, + "ignore": { + "CHS": "忽视", + "ENG": "to behave as if you had not heard or seen someone or something" + }, + "specific": { + "CHS": "具体的", + "ENG": "a specific thing, person, or group is one particular thing, person, or group" + }, + "elegant": { + "CHS": "高雅的,雅致的", + "ENG": "beautiful, attractive, or graceful" + }, + "capital": { + "CHS": "资金的,资本的", + "ENG": "relating to money that you use to start a business or to make more money" + }, + "indicate": { + "CHS": "表明", + "ENG": "to show that a particular situation exists, or that something is likely to be true" + }, + "eligible": { + "CHS": "适合的;胜任的", + "ENG": "someone who is eligible for something is able or allowed to do it, for example because they are the right age" + }, + "procedure": { + "CHS": "程序", + "ENG": "a way of doing something, especially the correct or usual way" + }, + "unrealistic": { + "CHS": "不现实的", + "ENG": "unrealistic ideas or hopes are not reasonable or sensible" + }, + "occur": { + "CHS": "发生", + "ENG": "to happen" + }, + "aggravate": { + "CHS": "加重,加剧", + "ENG": "to make a bad situation, an illness, or an injury worse" + }, + "frankly": { + "CHS": "坦率地", + "ENG": "used to show that you are saying what you really think about something" + }, + "thrilling": { + "CHS": "令人兴奋的", + "ENG": "interesting and exciting" + }, + "irreversible": { + "CHS": "不可逆的;不可取消的", + "ENG": "irreversible damage, change etc is so serious or so great that you cannot change something back to how it was before" + }, + "marine": { + "CHS": "海洋的", + "ENG": "relating to the sea and the creatures that live there" + }, + "interracial": { + "CHS": "种族间的", + "ENG": "between different races of people" + }, + "grave": { + "CHS": "严重的", + "ENG": "grave problems, situations, or worries are very great or bad" + }, + "undocumented": { + "CHS": "无证明的", + "ENG": "without the required official papers, permits, etc." + }, + "appoint": { + "CHS": "任命", + "ENG": "to choose someone for a position or a job" + }, + "rhetorical": { + "CHS": "修辞的", + "ENG": "using speech or writing in special ways in order to persuade people or to produce an impressive effect" + }, + "momentum": { + "CHS": "动力,势头", + "ENG": "the ability to keep increasing, developing, or being more successful" + }, + "deserve": { + "CHS": "值得", + "ENG": "to have earned something by good or bad actions or behaviour" + }, + "drastically": { + "CHS": "激烈地,猛烈地" + }, + "particle": { + "CHS": "粒子,微粒", + "ENG": "a very small piece of something" + }, + "miniature": { + "CHS": "微型的", + "ENG": "much smaller than normal" + }, + "merit": { + "CHS": "优点", + "ENG": "an advantage or good feature of something" + }, + "category": { + "CHS": "种类", + "ENG": "a group of people or things that are all of the same type" + }, + "liability": { + "CHS": "责任;债务", + "ENG": "legal responsibility for something, especially for paying money that is owed, or for damage or injury" + }, + "hack": { + "CHS": "黑客攻击", + "ENG": "to secretly find a way of getting information from someone else’s computer or changing information on it" + }, + "matter": { + "CHS": "重要;要紧", + "ENG": "to be important, especially to be important to you, or to have an effect on what happens" + }, + "brutal": { + "CHS": "残酷的", + "ENG": "very cruel and violent" + }, + "biodiversity": { + "CHS": "生物多样性", + "ENG": "the variety of plants and animals in a particular place" + }, + "subsequently": { + "CHS": "随后", + "ENG": "after an event in the past" + }, + "bother": { + "CHS": "困扰", + "ENG": "to annoy someone, especially by interrupting them when they are trying to do something" + }, + "subconscious": { + "CHS": "下意识的,潜意识的", + "ENG": "subconscious feelings, desires etc are hidden in your mind and affect your behaviour, but you do not know that you have them" + }, + "genetic": { + "CHS": "基因的", + "ENG": "relating to genes or genetics" + }, + "recurrence": { + "CHS": "再次发生", + "ENG": "an occasion when something that has happened before happens again" + }, + "defect": { + "CHS": "缺点", + "ENG": "a fault or a lack of something that means that something or someone is not perfect" + }, + "retailer": { + "CHS": "零售商", + "ENG": "a person or business that sells goods to customers in a shop" + }, + "memo": { + "CHS": "备忘录", + "ENG": "a short official note to another person in the same company or organization" + }, + "chain": { + "CHS": "连锁店", + "ENG": "a number of shops, hotels, cinemas etc owned or managed by the same company or person" + }, + "executive": { + "CHS": "执行官", + "ENG": "a group of people who are in charge of an organization and make the rules" + }, + "ballet": { + "CHS": "芭蕾", + "ENG": "a performance in which dancing and music tell a story without any speaking" + }, + "enrollment": { + "CHS": "入学人数", + "ENG": "the number of people who have arranged to join a school, university, course etc" + }, + "propose": { + "CHS": "提出", + "ENG": "to suggest something as a plan or course of action" + }, + "frantic": { + "CHS": "疯狂的", + "ENG": "extremely worried and frightened about a situation, so that you cannot control your feelings" + }, + "allegedly": { + "CHS": "据说", + "ENG": "used when reporting something that people say is true, although it has not been proved" + }, + "manipulate": { + "CHS": "操纵", + "ENG": "to make someone think and behave exactly as you want them to, by skilfully deceiving or influencing them" + }, + "coverage": { + "CHS": "报道", + "ENG": "when a subject or event is reported on television or radio, or in newspapers" + }, + "novel": { + "CHS": "新颖的", + "ENG": "not like anything known before, and unusual or interesting" + }, + "previous": { + "CHS": "之前的", + "ENG": "A previous event or thing is one that happened or existed before the one that you are talking about" + }, + "neutrality": { + "CHS": "中立", + "ENG": "the state of not supporting either side in an argument or war" + }, + "underscore": { + "CHS": "强调", + "ENG": "to emphasize the fact that something is important or true" + }, + "indispensable": { + "CHS": "必不可少的", + "ENG": "someone or something that is indispensable is so important or useful that it is impossible to manage without them" + }, + "puzzle": { + "CHS": "迷惑", + "ENG": "to confuse someone or make them feel slightly anxious because they do not understand something" + }, + "illustrate": { + "CHS": "阐明,说明", + "ENG": "to make the meaning of something clearer by giving examples" + }, + "sanitation": { + "CHS": "卫生环境,卫生设备", + "ENG": "the protection of public health by removing and treating waste, dirty water etc" + }, + "defensive": { + "CHS": "防守的,防御的", + "ENG": "used or intended to protect someone or something against attack" + }, + "perspective": { + "CHS": "视角,观点", + "ENG": "a way of thinking about something, especially one which is influenced by the type of person you are or by your experiences" + }, + "migration": { + "CHS": "迁徙,移居", + "ENG": "the movement of large numbers of people, birds or animals from one place to another" + }, + "float": { + "CHS": "漂浮", + "ENG": "if something floats, it moves slowly through the air or stays up in the air" + }, + "flexible": { + "CHS": "灵活的", + "ENG": "a person, plan etc that is flexible can change or be changed easily to suit any new situation" + }, + "capable": { + "CHS": "有能力的", + "ENG": "having the qualities or ability needed to do something" + }, + "practical": { + "CHS": "实践的;实用的", + "ENG": "relating to real situations and events rather than ideas, emotions etc" + }, + "territory": { + "CHS": "领域,领土", + "ENG": "land that is owned or controlled by a particular country, ruler, or military force" + }, + "urbanization": { + "CHS": "城市化", + "ENG": "Urbanization is the process of creating cities or towns in country areas" + }, + "privilege": { + "CHS": "特权", + "ENG": "a special advantage that is given only to one person or group of people" + }, + "forthcoming": { + "CHS": "即将来临的", + "ENG": "a forthcoming event, meeting etc is one that has been planned to happen soon" + }, + "widen": { + "CHS": "拓宽,变宽", + "ENG": "to become wider, or to make something wider" + }, + "deduction": { + "CHS": "扣款", + "ENG": "the process of taking away an amount from a total, or the amount that is taken away" + }, + "virtual": { + "CHS": "虚拟的;事实上的", + "ENG": "made, done, seen etc on the Internet or on a computer, rather than in the real world" + }, + "boast": { + "CHS": "自夸", + "ENG": "to talk too proudly about your abilities, achievements, or possessions" + }, + "monetary": { + "CHS": "货币的", + "ENG": "relating to money, especially all the money in a particular country" + }, + "dim": { + "CHS": "暗淡的;愚蠢的", + "ENG": "fairly dark or not giving much light, so that you cannot see well" + }, + "sensible": { + "CHS": "理智的", + "ENG": "reasonable, practical, and showing good judgment" + }, + "infant": { + "CHS": "婴儿", + "ENG": "a baby or very young child" + }, + "precedent": { + "CHS": "先例", + "ENG": "an action or official decision that can be used to give support to later actions or decisions" + }, + "activate": { + "CHS": "激活", + "ENG": "to make an electrical system or chemical process start working" + }, + "accomplish": { + "CHS": "实现", + "ENG": "to succeed in doing something, especially after trying very hard" + }, + "immigration": { + "CHS": "移民", + "ENG": "the process of entering another country in order to live there permanently" + }, + "approve": { + "CHS": "赞同", + "ENG": "to think that someone or something is good, right, or suitable" + }, + "pessimist": { + "CHS": "悲观主义者", + "ENG": "someone who always expects that bad things will happen" + }, + "aggressive": { + "CHS": "挑衅的", + "ENG": "behaving in an angry threatening way, as if you want to fight or attack someone" + }, + "toxic": { + "CHS": "有毒的", + "ENG": "containing poison, or caused by poisonous substances" + }, + "ruling": { + "CHS": "裁定", + "ENG": "an official decision, especially one made by a court" + }, + "prolong": { + "CHS": "延长", + "ENG": "to deliberately make something such as a feeling or an activity last longer" + }, + "tension": { + "CHS": "紧张", + "ENG": "a nervous worried feeling that makes it impossible for you to relax" + }, + "specialist": { + "CHS": "专家", + "ENG": "someone who knows a lot about a particular subject, or is very skilled at it" + }, + "encounter": { + "CHS": "遭遇", + "ENG": "to experience something, especially problems or opposition" + }, + "reap": { + "CHS": "收割,收获", + "ENG": "to cut and collect a crop of grain" + }, + "institute": { + "CHS": "研究所,学会,学院", + "ENG": "an organization that has a particular purpose such as scientific or educational work, or the building where this organization is based" + }, + "maintenance": { + "CHS": "维修", + "ENG": "the repairs, painting etc that are necessary to keep something in good condition" + }, + "legend": { + "CHS": "传奇", + "ENG": "an old, well-known story, often about brave people, adventures, or magical events" + }, + "groundless": { + "CHS": "无理由的,无根据的", + "ENG": "not based on facts or reason" + }, + "undertake": { + "CHS": "承担;着手,开始", + "ENG": "to accept that you are responsible for a piece of work, and start to do it" + }, + "commodity": { + "CHS": "商品", + "ENG": "a product that is bought and sold" + }, + "stimulate": { + "CHS": "刺激;激励", + "ENG": "to encourage or help an activity to begin or develop further" + }, + "tough": { + "CHS": "困难的,粗暴的", + "ENG": "difficult to do or deal with" + }, + "vital": { + "CHS": "重要的", + "ENG": "extremely important and necessary for something to succeed or exist" + }, + "ankle": { + "CHS": "脚踝", + "ENG": "the joint between your foot and your leg" + }, + "surgical": { + "CHS": "手术的", + "ENG": "relating to or used for medical operations" + }, + "peculiar": { + "CHS": "奇怪的;特有的", + "ENG": "strange, unfamiliar, or a little surprising" + }, + "fade": { + "CHS": "褪色", + "ENG": "to lose colour and brightness, or to make something do this" + }, + "pursuit": { + "CHS": "追求", + "ENG": "when someone tries to get, achieve, or find something in a determined way" + }, + "sophisticated": { + "CHS": "复杂的,精密的;老于世故的", + "ENG": "a sophisticated machine, system, method etc is very well designed and very advanced, and often works in a complicated way" + }, + "lobbyist": { + "CHS": "游说者", + "ENG": "A lobbyist is someone who tries actively to persuade a government or council that a particular law should be changed or that a particular thing should be done" + }, + "lessen": { + "CHS": "减少", + "ENG": "to become smaller in size, importance, or value, or make something do this" + }, + "handgun": { + "CHS": "手枪", + "ENG": "a small gun that you hold in one hand when you fire it" + }, + "influential": { + "CHS": "有影响力的", + "ENG": "having a lot of influence and therefore changing the way people think and behave" + }, + "detached": { + "CHS": "冷静的,超然的", + "ENG": "not reacting to or becoming involved in something in an emotional way" + }, + "biography": { + "CHS": "传记", + "ENG": "a book that tells what has happened in someone’s life, written by someone else" + }, + "curriculum": { + "CHS": "课程", + "ENG": "the subjects that are taught by a school, college etc, or the things that are studied in a particular subject" + }, + "margin": { + "CHS": "利润", + "ENG": "the difference between what it costs a business to buy or produce something and what they sell it for" + }, + "fearlessly": { + "CHS": "无畏地,大胆地", + "ENG": "With a lack of fear." + }, + "randomly": { + "CHS": "随机地", + "ENG": "Without method or conscious decision; indiscriminately." + }, + "discrimination": { + "CHS": "歧视", + "ENG": "the practice of treating one person or group differently from another in an unfair way" + }, + "stimulus": { + "CHS": "刺激", + "ENG": "something that helps a process to develop more quickly or more strongly" + }, + "competence": { + "CHS": "能力", + "ENG": "the ability to do something well" + }, + "sneak": { + "CHS": "溜走", + "ENG": "to go somewhere secretly and quietly in order to avoid being seen or heard" + }, + "exceed": { + "CHS": "超过", + "ENG": "to be more than a particular number or amount" + }, + "turbulence": { + "CHS": "气流;骚乱", + "ENG": "irregular and violent movements of air or water that are caused by the wind" + }, + "address": { + "CHS": "解决", + "ENG": "if you address a problem, you start trying to solve it" + }, + "trade": { + "CHS": "做买卖;交换", + "ENG": "to buy and sell goods, services etc as your job or business" + }, + "deal": { + "CHS": "买卖毒品", + "ENG": "to buy and sell illegal drugs" + }, + "hike": { + "CHS": "作长途徒步旅行", + "ENG": "to take a long walk in the mountains or countryside" + }, + "action": { + "CHS": "行动", + "ENG": "the process of doing something, especially in order to achieve a particular thing" + }, + "resultant": { + "CHS": "作为结果而发生的", + "ENG": "happening or existing because of something" + }, + "consequent": { + "CHS": "作为结果的;必然的", + "ENG": "happening as a result of a particular event or situation" + }, + "composer": { + "CHS": "作曲家", + "ENG": "someone who writes music" + }, + "slave": { + "CHS": "作苦工;奴役", + "ENG": "If you say that a person is slaving over something or is slaving for someone, you mean that they are working very hard" + }, + "grunt": { + "CHS": "作呼噜声;咕哝", + "ENG": "if a person or animal grunts, they make short low sounds in their throat" + }, + "abide": { + "CHS": "忍受;遵守", + "ENG": "bear, stand" + }, + "value": { + "CHS": "尊重,重视;估价", + "ENG": "to think that someone or something is important" + }, + "dignity": { + "CHS": "庄重;尊严;体面", + "ENG": "the ability to behave in a calm controlled way even in a difficult situation" + }, + "outermost": { + "CHS": "最外面的,最远的", + "ENG": "furthest from the middle" + }, + "optimum": { + "CHS": "最优的,最适宜的", + "ENG": "the best or most suitable for a particular purpose or in a particular situation" + }, + "initially": { + "CHS": "最初,开始", + "ENG": "at the beginning" + }, + "makeup": { + "CHS": "化妆品;性格;构造;组成", + "ENG": "Makeup consists of things such as lipstick, eye shadow, and powder which some women put on their faces to make themselves look more attractive or which actors use to change or improve their appearance" + }, + "block": { + "CHS": "阻塞;障碍物", + "ENG": "something that prevents movement or progress" + }, + "damn": { + "CHS": "谴责", + "ENG": "If you say that a person or a news report damns something such as a policy or action, you mean that they are very critical of it" + }, + "ample": { + "CHS": "足够的;宽敞的", + "ENG": "more than enough" + }, + "suffice": { + "CHS": "足够", + "ENG": "to be enough" + }, + "lease": { + "CHS": "租约,契约,租契", + "ENG": "a legal agreement which allows you to use a building, car etc for a period of time, in return for rent" + }, + "charter": { + "CHS": "包租(飞机、船等)", + "ENG": "to pay a company for the use of their aircraft, boat etc" + }, + "headquarters": { + "CHS": "总部", + "ENG": "the main building or offices used by a large company or organization" + }, + "main": { + "CHS": "总管道,干线", + "ENG": "a large pipe or wire carrying the public supply of water, electricity, or gas" + }, + "overall": { + "CHS": "总的", + "ENG": "You use overall to indicate that you are talking about a situation in general or about the whole of something" + }, + "conceit": { + "CHS": "自负,自高自大", + "ENG": "an attitude that shows you have too high an opinion of your own abilities or importance" + }, + "ultraviolet": { + "CHS": "紫外(线)的", + "ENG": "ultraviolet light cannot be seen by people, but is responsible for making your skin darker when you are in the sun" + }, + "endow": { + "CHS": "资助;赋予", + "ENG": "to give a college, hospital etc a large sum of money that provides it with an income" + }, + "datum": { + "CHS": "资料;数据;已知数", + "ENG": "Datum is the singular form of data" + }, + "bourgeois": { + "CHS": "中产阶级的;庸俗的;资产阶级的", + "ENG": "belonging to the middle class" + }, + "woodpecker": { + "CHS": "啄木鸟", + "ENG": "a bird with a long beak that it uses to make holes in trees" + }, + "crash": { + "CHS": "(发出巨响的) 猛撞", + "ENG": "If something crashes somewhere, it moves and hits something else violently, making a loud noise" + }, + "way": { + "CHS": "(特定的)状态,状况", + "ENG": "a particular state or condition" + }, + "superb": { + "CHS": "壮丽的;超等的", + "ENG": "extremely good" + }, + "ornament": { + "CHS": "装饰物", + "ENG": "a small object that you keep in your house because it is beautiful rather than useful" + }, + "decorative": { + "CHS": "装饰的;可作装饰的", + "ENG": "pretty or attractive, but not always necessary or useful" + }, + "ornamental": { + "CHS": "装饰的", + "ENG": "Something that is ornamental is attractive and decorative" + }, + "shipment": { + "CHS": "装载的货物;装货", + "ENG": "a load of goods sent by sea, road, or air, or the act of sending them" + }, + "can": { + "CHS": "装罐头", + "ENG": "When food or drink is canned, it is put into a metal container and sealed so that it will remain fresh." + }, + "array": { + "CHS": "陈列", + "ENG": "An array of objects is a collection of them that is displayed or arranged in a particular way." + }, + "torque": { + "CHS": "转(力)矩,扭(力)矩", + "ENG": "the force or power that makes something turn around a central point, especially in an engine" + }, + "box": { + "CHS": "(法庭的)专席", + "ENG": "a small area of a theatre or court that is separate from where other people are sitting" + }, + "workshop": { + "CHS": "专题讨论会", + "ENG": "A workshop is a period of discussion or practical work on a particular subject in which a group of people share their knowledge or experience" + }, + "patent": { + "CHS": "专利", + "ENG": "A patent is an official right to be the only person or company allowed to make or sell a new product for a certain period of time." + }, + "clutch": { + "CHS": "抓住,掌握,攫", + "ENG": "to hold something tightly because you do not want to lose it" + }, + "nest": { + "CHS": "筑巢,为…筑巢", + "ENG": "to build or use a nest" + }, + "coin": { + "CHS": "铸造(硬币)", + "ENG": "to make pieces of money from metal" + }, + "watchful": { + "CHS": "注意的,警惕的", + "ENG": "very careful to notice what is happening, and to make sure that everything is all right" + }, + "inject": { + "CHS": "注射;注满;喷射", + "ENG": "to put liquid, especially a drug, into someone’s body by using a special needle" + }, + "storage": { + "CHS": "贮藏;保管", + "ENG": "the process of keeping or putting something in a special place while it is not being used" + }, + "principally": { + "CHS": "主要,大抵", + "ENG": "mainly" + }, + "stalk": { + "CHS": "主茎,叶柄", + "ENG": "a long narrow part of a plant that supports leaves, fruits, or flowers" + }, + "preside": { + "CHS": "主持;主奏", + "ENG": "to be in charge of a formal event, organization, ceremony etc" + }, + "eject": { + "CHS": "逐出,排斥;喷射", + "ENG": "to make someone leave a place or building by using force" + }, + "bamboo": { + "CHS": "竹;竹杆,竹棍", + "ENG": "a tall tropical plant with hollow stems that is used for making furniture" + }, + "jewellery": { + "CHS": "珠宝,珠宝饰物", + "ENG": "small things that you wear for decoration, such as rings or necklaces" + }, + "wrinkle": { + "CHS": "使起皱纹", + "ENG": "if you wrinkle a part of your face, or if it wrinkles, small lines appear on it" + }, + "axial": { + "CHS": "轴的;轴向的", + "ENG": "relating to, forming, or characteristic of an axis" + }, + "axis": { + "CHS": "轴,轴线", + "ENG": "the imaginary line around which a large round object, such as the Earth, turns" + }, + "ambient": { + "CHS": "周围的,包围着的", + "ENG": "relating to the surrounding area; on all sides" + }, + "periodic": { + "CHS": "周期的;一定时期的", + "ENG": "happening a number of times, usually at regular times" + }, + "anniversary": { + "CHS": "周年纪念日", + "ENG": "a date on which something special or important happened in a previous year" + }, + "peripheral": { + "CHS": "外围的的;末梢的", + "ENG": "in the outer area of something, or relating to this area" + }, + "perimeter": { + "CHS": "周(边);周长", + "ENG": "the border around an enclosed area such as a military camp" + }, + "anybody": { + "CHS": "重要人物" + }, + "responsible": { + "CHS": "可靠的;责任重大的", + "ENG": "(of people or their actions or behavior) that you can trust and rely on" + }, + "consequence": { + "CHS": "重要(性),重大意义", + "ENG": "importance" + }, + "hearty": { + "CHS": "热情友好的;丰盛的", + "ENG": "happy and friendly and usually loud" + }, + "neutron": { + "CHS": "中子", + "ENG": "a part of an atom that has no electrical charge" + }, + "intermediate": { + "CHS": "中间体;调解人" + }, + "proton": { + "CHS": "质子,氕核", + "ENG": "a very small piece of matter with a positive electrical charge that is in the central part of an atom" + }, + "qualitative": { + "CHS": "质的;定性的", + "ENG": "relating to the quality or standard of something rather than the quantity" + }, + "fabricate": { + "CHS": "捏造;制作", + "ENG": "to invent a story, piece of information etc in order to deceive someone" + }, + "fabrication": { + "CHS": "捏造;制作", + "ENG": "a piece of information or story that someone has invented in order to deceive people" + }, + "volunteer": { + "CHS": "志愿", + "ENG": "to offer to do something without expecting any reward, often something that other people do not want to do" + }, + "rebuke": { + "CHS": "指责,非难,斥责", + "ENG": "to speak to someone severely about something they have done wrong" + }, + "denote": { + "CHS": "指示,意味着", + "ENG": "to mean something" + }, + "instructor": { + "CHS": "指导者,教员", + "ENG": "someone who teaches a sport or practical skill" + }, + "colonial": { + "CHS": "殖民地的,殖民的", + "ENG": "relating to a country that controls and rules other countries, usually ones that are far away" + }, + "vocation": { + "CHS": "职业,行业", + "ENG": "a particular type of work that you feel is right for you" + }, + "notable": { + "CHS": "值得注意的;著名的", + "ENG": "important, interesting, excellent, or unusual enough to be noticed or mentioned" + }, + "weaver": { + "CHS": "织布工,编织者", + "ENG": "someone whose job is to weave cloth" + }, + "brace": { + "CHS": "拉紧,撑牢", + "ENG": "to make something stronger by supporting it" + }, + "second": { + "CHS": "支持", + "ENG": "to formally support a suggestion made by another person in a meeting" + }, + "bearing": { + "CHS": "方位;(机器的)承座;轴承;忍受", + "ENG": "a direction or angle that is shown by a compass" + }, + "politics": { + "CHS": "政纲,政见,策略", + "ENG": "someone’s political beliefs and opinions" + }, + "platform": { + "CHS": "政纲,党纲,宣言", + "ENG": "the main ideas and aims of a political party, especially the ones that they state just before an election" + }, + "confirmation": { + "CHS": "证实,确定;确认", + "ENG": "a statement, document etc that says that something is definitely true" + }, + "audience": { + "CHS": "正式会见;拜会", + "ENG": "a formal meeting with a very important person" + }, + "correctly": { + "CHS": "正确地,恰当地", + "ENG": "having no mistakes" + }, + "positive": { + "CHS": "正的,阳性的;正的,正极的,阳性的;正的,正数的", + "ENG": "showing signs of the medical condition or chemical that is being looked for" + }, + "normalization": { + "CHS": "正常化,标准化" + }, + "sign": { + "CHS": "征兆,迹象,病症", + "ENG": "an event, fact etc that shows that something is happening or that something is true or exists" + }, + "conqueror": { + "CHS": "征服者,胜利者", + "ENG": "The conquerors of a country or group of people are the people who have taken complete control of that country or group's land" + }, + "gust": { + "CHS": "阵风,一阵狂风", + "ENG": "a short, strong, sudden rush of wind" + }, + "clinic": { + "CHS": "诊所,医务室;会诊;会诊时间;门诊时间", + "ENG": "a place, often in a hospital, where medical treatment is given to people who do not need to stay in the hospital" + }, + "sincerity": { + "CHS": "真诚,诚意;真实", + "ENG": "when someone is sincere and really means what they are saying" + }, + "cherish": { + "CHS": "珍爱;怀有(感情)", + "ENG": "to love someone or something very much and take care of them well" + }, + "underline": { + "CHS": "预告" + }, + "grind": { + "CHS": "磨碎,碾碎,把...磨成粉", + "ENG": "to break something such as corn or coffee beans into small pieces or powder, either in a machine or between two hard surfaces" + }, + "discount": { + "CHS": "打折扣卖", + "ENG": "to reduce the price of something" + }, + "literally": { + "CHS": "照字义,逐字地", + "ENG": "according to the most basic or original meaning of a word or expression" + }, + "summon": { + "CHS": "召唤;鼓起(勇气)", + "ENG": "to order someone to come to a place" + }, + "marsh": { + "CHS": "沼泽地,湿地", + "ENG": "an area of low flat ground that is always wet and soft" + }, + "entertainment": { + "CHS": "招待,招待会", + "ENG": "when you entertain someone at home, or for business" + }, + "hindrance": { + "CHS": "障碍,妨碍", + "ENG": "something or someone that makes it difficult for you to do something" + }, + "hose": { + "CHS": "软管;袜类(包括连裤袜、长筒袜、短袜)", + "ENG": "a long rubber or plastic tube that can be moved and bent to put water onto fires, gardens etc" + }, + "sofa": { + "CHS": "长沙发,沙发", + "ENG": "a comfortable seat with raised arms and a back, that is wide enough for two or three people to sit on" + }, + "tensile": { + "CHS": "张力的;能伸长的", + "ENG": "able to be stretched without breaking" + }, + "warfare": { + "CHS": "战争,战争状态", + "ENG": "the activity of fighting in a war – used especially when talking about particular methods of fighting" + }, + "predominant": { + "CHS": "占优势的;主要的", + "ENG": "more powerful, more common, or more easily noticed than others" + }, + "cling": { + "CHS": "粘住;依附;坚持", + "ENG": "to stick to someone or something, or seem to surround them" + }, + "viscous": { + "CHS": "粘滞的,粘性的", + "ENG": "(of a liquid 液体) thick and sticky; not flowing freely" + }, + "coherent": { + "CHS": "(文章、观点等)连贯的,有条理的,一致的", + "ENG": "(of writing, ideas, etc.) easy to understand because it is clear and reasonable" + }, + "album": { + "CHS": "(收存照片或邮票的) 册子", + "ENG": "a book that you put photographs, stamps etc in" + }, + "glue": { + "CHS": "粘牢", + "ENG": "to join two things together using glue" + }, + "cement": { + "CHS": "粘结", + "ENG": "to join two things together using cement , glue, etc." + }, + "adhere": { + "CHS": "粘附;追随;坚持", + "ENG": "to stick firmly to something" + }, + "grasshopper": { + "CHS": "蚱蜢,蝗虫,蚂蚱", + "ENG": "an insect that has long back legs for jumping and that makes short loud noises" + }, + "wink": { + "CHS": "眨眼;使眼色", + "ENG": "to close and open one eye quickly to communicate something or show that something is a secret or joke" + }, + "further": { + "CHS": "增进", + "ENG": "to help something progress or be successful" + }, + "multiplication": { + "CHS": "乘法;增加", + "ENG": "a method of calculating in which you add a number to itself a particular number of times" + }, + "shipbuilding": { + "CHS": "造船(业),造船学", + "ENG": "the industry of making ships" + }, + "mint": { + "CHS": "造币厂;巨额钱财", + "ENG": "a place where coins are officially made" + }, + "hollow": { + "CHS": "凿空,挖空", + "ENG": "to make a hole or empty space by removing the inside part of something" + }, + "hymn": { + "CHS": "赞美诗,圣歌;赞歌", + "ENG": "a song of praise to God" + }, + "glorify": { + "CHS": "赞美;颂扬(上帝)", + "ENG": "to praise someone or something, especially God" + }, + "fore": { + "CHS": "在(或向)船头;在(或向)飞行器头部", + "ENG": "at or towards the front of a ship or an aircraft" + }, + "therein": { + "CHS": "在那里", + "ENG": "in that place, or in that piece of writing" + }, + "overseas": { + "CHS": "在海外,(向)国外", + "ENG": "to or in a foreign country that is across the sea" + }, + "ashore": { + "CHS": "在岸上,上岸", + "ENG": "on or towards the shore of a lake, river, sea etc" + }, + "outside": { + "CHS": "在…外,向…外", + "ENG": "on or to a place on the outside of sth" + }, + "brand": { + "CHS": "在…上打烙印", + "ENG": "to burn a mark onto something, especially a farm animal, in order to show who it belongs to" + }, + "alongside": { + "CHS": "在…旁边", + "ENG": "next to the side of something" + }, + "roam": { + "CHS": "在…漫步,漫游", + "ENG": "to walk or travel, usually for a long time, with no clear purpose or direction" + }, + "over": { + "CHS": "在(做)…时", + "ENG": "during" + }, + "disastrous": { + "CHS": "灾难性的;悲惨的", + "ENG": "very bad, or ending in failure" + }, + "operation": { + "CHS": "运算", + "ENG": "an action done by a computer" + }, + "freight": { + "CHS": "货运;运费", + "ENG": "goods that are carried by ship, train, or aircraft, and the system of moving these goods" + }, + "locomotive": { + "CHS": "运动的;机动", + "ENG": "relating to movement" + }, + "lunar": { + "CHS": "月亮的", + "ENG": "relating to the Moon or to travel to the Moon" + }, + "dome": { + "CHS": "圆屋顶,拱顶", + "ENG": "a round roof on a building" + }, + "cylinder": { + "CHS": "圆筒;柱(面);汽缸", + "ENG": "a shape, object, or container with circular ends and long straight sides" + }, + "satisfactorily": { + "CHS": "圆满地", + "ENG": "good enough for a particular purpose" + }, + "nucleus": { + "CHS": "原子核,细胞核", + "ENG": "The nucleus of an atom or cell is the central part of it." + }, + "prototype": { + "CHS": "原型;典型,范例", + "ENG": "the first form that a new design of a car, machine etc has, or a model of it used to test the design before it is produced" + }, + "vowel": { + "CHS": "元音;元音字母", + "ENG": "one of the human speech sounds that you make by letting your breath flow out without closing any part of your mouth or throat" + }, + "marshal": { + "CHS": "元帅;陆军元帅", + "ENG": "an officer of the highest rank in the army or air force of some countries" + }, + "subscription": { + "CHS": "订阅(费);用户费(的缴纳)", + "ENG": "an amount of money you pay, usually once a year, to receive copies of a newspaper or magazine, or receive a service, or the act of paying money for this" + }, + "prophet": { + "CHS": "预言家,先知", + "ENG": "a man who people in the Christian, Jewish, or Muslim religion believe has been sent by God to lead them and teach them their religion" + }, + "prophecy": { + "CHS": "预言;预言能力", + "ENG": "a statement that something will happen in the future, especially one made by someone with religious or magic powers" + }, + "prediction": { + "CHS": "预言,预告;预报", + "ENG": "a statement about what you think is going to happen, or the act of making this statement" + }, + "preset": { + "CHS": "预先装置", + "ENG": "to set the controls of a piece of electrical equipment so that it will start to work at a particular time" + }, + "beforehand": { + "CHS": "预先;提前地", + "ENG": "before something else happens or is done" + }, + "budget": { + "CHS": "预算;〔政府的〕", + "ENG": "the money that is available to an organization or person, or a plan of how it will be spent" + }, + "foresee": { + "CHS": "预见,预知,看穿", + "ENG": "to think or know that something is going to happen in the future" + }, + "prevention": { + "CHS": "预防,阻止,妨碍", + "ENG": "when something bad is stopped from happening" + }, + "tulip": { + "CHS": "郁金香", + "ENG": "a brightly coloured flower that is shaped like a cup and grows from a bulb in spring" + }, + "intonation": { + "CHS": "语调,声调;发声", + "ENG": "the way in which the level of your voice changes in order to add meaning to what you are saying, for example by going up at the end of a question" + }, + "cosmic": { + "CHS": "宇宙的;广大无边的,极大的", + "ENG": "relating to space or the universe" + }, + "cosmos": { + "CHS": "宇宙", + "ENG": "the whole universe, especially when you think of it as a system" + }, + "excuse": { + "CHS": "为…辩解;使免除", + "ENG": "to make your or sb else's behaviour seem less offensive by finding reasons for it" + }, + "senseless": { + "CHS": "愚蠢的,无意义的", + "ENG": "happening or done for no good reason or with no purpose" + }, + "amusement": { + "CHS": "乐趣;娱乐,消遣", + "ENG": "the feeling you have when you think something is funny" + }, + "torpedo": { + "CHS": "鱼雷,水雷", + "ENG": "a long narrow weapon that is fired under the surface of the sea and explodes when it hits something" + }, + "roundabout": { + "CHS": "转弯抹角的;迂回的", + "ENG": "not done or said using the shortest, simplest or most direct way possible" + }, + "guilt": { + "CHS": "内疚;有罪,犯罪", + "ENG": "a strong feeling of shame and sadness because you know that you have done something wrong" + }, + "shadowy": { + "CHS": "有影的;幽暗的", + "ENG": "full of shadows, or difficult to see because of shadows" + }, + "avail": { + "CHS": "效用" + }, + "ambitious": { + "CHS": "有雄心的;热望的", + "ENG": "determined to be successful, rich, powerful etc" + }, + "availability": { + "CHS": "有效(性);可得性", + "ENG": "the quality of being at hand when needed" + }, + "finite": { + "CHS": "有限的;有尽的", + "ENG": "having an end or a limit" + }, + "magnet": { + "CHS": "有吸引力的人(或物)", + "ENG": "something or someone that attracts many people or things" + }, + "advantageous": { + "CHS": "有利的,有助的", + "ENG": "helpful and likely to make you successful" + }, + "courteous": { + "CHS": "有礼貌的,谦恭的", + "ENG": "polite and showing respect for other people" + }, + "bead": { + "CHS": "有孔小珠;水珠;露珠", + "ENG": "a small piece of glass, wood, etc. with a hole through it, that can be put on a string with others of the same type and worn as jewellery, etc." + }, + "commonsense": { + "CHS": "有常识的" + }, + "liable": { + "CHS": "有(法律)责任的", + "ENG": "legally responsible for something" + }, + "yacht": { + "CHS": "游艇,快艇", + "ENG": "a large boat with a sail, used for pleasure or sport, especially one that has a place where you can sleep" + }, + "uranium": { + "CHS": "铀", + "ENG": "a heavy white metal that is radioactive and is used to produce nuclear power and nuclear weapons. It is a chemical element: symbol U" + }, + "tanker": { + "CHS": "油船;空中加油飞机", + "ENG": "a vehicle or ship specially built to carry large quantities of gas or liquid, especially oil" + }, + "postal": { + "CHS": "邮政的,邮局的", + "ENG": "relating to the official system which takes letters from one place to another" + }, + "superiority": { + "CHS": "优越(性),优势", + "ENG": "the quality of being better, more skilful, more powerful etc than other people or things" + }, + "elbow": { + "CHS": "用肘挤,挤进", + "ENG": "to push someone with your elbows, especially in order to move past them" + }, + "paper": { + "CHS": "贴壁纸", + "ENG": "to decorate the walls of a room by covering them with special paper" + }, + "cutter": { + "CHS": "用于切割的器械", + "ENG": "a tool that is used for cutting something" + }, + "net": { + "CHS": "用网捕;用网覆盖", + "ENG": "to catch sth, especially fish, in a net" + }, + "head": { + "CHS": "用头顶(球);朝...行进", + "ENG": "to hit the ball with your head, especially in football" + }, + "tug": { + "CHS": "猛拉,拖", + "ENG": "a sudden strong pull" + }, + "hook": { + "CHS": "(使)钩住,挂住", + "ENG": "to fasten or hang sth on sth else using a hook; to be fastened or hanging in this way" + }, + "sniff": { + "CHS": "用鼻子吸,嗅", + "ENG": "to breathe air in through your nose in order to smell something" + }, + "courageous": { + "CHS": "勇敢的,无畏的", + "ENG": "brave" + }, + "emigrate": { + "CHS": "永久移居国外", + "ENG": "to leave your own country to go and live permanently in another country" + }, + "everlasting": { + "CHS": "永久的;持久的", + "ENG": "continuing for ever, even after someone has died" + }, + "eternal": { + "CHS": "永久的;不朽的", + "ENG": "continuing for ever and having no end" + }, + "stiffness": { + "CHS": "硬度" + }, + "comply": { + "CHS": "应允,遵照,照做", + "ENG": "to do what you have to do or are asked to do" + }, + "bound": { + "CHS": "应当的;必定的", + "ENG": "to be very likely to do or feel a particular thing" + }, + "salute": { + "CHS": "(向…)行军礼,(向…)致敬", + "ENG": "to move your right hand to your head, especially in order to show respect to an officer in the army, navy etc" + }, + "press": { + "CHS": "出版社;印刷所;印刷机", + "ENG": "a business that prints and publishes books" + }, + "printer": { + "CHS": "印刷工;印花工", + "ENG": "someone who is employed in the trade of printing" + }, + "harbour": { + "CHS": "怀着(不好的想法、恐惧或希望);包含,藏有;窝藏", + "ENG": "to keep bad thoughts, fears, or hopes in your mind for a long time" + }, + "diet": { + "CHS": "日常饮食,日常食物", + "ENG": "the kind of food that a person or animal eats each day" + }, + "tempt": { + "CHS": "引诱,诱惑,劝诱", + "ENG": "to make someone want to have or do something, even though they know they really should not" + }, + "cite": { + "CHS": "引证;引用;〔法院〕传召,传讯", + "ENG": "to mention something as an example, especially one that supports, proves, or explains an idea or situation" + }, + "ignite": { + "CHS": "引燃,着火", + "ENG": "to start burning, or to make something start burning" + }, + "derivation": { + "CHS": "引出;起源;衍生", + "ENG": "the origin of something, especially a word" + }, + "banker": { + "CHS": "银行家", + "ENG": "someone who works in a bank in an important position" + }, + "obscure": { + "CHS": "无名的;鲜为人知的", + "ENG": "not well known and usually not very important" + }, + "inasmuch": { + "CHS": "因为,由于" + }, + "through": { + "CHS": "因为,由于", + "ENG": "because of something" + }, + "consciousness": { + "CHS": "意识;知觉", + "ENG": "your mind and your thoughts" + }, + "observation": { + "CHS": "意见,短评,按语", + "ENG": "a spoken or written remark about something you have noticed" + }, + "cross": { + "CHS": "恼怒的", + "ENG": "angry or annoyed" + }, + "restrain": { + "CHS": "制止;抑制", + "ENG": "to stop someone from doing something, often by using physical force" + }, + "singular": { + "CHS": "异常的,奇异的", + "ENG": "very unusual or strange" + }, + "house": { + "CHS": "议院,会议厅", + "ENG": "a group of people who make the laws of a country" + }, + "obligation": { + "CHS": "义务,职责,责任", + "ENG": "a moral or legal duty to do something" + }, + "formerly": { + "CHS": "以前,从前", + "ENG": "in earlier times" + }, + "veil": { + "CHS": "以面纱遮掩;遮盖", + "ENG": "to cover something with a veil" + }, + "forsake": { + "CHS": "遗弃,抛弃;摒绝,摒弃", + "ENG": "to leave someone, especially when you should stay because they need you" + }, + "transmission": { + "CHS": "传播,传染", + "ENG": "the process of sending or passing something from one person, place, or thing to another" + }, + "displacement": { + "CHS": "移置;免职;置换", + "ENG": "the act of displacing sb/sth; the process of being displaced" + }, + "colonist": { + "CHS": "移民;殖民地居民", + "ENG": "someone who settles in a new colony" + }, + "instrumental": { + "CHS": "器乐的;有帮助的", + "ENG": "made by or for musical instruments" + }, + "wardrobe": { + "CHS": "衣柜,衣橱,藏衣室", + "ENG": "a piece of furniture like a large cupboard that you hang clothes in" + }, + "garment": { + "CHS": "衣服;服装,衣着", + "ENG": "a piece of clothing" + }, + "Islam": { + "CHS": "伊斯兰教,回教", + "ENG": "the Muslim religion, which was started by Muhammad and whose holy book is the Quran (Koran)" + }, + "evenly": { + "CHS": "一致地;平静地", + "ENG": "divided in an equal way" + }, + "compatible": { + "CHS": "兼容的", + "ENG": "if two pieces of computer equipment are compatible, they can be used together, especially when they are made by different companies" + }, + "stitch": { + "CHS": "缝", + "ENG": "to sew two pieces of cloth together, or to sew a decoration onto a piece of cloth" + }, + "troop": { + "CHS": "一群,一队,大量", + "ENG": "a group of people or animals that do something together" + }, + "concert": { + "CHS": "一齐,一致,协作", + "ENG": "people who do something in concert do it together after having agreed on it" + }, + "chop": { + "CHS": "一块排骨,肉块", + "ENG": "a small piece of meat on a bone, usually cut from a sheep or pig" + }, + "baby": { + "CHS": "一家中年龄最小的人", + "ENG": "a younger child in a family, often the youngest" + }, + "episode": { + "CHS": "(人生的)一段经历;(小说的)片段,插曲", + "ENG": "an event, a situation, or a period of time in sb's life, a novel, etc. that is important or interesting in some way" + }, + "cluster": { + "CHS": "群聚;聚集", + "ENG": "to come together in a small group or groups" + }, + "generalization": { + "CHS": "一般化;概括,综合", + "ENG": "a statement about all the members of a group that may be true in some or many situations but is not true in every case" + }, + "burglar": { + "CHS": "夜盗,窃贼", + "ENG": "someone who goes into houses, shops etc to steal things" + }, + "amateur": { + "CHS": "业余爱好者", + "ENG": "someone who does an activity just for pleasure, not as their job" + }, + "metallurgy": { + "CHS": "冶金学,冶金术", + "ENG": "the scientific study of metals and their uses" + }, + "Jesus": { + "CHS": "耶稣", + "ENG": "the man who Christians believe was the son of God, and on whose life and ideas Christianity is based" + }, + "fort": { + "CHS": "要塞,堡垒", + "ENG": "a strong building or group of buildings used by soldiers or an army for defending an important place" + }, + "postulate": { + "CHS": "假定,假设", + "ENG": "to suggest that something might have happened or be true" + }, + "prescription": { + "CHS": "药方,处方;处方药", + "ENG": "a piece of paper on which a doctor writes what medicine a sick person should have, so that they can get it from a pharmacist" + }, + "cradle": { + "CHS": "摇篮;发源地", + "ENG": "a small bed for a baby, especially one that moves gently from side to side" + }, + "waver": { + "CHS": "犹豫不决;摇摆", + "ENG": "to not make a decision because you have doubts" + }, + "wag": { + "CHS": "(狗) 摇摆 (尾巴);摇晃 (手指)", + "ENG": "if a dog wags its tail, or if its tail wags, the dog moves its tail many times from one side to the other" + }, + "oxide": { + "CHS": "氧化物", + "ENG": "a substance which is produced when a substance is combined with oxygen" + }, + "oxidize": { + "CHS": "氧化,使生锈", + "ENG": "to combine with oxygen, or make something combine with oxygen, especially in a way that causes rust" + }, + "balcony": { + "CHS": "阳台;楼厅,楼座", + "ENG": "a structure that you can stand on, that is attached to the outside wall of a building, above ground level" + }, + "anode": { + "CHS": "阳极,正极,板极", + "ENG": "the part of a battery that collects electrons , often a wire or piece of metal with the sign (+)" + }, + "proverb": { + "CHS": "谚语,格言,箴言", + "ENG": "a short well-known statement that gives advice or expresses something that is generally true. ‘A penny saved is a penny earned’ is an example of a proverb." + }, + "banquet": { + "CHS": "宴会,盛会,酒席", + "ENG": "a formal dinner for many people on an important occasion" + }, + "scope": { + "CHS": "(学科、活动、书籍等的)范围;(发挥能力的)机会,施展余地;眼界", + "ENG": "the range of things that a subject, activity, book etc deals with" + }, + "cloak": { + "CHS": "掩盖,掩饰;覆盖,笼罩", + "ENG": "to deliberately hide facts, feelings etc so that people do not see or understand them – used especially in news reports" + }, + "sharply": { + "CHS": "严厉地,苛刻地", + "ENG": "in a critical, rough or severe way" + }, + "retard": { + "CHS": "阻碍;减缓;放慢", + "ENG": "to delay the development of something, or to make something happen more slowly than expected" + }, + "pickle": { + "CHS": "腌制食品,泡菜", + "ENG": "a thick cold sauce that is made from pieces of vegetables preserved in vinegar. It is usually eaten with cold meat or cheese" + }, + "dentist": { + "CHS": "牙科医生", + "ENG": "someone whose job is to treat people’s teeth" + }, + "opium": { + "CHS": "鸦片;麻醉剂", + "ENG": "a powerful illegal drug made from poppy seeds. Drugs made from opium are used to reduce severe pain." + }, + "squeeze": { + "CHS": "压榨;榨取", + "ENG": "to get liquid from something by pressing it" + }, + "compression": { + "CHS": "压缩,压紧,浓缩" + }, + "squash": { + "CHS": "果汁饮料", + "ENG": "a drink made from fruit juice, sugar, and water" + }, + "velocity": { + "CHS": "迅速,快速", + "ENG": "a high speed" + }, + "patrol": { + "CHS": "巡逻,巡查", + "ENG": "when someone goes around different parts of an area at regular times to check that there is no trouble or danger" + }, + "cruise": { + "CHS": "巡航,巡航于…", + "ENG": "If you cruise an ocean, river, or canal, you travel around it or along it on a cruise" + }, + "quest": { + "CHS": "寻找,追求", + "ENG": "to search for sth that is difficult to find" + }, + "cigar": { + "CHS": "雪茄烟,叶卷烟", + "ENG": "a thick tube-shaped thing that people smoke, and which is made from tobacco leaves that have been rolled up" + }, + "scholarship": { + "CHS": "奖学金;学问,学识", + "ENG": "an amount of money that is given to someone by an educational organization to help pay for their education" + }, + "radiant": { + "CHS": "容光焕发的;灿烂的", + "ENG": "full of happiness and love, in a way that shows in your face and makes you look attractive" + }, + "gorgeous": { + "CHS": "极其漂亮的,极其吸引人的;绚丽的,华丽的", + "ENG": "extremely beautiful or attractive" + }, + "option": { + "CHS": "选择,取舍", + "ENG": "a choice you can make in a particular situation" + }, + "cock": { + "CHS": "公鸡", + "ENG": "an adult male chicken" + }, + "melody": { + "CHS": "旋律,曲调;歌曲", + "ENG": "a song or tune" + }, + "overhang": { + "CHS": "悬于…之上,悬垂", + "ENG": "to hang over something or stick out above it" + }, + "propaganda": { + "CHS": "宣传", + "ENG": "information which is false or which emphasizes just one part of a situation, used by a government or political group to make people agree with them" + }, + "declaration": { + "CHS": "宣布,宣言", + "ENG": "an official or formal statement, especially about the plans of a government or an organization; the act of making such a statement" + }, + "narration": { + "CHS": "叙述;故事;叙述法", + "ENG": "the act of telling a story" + }, + "sequence": { + "CHS": "序列,顺序", + "ENG": "the order that something happens or exists in, or the order it is supposed to happen or exist in" + }, + "warrant": { + "CHS": "(法院授权警方采取行动的)令状;许可证", + "ENG": "a legal document that is signed by a judge, allowing the police to take a particular action" + }, + "requisite": { + "CHS": "必需品", + "ENG": "something that you need for a particular purpose" + }, + "embroidery": { + "CHS": "绣花,刺绣;绣制品", + "ENG": "a pattern sewn onto cloth, or cloth with patterns sewn onto it" + }, + "nun": { + "CHS": "修女,尼姑", + "ENG": "someone who is a member of a group of religious women that live together in a convent" + }, + "eloquence": { + "CHS": "雄辩;口才,修辞" + }, + "wind": { + "CHS": "风", + "ENG": "moving air, especially when it moves strongly or quickly in a current" + }, + "directory": { + "CHS": "姓名地址录", + "ENG": "a book or list of names, facts etc, usually arranged in alphabetical order" + }, + "pacific": { + "CHS": "性情温和的", + "ENG": "peaceful and loving or wanting peace" + }, + "survival": { + "CHS": "幸存;残存;幸存者", + "ENG": "the state of continuing to live or exist" + }, + "flush": { + "CHS": "脸红;一阵强烈情感;(流露出的)一阵激情", + "ENG": "a red colour that appears on your face when you are angry or embarrassed" + }, + "formal": { + "CHS": "正规的;庄重的", + "ENG": "very correct and suitable for official or important occasions" + }, + "constituent": { + "CHS": "选民", + "ENG": "someone who votes in a particular area" + }, + "scarlet": { + "CHS": "猩红的", + "ENG": "bright red in colour" + }, + "religion": { + "CHS": "宗教", + "ENG": "a particular system of this belief and all the ceremonies and duties that are related to it" + }, + "novelty": { + "CHS": "新颖;新奇的事物", + "ENG": "the quality of being new, unusual, and interesting" + }, + "regenerative": { + "CHS": "回授的;再生的", + "ENG": "Regenerative powers or processes cause something to heal or become active again after it has been damaged or inactive" + }, + "bridegroom": { + "CHS": "新郎", + "ENG": "a man at the time he gets married, or just after he is married" + }, + "zinc": { + "CHS": "在…上镀锌" + }, + "appreciation": { + "CHS": "欣赏;感激", + "ENG": "pleasure you feel when you realize something is good, useful, or well done" + }, + "psychology": { + "CHS": "心理学;心理", + "ENG": "the study of the mind and how it influences people’s behaviour" + }, + "crab": { + "CHS": "捕蟹", + "ENG": "to hunt or catch crabs" + }, + "subscript": { + "CHS": "下标", + "ENG": "a subscript character (Also called subindex)" + }, + "sideways": { + "CHS": "斜向一边地", + "ENG": "to or towards one side" + }, + "jean": { + "CHS": "斜纹布;牛仔裤", + "ENG": "a tough twill-weave cotton fabric used for hard-wearing trousers, overalls, etc" + }, + "gradient": { + "CHS": "斜坡", + "ENG": "a slope or a degree of slope, especially in a road or railway" + }, + "vicious": { + "CHS": "邪恶的;恶性的", + "ENG": "very unkind in a way that is intended to hurt someone’s feelings or make their character seem bad" + }, + "evil": { + "CHS": "邪恶,罪恶;祸害", + "ENG": "something that is very bad or harmful" + }, + "team": { + "CHS": "协作,合作", + "ENG": "to put two things or people together, because they will look good or work well together" + }, + "coefficient": { + "CHS": "协同因素;系数,率", + "ENG": "the number by which an unknown quantity is multiplied" + }, + "wedge": { + "CHS": "楔入;挤入", + "ENG": "to force something firmly into a narrow space" + }, + "calibration": { + "CHS": "校准;标定,刻度", + "ENG": "the process of checking or slightly changing an instrument or tool so that it does something correctly" + }, + "paragraph": { + "CHS": "(文章的)段,段落", + "ENG": "part of a piece of writing which starts on a new line and contains at least one sentence" + }, + "caution": { + "CHS": "告诫,警告", + "ENG": "to warn someone that something might be dangerous, difficult etc" + }, + "suitcase": { + "CHS": "手提箱,衣箱", + "ENG": "a large case with a handle, used for carrying clothes and possessions when you travel" + }, + "decimal": { + "CHS": "小数的,十进制的", + "ENG": "a decimal system is based on the number 10" + }, + "footpath": { + "CHS": "小路,人行道", + "ENG": "a narrow path for people to walk along, especially in the country" + }, + "puppy": { + "CHS": "小狗;幼小的动物", + "ENG": "a young dog" + }, + "closet": { + "CHS": "小房间;壁碗橱", + "ENG": "a cupboard built into the wall of a room from the floor to the ceiling" + }, + "pamphlet": { + "CHS": "小册子", + "ENG": "a very thin book with paper covers, that gives information about something" + }, + "disappearance": { + "CHS": "消失,消散;失踪", + "ENG": "when someone or something becomes impossible to see or find" + }, + "recreation": { + "CHS": "消遣,娱乐活动", + "ENG": "an activity that you do for pleasure or amusement" + }, + "consumer": { + "CHS": "消费者,用户", + "ENG": "someone who buys and uses products and services" + }, + "depression": { + "CHS": "消沉;不景气萧条期", + "ENG": "a feeling of sadness that makes you think there is no hope for the future" + }, + "token": { + "CHS": "辅币;象征", + "ENG": "a round piece of metal that you use instead of money in some machines" + }, + "ivory": { + "CHS": "象牙(质);乳白色", + "ENG": "the hard smooth yellowish-white substance from the tusks of an elephant" + }, + "forward": { + "CHS": "转递", + "ENG": "to send letters, goods etc to someone when they have moved to a different address" + }, + "southwards": { + "CHS": "向南方", + "ENG": "towards the south" + }, + "orientation": { + "CHS": "定位;方向", + "ENG": "the type of activity or subject that a person or organization seems most interested in and gives most attention to" + }, + "hail": { + "CHS": "向…欢呼,招呼", + "ENG": "to call to someone in order to greet them or try to attract their attention" + }, + "yearn": { + "CHS": "渴望,向往", + "ENG": "to have a strong desire for something, especially something that is difficult or impossible to get" + }, + "spice": { + "CHS": "香料,调味品", + "ENG": "a type of powder or seed, taken from plants, that you put into food you are cooking to give it a special taste" + }, + "pilgrim": { + "CHS": "香客,朝圣者", + "ENG": "a religious person who travels a long way to a holy place" + }, + "fragrant": { + "CHS": "香的,芬芳的", + "ENG": "having a pleasant smell" + }, + "incense": { + "CHS": "香,熏香;香气", + "ENG": "a substance that has a pleasant smell when you burn it" + }, + "uniformly": { + "CHS": "相同地;一贯", + "ENG": "not varying; the same in all parts and at all times" + }, + "resemblance": { + "CHS": "相似,相似性", + "ENG": "the fact of being or looking similar to sb/sth" + }, + "analogy": { + "CHS": "相似,类似;比拟", + "ENG": "something that seems similar between two situations, processes etc" + }, + "reciprocal": { + "CHS": "相互的;互利的", + "ENG": "involving two people or groups who agree to help each other or behave in the same way to each other" + }, + "coincide": { + "CHS": "相巧合;相符合", + "ENG": "to happen at the same time as something else, especially by chance" + }, + "inversely": { + "CHS": "相反地", + "ENG": "opposite in amount or position to sth else" + }, + "devotion": { + "CHS": "献身,热诚,专心", + "ENG": "the action of spending a lot of time or energy on sth" + }, + "linear": { + "CHS": "线的;长度的", + "ENG": "consisting of lines, or in the form of a straight line" + }, + "realistic": { + "CHS": "现实的;现实主义的", + "ENG": "judging and dealing with situations in a practical way according to what is actually possible rather than what you would like to happen" + }, + "striking": { + "CHS": "显著的,惊人的", + "ENG": "unusual or interesting enough to be easily noticed" + }, + "microscopic": { + "CHS": "显微镜的;微观的,极小的", + "ENG": "using a microscope" + }, + "apparent": { + "CHS": "显然的", + "ENG": "easy to notice" + }, + "distinctly": { + "CHS": "显然,清楚地", + "ENG": "clearly" + }, + "bacon": { + "CHS": "咸猪肉,熏猪肉", + "ENG": "salted or smoked meat from the back or sides of a pig, often served in narrow thin pieces" + }, + "gossip": { + "CHS": "闲谈;碎嘴子;漫笔", + "ENG": "information that is passed from one person to another about other people’s behaviour and private lives, often including unkind or untrue remarks" + }, + "ramble": { + "CHS": "闲逛,漫步;漫谈,闲聊", + "ENG": "to go on a walk in the countryside for pleasure" + }, + "precede": { + "CHS": "先于…,领先", + "ENG": "to happen or exist before something or someone, or to come before something else in a series" + }, + "priority": { + "CHS": "先,前;优先,重点", + "ENG": "the thing that you think is most important and that needs attention before anything else" + }, + "shower": { + "CHS": "下阵雨,使湿透" + }, + "taper": { + "CHS": "细小的蜡烛;微光", + "ENG": "a very thin candle" + }, + "petty": { + "CHS": "细小的;器量小的", + "ENG": "small and unimportant" + }, + "nice": { + "CHS": "细微的,微妙的", + "ENG": "involving a very small difference or detail" + }, + "filament": { + "CHS": "细丝;长丝;灯丝", + "ENG": "a very thin thread or wire" + }, + "bacterium": { + "CHS": "细菌", + "ENG": "the singular of bacteria" + }, + "germ": { + "CHS": "细菌,病原菌;幼芽", + "ENG": "a very small living thing that can make you ill" + }, + "systematically": { + "CHS": "系统地,有规则地", + "ENG": "done according to a system or plan, in a thorough, efficient or determined way" + }, + "spectrum": { + "CHS": "系列,范围;波谱", + "ENG": "a complete range of opinions, people, situations etc, going from one extreme to its opposite" + }, + "lace": { + "CHS": "系带,用带子束紧", + "ENG": "to fasten something by tying a lace" + }, + "tape": { + "CHS": "系,捆", + "ENG": "to fasten a package, box etc with sticky tape" + }, + "drama": { + "CHS": "戏剧性事件;戏剧性", + "ENG": "an exciting event or set of events, or the quality of being exciting" + }, + "theatre": { + "CHS": "剧场,戏院", + "ENG": "a building or place with a stage where plays and shows are performed" + }, + "comedy": { + "CHS": "喜剧;喜剧场面", + "ENG": "entertainment that is intended to make people laugh" + }, + "usage": { + "CHS": "习惯用法", + "ENG": "the way that words are used in a language" + }, + "quench": { + "CHS": "熄灭,扑灭;压制", + "ENG": "to stop a fire from burning" + }, + "absorption": { + "CHS": "吸收;专注", + "ENG": "a process in which something takes in liquid, gas, or heat" + }, + "intake": { + "CHS": "吸入;输入能量", + "ENG": "the amount of food, drink etc that you take into your body" + }, + "physically": { + "CHS": "身体上;体格上", + "ENG": "in relation to your body rather than your mind or emotions" + }, + "substantial": { + "CHS": "大而坚固的", + "ENG": "large and strongly made" + }, + "body": { + "CHS": "物体", + "ENG": "英文释义 an object that is separate from other objects" + }, + "luncheon": { + "CHS": "午宴,午餐,便宴", + "ENG": "a formal lunch or a formal word for lunch" + }, + "ignorance": { + "CHS": "无知,无学,愚昧", + "ENG": "lack of knowledge or information about something" + }, + "insignificant": { + "CHS": "无意义的;低微的", + "ENG": "too small or unimportant to consider or worry about" + }, + "doubtless": { + "CHS": "无疑地;很可能", + "ENG": "used when saying that something is almost certain to happen or be true" + }, + "indefinite": { + "CHS": "无限期的", + "ENG": "an indefinite action or period of time has no definite end arranged for it" + }, + "infinitely": { + "CHS": "无限地,无边地", + "ENG": "extremely; with no limit" + }, + "unlimited": { + "CHS": "无限的;不定的", + "ENG": "without any limit" + }, + "infinite": { + "CHS": "无限;无穷(大)", + "ENG": "something that has no end" + }, + "fearless": { + "CHS": "无畏的,大胆的", + "ENG": "not afraid of anything" + }, + "innumerable": { + "CHS": "无数的,数不清的", + "ENG": "very many, or too many to be counted" + }, + "inorganic": { + "CHS": "无生物的;无机的", + "ENG": "not consisting of anything that is living" + }, + "ruthless": { + "CHS": "无情的,冷酷的", + "ENG": "so determined to get what you want that you do not care if you have to hurt other people in order to do it" + }, + "incapable": { + "CHS": "无能力的;无资格的", + "ENG": "not able to do something" + }, + "unique": { + "CHS": "无可匹敌的;极好的", + "ENG": "unusually good and special" + }, + "faultless": { + "CHS": "无过失的;无缺点的", + "ENG": "having no mistakes" + }, + "foreign": { + "CHS": "外国的,国外的", + "ENG": "from or relating to a country that is not your own" + }, + "nought": { + "CHS": "无,零", + "ENG": "the number 0" + }, + "filth": { + "CHS": "污秽,污物;淫猥;淫猥", + "ENG": "dirt, especially a lot of it" + }, + "snail": { + "CHS": "蜗牛;行动缓慢的人", + "ENG": "a small soft creature that moves very slowly and has a hard shell on its back" + }, + "hum": { + "CHS": "哼曲子", + "ENG": "to sing a tune by making a continuous sound with your lips closed" + }, + "compliment": { + "CHS": "赞美,祝贺", + "ENG": "to say something nice to someone in order to praise them" + }, + "question": { + "CHS": "问,询问,讯问", + "ENG": "to ask someone questions in order to get information about something such as a crime" + }, + "illiterate": { + "CHS": "文盲", + "ENG": "someone who has not learned to read or write" + }, + "stationery": { + "CHS": "信笺,信纸;文具", + "ENG": "paper for writing letters, usually with matching envelopes" + }, + "plague": { + "CHS": "瘟疫;鼠疫(尤指腺鼠疫)", + "ENG": "a disease that causes death and spreads quickly to a large number of people" + }, + "softness": { + "CHS": "温和,柔和;软弱" + }, + "graze": { + "CHS": "喂草;放牧(牲畜)", + "ENG": "if an animal grazes, or if you graze it, it eats grass that is growing" + }, + "locality": { + "CHS": "位置,地点,发生地", + "ENG": "a small area of a country, city etc" + }, + "situated": { + "CHS": "位于…的", + "ENG": "to be in a particular place or position" + }, + "bachelor": { + "CHS": "未婚男子;学士", + "ENG": "a man who has never been married" + }, + "unpaid": { + "CHS": "未付的;无偿的", + "ENG": "not yet paid" + }, + "stern": { + "CHS": "艉,船尾;臀部", + "ENG": "the back of a ship" + }, + "commission": { + "CHS": "委托,委任;委托状", + "ENG": "a request for an artist, designer, or musician to make a piece of art or music, for which they are paid" + }, + "latitude": { + "CHS": "纬度;黄纬", + "ENG": "The latitude of a place is its distance from the equator." + }, + "Venus": { + "CHS": "维纳斯;美人", + "ENG": "the Roman goddess of love" + }, + "idealism": { + "CHS": "唯心主义;理想主义", + "ENG": "the belief that you should live your life according to high standards and principles, even when they are very difficult to achieve" + }, + "mast": { + "CHS": "桅杆", + "ENG": "a tall pole on which the sails or flags on a ship are hung" + }, + "enclosure": { + "CHS": "围场,围栏;围绕", + "ENG": "an area surrounded by a wall or fence, and used for a particular purpose" + }, + "violate": { + "CHS": "违犯,违背;侵犯", + "ENG": "to disobey or do something against an official agreement, law, principle etc" + }, + "towards": { + "CHS": "用于,有助于", + "ENG": "money put, saved, or given towards something is used to pay for it" + }, + "plead": { + "CHS": "为…辩护,抗辩", + "ENG": "to argue in support of sb/sth" + }, + "catalogue": { + "CHS": "为…编目录", + "ENG": "to make a complete list of all the things in a group" + }, + "microprocessor": { + "CHS": "微信息处理机", + "ENG": "the central chip in a computer, which controls most of its operations" + }, + "atom": { + "CHS": "原子", + "ENG": "the smallest part of an element that can exist alone or can combine with other substances to form a molecule" + }, + "calculus": { + "CHS": "微积分;结石", + "ENG": "the part of mathematics that deals with changing quantities, such as the speed of a falling stone or the slope of a curved line" + }, + "gleam": { + "CHS": "发微光", + "ENG": "to shine softly" + }, + "negligible": { + "CHS": "微不足道的", + "ENG": "too slight or unimportant to have any effect" + }, + "microwave": { + "CHS": "微波", + "ENG": "a very short electric wave that is used in cooking food and sending messages by radio, and in radar" + }, + "awful": { + "CHS": "威严的;令人崇敬的", + "ENG": "making you feel great respect or fear" + }, + "majesty": { + "CHS": "雄伟,威严,庄严;陛下", + "ENG": "the impressive and attractive quality that sth has" + }, + "crisis": { + "CHS": "危机;转折点", + "ENG": "a situation in which there are a lot of problems that must be dealt with quickly so that the situation does not get worse or more dangerous" + }, + "peril": { + "CHS": "危机;危险的事物", + "ENG": "great danger, especially of being harmed or killed" + }, + "fro": { + "CHS": "往,去,回,向后" + }, + "mesh": { + "CHS": "网眼,筛孔,网络", + "ENG": "material made from threads or wires that have been woven together like a net, or a piece of this material" + }, + "network": { + "CHS": "网络;广播网", + "ENG": "a system of lines, tubes, wires, roads etc that cross each other and are connected to each other" + }, + "web": { + "CHS": "网,网状物", + "ENG": "a complicated pattern of things that are closely connected to each other" + }, + "stubborn": { + "CHS": "顽固的;顽强的", + "ENG": "determined not to change your mind, even when people think you are being unreasonable" + }, + "trifle": { + "CHS": "玩忽;闲混;嬉耍", + "ENG": "to treat someone or something without respect or not in a serious way" + }, + "completion": { + "CHS": "完成,结束,完满", + "ENG": "the state of being finished" + }, + "crooked": { + "CHS": "弯的,歪的;畸形的", + "ENG": "bent, twisted, or not in a straight line" + }, + "hull": { + "CHS": "外壳,豆荚;薄膜", + "ENG": "the outer covering of seeds, rice, grain etc" + }, + "diplomatic": { + "CHS": "外交的;有策略的", + "ENG": "relating to or involving the work of diplomats" + }, + "strange": { + "CHS": "陌生的,不熟悉的", + "ENG": "not familiar because you have not been there before or met the person before" + }, + "tile": { + "CHS": "瓷砖;贴砖;瓦片", + "ENG": "a flat square piece of baked clay or other material, used for covering walls, floors etc" + }, + "watt": { + "CHS": "瓦(特)", + "ENG": "a unit for measuring electrical power" + }, + "elliptical": { + "CHS": "椭圆的;省略的", + "ENG": "having the shape of an ellipse" + }, + "haul": { + "CHS": "拖曳;拖运", + "ENG": "to pull something heavy with a continuous steady movement" + }, + "hip": { + "CHS": "臀部,髋", + "ENG": "one of the two parts on each side of your body between the top of your leg and your waist" + }, + "devour": { + "CHS": "吞食;吞灭,毁灭", + "ENG": "to eat something quickly because you are very hungry" + }, + "retirement": { + "CHS": "退休,引退;退隐", + "ENG": "when you stop working, usually because of your age" + }, + "drawback": { + "CHS": "妨碍;弊端", + "ENG": "a disadvantage of a situation, plan, product etc" + }, + "inference": { + "CHS": "推论;推断的结果", + "ENG": "something that you think is true, based on information that you have" + }, + "rational": { + "CHS": "合理的;适度的", + "ENG": "rational thoughts, decisions etc are based on reasons rather than emotions" + }, + "propulsion": { + "CHS": "推进,推进力", + "ENG": "the force that drives a vehicle forward" + }, + "propel": { + "CHS": "推进,推动", + "ENG": "to move, drive, or push something forward" + }, + "recommendation": { + "CHS": "推荐,介绍;建议", + "ENG": "a suggestion to someone that they should choose a particular thing or person that you think is very good" + }, + "overthrow": { + "CHS": "推翻,瓦解", + "ENG": "the defeat and removal from power of a leader or government, especially by force" + }, + "impulse": { + "CHS": "冲动;推动", + "ENG": "a sudden strong desire to do something without thinking about whether it is a sensible thing to do" + }, + "presumably": { + "CHS": "推测起来,大概", + "ENG": "used to say that you think something is probably true" + }, + "gather": { + "CHS": "推测,推断", + "ENG": "to believe that something is true because of what you have seen or heard" + }, + "shove": { + "CHS": "推,(使劲)推", + "ENG": "to push someone or something in a rough or careless way, using your hands or shoulders" + }, + "solidarity": { + "CHS": "团结;休戚相关", + "ENG": "loyalty and general agreement between all the people in a group, or between different groups, because they all have a shared aim" + }, + "regiment": { + "CHS": "团,军团;一大群", + "ENG": "a large group of soldiers, usually consisting of several battalions" + }, + "bandit": { + "CHS": "土匪,盗匪,歹徒", + "ENG": "someone who robs people, especially one of a group of people who attack travellers" + }, + "lever": { + "CHS": "途径,工具,手段", + "ENG": "something you use to influence a situation to get the result that you want" + }, + "overtake": { + "CHS": "突然发生;压倒", + "ENG": "If an event overtakes you, it happens unexpectedly or suddenly." + }, + "nose": { + "CHS": "突出部分(如船头等)", + "ENG": "the front part of a plane, boat , etc" + }, + "bald": { + "CHS": "秃头的;无毛的", + "ENG": "having little or no hair on your head" + }, + "projector": { + "CHS": "投影仪;探照灯", + "ENG": "a piece of equipment that makes a film or picture appear on a screen or flat surface" + }, + "dizzy": { + "CHS": "头晕眼花的,眩晕的", + "ENG": "feeling unable to stand steadily, for example because you are looking down from a high place or because you are ill" + }, + "steal": { + "CHS": "偷偷地做,窃取", + "ENG": "to take something that belongs to someone else" + }, + "misery": { + "CHS": "痛苦,悲惨,不幸", + "ENG": "great suffering that is caused for example by being very poor or very sick" + }, + "torment": { + "CHS": "折磨", + "ENG": "to make someone suffer a lot, especially mentally" + }, + "thrash": { + "CHS": "痛打,鞭打,打", + "ENG": "to beat someone violently, especially in order to punish them" + }, + "dominant": { + "CHS": "主因" + }, + "statistics": { + "CHS": "统计,统计数字", + "ENG": "a collection of information shown in numbers" + }, + "even": { + "CHS": "平稳的,均匀的", + "ENG": "not changing very much in amount, speed, etc." + }, + "likeness": { + "CHS": "同样;类似,相似", + "ENG": "the quality of being similar in appearance to someone or something" + }, + "accessory": { + "CHS": "附属的", + "ENG": "not the most important when compared to others" + }, + "homogeneous": { + "CHS": "同类的", + "ENG": "consisting of people or things that are all of the same type" + }, + "coordinate": { + "CHS": "同等的", + "ENG": "equal in importance or rank in a sentence" + }, + "whilst": { + "CHS": "同时;然而", + "ENG": "while" + }, + "notify": { + "CHS": "通知,告知;报告", + "ENG": "to formally or officially tell someone about something" + }, + "advertise": { + "CHS": "登广告", + "ENG": "to tell the public about a product or service in order to persuade them to buy it" + }, + "correspondence": { + "CHS": "通信;相关;相似", + "ENG": "the process of sending and receiving letters" + }, + "popularity": { + "CHS": "通俗性;普及,流行", + "ENG": "when something or someone is liked or supported by a lot of people" + }, + "entry": { + "CHS": "入口,通道;条目", + "ENG": "a door, gate, or passage that you go through to enter a place" + }, + "customary": { + "CHS": "通常的;照惯例的", + "ENG": "something that is customary is normal because it is the way something is usually done" + }, + "ordinarily": { + "CHS": "通常,大概", + "ENG": "usually" + }, + "hydrocarbon": { + "CHS": "烃,碳氢化合物", + "ENG": "a chemical compound that consists of hydrogen and carbon, such as coal or gas" + }, + "resignation": { + "CHS": "听从,屈从,顺从", + "ENG": "when someone calmly accepts a situation that cannot be changed, even though it is bad" + }, + "blacksmith": { + "CHS": "铁匠,锻工", + "ENG": "someone who makes and repairs things made of iron, especially horseshoes" + }, + "ferrous": { + "CHS": "铁的;亚铁的", + "ENG": "containing or relating to iron" + }, + "adjoin": { + "CHS": "贴近,毗连;靠近", + "ENG": "to be next to or joined to sth" + }, + "hop": { + "CHS": "(人)单足跳", + "ENG": "to move by jumping on one foot" + }, + "overlook": { + "CHS": "眺望;看漏;宽容", + "ENG": "if a house, room etc overlooks something, it has a view of it, usually from above" + }, + "regulate": { + "CHS": "调整,调节,校准", + "ENG": "to make a machine or your body work at a particular speed, temperature etc" + }, + "modulate": { + "CHS": "调整,调节(声音)", + "ENG": "to change the sound of your voice" + }, + "settlement": { + "CHS": "调停;(尤指拓荒者居住的)定居点,村落", + "ENG": "an official agreement or decision that ends an argument, a court case, or a fight, or the action of making an agreement" + }, + "mischief": { + "CHS": "调皮,捣蛋,胡闹", + "ENG": "bad behaviour, especially by children, that causes trouble or damage, but no serious harm" + }, + "accord": { + "CHS": "符合;协议", + "ENG": "a situation in which two people, ideas, or statements agree with each other" + }, + "questionnaire": { + "CHS": "调查表,征求意见表", + "ENG": "a written set of questions which you give to a large number of people in order to collect information" + }, + "sweetness": { + "CHS": "甜蜜,芬芳;愉悦,美好", + "ENG": "how sweet something tastes or smells" + }, + "dessert": { + "CHS": "甜点心", + "ENG": "sweet food served after the main part of a meal" + }, + "Catholic": { + "CHS": "天主教徒", + "ENG": "a member of the Catholic Church" + }, + "astronomy": { + "CHS": "天文学", + "ENG": "the scientific study of the stars and planet s" + }, + "theme": { + "CHS": "题目;主题;主旋律;(句子的)主位;词干", + "ENG": "the main subject or idea in a piece of writing, speech, film etc" + }, + "finance": { + "CHS": "提供资金", + "ENG": "to provide money, especially a lot of money, to pay for something" + }, + "nourish": { + "CHS": "提供养分,养育", + "ENG": "to give a person or other living thing the food and other substances they need in order to live, grow, and stay healthy" + }, + "enhance": { + "CHS": "提高,增加;改进", + "ENG": "to improve something" + }, + "purify": { + "CHS": "提纯,精炼(金属)", + "ENG": "to take a pure form of a substance out of another substance that contains it" + }, + "raise": { + "CHS": "提出,发起,发出", + "ENG": "to begin to talk or write about a subject that you want to be considered or a question that you think should be answered" + }, + "introduce": { + "CHS": "提出(议案等)", + "ENG": "to formally present a possible new law to be discussed" + }, + "peculiarity": { + "CHS": "特性,独特性;怪癖", + "ENG": "something that is a feature of only one particular place, person, situation etc" + }, + "individual": { + "CHS": "特殊的", + "ENG": "an individual style, way of doing things etc is different from anyone else’s – usually used to show approval" + }, + "bore": { + "CHS": "讨厌的人;麻烦事", + "ENG": "someone who is boring, especially because they talk too much about themselves or about things that do not interest you" + }, + "earthenware": { + "CHS": "陶器", + "ENG": "Earthenware objects are referred to as earthenware" + }, + "outlaw": { + "CHS": "逃犯,歹徒", + "ENG": "someone who has done something illegal, and who is hiding in order to avoid punishment – used especially about criminals in the past" + }, + "wade": { + "CHS": "趟(河),跋涉", + "ENG": "to walk through water that is not deep" + }, + "probe": { + "CHS": "用探针探查", + "ENG": "to look for something or examine something, using a long thin object" + }, + "charcoal": { + "CHS": "炭,木炭;生物炭", + "ENG": "a black substance made of burned wood that can be used as fuel" + }, + "plain": { + "CHS": "坦白的;普通的", + "ENG": "showing clearly and honestly what is true or what you think about something" + }, + "negotiate": { + "CHS": "谈判,交涉,议定", + "ENG": "to discuss something in order to reach an agreement, especially in business or politics" + }, + "greed": { + "CHS": "贪心,贪婪", + "ENG": "a strong desire for more food, money, power, possessions etc than you need" + }, + "moss": { + "CHS": "苔藓,地衣", + "ENG": "a very small green plant that grows in a thick soft furry mass on wet soil, trees, or rocks" + }, + "pedal": { + "CHS": "(自行车的)踏脚,踏板,脚蹬;(汽车或机器的)踏板", + "ENG": "one of the two parts of a bicycle that you push round with your feet to make the bicycle go forward" + }, + "thereof": { + "CHS": "它的,其;由此", + "ENG": "relating to something that has just been mentioned" + }, + "trivial": { + "CHS": "琐碎的;平常的", + "ENG": "not important or serious; not worth considering" + }, + "detail": { + "CHS": "琐碎,小事", + "ENG": "a single feature, fact, or piece of information about something" + }, + "concern": { + "CHS": "所关切的事;商行", + "ENG": "something that worries you" + }, + "what": { + "CHS": "所…的", + "ENG": "the thing which" + }, + "hurt": { + "CHS": "(对感情造成的)伤害,创伤", + "ENG": "a feeling of great unhappiness because someone, especially someone you trust, has treated you badly or unfairly" + }, + "deform": { + "CHS": "损坏…的形状", + "ENG": "to change or spoil the usual or natural shape of sth" + }, + "deformation": { + "CHS": "损坏;变形;畸形", + "ENG": "a change in the usual shape of something, especially one that makes it worse, or the process of changing something’s shape" + }, + "fringe": { + "CHS": "穗,毛边;边缘", + "ENG": "a decorative edge of hanging threads on a curtain, piece of clothing etc" + }, + "scrap": { + "CHS": "废弃", + "ENG": "to cancel or get rid of sth that is no longer practical or useful" + }, + "random": { + "CHS": "随机的", + "ENG": "happening or chosen without any definite plan, aim, or pattern" + }, + "garlic": { + "CHS": "蒜,大蒜", + "ENG": "a plant like a small onion, used in cooking to give a strong taste" + }, + "plastic": { + "CHS": "塑料的;塑性的", + "ENG": "made of plastic" + }, + "shorthand": { + "CHS": "速记,速记法", + "ENG": "a fast method of writing using special signs or shorter forms to represent letters, words, and phrases" + }, + "scout": { + "CHS": "搜索,侦察", + "ENG": "to search an area or various areas in order to find or discover sth" + }, + "laundry": { + "CHS": "送洗衣店去洗的东西", + "ENG": "clothes, sheets etc that need to be washed or have just been washed" + }, + "replace": { + "CHS": "把...放回原处", + "ENG": "to put something back where it was before" + }, + "loosely": { + "CHS": "松松地,松散地", + "ENG": "in a way that is not firm or tight" + }, + "rear": { + "CHS": "饲养,培植;抚养", + "ENG": "to look after a person or animal until they are fully grown" + }, + "hiss": { + "CHS": "嘶嘶作声", + "ENG": "to make a noise which sounds like ‘ssss’" + }, + "rip": { + "CHS": "撕,扯破,划破", + "ENG": "to tear something or be torn quickly and violently" + }, + "speculate": { + "CHS": "猜测,推测;投机", + "ENG": "to guess about the possible causes or effects of something, without knowing all the facts or details" + }, + "confidence": { + "CHS": "私房话,秘密,机密", + "ENG": "a secret or a piece of information that is private or personal" + }, + "velvet": { + "CHS": "丝绒制的;柔软光滑的", + "ENG": "made of velvet" + }, + "treasurer": { + "CHS": "司库,财务主管", + "ENG": "someone who is officially responsible for the money for an organization, club, political party etc" + }, + "exposition": { + "CHS": "说明,解释;展览会,博览会", + "ENG": "a clear and detailed explanation" + }, + "preach": { + "CHS": "说教,布道;鼓吹", + "ENG": "to talk about a religious subject in a public place, especially in a church during a service" + }, + "observe": { + "CHS": "说,评述,评论", + "ENG": "to say or write what you have noticed about a situation" + }, + "momentary": { + "CHS": "瞬息间的,片刻的", + "ENG": "continuing for a very short time" + }, + "couch": { + "CHS": "睡椅,长沙发椅", + "ENG": "a comfortable piece of furniture big enough for two or three people to sit on" + }, + "slumber": { + "CHS": "睡眠;沉睡状态", + "ENG": "sleep" + }, + "buffalo": { + "CHS": "水牛;水陆坦克", + "ENG": "an African animal similar to a large cow with long curved horns" + }, + "hydraulic": { + "CHS": "水力的;水力学的", + "ENG": "moved or operated by the pressure of water or other liquid" + }, + "watery": { + "CHS": "充满水的;与水有关的;湿的;(食物、饮料等)味淡的", + "ENG": "full of water or relating to water" + }, + "rinse": { + "CHS": "冲洗;嗽(口)", + "ENG": "to wash clothes, dishes, vegetables etc quickly with water, especially running water, and without soap" + }, + "wrestle": { + "CHS": "摔交;斗争,搏斗", + "ENG": "the act or about of wrestling" + }, + "numerical": { + "CHS": "数字的,数值的", + "ENG": "expressed or considered in numbers" + }, + "harp": { + "CHS": "竖琴;天琴座", + "ENG": "a large musical instrument with strings that are stretched across a vertical frame with three corners, and that you play with your fingers" + }, + "terminology": { + "CHS": "术语学,术语", + "ENG": "the technical words or expressions that are used in a particular subject" + }, + "proficient": { + "CHS": "熟练的,精通的", + "ENG": "able to do something well or skilfully" + }, + "proficiency": { + "CHS": "熟练,精通", + "ENG": "a good standard of ability and skill" + }, + "input": { + "CHS": "输入", + "ENG": "the act of putting information into a computer; the information that you put in" + }, + "grant": { + "CHS": "拨款", + "ENG": "an amount of money given to someone, especially by the government, for a particular purpose" + }, + "dependant": { + "CHS": "受赡养者", + "ENG": "someone, especially a child, who depends on you for food, clothes, money etc" + }, + "miser": { + "CHS": "守财奴,吝啬鬼", + "ENG": "someone who is not generous and does not like spending money" + }, + "trolley": { + "CHS": "手推车;有轨电车", + "ENG": "a large basket on wheels that you use for carrying bags, shopping etc" + }, + "handbook": { + "CHS": "手册,便览,指南", + "ENG": "a short book that gives information or instructions about something" + }, + "adoption": { + "CHS": "收养;采纳,采取", + "ENG": "the act or process of adopting a child" + }, + "oath": { + "CHS": "誓言,誓约,宣誓", + "ENG": "a formal and very serious promise" + }, + "vow": { + "CHS": "誓言,誓约,许愿", + "ENG": "a serious promise" + }, + "pledge": { + "CHS": "使发誓", + "ENG": "to make someone formally promise something" + }, + "indoor": { + "CHS": "室内的;室内进行的", + "ENG": "used or happening inside a building" + }, + "wholesome": { + "CHS": "对健康有益的", + "ENG": "likely to make you healthy" + }, + "moderately": { + "CHS": "适度地,适中", + "ENG": "in a way which is not extreme or stays within reasonable limits" + }, + "fitting": { + "CHS": "配件", + "ENG": "an outside part of a piece of equipment that makes it possible to use or handle it" + }, + "fitness": { + "CHS": "适当,恰当;健康", + "ENG": "the degree to which someone or something is suitable or good enough for a particular situation or purpose" + }, + "vision": { + "CHS": "视力;眼力,想象力", + "ENG": "the ability to see" + }, + "occurrence": { + "CHS": "发生的事", + "ENG": "something that happens" + }, + "snob": { + "CHS": "势利小人", + "ENG": "someone who thinks they are better than people from a lower social class – used to show disapproval" + }, + "snobbish": { + "CHS": "势利的,谄上欺下的", + "ENG": "behaving in a way that shows you think you are better than other people because you are from a higher social class or know more than they do" + }, + "influence": { + "CHS": "势力,权势", + "ENG": "the power to make other people agree with your opinions or do what you want" + }, + "conform": { + "CHS": "使遵守;一致", + "ENG": "to obey a law, rule etc" + }, + "automate": { + "CHS": "使自动化", + "ENG": "to start using computers and machines to do a job, rather than people" + }, + "lengthen": { + "CHS": "使延长,变长", + "ENG": "to make something longer or to become longer" + }, + "shame": { + "CHS": "使羞愧;玷辱", + "ENG": "to make someone feel ashamed" + }, + "freshen": { + "CHS": "使显得新鲜", + "ENG": "to make something look or feel clean, new, attractive, cool etc" + }, + "distinguish": { + "CHS": "使显出特色,使杰出", + "ENG": "to be the thing that makes someone or something different or special" + }, + "evaporate": { + "CHS": "使脱水,发散蒸气", + "ENG": "if a liquid evaporates, or if heat evaporates it, it changes into a gas" + }, + "moor": { + "CHS": "使停泊;使固定", + "ENG": "to fasten a ship or boat to the land or to the bottom of the sea using ropes or an anchor" + }, + "perfect": { + "CHS": "使熟练,使改善", + "ENG": "to make something as good as you are able to" + }, + "lubricate": { + "CHS": "使润滑,加润滑油", + "ENG": "to put a lubricant on something in order to make it move more smoothly" + }, + "soften": { + "CHS": "使软化,变温和", + "ENG": "to become or to make sb/sth more sympathetic and less severe or critical" + }, + "acquaint": { + "CHS": "使认识,使了解", + "ENG": "to make sb/yourself familiar with or aware of sth" + }, + "tiresome": { + "CHS": "使人厌倦的,讨厌的", + "ENG": "making you feel annoyed or impatient" + }, + "sorrowful": { + "CHS": "使人伤心的;悲伤的", + "ENG": "very sad" + }, + "blaze": { + "CHS": "使燃烧,燃烧", + "ENG": "to burn very brightly and strongly" + }, + "subdue": { + "CHS": "使屈服,征服", + "ENG": "to bring sb/sth under control, especially by using force" + }, + "bend": { + "CHS": "使屈从,屈从", + "ENG": "to render submissive" + }, + "suit": { + "CHS": "使配合,彼此协调", + "ENG": "to be acceptable, suitable, or convenient for a particular person or in a particular situation" + }, + "confront": { + "CHS": "使面对;使对证", + "ENG": "(of problems or a difficult situation) to appear and need to be dealt with by sb" + }, + "paralyse": { + "CHS": "使麻痹,使瘫痪", + "ENG": "if something paralyses you, it makes you lose the ability to move part or all of your body, or to feel it" + }, + "deafen": { + "CHS": "使聋", + "ENG": "to make someone go deaf" + }, + "subject": { + "CHS": "使隶属", + "ENG": "to force a country or group of people to be ruled by you, and control them very strictly" + }, + "terrify": { + "CHS": "使恐怖,使惊吓", + "ENG": "to make someone extremely afraid" + }, + "insulate": { + "CHS": "使绝缘,使绝热", + "ENG": "to cover or protect something with a material that stops electricity, sound, heat etc from getting in or out" + }, + "integrate": { + "CHS": "使结合,使并入", + "ENG": "to combine two or more things so that they work together; to combine with sth else in this way" + }, + "alternate": { + "CHS": "交替的", + "ENG": "(of two things) happening or following one after the other regularly" + }, + "degrade": { + "CHS": "使降低;使堕落", + "ENG": "to treat someone without respect and make them lose respect for themselves" + }, + "minimize": { + "CHS": "使减到最小", + "ENG": "to reduce something that is difficult, dangerous, or unpleasant to the smallest possible amount or degree" + }, + "mingle": { + "CHS": "使混合,混合起来", + "ENG": "to combine or make one thing combine with another" + }, + "interconnect": { + "CHS": "使互相联系", + "ENG": "to connect similar things; to be connected to or with similar things" + }, + "embarrass": { + "CHS": "使…陷入困境", + "ENG": "to cause problems or difficulties for sb" + }, + "decay": { + "CHS": "使腐朽,使腐烂", + "ENG": "to be slowly destroyed by a natural chemical process, or to make something do this" + }, + "contrast": { + "CHS": "使对比;形成对比", + "ENG": "to compare two things, ideas, people etc to show how different they are from each other" + }, + "mature": { + "CHS": "使成熟,成熟", + "ENG": "to become fully grown or developed" + }, + "ice": { + "CHS": "使成冰,结冰" + }, + "overload": { + "CHS": "使超载", + "ENG": "to put too many things or people on or into something" + }, + "tangle": { + "CHS": "使缠结,使纠缠", + "ENG": "to become twisted together, or make something become twisted together, in an untidy mass" + }, + "sweeten": { + "CHS": "使变甜,变甜", + "ENG": "to make something sweeter, or become sweeter" + }, + "thicken": { + "CHS": "使变厚(或粗、密)", + "ENG": "to become thick, or make something thick" + }, + "establish": { + "CHS": "使…被接受", + "ENG": "to make people accept that you can do something, or that you have a particular quality" + }, + "develop": { + "CHS": "使(底片)显影", + "ENG": "to make a photograph out of a photographic film, using chemicals" + }, + "jog": { + "CHS": "慢跑(尤作为锻炼)", + "ENG": "to run slowly and steadily, especially as a way of exercising" + }, + "vector": { + "CHS": "矢量;飞机航线", + "ENG": "a quantity such as force that has a direction as well as size" + }, + "nourishment": { + "CHS": "食物;营养(情况)", + "ENG": "the food and other substances that people and other living things need to live, grow, and stay healthy" + }, + "pantry": { + "CHS": "食品柜,餐具室", + "ENG": "a very small room in a house where food is kept" + }, + "experimentally": { + "CHS": "实验上,实验性地", + "ENG": "relating to experiments" + }, + "experimentation": { + "CHS": "实验;试验", + "ENG": "the process of performing scientific tests to find out if a particular idea is true or to obtain more information" + }, + "execution": { + "CHS": "实行,执行;处死刑", + "ENG": "a process in which you do something that has been carefully planned" + }, + "quartz": { + "CHS": "石英", + "ENG": "a hard mineral substance that is used in making electronic watches and clocks" + }, + "graphite": { + "CHS": "石墨,石墨电极", + "ENG": "a soft black substance that is a kind of carbon , used in pencils, paints, and electrical equipment" + }, + "whitewash": { + "CHS": "粉饰", + "ENG": "to hide the true facts about a serious accident or illegal action" + }, + "limestone": { + "CHS": "石灰石", + "ENG": "a type of rock that contains calcium" + }, + "humidity": { + "CHS": "湿气;湿度", + "ENG": "the amount of water contained in the air" + }, + "handout": { + "CHS": "施舍物,救济品", + "ENG": "money or goods that are given to someone, for example because they are poor" + }, + "verse": { + "CHS": "诗,韵文;诗节", + "ENG": "words arranged in the form of poetry" + }, + "unemployment": { + "CHS": "失业;失业人数", + "ENG": "when someone does not have a job" + }, + "disgrace": { + "CHS": "失宠,耻辱,丢脸", + "ENG": "the loss of other people’s respect because you have done something they strongly disapprove of" + }, + "residual": { + "CHS": "剩余的;残余的", + "ENG": "remaining after a process, event etc is finished" + }, + "remainder": { + "CHS": "剩余(物);余数", + "ENG": "the part of something that is left after everything else has gone or been dealt with" + }, + "excel": { + "CHS": "胜过,杰出", + "ENG": "to do something very well, or much better than most people" + }, + "stiff": { + "CHS": "生硬的", + "ENG": "(of a person or their behaviour) not friendly or relaxed" + }, + "ecology": { + "CHS": "生态学;个体生态学", + "ENG": "the way in which plants, animals, and people are related to each other and to their environment, or the scientific study of this" + }, + "hide": { + "CHS": "生皮,兽皮,皮革", + "ENG": "an animal’s skin, especially when it has been removed to be used for leather" + }, + "producer": { + "CHS": "生产者;舞台监督", + "ENG": "a person, company, or country that makes or grows goods, foods, or materials" + }, + "productive": { + "CHS": "生产的;出产…的", + "ENG": "relating to the production of goods, crops, or wealth" + }, + "hoist": { + "CHS": "升起,扯起来", + "ENG": "to raise, lift, or pull something up, especially using ropes" + }, + "kidney": { + "CHS": "肾,腰子", + "ENG": "one of the two organs in your lower back that separate waste products from your blood and make urine" + }, + "deliberately": { + "CHS": "故意地;审慎地", + "ENG": "done in a way that is intended or planned" + }, + "censor": { + "CHS": "审查,检查", + "ENG": "to examine books, films, letters etc to remove anything that is considered offensive, morally harmful, or politically dangerous etc" + }, + "mystery": { + "CHS": "神秘小说,侦探小说", + "ENG": "a story, film, or play about a murder, in which you are not told who the murderer is until the end" + }, + "shrine": { + "CHS": "神殿,神龛,圣祠", + "ENG": "a place that is connected with a holy event or holy person, and that people visit to pray" + }, + "divine": { + "CHS": "神的;敬神的", + "ENG": "coming from or relating to God or a god" + }, + "trench": { + "CHS": "深沟;壕沟,战壕", + "ENG": "a long narrow hole dug into the surface of the ground" + }, + "photography": { + "CHS": "摄影术", + "ENG": "the art, profession, or method of producing photographs or the scenes in films" + }, + "editorial": { + "CHS": "社论,期刊的社论", + "ENG": "a piece of writing in a newspaper that gives the editor’s opinion about something, rather than reporting facts" + }, + "sociology": { + "CHS": "社会学", + "ENG": "the scientific study of societies and the behaviour of people in groups" + }, + "conceive": { + "CHS": "设想,以为;怀孕", + "ENG": "to form an idea, a plan, etc. in your mind; to imagine sth" + }, + "reject": { + "CHS": "舍弃,抛弃;排斥", + "ENG": "to throw away something that has just been made, because its quality is not good enough" + }, + "serpent": { + "CHS": "蛇(尤指大蛇或毒蛇)", + "ENG": "a snake, especially a large one" + }, + "extravagant": { + "CHS": "奢侈的;过度的", + "ENG": "spending or costing a lot of money, especially more than is necessary or more than you can afford" + }, + "maid": { + "CHS": "少女;处女", + "ENG": "a woman or girl who is not married" + }, + "maiden": { + "CHS": "少女,未婚女子", + "ENG": "a young girl, or a woman who is not married" + }, + "scorch": { + "CHS": "烧焦;枯萎", + "ENG": "to burn and slightly damage a surface by making it too hot; to be slightly burned by heat" + }, + "context": { + "CHS": "上下文;来龙去脉", + "ENG": "the words that come just before and after a word or sentence and that help you understand its meaning" + }, + "Heaven": { + "CHS": "上帝,神" + }, + "tradesman": { + "CHS": "商人,店主;手艺人", + "ENG": "someone who buys and sells goods or services, especially in a shop" + }, + "trader": { + "CHS": "商人", + "ENG": "someone who buys and sells goods or stocks" + }, + "dealer": { + "CHS": "商人;毒品贩;发牌者", + "ENG": "someone who buys and sells a particular product, especially an expensive one" + }, + "ware": { + "CHS": "物品;商品,货物", + "ENG": "objects made of the material or in the way or place mentioned" + }, + "merchandise": { + "CHS": "商品,货物", + "ENG": "goods that are being sold" + }, + "blue": { + "CHS": "伤心的;下流的", + "ENG": "sad and without hope" + }, + "goodness": { + "CHS": "善良,善行,美德", + "ENG": "the quality of being good" + }, + "underwear": { + "CHS": "衫衣,内衣,贴身衣", + "ENG": "clothes that you wear next to your body under your other clothes" + }, + "sift": { + "CHS": "筛,过滤", + "ENG": "to put flour, sugar etc through a sieve or similar container in order to remove large pieces" + }, + "shark": { + "CHS": "鲨鱼;诈骗钱财者", + "ENG": "a large sea fish with several rows of very sharp teeth that is considered to be dangerous to humans" + }, + "gravel": { + "CHS": "砂跞;砂砾层;结石", + "ENG": "small stones, used to make a surface for paths, roads etc" + }, + "sardine": { + "CHS": "沙丁鱼", + "ENG": "a small young fish that is often packed in flat metal boxes when it is sold as food" + }, + "tone": { + "CHS": "色调,光度", + "ENG": "one of the many types of a particular colour, each slightly darker, lighter, brighter etc than the next" + }, + "scan": { + "CHS": "扫描", + "ENG": "a medical test in which a special machine produces a picture of something inside your body" + }, + "uproar": { + "CHS": "骚动,扰乱;喧嚣", + "ENG": "a lot of noise or angry protest about something" + }, + "prose": { + "CHS": "散文", + "ENG": "language in its usual form, as opposed to poetry" + }, + "emission": { + "CHS": "散发;传播;发出物", + "ENG": "the production or sending out of light, heat, gas, etc." + }, + "stroll": { + "CHS": "散步,溜达,闲逛", + "ENG": "a slow relaxed walk" + }, + "triangular": { + "CHS": "三角的;三者间的", + "ENG": "shaped like a triangle" + }, + "mute": { + "CHS": "弱音器", + "ENG": "a small piece of metal, rubber etc that you place over or into a musical instrument to make it sound softer" + }, + "choice": { + "CHS": "优等的", + "ENG": "(especially of food) of very good quality" + }, + "tolerant": { + "CHS": "容忍的;有耐力的", + "ENG": "allowing people to do, say, or believe what they want without criticizing or punishing them" + }, + "routine": { + "CHS": "常规", + "ENG": "the usual order in which you do things, or the things you regularly do" + }, + "awake": { + "CHS": "认识到", + "ENG": "to begin to realize the possible effects of a situation" + }, + "recognition": { + "CHS": "认出,识别", + "ENG": "the act of knowing someone or something because you have known or learned about them in the past" + }, + "identification": { + "CHS": "身份证;认出,鉴定", + "ENG": "official papers or cards, such as your passport, that prove who you are" + }, + "merciful": { + "CHS": "仁慈的,宽大的", + "ENG": "being kind to people and forgiving them rather than punishing them or being cruel" + }, + "hostage": { + "CHS": "人质", + "ENG": "someone who is kept as a prisoner by an enemy so that the other side will do what the enemy demands" + }, + "pitch": { + "CHS": "沥青", + "ENG": "a black, sticky substance that is used on roofs, the bottoms of ships etc to stop water coming through" + }, + "personnel": { + "CHS": "人事部门", + "ENG": "the department in a company that chooses people for jobs and deals with their complaints, problems etc" + }, + "humanity": { + "CHS": "人类;人性,人情", + "ENG": "people in general" + }, + "personality": { + "CHS": "人格,个性;名人", + "ENG": "someone’s character, especially the way they behave towards other people" + }, + "thermal": { + "CHS": "热的;温热的", + "ENG": "relating to or caused by heat" + }, + "tropic": { + "CHS": "回归线;热带地区", + "ENG": "one of the two imaginary lines around the world, either the Tropic of Cancer which is 23.5˚ north of the equator , or the Tropic of Capricorn which is 23.5˚ south of the equator" + }, + "combustion": { + "CHS": "燃烧", + "ENG": "the process of burning" + }, + "whisker": { + "CHS": "髯,连鬓胡子", + "ENG": "one of the hairs that grow on a man’s face" + }, + "flock": { + "CHS": "群集,聚集", + "ENG": "to go or gather together somewhere in large numbers" + }, + "conviction": { + "CHS": "确信,信服,深信", + "ENG": "the feeling of being sure about something and having no doubts" + }, + "certainty": { + "CHS": "确实性,确信,确实", + "ENG": "the fact that something is certain to happen" + }, + "positively": { + "CHS": "确定的,断然", + "ENG": "used to emphasize that something is true, especially when this seems surprising" + }, + "quantify": { + "CHS": "确定…的数量", + "ENG": "to calculate the value of something and express it as a number or an amount" + }, + "deficiency": { + "CHS": "缺乏;不足", + "ENG": "a lack of something that is necessary" + }, + "induce": { + "CHS": "劝诱;引起", + "ENG": "to persuade someone to do something, especially something that does not seem wise" + }, + "persuasion": { + "CHS": "劝说,说服", + "ENG": "the act of persuading someone to do something" + }, + "late": { + "CHS": "去世不久的", + "ENG": "used about someone who has died fairly recently" + }, + "extract": { + "CHS": "摘录", + "ENG": "a short piece of writing, music etc taken from a particular book, piece of music etc" + }, + "crank": { + "CHS": "用曲柄转动", + "ENG": "to make something move by turning a crank" + }, + "dissipate": { + "CHS": "驱散;消散;浪费", + "ENG": "to gradually become less or weaker before disappearing completely, or to make something do this" + }, + "spherical": { + "CHS": "球形的,球面的", + "ENG": "having the shape of a sphere" + }, + "global": { + "CHS": "全球的", + "ENG": "affecting or including the whole world" + }, + "Jupiter": { + "CHS": "木星;丘庇特", + "ENG": "the planet that is fifth in order from the sun and is the largest in the solar system" + }, + "plea": { + "CHS": "请愿,请求,恳求", + "ENG": "a request that is urgent or full of emotion" + }, + "petition": { + "CHS": "向…请愿", + "ENG": "to ask the government or an organization to do something by sending them a petition" + }, + "sight": { + "CHS": "景象;名胜,风景", + "ENG": "something you can see" + }, + "mistress": { + "CHS": "情妇,情人", + "ENG": "a woman that a man has a sexual relationship with, even though he is married to someone else" + }, + "mosque": { + "CHS": "清真寺", + "ENG": "a building in which Muslims worship" + }, + "cleanliness": { + "CHS": "清洁", + "ENG": "the practice of keeping yourself or the things around you clean" + }, + "inclination": { + "CHS": "倾斜,点头;斜坡", + "ENG": "a movement made down towards the ground" + }, + "rap": { + "CHS": "敲击", + "ENG": "to hit or knock something quickly several times" + }, + "rash": { + "CHS": "轻率的;鲁莽的", + "ENG": "(of people or their actions) doing sth that may not be sensible without first thinking about the possible results; done in this way" + }, + "bronze": { + "CHS": "青铜色", + "ENG": "the dark reddish brown colour of bronze" + }, + "admiration": { + "CHS": "钦佩;赞美,羡慕", + "ENG": "a feeling of great respect and liking for something or someone" + }, + "agreeable": { + "CHS": "惬意的;同意的", + "ENG": "pleasant" + }, + "section": { + "CHS": "部分", + "ENG": "one of the parts that something such as an object or place is divided into" + }, + "segment": { + "CHS": "切片,部分;段,节", + "ENG": "a part of something that is different from or affected differently from the whole in some way" + }, + "slit": { + "CHS": "狭长的切口", + "ENG": "a long straight narrow cut or hole" + }, + "hardy": { + "CHS": "强壮的,耐劳的", + "ENG": "strong and healthy and able to bear difficult living conditions" + }, + "compulsory": { + "CHS": "强迫的,义务的", + "ENG": "that must be done because of a law or a rule" + }, + "constraint": { + "CHS": "限制,束缚,约束", + "ENG": "something that limits your freedom to do what you want" + }, + "mighty": { + "CHS": "强大的;巨大的", + "ENG": "very strong and powerful, or very big and impressive" + }, + "thoughtless": { + "CHS": "欠考虑的;自私的", + "ENG": "not thinking about the needs and feelings of other people, especially because you are thinking about what you want" + }, + "denounce": { + "CHS": "谴责,声讨;告发", + "ENG": "to express strong disapproval of someone or something, especially in public" + }, + "pious": { + "CHS": "虔诚的;虔奉宗教的", + "ENG": "having strong religious beliefs, and showing this in the way you behave" + }, + "predecessor": { + "CHS": "前辈,前任者", + "ENG": "someone who had your job before you started doing it" + }, + "visa": { + "CHS": "签证", + "ENG": "an official mark put on your passport that gives you permission to temporarily enter or leave a foreign country" + }, + "modesty": { + "CHS": "谦逊;端庄", + "ENG": "the fact of not talking much about your abilities or possessions" + }, + "gracious": { + "CHS": "谦和的", + "ENG": "behaving in a polite, kind, and generous way, especially to people of a lower rank" + }, + "kilowatt": { + "CHS": "千瓦(特)", + "ENG": "a unit for measuring electrical power, equal to 1,000 watts" + }, + "pertinent": { + "CHS": "恰当的;有关的", + "ENG": "appropriate to a particular situation" + }, + "apt": { + "CHS": "恰当的;聪明的", + "ENG": "exactly right for a particular situation or purpose" + }, + "utensil": { + "CHS": "器皿,用具", + "ENG": "a thing such as a knife, spoon etc that you use when you are cooking" + }, + "maple": { + "CHS": "槭树,枫树", + "ENG": "a tree which grows mainly in northern countries such as Canada. Its leaves have five points and turn red or gold in autumn." + }, + "follower": { + "CHS": "信徒,追随者", + "ENG": "someone who believes in a particular system of ideas, or who supports a leader who teaches these ideas" + }, + "siren": { + "CHS": "汽笛,警报器", + "ENG": "a piece of equipment that makes very loud warning sounds, used on police cars, fire engines etc" + }, + "motorway": { + "CHS": "汽车道,快车路", + "ENG": "a very wide road for travelling fast over long distances, especially between cities" + }, + "hitherto": { + "CHS": "迄今,到目前为止", + "ENG": "up to this time" + }, + "barometer": { + "CHS": "气压计,睛雨表", + "ENG": "an instrument that measures changes in the air pressure and the weather, or that calculates height above sea level" + }, + "pant": { + "CHS": "气喘", + "ENG": "to breathe quickly with short noisy breaths, for example because you have been running or because it is very hot" + }, + "jack": { + "CHS": "起重器;传动装置", + "ENG": "a piece of equipment used to lift a heavy weight off the ground, such as a car, and support it while it is in the air" + }, + "scratch": { + "CHS": "(某人皮肤上的)划痕,划伤", + "ENG": "a small cut on someone’s skin" + }, + "count": { + "CHS": "起拆理由,罪状", + "ENG": "one of the crimes that someone is charged with" + }, + "message": { + "CHS": "启示,要旨,教训", + "ENG": "the main or most important idea that someone is trying to tell people about in a film, book, speech etc" + }, + "enlighten": { + "CHS": "启发,开导;启蒙", + "ENG": "to give someone more knowledge and greater understanding about something" + }, + "implore": { + "CHS": "乞求,恳求,哀求", + "ENG": "to ask for something in an emotional way" + }, + "knight": { + "CHS": "骑士,武士;爵士", + "ENG": "a man with a high rank in the past who was trained to fight while riding a horse" + }, + "marvel": { + "CHS": "惊奇", + "ENG": "to be very surprised or impressed by sth" + }, + "cheat": { + "CHS": "欺诈;骗取", + "ENG": "something that is dishonest or unfair" + }, + "periodical": { + "CHS": "期刊,杂志", + "ENG": "a magazine, especially one about a serious or technical subject" + }, + "currently": { + "CHS": "当前", + "ENG": "at the present time" + }, + "universally": { + "CHS": "普遍地,一般地", + "ENG": "by everyone" + }, + "bushel": { + "CHS": "蒲式耳(容量单位)", + "ENG": "a unit for measuring grain and fruit (equal in volume to 8 gallons)" + }, + "raisin": { + "CHS": "葡萄干", + "ENG": "a dried grape" + }, + "fracture": { + "CHS": "破裂", + "ENG": "to break or crack; to make sth break or crack" + }, + "bankrupt": { + "CHS": "使破产", + "ENG": "to make a person, business, or country bankrupt or very poor" + }, + "persecute": { + "CHS": "迫害,残害", + "ENG": "to treat someone cruelly or unfairly over a period of time, especially because of their religious or political beliefs" + }, + "incline": { + "CHS": "坡度", + "ENG": "a slope" + }, + "flask": { + "CHS": "瓶", + "ENG": "a special type of bottle that you use to keep liquids either hot or cold, for example when travelling" + }, + "tack": { + "CHS": "钉住", + "ENG": "to attach something to a wall, board etc, using a tack" + }, + "terrace": { + "CHS": "平台,阳台,露台", + "ENG": "a flat outdoor area next to a building or on a roof, where you can sit outside to eat, relax etc" + }, + "civilian": { + "CHS": "平民的", + "ENG": "used to describe people or things that are not military" + }, + "tranquil": { + "CHS": "平静的;稳定的", + "ENG": "pleasantly calm, quiet, and peaceful" + }, + "equation": { + "CHS": "平衡;反应式", + "ENG": "a problem or situation in which several things must be considered and dealt with" + }, + "equilibrium": { + "CHS": "平衡,均衡;均衡论", + "ENG": "a balance between different people, groups, or forces that compete with each other, so that none is stronger than the others and a situation is not likely to change suddenly" + }, + "commonplace": { + "CHS": "平常话", + "ENG": "something that has been said so often that it is no longer interesting or original" + }, + "frequency": { + "CHS": "频繁,屡次;频率", + "ENG": "the fact that something happens a lot" + }, + "barren": { + "CHS": "贫瘠的;不孕的", + "ENG": "(of land or soil) not good enough for plants to grow on it" + }, + "bleach": { + "CHS": "漂白,变白", + "ENG": "to make something pale or white, especially by using chemicals or the sun" + }, + "flake": { + "CHS": "片,薄片", + "ENG": "a small thin piece that breaks away easily from something else" + }, + "deflection": { + "CHS": "偏斜,歪斜;偏差", + "ENG": "a sudden change in the direction that sth is moving in, usually after it has hit sth; the act of causing sth to change direction" + }, + "adjacent": { + "CHS": "毗连的;紧接着的", + "ENG": "(of an area, a building, a room, etc.) next to or near sth" + }, + "cape": { + "CHS": "披肩,斗篷;海角", + "ENG": "a long loose piece of clothing without sleeves that fastens around your neck and hangs from your shoulders" + }, + "clash": { + "CHS": "冲突,抵触;碰撞声", + "ENG": "an argument between two people or groups because they have very different beliefs or opinions – used in news reports" + }, + "ingredient": { + "CHS": "配料,成分", + "ENG": "one of the foods that you use to make a particular food or dish" + }, + "shell": { + "CHS": "炮弹,猎枪子弹", + "ENG": "a metal container, like a large bullet, which is full of an explosive substance and is fired from a large gun" + }, + "foam": { + "CHS": "泡沫塑料;泡沫", + "ENG": "a type of soft rubber with a lot of air in it, used in furniture" + }, + "bypass": { + "CHS": "绕过", + "ENG": "to go around a town or other busy place rather than through it" + }, + "limp": { + "CHS": "跛行", + "ENG": "a way of walking in which one leg is used less than normal because it is injured or stiff" + }, + "stagger": { + "CHS": "蹒跚,使摇晃", + "ENG": "to walk or move unsteadily, almost falling over" + }, + "faction": { + "CHS": "派别,宗派,小集团", + "ENG": "a small group of people within a larger group, who have different ideas from the other members, and who try to get their own ideas accepted" + }, + "hover": { + "CHS": "徘徊;傍徨;翱翔;盘旋", + "ENG": "to stay nervously in the same place, especially because you are waiting for something or are not certain what to do" + }, + "drainage": { + "CHS": "排水;下水道", + "ENG": "the process or system by which water or waste liquid flows away" + }, + "range": { + "CHS": "排列", + "ENG": "to put things in a particular order or position" + }, + "clap": { + "CHS": "拍手喝采声;霹雳声", + "ENG": "the loud sound that you make when you hit your hands together many times to show that you enjoyed something" + }, + "reptile": { + "CHS": "爬行动物", + "ENG": "a type of animal, such as a snake or lizard , whose body temperature changes according to the temperature around it, and that usually lays eggs to have babies" + }, + "overhear": { + "CHS": "偶然听到;偷听", + "ENG": "to accidentally hear what other people are saying, when they do not know that you have heard" + }, + "ohm": { + "CHS": "欧姆", + "ENG": "a unit for measuring electrical resistance" + }, + "hostess": { + "CHS": "女主人;旅馆女老板", + "ENG": "a woman who invites guests to a meal, a party, etc.; a woman who has people staying at her home" + }, + "feminine": { + "CHS": "女性的;女子气的", + "ENG": "relating to being female" + }, + "waitress": { + "CHS": "女侍者,女服务员", + "ENG": "a woman who serves food and drink at the tables in a restaurant" + }, + "goddess": { + "CHS": "女神", + "ENG": "a female being who is believed to control the world or part of it, or represents a particular quality" + }, + "coward": { + "CHS": "懦怯的,胆小的" + }, + "radiator": { + "CHS": "暖气片;散热器", + "ENG": "a thin metal container that is fastened to a wall and through which hot water passes to provide heat for a room" + }, + "strive": { + "CHS": "努力,奋斗,力求", + "ENG": "to make a great effort to achieve something" + }, + "mess": { + "CHS": "弄脏,弄乱,搞糟", + "ENG": "to make something look untidy or dirty" + }, + "distortion": { + "CHS": "歪曲;畸变", + "ENG": "the changing of something into something that is not true or not acceptable" + }, + "shorten": { + "CHS": "弄短,缩小,减少", + "ENG": "to become shorter or make something shorter" + }, + "Saturn": { + "CHS": "土星", + "ENG": "the planet that is sixth in order from the sun and is surrounded by large rings" + }, + "milky": { + "CHS": "牛奶的;乳白色的", + "ENG": "containing a lot of milk" + }, + "wrench": { + "CHS": "拧", + "ENG": "a twisting movement that pulls something violently" + }, + "wring": { + "CHS": "拧,挤,扭,榨", + "ENG": "to tightly twist a wet cloth or wet clothes in order to remove water" + }, + "nickel": { + "CHS": "镍;镍币", + "ENG": "a hard silver-white metal that is often combined with other metals, for example to make steel. It is a chemical element: symbol Ni" + }, + "junior": { + "CHS": "年少者;晚辈", + "ENG": "If you are someone's junior, you are younger than they are" + }, + "annually": { + "CHS": "年年,每年", + "ENG": "once a year" + }, + "practicable": { + "CHS": "能实行的;适用的", + "ENG": "able to be done; likely to be successful" + }, + "capability": { + "CHS": "能力,才能", + "ENG": "the natural ability, skill, or power that makes a machine, person, or organization able to do something, especially something difficult" + }, + "basin": { + "CHS": "内海;盆地;流域", + "ENG": "a sheltered area of water providing a safe harbour for boats" + }, + "interior": { + "CHS": "内部的", + "ENG": "inside or indoors" + }, + "tickle": { + "CHS": "挠,胳肢;逗乐", + "ENG": "to move your fingers on a sensitive part of sb's body in a way that makes them laugh" + }, + "incredible": { + "CHS": "难以置信的,惊人的", + "ENG": "too strange to be believed, or very difficult to believe" + }, + "difficult": { + "CHS": "难以满足的", + "ENG": "someone who is difficult never seems pleased or satisfied" + }, + "refugee": { + "CHS": "难民,流亡者", + "ENG": "someone who has been forced to leave their country, especially during a war, or for political or religious reasons" + }, + "pumpkin": { + "CHS": "南瓜", + "ENG": "a very large orange fruit that grows on the ground, or the inside of this fruit" + }, + "masculine": { + "CHS": "男性的", + "ENG": "having qualities considered to be typical of men or of what men do" + }, + "baron": { + "CHS": "男爵;贵族;巨商", + "ENG": "a man who is a member of a low rank of the British nobility or of a rank of European nobility" + }, + "endurance": { + "CHS": "耐久力,持久力", + "ENG": "the ability to continue doing something difficult or painful over a long period of time" + }, + "sodium": { + "CHS": "钠", + "ENG": "a common silver-white metal that usually exists in combination with other substances, for example in salt. It is a chemical element: symbol Na" + }, + "intent": { + "CHS": "目不转睛的,热切的", + "ENG": "showing strong interest and attention" + }, + "end": { + "CHS": "目标,目的", + "ENG": "an aim or purpose, or the result you hope to achieve" + }, + "oyster": { + "CHS": "牡蛎", + "ENG": "a type of shellfish that can be eaten cooked or uncooked, and that produces a jewel called a pearl" + }, + "magician": { + "CHS": "魔法师;变戏法的人", + "ENG": "an entertainer who performs magic tricks" + }, + "module": { + "CHS": "模块;组件", + "ENG": "one of several parts of a piece of computer software that does a particular job" + }, + "ambiguous": { + "CHS": "模棱两可的;分歧的", + "ENG": "that can be understood in more than one way; having different meanings" + }, + "feel": { + "CHS": "摸起来", + "ENG": "to have a particular physical quality which you become aware of by touching" + }, + "destiny": { + "CHS": "命运,天数", + "ENG": "the things that will happen to someone in the future, especially those that cannot be changed or controlled" + }, + "doom": { + "CHS": "注定", + "ENG": "to make someone or something certain to fail, die, be destroyed etc" + }, + "bid": { + "CHS": "报价;命令", + "ENG": "to offer to pay a particular price for goods, especially in an auction" + }, + "destine": { + "CHS": "命定,注定;预定" + }, + "explicit": { + "CHS": "明晰的;直率的", + "ENG": "expressed in a way that is very clear and direct" + }, + "decidedly": { + "CHS": "明确地,坚决地", + "ENG": "in a way that shows that you are very sure about a decision" + }, + "formulation": { + "CHS": "表述方式", + "ENG": "the way in which you express your thoughts and ideas" + }, + "brightness": { + "CHS": "明亮,辉煌,聪明" + }, + "classic": { + "CHS": "不朽的", + "ENG": "admired by many people, and having a value that has continued for a long time" + }, + "promptly": { + "CHS": "敏捷地,迅速地", + "ENG": "without delay" + }, + "sensitivity": { + "CHS": "敏感(性);灵敏性", + "ENG": "when a situation or subject needs to be dealt with carefully because it is secret or may offend people" + }, + "representation": { + "CHS": "描写;陈述;代表", + "ENG": "a painting, sign, description etc that shows something" + }, + "nursery": { + "CHS": "苗圃", + "ENG": "a place where plants and trees are grown and sold" + }, + "deposition": { + "CHS": "免职,罢免", + "ENG": "the act of removing someone from a position of power" + }, + "enchant": { + "CHS": "迷住;用魔法迷惑", + "ENG": "to attract sb strongly and make them feel very interested, excited, etc." + }, + "superstition": { + "CHS": "迷信,迷信行为", + "ENG": "a belief that some objects or actions are lucky or unlucky, or that they cause events to happen, based on old ideas of magic" + }, + "perplex": { + "CHS": "迷惑,困惑,难住", + "ENG": "if something perplexes you, it makes you feel confused and worried because it is difficult to understand" + }, + "bewilder": { + "CHS": "迷惑,把…弄糊涂", + "ENG": "to confuse someone" + }, + "snap": { + "CHS": "猛咬;突然折断", + "ENG": "to try to bite sb/sth" + }, + "jerk": { + "CHS": "猛地一拉,急拉", + "ENG": "to pull something suddenly and roughly" + }, + "ally": { + "CHS": "盟国;同盟者,伙伴", + "ENG": "a country that agrees to help or support another country in a war" + }, + "charm": { + "CHS": "迷人", + "ENG": "to attract someone and make them like you, sometimes in order to make them do something for you" + }, + "fair": { + "CHS": "美丽的", + "ENG": "pleasant and attractive" + }, + "offensive": { + "CHS": "冒犯的;进攻的", + "ENG": "very rude or insulting and likely to upset people" + }, + "pore": { + "CHS": "毛孔,气孔,细孔", + "ENG": "one of the small holes in your skin that liquid, especially sweat, can pass through, or a similar hole in the surface of a plant" + }, + "cartoon": { + "CHS": "动画片;漫画", + "ENG": "a short film that is made by photographing a series of drawings" + }, + "vine": { + "CHS": "蔓,藤,藤本植物", + "ENG": "a plant with long thin stems that attach themselves to other plants, trees, buildings etc" + }, + "expire": { + "CHS": "满期,到期;断气", + "ENG": "(of a document, an agreement, etc.) to be no longer valid because the period of time for which it could be used has ended" + }, + "bull": { + "CHS": "买空的证券投机商", + "ENG": "someone who buys shares because they expect prices to rise" + }, + "wharf": { + "CHS": "码头,停泊所", + "ENG": "a structure that is built out into the water so that boats can stop next to it" + }, + "circus": { + "CHS": "马戏;马戏团", + "ENG": "a group of people and animals who travel to different places performing skilful tricks as entertainment" + }, + "ass": { + "CHS": "傻瓜,蠢笨的人;驴", + "ENG": "a stupid annoying person" + }, + "propeller": { + "CHS": "螺旋桨,推进器", + "ENG": "a piece of equipment consisting of two or more blades that spin around, which makes an aircraft or ship move" + }, + "spiral": { + "CHS": "螺旋(形)的,盘旋的", + "ENG": "moving in a continuous curve that winds around a central point" + }, + "nut": { + "CHS": "螺帽,螺母", + "ENG": "a small piece of metal with a hole through the middle which is screwed onto a bolt to fasten things together" + }, + "Roman": { + "CHS": "古罗马人;罗马人", + "ENG": "a citizen of ancient Rome or its empire" + }, + "thesis": { + "CHS": "论文;论题,论点", + "ENG": "a long piece of writing about a particular subject that you do as part of an advanced university degree such as an MA or a PhD" + }, + "forum": { + "CHS": "论坛,讨论会", + "ENG": "an organization, meeting, TV programme etc where people have a chance to publicly discuss an important subject" + }, + "oval": { + "CHS": "卵形", + "ENG": "a shape like a circle, but wider in one direction than the other" + }, + "video": { + "CHS": "录像的", + "ENG": "relating to or used in the process of recording and showing pictures on television" + }, + "reed": { + "CHS": "芦笛,牧笛" + }, + "leakage": { + "CHS": "漏,泄漏;漏出物", + "ENG": "when gas, water etc leaks in or out, or the amount of it that has leaked" + }, + "hug": { + "CHS": "紧紧拥抱", + "ENG": "the action of putting your arms around someone and holding them tightly to show love or friendship" + }, + "stairway": { + "CHS": "楼梯", + "ENG": "a staircase, especially a large or impressive one" + }, + "bridle": { + "CHS": "束缚;抑制" + }, + "willow": { + "CHS": "柳树,柳木", + "ENG": "a type of tree that has long thin branches and grows near water, or the wood from this tree" + }, + "streamline": { + "CHS": "流线;流线型" + }, + "rascal": { + "CHS": "流氓,恶棍,无赖", + "ENG": "a dishonest man" + }, + "prevalent": { + "CHS": "流行的;盛行的", + "ENG": "common at a particular time, in a particular place, or among a particular group of people" + }, + "exile": { + "CHS": "被流放者", + "ENG": "a person who is forced to live away from his or her own country" + }, + "flux": { + "CHS": "流;涨潮;流量" + }, + "gramophone": { + "CHS": "留声机", + "ENG": "a record player" + }, + "otherwise": { + "CHS": "另外;在其他方面", + "ENG": "except for what has just been mentioned" + }, + "province": { + "CHS": "领域,范围,职权", + "ENG": "a subject that someone knows a lot about or something that only they are responsible for" + }, + "consul": { + "CHS": "领事", + "ENG": "a government official sent to live in a foreign city to help people from his or her own country who are living or staying there" + }, + "retail": { + "CHS": "零售", + "ENG": "the sale of goods in shops to customers, for their own use and not for selling to anyone else" + }, + "inspiration": { + "CHS": "灵感;妙想;鼓舞", + "ENG": "the process that takes place when sb sees or hears sth that causes them to have exciting new ideas or makes them want to create sth, especially in art, music or literature" + }, + "grove": { + "CHS": "林子,小树林,园林", + "ENG": "a piece of land with trees growing on it" + }, + "neighbouring": { + "CHS": "邻近的,接壤的", + "ENG": "near the place where you are or the place you are talking about" + }, + "vicinity": { + "CHS": "邻近;附近地区", + "ENG": "in the area around a particular place" + }, + "fission": { + "CHS": "裂开;分裂生殖", + "ENG": "the division of cells into new cells as a method of reproducing cells" + }, + "prey": { + "CHS": "捕获", + "ENG": "(of an animal or a bird) to hunt and kill another animal for food" + }, + "martyr": { + "CHS": "烈士,殉难者", + "ENG": "someone who dies for their religious or political beliefs and is admired by people for this" + }, + "grin": { + "CHS": "咧着嘴笑", + "ENG": "to smile widely" + }, + "expect": { + "CHS": "料想,认为", + "ENG": "to think that you will find that someone or something has a particular quality or does a particular thing" + }, + "quantitative": { + "CHS": "量的;定量的", + "ENG": "relating to amounts rather than to the quality or standard of something" + }, + "blush": { + "CHS": "脸红", + "ENG": "the red colour on your face that appears when you are embarrassed" + }, + "allied": { + "CHS": "联合的;联姻的" + }, + "ripple": { + "CHS": "涟漪,细浪,波纹", + "ENG": "a small low wave on the surface of a liquid" + }, + "mitten": { + "CHS": "连指手套", + "ENG": "a type of glove that does not have separate parts for each finger" + }, + "attachment": { + "CHS": "爱慕;附件;连接物", + "ENG": "a feeling that you like or love someone or something and that you would be unhappy without them" + }, + "junction": { + "CHS": "连接点,汇合处", + "ENG": "a place where one road, track etc joins another" + }, + "chestnut": { + "CHS": "栗子;栗树;栗色", + "ENG": "a smooth red-brown nut that you can eat" + }, + "solar": { + "CHS": "利用太阳光的", + "ENG": "using the power of the sun’s light and heat" + }, + "stereo": { + "CHS": "立体声的", + "ENG": "using a recording or broadcasting system in which the sound is directed through two speakers" + }, + "cubic": { + "CHS": "立方体的;立方的", + "ENG": "relating to a measurement of space which is calculated by multiplying the length of something by its width and height" + }, + "historian": { + "CHS": "历史学家;编史家", + "ENG": "a person who studies or writes about history; an expert in history" + }, + "historic": { + "CHS": "历史的;历史性的", + "ENG": "a historic event or act is very important and will be recorded as part of history" + }, + "mechanics": { + "CHS": "力学,机械学", + "ENG": "the part of physics that deals with the natural forces that act on moving or stationary objects" + }, + "intellect": { + "CHS": "理智,智力,才智", + "ENG": "the ability to understand things and to think intelligently" + }, + "ideally": { + "CHS": "理想地;理论上", + "ENG": "used to describe the way you would like things to be, even though this may not be possible" + }, + "slang": { + "CHS": "俚语;行话,黑话", + "ENG": "very informal, sometimes offensive language that is used especially by people who belong to a particular group, such as young people or criminals" + }, + "courtesy": { + "CHS": "礼貌,谦恭", + "ENG": "polite behaviour and respect for other people" + }, + "twilight": { + "CHS": "黄昏", + "ENG": "the time when day is just starting to become night" + }, + "ion": { + "CHS": "离子", + "ENG": "an atom which has been given a positive or negative force by adding or taking away an electron" + }, + "excursion": { + "CHS": "(尤指集体)远足,短途旅行", + "ENG": "a short journey arranged so that a group of people can visit a place, especially while they are on holiday" + }, + "grim": { + "CHS": "严厉的", + "ENG": "looking or sounding very serious" + }, + "prism": { + "CHS": "棱镜;棱柱(体)", + "ENG": "a transparent block of glass that breaks up white light into different colours" + }, + "troublesome": { + "CHS": "困难的", + "ENG": "A troublesome situation or issue is full of complicated problems or difficulties." + }, + "analogue": { + "CHS": "类似物", + "ENG": "a thing that is similar to another thing" + }, + "similarity": { + "CHS": "类似,相似;类似点", + "ENG": "the state of being like sb/sth but not exactly the same" + }, + "flank": { + "CHS": "肋,肋腹;侧面", + "ENG": "the side of an animal’s or person’s body, between the ribs and the hip" + }, + "comprehend": { + "CHS": "了解,理解,领会", + "ENG": "to understand something that is complicated or difficult" + }, + "wasteful": { + "CHS": "浪费的", + "ENG": "using more of something than you should, especially money, time, or effort" + }, + "idleness": { + "CHS": "懒惰;赋闲无事" + }, + "shabby": { + "CHS": "破旧的;褴褛的", + "ENG": "shabby clothes, places, or objects are untidy and in bad condition because they have been used for a long time" + }, + "dust": { + "CHS": "灰尘", + "ENG": "dry powder consisting of extremely small bits of dirt that is in buildings on furniture, floors etc if they are not kept clean" + }, + "flight": { + "CHS": "溃退,逃跑", + "ENG": "when you leave a place in order to try and escape from a person or a dangerous situation" + }, + "rapture": { + "CHS": "狂喜,欢天喜地", + "ENG": "great excitement and happiness" + }, + "fury": { + "CHS": "狂怒,暴怒;猛烈", + "ENG": "extreme, often uncontrolled anger" + }, + "satisfaction": { + "CHS": "满足,愉快", + "ENG": "a feeling of happiness or pleasure because you have achieved something or got what you wanted" + }, + "snack": { + "CHS": "快餐,小吃", + "ENG": "a small amount of food that is eaten between main meals or instead of a meal" + }, + "rapidity": { + "CHS": "快,迅速;陡,险峻" + }, + "parade": { + "CHS": "夸耀(才能等)", + "ENG": "if you parade your skills, knowledge, possessions etc, you show them publicly in order to make people admire you" + }, + "pants": { + "CHS": "裤子;男用短衬裤", + "ENG": "a piece of clothing that covers you from your waist to your feet and has a separate part for each leg" + }, + "bitterness": { + "CHS": "苦味,辛酸,苦难" + }, + "wither": { + "CHS": "枯萎;使衰弱", + "ENG": "if plants wither, they become drier and smaller and start to die" + }, + "clasp": { + "CHS": "扣住,扣紧,钩住", + "ENG": "to fasten something with a clasp" + }, + "fastener": { + "CHS": "扣件,钮扣,揿钮", + "ENG": "something that you use to join something together, such as a button on a piece of clothing" + }, + "stammer": { + "CHS": "口吃", + "ENG": "a speech problem which makes someone speak with a lot of pauses and repeated sounds" + }, + "terrorist": { + "CHS": "恐怖分子", + "ENG": "someone who uses violence such as bombing, shooting etc to obtain political demands" + }, + "peacock": { + "CHS": "孔雀", + "ENG": "a large bird, the male of which has long blue and green tail feathers that it can lift up and spread out" + }, + "fantastic": { + "CHS": "空想的;奇异的", + "ENG": "impossible to put into practice" + }, + "pneumatic": { + "CHS": "空气的;气动的", + "ENG": "filled with air" + }, + "aerial": { + "CHS": "空气的;航空的", + "ENG": "in or moving through the air" + }, + "spatial": { + "CHS": "空间的,占据空间的", + "ENG": "relating to the position, size, shape etc of things" + }, + "void": { + "CHS": "无效的;空的", + "ENG": "(of a contract, an agreement etc.) not valid or legal" + }, + "gnaw": { + "CHS": "啃,咬断,啮", + "ENG": "to keep biting something hard" + }, + "longing": { + "CHS": "显示渴望的", + "ENG": "feeling or showing that you want sth very much" + }, + "questionable": { + "CHS": "可疑的,不可靠的", + "ENG": "not likely to be true or correct" + }, + "portable": { + "CHS": "可移动的", + "ENG": "able to be carried or moved easily" + }, + "adjustable": { + "CHS": "可调整的,可校准的", + "ENG": "that can be moved to different positions or changed in shape or size" + }, + "frightful": { + "CHS": "可怕的;讨厌的", + "ENG": "unpleasant or bad" + }, + "dreadful": { + "CHS": "可怕的;令人畏惧的", + "ENG": "causing fear or suffering" + }, + "monstrous": { + "CHS": "极大的;可怕的", + "ENG": "unusually large" + }, + "possibility": { + "CHS": "可能的事", + "ENG": "A possibility is one of several different things that could be done." + }, + "likelihood": { + "CHS": "可能(性)", + "ENG": "the degree to which something can reasonably be expected to happen" + }, + "respectable": { + "CHS": "可敬的;人格高尚的", + "ENG": "considered by society to be acceptable, good or correct" + }, + "appreciable": { + "CHS": "可察觉的", + "ENG": "large enough to be noticed or considered important" + }, + "shameful": { + "CHS": "可耻的;不道德的", + "ENG": "that should make you feel ashamed" + }, + "comparable": { + "CHS": "可比较的;类似的", + "ENG": "similar to something else in size, number, quality etc, so that you can make a comparison" + }, + "particular": { + "CHS": "特称的;苛求的", + "ENG": "used to emphasize that you are referring to one individual person, thing or type of thing and not others" + }, + "whereby": { + "CHS": "靠什么;靠那个", + "ENG": "by means of which or according to which" + }, + "exploration": { + "CHS": "考察;勘探;探查", + "ENG": "the act of travelling through a place in order to find out about it or find something such as oil or gold in it" + }, + "generosity": { + "CHS": "慷慨,宽宏大量", + "ENG": "a generous attitude, or generous behaviour" + }, + "fell": { + "CHS": "砍倒(树等);砍伐", + "ENG": "to cut down a tree" + }, + "carry": { + "CHS": "刊登", + "ENG": "if a newspaper, a television or radio broadcast, or a website carries a piece of news, an advertisement etc, it prints it or broadcasts it" + }, + "inaugurate": { + "CHS": "使就职;开始", + "ENG": "to introduce a new public official or leader at a special ceremony" + }, + "initiate": { + "CHS": "开始,创始;启蒙", + "ENG": "to arrange for something important to start, such as an official process or a new plan" + }, + "commence": { + "CHS": "开始;获得学位", + "ENG": "to begin or to start something" + }, + "reclaim": { + "CHS": "开垦,开拓;回收", + "ENG": "to make an area of desert, wet land etc suitable for farming or building" + }, + "start": { + "CHS": "开动,着手;开设", + "ENG": "to do something that you were not doing before, and continue doing it" + }, + "unlock": { + "CHS": "开…的锁;开启", + "ENG": "to unfasten the lock on a door, box etc" + }, + "sheriff": { + "CHS": "郡长", + "ENG": "the representative of the king or queen in a county of England and Wales, who has mostly ceremonial duties" + }, + "monarch": { + "CHS": "君主,最高统治者", + "ENG": "a king or queen" + }, + "sovereign": { + "CHS": "统治的", + "ENG": "having the highest power in a country" + }, + "bugle": { + "CHS": "军号,喇叭", + "ENG": "a musical instrument like a trumpet, that is used in the army to call soldiers" + }, + "extinct": { + "CHS": "绝种的", + "ENG": "(of a type of plant, animal, etc.) no longer in existence" + }, + "winding": { + "CHS": "蜿蜒曲折的" + }, + "curly": { + "CHS": "卷曲的;有卷毛的", + "ENG": "having a lot of curls or a curved shape" + }, + "reel": { + "CHS": "卷,绕", + "ENG": "to wind sth on/off a reel" + }, + "mob": { + "CHS": "团团围住(名人等)", + "ENG": "if people mob a famous person, they rush to get close to them and form a crowd around them" + }, + "polymer": { + "CHS": "聚合物,多聚物", + "ENG": "a chemical compound that has a simple structure of large molecules" + }, + "hurricane": { + "CHS": "飓风,十二级风", + "ENG": "a storm that has very strong fast winds and that moves over water" + }, + "sting": { + "CHS": "刺", + "ENG": "(of an insect or plant) to touch your skin or make a very small hole in it so that you feel a sharp pain" + }, + "repel": { + "CHS": "使厌恶;拒绝", + "ENG": "if something repels you, it is so unpleasant that you do not want to be near it, or it makes you feel ill" + }, + "gigantic": { + "CHS": "巨大的;巨人似的", + "ENG": "extremely big" + }, + "uphold": { + "CHS": "维护", + "ENG": "to defend or support a law, system, or principle so that it continues to exist" + }, + "exemplify": { + "CHS": "举例证明(解释)", + "ENG": "to give an example of something" + }, + "rectangle": { + "CHS": "矩形,长方形", + "ENG": "a shape that has four straight sides, two of which are usually longer than the other two, and four 90˚ angles at the corners" + }, + "reside": { + "CHS": "居住,驻扎;属于", + "ENG": "to live in a particular place" + }, + "dwell": { + "CHS": "居住;凝思,细想", + "ENG": "to live in a particular place" + }, + "induction": { + "CHS": "就职;归纳推理", + "ENG": "the introduction of someone into a new job, company, official position etc, or the ceremony at which this is done" + }, + "Christ": { + "CHS": "救世主(耶稣基督)", + "ENG": "the man who is worshipped by Christians as the son of God" + }, + "symposium": { + "CHS": "座谈会", + "ENG": "a formal meeting in which people who know a lot about a particular subject have discussions about it" + }, + "whoever": { + "CHS": "究竟是谁", + "ENG": "used to mean ‘who’ at the beginning of a question to show surprise or anger" + }, + "rectify": { + "CHS": "纠正;调整", + "ENG": "to correct something that is wrong" + }, + "vein": { + "CHS": "静脉,血管;矿脉", + "ENG": "one of the tubes which carries blood to your heart from other parts of your body" + }, + "competitor": { + "CHS": "竞争者,敌手", + "ENG": "a person, team, company etc that is competing with another" + }, + "competitive": { + "CHS": "竞争的,比赛的", + "ENG": "relating to competition" + }, + "contend": { + "CHS": "竞争;坚决主张", + "ENG": "to compete against someone in order to gain something" + }, + "warning": { + "CHS": "警告,告诫,鉴诫", + "ENG": "something, especially a statement, that tells you that something bad, dangerous, or annoying might happen so that you can be ready or avoid it" + }, + "whale": { + "CHS": "鲸", + "ENG": "a very large animal that lives in the sea and looks like a fish, but is actually a mammal" + }, + "selection": { + "CHS": "选择;精选的东西", + "ENG": "the careful choice of a particular person or thing from a group of similar people or things" + }, + "thorough": { + "CHS": "精心的;详尽的", + "ENG": "including every possible detail" + }, + "finely": { + "CHS": "精细地;美好地", + "ENG": "in a very careful, delicate, or exact way" + }, + "literary": { + "CHS": "文学的", + "ENG": "relating to literature" + }, + "refinery": { + "CHS": "精炼厂,提炼厂", + "ENG": "a factory where something such as oil or sugar is made purer" + }, + "fright": { + "CHS": "惊吓,恐怖", + "ENG": "a sudden feeling of fear" + }, + "astonishment": { + "CHS": "惊奇,惊讶", + "ENG": "complete surprise" + }, + "dismay": { + "CHS": "惊慌,沮丧,灰心", + "ENG": "the worry, disappointment, or unhappiness you feel when something unpleasant happens" + }, + "empirical": { + "CHS": "经验主义的", + "ENG": "based on scientific testing or practical experience, not on ideas" + }, + "longitude": { + "CHS": "经线,经度", + "ENG": "the distance of a place east or west of the Greenwich meridian, measured in degrees" + }, + "support": { + "CHS": "经受,承受", + "ENG": "to hold the weight of something, keep it in place, or prevent it from falling" + }, + "economics": { + "CHS": "经济学;经济", + "ENG": "the study of the way in which money and goods are produced and used" + }, + "prohibition": { + "CHS": "禁止;禁令,禁律", + "ENG": "the act of saying that something is illegal" + }, + "shortcut": { + "CHS": "近路;捷径", + "ENG": "a quicker way of getting somewhere than the usual route" + }, + "inlet": { + "CHS": "水湾;进口", + "ENG": "a narrow area of water that reaches from the sea or a lake into the land" + }, + "perfection": { + "CHS": "尽善尽美;无比精确", + "ENG": "the state of being perfect" + }, + "notwithstanding": { + "CHS": "尽管,虽然", + "ENG": "in spite of something" + }, + "prudent": { + "CHS": "谨慎的;精明的", + "ENG": "sensible and careful, especially by trying to avoid unnecessary risks" + }, + "tightly": { + "CHS": "紧地,牢固地", + "ENG": "closely and firmly; in a tight manner" + }, + "metallic": { + "CHS": "金属的", + "ENG": "made of metal or containing metal" + }, + "tuna": { + "CHS": "金枪鱼", + "ENG": "a large sea fish caught for food" + }, + "henceforth": { + "CHS": "今后,从今以后", + "ENG": "from this time on" + }, + "mustard": { + "CHS": "芥子,芥末", + "ENG": "a yellow sauce with a strong taste, eaten especially with meat" + }, + "version": { + "CHS": "解释", + "ENG": "a way of explaining or doing something that is typical of a particular group or period of time" + }, + "untie": { + "CHS": "解开,松开;解放", + "ENG": "to take the knots out of something, or unfasten something that has been tied" + }, + "dissolve": { + "CHS": "解除(婚约等)", + "ENG": "to formally end a parliament, business arrangement, marriage etc" + }, + "tuberculosis": { + "CHS": "结核病,肺结核", + "ENG": "a serious infectious disease that affects many parts of your body, especially your lungs" + }, + "economically": { + "CHS": "在经济上;节约地", + "ENG": "in a way that is related to systems of money, trade, or business" + }, + "abbreviation": { + "CHS": "节略,缩写,缩短", + "ENG": "a short form of a word or expression" + }, + "thrifty": { + "CHS": "节俭的", + "ENG": "using money carefully and wisely" + }, + "interview": { + "CHS": "接见,会见,会谈", + "ENG": "an official meeting with someone who asks you questions" + }, + "receiver": { + "CHS": "接待者;收受者", + "ENG": "a person who receives sth" + }, + "yeast": { + "CHS": "酵母", + "ENG": "a type of fungus used for producing alcohol in beer and wine, and for making bread rise" + }, + "doctrine": { + "CHS": "教义,主义;学说", + "ENG": "a set of beliefs that form an important part of a religion or system of ideas" + }, + "disillusion": { + "CHS": "觉醒,使觉醒", + "ENG": "to make someone realize that something which they thought was true or good is not really true or good" + }, + "horn": { + "CHS": "角状物;喇叭形物", + "ENG": "a hollow curved object that is narrow at one end and wide at the other" + }, + "reef": { + "CHS": "礁,礁石,暗礁", + "ENG": "a line of sharp rocks, often made of coral, or a raised area of sand near the surface of the sea" + }, + "coke": { + "CHS": "焦炭", + "ENG": "a solid black substance produced from coal and burned to provide heat" + }, + "symphony": { + "CHS": "交响乐;交响乐团", + "ENG": "a long piece of music usually in four parts, written for an orchestra" + }, + "intercourse": { + "CHS": "交际,往来,交流", + "ENG": "an exchange of ideas, feelings etc which make people or groups understand each other better" + }, + "soy": { + "CHS": "大豆,黄豆;酱油", + "ENG": "the plant on which soya beans grow; the food obtained from soya beans" + }, + "parachute": { + "CHS": "降落伞", + "ENG": "a piece of equipment fastened to the back of people who jump out of planes, which makes them fall slowly and safely to the ground" + }, + "degradation": { + "CHS": "降级;退化;衰变", + "ENG": "the process by which something changes to a worse condition" + }, + "oar": { + "CHS": "桨", + "ENG": "a long pole with a wide flat blade at one end, used for rowing a boat" + }, + "discourse": { + "CHS": "讲话,演说,讲道", + "ENG": "a serious speech or piece of writing on a particular subject" + }, + "ginger": { + "CHS": "姜,生姜", + "ENG": "the root of the ginger plant used in cooking as a spice" + }, + "splash": { + "CHS": "溅泼声", + "ENG": "the sound of sth hitting liquid or of liquid hitting sth" + }, + "architect": { + "CHS": "建筑师;创造者", + "ENG": "someone whose job is to design buildings" + }, + "theory": { + "CHS": "(未证明的)见解,看法,推测", + "ENG": "an opinion or idea that sb believes is true but that is not proved" + }, + "clip": { + "CHS": "剪;剪辑报刊", + "ENG": "to cut small amounts of something in order to make it tidier" + }, + "inspector": { + "CHS": "检查员;巡官", + "ENG": "an official whose job is to check that something is satisfactory and that rules are being obeyed" + }, + "reserve": { + "CHS": "缄默,自我克制", + "ENG": "a quality in someone’s character that makes them not like expressing their emotions or talking about their problems" + }, + "challenge": { + "CHS": "艰巨任务", + "ENG": "a new or difficult task that tests sb's ability and skill" + }, + "enterprise": { + "CHS": "艰巨的事业;事业心", + "ENG": "a large project, especially one that is difficult" + }, + "firmness": { + "CHS": "坚固,坚定,稳固" + }, + "sturdy": { + "CHS": "牢固的;坚定的", + "ENG": "(of an object) strong and not easily damaged" + }, + "stability": { + "CHS": "稳定", + "ENG": "the condition of being steady and not changing" + }, + "insistent": { + "CHS": "坚持的", + "ENG": "demanding firmly and repeatedly that something should happen" + }, + "persistence": { + "CHS": "坚持;持续,存留", + "ENG": "determination to do something even though it is difficult or other people oppose it" + }, + "persevere": { + "CHS": "坚持,不屈不挠", + "ENG": "to continue trying to do something in a very determined way in spite of difficulties – use this to show approval" + }, + "shrill": { + "CHS": "尖声地叫", + "ENG": "to produce a very high and unpleasant sound" + }, + "sham": { + "CHS": "假装", + "ENG": "to pretend to be upset, ill etc to gain sympathy or an advantage" + }, + "presume": { + "CHS": "假定,假设,揣测", + "ENG": "to accept something as being true and base something else on it" + }, + "beetle": { + "CHS": "甲虫", + "ENG": "an insect with a round hard back that is usually black" + }, + "clamp": { + "CHS": "夹子", + "ENG": "a piece of equipment for holding things together" + }, + "sandwich": { + "CHS": "夹入,挤进", + "ENG": "If you sandwich two things together with something else, you put that other thing between them. If you sandwich one thing between two other things, you put it between them." + }, + "homely": { + "CHS": "家常的", + "ENG": "simple and good" + }, + "fowl": { + "CHS": "家禽;禽肉", + "ENG": "a bird, such as a chicken, that is kept for its meat and eggs, or the meat of this type of bird" + }, + "poultry": { + "CHS": "家禽", + "ENG": "birds such as chickens and ducks that are kept on farms in order to produce eggs and meat" + }, + "heater": { + "CHS": "加热器", + "ENG": "a machine for making air or water hotter" + }, + "deepen": { + "CHS": "(使色泽等)加浓", + "ENG": "if colour or light deepens or if sth deepens it, it becomes darker" + }, + "heighten": { + "CHS": "加高,提高;增加", + "ENG": "if something heightens a feeling, effect etc, or if a feeling etc heightens, it becomes stronger or increases" + }, + "line": { + "CHS": "加衬里于", + "ENG": "to sew a piece of material onto the inside or back of another piece to make it stronger or warmer" + }, + "stillness": { + "CHS": "寂静,无声", + "ENG": "the quality of being quiet and not moving" + }, + "lodging": { + "CHS": "寄宿,住宿;住所", + "ENG": "a place to stay" + }, + "successor": { + "CHS": "继承人,继任者", + "ENG": "someone who takes a job or position previously held by someone else" + }, + "succession": { + "CHS": "继承(权)", + "ENG": "the act of taking over an official job or position, or the right to be the next to take it" + }, + "quarterly": { + "CHS": "季度的(地)", + "ENG": "produced or happening four times a year" + }, + "souvenir": { + "CHS": "纪念品", + "ENG": "an object that you buy or keep to remind yourself of a special occasion or a place you have visited" + }, + "marginal": { + "CHS": "边缘的;记在页边的", + "ENG": "not part of a main or important group or situation" + }, + "terminal": { + "CHS": "计算机终端;线接头", + "ENG": "a piece of computer equipment consisting of at least a keyboard and a screen, that you use for putting in or taking out information from a large computer" + }, + "scheme": { + "CHS": "计划,搞阴谋", + "ENG": "to secretly make clever and dishonest plans to get or achieve something" + }, + "geometrical": { + "CHS": "几何学的" + }, + "bazaar": { + "CHS": "集市,廉价商店", + "ENG": "a market or area where there are a lot of small shops, especially in India or the Middle East" + }, + "gathering": { + "CHS": "集会,聚会,聚集", + "ENG": "a meeting of a group of people" + }, + "set": { + "CHS": "集(合)", + "ENG": "a group of numbers, shapes etc in mathematics" + }, + "disorder": { + "CHS": "疾病,小病", + "ENG": "a mental or physical illness which prevents part of your body from working properly" + }, + "polarity": { + "CHS": "(人、意见或观念的)截然相反,截然对立;极性", + "ENG": "a state in which people, opinions, or ideas are completely different or opposite to each other" + }, + "guitar": { + "CHS": "吉他,六弦琴", + "ENG": "a musical instrument that usually has six strings, that you play with your fingers or with a plectrum" + }, + "timely": { + "CHS": "及时的;适时的", + "ENG": "done or happening at exactly the right time" + }, + "drastic": { + "CHS": "激烈的;严厉的", + "ENG": "extreme and sudden" + }, + "severe": { + "CHS": "艰难的;简朴的", + "ENG": "very difficult and needing a lot of effort and skill" + }, + "Christian": { + "CHS": "基督教的", + "ENG": "related to Christianity" + }, + "elemental": { + "CHS": "基本的;自然力的", + "ENG": "simple, basic, and important" + }, + "radical": { + "CHS": "基本的;激进的", + "ENG": "concerning the most basic and important parts of sth; thorough and complete" + }, + "energetic": { + "CHS": "积极的;精力旺盛的", + "ENG": "having or needing a lot of energy or determination" + }, + "muscular": { + "CHS": "肌肉发达的,强健的", + "ENG": "having large strong muscles" + }, + "witty": { + "CHS": "机智的;风趣的", + "ENG": "using words in a clever and amusing way" + }, + "tact": { + "CHS": "机敏,圆滑,得体", + "ENG": "the ability to be careful about what you say or do, so that you do not upset or embarrass other people" + }, + "ingenious": { + "CHS": "精巧制成的;机灵的", + "ENG": "(of an object, a plan, an idea, etc.) very suitable for a particular purpose and resulting from clever new ideas" + }, + "framework": { + "CHS": "体制", + "ENG": "a set of ideas, rules, or beliefs from which something is developed, or on which decisions are based" + }, + "fence": { + "CHS": "击剑(术),击剑" + }, + "stall": { + "CHS": "货摊,书摊;马厩", + "ENG": "a table or a small shop with an open front, especially outdoors, where goods are sold" + }, + "fellowship": { + "CHS": "伙伴关系;联谊会", + "ENG": "a feeling of friendship between people who do things together or share an interest" + }, + "Mars": { + "CHS": "火星", + "ENG": "the small red planet that is fourth in order from the Sun and is nearest the Earth" + }, + "ham": { + "CHS": "火腿", + "ENG": "the upper part of a pig’s leg, or the meat from this that has been preserved with salt or smoke" + }, + "piston": { + "CHS": "活塞", + "ENG": "a part of an engine consisting of a short solid piece of metal inside a tube, which moves up and down to make the other parts of the engine move" + }, + "vigour": { + "CHS": "活力,精力;元气", + "ENG": "physical or mental energy and determination" + }, + "cloudy": { + "CHS": "混浊的;模糊不清的", + "ENG": "cloudy liquids are not clear" + }, + "mixer": { + "CHS": "搅拌器", + "ENG": "a piece of equipment used to mix things together" + }, + "engagement": { + "CHS": "婚约;约会", + "ENG": "an agreement between two people to marry, or the period of time they are engaged" + }, + "corrupt": { + "CHS": "腐败的", + "ENG": "using your power in a dishonest or illegal way in order to get an advantage for yourself" + }, + "response": { + "CHS": "回应", + "ENG": "something that is said or written as a reply" + }, + "wield": { + "CHS": "挥(剑);行使", + "ENG": "to hold sth, ready to use it as a weapon or tool" + }, + "locust": { + "CHS": "蝗虫", + "ENG": "an insect that lives mainly in Asia and Africa and flies in a very large group, eating and destroying crops" + }, + "wasp": { + "CHS": "黄蜂", + "ENG": "a thin black and yellow flying insect that can sting you" + }, + "royalty": { + "CHS": "皇家,王族,皇族", + "ENG": "members of a royal family" + }, + "desolate": { + "CHS": "荒芜的;孤独的", + "ENG": "(of a place) empty and without people, making you feel sad or frightened" + }, + "illusion": { + "CHS": "幻想;错觉;假象", + "ENG": "an idea or opinion that is wrong, especially about yourself" + }, + "modification": { + "CHS": "修改", + "ENG": "a small change made in something such as a design, plan, or system" + }, + "environmental": { + "CHS": "环境的,环境产生的", + "ENG": "concerning or affecting the air, land, or water on Earth" + }, + "pregnant": { + "CHS": "怀孕的;意义深长的;意义深长的", + "ENG": "(of a woman or female animal) having a baby or young animal developing inside her/its body" + }, + "fossil": { + "CHS": "化石", + "ENG": "an animal or plant that lived many thousands of years ago and that has been preserved, or the shape of one of these animals or plants that has been preserved in rock" + }, + "glider": { + "CHS": "滑翔机;滑翔导弹", + "ENG": "a light plane that flies without an engine" + }, + "pulley": { + "CHS": "滑轮,滑车,皮带轮", + "ENG": "a piece of equipment consisting of a wheel over which a rope or chain is pulled to lift heavy things" + }, + "slide": { + "CHS": "滑动,滑行", + "ENG": "a sliding movement across a surface" + }, + "granite": { + "CHS": "花岗岩,花岗石", + "ENG": "a very hard grey rock, often used in building" + }, + "correlate": { + "CHS": "互相关联的事物", + "ENG": "either of two things that correlate with each other" + }, + "walnut": { + "CHS": "核桃;胡桃树", + "ENG": "a nut that you can eat, shaped like a human brain" + }, + "arc": { + "CHS": "弧,弓形物;弧光", + "ENG": "a curved shape or line" + }, + "exclamation": { + "CHS": "呼喊,惊叫;感叹", + "ENG": "a sound, word, or short sentence that you say suddenly and loudly because you are surprised, angry, or excited" + }, + "ruby": { + "CHS": "红宝石", + "ENG": "a red jewel" + }, + "hit": { + "CHS": "轰动一时的人(或事)", + "ENG": "something such as a film, play, song etc that is very popular and successful" + }, + "traverse": { + "CHS": "横越", + "ENG": "to move across, over, or through something, especially an area of land or water" + }, + "transverse": { + "CHS": "横的", + "ENG": "lying or placed across something" + }, + "bed": { + "CHS": "河床,(湖)底", + "ENG": "the flat ground at the bottom of a river, lake, or sea" + }, + "harmonious": { + "CHS": "和谐的,协调的", + "ENG": "arranged together in a pleasing way so that each part goes well with the others" + }, + "monk": { + "CHS": "和尚,僧侣,修道士", + "ENG": "a member of an all-male religious group that lives apart from other people in a monastery" + }, + "cooperative": { + "CHS": "合作社", + "ENG": "a business or organization owned equally by all the people working there" + }, + "hinge": { + "CHS": "合页,折叶,铰链", + "ENG": "a piece of metal fastened to a door, lid etc that allows it to swing open and shut" + }, + "proper": { + "CHS": "合乎体统的,正派的", + "ENG": "socially and morally acceptable" + }, + "composite": { + "CHS": "合成物", + "ENG": "something made up of different parts or materials" + }, + "synthesis": { + "CHS": "综合,综合物;(化学或生物学物质的)合成;(用电子方式对声音、语音或音乐的)合成", + "ENG": "something that has been made by combining different things, or the process of combining things" + }, + "applause": { + "CHS": "喝彩;夸奖,称赞", + "ENG": "the sound of many people hitting their hands together and shouting, to show that they have enjoyed something" + }, + "applaud": { + "CHS": "鼓掌;喝彩", + "ENG": "to hit your open hands together, to show that you have enjoyed a play, concert, speaker etc" + }, + "hurrah": { + "CHS": "好哇,万岁,乌拉" + }, + "pal": { + "CHS": "好朋友;同谋", + "ENG": "a close friend" + }, + "howl": { + "CHS": "嚎叫;哀号;吠", + "ENG": "a loud cry or shout showing pain, anger, unhappiness etc" + }, + "aerospace": { + "CHS": "航空航天工业", + "ENG": "the industry that designs and builds aircraft and space vehicles" + }, + "log": { + "CHS": "航海日志;飞行日志", + "ENG": "an official record of events, especially on a journey in a ship or plane" + }, + "pedestrian": { + "CHS": "行人,步行者", + "ENG": "someone who is walking, especially along a street or other place used by cars" + }, + "move": { + "CHS": "行动,步骤", + "ENG": "something that you decide to do in order to achieve something" + }, + "pest": { + "CHS": "害虫", + "ENG": "a small animal or insect that destroys crops or food supplies" + }, + "strait": { + "CHS": "海峡", + "ENG": "a narrow passage of water between two areas of land, usually connecting two seas" + }, + "custom": { + "CHS": "海关", + "ENG": "the place where your bags are checked for illegal goods when you go into a country" + }, + "seaport": { + "CHS": "海港,港口,港市", + "ENG": "a large town on or near a coast, with a harbour that big ships can use" + }, + "cable": { + "CHS": "电缆", + "ENG": "a plastic or rubber tube containing wires that carry telephone messages, electronic signals, television pictures etc" + }, + "pirate": { + "CHS": "海盗", + "ENG": "someone who sails on the seas, attacking other boats and stealing things from them" + }, + "seaside": { + "CHS": "海滨(胜地);海边", + "ENG": "the areas or towns near the sea, where people go to enjoy themselves" + }, + "surplus": { + "CHS": "过剩,剩余(物资)", + "ENG": "an amount of something that is more than what is needed or used" + }, + "excessively": { + "CHS": "过分,极端地", + "ENG": "greater than what seems reasonable or appropriate" + }, + "orchard": { + "CHS": "果园", + "ENG": "a place where fruit trees are grown" + }, + "peel": { + "CHS": "果皮,蔬菜皮", + "ENG": "the skin of some fruits and vegetables, especially the thick skin of fruits such as oranges, which you do not eat" + }, + "stone": { + "CHS": "果核,(水果的)硬核", + "ENG": "the large hard part at the centre of some fruits, such as a peach or cherry, which contains the seed" + }, + "slap": { + "CHS": "巴掌", + "ENG": "a quick hit with the flat part of your hand" + }, + "inland": { + "CHS": "国内的;内地的", + "ENG": "located in or near the middle of a country, not near the edge or on the coast" + }, + "boiler": { + "CHS": "锅炉", + "ENG": "a container for boiling water that is part of a steam engine, or is used to provide heating in a house" + }, + "roller": { + "CHS": "滚筒;滚柱", + "ENG": "a piece of equipment consisting of a tube-shaped piece of wood, metal etc that rolls over and over, used for painting, crushing, making things smoother etc" + }, + "valuable": { + "CHS": "贵重物品,财宝" + }, + "salmon": { + "CHS": "鲑,大马哈鱼", + "ENG": "a large fish with silver skin and pink flesh that lives in the sea but swims up rivers to lay its eggs" + }, + "silicon": { + "CHS": "硅(旧名矽)", + "ENG": "a chemical substance that exists as a solid or as a powder and is used to make glass, bricks, and parts for computers. It is a chemical element: symbol Si" + }, + "regularity": { + "CHS": "规则性;整齐,端正", + "ENG": "when the same thing keeps happening often, especially with the same amount of time between each occasion when it happens" + }, + "define": { + "CHS": "规定;立(界限)", + "ENG": "to describe something correctly and thoroughly, and to say what standards, limits, qualities etc it has that make it different from other things" + }, + "provision": { + "CHS": "规定,条款,条项", + "ENG": "a condition in an agreement or law" + }, + "amplitude": { + "CHS": "振幅;广大;充足", + "ENG": "the distance between the middle and the top or bottom of a wave such as a sound wave" + }, + "radial": { + "CHS": "放射状的", + "ENG": "arranged in a circular shape with bars or lines coming from the centre" + }, + "photoelectric": { + "CHS": "光电的", + "ENG": "using an electrical current that is controlled by light" + }, + "optical": { + "CHS": "光的;光学的", + "ENG": "relating to machines or processes which are concerned with light, images, or the way we see things" + }, + "shrub": { + "CHS": "灌木,灌木丛", + "ENG": "a small bush with several woody stems" + }, + "inertia": { + "CHS": "惯性;无力", + "ENG": "the force that keeps an object in the same position or keeps it moving until it is moved or stopped by another force" + }, + "orchestra": { + "CHS": "管弦乐队", + "ENG": "a large group of musicians playing many different kinds of instruments and led by a conductor" + }, + "blast": { + "CHS": "管乐器的声音", + "ENG": "a sudden very loud noise, especially one made by a whistle or horn" + }, + "pipe": { + "CHS": "管乐器", + "ENG": "a musical instrument in the shape of a tube, played by blowing" + }, + "coffin": { + "CHS": "棺材,灵柩", + "ENG": "a long box in which a dead person is buried or burnt" + }, + "monster": { + "CHS": "怪物;畸形的动植物", + "ENG": "an imaginary or ancient creature that is large, ugly, and frightening" + }, + "client": { + "CHS": "顾客;诉讼委托人", + "ENG": "someone who gets services or advice from a professional person, company, or organization" + }, + "obstinate": { + "CHS": "固执的;顽强的", + "ENG": "determined not to change your ideas, behaviour, opinions etc, even when other people think you are being unreasonable" + }, + "pluck": { + "CHS": "鼓起(勇气),振作", + "ENG": "to force yourself to be brave and do something you are afraid of doing" + }, + "agitation": { + "CHS": "鼓动,煸动;搅动", + "ENG": "public argument or action for social or political change" + }, + "skeleton": { + "CHS": "骨骼,骷髅;骨架", + "ENG": "the structure consisting of all the bones in a human or animal body" + }, + "thigh": { + "CHS": "股,大腿", + "ENG": "the top part of your leg, between your knee and your hip" + }, + "cereal": { + "CHS": "谷类,五谷,禾谷", + "ENG": "a plant grown to produce grain, for example wheat, rice etc" + }, + "antique": { + "CHS": "古物", + "ENG": "a piece of furniture, jewellery etc that was made a very long time ago and is therefore valuable" + }, + "constitute": { + "CHS": "构成,组成", + "ENG": "to be the parts that together form sth" + }, + "hound": { + "CHS": "猎犬", + "ENG": "a dog that is fast and has a good sense of smell, used for hunting" + }, + "gutter": { + "CHS": "沟,边沟;檐槽", + "ENG": "the low part at the edge of a road where water collects and flows away" + }, + "tribute": { + "CHS": "献礼;贡物", + "ENG": "something that you say, do, or give in order to express your respect or admiration for someone" + }, + "number": { + "CHS": "共计,达…之数", + "ENG": "to make a particular number when added together" + }, + "commonwealth": { + "CHS": "联邦", + "ENG": "used in the official names of some countries, groups of countries, or parts of countries" + }, + "arch": { + "CHS": "(使)拱起", + "ENG": "to form or make something form a curved shape" + }, + "vault": { + "CHS": "拱顶;(教堂的)地下墓室", + "ENG": "a roof or ceiling that consists of several arches that are joined together, especially in a church" + }, + "mercury": { + "CHS": "汞,水银", + "ENG": "a heavy silver-white poisonous metal that is liquid at ordinary temperatures, and is used in thermometers .It is a chemical element" + }, + "consolidate": { + "CHS": "巩固;合并", + "ENG": "to strengthen the position of power or success that you have, so that it becomes more effective or continues for longer" + }, + "impartial": { + "CHS": "公正的,无偏见的", + "ENG": "not involved in a particular situation, and therefore able to give a fair opinion or piece of advice" + }, + "convention": { + "CHS": "公约,(换俘等)协定", + "ENG": "a formal agreement, especially between countries, about particular rules or behaviour" + }, + "duke": { + "CHS": "公爵;君主", + "ENG": "a nobleman of the highest rank" + }, + "rooster": { + "CHS": "公鸡", + "ENG": "a male chicken" + }, + "studio": { + "CHS": "播音室;工作室", + "ENG": "a room where television and radio programmes are made and broadcast or where music is recorded" + }, + "earnings": { + "CHS": "工资,收入;收益", + "ENG": "the money that you receive for the work that you do" + }, + "implement": { + "CHS": "贯彻", + "ENG": "to take action or make changes that you have officially decided should happen" + }, + "workpiece": { + "CHS": "工(作)件", + "ENG": "a piece of metal or other material that is in the process of being worked on or made or has actually been cut or shaped by a hand tool or machine" + }, + "combat": { + "CHS": "跟…战斗,格斗", + "ENG": "to fight against an enemy" + }, + "energize": { + "CHS": "供给…能量", + "ENG": "to supply power or energy to a machine, an atom, etc." + }, + "vaccinate": { + "CHS": "给…接种疫苗", + "ENG": "to protect a person or animal from a disease by giving them a vaccine" + }, + "flavour": { + "CHS": "给…调味", + "ENG": "to give something a particular taste or more taste" + }, + "insulator": { + "CHS": "隔离者;绝缘体", + "ENG": "a material or object which does not allow electricity, heat, or sound to pass through it" + }, + "lattice": { + "CHS": "格子结构", + "ENG": "a pattern or structure made of long pieces of wood, plastic etc that cross each other so that the spaces between them are shaped like diamonds" + }, + "dove": { + "CHS": "鸽子,斑鸠", + "ENG": "a kind of small white pigeon often used as a sign of peace" + }, + "plateau": { + "CHS": "高原;平稳时期", + "ENG": "a large area of flat land that is higher than the land around it" + }, + "tower": { + "CHS": "高耸,屹立;翱翔", + "ENG": "to be much taller than the people or things around you" + }, + "elevation": { + "CHS": "高度,海拔", + "ENG": "the height of a place, especially its height above sea level" + }, + "dry": { + "CHS": "干巴巴的,枯燥的", + "ENG": "not interesting" + }, + "olive": { + "CHS": "橄榄;橄榄树", + "ENG": "a small bitter egg-shaped black or green fruit, used as food and for making oil" + }, + "sentiment": { + "CHS": "感情;情绪", + "ENG": "a feeling or an opinion, especially one based on emotions" + }, + "sensation": { + "CHS": "感觉,知觉;轰动", + "ENG": "a feeling that you get from one of your five senses, especially the sense of touch" + }, + "Thanksgiving": { + "CHS": "感恩节", + "ENG": "a public holiday in the US and in Canada when families have a large meal together to celebrate and be thankful for food, health, families etc" + }, + "chill": { + "CHS": "感到寒冷;冷藏", + "ENG": "to make someone very cold" + }, + "outline": { + "CHS": "概述,概括", + "ENG": "to describe something in a general way, giving the main points but not the details" + }, + "conception": { + "CHS": "概念,观念,想法", + "ENG": "an idea about what something is like, or a general understanding of something" + }, + "summary": { + "CHS": "概括的;速决的", + "ENG": "giving only the main points of sth, not the details" + }, + "generalize": { + "CHS": "概括出", + "ENG": "to form a general principle or opinion after considering only a small number of facts or examples" + }, + "impress": { + "CHS": "盖印,在…打记号", + "ENG": "to press something into a soft surface so that a mark or pattern appears on it" + }, + "mend": { + "CHS": "修理;改正", + "ENG": "to repair sth that has been damaged or broken so that it can be used again" + }, + "complication": { + "CHS": "复杂,混乱;并发症", + "ENG": "a problem or situation that makes something more difficult to understand or deal with" + }, + "complexity": { + "CHS": "复杂(性)", + "ENG": "the state of being complicated" + }, + "satellite": { + "CHS": "附属国", + "ENG": "a country, area, or organization that is controlled by or is dependent on another larger one" + }, + "appendix": { + "CHS": "附录;阑尾", + "ENG": "a part at the end of a book containing additional information" + }, + "extra": { + "CHS": "附加物;额外的东西", + "ENG": "an amount of something, especially money, in addition to the usual, basic, or necessary amount" + }, + "charge": { + "CHS": "装满", + "ENG": "to fill a glass" + }, + "negative": { + "CHS": "负的;(结果)阴性的", + "ENG": "less than zero" + }, + "corrosion": { + "CHS": "腐蚀,侵蚀;锈", + "ENG": "the gradual destruction of metal by the effect of water, chemicals etc or a substance such as rust produced by this process" + }, + "erosion": { + "CHS": "腐蚀,侵蚀;糜烂", + "ENG": "the process by which rock or soil is gradually destroyed by wind, rain, or the sea" + }, + "subsidiary": { + "CHS": "辅助的,补充的", + "ENG": "connected with, but less important than, something else" + }, + "answer": { + "CHS": "符合,适合", + "ENG": "to be suitable for sth; to match sth" + }, + "obedient": { + "CHS": "服从的,顺从的", + "ENG": "always doing what you are told to do, or what the law, a rule etc says you must do" + }, + "obedience": { + "CHS": "服从,顺从", + "ENG": "when someone does what they are told to do, or what a law, rule etc says they must do" + }, + "veto": { + "CHS": "否决,否决权;禁止", + "ENG": "a refusal to give official permission for something, or the right to refuse to give such permission" + }, + "denial": { + "CHS": "否定;拒绝相信", + "ENG": "a statement saying that something is not true" + }, + "Buddhism": { + "CHS": "佛教,释教", + "ENG": "a religion of east and central Asia, based on the teaching of Gautama Buddha" + }, + "dedicate": { + "CHS": "奉献;献身", + "ENG": "to give all your attention and effort to one particular thing" + }, + "flatter": { + "CHS": "奉承,阿谀,谄媚", + "ENG": "to praise someone in order to please them or get something from them, even though you do not mean it" + }, + "pineapple": { + "CHS": "凤梨,波萝", + "ENG": "a large yellow-brown tropical fruit or its sweet juicy yellow flesh" + }, + "seam": { + "CHS": "缝口;接缝;骨缝", + "ENG": "a line where two pieces of cloth, leather etc have been stitched together" + }, + "landscape": { + "CHS": "风景,景色,景致", + "ENG": "an area of countryside or land of a particular type, used especially when talking about its appearance" + }, + "windmill": { + "CHS": "风车", + "ENG": "a building or structure with parts that turn around in the wind, used for producing electrical power or crushing grain" + }, + "plump": { + "CHS": "丰满的", + "ENG": "slightly fat in a fairly pleasant way – used especially about women or children, often to avoid saying the word ‘fat’" + }, + "abundance": { + "CHS": "丰富,充裕", + "ENG": "a large quantity of something" + }, + "indignation": { + "CHS": "愤怒,愤慨,义愤", + "ENG": "feelings of anger and surprise because you feel insulted or unfairly treated" + }, + "shatter": { + "CHS": "粉碎,破碎;毁坏", + "ENG": "to break suddenly into very small pieces, or to make something break in this way" + }, + "molecular": { + "CHS": "分子的;克分子的", + "ENG": "relating to or involving molecules" + }, + "limb": { + "CHS": "肢;手臂;腿", + "ENG": "an arm or leg" + }, + "offset": { + "CHS": "抵销", + "ENG": "to use one cost, payment or situation in order to cancel or reduce the effect of another" + }, + "fraction": { + "CHS": "分数", + "ENG": "a part of a whole number in mathematics, such as ½ or ¾" + }, + "installment": { + "CHS": "分期付款", + "ENG": "one of a series of regular payments that you make until you have paid all the money you owe" + }, + "split": { + "CHS": "分裂,分化,派系", + "ENG": "a serious disagreement that divides an organization or group of people into smaller groups" + }, + "detach": { + "CHS": "分开;派遣(军队)", + "ENG": "to remove sth from sth larger; to become separated from sth" + }, + "partition": { + "CHS": "分开,分割;隔墙", + "ENG": "the action of separating a country into two or more independent countries" + }, + "interface": { + "CHS": "分界面", + "ENG": "the way in which you see the information from a computer program on a screen, or how you type information into the program" + }, + "diverge": { + "CHS": "分岔;分歧", + "ENG": "to separate and go in different directions" + }, + "litter": { + "CHS": "乱扔", + "ENG": "to leave waste paper, cans etc on the ground in a public place" + }, + "abolish": { + "CHS": "废除,取消", + "ENG": "to officially end a law, system etc, especially one that has existed for a long time" + }, + "gangster": { + "CHS": "匪徒,歹徒,暴徒", + "ENG": "a member of a violent group of criminals" + }, + "extraordinarily": { + "CHS": "非常地,特别地", + "ENG": "extremely" + }, + "fly": { + "CHS": "飞跑;逃跑,消失", + "ENG": "to move somewhere quickly and suddenly" + }, + "aviation": { + "CHS": "飞行(术)", + "ENG": "the science or practice of flying in aircraft" + }, + "herd": { + "CHS": "成群;放牧", + "ENG": "to bring people together in a large group, especially roughly" + }, + "imitation": { + "CHS": "仿制品,伪制物", + "ENG": "a copy of something" + }, + "reproduce": { + "CHS": "仿造", + "ENG": "to make a copy of a picture, piece of text, etc." + }, + "estate": { + "CHS": "财产,产业;房地产", + "ENG": "all of someone’s property and money, especially everything that is left after they die" + }, + "hamper": { + "CHS": "妨碍,阻碍,牵制", + "ENG": "to make it difficult for someone to do something" + }, + "handicap": { + "CHS": "妨碍,使不利", + "ENG": "to make it difficult for someone to do something that they want or need to do" + }, + "handy": { + "CHS": "方便的;便于使用的", + "ENG": "easy to use or to do" + }, + "offence": { + "CHS": "犯罪,犯规;冒犯", + "ENG": "an illegal action or a crime" + }, + "blunder": { + "CHS": "大错", + "ENG": "a careless or stupid mistake" + }, + "mirror": { + "CHS": "反映,借鉴", + "ENG": "something that gives a clear idea of what something else is like" + }, + "reactor": { + "CHS": "反应堆", + "ENG": "a large structure used for the controlled production of nuclear energy" + }, + "contradict": { + "CHS": "反驳,否认", + "ENG": "to disagree with something, especially by saying that the opposite is true" + }, + "propagation": { + "CHS": "繁殖;传播;蔓延" + }, + "propagate": { + "CHS": "传播,普及;繁殖", + "ENG": "to spread an idea, belief etc to many people" + }, + "toss": { + "CHS": "翻来覆去", + "ENG": "to keep changing your position in bed because you cannot sleep" + }, + "decree": { + "CHS": "法令,政令", + "ENG": "an official order or decision, especially one made by the ruler of a country" + }, + "flannel": { + "CHS": "法兰绒", + "ENG": "soft cloth, usually made of cotton or wool, used for making clothes" + }, + "valve": { + "CHS": "阀,阀门;电子管", + "ENG": "a part of a tube or pipe that opens and shuts like a door to control the flow of liquid, gas, air etc passing through it" + }, + "originate": { + "CHS": "发源;首创", + "ENG": "to come from a particular place or start in a particular situation" + }, + "spokesman": { + "CHS": "发言人,代言人", + "ENG": "a man who has been chosen to speak officially for a group, organization, or government" + }, + "outlet": { + "CHS": "发泄(感情等)的方法", + "ENG": "a way of expressing or getting rid of strong feelings" + }, + "invoice": { + "CHS": "发票,发货清单", + "ENG": "a list of goods that have been supplied or work that has been done, showing how much you owe for them" + }, + "detector": { + "CHS": "发觉者,探测器", + "ENG": "a machine or piece of equipment that finds or measures something" + }, + "luminous": { + "CHS": "发光的;夜明的", + "ENG": "shining in the dark" + }, + "beam": { + "CHS": "发光,发热;开怀大笑", + "ENG": "to send out a line of light, heat, energy etc" + }, + "motive": { + "CHS": "发动的,运动的", + "ENG": "causing movement or action" + }, + "dynamo": { + "CHS": "发电机", + "ENG": "a machine that changes some other form of power directly into electricity" + }, + "rattle": { + "CHS": "发出格格声", + "ENG": "to make a series of short loud sounds when hitting against sth hard; to make sth do this" + }, + "dioxide": { + "CHS": "二氧化物", + "ENG": "a chemical compound that contains two atoms of oxygen and one atom of another chemical element" + }, + "bait": { + "CHS": "饵;引诱物", + "ENG": "food used to attract fish, animals, or birds so that you can catch them" + }, + "subsequent": { + "CHS": "尔后的", + "ENG": "happening or coming after something else" + }, + "whereas": { + "CHS": "而,却,反之", + "ENG": "used to say that although something is true of one thing, it is not true of another" + }, + "youngster": { + "CHS": "儿童,少年,年轻人", + "ENG": "a child or young person" + }, + "offspring": { + "CHS": "儿女,子孙,后代", + "ENG": "someone’s child or children – often used humorously" + }, + "malice": { + "CHS": "恶意;蓄意犯罪", + "ENG": "the desire to harm someone because you hate them" + }, + "spite": { + "CHS": "恶意,怨恨", + "ENG": "a feeling of wanting to hurt or upset people, for example because you are jealous or think you have been unfairly treated" + }, + "yoke": { + "CHS": "轭,牛轭;枷锁", + "ENG": "a wooden bar used for keeping two animals together, especially cattle, when they are pulling heavy loads" + }, + "mountainous": { + "CHS": "多山的;山一般的", + "ENG": "having many mountains" + }, + "windy": { + "CHS": "多风的,刮风的", + "ENG": "(of weather, etc.) with a lot of wind" + }, + "versatile": { + "CHS": "多方面的;通用的", + "ENG": "having many different uses" + }, + "stew": { + "CHS": "炖菜", + "ENG": "a hot meal made by cooking meat and vegetables slowly in liquid for a long time" + }, + "mop": { + "CHS": "拖把,墩布;洗碗刷", + "ENG": "a thing used for washing floors, consisting of a long stick with threads of thick string or a piece of sponge fastened to one end" + }, + "halve": { + "CHS": "对分;平摊", + "ENG": "to cut or divide something into two equal pieces" + }, + "symmetrical": { + "CHS": "对称的,匀称的", + "ENG": "(of a body, a design, an object, etc.) having two halves, parts or sides that are the same in size and shape" + }, + "symmetry": { + "CHS": "对称(性),匀称", + "ENG": "the quality of being symmetrical" + }, + "resent": { + "CHS": "对…不满,怨恨", + "ENG": "to feel angry or upset about a situation or about something that someone has done, especially because you think that it is not fair" + }, + "alignment": { + "CHS": "排成直线;结盟,联合", + "ENG": "the state of being arranged in a line with something or parallel to something" + }, + "affirm": { + "CHS": "断言,证实", + "ENG": "to state publicly that something is true" + }, + "shortage": { + "CHS": "短缺,不足额", + "ENG": "a situation in which there is not enough of something that people need" + }, + "ferry": { + "CHS": "运送", + "ENG": "to carry people or things a short distance from one place to another in a boat or other vehicle" + }, + "jealousy": { + "CHS": "妒忌,嫉妒,猜忌", + "ENG": "a feeling of being jealous" + }, + "cuckoo": { + "CHS": "杜鹃,布谷鸟", + "ENG": "a grey European bird that puts its eggs in other birds’ nests and that makes a sound that sounds like its name" + }, + "gamble": { + "CHS": "冒…的险", + "ENG": "to risk losing sth in the hope of being successful" + }, + "jam": { + "CHS": "使…堵塞", + "ENG": "If vehicles jam a road, there are so many of them that they cannot move." + }, + "distinct": { + "CHS": "清楚的", + "ENG": "easily or clearly heard, seen, felt, etc." + }, + "solo": { + "CHS": "独唱,独奏;独唱曲", + "ENG": "a piece of music for one performer" + }, + "dictator": { + "CHS": "独裁者,专政者", + "ENG": "a ruler who has complete power over a country, especially one whose power has been gained by force" + }, + "tease": { + "CHS": "逗乐,戏弄", + "ENG": "to laugh at someone and make jokes in order to have fun by embarrassing them, either in a friendly way or in an unkind way" + }, + "fighter": { + "CHS": "战斗机;斗争者", + "ENG": "a small fast military plane that can destroy other planes" + }, + "insight": { + "CHS": "洞察力;洞悉,见识", + "ENG": "the ability to understand and realize what people or situations are really like" + }, + "cavity": { + "CHS": "洞,穴,空腔", + "ENG": "a hole or space inside something" + }, + "jelly": { + "CHS": "冻,果冻;胶状物", + "ENG": "a soft sweet food made from fruit juice and gelatin" + }, + "mobilize": { + "CHS": "动员,动员起来", + "ENG": "to encourage people to support something in an active way" + }, + "grease": { + "CHS": "动物脂,脂肪", + "ENG": "a fatty or oily substance that comes off meat when it is cooked, or off food made using butter or oil" + }, + "disturbance": { + "CHS": "动乱;干扰", + "ENG": "a situation in which people behave violently in public" + }, + "kinetic": { + "CHS": "动力(学)的;活动的", + "ENG": "relating to movement" + }, + "location": { + "CHS": "定位,测位", + "ENG": "the act of finding the position of something" + }, + "theorem": { + "CHS": "定理;原理,原则", + "ENG": "a statement, especially in mathematics, that you can prove by showing that it has been correctly developed from facts" + }, + "subscribe": { + "CHS": "订购;认购;预订", + "ENG": "to pay money, usually once a year, to have copies of a newspaper or magazine sent to you, or to have some other service" + }, + "summit": { + "CHS": "顶点,最高点;极度", + "ENG": "the highest point of sth" + }, + "electronics": { + "CHS": "电子学", + "ENG": "the study or industry of making equipment, such as computers and televisions, that work electronically" + }, + "pressure": { + "CHS": "大气压力", + "ENG": "a condition of the air in the Earth’s atmosphere , which affects the weather" + }, + "capacitor": { + "CHS": "电容器", + "ENG": "a piece of equipment that collects and stores electricity" + }, + "capacitance": { + "CHS": "电容,电容量", + "ENG": "the property of a system that enables it to store electric charge" + }, + "electrode": { + "CHS": "电极;电焊条", + "ENG": "a small piece of metal or a wire that is used to send electricity through a system or through a person’s body" + }, + "electrician": { + "CHS": "电工,电气技师", + "ENG": "someone whose job is to connect or repair electrical wires or equipment" + }, + "telex": { + "CHS": "电传,用户电报", + "ENG": "a message sent or received by telex" + }, + "kindle": { + "CHS": "点燃,着火", + "ENG": "to start burning; to make a fire start burning" + }, + "basement": { + "CHS": "地下室;地窖;底层", + "ENG": "a room or area in a building that is under the level of the ground" + }, + "geographical": { + "CHS": "地理的;地区(性)的", + "ENG": "relating to the place in an area, country etc where something or someone is" + }, + "magistrate": { + "CHS": "地方法官", + "ENG": "someone, not usually a lawyer, who works as a judge in a local court of law, dealing with less serious crimes" + }, + "mortgage": { + "CHS": "抵押", + "ENG": "to give a bank, etc. the legal right to own your house, land, etc. if you do not pay the money back that you have borrowed from the bank to buy the house or land" + }, + "whisper": { + "CHS": "低声地讲;私下说", + "ENG": "to speak or say something very quietly, using your breath rather than your voice" + }, + "murmur": { + "CHS": "低沉连续的声音", + "ENG": "a continuous low sound, like the noise of a river or of voices far away." + }, + "equivalent": { + "CHS": "等面(体)积的", + "ENG": "equal in value, amount, meaning, importance, etc." + }, + "enroll": { + "CHS": "登记,招收,参军", + "ENG": "to officially arrange to join a school, university, or course, or to arrange for someone else to do this" + }, + "burner": { + "CHS": "煤气头", + "ENG": "one of the round parts on the top of a cooker that produce heat" + }, + "triumphant": { + "CHS": "得胜的;得意洋洋的", + "ENG": "having gained a victory or success" + }, + "clatter": { + "CHS": "得得声,卡嗒声" + }, + "morality": { + "CHS": "道德,美德,品行", + "ENG": "beliefs or ideas about what is right and wrong and about how people should behave" + }, + "theft": { + "CHS": "盗窃,偷窃(行为)", + "ENG": "an act of stealing something" + }, + "attendance": { + "CHS": "到场;出席人数", + "ENG": "when someone goes to a meeting, class etc, or an occasion when they go" + }, + "between": { + "CHS": "当中,中间", + "ENG": "in the space or period of time separating two or more points, objects, etc. or two dates, events, etc." + }, + "yolk": { + "CHS": "蛋黄,卵黄", + "ENG": "the yellow part in the centre of an egg" + }, + "cartridge": { + "CHS": "弹药筒", + "ENG": "a tube containing explosive powder and a bullet that you put in a gun" + }, + "detain": { + "CHS": "扣押,拘留;耽搁", + "ENG": "to officially prevent someone from leaving a place" + }, + "simple": { + "CHS": "单纯的;迟钝的", + "ENG": "used to emphasize that only one thing is involved" + }, + "simplicity": { + "CHS": "单纯,质朴", + "ENG": "the quality of being simple and not complicated, especially when this is attractive or useful" + }, + "fill": { + "CHS": "担任(职务);填补", + "ENG": "to perform a particular job, activity, or purpose in an organization, or to find someone or something to do this" + }, + "jug": { + "CHS": "带柄水罐,大壶", + "ENG": "a deep round container with a very narrow opening at the top and a handle, used for holding liquids" + }, + "algebra": { + "CHS": "代数学", + "ENG": "a type of mathematics that uses letters and other signs to represent numbers and values" + }, + "attorney": { + "CHS": "代理人;辩护律师", + "ENG": "a lawyer" + }, + "deputy": { + "CHS": "副的" + }, + "delegate": { + "CHS": "代表,委员,特派员", + "ENG": "someone who has been elected or chosen to speak, vote, or take decisions for a group" + }, + "gorilla": { + "CHS": "大猩猩", + "ENG": "a very large African monkey that is the largest of the apes" + }, + "magnitude": { + "CHS": "重大;星等", + "ENG": "the great size or importance of something" + }, + "massacre": { + "CHS": "大屠杀,残杀", + "ENG": "when a lot of people are killed violently, especially people who cannot defend themselves" + }, + "stride": { + "CHS": "大步", + "ENG": "a long step you make while you are walking" + }, + "embassy": { + "CHS": "大使馆;大使的职务", + "ENG": "a group of officials who represent their government in a foreign country, or the building they work in" + }, + "ambassador": { + "CHS": "大使,使节", + "ENG": "an important official who represents his or her government in a foreign country" + }, + "mansion": { + "CHS": "大厦,大楼;宅第", + "ENG": "a very large house" + }, + "multitude": { + "CHS": "大批,大群;大量", + "ENG": "a very large number of people or things" + }, + "barley": { + "CHS": "大麦", + "ENG": "a plant that produces a grain used for making food or alcohol" + }, + "continental": { + "CHS": "大陆的,大陆性的", + "ENG": "relating to a large mass of land" + }, + "infinity": { + "CHS": "无穷大", + "ENG": "a number that is too large to be calculated" + }, + "steak": { + "CHS": "大块牛肉;牛排", + "ENG": "good quality beef, or a large thick piece of any good quality red meat" + }, + "butt": { + "CHS": "大酒桶,桶", + "ENG": "a large round container for collecting or storing liquids" + }, + "largely": { + "CHS": "主要地", + "ENG": "mostly or mainly" + }, + "widely": { + "CHS": "大大地", + "ENG": "to a large degree – used when talking about differences" + }, + "prairie": { + "CHS": "大草原,牧场", + "ENG": "a wide open area of fairly flat land in North America which is covered in grass or wheat" + }, + "smash": { + "CHS": "打碎,打破,粉碎", + "ENG": "to break into pieces violently or noisily, or to make something do this by dropping, throwing, or hitting it" + }, + "sneeze": { + "CHS": "打喷嚏", + "ENG": "to have air come suddenly and noisily out through your nose and mouth in a way that you cannot control, for example because you have a cold" + }, + "lighter": { + "CHS": "打火机,引燃器", + "ENG": "a small object that produces a flame for lighting cigarettes etc" + }, + "snore": { + "CHS": "打鼾,打呼噜", + "ENG": "to breathe in a noisy way through your mouth and nose while you are asleep" + }, + "thresh": { + "CHS": "打谷,脱粒", + "ENG": "to separate grains of corn, wheat etc from the rest of the plant by beating it with a special tool or machine" + }, + "passport": { + "CHS": "达到目的的手段", + "ENG": "a thing that makes sth possible or enables you to achieve sth" + }, + "inaccessible": { + "CHS": "达不到的,难接近的", + "ENG": "difficult or impossible to reach" + }, + "latent": { + "CHS": "存在但看不见的", + "ENG": "existing, but not yet very noticeable, active or well developed" + }, + "frail": { + "CHS": "脆弱的", + "ENG": "weak; easily damaged or broken" + }, + "fragile": { + "CHS": "脆弱的;体质弱的", + "ENG": "weak and uncertain; easily destroyed or spoilt" + }, + "crisp": { + "CHS": "脆的", + "ENG": "(of food) pleasantly hard and dry" + }, + "catalyst": { + "CHS": "催化剂;刺激因素", + "ENG": "a substance that makes a chemical reaction happen more quickly without being changed itself" + }, + "vulgar": { + "CHS": "粗俗的,庸俗的", + "ENG": "not having or showing good taste; not polite, elegant or well behaved" + }, + "massive": { + "CHS": "粗大的;大而重的", + "ENG": "very large, solid, and heavy" + }, + "jungle": { + "CHS": "丛林,密林,莽丛", + "ENG": "a thick tropical forest with many large plants growing very close together" + }, + "follow": { + "CHS": "从事(职业),经营", + "ENG": "to do a particular job" + }, + "overflow": { + "CHS": "从…中溢出", + "ENG": "to be so full that the contents go over the sides" + }, + "smart": { + "CHS": "刺疼,扎疼,剧痛", + "ENG": "to feel a sharp stinging pain in a part of your body" + }, + "prick": { + "CHS": "刺痛", + "ENG": "a slight pain you get when something sharp goes into your skin" + }, + "thereafter": { + "CHS": "此后,以后", + "ENG": "after a particular event or time" + }, + "magnetism": { + "CHS": "磁;魅力", + "ENG": "the physical force that makes two metal objects pull towards each other or push each other apart" + }, + "porcelain": { + "CHS": "瓷的,瓷制的" + }, + "glossary": { + "CHS": "词汇表;术语汇编", + "ENG": "a list of special words and explanations of their meanings, often at the end of a book" + }, + "vocabulary": { + "CHS": "词汇表,词汇汇编", + "ENG": "a list of words with explanations of their meanings, especially in a book for learning a foreign language" + }, + "stem": { + "CHS": "词干", + "ENG": "the part of a word that stays the same when different endings are added to it, for example ‘driv-’ in ‘driving’" + }, + "poke": { + "CHS": "戳,刺;伸(头等)", + "ENG": "to quickly push your finger or some other pointed object into something or someone" + }, + "lipstick": { + "CHS": "唇膏,口红", + "ENG": "something used for adding colour to your lips, in the shape of a small stick" + }, + "stainless": { + "CHS": "不锈的;纯洁的", + "ENG": "resistant to discoloration, esp discoloration resulting from corrosion; rust-resistant" + }, + "perpendicular": { + "CHS": "垂直的", + "ENG": "not leaning to one side or the other but exactly vertical" + }, + "author": { + "CHS": "创造者,创始人", + "ENG": "the person who starts a plan or idea" + }, + "puff": { + "CHS": "喘气;喷(烟等)", + "ENG": "to breathe quickly and with difficulty after the effort of running, carrying something heavy etc" + }, + "shipwreck": { + "CHS": "船舶失事", + "ENG": "the destruction of a ship in an accident" + }, + "report": { + "CHS": "传说,议论", + "ENG": "information that something has happened, which may or may not be true" + }, + "romance": { + "CHS": "传奇;浪漫文学", + "ENG": "a story that has brave characters and exciting events" + }, + "herald": { + "CHS": "传令官;通报者", + "ENG": "someone who carried messages from a ruler in the past" + }, + "missionary": { + "CHS": "传教士", + "ENG": "someone who has been sent to a foreign country to teach people about Christianity and persuade them to become Christians" + }, + "sensor": { + "CHS": "传感器,灵敏元件", + "ENG": "a piece of equipment used for discovering the presence of light, heat, movement etc" + }, + "circular": { + "CHS": "传单,通报,通函", + "ENG": "a printed advertisement, notice etc that is sent to lots of people at the same time" + }, + "leaflet": { + "CHS": "传单", + "ENG": "a small book or piece of paper advertising something or giving information on a particular subject" + }, + "convey": { + "CHS": "传达;传播;转让", + "ENG": "to communicate or express something, with or without using words" + }, + "penetration": { + "CHS": "穿入;渗透", + "ENG": "the act or process of making a way into or through sth" + }, + "antenna": { + "CHS": "触角;天线", + "ENG": "one of two long thin parts on an insect’s head, that it uses to feel things" + }, + "virgin": { + "CHS": "处女的", + "ENG": "without sexual experience" + }, + "transaction": { + "CHS": "交易;处理", + "ENG": "a business deal or action, such as buying or selling something" + }, + "exclusive": { + "CHS": "除外的", + "ENG": "not including something" + }, + "notorious": { + "CHS": "臭名昭著的", + "ENG": "famous or well-known for something bad" + }, + "specimen": { + "CHS": "抽样,样品", + "ENG": "a small amount or piece that is taken from something, so that it can be tested or examined" + }, + "extraction": { + "CHS": "抽出;提取法", + "ENG": "the process of removing or obtaining something from something else" + }, + "adore": { + "CHS": "崇拜,爱慕;很喜欢", + "ENG": "to love someone very much and feel very proud of them" + }, + "bug": { + "CHS": "虫子;臭虫", + "ENG": "a small insect" + }, + "punch": { + "CHS": "冲压机", + "ENG": "a metal tool for cutting holes or for pushing something into a small hole" + }, + "strife": { + "CHS": "冲突,竞争", + "ENG": "trouble between two or more people or groups" + }, + "equator": { + "CHS": "赤道,天球赤道", + "ENG": "an imaginary line drawn around the middle of the Earth that is exactly the same distance from the North Pole and the South Pole" + }, + "gear": { + "CHS": "齿轮,传动装置", + "ENG": "machinery in a vehicle that turns engine power (or power on a bicycle) into movement forwards or backwards" + }, + "persist": { + "CHS": "持续,存留", + "ENG": "if something bad persists, it continues to exist or happen" + }, + "breakfast": { + "CHS": "吃早餐", + "ENG": "to eat breakfast" + }, + "dine": { + "CHS": "吃饭", + "ENG": "to eat dinner" + }, + "proceeding": { + "CHS": "程序,行动,事项", + "ENG": "The proceedings are an organized series of events that take place in a particular place" + }, + "length": { + "CHS": "长度", + "ENG": "the measurement of how long something is from one end to the other" + }, + "acknowledge": { + "CHS": "承认;告知收到", + "ENG": "to admit or accept that something is true or that a situation exists" + }, + "shoulder": { + "CHS": "承担;挑起", + "ENG": "to accept a difficult or unpleasant responsibility, duty etc" + }, + "offer": { + "CHS": "出现", + "ENG": "if an opportunity to do something offers itself, it becomes available to you" + }, + "membership": { + "CHS": "成员资格;会员人数", + "ENG": "when someone is a member of a club, group, or organization" + }, + "systematic": { + "CHS": "成体系的", + "ENG": "done according to a system or plan, in a thorough, efficient or determined way" + }, + "kit": { + "CHS": "成套工具;用具包", + "ENG": "a set of tools, equipment etc that you use for a particular purpose or activity" + }, + "commend": { + "CHS": "称赞,表扬;推荐", + "ENG": "to praise or approve of someone or something publicly" + }, + "brood": { + "CHS": "沉思,郁闭地沉思", + "ENG": "to keep thinking about something that you are worried or upset about" + }, + "muse": { + "CHS": "沉思,默想,冥想", + "ENG": "to think about something for a long time" + }, + "meditate": { + "CHS": "沉思;冥想", + "ENG": "to think seriously and deeply about something" + }, + "hush": { + "CHS": "嘘!", + "ENG": "used to tell people to be quiet, or to comfort a child who is crying or upset" + }, + "immerse": { + "CHS": "沉浸;给…施洗礼", + "ENG": "to become or make sb completely involved in sth" + }, + "repeal": { + "CHS": "撤销", + "ENG": "if a government repeals a law, it officially ends that law" + }, + "lathe": { + "CHS": "用车床加工", + "ENG": "to shape, bore, or cut a screw thread in or on (a workpiece) on a lathe" + }, + "mock": { + "CHS": "嘲弄,挖苦", + "ENG": "to laugh at someone or something and try to make them look stupid by saying unkind things about them or by copying them" + }, + "reign": { + "CHS": "(某君主的)统治时期", + "ENG": "the period when someone is king, queen, or emperor" + }, + "supersonic": { + "CHS": "超声的,超声速的", + "ENG": "faster than the speed of sound" + }, + "ultrasonic": { + "CHS": "超声波" + }, + "nickname": { + "CHS": "绰号,诨号", + "ENG": "a name given to someone, especially by their friends or family, that is not their real name and is often connected with what they look like or something they have done" + }, + "waggon": { + "CHS": "敞蓬车厢", + "ENG": "a large open container pulled by a train, used for carrying goods" + }, + "haunt": { + "CHS": "(鬼魂)经常出没", + "ENG": "if the soul of a dead person haunts a place, it appears there often" + }, + "visit": { + "CHS": "拜访", + "ENG": "to go and spend time in a place or with someone, especially for pleasure or interest" + }, + "frequent": { + "CHS": "常见的;频繁的", + "ENG": "happening or doing something often" + }, + "shovel": { + "CHS": "铲", + "ENG": "to lift and move earth, stones etc with a shovel" + }, + "toad": { + "CHS": "蟾蜍,癞蛤蟆", + "ENG": "a small animal that looks like a large frog and lives mostly on land" + }, + "diesel": { + "CHS": "柴油发动机,内燃机", + "ENG": "a vehicle that uses diesel" + }, + "errand": { + "CHS": "差使,差事", + "ENG": "a short journey in order to do something for someone, for example delivering or collecting something for them" + }, + "ascertain": { + "CHS": "查明,确定,弄清", + "ENG": "to find out something" + }, + "horizon": { + "CHS": "地平线", + "ENG": "the line far away where the land or sea seems to meet the sky" + }, + "tactics": { + "CHS": "战术,兵法", + "ENG": "the art and science of the detailed direction and control of movement or manoeuvre of forces in battle to achieve an aim or task" + }, + "grassy": { + "CHS": "草多的", + "ENG": "covered with grass" + }, + "herb": { + "CHS": "草本植物;香草", + "ENG": "a small plant that is used to improve the taste of food, or to make medicine" + }, + "groove": { + "CHS": "槽", + "ENG": "a thin line cut into a hard surface" + }, + "warehouse": { + "CHS": "仓库,货栈", + "ENG": "a large building for storing large quantities of goods" + }, + "cruelty": { + "CHS": "残酷;残酷行为", + "ENG": "behaviour or actions that deliberately cause pain to people or animals" + }, + "napkin": { + "CHS": "餐巾(纸)", + "ENG": "a square piece of cloth or paper used for protecting your clothes and for cleaning your hands and lips during a meal" + }, + "participate": { + "CHS": "参与", + "ENG": "to take part in an activity or event" + }, + "senator": { + "CHS": "参议员", + "ENG": "a member of the Senate or a senate" + }, + "reference": { + "CHS": "参考文献;参照物", + "ENG": "a book, article etc from which information has been obtained" + }, + "participant": { + "CHS": "参加者", + "ENG": "someone who is taking part in an activity or event" + }, + "spectator": { + "CHS": "参观者,观众", + "ENG": "someone who is watching an event or game" + }, + "parameter": { + "CHS": "参(变)数;参量", + "ENG": "a set of fixed limits that control the way that something should be done" + }, + "rule": { + "CHS": "裁决,裁定", + "ENG": "to make an official decision about something, especially a legal problem" + }, + "friction": { + "CHS": "摩擦", + "ENG": "when one surface rubs against another" + }, + "sermon": { + "CHS": "布道,讲道;说教", + "ENG": "a talk given as part of a Christian church service, usually on a religious or moral subject" + }, + "absent": { + "CHS": "不在的", + "ENG": "not at work, school, a meeting etc, because you are sick or decide not to go" + }, + "disagreement": { + "CHS": "争论;不一致", + "ENG": "a situation in which people express different opinions about something and sometimes argue" + }, + "immortal": { + "CHS": "不朽的;永生的", + "ENG": "living or continuing for ever" + }, + "wretched": { + "CHS": "不幸的", + "ENG": "someone who is wretched is very unhappy or ill, and you feel sorry for them" + }, + "incompatible": { + "CHS": "不相容的", + "ENG": "two things that are incompatible cannot exist or be accepted together" + }, + "instability": { + "CHS": "不稳定性", + "ENG": "when a situation is not certain because there is the possibility of sudden change" + }, + "incomplete": { + "CHS": "不完全的,未完成的", + "ENG": "not having everything that should be there, or not completely finished" + }, + "stuffy": { + "CHS": "不透气的,闷热的", + "ENG": "(of a building, room, etc.) warm in an unpleasant way and without enough fresh air" + }, + "opaque": { + "CHS": "不透明的", + "ENG": "(of glass, liquid, etc.) not clear enough to see through or allow light through" + }, + "improper": { + "CHS": "不适当的;不合理的", + "ENG": "not sensible, right, or fair in a particular situation" + }, + "dissatisfaction": { + "CHS": "不满,不平", + "ENG": "a feeling of not being satisfied" + }, + "watertight": { + "CHS": "不漏水的,防水的", + "ENG": "that does not allow water to get in or out" + }, + "inevitably": { + "CHS": "不可避免地", + "ENG": "used for saying that something is certain to happen and cannot be avoided" + }, + "irrespective": { + "CHS": "不考虑的,不顾的", + "ENG": "used when saying that a particular fact has no effect on a situation and is not important" + }, + "inaccurate": { + "CHS": "不精密的,不准确的", + "ENG": "not completely correct" + }, + "unreasonable": { + "CHS": "不讲道理的;过高的", + "ENG": "not fair or sensible" + }, + "undesirable": { + "CHS": "不合需要的;讨厌的", + "ENG": "not welcome or wanted because they may affect a situation or person in a bad way" + }, + "unfit": { + "CHS": "不合适的;无能力的", + "ENG": "not good enough to do something or to be used for a particular purpose" + }, + "absurd": { + "CHS": "不合理的,荒唐的", + "ENG": "completely stupid or unreasonable" + }, + "irregularity": { + "CHS": "不规则;不整齐", + "ENG": "something that does not happen at regular intervals" + }, + "disregard": { + "CHS": "忽视", + "ENG": "when someone ignores something that they should not ignore" + }, + "impurity": { + "CHS": "杂质;不纯", + "ENG": "a substance of a low quality that is contained in or mixed with something else, making it less pure" + }, + "invariably": { + "CHS": "不变地,永恒地", + "ENG": "always" + }, + "uneasy": { + "CHS": "不安的;拘束的", + "ENG": "not comfortable, peaceful, or relaxed" + }, + "mammal": { + "CHS": "哺乳动物", + "ENG": "a type of animal that drinks milk from its mother’s body when it is young. Humans, dogs, and whales are mammals." + }, + "supplement": { + "CHS": "补角" + }, + "compensation": { + "CHS": "补偿,赔偿,赔偿费", + "ENG": "money paid to someone because they have suffered injury or loss, or because something they own has been damaged" + }, + "humanitarian": { + "CHS": "慈善家", + "ENG": "a person involved in or connected with improving people's lives and reducing suffering" + }, + "barge": { + "CHS": "驳船;大型游船", + "ENG": "a large low boat with a flat bottom, used for carrying goods on a canal or river" + }, + "fluctuation": { + "CHS": "波动", + "ENG": "a change in a price, amount, level etc" + }, + "invalid": { + "CHS": "病人", + "ENG": "someone who cannot look after themselves because of illness, old age, or injury" + }, + "ward": { + "CHS": "病房,病室;监房", + "ENG": "a large room in a hospital where people who need medical treatment stay" + }, + "strength": { + "CHS": "兵力;强度", + "ENG": "the number of people in a team, army etc" + }, + "icy": { + "CHS": "冰冷的;冷冰冰的", + "ENG": "extremely cold" + }, + "villa": { + "CHS": "别墅", + "ENG": "a house that you use or rent while you are on holiday" + }, + "characterize": { + "CHS": "表现…的特性", + "ENG": "to describe the qualities of someone or something in a particular way" + }, + "seemingly": { + "CHS": "表面上,外表上", + "ENG": "appearing to have a particular quality, when this may or may not be true" + }, + "criterion": { + "CHS": "标准,准则,尺度", + "ENG": "a standard that you use to judge something or make a decision about something" + }, + "norm": { + "CHS": "标准,规范;平均数", + "ENG": "the usual or normal situation, way of doing something etc" + }, + "heading": { + "CHS": "标题,题词,题名", + "ENG": "the title written at the beginning of a piece of writing, or at the beginning of part of a book" + }, + "reason": { + "CHS": "论证,推断", + "ENG": "to form a particular judgment about a situation after carefully considering the facts" + }, + "advocate": { + "CHS": "辩护律师", + "ENG": "a person who defends sb in court" + }, + "loosen": { + "CHS": "变松", + "ENG": "to make something less tight or less firmly fastened, or to become less tight or less firmly fastened" + }, + "alteration": { + "CHS": "变更,改变", + "ENG": "a small change that makes someone or something slightly different, or the process of this change" + }, + "fall": { + "CHS": "变成,成为,陷入", + "ENG": "to pass into a particular state; to begin to be sth" + }, + "verge": { + "CHS": "边缘,边界", + "ENG": "an edge or rim; margin" + }, + "rim": { + "CHS": "边;边缘,(眼镜)框", + "ENG": "the outside edge of something circular" + }, + "hearth": { + "CHS": "壁炉地面;炉边", + "ENG": "the area of floor around a fireplace in a house" + }, + "fireplace": { + "CHS": "壁炉", + "ENG": "a special place in the wall of a room, where you can make a fire" + }, + "patron": { + "CHS": "庇护人;赞助人", + "ENG": "someone who supports the activities of an organization, for example by giving money" + }, + "diploma": { + "CHS": "毕业文凭,学位证书", + "ENG": "a document showing that a student has successfully completed their high school or university education" + }, + "sullen": { + "CHS": "绷着脸不高兴的", + "ENG": "angry and silent, especially because you feel life has been unfair to you" + }, + "bandage": { + "CHS": "绷带,包带", + "ENG": "a narrow piece of cloth that you tie around a wound or around a part of the body that has been injured" + }, + "breakdown": { + "CHS": "崩溃,倒塌,失败", + "ENG": "a failure of a relationship, discussion or system" + }, + "essence": { + "CHS": "本质,本体", + "ENG": "the most basic and important quality of something" + }, + "captive": { + "CHS": "被俘虏的", + "ENG": "kept in prison or in a place that you are not allowed to leave" + }, + "deviation": { + "CHS": "背离,偏离;偏差", + "ENG": "a noticeable difference from what is expected or acceptable" + }, + "arctic": { + "CHS": "北极", + "ENG": "the regions of the world around the North Pole" + }, + "tragic": { + "CHS": "悲惨的;悲剧的", + "ENG": "making you feel very sad, usually because sb has died or suffered a lot" + }, + "woe": { + "CHS": "悲哀,悲痛,苦恼", + "ENG": "great sadness" + }, + "grief": { + "CHS": "悲哀,悲痛,悲伤", + "ENG": "extreme sadness, especially because someone you love has died" + }, + "firework": { + "CHS": "爆竹,花炮,烟火", + "ENG": "a small container filled with powder that burns or explodes to produce coloured lights and noise in the sky" + }, + "storm": { + "CHS": "猛攻", + "ENG": "to suddenly attack and enter a place using a lot of force" + }, + "tyranny": { + "CHS": "暴政,专制;残暴", + "ENG": "cruel and unfair government" + }, + "wrath": { + "CHS": "暴怒,狂怒,愤慨", + "ENG": "extreme anger" + }, + "tyrant": { + "CHS": "暴君;专制君主", + "ENG": "a ruler who has complete power and uses it in a cruel and unfair way" + }, + "panther": { + "CHS": "豹,黑豹;美洲狮", + "ENG": "a large wild animal that is black and a member of the cat family" + }, + "leopard": { + "CHS": "豹", + "ENG": "a large animal of the cat family, with yellow fur and black spots, which lives in Africa and South Asia" + }, + "grumble": { + "CHS": "抱怨,发牢骚", + "ENG": "to keep complaining in an unhappy way" + }, + "announce": { + "CHS": "报告…的来到", + "ENG": "to officially tell people that someone has arrived at a particular place" + }, + "vengeance": { + "CHS": "报复,报仇,复仇", + "ENG": "a violent or harmful action that someone does to punish someone for harming them or their family" + }, + "fortress": { + "CHS": "堡垒,要塞", + "ENG": "a large strong building used for defending an important place" + }, + "assurance": { + "CHS": "保证", + "ENG": "a promise that something will definitely happen or is definitely true, made especially to make someone less worried" + }, + "fuse": { + "CHS": "保险丝;导火线", + "ENG": "a short thin piece of wire inside electrical equipment which prevents damage by melting and stopping the electricity when there is too much power" + }, + "safeguard": { + "CHS": "保护措施", + "ENG": "a rule, agreement etc that is intended to protect someone or something from possible dangers or problems" + }, + "preservation": { + "CHS": "保存,储藏;保持", + "ENG": "when something is kept in its original state or in good condition" + }, + "saturation": { + "CHS": "饱和(状态);浸透", + "ENG": "the state or process that happens when no more of sth can be accepted or added because there is already too much of it or too many of them" + }, + "mist": { + "CHS": "下薄雾" + }, + "chip": { + "CHS": "薄片,碎片", + "ENG": "a small piece of wood, stone, metal etc that has been broken off something" + }, + "inclusive": { + "CHS": "包括的", + "ENG": "an inclusive price or cost includes everything" + }, + "siege": { + "CHS": "包围,围攻,围困", + "ENG": "a situation in which an army or the police surround a place and try to gain control of it or force someone to come out of it" + }, + "baseball": { + "CHS": "棒球运动;棒球", + "ENG": "an outdoor game between two teams of nine players, in which players try to get points by hitting a ball and running around four bases" + }, + "hemisphere": { + "CHS": "半球", + "ENG": "a half of the Earth, especially one of the halves above and below the equator" + }, + "radius": { + "CHS": "半径距离,半径范围", + "ENG": "an area that covers a particular distance in all directions from a central point" + }, + "scar": { + "CHS": "瘢痕", + "ENG": "a permanent mark that is left on your skin after you have had a cut or wound" + }, + "liner": { + "CHS": "班船,定期班机", + "ENG": "A large commercial ship or airplane, especially one carrying passengers on a regular route." + }, + "tar": { + "CHS": "柏油;焦油", + "ENG": "a black substance, thick and sticky when hot but hard when cold, used especially for making road surfaces" + }, + "blind": { + "CHS": "百叶窗;窗帘;遮帘", + "ENG": "a covering, especially one made of cloth, that can be rolled up and down to cover a window inside a building" + }, + "shutter": { + "CHS": "百叶窗;(相机)快门", + "ENG": "one of a pair of wooden or metal covers on the outside of a window that can be closed to keep light out or prevent thieves from coming in" + }, + "lily": { + "CHS": "百合,百合花", + "ENG": "one of several types of plant with large bell-shaped flowers of various colours, especially white" + }, + "millionaire": { + "CHS": "百分富翁,巨富", + "ENG": "someone who is very rich and has at least a million pounds or dollars" + }, + "white": { + "CHS": "白种(人)的", + "ENG": "belonging to the race of people with pale skin" + }, + "blond": { + "CHS": "白肤金发碧眼的人" + }, + "idiot": { + "CHS": "白痴;傻子", + "ENG": "someone who is mentally ill or has a very low level of intelligence" + }, + "bank": { + "CHS": "把钱存入银行", + "ENG": "to put or keep money in a bank" + }, + "tabulate": { + "CHS": "把…制成表", + "ENG": "to arrange figures or information together in a set or a list, so that they can be easily compared" + }, + "bestow": { + "CHS": "把…赠与", + "ENG": "to give someone something of great value or importance" + }, + "subdivide": { + "CHS": "把…再分", + "ENG": "to divide into smaller parts something that is already divided" + }, + "dock": { + "CHS": "把…引入船坞", + "ENG": "if a ship docks, or if the captain docks it, it sails into a dock so that it can unload" + }, + "straighten": { + "CHS": "把…弄直;挺起来", + "ENG": "to become straight, or to make something straight" + }, + "flatten": { + "CHS": "把…弄平;击倒", + "ENG": "to make something flat or flatter, or to become flat or flatter" + }, + "ascribe": { + "CHS": "把…归于", + "ENG": "to claim that something is caused by a particular person, situation etc" + }, + "except": { + "CHS": "把…除外,除去", + "ENG": "to not include something" + }, + "haughty": { + "CHS": "傲慢的,轻蔑的", + "ENG": "behaving in a proud unfriendly way" + }, + "foul": { + "CHS": "肮脏的;丑恶的", + "ENG": "very dirty" + }, + "patriot": { + "CHS": "爱国者,爱国主义者", + "ENG": "someone who loves their country and is willing to defend it – used to show approval" + }, + "patriotic": { + "CHS": "爱国的", + "ENG": "having or expressing a great love of your country" + }, + "dwarf": { + "CHS": "矮子,侏儒", + "ENG": "an extremely small person, who will never grow to a normal size because of a physical problem; a person suffering from dwarfism" + }, + "stout": { + "CHS": "肥胖的;厚实牢固的", + "ENG": "fairly fat and heavy, or having a thick body" + }, + "alas": { + "CHS": "唉,哎呀", + "ENG": "used to express sadness, shame, or fear" + }, + "Egyptian": { + "CHS": "埃及人", + "ENG": "someone from Egypt" + }, + "pathetic": { + "CHS": "哀婉动人的;可怜的", + "ENG": "making you feel pity or sympathy" + }, + "should": { + "CHS": "应该;竟然会", + "ENG": "used to say what is the right or sensible thing to do" + }, + "ought": { + "CHS": "早应该,本应", + "ENG": "You use ought to have with a past participle to indicate that although it was best or correct for someone to do something in the past, they did not actually do it." + }, + "scripture": { + "CHS": "《圣经》;圣书", + "ENG": "the Bible" + }, + "referee": { + "CHS": "(足球等)裁判员", + "ENG": "someone who makes sure that the rules of a sport such as football, basketball , or boxing , are followed" + }, + "pendulum": { + "CHS": "(钟等的)摆", + "ENG": "a long metal stick with a weight at the bottom that swings regularly from side to side to control the working of a clock" + }, + "outbreak": { + "CHS": "(战争、愤怒等)爆发", + "ENG": "the sudden start of sth unpleasant, especially violence or a disease" + }, + "market": { + "CHS": "推销", + "ENG": "to try to persuade people to buy a product by advertising it in a particular way, using attractive packages etc" + }, + "gross": { + "CHS": "(语言、举止)粗俗的", + "ENG": "If you say that someone's speech or behaviour is gross, you think it is very coarse, vulgar, or unacceptable" + }, + "heave": { + "CHS": "(用力地)举起;抛", + "ENG": "to pull or lift something very heavy with one great effort" + }, + "pop": { + "CHS": "(意外地)出现", + "ENG": "to suddenly appear, especially when not expected" + }, + "lining": { + "CHS": "(衣服里的)衬里", + "ENG": "a piece of material that covers the inside of something, especially a piece of clothing" + }, + "mild": { + "CHS": "味淡的", + "ENG": "not very strong or hot-tasting" + }, + "panel": { + "CHS": "(选定的)专门小组", + "ENG": "a group of people with skills or specialist knowledge who have been chosen to give advice or opinions on a particular subject" + }, + "climax": { + "CHS": "顶点", + "ENG": "the most exciting or important part of a story or experience, which usually comes near the end" + }, + "epoch": { + "CHS": "(新)时代;历元", + "ENG": "a period of history" + }, + "shrimp": { + "CHS": "(小)虾,河虾,褐虾", + "ENG": "a small sea creature that you can eat, which has ten legs and a soft shell" + }, + "peak": { + "CHS": "(物体的)尖端", + "ENG": "a part that forms a point above a surface or at the top of something" + }, + "cane": { + "CHS": "(藤等)茎;手杖", + "ENG": "thin pieces of the stems of plants, used for making furniture and baskets" + }, + "drain": { + "CHS": "(水等)流掉", + "ENG": "if liquid drains away, it flows away" + }, + "immigrate": { + "CHS": "(使)移居入境", + "ENG": "to come into a country in order to live there permanently" + }, + "disperse": { + "CHS": "(使)分散;驱散", + "ENG": "if a group of people disperse or are dispersed, they go away in different directions" + }, + "lump": { + "CHS": "(使)成团,结块", + "ENG": "to collect into a mass or group" + }, + "elapse": { + "CHS": "(时间)过去,消逝", + "ENG": "if a particular period of time elapses, it passes" + }, + "hoarse": { + "CHS": "(声音)嘶哑的", + "ENG": "if you are hoarse, or if your voice is hoarse, you speak in a low rough voice, for example because your throat is sore" + }, + "clearing": { + "CHS": "(森林中的)空旷地", + "ENG": "a small area in a forest where there are no trees" + }, + "eclipse": { + "CHS": "(日,月)食", + "ENG": "an occasion when the sun or the moon cannot be seen, because the Earth is passing directly between the moon and the sun, or because the moon is passing directly between the Earth and the sun" + }, + "constitution": { + "CHS": "(人的)体格,素质", + "ENG": "your health and your body’s ability to fight illness" + }, + "spill": { + "CHS": "(人)摔下,跌下", + "ENG": "a fall from a horse, bicycle etc" + }, + "unanimous": { + "CHS": "(全体)一致的", + "ENG": "a unanimous decision, vote, agreement etc is one in which all the people involved agree" + }, + "quiver": { + "CHS": "(轻微地)颤动", + "ENG": "to shake slightly because you are cold, or because you feel very afraid, angry, excited etc" + }, + "perch": { + "CHS": "(禽鸟的)栖木", + "ENG": "a branch or stick where a bird sits" + }, + "span": { + "CHS": "(桥墩间的)墩距", + "ENG": "the part of a bridge, arch etc that goes across from one support to another" + }, + "pier": { + "CHS": "码头;(桥)墩", + "ENG": "a structure that is built over and into the water so that boats can stop next to it or people can walk along it" + }, + "frock": { + "CHS": "(女)连衣裙", + "ENG": "a woman’s or girl’s dress" + }, + "flutter": { + "CHS": "(鸟)振翼;飘动", + "ENG": "if a bird or insect flutters, or if it flutters its wings, it flies by moving its wings lightly up and down" + }, + "clown": { + "CHS": "(马戏的)小丑,丑角", + "ENG": "someone who wears funny clothes, a red nose, bright make-up on their face etc, and does silly things to make people laugh, especially at a circus" + }, + "pace": { + "CHS": "踱步", + "ENG": "to walk first in one direction and then in another many times, especially because you are nervous" + }, + "pope": { + "CHS": "(罗马天主教的)教皇", + "ENG": "the leader of the Roman Catholic Church" + }, + "axle": { + "CHS": "(轮)轴,车轴,心棒", + "ENG": "the bar connecting two wheels on a car or other vehicle" + }, + "measurement": { + "CHS": "(量得的)尺寸,大小", + "ENG": "the length, height etc of something" + }, + "realization": { + "CHS": "(理想等的)实现", + "ENG": "when you achieve something that you had planned or hoped for" + }, + "chord": { + "CHS": "和弦", + "ENG": "a combination of several musical notes that are played at the same time and sound pleasant together" + }, + "pyjamas": { + "CHS": "(宽大的)睡衣裤", + "ENG": "a soft pair of trousers and a top that you wear in bed" + }, + "hard": { + "CHS": "(酒)烈性的", + "ENG": "very strong" + }, + "refreshment": { + "CHS": "(精力的)恢复,爽快", + "ENG": "the experience of being made to feel less tired or hot" + }, + "ticket": { + "CHS": "(交通违章)罚款传票", + "ENG": "a printed note ordering you to pay money because you have done something illegal while driving or parking your car" + }, + "situation": { + "CHS": "(建筑物等的)位置", + "ENG": "the type of area where a building is situated - used especially by people who sell or advertise buildings" + }, + "software": { + "CHS": "(计算机的)软件", + "ENG": "the sets of programs that tell a computer how to do a particular job" + }, + "bishop": { + "CHS": "(基督教的)主教", + "ENG": "a priest with a high rank in some Christian religions, who is the head of all the churches and priests in a large area" + }, + "insert": { + "CHS": "插入,放进", + "ENG": "to put something inside or into something else" + }, + "kernel": { + "CHS": "(果实的)核;谷粒", + "ENG": "the part of a nut or seed inside the shell, or the part inside the stone of some fruits" + }, + "wisdom": { + "CHS": "智慧", + "ENG": "good sense and judgment, based especially on your experience of life" + }, + "growl": { + "CHS": "(狗等)嗥叫;咆哮", + "ENG": "(of animals, especially dogs) to make a low sound in the throat, usually as a sign of anger" + }, + "shaft": { + "CHS": "(工具的)柄,杆状物", + "ENG": "a long handle on a tool, spear etc" + }, + "buzz": { + "CHS": "(蜂等)嗡嗡叫", + "ENG": "to make a continuous sound, like the sound of a bee" + }, + "ear": { + "CHS": "(稻麦等的)穗", + "ENG": "the top part of a plant such as wheat that produces grain" + }, + "dean": { + "CHS": "(大学)院长,系主任", + "ENG": "someone in a university who is responsible for a particular area of work" + }, + "fertile": { + "CHS": "(创造力)丰富的", + "ENG": "(of a person's mind or imagination) that produces a lot of new ideas" + }, + "sink": { + "CHS": "(厨房内的)洗涤槽", + "ENG": "a large open container that you fill with water and use for washing yourself, washing dishes etc" + }, + "versus": { + "CHS": "(比赛等中)对", + "ENG": "used to show that two people or teams are competing against each other in a game or court case" + }, + "ranch": { + "CHS": "(北美洲的)大牧场", + "ENG": "a very large farm in the western US and Canada where sheep, cattle, or horses are bred" + }, + "grope": { + "CHS": "(暗中)摸索,探索", + "ENG": "to try to find something that you cannot see by feeling with your hands" + }, + "pedlar": { + "CHS": "(挨户兜售的)小贩", + "ENG": "someone who, in the past, walked from place to place selling small things" + }, + "squat": { + "CHS": "(使)蹲下", + "ENG": "to sit with your knees bent under you and your bottom just off the ground, balancing on your feet" + }, + "fling": { + "CHS": "(用力)扔,抛", + "ENG": "to throw something somewhere using a lot of force" + }, + "scrub": { + "CHS": "擦洗", + "ENG": "if you give something a scrub, you clean it by rubbing it hard" + }, + "tread": { + "CHS": "踩,踏,践踏", + "ENG": "to put your foot on or in something while you are walking" + }, + "crack": { + "CHS": "发出爆裂声", + "ENG": "to make a quick loud sound like the sound of something breaking, or to make something do this" + }, + "slander": { + "CHS": "诽谤,诋毁", + "ENG": "to say false things about someone in order to damage other people’s good opinion of them" + }, + "escort": { + "CHS": "护卫者,护送车辆", + "ENG": "a person or a group of people or vehicles that go with someone in order to protect or guard them" + }, + "swell": { + "CHS": "使膨胀;隆起", + "ENG": "to become larger and rounder than normal – used especially about parts of the body" + }, + "menace": { + "CHS": "(进行)威胁", + "ENG": "to threaten" + }, + "tramp": { + "CHS": "跋涉", + "ENG": "a long or difficult walk" + }, + "trample": { + "CHS": "践踏,蹂躏", + "ENG": "the act of trampling" + }, + "tighten": { + "CHS": "(使)变紧", + "ENG": "to close or fasten something firmly by turning it" + }, + "jingle": { + "CHS": "(使)丁当响", + "ENG": "to shake small metal things together so that they make a sound, or to make this sound" + }, + "fret": { + "CHS": "(使)烦恼", + "ENG": "to worry about something, especially when there is no need" + }, + "thrill": { + "CHS": "(使)激动", + "ENG": "to make someone feel excited and happy" + }, + "deflect": { + "CHS": "(使)偏斜", + "ENG": "to change direction or make sth change direction, especially after hitting sth" + }, + "tilt": { + "CHS": "(使)倾斜", + "ENG": "to move, or make sth move, into a position with one side or end higher than the other" + }, + "revolve": { + "CHS": "(使)旋转", + "ENG": "to move around like a wheel, or to make something move around like a wheel" + }, + "rotate": { + "CHS": "(使)旋转", + "ENG": "to turn with a circular movement around a central point, or to make something do this" + }, + "default": { + "CHS": "不履行义务", + "ENG": "to not do something that you are supposed to do, especially that you are legally supposed to do" + }, + "infer": { + "CHS": "推断", + "ENG": "to form an opinion that something is probably true because of information that you have" + }, + "repay": { + "CHS": "偿还;报答", + "ENG": "to pay back money that you have borrowed" + }, + "scoff": { + "CHS": "嘲笑,嘲弄", + "ENG": "to laugh at a person or idea, and talk about them in a way that shows you think they are stupid" + }, + "hoe": { + "CHS": "锄地", + "ENG": "to break up soil, remove plants, etc. with a hoe" + }, + "retort": { + "CHS": "反击;反驳", + "ENG": "to reply quickly, in an angry or humorous way" + }, + "broaden": { + "CHS": "放宽,变阔", + "ENG": "to make something wider, or to become wider" + }, + "decompose": { + "CHS": "腐败;分解", + "ENG": "to decay or make something decay" + }, + "chorus": { + "CHS": "合唱,齐声说", + "ENG": "to sing or say sth all together" + }, + "supervise": { + "CHS": "监督,监视", + "ENG": "to be in charge of an activity or person, and make sure that things are done in the correct way" + }, + "beware": { + "CHS": "谨防,当心", + "ENG": "used to warn someone to be careful because something is dangerous" + }, + "grab": { + "CHS": "攫取,抓取", + "ENG": "to take hold of someone or something with a sudden or violent movement" + }, + "entreat": { + "CHS": "恳求", + "ENG": "to ask someone, in a very emotional way, to do something for you" + }, + "concentrate": { + "CHS": "浓缩,提浓", + "ENG": "to make a substance or liquid stronger by removing some of the water from it" + }, + "riot": { + "CHS": "发动骚乱", + "ENG": "(of a crowd of people) to behave in a violent way in a public place, often as a protest" + }, + "terminate": { + "CHS": "停止,终止", + "ENG": "ito end; to make sth end" + }, + "solidify": { + "CHS": "凝固", + "ENG": "to become solid or make something solid" + }, + "dazzle": { + "CHS": "使目眩;使倾倒", + "ENG": "if a very bright light dazzles you, it stops you from seeing properly for a short time" + }, + "transplant": { + "CHS": "移植(器官、皮肤等);移植,移种(植物)", + "ENG": "to move an organ, piece of skin etc from one person’s body and put it into another as a form of medical treatment" + }, + "xerox": { + "CHS": "用静电复印", + "ENG": "to make a copy of a letter, document, etc. by using Xerox or a similar process" + }, + "peck": { + "CHS": "啄,啄起", + "ENG": "(of birds) to move the beak forward quickly and hit or bite sth" + }, + "trot": { + "CHS": "(马)小跑;慢跑", + "ENG": "the movement of a horse at trotting speed" + }, + "ridicule": { + "CHS": "嘲弄,挖苦", + "ENG": "unkind laughter or remarks that are intended to make someone or something seem stupid" + }, + "chatter": { + "CHS": "喋喋不休", + "ENG": "continuous rapid talk about things that are not important" + }, + "sneer": { + "CHS": "冷笑;嘲笑", + "ENG": "an unkind smile or remark that shows you have no respect for something or someone" + }, + "boycott": { + "CHS": "抵制行动,受抵制时期", + "ENG": "an act of boycotting something, or the period of time when it is boycotted" + }, + "plunder": { + "CHS": "掠夺,抢劫", + "ENG": "the act of plundering" + }, + "endeavor": { + "CHS": "努力,尝试", + "ENG": "an attempt to do something new or difficult" + }, + "scramble": { + "CHS": "爬行,攀登", + "ENG": "a difficult climb in which you have to use your hands to help you" + }, + "flap": { + "CHS": "拍打,拍动", + "ENG": "the noisy movement of something such as cloth in the air" + }, + "slaughter": { + "CHS": "屠杀;屠宰", + "ENG": "when large numbers of people are killed in a cruel or violent way" + }, + "tow": { + "CHS": "拖引,牵引", + "ENG": "an act of pulling a vehicle behind another vehicle, using a rope or chain" + }, + "credit": { + "CHS": "相信,信任", + "ENG": "the belief that something is true or correct" + }, + "clockwise": { + "CHS": "顺时针方向转的" + }, + "headlong": { + "CHS": "头向前的" + }, + "counter": { + "CHS": "相反的", + "ENG": "to be the opposite of something" + }, + "eastward": { + "CHS": "向东", + "ENG": "towards the east" + }, + "Moslem": { + "CHS": "穆斯林的", + "ENG": "relating to Islam or Muslims" + }, + "melancholy": { + "CHS": "忧郁,悲伤", + "ENG": "very sad" + }, + "bulletin": { + "CHS": "告示,公告,公报", + "ENG": "an official statement that tells people about something important" + }, + "allowance": { + "CHS": "津贴,补助费", + "ENG": "an amount of money that you are given regularly or for a special purpose" + } +} \ No newline at end of file diff --git a/modules/self_contained/wordle/words/GMAT.json b/modules/self_contained/wordle/words/GMAT.json new file mode 100644 index 00000000..ea58fdf9 --- /dev/null +++ b/modules/self_contained/wordle/words/GMAT.json @@ -0,0 +1,12223 @@ +{ + "specific": { + "CHS": "特性;细节;特效药", + "ENG": "particular details" + }, + "axis": { + "CHS": "轴;轴线;轴心国", + "ENG": "the imaginary line around which a large round object, such as the Earth, turns" + }, + "eukaryote": { + "CHS": "真核细胞(等于eucaryote)", + "ENG": "any member of the Eukarya, a domain of organisms having cells each with a distinct nucleus within which the genetic material is contained" + }, + "priority": { + "CHS": "优先;优先权;[数] 优先次序;优先考虑的事", + "ENG": "the thing that you think is most important and that needs attention before anything else" + }, + "threshold": { + "CHS": "入口;门槛;开始;极限;临界值", + "ENG": "the entrance to a room or building, or the area of floor or ground at the entrance" + }, + "vague": { + "CHS": "(Vague)人名;(法)瓦格;(英)韦格" + }, + "sane": { + "CHS": "(Sane)人名;(日)实(姓);(日)实(名);(芬、塞、冈、几比、塞内)萨内" + }, + "elicit": { + "CHS": "抽出,引出;引起", + "ENG": "to succeed in getting information or a reaction from someone, especially when this is difficult" + }, + "invertebrate": { + "CHS": "无脊椎动物;无骨气的人", + "ENG": "a living creature that does not have a backbone " + }, + "controversy": { + "CHS": "争论;论战;辩论", + "ENG": "a serious argument about something that involves many people and continues for a long time" + }, + "quadrant": { + "CHS": "象限;[海洋][天] 象限仪;四分之一圆", + "ENG": "a quarter of a circle" + }, + "external": { + "CHS": "外部;外观;外面" + }, + "dose": { + "CHS": "服药", + "ENG": "to give someone medicine or a drug" + }, + "maldistribution": { + "CHS": "分布不均;分配不当,分配不公", + "ENG": "faulty, unequal, or unfair distribution (as of wealth, business, etc) " + }, + "monsoon": { + "CHS": "季风;(印度等地的)雨季;季候风", + "ENG": "the season, from about April to October, when it rains a lot in India and other southern Asian countries" + }, + "leach": { + "CHS": "过滤;萃取", + "ENG": "if a substance leaches or is leached from a larger mass such as the soil, it is removed from it by water passing through the larger mass" + }, + "tenths": { + "CHS": "十分位(tenth的复数形式)" + }, + "unpatriotic": { + "CHS": "不爱国的;无爱国心的", + "ENG": "not supporting your country" + }, + "authentic": { + "CHS": "真正的,真实的;可信的", + "ENG": "based on facts" + }, + "cytoplasm": { + "CHS": "[细胞] 细胞质", + "ENG": "all the material in the cell of a living thing except the nucleus (= central part ) " + }, + "resistance": { + "CHS": "阻力;电阻;抵抗;反抗;抵抗力", + "ENG": "a refusal to accept new ideas or changes" + }, + "railroad": { + "CHS": "铁路;铁路公司", + "ENG": "a railway or the railway" + }, + "downplay": { + "CHS": "不予重视;将轻描淡写", + "ENG": "to make something seem less important than it really is" + }, + "ensemble": { + "CHS": "同时" + }, + "accustomed": { + "CHS": "使习惯于(accustom的过去分词)" + }, + "excavate": { + "CHS": "挖掘;开凿", + "ENG": "if a scientist or archaeologist excavates an area of land, they dig carefully to find ancient objects, bones etc" + }, + "countermeasure": { + "CHS": "对策;反措施;反抗手段", + "ENG": "an action taken to prevent another action from having a harmful effect" + }, + "hydrogen": { + "CHS": "[化学] 氢", + "ENG": "Hydrogen is a colourless gas that is the lightest and commonest element in the universe" + }, + "degradation": { + "CHS": "退化;降格,降级;堕落", + "ENG": "the process by which something changes to a worse condition" + }, + "proprietary": { + "CHS": "所有的;专利的;私人拥有的", + "ENG": "a proprietary product is one that is sold under a trade name " + }, + "filter": { + "CHS": "滤波器;[化工] 过滤器;筛选;滤光器", + "ENG": "something that you pass water, air etc through in order to remove unwanted substances and make it clean or suitable to use" + }, + "economy": { + "CHS": "经济;节约;理财", + "ENG": "the system by which a country’s money and goods are produced and used, or a country considered in this way" + }, + "character": { + "CHS": "印,刻;使具有特征" + }, + "curriculum": { + "CHS": "课程", + "ENG": "the subjects that are taught by a school, college etc, or the things that are studied in a particular subject" + }, + "mosque": { + "CHS": "清真寺", + "ENG": "a building in which Muslims worship" + }, + "attorney": { + "CHS": "律师;代理人;检查官", + "ENG": "a lawyer" + }, + "biography": { + "CHS": "传记;档案;个人简介", + "ENG": "a book that tells what has happened in someone’s life, written by someone else" + }, + "suffrage": { + "CHS": "选举权;投票;参政权;代祷;赞成票", + "ENG": "the right to vote in national elections" + }, + "rumor": { + "CHS": "谣传;传说" + }, + "rotate": { + "CHS": "[植] 辐状的" + }, + "sacred": { + "CHS": "神的;神圣的;宗教的;庄严的", + "ENG": "relating to a god or religion" + }, + "apprenticeship": { + "CHS": "学徒期;学徒身分", + "ENG": "the job of being an apprentice, or the period of time in which you are an apprentice" + }, + "virtuous": { + "CHS": "善良的;有道德的;贞洁的;正直的;有效力的", + "ENG": "behaving in a very honest and moral way" + }, + "negative": { + "CHS": "否定;拒绝", + "ENG": "to refuse to accept a proposal or request" + }, + "outrage": { + "CHS": "凌辱,强奸;对…施暴行;激起愤怒", + "ENG": "to make someone feel very angry and shocked" + }, + "cashew": { + "CHS": "漆树科的" + }, + "subsidy": { + "CHS": "补贴;津贴;补助金", + "ENG": "money that is paid by a government or organization to make prices lower, reduce the cost of producing goods etc" + }, + "horticultural": { + "CHS": "园艺的", + "ENG": "Horticultural means concerned with horticulture" + }, + "rugby": { + "CHS": "英式橄榄球;拉格比(英格兰中部的城市)", + "ENG": "an outdoor game played by two teams with an oval (= egg-shaped ) ball that you kick or carry" + }, + "roost": { + "CHS": "栖息;安歇", + "ENG": "if a bird roosts, it rests or sleeps somewhere" + }, + "fabric": { + "CHS": "织物;布;组织;构造;建筑物", + "ENG": "cloth used for making clothes, curtains etc" + }, + "confer": { + "CHS": "(Confer)人名;(英)康弗" + }, + "juror": { + "CHS": "审查委员,陪审员", + "ENG": "a member of a jury" + }, + "extracurricular": { + "CHS": "课外的;业余的;婚外的", + "ENG": "extracurricular activities are not part of the course that a student is doing at a school or college" + }, + "mortality": { + "CHS": "死亡数,死亡率;必死性,必死的命运", + "ENG": "the number of deaths during a particular period of time among a particular type or group of people" + }, + "oriented": { + "CHS": "调整;使朝向(orient的过去分词);确定…的方位" + }, + "staple": { + "CHS": "把…分级;钉住" + }, + "prestigious": { + "CHS": "有名望的;享有声望的", + "ENG": "admired as one of the best and most important" + }, + "analytical": { + "CHS": "分析的;解析的;善于分析的", + "ENG": "using scientific analysis to examine something" + }, + "multicellular": { + "CHS": "[生物] 多细胞的;多空隙的", + "ENG": "consisting of many cells" + }, + "Pythagorean": { + "CHS": "毕达哥拉斯哲学", + "ENG": "a follower of Pythagoras " + }, + "institute": { + "CHS": "学会,协会;学院", + "ENG": "an organization that has a particular purpose such as scientific or educational work, or the building where this organization is based" + }, + "index": { + "CHS": "做索引", + "ENG": "if documents, information etc are indexed, an index is made for them" + }, + "amplify": { + "CHS": "放大,扩大;增强;详述", + "ENG": "to make sound louder, especially musical sound" + }, + "deform": { + "CHS": "畸形的;丑陋的" + }, + "proximity": { + "CHS": "接近,[数]邻近;接近;接近度,距离;亲近", + "ENG": "nearness in distance or time" + }, + "reconcile": { + "CHS": "使一致;使和解;调停,调解;使顺从", + "ENG": "if you reconcile two ideas, situations, or facts, you find a way in which they can both be true or acceptable" + }, + "soar": { + "CHS": "高飞;高涨" + }, + "infringement": { + "CHS": "侵犯;违反", + "ENG": "An infringement is an action or situation that interferes with your rights and the freedom you are entitled to" + }, + "wreath": { + "CHS": "环绕(等于wreathe)" + }, + "foresight": { + "CHS": "先见,远见;预见;深谋远虑", + "ENG": "the ability to imagine what is likely to happen and to consider this when planning for the future" + }, + "aggregate": { + "CHS": "聚合的;集合的;合计的", + "ENG": "being the total amount of something after all the figures or points have been added together" + }, + "outline": { + "CHS": "概述;略述;描画…轮廓", + "ENG": "to describe something in a general way, giving the main points but not the details" + }, + "vein": { + "CHS": "使成脉络;象脉络般分布于" + }, + "renaissance": { + "CHS": "文艺复兴(欧洲14至17世纪)", + "ENG": "a new interest in something, especially a particular form of art, music etc, that has not been popular for a long period" + }, + "ransom": { + "CHS": "赎金;赎身,赎回", + "ENG": "an amount of money that is paid to free someone who is held as a prisoner" + }, + "fierce": { + "CHS": "(Fierce)人名;(英)菲尔斯" + }, + "sibling": { + "CHS": "兄弟姊妹;民族成员", + "ENG": "a brother or sister" + }, + "nuisance": { + "CHS": "讨厌的人;损害;麻烦事;讨厌的东西", + "ENG": "a person, thing, or situation that annoys you or causes problems" + }, + "expedient": { + "CHS": "权宜之计;应急手段", + "ENG": "a quick and effective way of dealing with a problem" + }, + "outlet": { + "CHS": "出口,排放孔;[电] 电源插座;销路;发泄的方法;批发商店", + "ENG": "a way of expressing or getting rid of strong feelings" + }, + "judicial": { + "CHS": "公正的,明断的;法庭的;审判上的", + "ENG": "Judicial means relating to the legal system and to judgments made in a court of law" + }, + "anecdotal": { + "CHS": "轶事的;轶事一样的;多轶事的", + "ENG": "consisting of short stories based on someone’s personal experience" + }, + "deflect": { + "CHS": "使转向;使偏斜;使弯曲", + "ENG": "if someone or something deflects something that is moving, or if it deflects, it turns in a different direction" + }, + "hemoglobin": { + "CHS": "[生化] 血红蛋白(等于haemoglobin);血红素", + "ENG": "Haemoglobin is the red substance in blood, which combines with oxygen and carries it around the body" + }, + "counterproductive": { + "CHS": "反生产的;使达不到预期目标的", + "ENG": "Something that is counterproductive achieves the opposite result from the one that you want to achieve" + }, + "commercial": { + "CHS": "商业广告", + "ENG": "an advertisement on television or radio" + }, + "availability": { + "CHS": "可用性;有效性;实用性" + }, + "mortar": { + "CHS": "用灰泥涂抹,用灰泥结合" + }, + "elude": { + "CHS": "逃避,躲避", + "ENG": "to escape from someone or something, especially by tricking them" + }, + "expression": { + "CHS": "表现,表示,表达;表情,脸色,态度,腔调,声调;式,符号;词句,语句,措辞,说法", + "ENG": "something you say, write, or do that shows what you think or feel" + }, + "fatality": { + "CHS": "死亡;宿命;致命性;不幸;灾祸", + "ENG": "a death in an accident or a violent attack" + }, + "lobe": { + "CHS": "(脑、肺等的)叶;裂片;耳垂;波瓣", + "ENG": "the soft piece of flesh at the bottom of your ear" + }, + "range": { + "CHS": "(在内)变动;平行,列为一行;延伸;漫游;射程达到", + "ENG": "to move around in an area without aiming for a particular place" + }, + "enshrine": { + "CHS": "铭记,珍藏;把…置于神龛内;把…奉为神圣", + "ENG": "if something such as a tradition or right is enshrined in something, it is preserved and protected so that people will remember and respect it" + }, + "indenture": { + "CHS": "以契约约束", + "ENG": "to enter into an agreement by indenture " + }, + "deluxe": { + "CHS": "豪华地" + }, + "boardinghouse": { + "CHS": "公寓;供膳食的寄宿处" + }, + "sandpiper": { + "CHS": "[鸟] 鹬", + "ENG": "a small bird with long legs and a long beak that lives near the shore" + }, + "asteroid": { + "CHS": "星状的" + }, + "redirect": { + "CHS": "再直接询问" + }, + "millipede": { + "CHS": "[无脊椎] 千足虫;倍足纲节动物(等于millepede)", + "ENG": "a long thin creature with a very large number of legs" + }, + "rekindle": { + "CHS": "重新点燃", + "ENG": "to make someone have a particular feeling, thought etc again" + }, + "abundant": { + "CHS": "丰富的;充裕的;盛产", + "ENG": "something that is abundant exists or is available in large quantities so that there is more than enough" + }, + "carcinogenic": { + "CHS": "致癌的;致癌物的", + "ENG": "likely to cause cancer " + }, + "neural": { + "CHS": "(Neural)人名;(捷)诺伊拉尔" + }, + "stipulate": { + "CHS": "有托叶的" + }, + "adoption": { + "CHS": "采用;收养;接受", + "ENG": "the act or process of adopting a child" + }, + "scorn": { + "CHS": "轻蔑;藐视;不屑做", + "ENG": "to show that you think that something is stupid, unreasonable, or not worth accepting" + }, + "abscissa": { + "CHS": "[数][天] 横坐标;横线", + "ENG": "the horizontal or x-coordinate of a point in a two-dimensional system of Cartesian coordinates" + }, + "synthesize": { + "CHS": "合成;综合", + "ENG": "to make something by combining different things or substances" + }, + "acclaim": { + "CHS": "欢呼,喝彩;称赞", + "ENG": "Acclaim is public praise for someone or something" + }, + "outpost": { + "CHS": "前哨;警戒部队;边区村落" + }, + "concede": { + "CHS": "承认;退让;给予,容许", + "ENG": "to admit that something is true or correct, although you wish it were not true" + }, + "regard": { + "CHS": "注重,考虑;看待;尊敬;把…看作;与…有关", + "ENG": "to think about someone or something in a particular way" + }, + "baryonic": { + "CHS": "重子的", + "ENG": "of or relating to a baryon " + }, + "sniper": { + "CHS": "狙击兵", + "ENG": "someone who shoots at people from a hidden position" + }, + "reinvest": { + "CHS": "再投资于;再授给", + "ENG": "to use money you have earned from investment s to buy additional investments" + }, + "definition": { + "CHS": "定义;[物] 清晰度;解说", + "ENG": "a phrase or sentence that says exactly what a word, phrase, or idea means" + }, + "dwindle": { + "CHS": "减少;变小", + "ENG": "to gradually become less and less or smaller and smaller" + }, + "duplication": { + "CHS": "复制;副本;成倍", + "ENG": "If you say that there has been duplication of something, you mean that someone has done a task unnecessarily because it has already been done before" + }, + "pact": { + "CHS": "协定;公约;条约;契约", + "ENG": "a formal agreement between two groups, countries, or people, especially to help each other or to stop fighting" + }, + "precise": { + "CHS": "精确的;明确的;严格的", + "ENG": "precise information, details etc are exact, clear, and correct" + }, + "benefactor": { + "CHS": "恩人;捐助者;施主", + "ENG": "someone who gives money for a good purpose" + }, + "protocol": { + "CHS": "拟定" + }, + "install": { + "CHS": "安装;任命;安顿", + "ENG": "to put a piece of equipment somewhere and connect it so that it is ready to be used" + }, + "bluegrass": { + "CHS": "莓系属的牧草;早熟禾属植物" + }, + "coaster": { + "CHS": "沿岸贸易船;杯托,小托盘;雪橇", + "ENG": "A coaster is a small mat that you put underneath a glass or cup to protect the surface of a table" + }, + "mainstream": { + "CHS": "主流", + "ENG": "the most usual ideas or methods, or the people who have these ideas or methods" + }, + "negotiate": { + "CHS": "谈判,商议;转让;越过", + "ENG": "to discuss something in order to reach an agreement, especially in business or politics" + }, + "clot": { + "CHS": "[生理] 凝块", + "ENG": "a thick almost solid mass formed when blood or milk dries" + }, + "taboo": { + "CHS": "禁忌;禁止" + }, + "sophisticated": { + "CHS": "使变得世故;使迷惑;篡改(sophisticate的过去分词形式)" + }, + "protogalaxy": { + "CHS": "[天] 原星系" + }, + "accuracy": { + "CHS": "[数] 精确度,准确性", + "ENG": "the ability to do something in an exact way without making a mistake" + }, + "monumental": { + "CHS": "不朽的;纪念碑的;非常的", + "ENG": "relating to a monument or built as a monument" + }, + "mammalian": { + "CHS": "哺乳类" + }, + "intermediary": { + "CHS": "中间人;仲裁者;调解者;媒介物", + "ENG": "a person or organization that tries to help two other people or groups to agree with each other" + }, + "sterile": { + "CHS": "不育的;无菌的;贫瘠的;不毛的;枯燥乏味的", + "ENG": "a person or animal that is sterile cannot produce babies" + }, + "reciprocal": { + "CHS": "[数] 倒数;互相起作用的事物" + }, + "strenuous": { + "CHS": "紧张的;费力的;奋发的;艰苦的;热烈的", + "ENG": "needing a lot of effort or strength" + }, + "cooperate": { + "CHS": "合作,配合;协力", + "ENG": "to work with someone else to achieve something that you both want" + }, + "inoculate": { + "CHS": "[医] 接种;嫁接;灌输" + }, + "pathogenic": { + "CHS": "致病的;病原的;发病的(等于pathogenetic)", + "ENG": "A pathogenic organism can cause disease in a person, animal, or plant" + }, + "scheme": { + "CHS": "搞阴谋;拟订计划", + "ENG": "If you say that people are scheming, you mean that they are making secret plans in order to gain something for themselves" + }, + "revitalize": { + "CHS": "使…复活;使…复兴;使…恢复生气", + "ENG": "To revitalize something that has lost its activity or its health means to make it active or healthy again" + }, + "enrich": { + "CHS": "(Enrich)人名;(西)恩里奇" + }, + "untenable": { + "CHS": "(论据等)站不住脚的;不能维持的;不能租赁的;难以防守的", + "ENG": "an untenable situation has become so difficult that it is impossible to continue" + }, + "cholesterol": { + "CHS": "[生化] 胆固醇", + "ENG": "a chemical substance found in your blood. Too much cholesterol in your body may cause heart disease." + }, + "sympathy": { + "CHS": "同情;慰问;赞同", + "ENG": "the feeling of being sorry for someone who is in a bad situation" + }, + "community": { + "CHS": "社区;[生态] 群落;共同体;团体", + "ENG": "the people who live in the same area, town etc" + }, + "stray": { + "CHS": "走失的家畜;流浪者", + "ENG": "an animal that is lost or has no home" + }, + "impede": { + "CHS": "阻碍;妨碍;阻止", + "ENG": "to make it difficult for someone or something to move forward or make progress" + }, + "insert": { + "CHS": "插入物;管芯;镶块;[机械]刀片", + "ENG": "something that is designed to be put inside something else" + }, + "magnesium": { + "CHS": "[化学] 镁", + "ENG": "Magnesium is a light, silvery white metal which burns with a bright white flame" + }, + "shocked": { + "CHS": "使震动(shock的过去式)", + "ENG": "If something shocks you, it makes you feel very upset, because it involves death or suffering and because you had not expected it" + }, + "choreographer": { + "CHS": "编舞者,舞蹈指导", + "ENG": "A choreographer is someone who invents the movements for a ballet or other dance and tells the dancers how to perform them" + }, + "brokerage": { + "CHS": "佣金;回扣;中间人业务", + "ENG": "the amount of money a broker charges" + }, + "apprehensive": { + "CHS": "忧虑的;不安的;敏悟的;知晓的", + "ENG": "worried or nervous about something that you are going to do, or about the future" + }, + "exhaustive": { + "CHS": "详尽的;彻底的;消耗的", + "ENG": "extremely thorough and complete" + }, + "diversification": { + "CHS": "多样化;变化" + }, + "dilemma": { + "CHS": "困境;进退两难;两刀论法", + "ENG": "a situation in which it is very difficult to decide what to do, because all the choices seem equally good or equally bad" + }, + "compute": { + "CHS": "计算;估计;推断" + }, + "partisan": { + "CHS": "游击队;虔诚信徒;党羽", + "ENG": "a member of an armed group that fights against an enemy that has taken control of its country" + }, + "displace": { + "CHS": "取代;置换;转移;把…免职;排水", + "ENG": "to take the place or position of something or someone" + }, + "accord": { + "CHS": "使一致;给予", + "ENG": "to give someone or something special attention or a particular type of treatment" + }, + "frugal": { + "CHS": "节俭的;朴素的;花钱少的", + "ENG": "careful to buy only what is necessary" + }, + "plateau": { + "CHS": "高原印第安人的" + }, + "digit": { + "CHS": "数字;手指或足趾;一指宽", + "ENG": "one of the written signs that represent the numbers 0 to 9" + }, + "pirate": { + "CHS": "掠夺;翻印;剽窃", + "ENG": "to illegally copy and sell another person’s work such as a book, video, or computer program" + }, + "amass": { + "CHS": "积聚,积累", + "ENG": "if you amass money, knowledge, information etc, you gradually collect a large amount of it" + }, + "steer": { + "CHS": "阉牛", + "ENG": "a young male cow whose sex organs have been removed" + }, + "restrict": { + "CHS": "限制;约束;限定", + "ENG": "to limit or control the size, amount, or range of something" + }, + "canary": { + "CHS": "[鸟] 金丝雀;淡黄色", + "ENG": "a small yellow bird that people often keep as a pet" + }, + "spouse": { + "CHS": "和…结婚" + }, + "predict": { + "CHS": "预报,预言;预知", + "ENG": "to say that something will happen, before it happens" + }, + "smog": { + "CHS": "烟雾", + "ENG": "dirty air that looks like a mixture of smoke and fog , caused by smoke from cars and factories in cities" + }, + "flavor": { + "CHS": "加味于" + }, + "quart": { + "CHS": "夸脱(容量单位);一夸脱的容器", + "ENG": "a unit for measuring liquid, equal to two pints. In Britain this is 1.14 litres, and in the US it is 0.95 litres." + }, + "taxable": { + "CHS": "应纳税的;可征税的", + "ENG": "if money that you receive is taxable, you have to pay tax on it" + }, + "portfolio": { + "CHS": "公文包;文件夹;证券投资组合;部长职务", + "ENG": "a large flat case used especially for carrying pictures, documents etc" + }, + "exotic": { + "CHS": "异国的;外来的;异国情调的", + "ENG": "something that is exotic seems unusual and interesting because it is related to a foreign country – use this to show approval" + }, + "osteoarthritis": { + "CHS": "[外科] 骨关节炎", + "ENG": "a medical condition which makes your knees and other joints stiff and painful" + }, + "embryo": { + "CHS": "胚胎的;初期的" + }, + "refuel": { + "CHS": "补给燃料", + "ENG": "to fill a plane or vehicle with fuel before continuing a journey" + }, + "hover": { + "CHS": "徘徊;盘旋;犹豫" + }, + "repeal": { + "CHS": "废除;撤销", + "ENG": "Repeal is also a noun" + }, + "viable": { + "CHS": "可行的;能养活的;能生育的", + "ENG": "a viable idea, plan, or method can work successfully" + }, + "professional": { + "CHS": "专业人员;职业运动员", + "ENG": "someone who earns money by doing a job, sport, or activity that many other people do just for fun" + }, + "observation": { + "CHS": "观察;监视;观察报告", + "ENG": "the process of watching something or someone carefully for a period of time" + }, + "spiced": { + "CHS": "五香的;调过味的;含香料的", + "ENG": "Food that is spiced has had spices or other strong-tasting foods added to it" + }, + "denounce": { + "CHS": "谴责;告发;公然抨击;通告废除", + "ENG": "to express strong disapproval of someone or something, especially in public" + }, + "polygon": { + "CHS": "多边形;多角形物体", + "ENG": "a flat shape with three or more sides" + }, + "aspiration": { + "CHS": "渴望;抱负;送气;吸气;吸引术", + "ENG": "a strong desire to have or achieve something" + }, + "indistinct": { + "CHS": "模糊的,不清楚的;朦胧的;难以清楚辨认的", + "ENG": "an indistinct sound, image, or memory cannot be seen, heard, or remembered clearly" + }, + "reliable": { + "CHS": "可靠的人" + }, + "individualism": { + "CHS": "个人主义;利己主义;个人特征", + "ENG": "the belief that the rights and freedom of individual people are the most important rights in a society" + }, + "saline": { + "CHS": "盐湖;碱盐泻药" + }, + "longitudinal": { + "CHS": "长度的,纵向的;经线的", + "ENG": "relating to the development of something over a period of time" + }, + "procure": { + "CHS": "获得,取得;导致", + "ENG": "to obtain something, especially something that is difficult to get" + }, + "predation": { + "CHS": "捕食;掠夺", + "ENG": "when an animal kills and eats another animal" + }, + "calcium": { + "CHS": "[化学] 钙", + "ENG": "a silver-white metal that helps to form teeth, bones, and chalk . It is a chemical element : symbol Ca" + }, + "affordable": { + "CHS": "负担得起的", + "ENG": "If something is affordable, most people have enough money to buy it" + }, + "desire": { + "CHS": "想要;要求;希望得到…", + "ENG": "If you desire something, you want it" + }, + "providing": { + "CHS": "供给(provide的ing形式);预备" + }, + "grill": { + "CHS": "烤架,铁格子;烤肉", + "ENG": "a part of a cooker in which strong heat from above cooks food on a metal shelf below" + }, + "questionnaire": { + "CHS": "问卷;调查表", + "ENG": "a written set of questions which you give to a large number of people in order to collect information" + }, + "possess": { + "CHS": "控制;使掌握;持有;迷住;拥有,具备", + "ENG": "to have a particular quality or ability" + }, + "vertex": { + "CHS": "顶点;[昆] 头顶;[天] 天顶", + "ENG": "the point where two lines meet to form an angle, especially the point of a triangle" + }, + "altitude": { + "CHS": "高地;高度;[数] 顶垂线;(等级和地位等的)高级;海拔", + "ENG": "the height of an object or place above the sea" + }, + "foreshadow": { + "CHS": "预兆" + }, + "rental": { + "CHS": "租赁的;收取租金的", + "ENG": "You use rental to describe things that are connected with the renting out of goods, properties, and services" + }, + "anesthesia": { + "CHS": "麻醉;麻木(等于anaesthesia)" + }, + "bowerbird": { + "CHS": "[鸟] 园丁鸟;澳洲产的一种鸟" + }, + "trench": { + "CHS": "掘沟" + }, + "plantation": { + "CHS": "适用于种植园或热带、亚热带国家的" + }, + "infrastructure": { + "CHS": "基础设施;公共建设;下部构造", + "ENG": "the basic systems and structures that a country or organization needs in order to work properly, for example roads, railways, banks etc" + }, + "furnace": { + "CHS": "火炉,熔炉", + "ENG": "a large container for a very hot fire, used to produce power, heat, or liquid metal" + }, + "exquisite": { + "CHS": "服饰过于讲究的男子" + }, + "affluent": { + "CHS": "支流;富人", + "ENG": "The affluent are people who are affluent" + }, + "council": { + "CHS": "委员会;会议;理事会;地方议会;顾问班子", + "ENG": "a group of people that are chosen to make rules, laws, or decisions, or to give advice" + }, + "encompass": { + "CHS": "包含;包围,环绕;完成", + "ENG": "to include a wide range of ideas, subjects, etc" + }, + "rigor": { + "CHS": "严厉;精确;苛刻;僵硬" + }, + "carotenoid": { + "CHS": "类胡萝卜素", + "ENG": "any of a group of red or yellow pigments, including carotenes, found in plants and certain animal tissues " + }, + "immune": { + "CHS": "免疫者;免除者" + }, + "enlist": { + "CHS": "支持;从军;应募;赞助" + }, + "essence": { + "CHS": "本质,实质;精华;香精", + "ENG": "the most basic and important quality of something" + }, + "corresponding": { + "CHS": "类似(correspond的ing形式);相配" + }, + "tissue": { + "CHS": "饰以薄纱;用化妆纸揩去" + }, + "treaty": { + "CHS": "条约,协议;谈判", + "ENG": "a formal written agreement between two or more countries or governments" + }, + "oblateness": { + "CHS": "扁圆形;[天] 扁率" + }, + "inaccurate": { + "CHS": "错误的" + }, + "qualitative": { + "CHS": "定性的;质的,性质上的", + "ENG": "relating to the quality or standard of something rather than the quantity" + }, + "rectangle": { + "CHS": "矩形;长方形", + "ENG": "a shape that has four straight sides, two of which are usually longer than the other two, and four 90˚ angles at the corners" + }, + "migrate": { + "CHS": "移动;随季节而移居;移往", + "ENG": "if people migrate, they go to live in another area or country, especially in order to find work" + }, + "induce": { + "CHS": "诱导;引起;引诱;感应", + "ENG": "to persuade someone to do something, especially something that does not seem wise" + }, + "block": { + "CHS": "成批的,大块的;交通堵塞的" + }, + "division": { + "CHS": "[数] 除法;部门;分配;分割;师(军队);赛区", + "ENG": "the act of separating something into two or more different parts, or the way these parts are separated or shared" + }, + "intersperse": { + "CHS": "点缀;散布", + "ENG": "if something is interspersed with a particular kind of thing, it has a lot of them in it" + }, + "melancholy": { + "CHS": "忧郁;悲哀;愁思", + "ENG": "a feeling of sadness for no particular reason" + }, + "perturb": { + "CHS": "扰乱;使…混乱;使…心绪不宁", + "ENG": "If something perturbs you, it worries you quite a lot" + }, + "contractor": { + "CHS": "承包人;立契约者", + "ENG": "a person or company that agrees to do work or provide goods for another company" + }, + "contingent": { + "CHS": "分遣队;偶然事件;分得部分;代表团", + "ENG": "a group of people who all have something in common, such as their nationality, beliefs etc, and who are part of a larger group" + }, + "beehive": { + "CHS": "蜂窝;蜂箱", + "ENG": "a structure where bee s are kept for producing honey " + }, + "ecosystem": { + "CHS": "生态系统", + "ENG": "all the animals and plants in a particular area, and the way in which they are related to each other and to their environment" + }, + "envelop": { + "CHS": "信封;包裹" + }, + "dismal": { + "CHS": "低落的情绪" + }, + "acquiesce": { + "CHS": "默许;勉强同意", + "ENG": "to do what someone else wants, or allow something to happen, even though you do not really agree with it" + }, + "stature": { + "CHS": "身高,身材;(精神、道德等的)高度", + "ENG": "someone’s height or size" + }, + "bead": { + "CHS": "形成珠状,起泡" + }, + "eject": { + "CHS": "喷射;驱逐,逐出", + "ENG": "to make someone leave a place or building by using force" + }, + "planetary": { + "CHS": "行星的", + "ENG": "Planetary means relating to or belonging to planets" + }, + "propeller": { + "CHS": "[航][船] 螺旋桨;推进器", + "ENG": "a piece of equipment consisting of two or more blades that spin around, which makes an aircraft or ship move" + }, + "persist": { + "CHS": "存留,坚持;持续,固执", + "ENG": "to continue to do something, although this is difficult, or other people oppose it" + }, + "prompt": { + "CHS": "准时地" + }, + "overt": { + "CHS": "明显的;公然的;蓄意的", + "ENG": "An overt action or attitude is done or shown in an open and obvious way" + }, + "latitude": { + "CHS": "纬度;界限;活动范围", + "ENG": "the distance north or south of the equator(= the imaginary line around the middle of the world ), measured in degrees" + }, + "subsidiary": { + "CHS": "子公司;辅助者", + "ENG": "a company that is owned or controlled by another larger company" + }, + "ration": { + "CHS": "定量;口粮;配给量", + "ENG": "a fixed amount of something that people are allowed to have when there is not enough, for example during a war" + }, + "catastrophe": { + "CHS": "大灾难;大祸;惨败", + "ENG": "a terrible event in which there is a lot of destruction, suffering, or death" + }, + "episodic": { + "CHS": "插曲式的" + }, + "culpability": { + "CHS": "可责;有过失;有罪" + }, + "aquatic": { + "CHS": "水上运动;水生植物或动物" + }, + "generational": { + "CHS": "一代的;生育的", + "ENG": "connected with a particular generation or the relationship between different generations" + }, + "overflow": { + "CHS": "充满,洋溢;泛滥;超值;溢值" + }, + "profitable": { + "CHS": "有利可图的;赚钱的;有益的", + "ENG": "producing a profit or a useful result" + }, + "epochal": { + "CHS": "划时代的;新纪元的" + }, + "liberalize": { + "CHS": "使自由化;宽大", + "ENG": "to make a system, laws, or moral attitudes less strict" + }, + "financier": { + "CHS": "金融家;投资家", + "ENG": "someone who controls or lends large sums of money" + }, + "exemplify": { + "CHS": "例证;例示" + }, + "underline": { + "CHS": "下划线;下期节目预告" + }, + "mesothelioma": { + "CHS": "[肿瘤] 间皮瘤", + "ENG": "a tumour of the epithelium lining the lungs, abdomen, or heart: often associated with exposure to asbestos dust " + }, + "bluntly": { + "CHS": "坦率地,直率地;迟钝地" + }, + "exhale": { + "CHS": "呼气;发出;发散;使蒸发", + "ENG": "to breathe air, smoke etc out of your mouth" + }, + "etched": { + "CHS": "[冶][印刷] 蚀刻(etch的过去分词)", + "ENG": "If a line or pattern is etched into a surface, it is cut into the surface by means of acid or a sharp tool. You can also say that a surface is etched with a line or pattern. " + }, + "refund": { + "CHS": "退款;偿还,偿还额", + "ENG": "an amount of money that is given back to you if you are not satisfied with the goods or services that you have paid for" + }, + "inability": { + "CHS": "无能力;无才能", + "ENG": "the fact of being unable to do something" + }, + "psychological": { + "CHS": "心理的;心理学的;精神上的", + "ENG": "relating to the way that your mind works and the way that this affects your behaviour" + }, + "plutonium": { + "CHS": "[化学] 钚(94号元素)", + "ENG": "Plutonium is a radioactive element used especially in nuclear weapons and as a fuel in nuclear power stations" + }, + "viscosity": { + "CHS": "[物] 黏性,[物] 黏度", + "ENG": "Viscosity is the quality that some liquids have of being thick and sticky" + }, + "innovative": { + "CHS": "革新的,创新的;新颖的;有创新精神的", + "ENG": "an innovative idea or way of doing something is new, different, and better than those that existed before" + }, + "rationale": { + "CHS": "基本原理;原理的阐述" + }, + "staggering": { + "CHS": "惊人的,令人震惊的", + "ENG": "extremely great or surprising" + }, + "previous": { + "CHS": "在先;在…以前" + }, + "opposite": { + "CHS": "在对面", + "ENG": "in a position on the other side of the same area" + }, + "quiescent": { + "CHS": "静止的;不活动的;沉寂的", + "ENG": "not developing or doing anything, especially when this is only a temporary state" + }, + "endorsement": { + "CHS": "认可,支持;背书;签注(文件)", + "ENG": "An endorsement is a statement or action that shows you support or approve of something or someone" + }, + "boreal": { + "CHS": "(Boreal)人名;(法)博雷亚尔" + }, + "photosynthesis": { + "CHS": "光合作用", + "ENG": "the production by a green plant of special substances like sugar that it uses as food, caused by the action of sunlight on chlorophyll (= the green substance in leaves ) " + }, + "accretion": { + "CHS": "添加;增加物;连生;冲积层", + "ENG": "a gradual process by which new things are added and something gradually changes or gets bigger" + }, + "mature": { + "CHS": "成熟;到期", + "ENG": "to become fully grown or developed" + }, + "Confucian": { + "CHS": "儒家,儒家学者;孔子的门徒", + "ENG": "A Confucian is someone who believes in Confucianism" + }, + "restore": { + "CHS": "恢复;修复;归还", + "ENG": "to make something return to its former state or condition" + }, + "marrow": { + "CHS": "髓,骨髓;精华;活力", + "ENG": "the soft fatty substance in the hollow centre of bones" + }, + "allude": { + "CHS": "暗指,转弯抹角地说到;略为提及,顺便提到", + "ENG": "If you allude to something, you mention it in an indirect way" + }, + "benevolence": { + "CHS": "仁慈;善行" + }, + "distributor": { + "CHS": "经销商;批发商;[电] 分配器;分配者;散布者;[电] 配电盘", + "ENG": "a company or person that supplies shops and companies with goods" + }, + "sufficiency": { + "CHS": "足量,充足;自满", + "ENG": "the state of being or having enough" + }, + "hominid": { + "CHS": "人类及其祖先的" + }, + "split": { + "CHS": "劈开的" + }, + "revise": { + "CHS": "修订;校订" + }, + "cliff": { + "CHS": "悬崖;绝壁", + "ENG": "a large area of rock or a mountain with a very steep side, often at the edge of the sea or a river" + }, + "penetrate": { + "CHS": "渗透;穿透;洞察", + "ENG": "to enter something and pass or spread through it, especially when this is difficult" + }, + "irritant": { + "CHS": "[医] 刺激物,[医] 刺激剂", + "ENG": "a substance that can make a part of your body painful and sore" + }, + "sum": { + "CHS": "概括" + }, + "ranch": { + "CHS": "经营牧场;在牧场工作" + }, + "diagnose": { + "CHS": "诊断;断定", + "ENG": "to find out what illness someone has, or what the cause of a fault is, after doing tests, examinations etc" + }, + "cranberry": { + "CHS": "蔓越橘", + "ENG": "a small red sour fruit" + }, + "avalanche": { + "CHS": "雪崩" + }, + "apex": { + "CHS": "顶点;尖端", + "ENG": "the top or highest part of something pointed or curved" + }, + "inspection": { + "CHS": "视察,检查", + "ENG": "an official visit to a building or organization to check that everything is satisfactory and that rules are being obeyed" + }, + "distinguish": { + "CHS": "区分;辨别;使杰出,使表现突出", + "ENG": "to recognize and understand the difference between two or more things or people" + }, + "gecko": { + "CHS": "[脊椎] 壁虎", + "ENG": "a type of small lizard" + }, + "appoint": { + "CHS": "任命;指定;约定", + "ENG": "to choose someone for a position or a job" + }, + "merchandise": { + "CHS": "买卖;推销", + "ENG": "to try to sell goods or services using methods such as advertising" + }, + "shed": { + "CHS": "小屋,棚;分水岭", + "ENG": "a small building, often made of wood, used especially for storing things" + }, + "underwrite": { + "CHS": "给保险;承诺支付;签在下" + }, + "acreage": { + "CHS": "面积,英亩数", + "ENG": "the area of a piece of land measured in acres" + }, + "reindeer": { + "CHS": "[脊椎][畜牧] 驯鹿", + "ENG": "a large deer with long wide antler s (= horns ) , that lives in cold northern areas" + }, + "respire": { + "CHS": "呼吸", + "ENG": "to breathe" + }, + "deficiency": { + "CHS": "缺陷,缺点;缺乏;不足的数额", + "ENG": "a lack of something that is necessary" + }, + "downstream": { + "CHS": "下游的;顺流的", + "ENG": "Downstream is also an adjective" + }, + "venom": { + "CHS": "使有毒;放毒" + }, + "tap": { + "CHS": "水龙头;轻打", + "ENG": "a piece of equipment for controlling the flow of water, gas etc from a pipe or container" + }, + "psyche": { + "CHS": "灵魂;心智", + "ENG": "someone’s mind, or their deepest feelings, which control their attitudes and behaviour" + }, + "embargo": { + "CHS": "禁令;禁止;封港令", + "ENG": "an official order to stop trade with another country" + }, + "luminous": { + "CHS": "发光的;明亮的;清楚的", + "ENG": "shining in the dark" + }, + "egalitarianism": { + "CHS": "平等主义,[经] 平均主义", + "ENG": "Egalitarianism is used to refer to the belief that all people are equal and should have the same rights and opportunities, and to actions that are based on this belief" + }, + "inhabit": { + "CHS": "栖息;居住于;占据", + "ENG": "if animals or people inhabit an area or place, they live there" + }, + "embalm": { + "CHS": "铭记于心;使不朽;防腐;使充满香气", + "ENG": "to treat a dead body with chemicals, oils etc to prevent it from decaying" + }, + "obsidian": { + "CHS": "黑曜石", + "ENG": "a type of rock that looks like black glass" + }, + "alligator": { + "CHS": "鳄鱼般的;鳄鱼皮革的;鳄鱼皮纹的" + }, + "appropriate": { + "CHS": "占用,拨出", + "ENG": "to take something for yourself when you do not have the right to do this" + }, + "commensurate": { + "CHS": "相称的;同量的;同样大小的", + "ENG": "matching something in size, quality, or length of time" + }, + "scrupulous": { + "CHS": "细心的;小心谨慎的;一丝不苟的", + "ENG": "doing something very carefully so that nothing is left out" + }, + "nutritious": { + "CHS": "有营养的,滋养的", + "ENG": "food that is nutritious is full of the natural substances that your body needs to stay healthy or to grow properly" + }, + "coronary": { + "CHS": "冠的;冠状的;花冠的", + "ENG": "relating to the heart" + }, + "notify": { + "CHS": "通告,通知;公布", + "ENG": "to formally or officially tell someone about something" + }, + "deprivation": { + "CHS": "剥夺;损失;免职;匮乏;贫困", + "ENG": "the lack of something that you need in order to be healthy, comfortable, or happy" + }, + "specious": { + "CHS": "似是而非的;外表美观的;华而不实的;徒有其表的", + "ENG": "seeming to be true or correct, but actually false" + }, + "debunk": { + "CHS": "揭穿;拆穿…的假面具;暴露" + }, + "suppress": { + "CHS": "抑制;镇压;废止", + "ENG": "to stop people from opposing the government, especially by using force" + }, + "spiral": { + "CHS": "使成螺旋形;使作螺旋形上升", + "ENG": "to move in a continuous curve that gets nearer to or further from its central point as it goes round" + }, + "samurai": { + "CHS": "(日)武士;武士阶级", + "ENG": "a member of a powerful military class in Japan in the past" + }, + "proceed": { + "CHS": "收入,获利", + "ENG": "The proceeds of an event or activity are the money that has been obtained from it" + }, + "scramjet": { + "CHS": "超音速燃烧冲压喷气发动机", + "ENG": "a type of powerful engine that can make an aircraft fly at more than ten times the speed of sound" + }, + "subordinate": { + "CHS": "使……居下位;使……服从" + }, + "entity": { + "CHS": "实体;存在;本质", + "ENG": "something that exists as a single and complete unit" + }, + "irreconcilable": { + "CHS": "矛盾的;不能和解的;不能协调的", + "ENG": "irreconcilable positions etc are so strongly opposed to each other that it is not possible for them to reach an agreement" + }, + "preliminary": { + "CHS": "初步的;开始的;预备的", + "ENG": "happening before something that is more important, often in order to prepare for it" + }, + "define": { + "CHS": "(Define)人名;(英)德法恩;(葡)德菲内" + }, + "sensitize": { + "CHS": "使敏感;使具有感光性", + "ENG": "to give someone some experience or knowledge of a particular problem or situation so that they can notice it and understand it easily" + }, + "offset": { + "CHS": "抵消;弥补;用平版印刷术印刷", + "ENG": "if the cost or amount of something offsets another cost or amount, the two things have an opposite effect so that the situation remains the same" + }, + "stringent": { + "CHS": "严格的;严厉的;紧缩的;短缺的", + "ENG": "a stringent law, rule, standard etc is very strict and must be obeyed" + }, + "metaphor": { + "CHS": "暗喻,隐喻;比喻说法", + "ENG": "a way of describing something by referring to it as something different and suggesting that it has similar qualities to that thing" + }, + "ratification": { + "CHS": "批准;承认,认可", + "ENG": "The ratification of a treaty or written agreement is the process of ratifying it" + }, + "centrality": { + "CHS": "中心;中央;向心性", + "ENG": "the state or condition of being central " + }, + "assertion": { + "CHS": "断言,声明;主张,要求;坚持;认定", + "ENG": "something that you say or write that you strongly believe" + }, + "screen": { + "CHS": "筛;拍摄;放映;掩蔽", + "ENG": "to do tests on a lot of people to find out whether they have a particular illness" + }, + "instill": { + "CHS": "徐徐滴入;逐渐灌输" + }, + "imply": { + "CHS": "意味;暗示;隐含", + "ENG": "to suggest that something is true, without saying this directly" + }, + "derivative": { + "CHS": "派生的;引出的" + }, + "crude": { + "CHS": "原油;天然的物质", + "ENG": "oil that is in its natural condition, as it comes out of an oil well , before it is made more pure or separated into different products" + }, + "rivalry": { + "CHS": "竞争;对抗;竞赛", + "ENG": "a situation in which two or more people, teams, or companies are competing for something, especially over a long period of time, and the feeling of competition between them" + }, + "embellish": { + "CHS": "修饰;装饰;润色", + "ENG": "to make something more beautiful by adding decorations to it" + }, + "nucleotide": { + "CHS": "核苷;核甘酸", + "ENG": "a compound consisting of a nucleoside linked to phosphoric acid" + }, + "incorporate": { + "CHS": "合并的;一体化的;组成公司的" + }, + "flock": { + "CHS": "用棉束填满" + }, + "patent": { + "CHS": "专利权;执照;专利品", + "ENG": "a special document that gives you the right to make or sell a new invention or product that no one else is allowed to copy" + }, + "broker": { + "CHS": "作为权力经纪人进行谈判" + }, + "missile": { + "CHS": "导弹的;可投掷的;用以发射导弹的" + }, + "fortify": { + "CHS": "加强;增强;(酒)的酒精含量;设防于", + "ENG": "to encourage an attitude or feeling and make it stronger" + }, + "salvage": { + "CHS": "抢救;海上救助", + "ENG": "to save something from an accident or bad situation in which other things have already been damaged, destroyed, or lost" + }, + "biodegradable": { + "CHS": "生物所能分解的,能进行生物降解的", + "ENG": "materials, chemicals etc that are biodegradable are changed naturally by bacteria into substances that do not harm the environment" + }, + "pterosaur": { + "CHS": "翼龙", + "ENG": "any extinct flying reptile of the order Pterosauria, of Jurassic and Cretaceous times: included the pterodactyls " + }, + "negligence": { + "CHS": "疏忽;忽视;粗心大意", + "ENG": "failure to take enough care over something that you are responsible for" + }, + "rinse": { + "CHS": "冲洗;漂洗;[轻] 染发剂;染发", + "ENG": "when you rinse something" + }, + "resuscitation": { + "CHS": "复苏;复兴;复活" + }, + "hazard": { + "CHS": "危险,冒险;冒险的事", + "ENG": "something that may be dangerous, or cause accidents or problems" + }, + "root": { + "CHS": "生根;根除", + "ENG": "to grow roots" + }, + "irregularity": { + "CHS": "不规则;无规律;不整齐" + }, + "disorient": { + "CHS": "使…迷惑;使…失去方向感" + }, + "coincide": { + "CHS": "一致,符合;同时发生", + "ENG": "to happen at the same time as something else, especially by chance" + }, + "replacement": { + "CHS": "更换;复位;代替者;补充兵员", + "ENG": "when you get something that is newer or better than the one you had before" + }, + "hatch": { + "CHS": "孵;策划", + "ENG": "if an egg hatches, or if it is hatched, it breaks, letting the young bird, insect etc come out" + }, + "bolster": { + "CHS": "支持;支撑" + }, + "racism": { + "CHS": "种族主义,种族歧视;人种偏见", + "ENG": "unfair treatment of people, or violence against them, because they belong to a different race from your own" + }, + "fertilized": { + "CHS": "已受精的" + }, + "appendicitis": { + "CHS": "[医] 阑尾炎;盲肠炎", + "ENG": "an illness in which your appendix swells and causes pain" + }, + "credit": { + "CHS": "相信,信任;把…归给,归功于;赞颂", + "ENG": "to believe or admit that someone has a quality, or has done something good" + }, + "aerobic": { + "CHS": "需氧的;增氧健身法的", + "ENG": "using oxygen" + }, + "bolt": { + "CHS": "突然地;像箭似地;直立地", + "ENG": "If a person or animal bolts, they suddenly start to run very fast, often because something has frightened them" + }, + "incur": { + "CHS": "招致,引发;蒙受", + "ENG": "if you incur a cost, debt, or a fine, you have to pay money because of something you have done" + }, + "illustrate": { + "CHS": "阐明,举例说明;图解", + "ENG": "to make the meaning of something clearer by giving examples" + }, + "teem": { + "CHS": "(Teem)人名;(英)蒂姆" + }, + "retard": { + "CHS": "延迟;阻止" + }, + "velocity": { + "CHS": "【物】速度", + "ENG": "the speed of something that is moving in a particular direction" + }, + "circulatory": { + "CHS": "循环的", + "ENG": "relating to the movement of blood around your body" + }, + "endeavor": { + "CHS": "努力;尽力(等于endeavour)" + }, + "radical": { + "CHS": "基础;激进分子;[物化] 原子团;[数] 根数" + }, + "dictate": { + "CHS": "命令;指示", + "ENG": "an order, rule, or principle that you have to obey" + }, + "historical": { + "CHS": "历史的;史学的;基于史实的", + "ENG": "relating to the past" + }, + "peer": { + "CHS": "凝视,盯着看;窥视", + "ENG": "to look very carefully at something, especially because you are having difficulty seeing it" + }, + "sequester": { + "CHS": "使隔绝;使隐退;没收,扣押", + "ENG": "to keep a person or a group of people away from other people" + }, + "decimate": { + "CHS": "十中抽一,取十分之一;大批杀害" + }, + "stock": { + "CHS": "进货;备有;装把手于…", + "ENG": "if a shop stocks a particular product, it keeps a supply of it to sell" + }, + "welfare": { + "CHS": "福利的;接受社会救济的", + "ENG": "Welfare services are provided to help with people's living conditions and financial problems" + }, + "correspond": { + "CHS": "符合,一致;相应;通信", + "ENG": "if two things or ideas correspond, the parts or information in one relate to the parts or information in the other" + }, + "contradiction": { + "CHS": "矛盾;否认;反驳", + "ENG": "a difference between two statements, beliefs, or ideas about something that means they cannot both be true" + }, + "inadequate": { + "CHS": "不充分的,不适当的", + "ENG": "not good enough, big enough, skilled enough etc for a particular purpose" + }, + "authoritative": { + "CHS": "有权威的;命令式的;当局的", + "ENG": "an authoritative book, account etc is respected because the person who wrote it knows a lot about the subject" + }, + "adolescent": { + "CHS": "青少年", + "ENG": "a young person, usually between the ages of 12 and 18, who is developing into an adult" + }, + "deviate": { + "CHS": "脱离;越轨", + "ENG": "To deviate from something means to start doing something different or not planned, especially in a way that causes problems for others" + }, + "senate": { + "CHS": "参议院,上院;(古罗马的)元老院", + "ENG": "the highest level of government in ancient Rome" + }, + "radiate": { + "CHS": "辐射状的,有射线的" + }, + "inevitable": { + "CHS": "必然的,不可避免的", + "ENG": "certain to happen and impossible to avoid" + }, + "surgeon": { + "CHS": "外科医生", + "ENG": "a doctor who does operations in a hospital" + }, + "abdicate": { + "CHS": "退位;放弃", + "ENG": "to give up the position of being king or queen" + }, + "bubonic": { + "CHS": "腹股沟腺炎的" + }, + "justify": { + "CHS": "证明合法;整理版面", + "ENG": "To justify a decision, action, or idea means to show or prove that it is reasonable or necessary" + }, + "spectrum": { + "CHS": "光谱;频谱;范围;余象", + "ENG": "a complete range of opinions, people, situations etc, going from one extreme to its opposite" + }, + "perennial": { + "CHS": "多年生植物", + "ENG": "a plant that lives for more than two years" + }, + "enumerate": { + "CHS": "列举;枚举;计算", + "ENG": "to name a list of things one by one" + }, + "bearer": { + "CHS": "持票人;[建] 承木;[机] 托架;送信人;搬运工人", + "ENG": "The bearer of something such as a message is the person who brings it to you" + }, + "relativity": { + "CHS": "相对论;相关性;相对性", + "ENG": "the relationship in physics between time, space, and movement according to Einstein’s theory " + }, + "islet": { + "CHS": "小岛", + "ENG": "a very small island" + }, + "specialization": { + "CHS": "专门化;特殊化;特化作用", + "ENG": "an activity or subject that you know a lot about" + }, + "intensive": { + "CHS": "加强器" + }, + "reasoning": { + "CHS": "推论;说服(reason的ing形式)" + }, + "refrain": { + "CHS": "叠句,副歌;重复", + "ENG": "part of a song or poem that is repeated, especially at the end of each verse " + }, + "illegal": { + "CHS": "非法移民,非法劳工", + "ENG": "an illegal immigrant" + }, + "eligible": { + "CHS": "合格者;适任者;有资格者" + }, + "alumnus": { + "CHS": "男校友;男毕业生", + "ENG": "a former student of a school, college etc" + }, + "sturdy": { + "CHS": "羊晕倒病" + }, + "excessive": { + "CHS": "过多的,极度的;过分的", + "ENG": "much more than is reasonable or necessary" + }, + "shimmer": { + "CHS": "闪烁;发闪烁的微光", + "ENG": "to shine with a soft light that looks as if it shakes slightly" + }, + "possibility": { + "CHS": "可能性;可能发生的事物", + "ENG": "if there is a possibility that something is true or that something will happen, it might be true or it might happen" + }, + "inscription": { + "CHS": "题词;铭文;刻印", + "ENG": "a piece of writing inscribed on a stone, in the front of a book etc" + }, + "monarch": { + "CHS": "君主,帝王;最高统治者", + "ENG": "a king or queen" + }, + "songbird": { + "CHS": "鸣禽,鸣鸟;女歌手;告密者", + "ENG": "a bird that can make musical sounds" + }, + "responsive": { + "CHS": "响应的;应答的;回答的", + "ENG": "eager to communicate with people, and to react to them in a positive way" + }, + "calefaction": { + "CHS": "加热;热污染(等于thermal pollution);温暖(的状态)" + }, + "prestige": { + "CHS": "威望,声望;声誉", + "ENG": "the respect and admiration that someone or something gets because of their success or important position in society" + }, + "substantial": { + "CHS": "本质;重要材料" + }, + "file": { + "CHS": "提出;锉;琢磨;把…归档", + "ENG": "to keep papers, documents etc in a particular place so that you can find them easily" + }, + "laurel": { + "CHS": "授予荣誉,使戴桂冠" + }, + "involvement": { + "CHS": "牵连;包含;混乱;财政困难", + "ENG": "the act of taking part in an activity or event, or the way in which you take part in it" + }, + "probability": { + "CHS": "可能性;机率;[数] 或然率", + "ENG": "how likely something is, sometimes calculated in a mathematical way" + }, + "indomethacin": { + "CHS": "[药] 消炎痛;茚甲新", + "ENG": "a drug administered orally to relieve pain, fever, and inflammation, esp in rheumatoid arthritis" + }, + "whirl": { + "CHS": "旋转,回旋;急走;头晕眼花", + "ENG": "to turn or spin around very quickly, or to make someone or something do this" + }, + "mound": { + "CHS": "堆起;筑堤" + }, + "optimal": { + "CHS": "最佳的;最理想的", + "ENG": "the best or most suitable" + }, + "autobiography": { + "CHS": "自传;自传文学", + "ENG": "a book in which someone writes about their own life, or books of this type" + }, + "minuend": { + "CHS": "[数] 被减数", + "ENG": "the number from which another number, the subtrahend, is to be subtracted " + }, + "pantheon": { + "CHS": "万神殿;名流群", + "ENG": "a group of famous and important people" + }, + "petroleum": { + "CHS": "石油", + "ENG": "oil that is obtained from below the surface of the Earth and is used to make petrol, paraffin , and various chemical substances" + }, + "primitive": { + "CHS": "原始人", + "ENG": "an artist who paints simple pictures like those of a child" + }, + "womb": { + "CHS": "容纳" + }, + "delinquent": { + "CHS": "流氓;行为不良的人;失职者" + }, + "orientation": { + "CHS": "方向;定向;适应;情况介绍;向东方", + "ENG": "the type of activity or subject that a person or organization seems most interested in and gives most attention to" + }, + "ironic": { + "CHS": "讽刺的;反话的", + "ENG": "an ironic situation is one that is unusual or amusing because something strange happens, or the opposite of what is expected happens or is true" + }, + "megalithic": { + "CHS": "使用巨石的,巨石造成的" + }, + "exodus": { + "CHS": "大批的离去", + "ENG": "If there is an exodus of people from a place, a lot of people leave that place at the same time" + }, + "plane": { + "CHS": "平的;平面的", + "ENG": "completely flat and smooth" + }, + "interservice": { + "CHS": "军种间的" + }, + "expenditure": { + "CHS": "支出,花费;经费,消费额", + "ENG": "the total amount of money that a government, organization, or person spends during a particular period of time" + }, + "severe": { + "CHS": "严峻的;严厉的;剧烈的;苛刻的", + "ENG": "severe problems, injuries, illnesses etc are very bad or very serious" + }, + "slump": { + "CHS": "衰退;暴跌;消沉", + "ENG": "Slump is also a noun" + }, + "terrestrial": { + "CHS": "陆地生物;地球上的人" + }, + "microorganism": { + "CHS": "[微] 微生物;微小动植物", + "ENG": "a living thing that is so small that it cannot be seen without a microscope " + }, + "vegetarian": { + "CHS": "素食的", + "ENG": "Someone who is vegetarian never eats meat or fish" + }, + "intensify": { + "CHS": "增强,强化;变激烈", + "ENG": "to increase in degree or strength, or to make something do this" + }, + "mosquito": { + "CHS": "蚊子", + "ENG": "a small flying insect that sucks the blood of people and animals, sometimes spreading the disease malaria " + }, + "resent": { + "CHS": "怨恨;愤恨;厌恶", + "ENG": "to feel angry or upset about a situation or about something that someone has done, especially because you think that it is not fair" + }, + "lymph": { + "CHS": "[解剖] 淋巴,淋巴液;血清", + "ENG": "a clear liquid that is formed in your body and passes into your blood system to fight against infection" + }, + "stake": { + "CHS": "资助,支持;系…于桩上;把…押下打赌", + "ENG": "to risk losing something that is valuable or important to you on the result of something" + }, + "sodium": { + "CHS": "[化学] 钠(11号元素,符号 Na)", + "ENG": "Sodium is a silvery white chemical element which combines with other chemicals. Salt is a sodium compound. " + }, + "organelle": { + "CHS": "[细胞] 细胞器;细胞器官", + "ENG": "a structural and functional unit, such as a mitochondrion, in a cell or unicellular organism " + }, + "abolish": { + "CHS": "废除,废止;取消,革除", + "ENG": "to officially end a law, system etc, especially one that has existed for a long time" + }, + "defiant": { + "CHS": "挑衅的;目中无人的,蔑视的;挑战的", + "ENG": "If you say that someone is defiant, you mean they show aggression or independence by refusing to obey someone" + }, + "currency": { + "CHS": "货币;通货", + "ENG": "the system or type of money that a country uses" + }, + "dedicated": { + "CHS": "以…奉献;把…用于(dedicate的过去式和过去分词)" + }, + "toxic": { + "CHS": "有毒的;中毒的", + "ENG": "containing poison, or caused by poisonous substances" + }, + "listlessness": { + "CHS": "无精打采;精神萎靡" + }, + "astronomy": { + "CHS": "天文学", + "ENG": "the scientific study of the stars and planet s " + }, + "regressive": { + "CHS": "回归的;后退的;退化的", + "ENG": "returning to an earlier, less advanced state, or causing something to do this - used to show disapproval" + }, + "reclaim": { + "CHS": "改造,感化;再生胶" + }, + "swiftly": { + "CHS": "很快地;敏捷地;即刻" + }, + "cabinet": { + "CHS": "内阁的;私下的,秘密的" + }, + "flat": { + "CHS": "逐渐变平;[音乐]以降调唱(或奏)" + }, + "simultaneous": { + "CHS": "同时译员" + }, + "bygone": { + "CHS": "过去的事" + }, + "abstract": { + "CHS": "摘要;提取;使……抽象化;转移(注意力、兴趣等);使心不在焉", + "ENG": "to write a document containing the most important ideas or points from a speech, article etc" + }, + "finite": { + "CHS": "有限之物" + }, + "matrix": { + "CHS": "[数] 矩阵;模型;[生物][地质] 基质;母体;子宫;[地质] 脉石", + "ENG": "an arrangement of numbers, letters, or signs in rows and column s that you consider to be one amount, and that you use in solving mathematical problems" + }, + "incursion": { + "CHS": "入侵;侵犯", + "ENG": "a sudden attack into an area that belongs to other people" + }, + "pelvic": { + "CHS": "骨盆的", + "ENG": "in or relating to the pelvis" + }, + "cryptic": { + "CHS": "神秘的,含义模糊的;[动] 隐藏的", + "ENG": "having a meaning that is mysterious or not easily understood" + }, + "rotational": { + "CHS": "转动的;回转的;轮流的" + }, + "steep": { + "CHS": "峭壁;浸渍" + }, + "infect": { + "CHS": "感染,传染", + "ENG": "to give someone a disease" + }, + "conglomerate": { + "CHS": "成团的;砾岩性的" + }, + "fuse": { + "CHS": "保险丝,熔线;导火线,雷管", + "ENG": "a short thin piece of wire inside electrical equipment which prevents damage by melting and stopping the electricity when there is too much power" + }, + "contribute": { + "CHS": "贡献,出力;投稿;捐献", + "ENG": "to give money, help, ideas etc to something that a lot of other people are also involved in" + }, + "ambitious": { + "CHS": "野心勃勃的;有雄心的;热望的;炫耀的", + "ENG": "determined to be successful, rich, powerful etc" + }, + "nonstarter": { + "CHS": "早就无成功希望的人;弃权出赛的马", + "ENG": "an idea, a plan, or a person that has no chance of success" + }, + "laxity": { + "CHS": "松驰;放纵" + }, + "spin": { + "CHS": "旋转;疾驰", + "ENG": "an act of turning around quickly" + }, + "fault": { + "CHS": "弄错;产生断层" + }, + "transaction": { + "CHS": "交易;事务;办理;会报,学报", + "ENG": "a business deal or action, such as buying or selling something" + }, + "rib": { + "CHS": "戏弄;装肋于", + "ENG": "to furnish or support with a rib or ribs " + }, + "toxin": { + "CHS": "毒素;毒质", + "ENG": "a poisonous substance, especially one that is produced by bacteria and causes a particular disease" + }, + "ripple": { + "CHS": "起潺潺声", + "ENG": "to make a noise like water that is flowing gently" + }, + "fusion": { + "CHS": "融合;熔化;熔接;融合物;[物] 核聚变", + "ENG": "a combination of separate qualities or ideas" + }, + "stew": { + "CHS": "炖,炖汤;烦恼;闷热;鱼塘", + "ENG": "a hot meal made by cooking meat and vegetables slowly in liquid for a long time" + }, + "caste": { + "CHS": "(印度社会中的)种姓;(具有严格等级差别的)社会地位;(排他的)社会团体", + "ENG": "one of the fixed social classes, which cannot be changed, into which people are born in India" + }, + "peddle": { + "CHS": "(Peddle)人名;(英)佩德尔" + }, + "porpoise": { + "CHS": "海豚;鼠海豚", + "ENG": "a sea animal that looks similar to a dolphin and breathes air" + }, + "scarcity": { + "CHS": "不足;缺乏", + "ENG": "a situation in which there is not enough of something" + }, + "clan": { + "CHS": "宗族;部落;集团", + "ENG": "a large group of families who often share the same name" + }, + "entitle": { + "CHS": "称做…;定名为…;给…称号;使…有权利", + "ENG": "to give someone the official right to do or have something" + }, + "aflatoxin": { + "CHS": "[生化] 黄曲霉毒素", + "ENG": "a toxin produced by the fungus Aspergillus flavus growing on peanuts, maize, etc, causing liver disease (esp cancer) in man " + }, + "endpoint": { + "CHS": "端点;末端,终结点" + }, + "grant": { + "CHS": "拨款;[法] 授予物", + "ENG": "an amount of money given to someone, especially by the government, for a particular purpose" + }, + "urbanize": { + "CHS": "使都市化;使文雅", + "ENG": "to make (esp a predominantly rural area or country) more industrialized and urban " + }, + "realistic": { + "CHS": "现实的;现实主义的;逼真的;实在论的", + "ENG": "judging and dealing with situations in a practical way according to what is actually possible rather than what you would like to happen" + }, + "confirm": { + "CHS": "确认;确定;证实;批准;使巩固", + "ENG": "to show that something is definitely true, especially by providing more proof" + }, + "pristine": { + "CHS": "原始的,古时的;纯朴的" + }, + "random": { + "CHS": "胡乱地" + }, + "provision": { + "CHS": "供给…食物及必需品", + "ENG": "to provide someone or something with a lot of food and supplies, especially for a journey" + }, + "prudent": { + "CHS": "(Prudent)人名;(法)普吕当" + }, + "additive": { + "CHS": "附加的;[数] 加法的" + }, + "annoyed": { + "CHS": "使烦恼;打扰(annoy的过去分词)" + }, + "supernova": { + "CHS": "[天] 超新星", + "ENG": "a very large exploding star" + }, + "divulge": { + "CHS": "泄露;暴露", + "ENG": "to give someone information that should be secret" + }, + "velvet": { + "CHS": "天鹅绒的" + }, + "circumference": { + "CHS": "圆周;周长;胸围", + "ENG": "the distance or measurement around the outside of a circle or any round shape" + }, + "signify": { + "CHS": "表示;意味;预示", + "ENG": "to represent, mean, or be a sign of something" + }, + "parallelogram": { + "CHS": "平行四边形", + "ENG": "a flat shape with four sides in which each side is the same length as the side opposite it and parallel to it" + }, + "pamphlet": { + "CHS": "小册子", + "ENG": "a very thin book with paper covers, that gives information about something" + }, + "unaccompanied": { + "CHS": "无伴奏的;无伴侣的;无伴随的", + "ENG": "someone or something that is unaccompanied has no one with them" + }, + "competence": { + "CHS": "能力,胜任;权限;作证能力;足以过舒适生活的收入", + "ENG": "the ability to do something well" + }, + "megacity": { + "CHS": "大城市(人口超过1000万的)", + "ENG": "a city with over 10 million inhabitants ( " + }, + "testimony": { + "CHS": "[法] 证词,证言;证据", + "ENG": "a formal statement saying that something is true, especially one a witness makes in a court of law" + }, + "peculiar": { + "CHS": "特权;特有财产" + }, + "complaint": { + "CHS": "抱怨;诉苦;疾病;委屈", + "ENG": "a statement in which someone complains about something" + }, + "snout": { + "CHS": "鼻子;猪嘴;烟草;鼻口部;口吻状物", + "ENG": "the long nose of some kinds of animals, such as pigs" + }, + "participate": { + "CHS": "参与,参加;分享", + "ENG": "to take part in an activity or event" + }, + "garment": { + "CHS": "给…穿衣服" + }, + "centigrade": { + "CHS": "摄氏的;[仪] 摄氏温度的;百分度的", + "ENG": "Centigrade is a scale for measuring temperature, in which water freezes at 0 degrees and boils at 100 degrees. It is represented by the symbol °C. " + }, + "approbation": { + "CHS": "认可;赞许;批准", + "ENG": "official praise or approval" + }, + "scribe": { + "CHS": "写下,记下;用划线器划" + }, + "ergonomic": { + "CHS": "人类环境改造学的;人类工程学的", + "ENG": "of or relating to ergonomics " + }, + "franchise": { + "CHS": "给…以特许(或特权);赋予公民权", + "ENG": "to give or sell a franchise to someone" + }, + "unique": { + "CHS": "独一无二的人或物" + }, + "delineate": { + "CHS": "描绘;描写;画…的轮廓", + "ENG": "If you delineate something such as an idea or situation, you describe it or define it, often in a lot of detail" + }, + "subsidize": { + "CHS": "资助;给与奖助金;向…行贿", + "ENG": "if a government or organization subsidizes a company, activity etc, it pays part of its costs" + }, + "mount": { + "CHS": "山峰;底座;乘骑用马;攀,登;运载工具;底座", + "ENG": "used as part of the name of a mountain" + }, + "inertia": { + "CHS": "[力] 惯性;惰性,迟钝;不活动", + "ENG": "when no one wants to do anything to change a situation" + }, + "genuine": { + "CHS": "真实的,真正的;诚恳的", + "ENG": "a genuine feeling, desire etc is one that you really feel, not one you pretend to feel" + }, + "anole": { + "CHS": "变色龙", + "ENG": "any small arboreal tropical American insectivorous lizards of the genus Anolis, such as A. carolinensis (green anole): family Iguanidae (iguanas). They are able to change the colour of their skin " + }, + "adverse": { + "CHS": "不利的;相反的;敌对的(名词adverseness,副词adversely)", + "ENG": "not good or favourable" + }, + "stipend": { + "CHS": "奖学金;固定薪金;定期津贴;养老金", + "ENG": "an amount of money paid regularly to someone, especially a priest, as a salary or as money to live on" + }, + "control": { + "CHS": "控制;管理;抑制", + "ENG": "to have the power to make the decisions about how a country, place, company etc is organized or what it does" + }, + "principle": { + "CHS": "原理,原则;主义,道义;本质,本义;根源,源泉", + "ENG": "the basic idea that a plan or system is based on" + }, + "squash": { + "CHS": "壁球;挤压;咯吱声;南瓜属植物;(英)果汁饮料", + "ENG": "a game played by two people who use rackets to hit a small rubber ball against the walls of a square court" + }, + "brass": { + "CHS": "黄铜;黄铜制品;铜管乐器;厚脸皮", + "ENG": "a very hard bright yellow metal that is a mixture of copper and zinc " + }, + "grove": { + "CHS": "小树林;果园", + "ENG": "a piece of land with trees growing on it" + }, + "extraordinary": { + "CHS": "非凡的;特别的;离奇的;临时的;特派的", + "ENG": "very much greater or more impressive than usual" + }, + "interest": { + "CHS": "使……感兴趣;引起……的关心;使……参与", + "ENG": "to make someone want to pay attention to something and find out more about it" + }, + "prejudice": { + "CHS": "损害;使有偏见", + "ENG": "to influence someone so that they have an unfair or unreasonable opinion about someone or something" + }, + "regret": { + "CHS": "后悔;惋惜;哀悼", + "ENG": "to feel sorry about something you have done and wish you had not done it" + }, + "gimmick": { + "CHS": "使暗机关;搞骗人的玩意" + }, + "presentation": { + "CHS": "展示;描述,陈述;介绍;赠送", + "ENG": "an event at which you describe or explain a new product or idea" + }, + "inhalation": { + "CHS": "吸入;吸入药剂", + "ENG": "Inhalation is the process or act of breathing in, taking air and sometimes other substances into your lungs" + }, + "lounge": { + "CHS": "闲逛;懒洋洋地躺卧;闲混", + "ENG": "to stand, sit, or lie in a lazy or relaxed way" + }, + "remedy": { + "CHS": "补救;治疗;赔偿", + "ENG": "a way of dealing with a problem or making a bad situation better" + }, + "dietary": { + "CHS": "饮食的,饭食的,规定食物的", + "ENG": "related to the food someone eats" + }, + "architect": { + "CHS": "建筑师", + "ENG": "someone whose job is to design buildings" + }, + "depth": { + "CHS": "[海洋] 深度;深奥", + "ENG": "the part that is furthest away from people, and most difficult to reach" + }, + "substance": { + "CHS": "物质;实质;资产;主旨", + "ENG": "a particular type of solid, liquid, or gas" + }, + "carpenter": { + "CHS": "当木匠,做木匠工作" + }, + "dumpster": { + "CHS": "大型垃圾装卸卡车;垃圾大铁桶", + "ENG": "A Dumpster is a large metal container for holding rubbish" + }, + "vegetative": { + "CHS": "植物的;植物人状态的,无所作为的;促使植物生长的;有生长力的", + "ENG": "relating to plants, and particularly to the way they grow or make new plants" + }, + "resign": { + "CHS": "辞去职务" + }, + "superb": { + "CHS": "(Superb)人名;(罗)苏佩尔布" + }, + "preventive": { + "CHS": "预防的,防止的", + "ENG": "intended to stop something you do not want to happen, such as illness, from happening" + }, + "expulsion": { + "CHS": "驱逐;开除", + "ENG": "the act of forcing someone to leave a place" + }, + "sanitary": { + "CHS": "公共厕所" + }, + "congressional": { + "CHS": "国会的;会议的;议会的", + "ENG": "A congressional policy, action, or person relates to the U.S. Congress. " + }, + "affiliation": { + "CHS": "友好关系;加入;联盟;从属关系", + "ENG": "the connection or involvement that someone or something has with a political, religious etc organization" + }, + "allergy": { + "CHS": "过敏症;反感;厌恶", + "ENG": "a medical condition in which you become ill or in which your skin becomes red and painful because you have eaten or touched a particular substance" + }, + "arable": { + "CHS": "耕地" + }, + "organization": { + "CHS": "组织;机构;体制;团体", + "ENG": "a group such as a club or business that has formed for a particular purpose" + }, + "merge": { + "CHS": "(Merge)人名;(意)梅尔杰" + }, + "divisible": { + "CHS": "可分的;可分割的", + "ENG": "able to be divided, for example by a number" + }, + "ethic": { + "CHS": "伦理的;道德的(等于ethical)" + }, + "forthcoming": { + "CHS": "来临" + }, + "construct": { + "CHS": "构想,概念", + "ENG": "an idea formed by combining several pieces of information or knowledge" + }, + "inclusion": { + "CHS": "包含;内含物", + "ENG": "the act of including someone or something in a larger group or set, or the fact of being included in one" + }, + "barb": { + "CHS": "箭头鱼钩等的倒钩;伤人的话", + "ENG": "the sharp curved point of a hook, arrow etc that prevents it from being easily pulled out" + }, + "paradox": { + "CHS": "悖论,反论;似非而是的论点;自相矛盾的人或事", + "ENG": "a situation that seems strange because it involves two ideas or qualities that are very different" + }, + "comedian": { + "CHS": "喜剧演员;滑稽人物", + "ENG": "someone whose job is to tell jokes and make people laugh" + }, + "indifference": { + "CHS": "漠不关心;冷淡;不重视;中立", + "ENG": "lack of interest or concern" + }, + "miniature": { + "CHS": "是…的缩影" + }, + "collapse": { + "CHS": "倒塌;失败;衰竭", + "ENG": "a sudden failure in the way something works, so that it cannot continue" + }, + "consent": { + "CHS": "同意;(意见等的)一致;赞成", + "ENG": "agreement about something" + }, + "stave": { + "CHS": "延缓;击穿;凿孔于;压扁" + }, + "semicircle": { + "CHS": "半圆,半圆形", + "ENG": "half a circle" + }, + "gyroscope": { + "CHS": "陀螺仪;[航] 回转仪", + "ENG": "a wheel that spins inside a frame and is used for keeping ships and aircraft steady. It can also be a child’s toy." + }, + "gear": { + "CHS": "好极了" + }, + "roughly": { + "CHS": "粗糙地;概略地", + "ENG": "not exactly" + }, + "minimum": { + "CHS": "最小的;最低的", + "ENG": "the minimum number, degree, or amount of something is the smallest or least that is possible, allowed, or needed" + }, + "anthropologist": { + "CHS": "人类学家;人类学者" + }, + "passbook": { + "CHS": "银行存折;赊帐登录本", + "ENG": "a book in which a record is kept of the money you put into and take out of a bank account" + }, + "ridicule": { + "CHS": "嘲笑;笑柄;愚弄", + "ENG": "unkind laughter or remarks that are intended to make someone or something seem stupid" + }, + "trait": { + "CHS": "特性,特点;品质;少许", + "ENG": "a particular quality in someone’s character" + }, + "fertilizer": { + "CHS": "[肥料] 肥料;受精媒介物;促进发展者", + "ENG": "a substance that is put on the soil to make plants grow" + }, + "chaise": { + "CHS": "一种轻马车(通常有车蓬,尤指单马双轮者)", + "ENG": "a light open horse-drawn carriage, esp one with two wheels designed for two passengers " + }, + "corruption": { + "CHS": "贪污,腐败;堕落", + "ENG": "dishonest, illegal, or immoral behaviour, especially from someone with power" + }, + "illicit": { + "CHS": "违法的;不正当的", + "ENG": "not allowed by laws or rules, or strongly disapproved of by society" + }, + "outnumber": { + "CHS": "数目超过;比…多", + "ENG": "to be more in number than another group" + }, + "intelligence": { + "CHS": "智力;情报工作;情报机关;理解力;才智,智慧;天分", + "ENG": "the ability to learn, understand, and think about things" + }, + "follicle": { + "CHS": "卵泡;滤泡;小囊", + "ENG": "one of the small holes in the skin that hairs grow from" + }, + "smuggler": { + "CHS": "走私者;走私犯;[法] 走私船", + "ENG": "someone who takes something illegally from one country to another" + }, + "fickle": { + "CHS": "浮躁的;易变的;变幻无常的", + "ENG": "someone who is fickle is always changing their mind about people or things that they like, so that you cannot depend on them – used to show disapproval" + }, + "marshy": { + "CHS": "沼泽的;湿地的", + "ENG": "Marshy land is always wet and muddy" + }, + "sedentary": { + "CHS": "久坐的;坐惯的;定栖的;静坐的", + "ENG": "spending a lot of time sitting down, and not moving or exercising very much" + }, + "gadgeteering": { + "CHS": "精巧装置的发明;小巧机械的发明" + }, + "credence": { + "CHS": "信任;凭证;祭器台(等于credence table,credenza)", + "ENG": "the acceptance of something as true" + }, + "inflict": { + "CHS": "造成;使遭受(损伤、痛苦等);给予(打击等)", + "ENG": "To inflict harm or damage on someone or something means to make them suffer it" + }, + "fluorescent": { + "CHS": "荧光;日光灯" + }, + "isotope": { + "CHS": "同位素", + "ENG": "one of the possible different forms of an atom of a particular element " + }, + "prorate": { + "CHS": "(美)按比例分配", + "ENG": "If a cost is prorated, it is divided or assessed in a proportional way" + }, + "guarantee": { + "CHS": "保证;担保", + "ENG": "to promise that you will pay back money that someone else has borrowed, if they do not pay it back themselves" + }, + "initiate": { + "CHS": "新加入的;接受初步知识的" + }, + "bankruptcy": { + "CHS": "破产", + "ENG": "the state of being unable to pay your debts" + }, + "prediction": { + "CHS": "预报;预言", + "ENG": "a statement about what you think is going to happen, or the act of making this statement" + }, + "condominium": { + "CHS": "共同统治;财产共有权;独立产权的公寓", + "ENG": "one apartment in a building with several apartments, each of which is owned by the people living in it" + }, + "indication": { + "CHS": "指示,指出;迹象;象征", + "ENG": "a sign, remark, event etc that shows what is happening, what someone is thinking or feeling, or what is true" + }, + "ample": { + "CHS": "(Ample)人名;(西)安普尔" + }, + "biomedical": { + "CHS": "生物医学的", + "ENG": "Biomedical research examines the effects of drugs and medical techniques on the biological systems of living creatures" + }, + "solitary": { + "CHS": "独居者;隐士", + "ENG": "someone who lives completely alone" + }, + "confront": { + "CHS": "面对;遭遇;比较", + "ENG": "if a problem, difficulty etc confronts you, it appears and needs to be dealt with" + }, + "triangular": { + "CHS": "三角的,[数] 三角形的;三人间的", + "ENG": "shaped like a triangle" + }, + "inequality": { + "CHS": "不平等;不同;不平均", + "ENG": "an unfair situation, in which some groups in society have more money, opportunities, power etc than others" + }, + "competitive": { + "CHS": "竞争的;比赛的;求胜心切的", + "ENG": "relating to competition" + }, + "intent": { + "CHS": "专心的;急切的;坚决的", + "ENG": "giving careful attention to something so that you think about nothing else" + }, + "clinging": { + "CHS": "坚持,紧贴(cling的ing形式)" + }, + "potter": { + "CHS": "闲混,虚度" + }, + "preferential": { + "CHS": "优先的;选择的;特惠的;先取的", + "ENG": "preferential treatment, rates etc are deliberately different in order to give an advantage to particular people" + }, + "decrease": { + "CHS": "减少,减小", + "ENG": "to become less or go down to a lower level, or to make something do this" + }, + "customs": { + "CHS": "海关;风俗(custom的复数);习惯;关税", + "ENG": "Customs is the official organization responsible for collecting taxes on goods coming into a country and preventing illegal goods from being brought in" + }, + "overwhelm": { + "CHS": "淹没;压倒;受打击;覆盖;压垮", + "ENG": "if work or a problem overwhelms someone, it is too much or too difficult to deal with" + }, + "milliliter": { + "CHS": "毫升" + }, + "infest": { + "CHS": "骚扰;寄生于;大批出没;大批滋生", + "ENG": "if insects, rats etc infest a place, there are a lot of them and they usually cause damage" + }, + "jumbo": { + "CHS": "庞然大物;巨型喷气式飞机;体大而笨拙的人或物", + "ENG": "A jumbo or a jumbo jet is a very large jet aircraft that can carry several hundred passengers" + }, + "mint": { + "CHS": "完美的", + "ENG": "looking new and in perfect condition" + }, + "drainage": { + "CHS": "排水;排水系统;污水;排水面积", + "ENG": "the process or system by which water or waste liquid flows away" + }, + "hypothalamus": { + "CHS": "[解剖] 下丘脑", + "ENG": "The hypothalamus is the part of the brain that controls functions such as hunger and thirst" + }, + "resplendent": { + "CHS": "光辉的;华丽的", + "ENG": "very beautiful, bright, and impressive in appearance" + }, + "unionist": { + "CHS": "工会会员;联合主义者" + }, + "curb": { + "CHS": "控制;勒住", + "ENG": "to control or limit something in order to prevent it from having a harmful effect" + }, + "nomadic": { + "CHS": "游牧的;流浪的;游动的", + "ENG": "nomadic people are nomads" + }, + "intercept": { + "CHS": "拦截;[数] 截距;截获的情报" + }, + "proliferation": { + "CHS": "增殖,扩散;分芽繁殖", + "ENG": "a sudden increase in the amount or number of something" + }, + "ultrasound": { + "CHS": "超声;超音波", + "ENG": "sound that is too high for humans to hear" + }, + "recipient": { + "CHS": "容易接受的,感受性强的" + }, + "emigrate": { + "CHS": "移居;移居外国", + "ENG": "to leave your own country in order to live in another country" + }, + "calf": { + "CHS": "[解剖] 腓肠,小腿;小牛;小牛皮;(鲸等大哺乳动物的)幼崽", + "ENG": "the part of the back of your leg between your knee and your ankle " + }, + "idiosyncrasy": { + "CHS": "(个人独有的)气质,性格,习惯,癖好", + "ENG": "an unusual habit or way of behaving that someone has" + }, + "mode": { + "CHS": "模式;方式;风格;时尚", + "ENG": "a particular way or style of behaving, living or doing something" + }, + "obsolescence": { + "CHS": "[生物] 退化;荒废" + }, + "rim": { + "CHS": "作…的边,装边于", + "ENG": "to be around the edge of something" + }, + "divest": { + "CHS": "剥夺;使脱去,迫使放弃", + "ENG": "If you divest yourself of something that you own or are responsible for, you get rid of it or stop being responsible for it" + }, + "debase": { + "CHS": "(Debase)人名;(意)德巴塞" + }, + "provisional": { + "CHS": "临时邮票" + }, + "dependence": { + "CHS": "依赖;依靠;信任;信赖", + "ENG": "when you depend on the help and support of someone or something else in order to exist or be successful" + }, + "partridge": { + "CHS": "[鸟] 鹧鸪;松鸡", + "ENG": "a fat brown bird with a short tail which is shot for sport and food" + }, + "unequivocally": { + "CHS": "明确地" + }, + "eschew": { + "CHS": "避免;避开;远避", + "ENG": "to deliberately avoid doing or using something" + }, + "euphoria": { + "CHS": "精神欢快,[临床] 欣快;兴高采烈;欣快症;幸福愉快感" + }, + "rigorous": { + "CHS": "严格的,严厉的;严密的;严酷的", + "ENG": "careful, thorough, and exact" + }, + "outlaw": { + "CHS": "宣布…为不合法;将…放逐;剥夺…的法律保护", + "ENG": "When something is outlawed, it is made illegal" + }, + "foster": { + "CHS": "(Foster)人名;(英、捷、意、葡、法、德、俄、西)福斯特" + }, + "doctrine": { + "CHS": "主义;学说;教义;信条", + "ENG": "a set of beliefs that form an important part of a religion or system of ideas" + }, + "diplomatic": { + "CHS": "外交的;外交上的;老练的", + "ENG": "relating to or involving the work of diplomats" + }, + "evaluate": { + "CHS": "评价;估价;求…的值", + "ENG": "to judge how good, useful, or successful something is" + }, + "accessible": { + "CHS": "易接近的;可进入的;可理解的", + "ENG": "a place, building, or object that is accessible is easy to reach or get into" + }, + "promotional": { + "CHS": "促销的;增进的;奖励的", + "ENG": "Promotional material, events, or ideas are designed to increase the sales of a product or service" + }, + "hesitance": { + "CHS": "踌躇;犹豫" + }, + "constituent": { + "CHS": "构成的;选举的", + "ENG": "being one of the parts of something" + }, + "aversion": { + "CHS": "厌恶;讨厌的人", + "ENG": "a strong dislike of something or someone" + }, + "constitute": { + "CHS": "组成,构成;建立;任命", + "ENG": "if several people or things constitute something, they are the parts that form it" + }, + "projection": { + "CHS": "投射;规划;突出;发射;推测", + "ENG": "the act of projecting a film or picture onto a screen" + }, + "recommend": { + "CHS": "推荐,介绍;劝告;使受欢迎;托付", + "ENG": "to advise someone to do something, especially because you have special knowledge of a situation or subject" + }, + "addictive": { + "CHS": "使人上瘾的", + "ENG": "if a substance, especially a drug, is addictive, your body starts to need it regularly and you are unable to stop taking it" + }, + "congested": { + "CHS": "挤满;超负荷(congest的过去分词)" + }, + "storefront": { + "CHS": "[贸易] 店面;店头", + "ENG": "the part of a store that faces the street" + }, + "bark": { + "CHS": "狗叫;尖叫;剥皮", + "ENG": "when a dog barks, it makes a short loud sound or series of sounds" + }, + "outlay": { + "CHS": "[会计] 经费;支出;费用", + "ENG": "the amount of money that you have to spend in order to start a new business, activity etc" + }, + "documentation": { + "CHS": "文件, 证明文件, 史实, 文件编制", + "ENG": "official documents, reports etc that are used to prove that something is true or correct" + }, + "chatty": { + "CHS": "(Chatty)人名;(英)查蒂 (教名Carol、Carola、Caroline、Carolyn的昵称)" + }, + "renal": { + "CHS": "(Renal)人名;(法)勒纳尔" + }, + "physiology": { + "CHS": "生理学;生理机能", + "ENG": "the science that studies the way in which the bodies of living things work" + }, + "protons": { + "CHS": "[物] 质子;氢核(proton的复数)", + "ENG": "A proton is an atomic particle that has a positive electrical charge" + }, + "identifiable": { + "CHS": "可辨认的;可认明的;可证明是同一的", + "ENG": "able to be recognized" + }, + "interval": { + "CHS": "间隔;间距;幕间休息", + "ENG": "the period of time between two events, activities etc" + }, + "disaster": { + "CHS": "灾难,灾祸;不幸", + "ENG": "a sudden event such as a flood, storm, or accident which causes great damage or suffering" + }, + "attendance": { + "CHS": "出席;到场;出席人数;考勤", + "ENG": "the number of people who attend a game, concert, meeting etc" + }, + "saturated": { + "CHS": "使渗透,使饱和(saturate的过去式)" + }, + "encounter": { + "CHS": "遭遇,偶然碰见", + "ENG": "an occasion when you meet or experience something" + }, + "restrain": { + "CHS": "抑制,控制;约束;制止", + "ENG": "to stop someone from doing something, often by using physical force" + }, + "caribou": { + "CHS": "北美驯鹿", + "ENG": "a North American reindeer " + }, + "provenance": { + "CHS": "出处,起源", + "ENG": "the place where something originally came from" + }, + "cargo": { + "CHS": "货物,船货", + "ENG": "the goods that are being carried in a ship or plane" + }, + "effect": { + "CHS": "产生;达到目的" + }, + "gloomy": { + "CHS": "黑暗的;沮丧的;阴郁的", + "ENG": "making you feel that things will not improve" + }, + "undesirable": { + "CHS": "不良分子;不受欢迎的人", + "ENG": "someone who is considered to be immoral, criminal, or socially unacceptable" + }, + "avidly": { + "CHS": "贪心地;热心地" + }, + "fjord": { + "CHS": "[地理] 峡湾(等于fiord)", + "ENG": "a narrow area of sea between high cliffs, especially in Norway" + }, + "Catholic": { + "CHS": "天主教徒;罗马天主教", + "ENG": "A Catholic is a member of the Catholic Church" + }, + "temblor": { + "CHS": "(美)地震", + "ENG": "an earthquake " + }, + "geophysical": { + "CHS": "地球物理学的", + "ENG": "Geophysical means relating to geophysics" + }, + "vortices": { + "CHS": "旋涡;(指水或风形成的)涡流( vortex的名词复数 )" + }, + "embark": { + "CHS": "从事,着手;上船或飞机", + "ENG": "to go onto a ship or a plane, or to put or take something onto a ship or plane" + }, + "logotype": { + "CHS": "连合活字;标识;商标", + "ENG": "a piece of type with several uncombined characters cast on it " + }, + "collinear": { + "CHS": "[数] 共线的;同线的;在同一直线上的", + "ENG": "lying on the same straight line " + }, + "nickel": { + "CHS": "镀镍于" + }, + "evolve": { + "CHS": "发展,进化;进化;使逐步形成;推断出", + "ENG": "if an animal or plant evolves, it changes gradually over a long period of time" + }, + "clog": { + "CHS": "障碍;木底鞋", + "ENG": "a shoe made of wood with a leather top that covers the front of your foot but not your heel" + }, + "dubious": { + "CHS": "可疑的;暧昧的;无把握的;半信半疑的", + "ENG": "probably not honest, true, right etc" + }, + "discharge": { + "CHS": "排放;卸货;解雇", + "ENG": "when gas, liquid, smoke etc is sent out, or the substance that is sent out" + }, + "rewind": { + "CHS": "倒回;重绕", + "ENG": "to make a cassette tape or video go backwards in order to see or hear it again" + }, + "perplex": { + "CHS": "使困惑,使为难;使复杂化", + "ENG": "if something perplexes you, it makes you feel confused and worried because it is difficult to understand" + }, + "format": { + "CHS": "使格式化;规定…的格式", + "ENG": "to organize the space on a computer disk so that information can be stored on it" + }, + "sentiment": { + "CHS": "感情,情绪;情操;观点;多愁善感", + "ENG": "an opinion or feeling you have about something" + }, + "exemplary": { + "CHS": "典范的;惩戒性的;可仿效的", + "ENG": "excellent and providing a good example for people to follow" + }, + "predicate": { + "CHS": "谓语的;述语的" + }, + "maneuver": { + "CHS": "[军] 机动;演习;调遣;用计谋" + }, + "dye": { + "CHS": "染;把…染上颜色", + "ENG": "to give something a different colour using a dye" + }, + "cuisine": { + "CHS": "烹饪,烹调法", + "ENG": "a particular style of cooking" + }, + "tangent": { + "CHS": "[数] 切线,[数] 正切", + "ENG": "a straight line that touches the outside of a curve but does not cut across it" + }, + "vestige": { + "CHS": "遗迹;残余;退化的器官", + "ENG": "a small part or amount of something that remains when most of it no longer exists" + }, + "reorganization": { + "CHS": "改组;整顿;改编" + }, + "inconsistent": { + "CHS": "不一致的;前后矛盾的", + "ENG": "two statements that are inconsistent cannot both be true" + }, + "associate": { + "CHS": "副的;联合的", + "ENG": "Associate is used before a rank or title to indicate a slightly different or lower rank or title" + }, + "snuff": { + "CHS": "鼻烟;烛花;灯花", + "ENG": "a type of tobacco in powder form, which people breathe in through their noses" + }, + "extract": { + "CHS": "汁;摘录;榨出物;选粹", + "ENG": "a short piece of writing, music etc taken from a particular book, piece of music etc" + }, + "manufacturing": { + "CHS": "制造;生产(manufacture的ing形式)", + "ENG": "To manufacture something means to make it in a factory, usually in large quantities" + }, + "intervention": { + "CHS": "介入;调停;妨碍", + "ENG": "the act of becoming involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "specialize": { + "CHS": "专门从事;详细说明;特化", + "ENG": "to limit all or most of your study, business etc to a particular subject or activity" + }, + "urbanization": { + "CHS": "都市化;文雅化", + "ENG": "Urbanization is the process of creating cities or towns in country areas" + }, + "monitor": { + "CHS": "监控", + "ENG": "to carefully watch and check a situation in order to see how it changes over a period of time" + }, + "replicate": { + "CHS": "复制品;八音阶间隔的反覆音" + }, + "secluded": { + "CHS": "隔绝(seclude的过去式)" + }, + "diminution": { + "CHS": "减少,降低;缩小", + "ENG": "a reduction in the size, number, or amount of something" + }, + "cataclysmic": { + "CHS": "大变动的;洪水的", + "ENG": "A cataclysmic event is one that changes a situation or society very greatly, especially in an unpleasant way" + }, + "voracious": { + "CHS": "贪婪的;贪吃的;狼吞虎咽的", + "ENG": "eating or wanting large quantities of food" + }, + "industrialization": { + "CHS": "工业化", + "ENG": "when a country or place develops a lot of industry" + }, + "durability": { + "CHS": "耐久性;坚固;耐用年限" + }, + "progressive": { + "CHS": "改革论者;进步分子", + "ENG": "A progressive is someone who is progressive" + }, + "circumstance": { + "CHS": "环境,情况;事件;境遇", + "ENG": "the conditions that affect a situation, action, event etc" + }, + "gregarious": { + "CHS": "社交的;群居的", + "ENG": "friendly and preferring to be with other people" + }, + "being": { + "CHS": "存在的;现有的" + }, + "residential": { + "CHS": "住宅的;与居住有关的", + "ENG": "a residential part of a town consists of private houses, with no offices or factories" + }, + "causative": { + "CHS": "使役动词" + }, + "luminosity": { + "CHS": "[光][天] 光度;光明;光辉", + "ENG": "The luminosity of a star or sun is how bright it is" + }, + "similarity": { + "CHS": "类似;相似点", + "ENG": "if there is a similarity between two things or people, they are similar in some way" + }, + "surplus": { + "CHS": "剩余的;过剩的", + "ENG": "more than what is needed or used" + }, + "installation": { + "CHS": "安装,装置;就职", + "ENG": "when someone fits a piece of equipment somewhere" + }, + "dispel": { + "CHS": "驱散,驱逐;消除(烦恼等)", + "ENG": "to make something go away, especially a belief, idea, or feeling" + }, + "pseudonym": { + "CHS": "笔名;假名", + "ENG": "an invented name that a writer, artist etc uses instead of their real name" + }, + "naturalize": { + "CHS": "移植;使入国籍;采纳", + "ENG": "if someone born outside a particular country is naturalized, they become a citizen of that country" + }, + "geographic": { + "CHS": "地理的;地理学的" + }, + "chamber": { + "CHS": "把…关在室内;装填(弹药等)" + }, + "litigant": { + "CHS": "诉讼的" + }, + "infuse": { + "CHS": "灌输;使充满;浸渍", + "ENG": "to fill something or someone with a particular feeling or quality" + }, + "factorization": { + "CHS": "[数] 因子分解;[数] 因式分解" + }, + "prodigy": { + "CHS": "奇迹,奇事;奇才;奇观;预兆", + "ENG": "A prodigy is someone young who has a great natural ability for something such as music, mathematics, or sports" + }, + "percentage": { + "CHS": "百分比;百分率,百分数", + "ENG": "an amount expressed as if it is part of a total which is 100" + }, + "magmatic": { + "CHS": "岩浆的" + }, + "intrinsic": { + "CHS": "本质的,固有的", + "ENG": "being part of the nature or character of someone or something" + }, + "arthritis": { + "CHS": "[外科] 关节炎", + "ENG": "a disease that causes the joints of your body to become swollen and very painful" + }, + "geometric": { + "CHS": "几何学的;[数] 几何学图形的", + "ENG": "having or using the shapes and lines in geometry , such as circles or squares, especially when these are arranged in regular patterns" + }, + "amplitude": { + "CHS": "振幅;丰富,充足;广阔", + "ENG": "the distance between the middle and the top or bottom of a wave such as a sound wave " + }, + "submarine": { + "CHS": "用潜水艇攻击" + }, + "grind": { + "CHS": "磨;苦工作", + "ENG": "a movement in skateboarding or rollerblading , which involves moving sideways along the edge of something, so that the bar connecting the wheels of the skateboard or rollerblade presses hard against the edge" + }, + "cripple": { + "CHS": "跛的;残废的" + }, + "circulate": { + "CHS": "传播,流传;循环;流通", + "ENG": "to move around within a system, or to make something do this" + }, + "elongate": { + "CHS": "伸长的;延长的" + }, + "osmotic": { + "CHS": "渗透性的,渗透的" + }, + "congregation": { + "CHS": "集会;集合;圣会", + "ENG": "a group of people gathered together in a church" + }, + "cumbersome": { + "CHS": "笨重的;累赘的;难处理的", + "ENG": "a process or system that is cumbersome is slow and difficult" + }, + "outright": { + "CHS": "完全的,彻底的;直率的;总共的", + "ENG": "clear and direct" + }, + "explore": { + "CHS": "探索;探测;探险", + "ENG": "to discuss or think about something carefully" + }, + "facial": { + "CHS": "美容,美颜;脸部按摩", + "ENG": "if you have a facial, you have a beauty treatment in which your face is cleaned and creams are rubbed into it" + }, + "desegregation": { + "CHS": "废止种族歧视" + }, + "stroke": { + "CHS": "(用笔等)画;轻抚;轻挪;敲击;划尾桨;划掉;(打字时)击打键盘", + "ENG": "to move your hand gently over something" + }, + "conversion": { + "CHS": "转换;变换;[金融] 兑换;改变信仰", + "ENG": "when you change something from one form, purpose, or system to a different one" + }, + "materialistic": { + "CHS": "唯物主义的;唯物论的;金钱至上的", + "ENG": "concerned only with money and possessions rather than things of the mind such as art, religion, or moral beliefs – used in order to show disapproval" + }, + "electro": { + "CHS": "电镀" + }, + "positive": { + "CHS": "正数;[摄] 正片" + }, + "ordinance": { + "CHS": "条例;法令;圣餐礼", + "ENG": "a law, usually of a city or town, that forbids or restricts an activity" + }, + "intake": { + "CHS": "摄取量;通风口;引入口;引入的量", + "ENG": "the amount of food, drink etc that you take into your body" + }, + "personnel": { + "CHS": "人员的;有关人事的" + }, + "fivefold": { + "CHS": "五倍的;五重的", + "ENG": "equal to or having five times as many or as much " + }, + "aggravate": { + "CHS": "加重;使恶化;激怒", + "ENG": "to make a bad situation, an illness, or an injury worse" + }, + "inaccessible": { + "CHS": "难达到的;难接近的;难见到的", + "ENG": "difficult or impossible to reach" + }, + "whim": { + "CHS": "奇想;一时的兴致;怪念头;幻想", + "ENG": "a sudden feeling that you would like to do or have something, especially when there is no important or good reason" + }, + "carbohydrate": { + "CHS": "[有化] 碳水化合物;[有化] 糖类", + "ENG": "a substance that is in foods such as sugar, bread, and potatoes, which provides your body with heat and energy and which consists of oxygen, hydrogen , and carbon " + }, + "metric": { + "CHS": "度量标准" + }, + "strategic": { + "CHS": "战略上的,战略的", + "ENG": "done as part of a plan, especially in a military, business, or political situation" + }, + "naive": { + "CHS": "天真的,幼稚的", + "ENG": "not having much experience of how complicated life is, so that you trust people too much and believe that good things will always happen" + }, + "landfill": { + "CHS": "垃圾填埋地;垃圾堆", + "ENG": "Landfill is a method of getting rid of very large amounts of rubbish by burying it in a large deep hole" + }, + "endothermic": { + "CHS": "[热] 吸热的;温血的", + "ENG": "(of a chemical reaction or compound) occurring or formed with the absorption of heat " + }, + "impact": { + "CHS": "挤入,压紧;撞击;对…产生影响", + "ENG": "to have an important or noticeable effect on someone or something" + }, + "reject": { + "CHS": "被弃之物或人;次品", + "ENG": "a product that has been rejected because there is something wrong with it" + }, + "corroborate": { + "CHS": "证实;使坚固", + "ENG": "to provide information that supports or helps to prove someone else’s statement, idea etc" + }, + "ore": { + "CHS": "矿;矿石", + "ENG": "rock or earth from which metal can be obtained" + }, + "lateral": { + "CHS": "横向传球" + }, + "influenza": { + "CHS": "[内科] 流行性感冒(简写flu);家畜流行性感冒", + "ENG": "an infectious disease that is like a very bad cold" + }, + "cardiovascular": { + "CHS": "[解剖] 心血管的", + "ENG": "relating to the heart and blood vessel s (= tubes through which blood flows around your body ) " + }, + "speculation": { + "CHS": "投机;推测;思索;投机买卖", + "ENG": "when you guess about the possible causes or effects of something without knowing all the facts, or the guesses that you make" + }, + "condescending": { + "CHS": "屈尊(condescend的ing形式)" + }, + "mechanism": { + "CHS": "机制;原理,途径;进程;机械装置;技巧", + "ENG": "part of a machine or a set of parts that does a particular job" + }, + "exonerate": { + "CHS": "使免罪" + }, + "flip": { + "CHS": "弹;筋斗", + "ENG": "a movement in which you jump up and turn over in the air, so that your feet go over your head" + }, + "sulfuric": { + "CHS": "硫磺的;含多量硫磺的;含(六价)硫的" + }, + "subtract": { + "CHS": "减去;扣掉", + "ENG": "to take a number or an amount from a larger number or amount" + }, + "concurrent": { + "CHS": "[数] 共点;同时发生的事件" + }, + "comprehension": { + "CHS": "理解;包含", + "ENG": "the ability to understand something" + }, + "legitimate": { + "CHS": "使合法;认为正当(等于legitimize)" + }, + "trigger": { + "CHS": "扳机;[电子] 触发器;制滑机", + "ENG": "the part of a gun that you pull with your finger to fire it" + }, + "bestow": { + "CHS": "使用;授予;放置;留宿", + "ENG": "to give someone something of great value or importance" + }, + "nonbiodegradable": { + "CHS": "非生物降解的;不能生物降解的" + }, + "vocal": { + "CHS": "声乐作品;元音" + }, + "relay": { + "CHS": "[电] 继电器;接替,接替人员;驿马" + }, + "revenue": { + "CHS": "税收,国家的收入;收益", + "ENG": "money that a business or organization receives over a period of time, especially from selling goods or services" + }, + "hypothesis": { + "CHS": "假设", + "ENG": "an idea that is suggested as an explanation for something, but that has not yet been proved to be true" + }, + "diameter": { + "CHS": "直径", + "ENG": "a straight line from one side of a circle to the other side, passing through the centre of the circle, or the length of this line" + }, + "spoilage": { + "CHS": "损坏,糟蹋;掠夺;损坏物", + "ENG": "waste resulting from something being spoiled" + }, + "ethnographic": { + "CHS": "人种志的;民族志学的", + "ENG": "Ethnographic refers to things that are connected with or relate to ethnography" + }, + "flourish": { + "CHS": "夸耀;挥舞", + "ENG": "If you flourish an object, you wave it about in a way that makes people notice it" + }, + "splotchy": { + "CHS": "有斑点的;沾上污点的" + }, + "polynomial": { + "CHS": "多项式的;多词学名(指由两个以上的词构成的学名)", + "ENG": "of, consisting of, or referring to two or more names or terms " + }, + "navigation": { + "CHS": "航行;航海", + "ENG": "the science or job of planning which way you need to go when you are travelling from one place to another" + }, + "archaeological": { + "CHS": "[古] 考古学的;[古] 考古学上的" + }, + "dispute": { + "CHS": "辩论;争吵", + "ENG": "a serious argument or disagreement" + }, + "realm": { + "CHS": "领域,范围;王国", + "ENG": "a general area of knowledge, activity, or thought" + }, + "decay": { + "CHS": "衰退,[核] 衰减;腐烂,腐朽", + "ENG": "the natural chemical change that causes the slow destruction of something" + }, + "reef": { + "CHS": "收帆;缩帆", + "ENG": "to tie up part of a sail in order to make it smaller" + }, + "hazardous": { + "CHS": "有危险的;冒险的;碰运气的", + "ENG": "dangerous, especially to people’s health or safety" + }, + "shatter": { + "CHS": "碎片;乱七八糟的状态" + }, + "proton": { + "CHS": "[物] 质子", + "ENG": "a very small piece of matter with a positive electrical charge that is in the central part of an atom" + }, + "longevity": { + "CHS": "长寿,长命;寿命", + "ENG": "the amount of time that someone or something lives" + }, + "spurious": { + "CHS": "假的;伪造的;欺骗的", + "ENG": "insincere" + }, + "envelope": { + "CHS": "信封,封皮;包膜;[天] 包层;包迹", + "ENG": "a thin paper cover in which you put and send a letter" + }, + "exert": { + "CHS": "运用,发挥;施以影响", + "ENG": "to use your power, influence etc in order to make something happen" + }, + "gorilla": { + "CHS": "大猩猩", + "ENG": "a very large African monkey that is the largest of the apes " + }, + "exempt": { + "CHS": "免税者;被免除义务者" + }, + "flatten": { + "CHS": "(Flatten)人名;(德)弗拉滕" + }, + "eclipse": { + "CHS": "日蚀,月蚀;黯然失色", + "ENG": "an occasion when the sun or the moon cannot be seen, because the Earth is passing directly between the moon and the sun, or because the moon is passing directly between the Earth and the sun" + }, + "irradiation": { + "CHS": "照射;发光,放射" + }, + "lactation": { + "CHS": "哺乳;哺乳期;授乳(形容词lactational);分泌乳汁", + "ENG": "the production of milk by a woman or female animal" + }, + "purchaser": { + "CHS": "买方;购买者" + }, + "primary": { + "CHS": "原色;最主要者" + }, + "origin": { + "CHS": "起源;原点;出身;开端", + "ENG": "the place or situation in which something begins to exist" + }, + "despise": { + "CHS": "轻视,鄙视", + "ENG": "to dislike and have a low opinion of someone or something" + }, + "lamellar": { + "CHS": "薄片状的;薄层状的" + }, + "anger": { + "CHS": "使发怒,激怒;恼火", + "ENG": "to make someone angry" + }, + "meteorite": { + "CHS": "陨星;流星", + "ENG": "A meteorite is a large piece of rock or metal from space that has landed on Earth" + }, + "foot": { + "CHS": "步行;跳舞;总计" + }, + "charity": { + "CHS": "慈善;施舍;慈善团体;宽容;施舍物", + "ENG": "an organization that gives money, goods, or help to people who are poor, sick etc" + }, + "ale": { + "CHS": "麦芽酒", + "ENG": "a type of beer made from malt 1 " + }, + "fluctuation": { + "CHS": "起伏,波动", + "ENG": "a change in a price, amount, level etc" + }, + "forecast": { + "CHS": "预测,预报;预想", + "ENG": "a description of what is likely to happen in the future, based on the information that you have now" + }, + "calendar": { + "CHS": "将…列入表中;将…排入日程表" + }, + "rhetoric": { + "CHS": "花言巧语的" + }, + "nonzero": { + "CHS": "非零的" + }, + "prokaryote": { + "CHS": "[细胞] 原核生物", + "ENG": "any organism having cells in each of which the genetic material is in a single DNA chain, not enclosed in a nucleus" + }, + "efficiency": { + "CHS": "效率;效能;功效", + "ENG": "the quality of doing something well and effectively, without wasting time, money, or energy" + }, + "cellular": { + "CHS": "移动电话;单元" + }, + "gymnast": { + "CHS": "体操运动员", + "ENG": "someone who is good at gymnastics and competes against other people in gymnastics competitions" + }, + "mononucleosis": { + "CHS": "单核细胞增多症;单核白血球增多症", + "ENG": "Mononucleosis is a disease which causes swollen glands, fever, and a sore throat" + }, + "constructivism": { + "CHS": "构成主义;构成派", + "ENG": "a movement in abstract art evolved in Russia after World War I, primarily by Naum Gabo, which explored the use of movement and machine-age materials in sculpture and had considerable influence on modern art and architecture " + }, + "criminology": { + "CHS": "犯罪学;刑事学", + "ENG": "the scientific study of crime and criminals" + }, + "exploit": { + "CHS": "勋绩;功绩" + }, + "power": { + "CHS": "借影响有权势人物以操纵权力的", + "ENG": "clothes which you wear at work to make you look important or confident" + }, + "antagonism": { + "CHS": "对抗,敌对;对立;敌意", + "ENG": "hatred between people or groups of people" + }, + "excavation": { + "CHS": "挖掘,发掘" + }, + "contemptuous": { + "CHS": "轻蔑的;侮辱的", + "ENG": "showing that you think someone or something deserves no respect" + }, + "candidate": { + "CHS": "候选人,候补者;应试者", + "ENG": "someone who is being considered for a job or is competing in an election" + }, + "supreme": { + "CHS": "至高;霸权" + }, + "partial": { + "CHS": "局部的;偏爱的;不公平的", + "ENG": "not complete" + }, + "release": { + "CHS": "释放;发布;让与", + "ENG": "when someone is officially allowed to go free, after being kept somewhere" + }, + "overcharge": { + "CHS": "对……索价过高;使……过度充电", + "ENG": "to charge someone too much money for something" + }, + "indicate": { + "CHS": "表明;指出;预示;象征", + "ENG": "to show that a particular situation exists, or that something is likely to be true" + }, + "aftermath": { + "CHS": "后果;余波", + "ENG": "the period of time after something such as a war, storm, or accident when people are still dealing with the results" + }, + "cursorial": { + "CHS": "适于行走的,善于奔跑的", + "ENG": "adapted for running " + }, + "revolution": { + "CHS": "革命;旋转;运行;循环", + "ENG": "a complete change in ways of thinking, methods of working etc" + }, + "seasonal": { + "CHS": "季节的;周期性的;依照季节的", + "ENG": "happening, expected, or needed during a particular season" + }, + "resume": { + "CHS": "重新开始,继续;恢复,重新占用", + "ENG": "to start doing something again after stopping or being interrupted" + }, + "ingenuity": { + "CHS": "心灵手巧,独创性;精巧;精巧的装置" + }, + "decorous": { + "CHS": "有礼貌的,高雅的;端正的", + "ENG": "having the correct appearance or behaviour for a particular occasion" + }, + "nonagon": { + "CHS": "[数] 九边形", + "ENG": "a polygon having nine sides " + }, + "conjunction": { + "CHS": "结合;[语] 连接词;同时发生", + "ENG": "a combination of different things that have come together by chance" + }, + "bisect": { + "CHS": "平分;二等分", + "ENG": "to divide something into two equal parts" + }, + "censure": { + "CHS": "责难", + "ENG": "the act of expressing strong disapproval and criticism" + }, + "tenet": { + "CHS": "原则;信条;教义", + "ENG": "a principle or belief, especially one that is part of a larger system of beliefs" + }, + "decorate": { + "CHS": "装饰;布置;授勋给", + "ENG": "to make something look more attractive by putting something pretty on it" + }, + "clavicle": { + "CHS": "[解剖] 锁骨", + "ENG": "a collar-bone " + }, + "legislature": { + "CHS": "立法机关;立法机构", + "ENG": "an institution that has the power to make or change laws" + }, + "canopy": { + "CHS": "用天蓬遮盖;遮盖" + }, + "filibuster": { + "CHS": "阻碍议案通过" + }, + "spherical": { + "CHS": "球形的,球面的;天体的", + "ENG": "having the shape of a sphere" + }, + "buffalo": { + "CHS": "[畜牧][脊椎] 水牛;[脊椎] 野牛(产于北美);水陆两用坦克", + "ENG": "an African animal similar to a large cow with long curved horns" + }, + "rangeland": { + "CHS": "牧场", + "ENG": "land that naturally produces forage plants suitable for grazing but where rainfall is too low or erratic for growing crops " + }, + "platform": { + "CHS": "平台;月台,站台;坛;讲台", + "ENG": "the raised place beside a railway track where you get on and off a train in a station" + }, + "maternal": { + "CHS": "母亲的;母性的;母系的;母体遗传的", + "ENG": "typical of the way a good mother behaves or feels" + }, + "meld": { + "CHS": "结合;融合", + "ENG": "A meld of things is a mixture or combination of them that is useful or pleasant" + }, + "stimuli": { + "CHS": "刺激;刺激物;促进因素(stimulus的复数)", + "ENG": "A stimulus is something that encourages activity in people or things" + }, + "counterclockwise": { + "CHS": "反时针方向", + "ENG": "If something is moving counterclockwise, it is moving in the opposite direction to the direction in which the hands of a clock move" + }, + "seismic": { + "CHS": "地震的;因地震而引起的", + "ENG": "relating to or caused by earthquakes " + }, + "atom": { + "CHS": "原子", + "ENG": "the smallest part of an element that can exist alone or can combine with other substances to form a molecule " + }, + "ilmenite": { + "CHS": "[矿物] 钛铁矿", + "ENG": "a black mineral found in igneous rocks as layered deposits and in veins. It is the chief source of titanium. Composition: iron titanium oxide. Formula: FeTiO3. Crystal structure: hexagonal (rhombohedral) " + }, + "fibrosis": { + "CHS": "[医] 纤维化,[病理] 纤维变性", + "ENG": "the formation of an abnormal amount of fibrous tissue in an organ or part as the result of inflammation, irritation, or healing " + }, + "seminar": { + "CHS": "讨论会,研讨班", + "ENG": "a class at a university or college for a small group of students and a teacher to study or discuss a particular subject" + }, + "interstellar": { + "CHS": "[航][天] 星际的", + "ENG": "happening or existing between the stars" + }, + "inferior": { + "CHS": "下级;次品", + "ENG": "someone who has a lower position or rank than you in an organization" + }, + "classify": { + "CHS": "分类;分等", + "ENG": "to decide what group something belongs to" + }, + "reproduce": { + "CHS": "复制;再生;生殖;使…在脑海中重现", + "ENG": "if an animal or plant reproduces, or reproduces itself, it produces young plants or animals" + }, + "assign": { + "CHS": "分配;指派;[计][数] 赋值", + "ENG": "to give someone a particular job or make them responsible for a particular person or thing" + }, + "cortex": { + "CHS": "[解剖] 皮质;树皮;果皮", + "ENG": "the outer layer of an organ in your body, especially your brain" + }, + "variation": { + "CHS": "变化;[生物] 变异,变种", + "ENG": "a difference between similar things, or a change from the usual amount or form of something" + }, + "molten": { + "CHS": "(Molten)人名;(英)莫尔滕" + }, + "ingredient": { + "CHS": "构成组成部分的" + }, + "synthetic": { + "CHS": "合成物" + }, + "clarify": { + "CHS": "澄清;阐明", + "ENG": "to make something clearer or easier to understand" + }, + "singularly": { + "CHS": "异常地;非常地;令人无法理解地", + "ENG": "in a way that is very noticeable or unusual" + }, + "devastate": { + "CHS": "毁灭;毁坏", + "ENG": "to damage something very badly or completely" + }, + "localize": { + "CHS": "使地方化;使局部化;停留在一地方", + "ENG": "If you localize something, you limit the size of the area that it affects and prevent it from spreading" + }, + "collateral": { + "CHS": "抵押品;[法] 担保品;旁系亲属", + "ENG": "property or other goods that you promise to give someone if you cannot pay back the money they lend you" + }, + "recession": { + "CHS": "衰退;不景气;后退;凹处", + "ENG": "a difficult time when there is less trade, business activity etc in a country than usual" + }, + "crusade": { + "CHS": "加入十字军;从事改革运动", + "ENG": "to take part in a crusade" + }, + "emphasize": { + "CHS": "强调,着重", + "ENG": "to say something in a strong way" + }, + "secretion": { + "CHS": "分泌;分泌物;藏匿;隐藏", + "ENG": "a substance, usually liquid, produced by part of a plant or animal" + }, + "granite": { + "CHS": "花岗岩;坚毅;冷酷无情", + "ENG": "a very hard grey rock, often used in building" + }, + "peninsula": { + "CHS": "半岛", + "ENG": "a piece of land almost completely surrounded by water but joined to a large area of land" + }, + "omission": { + "CHS": "疏忽,遗漏;省略;冗长", + "ENG": "when you do not include or do not do something" + }, + "confederation": { + "CHS": "联盟;邦联;同盟", + "ENG": "a group of people, political parties, or organizations that have united for political purposes or trade" + }, + "opossum": { + "CHS": "负鼠;装死", + "ENG": "one of various small animals from America and Australia that have fur and climb trees" + }, + "reception": { + "CHS": "接待;接收;招待会;感受;反应", + "ENG": "a particular type of welcome for someone, or a particular type of reaction to their ideas, work etc" + }, + "extensive": { + "CHS": "广泛的;大量的;广阔的", + "ENG": "large in size, amount, or degree" + }, + "occupational": { + "CHS": "职业的;占领的", + "ENG": "relating to or caused by your job" + }, + "prolonged": { + "CHS": "延长的;拖延的;持续很久的", + "ENG": "continuing for a long time" + }, + "arid": { + "CHS": "干旱的;不毛的,[农] 荒芜的", + "ENG": "arid land or an arid climate is very dry because it has very little rain" + }, + "commodity": { + "CHS": "商品,货物;日用品", + "ENG": "a product that is bought and sold" + }, + "intensity": { + "CHS": "强度;强烈;[电子] 亮度;紧张", + "ENG": "the quality of being felt very strongly or having a strong effect" + }, + "decoration": { + "CHS": "装饰,装潢;装饰品;奖章", + "ENG": "something pretty that you put in a place or on top of something to make it look attractive" + }, + "egoistic": { + "CHS": "自私自利的,自我中心的" + }, + "inalienable": { + "CHS": "不可分割的;不可剥夺的;不能让与的", + "ENG": "an inalienable right, power etc cannot be taken from you" + }, + "entertainment": { + "CHS": "娱乐;消遣;款待", + "ENG": "things such as films, television, performances etc that are intended to amuse or interest people" + }, + "nihilism": { + "CHS": "虚无主义;无政府主义;恐怖行为", + "ENG": "the belief that nothing has any meaning or value" + }, + "ozone": { + "CHS": "[化学] 臭氧;新鲜的空气", + "ENG": "a poisonous blue gas that is a type of oxygen" + }, + "extraction": { + "CHS": "取出;抽出;拔出;抽出物;出身", + "ENG": "the process of removing or obtaining something from something else" + }, + "accrue": { + "CHS": "产生;自然增长或利益增加", + "ENG": "if advantages accrue to you, you get those advantages over a period of time" + }, + "hostility": { + "CHS": "敌意;战争行动", + "ENG": "when someone is unfriendly and full of anger towards another person" + }, + "independence": { + "CHS": "独立性,自立性;自主", + "ENG": "political freedom from control by the government of another country" + }, + "stationery": { + "CHS": "文具;信纸", + "ENG": "paper for writing letters, usually with matching envelopes" + }, + "divisive": { + "CHS": "分裂的;区分的;造成不和的", + "ENG": "causing a lot of disagreement between people" + }, + "recommendation": { + "CHS": "推荐;建议;推荐信", + "ENG": "official advice given to someone, especially about what to do" + }, + "overlook": { + "CHS": "忽视;眺望" + }, + "commerce": { + "CHS": "贸易;商业;商务", + "ENG": "the buying and selling of goods and services" + }, + "needy": { + "CHS": "(Needy)人名;(英)尼迪", + "ENG": "The needy are people who are needy" + }, + "dilute": { + "CHS": "稀释;冲淡;削弱", + "ENG": "to make a liquid weaker by adding water or another liquid" + }, + "philanthropic": { + "CHS": "博爱的;仁慈的", + "ENG": "a philanthropic person or institution gives money and help to people who are poor or in trouble" + }, + "erratic": { + "CHS": "漂泊无定的人;古怪的人" + }, + "arrest": { + "CHS": "逮捕;监禁", + "ENG": "when the police take someone away and guard them because they may have done something illegal" + }, + "pressboard": { + "CHS": "纸板;绝缘用合成纤维板;小熨烫板" + }, + "entrepreneur": { + "CHS": "企业家;承包人;主办者", + "ENG": "someone who starts a new business or arranges business deals in order to make money, often in a way that involves financial risks" + }, + "purview": { + "CHS": "范围,权限;视界;条款", + "ENG": "within or outside the limits of someone’s job, activity, or knowledge" + }, + "emancipation": { + "CHS": "解放;释放" + }, + "commonplace": { + "CHS": "平凡的;陈腐的" + }, + "conceive": { + "CHS": "怀孕;构思;以为;持有", + "ENG": "to think of a new idea, plan etc and develop it in your mind" + }, + "transversal": { + "CHS": "横向;截线或贯线;横行肌", + "ENG": "a line intersecting two or more other lines " + }, + "silkworm": { + "CHS": "蚕,桑蚕", + "ENG": "a type of caterpillar which produces silk thread" + }, + "personhood": { + "CHS": "做人;人格;个性", + "ENG": "the condition of being a person who is an individual with inalienable rights, esp under the 14th Amendment of the Constitution of the United States " + }, + "orator": { + "CHS": "演说者;演讲者;雄辩家;原告", + "ENG": "someone who is good at making speeches and persuading people" + }, + "concert": { + "CHS": "音乐会用的;在音乐会上演出的" + }, + "factor": { + "CHS": "做代理商" + }, + "endorse": { + "CHS": "背书;认可;签署;赞同;在背面签名", + "ENG": "to express formal support or approval for someone or something" + }, + "accounting": { + "CHS": "解释(account的ing形式);叙述" + }, + "bombard": { + "CHS": "射石炮" + }, + "parabola": { + "CHS": "抛物线", + "ENG": "a curve in the shape of the imaginary line an object makes when it is thrown high in the air and comes down a little distance away" + }, + "prerequisite": { + "CHS": "首要必备的" + }, + "milieu": { + "CHS": "环境;周围;出身背景", + "ENG": "the things and people that surround you and influence the way you live and think" + }, + "cosmic": { + "CHS": "宇宙的(等于cosmical)", + "ENG": "relating to space or the universe" + }, + "caller": { + "CHS": "新鲜的" + }, + "sloth": { + "CHS": "怠惰,懒惰;[脊椎] 树懒", + "ENG": "an animal in Central and South America that moves very slowly, has grey fur, and lives in trees" + }, + "budworm": { + "CHS": "蚜虫" + }, + "nucleus": { + "CHS": "核,核心;原子核", + "ENG": "the central part of an atom, made up of neutrons, protons, and other elementary particles" + }, + "exile": { + "CHS": "放逐,流放;使背井离乡", + "ENG": "to force someone to leave their country, especially for political reasons" + }, + "unprecedented": { + "CHS": "空前的;无前例的", + "ENG": "never having happened before, or never having happened so much" + }, + "exclusion": { + "CHS": "排除;排斥;驱逐;被排除在外的事物", + "ENG": "when someone is not allowed to take part in something or enter a place" + }, + "deduct": { + "CHS": "扣除,减去;演绎", + "ENG": "to take away an amount or part from a total" + }, + "petition": { + "CHS": "请愿;请求", + "ENG": "to ask the government or an organization to do something by sending them a petition" + }, + "exhaust": { + "CHS": "排气;废气;排气装置", + "ENG": "a pipe on a car or machine that waste gases pass through" + }, + "excerpt": { + "CHS": "引用,摘录" + }, + "dividend": { + "CHS": "红利;股息;[数] 被除数;奖金", + "ENG": "a part of a company’s profit that is divided among the people with share s in the company" + }, + "terminology": { + "CHS": "术语,术语学;用辞", + "ENG": "the technical words or expressions that are used in a particular subject" + }, + "integer": { + "CHS": "[数] 整数;整体;完整的事物", + "ENG": "a whole number" + }, + "prohibit": { + "CHS": "阻止,禁止", + "ENG": "to say that an action is illegal or not allowed" + }, + "undue": { + "CHS": "过度的,过分的;不适当的;未到期的", + "ENG": "more than is reasonable, suitable, or necessary" + }, + "audiophile": { + "CHS": "唱片爱好者;爱玩高级音响的人", + "ENG": "a person who has a great interest in high-fidelity sound reproduction " + }, + "upstream": { + "CHS": "上游部门" + }, + "attrition": { + "CHS": "摩擦;磨损;消耗", + "ENG": "the process of gradually destroying your enemy or making them weak by attacking them continuously" + }, + "shareholder": { + "CHS": "股东;股票持有人", + "ENG": "someone who owns shares in a company or business" + }, + "postage": { + "CHS": "邮资,邮费", + "ENG": "the money charged for sending a letter, package etc by post" + }, + "bronze": { + "CHS": "镀青铜于" + }, + "neutrality": { + "CHS": "中立;中性;中立立场", + "ENG": "the state of not supporting either side in an argument or war" + }, + "disinterested": { + "CHS": "使不再有利害关系;使无兴趣(disinterest的过去分词)" + }, + "helicopter": { + "CHS": "由直升机运送" + }, + "complacency": { + "CHS": "自满;满足;自鸣得意", + "ENG": "a feeling of satisfaction with a situation or with what you have achieved, so that you stop trying to improve or change things – used to show disapproval" + }, + "concrete": { + "CHS": "具体物;凝结物" + }, + "hybrid": { + "CHS": "混合的;杂种的", + "ENG": "Hybrid is also an adjective" + }, + "markdown": { + "CHS": "标低价,[物价] 减价", + "ENG": "a reduction in the price of something" + }, + "outlying": { + "CHS": "放在…外面;在撒谎上胜过(outlie的ing形式)" + }, + "threaten": { + "CHS": "威胁;恐吓;预示", + "ENG": "to say that you will cause someone harm or trouble if they do not do what you want" + }, + "particle": { + "CHS": "颗粒;[物] 质点;极小量;小品词", + "ENG": "a very small piece of something" + }, + "venture": { + "CHS": "企业;风险;冒险", + "ENG": "a new business activity that involves taking risks" + }, + "undermine": { + "CHS": "破坏,渐渐破坏;挖掘地基", + "ENG": "If you undermine someone's efforts or undermine their chances of achieving something, you behave in a way that makes them less likely to succeed" + }, + "erode": { + "CHS": "腐蚀,侵蚀", + "ENG": "if the weather erodes rock or soil, or if rock or soil erodes, its surface is gradually destroyed" + }, + "par": { + "CHS": "标准的;票面的" + }, + "premise": { + "CHS": "前提;上述各项;房屋连地基", + "ENG": "the buildings and land that a shop, restaurant, company etc uses" + }, + "cessation": { + "CHS": "停止;中止;中断", + "ENG": "a pause or stop" + }, + "subsequent": { + "CHS": "后来的,随后的", + "ENG": "happening or coming after something else" + }, + "stem": { + "CHS": "阻止;除去…的茎;给…装柄", + "ENG": "to stop something from happening, spreading, or developing" + }, + "disinclined": { + "CHS": "使讨厌(disincline的过去分词)" + }, + "maritime": { + "CHS": "海的;海事的;沿海的;海员的", + "ENG": "relating to the sea or ships" + }, + "term": { + "CHS": "把…叫做", + "ENG": "to use a particular word or expression to name or describe something" + }, + "select": { + "CHS": "被挑选者;精萃" + }, + "pivotal": { + "CHS": "关键事物;中心事物" + }, + "submit": { + "CHS": "使服从;主张;呈递", + "ENG": "to give a plan, piece of writing etc to someone in authority for them to consider or approve" + }, + "accelerate": { + "CHS": "使……加快;使……增速", + "ENG": "if a process accelerates or if something accelerates it, it happens faster than usual or sooner than you expect" + }, + "revive": { + "CHS": "复兴;复活;苏醒;恢复精神", + "ENG": "to bring something back after it has not been used or has not existed for a period of time" + }, + "truce": { + "CHS": "停战" + }, + "chord": { + "CHS": "弦;和弦;香水的基调", + "ENG": "a combination of several musical notes that are played at the same time and sound pleasant together" + }, + "absorb": { + "CHS": "吸收;吸引;承受;理解;使…全神贯注", + "ENG": "to take in liquid, gas, or another substance from the surface or space around something" + }, + "volatile": { + "CHS": "挥发物;有翅的动物" + }, + "slam": { + "CHS": "猛击;砰然声", + "ENG": "the noise or action of a door, window etc slamming" + }, + "bioengineer": { + "CHS": "生物工程师" + }, + "skull": { + "CHS": "头盖骨,脑壳", + "ENG": "the bones of a person’s or animal’s head" + }, + "erase": { + "CHS": "抹去;擦除", + "ENG": "to remove information from a computer memory or recorded sounds from a tape" + }, + "instantaneous": { + "CHS": "瞬间的;即时的;猝发的", + "ENG": "happening immediately" + }, + "default": { + "CHS": "违约;缺席;缺乏;系统默认值", + "ENG": "failure to pay money that you owe at the right time" + }, + "percent": { + "CHS": "以百分之…地" + }, + "paleolithic": { + "CHS": "旧石器时代的", + "ENG": "relating to the stone age (= the period of time thousands of years ago when people used stone tools and weapons ) " + }, + "increment": { + "CHS": "[数] 增量;增加;增额;盈余", + "ENG": "the amount by which a number, value, or amount increases" + }, + "distill": { + "CHS": "提取;蒸馏;使滴下", + "ENG": "to make a liquid such as water or alcohol more pure by heating it so that it becomes a gas and then letting it cool. Drinks such as whisky are made this way." + }, + "pertinent": { + "CHS": "相关的,相干的;中肯的;切题的", + "ENG": "directly relating to something that is being considered" + }, + "suspicion": { + "CHS": "怀疑" + }, + "pecuniary": { + "CHS": "金钱的;应罚款的", + "ENG": "relating to or consisting of money" + }, + "practitioner": { + "CHS": "开业者,从业者,执业医生", + "ENG": "someone who works as a doctor or a lawyer" + }, + "resurgence": { + "CHS": "复活;再现;再起", + "ENG": "the reappearance and growth of something that was common in the past" + }, + "artisan": { + "CHS": "工匠,技工", + "ENG": "someone who does skilled work, making things with their hands" + }, + "dosage": { + "CHS": "剂量,用量", + "ENG": "the amount of a medicine or drug that you should take at one time, especially regularly" + }, + "sedimentary": { + "CHS": "沉淀的", + "ENG": "made of the solid substances that settle at the bottom of the sea, rivers, lakes etc" + }, + "precipitation": { + "CHS": "[化学] 沉淀,[化学] 沉淀物;降水;冰雹;坠落;鲁莽", + "ENG": "rain, snow etc that falls on the ground, or the amount of rain, snow etc that falls" + }, + "complication": { + "CHS": "并发症;复杂;复杂化;混乱", + "ENG": "a problem or situation that makes something more difficult to understand or deal with" + }, + "distinct": { + "CHS": "明显的;独特的;清楚的;有区别的", + "ENG": "something that is distinct can clearly be seen, heard, smelled etc" + }, + "astronomical": { + "CHS": "天文的,天文学的;极大的", + "ENG": "astronomical prices, costs etc are extremely high" + }, + "moth": { + "CHS": "蛾;蛀虫", + "ENG": "an insect related to the butterfly that flies mainly at night and is attracted to lights. Some moths eat holes in cloth." + }, + "equip": { + "CHS": "装备,配备", + "ENG": "to provide a person or place with the things that are needed for a particular kind of activity or work" + }, + "fragment": { + "CHS": "使成碎片", + "ENG": "to break something, or be broken into a lot of small separate parts – used to show disapproval" + }, + "depreciation": { + "CHS": "折旧;贬值", + "ENG": "a reduction in the value or price of something" + }, + "raffle": { + "CHS": "抽彩售货", + "ENG": "If someone raffles something, they give it as a prize in a raffle" + }, + "embrace": { + "CHS": "拥抱", + "ENG": "the act of holding someone close to you, especially as a sign of love" + }, + "rejection": { + "CHS": "抛弃;拒绝;被抛弃的东西;盖帽", + "ENG": "the act of not accepting, believing in, or agreeing with something" + }, + "exceedingly": { + "CHS": "非常;极其;极度地;极端", + "ENG": "extremely" + }, + "buoyant": { + "CHS": "轻快的;有浮力的;上涨的", + "ENG": "buoyant prices etc tend to rise" + }, + "scrape": { + "CHS": "刮;擦伤;挖成", + "ENG": "to remove something from a surface using the edge of a knife, a stick etc" + }, + "sacralization": { + "CHS": "骶骨化;[外科] 骶骨融合;神圣化" + }, + "semicircular": { + "CHS": "半圆的", + "ENG": "Something that is semicircular has the shape of half a circle" + }, + "participation": { + "CHS": "参与;分享;参股", + "ENG": "the act of taking part in an activity or event" + }, + "octagon": { + "CHS": "八边形,八角形", + "ENG": "a flat shape with eight sides and eight angles" + }, + "construction": { + "CHS": "建设;建筑物;解释;造句", + "ENG": "the process of building things such as houses, bridges, roads etc" + }, + "bonus": { + "CHS": "奖金;红利;额外津贴", + "ENG": "money added to someone’s wages, especially as a reward for good work" + }, + "negotiation": { + "CHS": "谈判;转让;顺利的通过", + "ENG": "official discussions between the repre­sentatives of opposing groups who are trying to reach an agreement, especially in business or politics" + }, + "provided": { + "CHS": "提供;给予(provide的过去式)" + }, + "contributor": { + "CHS": "贡献者;投稿者;捐助者" + }, + "inefficient": { + "CHS": "无效率的,效率低的;无能的", + "ENG": "not using time, money, energy etc in the best way" + }, + "contaminate": { + "CHS": "污染,弄脏", + "ENG": "to make a place or substance dirty or harmful by putting something such as chemicals or poison in it" + }, + "quote": { + "CHS": "引用", + "ENG": "a sentence or phrase from a book, speech etc which you repeat in a speech or piece of writing because it is interesting or amusing" + }, + "attendee": { + "CHS": "出席者;在场者", + "ENG": "someone who is at an event such as a meeting or a course" + }, + "fecundity": { + "CHS": "[生物] 繁殖力;多产;肥沃", + "ENG": "fertility; fruitfulness " + }, + "repudiate": { + "CHS": "拒绝;否定;批判;与…断绝关系;拒付", + "ENG": "to refuse to accept or continue with something" + }, + "width": { + "CHS": "宽度;广度", + "ENG": "the distance from one side of something to the other" + }, + "slick": { + "CHS": "使光滑;使漂亮" + }, + "purchase": { + "CHS": "购买;赢得", + "ENG": "to buy something" + }, + "amber": { + "CHS": "使呈琥珀色" + }, + "lessen": { + "CHS": "(Lessen)人名;(德、罗)莱森" + }, + "isolate": { + "CHS": "隔离的;孤立的" + }, + "addict": { + "CHS": "使沉溺;使上瘾" + }, + "debilitate": { + "CHS": "使衰弱;使虚弱", + "ENG": "to make someone ill and weak" + }, + "redress": { + "CHS": "救济;赔偿;矫正", + "ENG": "money that someone pays you because they have caused you harm or damaged your property" + }, + "lethal": { + "CHS": "致死因子" + }, + "disrupt": { + "CHS": "分裂的,中断的;分散的" + }, + "symbiotic": { + "CHS": "[生态] 共生的;共栖的", + "ENG": "a symbiotic relationship is one in which the people, organizations, or living things involved depend on each other" + }, + "acquisition": { + "CHS": "获得物,获得;收购", + "ENG": "the process by which you gain knowledge or learn a skill" + }, + "acknowledge": { + "CHS": "承认;答谢;报偿;告知已收到", + "ENG": "to admit or accept that something is true or that a situation exists" + }, + "antibiotics": { + "CHS": "[药] 抗生素;抗生学", + "ENG": "Antibiotics are medical drugs used to kill bacteria and treat infections" + }, + "pasture": { + "CHS": "放牧;吃草", + "ENG": "to put animals outside in a field to feed on the grass" + }, + "halo": { + "CHS": "成晕轮" + }, + "carcinogen": { + "CHS": "致癌物质", + "ENG": "a substance that can cause cancer " + }, + "impose": { + "CHS": "利用;欺骗;施加影响" + }, + "therapeutic": { + "CHS": "治疗剂;治疗学家" + }, + "barrel": { + "CHS": "桶;枪管,炮管", + "ENG": "a large curved container with a flat top and bottom, made of wood or metal, and used for storing beer, wine etc" + }, + "circle": { + "CHS": "盘旋,旋转;环行", + "ENG": "to move in the shape of a circle around something, especially in the air" + }, + "wholesale": { + "CHS": "批发", + "ENG": "If something is sold wholesale, it is sold in large quantities and at cheaper prices, usually to stores" + }, + "alignment": { + "CHS": "队列,成直线;校准;结盟", + "ENG": "support given by one country or group to another in politics, defence etc" + }, + "sponsor": { + "CHS": "赞助;发起", + "ENG": "to give money to a sports event, theatre, institution etc, especially in exchange for the right to advertise" + }, + "faculty": { + "CHS": "科,系;能力;全体教员", + "ENG": "all the teachers in a university" + }, + "squeak": { + "CHS": "吱吱声;机会", + "ENG": "a very short high noise or cry" + }, + "forge": { + "CHS": "伪造;做锻工;前进", + "ENG": "to illegally copy something, especially something printed or written, to make people think that it is real" + }, + "gentry": { + "CHS": "人们(多用贬义);贵族们;(英)上流社会人士", + "ENG": "people who belong to a high social class" + }, + "speculator": { + "CHS": "投机者;思索者", + "ENG": "someone who buys goods, property, shares in a company etc, hoping that they will make a large profit when they sell them" + }, + "abnormal": { + "CHS": "反常的,不规则的;变态的", + "ENG": "very different from usual in a way that seems strange, worrying, wrong, or dangerous" + }, + "caseload": { + "CHS": "待处理案件之数量", + "ENG": "The caseload of someone such as a doctor, social worker, or lawyer is the number of cases that they have to deal with" + }, + "sinew": { + "CHS": "加强;使牢固" + }, + "elite": { + "CHS": "精英;精华;中坚分子", + "ENG": "a group of people who have a lot of power and influence because they have money, knowledge, or special skills" + }, + "tactile": { + "CHS": "[生理] 触觉的,有触觉的;能触知的", + "ENG": "relating to your sense of touch" + }, + "complex": { + "CHS": "复合体;综合设施", + "ENG": "a large number of things which are closely related" + }, + "determination": { + "CHS": "决心;果断;测定", + "ENG": "the quality of trying to do something even when it is difficult" + }, + "cataclysm": { + "CHS": "灾难;大洪水,地震;(社会政治的)大变动", + "ENG": "a violent or sudden event or change, such as a serious flood or earthquake " + }, + "plywood": { + "CHS": "夹板,胶合板", + "ENG": "a material made of several thin layers of wood that are stuck together to form a strong board" + }, + "cereal": { + "CHS": "谷类的;谷类制成的" + }, + "leg": { + "CHS": "腿;支柱", + "ENG": "one of the long parts of your body that your feet are joined to, or a similar part on an animal or insect" + }, + "apparel": { + "CHS": "给…穿衣" + }, + "attraction": { + "CHS": "吸引,吸引力;引力;吸引人的事物", + "ENG": "something interesting or enjoyable to see or do" + }, + "monopoly": { + "CHS": "垄断;垄断者;专卖权", + "ENG": "if a company or government has a monopoly of a business or political activity, it has complete control of it so that other organizations cannot compete with it" + }, + "efficacy": { + "CHS": "功效,效力", + "ENG": "the ability of something to produce the right result" + }, + "cylindrical": { + "CHS": "圆柱形的;圆柱体的", + "ENG": "in the shape of a cylinder" + }, + "hemolytic": { + "CHS": "[生理][免疫] 溶血的", + "ENG": "of or relating to the disintegration of red blood cells " + }, + "antibiotic": { + "CHS": "抗生素,抗菌素", + "ENG": "a drug that is used to kill bacteria and cure infections" + }, + "pension": { + "CHS": "发给养老金或抚恤金", + "ENG": "to grant a pension to " + }, + "preservative": { + "CHS": "防腐的;有保存力的;有保护性的" + }, + "inconclusive": { + "CHS": "不确定的;非决定性的;无结果的", + "ENG": "not leading to a clear decision or result" + }, + "anonymous": { + "CHS": "匿名的,无名的;无个性特征的", + "ENG": "unknown by name" + }, + "excluder": { + "CHS": "排除器(等于封隔器)" + }, + "amend": { + "CHS": "(Amend)人名;(德、英)阿门德" + }, + "incubate": { + "CHS": "孵育物" + }, + "oval": { + "CHS": "椭圆形;卵形", + "ENG": "a shape like a circle, but wider in one direction than the other" + }, + "prognosis": { + "CHS": "[医] 预后;预知", + "ENG": "a doctor’s opinion of how an illness or disease will develop" + }, + "performance": { + "CHS": "性能;绩效;表演;执行;表现", + "ENG": "when someone performs a play or a piece of music" + }, + "brochure": { + "CHS": "手册,小册子", + "ENG": "a thin book giving information or advertising something" + }, + "overstock": { + "CHS": "[经管] 库存过剩" + }, + "aurora": { + "CHS": "[地物] 极光;曙光", + "ENG": "an atmospheric phenomenon consisting of bands, curtains, or streamers of light, usually green, red, or yellow, that move across the sky in polar regions" + }, + "depart": { + "CHS": "逝世的" + }, + "undertake": { + "CHS": "承担,保证;从事;同意;试图", + "ENG": "to accept that you are responsible for a piece of work, and start to do it" + }, + "malarial": { + "CHS": "患疟疾的;毒气的", + "ENG": "You can use malarial to refer to things connected with malaria or areas which are affected by malaria" + }, + "novel": { + "CHS": "小说", + "ENG": "a long written story in which the characters and events are usually imaginary" + }, + "concession": { + "CHS": "让步;特许(权);承认;退位", + "ENG": "something that you allow someone to have in order to end an argument or a disagreement" + }, + "photoperiod": { + "CHS": "[昆][植] 光周期", + "ENG": "the period of daylight in every 24 hours, esp in relation to its effects on plants and animals " + }, + "generate": { + "CHS": "使形成;发生;生殖;产生物理反应", + "ENG": "to produce or cause something" + }, + "maintenance": { + "CHS": "维护,维修;保持;生活费用", + "ENG": "the repairs, painting etc that are necessary to keep something in good condition" + }, + "collide": { + "CHS": "碰撞;抵触,冲突", + "ENG": "to hit something or someone that is moving in a different direction from you" + }, + "denote": { + "CHS": "表示,指示", + "ENG": "to mean something" + }, + "outpatient": { + "CHS": "门诊病人", + "ENG": "someone who goes to a hospital for treatment but does not stay for the night" + }, + "equalize": { + "CHS": "补偿;使相等", + "ENG": "to make two or more things the same in size, value, amount etc" + }, + "forage": { + "CHS": "搜寻粮草;搜寻", + "ENG": "to go around searching for food or other supplies" + }, + "wrestle": { + "CHS": "摔跤;斗争;斟酌", + "ENG": "to fight someone by holding them and pulling or pushing them" + }, + "quota": { + "CHS": "配额;定额;限额", + "ENG": "an official limit on the number or amount of something that is allowed in a particular period" + }, + "prescribe": { + "CHS": "规定;开药方", + "ENG": "to state officially what should be done in a particular situation" + }, + "constellation": { + "CHS": "[天] 星座;星群;荟萃;兴奋丛", + "ENG": "a group of stars that forms a particular pattern and has a name" + }, + "allotment": { + "CHS": "分配;分配物;养家费;命运", + "ENG": "an amount or share of something such as money or time that is given to someone or something, or the process of doing this" + }, + "predatory": { + "CHS": "掠夺的,掠夺成性的;食肉的;捕食生物的", + "ENG": "a predatory animal kills and eats other animals for food" + }, + "scatter": { + "CHS": "分散;散播,撒播" + }, + "precaution": { + "CHS": "警惕;预先警告" + }, + "explicit": { + "CHS": "明确的;清楚的;直率的;详述的", + "ENG": "expressed in a way that is very clear and direct" + }, + "reside": { + "CHS": "住,居住;属于", + "ENG": "to live in a particular place" + }, + "apprehension": { + "CHS": "理解;恐惧;逮捕;忧惧", + "ENG": "the act of apprehending a criminal" + }, + "husk": { + "CHS": "削皮;以粗哑的嗓音说" + }, + "buttress": { + "CHS": "支持;以扶壁支撑", + "ENG": "to support a system, idea, argument etc, especially by providing money" + }, + "juvenile": { + "CHS": "青少年;少年读物", + "ENG": "A juvenile is a child or young person who is not yet old enough to be regarded as an adult" + }, + "panel": { + "CHS": "嵌镶板" + }, + "cultivated": { + "CHS": "发展(cultivate的过去分词);耕作;教化" + }, + "kin": { + "CHS": "同类的;有亲属关系的;性质类似的" + }, + "coupon": { + "CHS": "息票;赠券;联票;[经] 配给券", + "ENG": "a small piece of printed paper that gives you the right to pay less for something or get something free" + }, + "adjust": { + "CHS": "调整,使…适合;校准", + "ENG": "to change or move something slightly to improve it or make it more suitable for a particular purpose" + }, + "statistic": { + "CHS": "统计数值", + "ENG": "a single number which represents a fact or measurement" + }, + "temperate": { + "CHS": "温和的;适度的;有节制的", + "ENG": "behaviour that is temperate is calm and sensible" + }, + "posit": { + "CHS": "假设;设想" + }, + "margin": { + "CHS": "加边于;加旁注于" + }, + "symmetry": { + "CHS": "对称(性);整齐,匀称", + "ENG": "the quality of being symmetrical" + }, + "radiant": { + "CHS": "光点;发光的物体" + }, + "intuition": { + "CHS": "直觉;直觉力;直觉的知识", + "ENG": "the ability to understand or know something because of a feeling rather than by considering the facts" + }, + "smear": { + "CHS": "涂片;诽谤;污点", + "ENG": "a dirty mark made by a small amount of something spread across a surface" + }, + "expedition": { + "CHS": "远征;探险队;迅速", + "ENG": "a long and carefully organized journey, especially to a dangerous or unfamiliar place, or the people that make this journey" + }, + "wanton": { + "CHS": "放肆;嬉戏;闲荡" + }, + "arbitrary": { + "CHS": "[数] 任意的;武断的;专制的", + "ENG": "decided or arranged without any reason or plan, often unfairly" + }, + "boom": { + "CHS": "繁荣;吊杆;隆隆声", + "ENG": "a quick increase of business activity" + }, + "encroach": { + "CHS": "蚕食,侵占", + "ENG": "to gradually take more of someone’s time, possessions, rights etc than you should" + }, + "lipoprotein": { + "CHS": "[生化] 脂蛋白", + "ENG": "any of a group of proteins to which a lipid molecule is attached, important in the transport of lipids in the bloodstream" + }, + "convince": { + "CHS": "说服;使确信,使信服", + "ENG": "to make someone feel certain that something is true" + }, + "creditworthiness": { + "CHS": "好信誉;有资格接受信用贷款" + }, + "pneumonia": { + "CHS": "肺炎", + "ENG": "a serious illness that affects your lungs and makes it difficult for you to breathe" + }, + "myrmecophagous": { + "CHS": "[动] 食蚁的", + "ENG": "(of jaws) specialized for feeding on ants " + }, + "codify": { + "CHS": "编纂;将编成法典;编成法典", + "ENG": "to arrange laws, principles, facts etc in a system" + }, + "boarder": { + "CHS": "寄膳者;寄膳宿者;寄宿生", + "ENG": "a student who stays at a school during the night, as well as during the day" + }, + "misrepresent": { + "CHS": "歪曲,误传;不合适地代表", + "ENG": "to deliberately give a wrong description of someone’s opinions or of a situation" + }, + "strip": { + "CHS": "带;条状;脱衣舞", + "ENG": "a long narrow piece of paper, cloth etc" + }, + "cautious": { + "CHS": "谨慎的;十分小心的", + "ENG": "careful to avoid danger or risks" + }, + "oats": { + "CHS": "燕麦;燕麦片(oat的复数);燕麦粥", + "ENG": "the grain from which flour or oatmeal is made and that is used in cooking, or in food for animals" + }, + "avian": { + "CHS": "鸟" + }, + "modem": { + "CHS": "调制解调器(等于modulator-demodulator)", + "ENG": "a piece of electronic equipment that allows information from one computer to be sent along telephone wires to another computer" + }, + "radiocarbon": { + "CHS": "[核] 放射性碳", + "ENG": "Radiocarbon is a type of carbon that is radioactive, and which therefore breaks up slowly at a regular rate. Its presence in an object can be measured in order to find out how old the object is. " + }, + "sewage": { + "CHS": "污水;下水道;污物", + "ENG": "the mixture of waste from the human body and used water, that is carried away from houses by pipes under the ground" + }, + "shuttle": { + "CHS": "使穿梭般来回移动;短程穿梭般运送", + "ENG": "to travel frequently between two places" + }, + "preceding": { + "CHS": "在之前(precede的ing形式)" + }, + "betrayal": { + "CHS": "背叛;辜负;暴露", + "ENG": "when you betray your country, friends, or someone who trusts you" + }, + "anaerobe": { + "CHS": "[生物][微] 厌氧性生物,[微] 厌氧菌", + "ENG": "an organism that does not require oxygen for respiration " + }, + "spectacular": { + "CHS": "壮观的,惊人的;公开展示的", + "ENG": "very impressive" + }, + "poultry": { + "CHS": "家禽", + "ENG": "birds such as chickens and ducks that are kept on farms in order to produce eggs and meat" + }, + "scrap": { + "CHS": "废弃的;零碎的", + "ENG": "Scrap metal or paper is no longer wanted for its original purpose, but may have some other use" + }, + "shortfall": { + "CHS": "差额;缺少", + "ENG": "the difference between the amount you have and the amount you need or expect" + }, + "recipe": { + "CHS": "食谱;[临床] 处方;秘诀;烹饪法", + "ENG": "a set of instructions for cooking a particular type of food" + }, + "superficial": { + "CHS": "表面的;肤浅的 ;表面文章的;外表的;(人)浅薄的", + "ENG": "not studying or looking at something carefully and only seeing the most noticeable things" + }, + "relieve": { + "CHS": "解除,减轻;使不单调乏味;换…的班;解围;使放心", + "ENG": "to reduce someone’s pain or unpleasant feelings" + }, + "scornful": { + "CHS": "轻蔑的", + "ENG": "feeling or showing scorn" + }, + "sentence": { + "CHS": "判决,宣判", + "ENG": "if a judge sentences someone who is guilty of a crime, they give them a punishment" + }, + "critical": { + "CHS": "鉴定的;[核] 临界的;批评的,爱挑剔的;危险的;决定性的;评论的", + "ENG": "if you are critical, you criticize someone or something" + }, + "instruct": { + "CHS": "指导;通知;命令;教授", + "ENG": "to officially tell someone what to do" + }, + "interested": { + "CHS": "使…感兴趣(interest的过去分词)" + }, + "mortgage": { + "CHS": "抵押" + }, + "viability": { + "CHS": "生存能力,发育能力;可行性" + }, + "ion": { + "CHS": "[化学] 离子", + "ENG": "an atom which has been given a positive or negative force by adding or taking away an electron " + }, + "bold": { + "CHS": "(Bold)人名;(英、德、罗、捷、瑞典)博尔德" + }, + "drilling": { + "CHS": "钻孔;训练(drill的ing形式)", + "ENG": "When people drill for oil or water, they search for it by drilling deep holes in the ground or in the bottom of the sea" + }, + "alter": { + "CHS": "(Alter)人名;(英)奥尔特;(德、捷、葡、爱沙、立陶、拉脱、俄、西、罗、瑞典)阿尔特" + }, + "masculine": { + "CHS": "男性;阳性,阳性词" + }, + "medication": { + "CHS": "药物;药物治疗;药物处理", + "ENG": "medicine or drugs given to people who are ill" + }, + "spiteful": { + "CHS": "怀恨的,恶意的", + "ENG": "deliberately nasty to someone in order to hurt or upset them" + }, + "scramble": { + "CHS": "抢夺,争夺;混乱,混乱的一团;爬行,攀登", + "ENG": "a difficult climb in which you have to use your hands to help you" + }, + "diverge": { + "CHS": "分歧;偏离;分叉;离题", + "ENG": "if opinions, interests etc diverge, they are different from each other" + }, + "slice": { + "CHS": "切下;把…分成部分;将…切成薄片", + "ENG": "to cut meat, bread, vegetables etc into thin flat pieces" + }, + "compel": { + "CHS": "(Compel)人名;(法)孔佩尔" + }, + "infancy": { + "CHS": "初期;婴儿期;幼年", + "ENG": "the period of a child’s life before they can walk or talk" + }, + "counterfeit": { + "CHS": "假冒的,伪造的;虚伪的", + "ENG": "made to look exactly like something else, in order to deceive people" + }, + "aliquant": { + "CHS": "不能整除;[数] 除不尽的数" + }, + "tariff": { + "CHS": "定税率;征收关税" + }, + "supportive": { + "CHS": "支持的;支援的;赞助的", + "ENG": "giving help or encouragement, especially to someone who is in a difficult situation – used to show approval" + }, + "discretionary": { + "CHS": "任意的;自由决定的", + "ENG": "not controlled by strict rules, but decided on by someone in a position of authority" + }, + "estimate": { + "CHS": "估计,估价;判断,看法", + "ENG": "a calculation of the value, size, amount etc of something made using the information that you have, which may not be complete" + }, + "disenchanted": { + "CHS": "使不再着迷(disenchant的过去分词)" + }, + "uninitiated": { + "CHS": "不知情的;缺少经验的", + "ENG": "Uninitiated is also an adjective" + }, + "experience": { + "CHS": "经验;经历;体验", + "ENG": "if you experience a problem, event, or situation, it happens to you or affects you" + }, + "liver": { + "CHS": "肝脏;生活者,居民", + "ENG": "a large organ in your body that produces bile and cleans your blood" + }, + "angle": { + "CHS": "角度,角,方面", + "ENG": "the space between two straight lines or surfaces that join each other, measured in degrees" + }, + "irritating": { + "CHS": "刺激(irritate的ing形式);激怒" + }, + "ambiguity": { + "CHS": "含糊;不明确;暧昧;模棱两可的话", + "ENG": "the state of being unclear, confusing, or not certain, or things that produce this effect" + }, + "handlebar": { + "CHS": "手把;(美)八字胡(等于handlebar mustache)", + "ENG": "The handlebar or handlebars of a bicycle consist of a curved metal bar with handles at each end which are used for steering" + }, + "epicenter": { + "CHS": "震中;中心" + }, + "quarantine": { + "CHS": "检疫;隔离;检疫期;封锁", + "ENG": "a period of time when a person or animal is kept apart from others in case they are carrying a disease" + }, + "ragtime": { + "CHS": "滑稽的;不严肃的" + }, + "subset": { + "CHS": "[数] 子集;子设备;小团体", + "ENG": "a group of people or things that is part of a larger group of people or things" + }, + "behavioral": { + "CHS": "行为的" + }, + "dismiss": { + "CHS": "解散;解雇;开除;让离开;不予理会、不予考虑", + "ENG": "to remove someone from their job" + }, + "unconfined": { + "CHS": "自由的;松散的;无拘束的", + "ENG": "not enclosed or restricted; free " + }, + "proportional": { + "CHS": "[数] 比例项" + }, + "deserve": { + "CHS": "应受,应得", + "ENG": "to have earned something by good or bad actions or behaviour" + }, + "markup": { + "CHS": "涨价;利润;审定", + "ENG": "A markup is an increase in the price of something, for example the difference between its cost and the price that it is sold for" + }, + "patron": { + "CHS": "赞助人;保护人;主顾", + "ENG": "someone who supports the activities of an organization, for example by giving money" + }, + "scout": { + "CHS": "侦察;跟踪,监视;发现", + "ENG": "to examine a place or area in order to get information about it" + }, + "loosen": { + "CHS": "(Loosen)人名;(德)洛森" + }, + "ineffective": { + "CHS": "无效的,失效的;不起作用的", + "ENG": "something that is ineffective does not achieve what it is intended to achieve" + }, + "robust": { + "CHS": "强健的;健康的;粗野的;粗鲁的", + "ENG": "a robust person is strong and healthy" + }, + "intrigue": { + "CHS": "用诡计取得;激起的兴趣", + "ENG": "if something intrigues you, it interests you a lot because it seems strange or mysterious" + }, + "downsizing": { + "CHS": "精简,裁员;缩小规模" + }, + "smokestack": { + "CHS": "低技术制造业的;大工厂的" + }, + "overview": { + "CHS": "[图情] 综述;概观", + "ENG": "a short description of a subject or situation that gives the main ideas without explaining all the details" + }, + "implausible": { + "CHS": "难以置信的,不像真实的", + "ENG": "difficult to believe and therefore unlikely to be true" + }, + "eloquent": { + "CHS": "意味深长的;雄辩的,有口才的;有说服力的;动人的", + "ENG": "able to express your ideas and opinions well, especially in a way that influences people" + }, + "overwhelming": { + "CHS": "压倒;淹没(overwhelm的ing形式);制服", + "ENG": "" + }, + "sediment": { + "CHS": "沉积;沉淀物", + "ENG": "solid substances that settle at the bottom of a liquid" + }, + "neutrino": { + "CHS": "【核物理学】中微子", + "ENG": "something that is smaller than an atom and has no electrical charge" + }, + "dislocation": { + "CHS": "转位;混乱;[医] 脱臼", + "ENG": "Dislocation is a situation in which something such as a system, process, or way of life is greatly disturbed or prevented from continuing as normal" + }, + "sparse": { + "CHS": "稀疏的;稀少的", + "ENG": "existing only in small amounts" + }, + "standardize": { + "CHS": "使标准化;用标准检验", + "ENG": "to make all the things of one particular type the same as each other" + }, + "siege": { + "CHS": "围攻;包围" + }, + "commend": { + "CHS": "推荐;称赞;把…委托", + "ENG": "to praise or approve of someone or something publicly" + }, + "profound": { + "CHS": "深厚的;意义深远的;渊博的", + "ENG": "having a strong influence or effect" + }, + "donate": { + "CHS": "捐赠;捐献" + }, + "proclaim": { + "CHS": "宣告,公布;声明;表明;赞扬", + "ENG": "to say publicly or officially that something important is true or exists" + }, + "reptile": { + "CHS": "爬行动物;卑鄙的人", + "ENG": "a type of animal, such as a snake or lizard , whose body temperature changes according to the temperature around it, and that usually lays eggs to have babies" + }, + "bucket": { + "CHS": "倾盆而下;颠簸着行进" + }, + "canyon": { + "CHS": "峡谷", + "ENG": "a deep valley with very steep sides of rock that usually has a river running through it" + }, + "vanish": { + "CHS": "弱化音" + }, + "volume": { + "CHS": "把…收集成卷" + }, + "categorical": { + "CHS": "绝对的(名词categoricalness,副词categorically,异体字categoric);直截了当的;无条件的;属于某一范畴的", + "ENG": "a categorical statement is a clear statement that something is definitely true or false" + }, + "spate": { + "CHS": "洪水;一阵;大雨;突然迸发" + }, + "falsify": { + "CHS": "伪造;篡改;歪曲;证明虚假", + "ENG": "to change figures, records etc so that they contain false information" + }, + "folkway": { + "CHS": "民风;社会习俗;习惯" + }, + "inlet": { + "CHS": "引进; 嵌入; 插入;" + }, + "reimburse": { + "CHS": "偿还;赔偿", + "ENG": "to pay money back to someone when their money has been spent or lost" + }, + "scrawny": { + "CHS": "骨瘦如柴的", + "ENG": "a scrawny person or animal looks very thin and weak" + }, + "retaliation": { + "CHS": "报复;反击;回敬", + "ENG": "action against someone who has done something bad to you" + }, + "apparent": { + "CHS": "显然的;表面上的", + "ENG": "seeming to have a particular feeling or attitude, although this may not be true" + }, + "manufacture": { + "CHS": "制造;加工;捏造", + "ENG": "to use machines to make goods or materials, usually in large numbers or amounts" + }, + "proponent": { + "CHS": "支持者;建议者;提出认证遗嘱者", + "ENG": "someone who supports something or persuades people to do something" + }, + "phenomenon": { + "CHS": "现象;奇迹;杰出的人才", + "ENG": "something that happens or exists in society, science, or nature, especially something that is studied because it is difficult to understand" + }, + "antedate": { + "CHS": "比实际提前的日期", + "ENG": "an earlier date " + }, + "replete": { + "CHS": "[昆] 贮蜜蚁" + }, + "artificial": { + "CHS": "人造的;仿造的;虚伪的;非原产地的;武断的", + "ENG": "not real or not made of natural things but made to be like something that is real or natural" + }, + "refraction": { + "CHS": "折射;折光" + }, + "cowhide": { + "CHS": "用牛皮鞭抽打" + }, + "assembler": { + "CHS": "汇编程序;汇编机;装配工", + "ENG": "An assembler is a person, a machine, or a company that assembles the individual parts of a vehicle or a piece of equipment such as a computer" + }, + "newlywed": { + "CHS": "新婚夫妇", + "ENG": "Newlyweds are a man and woman who have very recently got married to each other" + }, + "outstrip": { + "CHS": "超过;胜过;比…跑得快", + "ENG": "to do something better than someone else or be more successful" + }, + "profitability": { + "CHS": "盈利能力;收益性;利益率" + }, + "merger": { + "CHS": "(企业等的)合并;并购;吸收(如刑法中重罪吸收轻罪)", + "ENG": "the joining together of two or more companies or organizations to form one larger one" + }, + "discretion": { + "CHS": "自由裁量权;谨慎;判断力;判定;考虑周到", + "ENG": "the ability to deal with situations in a way that does not offend, upset, or embarrass people or tell any of their secrets" + }, + "ceramic": { + "CHS": "陶瓷;陶瓷制品", + "ENG": "Ceramic is clay that has been heated to a very high temperature so that it becomes hard" + }, + "diagonal": { + "CHS": "对角线;斜线" + }, + "hydroponic": { + "CHS": "水栽的,水耕法的" + }, + "charter": { + "CHS": "宪章;执照;特许状", + "ENG": "a statement of the principles, duties, and purposes of an organization" + }, + "illiterate": { + "CHS": "文盲", + "ENG": "someone who has not learned to read or write" + }, + "ductile": { + "CHS": "柔软的;易教导的;易延展的", + "ENG": "ductile metals can be pressed or pulled into shape without needing to be heated" + }, + "odometer": { + "CHS": "(汽车的)里程表,[车辆] 里程计", + "ENG": "an instrument in a vehicle that shows how many miles or kilometres the vehicle has travelled" + }, + "restitution": { + "CHS": "恢复;赔偿;归还", + "ENG": "the act of giving back something that was lost or stolen to its owner, or of paying for damage" + }, + "urine": { + "CHS": "尿", + "ENG": "the yellow liquid waste that comes out of the body from the bladder" + }, + "pang": { + "CHS": "使剧痛;折磨" + }, + "condition": { + "CHS": "决定;使适应;使健康;以…为条件", + "ENG": "to make a person or an animal think or behave in a certain way by influencing or training them over a period of time" + }, + "comet": { + "CHS": "[天] 彗星", + "ENG": "an object in space like a bright ball with a long tail, that moves around the sun" + }, + "novocaine": { + "CHS": "奴佛卡因(一种麻醉药)", + "ENG": "a tradename for procaine hydrochloride " + }, + "foreseeable": { + "CHS": "可预知的;能预测的", + "ENG": "foreseeable difficulties, events etc should be planned for because they are very likely to happen in the future" + }, + "defendant": { + "CHS": "被告", + "ENG": "the person in a court of law who has been accused of doing something illegal" + }, + "absurd": { + "CHS": "荒诞;荒诞作品" + }, + "equivalent": { + "CHS": "等价物,相等物", + "ENG": "something that has the same value, purpose, job etc as something else" + }, + "wield": { + "CHS": "使用;行使;挥舞", + "ENG": "to have a lot of power or influence, and to use it" + }, + "brew": { + "CHS": "啤酒;质地", + "ENG": "beer, or a can or glass of beer" + }, + "cylinder": { + "CHS": "圆筒;汽缸;[数] 柱面;圆柱状物", + "ENG": "a shape, object, or container with circular ends and long straight sides" + }, + "visual": { + "CHS": "视觉的,视力的;栩栩如生的", + "ENG": "relating to seeing" + }, + "animate": { + "CHS": "有生命的", + "ENG": "living" + }, + "certificate": { + "CHS": "证书;执照,文凭", + "ENG": "an official document that states that a fact or facts are true" + }, + "drab": { + "CHS": "嫖妓" + }, + "multiply": { + "CHS": "多层的;多样的" + }, + "moisture": { + "CHS": "水分;湿度;潮湿;降雨量", + "ENG": "small amounts of water that are present in the air, in a substance, or on a surface" + }, + "length": { + "CHS": "长度,长;时间的长短;(语)音长", + "ENG": "the measurement of how long something is from one end to the other" + }, + "interpretation": { + "CHS": "解释;翻译;演出", + "ENG": "the way in which someone explains or understands an event, information, someone’s actions etc" + }, + "sanctuary": { + "CHS": "避难所;至圣所;耶路撒冷的神殿", + "ENG": "a peaceful place that is safe and provides protection, especially for people who are in danger" + }, + "courier": { + "CHS": "导游;情报员,通讯员;送快信的人", + "ENG": "A courier is a person who is paid to take letters and packages direct from one place to another" + }, + "discard": { + "CHS": "抛弃;被丢弃的东西或人" + }, + "marital": { + "CHS": "婚姻的;夫妇间的", + "ENG": "relating to marriage" + }, + "resist": { + "CHS": "[助剂] 抗蚀剂;防染剂" + }, + "misinterpret": { + "CHS": "曲解,误解", + "ENG": "to not understand the correct meaning of something that someone says or does, or of facts that you are considering" + }, + "particulate": { + "CHS": "微粒,微粒状物质", + "ENG": "Particulates are very small particles of a substance, especially those that are produced when fuel is burned" + }, + "digitize": { + "CHS": "[计] 数字化", + "ENG": "to put information into a digital form" + }, + "influx": { + "CHS": "流入;汇集;河流的汇集处" + }, + "enthusiastically": { + "CHS": "热心地;满腔热情地" + }, + "endemic": { + "CHS": "地方病" + }, + "critique": { + "CHS": "批判;评论", + "ENG": "to say how good or bad a book, play, painting, or set of ideas is" + }, + "nucleons": { + "CHS": "[高能] 核子", + "ENG": "a proton or neutron, esp one present in an atomic nucleus " + }, + "detach": { + "CHS": "分离;派遣;使超然", + "ENG": "If you detach one thing from another that it is attached to, you remove it. If one thing detaches from another, it becomes separated from it. " + }, + "bourgeois": { + "CHS": "资产阶级的;中产阶级的;贪图享受的", + "ENG": "belonging to the middle class " + }, + "predisposition": { + "CHS": "倾向;素质;易染病体质", + "ENG": "a tendency to behave in a particular way or suffer from a particular illness" + }, + "contradict": { + "CHS": "反驳;否定;与…矛盾;与…抵触", + "ENG": "to disagree with something, especially by saying that the opposite is true" + }, + "deferential": { + "CHS": "恭敬的;惯于顺从的", + "ENG": "Someone who is deferential is polite and respectful toward someone else" + }, + "counterevidence": { + "CHS": "反证" + }, + "amateur": { + "CHS": "业余的;外行的", + "ENG": "Amateur sports or activities are done by people as a hobby and not as a job" + }, + "population": { + "CHS": "人口;[生物] 种群,[生物] 群体;全体居民", + "ENG": "the number of people living in a particular area, country etc" + }, + "batch": { + "CHS": "分批处理", + "ENG": "to group (items) for efficient processing " + }, + "micron": { + "CHS": "微米(等于百万分之一米)", + "ENG": "a unit of length equal to 10–6 metre" + }, + "approximate": { + "CHS": "[数] 近似的;大概的", + "ENG": "an approximate number, amount, or time is close to the exact number, amount etc, but could be a little bit more or less than it" + }, + "compensation": { + "CHS": "补偿;报酬;赔偿金", + "ENG": "money paid to someone because they have suffered injury or loss, or because something they own has been damaged" + }, + "prostaglandin": { + "CHS": "[生化] 前列腺素", + "ENG": "any of a group of potent hormone-like compounds composed of essential fatty acids and found in all mammalian tissues, esp human semen" + }, + "encode": { + "CHS": "(将文字材料)译成密码;编码,编制成计算机语言", + "ENG": "to put a message or other information into code" + }, + "prudery": { + "CHS": "假正经的行为;过分拘谨的言行", + "ENG": "Prudery is prudish behaviour or attitudes" + }, + "interloper": { + "CHS": "闯入者;(为私利)干涉他人事务者;无执照营业者", + "ENG": "someone who enters a place or group where they should not be" + }, + "subgroup": { + "CHS": "给…加副标题" + }, + "ingest": { + "CHS": "摄取;咽下;吸收;接待", + "ENG": "to take food or other substances into your body" + }, + "casualty": { + "CHS": "意外事故;伤亡人员;急诊室", + "ENG": "the part of a hospital that people are taken to when they are hurt in an accident or suddenly become ill" + }, + "prepay": { + "CHS": "预付;提前缴纳", + "ENG": "to pay for something before you need it or use it" + }, + "afflict": { + "CHS": "折磨;使痛苦;使苦恼", + "ENG": "to affect someone or something in an unpleasant way, and make them suffer" + }, + "histidine": { + "CHS": "[生化] 组氨酸", + "ENG": "a nonessential amino acid that occurs in most proteins: a precursor of histamine " + }, + "noncommittal": { + "CHS": "态度不明朗的;不承担义务的;无明确意义的", + "ENG": "You can describe someone as noncommittal when they deliberately do not express their opinion or intentions clearly" + }, + "retrieve": { + "CHS": "[计] 检索;恢复,取回" + }, + "novice": { + "CHS": "初学者,新手", + "ENG": "someone who has no experience in a skill, subject, or activity" + }, + "bellows": { + "CHS": "波纹管;风箱;皮老虎", + "ENG": "A bellows is or bellows are a device used for blowing air into a fire in order to make it burn more fiercely" + }, + "sovereign": { + "CHS": "君主;独立国;最高统治者", + "ENG": "a king or queen" + }, + "correlate": { + "CHS": "关联的" + }, + "memoir": { + "CHS": "回忆录;研究报告;自传;实录", + "ENG": "a book by someone important and famous in which they write about their life and experiences" + }, + "angioplasty": { + "CHS": "血管成形术", + "ENG": "a surgical technique for restoring normal blood flow through an artery narrowed or blocked by atherosclerosis, either by inserting a balloon into the narrowed section and inflating it or by using a laser beam " + }, + "memorandum": { + "CHS": "备忘录;便笺", + "ENG": "a memo " + }, + "principal": { + "CHS": "首长;校长;资本;当事人", + "ENG": "someone who is in charge of a school" + }, + "lane": { + "CHS": "小巷;[航][水运] 航线;车道;罚球区", + "ENG": "a narrow road in the countryside" + }, + "scent": { + "CHS": "闻到;发觉;使充满…的气味;循着遗臭追踪", + "ENG": "if an animal scents another animal or a person, it knows that they are near because it can smell them" + }, + "segregation": { + "CHS": "隔离,分离;种族隔离", + "ENG": "when people of different races, sexes, or religions are kept apart so that they live, work, or study separately" + }, + "indifferent": { + "CHS": "漠不关心的;无关紧要的;中性的,中立的", + "ENG": "not at all interested in someone or something" + }, + "conspire": { + "CHS": "共谋;协力", + "ENG": "to secretly plan with someone else to do something illegal" + }, + "ingrained": { + "CHS": "使根深蒂固(ingrain的过去分词形式);生染;就原料染色" + }, + "ancestry": { + "CHS": "祖先;血统", + "ENG": "the members of your family who lived a long time ago" + }, + "reveal": { + "CHS": "揭露;暴露;门侧,窗侧" + }, + "extend": { + "CHS": "延伸;扩大;推广;伸出;给予;使竭尽全力;对…估价", + "ENG": "to continue for a particular distance or over a particular area" + }, + "receipt": { + "CHS": "收到" + }, + "bind": { + "CHS": "捆绑;困境;讨厌的事情;植物的藤蔓", + "ENG": "an annoying or difficult situation" + }, + "uneven": { + "CHS": "不均匀的;不平坦的;[数] 奇数的", + "ENG": "not smooth, flat, or level" + }, + "denunciatory": { + "CHS": "指责的;攻击的;非难的" + }, + "lore": { + "CHS": "知识;学问;全部传说;(动物的)眼光知识", + "ENG": "knowledge or information about a subject, for example nature or magic, that is not written down but is passed from person to person" + }, + "unconscious": { + "CHS": "无意识的;失去知觉的;不省人事的;未发觉的", + "ENG": "unable to see, move, feel etc in the normal way because you are not conscious" + }, + "boost": { + "CHS": "推动;帮助;宣扬", + "ENG": "something that gives someone more confidence, or that helps something increase, improve, or become successful" + }, + "originator": { + "CHS": "发起人;起源;起因" + }, + "primer": { + "CHS": "初级读本;识字课本;原始物", + "ENG": "a school book that contains very basic facts about a subject" + }, + "unanticipated": { + "CHS": "意料之外的;不曾预料到的;未预料到的", + "ENG": "an unanticipated event or result is one that you did not expect" + }, + "merchant": { + "CHS": "商业的,商人的", + "ENG": "Merchant seamen or ships are involved in carrying goods for trade" + }, + "assist": { + "CHS": "参加;出席" + }, + "antique": { + "CHS": "觅购古玩" + }, + "spawn": { + "CHS": "产卵;酿成,造成;大量生产", + "ENG": "to make a series of things happen or start to exist" + }, + "editorial": { + "CHS": "社论", + "ENG": "a piece of writing in a newspaper that gives the editor’s opinion about something, rather than reporting facts" + }, + "participatory": { + "CHS": "供人分享的;吸引参与的", + "ENG": "a participatory way of organizing something, making decisions etc is one that involves everyone who will be affected" + }, + "ferrous": { + "CHS": "[化学] 亚铁的;铁的,含铁的", + "ENG": "containing or relating to iron" + }, + "proviso": { + "CHS": "附带条件;附文;限制性条款", + "ENG": "a condition that you ask for before you will agree to something" + }, + "obsess": { + "CHS": "迷住,缠住;使…着迷;使…困扰" + }, + "incineration": { + "CHS": "焚化;烧成灰" + }, + "notorious": { + "CHS": "声名狼藉的,臭名昭著的", + "ENG": "famous or well-known for something bad" + }, + "combustion": { + "CHS": "燃烧,氧化;骚动", + "ENG": "the process of burning" + }, + "ambivalent": { + "CHS": "矛盾的;好恶相克的", + "ENG": "not sure whether you want or like something or not" + }, + "strive": { + "CHS": "努力;奋斗;抗争", + "ENG": "to make a great effort to achieve something" + }, + "enhanced": { + "CHS": "提高;加强(enhance的过去分词)", + "ENG": "To enhance something means to improve its value, quality, or attractiveness" + }, + "temporary": { + "CHS": "临时工,临时雇员" + }, + "glean": { + "CHS": "收集(资料);拾(落穗)", + "ENG": "to collect grain that has been left behind after the crops have been cut" + }, + "mosaics": { + "CHS": "马赛克;【植】花叶病;拼花图样;拼制图画", + "ENG": "A mosaic is a design which consists of small pieces of coloured glass, pottery, or stone set in concrete or plaster" + }, + "auditorium": { + "CHS": "礼堂,会堂;观众席", + "ENG": "the part of a theatre where people sit when watching a play, concert etc" + }, + "real": { + "CHS": "现实;实数" + }, + "fossil": { + "CHS": "化石的;陈腐的,守旧的" + }, + "pedestrian": { + "CHS": "行人;步行者", + "ENG": "someone who is walking, especially along a street or other place used by cars" + }, + "paltry": { + "CHS": "不足取的;无价值的;琐碎的;卑鄙的", + "ENG": "a paltry amount of something is too small to be useful or important" + }, + "bicker": { + "CHS": "吵嘴;口角;(水的)潺潺声", + "ENG": "" + }, + "depress": { + "CHS": "压抑;使沮丧;使萧条", + "ENG": "to make someone feel very unhappy" + }, + "corporate": { + "CHS": "法人的;共同的,全体的;社团的;公司的;企业的", + "ENG": "belonging to or relating to a corporation" + }, + "tile": { + "CHS": "铺以瓦;铺以瓷砖" + }, + "carpentry": { + "CHS": "木器;木工手艺;[木] 木工业", + "ENG": "the skill or work of a carpenter" + }, + "curvature": { + "CHS": "弯曲,[数] 曲率", + "ENG": "the state of being curved, or the degree to which something is curved" + }, + "unionization": { + "CHS": "工会化;联合;结合", + "ENG": "The unionization of workers or industries is the process of workers becoming members of unions" + }, + "stumble": { + "CHS": "绊倒;蹒跚而行" + }, + "transport": { + "CHS": "运输;流放;使狂喜", + "ENG": "to take goods, people etc from one place to another in a vehicle" + }, + "maturation": { + "CHS": "成熟;化脓;生殖细胞之形成", + "ENG": "the period during which something grows and develops" + }, + "violate": { + "CHS": "违反;侵犯,妨碍;亵渎", + "ENG": "to disobey or do something against an official agreement, law, principle etc" + }, + "focus": { + "CHS": "使集中;使聚焦", + "ENG": "to give special attention to one particular person or thing, or to make people do this" + }, + "fetch": { + "CHS": "取得;诡计" + }, + "substrate": { + "CHS": "基质;基片;底层(等于substratum);酶作用物", + "ENG": "the substance upon which an enzyme acts " + }, + "readily": { + "CHS": "容易地;乐意地;无困难地", + "ENG": "quickly, willingly, and without complaining" + }, + "inextricably": { + "CHS": "逃不掉地;解不开地;解决不了地" + }, + "vegetation": { + "CHS": "植被;植物,草木;呆板单调的生活", + "ENG": "plants in general" + }, + "carnivore": { + "CHS": "[动] 食肉动物;食虫植物", + "ENG": "an animal that eats flesh" + }, + "residency": { + "CHS": "住处;住院医生实习期", + "ENG": "a period of time when a doctor receives special training in a particular type of medicine, especially at a hospital" + }, + "vessel": { + "CHS": "船,舰;[组织] 脉管,血管;容器,器皿", + "ENG": "a ship or large boat" + }, + "homestead": { + "CHS": "宅地;家园;田产", + "ENG": "In United States history, a homestead was a piece of government land in the west, which was given to someone so they could settle there and develop a farm" + }, + "yeast": { + "CHS": "酵母;泡沫;酵母片;引起骚动因素", + "ENG": "a type of fungus used for producing alcohol in beer and wine, and for making bread rise" + }, + "specimen": { + "CHS": "样品,样本;标本", + "ENG": "a small amount or piece that is taken from something, so that it can be tested or examined" + }, + "dispense": { + "CHS": "分配,分发;免除;执行", + "ENG": "to give something to people, especially in fixed amounts" + }, + "cone": { + "CHS": "使成锥形" + }, + "transit": { + "CHS": "运送" + }, + "frontier": { + "CHS": "边界的;开拓的" + }, + "exclusively": { + "CHS": "唯一地;专有地;排外地", + "ENG": "Exclusively is used to refer to situations or activities that involve only the thing or things mentioned, and nothing else" + }, + "confine": { + "CHS": "限制;禁闭", + "ENG": "to keep someone or something within the limits of a particular activity or subject" + }, + "sip": { + "CHS": "啜饮" + }, + "mutation": { + "CHS": "[遗] 突变;变化;元音变化", + "ENG": "a change in the genetic structure of an animal or plant that makes it different from others of the same kind" + }, + "lucrative": { + "CHS": "有利可图的,赚钱的;合算的", + "ENG": "a job or activity that is lucrative lets you earn a lot of money" + }, + "galaxy": { + "CHS": "银河;[天] 星系;银河系;一群显赫的人", + "ENG": "one of the large groups of stars that make up the universe" + }, + "martial": { + "CHS": "(Martial)人名;(法)马夏尔" + }, + "deliver": { + "CHS": "投球" + }, + "customize": { + "CHS": "定做,按客户具体要求制造", + "ENG": "to change something to make it more suitable for you, or to make it look special or different from things of a similar type" + }, + "tempt": { + "CHS": "诱惑;引起;冒…的风险;使感兴趣", + "ENG": "to make someone want to have or do something, even though they know they really should not" + }, + "versatile": { + "CHS": "多才多艺的;通用的,万能的;多面手的", + "ENG": "someone who is versatile has many different skills" + }, + "carton": { + "CHS": "制作纸箱" + }, + "addition": { + "CHS": "添加;[数] 加法;增加物", + "ENG": "the act of adding something to something else" + }, + "quadrilateral": { + "CHS": "四边形的", + "ENG": "having or formed by four sides " + }, + "product": { + "CHS": "产品;结果;[数] 乘积;作品", + "ENG": "something that is grown or made in a factory in large quantities, usually in order to be sold" + }, + "unpredictable": { + "CHS": "不可预言的事" + }, + "disparate": { + "CHS": "无法相比的东西" + }, + "beckon": { + "CHS": "表召唤的点头;手势" + }, + "preindustrial": { + "CHS": "工业化前的;未工业化的" + }, + "dough": { + "CHS": "生面团;金钱", + "ENG": "a mixture of flour and water ready to be baked into bread, pastry etc" + }, + "ordinal": { + "CHS": "[数] 序数" + }, + "alleviate": { + "CHS": "减轻,缓和", + "ENG": "to make something less painful or difficult to deal with" + }, + "bond": { + "CHS": "结合,团结在一起", + "ENG": "if two things bond with each other, they become firmly fixed together, especially after they have been joined with glue" + }, + "variable": { + "CHS": "[数] 变量;可变物,可变因素", + "ENG": "something that may be different in different situations, so that you cannot be sure what will happen" + }, + "incipient": { + "CHS": "初期的;初始的;起初的;发端的", + "ENG": "starting to happen or exist" + }, + "yield": { + "CHS": "产量;收益", + "ENG": "the amount of profits, crops etc that something produces" + }, + "critic": { + "CHS": "批评家,评论家;爱挑剔的人", + "ENG": "someone whose job is to make judgments about the good and bad qualities of art, music, films etc" + }, + "overlord": { + "CHS": "霸王;大君主;最高统治者;封建领主", + "ENG": "someone with great power over a large number of people, especially in the past" + }, + "evade": { + "CHS": "逃避;规避;逃脱", + "ENG": "to not do or deal with something that you should do" + }, + "pagination": { + "CHS": "标记页数;页码", + "ENG": "the process of giving a number to each page of a book, magazine etc" + }, + "facilitate": { + "CHS": "促进;帮助;使容易", + "ENG": "To facilitate an action or process, especially one that you would like to happen, means to make it easier or more likely to happen" + }, + "conscription": { + "CHS": "征兵;征兵制度;征用", + "ENG": "when people are made to join the army, navy etc" + }, + "wreak": { + "CHS": "发泄;报仇;造成(巨大的破坏或伤害)", + "ENG": "Something or someone that wreaks havoc or destruction causes a great amount of disorder or damage" + }, + "function": { + "CHS": "运行;活动;行使职责", + "ENG": "If a machine or system is functioning, it is working or operating" + }, + "pledge": { + "CHS": "保证,许诺;用……抵押;举杯祝……健康", + "ENG": "to make a formal, usually public, promise that you will do something" + }, + "virtue": { + "CHS": "美德;优点;贞操;功效", + "ENG": "moral goodness of character and behaviour" + }, + "accordingly": { + "CHS": "因此,于是;相应地;照著", + "ENG": "in a way that is suitable for a particular situation or that is based on what someone has done or said" + }, + "battalion": { + "CHS": "营,军营;军队,部队", + "ENG": "a large group of soldiers consisting of several companies ( company )" + }, + "scrutinize": { + "CHS": "仔细或彻底检查" + }, + "psychopath": { + "CHS": "精神病患者", + "ENG": "someone who has a serious and permanent mental illness that makes them behave in a violent or criminal way" + }, + "strain": { + "CHS": "拉紧;尽力", + "ENG": "to try very hard to do something using all your strength or ability" + }, + "portray": { + "CHS": "描绘;扮演", + "ENG": "to describe or represent something or someone" + }, + "consortium": { + "CHS": "财团;联合;合伙", + "ENG": "a group of companies or organizations who are working together to do something" + }, + "faith": { + "CHS": "信仰;信念;信任;忠实", + "ENG": "a strong feeling of trust or confidence in someone or something" + }, + "unwieldy": { + "CHS": "笨拙的;笨重的;不灵便的;难处理的", + "ENG": "an unwieldy object is big, heavy, and difficult to carry or use" + }, + "prophet": { + "CHS": "先知;预言者;提倡者", + "ENG": "a man who people in the Christian, Jewish, or Muslim religion believe has been sent by God to lead them and teach them their religion" + }, + "malice": { + "CHS": "恶意;怨恨;预谋", + "ENG": "the desire to harm someone because you hate them" + }, + "graphite": { + "CHS": "石墨;黑铅", + "ENG": "a soft black substance that is a kind of carbon , used in pencils, paints, and electrical equipment" + }, + "concentrate": { + "CHS": "浓缩,精选;浓缩液", + "ENG": "a substance or liquid which has been made stronger by removing most of the water from it" + }, + "subscription": { + "CHS": "捐献;订阅;订金;签署", + "ENG": "an amount of money you pay, usually once a year, to receive copies of a newspaper or magazine, or receive a service, or the act of paying money for this" + }, + "autonomy": { + "CHS": "自治,自治权", + "ENG": "freedom that a place or an organization has to govern or control itself" + }, + "affirmative": { + "CHS": "肯定语;赞成的一方" + }, + "sacrifice": { + "CHS": "牺牲;献祭;亏本出售", + "ENG": "to willingly stop having something you want or doing something you like in order to get something more important" + }, + "accurate": { + "CHS": "精确的", + "ENG": "correct and true in every detail" + }, + "refugee": { + "CHS": "难民,避难者;流亡者,逃亡者", + "ENG": "someone who has been forced to leave their country, especially during a war, or for political or religious reasons" + }, + "evaporate": { + "CHS": "使……蒸发;使……脱水;使……消失", + "ENG": "if a liquid evaporates, or if heat evaporates it, it changes into a gas" + }, + "evident": { + "CHS": "明显的;明白的", + "ENG": "easy to see, notice, or understand" + }, + "nominal": { + "CHS": "[语] 名词性词" + }, + "recruit": { + "CHS": "补充;聘用;征募;使…恢复健康" + }, + "oxidize": { + "CHS": "使氧化;使生锈", + "ENG": "to combine with oxygen, or make something combine with oxygen, especially in a way that causes rust" + }, + "painstaking": { + "CHS": "辛苦;勤勉" + }, + "testify": { + "CHS": "证明,证实;作证", + "ENG": "to make a formal statement of what is true, especially in a court of law" + }, + "outsource": { + "CHS": "把…外包", + "ENG": "If a company outsources work or things, it pays workers from outside the company and often outside the country to do the work or supply the things" + }, + "unrealistic": { + "CHS": "不切实际的;不实在的", + "ENG": "unrealistic ideas or hopes are not reasonable or sensible" + }, + "purification": { + "CHS": "净化;提纯;涤罪" + }, + "prejudiced": { + "CHS": "损害(prejudice的过去分词);使抱偏见" + }, + "pursue": { + "CHS": "继续;从事;追赶;纠缠", + "ENG": "to continue doing an activity or trying to achieve something over a long period of time" + }, + "inland": { + "CHS": "在内地;向内地;向内陆;在内陆", + "ENG": "in a direction away from the coast and towards the centre of a country" + }, + "brutal": { + "CHS": "残忍的;野蛮的,不讲理的", + "ENG": "very cruel and violent" + }, + "render": { + "CHS": "打底;交纳;粉刷" + }, + "contemporary": { + "CHS": "当代的;同时代的;属于同一时期的", + "ENG": "belonging to the present time" + }, + "archenemy": { + "CHS": "主要敌人,大敌;撒旦,魔王", + "ENG": "the main enemy" + }, + "panacea": { + "CHS": "灵丹妙药;万能药", + "ENG": "If you say that something is a panacea for a set of problems, you mean that it will solve all those problems" + }, + "spruce": { + "CHS": "云杉", + "ENG": "a tree that grows in nor-thern countries and has short leaves shaped like needles" + }, + "sympathetic": { + "CHS": "交感神经;容易感受的人" + }, + "implication": { + "CHS": "含义;暗示;牵连,卷入;可能的结果,影响", + "ENG": "a possible future effect or result of an action, event, decision etc" + }, + "paleoclimatologist": { + "CHS": "(英)古气候学家 (paleoclimatology的变形)" + }, + "lodge": { + "CHS": "提出;寄存;借住;嵌入", + "ENG": "to make a formal or official complaint, protest etc" + }, + "flaunt": { + "CHS": "炫耀;飘扬;招展" + }, + "compassion": { + "CHS": "同情;怜悯", + "ENG": "a strong feeling of sympathy for someone who is suffering, and a desire to help them" + }, + "square": { + "CHS": "成直角地" + }, + "matriarch": { + "CHS": "女家长;女统治者;女负责人;受人尊敬的妇女", + "ENG": "a woman, especially an older woman, who controls a family or a social group" + }, + "vertice": { + "CHS": "顶点" + }, + "vicious": { + "CHS": "(Vicious)人名;(英)维舍斯" + }, + "procedure": { + "CHS": "程序,手续;步骤", + "ENG": "a way of doing something, especially the correct or usual way" + }, + "deteriorate": { + "CHS": "恶化,变坏", + "ENG": "to become worse" + }, + "impartial": { + "CHS": "公平的,公正的;不偏不倚的", + "ENG": "not involved in a particular situation, and therefore able to give a fair opinion or piece of advice" + }, + "putty": { + "CHS": "用油灰填塞" + }, + "surge": { + "CHS": "汹涌;起大浪,蜂拥而来", + "ENG": "if a feeling surges or surges up, you begin to feel it very strongly" + }, + "subscribe": { + "CHS": "订阅;捐款;认购;赞成;签署", + "ENG": "to pay money, usually once a year, to have copies of a newspaper or magazine sent to you, or to have some other service" + }, + "insulin": { + "CHS": "[生化][药] 胰岛素", + "ENG": "a substance produced naturally by your body which allows sugar to be used for energy" + }, + "hierarchy": { + "CHS": "层级;等级制度", + "ENG": "a system of organization in which people or things are divided into levels of importance" + }, + "tryptophan": { + "CHS": "[生化] 色氨酸", + "ENG": "an essential amino acid; a component of proteins necessary for growth " + }, + "ambiguous": { + "CHS": "模糊不清的;引起歧义的" + }, + "rheumatic": { + "CHS": "风湿病;风湿病患者" + }, + "infrared": { + "CHS": "红外线的", + "ENG": "Infrared radiation is similar to light but has a longer wavelength, so we cannot see it without special equipment" + }, + "array": { + "CHS": "排列,部署;打扮", + "ENG": "to arrange something in an attractive way" + }, + "indistinguishable": { + "CHS": "不能区别的,不能辨别的;不易察觉的", + "ENG": "If one thing is indistinguishable from another, the two things are so similar that it is difficult to know which is which" + }, + "infringer": { + "CHS": "[法] 侵权人" + }, + "effluent": { + "CHS": "流出的,发出的" + }, + "domesticate": { + "CHS": "驯养;教化;引进", + "ENG": "to make an animal able to work for people or live with them as a pet" + }, + "staunch": { + "CHS": "(Staunch)人名;(英)斯汤奇" + }, + "bylaw": { + "CHS": "次要法规;细则;地方法则;(社团制定的)内部章程", + "ENG": "a law made by a local government that people in that area must obey" + }, + "attributable": { + "CHS": "可归于…的;可归属的", + "ENG": "likely to have been caused by something" + }, + "paternity": { + "CHS": "父权;父系;父系后裔" + }, + "decade": { + "CHS": "十年,十年期;十", + "ENG": "a period of 10 years" + }, + "latch": { + "CHS": "门闩", + "ENG": "a small metal or plastic object used to keep a door, gate, or window closed" + }, + "leopard": { + "CHS": "豹;美洲豹", + "ENG": "a large animal of the cat family, with yellow fur and black spots, which lives in Africa and South Asia" + }, + "personality": { + "CHS": "个性;品格;名人", + "ENG": "someone’s character, especially the way they behave towards other people" + }, + "dismantle": { + "CHS": "拆除;取消;解散;除掉…的覆盖物", + "ENG": "If you dismantle a machine or structure, you carefully separate it into its different parts" + }, + "deduction": { + "CHS": "扣除,减除;推论;减除额", + "ENG": "the process of using the knowledge or information you have in order to understand something or form an opinion, or the opinion that you form" + }, + "muon": { + "CHS": "[高能] μ介子", + "ENG": "a positive or negative elementary particle with a mass 207 times that of an electron and spin " + }, + "congruent": { + "CHS": "适合的,一致的;全等的;和谐的", + "ENG": "fitting together well" + }, + "designate": { + "CHS": "指定的;选定的" + }, + "reliance": { + "CHS": "信赖;信心;受信赖的人或物" + }, + "unprocessed": { + "CHS": "未被加工的", + "ENG": "(of food, oil, etc) not having undergone a process to preserve or purify " + }, + "consult": { + "CHS": "查阅;商量;向…请教", + "ENG": "to ask for information or advice from someone because it is their job to know something" + }, + "blast": { + "CHS": "猛攻", + "ENG": "to criticize someone or something very strongly – used especially in news reports" + }, + "oblique": { + "CHS": "倾斜" + }, + "relative": { + "CHS": "亲戚;相关物;[语] 关系词;亲缘植物", + "ENG": "a member of your family" + }, + "debate": { + "CHS": "辩论;辩论会", + "ENG": "discussion of a particular subject that often continues for a long time and in which people express different opinions" + }, + "compensate": { + "CHS": "补偿,赔偿;抵消", + "ENG": "to replace or balance the effect of something bad" + }, + "emission": { + "CHS": "(光、热等的)发射,散发;喷射;发行", + "ENG": "the act of sending out light, heat, gas etc" + }, + "nexus": { + "CHS": "关系;连结,连系", + "ENG": "a connection or network of connections between a number of people, things, or ideas" + }, + "yard": { + "CHS": "把…关进或围在畜栏里" + }, + "captivate": { + "CHS": "迷住,迷惑", + "ENG": "to attract someone very much, and hold their attention" + }, + "incinerate": { + "CHS": "把……烧成灰;烧弃", + "ENG": "to burn something completely in order to destroy it" + }, + "extinct": { + "CHS": "使熄灭" + }, + "pernicious": { + "CHS": "有害的;恶性的;致命的;险恶的", + "ENG": "very harmful or evil, often in a way that you do not notice easily" + }, + "federal": { + "CHS": "(Federal)人名;(英)费德勒尔" + }, + "frustrated": { + "CHS": "挫败;阻挠(frustrate的过去式和过去分词形式)", + "ENG": "If someone or something frustrates a plan or attempt to do something, they prevent it from succeeding" + }, + "thereafter": { + "CHS": "其后;从那时以后", + "ENG": "after a particular event or time" + }, + "dexterity": { + "CHS": "灵巧;敏捷;机敏", + "ENG": "skill and speed in doing something with your hands" + }, + "invoke": { + "CHS": "调用;祈求;引起;恳求", + "ENG": "to make a particular idea, image, or feeling appear in people’s minds by describing an event or situation, or by talking about a person" + }, + "convenience": { + "CHS": "便利;厕所;便利的事物", + "ENG": "the quality of being suitable or useful for a particular purpose, especially by making something easier or saving you time" + }, + "quasar": { + "CHS": "[天] 类星体;恒星状球体", + "ENG": "an object in space that is similar to a star and that shines very brightly" + }, + "membrane": { + "CHS": "膜;薄膜;羊皮纸", + "ENG": "a very thin piece of skin that covers or connects parts of your body" + }, + "photon": { + "CHS": "[物] 光子;辐射量子;见光度(等于light quantum)", + "ENG": "a unit of energy that carries light and has zero mass " + }, + "overcapitalize": { + "CHS": "对…之资本估价过高;过分投资于", + "ENG": "to provide or issue capital for (an enterprise) in excess of profitable investment opportunities " + }, + "strife": { + "CHS": "冲突;争吵;不和", + "ENG": "trouble between two or more people or groups" + }, + "encephalitis": { + "CHS": "[内科] 脑炎", + "ENG": "swelling of the brain" + }, + "yen": { + "CHS": "渴望" + }, + "undercapitalize": { + "CHS": "投资不足(等于undercapitalise)", + "ENG": "to provide or issue capital for (a commercial enterprise) in an amount insufficient for efficient operation " + }, + "catalyst": { + "CHS": "[物化] 催化剂;刺激因素", + "ENG": "a substance that makes a chemical reaction happen more quickly without being changed itself" + }, + "formidable": { + "CHS": "强大的;可怕的;令人敬畏的;艰难的", + "ENG": "very powerful or impressive, and often frightening" + }, + "equidistant": { + "CHS": "等距的;距离相等的", + "ENG": "at an equal distance from two places" + }, + "unsubstantiated": { + "CHS": "未经证实的,无事实根据的", + "ENG": "not proved to be true" + }, + "phosphodiesterase": { + "CHS": "[生化] 磷酸二酯酶" + }, + "extraterrestrial": { + "CHS": "天外来客" + }, + "solar": { + "CHS": "日光浴室" + }, + "elective": { + "CHS": "选修课程", + "ENG": "a course that students can choose to take, but they do not have to take it in order to graduate" + }, + "criteria": { + "CHS": "标准,条件(criterion的复数)", + "ENG": "A criterion is a factor on which you judge or decide something" + }, + "homogeneity": { + "CHS": "同质;同种;同次性(等于homogeneousness)" + }, + "plead": { + "CHS": "借口;为辩护;托称", + "ENG": "to give a particular excuse for your actions" + }, + "operagoer": { + "CHS": "经常看歌剧的人" + }, + "sensational": { + "CHS": "轰动的;耸人听闻的;非常好的;使人感动的", + "ENG": "very interesting, exciting, and surprising" + }, + "integrated": { + "CHS": "整合;使…成整体(integrate的过去分词)" + }, + "assemble": { + "CHS": "集合,聚集;装配;收集", + "ENG": "if you assemble a large number of people or things, or if they assemble, they are gathered together in one place, often for a particular purpose" + }, + "radioactive": { + "CHS": "[核] 放射性的;有辐射的", + "ENG": "a radioactive substance is dangerous because it contains radiation (= a form of energy that can harm living things ) " + }, + "announce": { + "CHS": "宣布;述说;预示;播报", + "ENG": "to officially tell people about something, especially about a plan or a decision" + }, + "client": { + "CHS": "[经] 客户;顾客;委托人", + "ENG": "someone who gets services or advice from a professional person, company, or organization" + }, + "disperse": { + "CHS": "分散的" + }, + "eradication": { + "CHS": "消灭,扑灭;根除" + }, + "ribosome": { + "CHS": "[细胞][生化] 核糖体;[生化] 核蛋白体", + "ENG": "any of numerous minute particles in the cytoplasm of cells, either free or attached to the endoplasmic reticulum, that contain RNA and protein and are the site of protein synthesis " + }, + "unwarranted": { + "CHS": "无根据的;无保证的" + }, + "dropout": { + "CHS": "中途退学;辍学学生", + "ENG": "someone who leaves school or college before they have finished" + }, + "district": { + "CHS": "区域;地方;行政区", + "ENG": "an area of a town or the countryside, especially one with particular features" + }, + "turbulent": { + "CHS": "骚乱的,混乱的;狂暴的;吵闹的;激流的,湍流的", + "ENG": "a turbulent situation or period of time is one in which there are a lot of sudden changes" + }, + "repertory": { + "CHS": "储备;仓库;全部剧目", + "ENG": "a repertoire" + }, + "shrub": { + "CHS": "灌木;灌木丛", + "ENG": "a small bush with several woody stems" + }, + "supersonic": { + "CHS": "超音速;超声波" + }, + "perversion": { + "CHS": "反常;颠倒;曲解;误用;堕落", + "ENG": "a type of sexual behaviour that is considered unnatural and unacceptable" + }, + "scapegoat": { + "CHS": "使成为…的替罪羊", + "ENG": "To scapegoat someone means to blame them publicly for something bad that has happened, even though it was not their fault" + }, + "hail": { + "CHS": "万岁;欢迎" + }, + "prefigure": { + "CHS": "预示;预想", + "ENG": "to be a sign that something will happen later" + }, + "precede": { + "CHS": "领先,在…之前;优于,高于", + "ENG": "to happen or exist before something or someone, or to come before something else in a series" + }, + "deter": { + "CHS": "(Deter)人名;(德)德特尔" + }, + "refute": { + "CHS": "反驳,驳斥;驳倒", + "ENG": "to prove that a statement or idea is not correct" + }, + "pacemaker": { + "CHS": "[基医] 起搏器;领跑者;标兵", + "ENG": "a small machine that is placed inside someone’s chest in order to help their heart beat regularly" + }, + "corrosion": { + "CHS": "腐蚀;腐蚀产生的物质;衰败", + "ENG": "the gradual destruction of metal by the effect of water, chemicals etc or a substance such as rust produced by this process" + }, + "conscience": { + "CHS": "道德心,良心", + "ENG": "the part of your mind that tells you whether what you are doing is morally right or wrong" + }, + "corps": { + "CHS": "军团;兵种;兵队;(德国大学的)学生联合会", + "ENG": "a group in an army with special duties and responsibilities" + }, + "predator": { + "CHS": "[动] 捕食者;[动] 食肉动物;掠夺者", + "ENG": "an animal that kills and eats other animals" + }, + "pesticide": { + "CHS": "杀虫剂", + "ENG": "a chemical substance used to kill insects and small animals that destroy crops" + }, + "expire": { + "CHS": "期满;终止;死亡;呼气", + "ENG": "if a period of time when someone has a particular position of authority expires, it ends" + }, + "multiple": { + "CHS": "倍数;[电] 并联", + "ENG": "a number that contains a smaller number an exact number of times" + }, + "salable": { + "CHS": "畅销的;适于销售的;价格适当的" + }, + "molecule": { + "CHS": "[化学] 分子;微小颗粒,微粒", + "ENG": "the smallest unit into which any substance can be divided without losing its own chemical nature, usually consisting of two or more atoms" + }, + "rebut": { + "CHS": "驳回;提出反证" + }, + "groove": { + "CHS": "开槽于" + }, + "diversion": { + "CHS": "转移;消遣;分散注意力", + "ENG": "a change in the direction or use of something, or the act of changing it" + }, + "alternative": { + "CHS": "二中择一;供替代的选择", + "ENG": "something you can choose to do or use instead of something else" + }, + "poach": { + "CHS": "水煮;偷猎;窃取;把…踏成泥浆", + "ENG": "to illegally catch or shoot animals, birds, or fish, especially on private land without permission" + }, + "symptom": { + "CHS": "[临床] 症状;征兆", + "ENG": "something wrong with your body or mind which shows that you have a particular illness" + }, + "wilderness": { + "CHS": "荒地;大量,茫茫一片", + "ENG": "A wilderness is a desert or other area of natural land which is not used by people" + }, + "conclude": { + "CHS": "推断;决定,作结论;结束", + "ENG": "to decide that something is true after considering all the information you have" + }, + "minus": { + "CHS": "减的;负的", + "ENG": "used to talk about a disadvantage of a thing or situation" + }, + "opaque": { + "CHS": "使不透明;使不反光" + }, + "dump": { + "CHS": "垃圾场;仓库;无秩序地累积", + "ENG": "a place where unwanted waste is taken and left" + }, + "discord": { + "CHS": "不一致;刺耳" + }, + "animosity": { + "CHS": "憎恶,仇恨,敌意", + "ENG": "strong dislike or hatred" + }, + "decimal": { + "CHS": "小数", + "ENG": "a fraction (= a number less than 1 ) that is shown as a full stop followed by the number of tenth s , hundredth s etc. The numbers 0.5, 0.175, and 0.661 are decimals." + }, + "vulnerable": { + "CHS": "易受攻击的,易受…的攻击;易受伤害的;有弱点的", + "ENG": "someone who is vulnerable can be easily harmed or hurt" + }, + "aspen": { + "CHS": "山杨", + "ENG": "a type of tree from western North America with leaves that shake a lot in the wind" + }, + "unilateral": { + "CHS": "单边的;[植] 单侧的;单方面的;单边音;(父母)单系的", + "ENG": "a unilateral action or decision is done by only one of the groups involved in a situation" + }, + "relentless": { + "CHS": "无情的;残酷的;不间断的", + "ENG": "strict, cruel, or determined, without ever stopping" + }, + "hormone": { + "CHS": "[生理] 激素,荷尔蒙", + "ENG": "a chemical substance produced by your body that influences its growth, development, and condition" + }, + "cocaine": { + "CHS": "[药] 可卡因", + "ENG": "a drug, usually in the form of a white powder, that is taken illegally for pleasure or used in some medical situations to prevent pain" + }, + "idealistic": { + "CHS": "理想主义的;唯心论的;唯心主义者的;空想家的", + "ENG": "believing that you should live according to high standards and principles, even if they cannot really be achieved, or showing this belief" + }, + "imitative": { + "CHS": "模仿的;仿制的", + "ENG": "copying someone or something, especially in a way that shows you do not have any ideas of your own" + }, + "expatriate": { + "CHS": "移居国外的;被流放的", + "ENG": "Expatriate is also an adjective" + }, + "indispensable": { + "CHS": "不可缺少之物;必不可少的人" + }, + "agrarian": { + "CHS": "土地的;耕地的;有关土地的", + "ENG": "Agrarian means relating to the ownership and use of land, especially farmland, or relating to the part of a society or economy that is concerned with agriculture" + }, + "pyramid": { + "CHS": "渐增;上涨;成金字塔状" + }, + "endanger": { + "CHS": "危及;使遭到危险", + "ENG": "to put someone or something in danger of being hurt, damaged, or destroyed" + }, + "blot": { + "CHS": "污点,污渍;墨水渍", + "ENG": "a mark or dirty spot on something, especially made by ink" + }, + "scorpion": { + "CHS": "蝎子;蝎尾鞭;心黑的人", + "ENG": "a tropical animal like an insect, with a curving tail and a poisonous sting" + }, + "tie": { + "CHS": "领带;平局;鞋带;领结;不分胜负", + "ENG": "a long narrow piece of cloth tied in a knot around the neck, worn by men" + }, + "optometrist": { + "CHS": "验光师;视力测定者", + "ENG": "someone who tests people’s eyes and orders glasses for them" + }, + "dimension": { + "CHS": "规格的" + }, + "deviation": { + "CHS": "偏差;误差;背离", + "ENG": "a noticeable difference from what is expected or acceptable" + }, + "esteem": { + "CHS": "尊重;尊敬", + "ENG": "a feeling of respect for someone, or a good opinion of someone" + }, + "bland": { + "CHS": "(Bland)人名;(英)布兰德" + }, + "inventory": { + "CHS": "存货,存货清单;详细目录;财产清册", + "ENG": "a list of all the things in a place" + }, + "solvency": { + "CHS": "偿付能力;溶解力", + "ENG": "A person's or organization's solvency is their ability to pay their debts" + }, + "extraneous": { + "CHS": "外来的;没有关联的;来自体外的", + "ENG": "coming from outside" + }, + "rug": { + "CHS": "小地毯;毛皮地毯;男子假发", + "ENG": "a piece of thick cloth or wool that covers part of a floor, used for warmth or as a decoration" + }, + "inverted": { + "CHS": "颠倒(invert的过去分词);使…反向" + }, + "ethnomusicology": { + "CHS": "人种音乐学", + "ENG": "the study of the music of different cultures " + }, + "celestial": { + "CHS": "神仙,天堂里的居民" + }, + "palatable": { + "CHS": "美味的,可口的;愉快的", + "ENG": "palatable food or drink has a pleasant or acceptable taste" + }, + "quantum": { + "CHS": "量子论;额;美国昆腾公司(世界领先的硬盘生产商)", + "ENG": "a unit of energy in nuclear physics" + }, + "orthodox": { + "CHS": "正统的人;正统的事物" + }, + "inhibit": { + "CHS": "抑制;禁止", + "ENG": "to prevent something from growing or developing well" + }, + "pharmacy": { + "CHS": "药房;配药学,药剂学;制药业;一批备用药品", + "ENG": "a shop or a part of a shop where medicines are prepared and sold" + }, + "cartel": { + "CHS": "卡特尔;企业联合;垄断联盟;俘虏交换条约", + "ENG": "a group of people or companies who agree to sell something at a particular price in order to prevent competition and increase profits" + }, + "folklore": { + "CHS": "民俗学;民间传说;民间风俗", + "ENG": "the traditional stories, customs etc of a particular area or country" + }, + "integration": { + "CHS": "集成;综合", + "ENG": "the combining of two or more things so that they work together effectively" + }, + "inverse": { + "CHS": "使倒转;使颠倒" + }, + "shrill": { + "CHS": "尖叫声" + }, + "maxim": { + "CHS": "格言;准则;座右铭", + "ENG": "a well-known phrase or saying, especially one that gives a rule for sensible behaviour" + }, + "copper": { + "CHS": "镀铜" + }, + "countervail": { + "CHS": "抵销;补偿;对抗", + "ENG": "to act or act against with equal power or force " + }, + "forestall": { + "CHS": "先发制人,预先阻止;垄断,屯积;领先;占先一步", + "ENG": "to prevent something from happening or prevent someone from doing something by doing something first" + }, + "upsurge": { + "CHS": "涌起,高涨" + }, + "avoid": { + "CHS": "避免;避开,躲避;消除", + "ENG": "to prevent something bad from happening" + }, + "jeopardize": { + "CHS": "危害;使陷危地;使受危困", + "ENG": "to risk losing or spoiling something important" + }, + "monopolistic": { + "CHS": "垄断的;独占性的;专利的", + "ENG": "controlling or trying to control an industry or business activity completely" + }, + "quadruple": { + "CHS": "四倍" + }, + "heptagon": { + "CHS": "七角形;[数] 七边形", + "ENG": "a shape with seven straight sides" + }, + "slight": { + "CHS": "怠慢;轻蔑" + }, + "segregate": { + "CHS": "使隔离;使分离;在…实行种族隔离", + "ENG": "to separate one group of people from others, especially because they are of a different race, sex, or religion" + }, + "slot": { + "CHS": "跟踪;开槽于" + }, + "divide": { + "CHS": "[地理] 分水岭,分水线", + "ENG": "a line of high ground between two river systems" + }, + "demobilization": { + "CHS": "复员;遣散(demobilize的名词)" + }, + "immobilize": { + "CHS": "使固定;使不动;使停止流通", + "ENG": "to prevent someone or something from moving" + }, + "mythic": { + "CHS": "神话的;虚构的", + "ENG": "Someone or something that is mythic exists only in myths and is therefore imaginary" + }, + "comply": { + "CHS": "遵守;顺从,遵从;答应", + "ENG": "to do what you have to do or are asked to do" + }, + "posterity": { + "CHS": "子孙,后裔;后代", + "ENG": "all the people in the future who will be alive after you are dead" + }, + "discrepancy": { + "CHS": "不符;矛盾;相差", + "ENG": "a difference between two amounts, details, reports etc that should be the same" + }, + "dynamic": { + "CHS": "动态;动力", + "ENG": "something that causes action or change" + }, + "errand": { + "CHS": "使命;差事;差使" + }, + "cost": { + "CHS": "费用,代价,成本;损失", + "ENG": "the amount of money that you have to pay in order to buy, do, or produce something" + }, + "bulge": { + "CHS": "使膨胀;使凸起", + "ENG": "to stick out in a rounded shape, especially because something is very full or too tight" + }, + "camcorder": { + "CHS": "摄录像机;便携式摄像机", + "ENG": "a type of camera that records pictures and sound on videotape " + }, + "raid": { + "CHS": "对…进行突然袭击", + "ENG": "if police raid a place, they make a surprise visit to search for something illegal" + }, + "shield": { + "CHS": "遮蔽;包庇;避开;保卫", + "ENG": "to protect someone or something from being harmed or damaged" + }, + "answerable": { + "CHS": "应负责任的;可回答的;有责任的", + "ENG": "a question that is answerable can be answered" + }, + "extinguish": { + "CHS": "熄灭;压制;偿清", + "ENG": "to make a fire or light stop burning or shining" + }, + "specter": { + "CHS": "幽灵;妖怪;恐怖之物" + }, + "electorate": { + "CHS": "选民;选区", + "ENG": "all the people in a country who have the right to vote" + }, + "irrigation": { + "CHS": "灌溉;[临床] 冲洗;冲洗法" + }, + "leukemia": { + "CHS": "[内科][肿瘤] 白血病", + "ENG": "a type of cancer of the blood, that causes weakness and sometimes death" + }, + "lobster": { + "CHS": "龙虾", + "ENG": "a sea animal with eight legs, a shell, and two large claws" + }, + "minority": { + "CHS": "少数的;属于少数派的" + }, + "neutral": { + "CHS": "中立国;中立者;非彩色;齿轮的空档", + "ENG": "a country, person, or group that is not involved in an argument or disagreement" + }, + "escalate": { + "CHS": "逐步增强;逐步升高", + "ENG": "to become higher or increase, or to make something do this" + }, + "diagnostic": { + "CHS": "诊断法;诊断结论" + }, + "reversal": { + "CHS": "逆转;[摄] 反转;[法] 撤销", + "ENG": "A reversal of a process, policy, or trend is a complete change in it" + }, + "paradigm": { + "CHS": "范例;词形变化表", + "ENG": "a very clear or typical example of something" + }, + "intracellular": { + "CHS": "细胞内的", + "ENG": "situated or occurring inside a cell or cells " + }, + "macrophage": { + "CHS": "[组织] 巨噬细胞", + "ENG": "any large phagocytic cell occurring in the blood, lymph, and connective tissue of vertebrates " + }, + "bacterium": { + "CHS": "[微] 细菌;杆菌属" + }, + "royalty": { + "CHS": "皇室;版税;王权;专利税", + "ENG": "members of a royal family" + }, + "proliferate": { + "CHS": "增殖;扩散;激增", + "ENG": "if something proliferates, it increases quickly and spreads to many different places" + }, + "preserve": { + "CHS": "保护区;禁猎地;加工成的食品" + }, + "butterfly": { + "CHS": "蝴蝶;蝶泳;举止轻浮的人;追求享乐的人", + "ENG": "a type of insect that has large wings, often with beautiful colours" + }, + "plume": { + "CHS": "羽毛", + "ENG": "a large feather or bunch of feathers, especially one that is used as a decoration on a hat" + }, + "mannerism": { + "CHS": "特殊习惯;矫揉造作;怪癖", + "ENG": "Someone's mannerisms are the gestures or ways of speaking that are very characteristic of them, and which they often use" + }, + "incline": { + "CHS": "倾斜;斜面;斜坡", + "ENG": "a slope" + }, + "criticism": { + "CHS": "批评;考证;苛求", + "ENG": "remarks that say what you think is bad about someone or something" + }, + "institution": { + "CHS": "制度;建立;(社会或宗教等)公共机构;习俗", + "ENG": "a large organization that has a particular kind of work or purpose" + }, + "individual": { + "CHS": "个人,个体", + "ENG": "a person, considered separately from the rest of the group or society that they live in" + }, + "undergo": { + "CHS": "经历,经受;忍受", + "ENG": "if you undergo a change, an unpleasant experience etc, it happens to you or is done to you" + }, + "crush": { + "CHS": "粉碎;迷恋;压榨;拥挤的人群", + "ENG": "a crowd of people pressed so close together that it is difficult for them to move" + }, + "off": { + "CHS": "远离的;空闲的" + }, + "spectator": { + "CHS": "观众;旁观者", + "ENG": "someone who is watching an event or game" + }, + "coordinate": { + "CHS": "调整;整合", + "ENG": "to organize an activity so that the people involved in it work well together and achieve a good result" + }, + "paleontologist": { + "CHS": "古生物学者" + }, + "aliquot": { + "CHS": "能整除", + "ENG": "an aliquot part " + }, + "asset": { + "CHS": "资产;优点;有用的东西;有利条件;财产;有价值的人或物", + "ENG": "the things that a company owns, that can be sold to pay debts" + }, + "territory": { + "CHS": "领土,领域;范围;地域;版图", + "ENG": "land that is owned or controlled by a particular country, ruler, or military force" + }, + "combine": { + "CHS": "联合收割机;联合企业", + "ENG": "a machine used by farmers to cut grain, separate the seeds from it, and clean it" + }, + "withdrawal": { + "CHS": "撤退,收回;提款;取消;退股", + "ENG": "the act of moving an army, weapons etc away from the area where they were fighting" + }, + "proficient": { + "CHS": "精通;专家,能手" + }, + "conservative": { + "CHS": "保守派,守旧者", + "ENG": "someone who supports or is a member of the Conservative Party in Britain" + }, + "alga": { + "CHS": "水藻" + }, + "crack": { + "CHS": "最好的;高明的" + }, + "differentiate": { + "CHS": "区分,区别", + "ENG": "to recognize or express the difference between things or people" + }, + "strategy": { + "CHS": "战略,策略", + "ENG": "a planned series of actions for achieving something" + }, + "radius": { + "CHS": "半径,半径范围;[解剖] 桡骨;辐射光线;有效航程", + "ENG": "the distance from the centre to the edge of a circle, or a line drawn from the centre to the edge" + }, + "add": { + "CHS": "加法,加法运算" + }, + "dehydrate": { + "CHS": "使…脱水;使极其口渴;使丧失力量和兴趣等", + "ENG": "to remove the liquid from a substance such as food or a chemical" + }, + "enfranchisement": { + "CHS": "解放,释放" + }, + "gland": { + "CHS": "腺", + "ENG": "an organ of the body which produces a substance that the body needs, such as hormones, sweat, or saliva" + }, + "detection": { + "CHS": "侦查,探测;发觉,发现;察觉", + "ENG": "when something is found that is not easy to see, hear etc, or the process of looking for it" + }, + "conviction": { + "CHS": "定罪;确信;证明有罪;确信,坚定的信仰", + "ENG": "a very strong belief or opinion" + }, + "conventional": { + "CHS": "符合习俗的,传统的;常见的;惯例的", + "ENG": "a conventional method, product, practice etc has been used for a long time and is considered the usual type" + }, + "spine": { + "CHS": "脊柱,脊椎;刺;书脊", + "ENG": "the row of bones down the centre of your back that supports your body and protects your spinal cord " + }, + "edge": { + "CHS": "使锐利;将…开刃;给…加上边", + "ENG": "to put something on the edge or border of something" + }, + "paternalism": { + "CHS": "家长式统治,家长作风", + "ENG": "when people in charge of an organization or society protect the members and give them what they need but do not allow them any freedom or responsibility" + }, + "tens": { + "CHS": "十位" + }, + "dioxide": { + "CHS": "二氧化物", + "ENG": "a chemical compound that contains two atoms of oxygen and one atom of another chemical element " + }, + "defrost": { + "CHS": "除霜", + "ENG": "if a freezer or refrigerator defrosts, or if you defrost it, it is turned off so that the ice inside it melts" + }, + "thermostat": { + "CHS": "为…配备恒温器;用恒温器控制" + }, + "patriotic": { + "CHS": "爱国的", + "ENG": "having or expressing a great love of your country" + }, + "predominant": { + "CHS": "主要的;卓越的;支配的;有力的;有影响的", + "ENG": "If something is predominant, it is more important or noticeable than anything else in a set of people or things" + }, + "medium": { + "CHS": "方法;媒体;媒介;中间物", + "ENG": "a way of communicating information and news to people, such as newspapers, television etc" + }, + "significance": { + "CHS": "意义;重要性;意思", + "ENG": "The significance of something is the importance that it has, usually because it will have an effect on a situation or shows something about a situation" + }, + "appreciation": { + "CHS": "欣赏,鉴别;增值;感谢", + "ENG": "pleasure you feel when you realize something is good, useful, or well done" + }, + "evacuation": { + "CHS": "疏散;撤离;排泄" + }, + "malpractice": { + "CHS": "玩忽职守;不法行为;治疗不当", + "ENG": "when a professional person makes a mistake or does not do their job properly and can be punished by a court" + }, + "indicative": { + "CHS": "陈述语气;陈述语气的动词形式", + "ENG": "the form of a verb that is used to make statements. For example, in the sentences ‘Penny passed her test’, and ‘Michael likes cake’, the verbs ‘passed’ and ‘likes’ are in the indicative." + }, + "overfish": { + "CHS": "对…进行过度捕捞" + }, + "activism": { + "CHS": "行动主义;激进主义", + "ENG": "Activism is the process of campaigning in public or working for an organization in order to bring about political or social change" + }, + "aggression": { + "CHS": "侵略;进攻;侵犯;侵害", + "ENG": "the act of attacking a country, especially when that country has not attacked first" + }, + "presume": { + "CHS": "假定;推测;擅自;意味着", + "ENG": "If you presume that something is the case, you think that it is the case, although you are not certain" + }, + "civic": { + "CHS": "市的;公民的,市民的", + "ENG": "relating to a town or city" + }, + "frequency": { + "CHS": "频率;频繁", + "ENG": "the number of times that something happens within a particular period of time or within a particular group of people" + }, + "overpayment": { + "CHS": "多付的款项" + }, + "pollinate": { + "CHS": "对授粉", + "ENG": "to give a flower or plant pollen so that it can produce seeds" + }, + "waterfront": { + "CHS": "滨水区的" + }, + "hypothesize": { + "CHS": "假设,假定", + "ENG": "to suggest a possible explanation that has not yet been proved to be true" + }, + "heed": { + "CHS": "注意到;留心到" + }, + "methane": { + "CHS": "[有化] 甲烷;[能源] 沼气", + "ENG": "a gas that you cannot see or smell, which can be burned to give heat" + }, + "capture": { + "CHS": "捕获;战利品,俘虏", + "ENG": "when you catch someone in order to make them a prisoner" + }, + "tactic": { + "CHS": "按顺序的,依次排列的" + }, + "anomaly": { + "CHS": "异常;不规则;反常事物", + "ENG": "something that is noticeable because it is different from what is usual" + }, + "theoretical": { + "CHS": "理论的;理论上的;假设的;推理的", + "ENG": "relating to the study of ideas, especially scientific ideas, rather than with practical uses of the ideas or practical experience" + }, + "prosecute": { + "CHS": "检举;贯彻;从事;依法进行", + "ENG": "if a lawyer prosecutes a case, he or she tries to prove that the person charged with a crime is guilty" + }, + "framework": { + "CHS": "框架,骨架;结构,构架", + "ENG": "a set of ideas, rules, or beliefs from which something is developed, or on which decisions are based" + }, + "arc": { + "CHS": "形成电弧;走弧线" + }, + "commit": { + "CHS": "犯罪,做错事;把交托给;指派…作战;使…承担义务", + "ENG": "to do something wrong or illegal" + }, + "promote": { + "CHS": "促进;提升;推销;发扬", + "ENG": "If people promote something, they help or encourage it to happen, increase, or spread" + }, + "pervasive": { + "CHS": "普遍的;到处渗透的;流行的", + "ENG": "existing everywhere" + }, + "administer": { + "CHS": "管理;执行;给予", + "ENG": "to manage the work or money of a company or organization" + }, + "harmonize": { + "CHS": "使和谐;使一致;以和声唱", + "ENG": "if two or more things harmonize, they work well together or look good together" + }, + "iconography": { + "CHS": "肖像研究;肖像学;图解", + "ENG": "The iconography of a group of people consists of the symbols, pictures, and objects that represent their ideas and way of life" + }, + "retail": { + "CHS": "零售的" + }, + "emerge": { + "CHS": "浮现;摆脱;暴露", + "ENG": "to appear or come out from somewhere" + }, + "generalization": { + "CHS": "概括;普遍化;一般化", + "ENG": "a statement about all the members of a group that may be true in some or many situations but is not true in every case" + }, + "lepidoptera": { + "CHS": "鳞翅目;鳞翅类" + }, + "liquidation": { + "CHS": "清算;偿还;液化;清除", + "ENG": "the act of closing a company by selling the things that belong to it, in order to pay its debts" + }, + "bloc": { + "CHS": "集团", + "ENG": "a large group of people or countries with the same political aims, working together" + }, + "base": { + "CHS": "以…作基础", + "ENG": "to have your main place of work, business etc in a particular place" + }, + "dormant": { + "CHS": "(Dormant)人名;(法)多尔芒" + }, + "prototype": { + "CHS": "原型;标准,模范", + "ENG": "the first form that a new design of a car, machine etc has, or a model of it used to test the design before it is produced" + }, + "configuration": { + "CHS": "配置;结构;外形", + "ENG": "the shape or arrangement of the parts of something" + }, + "pollutant": { + "CHS": "污染物", + "ENG": "a substance that makes air, water, soil etc dangerously dirty, and is caused by cars, factories etc" + }, + "units": { + "CHS": "[计量] 单位", + "ENG": "If you consider something as a unit, you consider it as a single, complete thing" + }, + "minute": { + "CHS": "微小的,详细的 [maɪˈnjuːt; US -ˈnuːt; maɪˋnut]", + "ENG": "extremely small" + }, + "encyclopedia": { + "CHS": "百科全书(亦是encyclopaedia)", + "ENG": "a book or cd, or a set of these, containing facts about many different subjects, or containing detailed facts about one subject" + }, + "linear": { + "CHS": "线的,线型的;直线的,线状的;长度的", + "ENG": "consisting of lines, or in the form of a straight line" + }, + "cater": { + "CHS": "(Cater)人名;(英)凯特" + }, + "uncertain": { + "CHS": "无常的;含糊的;靠不住的;迟疑不决的", + "ENG": "feeling doubt about something" + }, + "ease": { + "CHS": "轻松,舒适;安逸,悠闲", + "ENG": "Ease is the state of being very comfortable and able to live as you want, without any worries or problems" + }, + "quail": { + "CHS": "鹌鹑", + "ENG": "a small fat bird with a short tail that is hunted for food or sport, or the meat from this bird" + }, + "aura": { + "CHS": "光环;气氛;(中风等的)预兆;气味", + "ENG": "a quality or feeling that seems to surround or come from a person or a place" + }, + "multinational": { + "CHS": "跨国公司", + "ENG": "a large company that has offices, factories etc in many different countries" + }, + "diploma": { + "CHS": "发给…毕业文凭" + }, + "genial": { + "CHS": "亲切的,友好的;和蔼的;适宜的", + "ENG": "friendly and happy" + }, + "exclude": { + "CHS": "排除;排斥;拒绝接纳;逐出", + "ENG": "to deliberately not include something" + }, + "originate": { + "CHS": "引起;创作", + "ENG": "to have the idea for something and start it" + }, + "dissipate": { + "CHS": "浪费;使…消散", + "ENG": "to gradually become less or weaker before disappearing completely, or to make something do this" + }, + "cardiac": { + "CHS": "心脏的;心脏病的;贲门的", + "ENG": "relating to the heart" + }, + "lobby": { + "CHS": "对……进行游说", + "ENG": "to try to persuade the government or someone with political power that a law or situation should be changed" + }, + "punishable": { + "CHS": "可罚的;该罚的", + "ENG": "If a crime is punishable in a particular way, anyone who commits it is punished in that way" + }, + "heritage": { + "CHS": "遗产;传统;继承物;继承权", + "ENG": "the traditional beliefs, values, customs etc of a family, country, or society" + }, + "profile": { + "CHS": "描…的轮廓;扼要描述" + }, + "acceptance": { + "CHS": "接纳;赞同;容忍", + "ENG": "when people agree that an idea, statement, explanation etc is right or true" + }, + "identity": { + "CHS": "身份;同一性,一致;特性;恒等式", + "ENG": "someone’s identity is their name or who they are" + }, + "lease": { + "CHS": "出租;租得", + "ENG": "to use a building, car etc under a lease" + }, + "enroll": { + "CHS": "登记;使加入;把记入名册;使入伍" + }, + "morale": { + "CHS": "士气,斗志", + "ENG": "the level of confidence and positive feelings that people have, especially people who work together, who belong to the same team etc" + }, + "refinery": { + "CHS": "精炼厂;提炼厂;冶炼厂", + "ENG": "a factory where something such as oil or sugar is made purer" + }, + "allegiance": { + "CHS": "效忠,忠诚;忠贞", + "ENG": "loyalty to a leader, country, belief etc" + }, + "upholstered": { + "CHS": "装上软垫的;经过布置的", + "ENG": "Upholstered chairs and seats have a soft covering that makes them comfortable to sit on" + }, + "renegade": { + "CHS": "叛徒的;背弃的;脱离的" + }, + "amenity": { + "CHS": "舒适;礼仪;愉快;便利设施", + "ENG": "something that makes a place comfortable or easy to live in" + }, + "tectonics": { + "CHS": "[建] 构造学,[地质] 构造地质学" + }, + "entice": { + "CHS": "诱使;怂恿", + "ENG": "to persuade someone to do something or go somewhere, usually by offering them something that they want" + }, + "meter": { + "CHS": "用仪表测量", + "ENG": "to measure how much of something is used, and how much you must pay for it, by using a meter" + }, + "derive": { + "CHS": "(Derive)人名;(法)德里夫" + }, + "disclosure": { + "CHS": "[审计] 披露;揭发;被揭发出来的事情" + }, + "companionate": { + "CHS": "伙伴的,同伴的;友爱的,友好的", + "ENG": "resembling, appropriate to, or acting as a companion " + }, + "acute": { + "CHS": "严重的,[医] 急性的;敏锐的;激烈的;尖声的", + "ENG": "an acute problem is very serious" + }, + "explode": { + "CHS": "爆炸,爆发;激增", + "ENG": "to burst, or to make something burst, into small pieces, usually with a loud noise and in a way that causes damage" + }, + "patrol": { + "CHS": "巡逻;巡查", + "ENG": "to go around the different parts of an area or building at regular times to check that there is no trouble or danger" + }, + "ovulate": { + "CHS": "具胚珠的" + }, + "cupidity": { + "CHS": "贪心,贪婪", + "ENG": "very strong desire for something, especially money or property" + }, + "graph": { + "CHS": "用曲线图表示" + }, + "tract": { + "CHS": "束;大片土地,地带;小册子", + "ENG": "a large area of land" + }, + "negligible": { + "CHS": "微不足道的,可以忽略的", + "ENG": "too slight or unimportant to have any effect" + }, + "mishap": { + "CHS": "灾祸;不幸事故;晦气" + }, + "stationary": { + "CHS": "不动的人;驻军" + }, + "bounty": { + "CHS": "以赏金等形式发放" + }, + "understanding": { + "CHS": "理解;明白(understand的ing形式)" + }, + "ibuprofen": { + "CHS": "布洛芬,异丁苯丙酸(抗炎,镇痛药)", + "ENG": "a medicine that reduces pain, inflammation, and fever" + }, + "pedal": { + "CHS": "脚的;脚踏的", + "ENG": "of or relating to the foot or feet " + }, + "binomial": { + "CHS": "[数] 二项式;二种名称", + "ENG": "a mathematical expression that has two parts connected by the sign + or the sign −, for example 3x + 4y or x − 7" + }, + "hamper": { + "CHS": "食盒,食篮;阻碍物" + }, + "palm": { + "CHS": "将…藏于掌中" + }, + "provoke": { + "CHS": "驱使;激怒;煽动;惹起", + "ENG": "to cause a reaction or feeling, especially a sudden one" + }, + "exaggerate": { + "CHS": "使扩大;使增大", + "ENG": "If you exaggerate, you indicate that something is, for example, worse or more important than it really is" + }, + "susceptible": { + "CHS": "易得病的人" + }, + "emphasis": { + "CHS": "重点;强调;加强语气", + "ENG": "special attention or importance" + }, + "barren": { + "CHS": "荒地" + }, + "convert": { + "CHS": "皈依者;改变宗教信仰者", + "ENG": "someone who has been persuaded to change their beliefs and accept a particular religion or opinion" + }, + "sheer": { + "CHS": "偏航;透明薄织物" + }, + "expertise": { + "CHS": "专门知识;专门技术;专家的意见", + "ENG": "special skills or knowledge in a particular subject, that you learn by experience or training" + }, + "nuclear": { + "CHS": "原子能的;[细胞] 细胞核的;中心的;原子核的", + "ENG": "relating to or involving the nucleus (= central part ) of an atom, or the energy produced when the nucleus of an atom is either split or joined with the nucleus of another atom" + }, + "extinction": { + "CHS": "灭绝;消失;消灭;废止", + "ENG": "when a particular type of animal or plant stops existing" + }, + "distort": { + "CHS": "扭曲;使失真;曲解", + "ENG": "to report something in a way that is not completely true or correct" + }, + "clandestine": { + "CHS": "秘密的,私下的;偷偷摸摸的", + "ENG": "done or kept secret" + }, + "antiquity": { + "CHS": "高龄;古物;古代的遗物", + "ENG": "ancient times" + }, + "lunar": { + "CHS": "(Lunar)人名;(西)卢纳尔" + }, + "emit": { + "CHS": "发出,放射;发行;发表", + "ENG": "to send out gas, heat, light, sound etc" + }, + "cramped": { + "CHS": "用夹钳夹;约束(cramp的过去分词)" + }, + "description": { + "CHS": "描述,描写;类型;说明书", + "ENG": "a piece of writing or speech that gives details about what someone or something is like" + }, + "Fahrenheit": { + "CHS": "华氏温度计;华氏温标", + "ENG": "a scale of temperature in which water freezes at 32˚ and boils at 212˚" + }, + "resort": { + "CHS": "求助,诉诸;常去;采取某手段或方法", + "ENG": "If you resort to a course of action that you do not really approve of, you adopt it because you cannot see any other way of achieving what you want" + }, + "entrapment": { + "CHS": "诱捕;圈套;截留", + "ENG": "the practice of trapping someone by tricking them, especially to show that they are guilty of a crime" + }, + "futile": { + "CHS": "无用的;无效的;没有出息的;琐细的;不重要的", + "ENG": "actions that are futile are useless because they have no chance of being successful" + }, + "alluvial": { + "CHS": "冲积的", + "ENG": "made of soil left by rivers, lakes, floods etc" + }, + "discriminate": { + "CHS": "歧视;区别;辨别", + "ENG": "to treat a person or group differently from another in an unfair way" + }, + "budget": { + "CHS": "廉价的", + "ENG": "very low in price – often used in advertisements" + }, + "pulp": { + "CHS": "使…化成纸浆;除去…的果肉", + "ENG": "to beat or crush something until it becomes very soft and almost liquid" + }, + "efficient": { + "CHS": "有效率的;有能力的;生效的", + "ENG": "if someone or something is efficient, they work well without wasting time, money, or energy" + }, + "innate": { + "CHS": "先天的;固有的;与生俱来的", + "ENG": "an innate quality or ability is something you are born with" + }, + "cosmetic": { + "CHS": "化妆品;装饰品", + "ENG": "Cosmetics are substances such as lipstick or powder, which people put on their face to make themselves look more attractive" + }, + "veteran": { + "CHS": "经验丰富的;老兵的" + }, + "altruism": { + "CHS": "利他;利他主义", + "ENG": "when you care about or help other people, even though this brings no advantage to yourself" + }, + "rigid": { + "CHS": "严格的;僵硬的,死板的;坚硬的;精确的", + "ENG": "rigid methods, systems etc are very strict and difficult to change" + }, + "intact": { + "CHS": "完整的;原封不动的;未受损伤的", + "ENG": "not broken, damaged, or spoiled" + }, + "overlie": { + "CHS": "躺在…上面;覆在…上面;压在(婴儿、幼仔)身上使之窒息而死", + "ENG": "to lie over something" + }, + "turbulence": { + "CHS": "骚乱,动荡;[流] 湍流;狂暴", + "ENG": "a political or emotional situation that is very confused" + }, + "arch": { + "CHS": "使…弯成弓形;用拱连接", + "ENG": "to form or make something form a curved shape" + }, + "discern": { + "CHS": "识别;领悟,认识", + "ENG": "If you can discern something, you are aware of it and know what it is" + }, + "poll": { + "CHS": "无角的;剪过毛的;修过枝的" + }, + "mass": { + "CHS": "聚集起来,聚集", + "ENG": "to come together, or to make people or things come together, in a large group" + }, + "remainder": { + "CHS": "廉价出售;削价出售" + }, + "howl": { + "CHS": "嗥叫;怒号;嚎哭", + "ENG": "a long loud sound made by a dog, wolf , or other animal" + }, + "bar": { + "CHS": "除……外", + "ENG": "except" + }, + "accommodate": { + "CHS": "容纳;使适应;供应;调解", + "ENG": "if a room, building etc can accommodate a particular number of people or things, it has enough space for them" + }, + "referral": { + "CHS": "n参照;提及;被推举的人;转诊病人" + }, + "reflective": { + "CHS": "反射的;反映的;沉思的", + "ENG": "a reflective surface reflects light" + }, + "sustenance": { + "CHS": "食物;生计;支持", + "ENG": "food that people or animals need in order to live" + }, + "gourmet": { + "CHS": "菜肴精美的", + "ENG": "Gourmet food is nicer or more unusual or sophisticated than ordinary food, and is often more expensive" + }, + "habitat": { + "CHS": "[生态] 栖息地,产地", + "ENG": "the natural home of a plant or animal" + }, + "chatter": { + "CHS": "唠叨;饶舌;(动物的)啁啾声;潺潺流水声", + "ENG": "talk, especially about things that are not serious or important" + }, + "radiometric": { + "CHS": "放射性测量的;辐射度的;辐射测量的" + }, + "nematode": { + "CHS": "线虫,线虫类", + "ENG": "any unsegmented worm of the phylum (or class) Nematoda, having a tough outer cuticle" + }, + "counterpart": { + "CHS": "副本;配对物;极相似的人或物", + "ENG": "Someone's or something's counterpart is another person or thing that has a similar function or position in a different place" + }, + "episode": { + "CHS": "插曲;一段情节;插话;有趣的事件", + "ENG": "a television or radio programme that is one of a series of programmes in which the same story is continued each week" + }, + "mechanization": { + "CHS": "机械化;机动化" + }, + "claim": { + "CHS": "要求;声称;索赔;断言;值得", + "ENG": "a statement that something is true, even though it has not been proved" + }, + "nominate": { + "CHS": "推荐;提名;任命;指定", + "ENG": "to officially suggest someone or something for an important position, duty, or prize" + }, + "multitude": { + "CHS": "群众;多数", + "ENG": "a very large number of people or things" + }, + "keratitis": { + "CHS": "[眼科] 角膜炎", + "ENG": "inflammation of the cornea " + }, + "patriotism": { + "CHS": "爱国主义;爱国心,爱国精神", + "ENG": "Patriotism is love for your country and loyalty toward it" + }, + "interdependence": { + "CHS": "互相依赖", + "ENG": "a situation in which people or things depend on each other" + }, + "era": { + "CHS": "时代;年代;纪元", + "ENG": "a period of time in history that is known for a particular event, or for particular qualities" + }, + "arboreal": { + "CHS": "树木的;栖息在树上的", + "ENG": "relating to trees, or living in trees" + }, + "elevate": { + "CHS": "提升;举起;振奋情绪等;提升…的职位", + "ENG": "to move someone or something to a more important level or rank, or make them better than before" + }, + "transplant": { + "CHS": "移植;移植器官;被移植物;移居者", + "ENG": "the operation of transplanting an organ, piece of skin etc" + }, + "overextend": { + "CHS": "过分扩展;过分延长;使…承担过多的义务" + }, + "implementation": { + "CHS": "[计] 实现;履行;安装启用" + }, + "unleavened": { + "CHS": "未发酵的;未受激发的", + "ENG": "unleavened bread is flat because it is not made with yeast" + }, + "vacant": { + "CHS": "(Vacant)人名;(法)瓦康" + }, + "anemia": { + "CHS": "贫血;贫血症" + }, + "bifurcation": { + "CHS": "分歧,分叉;分歧点" + }, + "capsule": { + "CHS": "压缩;简述" + }, + "harsh": { + "CHS": "(Harsh)人名;(英)哈什" + }, + "aluminum": { + "CHS": "铝" + }, + "accomplish": { + "CHS": "完成;实现;达到", + "ENG": "to succeed in doing something, especially after trying very hard" + }, + "estate": { + "CHS": "房地产;财产;身份", + "ENG": "law all of someone’s property and money, especially everything that is left after they die" + }, + "nonessential": { + "CHS": "不重要的人" + }, + "deleterious": { + "CHS": "有毒的,有害的", + "ENG": "damaging or harmful" + }, + "parasitic": { + "CHS": "寄生的(等于parasitical)", + "ENG": "living in or on another plant or animal and getting food from them" + }, + "allocate": { + "CHS": "分配;拨出;使坐落于", + "ENG": "to use something for a particular purpose, give something to a particular person etc, especially after an official decision has been made" + }, + "analogy": { + "CHS": "类比;类推;类似", + "ENG": "something that seems similar between two situations, processes etc" + }, + "quotient": { + "CHS": "[数] 商;系数;份额", + "ENG": "the number which is obtained when one number is divided by another" + }, + "periodic": { + "CHS": "周期的;定期的", + "ENG": "happening a number of times, usually at regular times" + }, + "symmetric": { + "CHS": "对称的;匀称的", + "ENG": "(of a relation) holding between a pair of arguments x and y when and only when it holds between y and x, as " + }, + "backward": { + "CHS": "向后地;相反地", + "ENG": "If you move or look backward, you move or look in the direction that your back is facing" + }, + "aggressive": { + "CHS": "侵略性的;好斗的;有进取心的;有闯劲的", + "ENG": "behaving in an angry threatening way, as if you want to fight or attack someone" + }, + "imperative": { + "CHS": "必要的事;命令;需要;规则;[语]祈使语气", + "ENG": "something that must be done urgently" + }, + "sculpture": { + "CHS": "雕塑;雕刻;刻蚀" + }, + "respect": { + "CHS": "尊敬,尊重;遵守", + "ENG": "to admire someone because they have high standards and good qualities such as fairness and honesty" + }, + "calculus": { + "CHS": "[病理] 结石;微积分学", + "ENG": "the part of mathematics that deals with changing quantities, such as the speed of a falling stone or the slope of a curved line" + }, + "dwarf": { + "CHS": "矮小的", + "ENG": "a dwarf plant or animal is much smaller than the usual size" + }, + "quest": { + "CHS": "追求;寻找", + "ENG": "If you are questing for something, you are searching for it" + }, + "untainted": { + "CHS": "无污点的;未染污的", + "ENG": "not affected or influenced by something bad" + }, + "trigonometry": { + "CHS": "三角法", + "ENG": "the part of mathematics concerned with the relationship between the angles and sides of triangles " + }, + "maturity": { + "CHS": "成熟;到期;完备", + "ENG": "the quality of behaving in a sensible way like an adult" + }, + "dismay": { + "CHS": "使沮丧;使惊慌", + "ENG": "If you are dismayed by something, it makes you feel afraid, worried, or sad" + }, + "compact": { + "CHS": "使简洁;使紧密结合" + }, + "contiguous": { + "CHS": "连续的;邻近的;接触的", + "ENG": "next to something, or next to each other" + }, + "rupture": { + "CHS": "破裂;发疝气", + "ENG": "to break or burst, or to make something break or burst" + }, + "fuel": { + "CHS": "燃料;刺激因素", + "ENG": "a substance such as coal, gas, or oil that can be burned to produce heat or energy" + }, + "burden": { + "CHS": "使负担;烦扰;装货于", + "ENG": "If someone burdens you with something that is likely to worry you, for example, a problem or a difficult decision, they tell you about it" + }, + "appeal": { + "CHS": "呼吁,请求;吸引力,感染力;上诉;诉诸裁判", + "ENG": "an urgent request for something important" + }, + "compose": { + "CHS": "构成;写作;使平静;排…的版", + "ENG": "to write a piece of music" + }, + "disapproval": { + "CHS": "不赞成;不喜欢", + "ENG": "If you feel or show disapproval of something or someone, you feel or show that you do not approve of them" + }, + "chronology": { + "CHS": "年表;年代学", + "ENG": "an account of events in the order in which they happened" + }, + "lapse": { + "CHS": "(一时的) 走神,判断错误", + "ENG": "A lapse of something such as concentration or judgment is a temporary lack of that thing, which can often cause you to make a mistake" + }, + "dense": { + "CHS": "稠密的;浓厚的;愚钝的", + "ENG": "made of or containing a lot of things or people that are very close together" + }, + "compress": { + "CHS": "受压缩小", + "ENG": "to press something or make it smaller so that it takes up less space, or to become smaller" + }, + "payroll": { + "CHS": "工资单;在册职工人数;工资名单", + "ENG": "The people on the payroll of a company or an organization are the people who work for it and are paid by it" + }, + "carpeting": { + "CHS": "铺以地毯(carpet的现在分词)" + }, + "adapt": { + "CHS": "使适应;改编", + "ENG": "to gradually change your behaviour and attitudes in order to be successful in a new situation" + }, + "exploration": { + "CHS": "探测;探究;踏勘", + "ENG": "the act of travelling through a place in order to find out about it or find something such as oil or gold in it" + }, + "contrast": { + "CHS": "对比;差别;对照物", + "ENG": "a difference between people, ideas, situations, things etc that are being compared" + }, + "verify": { + "CHS": "核实;查证", + "ENG": "to discover whether something is correct or true" + }, + "prospect": { + "CHS": "勘探,找矿", + "ENG": "to examine an area of land or water, in order to find gold, silver, oil etc" + }, + "assert": { + "CHS": "维护,坚持;断言;主张;声称", + "ENG": "to state firmly that something is true" + }, + "geologist": { + "CHS": "地质学家,地质学者" + }, + "transnational": { + "CHS": "跨国的;超越国界的", + "ENG": "involving more than one country or existing in more than one country" + }, + "drastic": { + "CHS": "烈性泻药" + }, + "subtraction": { + "CHS": "[数] 减法;减少;差集", + "ENG": "the process of taking a number or amount from a larger number or amount" + }, + "compile": { + "CHS": "编译;编制;编辑;[图情] 汇编", + "ENG": "to make a book, list, record etc, using different pieces of information, music etc" + }, + "exacerbate": { + "CHS": "使加剧;使恶化;激怒", + "ENG": "to make a bad situation worse" + }, + "responsible": { + "CHS": "负责的,可靠的;有责任的", + "ENG": "if someone is responsible for an accident, mistake, crime etc, it is their fault or they can be blamed" + }, + "gravitational": { + "CHS": "[力] 重力的,[力] 引力的", + "ENG": "related to or resulting from the force of gravity" + }, + "condemn": { + "CHS": "谴责;判刑,定罪;声讨", + "ENG": "to say very strongly that you do not approve of something or someone, especially because you think it is morally wrong" + }, + "supersede": { + "CHS": "取代,代替;紧接着……而到来", + "ENG": "if a new idea, product, or method supersedes another one, it becomes used instead because it is more modern or effective" + }, + "subsistence": { + "CHS": "生活;生存;存在", + "ENG": "the condition of only just having enough money or food to stay alive" + }, + "oust": { + "CHS": "驱逐;剥夺;取代", + "ENG": "If someone is ousted from a position of power, job, or place, they are forced to leave it" + }, + "deprecate": { + "CHS": "反对;抨击;轻视;声明不赞成", + "ENG": "to strongly disapprove of or criticize something" + }, + "metabolism": { + "CHS": "[生理] 新陈代谢", + "ENG": "the chemical processes by which food is changed into energy in your body" + }, + "leaven": { + "CHS": "酵母;酵素;潜移默化的影响", + "ENG": "a substance, especially yeast, that is added to a mixture of flour and water so that it will swell and can be baked into bread" + }, + "lag": { + "CHS": "最后的" + }, + "originality": { + "CHS": "创意;独创性,创造力;原始;新奇", + "ENG": "when something is completely new and different from anything that anyone has thought of before" + }, + "adjacent": { + "CHS": "邻近的,毗连的", + "ENG": "a room, building, piece of land etc that is adjacent to something is next to it" + }, + "crust": { + "CHS": "结硬皮;结成外壳" + }, + "perishable": { + "CHS": "容易腐坏的东西" + }, + "restructure": { + "CHS": "调整;重建;更改结构", + "ENG": "to change the way in which something such as a government, business, or system is organized" + }, + "fundraise": { + "CHS": "募捐" + }, + "scarce": { + "CHS": "仅仅;几乎不;几乎没有", + "ENG": "scarcely" + }, + "aristocracy": { + "CHS": "贵族;贵族统治;上层社会;贵族政治", + "ENG": "the people in the highest social class, who traditionally have a lot of land, money, and power" + }, + "reinforce": { + "CHS": "加强;加固物;加固材料" + }, + "cube": { + "CHS": "使成立方形;使自乘二次;量…的体积", + "ENG": "to multiply a number by itself twice" + }, + "saffron": { + "CHS": "藏红花色的,橘黄色的" + }, + "preside": { + "CHS": "主持,担任会议主席", + "ENG": "to be in charge of a formal event, organization, ceremony etc" + }, + "eternal": { + "CHS": "永恒的;不朽的", + "ENG": "continuing for ever and having no end" + }, + "obese": { + "CHS": "肥胖的,过胖的", + "ENG": "very fat in a way that is unhealthy" + }, + "superior": { + "CHS": "上级,长官;优胜者,高手;长者", + "ENG": "someone who has a higher rank or position than you, especially in a job" + }, + "inch": { + "CHS": "使缓慢地移动", + "ENG": "to move very slowly in a particular direction, or to make something do this" + }, + "utensil": { + "CHS": "用具,器皿", + "ENG": "a thing such as a knife, spoon etc that you use when you are cooking" + }, + "concern": { + "CHS": "关系;关心;关心的事;忧虑", + "ENG": "something that is important to you or that involves you" + }, + "measles": { + "CHS": "[内科] 麻疹;风疹", + "ENG": "an infectious illness in which you have a fever and small red spots on your face and body. People often have measles when they are children." + }, + "filament": { + "CHS": "灯丝;细丝;细线;单纤维", + "ENG": "a very thin thread or wire" + }, + "highlight": { + "CHS": "最精彩的部分;最重要的事情;加亮区", + "ENG": "the most important, interesting, or enjoyable part of something such as a holiday, performance, or sports competition" + }, + "trout": { + "CHS": "鳟鱼,鲑鱼", + "ENG": "a common river-fish, often used for food, or the flesh of this fish" + }, + "hinterland": { + "CHS": "内地;穷乡僻壤;靠港口供应的内地贸易区", + "ENG": "an area of land that is far from the coast, large rivers, or the places where people live" + }, + "landscape": { + "CHS": "对…做景观美化,给…做园林美化;从事庭园设计", + "ENG": "to make a park, garden etc look attractive and interesting by changing its design, and by planting trees and bushes etc" + }, + "multiplicand": { + "CHS": "[数] 被乘数", + "ENG": "a number to be multiplied by another number, the multiplier " + }, + "forager": { + "CHS": "搜寻(食物)的人;四处寻找的人" + }, + "identical": { + "CHS": "完全相同的事物" + }, + "contemplate": { + "CHS": "沉思;注视;思忖;预期", + "ENG": "to look at someone or something for a period of time in a way that shows you are thinking" + }, + "legislation": { + "CHS": "立法;法律", + "ENG": "a law or set of laws" + }, + "phase": { + "CHS": "月相", + "ENG": "one of a fixed number of changes in the appearance of the Moon or a planet when it is seen from the Earth" + }, + "clarity": { + "CHS": "清楚,明晰;透明", + "ENG": "the clarity of a piece of writing, law, argument etc is its quality of being expressed clearly" + }, + "overrun": { + "CHS": "泛滥;超过;蹂躏", + "ENG": "if unwanted things or people overrun a place, they spread over it in great numbers" + }, + "democracy": { + "CHS": "民主,民主主义;民主政治", + "ENG": "a system of government in which every citizen in the country can vote to elect its government officials" + }, + "strut": { + "CHS": "支柱;高视阔步", + "ENG": "a long thin piece of metal or wood used to support a part of a building, the wing of an aircraft etc" + }, + "treasury": { + "CHS": "国库,金库;财政部;宝库" + }, + "annoyance": { + "CHS": "烦恼;可厌之事;打扰", + "ENG": "a feeling of slight anger" + }, + "ecology": { + "CHS": "生态学;社会生态学", + "ENG": "the way in which plants, animals, and people are related to each other and to their environment, or the scientific study of this" + }, + "spot": { + "CHS": "准确地;恰好" + }, + "multiplication": { + "CHS": "[数] 乘法;增加", + "ENG": "a method of calculating in which you add a number to itself a particular number of times" + }, + "blackout": { + "CHS": "灯火管制;灯火熄灭;暂时的意识丧失", + "ENG": "a period during a war when all the lights in a town or city must be turned off" + }, + "metabolize": { + "CHS": "使新陈代谢;使变形", + "ENG": "to change food in your body into energy and new cells, using chemical processes" + }, + "convoluted": { + "CHS": "盘绕;缠绕(convolute的过去分词)" + }, + "invade": { + "CHS": "侵略;侵袭;侵扰;涌入", + "ENG": "to enter a country, town, or area using military force, in order to take control of it" + }, + "neurotransmitter": { + "CHS": "[生理] 神经递质;[生理] 神经传递素", + "ENG": "a chemical by which a nerve cell communicates with another nerve cell or with a muscle " + }, + "linkage": { + "CHS": "连接;结合;联接;联动装置", + "ENG": "a link 2 1 " + }, + "premium": { + "CHS": "高价的;优质的", + "ENG": "of very high quality" + }, + "hum": { + "CHS": "哼;嗯" + }, + "property": { + "CHS": "性质,性能;财产;所有权", + "ENG": "the thing or things that someone owns" + }, + "hexagonal": { + "CHS": "六边的,六角形的", + "ENG": "A hexagonal object or shape has six straight sides" + }, + "drift": { + "CHS": "漂流,漂移;漂泊", + "ENG": "to move slowly on water or in the air" + }, + "plough": { + "CHS": "犁;耕地(等于plow)", + "ENG": "a piece of farm equipment used to turn over the earth so that seeds can be planted" + }, + "inherent": { + "CHS": "固有的;内在的;与生俱来的,遗传的", + "ENG": "a quality that is inherent in something is a natural part of it and cannot be separated from it" + }, + "eliminate": { + "CHS": "消除;排除", + "ENG": "to completely get rid of something that is unnecessary or unwanted" + }, + "dire": { + "CHS": "可怕的;悲惨的;极端的", + "ENG": "extremely serious or terrible" + }, + "congestion": { + "CHS": "拥挤;拥塞;淤血", + "ENG": "If there is congestion in a place, the place is extremely crowded and blocked with traffic or people" + }, + "portrait": { + "CHS": "肖像;描写;半身雕塑像", + "ENG": "a painting, drawing, or photograph of a person" + }, + "tribal": { + "CHS": "(Tribal)人名;(法)特里巴尔" + }, + "fraternal": { + "CHS": "兄弟般的;友好的", + "ENG": "showing a special friendliness to other people because you share interests or ideas with them" + }, + "depict": { + "CHS": "描述;描画", + "ENG": "to describe something or someone in writing or speech, or to show them in a painting, picture etc" + }, + "rudimentary": { + "CHS": "基本的;初步的;退化的;残遗的;未发展的", + "ENG": "a rudimentary knowledge or understanding of a subject is very simple and basic" + }, + "philosophy": { + "CHS": "哲学;哲理;人生观", + "ENG": "the study of the nature and meaning of existence, truth, good and evil, etc" + }, + "accompaniment": { + "CHS": "伴奏;伴随物", + "ENG": "music that is played in the background at the same time as another instrument or singer that plays or sings the main tune" + }, + "domestication": { + "CHS": "驯养;教化" + }, + "regime": { + "CHS": "政权,政体;社会制度;管理体制", + "ENG": "a government, especially one that was not elected fairly or that you disapprove of for some other reason" + }, + "toll": { + "CHS": "征收;敲钟", + "ENG": "if a large bell tolls, or if you toll it, it keeps ringing slowly, especially to show that someone has died" + }, + "allergic": { + "CHS": "对…过敏的;对…极讨厌的", + "ENG": "having an allergy" + }, + "herd": { + "CHS": "成群,聚在一起", + "ENG": "to bring people together in a large group, especially roughly" + }, + "condense": { + "CHS": "浓缩;凝结", + "ENG": "if a gas condenses, or is condensed, it becomes a liquid" + }, + "peat": { + "CHS": "泥煤;泥炭块;泥炭色", + "ENG": "a black substance formed from decaying plants under the surface of the ground in some areas, which can be burned as a fuel , or mixed with soil to help plants grow well" + }, + "communal": { + "CHS": "(Communal)人名;(法)科米纳尔" + }, + "insight": { + "CHS": "洞察力;洞悉", + "ENG": "the ability to understand and realize what people or situations are really like" + }, + "expound": { + "CHS": "解释;详细说明", + "ENG": "to explain or talk about something in detail" + }, + "domestic": { + "CHS": "国货;佣人", + "ENG": "a servant who works in a large house" + }, + "prosperity": { + "CHS": "繁荣,成功", + "ENG": "when people have money and everything that is needed for a good life" + }, + "assumption": { + "CHS": "假定;设想;担任;采取", + "ENG": "something that you think is true although you have no definite proof" + }, + "quantitative": { + "CHS": "定量的;量的,数量的", + "ENG": "relating to amounts rather than to the quality or standard of something" + }, + "civilization": { + "CHS": "文明;文化", + "ENG": "a society that is well organized and developed, used especially about a particular society in a particular place or at a particular time" + }, + "excursion": { + "CHS": "偏移;远足;短程旅行;离题;游览,游览团", + "ENG": "a short journey arranged so that a group of people can visit a place, especially while they are on holiday" + }, + "whiplash": { + "CHS": "鞭绳;鞭子的顶端;鞭打" + }, + "periodical": { + "CHS": "期刊;杂志", + "ENG": "a magazine, especially one about a serious or technical subject" + }, + "helium": { + "CHS": "[化学] 氦(符号为He,2号元素)", + "ENG": "a gas that is lighter than air and is used to make balloons float. It is a chemical element :symbol He" + }, + "respectful": { + "CHS": "恭敬的;有礼貌的", + "ENG": "feeling or showing respect" + }, + "vicinity": { + "CHS": "邻近,附近;近处", + "ENG": "in the area around a particular place" + }, + "slope": { + "CHS": "倾斜;逃走", + "ENG": "if the ground or a surface slopes, it is higher at one end than the other" + }, + "dislodge": { + "CHS": "逐出,驱逐;使……移动;用力移动", + "ENG": "to make someone leave a place or lose a position of power" + }, + "assess": { + "CHS": "评定;估价;对…征税", + "ENG": "to make a judgment about a person or situation after thinking carefully about it" + }, + "rhinoceros": { + "CHS": "[脊椎] 犀牛", + "ENG": "a large heavy African or Asian animal with thick skin and either one or two horns on its nose" + }, + "verge": { + "CHS": "边缘", + "ENG": "the edge of a road, path etc" + }, + "carbonate": { + "CHS": "碳酸盐", + "ENG": "a salt (= chemical substance formed by an acid ) that contains carbon and oxygen" + }, + "paralysis": { + "CHS": "麻痹;无力;停顿", + "ENG": "the loss of the ability to move all or part of your body or feel things in it" + }, + "religious": { + "CHS": "修道士;尼姑" + }, + "eusocial": { + "CHS": "(昆虫)完全社会性的;完全群居的" + }, + "necessitate": { + "CHS": "使成为必需,需要;迫使", + "ENG": "to make it necessary for you to do something" + }, + "association": { + "CHS": "协会,联盟,社团;联合;联想", + "ENG": "an organization that consists of a group of people who have the same aims, do the same kind of work etc" + }, + "authenticate": { + "CHS": "鉴定;证明…是真实的", + "ENG": "to prove that something is true or real" + }, + "aviation": { + "CHS": "航空;飞行术;飞机制造业", + "ENG": "the science or practice of flying in aircraft" + }, + "diaper": { + "CHS": "给孩子换尿布" + }, + "rival": { + "CHS": "竞争的" + }, + "stinger": { + "CHS": "讽刺者;好讽刺人的人;针,刺;有刺的动物;鸡尾酒", + "ENG": "the sharp needle-shaped part of an insect’s or animal’s body, with which it stings you" + }, + "demographic": { + "CHS": "人口统计学的;人口学的" + }, + "fluctuate": { + "CHS": "波动;涨落;动摇", + "ENG": "if a price or amount fluctuates, it keeps changing and becoming higher and lower" + }, + "foraging": { + "CHS": "觅食(forage的ing形式);觅食力" + }, + "obstacle": { + "CHS": "障碍,干扰;妨害物", + "ENG": "something that makes it difficult to achieve some­thing" + }, + "curiosity": { + "CHS": "好奇,好奇心;珍品,古董,古玩", + "ENG": "the desire to know about something" + }, + "contamination": { + "CHS": "污染,玷污;污染物" + }, + "depression": { + "CHS": "沮丧;洼地;不景气;忧愁;低气压区", + "ENG": "a long period during which there is very little business activity and a lot of people do not have jobs" + }, + "poacher": { + "CHS": "偷猎者;侵入者;炖蛋锅", + "ENG": "someone who illegally catches or shoots animals, birds, or fish, especially on private land without permission" + }, + "even": { + "CHS": "(Even)人名;(法)埃旺;(德)埃文;(英)埃文" + }, + "congenial": { + "CHS": "意气相投的;性格相似的;适意的;一致的", + "ENG": "suitable for something" + }, + "imbalance": { + "CHS": "不平衡;不安定", + "ENG": "a lack of a fair or correct balance between two things, which results in problems or unfairness" + }, + "porcelain": { + "CHS": "瓷制的;精美的" + }, + "synchronize": { + "CHS": "使……合拍;使……同步", + "ENG": "If you synchronize two activities, processes, or movements, or if you synchronize one activity, process, or movement with another, you cause them to happen at the same time and speed as each other" + }, + "enthusiastic": { + "CHS": "热情的;热心的;狂热的", + "ENG": "feeling or showing a lot of interest and excitement about something" + }, + "unaffected": { + "CHS": "不受影响的;自然的;真挚的;不矫揉造作的", + "ENG": "not changed or influenced by something" + }, + "envision": { + "CHS": "想象;预想", + "ENG": "to imagine something that you think might happen in the future, especially something that you think will be good" + }, + "burglarize": { + "CHS": "夜盗;行窃", + "ENG": "to go into a building and steal things" + }, + "enamel": { + "CHS": "彩饰;涂以瓷釉" + }, + "ramjet": { + "CHS": "[航] 冲压式喷气发动机", + "ENG": "a type of jet engine in which fuel is burned in a duct using air compressed by the forward speed of the aircraft " + }, + "calculate": { + "CHS": "计算;以为;作打算", + "ENG": "to find out how much something will cost, how long something will take etc, by using numbers" + }, + "cognitive": { + "CHS": "认知的,认识的", + "ENG": "related to the process of knowing, understanding, and learning something" + }, + "malaria": { + "CHS": "[内科] 疟疾;瘴气", + "ENG": "a disease that is common in hot countries and that you get when a type of mosquito bites you" + }, + "vaccine": { + "CHS": "疫苗的;牛痘的" + }, + "penalty": { + "CHS": "罚款,罚金;处罚", + "ENG": "a punishment for breaking a law, rule, or legal agreement" + }, + "inflate": { + "CHS": "使充气;使通货膨胀", + "ENG": "to fill something with air or gas so it becomes larger, or to become filled with air or gas" + }, + "tyrosine": { + "CHS": "[生化] 酪氨酸", + "ENG": "an aromatic nonessential amino acid; a component of proteins" + }, + "subject": { + "CHS": "使…隶属;使屈从于…", + "ENG": "to force a country or group of people to be ruled by you, and control them very strictly" + }, + "perceptibly": { + "CHS": "显然地;可感觉得出地;看得出地" + }, + "ostentation": { + "CHS": "卖弄;虚饰;虚有其表", + "ENG": "when you deliberately try to show people how rich or clever you are, in order to make them admire you" + }, + "predominantly": { + "CHS": "主要地;显著地", + "ENG": "mostly or mainly" + }, + "cascade": { + "CHS": "像瀑布般大量倾泻下来", + "ENG": "to flow, fall, or hang down in large quantities" + }, + "hue": { + "CHS": "色彩;色度;色调;叫声", + "ENG": "a colour or type of colour" + }, + "morphogenetic": { + "CHS": "有关形态发生的;地貌成因的" + }, + "duration": { + "CHS": "持续,持续的时间,期间", + "ENG": "the length of time that something continues" + }, + "maximize": { + "CHS": "取…最大值;对…极为重视", + "ENG": "to click on a special part on a window on a computer screen so that it becomes as big as the screen" + }, + "pronounced": { + "CHS": "发音;宣告;断言(pronounce的过去分词)" + }, + "culminate": { + "CHS": "到绝顶;达到高潮;达到顶点" + }, + "pentagon": { + "CHS": "五角形", + "ENG": "a flat shape with five sides and five angles" + }, + "aperiodic": { + "CHS": "不定期的;非周期性的", + "ENG": "not periodic; not occurring at regular intervals " + }, + "applicable": { + "CHS": "可适用的;可应用的;合适的", + "ENG": "if something is applicable to a particular person, group, or situation, it affects them or is related to them" + }, + "fallow": { + "CHS": "使(土地)休闲;潜伏", + "ENG": "to leave (land) unseeded after ploughing and harrowing it " + }, + "exceptional": { + "CHS": "超常的学生" + }, + "vine": { + "CHS": "长成藤蔓;爬藤" + }, + "smelt": { + "CHS": "香鱼;胡瓜鱼" + }, + "demonstrably": { + "CHS": "可论证地;明确地" + }, + "apparatus": { + "CHS": "装置,设备;仪器;器官", + "ENG": "the set of tools and machines that you use for a particular scientific, medical, or technical purpose" + }, + "recoup": { + "CHS": "收回;恢复;偿还;扣除", + "ENG": "to get back an amount of money you have lost or spent" + }, + "telephoto": { + "CHS": "用远距镜头照相的;摄远的" + }, + "ascending": { + "CHS": "上升;获得(ascend的ing形式);追溯" + }, + "tribute": { + "CHS": "礼物;[税收] 贡物;颂词;(尤指对死者的)致敬,悼念,吊唁礼物", + "ENG": "something that you say, do, or give in order to express your respect or admiration for someone" + }, + "austere": { + "CHS": "严峻的;简朴的;苦行的;无装饰的", + "ENG": "plain and simple and without any decoration" + }, + "prey": { + "CHS": "捕食;牺牲者;被捕食的动物", + "ENG": "an animal, bird etc that is hunted and eaten by another animal" + }, + "parasite": { + "CHS": "寄生虫;食客", + "ENG": "a plant or animal that lives on or in another plant or animal and gets food from it" + }, + "certitude": { + "CHS": "确信;确实", + "ENG": "the state of being or feeling certain about something" + }, + "mechanical": { + "CHS": "机械的;力学的;呆板的;无意识的;手工操作的", + "ENG": "affecting or involving a machine" + }, + "omen": { + "CHS": "预示;有…的前兆;预告" + }, + "propagandistic": { + "CHS": "宣传的;宣传家的" + }, + "appropriation": { + "CHS": "拨款;挪用", + "ENG": "the process of saving money for a special purpose, or the money that is saved, especially by a business or government" + }, + "vacuum": { + "CHS": "用真空吸尘器清扫", + "ENG": "to clean using a vacuum cleaner" + }, + "lumber": { + "CHS": "木材;废物,无用的杂物;隆隆声", + "ENG": "pieces of wood used for building, that have been cut to specific lengths and widths" + }, + "probe": { + "CHS": "调查;探测", + "ENG": "to ask questions in order to find things out, especially things that other people do not want you to know" + }, + "limestone": { + "CHS": "[岩] 石灰岩", + "ENG": "a type of rock that contains calcium" + }, + "eminent": { + "CHS": "杰出的;有名的;明显的", + "ENG": "an eminent person is famous, important, and respected" + }, + "activate": { + "CHS": "刺激;使活动;使活泼;使产生放射性", + "ENG": "to make an electrical system or chemical process start working" + }, + "kinetic": { + "CHS": "[力] 运动的;活跃的", + "ENG": "relating to movement" + }, + "comparison": { + "CHS": "比较;对照;比喻;比较关系", + "ENG": "the process of comparing two or more people or things" + }, + "letup": { + "CHS": "停止,中止;松懈" + }, + "recluse": { + "CHS": "隐居的" + }, + "absenteeism": { + "CHS": "旷工;旷课;有计划的怠工;经常无故缺席", + "ENG": "regular absence from work or school without a good reason" + }, + "crucial": { + "CHS": "重要的;决定性的;定局的;决断的", + "ENG": "something that is crucial is extremely important, because everything else depends on it" + }, + "biosphere": { + "CHS": "生物圈", + "ENG": "the part of the world in which animals, plants etc can live" + }, + "vaccination": { + "CHS": "接种疫苗;种痘" + }, + "pugnacious": { + "CHS": "好斗的,好战的", + "ENG": "very eager to argue or fight with people" + }, + "havoc": { + "CHS": "损毁" + }, + "inherit": { + "CHS": "继承;遗传而得", + "ENG": "to receive money, property etc from someone after they have died" + }, + "combat": { + "CHS": "战斗的;为…斗争的" + }, + "leery": { + "CHS": "机敏的;狡猾的;猜疑的;送秋波的", + "ENG": "If you are leery of something, you are cautious and suspicious about it and try to avoid it" + }, + "antitrust": { + "CHS": "[经] 反垄断的;[经] 反托拉斯的", + "ENG": "intended to prevent companies from unfairly controlling prices" + }, + "confidential": { + "CHS": "机密的;表示信任的;获信任的", + "ENG": "spoken or written in secret and intended to be kept secret" + }, + "fungi": { + "CHS": "真菌;菌类;蘑菇(fungus的复数)" + }, + "crystallize": { + "CHS": "使结晶;明确;使具体化;做成蜜饯", + "ENG": "if a liquid crystallizes, it forms crystals " + }, + "perceive": { + "CHS": "察觉,感觉;理解;认知", + "ENG": "to understand or think of something or someone in a particular way" + }, + "narrative": { + "CHS": "叙事的,叙述的;叙事体的" + }, + "endorphin": { + "CHS": "脑内啡", + "ENG": "a chemical produced by your body that reduces pain and can make you feel happier" + }, + "frame": { + "CHS": "有木架的;有构架的" + }, + "pigment": { + "CHS": "给…着色" + }, + "prairie": { + "CHS": "大草原;牧场", + "ENG": "a wide open area of fairly flat land in North America which is covered in grass or wheat" + }, + "dogma": { + "CHS": "教条,教理;武断的意见", + "ENG": "a set of firm beliefs held by a group of people who expect other people to accept these beliefs without thinking about them" + }, + "heretical": { + "CHS": "异端的;异教的", + "ENG": "A belief or action that is heretical is one that most people think is wrong because it disagrees with beliefs that are generally accepted" + }, + "alumna": { + "CHS": "女毕业生;女校友", + "ENG": "a woman who is a former student of a school, college etc" + }, + "domesticity": { + "CHS": "家庭生活;专心于家务;对家庭的挚爱", + "ENG": "life at home with your family" + }, + "increase": { + "CHS": "增加,增大;繁殖", + "ENG": "if you increase something, or if it increases, it becomes bigger in amount, number, or degree" + }, + "times": { + "CHS": "时代(time的复数);[数] 次数", + "ENG": "Time is what we measure in minutes, hours, days, and years" + }, + "distribute": { + "CHS": "分配;散布;分开;把…分类", + "ENG": "to share things among a group of people, especially in a planned way" + }, + "calligraphic": { + "CHS": "书法的;缮写的" + }, + "ardent": { + "CHS": "(Ardent)人名;(法)阿尔当" + }, + "duplicate": { + "CHS": "复制的;二重的", + "ENG": "exactly the same as something, or made as an exact copy of something" + }, + "facility": { + "CHS": "设施;设备;容易;灵巧", + "ENG": "Facilities are buildings, pieces of equipment, or services that are provided for a particular purpose" + }, + "cease": { + "CHS": "停止", + "ENG": "without stopping" + }, + "conflict": { + "CHS": "冲突,抵触;争执;战斗", + "ENG": "if two ideas, beliefs, opinions etc conflict, they cannot exist together or both be true" + }, + "potassium": { + "CHS": "[化学] 钾", + "ENG": "a common soft silver-white metal that usually exists in combination with other substances, used for example in farming. It is a chemical element: symbol K" + }, + "engender": { + "CHS": "使产生;造成", + "ENG": "to be the cause of a situation or feeling" + }, + "circumspect": { + "CHS": "细心的,周到的;慎重的", + "ENG": "If you are circumspect, you are cautious in what you do and say and do not take risks" + }, + "appetite": { + "CHS": "食欲;嗜好", + "ENG": "a desire for food" + }, + "flippant": { + "CHS": "轻率的;嘴碎的;没礼貌的", + "ENG": "not being serious about something that other people think you should be serious about" + }, + "benchmark": { + "CHS": "用基准问题测试(计算机系统等)" + }, + "fixture": { + "CHS": "设备;固定装置;固定于某处不大可能移动之物", + "ENG": "a piece of equipment that is fixed inside a house or building and is sold as part of the house" + }, + "epic": { + "CHS": "史诗;叙事诗;史诗般的作品", + "ENG": "a book, poem, or film that tells a long story about brave actions and exciting events" + }, + "spring": { + "CHS": "生长;涌出;跃出;裂开" + }, + "cornstalk": { + "CHS": "玉米秆;谷类的秆", + "ENG": "a stalk or stem of corn " + }, + "hypertherm": { + "CHS": "人工发热机" + }, + "dominate": { + "CHS": "控制;支配;占优势;在…中占主要地位", + "ENG": "to control someone or something or to have more importance than other people or things" + }, + "consolidate": { + "CHS": "巩固,使固定;联合", + "ENG": "to strengthen the position of power or success that you have, so that it becomes more effective or continues for longer" + }, + "catalytic": { + "CHS": "催化剂;刺激因素" + }, + "adapter": { + "CHS": "适配器;改编者;接合器;适应者", + "ENG": "an object that you use to connect two different pieces of electrical equipment, or to connect two pieces of equipment to the same power supply" + }, + "telecommunication": { + "CHS": "电讯;[通信] 远程通信;无线电通讯", + "ENG": "the telegraphic or telephonic communication of audio, video, or digital information over a distance by means of radio waves, optical signals, etc, or along a transmission line " + }, + "alliance": { + "CHS": "联盟,联合;联姻", + "ENG": "an arrangement in which two or more countries, groups etc agree to work together to try to change or achieve something" + }, + "tentative": { + "CHS": "假设,试验" + }, + "crass": { + "CHS": "(Crass)人名;(英)克拉斯" + }, + "category": { + "CHS": "种类,分类;[数] 范畴", + "ENG": "a group of people or things that are all of the same type" + }, + "resemble": { + "CHS": "类似,像", + "ENG": "to look like or be similar to someone or something" + }, + "apiece": { + "CHS": "每人;每个;各自地", + "ENG": "costing or having a particular amount each" + }, + "pharmaceutical": { + "CHS": "药物", + "ENG": "Pharmaceuticals are medicines" + }, + "inmate": { + "CHS": "(尤指)同院病人;同狱犯人;同被(收容所)收容者", + "ENG": "someone who is being kept in a prison" + }, + "inflation": { + "CHS": "膨胀;通货膨胀;夸张;自命不凡", + "ENG": "a continuing increase in prices, or the rate at which prices increase" + }, + "mystic": { + "CHS": "神秘主义者", + "ENG": "someone who practises mysticism " + }, + "hypotenuse": { + "CHS": "直角三角形的斜边", + "ENG": "the longest side of a triangle that has a right angle " + }, + "magnitude": { + "CHS": "大小;量级;[地震] 震级;重要;光度", + "ENG": "the great size or importance of something" + }, + "primate": { + "CHS": "灵长目动物的;首要的" + }, + "municipal": { + "CHS": "市政的,市的;地方自治的", + "ENG": "relating to or belonging to the government of a town or city" + }, + "hierarchical": { + "CHS": "分层的;等级体系的", + "ENG": "if a system, organization etc is hierarchical, people or things are divided into levels of importance" + }, + "lure": { + "CHS": "诱惑;引诱", + "ENG": "to persuade someone to do something, especially something wrong or dangerous, by making it seem attractive or exciting" + }, + "disappointed": { + "CHS": "失望的,沮丧的;受挫折的", + "ENG": "unhappy because something you hoped for did not happen, or because someone or something was not as good as you expected" + }, + "constraint": { + "CHS": "[数] 约束;局促,态度不自然;强制", + "ENG": "something that limits your freedom to do what you want" + }, + "fluid": { + "CHS": "流体;液体", + "ENG": "a liquid" + }, + "landlocked": { + "CHS": "为陆地所包围的", + "ENG": "a landlocked country, state etc is surrounded by other countries, states etc and has no coast" + }, + "allowance": { + "CHS": "定量供应" + }, + "sentient": { + "CHS": "有知觉的人" + }, + "renown": { + "CHS": "使有声望" + }, + "delve": { + "CHS": "穴;洞" + }, + "fledgling": { + "CHS": "无经验的人;刚会飞的幼鸟", + "ENG": "a young bird that is learning to fly" + }, + "headquarters": { + "CHS": "总部;指挥部;司令部", + "ENG": "the main building or offices used by a large company or organization" + }, + "hide": { + "CHS": "躲藏;兽皮;躲藏处", + "ENG": "an animal’s skin, especially when it has been removed to be used for leather" + }, + "computation": { + "CHS": "估计,计算", + "ENG": "the process of calculating or the result of calculating" + }, + "reflex": { + "CHS": "反射的;反省的;反作用的;优角的" + }, + "spray": { + "CHS": "喷射", + "ENG": "to force liquid out of a container so that it comes out in a stream of very small drops and covers an area" + }, + "primordial": { + "CHS": "原始的;根本的;原生的", + "ENG": "existing at the beginning of time or the beginning of the Earth" + }, + "iridescence": { + "CHS": "彩虹色" + }, + "odd": { + "CHS": "奇数;怪人;奇特的事物" + }, + "announcement": { + "CHS": "公告;宣告;发表;通告", + "ENG": "an important or official statement" + }, + "echolocation": { + "CHS": "回波定位;回声测距;回声定位能力(鲸和蝙蝠等所具备得一种机能)", + "ENG": "Echolocation is a system used by some animals to determine the position of an object by measuring how long it takes for an echo to return from the object" + }, + "studious": { + "CHS": "用功的;热心的;专心的;故意的;适于学习的" + }, + "intermediate": { + "CHS": "[化学] 中间物;媒介" + }, + "proceeds": { + "CHS": "收入,收益;实收款项", + "ENG": "the money that is obtained from doing something or selling something" + }, + "inflammation": { + "CHS": "[病理] 炎症;[医] 发炎;燃烧;发火", + "ENG": "swelling and pain in part of your body, which is often red and feels hot" + }, + "sugarcane": { + "CHS": "[作物] 甘蔗;糖蔗", + "ENG": "a tall tropical plant from whose stems sugar is obtained" + }, + "comparable": { + "CHS": "可比较的;比得上的", + "ENG": "similar to something else in size, number, quality etc, so that you can make a comparison" + }, + "median": { + "CHS": "中值的;中央的", + "ENG": "being the middle number or measurement in a set of numbers or measurements that have been arranged in order" + }, + "retarded": { + "CHS": "智力迟钝的;发展迟缓的", + "ENG": "less mentally developed than other people of the same age. Many people think that this use is rude and offensive." + }, + "peel": { + "CHS": "皮", + "ENG": "the skin of some fruits and vegetables, especially the thick skin of fruits such as oranges, which you do not eat" + }, + "string": { + "CHS": "线,弦,细绳;一串,一行", + "ENG": "a strong thread made of several threads twisted together, used for tying or fastening things" + }, + "multilateral": { + "CHS": "[数] 多边的;多国的,多国参加的", + "ENG": "involving several different countries or groups" + }, + "inquisitive": { + "CHS": "好奇的;好问的,爱打听的", + "ENG": "asking too many questions and trying to find out too many details about something or someone" + }, + "dichotomy": { + "CHS": "二分法;两分;分裂;双歧分枝" + }, + "precursor": { + "CHS": "先驱,前导", + "ENG": "something that happened or existed before something else and influenced its development" + }, + "diatom": { + "CHS": "[植] 硅藻", + "ENG": "any microscopic unicellular alga of the phylum Bacillariophyta, occurring in marine or fresh water singly or in colonies, each cell having a cell wall made of two halves and impregnated with silica " + }, + "qualify": { + "CHS": "限制;使具有资格;证明…合格", + "ENG": "to have the right to have or do something, or to give someone this right" + }, + "ancestor": { + "CHS": "始祖,祖先;被继承人", + "ENG": "a member of your family who lived a long time ago" + }, + "stunning": { + "CHS": "把…打昏;使震耳欲聋;使大吃一惊(stun的ing形式)" + }, + "receptor": { + "CHS": "[生化] 受体;接受器;感觉器官", + "ENG": "a nerve ending which receives information about changes in light, heat etc and causes the body to react in particular ways" + }, + "surpass": { + "CHS": "超越;胜过,优于;非…所能办到或理解", + "ENG": "to be even better or greater than someone or something else" + }, + "pastoral": { + "CHS": "牧歌;田园诗;田园景色" + }, + "asthma": { + "CHS": "[内科][中医] 哮喘,气喘", + "ENG": "a medical condition that causes difficulties in breathing" + }, + "formula": { + "CHS": "[数] 公式,准则;配方;婴儿食品", + "ENG": "a method or set of principles that you use to solve a problem or to make sure that something is successful" + }, + "insulate": { + "CHS": "隔离,使孤立;使绝缘,使隔热", + "ENG": "to cover or protect something with a material that stops electricity, sound, heat etc from getting in or out" + }, + "cynical": { + "CHS": "愤世嫉俗的;冷嘲的", + "ENG": "unwilling to believe that people have good, honest, or sincere reasons for doing something" + }, + "convey": { + "CHS": "传达;运输;让与", + "ENG": "to communicate or express something, with or without using words" + }, + "resonance": { + "CHS": "[力] 共振;共鸣;反响", + "ENG": "the special meaning or importance that something has for you because it relates to your own experiences" + }, + "renovation": { + "CHS": "革新;修理;恢复活力" + }, + "dismissal": { + "CHS": "解雇;免职", + "ENG": "when someone is removed from their job" + }, + "predicament": { + "CHS": "窘况,困境;状态", + "ENG": "a difficult or unpleasant situation in which you do not know what to do, or in which you have to make a difficult choice" + }, + "onset": { + "CHS": "开始,着手;发作;攻击,进攻", + "ENG": "the beginning of something, especially something bad" + }, + "rhinovirus": { + "CHS": "[病毒] 鼻病毒", + "ENG": "any of various viruses that occur in the human respiratory tract and cause diseases, such as the common cold " + }, + "amenable": { + "CHS": "有责任的:顺从的,服从的;有义务的;经得起检验的", + "ENG": "willing to accept what someone says or does without arguing" + }, + "clockwise": { + "CHS": "顺时针方向的", + "ENG": "Clockwise is also an adjective" + }, + "summit": { + "CHS": "最高级的;政府首脑的" + }, + "propagate": { + "CHS": "传播;传送;繁殖;宣传", + "ENG": "to spread an idea, belief etc to many people" + }, + "urchin": { + "CHS": "顽童,淘气鬼;海胆;刺猬" + }, + "microcomputer": { + "CHS": "微电脑;[计] 微型计算机", + "ENG": "a small computer" + }, + "deficit": { + "CHS": "赤字;不足额", + "ENG": "the difference between the amount of something that you have and the higher amount that you need" + }, + "argon": { + "CHS": "[化学] 氩(18号元素)", + "ENG": "a colourless gas that is found in very small quantities in the air and is sometimes used in electric light bulb s . It is a chemical element : symbol Ar" + }, + "stiffness": { + "CHS": "僵硬;坚硬;不自然;顽固" + }, + "caterpillar": { + "CHS": "有履带装置的" + }, + "rhombus": { + "CHS": "[数] 菱形;[数] 斜方形", + "ENG": "a shape with four equal straight sides, especially one that is not a square" + }, + "horseshoe": { + "CHS": "马蹄铁;U形物", + "ENG": "a U-shaped piece of iron that is fixed onto the bottom of a horse’s foot" + }, + "loaf": { + "CHS": "游荡;游手好闲;虚度光阴", + "ENG": "to spend time somewhere and not do very much" + }, + "Kelvin": { + "CHS": "开氏度的(常作K-)" + }, + "counteract": { + "CHS": "抵消;中和;阻碍", + "ENG": "to reduce or prevent the bad effect of something, by doing something that has the opposite effect" + }, + "thrive": { + "CHS": "繁荣,兴旺;茁壮成长", + "ENG": "to become very successful or very strong and healthy" + }, + "nutrient": { + "CHS": "营养的;滋养的" + }, + "emergency": { + "CHS": "紧急的;备用的", + "ENG": "An emergency action is one that is done or arranged quickly and not in the normal way, because an emergency has occurred" + }, + "persuade": { + "CHS": "空闲的,有闲的" + }, + "literally": { + "CHS": "照字面地;逐字地;不夸张地;正确地;简直", + "ENG": "used to emphasize a strong expression or word that is not being used in its real or original meaning. Some people consider this use to be incorrect." + }, + "audit": { + "CHS": "审计;[审计] 查账", + "ENG": "an official examination of a company’s financial records in order to check that they are correct" + }, + "demonstrate": { + "CHS": "证明;展示;论证", + "ENG": "to show or prove something clearly" + }, + "perfunctory": { + "CHS": "敷衍的;马虎的;得过且过的", + "ENG": "a perfunctory action is done quickly, and is only done because people expect it" + }, + "versatility": { + "CHS": "多功能性;多才多艺;用途广泛" + }, + "noxious": { + "CHS": "有害的;有毒的;败坏道德的;讨厌的", + "ENG": "harmful or poisonous" + }, + "salinity": { + "CHS": "盐度;盐分;盐性" + }, + "lepidopter": { + "CHS": "鳞翅类昆虫" + }, + "maternity": { + "CHS": "产科的;产妇的,孕妇的", + "ENG": "relating to a woman who is pregnant or who has just had a baby" + }, + "preoccupation": { + "CHS": "全神贯注,入神;当务之急;关注的事物;抢先占据;成见", + "ENG": "when someone thinks or worries about something a lot, with the result that they do not pay attention to other things" + }, + "courtesy": { + "CHS": "殷勤的;被承认的;出于礼节的", + "ENG": "A courtesy call or a courtesy visit is a formal visit that you pay someone as a way of showing them politeness or respect" + }, + "foresee": { + "CHS": "预见;预知", + "ENG": "to think or know that something is going to happen in the future" + }, + "ornamentation": { + "CHS": "装饰物", + "ENG": "decoration on an object that makes it look attractive" + }, + "protestant": { + "CHS": "抗议者;持异议者;新教徒", + "ENG": "A Protestant is a Christian who belongs to the branch of the Christian church that separated from the Catholic church in the sixteenth century" + }, + "bizarre": { + "CHS": "奇异的(指态度,容貌,款式等)", + "ENG": "very unusual or strange" + }, + "bias": { + "CHS": "偏斜地" + }, + "renounce": { + "CHS": "垫牌" + }, + "seesaw": { + "CHS": "玩跷跷板;上下来回摇动" + }, + "apportion": { + "CHS": "分配,分派;分摊", + "ENG": "to decide how something should be shared among various people" + }, + "progression": { + "CHS": "前进;连续" + }, + "cluster": { + "CHS": "群聚;丛生" + }, + "squirrel": { + "CHS": "贮藏" + }, + "compatible": { + "CHS": "兼容的;能共处的;可并立的", + "ENG": "if two pieces of computer equipment are compatible, they can be used together, especially when they are made by different companies" + }, + "diesel": { + "CHS": "内燃机传动的;供内燃机用的" + }, + "discipline": { + "CHS": "训练,训导;惩戒", + "ENG": "to teach someone to obey rules and control their behaviour" + }, + "adaptation": { + "CHS": "适应;改编;改编本,改写本", + "ENG": "a film or television programme that is based on a book or play" + }, + "eventual": { + "CHS": "最后的,结果的;可能的;终于的", + "ENG": "happening at the end of a long period of time or after a lot of other things have happened" + }, + "discount": { + "CHS": "贴现;打折扣出售商品", + "ENG": "to reduce the price of something" + }, + "arm": { + "CHS": "武装起来", + "ENG": "to provide weapons for yourself, an army, a country etc in order to prepare for a fight or a war" + }, + "determinism": { + "CHS": "[力] 决定论", + "ENG": "the belief that what you do and what happens to you are caused by things that you cannot control" + }, + "departure": { + "CHS": "离开;出发;违背", + "ENG": "an act of leaving a place, especially at the start of a journey" + }, + "vigorous": { + "CHS": "有力的;精力充沛的", + "ENG": "using a lot of energy and strength or determination" + }, + "allay": { + "CHS": "减轻;使缓和;使平静", + "ENG": "to make someone feel less afraid, worried etc" + }, + "process": { + "CHS": "经过特殊加工(或处理)的" + }, + "identify": { + "CHS": "确定;鉴定;识别,辨认出;使参与;把…看成一样 vi确定;认同;一致", + "ENG": "to recognize and correctly name someone or something" + }, + "pneumonic": { + "CHS": "肺的;肺炎的", + "ENG": "of, relating to, or affecting the lungs; pulmonary " + }, + "steppe": { + "CHS": "大草原,[地理] 干草原(特指西伯利亚一带没有树木的大草原)", + "ENG": "a large area of land without trees, especially in Russia, Asia, and eastern Europe" + }, + "billion": { + "CHS": "十亿的" + }, + "detrimental": { + "CHS": "有害的人(或物);不受欢迎的求婚者" + }, + "cutback": { + "CHS": "减少,削减;情节倒叙", + "ENG": "a reduction in something, such as the number of workers in a company or the amount of money a government or company spends" + }, + "bower": { + "CHS": "凉亭;树阴处", + "ENG": "a pleasant place in the shade under a tree" + }, + "corporation": { + "CHS": "公司;法人(团体);社团;大腹便便;市政当局", + "ENG": "a big company, or a group of companies acting together as a single organization" + }, + "manual": { + "CHS": "手册,指南", + "ENG": "a book that gives instructions about how to do something, especially how to use a machine" + }, + "ordinate": { + "CHS": "[数] 纵坐标", + "ENG": "the vertical or y-coordinate of a point in a two-dimensional system of Cartesian coordinates " + }, + "disenfranchise": { + "CHS": "剥夺…的公民权(等于disfranchise)", + "ENG": "to take away someone’s rights, especially their right to vote" + }, + "unobtrusive": { + "CHS": "不唐突的;谦虚的;不引人注目的", + "ENG": "not easily noticed" + }, + "archaeology": { + "CHS": "考古学", + "ENG": "the study of ancient societies by examining what remains of their buildings, grave s , tools etc" + }, + "beam": { + "CHS": "发送;以梁支撑;用…照射;流露", + "ENG": "to send a radio or television signal through the air, especially to somewhere very distant" + }, + "metallic": { + "CHS": "金属的,含金属的", + "ENG": "a metallic noise sounds like pieces of metal hitting each other" + }, + "boycott": { + "CHS": "联合抵制", + "ENG": "an act of boycotting something, or the period of time when it is boycotted" + }, + "difference": { + "CHS": "差异;不同;争执", + "ENG": "a way in which two or more people or things are not like each other" + }, + "excrete": { + "CHS": "排泄;分泌", + "ENG": "to get rid of waste material from your body through your bowels, your skin etc" + }, + "hieroglyphic": { + "CHS": "象形文字的;难解的", + "ENG": "of or relating to a form of writing using picture symbols, esp as used in ancient Egypt " + }, + "literacy": { + "CHS": "读写能力;精通文学", + "ENG": "the state of being able to read and write" + }, + "bounce": { + "CHS": "弹跳;使弹起", + "ENG": "if a ball or other object bounces, or you bounce it, it immediately moves up or away from a surface after hitting it" + }, + "stereotype": { + "CHS": "陈腔滥调,老套;铅版" + }, + "fungus": { + "CHS": "真菌,霉菌;菌类", + "ENG": "a simple type of plant that has no leaves or flowers and that grows on plants or other surfaces. mushrooms and mould are both fungi." + }, + "accountant": { + "CHS": "会计师;会计人员", + "ENG": "someone whose job is to keep and check financial accounts, calculate taxes etc" + }, + "ascribe": { + "CHS": "归因于;归咎于", + "ENG": "If you ascribe an event or condition to a particular cause, you say or consider that it was caused by that thing" + }, + "stunt": { + "CHS": "阻碍…的正常生长或发展", + "ENG": "to stop something or someone from growing to their full size or developing properly" + }, + "privilege": { + "CHS": "给与…特权;特免", + "ENG": "to treat some people or things better than others" + }, + "entail": { + "CHS": "引起;需要;继承" + }, + "permutations": { + "CHS": "[数] 排列(permutation的复数)", + "ENG": "A permutation is one of the ways in which a number of things can be ordered or arranged" + }, + "carpet": { + "CHS": "地毯;地毯状覆盖物", + "ENG": "heavy woven material for covering floors or stairs, or a piece of this material" + }, + "predecessor": { + "CHS": "前任,前辈", + "ENG": "someone who had your job before you started doing it" + }, + "underbelly": { + "CHS": "下腹部;薄弱部分;易受攻击的部位、区域等", + "ENG": "the weakest part of an organization or a person’s character, that is most easily attacked or criticized" + }, + "engage": { + "CHS": "吸引,占用;使参加;雇佣;使订婚;预定", + "ENG": "to be doing or to become involved in an activity" + }, + "drought": { + "CHS": "干旱;缺乏", + "ENG": "a long period of dry weather when there is not enough water for plants and animals to live" + }, + "parole": { + "CHS": "有条件释放,假释;使假释出狱;宣誓后释放", + "ENG": "to allow someone to leave prison on the condition that they promise to behave well" + }, + "balcony": { + "CHS": "阳台;包厢;戏院楼厅", + "ENG": "a structure that you can stand on, that is attached to the outside wall of a building, above ground level" + }, + "prospective": { + "CHS": "预期;展望" + }, + "contend": { + "CHS": "竞争;奋斗;斗争;争论", + "ENG": "to compete against someone in order to gain something" + }, + "sample": { + "CHS": "试样的,样品的;作为例子的" + }, + "curtail": { + "CHS": "缩减;剪短;剥夺…特权等", + "ENG": "to reduce or limit something" + }, + "ignite": { + "CHS": "点燃;使燃烧;使激动", + "ENG": "to start burning, or to make something start burning" + }, + "static": { + "CHS": "静电;静电干扰", + "ENG": "noise caused by electricity in the air that blocks or spoils the sound from radio or TV" + }, + "underlie": { + "CHS": "成为……的基础;位于……之下", + "ENG": "to be the cause of something, or be the basic thing from which something develops" + }, + "niche": { + "CHS": "放入壁龛" + }, + "aerodynamic": { + "CHS": "空气动力学的,[航] 航空动力学的", + "ENG": "an aerodynamic car, design etc uses the principles of aerodynamics to achieve high speed or low use of petrol" + }, + "airliner": { + "CHS": "班机;大型客机", + "ENG": "a large plane for passengers" + }, + "insecticide": { + "CHS": "杀虫剂", + "ENG": "a chemical substance used for killing insects" + }, + "criterion": { + "CHS": "(批评判断的)标准;准则;规范;准据", + "ENG": "a standard that you use to judge something or make a decision about something" + }, + "attempt": { + "CHS": "企图,试图;尝试", + "ENG": "to try to do something, especially something difficult" + }, + "comment": { + "CHS": "发表评论;发表意见", + "ENG": "to express an opinion about someone or something" + }, + "perpendicular": { + "CHS": "垂线;垂直的位置", + "ENG": "an exactly vertical position or line" + }, + "reminiscent": { + "CHS": "回忆录作者;回忆者" + }, + "hone": { + "CHS": "用磨刀石磨", + "ENG": "to make knives, swords etc sharp" + }, + "certify": { + "CHS": "证明;保证", + "ENG": "to state that something is correct or true, especially after some kind of test" + }, + "surcharge": { + "CHS": "追加罚款;使…装载过多;使…负担过重" + }, + "constructivist": { + "CHS": "构成主义者" + }, + "reconvene": { + "CHS": "再聚会;再集会" + }, + "snap": { + "CHS": "突然的", + "ENG": "an election that is announced suddenly and unexpectedly" + }, + "pallid": { + "CHS": "苍白的;暗淡的;无生气的", + "ENG": "very pale, especially in a way that looks weak or unhealthy" + }, + "marketplace": { + "CHS": "市场;商场;市集", + "ENG": "the part of business activity that is concerned with buying and selling goods in competition with other companies" + }, + "occupation": { + "CHS": "职业;占有;消遣;占有期", + "ENG": "a job or profession" + }, + "droplet": { + "CHS": "小滴,微滴", + "ENG": "a very small drop of liquid" + }, + "raccoon": { + "CHS": "浣熊;浣熊毛皮", + "ENG": "a small North American animal with black fur around its eyes and black and grey rings on its tail" + }, + "entrepreneurship": { + "CHS": "企业家精神", + "ENG": "Entrepreneurship is the state of being an entrepreneur, or the activities associated with being an entrepreneur" + }, + "mediate": { + "CHS": "间接的;居间的" + }, + "persecute": { + "CHS": "迫害;困扰;同…捣乱", + "ENG": "to treat someone cruelly or unfairly over a period of time, especially because of their religious or political beliefs" + }, + "disdainful": { + "CHS": "轻蔑的;倨傲的;鄙视的", + "ENG": "showing that you do not respect someone or something, because you think that they are not important or good enough" + }, + "automobile": { + "CHS": "驾驶汽车" + }, + "colossal": { + "CHS": "巨大的;异常的,非常的", + "ENG": "used to emphasize that something is extremely large" + }, + "ailment": { + "CHS": "小病;不安", + "ENG": "an illness that is not very serious" + }, + "instrument": { + "CHS": "仪器;工具;乐器;手段;器械", + "ENG": "a small tool used in work such as science or medicine" + }, + "compound": { + "CHS": "合成;混合;恶化,加重;和解,妥协", + "ENG": "to make a difficult situation worse by adding more problems" + }, + "glucose": { + "CHS": "葡萄糖;葡糖(等于dextrose)", + "ENG": "a natural form of sugar that exists in fruit" + }, + "approximation": { + "CHS": "[数] 近似法;接近;[数] 近似值", + "ENG": "a number, amount etc that is not exact, but is almost correct" + }, + "advertising": { + "CHS": "公告;为…做广告(advertise的ing形式)" + }, + "secular": { + "CHS": "修道院外的教士,(对宗教家而言的) 俗人" + }, + "bisector": { + "CHS": "[数] 二等分线;二等分物", + "ENG": "a straight line or plane that bisects an angle " + }, + "unparalleled": { + "CHS": "无比的;无双的;空前未有的", + "ENG": "bigger, better, or worse than anything else" + }, + "mole": { + "CHS": "鼹鼠;痣;防波堤;胎块;间谍", + "ENG": "a small dark furry animal which is almost blind. Moles usually live under the ground." + }, + "postal": { + "CHS": "明信片" + }, + "convection": { + "CHS": "[流][气象] 对流;传送", + "ENG": "the movement in a gas or liquid caused by warm gas or liquid rising, and cold gas or liquid sinking" + }, + "electron": { + "CHS": "电子", + "ENG": "a very small piece of matter with a negative electrical charge that moves around the nucleus(= central part ) of an atom" + }, + "carcass": { + "CHS": "(人或动物的)尸体;残骸;(除脏去头备食用的)畜体", + "ENG": "the body of a dead animal" + }, + "homing": { + "CHS": "回家(home的ing形式)" + }, + "diverse": { + "CHS": "不同的;多种多样的;变化多的", + "ENG": "If a group of things is diverse, it is made up of a wide variety of things" + }, + "extreme": { + "CHS": "极端;末端;最大程度;极端的事物", + "ENG": "a situation, quality etc which is as great as it can possibly be – used especially when talking about two opposites" + }, + "captive": { + "CHS": "俘虏;迷恋者", + "ENG": "someone who is kept as a prisoner, especially in a war" + }, + "elliptical": { + "CHS": "椭圆的;省略的", + "ENG": "having the shape of an ellipse" + }, + "woven": { + "CHS": "机织织物" + }, + "cathedral": { + "CHS": "大教堂", + "ENG": "the main church of a particular area under the control of a bishop " + }, + "sensation": { + "CHS": "感觉;轰动;感动", + "ENG": "a feeling that you get from one of your five senses, especially the sense of touch" + }, + "anatomy": { + "CHS": "解剖;解剖学;剖析;骨骼", + "ENG": "the scientific study of the structure of human or animal bodies" + }, + "disproportionate": { + "CHS": "不成比例的", + "ENG": "too much or too little in relation to something else" + }, + "dissimilar": { + "CHS": "不同的", + "ENG": "not the same" + }, + "vaccinate": { + "CHS": "被接种牛痘者" + }, + "ridge": { + "CHS": "使成脊状;作垄" + }, + "execute": { + "CHS": "实行;执行;处死", + "ENG": "to kill someone, especially legally as a punishment" + }, + "obscure": { + "CHS": "某种模糊的或不清楚的东西" + }, + "controversial": { + "CHS": "有争议的;有争论的", + "ENG": "causing a lot of disagreement, because many people have strong opinions about the subject being discussed" + }, + "equilateral": { + "CHS": "等边形" + }, + "embryonic": { + "CHS": "[胚] 胚胎的;似胚胎的", + "ENG": "relating to an embryo" + }, + "frustrate": { + "CHS": "挫败的;无益的" + }, + "variance": { + "CHS": "变异;变化;不一致;分歧;[数] 方差", + "ENG": "if two people or things are at variance with each other, they do not agree or are very different" + }, + "perpetrator": { + "CHS": "犯罪者;作恶者;行凶者", + "ENG": "someone who does something morally wrong or illegal" + }, + "undeterred": { + "CHS": "未受阻的;未被吓住的", + "ENG": "if you are undeterred by something, you do not allow it to stop you doing what you want" + }, + "unravel": { + "CHS": "解开;阐明;解决;拆散", + "ENG": "to understand or explain something that is mysterious or complicated" + }, + "ideology": { + "CHS": "意识形态;思想意识;观念学", + "ENG": "a set of beliefs on which a political or economic system is based, or which strongly influence the way people behave" + }, + "hedgehog": { + "CHS": "刺猬", + "ENG": "a small brown European animal whose body is round and covered with sharp needle-like spines " + }, + "sketch": { + "CHS": "画素描或速写", + "ENG": "to draw a sketch of something" + }, + "interstate": { + "CHS": "(美)州际公路", + "ENG": "a wide road that goes between states, on which cars can travel very fast" + }, + "consistent": { + "CHS": "始终如一的,一致的;坚持的", + "ENG": "a consistent argument or idea does not have any parts that do not match other parts" + }, + "rugged": { + "CHS": "崎岖的;坚固的;高低不平的;粗糙的", + "ENG": "land that is rugged is rough and uneven" + }, + "rear": { + "CHS": "后面;屁股;后方部队", + "ENG": "the back part of an object, vehicle, or building, or a position at the back of an object or area" + }, + "adept": { + "CHS": "内行;能手" + }, + "antibody": { + "CHS": "[免疫] 抗体", + "ENG": "a substance produced by your body to fight disease" + }, + "galactic": { + "CHS": "银河的;乳汁的", + "ENG": "Galactic means relating to galaxies" + }, + "promising": { + "CHS": "许诺,答应(promise的现在分词形式)" + }, + "complainant": { + "CHS": "[法] 原告;发牢骚的人;抱怨者", + "ENG": "someone who makes a formal complaint in a court of law" + }, + "minivan": { + "CHS": "小型货车", + "ENG": "a large car with seats for six to eight people" + }, + "handicap": { + "CHS": "妨碍,阻碍;使不利", + "ENG": "to make it difficult for someone to do something that they want or need to do" + }, + "therapy": { + "CHS": "治疗,疗法", + "ENG": "the treatment of an illness or injury over a fairly long period of time" + }, + "humid": { + "CHS": "潮湿的;湿润的;多湿气的", + "ENG": "if the weather is humid, you feel uncomfortable because the air is very wet and usually hot" + }, + "creative": { + "CHS": "创造性的", + "ENG": "involving the use of imagination to produce new ideas or things" + }, + "dispose": { + "CHS": "处置;性情" + }, + "crest": { + "CHS": "到达绝顶;形成浪峰", + "ENG": "to reach the top of a hill or mountain" + }, + "levy": { + "CHS": "征收(税等);征集(兵等)", + "ENG": "to officially say that people must pay a tax or charge" + }, + "collaborate": { + "CHS": "合作;勾结,通敌", + "ENG": "to work together with a person or group in order to achieve something, especially in science or art" + }, + "conservatism": { + "CHS": "保守主义;守旧性", + "ENG": "dislike of change and new ideas" + }, + "authority": { + "CHS": "权威;权力;当局", + "ENG": "the power you have because of your official position" + }, + "modification": { + "CHS": "修改,修正;改变", + "ENG": "a small change made in something such as a design, plan, or system" + }, + "indirect": { + "CHS": "间接的;迂回的;非直截了当的", + "ENG": "not directly caused by something" + }, + "dramatize": { + "CHS": "使戏剧化;编写剧本;改编成戏剧", + "ENG": "to make a book or event into a play or film" + }, + "compulsory": { + "CHS": "(花样滑冰、竞技体操等的)规定动作" + }, + "rudder": { + "CHS": "船舵;飞机方向舵", + "ENG": "a flat part at the back of a ship or aircraft that can be turned in order to control the direction in which it moves" + }, + "syndrome": { + "CHS": "[临床] 综合症状;并发症状;校验子;并发位", + "ENG": "an illness which consists of a set of physical or mental problems – often used in the name of illnesses" + }, + "retention": { + "CHS": "保留;扣留,滞留;记忆力;闭尿", + "ENG": "the act of keeping something" + }, + "rescind": { + "CHS": "解除;废除;撤回", + "ENG": "to officially end a law, or change a decision or agreement" + }, + "homeostasis": { + "CHS": "[生理] 体内平衡;[自] 内稳态" + }, + "intersection": { + "CHS": "交叉;十字路口;交集;交叉点", + "ENG": "a place where roads, lines etc cross each other, especially where two roads meet" + }, + "industrialize": { + "CHS": "使工业化", + "ENG": "When a country industrializes or is industrialized, it develops a lot of industries" + }, + "liable": { + "CHS": "有责任的,有义务的;应受罚的;有…倾向的;易…的", + "ENG": "legally responsible for the cost of something" + }, + "embed": { + "CHS": "栽种;使嵌入,使插入;使深留脑中", + "ENG": "to put something firmly and deeply into something else, or to be put into something in this way" + }, + "melatonin": { + "CHS": "褪黑激素;N-乙酰-5-甲氧基色胺", + "ENG": "a hormone that is sometimes used as a drug to help you sleep" + }, + "cultivation": { + "CHS": "培养;耕作;耕种;教化;文雅", + "ENG": "the preparation and use of land for growing crops" + }, + "motivate": { + "CHS": "刺激;使有动机;激发…的积极性", + "ENG": "to be the reason why someone does something" + }, + "solution": { + "CHS": "解决方案;溶液;溶解;解答", + "ENG": "a way of solving a problem or dealing with a difficult situation" + }, + "boomerang": { + "CHS": "飞去来器;自食其果的行为;回飞棒", + "ENG": "a curved stick that flies in a circle and comes back to you when you throw it, first used in Australia" + }, + "locomotion": { + "CHS": "运动;移动;旅行", + "ENG": "movement or the ability to move" + }, + "updraft": { + "CHS": "[建] 向上通风的" + }, + "scrubber": { + "CHS": "[化工] 洗涤器;洗刷者;刷子", + "ENG": "a person or thing that scrubs " + }, + "startlingly": { + "CHS": "惊人地;使人惊奇地" + }, + "volunteer": { + "CHS": "自愿", + "ENG": "to offer to do something without expecting any reward, often something that other people do not want to do" + }, + "nomad": { + "CHS": "游牧的;流浪的" + }, + "integrate": { + "CHS": "一体化;集成体" + }, + "revert": { + "CHS": "恢复原状者" + }, + "electricity": { + "CHS": "电力;电流;强烈的紧张情绪", + "ENG": "the power that is carried by wires, cables etc, and is used to provide light or heat, to make machines work etc" + }, + "prominent": { + "CHS": "突出的,显著的;杰出的;卓越的", + "ENG": "important" + }, + "skepticism": { + "CHS": "怀疑论;怀疑的态度" + }, + "atmosphere": { + "CHS": "气氛;大气;空气", + "ENG": "the feeling that an event or place gives you" + }, + "legitimation": { + "CHS": "合法化;承认为嫡出" + }, + "impulse": { + "CHS": "推动" + }, + "vertical": { + "CHS": "垂直线,垂直面", + "ENG": "the direction of something that is vertical" + }, + "reverence": { + "CHS": "敬畏;尊敬" + }, + "sluggish": { + "CHS": "市况呆滞;市势疲弱" + }, + "concentration": { + "CHS": "浓度;集中;浓缩;专心;集合", + "ENG": "the ability to think about something carefully or for a long time" + }, + "navy": { + "CHS": "海军", + "ENG": "the part of a country’s military forces that fights at sea" + }, + "warbler": { + "CHS": "啭鸟;鸣鸟;用颤音歌唱的人", + "ENG": "a bird that can make musical sounds" + }, + "distinctive": { + "CHS": "有特色的,与众不同的", + "ENG": "having a special quality, character, or appearance that is different and easy to recognize" + }, + "plague": { + "CHS": "折磨;使苦恼;使得灾祸", + "ENG": "to cause pain, suffering, or trouble to someone, especially for a long period of time" + }, + "genetic": { + "CHS": "遗传的;基因的;起源的", + "ENG": "relating to genes or genetics" + }, + "parlor": { + "CHS": "客厅的" + }, + "enormous": { + "CHS": "庞大的,巨大的;凶暴的,极恶的", + "ENG": "very big in size or in amount" + }, + "priest": { + "CHS": "使成为神职人员;任命…为祭司" + }, + "pelvis": { + "CHS": "骨盆", + "ENG": "the set of large wide curved bones at the base of your spine , to which your legs are joined" + }, + "pollen": { + "CHS": "[植] 花粉", + "ENG": "a fine powder produced by flowers, which is carried by the wind or by insects to other flowers of the same type, making them produce seeds" + }, + "alien": { + "CHS": "让渡,转让" + }, + "diminish": { + "CHS": "使减少;使变小", + "ENG": "to become or make something become smaller or less" + }, + "shrink": { + "CHS": "使缩小,使收缩", + "ENG": "to become smaller, or to make something smaller, through the effects of heat or water" + }, + "concerned": { + "CHS": "关心(concern的过去时和过去分词);与…有关" + }, + "constant": { + "CHS": "[数] 常数;恒量", + "ENG": "a number or quantity that never changes" + }, + "potential": { + "CHS": "潜在的;可能的;势的", + "ENG": "likely to develop into a particular type of person or thing in the future" + }, + "municipality": { + "CHS": "市民;市政当局;自治市或区", + "ENG": "a town, city, or other small area, which has its own government to make decisions about local affairs, or the officials in that government" + }, + "militancy": { + "CHS": "战斗性;交战状态" + }, + "overall": { + "CHS": "工装裤;罩衫", + "ENG": "a loose-fitting piece of clothing like a coat, that is worn over clothes to protect them" + }, + "rodent": { + "CHS": "[脊椎] 啮齿动物", + "ENG": "any small animal of the type that has long sharp front teeth, such as a rat or a rabbit" + }, + "slip": { + "CHS": "串行线路接口协议,是旧式的协议(Serial Line Interface Protocol)" + }, + "state": { + "CHS": "国家的;州的;正式的", + "ENG": "State industries or organizations are financed and organized by the government rather than private companies" + }, + "approval": { + "CHS": "批准;认可;赞成", + "ENG": "when a plan, decision, or person is officially accepted" + }, + "mandate": { + "CHS": "授权;托管", + "ENG": "to give someone the right or power to do something" + }, + "devoid": { + "CHS": "缺乏的;全无的", + "ENG": "If you say that someone or something is devoid of a quality or thing, you are emphasizing that they have none of it" + }, + "formation": { + "CHS": "形成;构造;编队", + "ENG": "the process of starting a new organization or group" + }, + "constrict": { + "CHS": "压缩;束紧", + "ENG": "to make something narrower or tighter, or to become narrower or tighter" + }, + "pint": { + "CHS": "品脱;一品脱的量;一品脱牛奶或啤酒", + "ENG": "a unit for measuring an amount of liquid, especially beer or milk. In Britain a pint is equal to 0.568 litres, and in the US it is equal to 0.473 litres." + }, + "prank": { + "CHS": "装饰;打扮", + "ENG": "to dress or decorate showily or gaudily " + }, + "theophylline": { + "CHS": "[有化] 茶碱", + "ENG": "a white crystalline slightly water-soluble alkaloid that is an isomer of theobromine: it occurs in plants, such as tea, and is used to treat asthma" + }, + "span": { + "CHS": "跨越;持续;以手指测量", + "ENG": "to include all of a period of time" + }, + "larva": { + "CHS": "[水产] 幼体,[昆] 幼虫", + "ENG": "a young insect with a soft tube-shaped body, which will later become an insect with wings" + }, + "harbor": { + "CHS": "海港;避难所" + }, + "attain": { + "CHS": "成就" + }, + "termite": { + "CHS": "[昆] 白蚁", + "ENG": "an insect that eats and destroys wood from trees and buildings" + }, + "milkweed": { + "CHS": "乳草属植物;马利筋属植物;野参类", + "ENG": "a common North American plant that produces a bitter white substance when its stem is broken" + }, + "hurricane": { + "CHS": "飓风,暴风", + "ENG": "a storm that has very strong fast winds and that moves over water" + }, + "republican": { + "CHS": "共和主义者", + "ENG": "someone who believes in government by elected representatives only, with no king or queen" + }, + "enterprise": { + "CHS": "企业;事业;进取心;事业心", + "ENG": "a company, organization, or business" + }, + "overlap": { + "CHS": "部分重叠;部分的同时发生", + "ENG": "If one thing overlaps another, or if you overlap them, a part of the first thing occupies the same area as a part of the other thing. You can also say that two things overlap. " + }, + "aquarium": { + "CHS": "水族馆;养鱼池;玻璃缸", + "ENG": "a clear glass or plastic container for fish and other water animals" + }, + "infectious": { + "CHS": "传染的;传染性的;易传染的", + "ENG": "an infectious illness can be passed from one person to another, especially through the air you breathe" + }, + "disability": { + "CHS": "残疾;无能;无资格;不利条件", + "ENG": "A disability is a permanent injury, illness, or physical or mental condition that tends to restrict the way that someone can live their life" + }, + "mold": { + "CHS": "霉菌;模子" + }, + "preeminent": { + "CHS": "卓越的;超群的" + }, + "manic": { + "CHS": "躁狂症者" + }, + "lizard": { + "CHS": "蜥蜴;类蜥蜴爬行动物", + "ENG": "a type of reptile that has four legs and a long tail" + }, + "bargaining": { + "CHS": "讨价还价;交易(bargain的ing形式)", + "ENG": "When people bargain with each other, they discuss what each of them will do, pay, or receive" + }, + "feign": { + "CHS": "假装;装作;捏造;想象", + "ENG": "to pretend to have a particular feeling or to be ill, asleep etc" + }, + "calamitous": { + "CHS": "灾难的,悲惨的;不幸的", + "ENG": "If you describe an event or situation as calamitous, you mean it is very unfortunate or serious" + }, + "nebula": { + "CHS": "星云;角膜云翳", + "ENG": "a mass of gas and dust among the stars, which often appears as a bright cloud in the sky at night" + }, + "infer": { + "CHS": "推断;推论", + "ENG": "to form an opinion that something is probably true because of information that you have" + }, + "eruption": { + "CHS": "爆发,喷发;火山灰;出疹" + }, + "subtle": { + "CHS": "微妙的;精细的;敏感的;狡猾的;稀薄的", + "ENG": "not easy to notice or understand unless you pay careful attention" + }, + "epidemic": { + "CHS": "传染病;流行病;风尚等的流行", + "ENG": "a large number of cases of a disease that happen at the same time" + }, + "introductory": { + "CHS": "引导的,介绍的;开端的", + "ENG": "said or written at the beginning of a book, speech etc in order to explain what it is about" + }, + "typhoid": { + "CHS": "伤寒", + "ENG": "a serious infectious disease that is caused by dirty food or drink" + }, + "spatial": { + "CHS": "空间的;存在于空间的;受空间条件限制的", + "ENG": "relating to the position, size, shape etc of things" + }, + "intersect": { + "CHS": "相交,交叉", + "ENG": "if two lines or roads intersect, they meet or go across each other" + }, + "passive": { + "CHS": "被动语态", + "ENG": "the passive form of a verb, for example ‘was destroyed’ in the sentence ‘The building was destroyed during the war.’" + }, + "interfere": { + "CHS": "干涉;妨碍;打扰", + "ENG": "to deliberately get involved in a situation where you are not wanted or needed" + }, + "halt": { + "CHS": "停止;立定;休息", + "ENG": "a stop or pause" + }, + "manipulate": { + "CHS": "操纵;操作;巧妙地处理;篡改", + "ENG": "to make someone think and behave exactly as you want them to, by skilfully deceiving or influencing them" + }, + "delicate": { + "CHS": "微妙的;精美的,雅致的;柔和的;易碎的;纤弱的;清淡可口的", + "ENG": "needing to be dealt with carefully or sensitively in order to avoid problems or failure" + }, + "bid": { + "CHS": "出价;叫牌;努力争取", + "ENG": "an offer to pay a particular price for something, especially at an auction " + }, + "consecutive": { + "CHS": "连贯的;连续不断的", + "ENG": "consecutive numbers or periods of time follow one after the other without any interruptions" + }, + "ally": { + "CHS": "使联盟;使联合", + "ENG": "If you ally yourself with someone or something, you give your support to them" + }, + "sequence": { + "CHS": "按顺序排好" + }, + "theme": { + "CHS": "以奇想主题布置的" + }, + "engulf": { + "CHS": "吞没;吞食,狼吞虎咽", + "ENG": "if an unpleasant feeling engulfs you, you feel it very strongly" + }, + "skeleton": { + "CHS": "骨骼的;骨瘦如柴的;概略的" + }, + "representative": { + "CHS": "代表;典型;众议员", + "ENG": "someone who has been chosen to speak, vote, or make decisions for someone else" + }, + "tangency": { + "CHS": "相切,接触" + }, + "fetal": { + "CHS": "胎的,胎儿的", + "ENG": "Fetal is used to describe something that relates to or is like a fetus" + }, + "admit": { + "CHS": "承认;准许进入;可容纳", + "ENG": "to agree unwillingly that something is true or that someone else is right" + }, + "periphery": { + "CHS": "外围,边缘;圆周;圆柱体表面", + "ENG": "the edge of an area" + }, + "wig": { + "CHS": "使戴假发;斥责" + }, + "scrub": { + "CHS": "矮小的;临时凑合的;次等的", + "ENG": "small, stunted, or inferior " + }, + "pant": { + "CHS": "气喘;喘息;喷气声" + }, + "mitigate": { + "CHS": "使缓和,使减轻", + "ENG": "to make a situation or the effects of something less unpleasant, harmful, or serious" + }, + "preponderance": { + "CHS": "优势;多数;占优势", + "ENG": "if there is a preponderance of people or things of a particular type in a group, there are more of that type than of any other" + }, + "taxpayer": { + "CHS": "纳税人;所收租金只够支付地产税的建筑物", + "ENG": "a person that pays tax" + }, + "mutual": { + "CHS": "共同的;相互的,彼此的", + "ENG": "mutual feelings such as respect, trust, or hatred are feelings that two or more people have for each other" + }, + "recover": { + "CHS": "还原至预备姿势" + }, + "loom": { + "CHS": "可怕地出现;朦胧地出现;隐约可见", + "ENG": "to appear as a large unclear shape, especially in a threatening way" + }, + "withdraw": { + "CHS": "撤退;收回;撤消;拉开", + "ENG": "to stop taking part in an activity, belonging to an organization etc, or to make someone do this" + }, + "boll": { + "CHS": "[植] 圆荚;博耳(容量单位)", + "ENG": "the fruit of such plants as flax and cotton, consisting of a rounded capsule containing the seeds " + }, + "stitch": { + "CHS": "缝,缝合", + "ENG": "to sew two pieces of cloth together, or to sew a decoration onto a piece of cloth" + }, + "patch": { + "CHS": "修补;解决;掩饰", + "ENG": "to repair a hole in something by putting a piece of something else over it" + }, + "anatomical": { + "CHS": "解剖的;解剖学的;结构上的", + "ENG": "relating to the structure of human or animal bodies" + }, + "anterior": { + "CHS": "前面的;先前的", + "ENG": "at or towards the front" + }, + "acquire": { + "CHS": "获得;取得;学到;捕获", + "ENG": "to obtain something by buying it or being given it" + }, + "cork": { + "CHS": "用瓶塞塞住", + "ENG": "to close a bottle by blocking the hole at the top tightly with a long round piece of cork or plastic" + }, + "mantle": { + "CHS": "覆盖;脸红", + "ENG": "to cover the surface of something" + }, + "contraction": { + "CHS": "收缩,紧缩;缩写式;害病", + "ENG": "a very strong and painful movement of a muscle, especially the muscles around the womb during birth" + }, + "modest": { + "CHS": "(Modest)人名;(罗)莫代斯特;(德)莫德斯特;(俄)莫杰斯特" + }, + "concerning": { + "CHS": "涉及;使关心(concern的ing形式);忧虑" + }, + "edible": { + "CHS": "食品;食物" + }, + "disturb": { + "CHS": "打扰;妨碍;使不安;弄乱;使恼怒", + "ENG": "to interrupt someone so that they cannot continue what they are doing" + }, + "quiz": { + "CHS": "挖苦;张望;对…进行测验" + }, + "prevalent": { + "CHS": "流行的;普遍的,广传的", + "ENG": "common at a particular time, in a particular place, or among a particular group of people" + }, + "round": { + "CHS": "附近;绕过;大约;在…周围" + }, + "household": { + "CHS": "全家人,一家人;(包括佣工在内的)家庭,户", + "ENG": "The household is your home and everything that is connected with taking care of it" + }, + "resigned": { + "CHS": "辞职;顺从(resign的过去分词)" + }, + "conservatively": { + "CHS": "谨慎地;保存地;适当地" + }, + "segment": { + "CHS": "段;部分", + "ENG": "a part of something that is different from or affected differently from the whole in some way" + }, + "launch": { + "CHS": "发射;发行,投放市场;下水;汽艇", + "ENG": "when a new product, book etc is made available or made known" + }, + "consideration": { + "CHS": "考虑;原因;关心;报酬", + "ENG": "careful thought and attention, especially before making an official or important decision" + }, + "charge": { + "CHS": "使充电;使承担;指责;装载;对…索费;向…冲去", + "ENG": "to say publicly that you think someone has done something wrong" + }, + "cabin": { + "CHS": "把…关在小屋里" + }, + "foreclosure": { + "CHS": "丧失抵押品赎回权", + "ENG": "Foreclosure is when someone who has lent money to a person or organization so that they can buy property takes possession of the property because the money has not been repaid" + }, + "declension": { + "CHS": "词尾变化;变格;倾斜;衰退", + "ENG": "the set of various forms that a noun, pronoun , or adjective can have according to whether it is the subject , object etc of a sentence in a language such as Latin or German" + }, + "scuba": { + "CHS": "水肺;水中呼吸器" + }, + "authorize": { + "CHS": "批准,认可;授权给;委托代替", + "ENG": "to give official permission for something" + }, + "fossilize": { + "CHS": "使成化石;使陈腐", + "ENG": "if people, ideas, systems etc fossilize or are fossilized, they never change or develop, even when there are good reasons why they should change" + }, + "bilateral": { + "CHS": "双边的;有两边的", + "ENG": "involving two groups or nations" + }, + "average": { + "CHS": "算出…的平均数;将…平均分配;使…平衡", + "ENG": "to usually do something or usually happen a particular number of times, or to usually be a particular size or amount" + }, + "amplifier": { + "CHS": "[电子] 放大器,扩大器;扩音器", + "ENG": "a piece of electrical equipment that makes sound louder" + }, + "hyperbola": { + "CHS": "[数] 双曲线", + "ENG": "a conic section formed by a plane that cuts both bases of a cone; it consists of two branches asymptotic to two intersecting fixed lines and has two foci" + }, + "harness": { + "CHS": "马具;甲胄;挽具状带子;降落伞背带;日常工作", + "ENG": "a set of leather bands used to control a horse or to attach it to a vehicle it is pulling" + }, + "tragedy": { + "CHS": "悲剧;灾难;惨案", + "ENG": "a very sad event, that shocks people because it involves death" + }, + "thermal": { + "CHS": "上升的热气流", + "ENG": "a rising current of warm air used by birds" + }, + "get": { + "CHS": "生殖;幼兽" + }, + "neuron": { + "CHS": "[解剖] 神经元,神经单位", + "ENG": "a type of cell that makes up the nervous system and sends messages to other parts of the body or the brain" + }, + "specialist": { + "CHS": "专家的;专业的" + }, + "microbe": { + "CHS": "细菌,微生物", + "ENG": "an extremely small living thing which you can only see if you use a microscope . Some microbes can cause diseases." + }, + "transition": { + "CHS": "过渡;转变;[分子生物] 转换;变调", + "ENG": "when something changes from one form or state to another" + }, + "glacier": { + "CHS": "冰河,冰川", + "ENG": "a large mass of ice which moves slowly down a mountain valley" + }, + "ruin": { + "CHS": "毁灭;使破产", + "ENG": "to make someone lose all their money" + }, + "optimum": { + "CHS": "最佳效果;最适宜条件" + }, + "pinpoint": { + "CHS": "针尖;精确位置;极小之物" + }, + "confess": { + "CHS": "承认;坦白;忏悔;供认", + "ENG": "to admit, especially to the police, that you have done something wrong or illegal" + }, + "consequence": { + "CHS": "结果;重要性;推论", + "ENG": "something that happens as a result of a particular action or set of conditions" + }, + "meteor": { + "CHS": "流星;[气象] 大气现象", + "ENG": "a piece of rock or metal that travels through space, and makes a bright line in the night sky when it falls down towards the Earth" + }, + "pretax": { + "CHS": "纳税前的", + "ENG": "Pretax profits or losses are the total profits or losses made by a company before tax has been taken away" + }, + "eradicate": { + "CHS": "根除,根绝;消灭", + "ENG": "to completely get rid of something such as a disease or a social problem" + }, + "dwelling": { + "CHS": "居住(dwell的现在分词)" + }, + "preference": { + "CHS": "偏爱,倾向;优先权", + "ENG": "if you have a preference for something, you like it more than another thing and will choose it if you can" + }, + "decipher": { + "CHS": "解释(过去式deciphered,过去分词deciphered,现在分词deciphering,第三人称单数deciphers,名词decipherer,形容词decipherable);译解", + "ENG": "to find the meaning of something that is difficult to read or understand" + }, + "distribution": { + "CHS": "分布;分配", + "ENG": "the act of sharing things among a large group of people in a planned way" + }, + "gradient": { + "CHS": "倾斜的;步行的" + }, + "virgin": { + "CHS": "处女", + "ENG": "someone who has never had sex" + }, + "premature": { + "CHS": "早产儿;过早发生的事物" + }, + "enhance": { + "CHS": "提高;加强;增加", + "ENG": "to improve something" + }, + "succession": { + "CHS": "连续;继位;继承权;[生态] 演替", + "ENG": "happening one after the other without anything diffe-rent happening in between" + }, + "deplete": { + "CHS": "耗尽,用尽;使衰竭,使空虚", + "ENG": "To deplete a stock or amount of something means to reduce it" + }, + "tenure": { + "CHS": "授予…终身职位" + }, + "archaeologist": { + "CHS": "考古学家" + }, + "assume": { + "CHS": "假定;设想;承担;采取", + "ENG": "to think that something is true, although you do not have definite proof" + }, + "digest": { + "CHS": "文摘;摘要", + "ENG": "a short piece of writing that gives the most important facts from a book, report etc" + }, + "coloration": { + "CHS": "着色;染色" + }, + "oversupply": { + "CHS": "过度供给", + "ENG": "to supply too much (material, etc) or too many (goods, people, etc) " + }, + "demographer": { + "CHS": "[统计] 人口统计学家,人口学家" + }, + "degrade": { + "CHS": "贬低;使……丢脸;使……降级;使……降解", + "ENG": "to treat someone without respect and make them lose respect for themselves" + }, + "formaldehyde": { + "CHS": "蚁醛,[有化] 甲醛", + "ENG": "a strong-smelling gas that can be mixed with water and used for preserving things such as dead animals to be used in science etc" + }, + "outmoded": { + "CHS": "使不流行(outmode的过去分词)" + }, + "funnel": { + "CHS": "通过漏斗或烟囱等;使成漏斗形" + }, + "nonnegative": { + "CHS": "正的,非负的" + }, + "crossbred": { + "CHS": "杂交繁育(crossbreed的过去式和过去分词)" + }, + "intense": { + "CHS": "强烈的;紧张的;非常的;热情的", + "ENG": "having a very strong effect or felt very strongly" + }, + "victimize": { + "CHS": "使受害;使牺牲;欺骗", + "ENG": "to treat someone unfairly because you do not like them, their beliefs, or the race they belong to" + }, + "hardy": { + "CHS": "强壮的人;耐寒植物;方柄凿", + "ENG": "any blacksmith's tool made with a square shank so that it can be lodged in a square hole in an anvil " + }, + "simulate": { + "CHS": "模仿的;假装的" + }, + "terrain": { + "CHS": "[地理] 地形,地势;领域;地带", + "ENG": "a particular type of land" + }, + "unbridled": { + "CHS": "放纵(unbridle的过去分词形式);卸下马辔头" + }, + "intestinal": { + "CHS": "肠的", + "ENG": "Intestinal means relating to the intestines" + }, + "harden": { + "CHS": "(Harden)人名;(英、德、罗、瑞典)哈登;(法)阿尔当" + }, + "reservoir": { + "CHS": "水库;蓄水池", + "ENG": "a lake, especially an artificial one, where water is stored before it is supplied to people’s houses" + }, + "herbicide": { + "CHS": "[农药] 除草剂", + "ENG": "a substance used to kill unwanted plants" + }, + "sublanguage": { + "CHS": "[计] 子语言,次语言(指社会中某一集团或阶层专用的言语)" + }, + "insignificant": { + "CHS": "无关紧要的", + "ENG": "Something that is insignificant is unimportant, especially because it is very small" + }, + "scale": { + "CHS": "衡量;攀登;剥落;生水垢", + "ENG": "to climb to the top of something that is high and difficult to climb" + }, + "validity": { + "CHS": "[计] 有效性;正确;正确性" + }, + "reproduction": { + "CHS": "繁殖,生殖;复制;复制品", + "ENG": "the act or process of producing babies, young animals, or plants" + }, + "perpetuate": { + "CHS": "长存的" + }, + "upheaval": { + "CHS": "剧变;隆起;举起", + "ENG": "a very big change that often causes problems" + }, + "residual": { + "CHS": "剩余的;残留的", + "ENG": "remaining after a process, event etc is finished" + }, + "observatory": { + "CHS": "天文台;气象台;瞭望台", + "ENG": "a special building from which scientists watch the moon, stars, weather etc" + }, + "university": { + "CHS": "大学;综合性大学;大学校舍", + "ENG": "an educational institution at the highest level, where you study for a degree" + }, + "Pleistocene": { + "CHS": "更新世;更新世岩", + "ENG": "the Pleistocene epoch or rock series " + }, + "parity": { + "CHS": "平价;同等;相等;胎次;分娩", + "ENG": "the state of being equal, especially having equal pay, rights, or power" + }, + "capacity": { + "CHS": "能力;容量;资格,地位;生产力", + "ENG": "the amount of space a container, room etc has to hold things or people" + }, + "permeate": { + "CHS": "渗透,透过;弥漫", + "ENG": "if liquid, gas etc permeates something, it enters it and spreads through every part of it" + }, + "irreversible": { + "CHS": "不可逆的;不能取消的;不能翻转的", + "ENG": "irreversible damage, change etc is so serious or so great that you cannot change something back to how it was before" + }, + "appliance": { + "CHS": "器具;器械;装置", + "ENG": "a piece of equipment, especially electrical equipment, such as a cooker or washing machine , used in people’s homes" + }, + "inspiration": { + "CHS": "灵感;鼓舞;吸气;妙计", + "ENG": "a good idea about what you should do, write, say etc, especially one which you get suddenly" + }, + "perception": { + "CHS": "知觉;[生理] 感觉;看法;洞察力;获取", + "ENG": "Your perception of something is the way that you think about it or the impression you have of it" + }, + "optical": { + "CHS": "光学的;眼睛的,视觉的", + "ENG": "relating to machines or processes which are concerned with light, images, or the way we see things" + }, + "moral": { + "CHS": "道德;寓意", + "ENG": "principles or standards of good behaviour, especially in matters of sex" + }, + "unscrupulous": { + "CHS": "肆无忌惮的;寡廉鲜耻的;不讲道德的", + "ENG": "behaving in an unfair or dishonest way" + }, + "deduce": { + "CHS": "推论,推断;演绎出", + "ENG": "to use the knowledge and information you have in order to understand something or form an opinion about it" + }, + "component": { + "CHS": "成分;组件;[电子] 元件", + "ENG": "one of several parts that together make up a whole machine, system etc" + }, + "commitment": { + "CHS": "承诺,保证;委托;承担义务;献身", + "ENG": "a promise to do something or to behave in a particular way" + }, + "artery": { + "CHS": "动脉;干道;主流", + "ENG": "one of the tubes that carries blood from your heart to the rest of your body" + }, + "objective": { + "CHS": "目的;目标;[光] 物镜;宾格", + "ENG": "something that you are trying hard to achieve, especially in business or politics" + }, + "recur": { + "CHS": "复发;重现;采用;再来;循环;递归", + "ENG": "if a number or numbers after a decimal point recur, they are repeated for ever in the same order" + }, + "quadratic": { + "CHS": "二次方程式", + "ENG": "an equation containing one or more terms in which the variable is raised to the power of two, but no terms in which it is raised to a higher power " + }, + "serotonin": { + "CHS": "[生化] 血清素;5-羟色胺(血管收缩素)", + "ENG": "a chemical in the body that helps carry messages from the brain and is believed to make you feel happy" + }, + "investigate": { + "CHS": "调查;研究", + "ENG": "to try to find out the truth about something such as a crime, accident, or scientific problem" + }, + "conserve": { + "CHS": "果酱;蜜饯", + "ENG": "fruit that is preserved by being cooked with sugar" + }, + "nutrition": { + "CHS": "营养,营养学;营养品", + "ENG": "the process of giving or getting the right type of food for good health and growth" + }, + "deterioration": { + "CHS": "恶化;退化;堕落" + }, + "miraculous": { + "CHS": "不可思议的,奇迹的", + "ENG": "very good, completely unexpected, and often very lucky" + }, + "acidity": { + "CHS": "酸度;酸性;酸过多;胃酸过多" + }, + "patriarchal": { + "CHS": "家长的;族长的;由族长统治的", + "ENG": "ruled or controlled only by men" + }, + "amalgam": { + "CHS": "[材] 汞合金,[化工] 汞齐;混合物", + "ENG": "a mixture of different things" + }, + "offshoot": { + "CHS": "分支;支流;衍生物", + "ENG": "something such as an organization which has developed from a larger or earlier one" + }, + "automation": { + "CHS": "自动化;自动操作", + "ENG": "the use of computers and machines instead of people to do a job" + }, + "mandatory": { + "CHS": "受托者(等于mandatary)" + }, + "commute": { + "CHS": "通勤(口语)", + "ENG": "A commute is the journey that you make when you commute" + }, + "automate": { + "CHS": "使自动化,使自动操作", + "ENG": "to start using computers and machines to do a job, rather than people" + }, + "throne": { + "CHS": "登上王座" + }, + "humidity": { + "CHS": "[气象] 湿度;湿气", + "ENG": "the amount of water contained in the air" + }, + "overlay": { + "CHS": "在表面上铺一薄层,镀" + }, + "superiority": { + "CHS": "优越,优势;优越性", + "ENG": "the quality of being better, more skilful, more powerful etc than other people or things" + }, + "ratio": { + "CHS": "比率,比例", + "ENG": "a relationship between two amounts, represented by a pair of numbers showing how much bigger one amount is than the other" + }, + "dealership": { + "CHS": "代理权;代理商;经销权", + "ENG": "a business that sells a particular company’s product, especially cars" + }, + "sporadically": { + "CHS": "零星地;偶发地" + }, + "optimism": { + "CHS": "乐观;乐观主义", + "ENG": "a tendency to believe that good things will always happen" + }, + "synthesis": { + "CHS": "综合,[化学] 合成;综合体", + "ENG": "something that has been made by combining different things, or the process of combining things" + }, + "deem": { + "CHS": "(Deem)人名;(英)迪姆" + }, + "metamorphic": { + "CHS": "变质的;变性的;变态的", + "ENG": "metamorphic rock is formed by the continuous effects of pressure, heat, or water" + }, + "compromise": { + "CHS": "妥协,和解;折衷", + "ENG": "an agreement that is achieved after everyone involved accepts less than what they wanted at first, or the act of making this agreement" + }, + "coleslaw": { + "CHS": "凉拌卷心菜(等于coldslaw)", + "ENG": "a salad made with thinly cut raw cabbage " + }, + "ideographic": { + "CHS": "表意的;表意字构成的" + }, + "tremendous": { + "CHS": "极大的,巨大的;惊人的;极好的", + "ENG": "very big, fast, powerful etc" + }, + "objection": { + "CHS": "异议,反对;缺陷,缺点;妨碍;拒绝的理由", + "ENG": "a reason that you have for opposing or disapproving of something, or something you say that expresses this" + }, + "multiplier": { + "CHS": "[数] 乘数;[电子] 倍增器;增加者;繁殖者", + "ENG": "When you multiply a number by another number, the second number is the multiplier" + }, + "status": { + "CHS": "地位;状态;情形;重要身份", + "ENG": "the official legal position or condition of a person, group, country etc" + }, + "invariant": { + "CHS": "[数] 不变量;[计] 不变式", + "ENG": "an entity, quantity, etc, that is unaltered by a particular transformation of coordinates " + }, + "underwriter": { + "CHS": "保险公司;保险业者;承诺支付者;担保人", + "ENG": "someone who makes insurance contracts" + }, + "antiquated": { + "CHS": "使古旧;废弃(antiquate的过去分词)" + }, + "transmission": { + "CHS": "传动装置,[机] 变速器;传递;传送;播送", + "ENG": "the process of sending out electronic signals, messages etc, using radio, television, or other similar equipment" + }, + "coyote": { + "CHS": "一种产于北美大草原的小狼;引外国人从墨西哥偷渡进入美国的不法分子", + "ENG": "A coyote is a small wolf which lives in the plains of North America" + }, + "nucleon": { + "CHS": "[高能] 核子", + "ENG": "a proton or neutron, esp one present in an atomic nucleus " + }, + "register": { + "CHS": "登记;注册;记录;寄存器;登记簿", + "ENG": "an official list of names of people, companies etc, or a book that has this list" + }, + "delta": { + "CHS": "(河流的)三角洲;德耳塔(希腊字母的第四个字)", + "ENG": "the fourth letter of the Greek alphabet" + }, + "domain": { + "CHS": "领域;域名;产业;地产", + "ENG": "an area of activity, interest, or knowledge, especially one that a particular person, organization etc deals with" + }, + "sidestep": { + "CHS": "台阶;横跨的一步" + }, + "ritual": { + "CHS": "仪式的;例行的;礼节性的", + "ENG": "done in a fixed and expected way, but without real meaning or sincerity" + }, + "dialect": { + "CHS": "方言的" + }, + "sensitive": { + "CHS": "敏感的人;有灵异能力的人" + }, + "burrow": { + "CHS": "(兔、狐等的)洞穴,地道;藏身处,住处", + "ENG": "a passage in the ground made by an animal such as a rabbit or fox as a place to live" + }, + "potent": { + "CHS": "有效的;强有力的,有权势的;有说服力的", + "ENG": "having a very powerful effect or influence on your body or mind" + }, + "aspect": { + "CHS": "方面;方向;形势;外貌", + "ENG": "one part of a situation, idea, plan etc that has many parts" + }, + "census": { + "CHS": "人口普查,人口调查", + "ENG": "an official process of counting a country’s population and finding out about the people" + }, + "jurisdiction": { + "CHS": "司法权,审判权,管辖权;权限,权力", + "ENG": "the right to use an official power to make legal decisions, or the area where this right exists" + }, + "impoverished": { + "CHS": "使贫困(impoverish的过去分词)", + "ENG": "Something that impoverishes a person or a country makes them poor" + }, + "odor": { + "CHS": "气味;名声" + }, + "nocturnal": { + "CHS": "夜的;夜曲的;夜间发生的", + "ENG": "an animal that is nocturnal is active at night" + }, + "intricate": { + "CHS": "复杂的;错综的,缠结的", + "ENG": "containing many small parts or details that all work or fit together" + }, + "asphalt": { + "CHS": "用柏油铺成的" + }, + "offender": { + "CHS": "罪犯;冒犯者;违法者", + "ENG": "someone who is guilty of a crime" + }, + "infinity": { + "CHS": "无穷;无限大;无限距", + "ENG": "a space or distance without limits or an end" + }, + "auction": { + "CHS": "拍卖", + "ENG": "a public meeting where land, buildings, paintings etc are sold to the person who offers the most money for them" + }, + "ethanol": { + "CHS": "[有化] 乙醇,[有化] 酒精", + "ENG": "the type of alcohol in alcoholic drinks, which can also be used as a fuel for cars" + }, + "independent": { + "CHS": "独立自主者;无党派者", + "ENG": "An independent is an independent politician" + }, + "scavenge": { + "CHS": "打扫;排除废气;以…为食", + "ENG": "if an animal scavenges, it eats anything that it can find" + }, + "arithmetic": { + "CHS": "算术,算法", + "ENG": "the science of numbers involving adding, multiplying etc" + }, + "kidney": { + "CHS": "[解剖] 肾脏;腰子;个性", + "ENG": "one of the two organs in your lower back that separate waste products from your blood and make urine" + }, + "mastodon": { + "CHS": "巨大的;庞大的" + }, + "plankton": { + "CHS": "浮游生物(总称)", + "ENG": "the very small forms of plant and animal life that live in water, especially the sea, and are eaten by fish" + }, + "comprehend": { + "CHS": "理解;包含;由…组成", + "ENG": "to understand something that is complicated or difficult" + }, + "evil": { + "CHS": "罪恶,邪恶;不幸", + "ENG": "cruel or morally bad behaviour in general" + }, + "communist": { + "CHS": "共产主义的", + "ENG": "relating to communism" + }, + "embarrassed": { + "CHS": "使困窘;使局促不安(embarrass的过去分词形式)" + }, + "prose": { + "CHS": "把…写成散文" + }, + "stimulant": { + "CHS": "激励的;使人兴奋的" + }, + "pall": { + "CHS": "覆盖;使乏味" + }, + "conform": { + "CHS": "一致的;顺从的" + }, + "receptive": { + "CHS": "善于接受的;能容纳的", + "ENG": "willing to consider new ideas or listen to someone else’s opinions" + }, + "plausible": { + "CHS": "貌似可信的,花言巧语的;貌似真实的,貌似有理的", + "ENG": "reasonable and likely to be true or successful" + }, + "cult": { + "CHS": "祭仪(尤其指宗教上的);礼拜;狂热信徒", + "ENG": "a group of people who are very interested in a particular thing" + }, + "wary": { + "CHS": "谨慎的;机警的;惟恐的;考虑周到的", + "ENG": "someone who is wary is careful because they think something might be dangerous or harmful" + }, + "enlightened": { + "CHS": "启迪(enlighten的过去式)" + }, + "connotation": { + "CHS": "内涵;含蓄;暗示,隐含意义;储蓄的东西(词、语等)", + "ENG": "a quality or an idea that a word makes you think of that is more than its basic meaning" + }, + "solidarity": { + "CHS": "团结,团结一致", + "ENG": "loyalty and general agreement between all the people in a group, or between different groups, because they all have a shared aim" + }, + "varsity": { + "CHS": "大学代表队的" + }, + "emulate": { + "CHS": "仿真;仿效" + }, + "interpolation": { + "CHS": "插入;篡改;填写;插值" + }, + "initial": { + "CHS": "词首大写字母", + "ENG": "the first letter of someone’s first name" + }, + "tropical": { + "CHS": "热带的;热情的;酷热的", + "ENG": "coming from or existing in the hottest parts of the world" + }, + "tyrannosaurus": { + "CHS": "暴龙", + "ENG": "a very large flesh-eating dinosaur " + }, + "wrap": { + "CHS": "外套;围巾", + "ENG": "a piece of thick cloth that a woman wears around her shoulders" + }, + "coefficient": { + "CHS": "合作的;共同作用的" + }, + "substitute": { + "CHS": "替代", + "ENG": "to use something new or diffe-rent instead of something else" + }, + "compelling": { + "CHS": "强迫;以强力获得(compel的ing形式)" + }, + "wreck": { + "CHS": "破坏;使失事;拆毁", + "ENG": "to completely spoil something so that it cannot continue in a successful way" + }, + "embarrass": { + "CHS": "使局促不安;使困窘;阻碍", + "ENG": "to make someone feel ashamed, nervous, or uncomfortable, especially in front of other people" + }, + "accumulate": { + "CHS": "累积;积聚", + "ENG": "to gradually get more and more money, possessions, knowledge etc over a period of time" + }, + "inflationary": { + "CHS": "通货膨胀的;通货膨胀倾向的;通货膨胀引起的", + "ENG": "relating to or causing price increases" + }, + "infirmary": { + "CHS": "医务室;医院;养老院", + "ENG": "a hospital – often used in the names of hospitals in Britain" + }, + "warrior": { + "CHS": "战士,勇士;鼓吹战争的人", + "ENG": "a soldier or fighter who is brave and experienced – used about people in the past" + }, + "poliomyelitis": { + "CHS": "[内科] 脊髓灰质炎;[医] 小儿麻痹症" + }, + "sheath": { + "CHS": "鞘;护套;叶鞘;女子紧身服装", + "ENG": "a cover for the blade of a knife or sword" + }, + "transatlantic": { + "CHS": "大西洋彼岸的,横渡大西洋的;美国的", + "ENG": "crossing the Atlantic Ocean" + }, + "kernel": { + "CHS": "核心,要点;[计] 内核;仁;麦粒,谷粒;精髓", + "ENG": "the part of a nut or seed inside the shell, or the part inside the stone of some fruits" + }, + "exterminate": { + "CHS": "消灭;根除", + "ENG": "to kill large numbers of people or animals of a particular type so that they no longer exist" + }, + "fodder": { + "CHS": "喂" + }, + "stamina": { + "CHS": "毅力;精力;活力;持久力", + "ENG": "physical or mental strength that lets you continue doing something for a long time without getting tired" + }, + "immigration": { + "CHS": "外来移民;移居", + "ENG": "the process of entering another country in order to live there permanently" + }, + "neutron": { + "CHS": "[核] 中子", + "ENG": "a part of an atom that has no electrical charge" + }, + "identification": { + "CHS": "鉴定,识别;认同;身份证明", + "ENG": "official papers or cards, such as your passport, that prove who you are" + }, + "triangle": { + "CHS": "三角(形);三角关系;三角形之物;三人一组", + "ENG": "a flat shape with three straight sides and three angles" + }, + "lactic": { + "CHS": "乳的;乳汁的", + "ENG": "relating to or derived from milk " + }, + "characterization": { + "CHS": "描述;特性描述", + "ENG": "the way in which the character of a real person or thing is described" + }, + "mural": { + "CHS": "壁画;(美)壁饰", + "ENG": "a painting that is painted on a wall, either inside or outside a building" + }, + "timber": { + "CHS": "木材;木料", + "ENG": "wood used for building or making things" + }, + "indulge": { + "CHS": "满足;纵容;使高兴;使沉迷于…", + "ENG": "to let someone have or do whatever they want, even if it is bad for them" + }, + "juxtapose": { + "CHS": "并列;并置", + "ENG": "to put things together, especially things that are not normally together, in order to compare them or to make something new" + }, + "density": { + "CHS": "密度", + "ENG": "the degree to which an area is filled with people or things" + }, + "speculate": { + "CHS": "推测;投机;思索", + "ENG": "to guess about the possible causes or effects of something, without knowing all the facts or details" + }, + "combination": { + "CHS": "结合;组合;联合;[化学] 化合", + "ENG": "two or more different things that exist together or are used or put together" + }, + "emergence": { + "CHS": "出现,浮现;发生;露头", + "ENG": "when something begins to be known or noticed" + }, + "defensive": { + "CHS": "防御;守势", + "ENG": "if you put someone on the defensive in an argument, you attack them so that they are in a weaker position" + }, + "stimulate": { + "CHS": "刺激;鼓舞,激励", + "ENG": "to encourage or help an activity to begin or develop further" + }, + "haven": { + "CHS": "为……提供避难处;安置……于港中" + }, + "activist": { + "CHS": "积极分子;激进主义分子", + "ENG": "someone who works hard doing practical things to achieve social or political change" + }, + "advent": { + "CHS": "到来;出现;基督降临;基督降临节", + "ENG": "the time when something first begins to be widely used" + }, + "procreative": { + "CHS": "生产的,生殖的;有生殖力的" + }, + "campaign": { + "CHS": "运动;活动;战役", + "ENG": "a series of actions intended to achieve a particular result relating to politics or business, or a social improvement" + }, + "rating": { + "CHS": "对…评价(rate的ing形式)" + }, + "infinitesimal": { + "CHS": "无限小;极微量;极小量" + }, + "relief": { + "CHS": "救济;减轻,解除;安慰;浮雕", + "ENG": "when something reduces someone’s pain or unhappy feelings" + }, + "manumission": { + "CHS": "(农奴,奴隶的)解放", + "ENG": "the act of freeing or the state of being freed from slavery, servitude, etc " + }, + "artifact": { + "CHS": "人工制品;手工艺品" + }, + "manuscript": { + "CHS": "手写的" + }, + "recreation": { + "CHS": "娱乐;消遣;休养", + "ENG": "an activity that you do for pleasure or amusement" + }, + "runner": { + "CHS": "跑步者;走私者;推销员;送信人", + "ENG": "someone who runs for sport or pleasure" + }, + "Puritan": { + "CHS": "清教徒", + "ENG": "The Puritans were a group of English Protestants in the sixteenth and seventeenth centuries who lived in a very strict and religious way" + }, + "automatic": { + "CHS": "自动机械;自动手枪", + "ENG": "a weapon that can fire bullets continuously" + }, + "triple": { + "CHS": "增至三倍", + "ENG": "to increase by three times as much, or to make something do this" + }, + "mimic": { + "CHS": "模仿的,模拟的;假装的" + }, + "elevation": { + "CHS": "高地;海拔;提高;崇高;正面图", + "ENG": "a height above the level of the sea" + }, + "coalition": { + "CHS": "联合;结合,合并", + "ENG": "a union of two or more political parties that allows them to form a government or fight an election together" + }, + "scrutiny": { + "CHS": "详细审查;监视;细看;选票复查" + }, + "descend": { + "CHS": "下降;下去;下来;遗传;屈尊", + "ENG": "to move from a higher level to a lower one" + }, + "contraband": { + "CHS": "禁运的;非法买卖的" + }, + "detached": { + "CHS": "分离" + }, + "hinder": { + "CHS": "(Hinder)人名;(芬)欣德" + }, + "imposition": { + "CHS": "征收;强加;欺骗;不公平的负担" + }, + "modify": { + "CHS": "修改,修饰;更改", + "ENG": "to make small changes to something in order to improve it and make it more suitable or effective" + }, + "composition": { + "CHS": "作文,作曲,作品;[材] 构成;合成物;成分", + "ENG": "the way in which something is made up of different parts, things, or members" + }, + "set": { + "CHS": "固定的;规定的;固执的", + "ENG": "a set amount, time etc is fixed and is never changed" + }, + "disciple": { + "CHS": "门徒,信徒;弟子", + "ENG": "someone who believes in the ideas of a great teacher or leader, especially a religious one" + }, + "friction": { + "CHS": "摩擦,[力] 摩擦力", + "ENG": "disagreement, angry feelings, or unfriendliness between people" + }, + "illuminate": { + "CHS": "阐明,说明;照亮;使灿烂;用灯装饰", + "ENG": "to make a light shine on something, or to fill a place with light" + }, + "consumption": { + "CHS": "消费;消耗;肺痨", + "ENG": "the amount of energy, oil, electricity etc that is used" + }, + "conceal": { + "CHS": "隐藏;隐瞒", + "ENG": "to hide something carefully" + }, + "disintegration": { + "CHS": "瓦解,崩溃;分解" + }, + "metabolic": { + "CHS": "变化的;新陈代谢的", + "ENG": "relating to your body’s metabolism" + }, + "unpromising": { + "CHS": "无前途的,没有希望的", + "ENG": "If you describe something as unpromising, you think that it is unlikely to be successful or produce anything good in the future" + }, + "educator": { + "CHS": "教育家;教育工作者;教师", + "ENG": "a teacher or someone involved in the process of educating people" + }, + "recourse": { + "CHS": "求援,求助;[经] 追索权;依赖;救生索", + "ENG": "something that you do to achieve something or deal with a situation, or the act of doing it" + }, + "maximum": { + "CHS": "最高的;最多的;最大极限的", + "ENG": "the maximum amount, quantity, speed etc is the largest that is possible or allowed" + }, + "parallel": { + "CHS": "平行的;类似的,相同的", + "ENG": "two lines, paths etc that are parallel to each other are the same distance apart along their whole length" + }, + "coherent": { + "CHS": "连贯的,一致的;明了的;清晰的;凝聚性的;互相耦合的;粘在一起的", + "ENG": "if a piece of writing, set of ideas etc is coherent, it is easy to understand because it is clear and reasonable" + }, + "side": { + "CHS": "旁的,侧的", + "ENG": "in or on the side of something" + }, + "revamp": { + "CHS": "改进;换新鞋面", + "ENG": "Revamp is also a noun" + }, + "logarithm": { + "CHS": "[数] 对数", + "ENG": "a number representing another number in a mathematical system so that complicated calculations can be done as simple addition" + }, + "hexagon": { + "CHS": "成六角的;成六边的" + }, + "reservation": { + "CHS": "预约,预订;保留", + "ENG": "an arrangement which you make so that a place in a hotel, restaurant, plane etc is kept for you at a particular time in the future" + }, + "dissociate": { + "CHS": "游离;使分离;分裂", + "ENG": "If you dissociate yourself from something or someone, you say or show that you are not connected with them, usually in order to avoid trouble or blame" + }, + "billing": { + "CHS": "开帐单(bill的ing形式)", + "ENG": "If you bill someone for goods or services you have provided them with, you give or send them a bill stating how much money they owe you for these goods or services" + }, + "prevalence": { + "CHS": "流行;普遍;广泛" + }, + "substitution": { + "CHS": "代替;[数] 置换;代替物", + "ENG": "when someone or something is replaced by someone or something else, or the person or thing being replaced" + }, + "migraine": { + "CHS": "[内科] 偏头痛", + "ENG": "an extremely bad headache, during which you feel sick and have pain behind your eyes" + }, + "session": { + "CHS": "会议;(法庭的)开庭;(议会等的)开会;学期;讲习会", + "ENG": "a formal meeting or group of meetings, especially of a law court or parliament" + }, + "perspective": { + "CHS": "透视的" + }, + "takeover": { + "CHS": "接管;验收", + "ENG": "when one company takes control of another by buying more than half its shares " + }, + "effigy": { + "CHS": "雕像,肖像", + "ENG": "a statueof a famous person" + }, + "propitious": { + "CHS": "适合的;吉利的;顺利的", + "ENG": "good and likely to bring good results" + }, + "element": { + "CHS": "元素;要素;原理;成分;自然环境", + "ENG": "one part or feature of a whole system, plan, piece of work etc, especially one that is basic or important" + }, + "nitrogen": { + "CHS": "[化学] 氮", + "ENG": "a gas that has no colour or smell, and that forms most of the Earth’s air. It is a chemical element: symbol N" + }, + "utilize": { + "CHS": "利用", + "ENG": "to use something for a particular purpose" + }, + "specify": { + "CHS": "指定;详细说明;列举;把…列入说明书", + "ENG": "to state something in an exact and detailed way" + }, + "transportation": { + "CHS": "运输;运输系统;运输工具;流放", + "ENG": "a system or method for carrying passengers or goods from one place to another" + }, + "aspersion": { + "CHS": "中伤,诽谤;洒水" + }, + "motion": { + "CHS": "运动;打手势" + }, + "haunt": { + "CHS": "栖息地;常去的地方", + "ENG": "a place that someone likes to go to often" + }, + "outfit": { + "CHS": "得到装备", + "ENG": "to provide someone or something with a set of clothes or equipment, especially ones that are needed for a particular purpose" + }, + "managerial": { + "CHS": "[管理] 管理的;经理的", + "ENG": "relating to the job of a manager" + }, + "cartilage": { + "CHS": "软骨", + "ENG": "a strong substance that can bend, which is around the joints in your body and in your outer ear" + }, + "secure": { + "CHS": "保护;弄到;招致;缚住", + "ENG": "to make something safe from being attacked, harmed, or lost" + }, + "species": { + "CHS": "物种上的" + }, + "paramount": { + "CHS": "最高统治者" + }, + "conceptual": { + "CHS": "概念上的", + "ENG": "dealing with ideas, or based on them" + }, + "insuperable": { + "CHS": "不能克服的;无敌的", + "ENG": "an insuperable difficulty or problem is impossible to deal with" + }, + "apprentice": { + "CHS": "使…当学徒" + }, + "reluctant": { + "CHS": "不情愿的;勉强的;顽抗的", + "ENG": "slow and unwilling" + }, + "fracture": { + "CHS": "破裂;折断", + "ENG": "if a bone or other hard substance fractures, or if it is fractured, it breaks or cracks" + }, + "prevail": { + "CHS": "盛行,流行;战胜,获胜", + "ENG": "if a belief, custom, situation etc prevails, it exists among a group of people at a certain time" + }, + "medieval": { + "CHS": "中世纪的;原始的;仿中世纪的;老式的", + "ENG": "connected with the Middle Ages (= the period between about 1100 and 1500 AD )" + }, + "empirical": { + "CHS": "经验主义的,完全根据经验的;实证的", + "ENG": "based on scientific testing or practical experience, not on ideas" + }, + "reverse": { + "CHS": "反面的;颠倒的;反身的", + "ENG": "the back of something" + }, + "trunk": { + "CHS": "干线的;躯干的;箱子的" + }, + "retain": { + "CHS": "保持;雇;记住", + "ENG": "to remember information" + }, + "ingenious": { + "CHS": "有独创性的;机灵的,精制的;心灵手巧的", + "ENG": "an ingenious plan, idea, or object works well and is the result of clever thinking and new ideas" + }, + "reserve": { + "CHS": "储备;保留;预约", + "ENG": "to arrange for a place in a hotel, restaurant, plane etc to be kept for you to use at a particular time in the future" + }, + "fraction": { + "CHS": "分数;部分;小部分;稍微", + "ENG": "a part of a whole number in mathematics, such as ½ or ¾" + }, + "feudal": { + "CHS": "封建制度的;领地的;世仇的", + "ENG": "relating to feudalism" + }, + "resolve": { + "CHS": "坚决;决定要做的事", + "ENG": "strong determination to succeed in doing something" + }, + "caffeine": { + "CHS": "[有化][药] 咖啡因;茶精(兴奋剂)", + "ENG": "a substance in tea, coffee, and some other drinks that makes you feel more active" + }, + "gut": { + "CHS": "简单的;本质的,根本的;本能的,直觉的", + "ENG": "A gut feeling is based on instinct or emotion rather than reason" + }, + "skeptical": { + "CHS": "怀疑的;怀疑论的,不可知论的" + }, + "cord": { + "CHS": "用绳子捆绑" + }, + "feminist": { + "CHS": "主张女权的", + "ENG": "Feminist groups, ideas, and activities are involved in feminism" + }, + "interact": { + "CHS": "幕间剧;幕间休息" + }, + "permanent": { + "CHS": "烫发(等于permanent wave)", + "ENG": "a perm 1 " + }, + "seedling": { + "CHS": "秧苗,幼苗;树苗", + "ENG": "a young plant or tree grown from a seed" + }, + "depletion": { + "CHS": "消耗;损耗;放血" + }, + "fiscal": { + "CHS": "(Fiscal)人名;(法)菲斯卡尔" + }, + "terminate": { + "CHS": "结束的" + }, + "adulatory": { + "CHS": "阿谀的,奉承的;谄媚的", + "ENG": "If someone makes an adulatory comment about someone, they praise them and show their admiration for them" + }, + "acoustical": { + "CHS": "[声] 声学的;听觉的;音响的" + }, + "triumph": { + "CHS": "获得胜利,成功", + "ENG": "to gain a victory or success after a difficult struggle" + }, + "alpha": { + "CHS": "希腊字母的第一个字母;开端;最初", + "ENG": "the first letter in the Greek alphabet (Α, α), a vowel transliterated as a " + }, + "enclose": { + "CHS": "围绕;装入;放入封套", + "ENG": "to put something inside an envelope as well as a letter" + }, + "semiconductor": { + "CHS": "[电子][物] 半导体", + "ENG": "a substance, such as silicon , that allows some electric currents to pass through it, and is used in electronic equipment" + }, + "circular": { + "CHS": "通知,传单" + }, + "tangible": { + "CHS": "有形资产" + }, + "chalice": { + "CHS": "杯;圣餐杯;酒杯", + "ENG": "a gold or silver decorated cup used, for example, to hold wine in Christian religious services" + }, + "indigent": { + "CHS": "贫困的;贫穷的(副词indigently)", + "ENG": "very poor" + }, + "refutation": { + "CHS": "反驳;驳斥;辩驳", + "ENG": "A refutation of an argument, accusation, or theory is something that proves it is wrong or untrue" + }, + "intangible": { + "CHS": "无形的,触摸不到的;难以理解的", + "ENG": "an intangible quality or feeling is difficult to describe exactly" + }, + "relinquish": { + "CHS": "放弃;放手;让渡", + "ENG": "to let someone else have your position, power, or rights, especially unwillingly" + }, + "injection": { + "CHS": "注射;注射剂;充血;射入轨道", + "ENG": "an act of putting a drug into someone’s body using a special needle" + }, + "sensible": { + "CHS": "可感觉到的东西; 敏感的人;" + }, + "shellfish": { + "CHS": "甲壳类动物;贝类等有壳的水生动物", + "ENG": "an animal that lives in water, has a shell, and can be eaten as food, for example crab s , lobster s , and oyster s " + }, + "coral": { + "CHS": "珊瑚的;珊瑚色的", + "ENG": "pink or reddish-orange in colour" + }, + "approve": { + "CHS": "批准;赞成;为…提供证据", + "ENG": "to officially accept a plan, proposal etc" + }, + "indiscriminate": { + "CHS": "任意的;无差别的;不分皂白的", + "ENG": "an indiscriminate action is done without thinking about what harm it might cause" + }, + "cultivate": { + "CHS": "培养;陶冶;耕作", + "ENG": "to prepare and use land for growing crops and plants" + }, + "adherence": { + "CHS": "坚持;依附;忠诚", + "ENG": "when someone behaves according to a particular rule, belief, principle etc" + }, + "recall": { + "CHS": "召回;回忆;撤消", + "ENG": "an official order telling someone to return to a place, especially before they expected to" + }, + "underlying": { + "CHS": "放在…的下面;为…的基础;优先于(underlie的ing形式)" + }, + "disparaging": { + "CHS": "蔑视(disparage的ing形式)" + }, + "commoner": { + "CHS": "平民;自费学生;下议院议员", + "ENG": "someone who is not a member of the nobility " + }, + "feasible": { + "CHS": "可行的;可能的;可实行的", + "ENG": "a plan, idea, or method that is feasible is possible and is likely to work" + }, + "skeptic": { + "CHS": "怀疑论者;怀疑者;无神论者" + }, + "locomotive": { + "CHS": "机车;火车头", + "ENG": "a railway engine" + }, + "underscore": { + "CHS": "底线,[计] 下划线" + }, + "numerator": { + "CHS": "分子;计算者;计算器", + "ENG": "the number above the line in a fraction, for example 5 is the numerator in 5/6" + }, + "substantiate": { + "CHS": "证实;使实体化", + "ENG": "to prove the truth of something that someone has said, claimed etc" + }, + "litter": { + "CHS": "乱丢;给…垫褥草;把…弄得乱七八糟", + "ENG": "if things litter an area, there are a lot of them in that place, scattered in an untidy way" + }, + "noncommercial": { + "CHS": "非经营的", + "ENG": "not of, connected with, or involved in commerce " + }, + "preflight": { + "CHS": "起飞前的;为起飞作准备的", + "ENG": "of or relating to the period just prior to a plane taking off " + }, + "entrant": { + "CHS": "进入者;新会员;参加竞赛者;新工作者", + "ENG": "someone who takes part in a competition" + }, + "ongoing": { + "CHS": "前进;行为,举止" + }, + "reversion": { + "CHS": "逆转;回复;归还;[遗] 隔代遗传;[法] 继承权", + "ENG": "a return to a former condition or habit" + }, + "chronicle": { + "CHS": "记录;把…载入编年史", + "ENG": "to describe events in the order in which they happened" + }, + "disapproving": { + "CHS": "不赞成;不同意(disapprove的ing形式)" + }, + "Hispanic": { + "CHS": "西班牙的", + "ENG": "from or relating to countries where Spanish or Portuguese are spoken, especially ones in Latin America" + }, + "millennium": { + "CHS": "千年期,千禧年;一千年,千年纪念;太平盛世,黄金时代", + "ENG": "a period of 1,000 years" + }, + "forfeit": { + "CHS": "(因犯罪、失职、违约等)丧失(权利、名誉、生命等)" + }, + "repousse": { + "CHS": "凸纹饰的;金属细工的" + }, + "enact": { + "CHS": "颁布;制定法律;扮演;发生", + "ENG": "to act in a play, story etc" + }, + "tenant": { + "CHS": "租借(常用于被动语态)" + }, + "equity": { + "CHS": "公平,公正;衡平法;普通股;抵押资产的净值", + "ENG": "a situation in which all people are treated equally and no one has an unfair advantage" + }, + "capitalize": { + "CHS": "使资本化;以大写字母写;估计…的价值", + "ENG": "to write a letter of the alphabet using a capital letter" + }, + "congress": { + "CHS": "国会;代表大会;会议;社交", + "ENG": "a formal meeting of representatives of different groups, countries etc, to discuss ideas, make decisions etc" + }, + "devise": { + "CHS": "遗赠" + }, + "colonize": { + "CHS": "将…开拓为殖民地;移于殖民地;从他地非法把选民移入", + "ENG": "to establish political control over an area or over another country, and send your citizens there to settle" + }, + "hint": { + "CHS": "暗示;示意", + "ENG": "to suggest something in an indirect way, but so that someone can guess your meaning" + }, + "proportion": { + "CHS": "使成比例;使均衡;分摊", + "ENG": "to put something in a particular relationship with something else according to their relative size, amount, position etc" + }, + "stroll": { + "CHS": "散步;闲逛;巡回演出", + "ENG": "to walk somewhere in a slow relaxed way" + }, + "morphine": { + "CHS": "[毒物][药] 吗啡", + "ENG": "a powerful and addictive drug used for stopping pain and making people calmer" + }, + "regenerate": { + "CHS": "再生的;革新的" + }, + "access": { + "CHS": "进入;使用权;通路", + "ENG": "the right to enter a place, use something, see someone etc" + }, + "sustain": { + "CHS": "维持;支撑,承担;忍受;供养;证实", + "ENG": "to make something continue to exist or happen for a period of time" + }, + "imitate": { + "CHS": "模仿,仿效;仿造,仿制", + "ENG": "to copy the way someone behaves, speaks, moves etc, especially in order to make people laugh" + }, + "malfunction": { + "CHS": "故障;失灵;疾病", + "ENG": "a fault in the way a machine or part of someone’s body works" + }, + "hypnotize": { + "CHS": "使着迷;对…施催眠术;使恍惚", + "ENG": "to produce a sleep-like state in someone so that you can influence their thoughts and actions" + }, + "depiction": { + "CHS": "描写,叙述", + "ENG": "A depiction of something is a picture or a written description of it" + }, + "midpoint": { + "CHS": "中点;正中央", + "ENG": "a point that is half of the way through or along something" + }, + "outcome": { + "CHS": "结果,结局;成果", + "ENG": "the final result of a meeting, discussion, war etc – used especially when no one knows what it will be until it actually happens" + }, + "pregnancy": { + "CHS": "怀孕;丰富,多产;意义深长", + "ENG": "when a woman is pregnant (= has a baby growing inside her body )" + }, + "adhere": { + "CHS": "坚持;依附;粘着;追随", + "ENG": "to stick firmly to something" + }, + "generic": { + "CHS": "类的;一般的;属的;非商标的", + "ENG": "relating to a whole group of things rather than to one thing" + }, + "clump": { + "CHS": "形成一丛;以沉重的步子行走", + "ENG": "to walk with slow noisy steps" + }, + "sufficient": { + "CHS": "足够的;充分的", + "ENG": "as much as is needed for a particular purpose" + }, + "purport": { + "CHS": "意义,主旨;意图", + "ENG": "the general meaning of what someone says" + }, + "regiment": { + "CHS": "团;大量", + "ENG": "a large group of soldiers, usually consisting of several battalion s " + }, + "predate": { + "CHS": "在日期上早于(先于)", + "ENG": "If you say that one thing predated another, you mean that the first thing happened or existed some time before the second thing" + }, + "microscopic": { + "CHS": "微观的;用显微镜可见的", + "ENG": "using a microscope" + }, + "circumvent": { + "CHS": "包围;智取;绕行,规避", + "ENG": "to avoid a problem or rule that restricts you, especially in a clever or dishonest way – used to show disapproval" + }, + "hitherto": { + "CHS": "迄今;至今", + "ENG": "up to this time" + }, + "circuit": { + "CHS": "环行" + }, + "delicacy": { + "CHS": "美味;佳肴;微妙;精密;精美;敏锐,敏感;世故,圆滑", + "ENG": "something good to eat that is expensive or rare" + }, + "dengue": { + "CHS": "[内科] 登革热", + "ENG": "an acute viral disease transmitted by mosquitoes, characterized by headache, fever, pains in the joints, and skin rash " + }, + "vertebrate": { + "CHS": "脊椎动物", + "ENG": "a living creature that has a backbone" + }, + "statistical": { + "CHS": "统计的;统计学的", + "ENG": "Statistical means relating to the use of statistics" + }, + "precedence": { + "CHS": "优先;居先", + "ENG": "when someone or something is considered to be more impor-tant than someone or something else, and therefore comes first or must be dealt with first" + }, + "investment": { + "CHS": "投资;投入;封锁", + "ENG": "the use of money to get a profit or to make a business activity successful, or the money that is used" + }, + "hospitable": { + "CHS": "热情友好的;(环境)舒适的", + "ENG": "friendly, welcoming, and generous to visitors" + }, + "radian": { + "CHS": "[数] 弧度", + "ENG": "an SI unit of plane angle; the angle between two radii of a circle that cut off on the circumference an arc equal in length to the radius" + }, + "incandescent": { + "CHS": "辉耀的;炽热的;发白热光的", + "ENG": "producing a bright light when heated" + }, + "particular": { + "CHS": "详细说明;个别项目", + "ENG": "the facts and details about a job, property, legal case etc" + }, + "flexible": { + "CHS": "灵活的;柔韧的;易弯曲的", + "ENG": "a person, plan etc that is flexible can change or be changed easily to suit any new situation" + }, + "prosper": { + "CHS": "(Prosper)人名;(英、德、罗、法)普罗斯珀" + }, + "remnant": { + "CHS": "剩余的" + }, + "reticent": { + "CHS": "沉默的;有保留的;谨慎的", + "ENG": "Someone who is reticent does not tell people about things" + }, + "bureau": { + "CHS": "局,处;衣柜;办公桌", + "ENG": "a government department or a part of a government department in the US" + }, + "scour": { + "CHS": "擦,冲刷;洗涤剂;(畜类等的)腹泻", + "ENG": "the act of scouring " + }, + "factorial": { + "CHS": "[数] 阶乘", + "ENG": "the result when you multiply a whole number by all the numbers below it" + }, + "counterattack": { + "CHS": "反击;反攻", + "ENG": "an attack you make against someone who has attacked you, in a war, sport, or argument" + }, + "barrier": { + "CHS": "把…关入栅栏" + }, + "advocacy": { + "CHS": "主张;拥护;辩护", + "ENG": "public support for a course of action or way of doing things" + }, + "sinus": { + "CHS": "[生物] 窦;静脉窦;下陷或凹下去的地方", + "ENG": "your sinuses are the spaces in the bones of your head that are connected to the inside of your nose" + }, + "sprinkler": { + "CHS": "洒水车;洒水器", + "ENG": "a piece of equipment used for scattering water on grass or soil" + }, + "hypertension": { + "CHS": "高血压;过度紧张", + "ENG": "a medical condition in which your blood pressure is too high" + }, + "veritable": { + "CHS": "真正的,名副其实的", + "ENG": "a word used to emphasize a description of someone or something" + }, + "executive": { + "CHS": "总经理;执行委员会;执行者;经理主管人员", + "ENG": "a manager in an organization or company who helps make important decisions" + }, + "seminal": { + "CHS": "种子的;精液的;生殖的", + "ENG": "producing or containing semen " + }, + "irradiate": { + "CHS": "发光的" + }, + "dinosaur": { + "CHS": "恐龙;过时、落伍的人或事物", + "ENG": "one of a group of reptile s that lived millions of years ago" + }, + "academic": { + "CHS": "大学生,大学教师;学者", + "ENG": "a teacher in a college or university" + }, + "clergy": { + "CHS": "神职人员;牧师;僧侣", + "ENG": "the official leaders of religious activities in organized religions, such as priests, rabbi s , and mullah s " + }, + "distrustful": { + "CHS": "怀疑的;不信任的;可疑的", + "ENG": "If you are distrustful of someone or something, you think that they are not honest, reliable, or safe" + }, + "season": { + "CHS": "给…调味;使适应", + "ENG": "to add salt, pepper etc to food you are cooking" + }, + "haze": { + "CHS": "使变朦胧;使变糊涂", + "ENG": "to make or become hazy " + }, + "recreational": { + "CHS": "娱乐的,消遣的;休养的", + "ENG": "Recreational means relating to things people do in their spare time to relax" + }, + "consensus": { + "CHS": "一致;舆论;合意", + "ENG": "an opinion that everyone in a group agrees with or accepts" + }, + "barracks": { + "CHS": "使驻扎军营里;住在工房、棚屋里;(澳)大声鼓噪(barrack的三单形式)" + }, + "preservation": { + "CHS": "保存,保留", + "ENG": "when something is kept in its original state or in good condition" + }, + "enforce": { + "CHS": "实施,执行;强迫,强制", + "ENG": "to make people obey a rule or law" + }, + "sandbar": { + "CHS": "沙洲;沙堤", + "ENG": "A sandbar is a sandbank which is found especially at the mouth of a river or harbour" + }, + "dissent": { + "CHS": "异议;(大写)不信奉国教", + "ENG": "refusal to agree with an official decision or accepted opinion" + }, + "humble": { + "CHS": "使谦恭;轻松打败(尤指强大的对手);低声下气", + "ENG": "If you humble someone who is more important or powerful than you, you defeat them easily" + }, + "sue": { + "CHS": "(Sue)人名;(日)末(名);(法)休;(英)休(女子教名Susan、Susanna的昵称)" + }, + "parliament": { + "CHS": "议会,国会", + "ENG": "the group of people who are elected to make a country’s laws and discuss important national affairs" + }, + "inescapable": { + "CHS": "不可避免的;逃脱不了的", + "ENG": "an inescapable fact or situation is one that you cannot avoid or ignore" + }, + "gauge": { + "CHS": "测量;估计;给…定规格", + "ENG": "to measure or calculate something by using a particular instrument or method" + }, + "corral": { + "CHS": "把…关进畜栏;捕捉;把…布成车阵", + "ENG": "to make animals move into a corral" + }, + "prescription": { + "CHS": "凭处方方可购买的" + }, + "referendum": { + "CHS": "公民投票权;外交官请示书", + "ENG": "when people vote in order to make a decision about a particular subject, rather than voting for a person" + }, + "decagon": { + "CHS": "[数] 十角形;[数] 十边形", + "ENG": "a polygon having ten sides " + }, + "hardcover": { + "CHS": "精装书;硬封面的书", + "ENG": "a book that has a strong stiff cover" + }, + "crustal": { + "CHS": "壳的;地壳的", + "ENG": "of or relating to the earth's crust " + }, + "commission": { + "CHS": "委任;使服役;委托制作", + "ENG": "to formally ask someone to write an official report, produce a work of art for you etc" + }, + "creativity": { + "CHS": "创造力;创造性", + "ENG": "the ability to use your imagination to produce new ideas, make things etc" + }, + "hereditary": { + "CHS": "遗传类" + }, + "malleable": { + "CHS": "可锻的;可塑的;有延展性的;易适应的", + "ENG": "something that is malleable is easy to press or pull into a new shape" + }, + "plus": { + "CHS": "加,加上", + "ENG": "used to show that one number or amount is added to another" + }, + "stun": { + "CHS": "昏迷;打昏;惊倒;令人惊叹的事物" + }, + "electromagnetic": { + "CHS": "电磁的", + "ENG": "relating to both electricity and magnetism, or having both electrical and magnetic qualities" + }, + "mooring": { + "CHS": "停泊(moor的ing形式)" + }, + "cue": { + "CHS": "给…暗示", + "ENG": "to give someone a sign that it is the right moment for them to speak or do something, especially during a performance" + }, + "whisker": { + "CHS": "[晶体] 晶须;胡须;腮须", + "ENG": "one of the long stiff hairs that grow near the mouth of a cat, mouse etc" + }, + "prominence": { + "CHS": "突出;显著;突出物;卓越", + "ENG": "a part or place that is higher than what is around it" + }, + "monomial": { + "CHS": "[数] 单项式;单名", + "ENG": "an expression consisting of a single term, such as 5ax " + }, + "inscribe": { + "CHS": "题写;题献;铭记;雕", + "ENG": "to carefully cut, print, or write words on something, especially on the surface of a stone or coin" + }, + "princely": { + "CHS": "王子的,高贵的;慷慨的;豪华的", + "ENG": "impressive or generous" + }, + "stance": { + "CHS": "立场;姿态;位置;准备击球姿势", + "ENG": "an opinion that is stated publicly" + }, + "consistency": { + "CHS": "[计] 一致性;稠度;相容性", + "ENG": "how thick, smooth etc a substance is" + }, + "discrete": { + "CHS": "分立元件;独立部件" + }, + "lymphocyte": { + "CHS": "[免疫] 淋巴细胞;淋巴球", + "ENG": "a type of white blood cell formed in lymphoid tissue " + }, + "inspector": { + "CHS": "检查员;巡视员", + "ENG": "an official whose job is to check that something is satisfactory and that rules are being obeyed" + }, + "salient": { + "CHS": "凸角;突出部分" + }, + "illustration": { + "CHS": "说明;插图;例证;图解", + "ENG": "a picture in a book, article etc, especially one that helps you to understand it" + }, + "anticipate": { + "CHS": "预期,期望;占先,抢先;提前使用", + "ENG": "to expect that something will happen and be ready for it" + }, + "differentiation": { + "CHS": "变异,[生物] 分化;区别" + }, + "prosecutor": { + "CHS": "检察官;公诉人;[法] 起诉人;实行者", + "ENG": "In some countries, a prosecutor is a lawyer or official who brings charges against someone or tries to prove in a trial that they are guilty" + }, + "circulation": { + "CHS": "流通,传播;循环;发行量", + "ENG": "the movement of blood around your body" + }, + "quarry": { + "CHS": "费力地找" + }, + "stratosphere": { + "CHS": "同温层;最上层;最高阶段", + "ENG": "the outer part of the air surrounding the Earth, from 10 to 50 kilometres above the Earth" + }, + "mineralize": { + "CHS": "使含无机化合物;使矿物化", + "ENG": "to convert (such matter) into a mineral; petrify " + }, + "archaeopteryx": { + "CHS": "始祖鸟", + "ENG": "any of several extinct primitive birds constituting the genus Archaeopteryx, esp A" + }, + "booth": { + "CHS": "货摊;公用电话亭", + "ENG": "A booth is a small area separated from a larger public area by screens or thin walls where, for example, people can make a telephone call or vote in private" + }, + "pulsar": { + "CHS": "脉冲星", + "ENG": "an object like a star that is far away in space and produces radiation and radio wave s " + }, + "draft": { + "CHS": "初步画出或(写出)的;(设计、草图、提纲或版本)正在起草中的,草拟的;以草稿形式的;草图的", + "ENG": "a piece of writing that is not yet in its finished form" + }, + "considerable": { + "CHS": "相当大的;重要的,值得考虑的", + "ENG": "fairly large, especially large enough to have an effect or be important" + }, + "definitive": { + "CHS": "决定性的;最后的;限定的", + "ENG": "a definitive agreement, statement etc is one that will not be changed" + }, + "heist": { + "CHS": "抢劫;强夺", + "ENG": "A heist is a robbery, especially one in which money, jewellery, or art is stolen" + }, + "mileage": { + "CHS": "英里数", + "ENG": "the number of miles someone travels in a vehicle in a particular period of time" + }, + "trapezoid": { + "CHS": "梯形的;[数] 不规则四边形的" + }, + "landownership": { + "CHS": "土地所有权" + }, + "antifreeze": { + "CHS": "[助剂] 防冻剂", + "ENG": "a liquid that is put in the water in car engines to stop it from freezing" + }, + "pragmatic": { + "CHS": "实际的;实用主义的;国事的", + "ENG": "dealing with problems in a sensible practical way instead of strictly following a set of ideas" + }, + "hoof": { + "CHS": "蹄;人的脚", + "ENG": "the hard foot of an animal such as a horse, cow etc" + }, + "equilibrium": { + "CHS": "均衡;平静;保持平衡的能力", + "ENG": "a balance between different people, groups, or forces that compete with each other, so that none is stronger than the others and a situation is not likely to change suddenly" + }, + "impeachment": { + "CHS": "弹劾;控告;怀疑;指摘", + "ENG": "The impeachment of a senior official is the process of charging them with a crime that makes them unfit for office" + }, + "lysis": { + "CHS": "细胞溶解;病势减退;消散", + "ENG": "the destruction or dissolution of cells by the action of a particular lysin " + }, + "splinter": { + "CHS": "分裂;裂成碎片", + "ENG": "if something such as wood splinters, or if you splinter it, it breaks into thin sharp pieces" + }, + "meteorological": { + "CHS": "气象的;气象学的", + "ENG": "Meteorological means relating to meteorology" + }, + "shelter": { + "CHS": "保护;使掩蔽", + "ENG": "If a place or thing is sheltered by something, it is protected by that thing from wind and rain" + }, + "physiological": { + "CHS": "生理学的,生理的" + }, + "gravel": { + "CHS": "用碎石铺;使船搁浅在沙滩上;使困惑" + }, + "chore": { + "CHS": "家庭杂务;日常的零星事务;讨厌的或累人的工作", + "ENG": "a small job that you have to do regularly, especially work that you do to keep a house clean" + }, + "intuitive": { + "CHS": "直觉的;凭直觉获知的", + "ENG": "an intuitive idea is based on a feeling rather than on knowledge or facts" + }, + "refine": { + "CHS": "精炼,提纯;改善;使…文雅", + "ENG": "to improve a method, plan, system etc by gradually making slight changes to it" + }, + "unconstitutional": { + "CHS": "违反宪法的", + "ENG": "not allowed by the constitution(= set of rules or principles by which a country or organization is governed )" + }, + "explosion": { + "CHS": "爆炸;爆发;激增", + "ENG": "a loud sound and the energy produced by something such as a bomb bursting into small pieces" + }, + "lump": { + "CHS": "很;非常" + }, + "perimeter": { + "CHS": "周长;周界;[眼科] 视野计", + "ENG": "the whole length of the border around an area or shape" + }, + "practical": { + "CHS": "实际的;实用性的", + "ENG": "relating to real situations and events rather than ideas, emotions etc" + }, + "anaerobic": { + "CHS": "[微] 厌氧的,[微] 厌气的;没有气而能生活的", + "ENG": "not needing oxygen in order to live" + }, + "figurine": { + "CHS": "小雕像,小塑像", + "ENG": "a small model of a person or animal used as a decoration" + }, + "denominator": { + "CHS": "[数] 分母;命名者;共同特征或共同性质;平均水平或标准", + "ENG": "the number below the line in a fraction " + }, + "representation": { + "CHS": "代表;表现;表示法;陈述", + "ENG": "when you have someone to speak, vote, or make decisions for you" + }, + "plot": { + "CHS": "密谋;绘图;划分;标绘", + "ENG": "to make a secret plan to harm a person or organization, especially a political leader or government" + }, + "extrapolation": { + "CHS": "[数] 外推法;推断" + }, + "respiratory": { + "CHS": "呼吸的", + "ENG": "relating to breathing or your lungs" + }, + "fragile": { + "CHS": "脆的;易碎的", + "ENG": "easily broken or damaged" + }, + "cannon": { + "CHS": "炮轰;开炮" + }, + "respective": { + "CHS": "分别的,各自的", + "ENG": "used before a plural noun to refer to the different things that belong to each separate person or thing mentioned" + }, + "humane": { + "CHS": "仁慈的,人道的;高尚的", + "ENG": "treating people or animals in a way that is not cruel and causes them as little suffering as possible" + }, + "offspring": { + "CHS": "后代,子孙;产物", + "ENG": "someone’s child or children – often used humorously" + }, + "implicit": { + "CHS": "含蓄的;暗示的;盲从的", + "ENG": "suggested or understood without being stated directly" + }, + "sanction": { + "CHS": "制裁,处罚;批准;鼓励", + "ENG": "to officially accept or allow something" + }, + "temperance": { + "CHS": "温暖的;有节制的" + }, + "fiber": { + "CHS": "纤维;光纤(等于fibre)" + }, + "cheetah": { + "CHS": "[脊椎] 猎豹", + "ENG": "a member of the cat family that has long legs and black spots on its fur, and can run extremely fast" + }, + "cardinal": { + "CHS": "主要的,基本的;深红色的", + "ENG": "very important or basic" + }, + "idle": { + "CHS": "无所事事;虚度;空转", + "ENG": "if an engine idles, it runs slowly while the vehicle, machine etc is not moving" + }, + "beneficiary": { + "CHS": "拥有封地的;受圣俸的" + }, + "comprise": { + "CHS": "包含;由…组成", + "ENG": "to consist of particular parts, groups etc" + }, + "predominate": { + "CHS": "支配,主宰;在…中占优势", + "ENG": "to have the most importance or influence, or to be most easily noticed" + }, + "buffer": { + "CHS": "缓冲", + "ENG": "to reduce the bad effects of something" + }, + "irate": { + "CHS": "生气的;发怒的", + "ENG": "If someone is irate, they are very angry about something" + }, + "campsite": { + "CHS": "营地", + "ENG": "an area where people can camp, often with a water supply and toilets" + }, + "polar": { + "CHS": "极面;极线" + }, + "coinage": { + "CHS": "造币;[金融] 货币制度;新造的字及其语等", + "ENG": "the system or type of money used in a country" + }, + "magnet": { + "CHS": "磁铁;[电磁] 磁体;磁石", + "ENG": "a piece of iron or steel that can stick to metal or make other metal objects move towards itself" + }, + "secrete": { + "CHS": "藏匿;私下侵吞;分泌", + "ENG": "if a part of an animal or plant secretes a liquid substance, it produces it" + }, + "relic": { + "CHS": "遗迹,遗物;废墟;纪念物", + "ENG": "an old object or custom that reminds people of the past or that has lived on from a past time" + }, + "presuppose": { + "CHS": "假定;预料;以…为先决条件", + "ENG": "to depend on something that is believed to exist or to be true" + }, + "diversify": { + "CHS": "使多样化,使变化;增加产品种类以扩大", + "ENG": "if a business, company, country etc diversifies, it increases the range of goods or services it produces" + }, + "plaintiff": { + "CHS": "原告", + "ENG": "someone who brings a legal action against another person in a court of law" + }, + "herbivore": { + "CHS": "[动] 食草动物", + "ENG": "an animal that only eats plants" + }, + "indicator": { + "CHS": "指示器;[试剂] 指示剂;[计] 指示符;压力计", + "ENG": "something that can be regarded as a sign of something else" + }, + "biophysicist": { + "CHS": "生物物理学家" + }, + "score": { + "CHS": "获得;评价;划线,刻划;把…记下", + "ENG": "to win a point in a sport, game, competition, or test" + }, + "tuition": { + "CHS": "学费;讲授", + "ENG": "teaching, especially in small groups" + }, + "ballistic": { + "CHS": "弹道的;射击的", + "ENG": "Ballistic means relating to ballistics" + }, + "corrosive": { + "CHS": "腐蚀物" + }, + "spur": { + "CHS": "骑马疾驰;给予刺激", + "ENG": "to make an improvement or change happen faster" + }, + "wage": { + "CHS": "工资;代价;报偿", + "ENG": "money you earn that is paid according to the number of hours, days, or weeks that you work" + }, + "placate": { + "CHS": "抚慰;怀柔;使和解", + "ENG": "to make someone stop feeling angry" + }, + "unrefined": { + "CHS": "未提炼的", + "ENG": "an unrefined sub­stance is in its natural form" + }, + "tortoise": { + "CHS": "龟,[脊椎] 乌龟(等于testudo);迟缓的人", + "ENG": "a slow-moving land animal that can pull its head and legs into the hard round shell that covers its body" + }, + "incompatible": { + "CHS": "互不相容的人或事物" + }, + "democrat": { + "CHS": "民主党人;民主主义者;民主政体论者", + "ENG": "someone who believes in democracy, or works to achieve it" + }, + "withstand": { + "CHS": "抵挡;禁得起;反抗", + "ENG": "to defend yourself successfully against people who attack, criticize, or oppose you" + }, + "plunge": { + "CHS": "突然地下降;投入;陷入;跳进", + "ENG": "to move, fall, or be thrown suddenly forwards or downwards" + }, + "disseminate": { + "CHS": "宣传,传播;散布", + "ENG": "to spread information or ideas to as many people as possible" + }, + "reactor": { + "CHS": "[化工] 反应器;[核] 反应堆;起反应的人", + "ENG": "a nuclear reactor " + }, + "brace": { + "CHS": "曲柄的" + }, + "residue": { + "CHS": "残渣;剩余;滤渣", + "ENG": "a substance that remains on a surface, in a container etc and cannot be removed easily, or that remains after a chemical process" + }, + "protein": { + "CHS": "蛋白质的" + }, + "transform": { + "CHS": "改变,使…变形;转换", + "ENG": "to completely change the appearance, form, or character of something or someone, especially in a way that improves it" + }, + "cardiopulmonary": { + "CHS": "心肺的;与心肺有关的", + "ENG": "of, relating to, or affecting the heart and lungs " + }, + "deregulation": { + "CHS": "违反规定,反常;撤消管制规定", + "ENG": "Deregulation is the removal of controls and restrictions in a particular area of business or trade" + }, + "chart": { + "CHS": "绘制…的图表;在海图上标出;详细计划;记录;记述;跟踪(进展或发展", + "ENG": "to record information about a situation or set of events over a period of time, in order to see how it changes or develops" + }, + "backwater": { + "CHS": "回水;死水;停滞不进的状态或地方", + "ENG": "a part of a river away from the main part, where the water does not move" + }, + "regionalization": { + "CHS": "区域化;分成地区;按地区安排" + }, + "haddock": { + "CHS": "[鱼] 黑线鳕(鳕的一种)", + "ENG": "a common fish that lives in northern seas and is often used as food" + }, + "hoary": { + "CHS": "久远的,古老的;灰白的", + "ENG": "grey or white in colour, especially through age" + }, + "cyclic": { + "CHS": "环的;循环的;周期的", + "ENG": "happening in cycles" + }, + "refiner": { + "CHS": "精炼机;精制者,精炼者", + "ENG": "Refiners are people or organizations that refine substances such as oil or sugar in order to sell them" + }, + "hike": { + "CHS": "远足;徒步旅行;涨价", + "ENG": "a long walk in the mountains or countryside" + }, + "ethnic": { + "CHS": "种族的;人种的", + "ENG": "relating to a particular race, nation, or tribe and their customs and traditions" + }, + "doctorate": { + "CHS": "博士学位;博士头衔", + "ENG": "a university degree of the highest level" + }, + "shroud": { + "CHS": "覆盖;包以尸衣", + "ENG": "to cover or hide something" + }, + "fertility": { + "CHS": "多产;肥沃;[农经] 生产力;丰饶", + "ENG": "the ability of the land or soil to produce good crops" + }, + "mow": { + "CHS": "割草;收割庄稼", + "ENG": "to cut grass using a machine" + }, + "sphere": { + "CHS": "球体的" + }, + "pup": { + "CHS": "生(小狗等小动物)" + }, + "bulk": { + "CHS": "使扩大,使形成大量;使显得重要" + }, + "sting": { + "CHS": "刺;驱使;使…苦恼;使…疼痛", + "ENG": "if an insect or a plant stings you, it makes a very small hole in your skin and you feel a sharp pain because of a poisonous substance" + }, + "bound": { + "CHS": "范围;跳跃", + "ENG": "a long or high jump made with a lot of energy" + }, + "unequalled": { + "CHS": "无与伦比的;不等同的,不能比拟的", + "ENG": "better than any other" + }, + "privy": { + "CHS": "有利害关系的人;厕所", + "ENG": "a toilet, especially one outside a house in a small separate building" + }, + "sinusitis": { + "CHS": "[口腔] 窦炎", + "ENG": "a condition in which your sinuses swell up and become painful" + }, + "beverage": { + "CHS": "饮料" + }, + "allege": { + "CHS": "宣称,断言;提出…作为理由", + "ENG": "to say that something is true or that someone has done something wrong, although it has not been proved" + }, + "faction": { + "CHS": "派别;内讧;小集团;纪实小说", + "ENG": "a small group of people within a larger group, who have different ideas from the other members, and who try to get their own ideas accepted" + }, + "reign": { + "CHS": "统治;统治时期;支配", + "ENG": "the period when someone is king, queen, or emperor " + }, + "revolutionary": { + "CHS": "革命者", + "ENG": "someone who joins in or supports a political or social revolution" + }, + "benefit": { + "CHS": "有益于,对…有益", + "ENG": "if you benefit from something, or it benefits you, it gives you an advantage, improves your life, or helps you in some way" + }, + "entry": { + "CHS": "进入;入口;条目;登记;报关手续;对土地的侵占", + "ENG": "the act of going into something" + }, + "rational": { + "CHS": "有理数" + }, + "drizzle": { + "CHS": "细雨,毛毛雨", + "ENG": "weather that is a combination of light rain and mist" + }, + "version": { + "CHS": "版本;译文;倒转术", + "ENG": "a copy of something that has been changed so that it is slightly different" + }, + "virtuoso": { + "CHS": "行家里手的;艺术爱好者的" + }, + "innovation": { + "CHS": "创新,革新;新方法", + "ENG": "a new idea, method, or invention" + }, + "inflammatory": { + "CHS": "炎症性的;煽动性的;激动的", + "ENG": "an inflammatory speech, piece of writing etc is likely to make people feel angry" + }, + "fervent": { + "CHS": "热心的;强烈的;炽热的;热烈的", + "ENG": "believing or feeling something very strongly and sincerely" + }, + "occurrence": { + "CHS": "发生;出现;事件;发现", + "ENG": "something that happens" + }, + "stabilize": { + "CHS": "使稳固,使安定", + "ENG": "to become firm, steady, or unchanging, or to make something firm or steady" + }, + "interlude": { + "CHS": "使中断" + }, + "fatal": { + "CHS": "(Fatal)人名;(葡、芬)法塔尔" + }, + "crate": { + "CHS": "将某物装入大木箱或板条箱中", + "ENG": "to pack things into a crate" + }, + "deposit": { + "CHS": "使沉积;存放", + "ENG": "to put something down in a particular place" + }, + "export": { + "CHS": "输出物资", + "ENG": "to sell goods to another country" + }, + "collective": { + "CHS": "集团;集合体;集合名词" + }, + "unearth": { + "CHS": "发掘;揭露,发现;从洞中赶出", + "ENG": "to find something after searching for it, especially something that has been buried in the ground or lost for a long time" + }, + "parish": { + "CHS": "教区", + "ENG": "the area that a priest in some Christian churches is responsible for" + }, + "incentive": { + "CHS": "激励的;刺激的" + }, + "statute": { + "CHS": "[法] 法规;法令;条例", + "ENG": "a law passed by a parliament, council etc and formally written down" + }, + "permissive": { + "CHS": "许可的;自由的;宽容的;(两性关系)放纵的", + "ENG": "not strict, and allowing behaviour that many other people would disapprove of" + }, + "scandalize": { + "CHS": "使震惊;诽谤;使愤慨", + "ENG": "to make people feel very shocked" + }, + "acoustic": { + "CHS": "原声乐器;不用电传音的乐器", + "ENG": "If you refer to the acoustics of a space, you are referring to the structural features which determine how well you can hear music or speech in it" + }, + "loch": { + "CHS": "湖;海湾(狭长的)", + "ENG": "a lake or a part of the sea partly enclosed by land in Scotland" + }, + "interior": { + "CHS": "内部的;国内的;本质的", + "ENG": "inside or indoors" + }, + "deliberate": { + "CHS": "仔细考虑;商议", + "ENG": "to think about something very carefully" + }, + "sentinel": { + "CHS": "守卫,放哨" + }, + "alternate": { + "CHS": "替换物", + "ENG": "An alternate is a person or thing that replaces another, and can act or be used instead of them" + }, + "signature": { + "CHS": "署名;签名;信号", + "ENG": "your name written in the way you usually write it, for example at the end of a letter, or on a cheque etc, to show that you have written it" + }, + "pad": { + "CHS": "步行;放轻脚步走", + "ENG": "to walk softly and quietly" + }, + "ultimate": { + "CHS": "终极;根本;基本原则" + }, + "strand": { + "CHS": "使搁浅;使陷于困境;弄断;使落后", + "ENG": "to leave or drive (ships, fish, etc) aground or ashore or (of ships, fish, etc) to be left or driven ashore " + }, + "trivial": { + "CHS": "不重要的,琐碎的;琐细的" + }, + "chauvinism": { + "CHS": "沙文主义;盲目的爱国心", + "ENG": "a strong belief that your country or race is better or more important than any other" + }, + "trinomial": { + "CHS": "三项式的", + "ENG": "consisting of or relating to three terms " + }, + "polygraph": { + "CHS": "测谎器;复写器;多种波动描记器", + "ENG": "A polygraph or a polygraph test is a test used by the police to try to find out whether someone is telling the truth" + }, + "strait": { + "CHS": "海峡;困境", + "ENG": "a narrow passage of water between two areas of land, usually connecting two seas" + }, + "tranquilizer": { + "CHS": "镇定剂;使镇定的人或物", + "ENG": "A tranquilizer is a drug that makes people feel calmer or less anxious. Tranquilizers are sometimes used to make people or animals become sleepy or unconscious. " + }, + "geological": { + "CHS": "地质的,地质学的", + "ENG": "Geological means relating to geology" + }, + "upstate": { + "CHS": "在州的北部;在州内远离大城市地区", + "ENG": "Upstate is also an adverb" + }, + "indigenous": { + "CHS": "本土的;土著的;国产的;固有的", + "ENG": "indigenous people or things have always been in the place where they are, rather than being brought there from somewhere else" + }, + "spinach": { + "CHS": "菠菜", + "ENG": "a vegetable with large dark green leaves" + }, + "hedge": { + "CHS": "对冲,套期保值;树篱;障碍", + "ENG": "a row of small bushes or trees growing close together, usually dividing one field or garden from another" + }, + "insomnia": { + "CHS": "失眠症,失眠", + "ENG": "if you suffer from insomnia, you are not able to sleep" + }, + "peak": { + "CHS": "最高的;最大值的", + "ENG": "used to talk about the best, highest, or greatest level or amount of something" + }, + "consultant": { + "CHS": "顾问;咨询者;会诊医生", + "ENG": "someone whose job is to give advice on a particular subject" + }, + "olfactory": { + "CHS": "嗅觉器官" + }, + "citywide": { + "CHS": "全市的,全市性的", + "ENG": "involving all the areas of a city" + }, + "scurrilous": { + "CHS": "下流的;说话粗鄙恶劣的;无礼的" + }, + "unavailable": { + "CHS": "难以获得的;不能利用的;不近便的", + "ENG": "not able to be obtained" + }, + "significant": { + "CHS": "象征;有意义的事物" + }, + "enzyme": { + "CHS": "[生化] 酶", + "ENG": "a chemical substance that is produced in a plant or animal, and helps chemical changes to take place in the plant or animal" + }, + "note": { + "CHS": "注意;记录;注解", + "ENG": "to notice or pay careful attention to something" + }, + "amphitheater": { + "CHS": "竞技场;[建] 圆形露天剧场;古罗马剧场", + "ENG": "a building, usually circular or oval, in which tiers of seats rise from a central open arena, as in those of ancient Rome " + }, + "mythology": { + "CHS": "神话;神话学;神话集", + "ENG": "set of ancient myths" + }, + "plummet": { + "CHS": "垂直落下;(价格、水平等)骤然下跌", + "ENG": "to suddenly and quickly decrease in value or amount" + }, + "debris": { + "CHS": "碎片,残骸", + "ENG": "the pieces of something that are left after it has been destroyed in an accident, explosion etc" + }, + "chip": { + "CHS": "[电子] 芯片;筹码;碎片;(食物的) 小片; 薄片", + "ENG": "a small piece of wood, stone, metal etc that has been broken off something" + } +} \ No newline at end of file diff --git a/modules/self_contained/wordle/words/GRE.json b/modules/self_contained/wordle/words/GRE.json new file mode 100644 index 00000000..c51490ea --- /dev/null +++ b/modules/self_contained/wordle/words/GRE.json @@ -0,0 +1,27380 @@ +{ + "daltonism": { + "CHS": "[医]色盲(=color blindness)", + "ENG": "colour blindness, esp the confusion of red and green " + }, + "orthopedics": { + "CHS": "[医]整形外科, 整形术", + "ENG": "the part of medicine that treats illnesses or injuries that affect people’s bones or muscles" + }, + "sceptre": { + "CHS": "笏, 节杖, 王权(=scepter)", + "ENG": "a decorated stick carried by kings or queens at ceremonies" + }, + "pericope": { + "CHS": "(从书中选出的)章节, 选段", + "ENG": "a selection from a book, esp a passage from the Bible read at religious services" + }, + "sphinx": { + "CHS": "[希神]斯芬克斯(有翼的狮身女怪, 传说她常叫过路行人猜谜, 猜不出者即遭杀害)", + "ENG": "an ancient Egyptian image of a lion with a human head, lying down" + }, + "paysage": { + "CHS": "[法]乡村景色" + }, + "morphemics": { + "CHS": "[用作单][语]语素学,词素学" + }, + "covin": { + "CHS": "[古]欺诈" + }, + "superfuse": { + "CHS": "[罕]倾注, 浇盖" + }, + "tar": { + "CHS": "煤油;焦油" + }, + "gargoyle": { + "CHS": "[建]怪兽状滴水嘴,(突出的)怪兽饰", + "ENG": "a stone figure of a strange and ugly creature, that carries rain water from the roof of an old building, especially a church" + }, + "switcheroo": { + "CHS": "[俚]突然变化", + "ENG": "a surprising or unexpected change or variation " + }, + "jiltee": { + "CHS": "[美]被遗弃的人" + }, + "mimetism": { + "CHS": "[生]拟态" + }, + "triste": { + "CHS": "<法>悲哀的" + }, + "trouvaille": { + "CHS": "<法>意外收获" + }, + "spartan": { + "CHS": "简单的;朴素的;刻苦的", + "ENG": "can be used to describe conditions or ways of living that are simple and without any comfort" + }, + "draconian": { + "CHS": "严峻的;苛刻的", + "ENG": "very strict and cruel" + }, + "antediluvian": { + "CHS": "(《圣经》中所说的)大洪水前的, 上古的, 古风的" + }, + "fatidic": { + "CHS": "(=prophetic)预言的, 预言性的", + "ENG": "prophetic " + }, + "shopsoiled": { + "CHS": "陈列[搁置]久了的,陈旧的", + "ENG": "worn, faded, tarnished, etc, from being displayed in a shop or store" + }, + "paleocrystic": { + "CHS": "(冰、海等)长期冻结的,古结晶的由古结晶冰组成的" + }, + "benign": { + "CHS": "(病)良性的, (气候)良好的, 仁慈的, 和蔼的", + "ENG": "a benign tumour (= unnatural growth in the body ) is not caused by cancer " + }, + "felicitous": { + "CHS": "(措辞等)恰当的, 巧妙的, 极为适当的, 可喜的, 善于措词的, [罕]幸福的, 快乐的", + "ENG": "well-chosen and suitable" + }, + "effete": { + "CHS": "(动植物等)生产力已枯竭的, 衰老的, 疲惫的, 衰微的" + }, + "livable": { + "CHS": "(房子,气候等)适于居住的, 可住的", + "ENG": "(of a room, house, etc) suitable for living in " + }, + "thespian": { + "CHS": "(古希腊雅典诗人, 悲剧创始者)泰斯庇斯的, 悲剧的, 戏剧的, 悲剧性的", + "ENG": "Thespian means relating to drama and the theatre" + }, + "choppy": { + "CHS": "(海等)波浪起伏的, (指风)不断改变方向的", + "ENG": "Can be used to describe water when there are a lot of small waves on it because there is a wind blowing." + }, + "introspective": { + "CHS": "(好)内省的, (好)自省的, (好)反省的", + "ENG": "tending to think deeply about your own thoughts, feelings, or behaviour" + }, + "impecunious": { + "CHS": "(经常)没有钱的, 身无分文的, 贫穷的", + "ENG": "having very little money, especially over a long period – sometimes used humorously" + }, + "firsthand": { + "CHS": "(来源, 资料等)直接的, 直接得来的, 直接采购的" + }, + "rubicund": { + "CHS": "(脸色, 肤色等)红润的, 透红的", + "ENG": "of a reddish colour; ruddy; rosy" + }, + "briefless": { + "CHS": "(律师等)无人委托诉讼的", + "ENG": "(said of a barrister) without clients " + }, + "buccal": { + "CHS": "(面)颊的, 口的, 口腔的", + "ENG": "of or relating to the cheek " + }, + "knotty": { + "CHS": "(木材等)多结的, 多节的, 多瘤的, 棘手的, 困难多的", + "ENG": "knotty wood contains a lot of hard round places where branches once joined the tree" + }, + "importunate": { + "CHS": "(人)缠扰不休的, 胡搅蛮缠的, (事务等)急切的, 讨厌的", + "ENG": "continuously asking for things in an annoying or unreasonable way" + }, + "gangling": { + "CHS": "(身体)瘦长的", + "ENG": "unusually tall and thin, and not able to move gracefully" + }, + "taut": { + "CHS": "(绳子)拉紧的, 整洁的, 紧张的", + "ENG": "stretched tight" + }, + "puissant": { + "CHS": "(诗)强大的, 有势力的", + "ENG": "powerful " + }, + "gruff": { + "CHS": "(说话、态度等) 粗暴的, 生硬的, 脾气坏的, (声音)粗哑的", + "ENG": "speaking in a rough unfriendly voice" + }, + "eidetic": { + "CHS": "(头脑中的印象)异常清晰的", + "ENG": "(of visual, or sometimes auditory, images) exceptionally vivid and allowing detailed recall of something previously perceived: thought to be common in children" + }, + "epideictic": { + "CHS": "(文体、演讲等)意在表现词藻技巧的富于词藻的" + }, + "marmoreal": { + "CHS": "(象)大理石的, 冰冷的", + "ENG": "of, relating to, or resembling marble" + }, + "lengthy": { + "CHS": "(演说、文章等)冗长的, 过分的", + "ENG": "continuing for a long time, often too long" + }, + "laconic": { + "CHS": "(用词)简洁的, 简明的", + "ENG": "using only a few words to say something" + }, + "lugubrious": { + "CHS": "(尤指故意装出来的)可怜的, 悲惨的, 悲哀的", + "ENG": "very sad and serious – sometimes used humorously" + }, + "agonal": { + "CHS": "(尤指临死时)痛苦的" + }, + "sanitary": { + "CHS": "(有关)卫生的, (保持)清洁的, 清洁卫生的", + "ENG": "clean and not causing any danger to people’s health" + }, + "kinetic": { + "CHS": "(运)动的, 动力(学)的", + "ENG": "relating to movement" + }, + "fickle": { + "CHS": "(在感情等方面)变幻无常的, 浮躁的, 薄情的", + "ENG": "can be used to describe someone who is always changing their mind about people or things that they like, so that you cannot depend on them – used to show disapproval" + }, + "laborious": { + "CHS": "(指工作)艰苦的, 费力的, (指人)勤劳的", + "ENG": "taking a lot of time and effort" + }, + "intrinsic": { + "CHS": "(指价值、性质)固有的, 内在的, 本质的", + "ENG": "being part of the nature or character of someone or something" + }, + "pungent": { + "CHS": "(指气味、味道)刺激性的, 辛辣的, 尖锐的, 苦痛的, 严厉的", + "ENG": "having a strong taste or smell" + }, + "inalienable": { + "CHS": "(指权利等)不能让与的, 不能剥夺的", + "ENG": "an inalienable right, power etc cannot be taken from you" + }, + "lithe": { + "CHS": "(指人、身体)柔软的, 易弯的", + "ENG": "having a body that moves easily and gracefully" + }, + "thoroughbred": { + "CHS": "(指牲畜)纯种的、良种的, (指人)高尚的、受过良好教养的" + }, + "opportune": { + "CHS": "(指时间)凑巧的、恰好的, (指行动或事件)及时、适宜的", + "ENG": "done at a very suitable time" + }, + "saliferous": { + "CHS": "[地](岩层等)含盐的", + "ENG": "(esp of rock strata) containing or producing salt " + }, + "seismic": { + "CHS": "[地]地震的", + "ENG": "relating to or caused by earthquakes " + }, + "anurous": { + "CHS": "[动]无尾的", + "ENG": "lacking a tail; tailless; acaudate " + }, + "titanic": { + "CHS": "[化](含)钛的, 四价钛的", + "ENG": "of or containing titanium, esp in the tetravalent state " + }, + "subcutaneous": { + "CHS": "[解] 皮下的, 皮下用的", + "ENG": "beneath your skin" + }, + "vascular": { + "CHS": "[解][动]脉管的, 有脉管的, 血管的", + "ENG": "relating to the tubes through which liquids flow in the bodies of animals or in plants" + }, + "terricolous": { + "CHS": "[生]陆生的", + "ENG": "living on or in the soil " + }, + "embryonic": { + "CHS": "[生]胚胎的, 开始的", + "ENG": "relating to an embryo" + }, + "photophilous": { + "CHS": "[生]喜光的,嗜光的,适光的" + }, + "osseous": { + "CHS": "[生化]骨的, 骨质的", + "ENG": "consisting of or containing bone, bony " + }, + "generic": { + "CHS": "[生物]属的, 类的, 一般的, 普通的, 非特殊的", + "ENG": "relating to a whole group of things rather than to one thing" + }, + "glabrous": { + "CHS": "[生物]无毛的, 光洁的", + "ENG": "without hair or a similar growth; smooth " + }, + "antenatal": { + "CHS": "[医]出生前的", + "ENG": "relating to the medical care given to women who are going to have a baby" + }, + "allergic": { + "CHS": "[医]过敏的, 患过敏症的", + "ENG": "having an allergy" + }, + "rickety": { + "CHS": "[医]患佝偻病的, 驼背的, 摇摆的" + }, + "styptic": { + "CHS": "[医]收敛性的, 止血的", + "ENG": "contracting the blood vessels or tissues " + }, + "polysemous": { + "CHS": "[语]一词多义的,多义的", + "ENG": "a polysemous word has two or more different meanings" + }, + "acarpous": { + "CHS": "[植]不结果的,无果实的", + "ENG": "(of plants) producing no fruit " + }, + "cephalic": { + "CHS": "[字尾]头的", + "ENG": "of or relating to the head " + }, + "risque": { + "CHS": "<法> (作品等)淫秽的, 败坏风俗的" + }, + "flippant": { + "CHS": "<古>能说会道的, 轻率的, 没礼貌的, 嘴碎的", + "ENG": "not being serious about something that other people think you should be serious about" + }, + "omnificent": { + "CHS": "<罕>创造一切的, 有无限创造力的", + "ENG": "creating all things " + }, + "mensal": { + "CHS": "<罕>每月一次的, 每月的, 餐桌的", + "ENG": "monthly " + }, + "liverish": { + "CHS": "<口>患肝病的, 坏脾气的" + }, + "ducky": { + "CHS": "<俚> 极好的, 可喜的, 极为愉快的", + "ENG": "perfect or satisfactory" + }, + "gynecoid": { + "CHS": "<美>= gynaecoid" + }, + "bogus": { + "CHS": "<美>假的, 伪造的", + "ENG": "not true or real, although someone is trying to make you think it is" + }, + "wacky": { + "CHS": "<美俚>古怪的, 乖僻的, 疯疯癫癫的", + "ENG": "silly in an exciting or amusing way" + }, + "fantabulous": { + "CHS": "<美俚>极出色的, 极妙的" + }, + "raunchy": { + "CHS": "<美俚>邋遢的, 肮脏的, 淫秽的", + "ENG": "intended to be sexually exciting, in a way that seems immoral or shocking" + }, + "randy": { + "CHS": "<主苏格兰>粗鲁的, 好色的" + }, + "chunky": { + "CHS": "矮矮胖胖的" + }, + "podgy": { + "CHS": "矮胖的, 短粗的", + "ENG": "If you describe someone as podgy, you mean that they are rather fat in an unattractive way" + }, + "stocky": { + "CHS": "矮壮的, 健壮结实的", + "ENG": "a stocky person is short and heavy and looks strong" + }, + "scrappy": { + "CHS": "爱打架的, 斗志旺盛的, 细小的, 碎屑的, 杂凑的, 不连贯的", + "ENG": "pugnacious " + }, + "prying": { + "CHS": "爱打听的" + }, + "meddlesome": { + "CHS": "爱管闲事的, 好干涉的", + "ENG": "a meddlesome person becomes involved in situations that do not concern them, in a way that annoys people" + }, + "waggish": { + "CHS": "爱开玩笑的, 滑稽的", + "ENG": "a waggish person makes clever and amusing jokes, remarks etc" + }, + "lachrymose": { + "CHS": "爱哭的, 悲哀的", + "ENG": "often crying" + }, + "frolicsome": { + "CHS": "爱闹着玩的, 嬉戏的", + "ENG": "given to frolicking; merry and playful " + }, + "persnickety": { + "CHS": "爱挑剔的, 难应付的", + "ENG": "worrying too much about details that are not important – used to show disapproval" + }, + "flirtatious": { + "CHS": "爱调戏的, 轻浮的", + "ENG": "Someone who is flirtatious behaves toward someone else as if they are sexually attracted to them, usually not in a very serious way" + }, + "ornery": { + "CHS": "爱争吵的, 卑下的, 一般的" + }, + "ambiguous": { + "CHS": "暧昧的, 不明确的", + "ENG": "something that is ambiguous is unclear, confusing, or not certain, especially because it can be understood in more than one way" + }, + "propitiatory": { + "CHS": "安抚的, 和解的", + "ENG": "intended to please someone and make them feel less angry and more friendly" + }, + "tranquil": { + "CHS": "安静的", + "ENG": "pleasantly calm, quiet, and peaceful" + }, + "sedate": { + "CHS": "安静的, 稳重的", + "ENG": "calm, serious, and formal" + }, + "obscure": { + "CHS": "暗的, 朦胧的, 模糊的, 晦涩的", + "ENG": "difficult to understand" + }, + "dingy": { + "CHS": "暗黑的, 邋遢的", + "ENG": "dark, dirty, and in bad condition" + }, + "implicit": { + "CHS": "暗示的, 盲从的, 含蓄的, 固有的, 不怀疑的, 绝对的", + "ENG": "suggested or understood without being stated directly" + }, + "surreptitious": { + "CHS": "暗中的, 秘密的, 偷偷摸摸的", + "ENG": "done secretly or quickly because you do not want other people to notice" + }, + "sordid": { + "CHS": "肮脏", + "ENG": "very dirty and unpleasant" + }, + "squalid": { + "CHS": "肮脏的", + "ENG": "very dirty and unpleasant because of a lack of care or money" + }, + "scruffy": { + "CHS": "肮脏的, 不整洁的, 破旧的", + "ENG": "dirty and untidy" + }, + "concave": { + "CHS": "凹的, 凹入的", + "ENG": "a concave surface is curved inwards in the middle" + }, + "haughty": { + "CHS": "傲慢的", + "ENG": "behaving in a proud unfriendly way" + }, + "assuming": { + "CHS": "傲慢的, 不逊的, 僭越的" + }, + "contumelious": { + "CHS": "傲慢的, 侮辱性的" + }, + "overbearing": { + "CHS": "傲慢的, 专横的", + "ENG": "always trying to control other people without considering their wishes or feelings" + }, + "arrogant": { + "CHS": "傲慢的, 自大的", + "ENG": "behaving in an unpleasant or rude way because you think you are more important than other people" + }, + "snooty": { + "CHS": "傲慢的, 自大的, 鄙视别人的", + "ENG": "rude and unfriendly, because you think you are better than other people" + }, + "abstruse": { + "CHS": "奥妙的, 深奥的", + "ENG": "unnecessarily complicated and difficult to understand" + }, + "octogenarian": { + "CHS": "八十岁的, 八十多岁的" + }, + "platonic": { + "CHS": "柏拉图哲学的, 柏拉图主义的, 理想的, 不切实际的", + "ENG": "Platonic relationships or feelings of affection do not involve sex" + }, + "pied": { + "CHS": "斑驳的, 杂色的", + "ENG": "used in the names of birds that are black and white" + }, + "purblind": { + "CHS": "半盲的, 惺松眼的, 迟钝的", + "ENG": "partly or nearly blind " + }, + "translucent": { + "CHS": "半透明的, 透明的", + "ENG": "not trans-parent, but clear enough to allow light to pass through" + }, + "concomitant": { + "CHS": "伴随的", + "ENG": "existing or happening together, especially as a result of something" + }, + "retentive": { + "CHS": "保持的" + }, + "reserved": { + "CHS": "保留的, 包租的" + }, + "vindictive": { + "CHS": "报复性的", + "ENG": "unreasonably cruel and unfair towards someone who has harmed you" + }, + "retributive": { + "CHS": "报应的" + }, + "disaffected": { + "CHS": "抱不平的, 有叛意的, 不服的", + "ENG": "not satisfied with your government, leader etc, and therefore no longer loyal to them or no longer believing they can help you" + }, + "grumble": { + "CHS": "抱怨地表示, 嘟囔地说" + }, + "mutinous": { + "CHS": "暴动的, 反抗的", + "ENG": "showing by your behaviour or appearance that you do not want to obey someone" + }, + "riotous": { + "CHS": "暴动的, 骚乱的, 狂欢的", + "ENG": "noisy or violent, especially in a public place" + }, + "touchy": { + "CHS": "暴躁的, 难以处理的, 易起火的" + }, + "vile": { + "CHS": "卑鄙的, 可耻的, 恶劣的, 可憎的, 简陋的, 低廉的, 坏透的, 不足道的", + "ENG": "extremely unpleasant or bad" + }, + "abject": { + "CHS": "卑鄙的, 可怜的", + "ENG": "an abject action or expression shows that you feel very ashamed" + }, + "mingy": { + "CHS": "卑鄙的, 吝啬的", + "ENG": "not at all generous" + }, + "humble": { + "CHS": "卑下的, 微贱的, 谦逊的, 粗陋的", + "ENG": "not considering yourself or your ideas to be as important as other people’s" + }, + "mournful": { + "CHS": "悲哀的", + "ENG": "very sad" + }, + "plaintive": { + "CHS": "悲哀的, 哀伤的", + "ENG": "a plaintive sound is high, like someone crying, and sounds sad" + }, + "doleful": { + "CHS": "悲哀的, 阴沉的, 寂寞的", + "ENG": "very sad" + }, + "woeful": { + "CHS": "悲伤的, 悲哀的, 可怜的, 遗憾的", + "ENG": "very sad" + }, + "distressing": { + "CHS": "悲伤的, 使痛苦的, 使烦恼的", + "ENG": "If something is distressing, it upsets you or worries you" + }, + "boreal": { + "CHS": "北的", + "ENG": "of or relating to the north or the north wind " + }, + "dorsal": { + "CHS": "背的, 脊的", + "ENG": "on or relating to the back of an animal or fish" + }, + "treacherous": { + "CHS": "背叛的, 背信弃义的, 奸诈的, 叛逆的", + "ENG": "someone who is treacherous cannot be trusted because they are not loyal and secretly intend to harm you" + }, + "perfidious": { + "CHS": "背信弃义的", + "ENG": "someone who is perfidious is not loyal and cannot be trusted" + }, + "bereft": { + "CHS": "被剥夺的, 失去亲人的, 丧失的", + "ENG": "If a person or thing is bereft of something, they no longer have it" + }, + "bushed": { + "CHS": "被草丛笼罩的, 疲倦的" + }, + "unfettered": { + "CHS": "被除去脚镣的,无拘无束的" + }, + "guarded": { + "CHS": "被防护者的, 被看守着的, 被监视着的, 警戒着的" + }, + "downtrodden": { + "CHS": "被践踏的, 被蹂躏的,被压制的", + "ENG": "downtrodden people are treated badly and without respect by people who have power over them" + }, + "dopey": { + "CHS": "被麻醉的, 笨的, 迟钝的", + "ENG": "slightly stupid" + }, + "derelict": { + "CHS": "被抛弃了的", + "ENG": "A place or building that is derelict is empty and in a bad state of repair because it has not been used or lived in for a long time" + }, + "preoccupied": { + "CHS": "被先占的, 全神贯注的", + "ENG": "thinking about something a lot, with the result that you do not pay attention to other things" + }, + "forlorn": { + "CHS": "被遗弃的" + }, + "outcast": { + "CHS": "被逐的, 被排斥的, 被遗弃的" + }, + "vernacular": { + "CHS": "本国的" + }, + "ontic": { + "CHS": "本体的, 实体的" + }, + "indigenous": { + "CHS": "本土的", + "ENG": "indigenous people or things have always been in the place where they are, rather than being brought there from somewhere else" + }, + "hulking": { + "CHS": "笨重的, 粗陋的", + "ENG": "very big and often awkward" + }, + "clumsy": { + "CHS": "笨拙的", + "ENG": "moving or doing things in a careless way, especially so that you drop things, knock into things etc" + }, + "logged": { + "CHS": "笨拙的, (树)劈成木材的" + }, + "unwieldy": { + "CHS": "笨拙的, 不实用的, 难处理的, 难使用的, 笨重的", + "ENG": "an unwieldy object is big, heavy, and difficult to carry or use" + }, + "gauche": { + "CHS": "笨拙的, 粗鲁的, 偏转的, 无礼的" + }, + "uncouth": { + "CHS": "笨拙的, 粗俗的, 不舒适的", + "ENG": "behaving and speaking in a way that is rude or socially unacceptable" + }, + "nasal": { + "CHS": "鼻的, 鼻音的, 护鼻的", + "ENG": "related to the nose" + }, + "figurative": { + "CHS": "比喻的, 修饰丰富的, 形容多的", + "ENG": "a figurative word or phrase is used in a different way from its usual meaning, to give you a particular idea or picture in your mind" + }, + "compulsory": { + "CHS": "必需做的, 必修的, 被强迫的, 被强制的, 义务的", + "ENG": "something that is compulsory must be done because it is the law or because someone in authority orders you to" + }, + "derogatory": { + "CHS": "贬损的", + "ENG": "derogatory remarks, attitudes etc are insulting and disapproving" + }, + "prolate": { + "CHS": "扁长的", + "ENG": "having a polar diameter of greater length than the equatorial diameter " + }, + "equable": { + "CHS": "变动小的, 平静的" + }, + "protean": { + "CHS": "变化多端的", + "ENG": "able to keep changing or to do many things" + }, + "inconstant": { + "CHS": "变化无常的" + }, + "pejorative": { + "CHS": "变坏的, 轻蔑的" + }, + "polemical": { + "CHS": "辩论法, 辩论术, 好辩的, 挑起争端的", + "ENG": "using strong arguments to criticize or defend a particular idea, opinion, or person" + }, + "measured": { + "CHS": "标准的, 整齐的, 有规则的" + }, + "normative": { + "CHS": "标准化的", + "ENG": "describing or establishing a set of rules or standards of behaviour" + }, + "superficial": { + "CHS": "表面的, 肤浅的, 浅薄的", + "ENG": "not studying or looking at something carefully and only seeing the most noticeable things" + }, + "convex": { + "CHS": "表面弯曲如球的外侧, 凸起的", + "ENG": "curved outwards, like the surface of the eye" + }, + "interrogative": { + "CHS": "表示疑问的, 质问的", + "ENG": "an interrogative sentence, pronoun etc asks a question or has the form of a question. For example, ‘who’ and ‘what’ are interrogative pronouns." + }, + "urbane": { + "CHS": "彬彬有礼的, 文雅的", + "ENG": "behaving in a relaxed and confident way in social situations" + }, + "complaisant": { + "CHS": "彬彬有礼的, 殷勤的, 柔顺的", + "ENG": "showing a desire to comply or oblige; polite " + }, + "morbid": { + "CHS": "病的, 由病引起的, 病态的, 恐怖的", + "ENG": "relating to or caused by a disease" + }, + "wavy": { + "CHS": "波状的, 摇摆的, 起浪的, 波动的, 不稳的", + "ENG": "wavy hair grows in waves" + }, + "avuncular": { + "CHS": "伯父的, 伯父似的" + }, + "erudite": { + "CHS": "博学的", + "ENG": "showing a lot of knowledge based on careful study" + }, + "halting": { + "CHS": "跛的, 犹豫的, 蹒跚的" + }, + "adjutant": { + "CHS": "补助的" + }, + "ancillary": { + "CHS": "补助的, 副的", + "ENG": "connected with or supporting something else, but less important than it" + }, + "raptorial": { + "CHS": "捕食生物的, 猛禽类的" + }, + "incommunicative": { + "CHS": "不爱说话的, 沉默寡言的", + "ENG": "tending not to communicate with others; taciturn " + }, + "fidgety": { + "CHS": "不安的, 不沉着的, 烦燥的, 难以取悦的", + "ENG": "unable to stay still, especially because of being bored or nervous" + }, + "labile": { + "CHS": "不安定的, 易发生变化的" + }, + "immoral": { + "CHS": "不道德的, 邪恶的, 放荡的, 淫荡的", + "ENG": "morally wrong" + }, + "incessant": { + "CHS": "不断的, 不停的", + "ENG": "continuing without stopping" + }, + "infertile": { + "CHS": "不肥沃的, 贫瘠的, 不毛的, 不结果实的", + "ENG": "infertile land or soil is not good enough to grow plants in" + }, + "indiscriminate": { + "CHS": "不分皂白的, 不加选择的", + "ENG": "an indiscriminate action is done without thinking about what harm it might cause" + }, + "recusant": { + "CHS": "不服权威的" + }, + "iniquitous": { + "CHS": "不公正的", + "ENG": "very unfair and morally wrong" + }, + "inconsiderate": { + "CHS": "不顾及别人的, 轻率的", + "ENG": "not caring about the feelings, needs, or comfort of other people" + }, + "apolitical": { + "CHS": "不关心政治的", + "ENG": "not interested in politics, or not connected with any political party" + }, + "ignoble": { + "CHS": "不光彩的", + "ENG": "ignoble thoughts, feelings, or actions are ones that you should feel ashamed or embarrassed about" + }, + "anomalous": { + "CHS": "不规则的, 反常的", + "ENG": "different from what you expected to find" + }, + "unabashed": { + "CHS": "不害羞的", + "ENG": "not ashamed or embarrassed, especially when doing something unusual or rude" + }, + "ineligible": { + "CHS": "不合格的", + "ENG": "not allowed to have or do something because of a law or rule" + }, + "incompetent": { + "CHS": "不合格的, 不胜任的", + "ENG": "not having the ability or skill to do a job properly" + }, + "unconscionable": { + "CHS": "不合理的, 不受良心节制的, 过度的", + "ENG": "much more than is reasonable or acceptable" + }, + "inconsequential": { + "CHS": "不合逻辑的, 不合理的" + }, + "unbecoming": { + "CHS": "不合身的", + "ENG": "clothes that are unbecoming make you look unattractive" + }, + "undesirable": { + "CHS": "不合需要的, 不受欢迎的, 令人不快的", + "ENG": "something or someone that is undesirable is not welcome or wanted because they may affect a situation or person in a bad way" + }, + "nonskid": { + "CHS": "不滑的" + }, + "implacable": { + "CHS": "不缓和的, 不安静的" + }, + "impenitent": { + "CHS": "不悔悟的, 顽固的", + "ENG": "not sorry or penitent; unrepentant " + }, + "invulnerable": { + "CHS": "不会受伤害的, 无懈可击的", + "ENG": "someone or something that is invulnerable cannot be harmed or damaged if you attack or criticize them" + }, + "infelicitous": { + "CHS": "不吉利的, 不幸的, 不合适的", + "ENG": "not felicitous; unfortunate " + }, + "reckless": { + "CHS": "不计后果的", + "ENG": "not caring or worrying about the possible bad or dangerous results of your actions" + }, + "unaffected": { + "CHS": "不矫揉造作的, 自然的, 真挚的, 未受影响的, 未被感动的", + "ENG": "not changed or influenced by something" + }, + "filthy": { + "CHS": "不洁的, 污秽的, 丑恶的", + "ENG": "very dirty" + }, + "unversed": { + "CHS": "不精通的, 不熟练的, 无知的, 无经验的" + }, + "asymmetric": { + "CHS": "不均匀的, 不对称的", + "ENG": "Asymmetric means the same as " + }, + "ineluctable": { + "CHS": "不可避免的, 无法逃避的", + "ENG": "impossible to avoid" + }, + "immutable": { + "CHS": "不可变的, 不变的, 不能变的, 永恒的", + "ENG": "never changing or impossible to change" + }, + "irresistible": { + "CHS": "不可抵抗的, 不能压制的", + "ENG": "too strong or powerful to be stopped or prevented" + }, + "imponderable": { + "CHS": "不可估计的" + }, + "lamentable": { + "CHS": "不快的" + }, + "intolerant": { + "CHS": "不宽容的, 偏狭的", + "ENG": "not willing to accept ways of thinking and behaving that are different from your own" + }, + "incoherent": { + "CHS": "不连贯的, 语无伦次的", + "ENG": "speaking in a way that cannot be understood, because you are drunk, feeling a strong emotion etc" + }, + "discrete": { + "CHS": "不连续的, 离散的", + "ENG": "clearly separate" + }, + "maladroit": { + "CHS": "不灵巧的", + "ENG": "not clever or sensitive in the way you deal with people" + }, + "malcontent": { + "CHS": "不满的" + }, + "disgruntled": { + "CHS": "不满的, 不高兴的", + "ENG": "annoyed or disappointed, especially because things have not happened in the way that you wanted" + }, + "discontented": { + "CHS": "不满意的", + "ENG": "unhappy or not satisfied with the situation you are in" + }, + "noncommittal": { + "CHS": "不明朗的, 不承担义务的" + }, + "ineffaceable": { + "CHS": "不能除去的, 不能取消的" + }, + "inexpiable": { + "CHS": "不能抵偿的, 不能平息的" + }, + "indivisible": { + "CHS": "不能分割的, 除不尽的", + "ENG": "something that is indivisible cannot be separated or divided into parts" + }, + "irrevocable": { + "CHS": "不能取消的", + "ENG": "an irrevocable decision, action etc cannot be changed or stopped" + }, + "impermeable": { + "CHS": "不能渗透的, 不渗透性的", + "ENG": "not allowing liquids or gases to pass through" + }, + "ineffable": { + "CHS": "不能说的, 不应说出的, 避讳的" + }, + "irreparable": { + "CHS": "不能挽回的", + "ENG": "irreparable damage, harm etc is so bad that it can never be repaired or made better" + }, + "inconceivable": { + "CHS": "不能想像的, 难以相信的", + "ENG": "too strange or unusual to be thought real or possible" + }, + "irreconcilable": { + "CHS": "不能协调的, 矛盾的", + "ENG": "irreconcilable positions etc are so strongly opposed to each other that it is not possible for them to reach an agreement" + }, + "invincible": { + "CHS": "不能征服的, 无敌的" + }, + "insuperable": { + "CHS": "不能制胜的, 不能克服的", + "ENG": "an insuperable difficulty or problem is impossible to deal with" + }, + "incurable": { + "CHS": "不能治愈的", + "ENG": "impossible to cure" + }, + "incontinent": { + "CHS": "不能自制的, 无节制的, 荒淫的, [医]失禁的", + "ENG": "unable to control the passing of liquid or solid waste from your body" + }, + "dauntless": { + "CHS": "不屈不挠的, 大胆的" + }, + "indomitable": { + "CHS": "不屈服的, 不屈不挠的", + "ENG": "having great determination or courage" + }, + "nonflammable": { + "CHS": "不燃烧的", + "ENG": "nonflammable materials or substances do not burn easily or do not burn at all" + }, + "impervious": { + "CHS": "不让进入, 不会受到损伤的, 密封的, 不受影响的", + "ENG": "not affected or influenced by something and seeming not to notice it" + }, + "indubitable": { + "CHS": "不容置疑的, 确实的, 明白的", + "ENG": "You use indubitable to describe something when you want to emphasize that it is definite and cannot be doubted" + }, + "indiscreet": { + "CHS": "不慎重的, 轻率的", + "ENG": "careless about what you say or do, especially by talking about things which should be kept secret" + }, + "barren": { + "CHS": "不生育的, 不孕的, 贫瘠的, 没有结果的, 无益的, 单调的, 无聊的, 空洞的", + "ENG": "land or soil that is barren has no plants growing on it" + }, + "dispensable": { + "CHS": "不是必要的, 可有可无的", + "ENG": "not necessary or important and so easy to get rid of" + }, + "inept": { + "CHS": "不适当的, 无能的, 不称职的", + "ENG": "not good at doing something" + }, + "inexpedient": { + "CHS": "不适宜的", + "ENG": "not suitable, advisable, or judicious " + }, + "immoderate": { + "CHS": "不适中的" + }, + "unruly": { + "CHS": "不受拘束的, 不守规矩的, 蛮横的, 难驾驭的", + "ENG": "violent or difficult to control" + }, + "indisposed": { + "CHS": "不舒服的, 不合适的", + "ENG": "If you say that someone is indisposed, you mean that they are not available because they are ill, or for a reason that you do not want to reveal" + }, + "insubordinate": { + "CHS": "不顺从的, 不听话的", + "ENG": "If you say that someone is insubordinate, you mean that they do not obey someone of higher rank" + }, + "unseemly": { + "CHS": "不体面的, 不适宜的, 不恰当的", + "ENG": "unseemly behaviour is not polite or not suitable for a particular occasion" + }, + "discordant": { + "CHS": "不调和的, 不和的, [乐]不悦耳的, 不和谐的", + "ENG": "a discord-ant sound is unpleasant because it is made up of musical notes that do not go together well" + }, + "incongruous": { + "CHS": "不调和的, 不适宜的", + "ENG": "strange, unexpected, or unsuitable in a particular situation" + }, + "contumacious": { + "CHS": "不听令的, 顽固的, 反抗法院命令的", + "ENG": "stubbornly resistant to authority; wilfully obstinate " + }, + "diverse": { + "CHS": "不同的, 变化多的", + "ENG": "Diverse people or things are very different from each other" + }, + "heterogeneous": { + "CHS": "不同种类的异类的", + "ENG": "consisting of parts or members that are very different from each other" + }, + "queasy": { + "CHS": "不稳定的", + "ENG": "feeling uncomfortable because an action seems morally wrong" + }, + "precarious": { + "CHS": "不稳定的", + "ENG": "a precarious situation or state is one which may very easily or quickly become worse" + }, + "incommensurate": { + "CHS": "不相称的, 不适应的", + "ENG": "not commensurate; disproportionate " + }, + "dissonant": { + "CHS": "不谐和的, 不调和的, 刺耳的", + "ENG": "discordant; cacophonous " + }, + "unremitting": { + "CHS": "不懈的", + "ENG": "continuing for a long time and not likely to stop" + }, + "hackneyed": { + "CHS": "不新奇的, 陈腐的, 常见的", + "ENG": "a hackneyed phrase is boring and does not have much meaning because it has been used so often" + }, + "infidel": { + "CHS": "不信宗教的, 异端的", + "ENG": "Infidel is also an adjective" + }, + "immortal": { + "CHS": "不朽的", + "ENG": "living or continuing for ever" + }, + "repugnant": { + "CHS": "不一致的" + }, + "stolid": { + "CHS": "不易激动的, 感觉迟钝的, 神经麻木的", + "ENG": "someone who is stolid does not react to situations or seem excited by them when most people would react – used to show disapproval" + }, + "unflappable": { + "CHS": "不易惊慌的, 镇定的", + "ENG": "having the ability to stay calm and not become upset, even in difficult situations" + }, + "disagreeable": { + "CHS": "不愉快的, 不为人喜的, 厌恶的", + "ENG": "not at all enjoyable or pleasant" + }, + "obnoxious": { + "CHS": "不愉快的, 讨厌的", + "ENG": "very offensive, unpleasant, or rude" + }, + "disinclined": { + "CHS": "不愿的, 不想的", + "ENG": "If you are disinclined to do something, you do not want to do it" + }, + "grudging": { + "CHS": "不愿的, 勉强的, 吝啬的", + "ENG": "A grudging feeling or action is felt or done very unwillingly" + }, + "averse": { + "CHS": "不愿意的, 反对的", + "ENG": "unwilling to do something or not liking something" + }, + "frowzy": { + "CHS": "不整洁的, 憋闷的, 有臭味的" + }, + "deviant": { + "CHS": "不正常的", + "ENG": "different, in a bad way, from what is considered normal" + }, + "perverse": { + "CHS": "不正当的", + "ENG": "behaving in an unreasonable way, especially by deliberately doing the opposite of what people want you to do" + }, + "indefatigable": { + "CHS": "不知疲倦的", + "ENG": "You use indefatigable to describe someone who never gets tired of doing something" + }, + "unwitting": { + "CHS": "不知情的" + }, + "inadvertent": { + "CHS": "不注意的, 疏忽的, 无意中做的", + "ENG": "An inadvertent action is one that you do without realizing what you are doing" + }, + "insufficient": { + "CHS": "不足的, 不够的", + "ENG": "not enough, or not great enough" + }, + "skimpy": { + "CHS": "不足的, 吝啬的", + "ENG": "not enough of something" + }, + "paltry": { + "CHS": "不足取的, 无价值的, 琐碎的, 下贱的", + "ENG": "a paltry amount of something is too small to be useful or important" + }, + "irreverent": { + "CHS": "不尊敬的", + "ENG": "someone who is irreverent does not show respect for organizations, customs, beliefs etc that most other people respect – often used to show approval" + }, + "fractional": { + "CHS": "部分的, 碎片的, 分数的, 小数的, 分馏的", + "ENG": "happening or done in a series of steps" + }, + "fiscal": { + "CHS": "财政的, 国库的, 会计的, 国库岁入的", + "ENG": "relating to money, taxes, debts etc that are owned and managed by the government" + }, + "sartorial": { + "CHS": "裁缝的, 缝纫的, [解]缝匠肌的" + }, + "iridescent": { + "CHS": "彩虹色的, 闪光的", + "ENG": "showing colours that seem to change in different lights" + }, + "chromatic": { + "CHS": "彩色的", + "ENG": "related to bright colours" + }, + "stilted": { + "CHS": "踩高跷的, 虚饰的" + }, + "sallow": { + "CHS": "菜色", + "ENG": "sallow skin looks slightly yellow and unhealthy" + }, + "preprandial": { + "CHS": "餐前的", + "ENG": "You use preprandial to refer to things you do or have before a meal" + }, + "tyrannical": { + "CHS": "残暴的", + "ENG": "behaving in a cruel and unfair way towards someone you have power over" + }, + "sanguinary": { + "CHS": "残暴的", + "ENG": "involving violence and killing" + }, + "procrustean": { + "CHS": "残暴的, 强求一致的" + }, + "atrocious": { + "CHS": "残暴的, 凶恶的", + "ENG": "If you describe someone's behaviour or their actions as atrocious, you mean that it is unacceptable because it is extremely violent or cruel" + }, + "inhumane": { + "CHS": "残忍的", + "ENG": "extremely cruel and causing unacceptable suffering" + }, + "brute": { + "CHS": "残忍的, 畜生般的" + }, + "brutal": { + "CHS": "残忍的, 兽性的", + "ENG": "very cruel and violent" + }, + "brilliant": { + "CHS": "灿烂的, 闪耀的, 有才气的", + "ENG": "brilliant light or colour is very bright and strong" + }, + "precipitant": { + "CHS": "仓促的" + }, + "brash": { + "CHS": "仓促的, 无礼的, 性急的, 傲慢的", + "ENG": "behaving too confidently and speaking too loudly – used to show disapproval" + }, + "pallid": { + "CHS": "苍白的, 暗淡的", + "ENG": "very pale, especially in a way that looks weak or unhealthy" + }, + "wan": { + "CHS": "苍白的, 无血色的, 病态的, 暗淡的, 无力的", + "ENG": "looking pale, weak, or tired" + }, + "manipulative": { + "CHS": "操作的, 操纵的, 控制的", + "ENG": "relating to the ability to handle objects in a skilful way" + }, + "graminaceous": { + "CHS": "草(似),[植] 禾本的" + }, + "herbaceous": { + "CHS": "草本的, 似绿叶的", + "ENG": "plants that are herbaceous have soft stems rather than hard stems made of wood" + }, + "illusory": { + "CHS": "产生幻觉的, 幻影的, 错觉的, 虚假的, 不牢靠的", + "ENG": "false but seeming to be real or true" + }, + "obsequious": { + "CHS": "谄媚的, 奉承的, 拍马屁的", + "ENG": "very eager to please or agree with people who are powerful – used in order to show disapproval" + }, + "rampant": { + "CHS": "猖獗的, 蔓生的, 猛烈的, 狂暴的, 跛拱的", + "ENG": "if something bad, such as crime or disease, is rampant, there is a lot of it and it is very difficult to control" + }, + "intestinal": { + "CHS": "肠的, 肠内的, (疾病)侵袭肠的", + "ENG": "Intestinal means relating to the intestines" + }, + "haunting": { + "CHS": "常浮现于脑海中的, 不易忘怀的", + "ENG": "sad but also beautiful and staying in your thoughts for a long time" + }, + "preternatural": { + "CHS": "超自然的", + "ENG": "beyond what is usual or normal" + }, + "ephemeral": { + "CHS": "朝生暮死的, 短暂的, 短命的", + "ENG": "If you describe something as ephemeral, you mean that it lasts only for a short time" + }, + "derisive": { + "CHS": "嘲笑的, 值得嘲笑的", + "ENG": "showing that you think someone or something is stupid or silly" + }, + "sloppy": { + "CHS": "潮湿的, 多阴雨的, 溅湿的, 溅污的, 肥大的" + }, + "ingrained": { + "CHS": "彻底的, 根深蒂固的, 生染的", + "ENG": "ingrained attitudes or behaviour are firmly established and therefore difficult to change" + }, + "staid": { + "CHS": "沉静的" + }, + "dreary": { + "CHS": "沉闷的", + "ENG": "dull and making you feel sad or bored" + }, + "atrabilious": { + "CHS": "沉闷的, 疑心的" + }, + "dissipated": { + "CHS": "沉迷于酒色的, 消散的, 闲游浪荡的", + "ENG": "If you describe someone as dissipated, you disapprove of them because they spend a lot of time drinking alcohol and enjoying other physical pleasures, and are probably unhealthy because of this" + }, + "taciturn": { + "CHS": "沉默寡言的", + "ENG": "speaking very little, so that you seem unfriendly" + }, + "reticent": { + "CHS": "沉默寡言的", + "ENG": "unwilling to talk about what you feel or what you know" + }, + "doting": { + "CHS": "沉溺于爱的, 溺爱的", + "ENG": "If you say that someone is, for example, a doting mother, husband, or friend, you mean that they show a lot of love for someone" + }, + "reflective": { + "CHS": "沉思的", + "ENG": "thinking quietly about something" + }, + "pensive": { + "CHS": "沉思的", + "ENG": "thinking a lot about something, especially because you are worried or sad" + }, + "meditative": { + "CHS": "沉思的, 爱思考的, 冥想的", + "ENG": "thinking deeply and seriously about something" + }, + "imperturbable": { + "CHS": "沉着的, 冷静的", + "ENG": "remaining calm and unworried in spite of problems or difficulties" + }, + "ponderous": { + "CHS": "沉重的, 笨重的, 冗长的, 沉闷的, (指问题等)呆板的", + "ENG": "Ponderous writing or speech is very serious, uses more words than necessary, and is dull" + }, + "trite": { + "CHS": "陈腐的", + "ENG": "a trite remark, idea etc is boring, not new, and insincere" + }, + "antiquated": { + "CHS": "陈旧的", + "ENG": "old-fashioned and not suitable for modern needs or conditions – used to show disapproval" + }, + "veridical": { + "CHS": "诚实的", + "ENG": "truthful " + }, + "approbatory": { + "CHS": "承认的, 认可的, 赞赏的" + }, + "exurban": { + "CHS": "城市远郊的" + }, + "laboured": { + "CHS": "吃力的, 谨慎的" + }, + "oafish": { + "CHS": "痴呆的, 畸形的" + }, + "bovine": { + "CHS": "迟钝的, 牛的, 似牛的, 耐心的", + "ENG": "relating to cows" + }, + "persistent": { + "CHS": "持久稳固的" + }, + "sustained": { + "CHS": "持续不变的, 相同的", + "ENG": "continuing for a long time" + }, + "discalced": { + "CHS": "赤脚的, 仅穿拖鞋的", + "ENG": "barefooted: used to denote friars and nuns who wear sandals " + }, + "unclad": { + "CHS": "赤裸裸的, 没穿衣服的", + "ENG": "having no clothes on; naked " + }, + "fervent": { + "CHS": "炽热的", + "ENG": "believing or feeling something very strongly and sincerely" + }, + "impulsive": { + "CHS": "冲动的", + "ENG": "someone who is impulsive does things without considering the possible dangers or problems first" + }, + "impetuous": { + "CHS": "冲动的, 猛烈的, 激烈的", + "ENG": "tending to do things very quickly, without thinking carefully first, or showing this quality" + }, + "alluvial": { + "CHS": "冲积的, 淤积的", + "ENG": "made of soil left by rivers, lakes, floods etc" + }, + "sufficient": { + "CHS": "充分的, 足够的", + "ENG": "as much as is needed for a particular purpose" + }, + "humid": { + "CHS": "充满潮湿的, 湿润的, 多湿气的", + "ENG": "if the weather is humid, you feel uncomfortable because the air is very wet and usually hot" + }, + "replete": { + "CHS": "充满的", + "ENG": "full of something" + }, + "spry": { + "CHS": "充满生气的, 活泼的, 敏捷的美国Spry在线服务公司", + "ENG": "a spry old person has energy and is active" + }, + "ample": { + "CHS": "充足的, 丰富的", + "ENG": "more than enough" + }, + "idolatrous": { + "CHS": "崇拜偶像的, 盲目崇拜的" + }, + "stinking": { + "CHS": "臭的, 烂醉的, 讨厌的", + "ENG": "having a very strong unpleasant smell" + }, + "yielding": { + "CHS": "出产的, 易弯曲的, 柔顺的, 屈从的, 易受影响的", + "ENG": "a surface that is yielding is soft and will move or bend when you press it" + }, + "nascent": { + "CHS": "初生的", + "ENG": "coming into existence or starting to develop" + }, + "incipient": { + "CHS": "初始的", + "ENG": "starting to happen or exist" + }, + "culinary": { + "CHS": "厨房的, 烹调用的, 厨房用的", + "ENG": "relating to cooking" + }, + "tactile": { + "CHS": "触觉的, 有触觉的, 能触知的", + "ENG": "relating to your sense of touch" + }, + "threadbare": { + "CHS": "穿破旧衣服的, 俗套的", + "ENG": "clothes, carpets etc that are threadbare are very thin and in bad condition because they have been used a lot" + }, + "contagious": { + "CHS": "传染性的, 会感染的", + "ENG": "a disease that is contagious can be passed from person to person by touch" + }, + "nautical": { + "CHS": "船员的, 船舶的, 海上的, 航海的, 海军的", + "ENG": "relating to ships, boats, or sailing" + }, + "captious": { + "CHS": "吹毛求疵的, 挑剔的", + "ENG": "apt to make trivial criticisms; fault-finding; carping " + }, + "moribund": { + "CHS": "垂死的", + "ENG": "a moribund organization, industry, etc is no longer active or effective and may be coming to an end" + }, + "crestfallen": { + "CHS": "垂头丧气的", + "ENG": "looking disappointed and upset" + }, + "perpendicular": { + "CHS": "垂直的, 正交的", + "ENG": "not leaning to one side or the other but exactly vertical" + }, + "vertical": { + "CHS": "垂直的, 直立的, 顶点的, [解]头顶的", + "ENG": "pointing up in a line that forms an angle of 90˚ with a flat surface" + }, + "vernal": { + "CHS": "春天的, 春天发生的, 和煦的, 青春的", + "ENG": "relating to the spring" + }, + "unalloyed": { + "CHS": "纯粹的", + "ENG": "complete, pure, or total" + }, + "seraphic": { + "CHS": "纯洁的, 六翼天使的, 天使一般的", + "ENG": "extremely beautiful or pure, like an angel " + }, + "purebred": { + "CHS": "纯种的", + "ENG": "a purebred animal has parents that are both the same breed" + }, + "lexical": { + "CHS": "词汇的", + "ENG": "dealing with words, or related to words" + }, + "benevolent": { + "CHS": "慈善的", + "ENG": "kind and generous" + }, + "subordinate": { + "CHS": "次要的, 从属的, 下级的", + "ENG": "in a less important position than someone else" + }, + "piercing": { + "CHS": "刺骨的, 刺穿的", + "ENG": "a sound that is piercing is high, sharp, and unpleasant" + }, + "nippy": { + "CHS": "刺骨的, 凛冽的" + }, + "cursory": { + "CHS": "匆匆忙忙的, 粗略的, 草率的", + "ENG": "done very quickly without much attention to details" + }, + "slapdash": { + "CHS": "匆促的", + "ENG": "careless and done too quickly" + }, + "surly": { + "CHS": "粗暴的, 乖戾的, 阴沉的, 无礼的, 板面孔的", + "ENG": "Someone who is surly behaves in a rude bad-tempered way" + }, + "rambunctious": { + "CHS": "粗暴的, 骚乱的, 难控制的" + }, + "lubber": { + "CHS": "粗笨的, 笨拙的" + }, + "scabrous": { + "CHS": "粗糙的", + "ENG": "rude or shocking, especially in a sexual way" + }, + "ragged": { + "CHS": "粗糙的", + "ENG": "You can say that something is ragged when it is rough or uneven" + }, + "clodhopping": { + "CHS": "粗鲁的, 不礼节的" + }, + "sketchy": { + "CHS": "粗略的", + "ENG": "not thorough or complete, and not having enough details to be useful" + }, + "vulgar": { + "CHS": "粗俗的, 庸俗的, 普通的, 通俗的, 本土的", + "ENG": "remarks, jokes etc that are vulgar deal with sex in a very rude and offensive way" + }, + "loutish": { + "CHS": "粗野的, 无礼的", + "ENG": "If you describe a man or a boy as loutish, you are critical of them because their behaviour is impolite and aggressive" + }, + "churlish": { + "CHS": "粗野的,脾气坏的,无礼的", + "ENG": "not polite or friendly" + }, + "soporific": { + "CHS": "催眠的, 想睡的", + "ENG": "making you feel ready to sleep" + }, + "hypnotic": { + "CHS": "催眠的, 易被催眠的", + "ENG": "making you feel tired or unable to pay attention to anything else, especially because of a regularly repeated sound or movement" + }, + "slimsy": { + "CHS": "脆弱的, 不结实的, 不耐穿的", + "ENG": "frail " + }, + "verdant": { + "CHS": "翠绿的, 青翠的, 生疏的, 没有经验的" + }, + "dandified": { + "CHS": "打扮得华丽的" + }, + "swank": { + "CHS": "打扮漂亮的" + }, + "striking": { + "CHS": "打击的, 显著的, 惊人的, 罢工的", + "ENG": "unusual or interesting enough to be easily noticed" + }, + "audacious": { + "CHS": "大胆的, 卤莽的, 大胆创新的", + "ENG": "showing great courage or confidence in a way that is impressive or slightly shocking" + }, + "clamorous": { + "CHS": "大喊大叫的" + }, + "vociferous": { + "CHS": "大声叫的, 喊叫的", + "ENG": "expressing your opinions loudly and strongly" + }, + "undaunted": { + "CHS": "大无畏的, 勇敢的", + "ENG": "not afraid of continuing to try to do something in spite of difficulties or danger" + }, + "vicarious": { + "CHS": "代理人的", + "ENG": "experienced by watching or reading about someone else doing something, rather than by doing it yourself" + }, + "ersatz": { + "CHS": "代用的,合成的,假的,人造的", + "ENG": "artificial, and not as good as the real thing" + }, + "monaural": { + "CHS": "单耳(听觉)的, 非立体声的", + "ENG": "relating to, having, or hearing with only one ear " + }, + "humdrum": { + "CHS": "单调的", + "ENG": "boring and ordinary, and having no variety or interest" + }, + "monotonous": { + "CHS": "单调的, 无变化的", + "ENG": "boring because of always being the same" + }, + "tedious": { + "CHS": "单调乏味的, 沉闷的, 冗长乏味的", + "ENG": "something that is tedious continues for a long time and is not interesting" + }, + "voluptuary": { + "CHS": "耽于酒色的", + "ENG": "of, relating to, characterized by, or furthering sensual gratification or luxury " + }, + "timorous": { + "CHS": "胆小的", + "ENG": "lacking confidence and easily frightened" + }, + "bilious": { + "CHS": "胆汁质的, 坏脾气的", + "ENG": "bad-tempered" + }, + "limnetic": { + "CHS": "淡水的", + "ENG": "of, relating to, or inhabiting the open water of lakes down to the depth of light penetration " + }, + "elastic": { + "CHS": "弹性的", + "ENG": "made of elastic" + }, + "hapless": { + "CHS": "倒霉的, 不幸的", + "ENG": "unlucky" + }, + "retrograde": { + "CHS": "倒退的", + "ENG": "involving a return to an earlier and worse situation" + }, + "inverse": { + "CHS": "倒转的, 反转的", + "ENG": "if there is an inverse relationship between two amounts, one gets bigger at the same rate as the other gets smaller" + }, + "ubiquitous": { + "CHS": "到处存在的, (同时)普遍存在的" + }, + "apologetic": { + "CHS": "道歉的, 认错的, 辩护的", + "ENG": "showing or saying that you are sorry that something has happened, especially because you feel guilty or embarrassed about it" + }, + "moralistic": { + "CHS": "道学的, 说教的, 教训的", + "ENG": "with very strong beliefs about what is right and wrong, especially when this makes you judge other people’s behaviour" + }, + "inspired": { + "CHS": "得到灵感的, 有灵感的, 权威人士(或官方)授意的" + }, + "tantamount": { + "CHS": "等价", + "ENG": "if an action, suggestion, plan etc is tantamount to something bad, it has the same effect or is almost as bad" + }, + "imbecile": { + "CHS": "低能的, 愚笨的, 虚弱的", + "ENG": "Imbecile means stupid" + }, + "hostile": { + "CHS": "敌对的, 敌方的", + "ENG": "angry and deliberately unfriendly towards someone, and ready to argue with them" + }, + "inimical": { + "CHS": "敌意的" + }, + "tellural": { + "CHS": "地球的,地球上的,地球居民的" + }, + "subterranean": { + "CHS": "地下的", + "ENG": "beneath the surface of the earth" + }, + "regal": { + "CHS": "帝王的, 适于帝王的", + "ENG": "typical of a king or queen, suitable for a king or queen, or similar to a king or queen in behaviour, looks etc" + }, + "subversive": { + "CHS": "颠覆性的, 破坏性的", + "ENG": "subversive ideas, activities etc are secret and intended to damage or destroy a government or an established system" + }, + "starchy": { + "CHS": "淀粉的, 拘泥的, 浆硬的, 含淀粉的", + "ENG": "containing a lot of starch11 " + }, + "byzantine": { + "CHS": "东罗马帝国的, 拜占庭式的", + "ENG": "Byzantine means related to or connected with the Byzantine Empire" + }, + "dynamic": { + "CHS": "动力的, 动力学的, 动态的", + "ENG": "continuously moving or changing" + }, + "engaging": { + "CHS": "动人的, 有魅力的, 迷人的", + "ENG": "pleasant and attracting your interest" + }, + "precipitous": { + "CHS": "陡峭的, 急躁的", + "ENG": "very sudden" + }, + "steep": { + "CHS": "陡峭的, 险峻的, 急剧升降的, 不合理的", + "ENG": "a road, hill etc that is steep slopes at a high angle" + }, + "substantive": { + "CHS": "独立存在的, 真实的, 有实质的, 大量的, 巨额的", + "ENG": "dealing with things that are important or real" + }, + "gilded": { + "CHS": "镀金的" + }, + "demure": { + "CHS": "端庄的", + "ENG": "quiet, serious, and well-behaved – used especially about women in the past" + }, + "blocky": { + "CHS": "短而结实的, 斑驳的" + }, + "transitory": { + "CHS": "短时间的", + "ENG": "continuing or existing for only a short time" + }, + "transient": { + "CHS": "短暂的, 瞬时的", + "ENG": "continuing only for a short time" + }, + "fugacious": { + "CHS": "短暂的, 易逃逸的, 难捕捉的, 无常的", + "ENG": "passing quickly away; transitory; fleeting " + }, + "assertive": { + "CHS": "断定的, 过分自信的", + "ENG": "behaving in a confident way, so that people notice you" + }, + "fitful": { + "CHS": "断断续续的, 一阵阵的, 间歇的, 不定的, 不规则的", + "ENG": "not regular, and starting and stopping often" + }, + "peremptory": { + "CHS": "断然的, 专横的, 强制的", + "ENG": "peremptory behaviour, speech etc is not polite or friendly and shows that the person speaking expects to be obeyed immediately" + }, + "symmetrical": { + "CHS": "对称的, 均匀的", + "ENG": "an object or design that is symmetrical has two halves that are exactly the same shape and size" + }, + "opponent": { + "CHS": "对立的, 对抗的" + }, + "obtuse": { + "CHS": "钝的, 圆头的, 愚蠢的, 迟钝的", + "ENG": "slow to understand things, in a way that is annoying" + }, + "flaggy": { + "CHS": "多扁石的, 多菖蒲的" + }, + "prolific": { + "CHS": "多产的, 丰富的, 大量繁殖的", + "ENG": "a prolific artist, writer etc produces many works of art, books etc" + }, + "buggy": { + "CHS": "多虫的, 臭虫成灾的, <俚>神经病的", + "ENG": "infested with bugs " + }, + "prickly": { + "CHS": "多刺的", + "ENG": "covered with thin sharp points" + }, + "officious": { + "CHS": "多管闲事的, 非官方的, 非正式的" + }, + "loquacious": { + "CHS": "多话的, 饶舌的, 潺潺的", + "ENG": "a loquacious person likes to talk a lot" + }, + "porous": { + "CHS": "多孔渗水的", + "ENG": "allowing liquid, air etc to pass slowly through many very small holes" + }, + "spiny": { + "CHS": "多剌的, 剌状的", + "ENG": "a spiny animal or plant has lots of stiff sharp points" + }, + "gnarled": { + "CHS": "多瘤的, 粗糙的", + "ENG": "a gnarled tree or branch is rough and twisted with hard lumps" + }, + "hairy": { + "CHS": "多毛的, 毛似的", + "ENG": "a hairy person or animal has a lot of hair on their body" + }, + "hirsute": { + "CHS": "多毛的, 有粗毛的", + "ENG": "having a lot of hair on your body and face" + }, + "amorous": { + "CHS": "多情的, 恋爱的, 表示爱情的", + "ENG": "showing or concerning sexual love" + }, + "acidulous": { + "CHS": "多少带酸味的, 不悦的", + "ENG": "rather sour " + }, + "redundant": { + "CHS": "多余的", + "ENG": "not necessary because something else means or does the same thing" + }, + "superfluous": { + "CHS": "多余的, 过剩的, 过量的", + "ENG": "more than is needed or wanted" + }, + "calamitous": { + "CHS": "多灾难的, 不幸的", + "ENG": "If you describe an event or situation as calamitous, you mean it is very unfortunate or serious" + }, + "succulent": { + "CHS": "多汁的, 多水分的, 多汁性的", + "ENG": "juicy and good to eat" + }, + "miscreant": { + "CHS": "堕落的, 卑劣的, 异端的" + }, + "compendious": { + "CHS": "扼要的, 简明的", + "ENG": "containing or stating the essentials of a subject in a concise form; succinct " + }, + "vicious": { + "CHS": "恶的, 不道德的, 恶意的, 刻毒的, 堕落的, 品性不端的, 有错误的", + "ENG": "very unkind in a way that is intended to hurt someone’s feelings or make their character seem bad" + }, + "felonious": { + "CHS": "恶毒的, 凶恶的, 极恶的, 重罪的", + "ENG": "of, involving, or constituting a felony " + }, + "diabolical": { + "CHS": "恶魔的", + "ENG": "evil or cruel" + }, + "fiendish": { + "CHS": "恶魔似的, 残忍的, 极坏的", + "ENG": "cruel and unpleasant" + }, + "malignant": { + "CHS": "恶性的", + "ENG": "a malignant disease is one such as cancer , which can develop in an uncontrolled way and is likely to cause someone’s death" + }, + "auditory": { + "CHS": "耳的, 听觉的", + "ENG": "relating to the ability to hear" + }, + "suggestible": { + "CHS": "耳根软的, 可建议的, 容易受暗示影响的", + "ENG": "easily influenced by other people or by things you see and hear" + }, + "luminous": { + "CHS": "发光的, 明亮的", + "ENG": "shining in the dark" + }, + "flaring": { + "CHS": "发光的, 燃烧的, 引人注目的, 花哨的, 俗丽的" + }, + "distraught": { + "CHS": "发狂的" + }, + "maniacal": { + "CHS": "发狂的, 狂乱的", + "ENG": "behaving as if you are crazy" + }, + "frenetic": { + "CHS": "发狂的, 狂热的", + "ENG": "frenetic activity is fast and not very organized" + }, + "huffy": { + "CHS": "发怒的", + "ENG": "in a bad mood (= the way that you feel ) , especially because someone has offended you" + }, + "febrile": { + "CHS": "发烧的,热病的", + "ENG": "full of nervous excitement or activity" + }, + "inflamed": { + "CHS": "发炎的;红肿的", + "ENG": "a part of your body that is inflamed is red and swollen, because it is injured or infected" + }, + "vestigial": { + "CHS": "发育不全的, 退化器官的", + "ENG": "a vestigial part of the body has never developed completely or has almost disappeared" + }, + "stuffy": { + "CHS": "乏味的" + }, + "statutory": { + "CHS": "法令的, 法定的", + "ENG": "fixed or controlled by law" + }, + "forensic": { + "CHS": "法院的, 适于法庭的, 公开辩论的", + "ENG": "relating to the scientific methods used for finding out about a crime" + }, + "shoddy": { + "CHS": "翻制的, 以次充好的, 假冒的" + }, + "fretful": { + "CHS": "烦燥的, 起波纹的, 焦躁的", + "ENG": "If someone is fretful, they behave in a way that shows that they are worried or unhappy about something" + }, + "exuberant": { + "CHS": "繁茂的, 丰富的, 非凡的, (语言等)华而不实的" + }, + "prosperous": { + "CHS": "繁荣的", + "ENG": "rich and successful" + }, + "onerous": { + "CHS": "繁重的, 费力的, 负有法律责任的", + "ENG": "work or a responsibility that is onerous is difficult and worrying or makes you tired" + }, + "abnormal": { + "CHS": "反常的, 变态的", + "ENG": "very different from usual in a way that seems strange, worrying, wrong, or dangerous" + }, + "ruminant": { + "CHS": "反刍动物的, 沉思的", + "ENG": "of, relating to, or belonging to the suborder Ruminantia " + }, + "capricious": { + "CHS": "反复无常的", + "ENG": "likely to change your mind suddenly or behave in an unexpected way" + }, + "whimsical": { + "CHS": "反复无常的, 古怪的", + "ENG": "unusual or strange and often amusing" + }, + "recalcitrant": { + "CHS": "反抗的, 反对的, 顽抗的" + }, + "reflex": { + "CHS": "反射的, 反省的, 反作用的, 优角的" + }, + "reactionary": { + "CHS": "反作用的, 反动的", + "ENG": "very strongly opposed to any social or political change - used to show disapproval" + }, + "balmy": { + "CHS": "芳香的, 温和的, 止痛的, (空气)温和的", + "ENG": "balmy air, weather etc is warm and pleasant" + }, + "antiseptic": { + "CHS": "防腐的, 杀菌的, 消过毒的" + }, + "spindly": { + "CHS": "纺锤形的, 细长的", + "ENG": "long and thin in a way that looks weak" + }, + "profligate": { + "CHS": "放荡的, 不检点的, 肆意挥霍的", + "ENG": "wasting money or other things in a careless way" + }, + "dissolute": { + "CHS": "放荡的, 风流的, 肆意挥霍的", + "ENG": "having an immoral way of life, for example drinking too much alcohol or having sex with many people" + }, + "licentious": { + "CHS": "放肆的", + "ENG": "behaving in a sexually immoral or uncontrolled way" + }, + "impudent": { + "CHS": "放肆无礼的, ,厚颜无耻的", + "ENG": "rude and showing no respect to other people" + }, + "laxative": { + "CHS": "放松的" + }, + "intemperate": { + "CHS": "放纵的", + "ENG": "intemperate language or behaviour shows a lack of control, which other people think is unacceptable" + }, + "volatile": { + "CHS": "飞行的, 挥发性的, 可变的, 不稳定的, 轻快的, 爆炸性的", + "ENG": "a volatile situation is likely to change suddenly and without warning" + }, + "fleeting": { + "CHS": "飞逝的;短暂的" + }, + "nonviolent": { + "CHS": "非暴力的", + "ENG": "Nonviolent methods of bringing about change do not involve hurting people or causing damage" + }, + "flagrant": { + "CHS": "非常的, 不能容忍的, 恶名昭著的, 公然的", + "ENG": "a flagrant action is shocking because it is done in a way that is easily noticed and shows no respect for laws, truth etc" + }, + "exultant": { + "CHS": "非常高兴的, 欢跃的", + "ENG": "If you are exultant, you feel very happy and proud about something you have done" + }, + "hypersensitive": { + "CHS": "非常敏感的, 敏感的", + "ENG": "if someone is hypersensitive to a drug, substance etc, their body reacts very badly to it" + }, + "unstudied": { + "CHS": "非娇揉造作的,未学过的,不懂的", + "ENG": "natural; unaffected " + }, + "immaterial": { + "CHS": "非实质的", + "ENG": "not having a physical body or form" + }, + "intransigent": { + "CHS": "非妥协性的", + "ENG": "unwilling to change your ideas or behaviour, in a way that seems unreasonable" + }, + "incorporeal": { + "CHS": "非物质的, 无实体的, 灵魂的, 无形体的", + "ENG": "not existing in any physical form" + }, + "unprovoked": { + "CHS": "非因触犯而发生的, 无缘无故的", + "ENG": "unprovoked anger, attacks etc are directed at someone who has not done anything to deserve them" + }, + "heterodox": { + "CHS": "非正统的, 异端的", + "ENG": "heterodox beliefs, practices etc are not approved of by a particular group, especially a religious one" + }, + "corpulent": { + "CHS": "肥大的, 肥胖的", + "ENG": "fat" + }, + "fubsy": { + "CHS": "肥胖的, 矮胖的", + "ENG": "short and stout; squat " + }, + "obese": { + "CHS": "肥胖的, 肥大的", + "ENG": "very fat in a way that is unhealthy" + }, + "pursy": { + "CHS": "肥胖的, 皱起的" + }, + "fertile": { + "CHS": "肥沃的, 富饶的, 能繁殖的", + "ENG": "fertile land or soil is able to produce good crops" + }, + "slanderous": { + "CHS": "诽谤性的", + "ENG": "a slanderous statement about someone is not true, and is intended to damage other people’s good opinion of them" + }, + "scandalous": { + "CHS": "诽谤性的" + }, + "pulmonary": { + "CHS": "肺部的", + "ENG": "relating to the lungs, or having an effect on the lungs" + }, + "arduous": { + "CHS": "费劲的, 辛勤的, 险峻的", + "ENG": "involving a lot of strength and effort" + }, + "respective": { + "CHS": "分别的, 各自的", + "ENG": "used before a plural noun to refer to the different things that belong to each separate person or thing mentioned" + }, + "detached": { + "CHS": "分开的, 分离的" + }, + "redolent": { + "CHS": "芬芳的" + }, + "aromatic": { + "CHS": "芬芳的", + "ENG": "having a strong pleasant smell" + }, + "involute": { + "CHS": "纷乱的, 复杂的", + "ENG": "complex, intricate, or involved " + }, + "sepulchral": { + "CHS": "坟墓的, 埋葬的" + }, + "smashing": { + "CHS": "粉碎性的, 猛烈的, 了不起的" + }, + "strenuous": { + "CHS": "奋发的, 使劲的, 紧张的, 热烈的, 艰辛发奋的", + "ENG": "needing a lot of effort or strength" + }, + "ireful": { + "CHS": "忿怒的" + }, + "indignant": { + "CHS": "愤怒的, 愤慨的", + "ENG": "angry and surprised because you feel insulted or unfairly treated" + }, + "cynical": { + "CHS": "愤世嫉俗的", + "ENG": "unwilling to believe that people have good, honest, or sincere reasons for doing something" + }, + "luxuriant": { + "CHS": "丰产的, 丰富的, 肥沃的, 奢华的", + "ENG": "beautiful and pleasant to watch or listen to" + }, + "plumpy": { + "CHS": "丰满的" + }, + "chubby": { + "CHS": "丰满的, 圆胖的", + "ENG": "slightly fat in a way that looks healthy and attractive" + }, + "trenchant": { + "CHS": "锋利的", + "ENG": "expressed very strongly, effectively, and directly without worrying about offending people" + }, + "nipping": { + "CHS": "锋利的, 刺骨的, 讥刺的", + "ENG": "sharp and biting " + }, + "keen": { + "CHS": "锋利的, 敏锐的, 敏捷的, 热心的, 渴望的", + "ENG": "wanting to do something or wanting something to happen very much" + }, + "ingratiating": { + "CHS": "逢迎的, 迷人的" + }, + "sardonic": { + "CHS": "讽刺的", + "ENG": "showing that you do not have a good opinion of someone or something, and feel that you are better than them" + }, + "sarcastic": { + "CHS": "讽刺的", + "ENG": "saying things that are the opposite of what you mean, in order to make an unkind joke or to show that you are annoyed" + }, + "fawning": { + "CHS": "奉承的" + }, + "obedient": { + "CHS": "服从的, 孝顺的", + "ENG": "always doing what you are told to do, or what the law, a rule etc says you must do" + }, + "showy": { + "CHS": "浮华的, (过分)艳丽的, 炫耀的, 卖弄的", + "ENG": "something that is showy is very colourful, big, expensive etc, especially in a way that attracts people’s attention" + }, + "foppish": { + "CHS": "浮华的, 有纨绔习气的" + }, + "bloated": { + "CHS": "浮肿的, 发胀的, 傲慢的", + "ENG": "full of liquid, gas, food etc, so that you look or feel much larger than normal" + }, + "eligible": { + "CHS": "符合条件的, 合格的", + "ENG": "someone who is eligible for something is able or allowed to do it, for example because they are the right age" + }, + "subsidiary": { + "CHS": "辅助的, 补充的", + "ENG": "If something is subsidiary, it is less important than something else with which it is connected" + }, + "auxiliary": { + "CHS": "辅助的, 补助的", + "ENG": "auxiliary workers provide additional help for another group of workers" + }, + "septic": { + "CHS": "腐败的, 败血病的, 脓毒性的", + "ENG": "a wound or part of your body that is septic is infected with bacteria " + }, + "addled": { + "CHS": "腐坏的, 混乱的" + }, + "putrid": { + "CHS": "腐烂的, <口>非常讨厌的", + "ENG": "dead animals, plants etc that are putrid are decaying and smell very bad" + }, + "caustic": { + "CHS": "腐蚀性的, 刻薄的", + "ENG": "a caustic substance can burn through things by chemical action" + }, + "indebted": { + "CHS": "负债的, 感恩的", + "ENG": "owing money to someone" + }, + "resurgent": { + "CHS": "复活的", + "ENG": "growing and becoming more popular, after a period of quietness" + }, + "intricate": { + "CHS": "复杂的, 错综的, 难以理解的", + "ENG": "containing many small parts or details that all work or fit together" + }, + "parathyroid": { + "CHS": "副甲状腺的", + "ENG": "situated near the thyroid gland " + }, + "palatial": { + "CHS": "富丽堂皇的", + "ENG": "a palatial building etc is large and beautifully decorated" + }, + "glamorous": { + "CHS": "富有魅力的, 迷人的", + "ENG": "attractive, exciting, and related to wealth and success" + }, + "compassionate": { + "CHS": "富于同情心的", + "ENG": "feeling sympathy for people who are suffering" + }, + "opulent": { + "CHS": "富裕的, 丰富的, 丰饶的, 繁茂的" + }, + "culpable": { + "CHS": "该责备的, 有罪的, 不周到的", + "ENG": "a culpable action is one that is considered criminal" + }, + "execrable": { + "CHS": "该咒的, 可憎恨的, 讨厌的, 恶劣的, 坏透的", + "ENG": "extremely bad" + }, + "cussed": { + "CHS": "该诅咒的,固执的,乖僻的" + }, + "synoptic": { + "CHS": "概要的, [气]天气的, [宗]对观福音书的" + }, + "luscious": { + "CHS": "甘美的", + "ENG": "extremely good to eat or drink" + }, + "hepatic": { + "CHS": "肝的", + "ENG": "relating to your liver " + }, + "benighted": { + "CHS": "赶路到天黑的, 愚昧的", + "ENG": "having no knowledge or understanding" + }, + "impalpable": { + "CHS": "感触不到的, 摸不到的, 难解的", + "ENG": "impossible to touch or feel physically" + }, + "jaunty": { + "CHS": "感到自信和自满的, 洋洋得意的", + "ENG": "If you describe someone or something as jaunty, you mean that they are full of confidence and energy" + }, + "grateful": { + "CHS": "感激的, 感谢的", + "ENG": "feeling that you want to thank someone because of something kind that they have done, or showing this feeling" + }, + "maudlin": { + "CHS": "感情脆弱的" + }, + "effusive": { + "CHS": "感情横溢的, 流出的", + "ENG": "showing your good feelings in a very excited way" + }, + "susceptive": { + "CHS": "感受性强的, 敏感的, 有接受力的" + }, + "sere": { + "CHS": "干枯的", + "ENG": "dried up or withered " + }, + "stouthearted": { + "CHS": "刚毅的, 大胆的" + }, + "lofty": { + "CHS": "高高的, 崇高的, 高傲的, 高级的", + "ENG": "lofty mountains, buildings etc are very high and impressive" + }, + "princely": { + "CHS": "高贵的" + }, + "tony": { + "CHS": "高贵的, 时髦的", + "ENG": "fashionable and expensive" + }, + "towering": { + "CHS": "高耸的, 杰出的, 激烈的", + "ENG": "very tall" + }, + "formative": { + "CHS": "格式化的" + }, + "gnomic": { + "CHS": "格言的, 含格言的" + }, + "miscellaneous": { + "CHS": "各色各样混在一起, 混杂的, 多才多艺的", + "ENG": "a miscellaneous set of things or people includes many different things or people that do not seem to be connected with each other" + }, + "sundry": { + "CHS": "各式各样的", + "ENG": "not similar enough to form a group" + }, + "rudimentary": { + "CHS": "根本的, 未发展的", + "ENG": "Rudimentary knowledge includes only the simplest and most basic facts" + }, + "inveterate": { + "CHS": "根深的, 成癖的", + "ENG": "an attitude or feeling that you have had for a long time and cannot change" + }, + "impartial": { + "CHS": "公平的, 不偏不倚的", + "ENG": "not involved in a particular situation, and therefore able to give a fair opinion or piece of advice" + }, + "equitable": { + "CHS": "公平的, 公正的, 平衡法的", + "ENG": "treating all people in a fair and equal way" + }, + "utilitarian": { + "CHS": "功利的, 实利的, 功利主义的", + "ENG": "intended to be useful and practical rather than attractive or comfortable" + }, + "hooked": { + "CHS": "钩状的", + "ENG": "curved outwards or shaped like a hook" + }, + "solitary": { + "CHS": "孤独的", + "ENG": "doing something without anyone else with you" + }, + "eccentric": { + "CHS": "古怪", + "ENG": "behaving in a way that is unusual and different from most people" + }, + "quizzical": { + "CHS": "古怪的, 引人发笑的, 嘲弄的, 探询的", + "ENG": "If you give someone a quizzical look or smile, you look at them in a way that shows that you are surprised or amused by their behaviour" + }, + "immemorial": { + "CHS": "古老的, 远古的, 无法追忆的" + }, + "husky": { + "CHS": "谷的, 像谷的, (声音)沙哑的, 嘶哑的", + "ENG": "a husky voice is deep, quiet, and attractive" + }, + "corny": { + "CHS": "谷类的, 乡下味的, 粗野的, 有鸡眼的" + }, + "inherent": { + "CHS": "固有的, 内在的, 与生俱来的", + "ENG": "a quality that is inherent in something is a natural part of it and cannot be separated from it" + }, + "pertinacious": { + "CHS": "固执的" + }, + "opinionated": { + "CHS": "固执己见的, 武断的", + "ENG": "expressing very strong opinions about things" + }, + "advisory": { + "CHS": "顾问的, 咨询的, 劝告的", + "ENG": "having the purpose of giving advice" + }, + "crabbed": { + "CHS": "乖戾的, 易怒的, 难懂的, 潦草的", + "ENG": "writing which is crabbed is small, untidy, and difficult to read" + }, + "eerie": { + "CHS": "怪诞的, 可怕的, 不安的, 奇异的", + "ENG": "strange and frightening" + }, + "weird": { + "CHS": "怪异的, 超自然的, 神秘的, 不可思议的, 超乎事理之外的", + "ENG": "very strange and unusual, and difficult to understand or explain" + }, + "magisterial": { + "CHS": "官气十足的, 有权威的, 专横的", + "ENG": "a magisterial way of behaving or speaking shows that you think you have authority" + }, + "satiny": { + "CHS": "光滑的", + "ENG": "smooth, shiny, and soft" + }, + "slick": { + "CHS": "光滑的, 熟练的, 聪明的, 华而不实的, 陈腐的, 平凡的, 老套的", + "ENG": "if something is slick, it is done in a skilful and attractive way and seems expensive, but it often contains no important or interesting ideas" + }, + "effulgent": { + "CHS": "光辉灿烂的", + "ENG": "beautiful and bright" + }, + "relucent": { + "CHS": "光辉的, 明亮的", + "ENG": "bright; shining " + }, + "aboveboard": { + "CHS": "光明正大的", + "ENG": "An arrangement or deal that is aboveboard is legal and is being carried out openly and honestly. A person who is aboveboard is open and honest about what they are doing. " + }, + "spectral": { + "CHS": "光谱的, 鬼怪的", + "ENG": "relating to or like a spectre" + }, + "bald": { + "CHS": "光秃的, 单调的, 枯燥的", + "ENG": "having little or no hair on your head" + }, + "spacious": { + "CHS": "广大的, 大规模的", + "ENG": "a spacious house, room etc is large and has plenty of space to move around in" + }, + "canonical": { + "CHS": "规范的", + "ENG": "according to canon law " + }, + "sophisticated": { + "CHS": "诡辩的, 久经世故的", + "ENG": "Someone who is sophisticated is comfortable in social situations and knows about culture, fashion, and other matters that are considered socially important" + }, + "ogreish": { + "CHS": "鬼似的, 恐怖的" + }, + "scalding": { + "CHS": "滚烫的,尖刻的", + "ENG": "extremely hot" + }, + "pragmatic": { + "CHS": "国事的, 团体事务的, 实际的, 注重实效的", + "ENG": "dealing with problems in a sensible practical way instead of strictly following a set of ideas" + }, + "exorbitant": { + "CHS": "过度的, 过高的, 昂贵的", + "ENG": "an exorbitant price, amount of money etc is much higher than it should be" + }, + "fulsome": { + "CHS": "过度的, 令人生厌的, 过分的", + "ENG": "If you describe expressions of praise, apology, or gratitude as fulsome, you disapprove of them because they are exaggerated and elaborate, so that they sound insincere" + }, + "overwrought": { + "CHS": "过度紧张的, 过劳的", + "ENG": "very upset, nervous, and worried" + }, + "finicky": { + "CHS": "过分注意的, 过分讲究的, 过分周到的", + "ENG": "too concerned with unimportant details and small things that you like or dislike" + }, + "outmoded": { + "CHS": "过时的", + "ENG": "no longer fashionable or useful" + }, + "kaput": { + "CHS": "过时的, 故障的, 失败了的" + }, + "littoral": { + "CHS": "海滨的, 沿海的" + }, + "insular": { + "CHS": "海岛的, 岛民的, 岛特有的, 孤立的, 超然物外的", + "ENG": "relating to or like an island" + }, + "thalassic": { + "CHS": "海的, 内海的, 海湾的", + "ENG": "of or relating to the sea " + }, + "uncharted": { + "CHS": "海图上未标明的, 未知的, 不详的", + "ENG": "not marked on any maps" + }, + "pavid": { + "CHS": "害怕的, 胆小的", + "ENG": "fearful; timid " + }, + "bashful": { + "CHS": "害羞的", + "ENG": "easily embarrassed in social situations" + }, + "parky": { + "CHS": "寒冷的", + "ENG": "cold" + }, + "sluggish": { + "CHS": "行动迟缓的", + "ENG": "moving or reacting more slowly than normal" + }, + "ritzy": { + "CHS": "豪华的, 时髦的, 讲究的", + "ENG": "fashionable and expensive" + }, + "pugnacious": { + "CHS": "好斗的", + "ENG": "very eager to argue or fight with people" + }, + "aggressive": { + "CHS": "好斗的, 敢作敢为的, 有闯劲的, 侵略性的", + "ENG": "behaving in an angry threatening way, as if you want to fight or attack someone" + }, + "satirical": { + "CHS": "好讽刺的, 爱挖苦人的", + "ENG": "A satirical drawing, piece of writing, or comedy show is one in which humour or exaggeration is used to criticize something" + }, + "factious": { + "CHS": "好搞派系的, 好捣乱的" + }, + "inquisitive": { + "CHS": "好奇的", + "ENG": "asking too many questions and trying to find out too many details about something or someone" + }, + "prurient": { + "CHS": "好色的, 渴望的", + "ENG": "having or showing too much interest in sex – used to show disapproval" + }, + "lascivious": { + "CHS": "好色的, 淫荡的, 挑动情欲的", + "ENG": "showing strong sexual desire, or making someone feel this way" + }, + "libidinous": { + "CHS": "好色的, 淫荡的, 性欲的", + "ENG": "People who are libidinous have strong sexual feelings and express them in their behaviour" + }, + "litigious": { + "CHS": "好诉讼的, 好争论的", + "ENG": "very willing to take disagreements to a court of law – often used to show disapproval" + }, + "droll": { + "CHS": "好笑的, 滑稽的, 逗趣的" + }, + "bellicose": { + "CHS": "好战的, 好斗的", + "ENG": "behaving in a way that is likely to start an argument or fight" + }, + "militant": { + "CHS": "好战的, 积极从事或支持使用武力的" + }, + "belligerent": { + "CHS": "好战的, 交战国的, 交战的", + "ENG": "a belligerent country is fighting a war against another country" + }, + "truculent": { + "CHS": "好战凶猛的" + }, + "disputatious": { + "CHS": "好争辩的", + "ENG": "tending to argue" + }, + "contentious": { + "CHS": "好争吵的, 争论的, 有异议的", + "ENG": "causing a lot of argument and disagreement between people" + }, + "incorporate": { + "CHS": "合并的, 结社的, 一体化的" + }, + "composite": { + "CHS": "合成的, 复合的", + "ENG": "made up of different parts or materials" + }, + "synthetic": { + "CHS": "合成的, 人造的, 综合的", + "ENG": "produced by combining different artificial substances, rather than being naturally produced" + }, + "legitimate": { + "CHS": "合法的, 合理的, 正统的", + "ENG": "fair or reasonable" + }, + "licit": { + "CHS": "合法的, 正当的" + }, + "clement": { + "CHS": "和蔼的, 仁慈的, 宽厚的, 宽大的", + "ENG": "clement weather is neither too hot nor too cold" + }, + "affable": { + "CHS": "和蔼可亲的", + "ENG": "friendly and easy to talk to" + }, + "simpatico": { + "CHS": "和谐的, 讨人喜欢的, 令人亲近的", + "ENG": "someone who is simpatico is pleasant and easy to like" + }, + "riparian": { + "CHS": "河边的, 水滨的", + "ENG": "of, inhabiting, or situated on the bank of a river " + }, + "murky": { + "CHS": "黑暗的", + "ENG": "dark and difficult to see through" + }, + "tenebrous": { + "CHS": "黑暗的, 晦涩的", + "ENG": "gloomy, shadowy, or dark " + }, + "gloomy": { + "CHS": "黑暗的, 阴沉的, 令人沮丧的, 阴郁的", + "ENG": "making you feel that things will not improve" + }, + "swarthy": { + "CHS": "黑黝黝的, 浅黑的", + "ENG": "someone who is swarthy has dark skin" + }, + "swart": { + "CHS": "黑黝黝的,有毒的,有害的,恶性的", + "ENG": "swarthy " + }, + "copious": { + "CHS": "很多的, 广识的, 丰富的", + "ENG": "existing or being produced in large quantities" + }, + "sidereal": { + "CHS": "恒星的", + "ENG": "of, relating to, or involving the stars " + }, + "thwart": { + "CHS": "横放的" + }, + "plangent": { + "CHS": "轰鸣的, 凄切的", + "ENG": "a plangent sound is loud and deep and sounds sad" + }, + "ruddy": { + "CHS": "红的, 红润的", + "ENG": "a ruddy face looks pink and healthy" + }, + "grandiose": { + "CHS": "宏伟的, 堂皇的, 宏大的" + }, + "guttural": { + "CHS": "喉咙的, 喉音的, 咽喉的", + "ENG": "Guttural sounds are harsh sounds that are produced at the back of a person's throat" + }, + "throaty": { + "CHS": "喉音的, 喉部发出声音的, 嘶哑的", + "ENG": "a throaty laugh, cough, voice etc sounds low and rough" + }, + "repentant": { + "CHS": "后悔的, 悔改的, 有悔改表现的", + "ENG": "sorry for something wrong that you have done" + }, + "hinder": { + "CHS": "后面的", + "ENG": "situated at or further towards the back or rear; posterior " + }, + "massive": { + "CHS": "厚重的, 大块的, 魁伟的, 结实的", + "ENG": "very large, solid, and heavy" + }, + "flighty": { + "CHS": "忽发奇想的, 反复无常的, 轻浮的, 轻狂的, 心情浮动的", + "ENG": "a woman who is flighty changes her ideas and opinions often, and only remains interested in people or things for a short time" + }, + "peppery": { + "CHS": "胡椒的, 辛辣的", + "ENG": "tasting or smelling of pepper" + }, + "woozy": { + "CHS": "糊涂的, 虚弱的", + "ENG": "feeling weak and unsteady" + }, + "mushy": { + "CHS": "糊状的, 玉米粥状的", + "ENG": "soft, wet, and unpleasant" + }, + "reciprocal": { + "CHS": "互惠的, 相应的, 倒数的, 彼此相反的", + "ENG": "a reciprocal arrangement or relationship is one in which two people or groups do or give the same things to each other" + }, + "internecine": { + "CHS": "互相残杀的, 两败俱伤的, 内部冲突的", + "ENG": "internecine fighting or struggles happen between members of the same group or nation" + }, + "roan": { + "CHS": "花毛的, 杂色的" + }, + "rhetoric": { + "CHS": "花言巧语的" + }, + "pompous": { + "CHS": "华而不实的", + "ENG": "someone who is pompous thinks that they are important, and shows this by being very formal and using long words – used to show disapproval" + }, + "gimcrack": { + "CHS": "华而不实的" + }, + "gaudy": { + "CHS": "华而不实的" + }, + "gorgeous": { + "CHS": "华丽的, 灿烂的" + }, + "florid": { + "CHS": "华丽的, 红润的, 炫耀的, 绚丽的", + "ENG": "a florid face is red in colour" + }, + "meretricious": { + "CHS": "华丽而庸俗的, 俗气的, 娼妓的, 适合娼妓的", + "ENG": "If you describe something as meretricious, you disapprove of it because although it looks attractive it is actually of little value" + }, + "lubricious": { + "CHS": "滑的, 淫荡的, 光滑的, 不稳定的", + "ENG": "too interested in sex, in a way that seems unpleasant or unacceptable" + }, + "malicious": { + "CHS": "怀恶意的, 恶毒的", + "ENG": "very unkind and cruel, and deliberately behaving in a way that is likely to upset or hurt someone" + }, + "skeptical": { + "CHS": "怀疑性的,好怀疑的,<口>无神论的" + }, + "ambidextrous": { + "CHS": "怀有二心的, 非常灵巧的" + }, + "pregnant": { + "CHS": "怀孕的, 重要的, 富有意义的, 孕育的", + "ENG": "if a woman or female animal is pregnant, she has an unborn baby growing inside her body" + }, + "villainous": { + "CHS": "坏人似的, 恶棍的, 恶毒的, 缺德的, 罪恶的, 腐化堕落的", + "ENG": "evil or criminal" + }, + "jubilant": { + "CHS": "欢呼的, 喜悦的, 喜洋洋的" + }, + "jocund": { + "CHS": "欢乐的, 高兴的", + "ENG": "of a humorous temperament; merry " + }, + "jolly": { + "CHS": "欢乐的, 高兴的, 快活的", + "ENG": "happy and enjoying yourself" + }, + "hilarious": { + "CHS": "欢闹的" + }, + "convivial": { + "CHS": "欢宴的, 欢乐的" + }, + "demulcent": { + "CHS": "缓和的, 镇痛的", + "ENG": "soothing; mollifying " + }, + "laggard": { + "CHS": "缓慢的 迟缓的, 落后的", + "ENG": "Laggard is also an adjective" + }, + "fantastic": { + "CHS": "幻想的, 奇异的, 稀奇古怪的, 荒谬的, 空想的", + "ENG": "a fantastic story, creature, or place is imaginary and is very strange and magical" + }, + "phantasmal": { + "CHS": "幻影的, 幽灵的" + }, + "evocative": { + "CHS": "唤出的, 唤起的", + "ENG": "making people remember something by producing a feeling or memory in them" + }, + "jaundiced": { + "CHS": "患黄疸病的, 敌视的, 有偏见的", + "ENG": "suffering from jaundice" + }, + "insane": { + "CHS": "患精神病的, 精神病患者的, 极愚蠢的", + "ENG": "completely stupid or crazy, often in a way that is dangerous" + }, + "obsolescent": { + "CHS": "荒废的", + "ENG": "becoming obsolete" + }, + "obsolete": { + "CHS": "荒废的, 陈旧的", + "ENG": "no longer useful, because something newer and better has been invented" + }, + "desolate": { + "CHS": "荒凉的, 无人烟的", + "ENG": "a place that is desolate is empty and looks sad because there are no people there" + }, + "preposterous": { + "CHS": "荒谬的", + "ENG": "completely unreasonable or silly" + }, + "absurd": { + "CHS": "荒谬的, 可笑的", + "ENG": "completely stupid or unreasonable" + }, + "wanton": { + "CHS": "荒唐的, 嬉戏的, 繁茂的, 肆意的, 不道德的, 不贞洁的", + "ENG": "deliberately harming someone or damaging something for no reason" + }, + "brazen": { + "CHS": "黄铜制的, 厚颜无耻的", + "ENG": "used to describe a person, or the actions of a person, who is not embarrassed about behaving in a wrong or immoral way" + }, + "hoary": { + "CHS": "灰白的, (因年迈而)头发灰白的, 古代的, 久远的", + "ENG": "grey or white in colour, especially through age" + }, + "jocose": { + "CHS": "诙谐的" + }, + "refulgent": { + "CHS": "辉煌的, 灿烂的", + "ENG": "shining, brilliant, or radiant " + }, + "resplendent": { + "CHS": "辉煌的, 灿烂的, 光辉的, 华丽的", + "ENG": "very beautiful, bright, and impressive in appearance" + }, + "flamboyant": { + "CHS": "辉耀的, 华丽的, 火焰似的, 艳丽的", + "ENG": "behaving in a confident or exciting way that makes people notice you" + }, + "respondent": { + "CHS": "回答的" + }, + "retrospective": { + "CHS": "回顾的", + "ENG": "related to or thinking about the past" + }, + "regressive": { + "CHS": "回归的" + }, + "reverberant": { + "CHS": "回响的" + }, + "penitent": { + "CHS": "悔过的", + "ENG": "feeling sorry because you have done something wrong, and are intending not to do it again" + }, + "rueful": { + "CHS": "悔恨的", + "ENG": "feeling or showing that you wish you had not done something" + }, + "dilapidated": { + "CHS": "毁坏的, 要塌似的, 荒废的" + }, + "graphic": { + "CHS": "绘画似的, 图解的", + "ENG": "connected with or including drawing, printing, or designing" + }, + "slumberous": { + "CHS": "昏昏欲睡的, 催眠的", + "ENG": "sleepy; drowsy " + }, + "comatose": { + "CHS": "昏睡的, 昏睡状态的", + "ENG": "in a coma" + }, + "infatuated": { + "CHS": "昏头昏脑的, 入迷的", + "ENG": "having strong feelings of love for someone or a strong interest in something that makes you unable to think in a sensible way" + }, + "marital": { + "CHS": "婚姻的", + "ENG": "relating to marriage" + }, + "chaotic": { + "CHS": "混乱的, 无秩序的", + "ENG": "a chaotic situation is one in which everything is happening in a confused way" + }, + "promiscuous": { + "CHS": "混杂的", + "ENG": "involving a wide range of different things" + }, + "turbid": { + "CHS": "混浊的, 不纯的, 脏的, 混乱的, 雾重的", + "ENG": "turbid water or liquid is dirty and muddy" + }, + "frisky": { + "CHS": "活泼的, 欢闹的", + "ENG": "full of energy and fun" + }, + "lively": { + "CHS": "活泼的, 活跃的, 栩栩如生的, 真实的", + "ENG": "lively movements or music are very quick and exciting" + }, + "vivacious": { + "CHS": "活泼的, 快活的, [植]多年生的", + "ENG": "someone, especially a woman, who is vivacious has a lot of energy and a happy attractive manner – used to show approval" + }, + "dashing": { + "CHS": "活跃的, 浮华的" + }, + "igneous": { + "CHS": "火的, 似火的, [地]火成的", + "ENG": "igneous rocks are formed from lava(= hot liquid rock )" + }, + "peckish": { + "CHS": "饥饿的, 唠叨的", + "ENG": "slightly hungry" + }, + "ingenious": { + "CHS": "机灵的, 有独创性的, 精制的, 具有创造才能", + "ENG": "an ingenious plan, idea, or object works well and is the result of clever thinking and new ideas" + }, + "astute": { + "CHS": "机敏的, 狡猾的", + "ENG": "able to understand situations or behaviour very well and very quickly, especially so that you can get an advantage for yourself" + }, + "tactful": { + "CHS": "机智的, 得体的, 圆滑的", + "ENG": "not likely to upset or embarrass other people" + }, + "nervy": { + "CHS": "肌肉发达的, 有勇气的, 冷静的" + }, + "brawny": { + "CHS": "肌肉结实的, 强壮的", + "ENG": "very large and strong" + }, + "agitated": { + "CHS": "激动的,表现不安的", + "ENG": "so nervous or upset that you are unable to keep still or think calmly" + }, + "tonic": { + "CHS": "激励的, 滋补的" + }, + "vehement": { + "CHS": "激烈的, 猛烈的, (情感)热烈的", + "ENG": "showing very strong feelings or opinions" + }, + "provoking": { + "CHS": "激怒的" + }, + "timely": { + "CHS": "及时的, 适时的", + "ENG": "done or happening at exactly the right time" + }, + "propitious": { + "CHS": "吉利的", + "ENG": "good and likely to bring good results" + }, + "tremendous": { + "CHS": "极大的, 巨大的", + "ENG": "very big, fast, powerful etc" + }, + "galactic": { + "CHS": "极大的, 银河的, 乳汁的", + "ENG": "Galactic means relating to galaxies" + }, + "immense": { + "CHS": "极广大的, 无边的, <口>非常好的", + "ENG": "extremely large" + }, + "profuse": { + "CHS": "极其丰富的", + "ENG": "produced or existing in large quantities" + }, + "totalitarian": { + "CHS": "极权主义的", + "ENG": "based on a political system in which ordinary people have no power and are completely controlled by the government" + }, + "sacrosanct": { + "CHS": "极神圣的", + "ENG": "something that is sacrosanct is considered to be so important that no one is allowed to criticize or change it" + }, + "excruciating": { + "CHS": "极痛苦的, 折磨人的", + "ENG": "extremely painful" + }, + "scrumptious": { + "CHS": "极为愉快的, 绝妙的, 极好的, 味美的", + "ENG": "food that is scrumptious tastes very good" + }, + "paramount": { + "CHS": "极为重要的", + "ENG": "more important than anything else" + }, + "imminent": { + "CHS": "即将来临的, 逼近的", + "ENG": "an event that is imminent, especially an unpleasant one, will happen very soon" + }, + "snappish": { + "CHS": "急躁的" + }, + "involved": { + "CHS": "棘手的,有关的", + "ENG": "If one person is involved with another, especially someone they are not married to, they are having a sexual or romantic relationship" + }, + "marginal": { + "CHS": "记在页边的, 边缘的, 边际的", + "ENG": "relating to a change in cost, value etc when one more thing is produced, one more dollar is earned etc" + }, + "homely": { + "CHS": "家常的", + "ENG": "a homely person is warm and friendly and enjoys home life" + }, + "crustacean": { + "CHS": "甲壳类的" + }, + "feigned": { + "CHS": "假的, 伪装, 做作的, 捏造的" + }, + "phony": { + "CHS": "假冒的", + "ENG": "If you describe something as phony, you disapprove of it because it is false rather than genuine" + }, + "hypothetical": { + "CHS": "假设的, 假定的,爱猜想的", + "ENG": "based on a situation that is not real, but that might happen" + }, + "fictitious": { + "CHS": "假想的, 编造的, 虚伪的, 习惯上假定的, 假想的, 假装的, 小说中的", + "ENG": "not true, or not real" + }, + "imaginary": { + "CHS": "假想的, 想象的, 虚构的", + "ENG": "not real, but produced from pictures or ideas in your mind" + }, + "pretended": { + "CHS": "假装的, 虚假的", + "ENG": "something that is pretended appears to be real but is not" + }, + "sanctimonious": { + "CHS": "假装神圣的", + "ENG": "behaving as if you are morally better than other people, in a way that is annoying – used to show disapproval" + }, + "peaky": { + "CHS": "尖峰的, 多峰的" + }, + "shrill": { + "CHS": "尖声的", + "ENG": "a shrill sound is very high and unpleasant" + }, + "staunch": { + "CHS": "坚定的", + "ENG": "giving strong loyal support to another person, organization, belief etc" + }, + "stalwart": { + "CHS": "坚定的" + }, + "persevering": { + "CHS": "坚忍的, 不屈不挠的" + }, + "sedulous": { + "CHS": "坚韧不拔的" + }, + "adamant": { + "CHS": "坚硬的", + "ENG": "determined not to change your opinion or a decision that you have made" + }, + "flinty": { + "CHS": "坚硬的, 冷酷的, 强硬的, 严峻的, 含燧石的, 强硬的, 严峻的, 燧石似的", + "ENG": "like flint or containing flint" + }, + "collateral": { + "CHS": "间接的" + }, + "intermittent": { + "CHS": "间歇的, 断断续续的", + "ENG": "stopping and starting often and for short periods" + }, + "remittent": { + "CHS": "间歇性的", + "ENG": "(of a fever or the symptoms of a disease) characterized by periods of diminished severity " + }, + "strait": { + "CHS": "艰难的, 苦恼的, 窘迫的" + }, + "terse": { + "CHS": "简洁的, 扼要的" + }, + "succinct": { + "CHS": "简洁的, 紧身的, 压缩在小范围内的", + "ENG": "Something that is succinct expresses facts or ideas clearly and in few words" + }, + "sententious": { + "CHS": "简洁的, 警句的, 富于格言的, 很多(过分)说教式的", + "ENG": "telling people how they should behave – used in order to show disapproval" + }, + "curt": { + "CHS": "简略的", + "ENG": "using very few words in a way that seems rude" + }, + "concise": { + "CHS": "简明的, 简练的", + "ENG": "short, with no unnecessary words" + }, + "sane": { + "CHS": "健全的", + "ENG": "able to think in a normal and reasonable way" + }, + "lusty": { + "CHS": "健壮的, 精力充沛的", + "ENG": "strong and healthy" + }, + "evanescent": { + "CHS": "渐消失的, 易消散的, 会凋零的", + "ENG": "Something that is evanescent gradually disappears from sight or memory" + }, + "pronounced": { + "CHS": "讲出来的, 显著的, 断然的, 明确的", + "ENG": "very great or noticeable" + }, + "recherche": { + "CHS": "讲究的, 罕有的,异国风味的" + }, + "prostrate": { + "CHS": "降伏的, 沮丧的, 衰竭的, 俯卧的", + "ENG": "lying on your front with your face towards the ground" + }, + "phatic": { + "CHS": "交流感情的,仅仅是交际性的", + "ENG": "(of speech, esp of conversational phrases) used to establish social contact and to express sociability rather than specific meaning " + }, + "orgulous": { + "CHS": "骄傲的, 高傲的", + "ENG": "proud " + }, + "overweening": { + "CHS": "骄傲的, 自负的, 夸大了的", + "ENG": "too proud and confident – used to show disapproval" + }, + "vulpine": { + "CHS": "狡猾的" + }, + "crafty": { + "CHS": "狡诈的, 诡计多端的, 善于骗人的", + "ENG": "good at getting what you want by clever planning and by secretly deceiving people" + }, + "twee": { + "CHS": "矫饰的, 可爱的", + "ENG": "excessively sentimental, sweet, or pretty " + }, + "imperceptible": { + "CHS": "觉察不到的, 感觉不到的, 极细微的", + "ENG": "almost impossible to see or notice" + }, + "posterior": { + "CHS": "较晚的" + }, + "didactic": { + "CHS": "教诲的,说教的", + "ENG": "speech or writing that is didactic is intended to teach people a moral lesson" + }, + "parochial": { + "CHS": "教区的, 地方范围的, 狭小的", + "ENG": "relating to a particular church and the area around it" + }, + "dogmatic": { + "CHS": "教条的, 独断的", + "ENG": "someone who is dogmatic is completely certain of their beliefs and expects other people to accept them without arguing" + }, + "tangent": { + "CHS": "接触的, 切线的, 相切的, 离题的" + }, + "sparing": { + "CHS": "节俭的, 保守的", + "ENG": "Someone who is sparing with something uses it or gives it only in very small quantities" + }, + "festal": { + "CHS": "节日的, 欢乐的, 祭日的" + }, + "thrifty": { + "CHS": "节约的", + "ENG": "using money carefully and wisely" + }, + "rhythmic": { + "CHS": "节奏的, 合拍的", + "ENG": "having a strong rhythm" + }, + "palmary": { + "CHS": "杰出的" + }, + "illustrious": { + "CHS": "杰出的", + "ENG": "famous and admired because of what you have achieved" + }, + "consequential": { + "CHS": "结果的, 相因而生的", + "ENG": "happening as a direct result of a particular event or situation" + }, + "conjugal": { + "CHS": "结婚的, 夫妇间的", + "ENG": "relating to marriage" + }, + "stout": { + "CHS": "结实的, 勇敢坚定的, 激烈的, 矮胖的, 顽强的", + "ENG": "strong and thick" + }, + "auric": { + "CHS": "金的, 含金的, 似金的, [化](化合物)正金的, 三价金的", + "ENG": "of or containing gold in the trivalent state " + }, + "pecuniary": { + "CHS": "金钱的, 金钱上的, 应罚款的", + "ENG": "relating to or consisting of money" + }, + "knackered": { + "CHS": "筋疲力尽的", + "ENG": "extremely tired" + }, + "mere": { + "CHS": "仅仅的, 起码的, 纯粹的" + }, + "compact": { + "CHS": "紧凑的, 紧密的, 简洁的", + "ENG": "packed or put together firmly and closely" + }, + "strained": { + "CHS": "紧张的, 矫饰的, 做作的", + "ENG": "a strained situation or behaviour is not relaxed, natural, or friendly" + }, + "cagey": { + "CHS": "谨慎小心的, 精明的", + "ENG": "unwilling to tell people about your plans, intentions, or opinions" + }, + "prissy": { + "CHS": "谨小慎微的", + "ENG": "behaving very correctly and easily shocked by anything rude – used to show disapproval" + }, + "tributary": { + "CHS": "进贡的, 附庸的, 从属的, 辅助的, 支流的" + }, + "usurious": { + "CHS": "进行高利剥削的, 高利贷的", + "ENG": "a usurious price or rate of interest14 is unfairly high" + }, + "approximate": { + "CHS": "近似的, 大约的", + "ENG": "an approximate number, amount, or time is close to the exact number, amount etc, but could be a little bit more or less than it" + }, + "soggy": { + "CHS": "浸水的, 沉闷的" + }, + "sodden": { + "CHS": "浸透的", + "ENG": "very wet and heavy" + }, + "verboten": { + "CHS": "禁止的", + "ENG": "forbidden; prohibited " + }, + "prohibitive": { + "CHS": "禁止的, 抑制的", + "ENG": "a prohibitive rule prevents people from doing things" + }, + "incommunicado": { + "CHS": "禁止通信的, 被单独囚禁的", + "ENG": "If someone is being kept incommunicado, they are not allowed to talk to anyone outside the place where they are" + }, + "uptight": { + "CHS": "经济情况不妙的, 拮据的, 紧张的, 心情焦躁的, 极端保守的", + "ENG": "Someone who is uptight is tense, nervous, or annoyed about something and so is difficult to be with" + }, + "straitened": { + "CHS": "经济上拮据的,贫困的", + "ENG": "if you are living in straitened circumstances, you do not have enough money, especially not as much as you had before" + }, + "unfailing": { + "CHS": "经久不衰的,无穷尽的, 可靠的", + "ENG": "always there, even in times of difficulty or trouble" + }, + "aghast": { + "CHS": "惊骇的, 吓呆的", + "ENG": "feeling or looking shocked by something you have seen or just found out" + }, + "stupendous": { + "CHS": "惊人的, 巨大的", + "ENG": "surprisingly large or impressive" + }, + "robust": { + "CHS": "精力充沛的", + "ENG": "Robust views or opinions are strongly held and forcefully expressed" + }, + "shrewd": { + "CHS": "精明", + "ENG": "good at judging what people or situations are really like" + }, + "mettlesome": { + "CHS": "精神饱满的, 勇敢的", + "ENG": "spirited, courageous, or valiant " + }, + "psychotic": { + "CHS": "精神病的", + "ENG": "suffering from or caused by psychosis" + }, + "psychiatric": { + "CHS": "精神病学的, 精神病治疗的", + "ENG": "relating to the study and treatment of mental illness" + }, + "lunatic": { + "CHS": "精神错乱的, 疯狂的, 极端愚蠢的", + "ENG": "If you describe someone's behaviour or ideas as lunatic, you think they are very foolish and possibly dangerous" + }, + "psychic": { + "CHS": "精神的", + "ENG": "affecting the mind rather than the body" + }, + "numinous": { + "CHS": "精神上的, 超自然的", + "ENG": "having a mysterious and holy quality, which makes you feel that God is present" + }, + "versed": { + "CHS": "精通的", + "ENG": "to know a lot about a subject, method etc" + }, + "elaborate": { + "CHS": "精心制作的, 详细阐述的, 精细", + "ENG": "having a lot of small parts or details put together in a complicated way" + }, + "cetacean": { + "CHS": "鲸类的, 鲸的" + }, + "shipshape": { + "CHS": "井然有序的", + "ENG": "neat and clean" + }, + "epigrammatic": { + "CHS": "警句的, 讽刺的" + }, + "vigilant": { + "CHS": "警惕着的, 警醒的", + "ENG": "giving careful attention to what is happening, so that you will notice any danger or illegal activity" + }, + "purgative": { + "CHS": "净化的, 清洗的, 通便的", + "ENG": "A purgative substance acts as a purgative" + }, + "spasmodic": { + "CHS": "痉挛的, 间歇性的", + "ENG": "happening for short irregular periods, not continuously" + }, + "vying": { + "CHS": "竞争的" + }, + "static": { + "CHS": "静态的, 静力的静电噪声", + "ENG": "Something that is static does not move or change" + }, + "quiescent": { + "CHS": "静止的", + "ENG": "not developing or doing anything, especially when this is only a temporary state" + }, + "sedentary": { + "CHS": "久坐的, 坐惯的, 土生的, 不移栖的, 沉积的", + "ENG": "spending a lot of time sitting down, and not moving or exercising very much" + }, + "bacchanal": { + "CHS": "酒神的, 酒神节的, 放纵的", + "ENG": "of or relating to Bacchus " + }, + "bacchanalian": { + "CHS": "酒神节的, 狂饮作乐的", + "ENG": "a bacchanalian party involves a lot of alcohol, sex, and uncontrolled behaviour" + }, + "groggy": { + "CHS": "酒醉的, 东歪西倒的, 摇摇晃晃的, 头昏眼花的" + }, + "paleolithic": { + "CHS": "旧石器时代的", + "ENG": "relating to the stone age (= the period of time thousands of years ago when people used stone tools and weapons ) " + }, + "punctilious": { + "CHS": "拘泥细节的, 谨小慎微的, 一丝不苟的", + "ENG": "very careful to behave correctly and follow rules" + }, + "despondent": { + "CHS": "沮丧的", + "ENG": "extremely unhappy and without hope" + }, + "dejected": { + "CHS": "沮丧的, 灰心的", + "ENG": "unhappy, disappointed, or sad" + }, + "prodigious": { + "CHS": "巨大的", + "ENG": "very large or great in a surprising or impressive way" + }, + "monstrous": { + "CHS": "巨大的, 畸形的, 怪异的, 恐怖的, 凶暴的", + "ENG": "unusually large" + }, + "gargantuan": { + "CHS": "巨大的, 庞大的", + "ENG": "extremely large" + }, + "colossal": { + "CHS": "巨大的, 庞大的", + "ENG": "used to emphasize that something is extremely large" + }, + "enormous": { + "CHS": "巨大的, 庞大的, <古>极恶的, 凶暴的", + "ENG": "very big in size or in amount" + }, + "virulent": { + "CHS": "剧毒的, 致命的, 刻毒的, [医]有病毒的, 恶毒的, 充满敌意的, 恶性的", + "ENG": "a poison, disease etc that is virulent is very dangerous and affects people very quickly" + }, + "henpecked": { + "CHS": "惧内的", + "ENG": "a man who is henpecked is always being told what to do by his wife, and is afraid to disagree with her" + }, + "indented": { + "CHS": "锯齿状的, 犬牙交错的", + "ENG": "an indented edge or surface has cuts or marks in it" + }, + "serrated": { + "CHS": "锯齿状的, 有锯齿的", + "ENG": "having a sharp edge made of a row of connected points like teeth" + }, + "jagged": { + "CHS": "锯齿状的,有凹口的,(外形)参差不齐的", + "ENG": "having a rough or pointed edge or surface" + }, + "kinky": { + "CHS": "卷曲的, 古怪的", + "ENG": "kinky hair has a lot of small curves" + }, + "voluminous": { + "CHS": "卷数多的, 大部分的, 著书多的, 容积大的, 体积大的, 丰满的, 长篇的, 庞大的", + "ENG": "voluminous books, documents etc are very long and contain a lot of detail" + }, + "listless": { + "CHS": "倦怠的, 冷漠的,情绪低落的", + "ENG": "feeling tired and not interested in things" + }, + "teetotal": { + "CHS": "绝对戒酒的, 完全的, 绝对的", + "ENG": "of, relating to, or practising abstinence from alcoholic drink " + }, + "cocksure": { + "CHS": "绝对可靠的, 深信的, 独断的" + }, + "untoward": { + "CHS": "倔强的, 麻烦的, 困难的, 不幸的" + }, + "obstinate": { + "CHS": "倔强的, 顽固的", + "ENG": "determined not to change your ideas, behaviour, opinions etc, even when other people think you are being unreasonable" + }, + "piquant": { + "CHS": "开胃的, 辛辣的, 泼辣的, 兴奋的, 顽皮的, 淘气的", + "ENG": "having a pleasantly spicy taste" + }, + "sear": { + "CHS": "烤焦的, 枯萎的" + }, + "recumbent": { + "CHS": "靠着的, 斜躺着的, 不活动的, 休息的", + "ENG": "lying down on your back or side" + }, + "hypercritical": { + "CHS": "苛评的, 吹毛求疵的", + "ENG": "too eager to criticize other people and things, especially about small details" + }, + "exacting": { + "CHS": "苛求的, 严格的, 吃力的, 需付出极大耐心", + "ENG": "demanding a lot of effort, careful work, or skill" + }, + "cute": { + "CHS": "可爱的, 聪明的, 伶俐的, 装腔作势的", + "ENG": "clever in a way that can seem rude" + }, + "contemptible": { + "CHS": "可鄙的", + "ENG": "not deserving any respect at all" + }, + "despicable": { + "CHS": "可鄙的, 卑劣的", + "ENG": "extremely bad, immoral, or cruel" + }, + "perceptible": { + "CHS": "可察觉的, 显而易见的, 感觉得到的", + "ENG": "something that is perceptible can be noticed, although it is very small" + }, + "comestible": { + "CHS": "可吃的" + }, + "ignominious": { + "CHS": "可耻的, 不光彩的, 下流的", + "ENG": "making you feel ashamed or embarrassed" + }, + "adorable": { + "CHS": "可崇拜的, 可爱的", + "ENG": "someone or something that is adorable is so attractive that they fill you with feelings of love" + }, + "palpable": { + "CHS": "可触知的, 明显的", + "ENG": "a feeling that is palpable is so strong that other people notice it and can feel it around them" + }, + "abhorrent": { + "CHS": "可恶的, 格格不入的", + "ENG": "something that is abhorrent is completely unacceptable because it seems morally wrong" + }, + "exceptionable": { + "CHS": "可反对的, 可抗议的, 要不得的" + }, + "defeasible": { + "CHS": "可废止的", + "ENG": "(of an estate or interest in land) capable of being defeated or rendered void " + }, + "revocable": { + "CHS": "可废止的, 可取消的", + "ENG": "capable of being revoked; able to be cancelled " + }, + "convertible": { + "CHS": "可改变的, 自由兑换的", + "ENG": "an object that is convertible can be folded or arranged in a different way so that it can be used as something else" + }, + "appreciable": { + "CHS": "可感知的, 可评估的", + "ENG": "An appreciable amount or effect is large enough to be important or clearly noticed" + }, + "arable": { + "CHS": "可耕的, 适于耕种的", + "ENG": "relating to growing crops" + }, + "ostensible": { + "CHS": "可公开得, (指理由等)表面的, 虚假的", + "ENG": "Ostensible is used to describe something that seems to be true or is officially stated to be true, but about which you or other people have doubts" + }, + "feasible": { + "CHS": "可行的, 切实可行的", + "ENG": "a plan, idea, or method that is feasible is possible and is likely to work" + }, + "interchangeable": { + "CHS": "可互换的", + "ENG": "things that are interchangeable can be used instead of each other" + }, + "fungible": { + "CHS": "可互换的, 代替的" + }, + "presumable": { + "CHS": "可假定的", + "ENG": "able to be presumed or taken for granted " + }, + "getatable": { + "CHS": "可接近的" + }, + "approachable": { + "CHS": "可接近的, 平易近人的, 亲切的", + "ENG": "friendly and easy to talk to" + }, + "goluptious": { + "CHS": "可口的, 香喷喷的, 好吃的" + }, + "venial": { + "CHS": "可宽恕的", + "ENG": "a venial fault, mistake etc is not very serious and can be forgiven" + }, + "intelligible": { + "CHS": "可理解的", + "ENG": "Something that is intelligible can be understood" + }, + "pathetic": { + "CHS": "可怜的, 悲惨的", + "ENG": "making you feel pity or sympathy" + }, + "conceivable": { + "CHS": "可能的, 想得到的, 可想像的", + "ENG": "able to be believed or imagined" + }, + "contingent": { + "CHS": "可能发生的, 附随的, 暂时的" + }, + "redoubtable": { + "CHS": "可怕的" + }, + "horrendous": { + "CHS": "可怕的", + "ENG": "frightening and terrible" + }, + "direful": { + "CHS": "可怕的, 悲惨的" + }, + "gruesome": { + "CHS": "可怕的, 可憎的, 令人厌恶的", + "ENG": "very unpleasant or shocking, and involving someone being killed or badly injured" + }, + "forbidding": { + "CHS": "可怕的, 令人难亲近的", + "ENG": "having a frightening or unfriendly appearance" + }, + "advisable": { + "CHS": "可取的, 明智的", + "ENG": "something that is advisable should be done in order to avoid problems or risks" + }, + "esculent": { + "CHS": "可食用的", + "ENG": "edible " + }, + "applicable": { + "CHS": "可适用的, 可应用的", + "ENG": "if something is applicable to a particular person, group, or situation, it affects them or is related to them" + }, + "exorable": { + "CHS": "可说服的, 可用恳求打动的", + "ENG": "able to be persuaded or moved by pleading " + }, + "explicable": { + "CHS": "可说明的, 可解释的", + "ENG": "able to be easily understood or explained" + }, + "limber": { + "CHS": "可塑的" + }, + "tunable": { + "CHS": "可调的", + "ENG": "able to be tuned " + }, + "negotiable": { + "CHS": "可通过谈判解决的", + "ENG": "an offer, price, contract etc that is negotiable can be discussed and changed before being agreed on" + }, + "quizzable": { + "CHS": "可挖苦的" + }, + "remediable": { + "CHS": "可挽回的", + "ENG": "able to be corrected or cured" + }, + "tenable": { + "CHS": "可维持的" + }, + "creditable": { + "CHS": "可信的", + "ENG": "deserving praise or approval" + }, + "authentic": { + "CHS": "可信的", + "ENG": "based on facts" + }, + "reparable": { + "CHS": "可修缮的, 可赔偿的, 可恢复的", + "ENG": "able to be repaired, recovered, or remedied " + }, + "optional": { + "CHS": "可选择的, 随意的", + "ENG": "if something is optional, you do not have to do it or use it, but you can choose to if you want to" + }, + "negligible": { + "CHS": "可以忽略的, 不予重视的", + "ENG": "too slight or unimportant to have any effect" + }, + "predictable": { + "CHS": "可预言的", + "ENG": "if something or someone is predictable, you know what will happen or what they will do – sometimes used to show disapproval" + }, + "heinous": { + "CHS": "可憎的, 极恶的", + "ENG": "very shocking and immoral" + }, + "odious": { + "CHS": "可憎的, 讨厌的", + "ENG": "extremely unpleasant" + }, + "terminable": { + "CHS": "可终止的, 有期限的", + "ENG": "able to be terminated " + }, + "estimable": { + "CHS": "可尊敬的, 可估计的, <古>可贵的, 有价值的", + "ENG": "deserving respect and admiration" + }, + "doable": { + "CHS": "可做的, 可行的", + "ENG": "able to be done or completed" + }, + "avid": { + "CHS": "渴望的" + }, + "raring": { + "CHS": "渴望的, 急切的", + "ENG": "If you are raring to do something or are raring for it, you are very eager to do it or very eager that it should happen" + }, + "stark": { + "CHS": "刻板的, 十足的, 赤裸的, 荒凉的", + "ENG": "very plain in appearance, with little or no colour or decoration" + }, + "affirmative": { + "CHS": "肯定的, (对正式辩论中的问题)表示赞成的, (态度, 方法等)积极的, 乐观的, 怀有希望的", + "ENG": "an affirmative answer or action means ‘yes’ or shows agreement" + }, + "inane": { + "CHS": "空洞的", + "ENG": "very stupid or without much meaning" + }, + "idle": { + "CHS": "空闲的, 懒惰的, 停顿的, 无用的, 无价值的", + "ENG": "lazy" + }, + "chimerical": { + "CHS": "空想的", + "ENG": "imaginary or not really possible" + }, + "vacuous": { + "CHS": "空虚的, 茫然若失的, 无所事事的, 空洞的", + "ENG": "showing no intelligence or having no useful purpose" + }, + "airborne": { + "CHS": "空运的, 空气传播的, 空降的", + "ENG": "airborne soldiers are trained to fight in areas that they get to by jumping out of a plane" + }, + "grisly": { + "CHS": "恐怖的, 可怕的, 令人毛骨悚然的", + "ENG": "extremely unpleasant and involving people being killed or injured" + }, + "macabre": { + "CHS": "恐怖的, 令人毛骨悚然的, 以死亡为主题的", + "ENG": "very strange and unpleasant and connected with death or with people being seriously hurt" + }, + "scared": { + "CHS": "恐惧的" + }, + "glib": { + "CHS": "口齿伶俐的, 油腔滑调的", + "ENG": "If you describe what someone says as glib, you disapprove of it because it implies that something is simple or easy, or that there are no problems involved, when this is not the case" + }, + "nuncupative": { + "CHS": "口述的", + "ENG": "(of a will) declared orally by the testator and later written down " + }, + "sapless": { + "CHS": "枯萎的" + }, + "wizened": { + "CHS": "枯萎的, 消瘦的", + "ENG": "a wizened person, fruit etc is small and thin and has skin with a lot of lines and wrinkle s " + }, + "broiling": { + "CHS": "酷热的, 炽热的, 似烧的", + "ENG": "broiling weather, sun etc makes you feel extremely hot" + }, + "bombastic": { + "CHS": "夸大的, 言过其实的", + "ENG": "If you describe someone as bombastic, you are criticizing them for trying to impress other people by saying things that sound impressive but have little meaning" + }, + "grandiloquent": { + "CHS": "夸张的, 浮夸的, 夸大的" + }, + "jovial": { + "CHS": "快活的, 高兴的, 愉快的, [宗](主神)朱庇特的", + "ENG": "friendly and happy" + }, + "bouncy": { + "CHS": "快活的, 精神的, 有弹性的, 自大的", + "ENG": "a bouncy ball etc quickly moves away from a surface after it has hit it" + }, + "hedonistic": { + "CHS": "快乐主义者的, 快乐论的, 快乐主义的", + "ENG": "Hedonistic means relating to hedonism" + }, + "commodious": { + "CHS": "宽敞的", + "ENG": "a house or room that is commodious is very big" + }, + "lenient": { + "CHS": "宽大的, 仁慈的, 慈悲为怀的", + "ENG": "not strict in the way you punish someone or in the standard you expect" + }, + "bounteous": { + "CHS": "宽宏大量的, 慷慨的", + "ENG": "very generous" + }, + "magnanimous": { + "CHS": "宽宏大量的, 有雅量的", + "ENG": "kind and generous, especially to someone that you have defeated" + }, + "munificent": { + "CHS": "宽宏的, 慷慨的", + "ENG": "very generous" + }, + "turbulent": { + "CHS": "狂暴的, 吵闹的", + "ENG": "turbulent air or water moves around a lot" + }, + "rabid": { + "CHS": "狂暴的, 激烈的, 患有狂犬病的", + "ENG": "having very extreme and unreasonable opinions" + }, + "boisterous": { + "CHS": "狂暴的, 喧闹的", + "ENG": "someone, especially a child, who is boisterous makes a lot of noise and has a lot of energy" + }, + "frantic": { + "CHS": "狂乱的, 疯狂的", + "ENG": "extremely worried and frightened about a situation, so that you cannot control your feelings" + }, + "infuriate": { + "CHS": "狂怒的" + }, + "perplexed": { + "CHS": "困惑的, 不知所措的", + "ENG": "confused and worried by something that you do not understand" + }, + "destitute": { + "CHS": "困穷的, 缺乏的", + "ENG": "having no money, no food, no home etc" + }, + "patulous": { + "CHS": "扩展的, 张开的", + "ENG": "spreading widely or expanded " + }, + "otherworldly": { + "CHS": "来世的, 修来世的, 专注于精神方面的", + "ENG": "Otherworldly people, things, and places seem strange or spiritual, and not much connected with ordinary things" + }, + "indolent": { + "CHS": "懒惰的, 不痛的", + "ENG": "lazy" + }, + "slovenly": { + "CHS": "懒散的, 不修边幅的", + "ENG": "lazy, untidy, and careless" + }, + "floppy": { + "CHS": "懒散的, 邋遢的, 松软的", + "ENG": "something that is floppy is soft and hangs down loosely rather than being stiff" + }, + "lackadaisical": { + "CHS": "懒洋洋的", + "ENG": "not showing enough interest in something or not putting enough effort into it" + }, + "lupine": { + "CHS": "狼的, 凶猛的" + }, + "voracious": { + "CHS": "狼吞虎咽的, 贪婪的", + "ENG": "If you describe a person, or their appetite for something, as voracious, you mean that they want a lot of something" + }, + "prodigal": { + "CHS": "浪费的", + "ENG": "someone who leaves their family and home without the approval of their family, but who is sorry later and returns" + }, + "senescent": { + "CHS": "老了的, 衰老了的", + "ENG": "becoming old and showing the effects of getting older" + }, + "wily": { + "CHS": "老谋深算的" + }, + "senile": { + "CHS": "老年的, 高龄的, 衰老的", + "ENG": "mentally confused or behaving strangely, because of old age" + }, + "accommodating": { + "CHS": "乐于助人的, 随和的, 善于适应新环境的", + "ENG": "helpful and willing to do what someone else wants" + }, + "analogous": { + "CHS": "类似的, 相似的, 可比拟的", + "ENG": "similar to another situation or thing so that a comparison can be made" + }, + "prismy": { + "CHS": "棱柱的, 五光十色的" + }, + "standoffish": { + "CHS": "冷淡的", + "ENG": "If you say that someone is standoffish, you mean that they behave in a formal and rather unfriendly way" + }, + "nonchalant": { + "CHS": "冷淡的" + }, + "lukewarm": { + "CHS": "冷淡的", + "ENG": "not showing much interest or excitement" + }, + "sober": { + "CHS": "冷静的" + }, + "dispassionate": { + "CHS": "冷静的, 不带感情的, 平心静气的", + "ENG": "not influenced by personal emotions and therefore able to make fair decisions" + }, + "hardheaded": { + "CHS": "冷静的, 脚踏实地的, 无懈可击的, 顽固的", + "ENG": "You use hardheaded to describe someone who is practical and determined to get what they want or need, and who does not allow emotions to affect their actions" + }, + "phlegmatic": { + "CHS": "冷静的,冷淡的", + "ENG": "calm and not easily excited or worried" + }, + "obdurate": { + "CHS": "冷酷无情的, 顽固的, 执拗的", + "ENG": "very determined not to change your beliefs, actions, or feelings, in a way that seems unreasonable" + }, + "offish": { + "CHS": "冷漠的" + }, + "impassive": { + "CHS": "冷漠的", + "ENG": "not showing any emotion" + }, + "pococurante": { + "CHS": "冷漠的的, 漠不关心的", + "ENG": "indifferent or apathetic " + }, + "uncanny": { + "CHS": "离奇的", + "ENG": "very strange and difficult to explain" + }, + "quaint": { + "CHS": "离奇有趣的, 奇怪的, 做得很精巧的" + }, + "centrifugal": { + "CHS": "离心的", + "ENG": "acting, moving, or tending to move away from a centre " + }, + "liturgical": { + "CHS": "礼拜式的", + "ENG": "relating to church services and ceremonies" + }, + "percipient": { + "CHS": "理解的" + }, + "exceptional": { + "CHS": "例外的, 异常的", + "ENG": "unusually good" + }, + "paradigmatic": { + "CHS": "例证的" + }, + "cursive": { + "CHS": "连接的(尤指字迹), 草书的, 草书体的", + "ENG": "written in a style of writing with the letters joined together" + }, + "sequential": { + "CHS": "连续的, 相续的, 有继的, 有顺序的, 结果的", + "ENG": "relating to or happening in a sequence" + }, + "hectic": { + "CHS": "脸上发红, 发热的, 兴奋的, 狂热的, 肺病的", + "ENG": "if your face is a hectic colour, it is very pink" + }, + "rimose": { + "CHS": "裂缝的", + "ENG": "(esp of plant parts) having the surface marked by a network of intersecting cracks " + }, + "vicinal": { + "CHS": "邻近的", + "ENG": "neighbouring " + }, + "adjacent": { + "CHS": "邻近的, 接近的", + "ENG": "a room, building, piece of land etc that is adjacent to something is next to it" + }, + "contiguous": { + "CHS": "邻近的, 接近的, 毗边的", + "ENG": "next to something, or next to each other" + }, + "provisional": { + "CHS": "临时的", + "ENG": "likely or able to be changed in the future" + }, + "parsimonious": { + "CHS": "吝啬的, 节俭的", + "ENG": "extremely unwilling to spend money" + }, + "penurious": { + "CHS": "吝啬的, 缺乏的", + "ENG": "niggardly with money " + }, + "niggardly": { + "CHS": "吝啬的, 小气的", + "ENG": "unwilling to spend money or be generous" + }, + "stingy": { + "CHS": "吝啬的, 小气的, 缺乏的, 有刺的", + "ENG": "not generous, especially with money" + }, + "dexterous": { + "CHS": "灵巧的, 惯用右手的", + "ENG": "skilful and quick when using your hands" + }, + "sporadic": { + "CHS": "零星的", + "ENG": "happening fairly often, but not regularly" + }, + "sidesplitting": { + "CHS": "令人捧腹大笑的", + "ENG": "extremely funny" + }, + "rebarbative": { + "CHS": "令人讨厌的", + "ENG": "fearsome; forbidding " + }, + "poignant": { + "CHS": "令人痛苦的, (味觉、嗅觉方面)刺激的、辛辣的, 尖锐的, 剧烈的", + "ENG": "Something that is poignant affects you deeply and makes you feel sadness or regret" + }, + "exhilarating": { + "CHS": "令人喜欢的, 爽快的, 使人愉快的", + "ENG": "making you feel happy, excited, and full of energy" + }, + "revolting": { + "CHS": "令人厌恶的", + "ENG": "extremely unpleasant" + }, + "mawkish": { + "CHS": "令人厌恶的" + }, + "irksome": { + "CHS": "令人厌恶的, 讨厌的, 令人厌烦的", + "ENG": "annoying" + }, + "smarmy": { + "CHS": "令人厌烦的, 爱说奉承话的, 虚情假意的", + "ENG": "polite in an insincere way – used to show disapproval" + }, + "grievous": { + "CHS": "令人忧伤的", + "ENG": "If you describe something such as a loss as grievous, you mean that it is extremely serious or worrying in its effects" + }, + "appalling": { + "CHS": "令人震惊的, 骇人听闻的", + "ENG": "very unpleasant and shocking" + }, + "epidemic": { + "CHS": "流行的, 传染的, 流行性" + }, + "modish": { + "CHS": "流行的, 时髦的", + "ENG": "modish ideas, designs etc are modern and fashionable" + }, + "vagabond": { + "CHS": "流浪的, 漂泊的, 浪荡的, 流浪者的" + }, + "roguish": { + "CHS": "流氓的, 无赖的" + }, + "meteoric": { + "CHS": "流星的, 疾速的, 大气的, 辉煌而短暂的", + "ENG": "from a meteor " + }, + "vitriolic": { + "CHS": "硫酸的, 象硫酸的, 刻薄的, 讽刺的", + "ENG": "vitriolic language, writing etc is very cruel and angry towards someone" + }, + "stepwise": { + "CHS": "楼梯式的, 逐步的", + "ENG": "arranged in the manner of or resembling steps " + }, + "terrestrial": { + "CHS": "陆地", + "ENG": "relating to the Earth rather than to the moon or other planets " + }, + "cervine": { + "CHS": "鹿的, 鹿一样的", + "ENG": "resembling or relating to a deer " + }, + "seamy": { + "CHS": "露出线缝的, 丑恶的", + "ENG": "involving unpleasant things such as crime, violence, or immorality" + }, + "astigmatic": { + "CHS": "乱视的, 散光的,纠正散光的", + "ENG": "relating to or affected with astigmatism " + }, + "rapacious": { + "CHS": "掠夺的, 贪婪的", + "ENG": "always wanting more money, goods etc than you need or have a right to" + }, + "pontifical": { + "CHS": "罗马教皇的, 主教的, 大祭司的", + "ENG": "relating to the Pope" + }, + "spiral": { + "CHS": "螺旋形的", + "ENG": "Spiral is also an adjective" + }, + "helical": { + "CHS": "螺旋状的", + "ENG": "of or shaped like a helix; spiral " + }, + "nude": { + "CHS": "裸体的, 裸的, 与生俱有的, 无装饰的", + "ENG": "not wearing any clothes" + }, + "asinine": { + "CHS": "驴的, 象驴一样的, 愚蠢的", + "ENG": "extremely stupid or silly" + }, + "torpid": { + "CHS": "麻痹的, 迟缓的, 迟钝的, [动]蛰伏的", + "ENG": "not active because you are lazy or sleepy" + }, + "numb": { + "CHS": "麻木的", + "ENG": "a part of your body that is numb is unable to feel anything, for example because you are very cold" + }, + "equine": { + "CHS": "马的, 象马的", + "ENG": "relating to horses, or looking like a horse" + }, + "perfunctory": { + "CHS": "马马虎虎的", + "ENG": "a perfunctory action is done quickly, and is only done because people expect it" + }, + "bawdy": { + "CHS": "卖淫的, 妓女的, 好色的", + "ENG": "A bawdy story or joke contains humorous references to sex" + }, + "outrageous": { + "CHS": "蛮横的, 残暴的, 无耻的, 可恶的, 令人不可容忍的", + "ENG": "very shocking and extremely unfair or offensive" + }, + "slipshod": { + "CHS": "漫不经心的" + }, + "rambling": { + "CHS": "漫步的, 散漫的, 流浪性的" + }, + "peddling": { + "CHS": "忙于琐事的, 无关紧要的" + }, + "sequacious": { + "CHS": "盲从的" + }, + "feline": { + "CHS": "猫的, 猫科的, 猫一样的", + "ENG": "relating to cats or other members of the cat family, such as lions" + }, + "ambivalent": { + "CHS": "矛盾的, 好恶相克的", + "ENG": "not sure whether you want or like something or not" + }, + "sacrilegious": { + "CHS": "冒渎的, 该受天谴的", + "ENG": "If someone's behaviour or actions are sacrilegious, they show great disrespect toward something holy or toward something that people think should be respected" + }, + "ebullient": { + "CHS": "冒泡的, 沸腾的, 热情的, 热情洋溢的", + "ENG": "If you describe someone as ebullient, you mean that they are lively and full of enthusiasm or excitement about something" + }, + "slouching": { + "CHS": "没精打采的, 懒散的" + }, + "infallible": { + "CHS": "没有错误的, 确实可靠的", + "ENG": "always right and never making mistakes" + }, + "unguarded": { + "CHS": "没有防备的", + "ENG": "not guarded or protected by anyone" + }, + "incult": { + "CHS": "没有开垦的, 没有耕种的, 没有教养的" + }, + "unfounded": { + "CHS": "没有理由的,未建立的" + }, + "intestate": { + "CHS": "没有立下遗嘱的, 不能根据遗嘱处分的", + "ENG": "to die without having made a will(= a statement about who you want to have your property after you die )" + }, + "impeccable": { + "CHS": "没有缺点的, 不会做坏事的" + }, + "unscathed": { + "CHS": "没有受伤的, 未受伤的", + "ENG": "not injured or harmed by something" + }, + "insipid": { + "CHS": "没有味道的, 平淡的", + "ENG": "food or drink that is insipid does not have much taste" + }, + "smutty": { + "CHS": "煤黑的", + "ENG": "marked with small pieces of dirt or soot " + }, + "deciduous": { + "CHS": "每年落叶的, 非永久性的", + "ENG": "deciduous trees lose their leaves in winter" + }, + "quotidian": { + "CHS": "每日的, 每日发作的, 平凡的, 日常的", + "ENG": "ordinary, and happening every day" + }, + "diurnal": { + "CHS": "每日的, 一日间的, 白天的", + "ENG": "happening every day" + }, + "pulchritudinous": { + "CHS": "美貌的, 标致的(常用作诙谐的夸张词)" + }, + "palatable": { + "CHS": "美味的", + "ENG": "palatable food or drink has a pleasant or acceptable taste" + }, + "appetizing": { + "CHS": "美味可口的, 促进食欲的", + "ENG": "food that is appetizing smells or looks very good, making you want to eat it" + }, + "muggy": { + "CHS": "闷热的", + "ENG": "muggy weather is unpleasantly warm and the air seems wet" + }, + "sultry": { + "CHS": "闷热的, 粗暴的, 激烈的, 放荡的", + "ENG": "weather that is sultry is hot with air that feels wet" + }, + "sweltering": { + "CHS": "闷热的, 中暑的, 酷热的", + "ENG": "If you describe the weather as sweltering, you mean that it is extremely hot and makes you feel uncomfortable" + }, + "winsome": { + "CHS": "迷人的", + "ENG": "behaving in a pleasant and attractive way" + }, + "enchanting": { + "CHS": "迷人的, 迷惑的, 妩媚的", + "ENG": "very pleasant or attractive" + }, + "intriguing": { + "CHS": "迷人的, 有迷惑力的, 引起兴趣(或好奇心)的", + "ENG": "something that is intriguing is very interesting because it is strange, mysterious, or unexpected" + }, + "fascinating": { + "CHS": "迷人的, 醉人的, 着魔的", + "ENG": "extremely interesting" + }, + "enigmatic": { + "CHS": "谜一般的, 高深莫测的" + }, + "underhanded": { + "CHS": "秘密的", + "ENG": "If an action is underhand or if it is done in an underhand way, it is done secretly and dishonestly" + }, + "clandestine": { + "CHS": "秘密的", + "ENG": "done or kept secret" + }, + "cryptic": { + "CHS": "秘密的, 含义模糊的, 神秘的, 隐藏的", + "ENG": "having a meaning that is mysterious or not easily understood" + }, + "secretarial": { + "CHS": "秘书的, 书记的", + "ENG": "relating to the work of a secretary" + }, + "airtight": { + "CHS": "密封的, 无懈可击的", + "ENG": "not allowing air to get in or out" + }, + "hermetic": { + "CHS": "密封的, 与外界隔绝的", + "ENG": "If a container has a hermetic seal, the seal is very tight so that no air can get in or out" + }, + "serried": { + "CHS": "密集的, 林立的, 重叠罗列的", + "ENG": "standing or arranged closely together in rows" + }, + "gratuitous": { + "CHS": "免费的, 无理由的", + "ENG": "said or done without a good reason, in a way that offends someone" + }, + "immune": { + "CHS": "免疫的", + "ENG": "someone who is immune to a particular disease cannot catch it" + }, + "coy": { + "CHS": "腼腆的, 怕羞的, 卖弄风情的", + "ENG": "A coy person is shy, or pretends to be shy, about love and sex" + }, + "pasty": { + "CHS": "面糊似的, 浆状的, 苍白的", + "ENG": "a pasty face looks very pale and unhealthy" + }, + "svelte": { + "CHS": "苗条的, 体态娇美的", + "ENG": "thin and graceful" + }, + "nimble": { + "CHS": "敏捷的", + "ENG": "able to move quickly and easily with light neat movements" + }, + "zippy": { + "CHS": "敏捷的, 活泼的", + "ENG": "full of energy; lively " + }, + "deft": { + "CHS": "敏捷熟练的, 灵巧的", + "ENG": "a deft movement is skilful, and often quick" + }, + "acute": { + "CHS": "敏锐的, [医]急性的, 剧烈", + "ENG": "an acute feeling is very strong" + }, + "penetrating": { + "CHS": "敏锐的, 明察秋毫的, (指声音、喊叫等)尖锐的", + "ENG": "showing an ability to understand things quickly and completely" + }, + "nominal": { + "CHS": "名义上的, 有名无实的, 名字的, [语]名词性的", + "ENG": "officially described as being something, when this is not really true" + }, + "raffish": { + "CHS": "名誉不好的, 卑鄙的, 艳俗的" + }, + "overt": { + "CHS": "明显的, 公然的", + "ENG": "overt actions are done publicly, without trying to hide anything" + }, + "judicious": { + "CHS": "明智的", + "ENG": "done in a sensible and careful way" + }, + "querulous": { + "CHS": "鸣不平的, 发牢骚的, 易怒的, 暴躁的", + "ENG": "someone who is querulous complains about things in an annoying way" + }, + "mandatory": { + "CHS": "命令的, 强制的, 托管的", + "ENG": "if something is mandatory, the law says it must be done" + }, + "fallacious": { + "CHS": "谬误的, 靠不住的, 虚妄的, 令人失望的, 虚伪的, 使人误解的, 不合理的", + "ENG": "containing or based on false ideas" + }, + "mimic": { + "CHS": "模仿的, 假装的, [生]拟态的" + }, + "indefinite": { + "CHS": "模糊的, 不确定的, [语]不定的", + "ENG": "not clear or exact" + }, + "molar": { + "CHS": "磨碎的, 臼齿的, 质量的, [化][物]摩尔的", + "ENG": "of, relating to, or designating any of these teeth " + }, + "mercurial": { + "CHS": "墨丘利神的, 水星的, 雄辩机智的, 活泼善变的, 水银的", + "ENG": "containing mercury" + }, + "ruminative": { + "CHS": "默想的, 沉思的", + "ENG": "thinking deeply and carefully about something" + }, + "tacit": { + "CHS": "默许的", + "ENG": "tacit agreement, approval, support etc is given without anything actually being said" + }, + "acquiescent": { + "CHS": "默许的, 默从的", + "ENG": "too ready to agree with someone or do what they want, without complaining or saying what you want to do" + }, + "ligneous": { + "CHS": "木质的", + "ENG": "of or resembling wood " + }, + "bucolic": { + "CHS": "牧羊的, 牧歌的, 田园风味的", + "ENG": "relating to the countryside" + }, + "virile": { + "CHS": "男性的, 男的, 有男子气概的, 精力充沛的", + "ENG": "having or showing tradition­ally male qualities such as strength, courage etc – use this to show approval" + }, + "illegible": { + "CHS": "难辨认的, 字迹模糊的", + "ENG": "difficult or impossible to read" + }, + "intractable": { + "CHS": "难处理的", + "ENG": "an intractable problem is very difficult to deal with or solve" + }, + "hardy": { + "CHS": "难的, 艰苦的,勇敢的", + "ENG": "strong and healthy and able to bear difficult living conditions" + }, + "elusive": { + "CHS": "难懂的, 难捉摸的, 易忘的", + "ENG": "an elusive result is difficult to achieve" + }, + "ungainly": { + "CHS": "难看的, 不象样的, 笨拙的", + "ENG": "moving in a way that does not look graceful" + }, + "restive": { + "CHS": "难控制的" + }, + "refractory": { + "CHS": "难控制的, 难熔的", + "ENG": "a refractory disease or illness is hard to treat or cure" + }, + "fastidious": { + "CHS": "难取悦的, 挑剔的, 苛求的, (微生物等)需要复杂营养地", + "ENG": "very careful about small details in your appearance, work etc" + }, + "indiscernible": { + "CHS": "难识别的, 看不见的", + "ENG": "very difficult to see, hear, or notice" + }, + "indocile": { + "CHS": "难驯服的", + "ENG": "difficult to discipline or instruct " + }, + "inscrutable": { + "CHS": "难以了解的, 不能预测的", + "ENG": "someone who is inscrutable shows no emotion or reaction in the expression on their face so that it is impossible to know what they are feeling or thinking" + }, + "intangible": { + "CHS": "难以明了的, 无形的", + "ENG": "an intangible quality or feeling is difficult to describe exactly" + }, + "insufferable": { + "CHS": "难以忍受的", + "ENG": "If you say that someone or something is insufferable, you are emphasizing that they are very unpleasant or annoying" + }, + "impenetrable": { + "CHS": "难以渗透的", + "ENG": "If you describe something such as a barrier or a forest as impenetrable, you mean that it is impossible or very difficult to get through" + }, + "indescribable": { + "CHS": "难以形容的", + "ENG": "something that is indescribable is so terrible, so good, so strange etc that you cannot describe it, or it is too difficult to describe" + }, + "cerebral": { + "CHS": "脑的, 大脑的", + "ENG": "relating to or affecting your brain" + }, + "intestine": { + "CHS": "内部的, 国内的" + }, + "inbound": { + "CHS": "内地的, 归航的", + "ENG": "An inbound flight is one that is arriving from another place" + }, + "immanent": { + "CHS": "内在的, 固有的, [宗](上帝)无所不在的", + "ENG": "a quality that is immanent seems to be present everywhere" + }, + "tender": { + "CHS": "嫩的, 温柔的, 软弱的", + "ENG": "tender food is easy to cut and eat, especially because it has been well cooked" + }, + "adaptable": { + "CHS": "能适应的, 可修改的", + "ENG": "able to change in order to be successful in new and different situations" + }, + "bilingual": { + "CHS": "能说两种语言的", + "ENG": "written or spoken in two languages" + }, + "risible": { + "CHS": "能笑的, 爱笑的, 可笑的, 滑稽的", + "ENG": "something that is risible is so stupid that it deserves to be laughed at" + }, + "viable": { + "CHS": "能养活的, 能生育的, 可行的", + "ENG": "a viable idea, plan, or method can work successfully" + }, + "miry": { + "CHS": "泥泞的" + }, + "anonymous": { + "CHS": "匿名的", + "ENG": "unknown by name" + }, + "callow": { + "CHS": "年轻而无经验的, (鸟)未生羽毛的", + "ENG": "A callow young person has very little experience or knowledge of the way they should behave as an adult" + }, + "wry": { + "CHS": "扭歪的, 歪曲的, 歪斜的" + }, + "tortile": { + "CHS": "扭转的, 弯曲的", + "ENG": "twisted or coiled " + }, + "boorish": { + "CHS": "农民的, 乡土气的, 粗野的, 粗鄙的", + "ENG": "Boorish behaviour is rough, uneducated, and rude" + }, + "servile": { + "CHS": "奴隶的, 奴性(态)的, 卑屈的", + "ENG": "relating to slaves or to being a slave" + }, + "snug": { + "CHS": "暖和的", + "ENG": "a room, building, or space that is snug is small, warm, and comfortable, and makes you feel protected" + }, + "pusillanimous": { + "CHS": "懦弱的, 胆小的, 优柔寡断的", + "ENG": "frightened of taking even small risks" + }, + "sibylline": { + "CHS": "女巫的, 预言性的" + }, + "adventitious": { + "CHS": "偶然的, 外来的", + "ENG": "happening by chance" + }, + "fortuitous": { + "CHS": "偶然的, 幸运的", + "ENG": "happening by chance, especially in a way that has a good result" + }, + "repellent": { + "CHS": "排斥的" + }, + "exclusive": { + "CHS": "排外的, 孤高的, 唯我独尊的, 独占的, 唯一的, 高级的", + "ENG": "available or belonging only to particular people, and not shared" + }, + "staggering": { + "CHS": "蹒跚的, 摇晃的, 另人惊愕的", + "ENG": "Something that is staggering is very surprising" + }, + "unkempt": { + "CHS": "蓬乱的, 粗野的, 不整洁的", + "ENG": "unkempt hair or plants have not been cut and kept neat" + }, + "inflated": { + "CHS": "膨胀的, 夸张的, 通货膨胀的", + "ENG": "inflated ideas, opinions etc about someone or something make them seem better, more important etc than they real-ly are" + }, + "muff": { + "CHS": "皮手笼, 保温的, 笨拙的人, 接球失败" + }, + "hypodermic": { + "CHS": "皮下的, 皮下注射用的, 皮下组织的", + "ENG": "used to give an injection beneath the skin" + }, + "whacked": { + "CHS": "疲惫不堪的, 困乏的" + }, + "jaded": { + "CHS": "疲倦不堪的, 厌倦的", + "ENG": "someone who is jaded is no longer interested in or excited by something, usually because they have experienced too much of it" + }, + "poohed": { + "CHS": "疲倦的" + }, + "languid": { + "CHS": "疲倦的, 无力的, 没精打采的", + "ENG": "moving slowly and involving very little energy" + }, + "crank": { + "CHS": "脾气暴燥的, 易怒的" + }, + "splenetic": { + "CHS": "脾气坏的", + "ENG": "bad-tempered and often angry" + }, + "cantankerous": { + "CHS": "脾气坏的, 爱吵架的, 刚愎的, 任性的", + "ENG": "bad-tempered and complaining a lot" + }, + "petulant": { + "CHS": "脾气坏的, 使性子的", + "ENG": "behaving in an unreasonably impatient and angry way, like a child" + }, + "grumpy": { + "CHS": "脾气坏的, 性情乖戾的, 脾气暴躁的", + "ENG": "bad-tempered and easily annoyed" + }, + "narky": { + "CHS": "脾气坏的, 易生气的" + }, + "devious": { + "CHS": "偏僻的, 迂回的, 曲折的", + "ENG": "not going in the most direct way to get to a place" + }, + "personable": { + "CHS": "漂亮的" + }, + "bonny": { + "CHS": "漂亮的, 健美的", + "ENG": "pretty and healthy" + }, + "indigent": { + "CHS": "贫乏的, 穷困的", + "ENG": "very poor" + }, + "sterile": { + "CHS": "贫脊的, 不育的, 不结果的, 消过毒的, 毫无结果的", + "ENG": "a person or animal that is sterile cannot produce babies" + }, + "necessitous": { + "CHS": "贫困的", + "ENG": "very needy; destitute; poverty-stricken " + }, + "even": { + "CHS": "平的, 平滑的, 偶数的, 一致的, 平静的, 恰好的, 平均的, 连贯的", + "ENG": "flat and level, with no parts that are higher than other parts" + }, + "egalitarian": { + "CHS": "平等主义的", + "ENG": "based on the belief that everyone is equal and should have equal rights" + }, + "banal": { + "CHS": "平凡的, 陈腐的, 老一套的", + "ENG": "ordinary and not interesting, because of a lack of new or different ideas" + }, + "glossy": { + "CHS": "平滑的, 有光泽的", + "ENG": "shiny and smooth" + }, + "placid": { + "CHS": "平静的", + "ENG": "a placid person does not often get angry or upset and does not usually mind doing what other people want them to" + }, + "reposeful": { + "CHS": "平稳的, 沉着的" + }, + "matey": { + "CHS": "平易近人的, 友好的", + "ENG": "behaving as if you were someone’s friend" + }, + "insolvent": { + "CHS": "破产的", + "ENG": "not having enough money to pay what you owe" + }, + "defamatory": { + "CHS": "破坏名誉的, 诽谤的", + "ENG": "Speech or writing that is defamatory is likely to damage someone's good reputation by saying something bad and untrue about them" + }, + "devastating": { + "CHS": "破坏性的, 全然的", + "ENG": "badly damaging or destroying something" + }, + "tatty": { + "CHS": "破旧的, 褴褛的, 不值钱的", + "ENG": "in bad condition" + }, + "shabby": { + "CHS": "破旧的, 褴褛的, 低劣的, 卑鄙的, 不公平的", + "ENG": "shabby clothes, places, or objects are untidy and in bad condition because they have been used for a long time" + }, + "tattered": { + "CHS": "破烂的, 褴褛的", + "ENG": "clothes, books etc that are tattered are old and torn" + }, + "menial": { + "CHS": "仆人的" + }, + "artless": { + "CHS": "朴实的", + "ENG": "natural, honest, and sincere" + }, + "rife": { + "CHS": "普遍的", + "ENG": "if something bad or unpleasant is rife, it is very common" + }, + "prevalent": { + "CHS": "普遍的, 流行的", + "ENG": "common at a particular time, in a particular place, or among a particular group of people" + }, + "pervasive": { + "CHS": "普遍深入的" + }, + "mediocre": { + "CHS": "普普通通的" + }, + "beguiling": { + "CHS": "欺骗的, 消遣的" + }, + "fraudulent": { + "CHS": "欺诈的, 欺骗性的, 骗得的", + "ENG": "intended to deceive people in an illegal way, in order to gain money, power etc" + }, + "grotesque": { + "CHS": "奇形怪状的, 奇异" + }, + "bizarre": { + "CHS": "奇异的(指态度,容貌,款式等)", + "ENG": "very unusual or strange" + }, + "mendicant": { + "CHS": "乞丐的", + "ENG": "begging " + }, + "apocalyptic": { + "CHS": "启示录的, 天启的", + "ENG": "Apocalyptic means relating to or involving predictions about future disasters and the destruction of the world" + }, + "psychedelic": { + "CHS": "起幻觉的, 迷幻的", + "ENG": "psychedelic drugs such as lsd make you hallucinate (= see things that do not exist ) " + }, + "bullate": { + "CHS": "起水泡的, 肿胀的", + "ENG": "puckered or blistered in appearance " + }, + "insurgent": { + "CHS": "起义的" + }, + "downcast": { + "CHS": "气馁的, 悲哀的, 沮丧的, (眼睛)向下看的", + "ENG": "sad or upset because of something bad that has happened" + }, + "livid": { + "CHS": "铅色的, (被打得)青紫色的", + "ENG": "a mark on your skin that is livid is dark blue and grey" + }, + "unassuming": { + "CHS": "谦逊的, 不装腔作势的", + "ENG": "showing no desire to be noticed or given special treatment" + }, + "anterior": { + "CHS": "前面的, 在前的", + "ENG": "at or towards the front" + }, + "numismatic": { + "CHS": "钱币的, 奖章的, 钱币学的" + }, + "latent": { + "CHS": "潜在的, 潜伏的, 隐藏的", + "ENG": "something that is latent is present but hidden, and may develop or become more noticeable in the future" + }, + "unadvised": { + "CHS": "欠思虑的, 轻率的, 未曾受到劝告的" + }, + "formidable": { + "CHS": "强大的, 令人敬畏的, 可怕的, 艰难的", + "ENG": "very powerful or impressive, and often frightening" + }, + "sturdy": { + "CHS": "强健的, 坚定的, 毫不含糊的", + "ENG": "someone who is sturdy is strong, short, and healthy looking" + }, + "spanking": { + "CHS": "强烈的, 疾行的" + }, + "obtrusive": { + "CHS": "强迫人的, 突出的, 鲁莽的, 令人厌恶的, 过分炫耀的", + "ENG": "noticeable in an unpleasant or annoying way" + }, + "cogent": { + "CHS": "强有力的, 使人信服的, 使人首肯的, 恰到好处的", + "ENG": "if a statement is cogent, it seems reasonable and correct" + }, + "compelling": { + "CHS": "强制的, 强迫的, 引人注目的", + "ENG": "If you describe something such as a film or book, or someone's appearance, as compelling, you mean you want to keep looking at it or reading it because you find it so interesting" + }, + "compulsive": { + "CHS": "强制的, 强迫的, 由强迫产生的, 禁不住的" + }, + "hale": { + "CHS": "强壮的, 健壮的(尤指老人), 矍铄的", + "ENG": "someone, especially an old person, who is hale and hearty is very healthy and active" + }, + "sinewy": { + "CHS": "强壮有力的", + "ENG": "a sinewy person has a thin body and strong muscles" + }, + "mural": { + "CHS": "墙壁上的" + }, + "gaunt": { + "CHS": "憔悴的", + "ENG": "very thin and pale, especially because of illness or continued worry" + }, + "nifty": { + "CHS": "俏皮的, 极好的" + }, + "tangible": { + "CHS": "切实的", + "ENG": "clear enough or definite enough to be easily seen or noticed" + }, + "tangential": { + "CHS": "切线的", + "ENG": "If something is tangential to something else, it is at a tangent to it" + }, + "recreant": { + "CHS": "怯懦的", + "ENG": "cowardly; faint-hearted " + }, + "affectionate": { + "CHS": "亲爱的, 挚爱的", + "ENG": "showing in a gentle way that you love someone and care about them" + }, + "conversant": { + "CHS": "亲近的, 有交情的, 熟悉的", + "ENG": "having knowledge or experience of something" + }, + "intimate": { + "CHS": "亲密的, 隐私的", + "ENG": "having an extremely close friendship" + }, + "genial": { + "CHS": "亲切的", + "ENG": "friendly and happy" + }, + "amiable": { + "CHS": "亲切的, 和蔼可亲的", + "ENG": "friendly and easy to like" + }, + "obliging": { + "CHS": "亲切的, 有礼貌的, 愿意帮人忙的" + }, + "assiduous": { + "CHS": "勤勉的, 刻苦的", + "ENG": "Someone who is assiduous works hard or does things very thoroughly" + }, + "juvenile": { + "CHS": "青少年的, 幼稚的", + "ENG": "law relating to young people who are not yet adults" + }, + "portable": { + "CHS": "轻便的, 手提(式)的, 便携式的", + "ENG": "able to be carried or moved easily" + }, + "ethereal": { + "CHS": "轻的, 天上的, 象空气的" + }, + "sprightly": { + "CHS": "轻快的" + }, + "disdainful": { + "CHS": "轻蔑的, 倨傲的", + "ENG": "showing that you do not respect someone or something, because you think that they are not important or good enough" + }, + "coltish": { + "CHS": "轻佻的, 不受拘束的, 小马似的" + }, + "frivolous": { + "CHS": "轻佻的, 琐碎的, 妄动的", + "ENG": "If you describe someone as frivolous, you mean they behave in a silly or light-hearted way, rather than being serious and sensible" + }, + "credulous": { + "CHS": "轻信的", + "ENG": "always believing what you are told, and therefore easily deceived" + }, + "prone": { + "CHS": "倾向于", + "ENG": "likely to do something or suffer from something, especially something bad or harmful" + }, + "gradient": { + "CHS": "倾斜的" + }, + "oblique": { + "CHS": "倾斜的, 间接的, 不坦率的, 无诚意的", + "ENG": "not expressed in a direct way" + }, + "unspotted": { + "CHS": "清白的" + }, + "limpid": { + "CHS": "清澈的", + "ENG": "clear or transparent" + }, + "puritanical": { + "CHS": "清教徒的, 严格的", + "ENG": "very strict about moral matters, especially sex – used in order to show disapproval" + }, + "legible": { + "CHS": "清晰的, 易读的", + "ENG": "written or printed clearly enough for you to read" + }, + "comely": { + "CHS": "清秀的, 标致的", + "ENG": "a comely woman is attractive" + }, + "festive": { + "CHS": "庆祝的, 喜庆的, 欢乐的, 节日似", + "ENG": "looking or feeling bright and cheerful in a way that seems suitable for celebrating something" + }, + "subservient": { + "CHS": "屈从的, 有帮助的, 有用的, 奉承的", + "ENG": "always obeying another person and doing everything they want you to do – used when someone seems too weak and powerless" + }, + "faddish": { + "CHS": "趋于时尚的, 流行的, 风行的", + "ENG": "If you describe something as faddish, you mean that it has no real value and that it will not remain popular for very long" + }, + "curvaceous": { + "CHS": "曲线美的, 肉体美的", + "ENG": "having an attractively curved body shape – used about women" + }, + "tortuous": { + "CHS": "曲折的, 转弯抹角的", + "ENG": "a tortuous path, stream, road etc has a lot of bends in it and is therefore difficult to travel along" + }, + "indelible": { + "CHS": "去不掉的, 不能拭除的", + "ENG": "Indelible ink or an indelible stain cannot be removed or washed out" + }, + "authoritative": { + "CHS": "权威的, 有权威的, 命令的", + "ENG": "an authoritative book, account etc is respected because the person who wrote it knows a lot about the subject" + }, + "pandemic": { + "CHS": "全国流行的" + }, + "comprehensive": { + "CHS": "全面的, 广泛的, 能充分理解的, 包容的", + "ENG": "including all the necessary facts, details, or problems that need to be dealt with" + }, + "omnipotent": { + "CHS": "全能的, 无所不能的", + "ENG": "able to do everything" + }, + "bedraggled": { + "CHS": "全身泥污的, 湿透的, 荒废的", + "ENG": "Someone or something that is bedraggled looks messy because they have got wet or dirty" + }, + "rapt": { + "CHS": "全神贯注的", + "ENG": "so interested in something that you do not notice anything else" + }, + "devoid": { + "CHS": "全无的, 缺乏的", + "ENG": "If you say that someone or something is devoid of a quality or thing, you are emphasizing that they have none of it" + }, + "disparate": { + "CHS": "全异的" + }, + "omniscient": { + "CHS": "全知的, 无所不知的", + "ENG": "knowing everything" + }, + "admonitory": { + "CHS": "劝告的" + }, + "hortative": { + "CHS": "劝告的, 鼓励的, 忠告的, 奖励的", + "ENG": "tending to exhort; encouraging " + }, + "edentulous": { + "CHS": "缺齿的", + "ENG": "having no teeth " + }, + "scant": { + "CHS": "缺乏的,不足的,将近的,欠缺的", + "ENG": "not enough" + }, + "apathetic": { + "CHS": "缺乏兴趣的, 缺乏感情的, 无动于衷的", + "ENG": "not interested in something, and not willing to make any effort to change or improve things" + }, + "jejune": { + "CHS": "缺乏营养的, 贫瘠的, 无兴趣的, 不成熟的", + "ENG": "ideas that are jejune are too simple" + }, + "entrenched": { + "CHS": "确立的,不容易改的(风俗习惯)" + }, + "assured": { + "CHS": "确实的, 确定的", + "ENG": "certain to happen or to be achieved" + }, + "corroborant": { + "CHS": "确证的, 使强固的", + "ENG": "serving to corroborate " + }, + "garrulous": { + "CHS": "饶舌的, 啁啾的, 多嘴的", + "ENG": "always talking a lot" + }, + "torrid": { + "CHS": "热带的", + "ENG": "involving strong emotions, especially of sexual love" + }, + "hot": { + "CHS": "热的, 热情的, 辣的, 激动的, 紧迫的, 节奏强的", + "ENG": "food that tastes hot has a burning taste because it contains strong spices" + }, + "solicitous": { + "CHS": "热切期望的" + }, + "impassioned": { + "CHS": "热情洋溢的" + }, + "thermoplastic": { + "CHS": "热塑性的" + }, + "zealous": { + "CHS": "热心的", + "ENG": "someone who is zealous does or supports something with great energy" + }, + "ardent": { + "CHS": "热心的, 热情洋溢的, 激烈的, 燃烧般的", + "ENG": "showing strong positive feelings about an activity and determination to succeed at it" + }, + "unfrequented": { + "CHS": "人迹罕到的", + "ENG": "not often visited by many people" + }, + "populous": { + "CHS": "人口多的, 人口稠密的", + "ENG": "a populous area has a large population in relation to its size" + }, + "contrived": { + "CHS": "人为的, 做作的", + "ENG": "seeming false and not natural" + }, + "factitious": { + "CHS": "人为的, 做作的, 不自然的", + "ENG": "made to happen artificially by people rather than happening naturally" + }, + "humane": { + "CHS": "仁慈的", + "ENG": "treating people or animals in a way that is not cruel and causes them as little suffering as possible" + }, + "charitable": { + "CHS": "仁慈的, (为)慈善事业的,宽恕的", + "ENG": "relating to giving help to the poor" + }, + "forbearing": { + "CHS": "忍耐的, 宽容的", + "ENG": "patient and willing to forgive" + }, + "cranky": { + "CHS": "任性的, 暴躁的, [航海]摇荡不稳的, 怪僻的", + "ENG": "strange" + }, + "willful": { + "CHS": "任性的, 故意的" + }, + "arbitrary": { + "CHS": "任意的, 武断的, 独裁的, 专断的", + "ENG": "decided or arranged without any reason or plan, often unfairly" + }, + "fluffy": { + "CHS": "绒毛似的, 披着绒毛的, 蓬松的, 愚蠢的", + "ENG": "food that is fluffy is made soft and light by mixing it quickly so that a lot of air is mixed into it" + }, + "capacious": { + "CHS": "容积大的, 宽敞的, 广阔的", + "ENG": "able to contain a lot" + }, + "maneuverable": { + "CHS": "容易操作的, 有机动性的" + }, + "effortless": { + "CHS": "容易的, 不费力气的", + "ENG": "something that is effortless is done in a very skilful way that makes it seem easy" + }, + "cushy": { + "CHS": "容易的, 轻松而容易赚钱的", + "ENG": "a cushy job or life is very easy and does not need much effort" + }, + "perishable": { + "CHS": "容易腐烂的", + "ENG": "food that is perishable is likely to decay quickly" + }, + "tippy": { + "CHS": "容易倾斜的, 不安定的, <英>头等的, 漂亮的, (毛织品)多绒尖的" + }, + "impressionable": { + "CHS": "容易受感动的, 敏感的", + "ENG": "someone who is impressionable is easily influenced, especially because they are young" + }, + "solvent": { + "CHS": "溶解的, 有偿付能力的, 有溶解力", + "ENG": "having enough money to pay your debts" + }, + "pleonastic": { + "CHS": "冗言的, 重复的" + }, + "prolix": { + "CHS": "冗长的, 说话罗嗦的", + "ENG": "a prolix piece of writing has too many words and is boring" + }, + "flexible": { + "CHS": "柔韧性, 易曲的, 灵活的, 柔软的, 能变形的, 可通融的", + "ENG": "a person, plan etc that is flexible can change or be changed easily to suit any new situation" + }, + "lissom": { + "CHS": "柔软的(人体)", + "ENG": "supple in the limbs or body; lithe; flexible " + }, + "supple": { + "CHS": "柔软的, 逢迎的, 顺从的", + "ENG": "someone who is supple bends and moves easily and gracefully" + }, + "limp": { + "CHS": "柔软的, 易曲的", + "ENG": "not firm or strong" + }, + "effeminate": { + "CHS": "柔弱的, 女人气的, 娇气的", + "ENG": "a man who is effeminate looks or behaves like a woman" + }, + "somatic": { + "CHS": "肉体的", + "ENG": "of or relating to the soma " + }, + "sensual": { + "CHS": "肉欲的, 色情的, 世俗的, 感觉的, 感觉论的" + }, + "encyclopedic": { + "CHS": "如百科辞典的, 百科全书式的", + "ENG": "having a lot of knowledge or information about a particular subject" + }, + "waspish": { + "CHS": "如黄蜂的, 腰细的, 易怒的, 尖刻的", + "ENG": "A waspish remark or sense of humour is sharp and critical" + }, + "mellifluous": { + "CHS": "如蜜般的, 流畅的" + }, + "opalescent": { + "CHS": "乳白色的", + "ENG": "having colours that shine and seem to change" + }, + "lactic": { + "CHS": "乳的, 乳汁的", + "ENG": "relating to or derived from milk " + }, + "flaccid": { + "CHS": "软弱的, 无活力的, 没气力的", + "ENG": "You use flaccid to describe a part of someone's body when it is unpleasantly soft and not hard or firm" + }, + "odoriferous": { + "CHS": "散发气味的, 臭的" + }, + "dishevelled": { + "CHS": "散乱的, 蓬乱的", + "ENG": "if someone’s appearance or their clothes, hair etc is dishevelled, they look very untidy" + }, + "discursive": { + "CHS": "散漫的, 不得要领的", + "ENG": "discussing many different ideas, facts etc, without always having a clear purpose" + }, + "desultory": { + "CHS": "散漫的, 不连贯的, 断断续续的", + "ENG": "done without any particular plan or purpose" + }, + "prosaic": { + "CHS": "散文的, 散文体的, 平凡的" + }, + "raucous": { + "CHS": "沙哑的", + "ENG": "sounding unpleasantly loud" + }, + "cismontane": { + "CHS": "山脉的这边的", + "ENG": "on this (the writer's or speaker's) side of the mountains, esp the Alps " + }, + "provocative": { + "CHS": "煽动的", + "ENG": "provocative behaviour, remarks etc are intended to make people angry or upset, or to cause a lot of discussion" + }, + "seditious": { + "CHS": "煽动性的, 妨害治安的", + "ENG": "A seditious act, speech, or piece of writing encourages people to fight against or oppose the government" + }, + "receptive": { + "CHS": "善于接受的, 能接纳的", + "ENG": "willing to consider new ideas or listen to someone else’s opinions" + }, + "concerted": { + "CHS": "商议定的, 协定的, [乐]协调的" + }, + "ascensive": { + "CHS": "上升的, 进步的, 强调的" + }, + "addictive": { + "CHS": "上瘾的", + "ENG": "if a substance, especially a drug, is addictive, your body starts to need it regularly and you are unable to stop taking it" + }, + "sumptuous": { + "CHS": "奢侈的, 华丽的", + "ENG": "very impressive and expensive" + }, + "extravagant": { + "CHS": "奢侈的, 浪费的, 过分的, 放纵的", + "ENG": "spending or costing a lot of money, especially more than is necessary or more than you can afford" + }, + "sybaritic": { + "CHS": "奢侈逸乐的, 柔弱的", + "ENG": "wanting or enjoying expensive pleasures and comforts" + }, + "colubrine": { + "CHS": "蛇的, 蛇似的", + "ENG": "of or resembling a snake " + }, + "snaky": { + "CHS": "蛇一般的, 弯弯曲曲的, 阴险的, 多蛇的", + "ENG": "of or like a snake; sinuous " + }, + "gregarious": { + "CHS": "社交的, 群居的", + "ENG": "friendly and preferring to be with other people" + }, + "corporate": { + "CHS": "社团的, 法人的, 共同的, 全体的", + "ENG": "shared by or involving all the members of a group" + }, + "esoteric": { + "CHS": "深奥", + "ENG": "known and understood by only a few people who have special knowledge about something" + }, + "recondite": { + "CHS": "深奥的, 隐藏的, 晦涩的", + "ENG": "recondite facts or subjects are not known about or understood by many people" + }, + "abysmal": { + "CHS": "深不可测的, 无底的" + }, + "fathomless": { + "CHS": "深不可测的, 无法计量, 无法了解的", + "ENG": "impossible to measure or understand" + }, + "contrite": { + "CHS": "深感懊悔的, 由悔悟引起的", + "ENG": "feeling guilty and sorry for something bad that you have done" + }, + "rancorous": { + "CHS": "深恨的, 怀恶意的" + }, + "incisive": { + "CHS": "深刻的, 尖锐的, 激烈的", + "ENG": "showing intelligence and a clear understanding of something" + }, + "deliberate": { + "CHS": "深思熟虑的, 故意的, 预有准备的", + "ENG": "intended or planned" + }, + "charismatic": { + "CHS": "神赐能力的, 超凡魅力的", + "ENG": "having charisma" + }, + "sacred": { + "CHS": "神的, 宗教的, 庄严的, 神圣的", + "ENG": "relating to a god or religion" + }, + "nervous": { + "CHS": "神经紧张的, 不安的, 强健有力的", + "ENG": "worried or frightened about something, and unable to relax" + }, + "arcane": { + "CHS": "神秘的, 不可思议的", + "ENG": "Something that is arcane is secret or mysterious" + }, + "occult": { + "CHS": "神秘的, 玄妙的, 不可思议的, 超自然的", + "ENG": "magical and mysterious" + }, + "inviolable": { + "CHS": "神圣的, 不可亵渎的, 不可侵犯的", + "ENG": "an inviolable right, law, principle etc is extremely important and should be treated with respect and not broken or removed" + }, + "hallowed": { + "CHS": "神圣化的, 神圣的", + "ENG": "holy or made holy by religious practices" + }, + "oracular": { + "CHS": "神谕的, 谜似的", + "ENG": "from or like an oracle" + }, + "delirious": { + "CHS": "神志昏迷的, 不省人事的, 发狂的", + "ENG": "Someone who is delirious is unable to think or speak in a sensible and reasonable way, usually because they are very ill and have a fever" + }, + "renal": { + "CHS": "肾脏的, 肾的", + "ENG": "relating to the kidney s " + }, + "circumspect": { + "CHS": "慎重的, 周到的", + "ENG": "thinking carefully about something before doing it, in order to avoid risk" + }, + "irate": { + "CHS": "生气, 发怒的", + "ENG": "If someone is irate, they are very angry about something" + }, + "huffish": { + "CHS": "生气的, 不高兴的, 发怒的, 傲慢的" + }, + "sulky": { + "CHS": "生气的, 阴沉的", + "ENG": "sulking, or tending to sulk" + }, + "fecund": { + "CHS": "生殖力旺盛的, 多产的, 丰饶的, 肥沃的", + "ENG": "able to produce many children, young animals, or crops" + }, + "disreputable": { + "CHS": "声名狼藉的, 破烂不堪的", + "ENG": "considered to be dishonest, bad, illegal etc" + }, + "notorious": { + "CHS": "声名狼籍的", + "ENG": "famous or well-known for something bad" + }, + "infamous": { + "CHS": "声名狼籍的", + "ENG": "well known for being bad or evil" + }, + "stentorian": { + "CHS": "声音洪亮的", + "ENG": "a stentorian voice is very loud and powerful" + }, + "provincial": { + "CHS": "省的", + "ENG": "relating to or coming from a province" + }, + "residual": { + "CHS": "剩余的, 残留的", + "ENG": "remaining after a process, event etc is finished" + }, + "impolitic": { + "CHS": "失策的, 不得当的, 不审慎的, 没见识的", + "ENG": "behaving in a way that is not careful and that could make people think you are not sensible" + }, + "discourteous": { + "CHS": "失礼的, 无礼貌的", + "ENG": "not polite, and not showing respect for other people" + }, + "leonine": { + "CHS": "狮子的, 狮子般的", + "ENG": "like a lion in character or appearance" + }, + "clammy": { + "CHS": "湿粘的, 湿冷的", + "ENG": "feeling unpleasantly wet, cold, and sticky" + }, + "foolproof": { + "CHS": "十分简单的, 十分安全的, 极坚固的" + }, + "temporal": { + "CHS": "时间的, 当时的, 暂时的, 现世的, 世俗的, [解]颞的", + "ENG": "related to or limited by time" + }, + "discriminating": { + "CHS": "识别的, 有差别的, 有识别力的", + "ENG": "able to judge what is of good quality and what is not" + }, + "executive": { + "CHS": "实行的, 执行的, 行政的", + "ENG": "relating to the job of managing a business or organization and making decisions" + }, + "herbivorous": { + "CHS": "食草的", + "ENG": "Herbivorous animals only eat plants" + }, + "carnivorous": { + "CHS": "食肉类的", + "ENG": "Carnivorous animals eat meat" + }, + "rubefacient": { + "CHS": "使发红的" + }, + "obtundent": { + "CHS": "使缓和的" + }, + "recuperative": { + "CHS": "使恢复的, 有恢复力的", + "ENG": "recuperative powers, abilities etc help someone or something get better again, especially after an illness" + }, + "sensational": { + "CHS": "使人感动的, 非常好的", + "ENG": "very good" + }, + "imposing": { + "CHS": "使人难忘的, 壮丽的" + }, + "delectable": { + "CHS": "使人愉快的", + "ENG": "If you describe something, especially food or drink, as delectable, you mean that it is very pleasant" + }, + "emollient": { + "CHS": "使柔软的", + "ENG": "making someone feel calmer when they have been angry" + }, + "magniloquent": { + "CHS": "使用夸张语言的, 华而不实的, 夸张的" + }, + "clannish": { + "CHS": "氏族的, 宗族排外的, 团结心很强的", + "ENG": "a group of people who are clannish are very close to each other, and seem unfriendly towards strangers" + }, + "schematic": { + "CHS": "示意性的" + }, + "mundane": { + "CHS": "世界的, 世俗的, 平凡的", + "ENG": "ordinary and not interesting or exciting" + }, + "ultramundane": { + "CHS": "世界之外的,太阳系之外的,超俗的", + "ENG": "extending beyond the world, this life, or the universe " + }, + "plausible": { + "CHS": "似是而非的", + "ENG": "reasonable and likely to be true or successful" + }, + "eburnated": { + "CHS": "似象牙般坚硬结实的" + }, + "snobbish": { + "CHS": "势利的", + "ENG": "behaving in a way that shows you think you are better than other people because you are from a higher social class or know more than they do" + }, + "appropriate": { + "CHS": "适当的", + "ENG": "correct or suitable for a particular time, situation, or purpose" + }, + "apposite": { + "CHS": "适当的", + "ENG": "suitable to what is happening or being discussed" + }, + "congruent": { + "CHS": "适合的", + "ENG": "fitting together well" + }, + "nubile": { + "CHS": "适婚的" + }, + "potable": { + "CHS": "适于饮用的", + "ENG": "potable water is safe to drink" + }, + "affected": { + "CHS": "受到影响的, 受(疾病)侵袭的, 假装的, 做作的", + "ENG": "not sincere or natural" + }, + "aggrieved": { + "CHS": "受虐待的, 权利受到不法侵害的, 抱不平的", + "ENG": "having suffered as a result of the illegal actions of someone else" + }, + "censorious": { + "CHS": "受批判的, 挑剔的", + "ENG": "criticizing and expressing disapproval" + }, + "lank": { + "CHS": "瘦的, (树等)细长的, (草等)稀疏的, (头发)平直的", + "ENG": "lank hair is thin, straight, and unattractive" + }, + "emaciated": { + "CHS": "瘦弱的, 衰弱的", + "ENG": "extremely thin from lack of food or illness" + }, + "scraggy": { + "CHS": "瘦弱的, 凸凹不平的", + "ENG": "If you describe a person or animal as scraggy, you mean that they look unattractive because they are so thin" + }, + "cosy": { + "CHS": "舒适的, 安逸的", + "ENG": "a place that is cosy is small, comfortable, and warm" + }, + "cozy": { + "CHS": "舒适的, 安逸的, 惬意的" + }, + "alienated": { + "CHS": "疏离的" + }, + "adroit": { + "CHS": "熟练的, 机捷的", + "ENG": "clever and skilful, especially in the way you use words and arguments" + }, + "habile": { + "CHS": "熟练的, 灵巧的", + "ENG": "skilful " + }, + "adept": { + "CHS": "熟练的, 拿手的", + "ENG": "good at something that needs care and skill" + }, + "versant": { + "CHS": "熟悉的" + }, + "stranded": { + "CHS": "束手无策的;进退两难的" + }, + "arboreal": { + "CHS": "树的, 乔木的, 树栖的", + "ENG": "relating to trees, or living in trees" + }, + "decrepit": { + "CHS": "衰老的", + "ENG": "old and in bad condition" + }, + "anile": { + "CHS": "衰老的, 似老妪的" + }, + "adynamic": { + "CHS": "衰弱的" + }, + "dual": { + "CHS": "双的, 二重的, 双重", + "ENG": "having two of something or two parts" + }, + "hyperbolic": { + "CHS": "双曲线的" + }, + "snappy": { + "CHS": "爽快的", + "ENG": "If someone has a snappy style of speaking, they speak in a quick, clever, brief, and often funny way" + }, + "chipper": { + "CHS": "爽朗的, 活泼的, 爽快的", + "ENG": "happy and active" + }, + "aquatic": { + "CHS": "水的, 水上的, 水生的, 水栖的", + "ENG": "living or growing in water" + }, + "subaqueous": { + "CHS": "水中的, 水下用的", + "ENG": "occurring, appearing, formed, or used under water " + }, + "dormant": { + "CHS": "睡眠状态的, 静止的, 隐匿的", + "ENG": "not active or not growing at the present time but able to be active later" + }, + "submissive": { + "CHS": "顺从的", + "ENG": "always willing to obey someone and never disagreeing with them, even if they are unkind to you" + }, + "biddable": { + "CHS": "顺从的, 可叫牌的", + "ENG": "willing to do what you are told without arguing" + }, + "compliant": { + "CHS": "顺从的, 适应的", + "ENG": "willing to obey or to agree to other people’s wishes and demands" + }, + "resigned": { + "CHS": "顺从的, 听天由命的", + "ENG": "a resigned look, voice etc shows that you are making yourself accept something that you do not like" + }, + "momentary": { + "CHS": "瞬间的, 刹那间的", + "ENG": "continuing for a very short time" + }, + "instantaneous": { + "CHS": "瞬间的, 即刻的, 即时的", + "ENG": "happening immediately" + }, + "ironic": { + "CHS": "说反话的, 讽刺的", + "ENG": "an ironic situation is one that is unusual or amusing because something strange happens, or the opposite of what is expected happens or is true" + }, + "sycophantic": { + "CHS": "说奉承话的, 阿谀的", + "ENG": "praising important or powerful people too much because you want to get something from them – used in order to show disapproval" + }, + "scurrilous": { + "CHS": "说话粗鄙恶劣的, 使用低级粗俗语言的, 嘴损的, 下流的", + "ENG": "scurrilous remarks, articles etc contain damaging and untrue statements about someone" + }, + "veracious": { + "CHS": "说实话的, 诚实的, 准确的, 真实的", + "ENG": "habitually truthful or honest " + }, + "judicial": { + "CHS": "司法的, 法院的, 公正的, 明断的", + "ENG": "relating to the law, judges, or their decisions" + }, + "sibilant": { + "CHS": "咝咝作声的", + "ENG": "making or being an ‘s’ or ‘sh’ sound" + }, + "hoarse": { + "CHS": "嘶哑的", + "ENG": "if you are hoarse, or if your voice is hoarse, you speak in a low rough voice, for example because your throat is sore" + }, + "posthumous": { + "CHS": "死后的, 身后的, 作者死后出版的, 遗腹的", + "ENG": "happening, printed etc after someone’s death" + }, + "defunct": { + "CHS": "死了的" + }, + "inanimate": { + "CHS": "死气沉沉的, 没生命的, 单调的", + "ENG": "not living" + }, + "perennial": { + "CHS": "四季不断的, 终年的, 长期的, 永久的, (植物)多年生的", + "ENG": "a plant that is perennial lives for more than two years" + }, + "unscrupulous": { + "CHS": "肆无忌惮的, 无道德的, 不谨慎的", + "ENG": "behaving in an unfair or dishonest way" + }, + "lax": { + "CHS": "松的, 松懈的, 不严格的, 腹泻的, 松驰的", + "ENG": "not strict or careful enough about standards of behaviour, work, safety etc" + }, + "eulogistic": { + "CHS": "颂扬的,歌功颂德" + }, + "tawdry": { + "CHS": "俗丽的, 非常华丽的", + "ENG": "If you describe something such as clothes or decorations as tawdry, you mean that they are cheap and show a lack of taste" + }, + "tart": { + "CHS": "酸的, 辛辣的, 尖酸的, 刻薄的", + "ENG": "food that is tart has a sharp sour taste" + }, + "libellous": { + "CHS": "损害名誉的, 用言语中伤他人的", + "ENG": "containing untrue written statements about someone which could make other people have a bad opinion of them" + }, + "disastrous": { + "CHS": "损失惨重的, 悲伤的" + }, + "proprietary": { + "CHS": "所有的, 私人拥有的", + "ENG": "relating to who owns something" + }, + "vapid": { + "CHS": "索然乏味的", + "ENG": "lacking intelligence, interest, or imagination" + }, + "trivial": { + "CHS": "琐细的, 价值不高的, 微不足道的", + "ENG": "not serious, important, or valuable" + }, + "avaricious": { + "CHS": "贪财的, 贪婪的", + "ENG": "An avaricious person is very greedy for money or possessions" + }, + "ravenous": { + "CHS": "贪婪的, 渴望的, 狼吞虎咽的" + }, + "covetous": { + "CHS": "贪婪的, 妄羡的", + "ENG": "having a very strong desire to have something that someone else has" + }, + "venal": { + "CHS": "贪污的", + "ENG": "willing to use power and influence in a dishonest way in return for money" + }, + "ingenuous": { + "CHS": "坦白的, 自然的, 直率的", + "ENG": "an ingenuous person is simple, trusting, and honest, especially because they have not had much experience of life" + }, + "quixotic": { + "CHS": "唐吉诃德式的, 狂想家的", + "ENG": "quixotic ideas or plans are not practical and are based on unreasonable hopes of improving the world" + }, + "brusque": { + "CHS": "唐突的, 直率的, 粗暴的, 无礼的", + "ENG": "using very few words, in a way that seems rude" + }, + "evasive": { + "CHS": "逃避的, 推托的", + "ENG": "not willing to answer questions directly" + }, + "fugitive": { + "CHS": "逃亡的, 无常的, 易变的", + "ENG": "trying to avoid being caught by the police" + }, + "peachy": { + "CHS": "桃色的", + "ENG": "tasting or looking like a peach" + }, + "loathsome": { + "CHS": "讨厌的", + "ENG": "very unpleasant or cruel" + }, + "abominable": { + "CHS": "讨厌的, 令人憎恶的", + "ENG": "extremely unpleasant or of very bad quality" + }, + "cumbersome": { + "CHS": "讨厌的, 麻烦的, 笨重的", + "ENG": "heavy and difficult to move" + }, + "offensive": { + "CHS": "讨厌的, 无礼的, 攻击性的", + "ENG": "very rude or insulting and likely to upset people" + }, + "antipathetic": { + "CHS": "讨厌的, 嫌恶的, 格格不入的", + "ENG": "having a very strong feeling of disliking or opposing someone or something" + }, + "uxorious": { + "CHS": "疼爱妻子的, 怕老婆的", + "ENG": "excessively attached to or dependent on one's wife " + }, + "buxom": { + "CHS": "体态丰满的", + "ENG": "a woman who is buxom is attractively large and healthy and has big breasts" + }, + "subaerial": { + "CHS": "天空下的, 地面上的, 接近地面的" + }, + "crude": { + "CHS": "天然的, 未加工的, 粗糙的, 拙劣的, 粗鲁的", + "ENG": "not exact or without any detail, but generally correct and useful" + }, + "celestial": { + "CHS": "天上的", + "ENG": "relating to the sky or heaven" + }, + "supernal": { + "CHS": "天上的, 神的, 高的, 超自然的", + "ENG": "of or from the world of the divine; celestial " + }, + "inborn": { + "CHS": "天生的, 生来的, 先天的", + "ENG": "an inborn quality or ability is one you have had naturally since birth" + }, + "connate": { + "CHS": "天生的, 先天的, 同族的", + "ENG": "existing in a person or thing from birth; congenital or innate " + }, + "campestral": { + "CHS": "田野的, 乡间的", + "ENG": "of or relating to open fields or country " + }, + "ferrous": { + "CHS": "铁的, 含铁的, [化]亚铁的", + "ENG": "containing or relating to iron" + }, + "stagnant": { + "CHS": "停滞的, 迟钝的", + "ENG": "not changing or making progress, and continuing to be in a bad condition" + }, + "draughty": { + "CHS": "通风良好的, 有隙缝风吹入的", + "ENG": "a draughty room or building has cold air blowing through it" + }, + "polyglot": { + "CHS": "通晓数种语言, 数种语言的", + "ENG": "speaking or using many languages" + }, + "cognate": { + "CHS": "同词源的,同类的", + "ENG": "cognate words or languages have the same origin" + }, + "homogeneous": { + "CHS": "同类的, 相似的, 均一的, 均匀的", + "ENG": "Homogeneous is used to describe a group or thing which has members or parts that are all the same" + }, + "coeval": { + "CHS": "同时代的", + "ENG": "of or belonging to the same age or generation " + }, + "synchronous": { + "CHS": "同时的, [物]同步的", + "ENG": "if two or more things are synchronous, they happen at the same time or work at the same speed" + }, + "simultaneous": { + "CHS": "同时的, 同时发生的", + "ENG": "things that are simultaneous happen at exactly the same time" + }, + "synonymous": { + "CHS": "同义的", + "ENG": "something that is synonymous with something else is considered to be very closely connected with it" + }, + "cupreous": { + "CHS": "铜的, 铜色的, 含铜的", + "ENG": "of, consisting of, containing, or resembling copper; coppery " + }, + "regnant": { + "CHS": "统治的, 占优势的, 居支配地位的", + "ENG": "reigning " + }, + "tubbish": { + "CHS": "桶状的, 肥胖的" + }, + "anguished": { + "CHS": "痛苦的, 苦恼的", + "ENG": "Anguished means showing or feeling great mental suffering or physical pain" + }, + "harrowing": { + "CHS": "痛心的, 悲惨的", + "ENG": "very frightening or shocking and making you feel very upset" + }, + "furtive": { + "CHS": "偷偷摸摸的, 鬼鬼祟祟的, 秘密的, 私下的, 隐密的", + "ENG": "behaving as if you want to keep something secret" + }, + "sneaking": { + "CHS": "偷偷逃走的, 不争气的, 内心里的, 卑鄙的" + }, + "muzzy": { + "CHS": "头脑发昏的, 无精神的, 酩酊的", + "ENG": "unable to think clearly especially because you are ill, sleepy, or drunk" + }, + "hyaline": { + "CHS": "透明的", + "ENG": "clear and translucent, with no fibres or granules " + }, + "pellucid": { + "CHS": "透明的, 澄清的, 易懂的", + "ENG": "very clear" + }, + "diaphanous": { + "CHS": "透明的, 精致的", + "ENG": "diaphanous cloth is so thin that you can almost see through it" + }, + "transparent": { + "CHS": "透明的, 显然的, 明晰的", + "ENG": "if something is transparent, you can see through it" + }, + "dank": { + "CHS": "透水的, 潮湿的, 阴湿寒冷的", + "ENG": "unpleasantly wet and cold" + }, + "gibbous": { + "CHS": "突起的" + }, + "protuberant": { + "CHS": "突起的, 凸出的, 隆起的", + "ENG": "Protuberant eyes, lips, noses, or teeth stick out more than usual from the face" + }, + "predial": { + "CHS": "土地的,不动产的,乡村的", + "ENG": "of or relating to land, farming, etc " + }, + "drab": { + "CHS": "土褐色的, 单调的", + "ENG": "boring" + }, + "cloddish": { + "CHS": "土块一样的, 土里土气的, 粗鲁的" + }, + "aboriginal": { + "CHS": "土著的, 原来的", + "ENG": "relating to the Australian aborigines" + }, + "lumpish": { + "CHS": "团状的, 笨重的, 不管用的", + "ENG": "heavy and awkward" + }, + "repulsive": { + "CHS": "推斥的, 排斥的, 严拒的, 令人厌恶的", + "ENG": "extremely unpleas-ant, in a way that almost makes you feel sick" + }, + "protrusive": { + "CHS": "推出的, 突出的, 凸出的", + "ENG": "tending to project or jut outwards " + }, + "decadent": { + "CHS": "颓废的", + "ENG": "having low moral standards and being more concerned with pleasure than serious matters" + }, + "recessive": { + "CHS": "退行的, 逆行的, [遗]隐性的", + "ENG": "a recessive gene is passed to children from their parents only if both parents have the gene" + }, + "degenerate": { + "CHS": "退化的", + "ENG": "morally unacceptable" + }, + "antifebrile": { + "CHS": "退热的, 解热的", + "ENG": "reducing fever; antipyretic " + }, + "retiring": { + "CHS": "退休的" + }, + "superannuated": { + "CHS": "退休的, 过时的", + "ENG": "old and no longer useful or no longer able to do things" + }, + "dilatory": { + "CHS": "拖拉的, 不慌不忙的", + "ENG": "slow in doing something" + }, + "tardy": { + "CHS": "拖拉非" + }, + "disjointed": { + "CHS": "脱节的,杂乱的", + "ENG": "something, especially a speech or piece of writing, that is disjointed has parts that do not seem well connected or are not arranged well" + }, + "awry": { + "CHS": "歪曲的, 错误的", + "ENG": "not in the correct position" + }, + "skew": { + "CHS": "歪斜的" + }, + "askew": { + "CHS": "歪斜的", + "ENG": "Something that is askew is not straight or not level with what it should be level with" + }, + "specious": { + "CHS": "外表美观, 华而不实的, 徒有其表的, 似是而非的, 外表美观的", + "ENG": "seeming to be true or correct, but actually false" + }, + "outlandish": { + "CHS": "外国气派的, 偏僻的, 古怪的, 奇异的", + "ENG": "strange and unusual" + }, + "diplomatic": { + "CHS": "外交的, 老练的", + "ENG": "relating to or involving the work of diplomats" + }, + "traumatic": { + "CHS": "外伤的, 创伤的", + "ENG": "a traumatic experience is so shocking and upsetting that it affects you for a long time" + }, + "peripheral": { + "CHS": "外围的", + "ENG": "in the outer area of something, or relating to this area" + }, + "explicit": { + "CHS": "外在的, 清楚的, 直率的, (租金等)直接付款的", + "ENG": "expressed in a way that is very clear and direct" + }, + "extrinsic": { + "CHS": "外在的, 外表的, 外来的", + "ENG": "Extrinsic reasons, forces, or factors exist outside the person or situation they affect" + }, + "crooked": { + "CHS": "弯曲的, 拐骗的, 不老实的", + "ENG": "bent, twisted, or not in a straight line" + }, + "sinuate": { + "CHS": "弯弯曲曲的, 波状的", + "ENG": "(of leaves) having a strongly waved margin " + }, + "serpentine": { + "CHS": "蜿蜒的", + "ENG": "winding like a snake" + }, + "sinuous": { + "CHS": "蜿蜒的, 错综复杂的, 动作复杂的, 不老实的", + "ENG": "moving with smooth twists and turns, like a snake" + }, + "immaculate": { + "CHS": "完美的", + "ENG": "exactly correct or perfect in every detail" + }, + "empirical": { + "CHS": "完全根据经验的, 经验主义的, [化]实验式", + "ENG": "based on scientific testing or practical experience, not on ideas" + }, + "intact": { + "CHS": "完整无缺的, 尚未被人碰过的, (女子)保持童贞的, (家畜)未经阉割的", + "ENG": "not broken, damaged, or spoiled" + }, + "remiss": { + "CHS": "玩忽职守的", + "ENG": "careless because you did not do something that you ought to have done" + }, + "tenacious": { + "CHS": "顽强的", + "ENG": "determined to do something and unwilling to stop trying even when the situation becomes difficult" + }, + "kaleidoscopic": { + "CHS": "万花筒的, 五花八门的" + }, + "perilous": { + "CHS": "危险的", + "ENG": "very dangerous" + }, + "parlous": { + "CHS": "危险的, 不易对付的, 精明的, 狡猾的", + "ENG": "in a very bad or dangerous condition" + }, + "hazardous": { + "CHS": "危险的, 冒险的, 碰运气的", + "ENG": "dangerous, especially to people’s health or safety" + }, + "minatory": { + "CHS": "威胁的", + "ENG": "threatening to hurt someone or something" + }, + "crepuscular": { + "CHS": "微光的, 拂晓的, 黄昏的", + "ENG": "Crepuscular means relating to " + }, + "tepid": { + "CHS": "微温的, 温热的, 不太热烈的, 不热情的", + "ENG": "a feeling, reaction etc that is tepid shows a lack of excitement or interest" + }, + "landlocked": { + "CHS": "为陆地所包围的", + "ENG": "a landlocked country, state etc is surrounded by other countries, states etc and has no coast" + }, + "fussy": { + "CHS": "为琐事而担忧的, 过分装饰的, 繁琐的, 急躁, 爱挑剔的, 难取悦的", + "ENG": "very concerned about small, usually unimportant details, and difficult to please" + }, + "illicit": { + "CHS": "违法的", + "ENG": "not allowed by laws or rules, or strongly disapproved of by society" + }, + "illegitimate": { + "CHS": "违法的, 非嫡出的, 庶生的, 私生的, 不合理的, 不合逻辑的", + "ENG": "born to parents who are not married" + }, + "mercenary": { + "CHS": "唯利是图的", + "ENG": "only interested in the money you may be able to get from a person, job etc" + }, + "apocryphal": { + "CHS": "伪经的,假冒的" + }, + "spurious": { + "CHS": "伪造的, 假造的, 欺骗的" + }, + "caudal": { + "CHS": "尾部的, 近尾部的", + "ENG": "relating to an animal’s tail" + }, + "salacious": { + "CHS": "猥亵的, 好色的" + }, + "pending": { + "CHS": "未决的", + "ENG": "not yet decided or settled" + }, + "unbolted": { + "CHS": "未上栓的", + "ENG": "(of grain, meal, or flour) not sifted " + }, + "lowbred": { + "CHS": "未受过好教育的" + }, + "unbidden": { + "CHS": "未受邀请的", + "ENG": "without being asked for, expected, or invited" + }, + "unfathomed": { + "CHS": "未探测深度的, 无法了解的, 未解决的" + }, + "inviolate": { + "CHS": "未亵渎的, 无污点的, 未受侵犯的", + "ENG": "something that is inviolate cannot be attacked, changed, or destroyed" + }, + "inchoate": { + "CHS": "未形成的, 早期的, 不完全的", + "ENG": "inchoate ideas, plans, attitudes etc are only just starting to develop" + }, + "limitrophe": { + "CHS": "位于边界上的", + "ENG": "(of a country or region) on or near a frontier " + }, + "gastric": { + "CHS": "胃的", + "ENG": "relating to your stomach" + }, + "suave": { + "CHS": "温和的", + "ENG": "someone who is suave is polite, confident, and relaxed, sometimes in an insincere way" + }, + "bland": { + "CHS": "温和的, 柔和的, 乏味的, 冷漠的, 刺激性少的" + }, + "meek": { + "CHS": "温顺的, 谦恭的, (河流等)和缓的, 驯服的", + "ENG": "very quiet and gentle and unwilling to argue with people" + }, + "couth": { + "CHS": "文雅的, 有礼貌的" + }, + "preliterate": { + "CHS": "文字出现以前的" + }, + "literal": { + "CHS": "文字的, 照字面上的, 无夸张的", + "ENG": "The literal sense of a word or phrase is its most basic sense" + }, + "inordinate": { + "CHS": "紊乱的" + }, + "complimentary": { + "CHS": "问候的, 称赞的, 夸奖的, 免费赠送的", + "ENG": "given free to people" + }, + "utopian": { + "CHS": "乌托邦的, 理想化的", + "ENG": "Utopian is used to describe political or religious philosophies which claim that it is possible to build a new and perfect society in which everyone is happy" + }, + "grimy": { + "CHS": "污秽的, 肮脏的", + "ENG": "covered with dirt" + }, + "foul": { + "CHS": "污秽的, 邪恶的, 肮脏的, 淤塞的, 恶劣的", + "ENG": "very dirty" + }, + "nonpareil": { + "CHS": "无比的", + "ENG": "having no match or equal; peerless " + }, + "proletarian": { + "CHS": "无产阶级的", + "ENG": "Proletarian means relating to the proletariat" + }, + "disingenuous": { + "CHS": "无诚意的", + "ENG": "not sincere and slightly dishonest" + }, + "gutless": { + "CHS": "无胆量的, 没勇气的, 没有生气的", + "ENG": "lacking courage or determination" + }, + "amorphous": { + "CHS": "无定形的, 无组织的", + "ENG": "having no definite shape or features" + }, + "inconsolable": { + "CHS": "无法安慰的, 极为伤心的", + "ENG": "so sad that it is impossible for anyone to comfort you" + }, + "impregnable": { + "CHS": "无法攻取的, 要塞坚固的, 不受影响的, 可以受孕的的", + "ENG": "a building that is impregnable is so strong that it cannot be entered by force" + }, + "inextricable": { + "CHS": "无法解脱的, 逃脱不掉的, 解不开的", + "ENG": "two or more things that are inextricable are closely related and affect each other" + }, + "inimitable": { + "CHS": "无法模仿的, 独特的, 无比的", + "ENG": "You use inimitable to describe someone, especially a performer, when you like or admire them because of their special qualities" + }, + "inexplicable": { + "CHS": "无法说明的", + "ENG": "too unusual or strange to be explained or understood" + }, + "impertinent": { + "CHS": "无关的, 鲁莽的, 不相干的", + "ENG": "rude and not respectful, especially to someone who is older or more important" + }, + "indifferent": { + "CHS": "无关紧要的" + }, + "extraneous": { + "CHS": "无关系的, 外来的, [化]外部裂化, [化]新异反射", + "ENG": "not belonging to or directly related to a particular subject or problem" + }, + "innocuous": { + "CHS": "无害的, 无毒的, 无伤大雅的, 不得罪人的", + "ENG": "not offensive, dangerous, or harmful" + }, + "inert": { + "CHS": "无活动的, 惰性的, 迟钝的", + "ENG": "not producing a chemical reaction when combined with other substances" + }, + "spineless": { + "CHS": "无脊骨的, 没有骨气的, 没有勇气的", + "ENG": "lacking courage and determination – used to show disapproval" + }, + "invertebrate": { + "CHS": "无脊椎的, 无骨气的", + "ENG": "Invertebrate is also an adjective" + }, + "impayable": { + "CHS": "无价的, 极贵重的, 无法清偿的, <口>无与伦比的, 极好的" + }, + "nugatory": { + "CHS": "无价值的, 没有力量的, 无效的", + "ENG": "having no value" + }, + "trashy": { + "CHS": "无价值的, 没有用的, 垃圾似的", + "ENG": "of extremely bad quality" + }, + "nondescript": { + "CHS": "无可名状的, 难以区别的, 无特征的" + }, + "incontestable": { + "CHS": "无可争辩的, 无可置疑的, 不可否认的", + "ENG": "clearly true and impossible to disagree with" + }, + "irreproachable": { + "CHS": "无可指责的, 不可非难的, 无缺点的, 无过失的", + "ENG": "something, such as someone’s behaviour, that is irreproachable is so good that you cannot criticize it" + }, + "flippancy": { + "CHS": "无礼, 轻率, 浮躁" + }, + "pert": { + "CHS": "无礼的, 爱管闲事的, 鲁莽的, 辛辣的, 活跃的, 别致的" + }, + "nerveless": { + "CHS": "无力的, 松懈的", + "ENG": "used to describe someone’s fingers when they cannot hold something firmly, especially because they have had a shock" + }, + "impotent": { + "CHS": "无力的, 虚弱的, 无效的, [医]阳萎的", + "ENG": "unable to take effective action because you do not have enough power, strength, or control" + }, + "feckless": { + "CHS": "无气力的, 没精神的, 软弱的, 无用的", + "ENG": "lacking determination, and not achieving anything in your life" + }, + "unexampled": { + "CHS": "无前例的, 无可比拟的" + }, + "relentless": { + "CHS": "无情的", + "ENG": "strict, cruel, or determined, without ever stopping" + }, + "inexorable": { + "CHS": "无情的" + }, + "callous": { + "CHS": "无情的, 冷淡的, 硬结的, 起老茧的", + "ENG": "not caring that other people are suffering" + }, + "inexhaustible": { + "CHS": "无穷无尽的", + "ENG": "something that is inexhaustible exists in such large amounts that it can never be finished or used up" + }, + "infinitesimal": { + "CHS": "无穷小的, 极小的, 无限小的", + "ENG": "extremely small" + }, + "erratic": { + "CHS": "无确定路线, 不稳定的, 奇怪的", + "ENG": "something that is erratic does not follow any pattern or plan but happens in a way that is not regular" + }, + "azoic": { + "CHS": "无生命的, 无生命时代的", + "ENG": "without life; characteristic of the ages that have left no evidence of life in the form of organic remains " + }, + "disembodied": { + "CHS": "无实质的, 无实体的", + "ENG": "existing without a body or separated from a body" + }, + "umpteen": { + "CHS": "无数的" + }, + "disinterested": { + "CHS": "无私的", + "ENG": "able to judge a situation fairly because you are not concerned with gaining any personal advantage from it" + }, + "categorical": { + "CHS": "无条件的, 绝对的, 直接了当的(陈述、理论等)", + "ENG": "a categorical statement is a clear statement that something is definitely true or false" + }, + "atonal": { + "CHS": "无调的", + "ENG": "a piece of music that is atonal is not based on a particular key 2 4 " + }, + "intrepid": { + "CHS": "无畏的, 勇猛的", + "ENG": "willing to do dangerous things or go to dangerous places – often used humorously" + }, + "flawless": { + "CHS": "无瑕疵的, 无缺点的, 无裂缝的", + "ENG": "having no mistakes or marks, or not lacking anything" + }, + "chinless": { + "CHS": "无下颚的, 优柔寡断的" + }, + "interminable": { + "CHS": "无限的, 冗长的", + "ENG": "very long and boring" + }, + "unavailing": { + "CHS": "无效的", + "ENG": "not successful or effective" + }, + "unimpeachable": { + "CHS": "无懈可击的, 无可指责的, 无过失的, 无可怀疑的", + "ENG": "so good or definite that criticism or doubt is impossible" + }, + "nescient": { + "CHS": "无学的, 无知的" + }, + "incorrigible": { + "CHS": "无药可救的, 不能被纠正的", + "ENG": "someone who is incorrigible is bad in a way that cannot be changed or improved – often used humorously" + }, + "dispossessed": { + "CHS": "无依无靠的, 被逐出的" + }, + "exhaustive": { + "CHS": "无遗漏的, 彻底的, 详尽的, 无遗的", + "ENG": "extremely thorough and complete" + }, + "improvident": { + "CHS": "无远见的, 浪费的", + "ENG": "too careless to save any money or to plan for the future" + }, + "anarchic": { + "CHS": "无政府主义的, 无法无天的", + "ENG": "lacking any rules or order, or not following the moral rules of society" + }, + "aspermous": { + "CHS": "无种子的" + }, + "orchestic": { + "CHS": "舞蹈的" + }, + "hygroscopic": { + "CHS": "吸湿的", + "ENG": "(of a substance) tending to absorb water from the air " + }, + "appealing": { + "CHS": "吸引人的, 哀诉似的, 恳求似的", + "ENG": "attractive or interesting" + }, + "sparse": { + "CHS": "稀少的, 稀疏的", + "ENG": "existing only in small amounts" + }, + "exiguous": { + "CHS": "稀少的, 细小的, 些须的", + "ENG": "very small in amount" + }, + "rheumy": { + "CHS": "稀粘液的, 潮湿的" + }, + "bustling": { + "CHS": "熙熙攘攘的, 忙乱的", + "ENG": "a bustling place is very busy" + }, + "extinct": { + "CHS": "熄灭的, 灭绝的, 耗尽的", + "ENG": "an extinct type of animal or plant does not exist any more" + }, + "rollicking": { + "CHS": "嬉戏耍闹作乐的" + }, + "seclusive": { + "CHS": "喜隐居的, 爱孤独的, 隐退性的", + "ENG": "tending to seclude " + }, + "histrionic": { + "CHS": "戏剧的", + "ENG": "If you refer to someone's behaviour as histrionic, you are critical of it because it is very dramatic, exaggerated, and insincere" + }, + "theatrical": { + "CHS": "戏剧性的", + "ENG": "relating to the performing of plays" + }, + "systemic": { + "CHS": "系统的, 身体组织的, 全身的" + }, + "gracile": { + "CHS": "细长的, 纤弱的" + }, + "illiberal": { + "CHS": "狭碍的, 偏执的, 吝啬的, 缺乏文化素养的, 粗鄙的", + "ENG": "not generous" + }, + "cramped": { + "CHS": "狭促的, 难辨的, 难懂的", + "ENG": "a cramped room, building etc does not have enough space for the people in it" + }, + "pendulous": { + "CHS": "下垂的", + "ENG": "hanging down loosely and swinging freely" + }, + "ribald": { + "CHS": "下流的", + "ENG": "ribald remarks or jokes are humorous, rude, and about sex" + }, + "scurvy": { + "CHS": "下流的, 卑鄙的, 无礼的" + }, + "drizzly": { + "CHS": "下毛毛雨的", + "ENG": "When the weather is drizzly, the sky is dull and grey and it rains steadily but not very hard" + }, + "nether": { + "CHS": "下面的, 下层社会的", + "ENG": "lower down - often used humorously" + }, + "subliminal": { + "CHS": "下意识的, 潜在意识的", + "ENG": "affecting your mind in a way that you are not conscious of" + }, + "aestival": { + "CHS": "夏季的", + "ENG": "of or occurring in summer " + }, + "innate": { + "CHS": "先天的, 天生的", + "ENG": "an innate quality or ability is something you are born with" + }, + "transcendental": { + "CHS": "先验的, 超越的, 超出人类经验的", + "ENG": "transcendental experiences or ideas are beyond normal human understanding and experience" + }, + "tenuous": { + "CHS": "纤细的", + "ENG": "very thin and easily broken" + }, + "otiose": { + "CHS": "闲着的, 怠惰的, 没有用的, 多余的", + "ENG": "unnecessary" + }, + "sage": { + "CHS": "贤明的, 明智的, 审慎的", + "ENG": "very wise, especially as a result of a lot of experience" + }, + "eminent": { + "CHS": "显赫的, 杰出的, 有名的, 优良的", + "ENG": "an eminent person is famous, important, and respected" + }, + "conspicuous": { + "CHS": "显著的", + "ENG": "very easy to notice" + }, + "sinister": { + "CHS": "险恶的", + "ENG": "making you feel that something evil, dangerous, or illegal is happening or will happen" + }, + "inclement": { + "CHS": "险恶的, 严酷的", + "ENG": "inclement weather is unpleasantly cold, wet etc" + }, + "extant": { + "CHS": "现存的, 未毁的, <古>突出的, 显著的", + "ENG": "still existing in spite of being very old" + }, + "linear": { + "CHS": "线的, 直线的, 线性的", + "ENG": "consisting of lines, or in the form of a straight line" + }, + "rustic": { + "CHS": "乡村的", + "ENG": "simple, old-fashioned, and not spoiled by modern developments, in a way that is typical of the countryside" + }, + "rural": { + "CHS": "乡下的, 田园的, 乡村风味的, 生活在农村的", + "ENG": "happening in or relating to the countryside, not the city" + }, + "commensurate": { + "CHS": "相称的, 相当的", + "ENG": "matching something in size, quality, or length of time" + }, + "equivalent": { + "CHS": "相等的, 相当的, 同意义的", + "ENG": "having the same value, purpose, job etc as a person or thing of a different kind" + }, + "coterminous": { + "CHS": "相连的, 连接的", + "ENG": "having the same pattern or features" + }, + "verbose": { + "CHS": "详细的, 冗长的", + "ENG": "using or containing too many words" + }, + "prestigious": { + "CHS": "享有声望的, 声望很高的", + "ENG": "admired as one of the best and most important" + }, + "orotund": { + "CHS": "响朗的, 洪亮的, 夸大的", + "ENG": "(of the voice) resonant; booming " + }, + "responsive": { + "CHS": "响应的, 作出响应的" + }, + "shiftless": { + "CHS": "想不出办法的, 偷懒的, 无能的" + }, + "acquisitive": { + "CHS": "想获得的, 有获得可能性的, 可学到的" + }, + "somnolent": { + "CHS": "想睡的, 催眠的", + "ENG": "almost starting to sleep" + }, + "respectant": { + "CHS": "向后看的, 面对面的" + }, + "down": { + "CHS": "向下的" + }, + "centripetal": { + "CHS": "向心的,利用向心力的", + "ENG": "acting, moving, or tending to move towards a centre " + }, + "elephantine": { + "CHS": "象的, 粗笨的, 巨大的", + "ENG": "slow, heavy, and awkward, like an elephant" + }, + "beefy": { + "CHS": "象牛肉的, 健壮的, 结实的", + "ENG": "someone who is beefy is big, strong, and often quite fat" + }, + "reptilian": { + "CHS": "象爬虫的", + "ENG": "A reptilian creature is a reptile" + }, + "cadaverous": { + "CHS": "象尸体的, 苍白的" + }, + "velvety": { + "CHS": "象天鹅绒的, 柔软的", + "ENG": "looking, feeling, tasting, or sounding smooth and soft" + }, + "rancid": { + "CHS": "象油脂腐臭味的, 腐臭的", + "ENG": "oily or fatty food that is rancid smells or tastes unpleasant because it is no longer fresh" + }, + "emblematic": { + "CHS": "象征(性), 标记的", + "ENG": "seeming to represent or be a sign of something" + }, + "spongy": { + "CHS": "像海绵的, 柔软, 多孔而有弹性的", + "ENG": "soft and full of holes that contain air or liquid like a sponge11 " + }, + "rubbery": { + "CHS": "橡胶似的, 有弹力的", + "ENG": "looking or feeling like rubber" + }, + "peripatetic": { + "CHS": "逍遥学派的, 走来走去的" + }, + "trig": { + "CHS": "潇洒的" + }, + "puny": { + "CHS": "小的, 弱的, 微不足道的", + "ENG": "a puny person is small, thin, and weak" + }, + "diminutive": { + "CHS": "小的, 指小的, 小型的", + "ENG": "small" + }, + "lilliputian": { + "CHS": "小人国居民的", + "ENG": "extremely small compared to the normal size of things" + }, + "discreet": { + "CHS": "小心的, 慎重的, 有思虑的, 贤明的", + "ENG": "careful about what you say or do, so that you do not offend, upset, or embarrass people or tell secrets" + }, + "scrupulous": { + "CHS": "小心谨慎的, 细心的", + "ENG": "Someone who is scrupulous takes great care to do what is fair, honest, or morally right" + }, + "meticulous": { + "CHS": "小心翼翼的", + "ENG": "If you describe someone as meticulous, you mean that they do things very carefully and with great attention to detail" + }, + "intramural": { + "CHS": "校内的, 内部的", + "ENG": "happening within one school, or intended for the students of one school" + }, + "concordant": { + "CHS": "协调的" + }, + "synergic": { + "CHS": "协作的, 合作的" + }, + "nefarious": { + "CHS": "邪恶的, 穷凶极恶的", + "ENG": "evil or criminal" + }, + "satanic": { + "CHS": "邪恶的;恶魔的,魔鬼般的", + "ENG": "extremely cruel or evil" + }, + "compatible": { + "CHS": "谐调的, 一致的, 兼容的", + "ENG": "if two pieces of computer equipment are compatible, they can be used together, especially when they are made by different companies" + }, + "profane": { + "CHS": "亵渎的", + "ENG": "showing a lack of respect for God or holy things" + }, + "blasphemous": { + "CHS": "亵渎神明的, 不敬神的", + "ENG": "You can describe someone who shows disrespect for God or a religion as blasphemous. You can also describe what they are saying or doing as blasphemous. " + }, + "abstracted": { + "CHS": "心不在焉的, 出神的", + "ENG": "not noticing anything around you because you are thinking carefully about something else" + }, + "distracted": { + "CHS": "心烦意乱的", + "ENG": "anxious and unable to think clearly" + }, + "renascent": { + "CHS": "新生的, 复活的, 复兴的", + "ENG": "becoming popular, strong, or important again" + }, + "neolithic": { + "CHS": "新石器时代的", + "ENG": "Neolithic is used to describe things relating to the period when people had started farming but still used stone for making weapons and tools" + }, + "nebulous": { + "CHS": "星云的, 云雾状的, 模糊的, 朦胧的", + "ENG": "an idea that is nebulous is not at all clear or exact" + }, + "sonorous": { + "CHS": "醒目的" + }, + "agog": { + "CHS": "兴奋的, 热切的", + "ENG": "very excited about something and wanting to find out more" + }, + "elated": { + "CHS": "兴高采烈的, 得意洋洋", + "ENG": "extremely happy and excited, especially because of something that has happened or is going to happen" + }, + "rapturous": { + "CHS": "兴高采烈的, 欢天喜地的", + "ENG": "expressing great happiness or admiration – used especially in news reports" + }, + "erotic": { + "CHS": "性爱的, 性欲的, 色情的", + "ENG": "an erotic book, picture, or film shows people having sex, and is intended to make people reading or looking at it have feelings of sexual pleasure" + }, + "withdrawn": { + "CHS": "性格内向的,偏僻的, 孤独的", + "ENG": "very shy and quiet, and concerned only about your own thoughts" + }, + "congenial": { + "CHS": "性格相似的, 适意的", + "ENG": "suitable for something" + }, + "incompatible": { + "CHS": "性质相反的, 矛盾的, 不调和的", + "ENG": "If one thing or person is incompatible with another, they are very different in important ways, and do not suit each other or agree with each other" + }, + "ferocious": { + "CHS": "凶恶的, 残忍的, 凶猛的, <口>十分强烈的, 极度的", + "ENG": "violent, dangerous, and frightening" + }, + "fierce": { + "CHS": "凶猛的, 猛烈的, 热烈的, 暴躁的<美>极讨厌的, 难受的, <英方>精力旺盛的", + "ENG": "done with a lot of energy and strong feelings, and sometimes violence" + }, + "fraternal": { + "CHS": "兄弟的, 兄弟般的, 友爱的", + "ENG": "relating to brothers" + }, + "pectoral": { + "CHS": "胸的, 肺病的" + }, + "chesty": { + "CHS": "胸丰满的, 骄傲的", + "ENG": "used to describe a woman with large breasts, when you want to avoid saying this directly" + }, + "eloquent": { + "CHS": "雄辩的, 有口才的, 动人的, 意味深长的", + "ENG": "able to express your ideas and opinions well, especially in a way that influences people" + }, + "ursine": { + "CHS": "熊的, 象熊的", + "ENG": "of, relating to, or resembling a bear or bears " + }, + "inhibited": { + "CHS": "羞怯的, 内向的" + }, + "olfactory": { + "CHS": "嗅觉的", + "ENG": "connected with the sense of smell" + }, + "mendacious": { + "CHS": "虚假的, 说谎的", + "ENG": "not truthful" + }, + "vainglorious": { + "CHS": "虚荣的" + }, + "frail": { + "CHS": "虚弱的, 脆弱的, (意志)薄弱的", + "ENG": "someone who is frail is weak and thin because they are old or ill" + }, + "requisite": { + "CHS": "需要的, 必不可少的, 必备的", + "ENG": "needed for a particular purpose" + }, + "permissive": { + "CHS": "许可的" + }, + "rackety": { + "CHS": "喧扰的, 喜欢吵闹的, 摇晃的, 不牢固的", + "ENG": "noisy, rowdy, or boisterous " + }, + "tumultuous": { + "CHS": "喧嚣的", + "ENG": "very loud because people are happy and excited" + }, + "obstreperous": { + "CHS": "喧嚣的, 任性的", + "ENG": "noisy and refusing to do what someone asks" + }, + "blatant": { + "CHS": "喧嚣的, 俗丽的, 吵闹的, 炫耀的" + }, + "pendent": { + "CHS": "悬而未决的, 未定的", + "ENG": "dangling " + }, + "convoluted": { + "CHS": "旋绕的,费解的", + "ENG": "complicated and difficult to understand" + }, + "rotary": { + "CHS": "旋转的", + "ENG": "turning in a circle around a fixed point, like a wheel" + }, + "vertiginous": { + "CHS": "旋转的, 眩晕的, 眼花的, 迅速变化的, 不稳定的" + }, + "garish": { + "CHS": "炫耀的, 过分装饰的, (色彩、装饰、打扮等)俗气的", + "ENG": "You describe something as garish when you dislike it because it is very bright in an unattractive, showy way" + }, + "abridged": { + "CHS": "削减的, 删节的", + "ENG": "an abridged book, play etc has been made shorter but keeps its basic structure and meaning" + }, + "haematic": { + "CHS": "血的", + "ENG": "relating to, acting on, having the colour of, or containing blood " + }, + "gory": { + "CHS": "血淋淋的, 血污的, 满是血的", + "ENG": "covered in blood" + }, + "itinerant": { + "CHS": "巡回的", + "ENG": "travelling from place to place, especially to work" + }, + "disciplinarian": { + "CHS": "训练的, 规律的, 训育的" + }, + "expeditious": { + "CHS": "迅速的, 敏捷的", + "ENG": "Expeditious means quick and efficient" + }, + "overwhelming": { + "CHS": "压倒性的, 无法抵抗的", + "ENG": "very large or greater, more important etc than any other" + }, + "repressive": { + "CHS": "压抑的, 压制的", + "ENG": "not allowing the expression of feelings or desires, especially sexual ones" + }, + "oppressive": { + "CHS": "压制性的, 压迫的, 沉重的, 难以忍受的", + "ENG": "If you describe a society, its laws, or customs as oppressive, you think they treat people cruelly and unfairly" + }, + "reeky": { + "CHS": "烟雾弥漫的" + }, + "lingering": { + "CHS": "延迟的, 逗留不去的", + "ENG": "continuing to exist for longer than usual or desirable" + }, + "prolonged": { + "CHS": "延长的, 拖延的", + "ENG": "continuing for a long time" + }, + "rigorous": { + "CHS": "严格的, 严厉的, 严酷的, 严峻的", + "ENG": "careful, thorough, and exact" + }, + "austere": { + "CHS": "严峻的, 严厉的, 操行上一丝不苟的, 简朴的", + "ENG": "plain and simple and without any decoration" + }, + "grim": { + "CHS": "严酷的", + "ENG": "looking or sounding very serious" + }, + "scathing": { + "CHS": "严厉的", + "ENG": "a scathing remark criticizes someone or something very severely" + }, + "stern": { + "CHS": "严厉的, 苛刻的", + "ENG": "serious and strict, and showing strong disapproval of someone’s behaviour" + }, + "stringent": { + "CHS": "严厉的, 迫切的, 银根紧的", + "ENG": "a stringent law, rule, standard etc is very strict and must be obeyed" + }, + "perishing": { + "CHS": "严厉的, 讨厌的", + "ENG": "used to describe someone or something that is annoying you" + }, + "acrimonious": { + "CHS": "严厉的, 辛辣的" + }, + "ocular": { + "CHS": "眼睛的, 视觉的", + "ENG": "relating to your eyes or your ability to see" + }, + "blase": { + "CHS": "厌烦于享乐的" + }, + "voluptuous": { + "CHS": "艳丽的, 奢侈逸乐的" + }, + "supine": { + "CHS": "仰卧的, 掌心向上的, 懒散的, 向后靠的", + "ENG": "lying on your back" + }, + "ramshackle": { + "CHS": "摇摇欲坠的", + "ENG": "A ramshackle building is badly made or in bad condition, and looks as if it is likely to fall down" + }, + "rodent": { + "CHS": "咬的, 嚼的, [动物] 啮齿目的, 侵蚀性的" + }, + "glaring": { + "CHS": "耀眼的", + "ENG": "very bad and very noticeable" + }, + "currish": { + "CHS": "野狗似的, 恶意的, 爱吵闹的", + "ENG": "of or like a cur; rude or bad-tempered " + }, + "inhuman": { + "CHS": "野蛮的" + }, + "barbarous": { + "CHS": "野蛮的, 残暴的, 粗野的, (声音)刺耳的, 沙哑的", + "ENG": "wild and not civilized " + }, + "tramontane": { + "CHS": "野蛮的, 来自群山彼边的", + "ENG": "being or coming from the far side of the mountains, esp from the other side of the Alps as seen from Italy " + }, + "savage": { + "CHS": "野蛮的, 未开化的, 凶猛的, 残忍的", + "ENG": "very violent or cruel" + }, + "amateurish": { + "CHS": "业余的, 非职业的, 不熟练的", + "ENG": "not skilfully done or made" + }, + "nocturnal": { + "CHS": "夜的, 夜曲的", + "ENG": "an animal that is nocturnal is active at night" + }, + "ecumenical": { + "CHS": "一般的, 普通的" + }, + "dowdy": { + "CHS": "衣衫褴褛的, 寒酸的, 懒散的" + }, + "instrumental": { + "CHS": "仪器的, 器械的, 乐器的", + "ENG": "instrumental music is for instruments, not for voices" + }, + "genetic": { + "CHS": "遗传的, 起源的", + "ENG": "relating to genes or genetics" + }, + "oblivious": { + "CHS": "遗忘的, 忘却的, 健忘的" + }, + "acquired": { + "CHS": "已获得的, 已成习惯的, 后天通过自己的努力得到的" + }, + "obligatory": { + "CHS": "义不容辞的, 必须的", + "ENG": "something that is obligatory must be done because of a law, rule etc" + }, + "aberrant": { + "CHS": "异常的", + "ENG": "not usual or normal" + }, + "exotic": { + "CHS": "异国情调的, 外来的, 奇异的", + "ENG": "something that is exotic seems unusual and interesting because it is related to a foreign country – use this to show approval" + }, + "egregious": { + "CHS": "异乎寻常的, 过分的, 惊人的" + }, + "heretical": { + "CHS": "异教的, 异端的", + "ENG": "A belief or action that is heretical is one that most people think is wrong because it disagrees with beliefs that are generally accepted" + }, + "tetchy": { + "CHS": "易暴怒的, 脾气怪的", + "ENG": "likely to get angry or upset easily" + }, + "fallible": { + "CHS": "易错的, 可能犯错的", + "ENG": "able to make mistakes or be wrong" + }, + "passible": { + "CHS": "易动情的", + "ENG": "susceptible to emotion or suffering; able to feel " + }, + "querimonious": { + "CHS": "易发牢骚的" + }, + "fissile": { + "CHS": "易分裂的, 易裂的, 分裂性的, 可分裂的, 裂变的", + "ENG": "able to be split by atomic fission" + }, + "flimsy": { + "CHS": "易坏的, 脆弱的, 浅薄的, 没有价值的, 不足信的, (人)浮夸的", + "ENG": "flimsy cloth or clothing is light and thin" + }, + "miscible": { + "CHS": "易混合的", + "ENG": "capable of mixing " + }, + "tractable": { + "CHS": "易驾驭的, 驯良的, 易管教的, 易处理的", + "ENG": "easy to control or deal with" + }, + "salient": { + "CHS": "易见的, 显著的, 突出的, 跳跃的", + "ENG": "the salient points or features of something are the most important or most noticeable parts of it" + }, + "splashy": { + "CHS": "易溅的, 泼溅的, 有色斑的" + }, + "accessible": { + "CHS": "易接近的, 可到达的, 易受影响的, 可理解的", + "ENG": "a place, building, or object that is accessible is easy to reach or get into" + }, + "choleric": { + "CHS": "易怒的" + }, + "testy": { + "CHS": "易怒的, 暴躁的", + "ENG": "impatient and easily annoyed" + }, + "irascible": { + "CHS": "易怒的, 暴躁的", + "ENG": "easily becoming angry" + }, + "peevish": { + "CHS": "易怒的, 暴躁的, 带怒气的, 倔强的", + "ENG": "easily annoyed by small and unimportant things" + }, + "feisty": { + "CHS": "易怒的, 活跃的" + }, + "irritable": { + "CHS": "易怒的, 急躁的", + "ENG": "getting annoyed quickly or easily" + }, + "fractious": { + "CHS": "易怒的, 倔强的, 脾气不好的", + "ENG": "someone who is fractious becomes angry very easily" + }, + "pettish": { + "CHS": "易怒的, 闹情绪的", + "ENG": "peevish; petulant " + }, + "pliable": { + "CHS": "易曲折的, 柔软的, 圆滑的, 柔韧的", + "ENG": "able to bend without breaking or cracking" + }, + "combustible": { + "CHS": "易燃的", + "ENG": "able to burn easily" + }, + "flammable": { + "CHS": "易燃的, 可燃性的", + "ENG": "something that is flammable burns easily" + }, + "inflammable": { + "CHS": "易燃的, 易怒的", + "ENG": "inflammable materials or substances will start to burn very easily" + }, + "gullible": { + "CHS": "易受骗的", + "ENG": "too ready to believe what other people tell you, so that you are easily tricked" + }, + "friable": { + "CHS": "易碎的, 脆的", + "ENG": "friable rocks or soil are easily broken into very small pieces or into powder" + }, + "fragile": { + "CHS": "易碎的, 脆的", + "ENG": "easily broken or damaged" + }, + "ductile": { + "CHS": "易延展的, 易教导的, 柔软的", + "ENG": "ductile metals can be pressed or pulled into shape without needing to be heated" + }, + "ticklish": { + "CHS": "易痒的, 不稳定的, 难对付的, 忌讳的", + "ENG": "someone who is ticklish laughs a lot when you tickle them" + }, + "invidious": { + "CHS": "易招嫉妒的, 不公平的, 诽谤的", + "ENG": "An invidious comparison or choice between two things is an unfair one because the two things are very different or are equally good or bad" + }, + "facile": { + "CHS": "易做到的, 易得到的, 不花力气的, 敏捷的, 流畅的, (性格)柔顺的, 温和的, 容易的", + "ENG": "a facile achievement or success has been obtained too easily and has no value" + }, + "vaccine": { + "CHS": "疫苗的, 牛痘的" + }, + "unanimous": { + "CHS": "意见一致的, 无异议的", + "ENG": "a unanimous decision, vote, agreement etc is one in which all the people involved agree" + }, + "accidental": { + "CHS": "意外的, 非主要的, 附属的", + "ENG": "happening without being planned or intended" + }, + "equivocal": { + "CHS": "意义不明确的, 模棱两可的, 可疑的", + "ENG": "if you are equivocal, you are deliberately unclear in the way that you give information or your opinion" + }, + "cloying": { + "CHS": "因过量而厌烦的,倒胃口的" + }, + "infernal": { + "CHS": "阴间的, 恶魔的", + "ENG": "used to express anger or annoyance about something" + }, + "somber": { + "CHS": "阴森的, 昏暗的, 阴天的, 忧郁的" + }, + "insidious": { + "CHS": "阴险的" + }, + "jesuitical": { + "CHS": "阴险的;虚伪的" + }, + "glum": { + "CHS": "阴郁的, 阴沉的", + "ENG": "if someone is glum, they feel unhappy and do not talk a lot" + }, + "canorous": { + "CHS": "音乐般的, 音调优美的", + "ENG": "tuneful; melodious " + }, + "eurhythmic": { + "CHS": "音乐舞蹈体操的" + }, + "melodious": { + "CHS": "音调优美的", + "ENG": "something that sounds melodious sounds like music or has a pleasant tune" + }, + "debonair": { + "CHS": "殷勤的, 高兴的, 快活的, 温文尔雅的", + "ENG": "A man who is debonair is confident, charming, and well dressed" + }, + "lecherous": { + "CHS": "淫荡的, 色情的,挑动春情的", + "ENG": "a lecherous man shows his sexual desire for women in a way that is unpleasant or annoying" + }, + "lewd": { + "CHS": "淫荡的, 猥亵的, 下流的", + "ENG": "using rude words or movements that make you think of sex" + }, + "obscene": { + "CHS": "淫秽的, 猥亵的", + "ENG": "relating to sex in a way that is shocking and offensive" + }, + "derivative": { + "CHS": "引出的, 系出的" + }, + "objectionable": { + "CHS": "引起反对的, 讨厌的", + "ENG": "unpleasant and likely to offend people" + }, + "resonant": { + "CHS": "引起共鸣的", + "ENG": "resonant materials increase any sound produced inside them" + }, + "prejudicial": { + "CHS": "引起偏见的" + }, + "gripping": { + "CHS": "引起人注意的;吸引人的", + "ENG": "a gripping film, story etc is very exciting and interesting" + }, + "inviting": { + "CHS": "引人动心的, 有魅力的", + "ENG": "something that is inviting is very attractive and makes you want to be near it, try it, taste it etc" + }, + "ravishing": { + "CHS": "引人入胜的" + }, + "engrossing": { + "CHS": "引人入胜的, 极有趣的", + "ENG": "Something that is engrossing is very interesting and holds your attention completely" + }, + "spectacular": { + "CHS": "引人入胜的, 壮观的", + "ENG": "very impressive" + }, + "prepossessing": { + "CHS": "引人注意的", + "ENG": "looking attractive or pleasant" + }, + "crapulent": { + "CHS": "饮(吃)过量的, 暴饮暴食的" + }, + "bibulous": { + "CHS": "饮酒的, 嗜酒的, 吸水的", + "ENG": "liking to drink too much alcohol – sometimes used humorously" + }, + "covert": { + "CHS": "隐蔽的, 偷偷摸摸的, [律]在丈夫保护下的", + "ENG": "secret or hidden" + }, + "recluse": { + "CHS": "隐遁的, 寂寞的" + }, + "connotative": { + "CHS": "隐含的, 内涵的" + }, + "secluded": { + "CHS": "隐退的, 隐蔽的", + "ENG": "very private and quiet" + }, + "metaphorical": { + "CHS": "隐喻性的, 比喻性的", + "ENG": "a metaphorical use of a word is not concerned with real objects or physical events, but with ideas or events of a non-physical kind" + }, + "gallant": { + "CHS": "英勇的, 豪侠的, 堂皇的, 壮丽的, 华丽的, 对妇女献殷勤的", + "ENG": "a man who is gallant is kind and polite towards women" + }, + "infantile": { + "CHS": "婴儿的, 幼稚的, 适于婴儿的初期的", + "ENG": "infantile behaviour seems silly in an adult because it is typical of a child" + }, + "aquiline": { + "CHS": "鹰的, 象鹰的, 弯曲的", + "ENG": "If someone has an aquiline nose or profile, their nose is large, thin, and usually curved" + }, + "accipitral": { + "CHS": "鹰的, 鹰似的, 贪婪凶猛的" + }, + "fluorescent": { + "CHS": "荧光的, 莹光的", + "ENG": "a fluorescent light contains a tube filled with gas, which shines with a bright light when electricity is passed through it" + }, + "brimful": { + "CHS": "盈满的, 满到边际的", + "ENG": "very full of something" + }, + "hidebound": { + "CHS": "营养不良的, 量小的, 死板的", + "ENG": "having old-fashioned attitudes and ideas – used to show disapproval" + }, + "trophic": { + "CHS": "营养的, 有关营养的", + "ENG": "of or relating to nutrition " + }, + "perspicacious": { + "CHS": "颖悟的" + }, + "reprehensible": { + "CHS": "应斥责的, 应该谴责的", + "ENG": "reprehensible behaviour is very bad and deserves criticism" + }, + "finable": { + "CHS": "应罚款的, 可精制的, 可提炼的", + "ENG": "liable to a fine " + }, + "amenable": { + "CHS": "应服从的, 有服从义务的, 有责任的", + "ENG": "willing to accept what someone says or does without arguing" + }, + "sempiternal": { + "CHS": "永久的, 永恒的", + "ENG": "everlasting; eternal " + }, + "valiant": { + "CHS": "勇敢的, 英勇的", + "ENG": "very brave, especially in a difficult situation" + }, + "microscopic": { + "CHS": "用显微镜可见的, 精微的", + "ENG": "using a microscope" + }, + "exquisite": { + "CHS": "优美的, 高雅的, 精致的, 剧烈的, 异常的, 细腻的, 敏锐的", + "ENG": "extremely beautiful and very delicately made" + }, + "flabby": { + "CHS": "优柔寡断的性格(或人), 软弱的, 没气力的, 不稳的, (肌肉等)不结实的, 松弛的", + "ENG": "having unattractive soft loose flesh rather than strong muscles" + }, + "eugenic": { + "CHS": "优生的, 优生学的" + }, + "dolorous": { + "CHS": "忧伤的, 悲痛的", + "ENG": "causing or involving pain or sorrow " + }, + "facetious": { + "CHS": "幽默的, 滑稽的, 喜开玩笑的", + "ENG": "saying things that are intended to be clever and funny but are really silly and annoying" + }, + "temperamental": { + "CHS": "由气质引起的, 心情变化快的, 喜怒无常的", + "ENG": "likely to suddenly become upset, excited, or angry – used to show disapproval" + }, + "fragmentary": { + "CHS": "由碎片组成的, 断断续续的", + "ENG": "consisting of many different small parts" + }, + "granular": { + "CHS": "由小粒而成的, 粒状的", + "ENG": "consisting of granules" + }, + "stodgy": { + "CHS": "油腻的, 不易消化的, 乏味的, 暗淡的, 塞满的, 平凡的, 庸俗的, 笨重的", + "ENG": "If someone or something is stodgy, they are dull, unimaginative, and commonplace" + }, + "unctuous": { + "CHS": "油似的, 油质的, 松软肥沃的", + "ENG": "If you describe food or drink as unctuous, you mean that it is creamy or oily" + }, + "oleaginous": { + "CHS": "油质的", + "ENG": "containing, producing, or like oil" + }, + "nomadic": { + "CHS": "游牧的", + "ENG": "nomadic people are nomads" + }, + "amicable": { + "CHS": "友善的, 和平的", + "ENG": "an amicable agreement, relationship etc is one in which people feel friendly towards each other and do not want to quarrel" + }, + "notched": { + "CHS": "有凹口的, 有锯齿状的" + }, + "brindled": { + "CHS": "有斑的, 有斑纹的", + "ENG": "a brindled animal is brown and has marks or bands of another colour" + }, + "dappled": { + "CHS": "有斑点的", + "ENG": "marked with spots of colour, light, or shade" + }, + "streaky": { + "CHS": "有斑点的, 有条纹的, 容易变的", + "ENG": "marked with streaks" + }, + "remunerative": { + "CHS": "有报酬的, 有利的", + "ENG": "making a lot of money" + }, + "tempestuous": { + "CHS": "有暴风雨的, 暴乱的", + "ENG": "a tempestuous relationship or period of time involves a lot of difficulty and strong emotions" + }, + "discriminatory": { + "CHS": "有辨识力的, 有差别的" + }, + "valetudinarian": { + "CHS": "有病的, 虚弱的" + }, + "barbed": { + "CHS": "有刺的, 具侧刺毛的, (话语)尖刻的, 尖锐的, 讽刺的", + "ENG": "a barbed hook or arrow has one or more sharp curved points on it" + }, + "willowy": { + "CHS": "有弹性的, 多柳树的,苗条的,易弯曲的", + "ENG": "tall, thin, and graceful" + }, + "sagacious": { + "CHS": "有洞察力的, 有远见的, 精明的, 敏锐的" + }, + "venenous": { + "CHS": "有毒的" + }, + "viperous": { + "CHS": "有毒的, 阴险的", + "ENG": "of, relating to, or resembling a viper " + }, + "toxic": { + "CHS": "有毒的, 中毒的", + "ENG": "containing poison, or caused by poisonous substances" + }, + "malodorous": { + "CHS": "有恶臭的", + "ENG": "smelling unpleasant" + }, + "fetid": { + "CHS": "有恶臭的", + "ENG": "having a strong bad smell" + }, + "malevolent": { + "CHS": "有恶意的, 坏心肠的", + "ENG": "a malevolent person wants to harm other people" + }, + "buoyant": { + "CHS": "有浮力的, 轻快的", + "ENG": "able to float or keep things floating" + }, + "sentient": { + "CHS": "有感觉力的, 有感情的, 感觉灵敏的, 意识到的", + "ENG": "able to experience things through your senses" + }, + "meritorious": { + "CHS": "有功的" + }, + "pertinent": { + "CHS": "有关的, 相干的, 中肯的", + "ENG": "directly relating to something that is being considered" + }, + "articulate": { + "CHS": "有关节的, 发音清晰的", + "ENG": "writing or speech that is articulate is very clear and easy to understand even if the subject is difficult" + }, + "acoustic": { + "CHS": "有关声音的, 声学的, 音响学的", + "ENG": "relating to sound and the way people hear things" + }, + "lustrous": { + "CHS": "有光泽的, 光辉的", + "ENG": "shining in a soft gentle way" + }, + "pernicious": { + "CHS": "有害的", + "ENG": "very harmful or evil, often in a way that you do not notice easily" + }, + "noxious": { + "CHS": "有害的", + "ENG": "harmful or poisonous" + }, + "detrimental": { + "CHS": "有害的", + "ENG": "causing harm or damage" + }, + "baleful": { + "CHS": "有害的, 恶意的", + "ENG": "expressing anger, hatred, or a wish to harm someone" + }, + "mischievous": { + "CHS": "有害的, 恶作剧的, 淘气的, 为害", + "ENG": "someone who is mischievous likes to have fun, especially by playing tricks on people or doing things to annoy or embarrass them" + }, + "baneful": { + "CHS": "有害的, 使人苦恼的", + "ENG": "evil or bad" + }, + "noisome": { + "CHS": "有害的, 有毒的" + }, + "deleterious": { + "CHS": "有害的, 有毒的", + "ENG": "damaging or harmful" + }, + "abstentious": { + "CHS": "有节制的" + }, + "abstemious": { + "CHS": "有节制的, 节约的", + "ENG": "careful not to have too much food, drink etc" + }, + "temperate": { + "CHS": "有节制的, 适度的, 戒酒的, (气候)温和的", + "ENG": "behaviour that is temperate is calm and sensible" + }, + "permeable": { + "CHS": "有浸透性的, 能透过的", + "ENG": "material that is permeable allows water, gas etc to pass through it" + }, + "peart": { + "CHS": "有精神的, 快活的, 聪明的", + "ENG": "lively; spirited; brisk " + }, + "decorous": { + "CHS": "有礼貌的" + }, + "perceptive": { + "CHS": "有理解的", + "ENG": "If you describe a person or their remarks or thoughts as perceptive, you think that they are good at noticing or realizing things, especially things that are not obvious" + }, + "apprehensive": { + "CHS": "有理解力的" + }, + "justifiable": { + "CHS": "有理由的", + "ENG": "actions, reactions, decisions etc that are justifiable are acceptable because they are done for good reasons" + }, + "potent": { + "CHS": "有力的, 有效的", + "ENG": "having a very powerful effect or influence on your body or mind" + }, + "lucrative": { + "CHS": "有利的", + "ENG": "a job or activity that is lucrative lets you earn a lot of money" + }, + "germane": { + "CHS": "有密切关系的", + "ENG": "an idea, remark etc that is germane to something is related to it in an important and suitable way" + }, + "renowned": { + "CHS": "有名的, 有声誉的", + "ENG": "known and admired by a lot of people, especially for a special skill, achievement, or quality" + }, + "titular": { + "CHS": "有名无实的, 有资格的, 有头衔的", + "ENG": "A titular job or position has a name that makes it seem important, although the person who has it is not really powerful" + }, + "barred": { + "CHS": "有木栅的, 隔绝的, 被禁止的", + "ENG": "a barred window, gate etc has bars across it" + }, + "tendentious": { + "CHS": "有倾向的, 有偏见的", + "ENG": "a tendentious speech, remark, book etc expresses a strong opinion that is intended to influence people" + }, + "fuzzy": { + "CHS": "有绒毛的, 模糊的, 失真的", + "ENG": "if a sound or picture is fuzzy, it is unclear" + }, + "enterprising": { + "CHS": "有事业心的, 有进取心的, 有魄力的, 有胆量的, 富有进取心", + "ENG": "having the ability to think of new activities or ideas and make them work" + }, + "pithy": { + "CHS": "有髓的, 精练的", + "ENG": "if something that is said or written is pithy, it is intelligent and strongly stated, without wasting any words" + }, + "striated": { + "CHS": "有条纹的, 有细条的, 有线纹的", + "ENG": "having narrow lines or bands of colour" + }, + "sanguine": { + "CHS": "有望的, 乐天的, 面色红润的, 血红色的, 满怀希望的, 指望的", + "ENG": "happy and hopeful about the future" + }, + "chivalrous": { + "CHS": "有武士风度的,侠义的", + "ENG": "a man who is chivalrous behaves in a polite, kind, generous, and honourable way, especially towards women" + }, + "foraminate": { + "CHS": "有小孔的" + }, + "tacky": { + "CHS": "有些粘的, 缺乏教养或风度的, 俗气的" + }, + "gemmate": { + "CHS": "有芽的", + "ENG": "(of some plants and animals) having or reproducing by gemmae " + }, + "malleable": { + "CHS": "有延展性的, 可锻的", + "ENG": "something that is malleable is easy to press or pull into a new shape" + }, + "salutary": { + "CHS": "有益的", + "ENG": "a salutary experience is unpleasant but teaches you something" + }, + "beneficial": { + "CHS": "有益的, 受益的, [法律]有使用权的", + "ENG": "having a good effect" + }, + "salubrious": { + "CHS": "有益健康的" + }, + "provident": { + "CHS": "有远见的", + "ENG": "careful and sensible in the way you plan things, especially by saving money for the future" + }, + "restorative": { + "CHS": "有助于复元的", + "ENG": "Something that is restorative makes you feel healthier, stronger, or more cheerful after you have been feeling tired, weak, or miserable" + }, + "puerile": { + "CHS": "幼稚的, 孩子气的, 未成熟的, 平庸的", + "ENG": "silly and stupid" + }, + "seductive": { + "CHS": "诱人的", + "ENG": "someone, especially a woman, who is seductive is sexually attractive" + }, + "roundabout": { + "CHS": "迂回的, 转弯抹角的", + "ENG": "a roundabout way of saying something is not clear, direct, or simple" + }, + "periphrastic": { + "CHS": "迂回的, 转弯抹角的", + "ENG": "employing or involving periphrasis " + }, + "circuitous": { + "CHS": "迂回线路的", + "ENG": "going from one place to another in a way that is longer than the most direct way" + }, + "ambagious": { + "CHS": "迂远的, 迂曲的" + }, + "piscatorial": { + "CHS": "渔业的, 渔民的", + "ENG": "relating to fishing or people who go fishing" + }, + "gleeful": { + "CHS": "愉快的" + }, + "blithe": { + "CHS": "愉快的, 高兴的", + "ENG": "happy and having no worries" + }, + "dulcet": { + "CHS": "愉快的, 美妙的, 悦耳的, <古> 美味的, 有香味的" + }, + "daft": { + "CHS": "愚蠢的", + "ENG": "silly" + }, + "doltish": { + "CHS": "愚蠢的, 愚钝的, 呆笨的" + }, + "fatuous": { + "CHS": "愚昧的, 昏庸的, 发呆的, 愚笨的, 自满的", + "ENG": "very silly or stupid" + }, + "foolhardy": { + "CHS": "愚勇的, 有勇无谋的" + }, + "amoral": { + "CHS": "与道德无关的, 超道德的", + "ENG": "having no moral standards at all" + }, + "cosmic": { + "CHS": "宇宙的", + "ENG": "relating to space or the universe" + }, + "fledged": { + "CHS": "羽毛丰满的, 快会飞的, 随时能飞的" + }, + "pluvial": { + "CHS": "雨的, 有雨的, 多雨的, 洪水的", + "ENG": "of, characterized by, or due to the action of rain; rainy " + }, + "lingual": { + "CHS": "语言的" + }, + "morose": { + "CHS": "郁闷的, 乖僻的", + "ENG": "bad-tempered, unhappy, and silent" + }, + "prophylactic": { + "CHS": "预防疾病的", + "ENG": "intended to prevent disease" + }, + "anticipatory": { + "CHS": "预料的, 预想的" + }, + "prospective": { + "CHS": "预期的", + "ENG": "You use prospective to describe someone who wants to be the thing mentioned or who is likely to be the thing mentioned" + }, + "portentous": { + "CHS": "预示性的", + "ENG": "showing that something important is going to happen, especially something bad" + }, + "premeditated": { + "CHS": "预想的, 预谋的", + "ENG": "a premeditated crime or attack is planned in advance and done deliberately" + }, + "ominous": { + "CHS": "预兆的, 恶兆的, 不吉利的", + "ENG": "making you feel that something bad is going to happen" + }, + "prescient": { + "CHS": "预知的, 预见的", + "ENG": "able to imagine or know what will happen in the future" + }, + "incandescent": { + "CHS": "遇热发光的, 白炽的", + "ENG": "producing a bright light when heated" + }, + "fabulous": { + "CHS": "寓言中的, 寓言般的, 神话般的, 传统上的, 惊人的, 难以置信的" + }, + "primordial": { + "CHS": "原始的", + "ENG": "existing at the beginning of time or the beginning of the Earth" + }, + "primeval": { + "CHS": "原始的", + "ENG": "very ancient" + }, + "primitive": { + "CHS": "原始的, 远古的, 粗糙的, 简单的", + "ENG": "belonging to a simple way of life that existed in the past and does not have modern industries and machines" + }, + "sleek": { + "CHS": "圆滑的", + "ENG": "sleek hair or fur is straight, shiny, and healthy-looking" + }, + "plump": { + "CHS": "圆胖的, 丰满的, 鼓起的", + "ENG": "slightly fat in a fairly pleasant way – used especially about women or children, often to avoid saying the word ‘fat’" + }, + "rotund": { + "CHS": "圆形的, 洪亮的", + "ENG": "If someone is rotund, they are round and fat" + }, + "pelagic": { + "CHS": "远洋的, 浮游的", + "ENG": "relating to or living in the deep sea, far from shore" + }, + "euphonious": { + "CHS": "悦耳", + "ENG": "denoting or relating to euphony; pleasing to the ear " + }, + "outre": { + "CHS": "越出常轨的, 过度的" + }, + "operative": { + "CHS": "运转着的, 有效验的, 手术的, 实施的", + "ENG": "relating to a medical operation" + }, + "mumpish": { + "CHS": "愠怒的" + }, + "sullen": { + "CHS": "愠怒的, 沉沉不乐的, (天气等)阴沉的", + "ENG": "angry and silent, especially because you feel life has been unfair to you" + }, + "mottled": { + "CHS": "杂色的, 斑驳的", + "ENG": "covered with spots or coloured areas" + }, + "variegated": { + "CHS": "杂色的, 斑驳的, 多样化的", + "ENG": "a variegated plant, leaf etc has different coloured marks on it" + }, + "motley": { + "CHS": "杂色的, 五颜六色的, 穿染色衣的, 混杂的", + "ENG": "You can describe a group of things as a motley collection if you think they seem strange together because they are all very different" + }, + "omnivorous": { + "CHS": "杂食的, 什么都吃的, 什么都读的, 随手乱拿的", + "ENG": "interested in everything, especially in all books" + }, + "chary": { + "CHS": "仔细的, 谨慎的, 吝啬的", + "ENG": "unwilling to risk doing something" + }, + "ulterior": { + "CHS": "在那边的, 较远的, 将来的, 隐蔽的" + }, + "subcelestial": { + "CHS": "在天下面的, 尘世的", + "ENG": "beneath the heavens; terrestrial " + }, + "leeward": { + "CHS": "在下风方向的", + "ENG": "the leeward side of something is the side that is sheltered from the wind" + }, + "temporary": { + "CHS": "暂时的, 临时的, 临时性", + "ENG": "continuing for only a limited period of time" + }, + "laudatory": { + "CHS": "赞美的, 赞赏的", + "ENG": "expressing praise" + }, + "abortive": { + "CHS": "早产的, 流产的, 失败的", + "ENG": "an abortive action is not successful" + }, + "precocious": { + "CHS": "早熟的", + "ENG": "a precocious child shows intelligence or skill at a very young age, or behaves in an adult way – sometimes used to show disapproval in British English" + }, + "rebellious": { + "CHS": "造反的, 反叛的, 反抗的, 难于对付的", + "ENG": "deliberately not obeying people in authority or rules of behaviour" + }, + "vituperative": { + "CHS": "责骂的", + "ENG": "full of angry and cruel criticism" + }, + "dyslogistic": { + "CHS": "责难的" + }, + "strident": { + "CHS": "轧轧响的, 刺耳的, 尖锐的", + "ENG": "a strident sound or voice is loud and unpleasant" + }, + "sticky": { + "CHS": "粘的, 粘性的", + "ENG": "made of or covered with a substance that sticks to surfaces" + }, + "slimy": { + "CHS": "粘糊糊的, (分泌)粘液的, 泥泞的", + "ENG": "covered with slime , or wet and slippery like slime" + }, + "glutinous": { + "CHS": "粘性的", + "ENG": "very sticky" + }, + "viscous": { + "CHS": "粘性的, 粘滞的, 胶粘的", + "ENG": "a viscous liquid is thick and sticky and does not flow easily" + }, + "coherent": { + "CHS": "粘在一起的, 一致的, 连贯的", + "ENG": "if a piece of writing, set of ideas etc is coherent, it is easy to understand because it is clear and reasonable" + }, + "cohesive": { + "CHS": "粘着的" + }, + "prevailing": { + "CHS": "占优势的, 主要的, 流行的", + "ENG": "existing or accepted in a particular place or at a particular time" + }, + "secular": { + "CHS": "长期的" + }, + "illuminating": { + "CHS": "照亮的, 启蒙的, 照明的" + }, + "eclectic": { + "CHS": "折衷的, 折衷学派的" + }, + "possessed": { + "CHS": "着魔的, 疯狂的", + "ENG": "if someone is possessed, their mind is controlled by something evil" + }, + "chaste": { + "CHS": "贞洁的, (思想, 言论, 尤其是性的节操)有道德的, 朴素的", + "ENG": "not having sex with anyone, or not with anyone except your husband or wife" + }, + "vibrant": { + "CHS": "振动" + }, + "tremulous": { + "CHS": "震颤的", + "ENG": "shaking slightly, especially because you are nervous" + }, + "sedative": { + "CHS": "镇静的, 止痛的" + }, + "polemic": { + "CHS": "争论的" + }, + "eristic": { + "CHS": "争论的, 好争论的", + "ENG": "of, relating, or given to controversy or logical disputation, esp for its own sake " + }, + "prim": { + "CHS": "整洁的", + "ENG": "prim clothes are neat and formal" + }, + "natty": { + "CHS": "整洁的", + "ENG": "neat and fashionable in appearance" + }, + "dapper": { + "CHS": "整洁的, 整齐的, 短小精悍的, 小巧玲珑的, 潇洒的, 衣冠楚楚的", + "ENG": "a man who is dapper is nicely dressed, has a neat appearance, and is usually small or thin" + }, + "trim": { + "CHS": "整齐的, 整洁的", + "ENG": "neat and well cared for" + }, + "postprandial": { + "CHS": "正餐后的, 餐后的", + "ENG": "happening immediately after a meal – often used humorously" + }, + "obverse": { + "CHS": "正面的" + }, + "orthodoxy": { + "CHS": "正统的" + }, + "orthodox": { + "CHS": "正统的, 传统的, 习惯的, 保守的, 东正教的", + "ENG": "orthodox ideas, methods, or behaviour are accepted by most people to be correct and right" + }, + "antithetic": { + "CHS": "正相反的, 对立的" + }, + "confirmed": { + "CHS": "证实的, 惯常的, 慢性的" + }, + "knowledgeable": { + "CHS": "知识渊博的, 有见识的", + "ENG": "knowing a lot" + }, + "adipose": { + "CHS": "脂肪的, 肥胖的", + "ENG": "of, resembling, or containing fat; fatty " + }, + "intuitive": { + "CHS": "直觉的", + "ENG": "an intuitive idea is based on a feeling rather than on knowledge or facts" + }, + "lineal": { + "CHS": "直系的, 正统的", + "ENG": "related directly to someone who lived a long time before you" + }, + "commendable": { + "CHS": "值得表扬的", + "ENG": "deserving praise" + }, + "desirable": { + "CHS": "值得要的, 合意的, 令人想要的, 悦人心意的", + "ENG": "something that is desirable is worth having or doing" + }, + "laudable": { + "CHS": "值得赞美的, 值得称赞的", + "ENG": "deserving praise, even if not completely successful" + }, + "botanical": { + "CHS": "植物学的", + "ENG": "relating to plants or the scientific study of plants" + }, + "analgesic": { + "CHS": "止痛的, 不痛的" + }, + "papyraceous": { + "CHS": "纸草的, 纸状的", + "ENG": "of, relating to, made of, or resembling paper " + }, + "pristine": { + "CHS": "质朴的" + }, + "therapeutic": { + "CHS": "治疗的, 治疗学的", + "ENG": "relating to the treatment or cure of an illness" + }, + "pestilent": { + "CHS": "致命的" + }, + "lethal": { + "CHS": "致命的", + "ENG": "causing death, or able to cause death" + }, + "thanatoid": { + "CHS": "致命的, 象死的, 死了一般的" + }, + "retarded": { + "CHS": "智力迟钝的, 发展迟缓的", + "ENG": "less mentally developed than other people of the same age. Many people think that this use is rude and offensive." + }, + "moderato": { + "CHS": "中板的", + "ENG": "at an average speed – used as an instruction on how fast to play a piece of music" + }, + "moderate": { + "CHS": "中等的, 适度的, 适中的", + "ENG": "not very large or very small, very hot or very cold, very fast or very slow etc" + }, + "interim": { + "CHS": "中间的, 临时的, 间歇的", + "ENG": "intended to be used or accepted for a short time only, until something or someone final can be made or found" + }, + "medieval": { + "CHS": "中世纪的, 仿中世纪的, 老式的, <贬>原始的", + "ENG": "connected with the Middle Ages (= the period between about 1100 and 1500 AD )" + }, + "median": { + "CHS": "中央的, [数学] 中线的, 中值的", + "ENG": "being the middle number or measurement in a set of numbers or measurements that have been arranged in order" + }, + "turgid": { + "CHS": "肿的, 浮夸的", + "ENG": "full and swollen with liquid or air" + }, + "tumid": { + "CHS": "肿胀的, 肿大的", + "ENG": "(of an organ or part) enlarged or swollen " + }, + "multifarious": { + "CHS": "种种的, 各式各样的", + "ENG": "of many different kinds" + }, + "seminal": { + "CHS": "种子的, 精液的, 生殖的", + "ENG": "producing or containing semen " + }, + "momentous": { + "CHS": "重大的, 重要的", + "ENG": "a momentous event, change, or decision is very important because it will have a great influence on the future" + }, + "hefty": { + "CHS": "重的, 肌肉发达的", + "ENG": "big and heavy" + }, + "errant": { + "CHS": "周游的, 不定的, 错误的", + "ENG": "Errant is used to describe someone whose actions are considered unacceptable or wrong by other people. For example, an errant husband is unfaithful to his wife. " + }, + "porcine": { + "CHS": "猪的", + "ENG": "looking like or relating to pigs" + }, + "peptic": { + "CHS": "助消化的, 胃蛋白酶的", + "ENG": "of, relating to, or promoting digestion " + }, + "cloistered": { + "CHS": "住在修道院的, 隐居的", + "ENG": "protected from the difficulties and demands of ordinary life" + }, + "attentive": { + "CHS": "注意的, 专心的, 留意的", + "ENG": "listening to or watching someone carefully because you are interested" + }, + "beatific": { + "CHS": "祝福的, 快乐的, 幸福的", + "ENG": "a beatific look, smile etc shows great peace and happiness" + }, + "reputable": { + "CHS": "著名的" + }, + "celebrated": { + "CHS": "著名的", + "ENG": "famous" + }, + "grasping": { + "CHS": "抓的, 贪婪的, 握的", + "ENG": "too eager to get money and unwilling to give any of it away or spend it" + }, + "presumptuous": { + "CHS": "专横的" + }, + "imperious": { + "CHS": "专横的", + "ENG": "giving orders and expecting to be obeyed, in a way that seems too proud" + }, + "despotic": { + "CHS": "专制的, 暴虐的", + "ENG": "If you say that someone is despotic, you are emphasizing that they use their power over other people in a very unfair or cruel way" + }, + "invert": { + "CHS": "转化的" + }, + "sublime": { + "CHS": "庄严的, 崇高的, 壮观的, 卓越的, 极端的, 异常的", + "ENG": "used to describe feelings or behaviour that are very great or extreme, especially when someone seems not to notice what is happening around them" + }, + "superb": { + "CHS": "庄重的, 堂堂的, 华丽的, 极好的", + "ENG": "extremely good" + }, + "sapient": { + "CHS": "装聪明样的, 自以为聪明的, 聪明的, 伶俐的, 有见识的", + "ENG": "very wise" + }, + "ironclad": { + "CHS": "装甲的, 打不破的", + "ENG": "covered with iron" + }, + "pneumatic": { + "CHS": "装满空气的, 有气胎的, 汽力的, 风力的, 灵魂的", + "ENG": "filled with air" + }, + "ornate": { + "CHS": "装饰的, 华丽的, (文体)绚丽的", + "ENG": "covered with a lot of decoration" + }, + "prudish": { + "CHS": "装正经的, 过分规矩的" + }, + "splendid": { + "CHS": "壮丽的, 辉煌的, 极好的", + "ENG": "very good" + }, + "surefire": { + "CHS": "准不会有错的, 一定能达到目的的", + "ENG": "certain to succeed" + }, + "scorching": { + "CHS": "灼热的, 激烈的", + "ENG": "extremely hot" + }, + "searing": { + "CHS": "灼热的,烫人的", + "ENG": "extremely hot" + }, + "preeminent": { + "CHS": "卓越的" + }, + "predominant": { + "CHS": "卓越的, 支配的, 主要的, 突出的, 有影响的", + "ENG": "If something is predominant, it is more important or noticeable than anything else in a set of people or things" + }, + "distinguished": { + "CHS": "卓著的, 著名的, 高贵的", + "ENG": "successful, respected, and admired" + }, + "filial": { + "CHS": "子女的, 孝顺的, 当做子女的", + "ENG": "relating to the relationship of a son or daughter to their parents" + }, + "supercilious": { + "CHS": "自大的, 傲慢的, 目空一切的", + "ENG": "behaving as if you think that other people are less important than you – used to show disapproval" + }, + "spontaneous": { + "CHS": "自发的, 自然产生的", + "ENG": "something that is spontaneous has not been planned or organized, but happens by itself, or because you suddenly feel you want to do it" + }, + "upstage": { + "CHS": "自负的" + }, + "thrasonical": { + "CHS": "自夸的, (打击等)沉重的, 吹牛的", + "ENG": "bragging; boastful " + }, + "complacent": { + "CHS": "自满的, 得意的", + "ENG": "pleased with a situation, especially something you have achieved, so that you stop trying to improve or change things – used to show disapproval" + }, + "axiomatic": { + "CHS": "自明的", + "ENG": "something that is axiomatic does not need to be proved because you can easily see that it is true" + }, + "smug": { + "CHS": "自鸣得意的", + "ENG": "showing too much satisfaction with your own cleverness or success – used to show disapproval" + }, + "pretentious": { + "CHS": "自命不凡的" + }, + "involuntary": { + "CHS": "自然而然的, 无意的, 不知不觉的, 偶然的, 不随意的", + "ENG": "an involuntary movement, sound, reaction etc is one that you make suddenly and without intending to because you cannot control yourself" + }, + "egocentric": { + "CHS": "自我中心的, 利己主义的", + "ENG": "thinking only about yourself and not about what other people might need or want" + }, + "perky": { + "CHS": "自信的, 得意洋洋的", + "ENG": "confident, happy, and active" + }, + "conceited": { + "CHS": "自以为是的, 逞能的, 狂想的" + }, + "disengaged": { + "CHS": "自由的, 闲散的, 空闲的" + }, + "footloose": { + "CHS": "自由自在的, 到处走动的", + "ENG": "free to do exactly what you want because you have no responsibilities, for example when you are not married or do not have children" + }, + "autonomous": { + "CHS": "自治的", + "ENG": "an autonomous place or organization is free to govern or control itself" + }, + "integrated": { + "CHS": "综合的, 完整的", + "ENG": "an integrated system, institution etc combines many different groups, ideas, or parts in a way that works well" + }, + "integrative": { + "CHS": "综合的, 一体化的" + }, + "gross": { + "CHS": "总的, 毛重的", + "ENG": "clearly wrong and unacceptable" + }, + "incendiary": { + "CHS": "纵火的, 煽动的", + "ENG": "an incendiary speech, piece of writing etc is intended to make people angry" + }, + "stunning": { + "CHS": "足以使人晕倒的, 极好的", + "ENG": "A stunning person or thing is extremely beautiful or impressive" + }, + "baffling": { + "CHS": "阻碍的, 令人丧气的, 使困惑的, 令人莫名其妙的, 变幻的, 不可理解的" + }, + "opprobrious": { + "CHS": "嘴不干净的, 无礼的, 粗野的, 该骂的, 可耻的" + }, + "nethermost": { + "CHS": "最底下的, 最下面的", + "ENG": "farthest down; lowest " + }, + "superlative": { + "CHS": "最高的", + "ENG": "excellent" + }, + "empyreal": { + "CHS": "最高天的, 苍天的, 九天的" + }, + "ultimate": { + "CHS": "最后的, 最终的, 根本的", + "ENG": "someone’s ultimate aim is their main and most important aim, that they hope to achieve in the future" + }, + "proximate": { + "CHS": "最近的", + "ENG": "nearest in time, order, or family relationship" + }, + "overriding": { + "CHS": "最重要的;高于一切的", + "ENG": "more important than anything else" + }, + "plastered": { + "CHS": "醉醺醺的", + "ENG": "very drunk" + }, + "reverent": { + "CHS": "尊敬的, 虔诚的", + "ENG": "showing a lot of respect and admiration" + }, + "stagy": { + "CHS": "做作的", + "ENG": "behaviour that is stagy is not natural and is like the way an actor behaves on a stage" + }, + "abreast": { + "CHS": "并肩地, 并排地", + "ENG": "to walk, ride etc next to each other, all facing the same way" + }, + "unawares": { + "CHS": "不料, 不知不觉地", + "ENG": "without noticing" + }, + "exceedingly": { + "CHS": "非常地, 极度地", + "ENG": "extremely" + }, + "asunder": { + "CHS": "分离, 成碎片" + }, + "galore": { + "CHS": "丰富地" + }, + "summarily": { + "CHS": "概要地, 概略地, 立刻, 草率地", + "ENG": "immediately, and without following the normal process" + }, + "adagio": { + "CHS": "缓慢地", + "ENG": "Adagio written above a piece of music means that it should be played slowly" + }, + "allegro": { + "CHS": "急速地", + "ENG": "Allegro written above a piece of music means that it should be played quickly and in a lively way" + }, + "astray": { + "CHS": "迷途地, 入歧途地" + }, + "gratis": { + "CHS": "免费, 白送", + "ENG": "If something is done or provided gratis, it does not have to be paid for" + }, + "expressly": { + "CHS": "明白地, 特别地, 清楚地", + "ENG": "if you say something expressly, you say it very clearly and firmly" + }, + "gropingly": { + "CHS": "摸索着, 暗中摸索地" + }, + "abask": { + "CHS": "暖洋洋地" + }, + "proverbially": { + "CHS": "如谚语所说的, 众所周知的" + }, + "incognito": { + "CHS": "隐名埋姓地, 化名地" + }, + "incommodious": { + "CHS": "狭窄的" + }, + "hysterical": { + "CHS": "a歇斯底里的, 异常兴奋的", + "ENG": "unable to control your behaviour or emotions because you are very upset, afraid, excited etc" + }, + "appreciative": { + "CHS": "a欣赏的, 有欣赏力的, 表示感激的, 承认有价值的", + "ENG": "feeling or showing that you enjoy something or are pleased about it" + }, + "heyday": { + "CHS": "喜悦、惊奇时所发声音" + }, + "rudiments": { + "CHS": "n 初步;入门", + "ENG": "the most basic parts of a subject, which you learn first" + }, + "instigation": { + "CHS": "鼓动, 煽动" + }, + "helot": { + "CHS": "(古希腊斯巴达的)奴隶", + "ENG": "(in ancient Greece, esp Sparta) a member of the class of unfree men above slaves owned by the state " + }, + "detente": { + "CHS": "(国际关系等的)缓和", + "ENG": "Detente is a state of friendly relations between two countries when previously there had been problems between them" + }, + "gardenia": { + "CHS": "〈植〉栀子栀子花", + "ENG": "a bush with large white pleasant-smelling flowers" + }, + "flatulence": { + "CHS": "肠胃气胀", + "ENG": "the condition of having too much gas in the stomach" + }, + "gorgon": { + "CHS": "丑陋可怕的女人", + "ENG": "an ugly frightening woman" + }, + "schlock": { + "CHS": "次品,伪劣品,伪劣货" + }, + "stoic": { + "CHS": "高度自制者;坚忍克己之人" + }, + "blandishments": { + "CHS": "哄骗,劝诱" + }, + "positiveness": { + "CHS": "肯定;信心" + }, + "temp": { + "CHS": "临时雇员", + "ENG": "an office worker who is only employed temporarily" + }, + "doddle": { + "CHS": "轻而易举的事;不费吹灰之力的事", + "ENG": "to be very easy" + }, + "gleanings": { + "CHS": "所拾得的落穗搜集到的情报或新闻" + }, + "sellotape": { + "CHS": "透明胶带(商标名称)", + "ENG": "Sellotape is a clear sticky tape that you use to stick paper or card together or onto a wall" + }, + "mongolism": { + "CHS": "先天愚型病" + }, + "mogul": { + "CHS": "显要人物;有权势的人" + }, + "vicissitudes": { + "CHS": "兴衰;枯荣;变迁", + "ENG": "the continuous changes and problems that affect a situation or someone’s life" + }, + "pandemonium": { + "CHS": "喧嚣;大混乱;大吵大闹", + "ENG": "a situation in which there is a lot of noise because people are angry, confused or frightened" + }, + "mecca": { + "CHS": "众人渴望去的地方", + "ENG": "a place that many people want to visit for a particular reason" + }, + "heroics": { + "CHS": "装腔作势的豪言壮语" + }, + "leviathan": { + "CHS": "(《圣经》中象征邪恶的)海中怪兽, 巨物", + "ENG": "a very large and frightening sea animal" + }, + "carousal": { + "CHS": "(=carouse)喧闹的酒宴", + "ENG": "a merry drinking party " + }, + "haemostat": { + "CHS": "(=hemostat][医)止血器, 止血药", + "ENG": "a surgical instrument that stops bleeding by compression of a blood vessel " + }, + "carat": { + "CHS": "(=karat)克拉(宝石的重量单位)", + "ENG": "a unit for measuring the weight of jewels, equal to 200 milligram s " + }, + "paranoid": { + "CHS": "(=paranoiac)患妄想狂者", + "ENG": "A paranoid is someone who is paranoid" + }, + "supplicant": { + "CHS": "(=suppliant)恳求者, 恳请者", + "ENG": "someone who asks for something, especially from someone in a position of power or from God" + }, + "saturnalia": { + "CHS": "(1)(古罗马的)农神节(2)纵情狂欢", + "ENG": "an occasion when people enjoy themselves in a very wild and uncontrolled way" + }, + "philistine": { + "CHS": "(1)市侩;庸人(2)门外汉", + "ENG": "If you call someone a philistine, you mean that they do not care about or understand good art, music, or literature, and do not think that they are important" + }, + "spite": { + "CHS": "(in ~ of)不顾, 不管, 敌意", + "ENG": "without being affected or prevented by something" + }, + "nap": { + "CHS": "(白天)小睡, 打盹, 细毛, 孤注一掷", + "ENG": "a short sleep, especially during the day" + }, + "brim": { + "CHS": "(杯, 碗等)边, 边缘, (河)边" + }, + "papoose": { + "CHS": "(北美土人的)幼儿, 婴儿", + "ENG": "a Native American baby or young child" + }, + "consolation": { + "CHS": "(被)安慰, 起安慰作用的人或事物", + "ENG": "something that makes you feel better when you are sad or disappointed" + }, + "effigy": { + "CHS": "(被憎恨或蔑视的人的)肖像, 雕像", + "ENG": "a statueof a famous person" + }, + "harpoon": { + "CHS": "(捕鲸用)鱼叉", + "ENG": "a weapon used for hunting whales" + }, + "seine": { + "CHS": "(捕鱼用的)拖拉大围网", + "ENG": "a large fishing net that hangs vertically in the water by means of floats at the top and weights at the bottom " + }, + "sabotage": { + "CHS": "(不满的职工或敌特等的)阴谋破坏, 怠工, 破坏", + "ENG": "deliberate damage that is done to equipment, vehicles etc in order to prevent an enemy or opponent from using them" + }, + "rebus": { + "CHS": "(猜字的)画谜", + "ENG": "a puzzle consisting of pictures representing syllables and words; in such a puzzle the word hear might be represented by H followed by a picture of an ear " + }, + "curd": { + "CHS": "(常用复数)凝块, 凝乳, 凝结物", + "ENG": "the thick substance that forms in milk when it becomes sour" + }, + "puppy": { + "CHS": "(常指未满一岁的)小狗, 小动物, 自负的青年", + "ENG": "a young dog" + }, + "groove": { + "CHS": "(唱片等的) 凹槽, 惯例, 最佳状态", + "ENG": "a thin line cut into a hard surface" + }, + "lampoon": { + "CHS": "(嘲讽个人的)强烈讽刺文", + "ENG": "A lampoon is a piece of writing or speech which criticizes someone or something very strongly, using humorous means" + }, + "lackey": { + "CHS": "(穿制服的) 男仆, 侍从, 马屁精" + }, + "mermaid": { + "CHS": "(传说中的)美人鱼, <美>女子游泳健将", + "ENG": "in stories, a woman who has a fish’s tail instead of legs and who lives in the sea" + }, + "conundrum": { + "CHS": "(答案有双关意义的)谜语, 难题", + "ENG": "a confusing and difficult problem" + }, + "pitcher": { + "CHS": "(带柄和倾口的)大水罐, (棒球)投手", + "ENG": "the player in baseball who throws the ball" + }, + "aviary": { + "CHS": "(动物园的)大型鸟舍, 鸟类饲养场", + "ENG": "a large cage where birds are kept" + }, + "brood": { + "CHS": "(动物中鸟或家禽的)一窝, (同种或同类的)一伙", + "ENG": "a family of young birds all born at the same time" + }, + "habitat": { + "CHS": "(动植物的)生活环境, 产地、栖息地, 居留地, 自生地, 聚集处", + "ENG": "the natural home of a plant or animal" + }, + "nonobservance": { + "CHS": "(对法律, 习俗等的)不遵守, 违反" + }, + "fealty": { + "CHS": "(对封建主义的)效忠, 孝顺, 忠诚, 忠贞, 忠实", + "ENG": "loyalty to a king, queen etc" + }, + "honorarium": { + "CHS": "(对习俗或法律上不应取酬的服务的)酬劳(或答谢)", + "ENG": "a sum of money offered to a professional for a piece of advice, a speech etc" + }, + "manor": { + "CHS": "(封建领主的)领地, 庄园", + "ENG": "a big old house with a large area of land around it" + }, + "goad": { + "CHS": "(赶牲口用的)刺棒, 激励物, 刺激物", + "ENG": "something that forces someone to do something" + }, + "spasm": { + "CHS": "(感情等)一阵发作, 痉挛", + "ENG": "an occasion when your muscles suddenly become tight, causing you pain" + }, + "temper": { + "CHS": "(钢等)韧度, 回火, 性情, 脾气, 情绪, 心情, 调剂, 趋向", + "ENG": "to suddenly become very angry so that you cannot control yourself" + }, + "libretto": { + "CHS": "(歌剧、音乐剧等的)歌词(或剧本)", + "ENG": "the words of an opera or musical play" + }, + "avocation": { + "CHS": "(个人)副业, 业余爱好", + "ENG": "Your avocation is a job or activity that you do because you are interested in it, rather than to earn your living" + }, + "melon": { + "CHS": "(各种的)瓜", + "ENG": "a large round fruit with sweet juicy flesh" + }, + "numerology": { + "CHS": "(根据出生日期等数字来解释人的性格或占卜祸福的)数字命理学", + "ENG": "Numerology is the study of particular numbers, such as a person's date of birth, in the belief that they may have special significance in a person's life" + }, + "cognomen": { + "CHS": "(古罗马人的)姓, 名字(尤指绰号)", + "ENG": "(originally) an ancient Roman's third name or nickname, which later became his family name " + }, + "hecatomb": { + "CHS": "(古希腊的)大祭,百牲祭, 大屠杀", + "ENG": "(in ancient Greece or Rome) any great public sacrifice and feast, originally one in which 100 oxen were sacrificed " + }, + "pillory": { + "CHS": "(古刑具)颈手枷, 示众", + "ENG": "a wooden frame with holes for someone’s head and hands to be locked into, used in the past as a way of publicly punishing someone" + }, + "emission": { + "CHS": "(光、热等的)散发, 发射, 喷射", + "ENG": "the act of sending out light, heat, gas etc" + }, + "husk": { + "CHS": "(果类或谷物的)外壳(通常用复数), 皮, 无价值之物", + "ENG": "the dry outer part of corn, some grains, seeds, nuts etc" + }, + "hull": { + "CHS": "(果实等的)外壳, 船体, Hull赫尔", + "ENG": "the main part of a ship that goes in the water" + }, + "loam": { + "CHS": "(含有黏土、沙以及有机物质的)肥土", + "ENG": "good quality soil consisting of sand, clay, and decayed plants" + }, + "buoy": { + "CHS": "(湖, 河等中的)浮标, 浮筒, 救生圈", + "ENG": "an object that floats on the sea, a lake etc to mark a safe or dangerous area" + }, + "consignment": { + "CHS": "(货物的)交托, 交货, 发货, 运送, 托付物, 寄存物", + "ENG": "a quantity of goods that are sent somewhere, especially in order to be sold" + }, + "snips": { + "CHS": "(剪金属板的)铁剪,铁铗" + }, + "hovel": { + "CHS": "(简陋而不适于居住的)小屋, 杂物间, 家畜小屋", + "ENG": "a small dirty place where someone lives, especially a very poor person" + }, + "buttress": { + "CHS": "(建筑)扶壁, 支持物", + "ENG": "Buttresses are supports, usually made of stone or brick, that support a wall" + }, + "dross": { + "CHS": "(金属熔化时浮升至表面的)渣滓, 无用之物", + "ENG": "waste or useless substances" + }, + "thimbleful": { + "CHS": "(酒等的)极少量", + "ENG": "a very small quantity of liquid" + }, + "lint": { + "CHS": "(旧时作)绷带用软麻布", + "ENG": "Lint is cotton or linen fabric which you can put on your skin if you have a cut" + }, + "impresario": { + "CHS": "(剧团)经理, 乐队指挥, 演出者, 舞台监督", + "ENG": "An impresario is a person who arranges for plays, concerts, and other entertainments to be performed" + }, + "nepenthe": { + "CHS": "(据传说古希腊人用的)忘忧药, 解忧烦之物", + "ENG": "a drug, or the plant providing it, that ancient writers referred to as a means of forgetting grief or trouble " + }, + "roster": { + "CHS": "(军队等的)值勤人, 名簿, 花名册, 逐项登记表", + "ENG": "a list of the names of people on a sports team, in an organization etc" + }, + "skewer": { + "CHS": "(烤肉用的)串肉扦, 扦, 棒", + "ENG": "a long metal or wooden stick that is put through pieces of meat to hold them together while they are cooked" + }, + "rucksack": { + "CHS": "(旅行用)帆布背包", + "ENG": "a bag used for carrying things on your back, especially by people on long walks" + }, + "prance": { + "CHS": "(马)后足立地腾跃, 昂首阔步" + }, + "puissance": { + "CHS": "(马的)越障能力测试, <古>权力, 权势, 力量, 影响", + "ENG": "a competition in showjumping that tests a horse's ability to jump a limited number of large obstacles " + }, + "hinge": { + "CHS": "(门、盖等的)铰链, 枢纽, 关键", + "ENG": "a piece of metal fastened to a door, lid etc that allows it to swing open and shut" + }, + "batch": { + "CHS": "(面包等)一炉, 一批", + "ENG": "a group of people or things that arrive or are dealt with together" + }, + "cicerone": { + "CHS": "(名胜古迹的)导游", + "ENG": "a person who conducts and informs sightseers; a tour guide " + }, + "salaam": { + "CHS": "(穆斯林的)额手礼, 问安, 敬礼" + }, + "physique": { + "CHS": "(男子的)体格, 体形", + "ENG": "the size and appearance of someone’s body" + }, + "horn": { + "CHS": "(牛、羊等的)角, 喇叭, 触角", + "ENG": "the thing in a vehicle that you use to make a loud sound as a signal or warning" + }, + "fume": { + "CHS": "(浓烈或难闻的)烟, 气体, 一阵愤怒(或不安)", + "ENG": "Fumes are the unpleasant and often unhealthy smoke and gases that are produced by fires or by things such as chemicals, fuel, or cooking" + }, + "parasol": { + "CHS": "(女用)阳伞", + "ENG": "a type of umbrella used to provide shade from the sun" + }, + "coquetry": { + "CHS": "(女子)玩弄男人, 卖弄风骚, 撒娇, 献媚", + "ENG": "behaviour that is typical of a coquette" + }, + "fleck": { + "CHS": "(皮肤的)斑点, 雀斑, 斑纹, 微粒", + "ENG": "a small mark or spot" + }, + "blockbuster": { + "CHS": "(破坏力极大的)巨型炸弹, 一鸣惊人者" + }, + "penchant": { + "CHS": "(强烈的)倾向, 趣味" + }, + "crevice": { + "CHS": "(墙壁, 岩石等的)裂缝", + "ENG": "a narrow crack in the surface of something, especially in rock" + }, + "recess": { + "CHS": "(墙壁等的)凹进处, [解]隐窝", + "ENG": "a space in the wall of a room, especially for shelves, cupboards etc" + }, + "brink": { + "CHS": "(峭岸、崖的)边缘", + "ENG": "a situation when you are almost in a new situation, usually a bad one" + }, + "harness": { + "CHS": "(全套)马具, 系在身上的绳子, 甲胄", + "ENG": "a set of leather bands used to control a horse or to attach it to a vehicle it is pulling" + }, + "fang": { + "CHS": "(犬, 狼等的)尖牙, 犬牙, (毒蛇的)毒牙, 牙根, 尖端", + "ENG": "a long sharp tooth of an animal such as a snake or wild dog" + }, + "halo": { + "CHS": "(日月周围的)晕轮, 光环, 荣光", + "ENG": "a bright circle that is often shown above or around the heads of holy people in religious art" + }, + "oasis": { + "CHS": "(沙漠中)绿洲,舒适的地方", + "ENG": "a place with water and trees in a desert" + }, + "cashier": { + "CHS": "(商店等的)出纳员, (银行或公司的)司库", + "ENG": "someone whose job is to receive or pay out money in a shop" + }, + "venom": { + "CHS": "(蛇的)毒液, 恶意, 怨恨", + "ENG": "great anger or hatred" + }, + "stale": { + "CHS": "(牲畜等的)尿" + }, + "morsel": { + "CHS": "(食物)一口, 少量", + "ENG": "A morsel is a very small amount of something, especially a very small piece of food" + }, + "mandate": { + "CHS": "(书面)命令, 训令, 要求, (前国际联盟的)委任托管权", + "ENG": "if a government or official has a mandate to make important decisions, they have the authority to make the decisions because they have been elected by the people to do so" + }, + "cinch": { + "CHS": "(束马鞍用的)肚带, <俗>紧握, <俚>容易做的, 有把握的事情", + "ENG": "something that is very easy" + }, + "pulp": { + "CHS": "(水果的)果肉, 纸浆", + "ENG": "the soft inside part of a fruit or vegetable" + }, + "lasso": { + "CHS": "(套捕牛、马等用的)套索", + "ENG": "a rope with one end tied in a circle, used to catch cattle and horses, especially in the western US" + }, + "pergola": { + "CHS": "(藤本植物的)棚架, 藤架, 绿廊, 凉棚", + "ENG": "a structure made of posts built for plants to grow over in a garden" + }, + "pullet": { + "CHS": "(通常指孵出后不到一年的)小母鸡", + "ENG": "a young chicken that is in its first year of laying eggs" + }, + "divestiture": { + "CHS": "(头衔,财产权利等的)剥夺, 脱衣" + }, + "spatula": { + "CHS": "(涂油漆, 涂药等)抹刀, 压舌板", + "ENG": "a kitchen tool with a wide flat blade, used for spreading, mixing, or lifting soft substances" + }, + "tenure": { + "CHS": "(土地等的)使用和占有, (官职等的)保有, 任期, (土地)使用期限", + "ENG": "the period of time when someone has an important job" + }, + "autopsy": { + "CHS": "(为查明死因而做的)尸体解剖, 验尸", + "ENG": "an examination of a dead body to discover the cause of death" + }, + "apology": { + "CHS": "(为某种思想, 宗教, 哲学等)辩解, 道歉", + "ENG": "something that you say or write to show that you are sorry for doing something wrong" + }, + "fawn": { + "CHS": "(未满一岁的)小鹿, 小山羊, 小动物, 鹿毛色, 浅黄褐色", + "ENG": "a young deer " + }, + "couch": { + "CHS": "(文学)床, 睡椅" + }, + "protagonist": { + "CHS": "(戏剧, 故事, 小说中的)主角, 领导者, 积极参加者", + "ENG": "one of the most important people taking part in a competition, battle, or struggle" + }, + "finale": { + "CHS": "(戏剧的)最后一场, 结局, 终了, 最后的一个乐章, 终曲", + "ENG": "the last part of a piece of music or of a show, event etc" + }, + "hone": { + "CHS": "(细)磨(刀)石, 油石, [方言]抱怨, 想念", + "ENG": "a fine whetstone, esp for sharpening razors " + }, + "halcyon": { + "CHS": "(相传冬至时能使海平面平静的)翠鸟" + }, + "clot": { + "CHS": "(血液等的)凝块", + "ENG": "a thick almost solid mass formed when blood or milk dries" + }, + "peroration": { + "CHS": "(演讲的)结束语, 演讲高谈阔论", + "ENG": "the last part of a speech, in which the main points are repeated" + }, + "retinue": { + "CHS": "(要人的一批)随行人员, 扈从", + "ENG": "a group of people who travel with someone important to help and support them" + }, + "skein": { + "CHS": "(一)束, (一)群, 一团糟", + "ENG": "a long loosely wound piece of thread, wool, or yarn " + }, + "connoisseur": { + "CHS": "(艺术品的)鉴赏家, 鉴定家, 内行", + "ENG": "someone who knows a lot about something such as art, food, or music" + }, + "tempo": { + "CHS": "(音乐)速度、拍子, 发展速度", + "ENG": "the speed at which music is played or should be played" + }, + "implosion": { + "CHS": "(音声)内破裂, 闭塞" + }, + "kernel": { + "CHS": "(硬壳果)仁, (去壳的)麦粒, 谷粒, (事物、问题的)核心, 要点, 精髓, 内核", + "ENG": "the part of a nut or seed inside the shell, or the part inside the stone of some fruits" + }, + "flick": { + "CHS": "(用鞭)快速的轻打, 轻打声, 弹开", + "ENG": "a short quick sudden movement or hit with a part of your body, whip etc" + }, + "taking": { + "CHS": "(用复数)营业收入, 取得, 捕获" + }, + "lingo": { + "CHS": "(尤指)方言, 行话, 隐语", + "ENG": "a language, especially a foreign one" + }, + "advent": { + "CHS": "(尤指不寻常的人或事)出现, 到来", + "ENG": "the time when something first begins to be widely used" + }, + "neonate": { + "CHS": "(尤指出生不满一个月的)婴儿", + "ENG": "a newborn child, esp in the first week of life and up to four weeks old " + }, + "edification": { + "CHS": "(尤指道德或精神方面的)教诲, 启迪, 熏陶", + "ENG": "If something is done for your edification, it is done to benefit you in some way, for example by teaching you about something" + }, + "amnesty": { + "CHS": "(尤指对反政府政治犯的)特赦", + "ENG": "an official order by a government that allows a particular group of prisoners to go free" + }, + "nullity": { + "CHS": "(尤指法律上的)无效, 无效的行为, 无效的证书" + }, + "jamboree": { + "CHS": "(尤指国际性或全国性的)少年团体大会,喧闹的娱乐会,狂欢活动", + "ENG": "a big noisy party or event" + }, + "pogrom": { + "CHS": "(尤指沙俄时对犹太人的) 大屠杀", + "ENG": "a planned killing of large numbers of people, usually done for reasons of race or religion" + }, + "corniche": { + "CHS": "(尤指沿山崖筑出视界开阔的)滨海路(亦作corniche road)", + "ENG": "a road built along a coast" + }, + "nosegay": { + "CHS": "(尤指有香味的)花束", + "ENG": "a small arrangement of flowers" + }, + "carnage": { + "CHS": "(尤指在战场上的)残杀, 大屠杀, 流血", + "ENG": "when a lot of people are killed and injured, especially in a war" + }, + "dune": { + "CHS": "(由风吹积而成的)沙丘", + "ENG": "a hill made of sand near the sea or in the desert" + }, + "burlap": { + "CHS": "(由黄麻制的做麻袋等用的)粗麻布", + "ENG": "a type of thick rough cloth" + }, + "bibliography": { + "CHS": "(有关一个题目或一个人的)书目, 参考书目", + "ENG": "a list of all the books and articles used in preparing a piece of writing" + }, + "capitulation": { + "CHS": "(有条件的)投降, 投降条约", + "ENG": "the act of capitulating " + }, + "spawn": { + "CHS": "(鱼等的)卵, (植物)菌丝, 产物", + "ENG": "Spawn is a soft, jelly-like substance containing the eggs of fish, or of animals such as frogs" + }, + "delirium": { + "CHS": "(暂时的)精神狂乱, 精神错乱, 说谵语状态, 狂语, 精神极度兴奋", + "ENG": "extreme excitement" + }, + "caucus": { + "CHS": "(政党的)领导人秘密会议, 核心小组会议", + "ENG": "a meeting of the members of a political party to choose people to represent them in a larger meeting, election etc" + }, + "malversation": { + "CHS": "(政府机关等的)腐败行为, 渎职, 贪污, 盗用" + }, + "schism": { + "CHS": "(政治组织等的)分裂, 教派", + "ENG": "the separation of a group into two groups, caused by a disagreement about its aims and beliefs, especially in the Christian church" + }, + "texture": { + "CHS": "(织品的)质地, (木材, 岩石等的)纹理, (皮肤)肌理, (文艺作品)结构", + "ENG": "The texture of something, especially food or soil, is its structure, for example, whether it is light with lots of holes, or very heavy and solid" + }, + "disparity": { + "CHS": "(职位、数量、质量等)不一致, 不同, 不等", + "ENG": "a difference between two or more things, especially an unfair one" + }, + "pith": { + "CHS": "(植物的)木髓, 骨髓, 重要部分, 核心, 意义, 精华, 精力", + "ENG": "a soft white substance that fills the stems of some plants" + }, + "mucilage": { + "CHS": "(植物的)黏液, 胶水" + }, + "cortex": { + "CHS": "(植物的)皮层, 树皮, (脑或肾的)皮层, 皮质", + "ENG": "the outer layer of an organ in your body, especially your brain" + }, + "balm": { + "CHS": "(止痛或疗伤的)香油, 香膏, 安慰物", + "ENG": "something that gives you comfort" + }, + "seneschal": { + "CHS": "(中世纪贵族城堡中)管家", + "ENG": "a steward of the household of a medieval prince or nobleman who took charge of domestic arrangements, etc " + }, + "repertoire": { + "CHS": "(准备好演出的)节目, 保留剧目, (计算机的)指令表, 指令系统, <美>(某个人的)全部技能", + "ENG": "all the plays, pieces of music etc that a performer or group knows and can perform" + }, + "taboo": { + "CHS": "(宗教)禁忌、避讳, 禁止接近, 禁止使用", + "ENG": "a custom that says you must avoid a particular activity or subject, either because it is considered offensive or because your religion does not allow it" + }, + "acrobat": { + "CHS": "(走钢丝的)杂技演员, 随机应变者, 翻云覆雨者", + "ENG": "someone who entertains people by doing difficult physical actions such as walking on their hands or balancing on a high rope, especially at a circus " + }, + "barrier": { + "CHS": "(阻碍通道的)障碍物, 栅栏, 屏障", + "ENG": "a rule, problem etc that prevents people from doing something, or limits what they can do" + }, + "amalgam": { + "CHS": "[采矿]汞合金, 汞齐" + }, + "fetter": { + "CHS": "[常用复]脚镣, 羁绊, 束缚" + }, + "shard": { + "CHS": "[瓷]碎片破片", + "ENG": "a sharp piece of broken glass, metal etc" + }, + "stratum": { + "CHS": "[地] 地层, [生](组织的)层, 社会阶层", + "ENG": "a layer of rock or earth" + }, + "ooze": { + "CHS": "[地] 软泥", + "ENG": "very soft mud, especially at the bottom of a lake or sea" + }, + "liman": { + "CHS": "[地]漓漫,大河口湾,泻湖" + }, + "landslide": { + "CHS": "[地]山崩, 崩塌的泥石", + "ENG": "a sudden fall of a lot of earth or rocks down a hill, cliff etc" + }, + "mesa": { + "CHS": "[地]台地, 岩石台地, 平顶山", + "ENG": "a hill with a flat top and steep sides, in the southwestern US" + }, + "acclivity": { + "CHS": "[地]向上的斜坡", + "ENG": "an upward slope, esp of the ground " + }, + "petrology": { + "CHS": "[地]岩石学", + "ENG": "the study of the composition, origin, structure, and formation of rocks " + }, + "shale": { + "CHS": "[地]页岩, 泥板岩", + "ENG": "a smooth soft rock which breaks easily into thin flat pieces" + }, + "isthmus": { + "CHS": "[地理]地峡, 峡部", + "ENG": "a narrow piece of land with water on both sides, that connects two larger areas of land" + }, + "gneiss": { + "CHS": "[地质]片麻岩", + "ENG": "any coarse-grained metamorphic rock that is banded and foliated: represents the last stage in the metamorphism of rocks before melting " + }, + "anode": { + "CHS": "[电]阳极, 正极", + "ENG": "the part of a battery that collects electron s , often a wire or piece of metal with the sign (+)" + }, + "spat": { + "CHS": "[动] 蚝卵, 口角, 掌击", + "ENG": "a larval oyster or similar bivalve mollusc, esp when it settles to the sea bottom and starts to develop a shell " + }, + "chipmunk": { + "CHS": "[动] 花栗鼠", + "ENG": "a small American animal similar to a squirrel with black lines on its fur" + }, + "gull": { + "CHS": "[动] 鸥, 易受骗之人, 笨人", + "ENG": "a large common black and white sea bird that lives near the sea" + }, + "roe": { + "CHS": "[动](=roe deer)狍(分布于欧亚两洲), (3岁以上的)雌鹿, (还在雌鱼卵巢中的)鱼卵, (充满精液的)雄鱼生殖腺, (木材纵剖面的)鱼卵形黑色斑纹", + "ENG": "fish eggs eaten as a food" + }, + "falcon": { + "CHS": "[动](猎鸟用的)猎鹰", + "ENG": "a bird that kills and eats other animals and can be trained to hunt" + }, + "skunk": { + "CHS": "[动]臭鼬, 臭鼬皮, 讨厌鬼", + "ENG": "a small black and white North American animal that produces a strong unpleasant smell if it is attacked or afraid" + }, + "python": { + "CHS": "[动]大蟒, 巨蟒", + "ENG": "a large tropical snake that kills animals for food by winding itself around them and crushing them" + }, + "kangaroo": { + "CHS": "[动]袋鼠", + "ENG": "an Australian animal that moves by jumping and carries its babies in a pouch (= a special pocket of skin ) on its stomach" + }, + "terrapin": { + "CHS": "[动]龟鳖类", + "ENG": "a small turtle that lives in water" + }, + "actinia": { + "CHS": "[动]海葵", + "ENG": "any sea anemone of the genus Actinia, which are common in rock pools " + }, + "walrus": { + "CHS": "[动]海象, 海象胡须", + "ENG": "a large sea animal with two long tusks(= things like teeth ) coming down from the sides of its mouth" + }, + "porcupine": { + "CHS": "[动]豪猪, 箭猪", + "ENG": "an animal with long sharp parts growing all over its back and sides" + }, + "locust": { + "CHS": "[动]蝗虫, 蚱蜢, 蝉", + "ENG": "an insect that lives mainly in Asia and Africa and flies in a very large group, eating and destroying crops" + }, + "canary": { + "CHS": "[动]金丝雀, 淡黄色", + "ENG": "a small yellow bird that people often keep as a pet" + }, + "tadpole": { + "CHS": "[动]蝌蚪", + "ENG": "a small creature that has a long tail, lives in water, and grows into a frog or toad " + }, + "iguana": { + "CHS": "[动]鬣蜥(一种产于南美洲和西印度群岛的大蜥蜴)", + "ENG": "a large tropical American lizard" + }, + "owl": { + "CHS": "[动]猫头鹰, 枭, 惯于晚上活动的人Object Window Library, Borland C++ 的类库", + "ENG": "a bird with large eyes that hunts at night" + }, + "cougar": { + "CHS": "[动]美洲狮(尤指Felis concolor)", + "ENG": "a large brown wild cat from the mountains of western North America and South America" + }, + "cuttlefish": { + "CHS": "[动]墨鱼, 乌贼", + "ENG": "a sea creature with ten soft arms" + }, + "oyster": { + "CHS": "[动]牡蛎, 蚝, 沉默者", + "ENG": "a type of shellfish that can be eaten cooked or uncooked, and that produces a jewel called a pearl" + }, + "finch": { + "CHS": "[动]雀类(如燕雀,金翅雀等)", + "ENG": "a small bird with a short beak" + }, + "mollusk": { + "CHS": "[动]软体动物" + }, + "buzzard": { + "CHS": "[动]秃鹰类, 贪婪的人", + "ENG": "A buzzard is a large bird of prey" + }, + "hyena": { + "CHS": "[动]土狼, 鬣狗", + "ENG": "a wild animal like a dog that makes a sound like a laugh" + }, + "ecdysis": { + "CHS": "[动]蜕皮, 蜕化", + "ENG": "the periodic shedding of the cuticle in insects and other arthropods or the outer epidermal layer in reptiles " + }, + "exuviae": { + "CHS": "[动]脱落的皮, 空壳", + "ENG": "layers of skin or cuticle shed by animals during ecdysis " + }, + "scorpion": { + "CHS": "[动]蝎子, 心黑的人, 蝎子鞭, <俚>直布罗陀人", + "ENG": "a tropical animal like an insect, with a curving tail and a poisonous sting" + }, + "cheetah": { + "CHS": "[动]印度豹(一种似豹的动物, 产于南亚及非洲)", + "ENG": "a member of the cat family that has long legs and black spots on its fur, and can run extremely fast" + }, + "weasel": { + "CHS": "[动]鼬鼠, 黄鼠狼, 狡猾的人, 告密者, 含糊话", + "ENG": "a small thin furry animal that kills and eats rats and birds" + }, + "sable": { + "CHS": "[动]紫貂, 黑貂, 黑貂皮, 丧服", + "ENG": "an expensive fur used to make coats etc, or the small animal that this fur comes from" + }, + "stymie": { + "CHS": "[高尔夫]妨碍球" + }, + "relict": { + "CHS": "[古]未亡人, 寡妇, 残余物, [生物, 生态]残余体", + "ENG": "a group of animals or plants that exists as a remnant of a formerly widely distributed group in an environment different from that in which it originated " + }, + "mastodon": { + "CHS": "[古生]乳齿象, 庞然大物", + "ENG": "any extinct elephant-like proboscidean mammal of the genus Mammut (or Mastodon), common in Pliocene times " + }, + "calcium": { + "CHS": "[化]钙(元素符号Ca)", + "ENG": "a silver-white metal that helps to form teeth, bones, and chalk . It is a chemical element : symbol Ca" + }, + "alkali": { + "CHS": "[化]碱", + "ENG": "a substance that forms a chemical salt when combined with an acid" + }, + "aluminium": { + "CHS": "[化]铝", + "ENG": "a silver-white metal that is very light and is used to make cans, cooking pans, window frames etc. It is a chemical element : symbol Al" + }, + "coacervate": { + "CHS": "[化]凝聚层", + "ENG": "either of two liquid phases that may separate from a hydrophilic sol, each containing a different concentration of a dispersed solid " + }, + "arsenic": { + "CHS": "[化]砷, 砒霜", + "ENG": "a strong poison. It is a chemical element : symbol As" + }, + "litmus": { + "CHS": "[化]石蕊", + "ENG": "a chemical that turns red when it touches acid, and blue when it touches an alkali" + }, + "bromide": { + "CHS": "[化]溴化物", + "ENG": "a chemical that is sometimes used in medicine to make people feel calm" + }, + "tache": { + "CHS": "[画]色彩, 斑点, 搭扣, 钩扣, 纽带, 环节", + "ENG": "a buckle, clasp, or hook " + }, + "ledger": { + "CHS": "[会计]分类帐, 分户总帐, 底帐, [建](手脚架上的)横木", + "ENG": "a book in which a business, bank etc records how much money it receives and spends" + }, + "cog": { + "CHS": "[机]嵌齿, 小船", + "ENG": "a wheel with small bits sticking out around the edge that fit together with the bits of another wheel as they turn in a machine" + }, + "sacrament": { + "CHS": "[基督教] 圣礼, (the sacrament) 基督教圣餐", + "ENG": "the bread and wine that are eaten at communion (= an important Christian ceremony ) " + }, + "installation": { + "CHS": "[计]安装, 装置, 就职", + "ENG": "when someone fits a piece of equipment somewhere" + }, + "compatibility": { + "CHS": "[计]兼容性", + "ENG": "the ability of one piece of computer equipment to be used with another one, especially when they are made by different companies" + }, + "scaffold": { + "CHS": "[建] 脚手架,绞刑台", + "ENG": "a structure built next to a wall, for workers to stand on while they build, repair, or paint a building" + }, + "portico": { + "CHS": "[建](有圆柱的)门廊, 柱廊", + "ENG": "a covered entrance to a building, consisting of a roof supported by pillar s " + }, + "fretwork": { + "CHS": "[建]浮雕细工", + "ENG": "patterns cut into thin wood, metal etc or the activity of making these patterns" + }, + "larynx": { + "CHS": "[解] 喉", + "ENG": "the part in your throat where your voice is produced" + }, + "leucocyte": { + "CHS": "[解]白细胞, 白血球", + "ENG": "any of the various large unpigmented cells in the blood of vertebrates " + }, + "pituitary": { + "CHS": "[解]垂体", + "ENG": "the small organ at the base of your brain which produces hormone s that control the growth and development of your body" + }, + "iris": { + "CHS": "[解]虹膜, 鸢尾属植物, [希神]彩虹之女神, 虹, 虹彩", + "ENG": "a tall plant with long thin leaves and large purple, yellow, or white flowers" + }, + "ankle": { + "CHS": "[解]踝", + "ENG": "the joint between your foot and your leg" + }, + "navel": { + "CHS": "[解]脐, 肚脐, 中央, 中心点", + "ENG": "the small hollow or raised place in the middle of your stomach" + }, + "palate": { + "CHS": "[解]上腭, 味觉, 趣味", + "ENG": "the roof (= top inside part ) of your mouth" + }, + "synapse": { + "CHS": "[解]神经原的神经线连接, 神经键" + }, + "oesophagus": { + "CHS": "[解]食管", + "ENG": "the tube which food passes down from your mouth to your stomach" + }, + "pancreas": { + "CHS": "[解]胰腺", + "ENG": "a gland inside your body, near your stomach, that produces insulin and a liquid that helps your body to use the food that you eat" + }, + "anvil": { + "CHS": "[解]砧骨", + "ENG": "a heavy iron block on which pieces of hot metal are shaped using a hammer" + }, + "canine": { + "CHS": "[解剖]犬齿", + "ENG": "one of the four sharp pointed teeth in the front of your mouth" + }, + "gland": { + "CHS": "[解剖]腺, [机械]密封管", + "ENG": "an organ of the body which produces a substance that the body needs, such as hormones, sweat, or saliva" + }, + "chevron": { + "CHS": "[军](军人佩戴以示军衔和军兵种的)v形臂章", + "ENG": "a piece of cloth in the shape of a V which soldiers have on their sleeve to show their rank" + }, + "epaulet": { + "CHS": "[军]肩章, 肩饰", + "ENG": "Epaulets are decorations worn on the shoulders of certain uniforms, especially military ones" + }, + "blitz": { + "CHS": "[军]闪电战", + "ENG": "a sudden military attack, especially from the air" + }, + "echelon": { + "CHS": "[军]梯形, 梯阵, 梯次编队", + "ENG": "a rank or level of authority in an organization, business etc, or the people at that level" + }, + "megalith": { + "CHS": "[考古](古建筑用的)巨石", + "ENG": "a large tall stone put in an open place by people in ancient times, possibly as a religious sign" + }, + "turquoise": { + "CHS": "[矿]绿宝石, 绿松石色, 青绿色", + "ENG": "a valuable greenish-blue stone or a jewel that is made from this" + }, + "amethyst": { + "CHS": "[矿]紫水晶, 紫色", + "ENG": "a valuable purple stone used in jewellery" + }, + "emerald": { + "CHS": "[矿]祖母绿, 翡翠, 绿宝石, 翠绿色", + "ENG": "a valuable bright green stone that is often used in jewellery" + }, + "termite": { + "CHS": "[昆]白蚁", + "ENG": "an insect that eats and destroys wood from trees and buildings" + }, + "diminuendo": { + "CHS": "[乐]渐弱演奏(部分)", + "ENG": "a part in a piece of music where it becomes gradually quieter" + }, + "flora": { + "CHS": "[罗神]花神" + }, + "misprision": { + "CHS": "[律](公职人员的)玩忽职守, 渎职, 包庇罪行, 蔑视政府(或法庭)", + "ENG": "a failure to inform the proper authorities of the commission of an act of treason " + }, + "verdict": { + "CHS": "[律](陪审团的)裁决, 判决, 判断, 定论, 结论", + "ENG": "an official decision made in a court of law, especially about whether someone is guilty of a crime or how a death happened" + }, + "plaintiff": { + "CHS": "[律]起诉人, 原告", + "ENG": "someone who brings a legal action against another person in a court of law" + }, + "spinster": { + "CHS": "[律]未婚妇女, 老处女", + "ENG": "an unmarried woman, usually one who is no longer young and seems unlikely to marry" + }, + "codicil": { + "CHS": "[律]遗嘱的附录, 附录", + "ENG": "a document making a change or addition to a will (= a legal document saying who you want your money and property to go to when you die ) " + }, + "felony": { + "CHS": "[律]重罪", + "ENG": "a serious crime such as murder" + }, + "tenon": { + "CHS": "[木工]榫, 凸榫", + "ENG": "an end of a piece of wood, that has been cut to fit exactly into a mortise in order to form a strong joint" + }, + "barn": { + "CHS": "[农]谷仓, 畜棚, 畜舍, 机器房", + "ENG": "A barn is a building on a farm in which animals, animal food, or crops can be kept" + }, + "karate": { + "CHS": "[日] 空手道(日本的一种徒手自卫武术)", + "ENG": "a Japanese fighting sport, in which you use your feet and hands to hit and kick" + }, + "autotype": { + "CHS": "[摄](相片的)碳印法, 用碳印法印成的相片, 复写", + "ENG": "a photographic process for producing prints in black and white, using a carbon pigment " + }, + "epidermis": { + "CHS": "[生]表皮, 上皮", + "ENG": "the outside layer of your skin" + }, + "atavism": { + "CHS": "[生]隔代遗传, 返祖现象", + "ENG": "the recurrence in a plant or animal of certain primitive characteristics that were present in an ancestor but have not occurred in intermediate generations " + }, + "symbiosis": { + "CHS": "[生]共生(现象), 合作(或互利,互依)关系", + "ENG": "a relationship between people or organizations that depend on each other equally" + }, + "genome": { + "CHS": "[生]基因组,染色体组", + "ENG": "all the genes in one type of living thing" + }, + "pigment": { + "CHS": "[生]色素, 颜料", + "ENG": "a natural substance that makes skin, hair, plants etc a particular colour" + }, + "cytology": { + "CHS": "[生]细胞学", + "ENG": "the scientific study of cells from living things" + }, + "toxin": { + "CHS": "[生化][生]毒素", + "ENG": "a poisonous substance, especially one that is produced by bacteria and causes a particular disease" + }, + "enzyme": { + "CHS": "[生化]酶", + "ENG": "a chemical substance that is produced in a plant or animal, and helps chemical changes to take place in the plant or animal" + }, + "zygote": { + "CHS": "[生物] 受精卵, 接合子, 接合体", + "ENG": "a cell that is formed when an egg is fertilized" + }, + "chromosome": { + "CHS": "[生物]染色体", + "ENG": "a part of every living cell that is shaped like a thread and contains the gene s that control the size, shape etc that a plant or animal has" + }, + "histology": { + "CHS": "[生物]组织学", + "ENG": "the study, esp the microscopic study, of the tissues of an animal or plant " + }, + "steed": { + "CHS": "[诗]马, 战马", + "ENG": "a strong fast horse" + }, + "behest": { + "CHS": "[诗]命令, 吩咐, 要求", + "ENG": "because someone has asked for something or ordered something to happen" + }, + "villein": { + "CHS": "[史]农奴, 佃农", + "ENG": "a poor farm worker in the Middle Ages who was given a small piece of land in return for working on the land of a rich lord" + }, + "perimeter": { + "CHS": "[树数] 周长, 周界", + "ENG": "the border around an enclosed area such as a military camp" + }, + "parabola": { + "CHS": "[数] 抛物线", + "ENG": "a curve in the shape of the imaginary line an object makes when it is thrown high in the air and comes down a little distance away" + }, + "trapezium": { + "CHS": "[数]不等边四边形, 梯形", + "ENG": "a shape with four sides, only two of which are parallel" + }, + "theorem": { + "CHS": "[数]定理, 法则", + "ENG": "a statement, especially in mathematics, that you can prove by showing that it has been correctly developed from facts" + }, + "axiom": { + "CHS": "[数]公理", + "ENG": "a rule or principle that is generally considered to be true" + }, + "intersection": { + "CHS": "[数]交集, 十字路口, 交叉点", + "ENG": "a place where roads, lines etc cross each other, especially where two roads meet" + }, + "ellipse": { + "CHS": "[数]椭圆, 椭圆形", + "ENG": "a curved shape like a circle, but with two slightly longer and flatter sides" + }, + "nadir": { + "CHS": "[天] 天底, 最底点, 最低点", + "ENG": "the time when a situation is at its worst" + }, + "penumbra": { + "CHS": "[天](日蚀、月蚀或太阳黑子的)半影", + "ENG": "an area of slight darkness" + }, + "perigee": { + "CHS": "[天]近地点", + "ENG": "the point in its orbit around the earth when the moon or an artificial satellite is nearest the earth " + }, + "constellation": { + "CHS": "[天]星群, 星座, 灿烂的一群", + "ENG": "a group of stars that forms a particular pattern and has a name" + }, + "requiem": { + "CHS": "[天主教]安灵祢撒, 安灵曲, 挽歌, 悲歌", + "ENG": "a Christian ceremony in which prayers are said for someone who has died" + }, + "penance": { + "CHS": "[天主教]忏悔, 苦修", + "ENG": "something that you must do to show that you are sorry for something you have done wrong, especially in some religions" + }, + "virus": { + "CHS": "[微]病毒, 滤过性微生物, 毒害, 恶毒", + "ENG": "a very small living thing that causes infectious illnesses" + }, + "feedback": { + "CHS": "[无]回授, 反馈, 反应", + "ENG": "advice, criticism etc about how successful or useful something is" + }, + "trajectory": { + "CHS": "[物](射线的) 轨道, 弹道, 轨线", + "ENG": "the curved path of an object that has been fired or thrown through the air" + }, + "polarization": { + "CHS": "[物]偏振(现象),极化(作用),两极化,分化" + }, + "nectar": { + "CHS": "[希神] 神酒, 任何美味的饮料, 花蜜, 甘露", + "ENG": "the sweet liquid that bees collect from flowers" + }, + "nymph": { + "CHS": "[希神][罗神]居于山林水泽的仙女, 美丽的少女", + "ENG": "one of the spirits of nature who, according to ancient Greek and Roman stories, appeared as young girls living in trees, mountains, streams etc" + }, + "cornucopia": { + "CHS": "[希神]哺乳宙斯的羊角, 满装花果象征丰饶的羊角(通常用于绘画或雕刻中), 丰富, 丰饶", + "ENG": "a container in the shape of an animal’s horn, full of fruit and flowers, used to represent a time when there are large supplies of food" + }, + "mentor": { + "CHS": "[希神]门特(良师益友), 贤明的顾问, 导师, 指导者", + "ENG": "an experienced person who advises and helps a less experienced person" + }, + "chimera": { + "CHS": "[希神]狮头, 羊身, 蛇尾的吐火怪物, 妖怪, 狂想", + "ENG": "A chimera is an unrealistic idea that you have about something or a hope that you have that is unlikely to be fulfilled" + }, + "aegis": { + "CHS": "[希神]羊皮盾, 保护, 庇护, 支持" + }, + "schizophrenia": { + "CHS": "[心]精神分裂症", + "ENG": "a serious mental illness in which someone’s thoughts and feelings are not based on what is really happening around them" + }, + "paranoia": { + "CHS": "[心]妄想狂, 偏执狂", + "ENG": "a mental illness that makes someone believe that they are very important and that people hate them and are trying to harm them" + }, + "misoneist": { + "CHS": "[心]厌新者" + }, + "autism": { + "CHS": "[心]自我中心主义, 孤独症", + "ENG": "a mental disorder (= problem ) that makes people unable to communicate properly, or to form relationships" + }, + "hyperbole": { + "CHS": "[修辞]夸张法", + "ENG": "a way of describing something by saying it is much bigger, smaller, worse etc than it actually is" + }, + "simile": { + "CHS": "[修辞]明喻, 明喻的说法, 明喻的词语用法", + "ENG": "an expression that describes something by comparing it with something else, using the words ‘as’ or ‘like’, for example ‘as white as snow’" + }, + "metaphor": { + "CHS": "[修辞]隐喻, 暗喻, 比喻说话", + "ENG": "a way of describing something by referring to it as something different and suggesting that it has similar qualities to that thing" + }, + "pneumonia": { + "CHS": "[医] 肺炎", + "ENG": "a serious illness that affects your lungs and makes it difficult for you to breathe" + }, + "laryngitis": { + "CHS": "[医] 喉炎", + "ENG": "an illness which makes talking difficult because your larynx and throat are swollen" + }, + "leprosy": { + "CHS": "[医] 麻疯病, 腐败" + }, + "dyslexia": { + "CHS": "[医] 诵读困难", + "ENG": "a condition that makes it difficult for someone to read and spell" + }, + "diabetes": { + "CHS": "[医] 糖尿病, 多尿症", + "ENG": "a serious disease in which there is too much sugar in your blood" + }, + "trauma": { + "CHS": "[医] 外伤, 损伤", + "ENG": "an injury" + }, + "nanism": { + "CHS": "[医]矮小, 侏儒症,[植]矮态" + }, + "cretin": { + "CHS": "[医]白痴病患者", + "ENG": "an offensive word for someone who is extremely stupid" + }, + "emetic": { + "CHS": "[医]催吐剂", + "ENG": "something that you eat or drink in order to make yourself vomit(= bring up food from your stomach )" + }, + "catharsis": { + "CHS": "[医]导泻(尤指通便), 泻法, [精神病](精神或心理)疏泄, 宣泄", + "ENG": "the act or process of removing strong or violent emotions by expressing them through writing, talking, acting etc" + }, + "mania": { + "CHS": "[医]颠狂, 狂躁, 癖好, 狂热", + "ENG": "a strong desire for something or interest in something, especially one that affects a lot of people at the same time" + }, + "allopathy": { + "CHS": "[医]对抗疗法", + "ENG": "the orthodox medical method of treating disease, by inducing a condition different from or opposed to the cause of the disease " + }, + "cachexia": { + "CHS": "[医]恶疾, 萎靡不振, 极瘦弱, 萎靡不振" + }, + "suture": { + "CHS": "[医]缝合, 缝合处, 缝合用的线", + "ENG": "A suture is a stitch made to join together the open parts of a wound, especially one made after a patient has been operated on" + }, + "hepatitis": { + "CHS": "[医]肝炎", + "ENG": "Hepatitis is a serious disease which affects the liver" + }, + "anabiosis": { + "CHS": "[医]回生, 复苏", + "ENG": "the ability to return to life after apparent death; suspended animation " + }, + "orthodontics": { + "CHS": "[医]畸齿矫正(术), 正牙学", + "ENG": "the skill or job of helping teeth to grow straight when they have not been growing correctly" + }, + "vaccination": { + "CHS": "[医]接种疫苗, 种痘, 牛痘疤" + }, + "antidote": { + "CHS": "[医]解毒剂, 矫正方法", + "ENG": "a substance that stops the effects of a poison" + }, + "acrophobia": { + "CHS": "[医]恐高症", + "ENG": "abnormal fear or dread of being at a great height " + }, + "megalomania": { + "CHS": "[医]夸大狂, 妄自尊大", + "ENG": "when someone wants to have a lot of power for themselves and enjoys having control over other people’s lives, sometimes as part of a mental illness" + }, + "canker": { + "CHS": "[医]溃疡, [植](树的)癌肿病, 腐败", + "ENG": "A canker or canker sore is a small sore in the mouth or on the lips" + }, + "measles": { + "CHS": "[医]麻疹, 风疹, 包虫病, 痧子", + "ENG": "an infectious illness in which you have a fever and small red spots on your face and body. People often have measles when they are children." + }, + "allergy": { + "CHS": "[医]敏感症, <口>反感", + "ENG": "a medical condition in which you become ill or in which your skin becomes red and painful because you have eaten or touched a particular substance" + }, + "sepsis": { + "CHS": "[医]脓毒病, 脓血症", + "ENG": "an infection in part of the body, in which pus is produced" + }, + "anoxia": { + "CHS": "[医]缺氧症" + }, + "astigmatism": { + "CHS": "[医]散光, 因偏差而造成的曲解或错判", + "ENG": "difficulty in seeing clearly that is caused by a change in the inner shape of the eye" + }, + "typhoid": { + "CHS": "[医]伤寒症", + "ENG": "a serious infectious disease that is caused by dirty food or drink" + }, + "oxyopia": { + "CHS": "[医]视觉锐敏" + }, + "atrophy": { + "CHS": "[医]萎缩, 萎缩症" + }, + "gastritis": { + "CHS": "[医]胃炎", + "ENG": "an illness which makes the inside of your stomach become swollen, so that you feel a burning pain" + }, + "dyspepsia": { + "CHS": "[医]消化不良, 胃弱", + "ENG": "a problem that your body has in dealing with the food you eat" + }, + "pediatrics": { + "CHS": "[医]小儿科" + }, + "asthma": { + "CHS": "[医]哮喘", + "ENG": "a medical condition that causes difficulties in breathing" + }, + "haemophilia": { + "CHS": "[医]血友病, 出血不止症", + "ENG": "a serious disease that prevents a person’s blood from becoming thick, so that they lose a lot of blood easily if they are injured" + }, + "ophthalmology": { + "CHS": "[医]眼科学", + "ENG": "the study of the eyes and diseases that affect them" + }, + "claustrophobia": { + "CHS": "[医]幽闭恐怖症", + "ENG": "a strong fear of being in a small enclosed space or in a situation that limits what you can do" + }, + "tranquillizer": { + "CHS": "[医]镇定剂, 使镇定的人或物", + "ENG": "a drug used for making someone feel less anxious" + }, + "bronchitis": { + "CHS": "[医]支气管炎", + "ENG": "an illness that affects your bronchial tubes and makes you cough" + }, + "glamour": { + "CHS": "[亦作glamor] 魔力, 魅力", + "ENG": "the attractive and exciting quality of being connected with wealth and success" + }, + "mould": { + "CHS": "[亦作mold] 肥土, 壤土, [亦作mold] 霉, 模具", + "ENG": "a hollow container that you pour a liquid or soft substance into, so that when it becomes solid, it takes the shape of the container" + }, + "percussionist": { + "CHS": "[音]打击乐器乐手,弹击乐器弹奏者", + "ENG": "A percussionist is a person who plays percussion instruments such as drums" + }, + "timbre": { + "CHS": "[音]音品, 音色, 音质", + "ENG": "the quality of the sound made by a particular instrument or voice" + }, + "sonata": { + "CHS": "[音]奏鸣曲", + "ENG": "a piece of music with three or four parts that is written for a piano, or for a piano and another instrument" + }, + "gamut": { + "CHS": "[音乐]全音阶, 长音阶, 全音域" + }, + "stereotype": { + "CHS": "[印]铅版, 陈腔滥调, 老套" + }, + "guru": { + "CHS": "[印度教](个人的)宗教老师(或指导), (受下属崇敬的)领袖, 头头" + }, + "exchequer": { + "CHS": "[英史]财物署, 国库, 财源, 财政部", + "ENG": "The Exchequer is the department in the British government responsible for receiving, issuing, and accounting for money belonging to the state" + }, + "salmon": { + "CHS": "[鱼]鲑鱼, 大麻哈鱼, 鲜肉色", + "ENG": "a large fish with silver skin and pink flesh that lives in the sea but swims up rivers to lay its eggs" + }, + "smelt": { + "CHS": "[鱼]胡瓜鱼" + }, + "trawl": { + "CHS": "[渔] 拖网", + "ENG": "a wide net that is pulled along the bottom of the sea to catch fish" + }, + "euphemism": { + "CHS": "[语法]委婉的说法", + "ENG": "a polite word or expression that you use instead of a more direct one to avoid shocking or upsetting someone" + }, + "agnostic": { + "CHS": "[哲]不可知论者", + "ENG": "someone who believes that people cannot know whether God exists or not" + }, + "ontology": { + "CHS": "[哲]存在论" + }, + "epistemology": { + "CHS": "[哲]认识论", + "ENG": "the theory of knowledge, esp the critical study of its validity, methods, and scope " + }, + "nihilism": { + "CHS": "[哲]虚无主义, 极端怀疑论", + "ENG": "the belief that nothing has any meaning or value" + }, + "orchid": { + "CHS": "[植] 兰, 兰花, 淡紫色", + "ENG": "a plant that has flowers which are brightly coloured and usually shaped" + }, + "heliotrope": { + "CHS": "[植] 向日葵, 天芥菜属植物, 该植物的花香, 淡紫色", + "ENG": "a garden plant with nice-smelling pale purple flowers" + }, + "mum": { + "CHS": "[植](=chrysanthemum)菊花, 沉默" + }, + "eucalyptus": { + "CHS": "[植]桉树", + "ENG": "a tall tree that produces an oil with a strong smell, used in medicines" + }, + "cypress": { + "CHS": "[植]柏科树的, 柏木属植物(原产北美、欧、亚), 柏树枝(用作哀悼的标志)", + "ENG": "a tree with dark green leaves and hard wood, which does not lose its leaves in winter" + }, + "maple": { + "CHS": "[植]枫, 枫木, 淡棕色", + "ENG": "the wood from a maple" + }, + "fern": { + "CHS": "[植]蕨类植物", + "ENG": "a type of plant with green leaves shaped like large feathers, but no flowers" + }, + "tuber": { + "CHS": "[植]块茎, 突起, [解]结节", + "ENG": "a round swollen part on the stem of some plants, such as the potato, that grows below the ground and from which new plants grow" + }, + "asparagus": { + "CHS": "[植]芦笋", + "ENG": "a long thin green vegetable with a point at one end" + }, + "pecan": { + "CHS": "[植]美洲山核桃树, 美洲山核桃", + "ENG": "a long thin sweet nut with a dark red shell, or the tree that it grows on" + }, + "sphagnum": { + "CHS": "[植]泥炭藓", + "ENG": "a type of moss (= simple plant ) that grows in wet places" + }, + "heath": { + "CHS": "[植]石南, 石南树丛", + "ENG": "a large open area, usually with sandy soil and scrubby vegetation, esp heather " + }, + "conifer": { + "CHS": "[植]松类, 针叶树", + "ENG": "a tree such as a pine or fir that has leaves like needles and produces brown cones that contain seeds. Most types of conifer keep their leaves in winter." + }, + "fig": { + "CHS": "[植]无花果, 无花果树, 无价值的东西, 少许, 一些, 服装", + "ENG": "a soft sweet fruit with a lot of small seeds, often eaten dried, or the tree on which this fruit grows" + }, + "cactus": { + "CHS": "[植]仙人掌", + "ENG": "a desert plant with sharp points instead of leaves" + }, + "vanilla": { + "CHS": "[植]香草, 香子兰", + "ENG": "a substance used to give a special taste to ice cream, cakes etc, made from the beans of a tropical plant" + }, + "oak": { + "CHS": "[植]橡树, 橡木", + "ENG": "a large tree that is common in northern countries, or the hard wood of this tree" + }, + "acorn": { + "CHS": "[植]橡树果, 橡子", + "ENG": "the nut of the oak tree" + }, + "almond": { + "CHS": "[植]杏树, 杏仁, 杏仁壮物", + "ENG": "Almonds are pale oval nuts. They are often used in cooking. " + }, + "lavender": { + "CHS": "[植]熏衣草属, 熏衣草花, 淡紫色", + "ENG": "a plant that has grey-green leaves and purple flowers with a strong pleasant smell" + }, + "tare": { + "CHS": "[植]野碗豆, 毒麦, 皮重", + "ENG": "any of various vetch plants, such as Vicia hirsuta (hairy tare) of Eurasia and N Africa " + }, + "elm": { + "CHS": "[植]榆树", + "ENG": "a type of large tree with broad leaves, or the wood from this tree" + }, + "laurel": { + "CHS": "[植]月桂树, 桂冠, 殊荣", + "ENG": "a small tree with smooth shiny dark green leaves that do not fall in winter" + }, + "mycology": { + "CHS": "[植]真菌学", + "ENG": "the study of different types of fungus " + }, + "vegetation": { + "CHS": "[植]植被, (总称)植物、草木, (植物的)生长、呆板单调的生活", + "ENG": "plants in general" + }, + "papyrus": { + "CHS": "[植]纸草, 草制成之纸", + "ENG": "a plant like grass that grows in water" + }, + "oracle": { + "CHS": "[宗](古希腊)神谕, 预言, 神谕处, 神使, 哲人, 圣贤美国ORACLE公司, 主要生产数据库产品, 也是主要的网络计算机的倡导者", + "ENG": "someone who the ancient Greeks believed could communicate with the gods, who gave advice to people or told them what would happen" + }, + "Bible": { + "CHS": "《圣经》", + "ENG": "TheBible is the holy book on which the Jewish and Christian religions are based" + }, + "mongrel": { + "CHS": "<贬>杂种(指人), 杂种狗, 混血儿", + "ENG": "a dog that is a mix of several different breeds" + }, + "putsch": { + "CHS": "<德>起义,暴动,造反,政变", + "ENG": "a secretly planned attempt to remove a government by force" + }, + "dossier": { + "CHS": "<法> 档案, 卷宗", + "ENG": "a set of papers containing detailed, usually secret information about a person or subject" + }, + "jacal": { + "CHS": "<法>(墨西哥和美国西部的)小茅屋" + }, + "reflet": { + "CHS": "<法>(陶瓷器等表面的)光彩, 光泽", + "ENG": "an iridescent glow or lustre, as on ceramic ware " + }, + "elite": { + "CHS": "<法>[集合名词]精华, 精锐, 中坚分子", + "ENG": "You can refer to the most powerful, rich, or talented people within a particular group, place, or society as the elite" + }, + "conge": { + "CHS": "<法>撤职, 解任, 告辞" + }, + "voyeur": { + "CHS": "<法>窥淫狂病人,偷看下流场面的人", + "ENG": "A voyeur is someone who gets sexual pleasure from secretly watching other people having sex or taking their clothes off" + }, + "entrepreneur": { + "CHS": "<法>企业家, 主办人", + "ENG": "someone who starts a new business or arranges business deals in order to make money, often in a way that involves financial risks" + }, + "ensemble": { + "CHS": "<法>全体, [音]合唱曲, 全体演出者", + "ENG": "An ensemble is a group of musicians, actors, or dancers who regularly perform together" + }, + "auberge": { + "CHS": "<法>小客栈, 小旅馆", + "ENG": "an inn or tavern " + }, + "lentitude": { + "CHS": "<古> 缓慢, 懒散" + }, + "rue": { + "CHS": "<古>懊悔, 后悔, [植]芸香", + "ENG": "sorrow, pity, or regret " + }, + "moron": { + "CHS": "<口>低能者, 笨人, [医]痴愚者(指智商在50-70之间的成年人), [心]性(欲)倒错者, 性反常者", + "ENG": "someone whose intelligence has not developed to the normal level" + }, + "pal": { + "CHS": "<口>好朋友, 伙伴, 同志", + "ENG": "a close friend" + }, + "tire": { + "CHS": "<口>疲劳, 劳累, 轮胎, 头饰" + }, + "shove": { + "CHS": "<口>推, 挤", + "ENG": "a strong push" + }, + "pinkie": { + "CHS": "<口>小手指", + "ENG": "your smallest finger" + }, + "nugae": { + "CHS": "<拉> 无价值的事,无聊事,琐事" + }, + "hurl": { + "CHS": "<俚>[棒球]用力或猛烈的投掷" + }, + "blowhard": { + "CHS": "<俚>吹牛大家", + "ENG": "If you describe someone as a blowhard, you mean that they express their opinions very forcefully, and usually in a boastful way" + }, + "quickie": { + "CHS": "<俚>匆匆做成的事, 快饮", + "ENG": "a sexual act that you do quickly – used humorously" + }, + "dock": { + "CHS": "<美> 码头, 船坞, 被告席, 尾巴的骨肉部分", + "ENG": "a place in a port where ships are loaded, unloaded, or repaired" + }, + "jumbo": { + "CHS": "<美> 庞然大物" + }, + "logjam": { + "CHS": "<美>(水道)受圆木阻塞, 停滞状态, 僵局", + "ENG": "a situation in which a lot of problems are preventing progress from being made" + }, + "bleachers": { + "CHS": "<美>(运动场的)露天看台", + "ENG": "long wooden bench es arranged in rows, where you sit to watch sport" + }, + "affidavit": { + "CHS": "<美>[律]宣誓书, (经陈诉者宣誓在法律上可采作证据的)书面陈述", + "ENG": "a written statement that you swear is true, for use as proof in a court of law" + }, + "antigen": { + "CHS": "<美>[免疫]抗原", + "ENG": "a substance that makes the body produce antibodies " + }, + "gulch": { + "CHS": "<美>干谷峡谷, 冲沟(尤指产金地的急流峡谷)", + "ENG": "a narrow deep valley formed in the past by flowing water, but usually dry now" + }, + "attorney": { + "CHS": "<美>律师, (业务或法律事务上的)代理人", + "ENG": "a lawyer" + }, + "barranca": { + "CHS": "<美>美国西南部的峡谷, 悬崖, 峭壁, 陡岸", + "ENG": "a ravine or precipice " + }, + "lumber": { + "CHS": "<美>木材, 无用的杂物(如破旧家俱), 废物, 隆隆声", + "ENG": "pieces of wood used for building, that have been cut to specific lengths and widths" + }, + "canyon": { + "CHS": "<美>峡谷, 溪谷", + "ENG": "a deep valley with very steep sides of rock that usually has a river running through it" + }, + "corporal": { + "CHS": "<美>下士", + "ENG": "a low rank in the army, air force etc" + }, + "dietitian": { + "CHS": "<美>营养学家, 营养学家" + }, + "buck": { + "CHS": "<美口> 元, 雄鹿, 公羊, 公兔", + "ENG": "a male rabbit, deer , and some other male animals" + }, + "highbrow": { + "CHS": "<美口>(自以为)有高度文化修养的人, 知识分子, 卖弄知识的人" + }, + "phenom": { + "CHS": "<美口>杰出人才(尤指运动员)", + "ENG": "a person or thing of outstanding abilities or qualities " + }, + "painkiller": { + "CHS": "<美口>止痛药解痛物", + "ENG": "a medicine which reduces or removes pain" + }, + "booster": { + "CHS": "<美俚>热心的拥护者, 后推的人, 支持者, 后援者, 调压器", + "ENG": "someone who gives a lot of support to a person, organization, or idea" + }, + "weal": { + "CHS": "<书>福利, 幸福, 鞭痕, 杖痕", + "ENG": "prosperity or wellbeing (now esp in the phrases the public weal, the common weal) " + }, + "visage": { + "CHS": "<书>面貌, 容貌", + "ENG": "a face" + }, + "chum": { + "CHS": "<俗>(特指男孩子之间)密友, 室友", + "ENG": "Your chum is your friend" + }, + "hunk": { + "CHS": "<俗>大块", + "ENG": "a thick piece of something, especially food, that has been taken from a bigger piece" + }, + "chap": { + "CHS": "<俗>伙伴, 家伙, 小伙子, 颚, 颊", + "ENG": "a man, especially a man you know and like" + }, + "don": { + "CHS": "<西>君, 先生(西班牙语冠于男子姓名前), 阁下, (英国剑桥或牛津大学)指导教师", + "ENG": "a university teacher, especially one who teaches at the universities of Oxford or Cambridge" + }, + "aficionado": { + "CHS": "<西班牙>狂热爱好者, 迷", + "ENG": "someone who is very interested in a particular activity or subject and knows a lot about it" + }, + "carfax": { + "CHS": "<英>(4条或4条以上道路的)交叉路口", + "ENG": "a place where principal roads or streets intersect, esp a place in a town where four roads meet " + }, + "litterbin": { + "CHS": "<英>(公共场所的)废物箱" + }, + "spinney": { + "CHS": "<英>灌木林, 矮林", + "ENG": "a small area of trees and bushes" + }, + "reek": { + "CHS": "<主苏格兰>烟, 水蒸汽, 雾, 臭气", + "ENG": "Reek is also a noun" + }, + "nemesis": { + "CHS": "-ses(1)报应;公正的惩罚(2)[希神]报应女神", + "ENG": "The nemesis of a person or thing is a situation, event, or person which causes them to be seriously harmed, especially as a punishment" + }, + "arabesque": { + "CHS": "阿拉伯式图饰, 蔓藤花纹", + "ENG": "a decorative pattern of flowing lines" + }, + "condolence": { + "CHS": "哀悼, 吊唁", + "ENG": "sympathy for someone who has had something bad happen to them, especially when someone has died" + }, + "threnode": { + "CHS": "哀歌, 葬歌, 挽歌", + "ENG": "an ode, song, or speech of lamentation, esp for the dead " + }, + "dwarf": { + "CHS": "矮子, 侏儒", + "ENG": "a person who is a dwarf has not continued to grow to the normal height because of a medical condition. Many people think that this use is offensive." + }, + "patriotism": { + "CHS": "爱国心, 爱国精神", + "ENG": "Patriotism is love for your country and loyalty toward it" + }, + "predilection": { + "CHS": "爱好, 偏袒", + "ENG": "if you have a predilection for something, especially something unusual, you like it very much" + }, + "gusto": { + "CHS": "爱好, 嗜好, 趣味, 由衷的高兴" + }, + "kayak": { + "CHS": "爱斯基摩人用的皮船, 皮船" + }, + "hoyden": { + "CHS": "爱喧闹的顽皮女孩" + }, + "conciliation": { + "CHS": "安抚, 抚慰" + }, + "scheme": { + "CHS": "安排, 配置, 计划, 阴谋, 方案, 图解, 摘要", + "ENG": "an official plan that is intended to help people in some way, for example by providing education or training" + }, + "solace": { + "CHS": "安慰", + "ENG": "a feeling of emotional comfort at a time of great sadness or disappointment" + }, + "saddle": { + "CHS": "鞍, 鞍状物", + "ENG": "a leather seat that you sit on when you ride a horse" + }, + "innuendo": { + "CHS": "暗讽(的话), 影射(的话)", + "ENG": "a remark that suggests something sexual or unpleasant without saying it directly, or these remarks in general" + }, + "gimmick": { + "CHS": "暗机关" + }, + "inkling": { + "CHS": "暗示, 略微的提示, 略知, 模糊概念", + "ENG": "a slight idea about something" + }, + "squalor": { + "CHS": "肮脏, 悲惨, 贫穷", + "ENG": "the condition of being dirty and unpleasant because of a lack of care or money" + }, + "dent": { + "CHS": "凹, 凹痕, (齿轮的)齿, 弱点", + "ENG": "a hollow area in the surface of something, usually made by something hitting it" + }, + "intaglio": { + "CHS": "凹雕, 阴雕, 凹雕玉石", + "ENG": "the art of cutting patterns into a hard substance, or the pattern that you get by doing this" + }, + "alcove": { + "CHS": "凹室, 壁橱, <古>凉亭, 避暑别墅", + "ENG": "a place in the wall of a room that is built further back than the rest of the wall" + }, + "haughtiness": { + "CHS": "傲慢, 不逊" + }, + "hauteur": { + "CHS": "傲慢, 自大", + "ENG": "a proud, very unfriendly manner" + }, + "arrogance": { + "CHS": "傲慢态度, 自大", + "ENG": "when someone behaves in a rude way because they think they are very important" + }, + "remorse": { + "CHS": "懊悔, 自责, 同情, 怜悯", + "ENG": "a strong feeling of being sorry that you have done something very bad" + }, + "chagrin": { + "CHS": "懊恼, 气愤, 委屈", + "ENG": "annoyance and disappointment because something has not happened the way you hoped" + }, + "baroque": { + "CHS": "巴洛克时期艺术和建筑风格的, 巴洛克式", + "ENG": "used to describe baroque art, music, buildings etc" + }, + "ballerina": { + "CHS": "芭蕾舞女", + "ENG": "a woman who dances in ballets" + }, + "scab": { + "CHS": "疤, 痂, 不参加罢工的工人, 恶棍, 工贼", + "ENG": "a hard layer of dried blood that forms over a cut or wound while it is getting better" + }, + "hold": { + "CHS": "把握, 把持力, 柄, 控制, 监禁, 掌握, 货舱", + "ENG": "control, power, or influence over something or someone" + }, + "hegemony": { + "CHS": "霸权", + "ENG": "a situation in which one state or country controls others" + }, + "idiocy": { + "CHS": "白痴, 白痴的行为" + }, + "idiot": { + "CHS": "白痴, 愚人, 傻瓜", + "ENG": "someone who is mentally ill or has a very low level of intelligence" + }, + "ferret": { + "CHS": "白鼬, 雪貂, 侦探, 细带", + "ENG": "a small animal with a pointed nose, used to hunt rats and rabbits" + }, + "oscillation": { + "CHS": "摆动, 振动", + "ENG": "oscillations are frequent changes between two extreme amounts or limits" + }, + "ferry": { + "CHS": "摆渡, 渡船, 渡口", + "ENG": "a boat that carries people or goods across a river or a narrow area of water" + }, + "mammonism": { + "CHS": "拜金主义, 贪财" + }, + "wrench": { + "CHS": "扳钳, 扳手, 猛扭, 痛苦, 扭伤, 歪曲", + "ENG": "especially AmE a metal tool that you use for turning nut s " + }, + "speck": { + "CHS": "斑点", + "ENG": "a very small mark, spot, or piece of something" + }, + "macula": { + "CHS": "斑点, 污点, 黑点, 斑疹, 太阳黑子", + "ENG": "a small spot or area of distinct colour, esp the macula lutea " + }, + "stripe": { + "CHS": "斑纹, 条纹", + "ENG": "a line of colour, especially one of several lines of colour all close together" + }, + "crate": { + "CHS": "板条箱, 柳条箱", + "ENG": "a large box made of wood or plastic that is used for carrying fruit, bottles etc" + }, + "slate": { + "CHS": "板岩, 石板, 石片, 蓝色", + "ENG": "a dark grey rock that can easily be split into flat thin pieces" + }, + "copyright": { + "CHS": "版权, 著作权", + "ENG": "the legal right to be the only producer or seller of a book, play, film, or record for a specific length of time" + }, + "transaction": { + "CHS": "办理, 处理, 会报, 学报, 交易, 事务, 处理事务", + "ENG": "a business deal or action, such as buying or selling something" + }, + "calotte": { + "CHS": "半球帽, 头盖帽, 半球状的东西" + }, + "bust": { + "CHS": "半身像, 胸像, (妇女的)胸部", + "ENG": "a model of someone’s head, shoulders, and upper chest, usually made of stone or metal" + }, + "nibble": { + "CHS": "半位元组, 细咬, 轻咬, 啃" + }, + "obbligato": { + "CHS": "伴奏" + }, + "helping": { + "CHS": "帮助, 协助, (食物)一份", + "ENG": "the amount of food that someone gives you or that you take" + }, + "mitten": { + "CHS": "棒球手套, 拳击手套", + "ENG": "a type of glove that does not have separate parts for each finger" + }, + "siege": { + "CHS": "包围, 围城, 长期努力, 不断袭击, 围攻", + "ENG": "a situation in which an army or the police surround a place and try to gain control of it or force someone to come out of it" + }, + "veneer": { + "CHS": "薄板, 单板, 胶合板, 饰面, 外表, 虚饰", + "ENG": "a thin layer of wood or plastic that covers the surface of a piece of furniture made of cheaper material, to make it look better" + }, + "lamella": { + "CHS": "薄片薄层, 薄片,[动]瓣,鳃,壳层,[植]菌褶", + "ENG": "a thin layer, plate, or membrane, esp any of the calcified layers of which bone is formed " + }, + "gauze": { + "CHS": "薄纱, [医]纱布, 薄雾", + "ENG": "very thin transparent material with very small holes in it" + }, + "gem": { + "CHS": "宝石, 珍宝, 精华, 被喜爱的人, 美玉", + "ENG": "a beautiful stone that has been cut into a special shape" + }, + "glyptography": { + "CHS": "宝石雕刻术", + "ENG": "the art of carving or engraving upon gemstones " + }, + "lapidary": { + "CHS": "宝石商", + "ENG": "a person whose business is to cut, polish, set, or deal in gemstones " + }, + "bodyguard": { + "CHS": "保镖, 护卫", + "ENG": "someone whose job is to protect an important person" + }, + "custody": { + "CHS": "保管", + "ENG": "when someone is responsible for keeping and looking after something" + }, + "indemnification": { + "CHS": "保护, 保障, 补偿, 补偿物" + }, + "patronage": { + "CHS": "保护人的身份, 保护, 赞助, 光顾", + "ENG": "the support, especially financial support, that is given to an organization or activity by a patron" + }, + "salvo": { + "CHS": "保留条款" + }, + "coffer": { + "CHS": "保险箱", + "ENG": "a large strong box used to hold valuable or religious objects" + }, + "fort": { + "CHS": "堡垒, 边界上的贸易站", + "ENG": "a strong building or group of buildings used by soldiers or an army for defending an important place" + }, + "fortress": { + "CHS": "堡垒, 要塞", + "ENG": "a large strong building used for defending an important place" + }, + "retribution": { + "CHS": "报偿", + "ENG": "Retribution is punishment for a crime, especially punishment that is carried out by someone other than the official authorities" + }, + "revenge": { + "CHS": "报仇, 复仇", + "ENG": "something you do in order to punish someone who has harmed or offended you" + }, + "reprisal": { + "CHS": "报复", + "ENG": "something violent or harmful which you do to punish someone for something bad they have done to you" + }, + "whine": { + "CHS": "抱怨, 牢骚, 哀鸣", + "ENG": "Whine is also a noun" + }, + "upstart": { + "CHS": "暴发户" + }, + "parvenu": { + "CHS": "暴发户", + "ENG": "an insulting word for someone from a low social position who has suddenly become rich and powerful" + }, + "tempest": { + "CHS": "暴风雨, 骚乱, 动乱", + "ENG": "a violent storm" + }, + "enormity": { + "CHS": "暴行, 巨大, 极恶", + "ENG": "a very evil and cruel act" + }, + "outrage": { + "CHS": "暴行, 侮辱, 愤怒", + "ENG": "a feeling of great anger and shock" + }, + "tyrant": { + "CHS": "暴君", + "ENG": "a ruler who has complete power and uses it in a cruel and unfair way" + }, + "gluttony": { + "CHS": "暴食, 贪食", + "ENG": "the bad habit of eating and drinking too much" + }, + "eruption": { + "CHS": "爆发, 火山灰, [医]出疹" + }, + "detonation": { + "CHS": "爆炸, 爆炸声, 爆裂", + "ENG": "A detonation is a large or powerful explosion" + }, + "mug": { + "CHS": "杯子", + "ENG": "a tall cup used for drinking tea, coffee etc" + }, + "woe": { + "CHS": "悲哀", + "ENG": "great sadness" + }, + "threnody": { + "CHS": "悲歌, 哀歌", + "ENG": "a funeral song or poem for someone who has died" + }, + "elegy": { + "CHS": "悲歌, 挽歌", + "ENG": "a sad poem or song, especially about someone who has died" + }, + "tragedienne": { + "CHS": "悲剧女演员", + "ENG": "an actor who specializes in tragic roles " + }, + "lament": { + "CHS": "悲伤, 哀悼, 恸哭, 挽诗, 悼词", + "ENG": "a song, piece of music, or something that you say, that expresses a feeling of sadness" + }, + "wail": { + "CHS": "悲叹, 哀号, 痛快" + }, + "jeremiad": { + "CHS": "悲叹, 悲痛, 悲哀的故事" + }, + "distress": { + "CHS": "悲痛, 穷困, 不幸, 危难, 忧伤", + "ENG": "a feeling of extreme unhappiness" + }, + "caribou": { + "CHS": "北美产驯鹿(=Rangifer)", + "ENG": "a North American reindeer " + }, + "cultch": { + "CHS": "贝壳屑", + "ENG": "a mass of broken stones, shells, and gravel that forms the basis of an oyster bed " + }, + "conchology": { + "CHS": "贝壳学, 贝类学", + "ENG": "the study and collection of mollusc shells " + }, + "ridge": { + "CHS": "背脊, 山脊, 屋脊, 山脉, 犁垄", + "ENG": "a long area of high land, especially at the top of a mountain" + }, + "renegade": { + "CHS": "背教者, 变节者, 叛徒", + "ENG": "someone who leaves one side in a war, politics etc in order to join the opposing side – used to show disapproval" + }, + "treachery": { + "CHS": "背叛, 背信弃义, 变节, 叛逆行为", + "ENG": "behaviour in which someone is not loyal to a person who trusts them, especially when this behaviour helps that person’s enemies" + }, + "endorsement": { + "CHS": "背书, 签注(文件), 认可", + "ENG": "An endorsement is a statement or action that shows you support or approve of something or someone" + }, + "dividend": { + "CHS": "被除数, 股息, 红利, 额外津贴, 奖金, 年息", + "ENG": "a part of a company’s profit that is divided among the people with share s in the company" + }, + "energumen": { + "CHS": "被恶魔附者,狂热者", + "ENG": "a person thought to be possessed by an evil spirit " + }, + "snowdrift": { + "CHS": "被风刮在一起的雪堆, 随风飘飞的雪", + "ENG": "a deep mass of snow formed by the wind" + }, + "defendant": { + "CHS": "被告", + "ENG": "the person in a court of law who has been accused of doing something illegal" + }, + "prey": { + "CHS": "被掠食者, 牺牲者, 掠食" + }, + "conscript": { + "CHS": "被征入伍的士兵", + "ENG": "someone who has been made to join the army, navy etc" + }, + "executor": { + "CHS": "被指定遗嘱执行者, 执行者", + "ENG": "someone who deals with the instructions in someone’s will" + }, + "flush": { + "CHS": "奔流, 晕红, 激动, 萌芽, 活力旺盛, 发烧, 一手同花的五张牌, 惊鸟", + "ENG": "a set of cards that someone has in a card game that are all of the same suit " + }, + "tomfool": { + "CHS": "笨伯, 傻瓜", + "ENG": "a fool " + }, + "schnorrer": { + "CHS": "笨蛋" + }, + "daubster": { + "CHS": "笨画匠" + }, + "lout": { + "CHS": "笨人", + "ENG": "a rude, violent man" + }, + "hulk": { + "CHS": "笨重的船, 废船", + "ENG": "a large heavy person or thing" + }, + "gaucherie": { + "CHS": "笨拙" + }, + "debacle": { + "CHS": "崩溃, 溃裂", + "ENG": "an event or situation that is a complete failure" + }, + "ligature": { + "CHS": "绷带" + }, + "romp": { + "CHS": "蹦跳游戏, 顽皮的人" + }, + "proboscis": { + "CHS": "鼻子, 长鼻", + "ENG": "the long thin nose of some animals such as an elephant " + }, + "dirk": { + "CHS": "匕首", + "ENG": "a heavy pointed knife used as a weapon in Scotland in the past" + }, + "tournament": { + "CHS": "比赛, 锦标赛, 联赛", + "ENG": "a competition in which players compete against each other in a series of games until there is one winner" + }, + "antedate": { + "CHS": "比正确日期早的日期", + "ENG": "an earlier date " + }, + "pygmy": { + "CHS": "俾格米人(属一种矮小人种,身长不足5英尺), 矮人, 侏儒, 小妖精", + "ENG": "someone who belongs to a race of very small people, especially one of the tribes of central Africa" + }, + "asylum": { + "CHS": "庇护, 收容所, 救济院, 精神病院", + "ENG": "protection given to someone by a government because they have escaped from fighting or political trouble in their own country" + }, + "jade": { + "CHS": "碧玉, 翡翠, 老马", + "ENG": "a hard, usually green stone often used to make jewellery" + }, + "wainscot": { + "CHS": "壁板, 装饰墙壁的材料(如瓷砖等)" + }, + "bulwark": { + "CHS": "壁垒, 防波堤", + "ENG": "a strong structure like a wall, built for defence" + }, + "grate": { + "CHS": "壁炉, 炉", + "ENG": "the metal bars and frame that hold the wood, coal etc in a fireplace " + }, + "sanctuary": { + "CHS": "避难所", + "ENG": "a peaceful place that is safe and provides protection, especially for people who are in danger" + }, + "hem": { + "CHS": "边, 缘, 摺边", + "ENG": "the edge of a piece of cloth that is turned under and stitched down, especially the lower edge of a skirt, trousers etc" + }, + "outskirts": { + "CHS": "边界, (尤指)市郊", + "ENG": "the parts of a town or city that are furthest from the centre" + }, + "flange": { + "CHS": "边缘, 轮缘, 凸缘, 法兰", + "ENG": "the flat edge that stands out from an object such as a railway wheel, to keep it in the right position or strengthen it" + }, + "fringe": { + "CHS": "边缘, 须边, 刘海", + "ENG": "if you have a fringe, your hair is cut so that it hangs down over your forehead" + }, + "scourge": { + "CHS": "鞭, 笞, 苦难的根源, 灾祸", + "ENG": "something that causes a lot of harm or suffering" + }, + "lash": { + "CHS": "鞭子, 鞭打, 睫毛, 责骂, 讽刺", + "ENG": "a hit with a whip, especially as a punishment" + }, + "alteration": { + "CHS": "变更, 改造", + "ENG": "a small change that makes someone or something slightly different, or the process of this change" + }, + "mutation": { + "CHS": "变化, 转变, 元音变化, (生物物种的)突变", + "ENG": "a change in the genetic structure of an animal or plant that makes it different from others of the same kind" + }, + "conversion": { + "CHS": "变换, 转化", + "ENG": "when you change something from one form, purpose, or system to a different one" + }, + "apostasy": { + "CHS": "变节, 背教, 脱党", + "ENG": "when someone suddenly stops believing in a religion or supporting a political party" + }, + "apostate": { + "CHS": "变节者, 背教者, 脱党者", + "ENG": "someone who has stopped believing in a religion or supporting a political party" + }, + "chameleon": { + "CHS": "变色龙", + "ENG": "a lizard that can change its colour to match the colours around it" + }, + "prestidigitation": { + "CHS": "变戏法" + }, + "metamorphosis": { + "CHS": "变形", + "ENG": "a process in which something changes completely into something very different" + }, + "feculence": { + "CHS": "变浊, 渣滓, 污物" + }, + "detour": { + "CHS": "便道, 绕路", + "ENG": "a different road for traffic when the usual road cannot be used" + }, + "frippery": { + "CHS": "便宜而俗艳的服装, 无用的东西", + "ENG": "an unnecessary and useless object or decoration" + }, + "doodad": { + "CHS": "便宜货, 新出品,小摆设" + }, + "identification": { + "CHS": "辨认, 鉴定, 证明, 视为同一", + "ENG": "official papers or cards, such as your passport, that prove who you are" + }, + "rebuttal": { + "CHS": "辩驳, 举反证", + "ENG": "If you make a rebuttal of a charge or accusation that has been made against you, you make a statement that gives reasons why the accusation is untrue" + }, + "vindication": { + "CHS": "辩护, 辩明, 拥护" + }, + "plait": { + "CHS": "辫子", + "ENG": "a length of something, usually hair, that has been plaited" + }, + "tag": { + "CHS": "标签, 鞋带、绳子等末端的金属物, 垂下物, 附属物, 名称, 标记符, 陈词滥调, 结束语", + "ENG": "a small piece of paper, plastic etc attached to something to show what it is, who owns it, what it costs etc" + }, + "dart": { + "CHS": "标枪, 镖, (昆虫的)刺, 飞快的动作", + "ENG": "a small pointed object that is thrown or shot as a weapon, or one that is thrown in the game of darts" + }, + "lance": { + "CHS": "标枪, 长矛, 矛状器具, 捕鲸枪", + "ENG": "a long thin pointed weapon that was used in the past by soldiers riding on horses" + }, + "heading": { + "CHS": "标题", + "ENG": "the title written at the beginning of a piece of writing, or at the beginning of part of a book" + }, + "byline": { + "CHS": "标题下署名之行", + "ENG": "A byline is a line at the top of an article in a newspaper or magazine giving the author's name" + }, + "norm": { + "CHS": "标准, 规范", + "ENG": "the usual or normal situation, way of doing something etc" + }, + "gauge": { + "CHS": "标准尺, 规格, 量规, 量表", + "ENG": "A gauge of someone's feelings or a situation is a fact or event that can be used to judge them" + }, + "cuticle": { + "CHS": "表皮", + "ENG": "the area of hard skin around the base of your nails" + }, + "alias": { + "CHS": "别名, 化名", + "ENG": "a false name, usually used by a criminal" + }, + "chic": { + "CHS": "别致的款式(尤指妇女的服饰)" + }, + "complaisance": { + "CHS": "彬彬有礼, 殷勤, 柔顺", + "ENG": "willingness to do what pleases other people" + }, + "helve": { + "CHS": "柄", + "ENG": "the handle of a hand tool such as an axe or pick " + }, + "haft": { + "CHS": "柄, 把手", + "ENG": "a long handle on an axe1 or other weapon" + }, + "handle": { + "CHS": "柄, 把手, 把柄, 口实, 手感", + "ENG": "the part of a door that you use for opening it" + }, + "hilt": { + "CHS": "柄, 刀把", + "ENG": "the handle of a sword or knife, where the blade is attached" + }, + "pathology": { + "CHS": "病理学", + "ENG": "the study of the causes and effects of illnesses" + }, + "invalid": { + "CHS": "病人, 残废者", + "ENG": "someone who cannot look after themselves because of illness, old age, or injury" + }, + "morbidity": { + "CHS": "病态, 不健全, 发病率", + "ENG": "the state of being morbid " + }, + "botulism": { + "CHS": "波特淋菌中毒, 香肠中毒", + "ENG": "serious food poisoning caused by bacteria in preserved meat and vegetables" + }, + "deprivation": { + "CHS": "剥夺", + "ENG": "If you suffer deprivation, you do not have or are prevented from having something that you want or need" + }, + "spinach": { + "CHS": "菠菜, 胡说八道", + "ENG": "a vegetable with large dark green leaves" + }, + "barge": { + "CHS": "驳船, 游艇", + "ENG": "a large low boat with a flat bottom, used for carrying goods on a canal or river" + }, + "exposition": { + "CHS": "博览会, 展览会, 说明, 曝露, [戏]展示部分, [音]呈示部", + "ENG": "a large public event at which you show or sell products, art etc" + }, + "erudition": { + "CHS": "博学", + "ENG": "Erudition is great academic knowledge" + }, + "polymath": { + "CHS": "博学者", + "ENG": "someone who has a lot of knowledge about many different subjects" + }, + "foil": { + "CHS": "箔, 金属薄片, [建]叶形片, 烘托, 衬托", + "ENG": "metal sheets that are as thin as paper, used for wrapping food" + }, + "cripple": { + "CHS": "跛子", + "ENG": "someone who is unable to walk properly because their legs are damaged or injured - now considered offensive" + }, + "supplement": { + "CHS": "补遗, 补充, 附录, 增刊", + "ENG": "something that you add to something else to improve it or make it complete" + }, + "subvention": { + "CHS": "补助金", + "ENG": "a gift of money, usually from a government, for a special use" + }, + "subsidy": { + "CHS": "补助金, 津贴", + "ENG": "money that is paid by a government or organization to make prices lower, reduce the cost of producing goods etc" + }, + "mammal": { + "CHS": "哺乳动物", + "ENG": "a type of animal that drinks milk from its mother’s body when it is young. Humans, dogs, and whales are mammals." + }, + "inquietude": { + "CHS": "不安", + "ENG": "a feeling of anxiety" + }, + "ineptitude": { + "CHS": "不称职" + }, + "perfidy": { + "CHS": "不诚实, 背信", + "ENG": "when someone is not loyal to another person who trusts them" + }, + "nonentity": { + "CHS": "不存在" + }, + "grouch": { + "CHS": "不高兴的人, 心怀不满", + "ENG": "A grouch is someone who is always complaining in a bad-tempered way" + }, + "iniquity": { + "CHS": "不公正", + "ENG": "the quality of being very unfair or evil, or something that is very unfair" + }, + "anomaly": { + "CHS": "不规则, 异常的人或物", + "ENG": "If something is an anomaly, it is different from what is usual or expected" + }, + "feud": { + "CHS": "不和, (部落或家族间的)世仇, 封地, 争执", + "ENG": "an angry and often violent quarrel between two people or groups that continues for a long time" + }, + "indispensable": { + "CHS": "不可缺少之物" + }, + "incertitude": { + "CHS": "不肯定, 不确定, 无把握", + "ENG": "uncertainty; doubt " + }, + "disaffection": { + "CHS": "不满", + "ENG": "Disaffection is the attitude that people have when they stop supporting something such as an organization or political ideal" + }, + "pique": { + "CHS": "不满, 生气, 愤怒", + "ENG": "a feeling of being annoyed or upset, especially because someone has ignored you or insulted you" + }, + "opprobrium": { + "CHS": "不名誉, 耻辱, 责骂" + }, + "gravamen": { + "CHS": "不平, 苦诉, [律]控诉要旨", + "ENG": "that part of an accusation weighing most heavily against an accused " + }, + "impropriety": { + "CHS": "不适当, 不适当的事物", + "ENG": "Impropriety is improper behaviour" + }, + "impunity": { + "CHS": "不受惩罚, 免罚, 无患" + }, + "incongruity": { + "CHS": "不调和的, 不适宜的", + "ENG": "the fact that something is strange, unusual, or unsuitable in a particular situation" + }, + "dissenter": { + "CHS": "不同意者, 非国教派的人, 反对者", + "ENG": "a person or organization that disagrees with an official decision or accepted opinion" + }, + "opaque": { + "CHS": "不透明物" + }, + "opacity": { + "CHS": "不透明性", + "ENG": "the quality that something has when it is difficult to see through" + }, + "intransigence": { + "CHS": "不妥协态度, 不让步,不调和" + }, + "nonconformity": { + "CHS": "不信奉国教(尤指英国国教), 不墨守成规, 不一致" + }, + "heathen": { + "CHS": "不信上帝者, 异教徒, 野蛮人, 粗野的人", + "ENG": "someone who is not connected with the Christian religion or any of the large established religions – used to show disapproval" + }, + "adversity": { + "CHS": "不幸, 灾祸, 逆境", + "ENG": "a situation in which you have a lot of problems that seem to be caused by bad luck" + }, + "ignoramus": { + "CHS": "不学无术的人, 无知识的人", + "ENG": "someone who does not know about things that most people know about" + }, + "repugnance": { + "CHS": "不一致" + }, + "variance": { + "CHS": "不一致, 变化, 变异, 变迁, 分歧, 不和", + "ENG": "the amount by which two or more things are different or by which they change" + }, + "dissonance": { + "CHS": "不一致, 不调和, 不谐和音", + "ENG": "a combination of notes that sound strange because they are not in harmony " + }, + "insufficiency": { + "CHS": "不足", + "ENG": "the state of being insufficient " + }, + "puttee": { + "CHS": "布绑腿, 皮绑腿", + "ENG": "a long piece of cloth that soldiers wrapped around each leg from the knee down, as part of their uniform in the past" + }, + "edict": { + "CHS": "布告, 法令", + "ENG": "an official public order made by someone in a position of power" + }, + "infantry": { + "CHS": "步兵, 步兵团", + "ENG": "soldiers who fight on foot" + }, + "pedestrian": { + "CHS": "步行者", + "ENG": "someone who is walking, especially along a street or other place used by cars" + }, + "installment": { + "CHS": "部分" + }, + "disposition": { + "CHS": "部署" + }, + "underling": { + "CHS": "部下, 下僚, 下属, 走卒", + "ENG": "an insulting word for someone who has a low rank – often used humorously" + }, + "portfolio": { + "CHS": "部长职务", + "ENG": "the work that a particular government official is responsible for" + }, + "flair": { + "CHS": "才能, 本领", + "ENG": "a natural ability to do something very well" + }, + "belongings": { + "CHS": "财产, 所有物, 相关事物, 亲戚", + "ENG": "the things you own, especially things that you can carry with you" + }, + "quarry": { + "CHS": "采石场, (知识、消息等的)来源", + "ENG": "a place where large amounts of stone or sand are dug out of the ground" + }, + "pastel": { + "CHS": "彩色蜡笔, 彩色蜡笔画", + "ENG": "a small coloured stick for drawing pictures with, made of a substance like chalk " + }, + "trample": { + "CHS": "踩踏, 蹂躏" + }, + "pantry": { + "CHS": "餐具室, 食品室", + "ENG": "a very small room in a house where food is kept" + }, + "atrocity": { + "CHS": "残暴, 暴行, 凶恶", + "ENG": "an extremely cruel and violent action, especially during a war" + }, + "barbarity": { + "CHS": "残暴的行为, 残忍", + "ENG": "a very cruel act" + }, + "hangover": { + "CHS": "残留, 遗物, 宿醉", + "ENG": "a pain in your head and a feeling of sickness that you get the day after you have drunk too much alcohol" + }, + "brutality": { + "CHS": "残忍, 野蛮的行为", + "ENG": "cruel and violent behaviour, or an event involving cruel and violent treatment" + }, + "massacre": { + "CHS": "残杀, 大屠杀", + "ENG": "when a lot of people are killed violently, especially people who cannot defend themselves" + }, + "remnant": { + "CHS": "残余, 剩余, 零料, 残迹", + "ENG": "a small part of something that remains after the rest of it has been used, destroyed, or eaten" + }, + "remainder": { + "CHS": "残余, 剩余物, 其他的人, [数]余数", + "ENG": "the part of something that is left after everything else has gone or been dealt with" + }, + "remains": { + "CHS": "残余, 遗迹, 遗体", + "ENG": "the parts of something that are left after the rest has been destroyed or has disappeared" + }, + "residue": { + "CHS": "残余, 渣滓, 滤渣, 残数, 剩余物", + "ENG": "a substance that remains on a surface, in a container etc and cannot be removed easily, or that remains after a chemical process" + }, + "fiasco": { + "CHS": "惨败, 大失败, 可耻的下场", + "ENG": "an event that is completely unsuccessful, in a way that is very embarrassing or disappointing" + }, + "precipitation": { + "CHS": "仓促", + "ENG": "the act of doing something too quickly in a way that is not sensible" + }, + "storehouse": { + "CHS": "仓库", + "ENG": "something that contains a lot of information etc" + }, + "bilge": { + "CHS": "舱底", + "ENG": "the broad bottom part of a ship" + }, + "notch": { + "CHS": "槽口, 凹口", + "ENG": "a V-shaped cut or hole in a surface or edge" + }, + "protocol": { + "CHS": "草案, 协议", + "ENG": "an established method for connecting computers so that they can exchange information" + }, + "meadow": { + "CHS": "草地, 牧场", + "ENG": "a field with wild grass and flowers" + }, + "forage": { + "CHS": "草料", + "ENG": "food supplies for horses and cattle" + }, + "silhouette": { + "CHS": "侧面影象, 轮廓", + "ENG": "a dark image, shadow, or shape that you see against a light background" + }, + "ploy": { + "CHS": "策略, 趣味, 工作" + }, + "tactic": { + "CHS": "策略, 战略" + }, + "hierarchy": { + "CHS": "层次层级" + }, + "thrust": { + "CHS": "插, 戳, 刺, 推力, 猛推, 口头攻击", + "ENG": "a sudden strong movement in which you push something forward" + }, + "interposition": { + "CHS": "插入", + "ENG": "something interposed " + }, + "insertion": { + "CHS": "插入", + "ENG": "the act of putting something inside something else" + }, + "parenthesis": { + "CHS": "插入语, 附带, 插曲, 圆括号", + "ENG": "a round bracket " + }, + "detection": { + "CHS": "察觉, 发觉, 侦查, 探测, 发现", + "ENG": "when something is found that is not easy to see, hear etc, or the process of looking for it" + }, + "errand": { + "CHS": "差事, 差使, 使命" + }, + "diversity": { + "CHS": "差异, 多样性", + "ENG": "the fact of including many different types of people or things" + }, + "obstetrics": { + "CHS": "产科学", + "ENG": "the part of medical science that deals with the birth of children" + }, + "alligator": { + "CHS": "产于美洲的鳄鱼" + }, + "blarney": { + "CHS": "谄媚, 奉承话", + "ENG": "pleasant but untrue things that you say to someone in order to trick or persuade them" + }, + "toady": { + "CHS": "谄媚者, 拍马屁的人", + "ENG": "someone who pretends to like an important person and does things for them, so that that person will help them – used to show disapproval" + }, + "shovel": { + "CHS": "铲, 铁铲", + "ENG": "a tool with a rounded blade and a long handle used for moving earth, stones etc" + }, + "enunciation": { + "CHS": "阐明" + }, + "trepidation": { + "CHS": "颤抖" + }, + "gustation": { + "CHS": "尝味, 味觉", + "ENG": "the act of tasting or the faculty of taste " + }, + "conventionality": { + "CHS": "常规,惯例,老一套", + "ENG": "the quality or characteristic of being conventional, esp in behaviour, thinking, etc " + }, + "requital": { + "CHS": "偿还" + }, + "quietus": { + "CHS": "偿清, 解除, 寂灭, 死", + "ENG": "the death of a person" + }, + "choir": { + "CHS": "唱诗班, 唱诗班的席位", + "ENG": "a group of people who sing together for other people to listen to" + }, + "epithet": { + "CHS": "绰号, 称号" + }, + "charisma": { + "CHS": "超凡魅力, 感召力, 教皇般的指导力", + "ENG": "a natural ability to attract and interest other people and make them admire you" + }, + "nidus": { + "CHS": "巢, 孵卵所", + "ENG": "the nest in which insects or spiders deposit their eggs " + }, + "scoff": { + "CHS": "嘲笑, 嘲弄的话, 嘲弄的对象, 愚弄, 笑柄, 食品", + "ENG": "an expression of derision " + }, + "jeer": { + "CHS": "嘲笑, 讥讽, 戏弄" + }, + "hubbub": { + "CHS": "吵闹声, 呐喊声, 叫嚷声", + "ENG": "a mixture of loud noises, especially the noise of a lot of people talking at the same time" + }, + "lathe": { + "CHS": "车床, [纺]走梭板", + "ENG": "a machine that shapes wood or metal, by turning it around and around against a sharp tool" + }, + "rut": { + "CHS": "车辙, 常轨, 定例, 惯例", + "ENG": "a deep narrow track left in soft ground by a wheel" + }, + "pernoctation": { + "CHS": "彻夜不眠" + }, + "revocation": { + "CHS": "撤回", + "ENG": "the act of revoking a law, decision, or agreement" + }, + "recession": { + "CHS": "撤回, 退回, 退后, 工商业之衰退, 不景气", + "ENG": "a difficult time when there is less trade, business activity etc in a country than usual" + }, + "mote": { + "CHS": "尘埃, 微粒", + "ENG": "a very small piece of dust" + }, + "precipitate": { + "CHS": "沉淀物", + "ENG": "a solid substance that has been chemically separated from a liquid" + }, + "sediment": { + "CHS": "沉淀物, 沉积", + "ENG": "solid substances that settle at the bottom of a liquid" + }, + "deposition": { + "CHS": "沉积作用, 沉积物, 革职, 废王位, 免职", + "ENG": "the natural process of depositing a substance on rocks or soil" + }, + "immersion": { + "CHS": "沉浸", + "ENG": "the action of immersing something in liquid, or the state of being immersed" + }, + "addiction": { + "CHS": "沉溺, 上瘾", + "ENG": "the need to take a harmful drug regularly, without being able to stop" + }, + "cogitation": { + "CHS": "沉思, 思考" + }, + "aplomb": { + "CHS": "沉着, 泰然, 垂直", + "ENG": "If you do something with aplomb, you do it with confidence in a relaxed way" + }, + "plod": { + "CHS": "沉重的脚步" + }, + "platitude": { + "CHS": "陈词滥调", + "ENG": "a statement that has been made many times before and is not interesting or clever – used to show disapproval" + }, + "compellation": { + "CHS": "称呼他人姓名, 姓名" + }, + "compliment": { + "CHS": "称赞, 恭维, 致意, 问候, 道贺", + "ENG": "a remark that shows you admire someone or something" + }, + "ingredient": { + "CHS": "成分, 因素", + "ENG": "one of the foods that you use to make a particular food or dish" + }, + "maturity": { + "CHS": "成热, 完备, (票据)到期, 成熟", + "ENG": "the quality of behaving in a sensible way like an adult" + }, + "corrugation": { + "CHS": "成皱, 起皱, 皱状" + }, + "lessee": { + "CHS": "承租人, 租户", + "ENG": "someone who is allowed to use a house, building, land etc for a period of time in return for payment to the owner" + }, + "chateau": { + "CHS": "城堡", + "ENG": "a castle or large country house in France" + }, + "pitch": { + "CHS": "程度, 斜度, 树脂, 投掷, 定调, (船只)前后颠簸, 倾斜, 沥青", + "ENG": "a throw of the ball, or a way in which it can be thrown" + }, + "castigation": { + "CHS": "惩罚, 苛责, 修订" + }, + "clarification": { + "CHS": "澄清, 净化", + "ENG": "the act of making something clearer or easier to understand, or an explanation that makes something clearer" + }, + "chuckle": { + "CHS": "吃吃的笑声", + "ENG": "Chuckle is also a noun" + }, + "barbecue": { + "CHS": "吃烤烧肉的野餐", + "ENG": "a meal or party during which food is cooked on a metal frame over a fire and eaten outdoors" + }, + "fag": { + "CHS": "吃力的工作, 疲劳, 苦工" + }, + "simper": { + "CHS": "痴笑, 假笑", + "ENG": "Simper is also a noun" + }, + "torpor": { + "CHS": "迟钝, 无感觉, 不活泼", + "ENG": "a state of being not active because you are lazy or sleepy" + }, + "dissident": { + "CHS": "持不同政见者", + "ENG": "someone who publicly criticizes the government in a country where this is punished" + }, + "duration": { + "CHS": "持续时间, 为期", + "ENG": "the length of time that something continues" + }, + "ignominy": { + "CHS": "耻辱", + "ENG": "an event or situation that makes you feel ashamed or embarrassed, especially in public" + }, + "deficit": { + "CHS": "赤字, 不足额", + "ENG": "the difference between the amount of something that you have and the higher amount that you need" + }, + "onslaught": { + "CHS": "冲击", + "ENG": "a large violent attack by an army" + }, + "washout": { + "CHS": "冲失, 冲失的区域", + "ENG": "a failure" + }, + "fray": { + "CHS": "冲突, 打架, 争论, (织物等)磨损处", + "ENG": "an argument or fight" + }, + "clash": { + "CHS": "冲突, 撞击声, 抵触", + "ENG": "a short fight between two armies or groups – used in news reports" + }, + "punch": { + "CHS": "冲压机, 冲床, 打孔机", + "ENG": "a metal tool for cutting holes or for pushing something into a small hole" + }, + "plenitude": { + "CHS": "充分", + "ENG": "completeness or fullness" + }, + "repletion": { + "CHS": "充满, 饱满" + }, + "plenum": { + "CHS": "充实, 充满, 全体会议, 高压", + "ENG": "A plenum is a meeting that is attended by all the members of a committee or conference" + }, + "adoration": { + "CHS": "崇拜, 爱慕, 受崇拜(或爱慕)的对象", + "ENG": "great love and admiration" + }, + "lottery": { + "CHS": "抽彩给奖法", + "ENG": "a game used to make money for a state or a charity in which people buy tickets with a series of numbers on them. If their number is picked by chance, they win money or a prize." + }, + "revulsion": { + "CHS": "抽回" + }, + "cramp": { + "CHS": "抽筋, 腹部绞痛, 月经痛", + "ENG": "a severe pain that you get in part of your body when a muscle becomes too tight, making it difficult for you to move that part of your body" + }, + "collage": { + "CHS": "抽象拚贴画(用报纸、布、压平的花等碎片拼合而成的)", + "ENG": "a picture made by sticking other pictures, photographs, cloth etc onto a surface" + }, + "animosity": { + "CHS": "仇恨, 憎恶", + "ENG": "strong dislike or hatred" + }, + "xenophobia": { + "CHS": "仇外, 惧外者", + "ENG": "strong fear or dislike of people from other countries" + }, + "scowl": { + "CHS": "愁容, 怒容, 暴风雨前的阴沉晦暗" + }, + "scruple": { + "CHS": "踌躇, 犹豫, 微量, 吩, 审慎" + }, + "scandal": { + "CHS": "丑行,丑闻,诽谤,耻辱,流言蜚语", + "ENG": "an event in which someone, especially someone important, behaves in a bad way that shocks people" + }, + "antic": { + "CHS": "丑角, 滑稽动作" + }, + "egress": { + "CHS": "出口, 外出", + "ENG": "the act of leaving a building or place, or the right to do this" + }, + "nativity": { + "CHS": "出生, (the Nativity)基督降生", + "ENG": "birth or origin, esp in relation to the circumstances surrounding it " + }, + "haemorrhage": { + "CHS": "出血(尤指大出血), 溢血", + "ENG": "a serious medical condition in which a person bleeds a lot, sometimes inside their body" + }, + "eminence": { + "CHS": "出众, 显赫, 崇高", + "ENG": "the quality of being famous and important" + }, + "debutante": { + "CHS": "初次参加社交活动的", + "ENG": "a young rich upper-class woman who starts going to fashionable events as a way of being introduced to upper-class society" + }, + "primer": { + "CHS": "初级读本, 雷管", + "ENG": "a tube that contains explosive and is used to fire a gun or explode a bomb" + }, + "abecedarian": { + "CHS": "初学者, 学字母者", + "ENG": "a person who is learning the alphabet or the rudiments of a subject " + }, + "preem": { + "CHS": "初演日, 首映" + }, + "deodorant": { + "CHS": "除臭剂", + "ENG": "a chemical substance that you put on the skin under your arms to stop you from smelling bad" + }, + "exception": { + "CHS": "除外, 例外, 反对, 异议", + "ENG": "something or someone that is not included in a general statement or does not follow a rule or pattern" + }, + "cuisine": { + "CHS": "厨房烹调法, 烹饪, 烹调风格", + "ENG": "a particular style of cooking" + }, + "reserve": { + "CHS": "储备(物), 储藏量, 预备队", + "ENG": "a supply of something kept to be used if it is needed" + }, + "penalty": { + "CHS": "处罚, 罚款", + "ENG": "a punishment for breaking a law, rule, or legal agreement" + }, + "corral": { + "CHS": "畜栏", + "ENG": "a fairly small enclosed area where cattle, horses etc can be kept temporarily, especially in North America" + }, + "penetration": { + "CHS": "穿过, 渗透, 突破", + "ENG": "when something or someone enters or passes through something, especially when this is difficult" + }, + "subpoena": { + "CHS": "传票", + "ENG": "a written order to come to a court of law and be a witness " + }, + "saga": { + "CHS": "传奇" + }, + "contagion": { + "CHS": "传染, 传染病, 蔓延, 歪风, 腐化", + "ENG": "a situation in which a disease is spread by people touching each other" + }, + "legend": { + "CHS": "传说, 伟人传, 图例联想集团,中国最大的国有品牌微机制造商之一", + "ENG": "an old, well-known story, often about brave people, adventures, or magical events" + }, + "vessel": { + "CHS": "船, 容器, 器皿, 脉管, 导管", + "ENG": "a ship or large boat" + }, + "jib": { + "CHS": "船首三角帆, 起重机的臂, 挺杆", + "ENG": "a small sail in front of the large sail on a boat" + }, + "rafter": { + "CHS": "椽, 筏夫", + "ENG": "one of the large sloping pieces of wood that form the structure of a roof" + }, + "cluster": { + "CHS": "串, 丛", + "ENG": "a group of things of the same kind that are very close together" + }, + "concatenation": { + "CHS": "串联", + "ENG": "a series of events or things joined together one after another" + }, + "mattress": { + "CHS": "床垫, 空气垫, (用以护堤等的)沉床", + "ENG": "the soft part of a bed that you lie on" + }, + "intrusion": { + "CHS": "闯入, 侵扰", + "ENG": "when someone does something, or something happens, that affects your private life or activities in an unwanted way" + }, + "originality": { + "CHS": "创意, 新奇", + "ENG": "when something is completely new and different from anything that anyone has thought of before" + }, + "gasconade": { + "CHS": "吹牛", + "ENG": "boastful talk, bragging, or bluster " + }, + "flamdoodle": { + "CHS": "吹牛" + }, + "braggart": { + "CHS": "吹嘘", + "ENG": "someone who is always talking too proudly about what they own or have done" + }, + "icicle": { + "CHS": "垂冰, 冰柱", + "ENG": "a long thin pointed piece of ice hanging from a roof or other surface" + }, + "gavel": { + "CHS": "槌", + "ENG": "a small hammer that the person in charge of a meeting, court of law, auction etc hits on a table in order to get people’s attention" + }, + "mallet": { + "CHS": "槌棒", + "ENG": "a wooden hammer with a large end" + }, + "chastity": { + "CHS": "纯洁, 贞节, 简洁", + "ENG": "the principle or state of not having sex with anyone, or not with anyone except your husband or wife" + }, + "lexicon": { + "CHS": "词典", + "ENG": "all the words and phrases used in a language or that a particular person knows" + }, + "lexicographer": { + "CHS": "词典编纂者" + }, + "malapropism": { + "CHS": "词语误用, 用词错误可笑", + "ENG": "an amusing mistake that you make when you use a word that sounds similar to the word you intended to say but means something completely different" + }, + "porcelain": { + "CHS": "瓷器, 瓷", + "ENG": "a hard shiny white substance that is used for making expensive plates, cups etc" + }, + "thesaurus": { + "CHS": "辞典", + "ENG": "a book in which words are put into groups with other words that have similar meanings" + }, + "resignation": { + "CHS": "辞职, 辞职书, 放弃, 顺从", + "ENG": "an occasion when you officially announce that you have decided to leave your job or an organization, or a written statement that says you will be leaving" + }, + "charity": { + "CHS": "慈善, 施舍, 慈善团体", + "ENG": "an organization that gives money, goods, or help to people who are poor, sick etc" + }, + "philanthropist": { + "CHS": "慈善家", + "ENG": "a rich person who gives a lot of money to help poor people" + }, + "magnetism": { + "CHS": "磁, 磁力, 吸引力, 磁学", + "ENG": "the physical force that makes two metal objects pull towards each other or push each other apart" + }, + "vixen": { + "CHS": "雌狐, 唠叨的女人, 坏心眼的女人, 刁妇, 泼妇", + "ENG": "a female fox" + }, + "poke": { + "CHS": "刺, 戳, 懒汉, 袋子", + "ENG": "Poke is also a noun" + }, + "stab": { + "CHS": "刺, 刺伤的伤口, 一阵突然而强烈的感觉, 中伤, 伤痛", + "ENG": "an act of stabbing or trying to stab someone with a knife" + }, + "prickle": { + "CHS": "刺, 刺痛, 柳条篮子", + "ENG": "a long thin sharp point on the skin of some animals or the surface of some plants" + }, + "sting": { + "CHS": "刺, 刺痛, 针刺", + "ENG": "a wound or mark made when an insect or plant stings you" + }, + "cacophony": { + "CHS": "刺耳的音调, 不协和音, 杂音", + "ENG": "a loud unpleasant mixture of sounds" + }, + "stimulant": { + "CHS": "刺激物", + "ENG": "something that encourages more of a particular activity" + }, + "stimulus": { + "CHS": "刺激物, 促进因素, 刺激, 刺激", + "ENG": "something that helps a process to develop more quickly or more strongly" + }, + "prier": { + "CHS": "刺探者,窥探者", + "ENG": "a person who pries " + }, + "embroidery": { + "CHS": "刺绣品, 粉饰, 刺绣, 装饰", + "ENG": "a pattern sewn onto cloth, or cloth with patterns sewn onto it" + }, + "bosk": { + "CHS": "丛林,树丛,灌木丛", + "ENG": "a small wood of bushes and small trees " + }, + "rowdy": { + "CHS": "粗暴而又好争吵的人, 吵嚷者, 小流氓", + "ENG": "someone who behaves in a rough noisy way" + }, + "kitsch": { + "CHS": "粗劣作品或工艺品" + }, + "grit": { + "CHS": "粗砂", + "ENG": "a type of grain that is roughly crushed and cooked, and often eaten for breakfast" + }, + "vulgarity": { + "CHS": "粗俗, 粗俗语, 粗野行为", + "ENG": "the state or quality of being vulgar" + }, + "fustian": { + "CHS": "粗斜条棉布, 夸大的话", + "ENG": "a type of rough heavy cotton cloth, worn especially in the past" + }, + "incivility": { + "CHS": "粗野" + }, + "prompting": { + "CHS": "促进, 激励, 提示", + "ENG": "If you respond to prompting, you do what someone encourages or reminds you to do" + }, + "interpolation": { + "CHS": "篡改, 添写, 插补" + }, + "catalyst": { + "CHS": "催化剂", + "ENG": "a substance that makes a chemical reaction happen more quickly without being changed itself" + }, + "catalysis": { + "CHS": "催化作用", + "ENG": "the process of making a chemical reaction quicker by adding a catalyst" + }, + "lullaby": { + "CHS": "催眠曲, 摇篮曲, 轻柔的声音", + "ENG": "a slow quiet song sung to children to make them go to sleep" + }, + "hypnosis": { + "CHS": "催眠状态, 催眠", + "ENG": "a state similar to sleep, in which someone’s thoughts and actions can be influenced by someone else" + }, + "acne": { + "CHS": "痤疮, 粉刺", + "ENG": "a medical problem which causes a lot of red spots on your face and neck and mainly affects young people" + }, + "discomfiture": { + "CHS": "挫折, 失败,崩溃,尴尬" + }, + "filings": { + "CHS": "锉屑, 锉末", + "ENG": "Filings are very small pieces of a substance, especially a metal, that are produced when it is filed or cut" + }, + "delusion": { + "CHS": "错觉", + "ENG": "a false belief about yourself or the situation you are in" + }, + "attainment": { + "CHS": "达到", + "ENG": "success in achieving something or reaching a particular level" + }, + "flint": { + "CHS": "打火石, 极硬的东西, 燧石", + "ENG": "a type of smooth hard stone that makes a small flame when you hit it with steel" + }, + "doggerel": { + "CHS": "打油诗", + "ENG": "poetry that is silly or funny and not intended to be serious" + }, + "poetaster": { + "CHS": "打油诗人, 劣等诗人", + "ENG": "a writer of inferior verse " + }, + "bale": { + "CHS": "大包, 大捆, (指标准量货物, 如稻草, 麦杆)货物", + "ENG": "a large quantity of something such as paper or hay that is tightly tied together especially into a block" + }, + "maul": { + "CHS": "大槌" + }, + "sledgehammer": { + "CHS": "大锤, 猛烈的打击", + "ENG": "a large heavy hammer" + }, + "sack": { + "CHS": "大袋, 大袋之量, 麻布袋, 短而松的袍装, 布袋装, 洗劫", + "ENG": "a situation in which an army goes through a place, destroying or stealing things and attacking people" + }, + "audacity": { + "CHS": "大胆, 厚颜", + "ENG": "the quality of having enough courage to take risks or say impolite things" + }, + "aorta": { + "CHS": "大动脉", + "ENG": "the largest artery that takes blood away from your heart" + }, + "gale": { + "CHS": "大风, (突发的)一阵", + "ENG": "a very strong wind" + }, + "blizzard": { + "CHS": "大风雪", + "ENG": "a severe snowstorm" + }, + "synopsis": { + "CHS": "大纲" + }, + "precis": { + "CHS": "大纲, 摘要" + }, + "rhubarb": { + "CHS": "大黄, 大黄的叶柄", + "ENG": "a plant with broad leaves. It has thick red stems that can be cooked and eaten." + }, + "holocaust": { + "CHS": "大毁灭, 大屠杀", + "ENG": "the killing of millions of Jews and other people by the Nazis during the Second World War" + }, + "conflagration": { + "CHS": "大火, 大火灾, 突发", + "ENG": "a very large fire that destroys a lot of buildings, forests etc" + }, + "shears": { + "CHS": "大剪刀, 剪床", + "ENG": "a heavy tool for cutting, like a big pair of scissors" + }, + "harpsichord": { + "CHS": "大键琴", + "ENG": "a musical instrument like a piano, used especially in the past" + }, + "beaker": { + "CHS": "大口杯, 有倾口的烧杯", + "ENG": "a drinking cup with straight sides and no handle, usually made of plastic" + }, + "ewer": { + "CHS": "大口水罐", + "ENG": "a large container for water, that was used in the past" + }, + "chunk": { + "CHS": "大块, 矮胖的人或物", + "ENG": "a large thick piece of something that does not have an even shape" + }, + "hawser": { + "CHS": "大缆, 曳船索, 系船索", + "ENG": "A hawser is a large heavy rope, especially one used on a ship" + }, + "raff": { + "CHS": "大量, (乱七八糟的)一大堆" + }, + "continent": { + "CHS": "大陆, 陆地", + "ENG": "a large mass of land surrounded by sea" + }, + "sow": { + "CHS": "大母猪", + "ENG": "a fully grown female pig" + }, + "backlog": { + "CHS": "大木材, 订货" + }, + "chump": { + "CHS": "大木片, 大肉片, 木人" + }, + "necropolis": { + "CHS": "大墓地, 古代的埋葬地", + "ENG": "an area of land where dead people are buried, especially a large ancient one" + }, + "cerebrum": { + "CHS": "大脑", + "ENG": "the anterior portion of the brain of vertebrates, consisting of two lateral hemispheres joined by a thick band of fibres: the dominant part of the brain in man, associated with intellectual function, emotion, and personality " + }, + "latifundium": { + "CHS": "大农场主", + "ENG": "a large agricultural estate, esp one worked by slaves in ancient Rome " + }, + "exodus": { + "CHS": "大批的离去, [the E-](古代以色列人)出埃及", + "ENG": "If there is an exodus of people from a place, a lot of people leave that place at the same time" + }, + "tankard": { + "CHS": "大啤酒杯, 一大杯", + "ENG": "a large metal cup, usually with a handle, which you can drink beer from" + }, + "havoc": { + "CHS": "大破坏, 浩劫" + }, + "edifice": { + "CHS": "大厦, 大建筑物", + "ENG": "a building, especially a large one" + }, + "mansion": { + "CHS": "大厦, 官邸, 公寓(用复数,用于专有名词中)", + "ENG": "a very large house" + }, + "howler": { + "CHS": "大声叫喊者" + }, + "bravura": { + "CHS": "大胜的尝试,勇气的举动(显示演奏家技艺的壮丽的乐段)" + }, + "boulder": { + "CHS": "大石头, 漂石" + }, + "bough": { + "CHS": "大树枝, 主枝", + "ENG": "a main branch on a tree" + }, + "spate": { + "CHS": "大水" + }, + "ballyhoo": { + "CHS": "大肆宣传, 大吹大擂, 喧噪", + "ENG": "when there is a lot of excitement or anger about something – used to show disapproval" + }, + "lobby": { + "CHS": "大厅, 休息室, <美>游说议员者", + "ENG": "a wide passage or large hall just inside the entrance to a public building" + }, + "tack": { + "CHS": "大头钉, 粗缝, 行动方针, 食物", + "ENG": "a long loose stitch used for fastening pieces of cloth together before sewing them" + }, + "agglomerate": { + "CHS": "大团, 大块" + }, + "magnitude": { + "CHS": "大小, 数量, 巨大, 广大, 量级", + "ENG": "the force of an earthquake " + }, + "galleon": { + "CHS": "大型帆船", + "ENG": "a sailing ship used mainly by the Spanish from the 15th to the 17th century" + }, + "maelstrom": { + "CHS": "大漩涡, 挪威近海的大漩涡, 猛烈的力量", + "ENG": "dust or water that moves very quickly in circles" + }, + "footle": { + "CHS": "呆话, 傻事" + }, + "dolt": { + "CHS": "呆子, 傻瓜, 笨蛋", + "ENG": "a silly or stupid person" + }, + "delegate": { + "CHS": "代表", + "ENG": "someone who has been elected or chosen to speak, vote, or take decisions for a group" + }, + "surrogate": { + "CHS": "代理, 代用品, 代理人", + "ENG": "a person or thing that takes the place of someone or something else" + }, + "deputy": { + "CHS": "代理人, 代表", + "ENG": "someone who is directly below another person in rank, and who is officially in charge when that person is not there" + }, + "proctor": { + "CHS": "代理人, 代书, [律]代诉人" + }, + "succedaneum": { + "CHS": "代用品, 代理者, 代用药", + "ENG": "something that is used as a substitute, esp any medical drug or agent that may be taken or prescribed in place of another " + }, + "substitute": { + "CHS": "代用品, 代替者, 替代品", + "ENG": "someone who does someone else’s job for a limited period of time, especially in a sports team or school" + }, + "zoster": { + "CHS": "带, 带状疹子" + }, + "fascia": { + "CHS": "带, 饰带(店门面上的)招牌, <英>汽车仪表板, [医]绷带", + "ENG": "a dashboard " + }, + "girdle": { + "CHS": "带, 腰带, 带状物, 浅锅" + }, + "buckle": { + "CHS": "带扣", + "ENG": "a piece of metal used for fastening the two ends of a belt, for fastening a shoe, bag etc, or for decoration" + }, + "sloth": { + "CHS": "怠惰, 懒惰", + "ENG": "an animal in Central and South America that moves very slowly, has grey fur, and lives in trees" + }, + "monolithic": { + "CHS": "单片电路, 单块集成电路" + }, + "sloop": { + "CHS": "单桅帆船", + "ENG": "a small ship with one central mast (= pole for sails ) " + }, + "singularity": { + "CHS": "单一, 异常, 奇异, 奇妙, 稀有", + "ENG": "an extremely small point in space that contains an extremely large amount of material and which does not obey the usual laws of nature, for example a black hole or the point at the beginning of the universe" + }, + "dipsomania": { + "CHS": "耽酒症, 饮酒狂", + "ENG": "a compulsive desire to drink alcoholic beverages " + }, + "hardihood": { + "CHS": "胆大无敌, 厚颜, 刚毅" + }, + "poltroon": { + "CHS": "胆小鬼", + "ENG": "an abject or contemptible coward " + }, + "gall": { + "CHS": "胆汁, 恶毒, 怨恨, 五倍子, 苦味, 磨伤(尤指马的), 肿痛, 恼怒", + "ENG": "anger and hate that will not go away" + }, + "bile": { + "CHS": "胆汁, 愤怒", + "ENG": "a bitter green-brown liquid formed in the liver , which helps you to digest fats" + }, + "tinge": { + "CHS": "淡色, 色调, 些微气味, 气息, 风味", + "ENG": "A tinge of a colour, feeling, or quality is a small amount of it" + }, + "repercussion": { + "CHS": "弹回, 反响, (光、声等的)反射" + }, + "resilience": { + "CHS": "弹回, 有弹力, 恢复力, 顺应力, 轻快, 达观, 愉快的心情", + "ENG": "the ability to become strong, happy, or successful again after a difficult situation or event" + }, + "crater": { + "CHS": "弹坑", + "ENG": "a round hole in the ground made by something that has fallen on it or by an explosion" + }, + "elasticity": { + "CHS": "弹力, 弹性", + "ENG": "the ability of something to stretch and go back to its usual length or size" + }, + "yolk": { + "CHS": "蛋黄, [生物] 卵黄", + "ENG": "the yellow part in the centre of an egg" + }, + "potentate": { + "CHS": "当权者", + "ENG": "A potentate is a ruler who has complete power over his people" + }, + "archives": { + "CHS": "档案, 公文, 档案室, 案卷保管处", + "ENG": "Archives are a collection of documents and records that contain historical information. You can also use archives to refer to the place where archives are stored. " + }, + "blade": { + "CHS": "刀刃, 刀片", + "ENG": "the flat cutting part of a tool or weapon" + }, + "missile": { + "CHS": "导弹, 发射物", + "ENG": "a weapon that can fly over long distances and that explodes when it hits the thing it has been aimed at" + }, + "preamble": { + "CHS": "导言", + "ENG": "a statement at the beginning of a book, document, or talk, explaining what it is about" + }, + "insularity": { + "CHS": "岛国性质(或状态), 岛屿生活状况, 与外界隔绝的生活状况, (思想, 观点等的)偏狭, 性僵化" + }, + "penultimate": { + "CHS": "倒数第二音节" + }, + "arrears": { + "CHS": "到期未付款, 欠帐", + "ENG": "if someone is in arrears, or if their payments are in arrears, they are late in paying something that they should pay regularly, such as rent" + }, + "kleptomania": { + "CHS": "盗窃癖", + "ENG": "a mental illness in which you have a desire to steal things" + }, + "larceny": { + "CHS": "盗窃罪", + "ENG": "the act or crime of stealing" + }, + "embezzlement": { + "CHS": "盗用, 侵占, 挪用", + "ENG": "Embezzlement is the crime of embezzling money" + }, + "moralist": { + "CHS": "道德家, 有道德的人, 伦理学者", + "ENG": "someone who has very strong beliefs about what is right and wrong and how people should behave – used to show disapproval" + }, + "score": { + "CHS": "得分, 乐谱, 抓痕, 二十, 终点线, 刻痕, 帐目, 起跑线", + "ENG": "the number of points that each team or player has won in a game or competition" + }, + "elation": { + "CHS": "得意洋洋, 兴高采烈", + "ENG": "a feeling of great happiness and excitement" + }, + "murmur": { + "CHS": "低沉连续的声音, 咕哝, 怨言, 低语", + "ENG": "a complaint, but not a strong or official complaint" + }, + "imbecility": { + "CHS": "低能" + }, + "bassoon": { + "CHS": "低音管, 巴颂管", + "ENG": "a musical instrument like a very long wooden tube, that produces a low sound. You hold it upright and play it by blowing into a thin curved metal pipe." + }, + "embankment": { + "CHS": "堤防, 筑堤", + "ENG": "a wide wall of earth or stones built to stop water from flooding an area, or to support a road or railway" + }, + "antagonist": { + "CHS": "敌手, 对手", + "ENG": "your opponent in a competition, battle, quarrel etc" + }, + "adversary": { + "CHS": "敌手, 对手", + "ENG": "a country or person you are fighting or competing against" + }, + "hostility": { + "CHS": "敌意, 恶意, 不友善, 敌对, 对抗, 反对", + "ENG": "when someone is unfriendly and full of anger towards another person" + }, + "animus": { + "CHS": "敌意, 意图", + "ENG": "a feeling of strong dislike or hatred" + }, + "enmity": { + "CHS": "敌意, 憎恨", + "ENG": "Enmity is a feeling of hatred toward someone that lasts for a long time" + }, + "purgatory": { + "CHS": "涤罪, 炼狱, 暂时受苦的地方", + "ENG": "in Roman Catholic belief, a place where the souls of dead people suffer until they are pure enough to enter heaven" + }, + "mortgage": { + "CHS": "抵押" + }, + "chassis": { + "CHS": "底盘", + "ENG": "the frame on which the body, engine, wheels etc of a vehicle are built" + }, + "substratum": { + "CHS": "底土, 下层土壤地基", + "ENG": "a layer that lies beneath another layer, especially in the earth" + }, + "locus": { + "CHS": "地点,所在地, [数]轨迹", + "ENG": "the place where something is particularly known to exist, or which is the centre of something" + }, + "cellar": { + "CHS": "地窖, 地下室, 酒窖, 藏酒量", + "ENG": "a room under a house or other building, often used for storing things" + }, + "gazetteer": { + "CHS": "地名辞典, 记者, 公报记者" + }, + "horizon": { + "CHS": "地平线", + "ENG": "the line far away where the land or sea seems to meet the sky" + }, + "atlas": { + "CHS": "地图, 地图集", + "ENG": "a book containing maps, especially of the whole world" + }, + "cartographer": { + "CHS": "地图制作者, 制图师", + "ENG": "A cartographer is a person whose job is drawing maps" + }, + "gravity": { + "CHS": "地心引力, 重力", + "ENG": "the force that causes something to fall to the ground or to be attracted to another planet " + }, + "terrain": { + "CHS": "地形", + "ENG": "a particular type of land" + }, + "topography": { + "CHS": "地形学", + "ENG": "the science of describing an area of land, or making maps of it" + }, + "limbo": { + "CHS": "地狱的边境, 监狱" + }, + "perversion": { + "CHS": "颠倒, 曲解", + "ENG": "the process of changing something that is natural and good into something that is unnatural and wrong, or the result of such a change" + }, + "pawn": { + "CHS": "典当, 抵押物, 人质, (象棋)兵、卒, 爪牙, 被人利用的人", + "ENG": "one of the eight smallest and least valuable pieces which each player has in the game of chess " + }, + "pawnbroker": { + "CHS": "典当商", + "ENG": "someone whose business is to lend people money in exchange for valuable objects. If the money is not paid back, the pawnbroker can sell the object." + }, + "ritual": { + "CHS": "典礼, (宗教)仪式, 礼节", + "ENG": "a ceremony that is always performed in the same way, in order to mark an important religious or social occasion" + }, + "warden": { + "CHS": "典狱官, 看守人, 学监, 区长, (供煮食的)一种冬梨", + "ENG": "the person in charge of a prison" + }, + "drib": { + "CHS": "点滴, 少量" + }, + "stipple": { + "CHS": "点刻, 点画", + "ENG": "the technique of stippling or a picture produced by or using stippling " + }, + "iodine": { + "CHS": "碘, 碘酒", + "ENG": "a dark blue chemical substance that is used on wounds to prevent infection. It is a chemical element :symbol I" + }, + "bolster": { + "CHS": "垫子", + "ENG": "a long firm pillow , usually shaped like a tube" + }, + "cushion": { + "CHS": "垫子, 软垫, 衬垫", + "ENG": "a cloth bag filled with soft material that you put on a chair or the floor to make it more comfortable" + }, + "libation": { + "CHS": "奠酒祭神仪式, 饮酒", + "ENG": "a gift of wine to a god" + }, + "indigo": { + "CHS": "靛, 靛青", + "ENG": "a dark purple-blue colour" + }, + "statuary": { + "CHS": "雕象", + "ENG": "statues" + }, + "apex": { + "CHS": "顶点", + "ENG": "the top or highest part of something pointed or curved" + }, + "zenith": { + "CHS": "顶点, 顶峰, 天顶, 最高点", + "ENG": "the most successful point in the development of something" + }, + "acme": { + "CHS": "顶点, 极致", + "ENG": "the best and highest level of something" + }, + "vertex": { + "CHS": "顶点, 最高点, [解]头顶, [天]天顶", + "ENG": "the point where two lines meet to form an angle, especially the point of a triangle" + }, + "garret": { + "CHS": "顶楼", + "ENG": "a small uncomfortable room at the top of a house, just under the roof" + }, + "espousal": { + "CHS": "订婚, 婚礼, 拥护", + "ENG": "A government's or person's espousal of a particular policy, cause, or belief is their strong support of it" + }, + "stapler": { + "CHS": "订书机", + "ENG": "a tool used for putting staples into paper" + }, + "clinch": { + "CHS": "钉牢, 拥吻", + "ENG": "a situation in which two people who love each other hold each other tightly" + }, + "staple": { + "CHS": "钉书钉, 钉, 主要产品(或商品), 原材料, 主要成分, 来源", + "ENG": "a small piece of thin wire that is pushed into sheets of paper and bent over to hold them together" + }, + "mace": { + "CHS": "钉头, 权杖, 肉豆蔻, 肉豆蔻树, 豆蔻香料, 催泪瓦斯, 肉豆蔻皮", + "ENG": "a spice made from the dried shell of a nutmeg " + }, + "definition": { + "CHS": "定义, 解说, 精确度, (轮廓影像等的)清晰度", + "ENG": "a phrase or sentence that says exactly what a word, phrase, or idea means" + }, + "daredevil": { + "CHS": "铤而走险的人, 蛮勇的人", + "ENG": "someone who likes doing dangerous things" + }, + "orient": { + "CHS": "东方, 东方诸国(指地中海以东各国)", + "ENG": "the eastern part of the world, especially China and Japan" + }, + "motivation": { + "CHS": "动机", + "ENG": "eagerness and willingness to do something without needing to be told or forced to do it" + }, + "incentive": { + "CHS": "动机", + "ENG": "something that encourages you to work harder, start a new activity etc" + }, + "momentum": { + "CHS": "动力, 要素", + "ENG": "the ability to keep increasing, developing, or being more successful" + }, + "arteriosclerosis": { + "CHS": "动脉硬化", + "ENG": "a disease in which your arteries become hard, which makes it difficult for the blood to flow through" + }, + "fauna": { + "CHS": "动物群, 动物区系, 动物志", + "ENG": "all the animals living in a particular area or period in history" + }, + "menagerie": { + "CHS": "动物园, 动物展览" + }, + "perturbation": { + "CHS": "动摇, 混乱" + }, + "waver": { + "CHS": "动摇, 开始退让, 踌躇, 挥动者" + }, + "cavity": { + "CHS": "洞, 空穴, [解剖]腔", + "ENG": "a hole or space inside something" + }, + "hollow": { + "CHS": "洞, 窟窿, 山谷" + }, + "burrow": { + "CHS": "洞穴", + "ENG": "a passage in the ground made by an animal such as a rabbit or fox as a place to live" + }, + "grotto": { + "CHS": "洞穴, 岩穴, 人工洞室", + "ENG": "a small attractive cave " + }, + "speleology": { + "CHS": "洞穴学", + "ENG": "the sport of walking and climbing in caves " + }, + "matador": { + "CHS": "斗牛士", + "ENG": "a man who fights and kills bull s during a bullfight " + }, + "mantle": { + "CHS": "斗蓬, 覆盖物, 壁炉架", + "ENG": "A mantle of something is a layer of it covering a surface, for example a layer of snow on the ground" + }, + "strife": { + "CHS": "斗争, 冲突, 竞争", + "ENG": "trouble between two or more people or groups" + }, + "miasma": { + "CHS": "毒气, 沼气", + "ENG": "dirty air or a thick unpleasant mist that smells bad" + }, + "bane": { + "CHS": "毒药, 祸害" + }, + "monologue": { + "CHS": "独白, 独脚戏", + "ENG": "a long speech by one person" + }, + "autocrat": { + "CHS": "独裁者", + "ENG": "a ruler who has complete power over a country" + }, + "dictator": { + "CHS": "独裁者, 独裁政权执政者, 口授令他人笔录者", + "ENG": "a ruler who has complete power over a country, especially one whose power has been gained by force" + }, + "autocracy": { + "CHS": "独裁政治, 独裁政府", + "ENG": "a system of government in which one person or group has unlimited power" + }, + "aria": { + "CHS": "独唱曲, 咏叹调, 唱腔", + "ENG": "a song that is sung by only one person in an opera or oratorio " + }, + "unicorn": { + "CHS": "独角兽, 麒麟", + "ENG": "an imaginary animal like a white horse with a long straight horn growing on its head" + }, + "pirogue": { + "CHS": "独木舟", + "ENG": "any of various kinds of dugout canoes " + }, + "celibacy": { + "CHS": "独身生活", + "ENG": "Celibacy is the state of being celibate" + }, + "celibate": { + "CHS": "独身者, 独身主义者", + "ENG": "A celibate is someone who is celibate" + }, + "locution": { + "CHS": "独特的措辞,惯用语,说话风格", + "ENG": "a style of speaking" + }, + "solo": { + "CHS": "独奏曲", + "ENG": "a piece of music for one performer" + }, + "hatchet": { + "CHS": "短柄斧", + "ENG": "a small axe with a short handle" + }, + "poniard": { + "CHS": "短剑, 匕首", + "ENG": "a small dagger with a slender blade " + }, + "sock": { + "CHS": "短袜, 鞋内衬底, 轻软鞋, 一击, 零食", + "ENG": "a piece of clothing made of soft material that you wear on your foot inside your shoe" + }, + "bobtail": { + "CHS": "短尾, 截短的尾巴, 截尾的动物", + "ENG": "a docked or diminutive tail " + }, + "phrase": { + "CHS": "短语, 习语, 惯用语, 成语, 措词", + "ENG": "a group of words that have a particular meaning when used together, or which someone uses on a particular occasion" + }, + "segment": { + "CHS": "段, 节, 片断", + "ENG": "a part of something that is different from or affected differently from the whole in some way" + }, + "severance": { + "CHS": "断绝", + "ENG": "when you end your relationship or connection with another person, organization, country etc, especially because of a disagreement" + }, + "guillotine": { + "CHS": "断头台, (切纸的)闸刀", + "ENG": "a piece of equipment used to cut off the heads of criminals, especially in France in the past" + }, + "bluff": { + "CHS": "断崖, 绝壁, 诈骗" + }, + "staccato": { + "CHS": "断奏, 断唱" + }, + "heap": { + "CHS": "堆, 大量, 许多", + "ENG": "a large untidy pile of things" + }, + "cavalcade": { + "CHS": "队伍", + "ENG": "a line of people on horses or in cars or carriages moving along as part of a ceremony" + }, + "symmetry": { + "CHS": "对称, 匀称", + "ENG": "the quality of being symmetrical" + }, + "interlocutor": { + "CHS": "对话者, 对谈者", + "ENG": "your interlocutor is the person you are speaking to" + }, + "antagonism": { + "CHS": "对抗(状态), 对抗性", + "ENG": "hatred between people or groups of people" + }, + "antithesis": { + "CHS": "对立面", + "ENG": "the complete opposite of something" + }, + "philogyny": { + "CHS": "对女人喜欢, 对女子的爱慕", + "ENG": "fondness for women " + }, + "eremite": { + "CHS": "遁世修行的人, 隐士" + }, + "multitude": { + "CHS": "多数, 群众", + "ENG": "a very large number of people or things" + }, + "parry": { + "CHS": "躲避" + }, + "helm": { + "CHS": "舵", + "ENG": "the wheel or control which guides a ship or boat" + }, + "rudder": { + "CHS": "舵, 方向舵", + "ENG": "a flat part at the back of a ship or aircraft that can be turned in order to control the direction in which it moves" + }, + "helmsman": { + "CHS": "舵手", + "ENG": "someone who guides a ship or boat" + }, + "depravity": { + "CHS": "堕落", + "ENG": "Depravity is very dishonest or immoral behaviour" + }, + "shingle": { + "CHS": "鹅卵石, <美口>小招牌(尤指医生或律师挂的营业招牌)", + "ENG": "small round pieces of stone on a beach" + }, + "gaggle": { + "CHS": "鹅群, 一群", + "ENG": "a noisy group of people" + }, + "perquisite": { + "CHS": "额外补贴, 临时津贴", + "ENG": "a perk 1 " + }, + "premium": { + "CHS": "额外费用, 奖金, 奖赏, 保险费, (货币兑现的)贴水", + "ENG": "the cost of insurance, especially the amount that you pay each year" + }, + "yoke": { + "CHS": "轭, 轭状物, 套, 束缚, 支配", + "ENG": "a wooden bar used for keeping two animals together, especially cattle, when they are pulling heavy loads" + }, + "stench": { + "CHS": "恶臭, 臭气", + "ENG": "a very strong bad smell" + }, + "diatribe": { + "CHS": "恶骂, 诽谤" + }, + "notoriety": { + "CHS": "恶名, 丑名, 声名狼藉, 远扬的名声", + "ENG": "the state of being famous or well-known for something that is bad or that people do not approve of" + }, + "invective": { + "CHS": "恶言漫骂", + "ENG": "rude and insulting words that someone says when they are very angry" + }, + "malice": { + "CHS": "恶意, 怨恨, 预谋, 蓄意犯罪", + "ENG": "the desire to harm someone because you hate them" + }, + "boon": { + "CHS": "恩惠, 实惠, 福利", + "ENG": "You can describe something as a boon when it makes life better or easier for someone" + }, + "benefactor": { + "CHS": "恩人, 捐助者, 赠送者, 赞助人", + "ENG": "someone who gives money for a good purpose" + }, + "tecnology": { + "CHS": "儿童学(指对儿童性格、成长及发育的研究)" + }, + "auricular": { + "CHS": "耳的, 耳状的" + }, + "earring": { + "CHS": "耳环, 耳饰", + "ENG": "a piece of jewellery that you wear on your ear" + }, + "whisper": { + "CHS": "耳语, 私语, 密谈, 谣传, 飒飒的声音", + "ENG": "a very quiet voice you make using your breath and no sound" + }, + "bait": { + "CHS": "饵, 诱惑物", + "ENG": "food used to attract fish, animals, or birds so that you can catch them" + }, + "moiety": { + "CHS": "二分之一, 一部分, 半族", + "ENG": "a half share" + }, + "duet": { + "CHS": "二重奏", + "ENG": "a piece of music for two singers or players" + }, + "dynamo": { + "CHS": "发电机", + "ENG": "a machine that changes some other form of power directly into electricity" + }, + "generator": { + "CHS": "发电机, 发生器", + "ENG": "a machine that produces electricity" + }, + "dither": { + "CHS": "发抖" + }, + "luminary": { + "CHS": "发光体(如日、月等天体),知识渊博的人" + }, + "diaphoresis": { + "CHS": "发汗", + "ENG": "a technical name for sweating " + }, + "fermentation": { + "CHS": "发酵" + }, + "tantrum": { + "CHS": "发脾气, 发怒", + "ENG": "a sudden short period when someone, especially a child, behaves very angrily and unreasonably" + }, + "invoice": { + "CHS": "发票, 发货单, 货物", + "ENG": "a list of goods that have been supplied or work that has been done, showing how much you owe for them" + }, + "radiation": { + "CHS": "发散, 发光, 发热, 辐射, 放射, 放射线, 放射物", + "ENG": "a form of energy that comes especially from nuclear reactions, which in large amounts is very harmful to living things" + }, + "occurrence": { + "CHS": "发生, 出现, 事件, 发生的事情", + "ENG": "something that happens" + }, + "paroxysm": { + "CHS": "发作, 突发", + "ENG": "a sudden expression of strong feeling that you cannot control" + }, + "valve": { + "CHS": "阀, [英] 电子管, 真空管", + "ENG": "a part of a tube or pipe that opens and shuts like a door to control the flow of liquid, gas, air etc passing through it" + }, + "tribunal": { + "CHS": "法官席, 审判员席, (特等)法庭" + }, + "statute": { + "CHS": "法令, 条例", + "ENG": "a law passed by a parliament, council etc and formally written down" + }, + "ordinance": { + "CHS": "法令, 训令, 布告, 条例, 圣餐礼, 传统的风俗习惯", + "ENG": "a law, usually of a city or town, that forbids or restricts an activity" + }, + "decree": { + "CHS": "法令, 政令, 教令, 天命, 判决", + "ENG": "an official order or decision, especially one made by the ruler of a country" + }, + "jurisprudence": { + "CHS": "法学", + "ENG": "the science or study of law" + }, + "rendering": { + "CHS": "翻译, 表现, 描写, 透视图, 粉刷, 表演, 打底, 复制图", + "ENG": "someone’s performance of a play, piece of music etc" + }, + "bauxite": { + "CHS": "矾土, 铁铝氧石", + "ENG": "a soft substance that aluminium is obtained from" + }, + "cark": { + "CHS": "烦恼, 忧虑" + }, + "fantod": { + "CHS": "烦燥, 惊恐" + }, + "dysphoria": { + "CHS": "烦躁不安", + "ENG": "a feeling of being ill at ease " + }, + "prosperity": { + "CHS": "繁荣", + "ENG": "when people have money and everything that is needed for a good life" + }, + "reproduction": { + "CHS": "繁殖, 再现, 复制品", + "ENG": "the act or process of producing babies, young animals, or plants" + }, + "rejoinder": { + "CHS": "反驳", + "ENG": "A rejoinder is a reply, especially a quick, witty, or critical one, to a question or remark" + }, + "perversity": { + "CHS": "反常" + }, + "irony": { + "CHS": "反话, 讽刺, 讽刺之事", + "ENG": "when you use words that are the opposite of what you really mean, often in order to be amusing" + }, + "recalcitrance": { + "CHS": "反抗, 顽抗" + }, + "sociopath": { + "CHS": "反社会的人, 不爱社交的人", + "ENG": "someone whose behaviour towards other people is considered unacceptable, strange, and possibly dangerous" + }, + "reflection": { + "CHS": "反射, 映象, 倒影, 反省, 沉思, 反映", + "ENG": "an image that you can see in a mirror, glass, or water" + }, + "nausea": { + "CHS": "反胃, 晕船, 恶心, 作呕, 极度的不快", + "ENG": "the feeling that you have when you think you are going to vomit (= bring food up from your stomach through your mouth )" + }, + "reagent": { + "CHS": "反应力, 反应物, 试剂", + "ENG": "a substance that shows that another substance in a compound exists, by causing a chemical reaction " + }, + "reversion": { + "CHS": "反转, 逆转, 返祖, 隔代遗传, 回复, 复原, 归还, 继承权", + "ENG": "a return to a former condition or habit" + }, + "paradigm": { + "CHS": "范例", + "ENG": "a model or example that shows how something works or is produced" + }, + "specimen": { + "CHS": "范例, 标本, 样品, 样本, 待试验物", + "ENG": "a small amount or piece that is taken from something, so that it can be tested or examined" + }, + "purview": { + "CHS": "范围", + "ENG": "within or outside the limits of someone’s job, activity, or knowledge" + }, + "expediency": { + "CHS": "方便, 私利, 权宜", + "ENG": "Expediency means doing what is convenient rather than what is morally right" + }, + "orientation": { + "CHS": "方向, 方位, 定位, 倾向性, 向东方", + "ENG": "the type of activity or subject that a person or organization seems most interested in and gives most attention to" + }, + "ark": { + "CHS": "方舟, 约柜, 箱子", + "ENG": "in the Bible, the large boat built by Noah to save his family and the animals from a flood that covered the earth" + }, + "aroma": { + "CHS": "芳香, 香气, 香味", + "ENG": "a strong pleasant smell" + }, + "preservative": { + "CHS": "防腐剂", + "ENG": "a chemical substance that is used to prevent things from decaying, for example food or wood" + }, + "aseptic": { + "CHS": "防腐剂" + }, + "levee": { + "CHS": "防洪堤, 码头, 大堤", + "ENG": "a special wall built to stop a river flooding" + }, + "tarpaulin": { + "CHS": "防水油布", + "ENG": "a large heavy cloth or piece of thick plastic that water will not pass through, used to keep rain off things" + }, + "fender": { + "CHS": "防卫物, 挡泥板", + "ENG": "the side part of a car that covers the wheels" + }, + "hindrance": { + "CHS": "妨碍, 障碍", + "ENG": "something or someone that makes it difficult for you to do something" + }, + "impediment": { + "CHS": "妨碍, 阻碍, 障碍物, (言语)障碍, 口吃, 障碍物", + "ENG": "a physical problem that makes speaking, hearing, or moving difficult" + }, + "impedimenta": { + "CHS": "妨碍行进或运动的东西" + }, + "clinquant": { + "CHS": "仿金箔", + "ENG": "tinsel or imitation gold leaf " + }, + "emulate": { + "CHS": "仿效" + }, + "debauchery": { + "CHS": "放荡, 游荡", + "ENG": "immoral behaviour involving drugs, alcohol, sex etc" + }, + "libertine": { + "CHS": "放荡不羁者, 玩乐者, 浪子, 自由思想家", + "ENG": "someone who leads an immoral life and always looks for pleasure, especially sexual pleasure" + }, + "pyromania": { + "CHS": "放火癖, 放火狂", + "ENG": "the uncontrollable impulse and practice of setting things on fire " + }, + "abnegation": { + "CHS": "放弃" + }, + "renunciation": { + "CHS": "放弃, 弃权, 脱离关系", + "ENG": "when someone makes a formal decision to no longer believe in something, live in a particular way etc" + }, + "reassurance": { + "CHS": "放心", + "ENG": "something that is said or done which makes someone feel calmer and less worried or frightened about a problem" + }, + "exile": { + "CHS": "放逐, 充军, 流放, 流犯, 被放逐者", + "ENG": "someone who has been forced to live in exile" + }, + "hangar": { + "CHS": "飞机修理库, 飞机棚", + "ENG": "a very large building in which aircraft are kept" + }, + "whoosh": { + "CHS": "飞快的移动" + }, + "illegality": { + "CHS": "非法行为, 犯规" + }, + "nonconformist": { + "CHS": "非国教徒, 不遵奉英国国教的基督新教徒" + }, + "heterodoxy": { + "CHS": "非正统, 异端, 异说" + }, + "corpulence": { + "CHS": "肥胖" + }, + "obesity": { + "CHS": "肥胖, 肥大", + "ENG": "when someone is very fat in a way that is unhealthy" + }, + "fertility": { + "CHS": "肥沃, 丰产, 多产, 人口生产, 生产力", + "ENG": "the ability of the land or soil to produce good crops" + }, + "calumny": { + "CHS": "诽谤, 中伤", + "ENG": "when someone says things like this" + }, + "detractor": { + "CHS": "诽谤者, 恶意批评者" + }, + "abolition": { + "CHS": "废除, 废除奴隶制度", + "ENG": "when a law or a system is officially ended" + }, + "twaddle": { + "CHS": "废话, 闲聊", + "ENG": "something that someone has said or written that you think is stupid" + }, + "wastrel": { + "CHS": "废物" + }, + "folderol": { + "CHS": "废物, 废话, 不值钱的东西, 胡闹" + }, + "desuetude": { + "CHS": "废止, 不用", + "ENG": "the condition of not being in use or practice; disuse " + }, + "ebullience": { + "CHS": "沸腾, 热情洋溢, 热情" + }, + "fare": { + "CHS": "费用, 旅客, 食物", + "ENG": "A fare is the money that you pay for a trip that you make, for example, in a bus, train, or taxi" + }, + "decibel": { + "CHS": "分贝", + "ENG": "a unit for measuring the loudness of sound" + }, + "partition": { + "CHS": "分割, 划分, 瓜分, 分开, 隔离物", + "ENG": "the action of separating a country into two or more independent countries" + }, + "decomposition": { + "CHS": "分解, 腐烂", + "ENG": "Decomposition is the process of decay that takes place when a living thing changes chemically after dying" + }, + "detachment": { + "CHS": "分开, 拆开, 特遣部队, 超然, 分离, 分遣队", + "ENG": "a group of soldiers who are sent away from a larger group to do a special job" + }, + "classification": { + "CHS": "分类, 分级", + "ENG": "a process in which you put something into the group or class it belongs to" + }, + "taxonomy": { + "CHS": "分类法, 分类学", + "ENG": "the process or a system of organizing things into different groups that show their natural relationships, especially plants or animals" + }, + "schismatic": { + "CHS": "分裂者, 分裂论者", + "ENG": "a person who causes schism or belongs to a schismatic faction " + }, + "parturition": { + "CHS": "分娩, 生产", + "ENG": "the act or process of giving birth " + }, + "allocation": { + "CHS": "分配, 安置", + "ENG": "the decision to allocate something, or the act of allocating it" + }, + "divergence": { + "CHS": "分歧", + "ENG": "A divergence is a difference between two or more things, attitudes, or opinions" + }, + "watershed": { + "CHS": "分水岭", + "ENG": "the time in the evening after which television programmes that are not considered suitable for children may be shown in Britain" + }, + "ramification": { + "CHS": "分枝, 分叉, 衍生物, 支流" + }, + "ado": { + "CHS": "纷扰, 忙乱" + }, + "sepulcher": { + "CHS": "坟墓, 埋葬所, 宗教圣物储藏所" + }, + "muck": { + "CHS": "粪肥, 垃圾, 肥料", + "ENG": "waste matter from animals, sometimes put on land to make plants grow better" + }, + "indignation": { + "CHS": "愤慨, 义愤", + "ENG": "feelings of anger and surprise because you feel insulted or unfairly treated" + }, + "wrath": { + "CHS": "愤怒", + "ENG": "extreme anger" + }, + "rage": { + "CHS": "愤怒, 情绪激动, 狂暴, 精神错乱", + "ENG": "a strong feeling of uncontrollable anger" + }, + "profusion": { + "CHS": "丰富", + "ENG": "a very large amount of something" + }, + "abundance": { + "CHS": "丰富, 充裕, 丰富充裕", + "ENG": "a large quantity of something" + }, + "mien": { + "CHS": "风度", + "ENG": "a person’s typical expression or appearance" + }, + "mores": { + "CHS": "风俗, 习惯, 民德, 道德观念", + "ENG": "the customs, social behaviour, and moral values of a particular group" + }, + "zest": { + "CHS": "风味, 强烈的兴趣, 热情, 热心", + "ENG": "eager interest and enjoyment" + }, + "fief": { + "CHS": "封地, 采邑", + "ENG": "In former times, a fief was a piece of land given to someone by their lord, to whom they had a duty to provide particular services in return" + }, + "loco": { + "CHS": "疯草病, 疯子, 火车头" + }, + "hive": { + "CHS": "蜂房, 蜂箱, 闹市", + "ENG": "a small box where bees are kept, or the bees that live in this box" + }, + "hummingbird": { + "CHS": "蜂雀", + "ENG": "A hummingbird is a small brightly coloured bird found in North, Central and South America. It has a long thin beak and powerful narrow wings that can move very fast. " + }, + "swarm": { + "CHS": "蜂群, 一大群", + "ENG": "a large group of insects, especially bee s ,moving together" + }, + "tuck": { + "CHS": "缝摺, 活力, 鼓声, 船尾突出部下方, 食物(尤指点心、蛋糕)", + "ENG": "a pleat or fold in a part of a garment, usually stitched down so as to make it a better fit or as decoration " + }, + "caricature": { + "CHS": "讽刺画, 漫画, 讽刺描述法, 歪曲(或拙劣)的模仿", + "ENG": "a funny drawing of someone that makes them look silly" + }, + "skit": { + "CHS": "讽刺话, 幽默故事, 若干, 一群" + }, + "pasquinade": { + "CHS": "讽刺诗, 讽刺文", + "ENG": "an abusive lampoon or satire, esp one posted in a public place " + }, + "satire": { + "CHS": "讽刺文学, 讽刺", + "ENG": "a way of criticizing something such as a group of people or a system, in which you deliberately make them seem funny so that people will see their faults" + }, + "lampooner": { + "CHS": "讽刺文作家, 冷嘲热讽者" + }, + "tope": { + "CHS": "佛塔, [鱼]翅鲨" + }, + "negation": { + "CHS": "否定, 拒绝", + "ENG": "when something is made to have no effect or be the opposite of what it should be" + }, + "veto": { + "CHS": "否决, 禁止, 否决权", + "ENG": "a refusal to give official permission for something, or the right to refuse to give such permission" + }, + "incubation": { + "CHS": "孵蛋, 抱蛋, 熟虑" + }, + "hatch": { + "CHS": "孵化, 舱口, 舱口盖, (门、墙壁、地板上的)开口", + "ENG": "a hole in a ship or aircraft, usually used for loading goods, or the door that covers it" + }, + "hibiscus": { + "CHS": "芙蓉属的植物" + }, + "attire": { + "CHS": "服装", + "ENG": "clothes" + }, + "mannequin": { + "CHS": "服装模特儿, 人体模型", + "ENG": "a model of the human body, used for showing clothes in shop windows" + }, + "relievo": { + "CHS": "浮雕" + }, + "emergence": { + "CHS": "浮现, 露出, (植物)突出体, 出现", + "ENG": "when something begins to be known or noticed" + }, + "buoyancy": { + "CHS": "浮性,浮力,轻快", + "ENG": "the ability of an object to float" + }, + "plankton": { + "CHS": "浮游生物", + "ENG": "the very small forms of plant and animal life that live in water, especially the sea, and are eaten by fish" + }, + "scum": { + "CHS": "浮渣, 浮垢, 糟粕, 泡沫, 糖渣, 铁渣", + "ENG": "an unpleasant dirty substance that forms on the surface of water" + }, + "tally": { + "CHS": "符木(古时用,上有刻痕记载交货、欠款等的数量), 记账, 得分, 标记牌, 标签, 符合, 对应物, 计数器", + "ENG": "a record of how much you have spent, won etc by a particular point in time" + }, + "spell": { + "CHS": "符咒, 魅力, 一段时间, 轮班", + "ENG": "a piece of magic that someone does, or the special words or ceremonies used in doing it" + }, + "mascot": { + "CHS": "福神, 吉祥的东西", + "ENG": "an animal or toy, or a person dressed as an animal, that represents a team or organization, and is thought to bring them good luck" + }, + "gospel": { + "CHS": "福音, <俗>信仰, 真理", + "ENG": "one of the four books in the Bible about Christ’s life" + }, + "chuck": { + "CHS": "抚弄, 赶走, 扔, 抛弃, (牛)颈肉, 咯咯声, 卡盘, 解雇", + "ENG": "part of a machine that holds something firmly so that it does not move" + }, + "pacifier": { + "CHS": "抚慰者", + "ENG": "A pacifier is the same as a " + }, + "putrefaction": { + "CHS": "腐败, 腐败物" + }, + "erosion": { + "CHS": "腐蚀, 侵蚀", + "ENG": "the process by which rock or soil is gradually destroyed by wind, rain, or the sea" + }, + "reimbursement": { + "CHS": "付还, 退还" + }, + "sifter": { + "CHS": "负责筛选的人, 筛子", + "ENG": "a container with a handle and a lot of small holes on the bottom, used for removing large pieces from flour or for mixing flour and other dry things together in cooking" + }, + "gynaecocracy": { + "CHS": "妇女当政, 女权政治", + "ENG": "government by women or by a single woman " + }, + "appendage": { + "CHS": "附加物, 附属肢体", + "ENG": "something that is connected to a larger or more important thing" + }, + "addendum": { + "CHS": "附录, 补遗", + "ENG": "something you add to the end of a speech or book to change it or give more information" + }, + "vengeance": { + "CHS": "复仇, 报仇", + "ENG": "a violent or harmful action that someone does to punish someone for harming them or their family" + }, + "relapse": { + "CHS": "复发, 回复原状", + "ENG": "when someone becomes ill again after having seemed to improve" + }, + "recurrence": { + "CHS": "复发, 重现, 循环" + }, + "resurrection": { + "CHS": "复苏", + "ENG": "a situation in which something old or forgotten returns or becomes important again" + }, + "renaissance": { + "CHS": "复兴, 复活, 新生, 文艺复兴, 文艺复兴时期", + "ENG": "a new interest in something, especially a particular form of art, music etc, that has not been popular for a long period" + }, + "manifold": { + "CHS": "复印本, 多种" + }, + "intricacy": { + "CHS": "复杂, 错综" + }, + "replica": { + "CHS": "复制品", + "ENG": "an exact copy of something, especially a building, a gun, or a work of art" + }, + "ectype": { + "CHS": "复制品, 副本", + "ENG": "a copy as distinguished from a prototype " + }, + "incarnation": { + "CHS": "赋予肉体, 具人形, 化身", + "ENG": "An incarnation is an instance of being alive on earth in a particular form. Some religions believe that people have several incarnations in different forms. " + }, + "plutocracy": { + "CHS": "富豪统治", + "ENG": "a ruling class or government that consists of rich people, or a country that is governed by rich people" + }, + "opulence": { + "CHS": "富裕" + }, + "abdomen": { + "CHS": "腹, 腹部", + "ENG": "the part of your body between your chest and legs which contains your stomach, bowel s etc" + }, + "diarrhoea": { + "CHS": "腹泻", + "ENG": "an illness in which waste from the bowel s is watery and comes out often" + }, + "integument": { + "CHS": "覆盖物" + }, + "permutation": { + "CHS": "改变, 交换, [数]排列, 置换", + "ENG": "one of the different ways in which a number of things can be arranged" + }, + "amendment": { + "CHS": "改善, 改正", + "ENG": "a small change, improvement, or addition that is made to a law or document, or the process of doing this" + }, + "proselyte": { + "CHS": "改信仰者", + "ENG": "a person newly converted to a religious faith or sect; a convert, esp a gentile converted to Judaism " + }, + "reshuffle": { + "CHS": "改组", + "ENG": "when the jobs of people who work in an organization are changed around, especially in a government" + }, + "thatch": { + "CHS": "盖屋的材料, 茅草屋顶, 浓密的头发", + "ENG": "a thick untidy pile of hair on someone’s head" + }, + "conspectus": { + "CHS": "概论, 大纲", + "ENG": "an overall view; survey " + }, + "sensation": { + "CHS": "感觉, 感情, 感动, 耸人听闻的", + "ENG": "a feeling that you get from one of your five senses, especially the sense of touch" + }, + "induction": { + "CHS": "感应, 感应现象, 归纳", + "ENG": "the production of electricity in one object by another that already has electrical or magnetic power" + }, + "arroyo": { + "CHS": "干枯的河床, 峡谷, 小河", + "ENG": "An arroyo is a dry stream bed with steep sides" + }, + "haversack": { + "CHS": "干粮袋, 帆布背包", + "ENG": "a bag that you carry on your back" + }, + "intervention": { + "CHS": "干涉", + "ENG": "the act of becoming involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "trunk": { + "CHS": "干线, 树干, 躯干, 箱子, 主干, 象鼻", + "ENG": "the thick central woody stem of a tree" + }, + "xerophyte": { + "CHS": "干燥地带植物", + "ENG": "a xerophilous plant, such as a cactus " + }, + "desiccant": { + "CHS": "干燥剂", + "ENG": "a substance, such as calcium oxide, that absorbs water and is used to remove moisture; a drying agent " + }, + "bristle": { + "CHS": "刚毛, 猪鬃", + "ENG": "a short stiff hair, wire etc that forms part of a brush" + }, + "compendium": { + "CHS": "纲要, 概略", + "ENG": "A compendium is a short but detailed collection of information, usually in a book" + }, + "pen": { + "CHS": "钢笔, 围栏, 围圈, 作家", + "ENG": "an instrument for writing or drawing with ink" + }, + "piano": { + "CHS": "钢琴", + "ENG": "a large musical instrument that has a long row of black and white key s . You play the piano by sitting in front of it and pressing the keys." + }, + "sentry": { + "CHS": "岗哨", + "ENG": "a soldier standing outside a building as a guard" + }, + "haven": { + "CHS": "港口, 避难所", + "ENG": "a place where people or animals can live peacefully or go to in order to be safe" + }, + "fulcrum": { + "CHS": "杠杆的支点, 支点, 叶附属物", + "ENG": "the point on which a lever (= bar ) turns, balances, or is supported in turning or lifting something" + }, + "upsurge": { + "CHS": "高潮", + "ENG": "a sudden strong feeling" + }, + "plateau": { + "CHS": "高地, 高原(上升后的)稳定水平(或时期、状态)", + "ENG": "a large area of flat land that is higher than the land around it" + }, + "altimeter": { + "CHS": "高度计", + "ENG": "an instrument in an aircraft that tells you how high you are" + }, + "viaduct": { + "CHS": "高架桥, 高架铁路, 间道", + "ENG": "a long high bridge, especially one with arches, that crosses a valley and has a road or railway on it" + }, + "goblet": { + "CHS": "高脚玻璃杯, 酒杯", + "ENG": "a cup made of glass or metal, with a base and a stem but no handle" + }, + "usury": { + "CHS": "高利贷, 高利", + "ENG": "the practice of lending money to people and making them pay interest14" + }, + "senility": { + "CHS": "高龄, 老迈年高, 老态龙钟" + }, + "flak": { + "CHS": "高射炮火", + "ENG": "bullets or shells that are shot from the ground at enemy aircraft" + }, + "strut": { + "CHS": "高视阔步, 支柱, 压杆", + "ENG": "a long thin piece of metal or wood used to support a part of a building, the wing of an aircraft etc" + }, + "freeway": { + "CHS": "高速公路", + "ENG": "a very wide road in the US, built for fast travel" + }, + "jollity": { + "CHS": "高兴, 酒宴", + "ENG": "the condition of being jolly " + }, + "tableland": { + "CHS": "高原", + "ENG": "a large area of high flat land" + }, + "upswing": { + "CHS": "高涨, 向上摆动, 改进", + "ENG": "An upswing is a sudden improvement in something such as an economy, or an increase in an amount or level" + }, + "valediction": { + "CHS": "告别, 告别词", + "ENG": "the act of saying goodbye, especially in a formal speech" + }, + "cession": { + "CHS": "割让, 转让, [律]让与(他人)债权", + "ENG": "the act of giving up land, property, or rights, especially to another country after a war, or something that is given up in this way" + }, + "loft": { + "CHS": "阁楼", + "ENG": "a room or space under the roof of a building, usually used for storing things in" + }, + "attic": { + "CHS": "阁楼, 顶楼, [解剖](耳的)鼓室上的隐窝", + "ENG": "a space or room just below the roof of a house, often used for storing things" + }, + "tussle": { + "CHS": "格斗, 斗争, 争斗" + }, + "introvert": { + "CHS": "格性内向的人", + "ENG": "someone who is quiet and shy, and does not enjoy being with other people" + }, + "dictum": { + "CHS": "格言, [律] 法官的附带意见", + "ENG": "a formal statement of opinion by someone who is respected or has authority" + }, + "aphorism": { + "CHS": "格言, 警语, 谚语", + "ENG": "a short phrase that contains a wise idea" + }, + "adage": { + "CHS": "格言, 谚语", + "ENG": "a well-known phrase that says something wise about human experience" + }, + "gnome": { + "CHS": "格言, 箴言, 土地神, 侏儒", + "ENG": "a creature in children’s stories who looks like a little old man. Gnomes have pointed hats, live under the ground, and guard gold, jewels etc." + }, + "maxim": { + "CHS": "格言, 座右铭", + "ENG": "a well-known phrase or saying, especially one that gives a rule for sensible behaviour" + }, + "lattice": { + "CHS": "格子", + "ENG": "a pattern or structure made of long pieces of wood, plastic etc that cross each other so that the spaces between them are shaped like diamonds" + }, + "grille": { + "CHS": "格子, 格子窗, 铁格子" + }, + "seclusion": { + "CHS": "隔离", + "ENG": "the state of being private and away from other people" + }, + "radix": { + "CHS": "根, 基数", + "ENG": "any number that is the base of a number system or of a system of logarithms " + }, + "modification": { + "CHS": "更改, 修改, 修正", + "ENG": "a small change made in something such as a design, plan, or system" + }, + "implement": { + "CHS": "工具, 器具", + "ENG": "a tool, especially one used for outdoor physical work" + }, + "sinecure": { + "CHS": "工作清闲而报酬丰厚的职位, 挂名职务, 闲职", + "ENG": "a job which you get paid for even though you do not have to do very much work" + }, + "affront": { + "CHS": "公开侮辱, 轻蔑", + "ENG": "a remark or action that offends or insults someone" + }, + "equity": { + "CHS": "公平, 公正, 公平的事物, 资产净值, [律]平衡法", + "ENG": "a situation in which all people are treated equally and no one has an unfair advantage" + }, + "cachet": { + "CHS": "公务印章, 私人印戳, 标记, 威望, 纪念邮戳", + "ENG": "If someone or something has a certain cachet, they have a quality which makes people admire them or approve of them" + }, + "assault": { + "CHS": "攻击, 袭击", + "ENG": "a military attack to take control of a place controlled by the enemy" + }, + "vault": { + "CHS": "拱顶", + "ENG": "a roof or ceiling that consists of several arches that are joined together, especially in a church" + }, + "resonance": { + "CHS": "共鸣, 回声, 反响, 中介, 谐振, 共振, 共振子, 极短命的不稳定基本粒子", + "ENG": "the special meaning or importance that something has for you because it relates to your own experiences" + }, + "collusion": { + "CHS": "共谋, 勾结", + "ENG": "a secret agreement that two or more people make in order to do something dishonest" + }, + "conspiracy": { + "CHS": "共谋, 阴谋", + "ENG": "a secret plan made by two or more people to do something that is harmful or illegal" + }, + "tribute": { + "CHS": "贡品, 礼物, 颂词, 殷勤, 贡物", + "ENG": "something that you say, do, or give in order to express your respect or admiration for someone" + }, + "provision": { + "CHS": "供应, (一批)供应品, 预备, 防备, 规定", + "ENG": "when you provide something that someone needs now or in the future" + }, + "ravine": { + "CHS": "沟壑, 峡谷, 溪谷", + "ENG": "a deep narrow valley with steep sides" + }, + "aqueduct": { + "CHS": "沟渠, 导水管", + "ENG": "An aqueduct is a large pipe or canal that carries a water supply to a city or a farming area" + }, + "trench": { + "CHS": "沟渠, 堑壕, 管沟, 电缆沟, 战壕", + "ENG": "a long narrow hole dug into the surface of the ground" + }, + "hook": { + "CHS": "钩, 吊钩", + "ENG": "a curved piece of metal or plastic that you use for hanging things on" + }, + "crochet": { + "CHS": "钩针编织品, 钩边", + "ENG": "Crochet is a way of making cloth out of cotton or wool by using a needle with a small hook at the end" + }, + "crook": { + "CHS": "钩状物, (河、道的)弯处, <美口>骗子", + "ENG": "the part of your arm where it bends" + }, + "kennel": { + "CHS": "狗窝, 狗屋, 阴沟", + "ENG": "a small building made for a dog to sleep in" + }, + "configuration": { + "CHS": "构造, 结构, 配置, 外形", + "ENG": "the shape or arrangement of the parts of something" + }, + "solitude": { + "CHS": "孤独", + "ENG": "when you are alone, especially when this is what you enjoy" + }, + "hub": { + "CHS": "毂, 木片, 中心", + "ENG": "the central and most important part of an area, system, activity etc, which all the other parts are connected to" + }, + "hoop": { + "CHS": "箍, 铁环, 戒指, 篮", + "ENG": "a large ring made of wood, metal, plastic etc" + }, + "astrolabe": { + "CHS": "古代的天体观测仪, 星盘", + "ENG": "an instrument used by early astronomers to measure the altitude of stars and planets and also as a navigational aid" + }, + "curio": { + "CHS": "古董, 古玩", + "ENG": "a small object that is interesting because it is beautiful or rare" + }, + "forum": { + "CHS": "古罗马城镇的广场(或市场), 论坛, 法庭, 讨论会", + "ENG": "a group of computer users who are interested in a particular subject and discuss it using email or the Internet" + }, + "gladiator": { + "CHS": "古罗马公开表演的格斗者(通常都是奴隶和俘虏), 精于辩论和格斗的人, 职业拳击者" + }, + "legion": { + "CHS": "古罗马军团(约有3000至6000步兵,辅以数百名骑兵), <书>众多, 大批", + "ENG": "a large group of soldiers, especially in ancient Rome" + }, + "paleography": { + "CHS": "古文书, 古文书学" + }, + "granary": { + "CHS": "谷仓", + "ENG": "a place where grain, especially wheat, is stored" + }, + "chaff": { + "CHS": "谷壳, 糠, 愚弄", + "ENG": "the outer seed covers that are separated from grain before it is used as food" + }, + "cereal": { + "CHS": "谷类食品, 谷类", + "ENG": "a breakfast food made from grain and usually eaten with milk" + }, + "shareholder": { + "CHS": "股东", + "ENG": "someone who owns shares in a company or business" + }, + "bigotry": { + "CHS": "固执, 顽固" + }, + "snub": { + "CHS": "故意怠慢, 斥责", + "ENG": "If you snub someone, your behaviour or your remarks can be referred to as a snub" + }, + "vandalism": { + "CHS": "故意破坏艺术的行为", + "ENG": "the crime of deliberately damaging things, especially public property" + }, + "malfunction": { + "CHS": "故障", + "ENG": "a fault in the way a machine or part of someone’s body works" + }, + "scrape": { + "CHS": "刮, 擦, 擦痕, 刮擦声, 困境", + "ENG": "a mark or slight injury caused by rubbing against a rough surface" + }, + "oligarchy": { + "CHS": "寡头政治, 寡头政治的执政团", + "ENG": "a small group of people who run a country or organization, or a country that is run by a small group of people" + }, + "curmudgeon": { + "CHS": "乖戾的(老)人, 脾气坏的人, 爱争吵的(老)家伙", + "ENG": "someone who is often annoyed or angry, especially an old person" + }, + "freak": { + "CHS": "怪诞的思想、行动或事件, 畸形人, 畸形的动物或植物, 反复无常", + "ENG": "someone who is considered to be very strange because of the way they look, behave, or think" + }, + "whimsy": { + "CHS": "怪念头, 奇想, 任意" + }, + "monster": { + "CHS": "怪物, 妖怪", + "ENG": "an imaginary or ancient creature that is large, ugly, and frightening" + }, + "closure": { + "CHS": "关闭", + "ENG": "when a factory, school, hospital etc has to close permanently" + }, + "arthritis": { + "CHS": "关节炎", + "ENG": "a disease that causes the joints of your body to become swollen and very painful" + }, + "tariff": { + "CHS": "关税, 关税表, 税则, (旅馆, 饭店等的)价目表、价格表", + "ENG": "a tax on goods coming into a country or going out of a country" + }, + "rescript": { + "CHS": "官方命令, 抄件" + }, + "approbation": { + "CHS": "官方批准, 认可, 嘉许", + "ENG": "official praise or approval" + }, + "bureaucracy": { + "CHS": "官僚, 官僚作风, 官僚机构", + "ENG": "a complicated official system that is annoying or confusing because it has a lot of rules, processes etc" + }, + "curator": { + "CHS": "馆长, 监护人", + "ENG": "someone who is in charge of a museum or zoo" + }, + "nozzle": { + "CHS": "管口, 喷嘴", + "ENG": "a part that is fitted to the end of a hose, pipe etc to direct and control the stream of liquid or gas pouring out" + }, + "husbandry": { + "CHS": "管理" + }, + "custodian": { + "CHS": "管理人", + "ENG": "someone who is responsible for looking after something important or valuable" + }, + "regimentation": { + "CHS": "管辖", + "ENG": "Regimentation is very strict control over the way a group of people behave or the way something is done" + }, + "corona": { + "CHS": "冠壮物,王冠, 光环" + }, + "inertia": { + "CHS": "惯性, 惯量", + "ENG": "the force that keeps an object in the same position or keeps it moving until it is moved or stopped by another force" + }, + "thicket": { + "CHS": "灌木丛", + "ENG": "a group of bushes and small trees" + }, + "infusion": { + "CHS": "灌输", + "ENG": "the act of putting a new feeling or quality into something" + }, + "spectrum": { + "CHS": "光, 光谱, 型谱频谱", + "ENG": "the set of bands of coloured light into which a beam of light separates when it is passed through a prism " + }, + "lustre": { + "CHS": "光彩, 光泽", + "ENG": "an attractive shiny appearance" + }, + "splendor": { + "CHS": "光彩, 壮观, 杰出" + }, + "photosynthesis": { + "CHS": "光合作用", + "ENG": "the production by a green plant of special substances like sugar that it uses as food, caused by the action of sunlight on chlorophyll (= the green substance in leaves ) " + }, + "sheen": { + "CHS": "光辉", + "ENG": "a soft smooth shiny appearance" + }, + "refulgence": { + "CHS": "光辉" + }, + "effulgence": { + "CHS": "光辉, 灿烂" + }, + "radiance": { + "CHS": "光辉, 闪烁, 辐射率, 深粉红色", + "ENG": "a soft gentle light" + }, + "gloss": { + "CHS": "光泽的表面, 光彩, 欺人的表面, 假象, 注释", + "ENG": "a bright shine on a surface" + }, + "plaza": { + "CHS": "广场, 露天汽车停车场, 购物中心", + "ENG": "a public square or market place surrounded by buildings, especially in towns in Spanish-speaking countries" + }, + "piazza": { + "CHS": "广场, 走廊, 露天市场", + "ENG": "a large square open area between the houses in a town or city, where people often meet or sit together" + }, + "immensity": { + "CHS": "广大, 巨大, 无限, 浩瀚", + "ENG": "used to emphasize the great size of something, especially something that cannot be measured" + }, + "restitution": { + "CHS": "归还", + "ENG": "the act of giving back something that was lost or stolen to its owner, or of paying for damage" + }, + "replacement": { + "CHS": "归还, 复位, 交换, 代替者, 补充兵员, 置换, 移位", + "ENG": "when you get something that is newer or better than the one you had before" + }, + "attribution": { + "CHS": "归因" + }, + "imputation": { + "CHS": "归罪, 归咎, 归因, 非难, 诋毁, 罪名, 污名" + }, + "martinet": { + "CHS": "规律严肃的人, 严格的人", + "ENG": "someone who is very strict and makes people obey rules exactly" + }, + "precept": { + "CHS": "规则", + "ENG": "a rule on which a way of thinking or behaving is based" + }, + "regulation": { + "CHS": "规则, 规章, 调节, 校准", + "ENG": "an official rule or order" + }, + "convert": { + "CHS": "皈依者", + "ENG": "someone who has been persuaded to change their beliefs and accept a particular religion or opinion" + }, + "sophistry": { + "CHS": "诡辩", + "ENG": "the clever use of reasons or explanations that seem correct but are really false, in order to deceive people" + }, + "sophism": { + "CHS": "诡辩", + "ENG": "an instance of sophistry " + }, + "ruse": { + "CHS": "诡计", + "ENG": "a clever trick used to deceive someone" + }, + "machination": { + "CHS": "诡计" + }, + "wile": { + "CHS": "诡计, 阴谋, 欺骗", + "ENG": "trickery, cunning, or craftiness " + }, + "wraith": { + "CHS": "鬼魂", + "ENG": "a ghost " + }, + "patrician": { + "CHS": "贵族", + "ENG": "A patrician is a person who comes from a family of high social rank" + }, + "aristocrat": { + "CHS": "贵族", + "ENG": "someone who belongs to the highest social class" + }, + "devolution": { + "CHS": "滚下, 落下, 依次, 相传, 转移, 委付", + "ENG": "Devolution is the transfer of some authority or power from a central organization or government to smaller organizations or government departments" + }, + "shroud": { + "CHS": "裹尸布, 寿衣, 覆盖物, 船的横桅索", + "ENG": "a cloth that is wrapped around a dead person’s body before it is buried" + }, + "satiety": { + "CHS": "过饱", + "ENG": "the condition of feeling that you have had enough of something, for example food" + }, + "fault": { + "CHS": "过错, 缺点, 故障, 毛病", + "ENG": "if something bad that has happened is your fault, you should be blamed for it, because you made a mistake or failed to do something" + }, + "gangway": { + "CHS": "过道, (剧场, 火车等)座间通道, (美国作aisle)舷侧门, 舷梯, 通路, 跳板", + "ENG": "a space between two rows of seats in a theatre, bus, or train" + }, + "hibernation": { + "CHS": "过冬, 冬眠, 避寒" + }, + "nimiety": { + "CHS": "过多" + }, + "preciosity": { + "CHS": "过分讲究, 过于细心", + "ENG": "fastidiousness or affectation, esp in speech or manners " + }, + "fop": { + "CHS": "过分讲究衣饰或举动的人, 花花公子", + "ENG": "a man who is very interested in his clothes and appearance - used to show disapproval" + }, + "bygone": { + "CHS": "过去的事" + }, + "plethora": { + "CHS": "过剩, 过多, 多血症", + "ENG": "A plethora of something is a large amount of it, especially an amount of it that is greater than you need, want, or can cope with" + }, + "gaffe": { + "CHS": "过失, 出丑, 失态", + "ENG": "an embarrassing mistake made in a social situation or in public" + }, + "defect": { + "CHS": "过失, 缺点", + "ENG": "a fault or a lack of something that means that something or someone is not perfect" + }, + "trespass": { + "CHS": "过失, 罪过, 侵入", + "ENG": "something you have done that is morally wrong" + }, + "fogram": { + "CHS": "过时的人,守旧的人" + }, + "surfeit": { + "CHS": "过食, 过度, 恶心", + "ENG": "A surfeit of something is an amount which is too large" + }, + "niggling": { + "CHS": "过于琐碎的工作, 麻烦事" + }, + "clam": { + "CHS": "蛤", + "ENG": "a shellfish you can eat that has a shell in two parts that open up" + }, + "lido": { + "CHS": "海滨浴场,海滨游乐场(尤指远洋客轮上的),露天游泳池", + "ENG": "an outdoor public area, often at a beach, lake etc, for swimming and lying in the sun" + }, + "pirate": { + "CHS": "海盗, 盗印者, 盗版者, 侵犯专利权者", + "ENG": "someone who sails on the seas, attacking other boats and stealing things from them" + }, + "piracy": { + "CHS": "海盗行为, 侵犯版权, 非法翻印盗版", + "ENG": "the crime of illegally copying and selling books, tapes, videos, computer programs etc" + }, + "harbor": { + "CHS": "海港" + }, + "seascape": { + "CHS": "海景, 海景画", + "ENG": "a picture of the sea" + }, + "beaver": { + "CHS": "海狸(毛皮)", + "ENG": "a North American animal that has thick fur and a wide flat tail, and cuts down trees with its teeth" + }, + "mirage": { + "CHS": "海市蜃楼, 雾气, 幻想, 妄想", + "ENG": "an effect caused by hot air in a desert, which makes you think that you can see objects when they are not actually there" + }, + "petrel": { + "CHS": "海燕类", + "ENG": "a black and white sea bird" + }, + "vermin": { + "CHS": "害虫, 寄生虫, 害兽, 害鸟, 歹徒", + "ENG": "small animals, birds, and insects that are harmful because they destroy crops, spoil food, and spread disease" + }, + "ambiguity": { + "CHS": "含糊, 不明确", + "ENG": "the state of being unclear, confusing, or not certain, or things that produce this effect" + }, + "connotation": { + "CHS": "含蓄, 储蓄的东西(词、语等), 内涵", + "ENG": "The connotations of a particular word or name are the ideas or qualities which it makes you think of" + }, + "frigidity": { + "CHS": "寒冷, 冷淡, [医]性感缺失" + }, + "mistral": { + "CHS": "寒冷西北风" + }, + "solder": { + "CHS": "焊料", + "ENG": "a soft metal, usually a mixture of lead and tin , which can be melted and used to join two metal surfaces, wires etc" + }, + "jargon": { + "CHS": "行话", + "ENG": "words and expressions used in a particular profession or by a particular group of people, which are difficult for other people to understand – often used to show disapproval" + }, + "procession": { + "CHS": "行列, 队伍", + "ENG": "a line of people or vehicles moving slowly as part of a ceremony" + }, + "queue": { + "CHS": "行列, 长队, 队列", + "ENG": "a line of people waiting to enter a building, buy something etc, or a line of vehicles waiting to move" + }, + "deportment": { + "CHS": "行为, 举止", + "ENG": "the way that someone behaves in public" + }, + "deed": { + "CHS": "行为, 事实, 功绩, 实行, 契约", + "ENG": "something someone does, especially something that is very good or very bad" + }, + "delinquency": { + "CHS": "行为不良, 错失", + "ENG": "illegal or immoral behaviour or actions, especially by young people" + }, + "seafaring": { + "CHS": "航海事业, 水手工作" + }, + "log": { + "CHS": "航行日志, 原木, 园形木材, 园木", + "ENG": "a thick piece of wood from a tree" + }, + "aeronautics": { + "CHS": "航空学, 航空术", + "ENG": "the science of designing and flying planes" + }, + "limousine": { + "CHS": "豪华轿车", + "ENG": "a very large, expensive, and comfortable car, driven by someone who is paid to drive" + }, + "pugnacity": { + "CHS": "好斗", + "ENG": "Pugnacity is the quality of being pugnacious" + }, + "hospitality": { + "CHS": "好客, 宜人, 盛情", + "ENG": "friendly behaviour towards visitors" + }, + "prurience": { + "CHS": "好色, 渴望", + "ENG": "Prurience is a strong interest in sexual matters" + }, + "salacity": { + "CHS": "好色, 猥亵" + }, + "lechery": { + "CHS": "好色, 淫荡, 纵欲", + "ENG": "sexual desire or pleasure that is considered bad because it is not part of a romantic relationship" + }, + "sensuality": { + "CHS": "好色,淫荡,感觉性" + }, + "warmonger": { + "CHS": "好战者, 主战论者" + }, + "blare": { + "CHS": "号声" + }, + "exhaustion": { + "CHS": "耗尽枯竭, 疲惫, 筋疲力尽, 竭尽, 详尽无遗的论述", + "ENG": "extreme tiredness" + }, + "coalition": { + "CHS": "合并, 接合, 联合", + "ENG": "a union of two or more political parties that allows them to form a government or fight an election together" + }, + "chorus": { + "CHS": "合唱, 合唱队, 齐声", + "ENG": "a large group of people who sing together" + }, + "aggregate": { + "CHS": "合计, 总计, 集合体", + "ENG": "the total after a lot of different figures or points have been added together" + }, + "alloy": { + "CHS": "合金", + "ENG": "a metal that consists of two or more metals mixed together" + }, + "pact": { + "CHS": "合同, 公约, 协定", + "ENG": "a formal agreement between two groups, countries, or people, especially to help each other or to stop fighting" + }, + "contract": { + "CHS": "合同, 契约, 婚约", + "ENG": "an official agreement between two or more people, stating what each will do" + }, + "reconciliation": { + "CHS": "和解, 调和, 顺从", + "ENG": "a situation in which two people, countries etc become friendly with each other again after quarrelling" + }, + "rapprochement": { + "CHS": "和睦, 亲善" + }, + "rapport": { + "CHS": "和谐, 亲善" + }, + "concord": { + "CHS": "和谐, 一致, 和睦", + "ENG": "the state of having a friendly relationship, so that you agree on things and live in peace" + }, + "estuary": { + "CHS": "河口, 江口", + "ENG": "the wide part of a river where it goes into the sea" + }, + "hippopotamus": { + "CHS": "河马", + "ENG": "a large grey African animal with a big head and mouth that lives near water" + }, + "hormone": { + "CHS": "荷尔蒙, 激素", + "ENG": "a chemical substance produced by your body that influences its growth, development, and condition" + }, + "doit": { + "CHS": "荷兰古代小铜币, 几文钱", + "ENG": "a former small copper coin of the Netherlands " + }, + "carnation": { + "CHS": "荷兰石竹, 康乃馨, 粉红色", + "ENG": "a flower that smells sweet. Men often wear a carnation on their jacket on formal occasions." + }, + "spoor": { + "CHS": "痕迹, 足迹", + "ENG": "the track of footmarks or solid waste that a wild animal leaves as it moves along" + }, + "malignity": { + "CHS": "狠毒", + "ENG": "the condition or quality of being malign, malevolent, or deadly " + }, + "rail": { + "CHS": "横杆, 围栏, 扶手, 铁轨", + "ENG": "one of the two long metal tracks fastened to the ground that trains move along" + }, + "traverse": { + "CHS": "横贯, 横断, 横木, 障碍, 否认, 反驳, (建筑)通廊" + }, + "decumbence": { + "CHS": "横卧" + }, + "magenta": { + "CHS": "红紫色, 洋红", + "ENG": "a dark reddish purple colour" + }, + "macrocosm": { + "CHS": "宏观世界", + "ENG": "a large complicated system such as the whole universe or a society, considered as a single unit" + }, + "inundation": { + "CHS": "洪水" + }, + "deluge": { + "CHS": "洪水, 豪雨", + "ENG": "a large flood, or period when there is a lot of rain" + }, + "repentance": { + "CHS": "后悔, 悔改", + "ENG": "when you are sorry for something you have done" + }, + "logistics": { + "CHS": "后勤学, 后勤", + "ENG": "If you refer to the logistics of doing something complicated that involves a lot of people or equipment, you are referring to the skilful organization of it so that it can be done successfully and efficiently" + }, + "progeny": { + "CHS": "后裔", + "ENG": "the babies of animals or plants" + }, + "ply": { + "CHS": "厚度, 板层, 褶", + "ENG": "a layer, fold, or thickness, as of cloth, wood, yarn, etc " + }, + "plank": { + "CHS": "厚木板, 支架, (政党的)政纲条款", + "ENG": "a long narrow piece of wooden board, used especially for making structures to walk on" + }, + "pachyderm": { + "CHS": "厚皮类动物, 迟钝的人", + "ENG": "an animal with thick skin, such as an elephant " + }, + "slab": { + "CHS": "厚平板, 厚片, 混凝土路面, 板层", + "ENG": "a thick flat piece of a hard material such as stone" + }, + "effrontery": { + "CHS": "厚颜无耻, 厚颜无耻的行为", + "ENG": "rude behaviour that shocks you because it is so confident" + }, + "migrant": { + "CHS": "候鸟, 移居者", + "ENG": "someone who goes to live in another area or country, especially in order to find work" + }, + "candidature": { + "CHS": "候选人的地位, 候选人资格" + }, + "respiration": { + "CHS": "呼吸, 呼吸作用", + "ENG": "the process of breathing" + }, + "prank": { + "CHS": "胡闹, 开玩笑, 恶作剧", + "ENG": "a trick, especially one which is played on someone to make them look silly" + }, + "balderdash": { + "CHS": "胡言乱语, 梦呓", + "ENG": "talk or writing that is silly nonsense" + }, + "gourd": { + "CHS": "葫芦", + "ENG": "a round fruit whose outer shell can be used as a container, or the container made from this fruit" + }, + "paste": { + "CHS": "糊, 面团, 黏土团", + "ENG": "a soft thick mixture that can easily be shaped or spread" + }, + "reciprocity": { + "CHS": "互惠", + "ENG": "a situation in which two people, groups, or countries give each other similar kinds of help or special rights" + }, + "moat": { + "CHS": "护城河, 城壕", + "ENG": "a deep wide hole, usually filled with water, dug around a castle as a defence" + }, + "amulet": { + "CHS": "护身符", + "ENG": "a small piece of jewellery worn to protect against bad luck, disease etc" + }, + "talisman": { + "CHS": "护身符, 辟邪物, 能产生奇迹的东西, 法宝", + "ENG": "an object that is believed to have magic powers to protect the person who owns it" + }, + "convoy": { + "CHS": "护送, 护卫", + "ENG": "a group of vehicles or ships travelling together, sometimes in order to protect one another" + }, + "escort": { + "CHS": "护卫(队), 护送, 陪同(人员), 护卫队", + "ENG": "a person or a group of people or vehicles that go with someone in order to protect or guard them" + }, + "lacework": { + "CHS": "花边, 花边般的透花工艺品", + "ENG": "lace, or something that looks like lace" + }, + "posy": { + "CHS": "花朵, 花束, 铭文", + "ENG": "a small bunch of flowers" + }, + "pollen": { + "CHS": "花粉", + "ENG": "a fine powder produced by flowers, which is carried by the wind or by insects to other flowers of the same type, making them produce seeds" + }, + "granite": { + "CHS": "花岗岩", + "ENG": "a very hard grey rock, often used in building" + }, + "dandy": { + "CHS": "花花公子" + }, + "garland": { + "CHS": "花环", + "ENG": "a ring of flowers or leaves, worn on your head or around your neck for decoration or for a special ceremony" + }, + "bouquet": { + "CHS": "花束", + "ENG": "an arrangement of flowers, especially one that you give to someone" + }, + "potpourri": { + "CHS": "花香, 肉菜杂烩", + "ENG": "a mixture of pieces of dried flowers and leaves kept in a bowl to make a room smell pleasant" + }, + "flamboyance": { + "CHS": "华丽, 火焰" + }, + "pomposity": { + "CHS": "华丽, 夸耀" + }, + "pulley": { + "CHS": "滑车, 滑轮", + "ENG": "a piece of equipment consisting of a wheel over which a rope or chain is pulled to lift heavy things" + }, + "glider": { + "CHS": "滑行(或物), 滑翔机", + "ENG": "a light plane that flies without an engine" + }, + "antics": { + "CHS": "滑稽的动作, 古怪的姿态", + "ENG": "behaviour that seems strange, funny, silly, or annoying" + }, + "travesty": { + "CHS": "滑稽的转写, 漫画, 滑稽模仿" + }, + "drollery": { + "CHS": "滑稽诙谐之事, 笑谈, 笑话", + "ENG": "humour; comedy " + }, + "lubricant": { + "CHS": "滑润剂", + "ENG": "a substance such as oil that you put on surfaces that rub together, especially parts of a machine, in order to make them move smoothly and easily" + }, + "personification": { + "CHS": "化身", + "ENG": "someone who is a perfect example of a quality because they have a lot of it" + }, + "masquerade": { + "CHS": "化妆舞会", + "ENG": "a formal dance or party where people wear mask s and unusual clothes" + }, + "easel": { + "CHS": "画架, 黑板架", + "ENG": "a wooden frame that you put a painting on while you paint it" + }, + "birch": { + "CHS": "桦树, 白桦", + "ENG": "a tree with smooth bark (= outer covering ) and thin branches, or the wood from this tree" + }, + "pregnancy": { + "CHS": "怀孕", + "ENG": "when a woman is pregnant (= has a baby growing inside her body )" + }, + "gestation": { + "CHS": "怀孕, 酝酿, 妊娠", + "ENG": "the process by which a new idea, piece of work etc is developed, or the period of time when this happens" + }, + "acclamation": { + "CHS": "欢呼, 喝彩, (以欢呼、鼓掌等表示的)拥护, 赞成", + "ENG": "a loud expression of approval or welcome" + }, + "glee": { + "CHS": "欢乐, 高兴", + "ENG": "a feeling of satisfaction and excitement, often because something bad has happened to someone else" + }, + "carol": { + "CHS": "欢乐的歌, 颂歌, (尤指)圣诞节颂歌", + "ENG": "a traditional Christmas song" + }, + "gaiety": { + "CHS": "欢乐的精神, 欢乐的气氛作乐, 乐事", + "ENG": "when someone or something is cheerful and fun" + }, + "paean": { + "CHS": "欢乐歌, 赞美歌", + "ENG": "a happy song of praise, thanks, or victory" + }, + "hilarity": { + "CHS": "欢闹", + "ENG": "laughter, or a feeling of fun" + }, + "gambol": { + "CHS": "欢跳, 雀跃, 嬉戏" + }, + "mirth": { + "CHS": "欢笑, 高兴", + "ENG": "happiness and laughter" + }, + "badger": { + "CHS": "獾, 獾皮毛", + "ENG": "an animal that has black and white fur, lives in holes in the ground, and is active at night" + }, + "loop": { + "CHS": "环, 线(绳)圈, 弯曲部分, 回路, 回线, (铁路)让车道, (飞机)翻圈飞行", + "ENG": "a shape like a curve or a circle made by a line curving back towards itself, or a piece of wire, string etc that has this shape" + }, + "trepan": { + "CHS": "环锯, 钻孔机, 陷阱", + "ENG": "an instrument resembling a carpenter's brace and bit formerly used to remove circular sections of bone (esp from the skull) " + }, + "bumper": { + "CHS": "缓冲器" + }, + "appeasement": { + "CHS": "缓和" + }, + "moderator": { + "CHS": "缓和剂" + }, + "tardiness": { + "CHS": "缓慢" + }, + "reprieve": { + "CHS": "缓刑(尤指缓期执行死刑), 缓刑令, (痛苦, 烦恼等的)暂缓", + "ENG": "a delay before something bad happens or continues to happen" + }, + "reverie": { + "CHS": "幻想", + "ENG": "a state of imagining or thinking about pleasant things, that is like dreaming" + }, + "fantasia": { + "CHS": "幻想曲", + "ENG": "a piece of music that does not have a regular form or style" + }, + "phantom": { + "CHS": "幻影", + "ENG": "something that exists only in your imagination" + }, + "moult": { + "CHS": "换毛, 脱毛" + }, + "molt": { + "CHS": "换毛, 脱皮, 换毛期" + }, + "apoplectic": { + "CHS": "患中风者" + }, + "dilapidation": { + "CHS": "荒废, 崩塌, 破损" + }, + "absurdity": { + "CHS": "荒谬, 谬论" + }, + "fluster": { + "CHS": "慌乱, 狼狈, 混乱, 激动", + "ENG": "nervous and confused because you are trying to do things quickly" + }, + "royalty": { + "CHS": "皇室, 王权", + "ENG": "members of a royal family" + }, + "spendthrift": { + "CHS": "挥霍者", + "ENG": "someone who spends money carelessly, even when they do not have a lot of it" + }, + "resplendence": { + "CHS": "辉煌, 灿烂" + }, + "badge": { + "CHS": "徽章, 证章", + "ENG": "a small piece of metal, cloth, or plastic with a picture or words on it, worn to show rank, membership of a group, support for a political idea etc" + }, + "retrospect": { + "CHS": "回顾", + "ENG": "thinking back to a time in the past, especially with the advantage of knowing more now than you did then" + }, + "rebuff": { + "CHS": "回绝", + "ENG": "an unkind or unfriendly answer to a friendly suggestion or offer of help" + }, + "rebate": { + "CHS": "回扣, 折扣" + }, + "cloister": { + "CHS": "回廊, 修道院", + "ENG": "a covered passage that surrounds one side of a square garden in a church, monastery etc" + }, + "reminiscence": { + "CHS": "回想, 记忆力, 怀旧" + }, + "contrition": { + "CHS": "悔悟, 后悔", + "ENG": "deeply felt remorse; penitence " + }, + "confluence": { + "CHS": "汇合", + "ENG": "the place where two or more rivers flow together" + }, + "remittance": { + "CHS": "汇款, 汇寄之款, 汇款额", + "ENG": "an amount of money that you send to pay for something" + }, + "parley": { + "CHS": "会谈", + "ENG": "a discussion in which enemies try to achieve peace" + }, + "stupor": { + "CHS": "昏迷", + "ENG": "a state in which you cannot think, speak, see, or hear clearly, usually because you have drunk too much alcohol or taken drugs" + }, + "coma": { + "CHS": "昏迷", + "ENG": "someone who is in a coma has been unconscious for a long time, usually because of a serious illness or injury" + }, + "nuptial": { + "CHS": "婚礼", + "ENG": "Someone's nuptials are their wedding celebrations" + }, + "pastiche": { + "CHS": "混成曲, 模仿画", + "ENG": "a piece of writing, music, film etc that is deliberately made in the style of someone or something else" + }, + "intermingle": { + "CHS": "混合" + }, + "kerfuffle": { + "CHS": "混乱, 动乱", + "ENG": "unnecessary noise and activity" + }, + "dislocation": { + "CHS": "混乱, 断层, 脱臼", + "ENG": "Dislocation is a situation in which something such as a system, process, or way of life is greatly disturbed or prevented from continuing as normal" + }, + "chaos": { + "CHS": "混乱, 混沌(宇宙未形成前的情形)", + "ENG": "a situation in which everything is happening in a confused way and nothing is organized or arranged in order" + }, + "bedlam": { + "CHS": "混乱, 骚乱情景, <古语>疯人院", + "ENG": "a situation where there is a lot of noise and confusion" + }, + "promiscuity": { + "CHS": "混乱, 杂乱, 尤指男女乱交" + }, + "farrago": { + "CHS": "混杂, 混杂物" + }, + "medley": { + "CHS": "混杂的人群, 杂乱的一团, 混合物, 杂录, [音]集成曲", + "ENG": "a mixture of different types of the same thing which produces an interesting or unusual effect" + }, + "lust": { + "CHS": "活力, 繁殖力, 强烈的性欲", + "ENG": "very strong sexual desire, especially when it does not include love" + }, + "vim": { + "CHS": "活力, 精力", + "ENG": "energy" + }, + "animation": { + "CHS": "活泼, 有生气", + "ENG": "liveliness and excitement" + }, + "spark": { + "CHS": "火花, 火星, 闪光, 情郎, 花花公子, 活力, 电信技师, 瞬间放电", + "ENG": "a very small piece of burning material produced by a fire or by hitting or rubbing two hard objects together" + }, + "scintilla": { + "CHS": "火花, 闪烁, 细微的颗粒或痕迹" + }, + "gobble": { + "CHS": "火鸡叫声", + "ENG": "the loud rapid gurgling sound made by male turkeys " + }, + "pyre": { + "CHS": "火葬用的柴堆", + "ENG": "a high pile of wood on which a dead body is placed to be burned in a funeral ceremony" + }, + "purveyance": { + "CHS": "伙食, 承办伙食" + }, + "procurement": { + "CHS": "获得, 取得", + "ENG": "Procurement is the act of obtaining something such as supplies for an army or other organization" + }, + "fencer": { + "CHS": "击剑者, 剑术家, 篱笆匠", + "ENG": "someone who fights with a long thin sword as a sport" + }, + "locomotive": { + "CHS": "机车, 火车头", + "ENG": "a railway engine" + }, + "ingenuity": { + "CHS": "机灵, 独创性, 精巧, 灵活性" + }, + "tact": { + "CHS": "机智, 手法, 老练, 角觉" + }, + "sinew": { + "CHS": "肌肉, 精力, 体力, 原动力, [解]腱", + "ENG": "a part of your body that connects a muscle to a bone" + }, + "myalgia": { + "CHS": "肌痛", + "ENG": "pain in a muscle or a group of muscles " + }, + "rustler": { + "CHS": "积极分子, 活跃的人" + }, + "rationale": { + "CHS": "基本原理", + "ENG": "The rationale for a course of action, practice, or belief is the set of reasons on which it is based" + }, + "pedestal": { + "CHS": "基架, 底座, 基础", + "ENG": "A pedestal is the base on which something such as a statue stands" + }, + "sill": { + "CHS": "基石,门槛,窗台,[地质]岩床", + "ENG": "the narrow shelf at the base of a window frame" + }, + "monstrosity": { + "CHS": "畸形" + }, + "concussion": { + "CHS": "激动, 冲击, [医]震荡", + "ENG": "a small amount of damage to the brain that makes you lose consciousness or feel sick for a short time, usually caused by something hitting your head" + }, + "agitation": { + "CHS": "激动, 兴奋, 煽动, 搅动", + "ENG": "public argument or action for social or political change" + }, + "heckler": { + "CHS": "激烈质问者" + }, + "provocation": { + "CHS": "激怒, 刺激, 挑衅, 挑拨", + "ENG": "an action or event that makes someone angry or upset, or is intended to do this" + }, + "hassle": { + "CHS": "激战" + }, + "auspicious": { + "CHS": "吉兆的, 幸运的" + }, + "dullsville": { + "CHS": "极度沉闷或单调, 非常无聊之事物", + "ENG": "a thing, place, or activity that is boring or dull " + }, + "sizzler": { + "CHS": "极烫的东西, 炎热天", + "ENG": "something that sizzles " + }, + "paucity": { + "CHS": "极小量" + }, + "polarity": { + "CHS": "极性", + "ENG": "the state of having either a positive or negative electric charge" + }, + "improvisation": { + "CHS": "即席创作" + }, + "impromptu": { + "CHS": "即席演出, 即兴曲" + }, + "presto": { + "CHS": "急板之乐曲或乐章", + "ENG": "a piece of music, or part of one, that is played or sung very quickly" + }, + "quirk": { + "CHS": "急转, 遁词, 怪癖", + "ENG": "a strange habit or feature of someone’s character, or a strange feature of something" + }, + "ailment": { + "CHS": "疾病(尤指微恙), 不宁, 不安", + "ENG": "an illness that is not very serious" + }, + "gallop": { + "CHS": "疾驰, 飞奔", + "ENG": "a very fast speed" + }, + "scutter": { + "CHS": "疾走" + }, + "aggregation": { + "CHS": "集合, 集合体, 聚合", + "ENG": "the act or process of aggregating " + }, + "congregation": { + "CHS": "集合, 集会, [宗]圣会", + "ENG": "a group of people gathered together in a church" + }, + "muster": { + "CHS": "集合, 阅, 样品, 清单, 一群", + "ENG": "a gathering together of soldiers so that they can be counted, checked etc" + }, + "rendezvous": { + "CHS": "集合点" + }, + "convocation": { + "CHS": "集会, 召集, 教士会议", + "ENG": "a large formal meeting of a group of people, especially church officials" + }, + "bazaar": { + "CHS": "集市, 市场, 杂货店, 百货店", + "ENG": "a market or area where there are a lot of small shops, especially in India or the Middle East" + }, + "catchment": { + "CHS": "集水, 集水处(水库或集水盆地)", + "ENG": "In geography, catchment is the process of collecting water, in particular the process of water flowing from the ground and collecting in a river. Catchment is also the water that is collected in this way. " + }, + "philately": { + "CHS": "集邮, 集邮的兴趣", + "ENG": "the activity of collecting stamps for pleasure" + }, + "philatelist": { + "CHS": "集邮家", + "ENG": "A philatelist is a person who collects and studies postage stamps" + }, + "vertebrate": { + "CHS": "脊椎动物", + "ENG": "a living creature that has a backbone" + }, + "chine": { + "CHS": "脊椎骨, 山脊" + }, + "computation": { + "CHS": "计算, 估计", + "ENG": "the process of calculating or the result of calculating" + }, + "chronometer": { + "CHS": "记时计", + "ENG": "a very exact clock, used for scientific purposes" + }, + "tickler": { + "CHS": "记事本, 备忘录, 使人发痒的人" + }, + "mnemonics": { + "CHS": "记忆术", + "ENG": "the art or practice of improving or of aiding the memory " + }, + "souvenir": { + "CHS": "纪念品", + "ENG": "an object that you buy or keep to remind yourself of a special occasion or a place you have visited" + }, + "memento": { + "CHS": "纪念品", + "ENG": "a small thing that you keep to remind you of someone or something" + }, + "memorial": { + "CHS": "纪念物, 纪念馆, 纪念议事, 请愿书", + "ENG": "something, especially a stone with writing on it, that reminds people of someone who has died" + }, + "artifice": { + "CHS": "技巧", + "ENG": "Artifice is the clever use of tricks and devices" + }, + "sleight": { + "CHS": "技巧, 手法, 诡计, 熟练", + "ENG": "skill; dexterity " + }, + "feat": { + "CHS": "技艺, 功绩, 武艺, 壮举, 技艺表演", + "ENG": "something that is an impressive achievement, because it needs a lot of skill, strength etc to do" + }, + "monsoon": { + "CHS": "季候风, (印度等地的)雨季, 季风", + "ENG": "the season, from about April to October, when it rains a lot in India and other southern Asian countries" + }, + "dose": { + "CHS": "剂量, (一)剂, (一)服", + "ENG": "the amount of a medicine or a drug that you should take" + }, + "heir": { + "CHS": "继承人, 后嗣", + "ENG": "the person who has the legal right to receive the property or title of another person when they die" + }, + "oblation": { + "CHS": "祭品", + "ENG": "a gift that is offered to God or a god, or the act of offering the gift" + }, + "altar": { + "CHS": "祭坛, (基督教教堂内的)圣坛, 祈祷祭拜的地方", + "ENG": "a holy table or surface used in religious ceremonies" + }, + "throb": { + "CHS": "悸动, 脉搏" + }, + "parasite": { + "CHS": "寄生虫, 食客", + "ENG": "a plant or animal that lives on or in another plant or animal and gets food from it" + }, + "lodger": { + "CHS": "寄宿者, 投宿者", + "ENG": "someone who pays rent for a room in someone’s house" + }, + "coronation": { + "CHS": "加冕礼", + "ENG": "the ceremony at which someone is officially made king or queen" + }, + "chappy": { + "CHS": "家伙", + "ENG": "a chap " + }, + "guy": { + "CHS": "家伙, 人", + "ENG": "a man" + }, + "domesticity": { + "CHS": "家庭生活, 专心于家务, 对家庭的挚爱, 家庭生活", + "ENG": "life at home with your family" + }, + "factotum": { + "CHS": "家务总管, 杂役, 打杂的人, [印]特大型花体大写字母", + "ENG": "a servant or worker who has to do many different kinds of jobs for someone" + }, + "messuage": { + "CHS": "家宅", + "ENG": "a dwelling house together with its outbuildings, curtilage, and the adjacent land appropriated to its use " + }, + "patriarchy": { + "CHS": "家长统治, 父权制", + "ENG": "a social system in which the oldest man rules his family and passes power and possessions on to his sons" + }, + "cleat": { + "CHS": "夹板" + }, + "clamp": { + "CHS": "夹子, 夹具, 夹钳", + "ENG": "a piece of equipment for holding things together" + }, + "carapace": { + "CHS": "甲壳, 壳", + "ENG": "a hard shell on the outside of some animals such as a crab or tortoise " + }, + "promontory": { + "CHS": "岬, 隆起, 海角", + "ENG": "a long narrow piece of land which sticks out into the sea" + }, + "presumption": { + "CHS": "假定", + "ENG": "something that you think is true because it is very likely" + }, + "postulate": { + "CHS": "假定, 基本条件, 基本原理", + "ENG": "something believed to be true, on which an argument or scientific discussion is based" + }, + "supposition": { + "CHS": "假定, 想象, 推测, 推想", + "ENG": "something that you think is true, even though you are not certain and cannot prove it" + }, + "wig": { + "CHS": "假发", + "ENG": "artificial hair that you wear on your head" + }, + "jobbery": { + "CHS": "假公济私", + "ENG": "the practice of making private profit out of a public office; corruption or graft " + }, + "fake": { + "CHS": "假货, 欺骗", + "ENG": "a copy of a valuable object, painting etc that is intended to deceive people" + }, + "pseudonym": { + "CHS": "假名, 笔名", + "ENG": "an invented name that a writer, artist etc uses instead of their real name" + }, + "sobriquet": { + "CHS": "假名, 绰号", + "ENG": "an unofficial title or name" + }, + "hypothesis": { + "CHS": "假设", + "ENG": "an idea that is suggested as an explanation for something, but that has not yet been proved to be true" + }, + "feint": { + "CHS": "假象, 伪装, 假装, 假托, 佯攻, 虚击", + "ENG": "a movement or an attack that is intended to deceive an opponent, especially in boxing " + }, + "affectation": { + "CHS": "假装, 虚饰, 做作", + "ENG": "If you say that someone's attitude or behaviour is an affectation, you disapprove of the fact that it is not genuine or natural, but is intended to impress other people" + }, + "connivance": { + "CHS": "假装不见, 纵容, 默许", + "ENG": "Connivance is a willingness to allow or assist something to happen even though you know it is wrong" + }, + "rack": { + "CHS": "架, 行李架, 拷问台, 小步跑, 烧酒, 破坏", + "ENG": "a frame or shelf that has bars or hooks on which you can put things" + }, + "graft": { + "CHS": "嫁接, (接技用的)嫩枝, (皮肤等的)移植, 赎职", + "ENG": "a piece of healthy skin or bone taken from someone’s body and put in or on another part of their body that has been damaged" + }, + "spire": { + "CHS": "尖顶", + "ENG": "a roof that rises steeply to a point on top of a tower, especially on a church" + }, + "steeple": { + "CHS": "尖塔", + "ENG": "a tall pointed tower on the roof of a church" + }, + "minaret": { + "CHS": "尖塔", + "ENG": "a tall thin tower on a mosque , from which Muslims are called to prayer" + }, + "turpitude": { + "CHS": "奸恶, 卑鄙" + }, + "profiteer": { + "CHS": "奸商", + "ENG": "If you describe someone as a profiteer, you are critical of them because they make large profits by charging high prices for goods that are hard to get" + }, + "duplicity": { + "CHS": "奸诈, 狡猾, 搞两面派, 口是心非, 不诚实, 表里不一", + "ENG": "dishonest behaviour that is intended to deceive someone" + }, + "insistence": { + "CHS": "坚持, 坚决主张", + "ENG": "when you demand that something should happen and refuse to let anyone say no" + }, + "stickler": { + "CHS": "坚持己见的人, 困难的问题", + "ENG": "If you are a stickler for something, you always demand or require it" + }, + "tenacity": { + "CHS": "坚韧" + }, + "fortitude": { + "CHS": "坚韧", + "ENG": "courage shown when you are in great pain or experiencing a lot of trouble" + }, + "rigidity": { + "CHS": "坚硬, 僵化, 刻板, 严格, 刚性, 硬度" + }, + "espionage": { + "CHS": "间谍, 侦探", + "ENG": "the activity of secretly finding out secret information and giving it to a country’s enemies or a company’s competitors" + }, + "intermission": { + "CHS": "间断", + "ENG": "a short period of time between the parts of a play, concert etc" + }, + "geyser": { + "CHS": "间歇泉, 烧水锅炉", + "ENG": "a natural spring that sends hot water and steam suddenly into the air from a hole in the ground" + }, + "tutelage": { + "CHS": "监护", + "ENG": "when you are taught or looked after by someone" + }, + "penitentiary": { + "CHS": "监狱, 收容所, 教养所", + "ENG": "a prison – used especially in the names of prisons" + }, + "griddle": { + "CHS": "煎饼用浅锅, 矿筛" + }, + "inspection": { + "CHS": "检查, 视察", + "ENG": "an official visit to a building or organization to check that everything is satisfactory and that rules are being obeyed" + }, + "censor": { + "CHS": "检查员", + "ENG": "someone whose job is to examine books, films, letters etc and remove anything considered to be offensive, morally harmful, or politically dangerous" + }, + "prosecutor": { + "CHS": "检举人", + "ENG": "In some countries, a prosecutor is a lawyer or official who brings charges against someone or tries to prove in a trial that they are guilty" + }, + "quarantine": { + "CHS": "检疫, 隔离, (政治或商业上的)封锁, 检疫期间", + "ENG": "a period of time when a person or animal is kept apart from others in case they are carrying a disease" + }, + "palliation": { + "CHS": "减轻" + }, + "shanty": { + "CHS": "简陋小屋, 棚屋", + "ENG": "a small, roughly built hut made from thin sheets of wood, tin , plastic etc that very poor people live in" + }, + "overture": { + "CHS": "建议" + }, + "proponent": { + "CHS": "建议者, 支持者, [律]提出认证遗嘱者", + "ENG": "someone who supports something or persuades people to do something" + }, + "pariah": { + "CHS": "贱民(印度的最下阶级)" + }, + "raconteur": { + "CHS": "健谈者, 善谈者" + }, + "amnesia": { + "CHS": "健忘症" + }, + "armada": { + "CHS": "舰队", + "ENG": "An armada is a large group of warships" + }, + "marine": { + "CHS": "舰队, 水兵, 海运业" + }, + "mountebank": { + "CHS": "江湖郎中, 骗子", + "ENG": "a dishonest person who tricks and deceives people" + }, + "makeshift": { + "CHS": "将就, 凑合, 权宜之计" + }, + "ginger": { + "CHS": "姜, 生姜, 有姜味, 活泼, 元气, 精力, 淡赤黄色(的)~", + "ENG": "a root with a very strong hot taste, or the powder made from this root, that is used in cooking" + }, + "stalemate": { + "CHS": "僵局", + "ENG": "a situation in which it seems impossible to settle an argument or disagreement, and neither side can get an advantage" + }, + "impasse": { + "CHS": "僵局", + "ENG": "a situation in which it is impossible to continue with a discussion or plan because the people involved cannot agree" + }, + "rein": { + "CHS": "缰绳, 统治, 支配", + "ENG": "a long narrow band of leather that is fastened around a horse’s head in order to control it" + }, + "rostrum": { + "CHS": "讲坛, 演讲坛", + "ENG": "a small platform that you stand on when you are making a speech or conduct ing musicians" + }, + "oratory": { + "CHS": "讲演术", + "ENG": "the skill of making powerful speeches" + }, + "prix": { + "CHS": "奖金, 价格" + }, + "medal": { + "CHS": "奖章, 勋章, 纪念章", + "ENG": "a flat piece of metal, usually shaped like a coin, that is given to someone who has won a competition or who has done something brave" + }, + "oar": { + "CHS": "桨, 橹", + "ENG": "a long pole with a wide flat blade at one end, used for rowing a boat" + }, + "crossfire": { + "CHS": "交叉火力, 困境", + "ENG": "bullets from two or more opposite directions that pass through the same area" + }, + "interaction": { + "CHS": "交互作用, 交感", + "ENG": "a process by which two or more things affect each other" + }, + "vehicle": { + "CHS": "交通工具, 车辆, 媒介物, 传达手段", + "ENG": "a machine with an engine that is used to take people or things from one place to another, such as a car, bus, or truck" + }, + "mollycoddle": { + "CHS": "娇惯的男人, 懦夫" + }, + "hubris": { + "CHS": "骄傲 , 傲慢, (狂妄自大)", + "ENG": "too much pride" + }, + "suspense": { + "CHS": "焦虑, 悬念, 悬而不决", + "ENG": "a feeling of excitement or anxiety when you do not know what will happen next" + }, + "wiliness": { + "CHS": "狡猾" + }, + "gallows": { + "CHS": "绞架, 绞刑", + "ENG": "a structure used for killing criminals by hanging from a rope" + }, + "hanger": { + "CHS": "绞刑执行者, 衣架", + "ENG": "a curved piece of wood or metal with a hook on top, used for hanging clothes on" + }, + "podiatry": { + "CHS": "脚病学", + "ENG": "Podiatry is the professional care and treatment of people's feet" + }, + "heel": { + "CHS": "脚后跟, 踵, 跟部", + "ENG": "the curved back part of your foot" + }, + "pirouette": { + "CHS": "脚尖旋转", + "ENG": "a dance movement in which the dancer turns very quickly, standing on one toe or the front part of one foot" + }, + "beater": { + "CHS": "搅拌器", + "ENG": "an object that is designed to beat something" + }, + "bawl": { + "CHS": "叫骂声" + }, + "pontificate": { + "CHS": "教皇的职位, 主教的地位", + "ENG": "the position or period of being Pope" + }, + "canon": { + "CHS": "教会法教规, 教规, (基督教的)正典圣经(简称正经), 一个作家的真作日本佳能公司", + "ENG": "an established law of the Christian church" + }, + "didactics": { + "CHS": "教授法", + "ENG": "the art or science of teaching " + }, + "doctrinaire": { + "CHS": "教条主义者" + }, + "pedagogy": { + "CHS": "教学, 教授, 教育学", + "ENG": "the practice of teaching or the study of teaching" + }, + "yeast": { + "CHS": "酵母, 发酵粉", + "ENG": "a type of fungus used for producing alcohol in beer and wine, and for making bread rise" + }, + "ferment": { + "CHS": "酵素, 发酵, 动乱", + "ENG": "a situation of great excitement or trouble in a country, especially caused by political change" + }, + "leaven": { + "CHS": "酵素, 酵母, 潜移默化的影响", + "ENG": "a substance, especially yeast, that is added to a mixture of flour and water so that it will swell and can be baked into bread" + }, + "contiguity": { + "CHS": "接触, 接近, 邻近" + }, + "seam": { + "CHS": "接缝, 线缝, 缝合线, 衔接口, 伤疤, 层", + "ENG": "a line where two pieces of cloth, leather etc have been stitched together" + }, + "propinquity": { + "CHS": "接近", + "ENG": "the fact of being near someone or something, or of being related to someone" + }, + "proximity": { + "CHS": "接近, 亲近", + "ENG": "nearness in distance or time" + }, + "inoculation": { + "CHS": "接木, 接种, 接插芽" + }, + "osculation": { + "CHS": "接吻, 密切, 接触", + "ENG": "a point at which two branches of a curve have a common tangent, each branch extending in both directions of the tangent " + }, + "muckrake": { + "CHS": "揭开丑闻的文章" + }, + "talebearer": { + "CHS": "揭人隐私者, 搬弄是非者, 散播谣言者, 告密者" + }, + "nodus": { + "CHS": "节, 结节, 难点", + "ENG": "a problematic idea, situation, etc " + }, + "stanza": { + "CHS": "节, 演出期, 比赛中的盘", + "ENG": "a group of lines in a repeated pattern forming part of a poem" + }, + "frugality": { + "CHS": "节俭, 俭省" + }, + "temperance": { + "CHS": "节欲, 戒酒, 禁酒, (气候等的)温和", + "ENG": "when someone never drinks alcohol because of their moral or religious beliefs" + }, + "elitism": { + "CHS": "杰出人物统治论, 高人一等的优越感" + }, + "aftermath": { + "CHS": "结果, 后果", + "ENG": "the period of time after something such as a war, storm, or accident when people are still dealing with the results" + }, + "cohesion": { + "CHS": "结合, 凝聚, [物理]内聚力", + "ENG": "if there is cohesion among a group of people, a set of ideas etc, all the parts or members of it are connected or related in a reasonable way to form a whole" + }, + "denouement": { + "CHS": "结局", + "ENG": "the exciting last part of a story or play" + }, + "incrustation": { + "CHS": "结壳, 用覆盖物, 镶嵌, 硬壳" + }, + "epilogue": { + "CHS": "结语, 尾声, [戏]收场白", + "ENG": "something that happens at the end of a series of events" + }, + "exemption": { + "CHS": "解除, 免除, 免税", + "ENG": "an amount of money that you do not have to pay tax on" + }, + "thaw": { + "CHS": "解冻", + "ENG": "a period of warm weather during which snow and ice melt" + }, + "undoing": { + "CHS": "解开, 复旧, 毁灭, 取消" + }, + "scalpel": { + "CHS": "解剖刀", + "ENG": "a small, very sharp knife that is used by doctors in operations" + }, + "exponent": { + "CHS": "解释者, 说明者, 代表者, 典型, 指数", + "ENG": "a sign written above and to the right of a number or letter to show how many times that quantity is to be multiplied by itself" + }, + "commandment": { + "CHS": "戒律" + }, + "pretext": { + "CHS": "借口, 托辞", + "ENG": "a false reason given for an action, in order to hide the real reason" + }, + "pretension": { + "CHS": "借口, 要求, 主张, 自负, 骄傲" + }, + "bullion": { + "CHS": "金银, 银条, 金块", + "ENG": "bars of gold or silver" + }, + "filigree": { + "CHS": "金银丝细工, 易损之物", + "ENG": "delicate designs or decorations made of gold or silver wire" + }, + "scram": { + "CHS": "紧急刹车" + }, + "emergency": { + "CHS": "紧急情况, 突然事件, 非常时刻, 紧急事件", + "ENG": "an unexpected and dangerous situation that must be dealt with immediately" + }, + "gripe": { + "CHS": "紧握, 柄, 把手, 控制, 苦恼" + }, + "catatonic": { + "CHS": "紧张性精神症患者" + }, + "exertion": { + "CHS": "尽力, 努力, 发挥, 行使, 运用" + }, + "tenor": { + "CHS": "进程, 路程, 要旨, 大意, 男高音, 誊本", + "ENG": "a male singing voice that can reach the range of notes below the lowest woman’s voice, or a man with a voice like this" + }, + "offense": { + "CHS": "进攻" + }, + "gumption": { + "CHS": "进取心, 气概" + }, + "ingress": { + "CHS": "进入, 入口处, 准许进入", + "ENG": "the right to enter a place, or the act of entering it" + }, + "dilemma": { + "CHS": "进退两难的局面, 困难的选择", + "ENG": "a situation in which it is very difficult to decide what to do, because all the choices seem equally good or equally bad" + }, + "purlieus": { + "CHS": "近郊;邻近地区", + "ENG": "the area in and around a place" + }, + "myopia": { + "CHS": "近视", + "ENG": "the inability to see clearly things that are far away" + }, + "ascetic": { + "CHS": "禁欲者, 苦行修道者", + "ENG": "An ascetic is someone who is ascetic" + }, + "asceticism": { + "CHS": "禁欲主义, 苦行", + "ENG": "Asceticism is a simple, strict way of life with no luxuries or physical pleasures" + }, + "embargo": { + "CHS": "禁止出入港口, 禁运", + "ENG": "an official order to stop trade with another country" + }, + "stalk": { + "CHS": "茎, 柄, 梗, 秆", + "ENG": "a long narrow part of a plant that supports leaves, fruits, or flowers" + }, + "stem": { + "CHS": "茎, 干, 词干, 茎干", + "ENG": "the long thin part of a plant, from which leaves, flowers, or fruit grow" + }, + "longitude": { + "CHS": "经度, 经线", + "ENG": "the distance east or west of a particular meridian (= imaginary line along the Earth’s surface from the North Pole to the South Pole ) , measured in degrees" + }, + "empiricism": { + "CHS": "经验主义, 经验论, 庸医的医术", + "ENG": "the belief in basing your ideas on practical experience" + }, + "consternation": { + "CHS": "惊愕, 恐怖, 惊惶失措", + "ENG": "a feeling of worry, shock, or fear" + }, + "horror": { + "CHS": "惊骇, 恐怖, 惨事, 极端厌恶", + "ENG": "a strong feeling of shock and fear" + }, + "panic": { + "CHS": "惊慌, 恐慌, 没有理由的", + "ENG": "a sudden strong feeling of fear or nervousness that makes you unable to think clearly or behave sensibly" + }, + "prodigy": { + "CHS": "惊人的事物, 天才(特指神童), 奇观, 奇事", + "ENG": "A prodigy is someone young who has a great natural ability for something such as music, mathematics, or sports" + }, + "quintessence": { + "CHS": "精萃, 精华, 典范", + "ENG": "Thequintessenceof something is the most perfect or typical example of it" + }, + "moxie": { + "CHS": "精力, 勇气, 胆量", + "ENG": "courage and determination" + }, + "psychosis": { + "CHS": "精神", + "ENG": "a serious mental illness that can change your character and make you unable to behave in a normal way" + }, + "spunk": { + "CHS": "精神, 勇气, 胆量, 火星, 引火木柴", + "ENG": "courage" + }, + "psychiatry": { + "CHS": "精神病学, 精神病治疗法", + "ENG": "the study and treatment of mental illnesses" + }, + "insanity": { + "CHS": "精神错乱, 疯狂, 愚顽", + "ENG": "the state of being seriously mentally ill, so that you cannot live normally in society" + }, + "lunacy": { + "CHS": "精神失常, 精神病", + "ENG": "mental illness" + }, + "proficient": { + "CHS": "精通" + }, + "refinement": { + "CHS": "精致, (言谈, 举止等的)文雅, 精巧" + }, + "epigram": { + "CHS": "警句, 讽刺短诗", + "ENG": "a short sentence that expresses an idea in a clever or amusing way" + }, + "tocsin": { + "CHS": "警钟, 警报", + "ENG": "a loud warning bell, used in the past" + }, + "purge": { + "CHS": "净化, 清除, 泻药", + "ENG": "a substance used to make you empty your bowel s " + }, + "purgation": { + "CHS": "净化, 洗涤, 清洗, 洗罪", + "ENG": "the act of purging or state of being purged; purification " + }, + "arena": { + "CHS": "竞技场, 舞台", + "ENG": "a building with a large flat central area surrounded by seats, where sports or entertainments take place" + }, + "emulation": { + "CHS": "竞争, 效法", + "ENG": "the act of emulating or imitating " + }, + "obeisance": { + "CHS": "敬礼, 鞠躬, 顿首, 服从", + "ENG": "respect and obedience to someone or something, often shown by bending your head or the upper part of your body" + }, + "awe": { + "CHS": "敬畏", + "ENG": "a feeling of great respect and liking for someone or something" + }, + "homage": { + "CHS": "敬意", + "ENG": "something you do to show respect for someone or something you think is important" + }, + "entanglement": { + "CHS": "纠缠", + "ENG": "when something becomes entangled in something" + }, + "rectification": { + "CHS": "纠正, 整顿, 校正, 精馏, 整流", + "ENG": "The rectification of something that is wrong is the act of changing it to make it correct or satisfactory" + }, + "dimple": { + "CHS": "酒窝, 涟漪", + "ENG": "a small hollow place on your skin, especially one on your cheek or chin when you smile" + }, + "lees": { + "CHS": "酒糟, 渣滓", + "ENG": "the sediment from an alcoholic drink " + }, + "mortar": { + "CHS": "臼, 研钵, 灰泥, 迫击炮", + "ENG": "a heavy gun that fires bombs or shell s in a high curve" + }, + "succor": { + "CHS": "救援, 援助者, 救援人员" + }, + "mew": { + "CHS": "厩舍, 海鸥", + "ENG": "any seagull, esp the common gull, Larus canus " + }, + "trammel": { + "CHS": "拘束, 阻碍物, 束缚物", + "ENG": "a hindrance to free action or movement " + }, + "denizen": { + "CHS": "居民", + "ENG": "an animal, plant, or person that lives or is found in a particular place" + }, + "inhabitant": { + "CHS": "居民, 居住者", + "ENG": "one of the people who live in a particular place" + }, + "residence": { + "CHS": "居住, 住处", + "ENG": "a house, especially a large or official one" + }, + "chrysanthemum": { + "CHS": "菊花", + "ENG": "a garden plant with large brightly coloured flowers" + }, + "dejection": { + "CHS": "沮丧, 粪便" + }, + "matrix": { + "CHS": "矩阵", + "ENG": "an arrangement of numbers, letters, or signs in rows and column s that you consider to be one amount, and that you use in solving mathematical problems" + }, + "uptake": { + "CHS": "举起" + }, + "comportment": { + "CHS": "举止, 态度, 动作", + "ENG": "conduct; bearing " + }, + "cavern": { + "CHS": "巨洞, 洞窟, 深处", + "ENG": "A cavern is a large, deep cave" + }, + "colossus": { + "CHS": "巨像, 巨人", + "ENG": "someone or something that is extremely big or extremely important" + }, + "surge": { + "CHS": "巨涌, 汹涌, 澎湃", + "ENG": "a sudden quick movement of a liquid, electricity, chemical etc through something" + }, + "contumacy": { + "CHS": "拒不服从, 倔强" + }, + "upheaval": { + "CHS": "剧变", + "ENG": "a very big change that often causes problems" + }, + "troupe": { + "CHS": "剧团", + "ENG": "a group of singers, actors, dancers etc who work together" + }, + "claqueur": { + "CHS": "剧院中雇用的喝彩的人" + }, + "playwright": { + "CHS": "剧作家", + "ENG": "someone who writes plays" + }, + "appropriation": { + "CHS": "据为己有, 占有, 挪用(只指定用途的一笔), 拨款", + "ENG": "the process of saving money for a special purpose, or the money that is saved, especially by a business or government" + }, + "hurricane": { + "CHS": "飓风, 狂风", + "ENG": "a storm that has very strong fast winds and that moves over water" + }, + "sawdust": { + "CHS": "锯屑", + "ENG": "very small pieces of wood that are left when you have been cutting wood" + }, + "volume": { + "CHS": "卷, 册, 体积, 量, 大量, 音量", + "ENG": "the amount of sound produced by a television, radio etc" + }, + "frizz": { + "CHS": "卷发, 卷毛, 吱吱响声" + }, + "scroll": { + "CHS": "卷轴, 卷形物, 名册", + "ENG": "a long piece of paper that can be rolled up, and is used as an official document" + }, + "pout": { + "CHS": "撅嘴, 板脸, 生气, 大头鱼类", + "ENG": "Pout is also a noun" + }, + "duel": { + "CHS": "决斗", + "ENG": "a fight with weapons between two people, used in the past to settle a quarrel" + }, + "knack": { + "CHS": "诀窍", + "ENG": "A knack is a particularly clever or skilful way of doing something successfully, especially something which most people find difficult" + }, + "infallibility": { + "CHS": "绝无错误, 绝对可靠性" + }, + "cadet": { + "CHS": "军官学校学生, <旧俚>(妓院)拉皮条的人", + "ENG": "someone who is training to be an officer in the army, navy, air force , or police" + }, + "ordnance": { + "CHS": "军火", + "ENG": "weapons, explosives, and vehicles used in fighting" + }, + "accoutrements": { + "CHS": "军人的配备, 服装", + "ENG": "the equipment needed for a particular activity or way of life" + }, + "munitions": { + "CHS": "军需品(munition之复数)", + "ENG": "military supplies such as bombs and guns" + }, + "monarch": { + "CHS": "君主", + "ENG": "a king or queen" + }, + "sovereign": { + "CHS": "君主, 统治", + "ENG": "a king or queen" + }, + "sovereignty": { + "CHS": "君主, 主权, 主权国家", + "ENG": "the power that an independent country has to govern itself" + }, + "sheriff": { + "CHS": "郡治安官, 州长", + "ENG": "an elected law officer of a county in the US" + }, + "format": { + "CHS": "开本, 版式, 形式, 格式", + "ENG": "the way in which something such as a television show or meeting is organized or arranged" + }, + "outset": { + "CHS": "开端, 开始", + "ENG": "at or from the beginning of an event or process" + }, + "cardigan": { + "CHS": "开襟羊毛衫(=cardigan sweater)", + "ENG": "a sweater similar to a short coat, fastened at the front with buttons or a zip" + }, + "commencement": { + "CHS": "开始, 毕业典礼", + "ENG": "the beginning of something" + }, + "raillery": { + "CHS": "开玩笑, 逗趣", + "ENG": "friendly joking about someone" + }, + "badinage": { + "CHS": "开玩笑, 揶揄", + "ENG": "Badinage is humorous or light-hearted conversation that often involves teasing someone" + }, + "aperitif": { + "CHS": "开胃酒", + "ENG": "an alcoholic drink that people drink before a meal" + }, + "corrigendum": { + "CHS": "勘误表" + }, + "chop": { + "CHS": "砍, 排骨, 官印, 商标", + "ENG": "a small piece of meat on a bone, usually cut from a sheep or pig" + }, + "gash": { + "CHS": "砍得很深的伤口, 很深的裂缝", + "ENG": "a large deep cut or hole in something, for example in a person’s skin" + }, + "janitor": { + "CHS": "看门人", + "ENG": "someone whose job is to look after a school or other large building" + }, + "largesse": { + "CHS": "慷慨", + "ENG": "when someone gives money or gifts to people who have less than they do, or the money or gifts that they give" + }, + "generosity": { + "CHS": "慷慨, 宽大", + "ENG": "a generous attitude, or generous behaviour" + }, + "antibiotic": { + "CHS": "抗生素", + "ENG": "a drug that is used to kill bacteria and cure infections" + }, + "antibody": { + "CHS": "抗体", + "ENG": "a substance produced by your body to fight disease" + }, + "remonstrance": { + "CHS": "抗议", + "ENG": "a complaint or protest" + }, + "archaeology": { + "CHS": "考古学", + "ENG": "the study of ancient societies by examining what remains of their buildings, grave s , tools etc" + }, + "gridiron": { + "CHS": "烤架, 格状物", + "ENG": "an open frame of metal bars for cooking meat or fish over a very hot fire" + }, + "grill": { + "CHS": "烤架, 铁格子, 烤肉", + "ENG": "a part of a cooker in which strong heat from above cooks food on a metal shelf below" + }, + "shuck": { + "CHS": "壳", + "ENG": "The shuck of something is its outer covering, for example, the leaves around an ear of corn, or the shell of a shellfish" + }, + "variability": { + "CHS": "可变性" + }, + "drawbridge": { + "CHS": "可开闭的吊桥", + "ENG": "a bridge that can be pulled up to stop people from entering a castle, or to let ships pass" + }, + "plasticity": { + "CHS": "可塑性, 塑性", + "ENG": "the quality of being easily made into any shape, and of staying in that shape until someone changes it" + }, + "craving": { + "CHS": "渴望", + "ENG": "an extremely strong desire for something" + }, + "scale": { + "CHS": "刻度,衡量,比例,数值范围,比例尺,天平,等级", + "ENG": "the size or level of something, or the amount that something is happening" + }, + "nick": { + "CHS": "刻痕, 缺口", + "ENG": "a very small cut made on the edge or surface of something" + }, + "syllabus": { + "CHS": "课程提纲", + "ENG": "You can refer to the subjects that are studied in a particular course as the syllabus" + }, + "solicitation": { + "CHS": "恳求, 恳请, 诱惑, 引发", + "ENG": "the act of asking someone for money, help, or information" + }, + "entreaty": { + "CHS": "恳求, 乞求", + "ENG": "a serious request in which you ask someone to do something for you" + }, + "vacancy": { + "CHS": "空, 空白, 空缺, 空闲, 清闲, 空虚", + "ENG": "a job that is available for someone to start doing" + }, + "interregnum": { + "CHS": "空白期间, 空位期间, 中断", + "ENG": "a period of time when a country or organization has no ruler or leader, and they are waiting for a new one" + }, + "inanition": { + "CHS": "空洞, 无意义, 浅薄, 愚蠢" + }, + "verbiage": { + "CHS": "空话" + }, + "interstice": { + "CHS": "空隙, 裂缝", + "ENG": "a small space or crack in something or between things" + }, + "maggot": { + "CHS": "空想, 蛆", + "ENG": "a small creature like a worm that is the young form of a fly and lives in decaying food, flesh etc" + }, + "vanity": { + "CHS": "空虚", + "ENG": "too much pride in yourself, so that you are always thinking about yourself and your appearance" + }, + "vacuity": { + "CHS": "空虚", + "ENG": "lack of intelligent, interesting, or serious thought" + }, + "inanity": { + "CHS": "空虚, 愚蠢" + }, + "orifice": { + "CHS": "孔, 口", + "ENG": "one of the holes in your body, such as your mouth, nose etc" + }, + "aperture": { + "CHS": "孔, 穴, 缝隙, (照相机, 望远镜等的)光圈, 孔径", + "ENG": "a small hole or space in something" + }, + "phobia": { + "CHS": "恐怖病, 恐怖症", + "ENG": "a strong unreasonable fear of something" + }, + "stutter": { + "CHS": "口吃, 结结巴巴", + "ENG": "an inability to speak normally because you stutter" + }, + "rouge": { + "CHS": "口红, 胭脂, 红铁粉", + "ENG": "pink or red powder or cream that women put on their cheeks" + }, + "calibre": { + "CHS": "口径", + "ENG": "the width of the inside of a gun or tube" + }, + "shibboleth": { + "CHS": "口令" + }, + "saliva": { + "CHS": "口水, 唾液", + "ENG": "the liquid that is produced naturally in your mouth" + }, + "parol": { + "CHS": "口头言词", + "ENG": "(formerly) the pleadings in an action when presented by word of mouth " + }, + "rap": { + "CHS": "叩击, 轻拍, 轻敲, 斥责", + "ENG": "a series of quick sharp hits or knocks" + }, + "internment": { + "CHS": "扣留, 收容", + "ENG": "the practice of keeping people in prison during a war or for political reasons, without charging them with a crime" + }, + "blight": { + "CHS": "枯萎病, 不良影响, 打击", + "ENG": "an unhealthy condition of plants in which parts of them dry up and die" + }, + "absinth": { + "CHS": "苦艾酒", + "ENG": "a bitter green very strong alcoholic drink" + }, + "tribulation": { + "CHS": "苦难, 忧患, 磨难", + "ENG": "serious trouble or a serious problem" + }, + "agony": { + "CHS": "苦恼, 极大的痛苦", + "ENG": "very severe pain" + }, + "pungency": { + "CHS": "苦痛, 辛辣, 刺激, 尖刻" + }, + "lucubration": { + "CHS": "苦心而成的著作, 学术作品" + }, + "elaboration": { + "CHS": "苦心经营, 苦心经营的结果, 详尽的细节" + }, + "bombast": { + "CHS": "夸大的言辞", + "ENG": "Bombast is trying to impress people by saying things that sound impressive but have little meaning" + }, + "exaggeration": { + "CHS": "夸张, 夸大之词", + "ENG": "a statement or way of saying something that makes something seem better, larger etc than it really is" + }, + "lump": { + "CHS": "块(尤指小块), 肿块, 笨人", + "ENG": "a small piece of something solid, without a particular shape" + }, + "frisk": { + "CHS": "快乐, 快乐的时刻, 搜身" + }, + "hedonism": { + "CHS": "快乐论, 快乐主义", + "ENG": "Hedonism is the belief that gaining pleasure is the most important thing in life" + }, + "liberality": { + "CHS": "宽大, 磊落" + }, + "lenience": { + "CHS": "宽厚, 仁慈" + }, + "revelry": { + "CHS": "狂欢", + "ENG": "wild noisy dancing, eating, drinking etc, usually to celebrate something" + }, + "randan": { + "CHS": "狂欢, 三人划的小艇", + "ENG": "a boat rowed by three people, in which the person in the middle uses two oars and the people fore and aft use one oar each " + }, + "spree": { + "CHS": "狂欢, 纵乐, 无节制的狂热行为", + "ENG": "a short period of time when you do a lot of one activity, especially spending money or drinking alcohol" + }, + "carnival": { + "CHS": "狂欢节, 饮宴狂欢", + "ENG": "A carnival is a public festival during which people play music and sometimes dance in the streets" + }, + "binge": { + "CHS": "狂闹, 狂欢" + }, + "fanaticism": { + "CHS": "狂热, 盲信", + "ENG": "extreme political or religious beliefs – used to show disapproval" + }, + "zealot": { + "CHS": "狂热者", + "ENG": "someone who has extremely strong beliefs, especially religious or political beliefs, and is too eager to make other people share them" + }, + "fanatic": { + "CHS": "狂热者, 盲信者, 入迷者", + "ENG": "someone who has extreme political or religious ideas and is often dangerous" + }, + "swagger": { + "CHS": "狂妄自大者, 大摇大摆, 吹牛", + "ENG": "Swagger is also a noun" + }, + "ecstatic": { + "CHS": "狂喜的人" + }, + "rhapsody": { + "CHS": "狂想曲", + "ENG": "a piece of music that is written to express emotion, and does not have a regular form" + }, + "ore": { + "CHS": "矿石, 含有金属的岩石", + "ENG": "rock or earth from which metal can be obtained" + }, + "slag": { + "CHS": "矿渣, 炉渣, 火山岩渣", + "ENG": "a waste material similar to glass, which remains after metal has been obtained from rock" + }, + "jamb": { + "CHS": "矿柱, 旁柱" + }, + "sash": { + "CHS": "框格, 肩带, 腰带, 飒饰, 窗扇", + "ENG": "a long piece of cloth that you wear around your waist like a belt" + }, + "rout": { + "CHS": "溃退", + "ENG": "a complete defeat in a battle, competition, or election" + }, + "ulcer": { + "CHS": "溃疡, 腐烂物", + "ENG": "a sore area on your skin or inside your body that may bleed or produce poisonous substances" + }, + "entomology": { + "CHS": "昆虫学", + "ENG": "the scientific study of insects" + }, + "sheaf": { + "CHS": "捆, 束, 札", + "ENG": "a bunch of wheat, corn etc tied together after it has been cut" + }, + "quandary": { + "CHS": "困惑, 窘境, 进退两难", + "ENG": "a difficult situation or problem, especially one in which you cannot decide what to do" + }, + "perplexity": { + "CHS": "困惑混乱", + "ENG": "the feeling of being confused or worried by something you cannot understand" + }, + "predicament": { + "CHS": "困境", + "ENG": "a difficult or unpleasant situation in which you do not know what to do, or in which you have to make a difficult choice" + }, + "expansion": { + "CHS": "扩充, 开展, 膨胀, 扩张物, 辽阔, 浩瀚", + "ENG": "when a company, business etc becomes larger by opening new shops, factories etc" + }, + "magnification": { + "CHS": "扩大, 放大倍率", + "ENG": "the process of making something look bigger than it is" + }, + "diffusion": { + "CHS": "扩散, 传播, 漫射" + }, + "junk": { + "CHS": "垃圾, 舢板" + }, + "litter": { + "CHS": "垃圾,(供动物睡眠或防冻用的)干草、树叶, (一)窝, 轿, 担架", + "ENG": "waste paper, cans etc that people have thrown away and left on the ground in a public place" + }, + "fanfare": { + "CHS": "喇叭或号角嘹亮的吹奏声, 吹牛", + "ENG": "A fanfare is a short, loud tune played on trumpets or other similar instruments to announce a special event" + }, + "rifle": { + "CHS": "来复枪, 步枪, 来复线, 膛线", + "ENG": "a long gun which you hold up to your shoulder to shoot" + }, + "sapphire": { + "CHS": "兰宝石", + "ENG": "a transparent bright blue jewel" + }, + "barrage": { + "CHS": "拦河坝, 堰, 阻塞, (敌军前进的)弹幕射击", + "ENG": "A barrage is a structure that is built across a river to control the level of the water" + }, + "banister": { + "CHS": "栏杆的支柱, 楼梯的扶栏", + "ENG": "a row of wooden posts with a bar along the top, that stops you from falling over the edge of stairs" + }, + "acedia": { + "CHS": "懒惰, 绝望" + }, + "layabout": { + "CHS": "懒惰者" + }, + "slattern": { + "CHS": "懒妇, 妓女", + "ENG": "a slovenly woman or girl; slut " + }, + "slacker": { + "CHS": "懒鬼", + "ENG": "someone who is lazy and does not do all the work they should – used to show disapproval" + }, + "loon": { + "CHS": "懒人, 笨蛋, [动物]潜鸟", + "ENG": "a large North American bird that eats fish and that makes a long high sound" + }, + "sloven": { + "CHS": "懒散的人, 散漫的人" + }, + "abuse": { + "CHS": "滥用, 虐待, 辱骂, 陋习, 弊端", + "ENG": "cruel or violent treatment of someone" + }, + "recital": { + "CHS": "朗诵, 背诵, 叙述, 独奏会, 独唱会" + }, + "labour": { + "CHS": "劳动, 劳力, 劳工, 努力, 分娩, 工作", + "ENG": "work, especially physical work" + }, + "fastness": { + "CHS": "牢固, 固定(性), 不褪色(性), 放荡, 僻静的处所, 抗(毒)性, 要塞, 巩固", + "ENG": "A fastness is a place, such as a castle, which is considered safe because it is difficult to reach or easy to defend against attack" + }, + "clench": { + "CHS": "牢牢抓住, 钉紧, 敲弯的钉头" + }, + "nag": { + "CHS": "老马, 驽马, 劣等竞赛马, (作坐骑的)矮小马, 唠叨", + "ENG": "a horse, especially one that is old or in bad condition" + }, + "gerontology": { + "CHS": "老人医学", + "ENG": "the scientific study of old age and its effects on the body" + }, + "rat": { + "CHS": "老鼠", + "ENG": "an animal that looks like a large mouse with a long tail" + }, + "dotage": { + "CHS": "老朽, 老迷糊, 溺爱" + }, + "podium": { + "CHS": "乐队指挥台, 墩座墙", + "ENG": "a small raised area for a performer, speaker, or musical conductor to stand on" + }, + "optimism": { + "CHS": "乐观, 乐观主义", + "ENG": "a tendency to believe that good things will always happen" + }, + "strangulation": { + "CHS": "勒杀, 压缩, 箝制" + }, + "exaction": { + "CHS": "勒索, 苛求" + }, + "blackmail": { + "CHS": "勒索, 勒索所得之款", + "ENG": "when someone tries to get money from you or make you do what they want by threatening to tell other people your secrets" + }, + "extortion": { + "CHS": "勒索, 敲诈, 强取, 被勒索的财物", + "ENG": "Extortion is the crime of obtaining something from someone, especially money, by using force or threats" + }, + "rampart": { + "CHS": "垒, 壁垒, 城墙", + "ENG": "a wide pile of earth or a stone wall built to protect a castle or city in the past" + }, + "rib": { + "CHS": "肋骨", + "ENG": "one of the 12 pairs of curved bones that surround your chest" + }, + "anthropoid": { + "CHS": "类人猿", + "ENG": "any primate of the suborder Anthropoidea, including monkeys, apes, and man " + }, + "analogy": { + "CHS": "类似, 类推", + "ENG": "something that seems similar between two situations, processes etc" + }, + "resemblance": { + "CHS": "类同之处", + "ENG": "If there is a resemblance between two people or things, they are similar to each other" + }, + "genre": { + "CHS": "类型, 流派", + "ENG": "a particular type of art, writing, music etc, which has certain features that all examples of this type share" + }, + "recidivism": { + "CHS": "累犯" + }, + "nonchalance": { + "CHS": "冷淡" + }, + "sangfroid": { + "CHS": "冷静, 泰然, 镇静或沉着" + }, + "apparition": { + "CHS": "离奇出现的东西, (尤指)鬼怪, 幽灵, 幻影", + "ENG": "something that you imagine you can see, especially the spirit of a dead person" + }, + "digression": { + "CHS": "离题, 脱轨, 扯到枝节上" + }, + "furrow": { + "CHS": "犁沟, 皱纹", + "ENG": "a deep line or fold in the skin of someone’s face, especially on the forehead" + }, + "aurora": { + "CHS": "黎明的女神, 极光", + "ENG": "an atmospheric phenomenon consisting of bands, curtains, or streamers of light, usually green, red, or yellow, that move across the sky in polar regions" + }, + "hurdle": { + "CHS": "篱笆, 栏, 障碍, 跨栏, 活动篱笆", + "ENG": "a problem or difficulty that you must deal with before you can achieve something" + }, + "cult": { + "CHS": "礼拜, 祭仪, 一群信徒, 礼拜式", + "ENG": "a group of people who are very interested in a particular thing" + }, + "etiquette": { + "CHS": "礼节", + "ENG": "the formal rules for polite behaviour in society or in a particular group" + }, + "decorum": { + "CHS": "礼貌", + "ENG": "behaviour that shows respect and is correct for a particular situation, especially a formal occasion" + }, + "civility": { + "CHS": "礼貌, 端庄", + "ENG": "polite behaviour which most people consider normal" + }, + "apprehension": { + "CHS": "理解, 忧惧, 拘捕", + "ENG": "the act of apprehending a criminal" + }, + "perception": { + "CHS": "理解感知,感觉DPS公司出的数字影像压缩卡", + "ENG": "Your perception of something is the way that you think about it or the impression you have of it" + }, + "minnow": { + "CHS": "鲤科小鱼", + "ENG": "A minnow is a very small fish that lives in lakes and rivers" + }, + "potency": { + "CHS": "力量", + "ENG": "the power that something has to influence people" + }, + "cogency": { + "CHS": "力量, 中肯, 肯切" + }, + "assize": { + "CHS": "立法会议, 法令" + }, + "legislature": { + "CHS": "立法机关, 立法机构", + "ENG": "an institution that has the power to make or change laws" + }, + "foothold": { + "CHS": "立足处", + "ENG": "a position from which you can start to make progress and achieve your aims" + }, + "altruism": { + "CHS": "利他主义, 利他", + "ENG": "when you care about or help other people, even though this brings no advantage to yourself" + }, + "asphalt": { + "CHS": "沥青", + "ENG": "a black sticky substance that becomes hard when it dries, used for making the surface of roads" + }, + "maroon": { + "CHS": "栗色", + "ENG": "a dark brownish red colour" + }, + "flail": { + "CHS": "连枷", + "ENG": "a tool consisting of a stick that swings from a long handle, used in the past to separate grain from wheat by beating it" + }, + "nexus": { + "CHS": "连结, 关系", + "ENG": "a connection or network of connections between a number of people, things, or ideas" + }, + "hyphen": { + "CHS": "连字号", + "ENG": "a short written or printed line (-) that joins words or syllables " + }, + "vinculum": { + "CHS": "联结" + }, + "liaison": { + "CHS": "联络, (语音)连音", + "ENG": "the regular exchange of information between groups of people, especially at work, so that each group knows what the other is doing" + }, + "affiliation": { + "CHS": "联系, 从属关系", + "ENG": "the connection or involvement that someone or something has with a political, religious etc organization" + }, + "alchemy": { + "CHS": "炼金术, 魔力", + "ENG": "a science studied in the Middle Ages, that involved trying to change ordinary metals into gold" + }, + "elixir": { + "CHS": "炼金药, 不老长寿药, 万能药, [药]西也剂", + "ENG": "a magical liquid that is supposed to cure people of illness, make them younger etc" + }, + "compunction": { + "CHS": "良心的谴责, 后悔, 悔恨", + "ENG": "a feeling that you should not do something because it is bad or wrong" + }, + "bower": { + "CHS": "凉亭" + }, + "girder": { + "CHS": "梁, 钢桁的支架", + "ENG": "a strong beam, made of iron or steel, that supports a floor, roof, or bridge" + }, + "beam": { + "CHS": "梁, 桁条, (光线的)束, 柱, 电波, 横梁", + "ENG": "a long heavy piece of wood or metal used in building houses, bridges etc" + }, + "provender": { + "CHS": "粮草, 秣, [口]食物" + }, + "interlude": { + "CHS": "两段时期中间之时间, 间隔的时间, 戏剧或歌剧两幕间, 圣诗等两段之间之间歇", + "ENG": "a period of time between two events or situations, during which something different happens" + }, + "dichotomy": { + "CHS": "两分, 二分法, 分裂" + }, + "spangle": { + "CHS": "亮晶晶的小东西" + }, + "quantum": { + "CHS": "量, 额, [物] 量子, 量子论美国昆腾公司,是世界领先的硬盘生产商", + "ENG": "a unit of energy in nuclear physics" + }, + "sanatorium": { + "CHS": "疗养院, 休养地", + "ENG": "a type of hospital for sick people who are getting better after a long illness but still need rest and a lot of care" + }, + "scribble": { + "CHS": "潦草的写法, 潦草写成的东西, 杂文", + "ENG": "untidy writing that is difficult to read" + }, + "dunce": { + "CHS": "劣学生, 傻瓜", + "ENG": "If you say that someone is a dunce, you think they are stupid because they find it difficult or impossible to learn what someone is trying to teach them" + }, + "martyr": { + "CHS": "烈士, 殉教者", + "ENG": "someone who dies for their religious or political beliefs and is admired by people for this" + }, + "decoy": { + "CHS": "猎鸟时以引诱别的鸟(特别是野鸭)集于一地的真鸟或假鸟, 圈套, 诱骗", + "ENG": "a model of a bird used to attract wild birds so that you can watch them or shoot them" + }, + "hound": { + "CHS": "猎犬", + "ENG": "a dog that is fast and has a good sense of smell, used for hunting" + }, + "fissure": { + "CHS": "裂缝, 裂沟, (思想, 观点等的)分歧", + "ENG": "a deep crack, especially in rock or earth" + }, + "rift": { + "CHS": "裂缝, 裂口, 断裂, 长狭谷, 不和", + "ENG": "a crack or narrow opening in a large mass of rock, cloud etc" + }, + "hiatus": { + "CHS": "裂缝, 脱落" + }, + "cleft": { + "CHS": "裂缝, 隙口", + "ENG": "a natural crack in something, especially the surface of rocks or the Earth" + }, + "chink": { + "CHS": "裂口, 裂缝, 叮当声", + "ENG": "a small hole in a wall, or between two things that join together, that lets light or air through" + }, + "splinter": { + "CHS": "裂片, 尖片, 小事, 碎片", + "ENG": "a small sharp piece of wood, glass, or metal, that has broken off a larger piece" + }, + "vicinity": { + "CHS": "邻近, 附近, 接近", + "ENG": "in the area around a particular place" + }, + "glade": { + "CHS": "林间空地, 一片表面有草的沼泽低地", + "ENG": "a small open space in a wood or forest" + }, + "tabernacle": { + "CHS": "临时房屋, 帐篷, 身体, 壁龛, 礼拜堂, 神龛", + "ENG": "a church or other building used by some Christian groups as a place of worship " + }, + "phosphorus": { + "CHS": "磷", + "ENG": "Phosphorus is a poisonous yellowish-white chemical element. It glows slightly, and burns when air touches it. " + }, + "bulb": { + "CHS": "鳞茎, 球形物", + "ENG": "a root shaped like a ball that grows into a flower or plant" + }, + "skinflint": { + "CHS": "吝啬鬼", + "ENG": "someone who hates spending money or giving it away – used to show disapproval" + }, + "inspiration": { + "CHS": "灵感", + "ENG": "a good idea about what you should do, write, say etc, especially one which you get suddenly" + }, + "dexterity": { + "CHS": "灵巧, 机敏", + "ENG": "skill and speed in doing something with your hands" + }, + "clapper": { + "CHS": "铃舌", + "ENG": "the metal part inside a bell that hits it to make it ring" + }, + "naught": { + "CHS": "零" + }, + "retail": { + "CHS": "零售", + "ENG": "the sale of goods in shops to customers, for their own use and not for selling to anyone else" + }, + "retailer": { + "CHS": "零售商人, 传播的人", + "ENG": "A retailer is a person or business that sells goods to the public" + }, + "trumpery": { + "CHS": "零星杂物,中看不中用的东西没有价值的东西" + }, + "pilotage": { + "CHS": "领港", + "ENG": "the act of piloting an aircraft or ship " + }, + "cravat": { + "CHS": "领结, 领巾, 围巾, 三角绷带", + "ENG": "a wide piece of loosely folded material that men wear around their necks" + }, + "domain": { + "CHS": "领土, 领地, (活动、学问等的)范围, 领域", + "ENG": "an area of activity, interest, or knowledge, especially one that a particular person, organization etc deals with" + }, + "ream": { + "CHS": "令, 大量的纸", + "ENG": "a large amount of writing on paper" + }, + "bore": { + "CHS": "令人讨厌的人, 怒潮, 枪膛, 孔", + "ENG": "something that is not interesting to you or that annoys you" + }, + "lien": { + "CHS": "留置权, 抵押品所产生的利息", + "ENG": "the legal right to keep something that belongs to someone who owes you money, until the debt has been paid" + }, + "volubility": { + "CHS": "流利" + }, + "scamp": { + "CHS": "流氓" + }, + "knave": { + "CHS": "流氓" + }, + "ruffian": { + "CHS": "流氓, 恶棍, 无赖", + "ENG": "a violent man, involved in crime" + }, + "skyrocket": { + "CHS": "流星焰火" + }, + "willow": { + "CHS": "柳树, 柳木制品", + "ENG": "a type of tree that has long thin branches and grows near water, or the wood from this tree" + }, + "sextant": { + "CHS": "六分仪, <罕>圆的六分之一", + "ENG": "a tool for measuring angles between stars in order to calculate the position of a ship or aircraft" + }, + "hexagon": { + "CHS": "六角形, 六边形", + "ENG": "a shape with six sides" + }, + "faucet": { + "CHS": "龙头, 旋塞, (连接管子的)插口", + "ENG": "the thing that you turn on and off to control the flow of water from a pipe" + }, + "lobster": { + "CHS": "龙虾", + "ENG": "a sea animal with eight legs, a shell, and two large claws" + }, + "protuberance": { + "CHS": "隆起, 突出, 结节, 瘤", + "ENG": "something that sticks out" + }, + "monopoly": { + "CHS": "垄断, 垄断者, 专利权, 专利事业", + "ENG": "if a company or government has a monopoly of a business or political activity, it has complete control of it so that other organizations cannot compete with it" + }, + "leakage": { + "CHS": "漏, 泄漏, 渗漏", + "ENG": "when gas, water etc leaks in or out, or the amount of it that has leaked" + }, + "temerity": { + "CHS": "卤莽, 蛮勇" + }, + "forwardness": { + "CHS": "卤莽, 早熟, 热心" + }, + "antler": { + "CHS": "鹿角, 茸角", + "ENG": "one of the two horns of a male deer " + }, + "curb": { + "CHS": "路边", + "ENG": "the raised edge of a road, between where people can walk and cars can drive" + }, + "itinerary": { + "CHS": "路线" + }, + "bivouac": { + "CHS": "露营, 野营, 露营地", + "ENG": "a temporary camp built outside without any tents" + }, + "strum": { + "CHS": "乱弹的声音" + }, + "scarification": { + "CHS": "乱割, 乱刺, 松土" + }, + "rampage": { + "CHS": "乱闹, 暴跳" + }, + "tousle": { + "CHS": "乱七八糟的一团, 糟乱" + }, + "depredation": { + "CHS": "掠夺, 破坏痕迹", + "ENG": "an act of taking or destroying something" + }, + "filibuster": { + "CHS": "掠夺兵, 暴兵, 海盗" + }, + "predator": { + "CHS": "掠夺者, 食肉动物", + "ENG": "an animal that kills and eats other animals" + }, + "spoke": { + "CHS": "轮辐, 扶梯棍, 刹车", + "ENG": "one of the thin metal bars which connect the outer ring of a wheel to the centre, especially on a bicycle" + }, + "axle": { + "CHS": "轮轴, 车轴", + "ENG": "the bar connecting two wheels on a car or other vehicle" + }, + "tractate": { + "CHS": "论文, 短文", + "ENG": "a short tract; treatise " + }, + "treatise": { + "CHS": "论文, 论述", + "ENG": "a serious book or article about a particular subject" + }, + "controversy": { + "CHS": "论争, 辩论, 论战", + "ENG": "a serious argument about something that involves many people and continues for a long time" + }, + "screwdriver": { + "CHS": "螺丝起子", + "ENG": "a tool with a narrow blade at one end that you use for turning screws" + }, + "auger": { + "CHS": "螺丝钻", + "ENG": "a tool used for making a hole in wood or in the ground" + }, + "nudity": { + "CHS": "裸体, 赤裸", + "ENG": "the state of not wearing any clothes" + }, + "larch": { + "CHS": "落叶松属植物, 其木材", + "ENG": "a tree that looks like a pine tree but drops its leaves in winter" + }, + "safari": { + "CHS": "旅行, 狩猎远征, 旅行队, 旅行队(狩猎远征队)及装备", + "ENG": "a trip to see or hunt wild animals, especially in Africa" + }, + "travelogue": { + "CHS": "旅行见闻讲演", + "ENG": "a film or piece of writing that describes travel in a particular country, or a particular person’s travels" + }, + "wanderlust": { + "CHS": "旅行癖, 流浪癖", + "ENG": "a strong desire to travel to different places" + }, + "percolate": { + "CHS": "滤过之液体, 滤液" + }, + "colander": { + "CHS": "滤器, 漏锅", + "ENG": "a metal or plastic bowl with a lot of small holes in the bottom and sides, used to separate liquid from food" + }, + "smattering": { + "CHS": "略知,少数", + "ENG": "a small number or amount of something" + }, + "anesthetic": { + "CHS": "麻醉剂, 麻药" + }, + "narcotic": { + "CHS": "麻醉药, 致幻毒品, 镇静剂", + "ENG": "strong illegal drugs such as heroin or cocaine" + }, + "groom": { + "CHS": "马夫, 新郎, 男仆", + "ENG": "a bridegroom " + }, + "neigh": { + "CHS": "马嘶声", + "ENG": "Neigh is also a noun" + }, + "pier": { + "CHS": "码头, (桥)墩", + "ENG": "a structure that is built over and into the water so that boats can stop next to it or people can walk along it" + }, + "ambush": { + "CHS": "埋伏, 伏兵", + "ENG": "a sudden attack on someone by people who have been hiding and waiting for them, or the place where this happens" + }, + "quisling": { + "CHS": "卖国贼", + "ENG": "someone who helps an enemy country that has taken control of their own country" + }, + "ostentation": { + "CHS": "卖弄, 夸耀, 摆阔, 风头主义", + "ENG": "when you deliberately try to show people how rich or clever you are, in order to make them admire you" + }, + "splurge": { + "CHS": "卖弄, 炫耀, 夸示" + }, + "coquette": { + "CHS": "卖弄风情之女子", + "ENG": "a woman who frequently tries to attract the attention of men without having sincere feelings for them" + }, + "vendor": { + "CHS": "卖主", + "ENG": "someone who is selling something" + }, + "expiration": { + "CHS": "满期, 呼出, 呼气, <古>终止", + "ENG": "the ending of a fixed period of time" + }, + "gratification": { + "CHS": "满意" + }, + "complacency": { + "CHS": "满足, 安心", + "ENG": "Complacency is being complacent about a situation" + }, + "insouciance": { + "CHS": "漫不经心, 无忧无虑", + "ENG": "a cheerful feeling of not caring or worrying about anything" + }, + "meander": { + "CHS": "漫步, 弯曲, 曲流" + }, + "stroll": { + "CHS": "漫步, 闲逛, 四处流浪" + }, + "lounger": { + "CHS": "漫步的人, 懒人" + }, + "obloquy": { + "CHS": "漫骂, 毁谤" + }, + "fuss": { + "CHS": "忙乱, 大惊小怪, 大惊小怪的人", + "ENG": "anxious behaviour or activity that is usually about unimportant things" + }, + "chauvinism": { + "CHS": "盲目的爱国心, 沙文主义", + "ENG": "a strong belief that your country or race is better or more important than any other" + }, + "bigot": { + "CHS": "盲目信仰者, 顽固者" + }, + "caterpillar": { + "CHS": "毛虫", + "ENG": "a small creature like a worm with many legs that eats leaves and that develops into a butterfly or other flying insect" + }, + "spear": { + "CHS": "矛, 枪", + "ENG": "a pole with a sharp pointed blade at one end, used as a weapon in the past" + }, + "rivet": { + "CHS": "铆钉", + "ENG": "a metal pin used to fasten pieces of metal together" + }, + "riveting": { + "CHS": "铆接(法)" + }, + "impostor": { + "CHS": "冒名顶替者", + "ENG": "someone who pretends to be someone else in order to trick people" + }, + "hazard": { + "CHS": "冒险, 危险, 冒险的事", + "ENG": "something that may be dangerous, or cause accidents or problems" + }, + "maverick": { + "CHS": "没打烙印的动物" + }, + "mordant": { + "CHS": "媒染, 媒染剂, 金属腐蚀剂, 金属箔粘着剂" + }, + "medium": { + "CHS": "媒体, 方法, 媒介", + "ENG": "a way of communicating information and news to people, such as newspapers, television etc" + }, + "soot": { + "CHS": "煤烟, 烟灰", + "ENG": "black powder that is produced when something is burned" + }, + "cinder": { + "CHS": "煤渣, 灰烬", + "ENG": "a very small piece of burnt wood, coal etc" + }, + "mildew": { + "CHS": "霉, 霉菌, (植物的)霉病", + "ENG": "a white or grey substance that grows on walls or other surfaces in wet, slightly warm conditions" + }, + "pulchritude": { + "CHS": "美丽, 标致", + "ENG": "physical beauty " + }, + "gastronomy": { + "CHS": "美食法, 烹饪法, 享乐主义", + "ENG": "the art and science of cooking and eating good food" + }, + "epicure": { + "CHS": "美食家, 老饕, <古>享乐主义者", + "ENG": "someone who enjoys good food and drink" + }, + "gourmand": { + "CHS": "美食者" + }, + "aesthetics": { + "CHS": "美学, 美术理论, 审美学, 美的哲学", + "ENG": "Aesthetics is a branch of philosophy concerned with the study of the idea of beauty" + }, + "methodism": { + "CHS": "美以美教派教会, 教义和礼拜的方式" + }, + "jaguar": { + "CHS": "美洲虎[军] (“美洲虎”) 英、法合作研制的超音速攻击机", + "ENG": "a large South American wild cat with brown and yellow fur with black spots" + }, + "ogle": { + "CHS": "媚眼, 送秋波, 眉目传情" + }, + "grating": { + "CHS": "门窗的栅栏, [物理]光栅, 摩擦, 摩擦声", + "ENG": "a metal frame with bars across it, used to cover a window or hole" + }, + "lodge": { + "CHS": "门房, (猎人住的)山林小屋, (游览区的)旅馆, (地方社团的)集会处", + "ENG": "a small house on the land of a large country house, usually at the main entrance gate" + }, + "knocker": { + "CHS": "门环", + "ENG": "a piece of metal on an outside door of a house that you hit against the door to attract the attention of the people inside" + }, + "bolt": { + "CHS": "门闩, 螺钉, 闪电, 跑掉", + "ENG": "a screw with a flat head and no point, for fastening things together" + }, + "incisor": { + "CHS": "门牙", + "ENG": "one of the eight flat teeth at the front of your mouth" + }, + "hitch": { + "CHS": "猛拉, 急推, 蹒跚, 故障", + "ENG": "a small problem that makes something difficult or delays it for a short time" + }, + "incubus": { + "CHS": "梦魇, 沉重的负担", + "ENG": "someone or something that causes a lot of worries or problems" + }, + "nightmare": { + "CHS": "梦魇, 恶梦, 可怕的事物", + "ENG": "a very frightening dream" + }, + "captivation": { + "CHS": "迷惑, 魅力, 着迷" + }, + "enchantment": { + "CHS": "迷惑, 着迷, 魔法, 妖术, 魅力", + "ENG": "the quality of being very pleasant or attractive" + }, + "labyrinth": { + "CHS": "迷路, 迷宫, 难解的事物", + "ENG": "a large network of paths or passages which cross each other, making it very difficult to find your way" + }, + "superstition": { + "CHS": "迷信", + "ENG": "a belief that some objects or actions are lucky or unlucky, or that they cause events to happen, based on old ideas of magic" + }, + "obsession": { + "CHS": "迷住, 困扰", + "ENG": "If you say that someone has an obsession with a person or thing, you think they are spending too much time thinking about them" + }, + "enigma": { + "CHS": "谜, 不可思议的东西", + "ENG": "If you describe something or someone as an enigma, you mean they are mysterious or difficult to understand" + }, + "minuet": { + "CHS": "米奴哀小步舞, 米奴哀小步舞曲", + "ENG": "a slow dance of the 17th and 18th centuries, or a piece of music for this dance" + }, + "nostrum": { + "CHS": "秘方", + "ENG": "You can refer to ideas or theories about how something should be done as nostrums, especially when you think they are old-fashioned or wrong in some way" + }, + "informer": { + "CHS": "密告者, 控告的人, 通知的人", + "ENG": "someone who secretly tells the police, the army etc about criminal activities, especially for money" + }, + "pod": { + "CHS": "密集小群, 扁豆层, 豆荚, 蚕茧", + "ENG": "a long narrow seed container that grows on various plants, especially pea s and beans" + }, + "cryptogram": { + "CHS": "密码" + }, + "cipher": { + "CHS": "密码", + "ENG": "a system of secret writing" + }, + "affinity": { + "CHS": "密切关系, 吸引力, 姻亲关系, 亲合力", + "ENG": "a close relationship between two things because of qualities or features that they share" + }, + "penetralia": { + "CHS": "密室, 密事" + }, + "remission": { + "CHS": "免除", + "ENG": "when you allow someone to keep the money they owe you" + }, + "immunity": { + "CHS": "免疫性", + "ENG": "the state of being immune to a disease" + }, + "absolution": { + "CHS": "免罪, 赦免", + "ENG": "when someone is formally forgiven by the Christian Church or a priest for the things they have done wrong" + }, + "panel": { + "CHS": "面板, 嵌板, 仪表板, 座谈小组, 全体陪审员", + "ENG": "a board in a car, plane, boat etc that has the controls on it" + }, + "grimace": { + "CHS": "面部的歪扭, 痛苦的表情, 鬼脸", + "ENG": "an expression you make by twisting your face because you do not like something or because you are feeling pain" + }, + "lineament": { + "CHS": "面部轮廓", + "ENG": "a feature of your face" + }, + "confrontation": { + "CHS": "面对, 面对面, 对质" + }, + "pastry": { + "CHS": "面粉糕饼, 馅饼皮" + }, + "mask": { + "CHS": "面具, 掩饰, 石膏面像", + "ENG": "something that covers all or part of your face, to protect or to hide it" + }, + "countenance": { + "CHS": "面容, 脸色, 支持", + "ENG": "your face or your expression" + }, + "complexion": { + "CHS": "面色, 肤色, 情况, 局面", + "ENG": "the natural colour or appearance of the skin on your face" + }, + "characterization": { + "CHS": "描述, 人物之创造", + "ENG": "the way in which the character of a real person or thing is described" + }, + "ballad": { + "CHS": "民歌, 歌谣, 叙事歌, 流行歌曲, 情歌", + "ENG": "a slow love song" + }, + "folklore": { + "CHS": "民间传说", + "ENG": "the traditional stories, customs etc of a particular area or country" + }, + "pollster": { + "CHS": "民意测验专家, 整理民意测验结果的人", + "ENG": "someone who works for a company that prepares and asks questions to find out what people think about a particular subject" + }, + "ethnography": { + "CHS": "民族志学, 人种学, 人种志", + "ENG": "the scientific description of different races of people" + }, + "promptness": { + "CHS": "敏捷, 机敏" + }, + "celerity": { + "CHS": "敏捷, 快速", + "ENG": "rapidity; swiftness; speed " + }, + "acumen": { + "CHS": "敏锐, 聪明", + "ENG": "the ability to think quickly and make good judgments" + }, + "appellation": { + "CHS": "名称, 称呼", + "ENG": "a name or title" + }, + "renown": { + "CHS": "名声, 传闻, 谣传", + "ENG": "when you are famous and a lot of people admire you for a special skill, achievement, or quality" + }, + "celebrity": { + "CHS": "名声, 名人", + "ENG": "a famous living person" + }, + "kudos": { + "CHS": "名望, 荣誉, 声誉", + "ENG": "the state of being admired and respected for being important or for doing something important" + }, + "reputation": { + "CHS": "名誉, 名声", + "ENG": "the opinion that people have about someone or something because of what has happened in the past" + }, + "campanology": { + "CHS": "鸣钟术, 铸钟术", + "ENG": "the skill of ringing bells, and the study of bells" + }, + "prescript": { + "CHS": "命令", + "ENG": "an official order or rule" + }, + "fiat": { + "CHS": "命令, 法令, 许可, 批准", + "ENG": "an official order given by someone in a position of authority, without considering what other people want" + }, + "imperative": { + "CHS": "命令, 诫命, 需要, 规则, 祈使语气", + "ENG": "the form of a verb that expresses an order. For example, in the order ‘Come here’, ‘come’ is in the imperative." + }, + "injunction": { + "CHS": "命令, 指令, [律]禁令(法院强制被告从事或不得从事某项行为的正式命令)", + "ENG": "an order given by a court, which tells someone not to do something" + }, + "denomination": { + "CHS": "命名" + }, + "nomenclature": { + "CHS": "命名法, 术语", + "ENG": "a system of naming things, especially in science" + }, + "fatality": { + "CHS": "命运决定的事物, 不幸, 灾祸, 天命", + "ENG": "the feeling that you cannot control what happens to you" + }, + "fallacy": { + "CHS": "谬误, 谬论", + "ENG": "a false idea or belief, especially one that a lot of people believe is true" + }, + "facsimile": { + "CHS": "摹写, 传真", + "ENG": "an exact copy of a picture, piece of writing etc" + }, + "stencil": { + "CHS": "模版, 蜡纸", + "ENG": "a piece of plastic, metal, or paper in which designs or letters have been cut out, that you put over a surface and paint over, so that the design is left on the surface" + }, + "paragon": { + "CHS": "模范", + "ENG": "someone who is perfect or is extremely brave, good etc – often used humorously" + }, + "mimicry": { + "CHS": "模仿", + "ENG": "Mimicry is the action of mimicking someone or something" + }, + "parody": { + "CHS": "模仿滑稽作品, 拙劣的模仿", + "ENG": "a piece of writing, music etc or an action that copies someone or something in an amusing way" + }, + "mold": { + "CHS": "模子, 铸型" + }, + "membrane": { + "CHS": "膜, 隔膜", + "ENG": "a very thin piece of skin that covers or connects parts of your body" + }, + "attrition": { + "CHS": "磨擦, 磨损" + }, + "miller": { + "CHS": "磨坊主, 面粉厂主, 碾磨工, 铣工, [昆]蛾", + "ENG": "someone who owns or works in a mill which makes flour" + }, + "polish": { + "CHS": "磨光, 光泽, 上光剂, 优雅, 精良", + "ENG": "an act of polishing a surface to make it smooth and shiny" + }, + "abrasion": { + "CHS": "磨损", + "ENG": "the process of rubbing a surface very hard so that it becomes damaged or disappears" + }, + "fiend": { + "CHS": "魔鬼, 魔王, 撒旦, 邪神, 能手, 成癖者", + "ENG": "an evil spirit" + }, + "fascination": { + "CHS": "魔力, 入迷, 魅力, 迷恋, 强烈爱好", + "ENG": "the state of being very interested in something, so that you want to look at it, learn about it etc" + }, + "conjurer": { + "CHS": "魔术师", + "ENG": "someone who entertains people by performing clever tricks in which things seem to appear, disappear, or change by magic" + }, + "extremity": { + "CHS": "末端, 极端, 极度, 穷困, 绝境, 临死, 非常手段, 手足", + "ENG": "one of the parts of your body that is furthest away from the centre, for example your fingers and toes" + }, + "default": { + "CHS": "默认(值), 缺省(值), 食言, 不履行责任, [律]缺席", + "ENG": "Default is also a noun" + }, + "mare": { + "CHS": "母马, 母驴, 月球或火星等表面阴暗区", + "ENG": "a female horse or donkey " + }, + "cow": { + "CHS": "母牛, 大型母兽", + "ENG": "a large female animal that is kept on farms and used to produce milk or meat" + }, + "timber": { + "CHS": "木材, 木料", + "ENG": "wood used for building or making things" + }, + "palisade": { + "CHS": "木栅", + "ENG": "a strong fence made of pointed posts" + }, + "beholder": { + "CHS": "目睹者, 旁观者", + "ENG": "The beholder of something is the person who is looking at it" + }, + "list": { + "CHS": "目录, 名单, 列表, 序列, 数据清单, 明细表, 条纹, [总称]各种上市证券", + "ENG": "a set of names, numbers etc, usually written one below the other, for example so that you can remember or check them" + }, + "eclogue": { + "CHS": "牧歌, 田园诗", + "ENG": "a pastoral or idyllic poem, usually in the form of a conversation or soliloquy " + }, + "pastoral": { + "CHS": "牧歌, 田园文学, 田园诗" + }, + "pastor": { + "CHS": "牧师", + "ENG": "a Christian priest in some Protestant churches" + }, + "herdsman": { + "CHS": "牧者, 牧人", + "ENG": "a man who looks after a herd of animals" + }, + "cemetery": { + "CHS": "墓地, 公墓", + "ENG": "a piece of land, usually not belonging to a church, in which dead people are buried" + }, + "epitaph": { + "CHS": "墓志铭, 碑文", + "ENG": "a short piece of writing on the stone over someone’s grave(= place in the ground where someone is buried )" + }, + "teat": { + "CHS": "奶头", + "ENG": "the rubber part on a baby’s bottle that the baby sucks milk from" + }, + "baron": { + "CHS": "男爵(英国世袭的最低级的贵族爵位)", + "ENG": "a man who is a member of a low rank of the British nobility or of a rank of European nobility " + }, + "feminist": { + "CHS": "男女平等主义者, 女权扩张论者", + "ENG": "someone who supports the idea that women should have the same rights and opportunities as men" + }, + "tuxedo": { + "CHS": "男士无尾半正式晚礼服", + "ENG": "a man’s jacket that is usually black, worn on formal occasions" + }, + "toupee": { + "CHS": "男子假发", + "ENG": "A toupee is a piece of artificial hair worn by a man to cover a patch on his head where he has lost his hair" + }, + "virility": { + "CHS": "男子气, 生殖力,男子特点,刚强有力", + "ENG": "the typically male quality of being strong, brave, and full of energy – used to show approval" + }, + "squash": { + "CHS": "南瓜, 易压烂的物品, 拥挤的人群, 壁球", + "ENG": "a game played by two people who use rackets to hit a small rubber ball against the walls of a square court" + }, + "puzzle": { + "CHS": "难题, 谜", + "ENG": "something that is difficult to understand or explain" + }, + "exasperation": { + "CHS": "恼怒", + "ENG": "when you feel annoyed because someone continues to do something that is upsetting you" + }, + "vexation": { + "CHS": "恼怒, 烦恼, 着急, 苦恼的原因", + "ENG": "when you feel worried or annoyed by something" + }, + "encephalitis": { + "CHS": "脑炎", + "ENG": "swelling of the brain" + }, + "insider": { + "CHS": "内部的人, 会员, 知道内情的人, 权威人士", + "ENG": "someone who has a special knowledge of a particular organization because they are part of it" + }, + "hinterland": { + "CHS": "内地, 穷乡僻壤, 内地贸易区, 腹地", + "ENG": "an area of land that is far from the coast, large rivers, or the places where people live" + }, + "endocrine": { + "CHS": "内分泌" + }, + "prospectus": { + "CHS": "内容说明书, 样张" + }, + "introspection": { + "CHS": "内省, 反省, 自省", + "ENG": "the process of thinking deeply about your own thoughts, feelings, or behaviour" + }, + "entrails": { + "CHS": "内脏, 肠, (物体的)内部", + "ENG": "the inside parts of an animal’s or person’s body, especially their intestines" + }, + "burgeon": { + "CHS": "嫩芽" + }, + "twig": { + "CHS": "嫩枝, 小枝, 末梢", + "ENG": "a small very thin stem of wood that grows from a branch on a tree" + }, + "gourmet": { + "CHS": "能精选品评美食、美酒的人", + "ENG": "someone who knows a lot about food and wine and who enjoys good food and wine" + }, + "trowel": { + "CHS": "泥铲, 移植泥刀", + "ENG": "a garden tool like a very small spade " + }, + "mire": { + "CHS": "泥潭", + "ENG": "deep mud" + }, + "mason": { + "CHS": "泥瓦匠", + "ENG": "A mason is a person who is skilled at making things or building things with stone or bricks" + }, + "slough": { + "CHS": "泥沼, 蜕的皮, 腐肉", + "ENG": "an area of land covered in deep dirty water or mud" + }, + "anonymity": { + "CHS": "匿名, 作者不明(或不详)", + "ENG": "when other people do not know who you are or what your name is" + }, + "damsel": { + "CHS": "年轻女人, 闺女, 处女", + "ENG": "A damsel is a young, unmarried woman" + }, + "stripling": { + "CHS": "年轻人, 小伙子", + "ENG": "a boy who is almost a young man – sometimes used humorously about a man who is quite old" + }, + "ornithology": { + "CHS": "鸟类学, 鸟学论文", + "ENG": "the scientific study of birds" + }, + "plumage": { + "CHS": "鸟类羽毛, 翅膀", + "ENG": "A bird's plumage is all the feathers on its body" + }, + "urine": { + "CHS": "尿", + "ENG": "the yellow liquid waste that comes out of the body from the bladder" + }, + "pinch": { + "CHS": "捏, 撮, 收缩, 紧急关头, 匮乏, 压力", + "ENG": "when you press someone’s skin between your finger and thumb" + }, + "nirvana": { + "CHS": "涅盘, 天堂", + "ENG": "the final state of complete knowledge and understanding that is the aim of believers in Buddhism" + }, + "forceps": { + "CHS": "镊子, 钳子", + "ENG": "a medical instrument used for picking up and holding things" + }, + "concretion": { + "CHS": "凝固, 凝固物, 具体化, [地]固结(作用), [医]结石" + }, + "coagulant": { + "CHS": "凝结剂, 凝血剂", + "ENG": "a substance that aids or produces coagulation " + }, + "byre": { + "CHS": "牛栏", + "ENG": "a farm building in which cattle are kept" + }, + "gadfly": { + "CHS": "牛蝇, 形似苍蝇, 讨厌的人", + "ENG": "someone who annoys other people by criticizing them" + }, + "torque": { + "CHS": "扭矩, 转矩", + "ENG": "the force or power that makes something turn around a central point, especially in an engine" + }, + "contortion": { + "CHS": "扭弯, 扭歪, 歪曲", + "ENG": "when something is twisted so that it does not have its normal shape" + }, + "boor": { + "CHS": "农民, 粗野的人, 不懂礼貌的人, (Boor)波尔人", + "ENG": "a man who behaves in a very rude way" + }, + "churl": { + "CHS": "农业工人,乡下人,粗野的人, 吝啬鬼" + }, + "agronomist": { + "CHS": "农艺学家, 农学家", + "ENG": "An agronomist is someone who studies the growing and harvesting of crops" + }, + "falsification": { + "CHS": "弄虚作假, 串改, 伪造, 歪曲" + }, + "minion": { + "CHS": "奴才, 宠臣" + }, + "thrall": { + "CHS": "奴隶, 束缚, 奴役", + "ENG": "If you say that someone is in thrall to a person or thing, you mean that they are completely in their power or are greatly influenced by them" + }, + "slaver": { + "CHS": "奴隶贩子, 奴隶贩卖船, 诱骗女子为娼者, 唾液", + "ENG": "someone who sells slaves" + }, + "nisus": { + "CHS": "努力, 为达成目标的冲劲" + }, + "dastard": { + "CHS": "懦夫, 胆小的人", + "ENG": "a contemptible sneaking coward " + }, + "craven": { + "CHS": "懦夫, 胆小鬼, 怯懦者" + }, + "danseuse": { + "CHS": "女芭蕾舞演员", + "ENG": "a female ballet dancer " + }, + "chaperon": { + "CHS": "女伴" + }, + "seamstress": { + "CHS": "女裁缝师, 做针线工的", + "ENG": "a woman whose job is sewing and making clothes" + }, + "soprano": { + "CHS": "女高音", + "ENG": "a very high singing voice belonging to a woman or a boy, or a singer with a voice like this" + }, + "matriarchy": { + "CHS": "女家长制, 女族长制" + }, + "millinery": { + "CHS": "女帽类", + "ENG": "the making and selling of women’s hats" + }, + "boudoir": { + "CHS": "女人的会客室或化妆室, 闺房", + "ENG": "a woman’s bedroom or private sitting room" + }, + "sibyl": { + "CHS": "女巫, 女算命师, (古罗马或古希腊的)女预言家", + "ENG": "(in ancient Greece and Rome) any of a number of women believed to be oracles or prophetesses, one of the most famous being the sibyl of Cumae, who guided Aeneas through the underworld " + }, + "heiress": { + "CHS": "女性继承人", + "ENG": "a woman who will receive or has received a lot of money or property after the death of an older member of her family" + }, + "nunnery": { + "CHS": "女修道院, 尼姑庵", + "ENG": "a convent" + }, + "succubus": { + "CHS": "女妖, 妓女, 魔鬼", + "ENG": "a female devil that in the past was believed to have sex with a sleeping man" + }, + "occidental": { + "CHS": "欧美人, 西方人", + "ENG": "someone from the western part of the world" + }, + "puke": { + "CHS": "呕吐, 呕吐物, 吐剂", + "ENG": "food brought back up from your stomach through your mouth" + }, + "contingency": { + "CHS": "偶然, 可能性, 意外事故, 可能发生的附带事件", + "ENG": "an event or situation that might happen in the future, especially one that could cause problems" + }, + "idol": { + "CHS": "偶像, 崇拜物, 幻象, [逻]谬论", + "ENG": "someone or something that you love or admire very much" + }, + "idolater": { + "CHS": "偶像崇拜者, 崇拜者, 皈依者, 追星族" + }, + "iconoclast": { + "CHS": "偶像破坏者, 提倡打破旧习的人" + }, + "scramble": { + "CHS": "爬行, 攀缘, 抢夺, 混乱", + "ENG": "a difficult climb in which you have to use your hands to help you" + }, + "harrow": { + "CHS": "耙(地), 使精神痛苦", + "ENG": "a farming machine with sharp metal blades, used to break up the earth before planting crops" + }, + "sycophant": { + "CHS": "拍马屁的人, 谄媚者, 奉承者", + "ENG": "someone who praises powerful people too much because they want to get something from them – used in order to show disapproval" + }, + "auction": { + "CHS": "拍卖", + "ENG": "a public meeting where land, buildings, paintings etc are sold to the person who offers the most money for them" + }, + "ordination": { + "CHS": "排成等级, 分类, 任命, [宗]神职授任, 颁布法令", + "ENG": "When someone's ordination takes place, they are made a minister, priest, or rabbi" + }, + "preclude": { + "CHS": "排除" + }, + "exclusion": { + "CHS": "排除, 除外, 被排除在外的事物", + "ENG": "when someone is not allowed to take part in something or enter a place" + }, + "perspiration": { + "CHS": "排汗", + "ENG": "liquid that appears on your skin when you are hot or nervous" + }, + "drainage": { + "CHS": "排水, 排泄, 排水装置, 排水区域, 排出物, 消耗", + "ENG": "the process or system by which water or waste liquid flows away" + }, + "rehearsal": { + "CHS": "排演, 演习, 预演, 试演", + "ENG": "a time when all the people in a play, concert etc practise before a public performance" + }, + "faction": { + "CHS": "派别, 小集团, 派系斗争, 小派系, 内讧", + "ENG": "a small group of people within a larger group, who have different ideas from the other members, and who try to get their own ideas accepted" + }, + "discretion": { + "CHS": "判断力", + "ENG": "the ability and right to decide exactly what should be done in a particular situation" + }, + "treason": { + "CHS": "叛逆, 通敌, 背信, 叛国罪", + "ENG": "the crime of being disloyal to your country or its government, especially by helping its enemies or trying to remove the government using violence" + }, + "traitor": { + "CHS": "叛逆者, 叛国者", + "ENG": "someone who is not loyal to their country, friends, or beliefs" + }, + "mutineer": { + "CHS": "叛徒, 反抗者", + "ENG": "someone who is involved in a mutiny" + }, + "onlooker": { + "CHS": "旁观者", + "ENG": "someone who watches something happening without being involved in it" + }, + "bypass": { + "CHS": "旁路", + "ENG": "an operation to direct blood through new vein s (= blood tubes ) outside the heart because the veins in the heart are blocked or diseased" + }, + "jilt": { + "CHS": "抛弃情人的女子" + }, + "bubble": { + "CHS": "泡沫, 幻想的计划", + "ENG": "a ball of air or gas in liquid" + }, + "artillery": { + "CHS": "炮的总称, 炮兵的总称", + "ENG": "large guns, either on wheels or fixed in one place" + }, + "embryo": { + "CHS": "胚胎, 胎儿, 胚芽", + "ENG": "an animal or human that has not yet been born, and has just begun to develop" + }, + "incubator": { + "CHS": "培养的器具, 孵卵器, 早产儿保育器", + "ENG": "a heated container for keeping eggs warm until they hatch(= the young birds are born )" + }, + "redress": { + "CHS": "赔偿, 救济, 矫正", + "ENG": "money that someone pays you because they have caused you harm or damaged your property" + }, + "reparation": { + "CHS": "赔偿, 弥补, 恢复, 修理", + "ENG": "money paid by a defeated country after a war, for all the deaths, damage etc it has caused" + }, + "overdose": { + "CHS": "配药量过多", + "ENG": "too much of a drug taken at one time" + }, + "gusher": { + "CHS": "喷出物, 喷油井", + "ENG": "a place in the ground where oil or water comes out very forcefully, so that a pump is not needed" + }, + "spout": { + "CHS": "喷管, 喷口, 水柱, 喷流, 管口", + "ENG": "A spout is a long, hollow part of a container through which liquids can be poured out easily" + }, + "coup": { + "CHS": "砰然而有效的一击, 妙计, 出乎意料的行动, 政变", + "ENG": "a sudden and sometimes violent attempt by citizens or the army to take control of the government" + }, + "distension": { + "CHS": "膨胀, 延伸", + "ENG": "Distension is abnormal swelling in a person's or animal's body" + }, + "intumescence": { + "CHS": "膨胀, 肿大", + "ENG": "a swelling up, as with blood or other fluid " + }, + "collision": { + "CHS": "碰撞, 冲突", + "ENG": "an accident in which two or more people or vehicles hit each other while moving in different directions" + }, + "wholesale": { + "CHS": "批发, 趸售", + "ENG": "the business of selling goods in large quantities at low prices to other businesses, rather than to the general public" + }, + "sanction": { + "CHS": "批准, 同意, 支持, 制裁, 认可", + "ENG": "official orders or laws stopping trade, communication etc with another country, as a way of forcing its leaders to make political changes" + }, + "shawl": { + "CHS": "披肩, 围巾", + "ENG": "a piece of cloth, in a square or triangular shape, that is worn around the shoulders or head, especially by women" + }, + "cleavage": { + "CHS": "劈开, 分裂", + "ENG": "a difference between two people or things that often causes problems or arguments" + }, + "callus": { + "CHS": "皮肤的硬结组织, 胼胝, (植物伤口的)愈合组织, 老茧", + "ENG": "an area of thick hard skin" + }, + "dermatology": { + "CHS": "皮肤医学, 皮肤病学", + "ENG": "the part of medical science that deals with skin diseases and their treatment" + }, + "cobbler": { + "CHS": "皮匠, 补鞋匠, 工匠", + "ENG": "someone who makes and repairs shoes" + }, + "hustler": { + "CHS": "皮条客, 骗徒, 催促者", + "ENG": "someone who tries to trick people into giving them money" + }, + "juxtaposition": { + "CHS": "毗邻, 并置, 并列", + "ENG": "The juxtaposition of two contrasting objects, images, or ideas is the fact that they are placed together or described together, so that the differences between them are emphasized" + }, + "lassitude": { + "CHS": "疲乏", + "ENG": "tiredness and lack of energy or interest" + }, + "fatigue": { + "CHS": "疲乏, 疲劳, 累活, [军]杂役", + "ENG": "very great tiredness" + }, + "partiality": { + "CHS": "偏爱", + "ENG": "unfair support of one person or one group against another" + }, + "declination": { + "CHS": "偏差" + }, + "hermitage": { + "CHS": "偏僻的寺院" + }, + "nepotism": { + "CHS": "偏袒, 起用亲戚, 裙带关系", + "ENG": "the practice of unfairly giving the best jobs to members of your family when you are in a position of power" + }, + "deflection": { + "CHS": "偏斜, 偏转, 偏差", + "ENG": "the action of making something change its direction" + }, + "eccentricity": { + "CHS": "偏心, 古怪, [数]离心率", + "ENG": "Eccentricity is unusual behaviour that other people consider strange" + }, + "offset": { + "CHS": "偏移量, 抵销, 弥补, 分支, 平版印刷, 胶印" + }, + "patch": { + "CHS": "片, 补缀, 碎片, 斑纹, 斑点, 小块地, 眼罩, 傻瓜", + "ENG": "a small area of something that is different from the area around it" + }, + "snide": { + "CHS": "骗子, 卑鄙勾当, 赝品, 假珠宝" + }, + "shammer": { + "CHS": "骗子, 诈欺者, 伪君子" + }, + "plagiarism": { + "CHS": "剽窃, 剽窃物", + "ENG": "when someone uses another person’s words, ideas, or work and pretends they are their own" + }, + "cribber": { + "CHS": "剽窃者, 作弊者" + }, + "patchwork": { + "CHS": "拼缝物, 拼缀物, 拼凑物", + "ENG": "a type of sewing in which many coloured squares of cloth are stitched together to make one large piece" + }, + "penury": { + "CHS": "贫困, 贫穷", + "ENG": "the state of being very poor" + }, + "anemia": { + "CHS": "贫血, 贫血症" + }, + "mediocrity": { + "CHS": "平常, 平庸之才", + "ENG": "If you refer to the mediocrity of something, you mean that it is of average quality but you think it should be better" + }, + "pan": { + "CHS": "平底锅, 盘子, 面板", + "ENG": "a round metal container that you use for cooking, usually with one long handle and a lid" + }, + "coble": { + "CHS": "平底小渔船(=cobble)", + "ENG": "a small single-masted flat-bottomed fishing boat " + }, + "banality": { + "CHS": "平凡, 陈腐" + }, + "poise": { + "CHS": "平衡, 均衡, 姿势, 镇静, 砝码", + "ENG": "If someone has poise, they are calm, dignified, and self-controlled" + }, + "equilibrium": { + "CHS": "平衡, 平静, 均衡, 保持平衡的能力, 沉着, 安静", + "ENG": "a balance between different people, groups, or forces that compete with each other, so that none is stronger than the others and a situation is not likely to change suddenly" + }, + "plane": { + "CHS": "平面, 飞机, 水平, 程度, 刨", + "ENG": "a vehicle that flies in the air and has wings and at least one engine" + }, + "populace": { + "CHS": "平民", + "ENG": "the people who live in a country" + }, + "civilian": { + "CHS": "平民, 公务员, 文官", + "ENG": "anyone who is not a member of the military forces or the police" + }, + "plebeian": { + "CHS": "平民, 庶民", + "ENG": "an insulting word for someone who is from a low social class" + }, + "cider": { + "CHS": "苹果酒", + "ENG": "an alcoholic drink made from apples, or a glass of this drink" + }, + "flask": { + "CHS": "瓶, 长颈瓶, 细颈瓶, 烧瓶, 小水瓶", + "ENG": "a special type of bottle that you use to keep liquids either hot or cold, for example when travelling" + }, + "termagant": { + "CHS": "泼妇, 好吵架的女人", + "ENG": "a shrewish woman; scold " + }, + "persecution": { + "CHS": "迫害, 烦扰", + "ENG": "Persecution is cruel and unfair treatment of a person or group, especially because of their religious or political beliefs, or their race" + }, + "impending": { + "CHS": "迫近" + }, + "imminence": { + "CHS": "迫切, 急迫,迫近的危险(或祸患)" + }, + "bankruptcy": { + "CHS": "破产", + "ENG": "the state of being unable to pay your debts" + }, + "bankrupt": { + "CHS": "破产者", + "ENG": "someone who has officially said that they cannot pay their debts" + }, + "demolition": { + "CHS": "破坏, 毁坏, 毁坏之遗迹", + "ENG": "The demolition of a structure, for example, a building, is the act of deliberately destroying it, often in order to build something else in its place" + }, + "destruction": { + "CHS": "破坏, 毁灭", + "ENG": "the act or process of destroying something or of being destroyed" + }, + "fink": { + "CHS": "破坏及反罢工的人, 告发人, 密告人, 乞丐", + "ENG": "someone who tells the police, a teacher, or a parent when someone else breaks a rule or a law" + }, + "laceration": { + "CHS": "破口" + }, + "fracture": { + "CHS": "破裂, 骨折", + "ENG": "a crack or broken part in a bone or other hard substance" + }, + "profile": { + "CHS": "剖面, 侧面, 外形, 轮廓", + "ENG": "a side view of someone’s head" + }, + "flicker": { + "CHS": "扑动, 闪烁, 闪光, 颤动", + "ENG": "an unsteady light that goes on and off quickly" + }, + "raisin": { + "CHS": "葡萄干", + "ENG": "a dried grape " + }, + "vintner": { + "CHS": "葡萄酒商", + "ENG": "someone who buys and sells wines" + }, + "glucose": { + "CHS": "葡萄糖", + "ENG": "a natural form of sugar that exists in fruit" + }, + "chute": { + "CHS": "瀑布, 斜道", + "ENG": "a long narrow structure that slopes down, so that things or people can slide down it from one place to another" + }, + "roost": { + "CHS": "栖木, 栖息所, 卧室", + "ENG": "a place where birds rest and sleep" + }, + "perch": { + "CHS": "栖木, 人所居的高位, 有利的地位, 杆, 河鲈", + "ENG": "a branch or stick where a bird sits" + }, + "bully": { + "CHS": "欺凌弱小者", + "ENG": "someone who uses their strength or power to frighten or hurt someone who is weaker" + }, + "trickery": { + "CHS": "欺骗", + "ENG": "the use of tricks to deceive or cheat people" + }, + "deceit": { + "CHS": "欺骗, 谎言", + "ENG": "behaviour that is intended to make someone believe something that is not true" + }, + "fraud": { + "CHS": "欺骗, 欺诈行为, 诡计, 骗子, 假货", + "ENG": "the crime of deceiving people in order to gain something such as money or goods" + }, + "skulduggery": { + "CHS": "欺骗, 作假, 使诈, 诡计", + "ENG": "secretly dishonest or illegal activity – also used humorously" + }, + "imposture": { + "CHS": "欺诈, 冒牌", + "ENG": "the act or an instance of deceiving others, esp by assuming a false identity " + }, + "vagary": { + "CHS": "奇特行为, 奇想, 反复无常的行为", + "ENG": "Vagaries are unexpected and unpredictable changes in a situation or in someone's behaviour that you have no control over" + }, + "invocation": { + "CHS": "祈祷, 符咒", + "ENG": "An invocation is a request for help or forgiveness made to a god" + }, + "imprecation": { + "CHS": "祈求, 诅咒", + "ENG": "an offensive word or phrase, used when someone is very angry" + }, + "cavalry": { + "CHS": "骑兵", + "ENG": "the part of an army that fights on horses, especially in the past" + }, + "equitation": { + "CHS": "骑马, 骑术", + "ENG": "the study and practice of riding and horsemanship " + }, + "cavalier": { + "CHS": "骑士, 武士, 对女人献殷勤, 有礼貌的绅士" + }, + "chivalry": { + "CHS": "骑士精神, 骑士制度", + "ENG": "behaviour that is honourable, kind, generous, and brave, especially men’s behaviour towards women" + }, + "flag": { + "CHS": "旗, 标记", + "ENG": "a piece of cloth with a coloured pattern or picture on it that represents a country or organization" + }, + "ensign": { + "CHS": "旗, 军舰旗, 军旗, 徽章, <美>海军少尉", + "ENG": "a flag on a ship that shows what country the ship belongs to" + }, + "semaphore": { + "CHS": "旗语", + "ENG": "a system of sending messages using two flags, which you hold in different positions to represent letters and numbers" + }, + "banner": { + "CHS": "旗帜, 横幅, 标语", + "ENG": "a long piece of cloth on which something is written, often carried between two poles" + }, + "tycoon": { + "CHS": "企业界大亨, 将军", + "ENG": "someone who is successful in business or industry and has a lot of money and power" + }, + "enlightenment": { + "CHS": "启迪, 教化", + "ENG": "Enlightenment means the act of enlightening or the state of being enlightened" + }, + "incipience": { + "CHS": "起初, 发端" + }, + "inception": { + "CHS": "起初, 获得学位" + }, + "suitor": { + "CHS": "起诉者, 求婚者, 请愿者", + "ENG": "a man who wants to marry a particular woman" + }, + "insurrection": { + "CHS": "起义", + "ENG": "an attempt by a large group of people within a country to take control using force and violence" + }, + "genesis": { + "CHS": "起源", + "ENG": "the beginning or origin of something" + }, + "provenance": { + "CHS": "起源, 出处", + "ENG": "the place where something originally came from" + }, + "verve": { + "CHS": "气魄, 神韵, 活力, 热情", + "ENG": "energy, excitement, or great pleasure" + }, + "scent": { + "CHS": "气味, 香味, 香水, 线索, 嗅觉, 臭迹", + "ENG": "a pleasant smell that something has" + }, + "barometer": { + "CHS": "气压计", + "ENG": "an instrument that measures changes in the air pressure and the weather, or that calculates height above sea level" + }, + "ethos": { + "CHS": "气质, 道义, 民族精神, 社会思潮, 风气", + "ENG": "the set of ideas and moral attitudes that are typical of a particular group" + }, + "siren": { + "CHS": "汽笛, 警报器, 空袭警报, 妖妇", + "ENG": "a piece of equipment that makes very loud warning sounds, used on police cars, fire engines etc" + }, + "indenture": { + "CHS": "契约", + "ENG": "a formal contract, especially in the past, between an apprentice and his master(= employer ), or the act of arranging this" + }, + "covenant": { + "CHS": "契约, 盟约", + "ENG": "a legal agreement in which someone promises to pay a person or organization an amount of money regularly" + }, + "utensil": { + "CHS": "器具", + "ENG": "a thing such as a knife, spoon etc that you use when you are cooking" + }, + "implication": { + "CHS": "牵连, 含意, 暗示", + "ENG": "a situation in which it is shown or suggested that someone or something is involved in a crime or a dishonest act" + }, + "marionette": { + "CHS": "牵线木偶", + "ENG": "a puppet whose arms and legs are moved by pulling strings" + }, + "traction": { + "CHS": "牵引", + "ENG": "the process of treating a broken bone with special medical equipment that pulls it" + }, + "plumb": { + "CHS": "铅锤, 铅弹" + }, + "plummet": { + "CHS": "铅锤, 重荷" + }, + "humility": { + "CHS": "谦卑", + "ENG": "the quality of not being too proud about yourself – use this to show approval" + }, + "condescension": { + "CHS": "谦虚, 硬要人家领情的态度" + }, + "vanguard": { + "CHS": "前锋, 先锋, 领导者", + "ENG": "the leading position at the front of an army or group of ships moving into battle, or the soldiers who are in this position" + }, + "prodrome": { + "CHS": "前驱症状, 序论" + }, + "piety": { + "CHS": "虔诚, 孝行", + "ENG": "when you behave in a way that shows respect for your religion" + }, + "numismatist": { + "CHS": "钱币奖章收藏家", + "ENG": "someone who collects and studies coins and medals" + }, + "pelf": { + "CHS": "钱财", + "ENG": "money or wealth, esp if dishonestly acquired; lucre " + }, + "pincers": { + "CHS": "钳子, 螯" + }, + "tongs": { + "CHS": "钳子, 夹具", + "ENG": "a tool that you use to lift up small objects. It has two bars joined at one end, that you press together to lift objects." + }, + "pliers": { + "CHS": "钳子, 老虎钳", + "ENG": "a small tool made of two crossed pieces of metal, used to hold small things or to bend and cut wire" + }, + "lurk": { + "CHS": "潜伏, 埋伏" + }, + "latency": { + "CHS": "潜伏, 潜在, 潜伏物, 性潜伏期(4岁或5岁至青春期), [生理](肌肉等的)反应时间(介于刺激与反应之间的时间)" + }, + "delitescence": { + "CHS": "潜伏期" + }, + "periscope": { + "CHS": "潜望镜, 展望镜", + "ENG": "a long tube with mirrors fitted in it, used to look over the top of something, especially to see out of a submarine " + }, + "buff": { + "CHS": "浅黄色, 软皮", + "ENG": "a pale yellow-brown colour" + }, + "ford": { + "CHS": "浅滩", + "ENG": "a place where a river is not deep, so that you can walk or drive across it" + }, + "shoal": { + "CHS": "浅滩, 沙洲, 鱼群, 大量", + "ENG": "a large group of fish swimming together" + }, + "riffle": { + "CHS": "浅滩, 湍流, 涟漪, 洗牌动作" + }, + "reproof": { + "CHS": "谴责, 非难", + "ENG": "If you say or do something in reproof, you say or do it to show that you disapprove of what someone has done or said" + }, + "condemnation": { + "CHS": "谴责, 指责, 定罪", + "ENG": "an expression of very strong disapproval of someone or something, especially something you think is morally wrong" + }, + "indiscretion": { + "CHS": "欠详虑, 不慎重, 轻率, 轻举妄动" + }, + "fusillade": { + "CHS": "枪炮的齐射, 猛射, 连续射击" + }, + "chicanery": { + "CHS": "强辩, 强词夺理, 狡辩, 欺骗" + }, + "ravishment": { + "CHS": "强夺, 销魂" + }, + "overmeasure": { + "CHS": "强行剩余" + }, + "duress": { + "CHS": "强迫, 监禁", + "ENG": "To do something under duress means to do it because someone forces you to do it or threatens you" + }, + "compulsion": { + "CHS": "强迫, 强制, [心]强迫性冲动", + "ENG": "a strong and unreasonable desire to do something" + }, + "coercion": { + "CHS": "强迫, 威压, 高压政治", + "ENG": "the use of threats or orders to make someone do something they do not want to do" + }, + "forager": { + "CHS": "强征队员, 抢劫者" + }, + "tonicity": { + "CHS": "强壮, 肌肉弹性", + "ENG": "the state, condition, or quality of being tonic " + }, + "rapine": { + "CHS": "抢夺, 掠夺", + "ENG": "the seizure of property by force; pillage " + }, + "salvage": { + "CHS": "抢救财货, 获救的财货, 救难的奖金, 海上救助, 抢救, 打捞", + "ENG": "when you save things from a situation in which other things have already been damaged, destroyed, or lost" + }, + "beat": { + "CHS": "敲打, 拍子, 巡逻区域", + "ENG": "one of the notes in a piece of music that sounds stronger than the other notes" + }, + "clout": { + "CHS": "敲打, 轻叩, 破布", + "ENG": "Clout is also a noun" + }, + "ransom": { + "CHS": "敲诈, 勒索" + }, + "racketeer": { + "CHS": "敲诈者, 获取不正当钱财的人", + "ENG": "someone who earns money through crime and illegal activities" + }, + "repartee": { + "CHS": "巧妙的应答, 巧妙应答之才能", + "ENG": "conversation which is fast and full of intelligent and amusing remarks and replies" + }, + "crag": { + "CHS": "峭壁", + "ENG": "a high and very steep rough rock or mass of rocks" + }, + "scabbard": { + "CHS": "鞘", + "ENG": "a metal or leather cover for the blade of a sword" + }, + "sheath": { + "CHS": "鞘, 护套, 外壳", + "ENG": "a cover for the blade of a knife or sword" + }, + "excision": { + "CHS": "切除, 删除, [医]切除(术), [宗]逐出教会" + }, + "concision": { + "CHS": "切割, 分离, 简洁" + }, + "incision": { + "CHS": "切割, 切开, 切口", + "ENG": "a neat cut made into something, especially during a medical operation" + }, + "cleaver": { + "CHS": "切肉刀, 切割者, 突出的悬崖", + "ENG": "A cleaver is a knife with a large rectangular blade, used for chopping meat or vegetables" + }, + "eggplant": { + "CHS": "茄子", + "ENG": "a large vegetable with smooth purple skin" + }, + "cowardice": { + "CHS": "怯懦, 胆小", + "ENG": "lack of courage" + }, + "funk": { + "CHS": "怯懦, 恐惧, 臭味, 恐怖" + }, + "encroachment": { + "CHS": "侵蚀, 侵犯", + "ENG": "You can describe the action or process of encroaching on something as encroachment" + }, + "endearment": { + "CHS": "亲爱, 钟爱" + }, + "holograph": { + "CHS": "亲笔文件, [律] 亲笔信, [物] 全息图" + }, + "intimacy": { + "CHS": "亲密, 隐私, 亲昵行为(尤指不正当的性关系)", + "ENG": "a state of having a close personal relationship with someone" + }, + "geniality": { + "CHS": "亲切" + }, + "cosset": { + "CHS": "亲手饲养的宠物, 宠儿" + }, + "assiduity": { + "CHS": "勤勉, 刻苦, 一丝不苟的作风", + "ENG": "constant and close application " + }, + "puberty": { + "CHS": "青春期", + "ENG": "the stage of physical development during which you change from a child to an adult and are able to have children" + }, + "nonage": { + "CHS": "青年时期, 早期, 未成熟, 未成年", + "ENG": "the state of being under any of various ages at which a person may legally enter into certain transactions, such as the making of binding contracts, marrying, etc " + }, + "frivolity": { + "CHS": "轻薄, 轻率, 无聊的举动" + }, + "rashness": { + "CHS": "轻率, 不瞻前顾后" + }, + "levity": { + "CHS": "轻率, 轻浮, 不稳定, 多变", + "ENG": "lack of respect or seriousness when you are dealing with something serious" + }, + "scorn": { + "CHS": "轻蔑, 嘲笑, 被叱责的人", + "ENG": "If you treat someone or something with scorn, you show contempt for them" + }, + "disdain": { + "CHS": "轻蔑, 以高傲的态度对待", + "ENG": "If you feel disdain for someone or something, you dislike them because you think that they are inferior or unimportant" + }, + "contempt": { + "CHS": "轻视, 轻蔑, 耻辱, 不尊敬, [律]藐视法庭(或国会)", + "ENG": "a feeling that someone or something is not important and deserves no respect" + }, + "jog": { + "CHS": "轻推, 轻撞, 漫步", + "ENG": "a light knock or push done by accident" + }, + "quitter": { + "CHS": "轻易停止的人, 懦夫" + }, + "peccadillo": { + "CHS": "轻罪, 小过失", + "ENG": "something bad which someone does, especially involving sex, which is not regarded as very serious or important" + }, + "hydrate": { + "CHS": "氢氧化物", + "ENG": "a chemical substance that contains water" + }, + "cloudburst": { + "CHS": "倾盆大雨, 豪雨", + "ENG": "a sudden short rainstorm" + }, + "propensity": { + "CHS": "倾向", + "ENG": "a natural tendency to behave in a particular way" + }, + "proclivity": { + "CHS": "倾向", + "ENG": "a tendency to behave in a particular way, or to like a particular thing – used especially about something bad" + }, + "trend": { + "CHS": "倾向, 趋势", + "ENG": "a general tendency in the way a situation is changing or developing" + }, + "exhibitionist": { + "CHS": "倾向自我宣传的人, 裸露症患者" + }, + "lean": { + "CHS": "倾斜, 倾斜度, 倚靠, 倾向", + "ENG": "the condition of inclining from a vertical position " + }, + "inclination": { + "CHS": "倾斜, 弯曲, 倾度, 倾向, 爱好", + "ENG": "a feeling that makes you want to do something" + }, + "declivity": { + "CHS": "倾斜, 下坡", + "ENG": "a downward slope, esp of the ground " + }, + "incline": { + "CHS": "倾斜, 斜坡, 斜面", + "ENG": "a slope" + }, + "cantata": { + "CHS": "清唱剧, 康塔塔, 大合唱", + "ENG": "a piece of religious music for singers and instruments" + }, + "clarity": { + "CHS": "清楚, 透明", + "ENG": "the clarity of a piece of writing, law, argument etc is its quality of being expressed clearly" + }, + "scavenger": { + "CHS": "清道夫, 食腐动物" + }, + "detergent": { + "CHS": "清洁剂, 去垢剂", + "ENG": "a liquid or powder used for washing clothes, dishes etc" + }, + "varnish": { + "CHS": "清漆, 凡立水, 光泽面, 掩饰", + "ENG": "a clear liquid that is painted onto things, especially things made of wood, to protect them, or the hard shiny surface produced by this" + }, + "liquidation": { + "CHS": "清算", + "ENG": "the act of closing a company by selling the things that belong to it, in order to pay its debts" + }, + "ablution": { + "CHS": "清洗", + "ENG": "the ritual washing of a priest's hands or of sacred vessels " + }, + "sobriety": { + "CHS": "清醒", + "ENG": "when someone is not drunk" + }, + "melodrama": { + "CHS": "情节剧", + "ENG": "a story or play in which very exciting or terrible things happen, and in which the characters and the emotions they show seem too strong to be real" + }, + "appeal": { + "CHS": "请求, 呼吁, 上诉, 吸引力, 要求", + "ENG": "an urgent request for something important" + }, + "petitioner": { + "CHS": "请求者", + "ENG": "A petitioner is a person who presents or signs a petition" + }, + "petition": { + "CHS": "请愿, 情愿书, 诉状, 陈情书", + "ENG": "a written request signed by a lot of people, asking someone in authority to do something or change something" + }, + "jubilation": { + "CHS": "庆祝" + }, + "recourse": { + "CHS": "求援, 求助, [商][律]追索权" + }, + "distinction": { + "CHS": "区别, 差别, 级别, 特性, 声望, 显赫", + "ENG": "a clear difference or separation between two similar things" + }, + "precinct": { + "CHS": "区域, 围地, 范围, 界限, 选区", + "ENG": "one of the areas that a town or city is divided into, so that elections or police work can be organized more easily" + }, + "exorcism": { + "CHS": "驱魔, 驱邪所用的咒语", + "ENG": "a process during which someone tries to make an evil spirit leave a place by saying special words, or a ceremony when this is done" + }, + "submission": { + "CHS": "屈服, 降服, 服从, 谦恭, 投降", + "ENG": "the state of being completely controlled by a person or group, and accepting that you have to obey them" + }, + "maze": { + "CHS": "曲径, 迷宫, 迷津, 迷惘, 迷惑, 糊涂", + "ENG": "a specially designed system of paths, often in a park or public garden, which is difficult to find your way through" + }, + "retrieval": { + "CHS": "取回, 恢复, 修补,重获,挽救,拯救", + "ENG": "the act of getting back something you have lost or left somewhere" + }, + "resumption": { + "CHS": "取回, 恢复, 再开始, 重获, (中断后)再继续", + "ENG": "the act of starting an activity again after stopping or being interrupted" + }, + "recantation": { + "CHS": "取消前言, 改变论调" + }, + "springe": { + "CHS": "圈套", + "ENG": "a snare set to catch small wild animals or birds and consisting of a loop attached to a bent twig or branch under tension " + }, + "panorama": { + "CHS": "全景全景画,全景摄影", + "ENG": "an impressive view of a wide area of land" + }, + "rapture": { + "CHS": "全神贯注, 兴高采烈, 欢天喜地", + "ENG": "great excitement and happiness" + }, + "panoply": { + "CHS": "全套甲胄, 华丽服饰" + }, + "totality": { + "CHS": "全体, 总数, [天]全食", + "ENG": "the whole of something" + }, + "pugilism": { + "CHS": "拳击", + "ENG": "the art, practice, or profession of fighting with the fists; boxing " + }, + "cynicism": { + "CHS": "犬儒主义, 玩世不恭, 冷嘲热讽" + }, + "exhortation": { + "CHS": "劝告, 讲道词, 训词" + }, + "defection": { + "CHS": "缺点, 背信, 背叛, 变节" + }, + "deficiency": { + "CHS": "缺乏, 不足", + "ENG": "a lack of something that is necessary" + }, + "underage": { + "CHS": "缺乏, 久缺" + }, + "privation": { + "CHS": "缺乏, 穷困, 丧失, 被剥夺了某物的状态", + "ENG": "a lack or loss of the things that everyone needs, such as food, warmth, and shelter" + }, + "apathy": { + "CHS": "缺乏感情或兴趣, 冷漠", + "ENG": "the feeling of not being interested in something, and not willing to make any effort to change or improve things" + }, + "pitfall": { + "CHS": "缺陷", + "ENG": "a problem or difficulty that is likely to happen in a particular job, course of action, or activity" + }, + "freckle": { + "CHS": "雀斑, 斑点", + "ENG": "freckles are small brown spots on someone’s skin, especially on their face, which the sun can cause to increase in number and become darker" + }, + "establishment": { + "CHS": "确立, 制定, 设施, 公司, 军事组织", + "ENG": "the act of starting an organization, relationship, or system" + }, + "assurance": { + "CHS": "确信, 断言, 保证, 担保", + "ENG": "a promise that something will definitely happen or is definitely true, made especially to make someone less worried" + }, + "magpie": { + "CHS": "鹊", + "ENG": "a bird with black and white feathers and a long tail" + }, + "archipelago": { + "CHS": "群岛, 多岛海", + "ENG": "a group of small islands" + }, + "combustion": { + "CHS": "燃烧", + "ENG": "the process of burning" + }, + "concession": { + "CHS": "让步", + "ENG": "something that you allow someone to have in order to end an argument or a disagreement" + }, + "garrulity": { + "CHS": "饶舌, 多嘴" + }, + "derangement": { + "CHS": "扰乱, 发狂" + }, + "winding": { + "CHS": "绕, 缠, 绕组, 线圈" + }, + "devotion": { + "CHS": "热爱, 投入", + "ENG": "Devotion is great love, affection, or admiration for someone" + }, + "ardor": { + "CHS": "热诚, 情欲, 激情, 热情, 炽热" + }, + "savanna": { + "CHS": "热带(或亚热带)稀树大草原", + "ENG": "a large flat area of grassy land, especially in Africa" + }, + "thermoset": { + "CHS": "热固树脂,热固塑料" + }, + "ovation": { + "CHS": "热烈欢迎, 大喝采, 大受欢迎, 欢呼", + "ENG": "if a group of people give someone an ovation, they clap to show approval" + }, + "fervor": { + "CHS": "热情, 热烈, 炽热" + }, + "aspiration": { + "CHS": "热望, 渴望" + }, + "demography": { + "CHS": "人口统计学", + "ENG": "the study of human populations and the ways in which they change, for example the study of how many births, marriages and deaths happen in a particular place at a particular time" + }, + "anthropology": { + "CHS": "人类学", + "ENG": "the scientific study of people, their societies, culture s etc" + }, + "capitation": { + "CHS": "人头税, 按人收费", + "ENG": "a tax or payment of the same amount from each person" + }, + "physiognomy": { + "CHS": "人相学, 人相, 脸, 相面术, 相貌, 地貌, 地势", + "ENG": "the general appearance of a person’s face" + }, + "humanity": { + "CHS": "人性, 人类, 博爱, 仁慈", + "ENG": "people in general" + }, + "margarine": { + "CHS": "人造黄油", + "ENG": "a yellow substance similar to butter but made from vegetable or animal fats, which you eat with bread or use for cooking" + }, + "hostage": { + "CHS": "人质, 抵押品", + "ENG": "someone who is kept as a prisoner by an enemy so that the other side will do what the enemy demands" + }, + "benevolence": { + "CHS": "仁爱心, 善行" + }, + "benignity": { + "CHS": "仁慈, 善行" + }, + "nomination": { + "CHS": "任命", + "ENG": "the act of giving someone a particular job, or the fact of being given that job" + }, + "cronyism": { + "CHS": "任用亲信", + "ENG": "the practice of unfairly giving the best jobs to your friends when you are in a position of power - used to show disapproval" + }, + "commodity": { + "CHS": "日用品", + "ENG": "a product that is bought and sold" + }, + "capacity": { + "CHS": "容量, 生产量, 容量, 智能, 才能, 能力, 接受力, 地位", + "ENG": "the amount of space a container, room etc has to hold things or people" + }, + "receptacle": { + "CHS": "容器, [植]花托, [电工]插座", + "ENG": "a container for putting things in" + }, + "patsy": { + "CHS": "容易受骗的人, 懦夫", + "ENG": "someone who is easily tricked or deceived, especially so that they take the blame for someone else’s crime" + }, + "solvency": { + "CHS": "溶解本领, 偿付能力", + "ENG": "A person's or organization's solvency is their ability to pay their debts" + }, + "lava": { + "CHS": "熔岩, 火山岩", + "ENG": "hot liquid rock that flows from a volcano,or this rock when it has become solid" + }, + "redundancy": { + "CHS": "冗余", + "ENG": "when something is not used because something similar or the same already exists" + }, + "verbosity": { + "CHS": "冗长" + }, + "omission": { + "CHS": "冗长" + }, + "rigmarole": { + "CHS": "冗长的废话, 胡言乱语" + }, + "screed": { + "CHS": "冗长的句子(文章), 样板, 泥水匠用的匀泥尺, 刮板", + "ENG": "a long or prolonged speech or piece of writing " + }, + "talkathon": { + "CHS": "冗长的讨论, 冗长的演说" + }, + "callisthenics": { + "CHS": "柔软体操, 运动" + }, + "shambles": { + "CHS": "肉店(市), 屠宰场, 混乱的地方, 废墟", + "ENG": "If a place, event, or situation is a shambles or is in a shambles, everything is in disorder" + }, + "filet": { + "CHS": "肉片, 鱼片", + "ENG": "A filet of meat or fish is the same as a " + }, + "milk": { + "CHS": "乳, 牛奶", + "ENG": "a white liquid produced by cows or goats that is drunk by people" + }, + "pestle": { + "CHS": "乳钵, 槌, 杵" + }, + "taunt": { + "CHS": "辱骂, 嘲弄", + "ENG": "a remark or joke intended to make someone angry or upset" + }, + "ecstasy": { + "CHS": "入迷", + "ENG": "an illegal drug that gives a feeling of happiness and energy. Ecstasy is especially used by people who go out to dance at clubs and parties." + }, + "gristle": { + "CHS": "软骨", + "ENG": "the part of meat that is not soft enough to eat" + }, + "sagacity": { + "CHS": "睿智, 聪敏", + "ENG": "good judgment and understanding" + }, + "foible": { + "CHS": "弱点, (性格上的)缺点, 自负的地方, 怪癖, 癖好, (刀剑)自中部至尖端的部分", + "ENG": "a small weakness or strange habit that someone has, which does not harm anyone else" + }, + "aspersion": { + "CHS": "洒水, 诽谤, 中伤" + }, + "sprinkler": { + "CHS": "洒水车, 洒水装置", + "ENG": "a piece of equipment used for scattering water on grass or soil" + }, + "mendacity": { + "CHS": "撒谎癖, 虚假, 谎言", + "ENG": "Mendacity is lying, rather than telling the truth" + }, + "branchia": { + "CHS": "鳃", + "ENG": "a gill in aquatic animals " + }, + "frigate": { + "CHS": "三帆快速战舰, 护卫舰", + "ENG": "a small fast ship used especially for protecting other ships in wars" + }, + "delta": { + "CHS": "三角州, 德耳塔(希腊字母的第四个字)", + "ENG": "the fourth letter of the Greek alphabet" + }, + "barque": { + "CHS": "三桅帆船, 船", + "ENG": "a sailing ship with three, four, or five mast s (= poles that the sails are fixed to ) " + }, + "promenade": { + "CHS": "散步", + "ENG": "a wide road next to the beach, where people can walk for pleasure" + }, + "mulberry": { + "CHS": "桑树, 桑葚, 深紫红色", + "ENG": "a dark purple fruit that can be eaten, or the tree on which this fruit grows" + }, + "forfeiture": { + "CHS": "丧失, 没收物, 罚款", + "ENG": "when someone has their property or money officially taken away because they have broken a law or rule" + }, + "commotion": { + "CHS": "骚动, 暴乱", + "ENG": "A commotion is a lot of noise, confusion, and excitement" + }, + "disturbance": { + "CHS": "骚动, 动乱, 打扰, 干扰, 骚乱, 搅动", + "ENG": "a situation in which people behave violently in public" + }, + "turmoil": { + "CHS": "骚动, 混乱", + "ENG": "a state of confusion, excitement, or anxiety" + }, + "hue": { + "CHS": "色调, 样子, 颜色, 色彩, 叫声, 大声叫喊, 大声反对", + "ENG": "a colour or type of colour" + }, + "acerbity": { + "CHS": "涩, 酸, 刻薄", + "ENG": "Acerbity is a kind of bitter, critical humour" + }, + "silva": { + "CHS": "森林里的树木, 森林, 森林志" + }, + "pesticide": { + "CHS": "杀虫剂", + "ENG": "a chemical substance used to kill insects and small animals that destroy crops" + }, + "yarn": { + "CHS": "纱, 纱线, 故事, 奇谈", + "ENG": "thick thread made of cotton or wool, which is used to knit things" + }, + "gravel": { + "CHS": "砂砾, 砂砾层", + "ENG": "small stones, used to make a surface for paths, roads etc" + }, + "nincompoop": { + "CHS": "傻子, 无用的人", + "ENG": "a stupid person" + }, + "sieve": { + "CHS": "筛, 滤网, 不会保密的人", + "ENG": "a round wire tool for separating small objects from large objects" + }, + "hillbilly": { + "CHS": "山地内部的贫农, 山地人" + }, + "peak": { + "CHS": "山顶, 顶点, 帽舌, (记录的)最高峰", + "ENG": "the time when something or someone is best, greatest, highest, most successful etc" + }, + "abridgment": { + "CHS": "删节, 节略, 删节本", + "ENG": "a shortened version of a written work " + }, + "fomentation": { + "CHS": "煽动" + }, + "sedition": { + "CHS": "煽动暴乱, 骚乱, 煽动性的言论(或行为)", + "ENG": "speech, writing, or actions intended to encourage people to disobey a government" + }, + "fulmination": { + "CHS": "闪电, 爆发, 爆鸣" + }, + "flare": { + "CHS": "闪光, 闪耀", + "ENG": "a piece of equipment that produces a bright flame, or the flame itself, used outdoors as a signal" + }, + "banter": { + "CHS": "善意地取笑, 逗弄" + }, + "mayhem": { + "CHS": "伤害罪之一种, 故意的伤害罪" + }, + "emporium": { + "CHS": "商场, 商业中心, 大百货商店", + "ENG": "a large shop" + }, + "merchandise": { + "CHS": "商品, 货物", + "ENG": "goods that are being sold" + }, + "topsoil": { + "CHS": "上层土, 表层土", + "ENG": "the upper level of soil in which most plants have their roots" + }, + "ascent": { + "CHS": "上升, (地位, 声望等的)提高, 攀登, 上坡路", + "ENG": "the act of climbing something or moving upwards" + }, + "pittance": { + "CHS": "少量, 微薄的薪俸", + "ENG": "a very small amount of money, especially wages, that is less than someone needs or deserves" + }, + "modicum": { + "CHS": "少量, 一点点", + "ENG": "a small amount of something, especially a good quality" + }, + "soupcon": { + "CHS": "少许, 些微" + }, + "cordon": { + "CHS": "哨兵线, 警戒线, 饰带", + "ENG": "a line of police officers, soldiers, or vehicles that is put around an area to stop people going there" + }, + "enactment": { + "CHS": "设定, 制定", + "ENG": "The enactment of a law is the process in a legislature by which the law is agreed upon and made official" + }, + "socialite": { + "CHS": "社交名流", + "ENG": "someone who is well known for going to many fashionable parties, and who is often rich" + }, + "projectile": { + "CHS": "射弹", + "ENG": "an object that is thrown at someone or is fired from a gun or other weapon, such as a bullet, stone, or shell " + }, + "archer": { + "CHS": "射手, 弓术家, [天]人马星座" + }, + "regimen": { + "CHS": "摄生法, 政权, 政体", + "ENG": "a special plan of food, exercise etc that is intended to improve your health" + }, + "regent": { + "CHS": "摄政者, 董事", + "ENG": "someone who governs instead of a king or queen, because the king or queen is ill, absent, or still a child" + }, + "reprimand": { + "CHS": "申斥", + "ENG": "Reprimand is also a noun" + }, + "status": { + "CHS": "身份, 地位, 情形, 状况", + "ENG": "the official legal position or condition of a person, group, country etc" + }, + "stature": { + "CHS": "身高, 身材, (精神、道德等的)高度", + "ENG": "someone’s height or size" + }, + "moan": { + "CHS": "呻吟, 哀悼, 呼啸", + "ENG": "a long low sound expressing pain, unhappiness, or sexual pleasure" + }, + "rancor": { + "CHS": "深仇, 怨恨" + }, + "profundity": { + "CHS": "深度, 深处, 深奥, 深刻", + "ENG": "Profundity is great intellectual depth and understanding" + }, + "chasm": { + "CHS": "深坑, 裂口", + "ENG": "a very deep space between two areas of rock or ice, especially one that is dangerous" + }, + "providence": { + "CHS": "深谋远虑, 天意, 上帝, 神的眷顾", + "ENG": "Providence is God, or a force that is believed by some people to arrange the things that happen to us" + }, + "conviction": { + "CHS": "深信, 确信, 定罪, 宣告有罪", + "ENG": "the feeling of being sure about something and having no doubts" + }, + "abyss": { + "CHS": "深渊", + "ENG": "a deep empty hole in the ground" + }, + "deity": { + "CHS": "神, 神性", + "ENG": "a god or goddess " + }, + "ambrosia": { + "CHS": "神的食物, 特别美味的食物", + "ENG": "In Greek mythology, ambrosia is the food of the gods" + }, + "shrine": { + "CHS": "神龟, 神殿, 神祠, 圣地", + "ENG": "a place that is connected with a holy event or holy person, and that people visit to pray" + }, + "mythology": { + "CHS": "神话", + "ENG": "set of ancient myths" + }, + "myth": { + "CHS": "神话, 神话式的人物(或事物), 虚构的故事, 荒诞的说法", + "ENG": "an idea or story that many people believe, but which is not true" + }, + "neurotic": { + "CHS": "神经病患者", + "ENG": "A neurotic is someone who is neurotic" + }, + "neurology": { + "CHS": "神经学, 神经病学", + "ENG": "the scientific study of the nervous system and its diseases" + }, + "neurosis": { + "CHS": "神经症, 神经衰弱症", + "ENG": "a mental illness that makes someone unreasonably worried or frightened" + }, + "mystique": { + "CHS": "神秘性, 奥秘, 秘法", + "ENG": "a quality that makes someone or something seem mysterious, exciting, or special" + }, + "theocracy": { + "CHS": "神权政治, 神政, 神治国", + "ENG": "a social system or state controlled by religious leaders" + }, + "theology": { + "CHS": "神学", + "ENG": "the study of religion and religious ideas and beliefs" + }, + "seminary": { + "CHS": "神学院, 学校, 学院, 发源地", + "ENG": "a college for training priests or ministers" + }, + "censorship": { + "CHS": "审查机构, 审查制度", + "ENG": "the practice or system of censoring something" + }, + "audit": { + "CHS": "审计, 稽核, 查帐", + "ENG": "an official examination of a company’s financial records in order to check that they are correct" + }, + "aesthete": { + "CHS": "审美家, 唯美主义者", + "ENG": "someone who loves and understands beautiful things, such as art and music" + }, + "prudence": { + "CHS": "审慎", + "ENG": "a sensible and careful attitude that makes you avoid unnecessary risks" + }, + "nephritis": { + "CHS": "肾炎", + "ENG": "inflammation of a kidney " + }, + "osmosis": { + "CHS": "渗透(作用), 渗透性", + "ENG": "the gradual process of liquid passing through a membrane" + }, + "crudity": { + "CHS": "生, 生硬, 不熟" + }, + "tableau": { + "CHS": "生动的场面, 戏剧性局面" + }, + "rawhide": { + "CHS": "生牛皮, <美>生牛皮鞭", + "ENG": "Rawhide is leather that comes from cattle, and has not been treated or tanned" + }, + "tyro": { + "CHS": "生手, 初学者, 新手", + "ENG": "a novice or beginner " + }, + "greenhorn": { + "CHS": "生手, 缺乏经验的人, 不懂世故的人", + "ENG": "someone who lacks experience of something" + }, + "biosphere": { + "CHS": "生物圈", + "ENG": "the part of the world in which animals, plants etc can live" + }, + "organism": { + "CHS": "生物体, 有机体", + "ENG": "an animal, plant, human, or any other living thing" + }, + "vocalist": { + "CHS": "声乐家, 歌手", + "ENG": "someone who sings popular songs, especially with a band" + }, + "infamy": { + "CHS": "声名狼藉, 丑名, 丑行", + "ENG": "the state of being evil or well known for evil things" + }, + "avowal": { + "CHS": "声明" + }, + "acoustics": { + "CHS": "声学", + "ENG": "the shape and size of a room, which affect the way sound is heard in it" + }, + "crescendo": { + "CHS": "声音渐增", + "ENG": "if a sound or a piece of music rises to a cre-scendo, it gradually becomes louder until it is very loud" + }, + "ellipsis": { + "CHS": "省略, 省略符号", + "ENG": "when words are deliberately left out of a sentence, though the meaning can still be understood. For example, you may say ‘He’s leaving but I’m not’ instead of saying ‘He’s leaving but I’m not leaving.’" + }, + "apostrophe": { + "CHS": "省略符号, 呼语", + "ENG": "the sign (‘) that is used in writing to show that numbers or letters have been left out, as in ’don’t' (= do not ) and '86 (= 1986 )" + }, + "liturgy": { + "CHS": "圣餐仪式, 礼拜仪式", + "ENG": "a way of praying in a religious service using a fixed order of words, prayers etc" + }, + "sanctum": { + "CHS": "圣地, 圣所, 密室, 私室, 书房", + "ENG": "a holy place inside a temple" + }, + "pilgrim": { + "CHS": "圣地朝拜者, 朝圣", + "ENG": "a religious person who travels a long way to a holy place" + }, + "psalm": { + "CHS": "圣歌", + "ENG": "a song or poem praising God, especially in the Bible" + }, + "anthem": { + "CHS": "圣歌, 赞美诗", + "ENG": "a formal or religious song" + }, + "pageant": { + "CHS": "盛会, 庆典, 游行, 虚饰, 露天表演", + "ENG": "A pageant is a colourful public procession, show, or ceremony. Pageants are usually held outdoors and often celebrate events or people from history. " + }, + "surplus": { + "CHS": "剩余, 过剩, [会计]盈余", + "ENG": "an amount of something that is more than what is needed or used" + }, + "corpus": { + "CHS": "尸体, 文集, (某项基金的)本金" + }, + "flunk": { + "CHS": "失败, 不及格" + }, + "aberration": { + "CHS": "失常", + "ENG": "an action or event that is very different from what usually happens or what someone usually does" + }, + "insomnia": { + "CHS": "失眠, 失眠症", + "ENG": "if you suffer from insomnia, you are not able to sleep" + }, + "lapse": { + "CHS": "失误, 下降, 流逝, 丧失, 过失", + "ENG": "a short period of time during which you fail to do something well or properly, often caused by not being careful" + }, + "aphasia": { + "CHS": "失语症", + "ENG": "Aphasia is a mental condition in which people are often unable to remember simple words or communicate" + }, + "infidelity": { + "CHS": "失真" + }, + "delinquent": { + "CHS": "失职者, 违法者" + }, + "prosody": { + "CHS": "诗体论, 作诗法, 韵律学", + "ENG": "the patterns of sound and rhythm in poetry and spoken language, or the rules for arranging these patterns" + }, + "anthology": { + "CHS": "诗选, 文选", + "ENG": "a set of stories, poems, songs etc by different people collected together in one book" + }, + "infliction": { + "CHS": "施加, 使负担" + }, + "alms": { + "CHS": "施舍, 救济物(钱,食物,衣物等)", + "ENG": "money, food etc given to poor people in the past" + }, + "marsh": { + "CHS": "湿地, 沼泽, 沼泽地", + "ENG": "an area of low flat ground that is always wet and soft" + }, + "hygrometer": { + "CHS": "湿度计", + "ENG": "any of various instruments for measuring humidity " + }, + "humidity": { + "CHS": "湿气, 潮湿, 湿度<美>沼泽中的肥沃高地", + "ENG": "the amount of water contained in the air" + }, + "perfectionist": { + "CHS": "十全十美主义者, [哲]至善论者", + "ENG": "someone who is not satisfied with anything unless it is completely perfect" + }, + "crusade": { + "CHS": "十字军东侵, 宗教战争, 改革运动", + "ENG": "a determined attempt to change something because you think you are morally right" + }, + "plaster": { + "CHS": "石膏, 灰泥, 膏药, 橡皮膏", + "ENG": "a substance used to cover walls and ceilings with a smooth even surface. It consists of lime , water, and sand." + }, + "masonry": { + "CHS": "石工术, 石匠职业", + "ENG": "the bricks or stone from which a building, wall etc has been made" + }, + "petrifaction": { + "CHS": "石化, 化石", + "ENG": "the act or process of forming petrified organic material " + }, + "anachronism": { + "CHS": "时代错误", + "ENG": "something in a play, film etc that seems wrong because it did not exist in the period of history in which the play etc is set" + }, + "period": { + "CHS": "时期, 学时, 节, 句点, 周期, (妇女的)经期", + "ENG": "a particular length of time with a beginning and an end" + }, + "vogue": { + "CHS": "时尚, 时髦, 风气, 流行, 风行", + "ENG": "a popular and fashionable style, activity, method etc" + }, + "fad": { + "CHS": "时尚, 一时流行的狂热, 一时的爱好", + "ENG": "something that people like or do for a short time, or that is fashionable for a short time" + }, + "discernment": { + "CHS": "识别力, 眼力,洞察力", + "ENG": "the ability to make good judgments about people or about art, music, style etc" + }, + "praxis": { + "CHS": "实践, 实习, 例题, 习题, 现实", + "ENG": "the practice and practical side of a profession or field of study, as opposed to the theory " + }, + "entity": { + "CHS": "实体", + "ENG": "something that exists as a single and complete unit" + }, + "intern": { + "CHS": "实习医师, 被拘留者", + "ENG": "someone who has nearly finished training as a doctor and is working in a hospital" + }, + "pragmatism": { + "CHS": "实用主义", + "ENG": "a way of dealing with problems in a sensible practical way instead of following a set of ideas" + }, + "gleaner": { + "CHS": "拾穗的人" + }, + "eclipse": { + "CHS": "食, 日蚀, 月蚀, 蒙蔽, 衰落", + "ENG": "an occasion when the sun or the moon cannot be seen, because the Earth is passing directly between the moon and the sun, or because the moon is passing directly between the Earth and the sun" + }, + "foodstuff": { + "CHS": "食品, 粮食", + "ENG": "food - used especially when talking about the business of producing or selling food" + }, + "cannibal": { + "CHS": "食人者, 吃同类的动物", + "ENG": "a person who eats human flesh" + }, + "carnivore": { + "CHS": "食肉动物", + "ENG": "an animal that eats flesh" + }, + "sustenance": { + "CHS": "食物, 生计, (受)支持", + "ENG": "food that people or animals need in order to live" + }, + "pabulum": { + "CHS": "食物, 营养, 精神食粮", + "ENG": "food " + }, + "appetite": { + "CHS": "食欲, 胃口, 欲望, 爱好", + "ENG": "a desire for food" + }, + "anorexia": { + "CHS": "食欲减退, 厌食", + "ENG": "a mental illness that makes someone stop eating" + }, + "etching": { + "CHS": "蚀刻版画, 蚀刻术, 铜版画", + "ENG": "a picture made by printing from an etched metal plate" + }, + "corroboration": { + "CHS": "使确实, 确证的事实, 确证" + }, + "juggernaut": { + "CHS": "使人盲目崇" + }, + "emissary": { + "CHS": "使者", + "ENG": "someone who is sent with an official message or to do official work" + }, + "herald": { + "CHS": "使者, 传令官, 通报者, 先驱, 预兆", + "ENG": "someone who carried messages from a ruler in the past" + }, + "intoxicant": { + "CHS": "使醉的东西" + }, + "morale": { + "CHS": "士气, 民心", + "ENG": "the level of confidence and positive feelings that people have, especially people who work together, who belong to the same team etc" + }, + "hipster": { + "CHS": "世面灵通的人" + }, + "environs": { + "CHS": "市郊, 郊外" + }, + "gigmanity": { + "CHS": "市侩阶层, 庸夫俗子" + }, + "paradox": { + "CHS": "似非而是的论点, 自相矛盾的话", + "ENG": "a situation that seems strange because it involves two ideas or qualities that are very different" + }, + "verisimilitude": { + "CHS": "似真, 逼真", + "ENG": "the quality of being true or real" + }, + "snob": { + "CHS": "势利的人, 假内行", + "ENG": "someone who thinks they are better than people from a lower social class – used to show disapproval" + }, + "acolyte": { + "CHS": "侍僧, 助手", + "ENG": "someone who serves a leader or believes in their ideas" + }, + "lace": { + "CHS": "饰带, 花边, 缎带, 鞋带", + "ENG": "a string that is pulled through special holes in shoes or clothing to pull the edges together and fasten them" + }, + "tentative": { + "CHS": "试验, 假设" + }, + "trial": { + "CHS": "试验, 考验, 审讯, 审判", + "ENG": "a legal process in which a judge and often a jury in a court of law examine information to decide whether someone is guilty of a crime" + }, + "probation": { + "CHS": "试用, 见习, 鉴定, 查验, 证明, 察看, 缓刑", + "ENG": "a system that allows some criminals not to go to prison or to leave prison, if they behave well and see a probation officer regularly, for a particular period of time" + }, + "ken": { + "CHS": "视野, 知识领域, 见地" + }, + "propriety": { + "CHS": "适当", + "ENG": "correctness of social or moral behaviour" + }, + "dainty": { + "CHS": "适口的食物, 美味" + }, + "upholstery": { + "CHS": "室内装潢, 室内装璜业" + }, + "emancipation": { + "CHS": "释放, 解放" + }, + "cannibalism": { + "CHS": "嗜食同类, 食人, 自相残杀,人吃人的", + "ENG": "If a group of people practise cannibalism, they eat the flesh of other people" + }, + "oath": { + "CHS": "誓言, 宣誓, 诅咒", + "ENG": "a formal and very serious promise" + }, + "reaper": { + "CHS": "收割者, 收割机", + "ENG": "A reaper is a machine used to cut and gather crops" + }, + "astringent": { + "CHS": "收敛剂", + "ENG": "a liquid used to make your skin less oily or to stop a wound from bleeding" + }, + "revenue": { + "CHS": "收入, 国家的收入, 税收", + "ENG": "money that a business or organization receives over a period of time, especially from selling goods or services" + }, + "contraction": { + "CHS": "收缩, 缩写式, 紧缩", + "ENG": "a very strong and painful movement of a muscle, especially the muscles around the womb during birth" + }, + "proceeds": { + "CHS": "收益", + "ENG": "the money that is obtained from doing something or selling something" + }, + "lucre": { + "CHS": "收益, 钱财", + "ENG": "money or wealth – used to show disapproval" + }, + "accordion": { + "CHS": "手风琴", + "ENG": "a musical instrument like a large box that you hold in both hands. You play it by pressing the sides together and pulling them out again, while you push buttons and key s ." + }, + "scripture": { + "CHS": "手稿, 文件, [Scripture] 基督教(圣经), 经文", + "ENG": "the Bible" + }, + "manuscript": { + "CHS": "手稿, 原稿", + "ENG": "a book or piece of writing before it is printed" + }, + "manacle": { + "CHS": "手铐, 脚镣, 束缚", + "ENG": "an iron ring on a chain that is put around the wrist or ankle of a prisoner" + }, + "shackle": { + "CHS": "手铐, 脚镣, 桎梏, 束缚物", + "ENG": "one of a pair of metal rings joined by a chain that are used for fastening together a prisoner’s hands or feet, so that they cannot move easily or escape" + }, + "pistol": { + "CHS": "手枪", + "ENG": "a small gun you can use with one hand" + }, + "holster": { + "CHS": "手枪用的皮套", + "ENG": "a leather object for carrying a small gun, that is worn on a belt" + }, + "pantomime": { + "CHS": "手势, 哑剧, 舞剧", + "ENG": "a method of performing using only actions and not words, or a play performed using this method" + }, + "finesse": { + "CHS": "手腕, 精密技巧, 灵巧, 策略, 手段", + "ENG": "if you do something with finesse, you do it with a lot of skill and style" + }, + "chiromancy": { + "CHS": "手相术" + }, + "tutelary": { + "CHS": "守护神, 守护圣徒", + "ENG": "a tutelary person, deity, or saint " + }, + "frump": { + "CHS": "守旧者, 邋遢的女人", + "ENG": "a woman who is dowdy, drab, or unattractive " + }, + "primate": { + "CHS": "首领, 大主教, 灵长类的动物", + "ENG": "a member of the group of animals that includes humans and monkeys" + }, + "venality": { + "CHS": "受贿" + }, + "beneficiary": { + "CHS": "受惠者, 受益人", + "ENG": "someone who gets advantages from an action or change" + }, + "authorization": { + "CHS": "授权, 认可", + "ENG": "official permission to do something, or the document giving this permission" + }, + "warrant": { + "CHS": "授权, 正当理由, 根据, 证明, 凭证, 委任状, 批准, 许可证", + "ENG": "a legal document that is signed by a judge, allowing the police to take a particular action" + }, + "investiture": { + "CHS": "授职, 授权, 覆盖物" + }, + "hide": { + "CHS": "兽皮, 皮革", + "ENG": "an animal’s skin, especially when it has been removed to be used for leather" + }, + "herd": { + "CHS": "兽群, 牧群", + "ENG": "a group of animals of one kind that live and feed together" + }, + "veterinary": { + "CHS": "兽医" + }, + "satchel": { + "CHS": "书包, 小背包", + "ENG": "a leather bag that you carry over your shoulder, used especially in the past by children for carrying books to school" + }, + "calligraphy": { + "CHS": "书法", + "ENG": "the art of producing beautiful writing using special pens or brushes, or the writing produced this way" + }, + "epistle": { + "CHS": "书信, 使徒书, 书信体诗文", + "ENG": "a long or important letter" + }, + "canzonet": { + "CHS": "抒情而轻快的歌曲, 小调", + "ENG": "a short cheerful or lively song, typically of the 16th to 18th centuries " + }, + "lyric": { + "CHS": "抒情诗, 歌词", + "ENG": "the words of a song" + }, + "pivot": { + "CHS": "枢轴, 支点, (讨论的)中心点, 重点", + "ENG": "a central point or pin on which something balances or turns" + }, + "negligence": { + "CHS": "疏忽", + "ENG": "failure to take enough care over something that you are responsible for" + }, + "estrangement": { + "CHS": "疏远", + "ENG": "Estrangement is the state of being estranged from someone or the length of time for which you are estranged" + }, + "olericulture": { + "CHS": "蔬菜栽培, 蔬菜园艺" + }, + "redemption": { + "CHS": "赎回, 偿还, 拯救, 履行", + "ENG": "the state of being freed from the power of evil, believed by Christians to be made possible by Jesus Christ" + }, + "atonement": { + "CHS": "赎罪, 弥补", + "ENG": "something you do to show that you are sorry for having done something wrong" + }, + "familiarity": { + "CHS": "熟悉, 通晓, 亲密, 熟悉, 精通", + "ENG": "a good knowledge of a particular subject or place" + }, + "attribute": { + "CHS": "属性, 品质, 特征, 加于, 归结于", + "ENG": "a quality or feature, especially one that is considered to be good or useful" + }, + "glossary": { + "CHS": "术语表" + }, + "terminology": { + "CHS": "术语学", + "ENG": "the technical words or expressions that are used in a particular subject" + }, + "stock": { + "CHS": "树干, 库存, 股票, 股份, 托盘, 祖先, 血统, 原料", + "ENG": "the part of a gun that you hold or put against your shoulder, usually made of wood" + }, + "hedge": { + "CHS": "树篱, 障碍物", + "ENG": "a row of small bushes or trees growing close together, usually dividing one field or garden from another" + }, + "sapling": { + "CHS": "树苗, 小树", + "ENG": "a young tree" + }, + "dendrology": { + "CHS": "树木学", + "ENG": "the branch of botany that is concerned with the natural history of trees and shrubs " + }, + "bark": { + "CHS": "树皮, 吠声", + "ENG": "the sharp loud sound made by a dog" + }, + "foliage": { + "CHS": "树叶, 植物", + "ENG": "The leaves of a plant are referred to as its foliage" + }, + "sap": { + "CHS": "树液, 体液, 活力, 坑道, 笨人, 傻子", + "ENG": "the watery substance that carries food through a plant" + }, + "umbrage": { + "CHS": "树荫, 不快" + }, + "arboretum": { + "CHS": "树园, 植物园", + "ENG": "a place where trees are grown for scientific study" + }, + "chandelier": { + "CHS": "树枝形的装饰灯", + "ENG": "a large round frame for holding candle s or lights that hangs from the ceiling and is decorated with small pieces of glass" + }, + "stake": { + "CHS": "树桩", + "ENG": "a pointed piece of wood, metal etc, especially one that is pushed into the ground to support something or mark a particular place" + }, + "jigsaw": { + "CHS": "竖锯", + "ENG": "a tool for cutting out shapes in thin pieces of wood" + }, + "decrepitude": { + "CHS": "衰老, 老朽, 老耄" + }, + "debility": { + "CHS": "衰弱, 无活力", + "ENG": "weakness, especially as the result of illness" + }, + "languor": { + "CHS": "衰弱无力" + }, + "quibble": { + "CHS": "双关语, 遁辞, 谬论" + }, + "grig": { + "CHS": "爽朗的人, 轻松愉快的人" + }, + "water": { + "CHS": "水, 雨水, 海水, 水位, 水面, 流体", + "ENG": "the clear liquid without colour, smell, or taste that falls as rain and that is used for drinking, washing etc" + }, + "gutter": { + "CHS": "水槽, 檐槽, 排水沟, 槽, 贫民区", + "ENG": "the low part at the edge of a road where water collects and flows away" + }, + "rhinestone": { + "CHS": "水晶之一种, 人造钻石" + }, + "puddle": { + "CHS": "水坑, 胶土, 污水坑,", + "ENG": "a small pool of liquid, especially rainwater" + }, + "mariner": { + "CHS": "水手", + "ENG": "a sailor " + }, + "cistern": { + "CHS": "水塔, 蓄水池" + }, + "sluice": { + "CHS": "水闸, 泄水", + "ENG": "a passage for water to flow through, with a special gate which can be opened or closed to control it" + }, + "slumber": { + "CHS": "睡眠", + "ENG": "sleep" + }, + "pliant": { + "CHS": "顺从" + }, + "deference": { + "CHS": "顺从, 尊重", + "ENG": "polite behaviour that shows that you respect someone and are therefore willing to accept their opinions or judgment" + }, + "persuasive": { + "CHS": "说服者, 劝诱" + }, + "homiletics": { + "CHS": "说教术" + }, + "illustration": { + "CHS": "说明, 例证, 例子, 图表, 插图插图,图解", + "ENG": "a picture in a book, article etc, especially one that helps you to understand it" + }, + "veracity": { + "CHS": "说真实话, 老实, 诚实, (感觉, 衡量等)准确性, 精确性", + "ENG": "the fact of being true or correct" + }, + "baton": { + "CHS": "司令棒, 指挥棒, 警棍", + "ENG": "a short thin stick used by a conductor (= the leader of a group of musicians ) to direct the music" + }, + "clique": { + "CHS": "私党, 小圈子, 派系, 阀", + "ENG": "a small group of people who think they are special and do not want other people to join them – used to show disapproval" + }, + "lynch": { + "CHS": "私刑, 诽谤" + }, + "nostalgia": { + "CHS": "思家病, 乡愁, 向往过去, 怀旧之情", + "ENG": "Nostalgia is an affectionate feeling you have for the past, especially for a particularly happy time" + }, + "speculation": { + "CHS": "思索, 做投机买卖", + "ENG": "when you try to make a large profit by buying goods, property, shares etc and then selling them" + }, + "stoicism": { + "CHS": "斯多葛哲学,斯多葛学派" + }, + "fizzle": { + "CHS": "嘶嘶声, 微弱地结束,失败" + }, + "rote": { + "CHS": "死记硬背, 机械的做法, 生搬硬套", + "ENG": "when you learn something by repeating it many times, without thinking about it carefully or without understanding it" + }, + "carrion": { + "CHS": "死肉, 腐肉", + "ENG": "the decaying flesh of dead animals, which is eaten by some animals and birds" + }, + "cadaver": { + "CHS": "死尸, 尸体", + "ENG": "a dead human body, especially one used for study" + }, + "deadlock": { + "CHS": "死锁, 僵局", + "ENG": "a situation in which a disagreement cannot be settled" + }, + "executioner": { + "CHS": "死刑执行人, 刽子手", + "ENG": "someone whose job is to execute criminals" + }, + "quadrangle": { + "CHS": "四角形, 四边形, 方院, 方庭(尤指牛津大学等学院中者)", + "ENG": "a square open area with buildings all around it, especially at a school or college" + }, + "sprawl": { + "CHS": "四肢伸开的躺卧姿势, 蔓生" + }, + "quartet": { + "CHS": "四重奏, 四重唱, 四部合奏(唱)曲", + "ENG": "four singers or musicians who sing or play together" + }, + "deification": { + "CHS": "祀为神, 神格化, 奉若神明", + "ENG": "If you talk about the deification of someone or something, you mean that they are regarded with very great respect and are not criticized at all" + }, + "fodder": { + "CHS": "饲料, 草料, (创作的)素材, 弹药", + "ENG": "food for farm animals" + }, + "relaxation": { + "CHS": "松弛, 放宽, 缓和, 减轻, 娱乐", + "ENG": "a way of resting and enjoying yourself" + }, + "laxity": { + "CHS": "松驰" + }, + "grouse": { + "CHS": "松鸡, 牢骚", + "ENG": "a small bird that is hunted and shot for food and sport, or the flesh of this bird" + }, + "pine": { + "CHS": "松树, 树木", + "ENG": "a tall tree with long hard sharp leaves that do not fall off in winter" + }, + "shrug": { + "CHS": "耸肩", + "ENG": "a movement of your shoulders upwards and then downwards again that you make to show that you do not know something or do not care about something" + }, + "shyster": { + "CHS": "讼棍, 奸诈之徒(尤指政客)" + }, + "panegyric": { + "CHS": "颂词, 推崇备至", + "ENG": "a speech or piece of writing that praises someone or something a lot" + }, + "ode": { + "CHS": "颂诗, 赋", + "ENG": "a poem or song written in order to praise a person or thing" + }, + "resurgence": { + "CHS": "苏醒", + "ENG": "the reappearance and growth of something that was common in the past" + }, + "laity": { + "CHS": "俗人, 外行" + }, + "nonsuit": { + "CHS": "诉讼驳回", + "ENG": "an order of a judge dismissing a suit when the plaintiff fails to show he has a good cause of action or fails to produce any evidence " + }, + "litigant": { + "CHS": "诉讼人", + "ENG": "someone who is making a claim against someone or defending themselves against a claim in a court of law" + }, + "clientele": { + "CHS": "诉讼委托人, 客户", + "ENG": "The clientele of a place or organization are its customers or clients" + }, + "velocity": { + "CHS": "速度, 速率, 迅速, 周转率", + "ENG": "the speed of something that is moving in a particular direction" + }, + "stenography": { + "CHS": "速记, 速记法", + "ENG": "a fast way of writing in which you use special signs or short forms of words, used especially to record what someone is saying" + }, + "plastic": { + "CHS": "塑胶, 可塑体, 塑料制品, 整形", + "ENG": "a light strong material that is produced by a chemical process, and which can be made into different shapes when it is soft" + }, + "abacus": { + "CHS": "算盘", + "ENG": "a frame with small balls that can be slid along on thick wires, used for counting and calculating" + }, + "arithmetic": { + "CHS": "算术, 算法", + "ENG": "the science of numbers involving adding, multiplying etc" + }, + "marrow": { + "CHS": "髓, 骨髓, 精华, 活力, <苏格兰>配偶", + "ENG": "the soft fatty substance in the hollow centre of bones" + }, + "tatter": { + "CHS": "碎布", + "ENG": "torn or ragged pieces, esp of material " + }, + "spall": { + "CHS": "碎片", + "ENG": "a splinter or chip of ore, rock, or stone " + }, + "debris": { + "CHS": "碎片, 残骸", + "ENG": "the pieces of something that are left after it has been destroyed in an accident, explosion etc" + }, + "shred": { + "CHS": "碎片, 破布, 少量剩余, 最少量", + "ENG": "a small thin piece that is torn or cut roughly from something" + }, + "smithereens": { + "CHS": "碎片, 碎屑", + "ENG": "If something is blown or smashed to smithereens, it breaks into very small pieces" + }, + "rubble": { + "CHS": "碎石", + "ENG": "broken stones or bricks from a building or wall that has been destroyed" + }, + "detritus": { + "CHS": "碎石", + "ENG": "pieces of waste that remain after something has been broken up or used" + }, + "scree": { + "CHS": "碎石, 卵石, 满布石块的山, 遍地小石的山的斜坡", + "ENG": "an area of loose soil and broken rocks on the side of a mountain" + }, + "macadam": { + "CHS": "碎石, 碎石路", + "ENG": "a road surface made of a mixture of broken stones and tar or asphalt " + }, + "offal": { + "CHS": "碎屑, 残渣, 废弃物, 垃圾, (猪、牛、羊等屠宰后的)头, 尾, 下水", + "ENG": "the inside parts of an animal, for example the heart, liver, and kidneys used as food" + }, + "crumb": { + "CHS": "碎屑, 面包屑, 少许", + "ENG": "a very small piece of dry food, especially bread or cake" + }, + "tassel": { + "CHS": "穗, 缨", + "ENG": "threads tied together at one end and hung as a decoration on clothes, curtains etc" + }, + "spike": { + "CHS": "穗, 长钉, 钉鞋, 女高跟鞋, 道钉", + "ENG": "shoes with metal points on the bottom, worn by people who run races, play golf etc" + }, + "lesion": { + "CHS": "损害, 身体上的伤害", + "ENG": "damage to someone’s skin or part of their body such as their stomach or brain, caused by injury or illness" + }, + "detriment": { + "CHS": "损害, 损害物", + "ENG": "harm or damage" + }, + "depletion": { + "CHS": "损耗" + }, + "peregrine": { + "CHS": "隼" + }, + "mortise": { + "CHS": "榫眼, 印刷版穴", + "ENG": "a hole cut in a piece of wood or stone so that the shaped end of another piece will fit there firmly" + }, + "indent": { + "CHS": "缩进, 契约, 订货单, 凹痕", + "ENG": "an official order for goods or equipment" + }, + "indentation": { + "CHS": "缩排, 呈锯齿状, 缺口, 印凹痕", + "ENG": "a cut into the surface or edge of something" + }, + "miniature": { + "CHS": "缩小的模型, 缩图, 缩影", + "ENG": "exactly like something or someone but much smaller" + }, + "abbreviation": { + "CHS": "缩写, 缩写词", + "ENG": "a short form of a word or expression" + }, + "desideratum": { + "CHS": "所愿望之物, 迫切需要之物" + }, + "rig": { + "CHS": "索具装备, 钻探设备, 钻探平台, 钻塔", + "ENG": "a large structure that is used for getting oil from the ground under the sea" + }, + "trivia": { + "CHS": "琐事", + "ENG": "unimportant or useless details" + }, + "trifle": { + "CHS": "琐事, 少量, 蛋糕, 小事", + "ENG": "something unimportant or not valuable" + }, + "pylon": { + "CHS": "塔门, 路标塔" + }, + "treadmill": { + "CHS": "踏车, 单调的工作", + "ENG": "work or a way of life that seems very boring because you always have to do the same things" + }, + "foetus": { + "CHS": "胎儿", + "ENG": "a baby or young animal before it is born" + }, + "fetus": { + "CHS": "胎儿", + "ENG": "A fetus is an animal or human being in its later stages of development before it is born" + }, + "muscology": { + "CHS": "苔藓植物学" + }, + "avarice": { + "CHS": "贪财, 贪婪", + "ENG": "a desire to have a lot of money that is considered to be too strong" + }, + "rapacity": { + "CHS": "贪婪, 掠夺", + "ENG": "Rapacity is very greedy or selfish behaviour" + }, + "voracity": { + "CHS": "贪食, 贪婪" + }, + "cupidity": { + "CHS": "贪心, 贪婪", + "ENG": "very strong desire for something, especially money or property" + }, + "esurience": { + "CHS": "贪心,贪婪" + }, + "paralysis": { + "CHS": "瘫痪, 麻痹", + "ENG": "the loss of the ability to move all or part of your body or feel things in it" + }, + "palaver": { + "CHS": "谈判, 交涉, 闲聊" + }, + "tango": { + "CHS": "探戈", + "ENG": "a fast dance from South America, or a piece of music for this dance" + }, + "probing": { + "CHS": "探通术", + "ENG": "A probe is a long thin instrument that doctors and dentists use to examine parts of the body" + }, + "exploration": { + "CHS": "探险, 踏勘, 探测, [医](伤处等的)探查, 探察术", + "ENG": "the act of travelling through a place in order to find out about it or find something such as oil or gold in it" + }, + "probe": { + "CHS": "探针, 探测器", + "ENG": "a long thin metal instrument that doctors and scientists use to examine parts of the body" + }, + "confection": { + "CHS": "糖果, 蜜饯, 调制, [药]糖膏(剂), 精制工艺品" + }, + "saccharin": { + "CHS": "糖精", + "ENG": "a chemical substance that tastes sweet and is used instead of sugar in drinks" + }, + "treacle": { + "CHS": "糖蜜, 甜蜜, 过分甜蜜的声调", + "ENG": "a thick sweet black sticky liquid that is obtained from raw sugar and used in cooking" + }, + "icing": { + "CHS": "糖衣, 结冰", + "ENG": "a mixture made from very fine light sugar and liquid, used to cover cakes" + }, + "scald": { + "CHS": "烫伤,烫洗", + "ENG": "a burn on your skin caused by hot liquid or steam" + }, + "truancy": { + "CHS": "逃避", + "ENG": "when students deliberately stay away from school without permission" + }, + "peach": { + "CHS": "桃子, 桃树, 桃色, <美俚>受人喜欢的人(或物)", + "ENG": "a round juicy fruit that has a soft yellow or red skin and a large, hard seed in the centre, or the tree that this fruit grows on" + }, + "crockery": { + "CHS": "陶器, 瓦器", + "ENG": "cups, dishes, plates etc" + }, + "colloquium": { + "CHS": "讨论会", + "ENG": "a conference " + }, + "symposium": { + "CHS": "讨论会, 座谈会", + "ENG": "a formal meeting in which people who know a lot about a particular subject have discussions about it" + }, + "sourpuss": { + "CHS": "讨人嫌的家伙" + }, + "noose": { + "CHS": "套索, 束缚, 陷阱, (the noose)绞刑", + "ENG": "A noose is a circular loop at the end of a piece of rope or wire. A noose is tied with a knot that allows it to be tightened, and it is usually used to trap animals or hang people. " + }, + "prerogative": { + "CHS": "特权", + "ENG": "a right that someone has, especially because of their importance or social position" + }, + "privilege": { + "CHS": "特权, 特别待遇, 基本公民权力, 特免", + "ENG": "a special advantage that is given only to one person or group of people" + }, + "idiosyncrasy": { + "CHS": "特质, 特性", + "ENG": "an unusual or unexpected feature that something has" + }, + "splint": { + "CHS": "藤条, 薄木条, 薄金属片, (外科用的)夹板", + "ENG": "a flat piece of wood, metal etc used for keeping a broken bone in position while it mends" + }, + "terrace": { + "CHS": "梯田的一层, 梯田, 房屋之平顶, 露台, 阳台, 倾斜的平地", + "ENG": "a flat outdoor area next to a building or on a roof, where you can sit outside to eat, relax etc" + }, + "allusion": { + "CHS": "提及, 暗示", + "ENG": "something said or written that mentions a subject, person etc indirectly" + }, + "exaltation": { + "CHS": "提升, 提高, 兴奋, 得意洋洋", + "ENG": "a very strong feeling of happiness" + }, + "hoist": { + "CHS": "提升间, 升起", + "ENG": "a movement that lifts something up" + }, + "prompt": { + "CHS": "提示, 付款期限", + "ENG": "a sign on a computer screen which shows that the computer has finished one operation and is ready to begin the next" + }, + "inscription": { + "CHS": "题字, 碑铭", + "ENG": "a piece of writing inscribed on a stone, in the front of a book etc" + }, + "hoof": { + "CHS": "蹄", + "ENG": "the hard foot of an animal such as a horse, cow etc" + }, + "embodiment": { + "CHS": "体现, 具体化, 化身", + "ENG": "someone or something that represents or is very typical of an idea or quality" + }, + "razor": { + "CHS": "剃刀", + "ENG": "a tool with a sharp blade, used to remove hair from your skin" + }, + "scuttle": { + "CHS": "天窗, 舱室小孔, 煤桶, 急速逃走" + }, + "patio": { + "CHS": "天井, 院子" + }, + "firmament": { + "CHS": "天空, 太空, 苍天", + "ENG": "the sky or heaven" + }, + "azure": { + "CHS": "天蓝色, 苍天, 碧空" + }, + "canopy": { + "CHS": "天篷, 遮篷", + "ENG": "the leaves and branches of trees, that make a kind of roof in a forest" + }, + "lodestone": { + "CHS": "天然磁石, 吸引人的东西", + "ENG": "a piece of iron that acts as a magnet" + }, + "antenna": { + "CHS": "天线", + "ENG": "a wire rod etc used for receiving radio and television signals" + }, + "naivety": { + "CHS": "天真烂漫, 无邪的行为" + }, + "catholic": { + "CHS": "天主教徒", + "ENG": "A Catholic is a member of the Catholic Church" + }, + "idyll": { + "CHS": "田园诗, 牧歌" + }, + "beet": { + "CHS": "甜菜, 甜菜根", + "ENG": "a vegetable that sugar is made from" + }, + "concoction": { + "CHS": "调合, 混合, 调合物" + }, + "palette": { + "CHS": "调色板, 颜料", + "ENG": "a thin curved board that an artist uses to mix paints, holding it by putting his or her thumb through a hole at the edge" + }, + "ketchup": { + "CHS": "调味蕃茄酱", + "ENG": "a thick cold red sauce made from tomatoes that you put on food" + }, + "flavouring": { + "CHS": "调味料", + "ENG": "a substance used to give something a particular flavour or increase its flavour" + }, + "condiment": { + "CHS": "调味品", + "ENG": "a powder or liquid, such as salt or ketchup , that you use to give a special taste to food" + }, + "seasoning": { + "CHS": "调味品, 调料", + "ENG": "salt, pepper, spices etc that give food a more interesting taste" + }, + "dalliance": { + "CHS": "调戏, 调情", + "ENG": "If two people have a brief romantic relationship, you can say that they have a dalliance with each other, especially if they do not take it seriously" + }, + "caper": { + "CHS": "跳跃", + "ENG": "a short jumping or dancing movement" + }, + "audition": { + "CHS": "听, 听力, 试听", + "ENG": "An audition is a short performance given by an actor, dancer, or musician so that a director or conductor can decide if they are good enough to be in a play, film, or orchestra" + }, + "stethoscope": { + "CHS": "听诊器", + "ENG": "an instrument that a doctor uses to listen to your heart or breathing" + }, + "kiosk": { + "CHS": "亭子" + }, + "mooring": { + "CHS": "停泊处", + "ENG": "the place where a ship or boat is moored" + }, + "berth": { + "CHS": "停泊处, 卧铺(口语)职业", + "ENG": "a place where a ship can stop and be tied up" + }, + "mortuary": { + "CHS": "停尸房, 太平间", + "ENG": "a building or room, for example in a hospital, where dead bodies are kept before they are buried or cremate d " + }, + "armistice": { + "CHS": "停战, 休战", + "ENG": "an agreement to stop fighting" + }, + "surcease": { + "CHS": "停止", + "ENG": "cessation or intermission " + }, + "cessation": { + "CHS": "停止", + "ENG": "a pause or stop" + }, + "halt": { + "CHS": "停止, 暂停, 中断", + "ENG": "a stop or pause" + }, + "vent": { + "CHS": "通风孔, 出烟孔, 出口, (感情等的)发泄", + "ENG": "a hole or pipe through which gases, liquid etc can enter or escape from an enclosed space or container" + }, + "access": { + "CHS": "通路, 访问, 入门", + "ENG": "the way you use to enter a building or reach a place" + }, + "correspondent": { + "CHS": "通讯记者, 通信者", + "ENG": "someone who is employed by a newspaper or a television station etc to report news from a particular area or on a particular subject" + }, + "mort": { + "CHS": "通知猎物已死的号角声, 大量, 许多", + "ENG": "a call blown on a hunting horn to signify the death of the animal hunted " + }, + "par": { + "CHS": "同等, (股票等)票面价值", + "ENG": "the value of a stock or bond that is printed on it when it is first sold" + }, + "equivalence": { + "CHS": "同等, [化]等价, 等值", + "ENG": "If there is equivalence between two things, they have the same use, function, size, or value" + }, + "peer": { + "CHS": "同等的人, 贵族", + "ENG": "your peers are the people who are the same age as you, or who have the same type of job, social class etc" + }, + "coterie": { + "CHS": "同行, 圈内人, 伙伴" + }, + "accomplice": { + "CHS": "同谋者, 帮凶", + "ENG": "a person who helps someone such as a criminal to do something wrong" + }, + "conspirator": { + "CHS": "同谋者, 阴谋者, 反叛者", + "ENG": "A conspirator is a person who joins a conspiracy" + }, + "compassion": { + "CHS": "同情,怜悯", + "ENG": "a strong feeling of sympathy for someone who is suffering, and a desire to help them" + }, + "concurrent": { + "CHS": "同时发生的事件" + }, + "homograph": { + "CHS": "同形异义字", + "ENG": "a word that is spelled the same as another, but is different in meaning, origin, grammar, or pronunciation. For example, the noun ‘record’ is a homograph of the verb ‘record’." + }, + "queer": { + "CHS": "同性恋者", + "ENG": "an offensive word for a homosexual person, especially a man. Do not use this word." + }, + "agreement": { + "CHS": "同意, 一致, 协定, 协议", + "ENG": "an arrangement or promise to do something, made by two or more people, companies, organizations etc" + }, + "homeopathy": { + "CHS": "同种疗法", + "ENG": "a system of medicine in which a disease is treated by giving extremely small amounts of a substance that causes the disease" + }, + "verdigris": { + "CHS": "铜绿, 碱性碳酸铜, 碱性醋酸铜", + "ENG": "a greenish-blue substance that sometimes appears on copper or brass" + }, + "patina": { + "CHS": "铜绿, 绿锈, 薄层, 光泽, 古色", + "ENG": "a greenish layer that forms naturally on the surface of copper or bronze " + }, + "governance": { + "CHS": "统治, 管理, 统辖", + "ENG": "the act or process of governing" + }, + "pathos": { + "CHS": "痛苦, 感伤, 悲怅, 哀婉" + }, + "anguish": { + "CHS": "痛苦, 苦恼", + "ENG": "mental or physical suffering caused by extreme pain or worry" + }, + "affliction": { + "CHS": "痛苦, 苦恼", + "ENG": "something that causes pain or suffering, especially a medical condition" + }, + "swig": { + "CHS": "痛饮, 大喝(尤指从瓶口喝的)", + "ENG": "Swig is also a noun" + }, + "stowaway": { + "CHS": "偷渡者, 匿身处", + "ENG": "A stowaway is a person who hides in a ship, aeroplane, or other vehicle in order to make a journey secretly or without paying" + }, + "sluggard": { + "CHS": "偷懒者, 懒鬼, 游手好闲的人", + "ENG": "a person who is habitually indolent " + }, + "fillet": { + "CHS": "头带, 带子, 肉片, 鱼片", + "ENG": "a piece of meat or fish without bones" + }, + "hood": { + "CHS": "头巾, 兜帽, 车蓬, 引擎罩", + "ENG": "the metal covering over the engine on a car" + }, + "helmet": { + "CHS": "头盔, 钢盔", + "ENG": "a strong hard hat that soldiers, motorcycle riders, the police etc wear to protect their heads" + }, + "skull": { + "CHS": "头脑, 头骨", + "ENG": "the bones of a person’s or animal’s head" + }, + "suffrage": { + "CHS": "投票, 选举权, 参政权, [宗]代祷", + "ENG": "the right to vote in national elections" + }, + "jettison": { + "CHS": "投弃, 投弃货物" + }, + "sling": { + "CHS": "投石器, 弹弓, 投掷, 钩悬带, 吊索", + "ENG": "a piece of cloth tied around your neck to support an injured arm or hand" + }, + "pelt": { + "CHS": "投掷, 疾行, 毛皮", + "ENG": "the fur or hair of a living animal" + }, + "clairvoyance": { + "CHS": "透视, 洞察力, 千里眼", + "ENG": "the alleged power of perceiving things beyond the natural range of the senses " + }, + "perspective": { + "CHS": "透视画法, 透视图, 远景, 前途, 观点, 看法, 观点, 观察", + "ENG": "a way of thinking about something, especially one which is influenced by the type of person you are or by your experiences" + }, + "typography": { + "CHS": "凸版印刷术, 排印印刷样式", + "ENG": "the work of preparing written material for printing" + }, + "bulge": { + "CHS": "凸出部分", + "ENG": "a curved mass on the surface of something, usually caused by something under or inside it" + }, + "lurch": { + "CHS": "突然倾斜, 挫折, 举步蹒跚, 徘徊, 困境", + "ENG": "Lurch is also a noun" + }, + "ejaculation": { + "CHS": "突然说出, 射精, 射出" + }, + "icon": { + "CHS": "图标, 肖像, 偶像", + "ENG": "a small sign or picture on a computer screen that is used to start a particular operation" + }, + "totem": { + "CHS": "图腾, 标识, 徽章", + "ENG": "an animal, plant etc that is thought to have a special spiritual connection with a particular tribe, especially in North America, or a figure made to look like the animal etc" + }, + "bumpkin": { + "CHS": "土包子, 乡巴佬", + "ENG": "someone from the countryside who is considered to be stupid" + }, + "demesne": { + "CHS": "土地之所有, 领地, 私有地", + "ENG": "land, esp surrounding a house or manor, retained by the owner for his own use " + }, + "soil": { + "CHS": "土壤, 土地, 国土, 国家, 温床, 粪便, 务农", + "ENG": "the top layer of the earth in which plants grow" + }, + "aborigine": { + "CHS": "土著居民(尤指澳大利亚土著居民)", + "ENG": "someone who belongs to the race of people who have lived in Australia from the earliest times" + }, + "regiment": { + "CHS": "团, 大群", + "ENG": "a large group of soldiers, usually consisting of several battalion s " + }, + "solidarity": { + "CHS": "团结", + "ENG": "loyalty and general agreement between all the people in a group, or between different groups, because they all have a shared aim" + }, + "impulse": { + "CHS": "推动, 刺激, 冲动, 推动力", + "ENG": "a reason or aim that causes a particular kind of activity or behaviour" + }, + "impetus": { + "CHS": "推动力, 促进", + "ENG": "an influence that makes something happen or makes it happen more quickly" + }, + "presenter": { + "CHS": "推荐者" + }, + "propulsion": { + "CHS": "推进, 推进力" + }, + "propeller": { + "CHS": "推进者, 推进物, 尤指轮船, 飞机上的螺旋推进器", + "ENG": "a piece of equipment consisting of two or more blades that spin around, which makes an aircraft or ship move" + }, + "ratiocination": { + "CHS": "推理, 推论" + }, + "decadence": { + "CHS": "颓废", + "ENG": "behaviour that shows that someone has low moral standards and is more concerned with pleasure than serious matters" + }, + "ebb": { + "CHS": "退, 弱, 退潮, 衰落", + "ENG": "the flow of the sea away from the shore, when the tide goes out" + }, + "breech": { + "CHS": "臀部" + }, + "subterfuge": { + "CHS": "托词", + "ENG": "Subterfuge is a trick or a dishonest way of getting what you want" + }, + "tugboat": { + "CHS": "拖船, 拖轮" + }, + "shuffle": { + "CHS": "拖着脚走, 混乱, 蒙混, 洗纸牌", + "ENG": "a slow walk in which you do not lift your feet off the ground" + }, + "secession": { + "CHS": "脱离", + "ENG": "when a country or state officially stops being part of another country and becomes independent" + }, + "caret": { + "CHS": "脱字符号( ^ 文章中插字使用)", + "ENG": "a symbol " + }, + "gyroscope": { + "CHS": "陀螺仪, 回旋装置, 回转仪, 纵舵调整器", + "ENG": "a wheel that spins inside a frame and is used for keeping ships and aircraft steady. It can also be a child’s toy." + }, + "hump": { + "CHS": "驼峰, 驼背, 小园丘, 峰丘", + "ENG": "a raised part on the back of a camel " + }, + "ostrich": { + "CHS": "鸵鸟, 鸵鸟般的人", + "ENG": "a large African bird with long legs, that runs very quickly but cannot fly" + }, + "compromise": { + "CHS": "妥协, 折衷", + "ENG": "an agreement that is achieved after everyone involved accepts less than what they wanted at first, or the act of making this agreement" + }, + "excavation": { + "CHS": "挖掘, 发掘, 挖掘成的洞, 出土文物" + }, + "sarcasm": { + "CHS": "挖苦, 讽刺", + "ENG": "a way of speaking or writing that involves saying the opposite of what you really mean in order to make an unkind joke or to show that you are annoyed" + }, + "dredge": { + "CHS": "挖泥机, 挖泥船, 捞网", + "ENG": "a machine, in the form of a bucket ladder, grab, or suction device, used to remove material from a riverbed, channel, etc " + }, + "dredger": { + "CHS": "挖泥机, 挖泥船, 捞网, 撒粉器", + "ENG": "a machine or ship used for digging or removing mud and sand from the bottom of a river, lake etc" + }, + "semblance": { + "CHS": "外表, 伪装", + "ENG": "If there is a semblance of a particular condition or quality, it appears to exist, even though this may be a false impression" + }, + "speciosity": { + "CHS": "外表美观, 华而不实, 徒有其表, 似是而非" + }, + "outgoing": { + "CHS": "外出, 开支, 流出" + }, + "layman": { + "CHS": "外行", + "ENG": "someone who is not trained in a particular subject or type of work, especially when they are being compared with someone who is" + }, + "envoy": { + "CHS": "外交使节, 特使", + "ENG": "someone who is sent to another country as an official representative" + }, + "rind": { + "CHS": "外壳", + "ENG": "the thick outer skin of some types of fruit, such as oranges" + }, + "periphery": { + "CHS": "外围", + "ENG": "the edge of an area" + }, + "vestment": { + "CHS": "外衣, 制服, 衣服, 法衣, 祭坛布", + "ENG": "a piece of clothing worn by priests during church services" + }, + "warp": { + "CHS": "弯曲, 歪曲, 乖僻, 偏差, 乖戾, 偏见", + "ENG": "a part of something that has become bent or twisted from its original shape" + }, + "stoop": { + "CHS": "弯腰, 屈背, 屈服", + "ENG": "if you have a stoop, your shoulders are bent forward" + }, + "consummation": { + "CHS": "完成, 圆满成功, 成就", + "ENG": "when people make a marriage or relationship complete by having sex" + }, + "toy": { + "CHS": "玩具", + "ENG": "an object for children to play with" + }, + "prankster": { + "CHS": "顽皮的人, 爱开玩笑的人" + }, + "dirge": { + "CHS": "挽歌, 哀悼歌", + "ENG": "a slow sad song sung at a funeral" + }, + "circumlocution": { + "CHS": "婉转曲折的陈述", + "ENG": "the practice of using too many words to express an idea, instead of saying it directly" + }, + "panacea": { + "CHS": "万能药" + }, + "pantheon": { + "CHS": "万神殿, 罗马万神殿, 伟人祠", + "ENG": "all the gods of a particular people or nation" + }, + "reticulation": { + "CHS": "网状物" + }, + "ingratitude": { + "CHS": "忘恩, 不知恩", + "ENG": "the quality of not being grateful" + }, + "ingrate": { + "CHS": "忘恩负义者", + "ENG": "an ungrateful person" + }, + "scathe": { + "CHS": "危害, 损害, 损伤", + "ENG": "harm " + }, + "peril": { + "CHS": "危险", + "ENG": "great danger, especially of being harmed or killed" + }, + "jeopardy": { + "CHS": "危险, 危险", + "ENG": "in danger of being lost or harmed" + }, + "prowess": { + "CHS": "威力" + }, + "deterrent": { + "CHS": "威慑", + "ENG": "something that makes someone less likely to do something, by making them realize it will be difficult or have bad results" + }, + "minacity": { + "CHS": "威吓性,威胁性" + }, + "menace": { + "CHS": "威胁, 危险物", + "ENG": "something or someone that is dangerous" + }, + "bagatelle": { + "CHS": "微不足道的东西, 琐事, 小事, 弹子球戏的一种, (指钢琴的)小曲", + "ENG": "something of little value or significance; trifle " + }, + "zilch": { + "CHS": "微不足道的事物(或人), 小人物, 无, 零, 无价值之物", + "ENG": "nothing at all" + }, + "shimmer": { + "CHS": "微光", + "ENG": "Shimmer is also a noun" + }, + "gleam": { + "CHS": "微弱的闪光, 一丝光线, 瞬息的一现", + "ENG": "a small pale light, especially one that shines for a short time" + }, + "microbe": { + "CHS": "微生物, 细菌", + "ENG": "an extremely small living thing which you can only see if you use a microscope . Some microbes can cause diseases." + }, + "mite": { + "CHS": "微小的东西, <口>小孩, 力所能及的微小贡献", + "ENG": "a small child, especially one that you feel sorry for" + }, + "placebo": { + "CHS": "为死者所诵的晚祷词, 安慰剂", + "ENG": "when someone feels better after taking a placebo, even though it has not had any effect on their body" + }, + "breach": { + "CHS": "违背, 破坏, 破裂, 裂口", + "ENG": "an action that breaks a law, rule, or agreement" + }, + "contraband": { + "CHS": "违法交易, 违禁品, 走私", + "ENG": "goods that are brought into a country illegally, especially to avoid tax" + }, + "infringement": { + "CHS": "违反, 侵害", + "ENG": "An infringement is an action or situation that interferes with your rights and the freedom you are entitled to" + }, + "infraction": { + "CHS": "违反, 侵害", + "ENG": "An infraction of a rule or law is an instance of breaking it" + }, + "contravention": { + "CHS": "违反, 违背, 矛盾", + "ENG": "when someone does something that is not allowed by a law or rule" + }, + "scarf": { + "CHS": "围巾, 头巾领巾, 嵌接, 嵌接处, 切口", + "ENG": "a piece of cloth that you wear around your neck, head, or shoulders, especially to keep warm" + }, + "apron": { + "CHS": "围裙, 外表或作用类似围裙的东西, [机]挡板, 护坦", + "ENG": "a piece of clothing that covers the front part of your clothes and is tied around your waist, worn to keep your clothes clean, especially while cooking" + }, + "enclosure": { + "CHS": "围住, 围栏, 四周有篱笆或围墙的场地", + "ENG": "an area surrounded by a wall or fence, and used for a particular purpose" + }, + "mast": { + "CHS": "桅, 桅杆, 柱, 旗杆, 天线竿", + "ENG": "a tall pole on which the sails or flags on a ship are hung" + }, + "hypocrisy": { + "CHS": "伪善", + "ENG": "when someone pretends to have certain beliefs or opinions that they do not really have – used to show disapproval" + }, + "cant": { + "CHS": "伪善之言, 黑话, 隐语, 斜面, 角落", + "ENG": "insincere talk about moral or religious principles by someone who is pretending to be better than they really are" + }, + "perjury": { + "CHS": "伪誓, 伪证", + "ENG": "the crime of telling a lie after promising to tell the truth in a court of law, or a lie told in this way" + }, + "forgery": { + "CHS": "伪造物, 伪造罪, 伪造", + "ENG": "the crime of copying official documents, money etc" + }, + "forger": { + "CHS": "伪造者, 铁匠, 赝造者", + "ENG": "someone who illegally copies documents, money, paintings etc and tries to make people think they are real" + }, + "pretence": { + "CHS": "伪装", + "ENG": "a way of behaving which is intended to make people believe something that is not true" + }, + "latitude": { + "CHS": "纬度, 范围, (用复数)地区, 行动或言论的自由(范围)", + "ENG": "the distance north or south of the equator(= the imaginary line around the middle of the world ), measured in degrees" + }, + "grievance": { + "CHS": "委屈, 冤情, 不平", + "ENG": "a belief that you have been treated unfairly, or an unfair situation or event that affects and upsets you" + }, + "constituent": { + "CHS": "委托人, 要素" + }, + "commitment": { + "CHS": "委托事项, 许诺, 承担义务", + "ENG": "a promise to do something or to behave in a particular way" + }, + "sanitation": { + "CHS": "卫生, 卫生设施", + "ENG": "the protection of public health by removing and treating waste, dirty water etc" + }, + "hygiene": { + "CHS": "卫生, 卫生学", + "ENG": "the practice of keeping yourself and the things around you clean in order to prevent diseases" + }, + "mothball": { + "CHS": "卫生球, 樟脑球", + "ENG": "a small ball made of a strong-smelling chemical, used for keeping moths away from clothes" + }, + "nestling": { + "CHS": "未离巢的雏鸟, 婴儿", + "ENG": "a very young bird that cannot leave its nest because it is not yet able to fly" + }, + "recoil": { + "CHS": "畏缩, 后退, 弹回, 反作用, 后座力", + "ENG": "Recoil is also a noun" + }, + "stomach": { + "CHS": "胃, 胃口, 胃部", + "ENG": "the organ inside your body where food begins to be digested " + }, + "pepsin": { + "CHS": "胃蛋白酶, 胃液素", + "ENG": "a liquid in your stomach that changes food into a form that your body can use" + }, + "hedgehog": { + "CHS": "猬", + "ENG": "a small brown European animal whose body is round and covered with sharp needle-like spines " + }, + "hotbed": { + "CHS": "温床", + "ENG": "a place where a lot of a particular type of activity, especially bad or violent activity, happens" + }, + "clemency": { + "CHS": "温和, 仁慈, 和蔼", + "ENG": "forgiveness and less severe punishment for a crime" + }, + "greenhouse": { + "CHS": "温室, 花房", + "ENG": "a glass building used for growing plants that need warmth, light, and protection" + }, + "conservatory": { + "CHS": "温室, 音乐学校", + "ENG": "a room with glass walls and a glass roof, where plants are grown, that is usually added on to a house" + }, + "mansuetude": { + "CHS": "温顺, 柔和", + "ENG": "gentleness or mildness " + }, + "plague": { + "CHS": "瘟疫, 麻烦, 苦恼, 灾祸", + "ENG": "a disease that causes death and spreads quickly to a large number of people" + }, + "file": { + "CHS": "文件, 档案, 文件夹, 卷宗, 锉刀", + "ENG": "a set of papers, records etc that contain information about a particular person or subject" + }, + "stationery": { + "CHS": "文具, 信纸", + "ENG": "paper for writing letters, usually with matching envelopes" + }, + "illiterate": { + "CHS": "文盲", + "ENG": "someone who has not learned to read or write" + }, + "literati": { + "CHS": "文人, 文学界", + "ENG": "a small group of people in a society who know a lot about literature" + }, + "writ": { + "CHS": "文书, 正式文件, 书面命令", + "ENG": "a document from a court that orders someone to do or not to do something" + }, + "magistrate": { + "CHS": "文职官员, 地方官员", + "ENG": "someone, not usually a lawyer, who works as a judge in a local court of law, dealing with less serious crimes" + }, + "lair": { + "CHS": "窝", + "ENG": "the place where a wild animal hides and sleeps" + }, + "rabble": { + "CHS": "乌合之众, 下层社会, 拨火棍", + "ENG": "a noisy crowd of people" + }, + "blemish": { + "CHS": "污点, 缺点, 瑕疵", + "ENG": "a small mark, especially a mark on someone’s skin or on the surface of an object, that spoils its appearance" + }, + "stain": { + "CHS": "污点, 瑕疵", + "ENG": "a mark that is difficult to remove, especially one made by a liquid such as blood, coffee, or ink" + }, + "filth": { + "CHS": "污秽, 污物, 不洁, 猥亵", + "ENG": "dirt, especially a lot of it" + }, + "smutch": { + "CHS": "污迹", + "ENG": "a mark; smudge " + }, + "necromancy": { + "CHS": "巫术", + "ENG": "magic, especially evil magic" + }, + "sorcery": { + "CHS": "巫术, 魔术", + "ENG": "magic that uses the power of evil forces" + }, + "eaves": { + "CHS": "屋檐", + "ENG": "the edges of a roof that stick out beyond the walls" + }, + "bonnet": { + "CHS": "无边女帽, 童帽, 烟囱帽, 阀帽" + }, + "flatcar": { + "CHS": "无盖货车, 平台货车", + "ENG": "a railway carriage without a roof or sides, used for carrying goods" + }, + "lackluster": { + "CHS": "无光泽, 暗淡" + }, + "trash": { + "CHS": "无价值之物, 无聊的作品, 垃圾, 废物", + "ENG": "things that you throw away, such as empty bottles, used papers, food that has gone bad etc" + }, + "contumely": { + "CHS": "无礼, 傲慢, 侮辱", + "ENG": "scornful or insulting language or behaviour " + }, + "incapacity": { + "CHS": "无能力", + "ENG": "lack of the ability to do things or to do something" + }, + "atheism": { + "CHS": "无神论", + "ENG": "the belief that God does not exist" + }, + "lethargy": { + "CHS": "无生气" + }, + "wold": { + "CHS": "无树木的山地, 荒野" + }, + "myriad": { + "CHS": "无数, 无数的人或物, <诗>一万", + "ENG": "a very large number of things" + }, + "intrepidity": { + "CHS": "无畏" + }, + "infinity": { + "CHS": "无限, 无穷大", + "ENG": "a space or distance without limits or an end" + }, + "discredit": { + "CHS": "无信用, 疑惑, 不名誉, 耻辱", + "ENG": "the loss of other people’s respect or trust" + }, + "nonesuch": { + "CHS": "无以匹敌的人, 典范", + "ENG": "a matchless person or thing; nonpareil " + }, + "futility": { + "CHS": "无益, 无用, 轻浮的言行", + "ENG": "Futility is a total lack of purpose or usefulness" + }, + "anarchy": { + "CHS": "无政府状态, 政治混乱", + "ENG": "a situation in which there is no effective government in a country or no order in an organization or situation" + }, + "ignorance": { + "CHS": "无知, 不知", + "ENG": "lack of knowledge or information about something" + }, + "limerick": { + "CHS": "五行打油诗(一种通俗幽默短诗,有五行组成,韵式为aabba)", + "ENG": "a humorous short poem that has five lines that rhyme" + }, + "groveler": { + "CHS": "五体投地的人, 卑恭屈节的人" + }, + "insolent": { + "CHS": "侮慢无礼的人" + }, + "terpsichorean": { + "CHS": "舞蹈家", + "ENG": "a dancer " + }, + "choreography": { + "CHS": "舞蹈术, 舞台舞蹈", + "ENG": "the art of arranging how dancers should move during a performance" + }, + "ballroom": { + "CHS": "舞厅, 跳舞场", + "ENG": "a very large room used for dancing on formal occasions" + }, + "barter": { + "CHS": "物品交换, 实物交易", + "ENG": "Barter is also a noun" + }, + "fetish": { + "CHS": "物神, 迷信, 偶像", + "ENG": "If you say that someone has a fetish for doing something, you disapprove of the fact that they do it very often or enjoy it very much" + }, + "brume": { + "CHS": "雾, 霭", + "ENG": "heavy mist or fog " + }, + "gloaming": { + "CHS": "夕幕, 薄明, 黄昏", + "ENG": "the time in the early evening when it is becoming dark" + }, + "picayunish": { + "CHS": "西班牙小币, 不值钱东西" + }, + "zephyr": { + "CHS": "西风, (诗)和风, 徐风", + "ENG": "a soft gentle wind" + }, + "vampire": { + "CHS": "吸血鬼", + "ENG": "in stories, a dead person that sucks people’s blood by biting their necks" + }, + "iota": { + "CHS": "希腊语字母第 9位, 极微小" + }, + "subtlety": { + "CHS": "稀薄, 微妙, 精明", + "ENG": "a thought, idea, or detail that is important but difficult to notice or understand" + }, + "dilution": { + "CHS": "稀释, 稀释法,冲淡物", + "ENG": "A dilution is a liquid that has been diluted with water or another liquid, so that it becomes weaker" + }, + "frolic": { + "CHS": "嬉闹", + "ENG": "a fun enjoyable game or activity" + }, + "mat": { + "CHS": "席子, 垫子", + "ENG": "a small piece of thick rough material which covers part of a floor" + }, + "inroad": { + "CHS": "袭击" + }, + "incursion": { + "CHS": "袭击, 侵入", + "ENG": "a sudden attack into an area that belongs to other people" + }, + "raid": { + "CHS": "袭击, 搜捕", + "ENG": "a short attack on a place by soldiers, planes, or ships, intended to cause damage but not take control" + }, + "beau": { + "CHS": "喜修饰者, 纨绔子弟, 情郎, 求爱者", + "ENG": "A woman's beau is her boyfriend or lover" + }, + "legerdemain": { + "CHS": "戏法, 骗术, 诡辩, 巧妙的花招", + "ENG": "when you deceive people cleverly" + }, + "persiflage": { + "CHS": "戏弄, 挖苦" + }, + "minutia": { + "CHS": "细节, 琐事, 细目" + }, + "bacteria": { + "CHS": "细菌", + "ENG": "very small living things, some of which cause illness or disease" + }, + "filament": { + "CHS": "细丝, 灯丝", + "ENG": "a very thin thread or wire" + }, + "sleave": { + "CHS": "细丝, 乱丝" + }, + "nuance": { + "CHS": "细微差别", + "ENG": "a very slight, hardly noticeable difference in manner, colour, meaning etc" + }, + "drizzle": { + "CHS": "细雨", + "ENG": "weather that is a combination of light rain and mist" + }, + "pennant": { + "CHS": "细长三角旗, 短绳", + "ENG": "a long narrow pointed flag used on ships or by schools, sports teams etc" + }, + "galley": { + "CHS": "狭长船, 大型划船, 船上厨房, (印刷用的)长方活字盘, 军舰", + "ENG": "a kitchen on a ship" + }, + "vista": { + "CHS": "狭长的景色, 街景, 展望, 回想", + "ENG": "a view of a large area of beautiful scenery" + }, + "sewer": { + "CHS": "下水道, 缝具, 缝纫者", + "ENG": "a pipe or passage under the ground that carries away waste material and used water from houses, factories etc" + }, + "fairyland": { + "CHS": "仙境, 乐园, 奇境", + "ENG": "a place that looks very beautiful and special" + }, + "fairy": { + "CHS": "仙女, 精灵, <美俚>漂亮姑娘", + "ENG": "a small imaginary creature with magic powers, which looks like a very small person" + }, + "priority": { + "CHS": "先, 前, 优先, 优先权", + "ENG": "the thing that you think is most important and that needs attention before anything else" + }, + "prelibation": { + "CHS": "先尝, 预尝", + "ENG": "an advance taste or sample; foretaste " + }, + "antecedence": { + "CHS": "先行, 先前", + "ENG": "precedence; priority " + }, + "prevision": { + "CHS": "先见, 预知", + "ENG": "the act or power of foreseeing; prescience " + }, + "prerequisite": { + "CHS": "先决条件", + "ENG": "something that is necessary before something else can happen or be done" + }, + "precedent": { + "CHS": "先例", + "ENG": "an action or official decision that can be used to give support to later actions or decisions" + }, + "precursor": { + "CHS": "先驱", + "ENG": "something that happened or existed before something else and influenced its development" + }, + "forerunner": { + "CHS": "先驱(者), 传令官, 预兆", + "ENG": "If you describe a person or thing as the forerunner of someone or something similar, you mean they existed before them and either influenced their development or were a sign of what was going to happen" + }, + "prelude": { + "CHS": "先驱, 前奏, 序幕", + "ENG": "a short piece of music, especially one played at the beginning of a longer musical piece or before a church ceremony" + }, + "harbinger": { + "CHS": "先驱, 预兆", + "ENG": "a sign that something is going to happen soon" + }, + "mopery": { + "CHS": "闲荡" + }, + "lounge": { + "CHS": "闲逛, 休闲室, 长沙发" + }, + "sapience": { + "CHS": "贤明" + }, + "bacon": { + "CHS": "咸肉, 熏肉", + "ENG": "salted or smoked meat from the back or sides of a pig, often served in narrow thin pieces" + }, + "revelation": { + "CHS": "显示, 揭露, 被揭露的事, 新发现, 启示, 揭示", + "ENG": "a surprising fact about someone or something that was previously secret and is now made known" + }, + "notability": { + "CHS": "显要人物", + "ENG": "the state or quality of being notable " + }, + "locale": { + "CHS": "现场, 场所", + "ENG": "the place where something happens or where the action takes place in a book or a film" + }, + "spool": { + "CHS": "线轴, 所绕的数量, 缠线用的框", + "ENG": "an object shaped like a wheel that you wind thread, wire etc around" + }, + "snare": { + "CHS": "陷井", + "ENG": "a trap for catching an animal, especially one that uses a wire or rope to catch the animal by its foot" + }, + "discrepancy": { + "CHS": "相差, 差异, 矛盾", + "ENG": "If there is a discrepancy between two things that ought to be the same, there is a noticeable difference between them" + }, + "reverse": { + "CHS": "相反, 背面, 反面, 倒退", + "ENG": "the exact opposite of what has just been mentioned" + }, + "mutuality": { + "CHS": "相互关系, 相关" + }, + "acquaintance": { + "CHS": "相识, 熟人", + "ENG": "someone you know, but who is not a close friend" + }, + "perfume": { + "CHS": "香味, 芳香, 香水", + "ENG": "a liquid with a strong pleasant smell that women put on their skin or clothing to make themselves smell nice" + }, + "parquetry": { + "CHS": "镶花木细工, 镶木地板", + "ENG": "a geometric pattern of inlaid pieces of wood, often of different kinds, esp as used to cover a floor or to ornament furniture " + }, + "parquet": { + "CHS": "镶木地板, 正厅", + "ENG": "small flat blocks of wood fitted together in a pattern that cover the floor of a room" + }, + "mosaic": { + "CHS": "镶嵌, 镶嵌图案, 镶嵌工艺", + "ENG": "a pattern or picture made by fitting together small pieces of coloured stone, glass etc" + }, + "marquetry": { + "CHS": "镶嵌细工", + "ENG": "a pattern made of coloured pieces of wood laid together, or the art of making these patterns" + }, + "inventory": { + "CHS": "详细目录, 存货, 财产清册, 总量", + "ENG": "a list of all the things in a place" + }, + "sonority": { + "CHS": "响亮, 响亮程度", + "ENG": "The sonority of a sound is its deep, rich quality" + }, + "scenario": { + "CHS": "想定游戏的关,或是某一特定情节" + }, + "hieroglyph": { + "CHS": "象形文字, 图画文字", + "ENG": "a picture or symbol used to represent a word or part of a word, especially in the ancient Egyptian writing system" + }, + "emblem": { + "CHS": "象征, 徽章, 符号, <古>寓意画", + "ENG": "something that represents an idea, principle, or situation" + }, + "hosepipe": { + "CHS": "橡胶软管", + "ENG": "a long hose" + }, + "mackintosh": { + "CHS": "橡皮布, 橡皮布防水衣", + "ENG": "a coat which you wear to keep out the rain" + }, + "slump": { + "CHS": "消沉, 衰退, (物价)暴跌", + "ENG": "Slump is also a noun" + }, + "disinfectant": { + "CHS": "消毒剂", + "ENG": "a chemical or a cleaning product that destroys bacteria " + }, + "hydrant": { + "CHS": "消防栓, 消防龙头", + "ENG": "a fire hydrant " + }, + "excise": { + "CHS": "消费税, 货物税, 国产税", + "ENG": "the government tax that is put on the goods that are produced and used inside a country" + }, + "expendable": { + "CHS": "消耗品, 可牺牲的" + }, + "recreation": { + "CHS": "消遣, 娱乐", + "ENG": "an activity that you do for pleasure or amusement" + }, + "pastime": { + "CHS": "消遣, 娱乐", + "ENG": "something that you do because you think it is enjoyable or interesting" + }, + "muffler": { + "CHS": "消声器", + "ENG": "a piece of equipment on a vehicle that makes the noise from the engine quieter" + }, + "extinction": { + "CHS": "消失, 消灭, 废止, [物]消光", + "ENG": "The extinction of a species of animal or plant is the death of all its remaining living members" + }, + "marasmus": { + "CHS": "消瘦, 衰弱", + "ENG": "general emaciation and wasting, esp of infants, thought to be associated with severe malnutrition or impaired utilization of nutrients " + }, + "tabloid": { + "CHS": "小报, 药片", + "ENG": "a newspaper that has small pages, a lot of photographs, and stories mainly about sex, famous people etc rather than serious news" + }, + "noggin": { + "CHS": "小杯, 少量饮料(常指四分之一品脱)", + "ENG": "a small amount of an alcoholic drink" + }, + "phial": { + "CHS": "小玻璃瓶, 药瓶", + "ENG": "a small bottle, especially for liquid medicines" + }, + "fraction": { + "CHS": "小部分, 片断, 分数", + "ENG": "a part of a whole number in mathematics, such as ½ or ¾" + }, + "pamphlet": { + "CHS": "小册子", + "ENG": "a very thin book with paper covers, that gives information about something" + }, + "pinion": { + "CHS": "小齿轮", + "ENG": "a small wheel, with teeth on its outer edge, that fits into a larger wheel and turns it or is turned by it" + }, + "skirmish": { + "CHS": "小冲突", + "ENG": "a fight between small groups of soldiers, ships etc, especially one that happens away from the main part of a battle – used in news reports" + }, + "bug": { + "CHS": "小虫, 臭虫", + "ENG": "a small insect" + }, + "buffoon": { + "CHS": "小丑", + "ENG": "someone who does silly amusing things" + }, + "skiff": { + "CHS": "小船", + "ENG": "a small light boat for one person" + }, + "filly": { + "CHS": "小雌马(通常未满四岁), <俚>活泼的小姑娘, <俚>活泼的", + "ENG": "a young female horse" + }, + "sachet": { + "CHS": "小袋, (熏衣等用的)香袋, 香料袋, 香粉", + "ENG": "a small plastic or paper package containing a liquid or powder" + }, + "pouch": { + "CHS": "小袋, 烟草袋, 钱袋, 育儿袋", + "ENG": "a small leather, cloth, or plastic bag that you can keep things in, and which is sometimes attached to a belt" + }, + "statuette": { + "CHS": "小雕像", + "ENG": "a very small statue that can be put on a table or shelf" + }, + "figurine": { + "CHS": "小雕像", + "ENG": "a small model of a person or animal used as a decoration" + }, + "gosling": { + "CHS": "小鹅, 愚蠢而无经验的人", + "ENG": "a young goose " + }, + "huckster": { + "CHS": "小贩" + }, + "maisonette": { + "CHS": "小房屋, 出租房间" + }, + "operetta": { + "CHS": "小歌剧", + "ENG": "a funny or romantic musical play in which some of the words are spoken and some are sung" + }, + "crotchet": { + "CHS": "小钩, 怪想, 奇想, 反复无常" + }, + "conte": { + "CHS": "小故事", + "ENG": "a tale or short story, esp of adventure " + }, + "storiette": { + "CHS": "小故事, 短篇故事" + }, + "imp": { + "CHS": "小鬼, 小淘气, 顽童", + "ENG": "a child who behaves badly, but in a way that is funny" + }, + "chit": { + "CHS": "小孩, (活泼的)少女, 芽", + "ENG": "a pert, impudent, or self-confident girl or child " + }, + "moppet": { + "CHS": "小孩, 娃娃, 宝宝", + "ENG": "a small child" + }, + "tad": { + "CHS": "小孩子(尤指男孩),微量,少量", + "ENG": "a small amount" + }, + "rill": { + "CHS": "小河, 小溪", + "ENG": "a brook or stream; rivulet " + }, + "rivulet": { + "CHS": "小河, 小溪, 溪流", + "ENG": "a very small stream of water or liquid" + }, + "tarn": { + "CHS": "小湖", + "ENG": "a small lake among mountains" + }, + "cliquism": { + "CHS": "小集团主义" + }, + "pinnacle": { + "CHS": "小尖塔, 山顶, 顶点", + "ENG": "a pointed stone decoration, like a small tower, on a building such as a church or castle" + }, + "elf": { + "CHS": "小精灵, 矮人, 淘气鬼, 恶作剧的人, 恶人", + "ENG": "an imaginary creature like a small person with pointed ears and magical powers" + }, + "puncture": { + "CHS": "小孔", + "ENG": "a small hole made accidentally in a tyre" + }, + "gnat": { + "CHS": "小昆虫, 小烦扰", + "ENG": "A gnat is a very small flying insect that bites people and usually lives near water" + }, + "granule": { + "CHS": "小粒, 颗粒, 细粒", + "ENG": "a small hard piece of something" + }, + "hooligan": { + "CHS": "小流氓", + "ENG": "a noisy violent person who causes trouble by fighting etc" + }, + "alley": { + "CHS": "小路, 巷, (花园里两边有树篱的)小径", + "ENG": "a narrow street between or behind buildings, not usually used by cars" + }, + "colt": { + "CHS": "小马, 无经验的年轻人", + "ENG": "a young male horse" + }, + "kitten": { + "CHS": "小猫, 小动物", + "ENG": "a young cat" + }, + "veal": { + "CHS": "小牛肉, 幼小的菜牛", + "ENG": "the meat of a calf(= a young cow )" + }, + "scrap": { + "CHS": "小片, 废料, 剪下来的图片, 文章, 残余物, 废料, 打架", + "ENG": "a small piece of paper, cloth etc" + }, + "cascade": { + "CHS": "小瀑布, 喷流", + "ENG": "a small steep waterfall that is one of several together" + }, + "niggard": { + "CHS": "小气鬼" + }, + "gadget": { + "CHS": "小器具, 小配件, 小玩意, 诡计", + "ENG": "A gadget is a small machine or device which does something useful. You sometimes refer to something as a gadget when you are suggesting that it is complicated and unnecessary. " + }, + "madrigal": { + "CHS": "小曲", + "ENG": "A madrigal is a song sung by several singers without any musical instruments. Madrigals were popular in England in the sixteenth century. " + }, + "ringlet": { + "CHS": "小圈, 小环, 卷发", + "ENG": "Ringlets are long curls of hair that hang down" + }, + "knoll": { + "CHS": "小山", + "ENG": "a small round hill" + }, + "suede": { + "CHS": "小山羊皮" + }, + "dinghy": { + "CHS": "小舢板,小游艇", + "ENG": "a small open boat used for pleasure, or for taking people between a ship and the shore" + }, + "niche": { + "CHS": "小生境" + }, + "shack": { + "CHS": "小室", + "ENG": "a small building that has not been built very well" + }, + "tambourine": { + "CHS": "小手鼓", + "ENG": "a circular musical instrument consisting of a frame covered with skin or plastic and small pieces of metal that hang around the edge. You shake it or hit it with your hand." + }, + "grove": { + "CHS": "小树林", + "ENG": "a piece of land with trees growing on it" + }, + "longueur": { + "CHS": "小说,剧本或乐谱等冗长而枯燥无味的章节" + }, + "turret": { + "CHS": "小塔, 塔楼, 炮塔", + "ENG": "a small tower on a large building, especially a castle " + }, + "valise": { + "CHS": "小提箱", + "ENG": "a small suitcase" + }, + "cygnet": { + "CHS": "小天鹅", + "ENG": "a young swan " + }, + "bauble": { + "CHS": "小玩意" + }, + "cubicle": { + "CHS": "小卧室", + "ENG": "a small part of a room that is separated from the rest of the room" + }, + "coop": { + "CHS": "小屋, 鸡(兔)笼, 拘留所, <俗>监狱", + "ENG": "a building for small animals, especially chickens" + }, + "brook": { + "CHS": "小溪", + "ENG": "a small stream" + }, + "creek": { + "CHS": "小溪, 小河, <主英>小港, 小湾", + "ENG": "a small narrow stream or river" + }, + "flasket": { + "CHS": "小细颈瓶, 小烧瓶" + }, + "pony": { + "CHS": "小型马", + "ENG": "a small horse" + }, + "cynosure": { + "CHS": "小熊座, 北极星" + }, + "yeanling": { + "CHS": "小羊, 小山羊, 小绵羊", + "ENG": "the young of a goat or sheep " + }, + "leaflet": { + "CHS": "小叶, 传单", + "ENG": "a small book or piece of paper advertising something or giving information on a particular subject" + }, + "serenade": { + "CHS": "小夜曲", + "ENG": "a song sung to someone, especially one that a man performs for the woman he loves while standing below her window at night" + }, + "pebble": { + "CHS": "小圆石, 小鹅卵石" + }, + "sprig": { + "CHS": "小枝, 小枝状饰物, 子孙, 年青人, 图钉", + "ENG": "a small stem or part of a branch with leaves or flowers on it" + }, + "gossamer": { + "CHS": "小蜘蛛网, 蛛丝, 薄纱, 轻而弱者", + "ENG": "a very light thin material" + }, + "shallop": { + "CHS": "小舟, 轻舟", + "ENG": "a light boat used for rowing in shallow water " + }, + "wherry": { + "CHS": "小舟摆渡船, 单人乘的小舟, 划艇, 平底货船", + "ENG": "any of certain kinds of half-decked commercial boats, such as barges, used in Britain " + }, + "gruntling": { + "CHS": "小猪" + }, + "trinket": { + "CHS": "小装饰品, 琐物,无关紧要的小事" + }, + "collation": { + "CHS": "校勘,整理", + "ENG": "the act or process of collating " + }, + "preceptor": { + "CHS": "校长" + }, + "jesting": { + "CHS": "笑话, 滑稽", + "ENG": "A jest is something you say that is intended to be amusing" + }, + "jest": { + "CHS": "笑话, 俏皮话", + "ENG": "something you say that is intended to be funny, not serious" + }, + "mime": { + "CHS": "笑剧", + "ENG": "the use of movements to express what you want to say without using words, or a play where the actors use only movements" + }, + "farce": { + "CHS": "笑剧, 闹剧, 滑稽剧, 胡闹", + "ENG": "a humorous play or film in which the characters are involved in complicated and silly situations, or the style of writing or acting that is used" + }, + "whit": { + "CHS": "些微, 一点点" + }, + "wedge": { + "CHS": "楔", + "ENG": "a piece of wood, metal etc that has one thick edge and one pointed edge and is used especially for keeping a door open or for splitting wood" + }, + "hysteria": { + "CHS": "歇斯底里, 不正常的兴奋, 癔病", + "ENG": "extreme excitement that makes people cry, laugh, shout etc in a way that is out of control" + }, + "concerto": { + "CHS": "协奏曲", + "ENG": "a piece of classical music, usually for one instrument and an orchestra " + }, + "hawker": { + "CHS": "携鹰打猎者, 叫卖小贩", + "ENG": "someone who carries goods from place to place and tries to sell them" + }, + "latchet": { + "CHS": "鞋带", + "ENG": "a shoe fastening, such as a thong or lace " + }, + "vamp": { + "CHS": "鞋面, 荡妇", + "ENG": "a woman who uses her sexual attractiveness to make men do what she wants" + }, + "cathartic": { + "CHS": "泻药, 通便药" + }, + "profanity": { + "CHS": "亵渎", + "ENG": "offensive words or religious words used in a way that shows you do not respect God or holy things" + }, + "blasphemy": { + "CHS": "亵渎(话)", + "ENG": "something you say or do that is insulting to God or people’s religious beliefs" + }, + "psychoanalysis": { + "CHS": "心理分析", + "ENG": "medical treatment that involves talking to someone about their life, feelings etc in order to find out the hidden causes of their problems" + }, + "telepathy": { + "CHS": "心灵感应, 感应", + "ENG": "a way of communicating in which thoughts are sent from one person’s mind to another person’s mind" + }, + "discomposure": { + "CHS": "心乱, 狼狈, 不安" + }, + "sanity": { + "CHS": "心智健全", + "ENG": "the condition of being mentally healthy" + }, + "travail": { + "CHS": "辛苦", + "ENG": "a difficult or unpleasant situation, or very tiring work" + }, + "toil": { + "CHS": "辛苦, 苦工, 网, 罗网, 圈套", + "ENG": "hard unpleasant work done over a long period" + }, + "poignancy": { + "CHS": "辛酸(事) 强烈, 尖刻, 辛辣", + "ENG": "Poignancy is the quality that something has when it affects you deeply and makes you feel very sad" + }, + "rejoicing": { + "CHS": "欣喜, 高兴" + }, + "recruit": { + "CHS": "新兵, 新分子, 新会员", + "ENG": "someone who has just joined the army, navy, or air force " + }, + "metabolism": { + "CHS": "新陈代谢, 变形", + "ENG": "the chemical processes by which food is changed into energy in your body" + }, + "epoch": { + "CHS": "新纪元, 时代, 时期, 时间上的一点, [地质]世", + "ENG": "a period of history" + }, + "neophyte": { + "CHS": "新入教者, 新信徒", + "ENG": "a new member of a religious group" + }, + "palingenesis": { + "CHS": "新生, 转生, 轮回" + }, + "tenderfoot": { + "CHS": "新手", + "ENG": "A tenderfoot is a newcomer to a place or activity, especially a newcomer to the mines or ranches of the western United States" + }, + "rookie": { + "CHS": "新手", + "ENG": "someone who has just started doing a job and has little experience" + }, + "novice": { + "CHS": "新手, 初学者", + "ENG": "someone who has no experience in a skill, subject, or activity" + }, + "neodoxy": { + "CHS": "新学说, 新见解" + }, + "novelty": { + "CHS": "新颖, 新奇, 新鲜, 新奇的事物", + "ENG": "the quality of being new, unusual, and interesting" + }, + "neologism": { + "CHS": "新语, 创造或使用新语" + }, + "stipend": { + "CHS": "薪金, 定期生活津贴", + "ENG": "an amount of money paid regularly to someone, especially a priest, as a salary or as money to live on" + }, + "emolument": { + "CHS": "薪水, 报酬", + "ENG": "Emoluments are money or other forms of payment that a person receives for doing work" + }, + "credence": { + "CHS": "信任", + "ENG": "the acceptance of something as true" + }, + "reliance": { + "CHS": "信任, 信心, 依靠, 依靠的人或物", + "ENG": "when someone or something is dependent on someone or something else" + }, + "creed": { + "CHS": "信条", + "ENG": "a set of beliefs or principles" + }, + "disciple": { + "CHS": "信徒, 弟子, 门徒", + "ENG": "someone who believes in the ideas of a great teacher or leader, especially a religious one" + }, + "adherent": { + "CHS": "信徒, 追随者, 拥护者", + "ENG": "someone who supports a particular belief, plan, political party etc" + }, + "votary": { + "CHS": "信仰者", + "ENG": "someone who regularly practises a particular religion" + }, + "galaxy": { + "CHS": "星系, 银河, 一群显赫的人, 一系列光彩夺目的东西", + "ENG": "one of the large groups of stars that make up the universe" + }, + "nebula": { + "CHS": "星云, 云翳", + "ENG": "a mass of gas and dust among the stars, which often appears as a bright cloud in the sky at night" + }, + "metaphysics": { + "CHS": "形而上学, 玄学, 纯粹哲学, 宇宙哲学", + "ENG": "the part of philosophy that is concerned with trying to understand and describe the nature of truth, life, and reality " + }, + "harridan": { + "CHS": "形容枯槁(或脾气暴躁)的老妇人,名声不好的老泼妇", + "ENG": "If you call a woman a harridan, you mean that she is unpleasant and speaks too forcefully" + }, + "felicity": { + "CHS": "幸福, 幸运, 福气, (措辞等)恰当, 巧妙, 幸福, 幸运", + "ENG": "happiness" + }, + "oomph": { + "CHS": "性感, 性的魅力, 精神, 精力", + "ENG": "a quality that makes something attractive and exciting and that shows energy" + }, + "extrovert": { + "CHS": "性格外向者", + "ENG": "someone who is active and confident, and who enjoys spending time with other people" + }, + "jerk": { + "CHS": "性情古怪的人, 急推, 猛拉, 肌肉抽搐, (生理)反射, 牛肉干" + }, + "libido": { + "CHS": "性欲, 性的冲动, 生命力", + "ENG": "someone’s desire to have sex" + }, + "ferocity": { + "CHS": "凶猛, 残忍, 暴行", + "ENG": "the state of being extremely violent and severe" + }, + "sibling": { + "CHS": "兄弟, 姐妹, 同胞, 同属", + "ENG": "a brother or sister" + }, + "fraternity": { + "CHS": "兄弟关系, 友爱, 互助会, 兄弟会", + "ENG": "a club at an American college or university that has only male members" + }, + "cuirass": { + "CHS": "胸甲, 装甲板, 铁甲", + "ENG": "a piece of armour, of leather or metal covering the chest and back " + }, + "declamation": { + "CHS": "雄辨" + }, + "eloquence": { + "CHS": "雄辩, 口才, 修辞" + }, + "elocution": { + "CHS": "雄辩术, 演说法", + "ENG": "Elocution is how clearly someone speaks or sings" + }, + "gander": { + "CHS": "雄鹅, 呆子, 笨蛋", + "ENG": "a male goose1" + }, + "drone": { + "CHS": "雄蜂, 嗡嗡的声音, 懒惰者, 靶标", + "ENG": "a continuous low dull sound" + }, + "rooster": { + "CHS": "雄禽, <主美>公鸡", + "ENG": "a male chicken" + }, + "fallow": { + "CHS": "休耕地", + "ENG": "land treated in this way " + }, + "prorogue": { + "CHS": "休会" + }, + "prorogation": { + "CHS": "休会" + }, + "furlough": { + "CHS": "休假, 暂时解雇, 放假", + "ENG": "a period of time when a soldier or someone working in another country can return to their own country" + }, + "repose": { + "CHS": "休息, 睡眠, 静止", + "ENG": "a state of calm or comfortable rest" + }, + "foyer": { + "CHS": "休息室, 大厅", + "ENG": "a room or hall at the entrance to a public building" + }, + "truce": { + "CHS": "休战, 休战协定, 休止", + "ENG": "an agreement between enemies to stop fighting or arguing for a short time, or the period for which this is arranged" + }, + "monastery": { + "CHS": "修道院, 僧侣", + "ENG": "a place where monk s live" + }, + "monasticism": { + "CHS": "修道院生活, 修道院制度", + "ENG": "the monastic system, movement, or way of life " + }, + "emendation": { + "CHS": "修订, 校正, 修正" + }, + "secateurs": { + "CHS": "修枝夹, 剪枝夹", + "ENG": "strong scissors used for cutting plant stems" + }, + "mortification": { + "CHS": "羞辱, 禁欲, 动物体组织局部的坏死" + }, + "cuff": { + "CHS": "袖口, 裤子翻边, 护腕, 手铐", + "ENG": "the end of a sleeve" + }, + "frailty": { + "CHS": "虚弱, 脆弱, 意志薄弱, 过失, 品德上的弱点", + "ENG": "the lack of strength or health" + }, + "infirmity": { + "CHS": "虚弱, 衰弱, 缺点", + "ENG": "bad health or a particular illness" + }, + "bravado": { + "CHS": "虚张声势, 装作有自信的样子", + "ENG": "behaviour that is deliberately intended to make other people believe you are brave and confident" + }, + "hector": { + "CHS": "虚张声势的人,恃强凌弱的人" + }, + "preface": { + "CHS": "序文, 绪言, 前言", + "ENG": "an introduction at the beginning of a book or speech" + }, + "prologue": { + "CHS": "序言", + "ENG": "the introduction to a play, a long poem etc" + }, + "encomiast": { + "CHS": "宣读或写颂辞之人, 阿谀者, 赞美者", + "ENG": "a person who speaks or writes an encomium " + }, + "acquittal": { + "CHS": "宣判无罪", + "ENG": "an official statement in a court of law that someone is not guilty" + }, + "manifesto": { + "CHS": "宣言, 声明", + "ENG": "a written statement by a political party, saying what they believe in and what they intend to do" + }, + "shindy": { + "CHS": "喧哗, 奢华舞会, 大宴会" + }, + "pother": { + "CHS": "喧闹", + "ENG": "a commotion, fuss, or disturbance " + }, + "clamour": { + "CHS": "喧闹", + "ENG": "a very loud noise made by a large group of people or animals" + }, + "rumpus": { + "CHS": "喧闹, 吵闹", + "ENG": "a lot of noise, especially made by people quarrelling" + }, + "ruckus": { + "CHS": "喧闹, 骚动", + "ENG": "a noisy argument or confused situation" + }, + "din": { + "CHS": "喧嚣", + "ENG": "a loud unpleasant noise that continues for a long time" + }, + "hullabaloo": { + "CHS": "喧嚣, 喧哗, 吵闹(声), (混乱, 骚动)声", + "ENG": "a lot of noise, especially made by people shouting" + }, + "fracas": { + "CHS": "喧噪, 吵闹", + "ENG": "a short noisy fight involving several peo ple" + }, + "scarp": { + "CHS": "悬崖", + "ENG": "a line of natural cliffs" + }, + "precipice": { + "CHS": "悬崖", + "ENG": "a very steep side of a high rock, mountain, or cliff" + }, + "cyclone": { + "CHS": "旋风, 飓风, 暴风, 龙卷风, [气]气旋", + "ENG": "a very strong wind that moves very fast in a circle" + }, + "tornado": { + "CHS": "旋风, 龙卷风, 大雷雨, 具有巨大破坏性的人(或事物)[军] (“狂风”) 英国、德国、意大利三国合作研制的双座双发超音速变后掠翼战斗机", + "ENG": "an extremely violent storm consisting of air that spins very quickly and causes a lot of damage" + }, + "vortex": { + "CHS": "旋涡, 旋风, 涡流, (动乱, 争论等的)中心", + "ENG": "a mass of wind or water that spins quickly and pulls things into its centre" + }, + "eddy": { + "CHS": "旋转, 漩涡", + "ENG": "a circular movement of water, wind, dust etc" + }, + "grindstone": { + "CHS": "旋转磨石, 旋转研磨机" + }, + "swirl": { + "CHS": "漩涡, 涡状形", + "ENG": "a twisting circular pattern" + }, + "florilegium": { + "CHS": "选集, 作品集锦, 群芳谱", + "ENG": "(formerly) a lavishly illustrated book on flowers " + }, + "psephology": { + "CHS": "选举学", + "ENG": "the study of how people vote in elections" + }, + "electorate": { + "CHS": "选民, 选区, 有选举权者", + "ENG": "all the people in a country who have the right to vote" + }, + "pedantry": { + "CHS": "炫学, 假装学者, 卖弄学问" + }, + "glare": { + "CHS": "眩目的光, 显眼, 怒目而视, (冰等的表面)光滑的表面", + "ENG": "a bright unpleasant light which hurts your eyes" + }, + "vertigo": { + "CHS": "眩晕, 晕头转向", + "ENG": "a feeling of sickness and dizziness caused by looking down from a high place" + }, + "troglodyte": { + "CHS": "穴居人, 隐居者,老顽固,类人猿", + "ENG": "someone who lived in a cave in prehistoric times" + }, + "institute": { + "CHS": "学会, 学院, 协会" + }, + "pedant": { + "CHS": "学究式人物", + "ENG": "someone who pays too much attention to rules or to small unimportant details, especially someone who criticizes other people in an extremely annoying way" + }, + "pupil": { + "CHS": "学生, 小学生, 瞳孔", + "ENG": "someone who is being taught, especially a child" + }, + "lore": { + "CHS": "学问,知识,(动物的)眼光知识", + "ENG": "knowledge or information about a subject, for example nature or magic, that is not written down but is passed from person to person" + }, + "avalanche": { + "CHS": "雪崩", + "ENG": "a large mass of snow, ice, and rocks that falls down the side of a mountain" + }, + "alabaster": { + "CHS": "雪花石膏", + "ENG": "a white stone, used for making statue s or other objects for decoration" + }, + "gore": { + "CHS": "血块, 淤血, (帆或裙上缝的)三角形布", + "ENG": "a tapering or triangular piece of material used in making a shaped skirt, umbrella, etc " + }, + "consanguinity": { + "CHS": "血亲, 血缘, 亲密关系", + "ENG": "when people are members of the same family" + }, + "corpuscle": { + "CHS": "血球, <物理>微粒", + "ENG": "one of the red or white cells in the blood" + }, + "pedigree": { + "CHS": "血统, 家谱", + "ENG": "the parents and other past family members of an animal or person, or an official written record of this" + }, + "insignia": { + "CHS": "勋章, 徽章", + "ENG": "a badge or sign that shows what official or military rank someone has, or which group or organization they belong to" + }, + "incense": { + "CHS": "熏香, 熏香的烟", + "ENG": "a substance that has a pleasant smell when you burn it" + }, + "quest": { + "CHS": "寻求", + "ENG": "a long search for something that is difficult to find" + }, + "nettle": { + "CHS": "荨麻", + "ENG": "a wild plant with rough leaves that sting you" + }, + "press": { + "CHS": "压, 按, 印刷, 压力, 拥挤, 紧握, 新闻", + "ENG": "a piece of equipment used to put weight on something in order to make it flat or to force liquid out of it" + }, + "ballast": { + "CHS": "压舱物, 沙囊", + "ENG": "heavy material that is carried by a ship to make it more steady in the water" + }, + "compressor": { + "CHS": "压缩物, 压缩机, [医]收缩肌", + "ENG": "a machine or part of a machine that compresses air or gas" + }, + "clampdown": { + "CHS": "压制, 取缔", + "ENG": "sudden firm action that is taken to reduce crime" + }, + "opiate": { + "CHS": "鸦片剂", + "ENG": "a drug that contains opium. Opiates can be used to reduce severe pain and help people to sleep." + }, + "mute": { + "CHS": "哑巴, 哑音字母, [律]拒不答辩的被告, 弱音器", + "ENG": "a small piece of metal, rubber etc that you place over or into a musical instrument to make it sound softer" + }, + "flax": { + "CHS": "亚麻, 麻布, 亚麻织品, 亚麻制的", + "ENG": "a plant with blue flowers, used for making cloth and oil" + }, + "gorge": { + "CHS": "咽喉, 胃, 暴食, 山峡, 峡谷, 障碍物", + "ENG": "a deep narrow valley with steep sides" + }, + "beacon": { + "CHS": "烟火, 灯塔", + "ENG": "a light that is put somewhere to warn or guide people, ships, vehicles, or aircraft" + }, + "nicotine": { + "CHS": "烟碱", + "ENG": "a substance in tobacco which makes it difficult for people to stop smoking" + }, + "retardant": { + "CHS": "延缓(作用)剂", + "ENG": "a substance that reduces the rate of a chemical reaction " + }, + "moratorium": { + "CHS": "延期偿付, 延期偿付期间" + }, + "elongation": { + "CHS": "延长", + "ENG": "the act of elongating or state of being elongated; lengthening " + }, + "rigor": { + "CHS": "严格, 严厉, 苛刻, 严密, 严酷, 精确" + }, + "austerity": { + "CHS": "严峻, 严厉, 朴素, 节俭, 苦行", + "ENG": "the quality of being austere" + }, + "asperity": { + "CHS": "严酷, 粗暴, 刻薄", + "ENG": "if you speak with asperity, you say something in a way that is rough or severe, showing that you are feeling impatient" + }, + "ordeal": { + "CHS": "严酷的考验, 痛苦的经验, 折磨", + "ENG": "a terrible or painful experience that continues for a period of time" + }, + "solemnity": { + "CHS": "严肃, 一本正经", + "ENG": "the quality of being serious in behaviour or manner" + }, + "acrimony": { + "CHS": "言谈举止上的刻毒, 讽刺, 毒辣" + }, + "dryasdust": { + "CHS": "研究枯燥乏味问题的学者, 无趣而好卖弄学问的演讲人或作家" + }, + "brine": { + "CHS": "盐水", + "ENG": "water that contains a lot of salt and is used for preserving food" + }, + "souse": { + "CHS": "盐汁, 腌制的食品, 腌制食品用的盐水" + }, + "razzle": { + "CHS": "眼花缭乱, 喧闹, 旋转木马" + }, + "oculist": { + "CHS": "眼科医生", + "ENG": "a doctor who examines and treats people’s eyes" + }, + "discourse": { + "CHS": "演讲, 论述, 论文, 讲道, 谈话, 谈论", + "ENG": "a serious speech or piece of writing on a particular subject" + }, + "spiel": { + "CHS": "演说, 故事, 饶舌" + }, + "oration": { + "CHS": "演说, 致辞, 叙述法[语]引语", + "ENG": "a formal public speech" + }, + "histrionics": { + "CHS": "演戏, 表演" + }, + "aversion": { + "CHS": "厌恶, 讨厌的事和人", + "ENG": "a strong dislike of something or someone" + }, + "misanthrope": { + "CHS": "厌恶人类的人, 不愿与人来往者", + "ENG": "A misanthrope is a person who does not like other people" + }, + "tedium": { + "CHS": "厌烦, 沉闷" + }, + "honk": { + "CHS": "雁叫声", + "ENG": "a loud noise made by a goose " + }, + "seedling": { + "CHS": "秧苗, 树苗", + "ENG": "a young plant or tree grown from a seed" + }, + "fleece": { + "CHS": "羊毛(尤指未剪下的), 羊毛状之物, 绒头织物, 羊毛大衣呢", + "ENG": "the woolly coat of a sheep, especially the wool and skin of a sheep when it has been made into a piece of clothing" + }, + "parchment": { + "CHS": "羊皮纸, 毕业文凭", + "ENG": "a material used in the past for writing on, made from the skin of a sheep or a goat" + }, + "flock": { + "CHS": "羊群, (禽、畜等的)群, 大量, 众多", + "ENG": "a group of sheep, goats, or birds" + }, + "mutton": { + "CHS": "羊肉, <谑>绵羊, <俚>女性生殖器, 性交", + "ENG": "the meat from a sheep" + }, + "apiculture": { + "CHS": "养蜂", + "ENG": "the breeding and care of bees " + }, + "apiary": { + "CHS": "养蜂场, 蜂房", + "ENG": "a place where bees are kept, usually in beehives " + }, + "pension": { + "CHS": "养老金, 退休金", + "ENG": "an amount of money paid regularly by the government or company to someone who does not work any more, for example because they have reached the age when people stop working or because they are ill" + }, + "sampler": { + "CHS": "样品检验员, 刺绣样品, 取样器", + "ENG": "a piece of cloth with different stitches on it, made to show how good someone is at sewing" + }, + "hobgoblin": { + "CHS": "妖怪, 怪物" + }, + "hearsay": { + "CHS": "谣言, 传闻, 道听途说", + "ENG": "something that you have heard about from other people but do not know to be definitely true or correct" + }, + "canard": { + "CHS": "谣言, 误传", + "ENG": "A canard is an idea or a piece of information that is false, especially one that is spread deliberately in order to harm someone or their work" + }, + "gnawing": { + "CHS": "咬, 苛责, 不断的苦痛" + }, + "salve": { + "CHS": "药膏", + "ENG": "a substance that you put on sore skin to make it less painful" + }, + "ointment": { + "CHS": "药膏, 油膏", + "ENG": "a soft cream that you rub into your skin, especially as a medical treatment" + }, + "pharmacology": { + "CHS": "药理学", + "ENG": "the scientific study of drugs and medicines" + }, + "pharmaceutical": { + "CHS": "药物", + "ENG": "Pharmaceuticals are medicines" + }, + "gist": { + "CHS": "要点, 要旨, 依据, [法律]诉讼主因", + "ENG": "the main idea and meaning of what someone has said or written" + }, + "personage": { + "CHS": "要人, 名流, 个人", + "ENG": "a person, usually someone famous or important" + }, + "truculence": { + "CHS": "野蛮, 粗野, 残酷, 好战, 致命性" + }, + "venison": { + "CHS": "野味, 鹿肉", + "ENG": "the meat of a deer" + }, + "haggard": { + "CHS": "野鹰", + "ENG": "a hawk that has reached maturity before being caught " + }, + "spelunker": { + "CHS": "业余性质的洞窟探勘者", + "ENG": "A spelunker is someone who goes into underground caves and tunnels as a leisure activity" + }, + "dilettante": { + "CHS": "业余艺术爱好者" + }, + "frond": { + "CHS": "叶, 植物体", + "ENG": "a leaf of a fern or palm 1 2 " + }, + "nyctalopia": { + "CHS": "夜盲症", + "ENG": "inability to see normally in dim light " + }, + "nocturne": { + "CHS": "夜曲, 夜景", + "ENG": "a piece of music, especially a soft beautiful piece of piano music" + }, + "liquor": { + "CHS": "液体, 汁,酒精饮料, [药]溶液", + "ENG": "a strong alcoholic drink such as whisky" + }, + "prig": { + "CHS": "一本正经的人", + "ENG": "someone who behaves in a morally good way and shows that they disapprove of the way other people behave - used to show disapproval" + }, + "trice": { + "CHS": "一刹那", + "ENG": "very quickly or soon" + }, + "scantling": { + "CHS": "一点点,少量" + }, + "polygamy": { + "CHS": "一夫多妻, 一妻多夫", + "ENG": "the practice of having more than one husband or wife at the same time" + }, + "monogamy": { + "CHS": "一夫一妻制, [动]单配偶, 单配性", + "ENG": "the custom of being married to only one husband or wife" + }, + "denture": { + "CHS": "一副假牙, 一副牙齿" + }, + "bout": { + "CHS": "一回, 一场, 回合, 较量", + "ENG": "a short period of time during which you do something a lot, especially something that is bad for you" + }, + "tiff": { + "CHS": "一口淡酒, 小争吵, 小口角, 酒", + "ENG": "a slight argument between friends or people who are in love" + }, + "passel": { + "CHS": "一批, 一群", + "ENG": "a group of people or things" + }, + "peek": { + "CHS": "一瞥, 匆忙看过", + "ENG": "Peek is also a noun" + }, + "glimpse": { + "CHS": "一瞥, 一看", + "ENG": "a quick look at someone or something that does not allow you to see them clearly" + }, + "polyandry": { + "CHS": "一妻多夫, [植]多雄蕊", + "ENG": "the practice or condition of being married to more than one husband at the same time " + }, + "bevy": { + "CHS": "一群鸟, 一群(少女或少妇), <俗>一堆东西, 一群人", + "ENG": "a large group of people of the same kind, especially girls or young women" + }, + "whim": { + "CHS": "一时的兴致, 幻想, 反复无常, 怪念头, 奇想", + "ENG": "a sudden feeling that you would like to do or have something, especially when there is no important or good reason" + }, + "loaf": { + "CHS": "一条面包, 块, 游荡", + "ENG": "bread that is shaped and baked in one piece and can be cut into slices" + }, + "farrow": { + "CHS": "一窝小猪, 猪的一胎, 下小猪", + "ENG": "a litter of piglets " + }, + "afflatus": { + "CHS": "一阵风, 灵感, 神的启示" + }, + "twinge": { + "CHS": "一阵一阵痛, 如刺一样痛, 剧痛", + "ENG": "a sudden feeling of slight pain" + }, + "sciolism": { + "CHS": "一知半解, 肤浅的知识", + "ENG": "the practice of opinionating on subjects of which one has only superficial knowledge " + }, + "accord": { + "CHS": "一致, 符合, 调和, 协定", + "ENG": "a situation in which two people, ideas, or statements agree with each other" + }, + "congruity": { + "CHS": "一致, 适合, 调和" + }, + "coincidence": { + "CHS": "一致, 相合, 同时发生或同时存在(尤指偶然)的事", + "ENG": "when two things happen at the same time, in the same place, or to the same people in a way that seems surprising or unusual" + }, + "stiletto": { + "CHS": "一种小剑, 打孔, 钻孔锥" + }, + "garment": { + "CHS": "衣服, 外衣, 外表", + "ENG": "a piece of clothing" + }, + "vesture": { + "CHS": "衣服, 罩袍, 覆盖", + "ENG": "a garment or something that seems like a garment " + }, + "apparel": { + "CHS": "衣服, 装饰", + "ENG": "clothes" + }, + "wardrobe": { + "CHS": "衣柜, 衣厨, 衣室, 衣服, 行头, 剧装", + "ENG": "a piece of furniture like a large cupboard that you hang clothes in" + }, + "compliance": { + "CHS": "依从, 顺从", + "ENG": "when someone obeys a rule, agreement, or demand" + }, + "rite": { + "CHS": "仪式, 典礼, 习俗, 惯例, 礼拜式, 教派", + "ENG": "a ceremony that is always performed in the same way, usually for religious purposes" + }, + "amenity": { + "CHS": "宜人, 礼仪" + }, + "insulin": { + "CHS": "胰岛素", + "ENG": "a substance produced naturally by your body which allows sugar to be used for energy" + }, + "empathy": { + "CHS": "移情作用, [心]神入" + }, + "heritage": { + "CHS": "遗产, 继承权, 传统", + "ENG": "the traditional beliefs, values, customs etc of a family, country, or society" + }, + "bequest": { + "CHS": "遗产, 遗赠", + "ENG": "money or property that you arrange to give to someone after your death" + }, + "genetics": { + "CHS": "遗传学", + "ENG": "the study of how the qualities of living things are passed on in their genes" + }, + "oblivion": { + "CHS": "遗忘, 湮没, 赦免", + "ENG": "when something is completely forgotten or no longer important" + }, + "relic": { + "CHS": "遗物, 遗迹, 废墟, 纪念物", + "ENG": "an old object or custom that reminds people of the past or that has lived on from a past time" + }, + "legacy": { + "CHS": "遗赠(物), 遗产(祖先传下来)", + "ENG": "money or property that you receive from someone after they die" + }, + "testament": { + "CHS": "遗嘱", + "ENG": "a will 2 2 " + }, + "qualm": { + "CHS": "疑虑", + "ENG": "a feeling of slight worry or doubt because you are not sure that what you are doing is right" + }, + "libel": { + "CHS": "以文字损害名誉, 诽谤罪, 侮辱", + "ENG": "when someone writes or prints untrue statements about someone so that other people could have a bad opinion of them" + }, + "obligation": { + "CHS": "义务, 职责, 债务", + "ENG": "a moral or legal duty to do something" + }, + "maestro": { + "CHS": "艺术大师, 名作曲家", + "ENG": "someone who can do something very well, especially a musician" + }, + "virtuosity": { + "CHS": "艺术鉴别力" + }, + "virtuoso": { + "CHS": "艺术品鉴赏家", + "ENG": "someone who is a very skilful performer, especially in music" + }, + "agenda": { + "CHS": "议程", + "ENG": "a list of problems or subjects that a government, organization etc is planning to deal with" + }, + "hustings": { + "CHS": "议员竞选演说坛, 选举程序" + }, + "heresy": { + "CHS": "异端, 异教", + "ENG": "a belief that disagrees with the official principles of a particular religion" + }, + "paganism": { + "CHS": "异教, 异教信仰, 不信教", + "ENG": "Paganism is pagan beliefs and activities" + }, + "pagan": { + "CHS": "异教徒", + "ENG": "someone who believes in a pagan religion" + }, + "heretic": { + "CHS": "异教徒, 异端者", + "ENG": "someone who is guilty of heresy" + }, + "objection": { + "CHS": "异议, 缺陷, 妨碍, 拒绝之理由", + "ENG": "a reason that you have for opposing or disapproving of something, or something you say that expresses this" + }, + "exogamy": { + "CHS": "异族结婚", + "ENG": "the custom or an act of marrying a person belonging to another tribe, clan, or similar social unit " + }, + "dumps": { + "CHS": "抑郁", + "ENG": "a state of melancholy or depression (esp in the phrase down in the dumps) " + }, + "restraint": { + "CHS": "抑制, 制止, 克制", + "ENG": "calm sensible controlled behaviour, especially in a situation when it is difficult to stay calm" + }, + "predisposition": { + "CHS": "易患病的体质", + "ENG": "a tendency to behave in a particular way or suffer from a particular illness" + }, + "gudgeon": { + "CHS": "易骗的人" + }, + "tinder": { + "CHS": "易燃物, 火绒", + "ENG": "dry material that burns easily and can be used for lighting fires" + }, + "dupe": { + "CHS": "易受骗的人, 易受愚弄的人", + "ENG": "A dupe is someone who is tricked by someone else" + }, + "credulity": { + "CHS": "易信, 轻信", + "ENG": "willingness or ability to believe that something is true" + }, + "anecdote": { + "CHS": "轶事, 奇闻", + "ENG": "a short story based on your personal experience" + }, + "ideology": { + "CHS": "意识形态", + "ENG": "a set of beliefs on which a political or economic system is based, or which strongly influence the way people behave" + }, + "relish": { + "CHS": "意味", + "ENG": "a thick spicy sauce made from fruits or vegetables, and usually eaten with meat" + }, + "imago": { + "CHS": "意象, 成虫", + "ENG": "an adult sexually mature insect produced after metamorphosis " + }, + "volition": { + "CHS": "意志" + }, + "stamina": { + "CHS": "毅力, 持久力, 精力", + "ENG": "physical or mental strength that lets you continue doing something for a long time without getting tired" + }, + "figment": { + "CHS": "臆造的事物, 虚构的事", + "ENG": "something that you imagine is real, but does not exist" + }, + "obscurity": { + "CHS": "阴暗, 朦胧, 偏僻, 含糊, 隐匿, 晦涩, 身份低微" + }, + "gloom": { + "CHS": "阴暗, 阴沉", + "ENG": "The gloom is a state of near darkness" + }, + "cathode": { + "CHS": "阴极", + "ENG": "the negative electrode , marked (-), from which an electric current leaves a piece of equipment such as a battery " + }, + "inferno": { + "CHS": "阴间, 地狱" + }, + "intrigue": { + "CHS": "阴谋, 诡计", + "ENG": "the making of secret plans to harm someone or make them lose their position of power, or a plan of this kind" + }, + "saturnine": { + "CHS": "阴郁" + }, + "shade": { + "CHS": "荫, 阴暗, 荫凉处, 图案阴影, 黑暗, 颜色深浅, 遮光物, 帘", + "ENG": "slight darkness or shelter from the direct light of the sun made by something blocking it" + }, + "discography": { + "CHS": "音乐唱片分类目录, 音乐唱片分类学(法),录音作品目录", + "ENG": "A discography is a list of all the recordings made by a particular artist or group" + }, + "tonality": { + "CHS": "音调, 色调", + "ENG": "the character of a piece of music that depends on the key of the music and the way in which the tunes and harmonies are combined" + }, + "bard": { + "CHS": "吟游诗人", + "ENG": "a poet" + }, + "minstrel": { + "CHS": "吟游诗人(或歌手)", + "ENG": "a singer or musician in the Middle Ages" + }, + "daguerreotype": { + "CHS": "银板照相法" + }, + "leer": { + "CHS": "淫荡的目光, 恶意的目光" + }, + "elicitation": { + "CHS": "引出, 诱出, 抽出, 启发" + }, + "usher": { + "CHS": "引座员, 招待员, 传达员, 前驱", + "ENG": "someone who shows people to their seats at a theatre, cinema, wedding etc" + }, + "potation": { + "CHS": "饮料" + }, + "beverage": { + "CHS": "饮料" + }, + "nook": { + "CHS": "隐蔽处", + "ENG": "a small quiet place which is sheltered by a rock, a big tree etc" + }, + "cache": { + "CHS": "隐藏处所, 隐藏的粮食或物资, 贮藏物", + "ENG": "a number of things that have been hidden, especially weapons, or the place where they have been hidden" + }, + "subreption": { + "CHS": "隐匿真相, 歪曲事实" + }, + "hermit": { + "CHS": "隐士, 隐居者", + "ENG": "someone who lives alone and has a simple way of life, usually for religious reasons" + }, + "anchorite": { + "CHS": "隐者, 隐士", + "ENG": "a person who lives in seclusion, esp a religious recluse; hermit " + }, + "caste": { + "CHS": "印度的世袭阶级, (排他的)社会团体, 职业等级, (具有严格等级的)社会地位, 社会等级制度", + "ENG": "a group of people who have the same position in society" + }, + "pundit": { + "CHS": "印度学者, 梵文学家, 博学者" + }, + "valour": { + "CHS": "英勇, 勇猛", + "ENG": "great courage, especially in war" + }, + "hawk": { + "CHS": "鹰, 掠夺他人的人, 鹰派成员", + "ENG": "a large bird that hunts and eats small birds and animals" + }, + "firefly": { + "CHS": "萤火虫", + "ENG": "an insect with a tail that shines in the dark" + }, + "malnutrition": { + "CHS": "营养失调, 营养不良", + "ENG": "when someone becomes ill or weak because they have not eaten enough good food" + }, + "dietetics": { + "CHS": "营养学", + "ENG": "the science that is concerned with what people eat and drink and how this affects their health" + }, + "knurl": { + "CHS": "硬节" + }, + "congestion": { + "CHS": "拥塞, 充血", + "ENG": "If there is congestion in a place, the place is extremely crowded and blocked with traffic or people" + }, + "perpetuity": { + "CHS": "永恒", + "ENG": "for all future time" + }, + "aeon": { + "CHS": "永世, 万古", + "ENG": "an extremely long period of time" + }, + "gallantry": { + "CHS": "勇敢", + "ENG": "courage, especially in a battle" + }, + "pluck": { + "CHS": "勇气", + "ENG": "courage and determination" + }, + "mettle": { + "CHS": "勇气", + "ENG": "courage and determination to do something even when it is very difficult" + }, + "cerebration": { + "CHS": "用脑,思考", + "ENG": "the act of thinking; consideration; thought " + }, + "nudge": { + "CHS": "用肘轻推, 轻推为引起注意", + "ENG": "Nudge is also a noun" + }, + "concinnity": { + "CHS": "优美, 雅致" + }, + "preponderance": { + "CHS": "优势, 占优势", + "ENG": "if there is a preponderance of people or things of a particular type in a group, there are more of that type than of any other" + }, + "ascendancy": { + "CHS": "优势, 支配(或统治)地位", + "ENG": "a position of power, influence, or control" + }, + "preemption": { + "CHS": "优先购买(权), 强制收购(权), 抢先占有, 取代" + }, + "disquiet": { + "CHS": "忧虑, 不安", + "ENG": "anxiety or unhappiness about something" + }, + "melancholy": { + "CHS": "忧郁", + "ENG": "a feeling of sadness for no particular reason" + }, + "doldrums": { + "CHS": "忧郁, 赤道无风带", + "ENG": "if you are in the doldrums, you are feeling sad" + }, + "hypochondria": { + "CHS": "忧郁症, 臆想病", + "ENG": "when someone continuously worries that there is something wrong with their health, even when they are not ill" + }, + "hypochondriac": { + "CHS": "忧郁症患者", + "ENG": "someone who always worries about their health and thinks they may be ill, even when they are really not ill" + }, + "specter": { + "CHS": "幽灵, 妖怪, 缭绕心头的恐惧(或忧虑等)" + }, + "humour": { + "CHS": "幽默, 诙谐", + "ENG": "the ability or tendency to think that things are funny, or funny things you say that show you have this ability" + }, + "harangue": { + "CHS": "尤指指责性的, 长篇大论, 夸张的话" + }, + "linoleum": { + "CHS": "油布, 油毯", + "ENG": "a floor covering made from strong shiny material" + }, + "unguent": { + "CHS": "油膏", + "ENG": "an oily substance used on your skin" + }, + "stodge": { + "CHS": "油腻的食物, 贪吃的人", + "ENG": "heavy food that makes you feel full very quickly" + }, + "bum": { + "CHS": "游荡者, 游民, 闹饮" + }, + "partisan": { + "CHS": "游击队", + "ENG": "a member of an armed group that fights against an enemy that has taken control of its country" + }, + "peregrination": { + "CHS": "游历, 旅行", + "ENG": "a long journey" + }, + "horde": { + "CHS": "游牧部落" + }, + "nomad": { + "CHS": "游牧部落的人, 流浪者, 游牧民", + "ENG": "a member of a tribe that travels from place to place instead of living in one place all the time, usually in order to find grass for their animals" + }, + "yacht": { + "CHS": "游艇, 快艇, 轻舟", + "ENG": "a large boat with a sail, used for pleasure or sport, especially one that has a place where you can sleep" + }, + "affection": { + "CHS": "友爱, 爱情, 影响, 疾病, 倾向", + "ENG": "If you regard someone or something with affection, you like them and are fond of them" + }, + "aspirant": { + "CHS": "有抱负者, 有野心者", + "ENG": "someone who hopes to get a position of importance or honour" + }, + "spinosity": { + "CHS": "有刺, 难题, 尖刻的话" + }, + "marsupial": { + "CHS": "有袋动物", + "ENG": "an animal such as a kangaroo which carries its babies in a pocket of skin on its body" + }, + "pyxis": { + "CHS": "有盖瓶, 小瓶" + }, + "pest": { + "CHS": "有害物", + "ENG": "a small animal or insect that destroys crops or food supplies" + }, + "crayon": { + "CHS": "有色粉笔, 蜡笔, 粉笔画", + "ENG": "a stick of coloured wax or chalk that children use to draw pictures" + }, + "theism": { + "CHS": "有神论, (基督教的)一神论, [医]茶中毒", + "ENG": "the belief in the existence of God or gods" + }, + "conducive": { + "CHS": "有益于" + }, + "serendipity": { + "CHS": "有意外发现珍宝的运气", + "ENG": "Serendipity is the luck some people have in finding or creating interesting or valuable things by chance" + }, + "larva": { + "CHS": "幼虫", + "ENG": "a young insect with a soft tube-shaped body, which will later become an insect with wings" + }, + "cub": { + "CHS": "幼兽, 不懂规矩的年轻人", + "ENG": "the baby of a wild animal such as a lion or a bear" + }, + "plumule": { + "CHS": "幼芽, 棉毛", + "ENG": "the embryonic shoot of seed-bearing plants " + }, + "scion": { + "CHS": "幼芽, 子孙", + "ENG": "a young member of a famous or important family" + }, + "puerility": { + "CHS": "幼稚, 孩子气, 天真, 未成熟" + }, + "inducement": { + "CHS": "诱导, 诱因, 动机, 刺激物", + "ENG": "a reason for doing something, especially something that you will get as a result" + }, + "enticement": { + "CHS": "诱惑, 怂恿, 引诱", + "ENG": "An enticement is something that makes people want to do a particular thing" + }, + "temptation": { + "CHS": "诱惑, 诱惑物", + "ENG": "a strong desire to have or do something even though you know you should not" + }, + "allurement": { + "CHS": "诱惑物,魅力" + }, + "crimp": { + "CHS": "诱迫他人当兵之人, 兵贩子, 卷曲, 卷发" + }, + "periphrasis": { + "CHS": "迂回说法", + "ENG": "the use of auxiliary words instead of inflect ed forms" + }, + "silt": { + "CHS": "淤泥, 残渣, 煤粉, 泥沙", + "ENG": "sand, mud, soil etc that is carried in water and then settles at a bend in a river, an entrance to a port etc" + }, + "barb": { + "CHS": "鱼钩, 鱼叉的倒钩, 巴巴里鸽(一种类似信鸽的鸽子)", + "ENG": "the sharp curved point of a hook, arrow etc that prevents it from being easily pulled out" + }, + "fishery": { + "CHS": "渔业, 水产业, 渔场, 养鱼术", + "ENG": "a part of the sea where fish are caught in large numbers" + }, + "delectation": { + "CHS": "愉快, 款待", + "ENG": "if you do something for someone’s delectation, you do it to give them enjoyment, pleasure, or amusement" + }, + "infatuation": { + "CHS": "愚蠢, 糊涂, 醉心" + }, + "fatuity": { + "CHS": "愚昧, 昏庸, 愚蠢的言行", + "ENG": "complacent foolishness; inanity " + }, + "quill": { + "CHS": "羽茎, 大翎毛, (豪猪、刺猬的)刚毛", + "ENG": "a stiff bird’s feather" + }, + "plume": { + "CHS": "羽毛", + "ENG": "a large feather or bunch of feathers, especially one that is used as a decoration on a hat" + }, + "fledgling": { + "CHS": "羽毛初长的雏鸟, 刚会飞的幼鸟, 无经验的人, 初出茅庐的人", + "ENG": "a young bird that is learning to fly" + }, + "panache": { + "CHS": "羽饰, 华丽" + }, + "poncho": { + "CHS": "雨布" + }, + "ombrometer": { + "CHS": "雨量计, 雨计" + }, + "solecism": { + "CHS": "语法错误, 谬误, 失礼", + "ENG": "a mistake in the use of written or spoken language" + }, + "linguistics": { + "CHS": "语言学", + "ENG": "the study of language in general and of particular languages, their structure, grammar, and history" + }, + "philology": { + "CHS": "语言学, 文献学", + "ENG": "the study of words and of the way words and languages develop" + }, + "etymology": { + "CHS": "语源, 语源学", + "ENG": "the study of the origins, history and changing meanings of words" + }, + "tub": { + "CHS": "浴盆", + "ENG": "the amount of liquid, food etc that a tub can contain" + }, + "foreboding": { + "CHS": "预感, 先兆, 预兆", + "ENG": "a strong feeling that something bad is going to happen soon" + }, + "foretaste": { + "CHS": "预示", + "ENG": "If you describe an event as a foretaste of a future situation, you mean that it suggests to you what that future situation will be like" + }, + "presupposition": { + "CHS": "预想, 假设", + "ENG": "something that you think is true, although you have no proof" + }, + "preconception": { + "CHS": "预想, 偏见" + }, + "presage": { + "CHS": "预兆" + }, + "omen": { + "CHS": "预兆, 征兆", + "ENG": "a sign of what will happen in the future" + }, + "precognition": { + "CHS": "预知", + "ENG": "the knowledge that something will happen before it actually does" + }, + "orexis": { + "CHS": "欲望, [医]食欲" + }, + "parable": { + "CHS": "寓言, 比喻", + "ENG": "a short simple story that teaches a moral or religious lesson, especially one of the stories told by Jesus in the Bible" + }, + "horticulture": { + "CHS": "园艺", + "ENG": "the practice or science of growing flowers, fruit, and vegetables" + }, + "prototype": { + "CHS": "原型", + "ENG": "the first form that a new design of a car, machine etc has, or a model of it used to test the design before it is produced" + }, + "archetype": { + "CHS": "原型", + "ENG": "a perfect example of something, because it has all the most important qualities of things that belong to that type" + }, + "conceit": { + "CHS": "原义:想法, 意见, 自负, 幻想, 狂妄", + "ENG": "Conceit is too much pride in your abilities or achievements" + }, + "tenet": { + "CHS": "原则", + "ENG": "a principle or belief, especially one that is part of a larger system of beliefs" + }, + "igloo": { + "CHS": "圆顶建筑", + "ENG": "Igloos are dome-shaped houses built from blocks of snow by the Inuit people" + }, + "hummock": { + "CHS": "圆丘, 小丘, 山岗, 冰群(冰原上的), <美>沼泽中的肥沃高地", + "ENG": "a very small hill" + }, + "dome": { + "CHS": "圆屋顶", + "ENG": "a round roof on a building" + }, + "lobe": { + "CHS": "圆形突出部(尤指耳垂), [植]圆裂片", + "ENG": "the soft piece of flesh at the bottom of your ear" + }, + "hunch": { + "CHS": "圆形之隆起物, 肉峰, 预感, 大块", + "ENG": "if you have a hunch that something is true or will happen, you feel that it is true or will happen" + }, + "gouge": { + "CHS": "圆凿, 沟, 以圆凿刨" + }, + "cornet": { + "CHS": "圆锥形纸袋, 短号", + "ENG": "a musical instrument like a small trumpet " + }, + "simian": { + "CHS": "猿" + }, + "apogee": { + "CHS": "远地点" + }, + "expedition": { + "CHS": "远征, 探险队, 迅速, 派遣", + "ENG": "a long and carefully organized journey, especially to a dangerous or unfamiliar place, or the people that make this journey" + }, + "jaunt": { + "CHS": "远足, 短途旅游", + "ENG": "a short trip for pleasure" + }, + "excursion": { + "CHS": "远足, 游览, 短程旅行, 远足队, 离题, [物]偏移, 漂移", + "ENG": "a short journey arranged so that a group of people can visit a place, especially while they are on holiday" + }, + "resentment": { + "CHS": "怨恨, 愤恨", + "ENG": "a feeling of anger because something has happened that you think is unfair" + }, + "stipulation": { + "CHS": "约定, 约束, 契约", + "ENG": "something that must be done, and which is stated as part of an agreement, law, or rule" + }, + "melody": { + "CHS": "悦耳的音调", + "ENG": "the arrangement of musical notes in a way that is pleasant" + }, + "euphony": { + "CHS": "悦耳之音" + }, + "lark": { + "CHS": "云雀, 百灵鸟, 灰黄色, 诗人, 嬉戏, 玩乐", + "ENG": "a small brown singing bird with long pointed wings" + }, + "spruce": { + "CHS": "云杉", + "ENG": "a tree that grows in nor-thern countries and has short leaves shaped like needles" + }, + "athletics": { + "CHS": "运动", + "ENG": "sports such as running and jumping" + }, + "movement": { + "CHS": "运动, 动作, 运转, 乐章", + "ENG": "a group of people who share the same ideas or beliefs and who work together to achieve a particular aim" + }, + "locomotion": { + "CHS": "运动, 移动, 运动力, 移动力", + "ENG": "movement or the ability to move" + }, + "sport": { + "CHS": "运动,运动会", + "ENG": "an activity that people do in the countryside, especially hunting or fishing" + }, + "verse": { + "CHS": "韵文, 诗, 诗节, 诗句, 诗篇", + "ENG": "a set of lines that forms one part of a song, poem, or a book such as the Bible or the Koran" + }, + "imbroglio": { + "CHS": "杂乱的一团, 纠葛, 纷扰, 误解" + }, + "miscellany": { + "CHS": "杂物, (miscellanies)杂录, 杂记", + "ENG": "a group of different things" + }, + "cur": { + "CHS": "杂种, 坏种, 恶狗, 卑贱的人, 胆怯的家伙", + "ENG": "an unfriendly dog, especially one that is a mix of several breeds" + }, + "hybrid": { + "CHS": "杂种, 混血儿, 混合物", + "ENG": "an animal or plant produced from parents of different breeds or types" + }, + "mishap": { + "CHS": "灾祸", + "ENG": "A mishap is an unfortunate but not very serious event that happens to someone" + }, + "calamity": { + "CHS": "灾难, 不幸事件", + "ENG": "a terrible and unexpected event that causes a lot of damage or suffering" + }, + "cataclysm": { + "CHS": "灾难, 大洪水, 地震, (社会政治的)大变动", + "ENG": "a violent or sudden event or change, such as a serious flood or earthquake " + }, + "disaster": { + "CHS": "灾难, 天灾, 灾祸", + "ENG": "a sudden event such as a flood, storm, or accident which causes great damage or suffering" + }, + "manifest": { + "CHS": "载货单, 旅客名单", + "ENG": "a list of passengers or goods carried on a ship, plane, or train" + }, + "immolation": { + "CHS": "宰杀, 祭物" + }, + "digamy": { + "CHS": "再婚", + "ENG": "a second marriage contracted after the termination of the first by death or divorce " + }, + "reincarnation": { + "CHS": "再投胎, 化身, 再生", + "ENG": "the person or animal that contains the soul of a dead person or animal" + }, + "fresco": { + "CHS": "在灰泥的墙壁上作的水彩画, 壁画", + "ENG": "a painting made on a wall while the plaster is still wet" + }, + "respite": { + "CHS": "暂缓", + "ENG": "a short time when something bad stops happening, so that the situation is temporarily better" + }, + "abeyance": { + "CHS": "暂时无效, 中止, 归属待定", + "ENG": "something such as a custom, rule, or system that is in abeyance is not being used at the present time" + }, + "assent": { + "CHS": "赞成", + "ENG": "approval or agreement from someone who has authority" + }, + "eulogy": { + "CHS": "赞词, 颂词, 歌功颂德的话", + "ENG": "a speech or piece of writing in which you praise someone or something very much, especially at a funeral" + }, + "encomium": { + "CHS": "赞辞, 赞美, 称赞", + "ENG": "the expression of a lot of praise" + }, + "laud": { + "CHS": "赞美, 称赞, 颂歌" + }, + "accolade": { + "CHS": "赞美, 骑士爵位的授予, 连谱号" + }, + "hymn": { + "CHS": "赞美诗, 圣歌", + "ENG": "a song of praise to God" + }, + "motet": { + "CHS": "赞美诗, 圣歌, 赞歌" + }, + "obsequies": { + "CHS": "葬礼", + "ENG": "a funeral ceremony" + }, + "wreckage": { + "CHS": "遭难" + }, + "shipwright": { + "CHS": "造船工人, 造船木匠", + "ENG": "someone who builds or repairs ships" + }, + "reprehend": { + "CHS": "责备" + }, + "stricture": { + "CHS": "责难" + }, + "onus": { + "CHS": "责任, 负担", + "ENG": "the responsibility for something" + }, + "liability": { + "CHS": "责任, 义务, 倾向, 债务, 负债, 与assets相对", + "ENG": "legal responsibility for something, especially for paying money that is owed, or for damage or injury" + }, + "incumbency": { + "CHS": "责任, 义务, 任职, 压", + "ENG": "the state of holding an official position, especially in politics, or the time when someone holds an official position" + }, + "augmentation": { + "CHS": "增加", + "ENG": "the act of augmenting or the state of being augmented " + }, + "increment": { + "CHS": "增加, 增量", + "ENG": "the amount by which a number, value, or amount increases" + }, + "enhancement": { + "CHS": "增进, 增加" + }, + "accretion": { + "CHS": "增长", + "ENG": "a gradual process by which new things are added and something gradually changes or gets bigger" + }, + "odium": { + "CHS": "憎恶, 讨厌", + "ENG": "Odium is the extreme disapproval or hatred that people feel for a particular person, usually because of something that the person has done" + }, + "gratuity": { + "CHS": "赠物, 贺仪, 赏钱", + "ENG": "a small gift of money given to someone for a service they provided" + }, + "chirp": { + "CHS": "喳喳声, 唧唧声" + }, + "dregs": { + "CHS": "渣滓,糟粕", + "ENG": "not polite an offensive expression used to describe the people that you consider are the least important or useful in society" + }, + "brake": { + "CHS": "闸, 刹车", + "ENG": "a piece of equipment that makes a vehicle go more slowly or stop" + }, + "fencing": { + "CHS": "栅栏, 篱笆, 围墙, 剑术, 辩论, 买卖", + "ENG": "the sport of fighting with a long thin sword" + }, + "stockade": { + "CHS": "栅栏, 围起处", + "ENG": "a fence built from long thick pieces of wood pushed into the ground, used to defend a place" + }, + "dynamite": { + "CHS": "炸药, <俚> 能产生不凡效果的人或物", + "ENG": "a powerful explosive used especially for breaking rock" + }, + "epitome": { + "CHS": "摘要" + }, + "resume": { + "CHS": "摘要, 概略, <美> 履历", + "ENG": "a short account of something such as an article or speech which gives the main points but no details" + }, + "abstract": { + "CHS": "摘要, 概要, 抽象", + "ENG": "a short written statement containing only the most important ideas in a speech, article etc" + }, + "viscosity": { + "CHS": "粘质, 粘性" + }, + "showpiece": { + "CHS": "展出品, 样品", + "ENG": "A showpiece is something that is admired because it is the best thing of its type, especially something that is intended to be impressive" + }, + "diviner": { + "CHS": "占卜者, 占卦的人" + }, + "astrology": { + "CHS": "占星术, 占星学(以观测天象来预卜人间事务的一种方术)", + "ENG": "the study of the positions and movements of the stars and how they might influence people and events" + }, + "augury": { + "CHS": "占兆, 占卜, 预言", + "ENG": "An augury is a sign of what will happen in the future" + }, + "trophy": { + "CHS": "战利品, 奖品", + "ENG": "something that you keep to prove your success in something, especially in war or hunting" + }, + "stratagem": { + "CHS": "战略, 计谋", + "ENG": "a trick or plan to deceive an enemy or gain an advantage" + }, + "warfare": { + "CHS": "战争, 作战, 冲突, 竞争", + "ENG": "the activity of fighting in a war – used especially when talking about particular methods of fighting" + }, + "scythe": { + "CHS": "长柄镰刀, 镰(古兵器)", + "ENG": "a farming tool that has a long curved blade attached to a long wooden handle, and is used to cut grain or long grass" + }, + "forte": { + "CHS": "长处", + "ENG": "to be something that you do well or are skilled at" + }, + "fathom": { + "CHS": "长度单位(6英尺)" + }, + "magistracy": { + "CHS": "长官的职位, 地方行政长官", + "ENG": "the official position of a magistrate, or the time during which someone has this position" + }, + "plush": { + "CHS": "长毛绒", + "ENG": "a silk or cotton material with a thick soft surface" + }, + "longevity": { + "CHS": "长命, 寿命,供职期限,资历", + "ENG": "the amount of time that someone or something lives" + }, + "robe": { + "CHS": "长袍, 罩衣, 礼服, 制服", + "ENG": "a long loose piece of clothing, especially one worn for official ceremonies" + }, + "tirade": { + "CHS": "长篇激烈的演说" + }, + "sliver": { + "CHS": "长条" + }, + "tusk": { + "CHS": "长牙, 獠牙, 尖牙", + "ENG": "one of a pair of very long pointed teeth, that stick out of the mouth of animals such as elephants " + }, + "flux": { + "CHS": "涨潮, 变迁, [物]流量, 通量" + }, + "inflation": { + "CHS": "胀大, 夸张, 通货膨胀, (物价)暴涨", + "ENG": "a continuing increase in prices, or the rate at which prices increase" + }, + "obstacle": { + "CHS": "障碍, 妨害物", + "ENG": "something that makes it difficult to achieve some­thing" + }, + "balk": { + "CHS": "障碍, 梁木" + }, + "salutation": { + "CHS": "招呼", + "ENG": "a word or phrase used at the beginning of a letter or speech, such as ‘Dear Mr Smith’" + }, + "flaunt": { + "CHS": "招展, 招摇, 炫耀, 飘扬" + }, + "talon": { + "CHS": "爪, 魔爪", + "ENG": "a sharp powerful curved nail on the feet of some birds that catch animals for food" + }, + "moor": { + "CHS": "沼地, 荒野", + "ENG": "a wild open area of high land, covered with rough grass or low bushes and heather , that is not farmed because the soil is not good enough" + }, + "morass": { + "CHS": "沼泽", + "ENG": "a dangerous area of soft wet ground" + }, + "quagmire": { + "CHS": "沼泽, 湿地", + "ENG": "an area of soft wet muddy ground" + }, + "meager": { + "CHS": "兆" + }, + "illumination": { + "CHS": "照明, 阐明, 启发, 灯彩(通常用复数)", + "ENG": "lighting provided by a lamp, light etc" + }, + "awning": { + "CHS": "遮阳篷, 雨篷", + "ENG": "a sheet of material outside a shop, tent etc to keep off the sun or the rain" + }, + "fold": { + "CHS": "折, 羊栏, 折痕, 信徒", + "ENG": "a line made in paper or material when you fold one part of it over another" + }, + "crease": { + "CHS": "折缝, 折痕", + "ENG": "Creases are lines that are made in cloth or paper when it is crushed or folded" + }, + "harassment": { + "CHS": "折磨" + }, + "torture": { + "CHS": "折磨, 痛苦, 拷问, 拷打", + "ENG": "an act of deliberately hurting someone in order to force them to tell you something, to punish them, or to be cruel" + }, + "eclecticism": { + "CHS": "折衷主义, 折衷主义的运动", + "ENG": "Eclecticism is the principle or practice of choosing or involving objects, ideas, and beliefs from many different sources" + }, + "pleat": { + "CHS": "褶, 褶状物", + "ENG": "a flat narrow fold in a skirt, a pair of trousers, a dress etc" + }, + "needle": { + "CHS": "针", + "ENG": "a very thin, pointed steel tube at the end of a syringe, which is pushed into your skin to put a drug or medicine into your body or to take out blood" + }, + "reconnaissance": { + "CHS": "侦察, 搜索, 勘测", + "ENG": "the military activity of sending soldiers and aircraft to find out about the enemy’s forces" + }, + "truism": { + "CHS": "真实性" + }, + "gust": { + "CHS": "阵风, 一阵狂风, (雨、冰雹、烟、火、声音等的)突然一阵,(感情的)迸发,汹涌", + "ENG": "a sudden strong movement of wind, air, rain etc" + }, + "vibrancy": { + "CHS": "振动, 振动性, 活跃, 响亮" + }, + "tremor": { + "CHS": "震动, 颤动", + "ENG": "If an event causes a tremor in a group or organization, it threatens to make the group or organization less strong or stable" + }, + "quiver": { + "CHS": "震动, 颤抖, 箭袋, 箭袋中的箭", + "ENG": "a slight trembling" + }, + "jar": { + "CHS": "震动, 刺耳声, 震惊, 争吵, 罐, 广口瓶" + }, + "convulsion": { + "CHS": "震撼, 动乱, 震动, 惊厥, 痉挛", + "ENG": "a shaking movement of your body that you cannot control, which happens because you are ill" + }, + "equanimity": { + "CHS": "镇定", + "ENG": "calmness in the way that you react to things, which means that you do not become upset or annoyed" + }, + "composure": { + "CHS": "镇静, 沉着", + "ENG": "the state of feeling or seeming calm" + }, + "contention": { + "CHS": "争夺, 争论, 争辩, 论点", + "ENG": "a strong opinion that someone expresses" + }, + "altercation": { + "CHS": "争论, 口角" + }, + "disputant": { + "CHS": "争论者", + "ENG": "a person who argues; contestant " + }, + "subjection": { + "CHS": "征服", + "ENG": "when a person or a group of people are controlled by a government or by another person" + }, + "enlistment": { + "CHS": "征募, 服役期间", + "ENG": "Enlistment is the period of time for which someone is a member of one of the armed forces" + }, + "levy": { + "CHS": "征收, 征税, 征兵", + "ENG": "A levy is a sum of money that you have to pay, for example, as a tax to the government" + }, + "portent": { + "CHS": "征兆", + "ENG": "a sign or warning that something is going to happen" + }, + "distillation": { + "CHS": "蒸馏, 蒸馏法, 蒸馏物, 精华, 精髓" + }, + "salvation": { + "CHS": "拯救, 救助", + "ENG": "something that prevents or saves someone or something from danger, loss, or failure" + }, + "ambivalence": { + "CHS": "正反感情并存" + }, + "facade": { + "CHS": "正面", + "ENG": "the front of a building, especially a large and important one" + }, + "grandstand": { + "CHS": "正面看台", + "ENG": "a large structure that has many rows of seats where people sit and watch sports competitions, games, or races" + }, + "requisition": { + "CHS": "正式请求, 申请, 需要, 命令, 征用, 通知单", + "ENG": "A requisition is a written document which allows a person or organization to obtain goods" + }, + "text": { + "CHS": "正文, 原文, 课文, 课本", + "ENG": "the writing that forms the main part of a book, magazine etc, rather than the pictures or notes" + }, + "probity": { + "CHS": "正直", + "ENG": "complete honesty" + }, + "integrity": { + "CHS": "正直, 诚实, 完整, 完全, 完整性", + "ENG": "the quality of being honest and strong about what you believe to be right" + }, + "rectitude": { + "CHS": "正直, 公正, 清廉, 笔直", + "ENG": "behaviour that is honest and morally correct" + }, + "testimony": { + "CHS": "证词(尤指在法庭所作的), 宣言, 陈述", + "ENG": "a formal statement saying that something is true, especially one a witness makes in a court of law" + }, + "testimonial": { + "CHS": "证明书, 推荐书", + "ENG": "a formal written statement describing someone’s character and abilities" + }, + "regime": { + "CHS": "政体, 政权, 政权制度", + "ENG": "a government, especially one that was not elected fairly or that you disapprove of for some other reason" + }, + "bracing": { + "CHS": "支撑, 支柱,裤吊带" + }, + "prop": { + "CHS": "支持者, 倚靠人, 道具, 螺旋桨", + "ENG": "a small object such as a book, weapon etc, used by actors in a play or film" + }, + "expenditure": { + "CHS": "支出, 花费", + "ENG": "the total amount of money that a government, organization, or person spends during a particular period of time" + }, + "disbursement": { + "CHS": "支付, 支出", + "ENG": "Disbursement is the paying out of a sum of money, especially from a fund" + }, + "brace": { + "CHS": "支柱, 带子, 振作精神" + }, + "picket": { + "CHS": "支柱, 警戒哨" + }, + "acronym": { + "CHS": "只取首字母的缩写词", + "ENG": "a word made up from the first letters of the name of something such as an organization. For example, NATO is an acronym for the North Atlantic Treaty Organization." + }, + "limb": { + "CHS": "肢, 翼, 分支", + "ENG": "an arm or leg" + }, + "loom": { + "CHS": "织布机, 织机", + "ENG": "a frame or machine on which thread is woven into cloth" + }, + "tapestry": { + "CHS": "织锦, 挂毯", + "ENG": "a large piece of heavy cloth on which coloured threads are woven to produce a picture, pattern etc" + }, + "fabric": { + "CHS": "织品, 织物, 布, 结构, 建筑物, 构造", + "ENG": "cloth used for making clothes, curtains etc" + }, + "licence": { + "CHS": "执照, 许可证, 特许", + "ENG": "an official document giving you permission to own or do something for a period of time" + }, + "hypotenuse": { + "CHS": "直角三角形之斜边", + "ENG": "the longest side of a triangle that has a right angle " + }, + "immediacy": { + "CHS": "直接" + }, + "functionary": { + "CHS": "职员, 官员, 负责人员", + "ENG": "someone who has a job doing unimportant or boring official duties" + }, + "botany": { + "CHS": "植物学", + "ENG": "the scientific study of plants" + }, + "anodyne": { + "CHS": "止痛剂, 镇痛剂", + "ENG": "a medicine that reduces pain" + }, + "tourniquet": { + "CHS": "止血带, 压脉器", + "ENG": "a band of cloth that is twisted tightly around an injured arm or leg to stop it bleeding" + }, + "prescription": { + "CHS": "指示, 规定, 命令, 处方, 药方", + "ENG": "a piece of paper on which a doctor writes what medicine a sick person should have, so that they can get it from a pharmacist " + }, + "designation": { + "CHS": "指示, 指定, 选派, 名称", + "ENG": "the act of choosing someone or something for a particular purpose, or of giving them a particular description" + }, + "pointer": { + "CHS": "指示器", + "ENG": "a thin piece of metal that points to a number or direction on a piece of equipment, for example on a measuring instrument" + }, + "rebuke": { + "CHS": "指责, 谴责, 非难", + "ENG": "Rebuke is also a noun" + }, + "beatitude": { + "CHS": "至福, 祝福", + "ENG": "supreme blessedness or happiness " + }, + "tanner": { + "CHS": "制革工人, 六便士", + "ENG": "someone whose job is to make animal skin into leather by tanning " + }, + "moulder": { + "CHS": "制模工, 铸工" + }, + "ceramics": { + "CHS": "制陶术, 制陶业", + "ENG": "things that are made this way" + }, + "query": { + "CHS": "质问, 询问, 怀疑, 疑问", + "ENG": "a question that you ask to get information, or to check that something is true or correct" + }, + "therapy": { + "CHS": "治疗", + "ENG": "the treatment of an illness or injury over a fairly long period of time" + }, + "asphyxia": { + "CHS": "窒息, 昏厥", + "ENG": "death caused by not being able to breathe" + }, + "relevance": { + "CHS": "中肯, 适当" + }, + "neutral": { + "CHS": "中立者, 中立国, 非彩色, 齿轮的空档", + "ENG": "a country, person, or group that is not involved in an argument or disagreement" + }, + "nave": { + "CHS": "中央广场, 车轮的中心部", + "ENG": "the long central part of a church" + }, + "fidelity": { + "CHS": "忠实, 诚实, 忠诚, 保真度, (收音机, 录音设备等的)逼真度, 保真度, 重现精度", + "ENG": "when you are loyal to your husband, girlfriend etc, by not having sex with anyone else" + }, + "henchman": { + "CHS": "忠实的追随者, 党羽, 跟随者" + }, + "allegiance": { + "CHS": "忠贞, 效忠", + "ENG": "loyalty to a leader, country, belief etc" + }, + "terminus": { + "CHS": "终点, [建]界标, 终点站", + "ENG": "the station or stop at the end of a railway or bus line" + }, + "pendulum": { + "CHS": "钟摆, 摇锤", + "ENG": "a long metal stick with a weight at the bottom that swings regularly from side to side to control the working of a clock" + }, + "horology": { + "CHS": "钟表学", + "ENG": "the art or science of making timepieces or of measuring time " + }, + "category": { + "CHS": "种类, 别, [逻]范畴", + "ENG": "a group of people or things that are all of the same type" + }, + "umpire": { + "CHS": "仲裁人, 裁判员", + "ENG": "the person who makes sure that the players obey the rules in sports such as tennis, baseball, and cricket" + }, + "arbitrator": { + "CHS": "仲裁人, 公断者" + }, + "referee": { + "CHS": "仲裁人, 调解人, [体]裁判员", + "ENG": "someone who makes sure that the rules of a sport such as football, basketball , or boxing , are followed" + }, + "arbiter": { + "CHS": "仲裁者, 判优器" + }, + "intermediary": { + "CHS": "仲裁者, 调解者, 中间物", + "ENG": "a person or organization that tries to help two other people or groups to agree with each other" + }, + "grueling": { + "CHS": "重罚, 严惩" + }, + "refrain": { + "CHS": "重复, 叠句, [乐]副歌", + "ENG": "part of a song or poem that is repeated, especially at the end of each verse " + }, + "felon": { + "CHS": "重罪人, 蛇头, 瘭疽", + "ENG": "someone who is guilty of a serious crime" + }, + "milieu": { + "CHS": "周围, 环境", + "ENG": "the things and people that surround you and influence the way you live and think" + }, + "axis": { + "CHS": "轴", + "ENG": "the imaginary line around which a large round object, such as the Earth, turns" + }, + "shaft": { + "CHS": "轴, 杆状物", + "ENG": "a thin long piece of metal in an engine or machine, that turns and passes on power or movement to another part of the machine" + }, + "malediction": { + "CHS": "咒, 坏话", + "ENG": "a wish that something bad will happen to someone" + }, + "abracadabra": { + "CHS": "咒语, 胡言乱语", + "ENG": "a word you say when you do a magic trick, which is supposed to make it successful" + }, + "wrinkle": { + "CHS": "皱纹", + "ENG": "wrinkles are lines on your face and skin that you get when you are old" + }, + "crinkle": { + "CHS": "皱纹", + "ENG": "a thin fold, especially in your skin or on cloth, paper etc" + }, + "midget": { + "CHS": "侏儒", + "ENG": "a very offensive word for someone who is very short because their body has not grown normally. Do not use this word." + }, + "manikin": { + "CHS": "侏儒, 人体模型, 时装模特", + "ENG": "a model of the human body, used for teaching art or medicine" + }, + "vassal": { + "CHS": "诸侯, 封臣, 附庸, 诸侯", + "ENG": "In feudal society, a vassal was a man who gave military service to a lord, in return for which he was protected by the lord and received land to live on" + }, + "swine": { + "CHS": "猪, 卑贱的人", + "ENG": "someone who behaves very rudely or unpleasantly" + }, + "pigsty": { + "CHS": "猪舍, 脏房子", + "ENG": "A pigsty is an enclosed place where pigs are kept on a farm" + }, + "lard": { + "CHS": "猪油", + "ENG": "white fat from pigs that is used in cooking" + }, + "expulsion": { + "CHS": "逐出, 开除", + "ENG": "the act of stopping someone from going to the school where they were studying or from being part of the organization where they worked" + }, + "convalescence": { + "CHS": "逐渐康复", + "ENG": "the length of time a person spends getting well after an illness" + }, + "candela": { + "CHS": "烛光", + "ENG": "the basic SI unit of luminous intensity; the luminous intensity in a given direction of a source that emits monochromatic radiation of frequency 540 × 1012 hertz and that has a radiant intensity in that direction of () watt per steradian " + }, + "compere": { + "CHS": "主持人, 指挥者", + "ENG": "someone who introduces the people who are performing in a television programme, theatre show etc" + }, + "initiative": { + "CHS": "主动", + "ENG": "the ability to make decisions and take action without waiting for someone to tell you what to do" + }, + "host": { + "CHS": "主人, 旅馆招待 许多", + "ENG": "someone at a party, meal etc who has invited the guests and who provides the food, drink etc" + }, + "motif": { + "CHS": "主题, 主旨, 动机, 图形", + "ENG": "an idea, subject, or image that is regularly repeated and developed in a book, film, work of art etc" + }, + "jingoism": { + "CHS": "主战论, 武力外交政策,沙文主义,侵略主义", + "ENG": "a strong belief that your own country is better than others – used to show disapproval" + }, + "protest": { + "CHS": "主张, 断言, 抗议", + "ENG": "something that you do to show publicly that you think that something is wrong and unfair, for example taking part in big public meetings, refusing to work, or refusing to buy a company’s products" + }, + "allegation": { + "CHS": "主张,断言, 辩解" + }, + "purport": { + "CHS": "主旨", + "ENG": "the general meaning of what someone says" + }, + "skillet": { + "CHS": "煮锅, 长柄浅锅", + "ENG": "a flat heavy cooking pan with a long handle" + }, + "abode": { + "CHS": "住所, 住处", + "ENG": "someone’s home – sometimes used humorously" + }, + "repository": { + "CHS": "贮藏室, 智囊团, 知识库, 仓库", + "ENG": "a place or container in which large quantities of something are stored" + }, + "annotation": { + "CHS": "注解, 评注注解,注释", + "ENG": "Annotation is the activity of annotating something" + }, + "syringe": { + "CHS": "注射器, 注油器, 洗涤器", + "ENG": "an instrument for taking blood from someone’s body or putting liquid, drugs etc into it, consisting of a hollow plastic tube and a needle" + }, + "contemplation": { + "CHS": "注视, 沉思, 预期, 企图, 打算" + }, + "exegesis": { + "CHS": "注释, 解释", + "ENG": "a detailed explanation of a piece of writing, especially a religious piece of writing" + }, + "heed": { + "CHS": "注意, 留意", + "ENG": "to pay attention to something, especially something someone says, and seriously consider it" + }, + "plinth": { + "CHS": "柱基, 方形底座", + "ENG": "a square block, usually made of stone, that is used as the base for a pillar or statue " + }, + "benediction": { + "CHS": "祝福", + "ENG": "a Christian prayer that asks God to protect and help someone" + }, + "founder": { + "CHS": "铸工, 翻沙工, 创始人, 奠基人", + "ENG": "The founder of an institution, organization, or building is the person who got it started or caused it to be built, often by providing the necessary money" + }, + "savant": { + "CHS": "专家", + "ENG": "someone who knows a lot about a subject" + }, + "expertise": { + "CHS": "专家的意见, 专门技术", + "ENG": "special skills or knowledge in a particular subject, that you learn by experience or training" + }, + "technocrat": { + "CHS": "专家政治论者, 技术统治论者" + }, + "patent": { + "CHS": "专利权, 执照, 专利品", + "ENG": "a special document that gives you the right to make or sell a new invention or product that no one else is allowed to copy" + }, + "monograph": { + "CHS": "专论", + "ENG": "an article or short book that discusses a subject in detail" + }, + "disquisition": { + "CHS": "专题论文" + }, + "despotism": { + "CHS": "专制", + "ENG": "rule by a despot" + }, + "adobe": { + "CHS": "砖坯, 土砖美国Adobe公司, 是著名的图形图像和排版软件的生产商", + "ENG": "earth and straw that are made into bricks for building houses" + }, + "transition": { + "CHS": "转变, 转换, 跃迁, 过渡, 变调", + "ENG": "when something changes from one form or state to another" + }, + "climacteric": { + "CHS": "转变期, [医]更年期,绝经期,[植]呼吸峰", + "ENG": "a critical event or period " + }, + "yokel": { + "CHS": "庄稼汉, 乡下人" + }, + "grandeur": { + "CHS": "庄严, 伟大" + }, + "prude": { + "CHS": "装成规矩的女人, (尤指在性问题上)故做正经的女人", + "ENG": "If you call someone a prude, you mean that they are too easily shocked by things relating to sex" + }, + "prudery": { + "CHS": "装规矩, 假正经的行为" + }, + "poseur": { + "CHS": "装模作样的人, 装腔作势的人", + "ENG": "You can describe someone as a poseur when you think that they behave in an insincere or exaggerated way because they want to make a particular impression on other people" + }, + "poser": { + "CHS": "装腔作势者, 难题", + "ENG": "someone who pretends to have a quality or social position they do not really have, usually in order to make people notice or admire them" + }, + "adornment": { + "CHS": "装饰, 装饰品", + "ENG": "something that you use to decorate something" + }, + "figurehead": { + "CHS": "装饰船头的雕像, 破浪神, 有名无实的领袖", + "ENG": "a wooden model of a woman that used to be placed on the front of ships" + }, + "costume": { + "CHS": "装束, 服装", + "ENG": "a set of clothes worn by an actor or by someone to make them look like something such as an animal, famous person etc" + }, + "plaque": { + "CHS": "装在墙上作装饰或纪念用的薄金属板或瓷片" + }, + "pomp": { + "CHS": "壮丽, 盛况, 夸耀", + "ENG": "all the impressive clothes, decorations, music etc that are traditional for an important official or public ceremony" + }, + "estate": { + "CHS": "状态, 不动产, 时期, 阶层, 财产", + "ENG": "Someone's estate is all the money and property that they leave behind when they die" + }, + "chase": { + "CHS": "追赶, 追击", + "ENG": "the act of following someone or something quickly in order to catch them" + }, + "epigone": { + "CHS": "追随者, 模仿者", + "ENG": "an inferior follower or imitator " + }, + "trailer": { + "CHS": "追踪者, 拖车", + "ENG": "a vehicle that can be pulled behind another vehicle, used for carrying something heavy" + }, + "taper": { + "CHS": "锥形, 锥度" + }, + "awl": { + "CHS": "锥子, 尖钻", + "ENG": "a pointed tool for making holes in leather" + }, + "table": { + "CHS": "桌子, 餐桌, 工作台, 平地层, 石板, 表格", + "ENG": "a piece of furniture with a flat top supported by legs" + }, + "auxin": { + "CHS": "茁长素, 植物激素", + "ENG": "any of various plant hormones, such as indoleacetic acid, that promote growth and control fruit and flower development" + }, + "transcendence": { + "CHS": "卓越, 出类拔萃", + "ENG": "Transcendence is the quality of being able to go beyond normal limits or boundaries" + }, + "lulu": { + "CHS": "卓越的人, 俊秀" + }, + "pose": { + "CHS": "姿势, 姿态", + "ENG": "the position in which someone stands or sits, especially in a painting, photograph etc" + }, + "stance": { + "CHS": "姿态", + "ENG": "a position in which you stand, especially when playing a sport" + }, + "asset": { + "CHS": "资产, 有用的东西", + "ENG": "the things that a company owns, that can be sold to pay debts" + }, + "savor": { + "CHS": "滋味, 气味, 食欲, 特定的味道或气味, 一种有特色的性质" + }, + "germen": { + "CHS": "子房, 生殖腺" + }, + "clause": { + "CHS": "子句, 条款", + "ENG": "a part of a written law or legal document covering a particular subject of the whole law or document" + }, + "posterity": { + "CHS": "子孙, 后裔", + "ENG": "all the people in the future who will be alive after you are dead" + }, + "descendant": { + "CHS": "子孙, 后裔, 后代", + "ENG": "someone who is related to a person who lived a long time ago, or to a family, group of people etc that existed in the past" + }, + "automatism": { + "CHS": "自动化, 自动作用, 自动力", + "ENG": "the state or quality of being automatic; mechanical or involuntary action " + }, + "spontaneity": { + "CHS": "自发性", + "ENG": "Spontaneity is spontaneous, natural behaviour" + }, + "yeoman": { + "CHS": "自耕农, 仆人", + "ENG": "a farmer in Britain in the past who owned and worked on his own land" + }, + "narcissism": { + "CHS": "自我陶醉, 自恋", + "ENG": "when someone is too concerned about their appearance or abilities or spends too much time admiring them – used to show disapproval" + }, + "exhibitionism": { + "CHS": "自我宣传癖, 喜出风头癖, 裸露癖", + "ENG": "a medical condition that makes someone want to show their sexual organs in public places" + }, + "soliloquy": { + "CHS": "自言自语, 独白", + "ENG": "a speech in a play in which a character, usually alone on the stage, talks to himself or herself so that the audience knows their thoughts" + }, + "continence": { + "CHS": "自制, 克制, 节欲(尤指禁欲)", + "ENG": "the ability to control your sexual desires" + }, + "forbearance": { + "CHS": "自制, 忍耐, [律]债务偿还期的延展", + "ENG": "the quality of being patient, able to control your emotions, and willing to forgive someone who has upset you" + }, + "autonomy": { + "CHS": "自治", + "ENG": "freedom that a place or an organization has to govern or control itself" + }, + "borough": { + "CHS": "自治的市镇, 区", + "ENG": "a town, or part of a large city, that is responsible for managing its own schools, hospitals, roads etc" + }, + "n": { + "CHS": "字母n", + "ENG": "N is the fourteenth letter of the English alphabet" + }, + "oratorio": { + "CHS": "宗教剧" + }, + "sect": { + "CHS": "宗派, 教派, 教士会, 流派, 部分, 段", + "ENG": "a group of people with their own particular set of beliefs and practices, especially within or separated from a larger religious group" + }, + "schooner": { + "CHS": "纵帆船, 大酒杯", + "ENG": "a fast sailing ship with two sails" + }, + "arson": { + "CHS": "纵火, 纵火罪", + "ENG": "the crime of deliberately making something burn, especially a building" + }, + "arsonist": { + "CHS": "纵火犯人", + "ENG": "someone who commits the crime of arson" + }, + "smuggle": { + "CHS": "走私, 偷带" + }, + "lease": { + "CHS": "租借, 租约, 租赁物, 租期, 延续的一段时间", + "ENG": "a legal agreement which allows you to use a building, car etc for a period of time, in return for rent" + }, + "vendetta": { + "CHS": "族间仇杀, 深仇" + }, + "malison": { + "CHS": "诅咒, 咒骂" + }, + "anathema": { + "CHS": "诅咒, 咒逐, [宗]革出教门, 被咒逐的人(物)" + }, + "encumbrance": { + "CHS": "阻碍, 累赘, 妨害物", + "ENG": "An encumbrance is something or someone that encumbers you" + }, + "blockade": { + "CHS": "阻塞", + "ENG": "something that is used to stop vehicles or people entering or leaving a place" + }, + "obstruction": { + "CHS": "阻塞, 妨碍, 障碍物", + "ENG": "when something blocks a road, passage, tube etc, or the thing that blocks it" + }, + "compages": { + "CHS": "组合, 构造", + "ENG": "a structure or framework " + }, + "progenitor": { + "CHS": "祖先, 起源", + "ENG": "a person or animal that lived in the past, to whom someone or something living now is related" + }, + "nib": { + "CHS": "嘴, 鹅管笔的尖端, 钢笔尖", + "ENG": "the pointed metal part at the end of a pen" + }, + "empyrean": { + "CHS": "最高天, 苍天, 九天", + "ENG": "the highest part of the (supposedly spherical) heavens, thought in ancient times to contain the pure element of fire and by early Christians to be the abode of God and the angels " + }, + "optimum": { + "CHS": "最适宜" + }, + "guilt": { + "CHS": "罪行, 内疚", + "ENG": "a strong feeling of shame and sadness because you know that you have done something wrong" + }, + "respecter": { + "CHS": "尊敬的人, 熟虑的人" + }, + "apotheosis": { + "CHS": "尊为神, 神化, 颂扬, 崇拜, 典范", + "ENG": "If something is the apotheosis of something else, it is an ideal or typical example of it" + }, + "observance": { + "CHS": "遵守, 惯例, 仪式, 庆祝", + "ENG": "when someone obeys a law or does something because it is part of a religion, custom, or ceremony" + }, + "burlesque": { + "CHS": "作戏, 滑稽表演", + "ENG": "a performance involving a mixture of comedy and striptease , popular in America in the past" + }, + "motto": { + "CHS": "座右铭, 格言, 题词, 笺言", + "ENG": "a short sentence or phrase giving a rule on how to behave, which expresses the aims or beliefs of a person, school, or institution" + }, + "drudge": { + "CHS": "做苦工的人", + "ENG": "someone who does hard boring work" + }, + "brunt": { + "CHS": "n冲击, 冲势" + }, + "upshift": { + "CHS": "(将)(汽车)调高速挡,(使)加速" + }, + "calefy": { + "CHS": "(使)变暖" + }, + "entwine": { + "CHS": "(使)缠住, (使)盘绕", + "ENG": "to twist two things together or to wind one thing around another" + }, + "wiggle": { + "CHS": "(使)踌躇, 摆动", + "ENG": "to move with small movements from side to side or up and down, or to make something move like this" + }, + "lope": { + "CHS": "(使)大步慢跑", + "ENG": "to run easily with long steps" + }, + "congeal": { + "CHS": "(使)冻结, (使)凝结", + "ENG": "if a liquid such as blood congeals, it becomes thick or solid" + }, + "deteriorate": { + "CHS": "(使)恶化", + "ENG": "to become worse" + }, + "fret": { + "CHS": "(使)烦恼, (使)焦急, (使)腐蚀, (使)磨损", + "ENG": "to worry about something, especially when there is no need" + }, + "bifurcate": { + "CHS": "(使)分叉", + "ENG": "If something such as a line or path bifurcates or is bifurcated, it divides into two parts which go in different directions" + }, + "ramify": { + "CHS": "(使)分枝, (使)分叉, (使)成网状", + "ENG": "to divide into branches or branchlike parts " + }, + "resuscitate": { + "CHS": "(使)复苏, (使)复兴", + "ENG": "to make someone breathe again or become conscious after they have almost died" + }, + "putrefy": { + "CHS": "(使)化脓, (使)腐烂, (使)堕落", + "ENG": "if a dead animal or plant putrefies, it decays and smells very bad" + }, + "reactivate": { + "CHS": "(使)恢复活动", + "ENG": "to make something start working again" + }, + "decelerate": { + "CHS": "(使)减速", + "ENG": "to go slower, especially in a vehicle" + }, + "degrade": { + "CHS": "(使)降级, (使)堕落, (使)退化" + }, + "interweave": { + "CHS": "(使)交织, 织进, (使)混杂", + "ENG": "to weave two or more things together" + }, + "intertwine": { + "CHS": "(使)纠缠, (使)缠绕", + "ENG": "if two things intertwine, or if they are intertwined, they are twisted together(" + }, + "wilt": { + "CHS": "(使)枯萎, (使)憔悴, (使)畏缩", + "ENG": "if a plant wilts, it bends over because it is too dry or old" + }, + "distend": { + "CHS": "(使)扩大, (使)扩张" + }, + "exude": { + "CHS": "(使)流出, (使)渗出, 发散开来", + "ENG": "to flow out slowly and steadily, or to make something do this" + }, + "swell": { + "CHS": "(使)膨胀, 增大", + "ENG": "to increase in amount or number" + }, + "deflect": { + "CHS": "(使)偏斜, (使)偏转", + "ENG": "if someone or something deflects something that is moving, or if it deflects, it turns in a different direction" + }, + "shrivel": { + "CHS": "(使)起皱纹, (使)枯萎, (使)束手无策", + "ENG": "Shrivel up means the same as " + }, + "peeve": { + "CHS": "(使)气恼, (使)焦躁, (使)忿怒" + }, + "levitate": { + "CHS": "(使)轻轻浮起, (使)飘浮空中", + "ENG": "to rise and float in the air by magic, or to make someone or something do this" + }, + "tilt": { + "CHS": "(使)倾斜, (使)翘起, 以言词或文字抨击", + "ENG": "to move a part of your body, especially your head or chin, upwards or to the side" + }, + "slant": { + "CHS": "(使)倾斜, 歪向", + "ENG": "to slope or make something slope in a particular direction" + }, + "liquefy": { + "CHS": "(使)溶解, (使)液化", + "ENG": "to become liquid, or make something become liquid" + }, + "jut": { + "CHS": "(使)突出, (使)伸出, 突击", + "ENG": "something that juts out sticks out further than the other things around it" + }, + "interrelate": { + "CHS": "(使)相互关连", + "ENG": "if two things interrelate, they are connected and have an effect on each other" + }, + "trot": { + "CHS": "(使)小跑, (使)快步走, 骑马小跑, 疾走", + "ENG": "if a horse trots, it moves fairly quickly with each front leg moving at the same time as the opposite back leg" + }, + "rejoice": { + "CHS": "(使)欣喜, (使)高兴, 喜悦", + "ENG": "to feel or show that you are very happy" + }, + "regurgitate": { + "CHS": "(使)涌回, (使)流回, (使)反刍", + "ENG": "to bring food that you have already swallowed, back into your mouth" + }, + "conjure": { + "CHS": "(以咒文)召唤, 变戏法, 想象" + }, + "quack": { + "CHS": "(指鸭)呷呷地叫, 大声闲聊, 吹嘘" + }, + "transude": { + "CHS": "[医](使)渗出", + "ENG": "(of a fluid) to ooze or pass through interstices, pores, or small holes " + }, + "bullyrag": { + "CHS": "<方或口>威吓, 欺凌" + }, + "slay": { + "CHS": "<书>杀, 杀死, 宰杀, 杀害, 宰杀, 杀死", + "ENG": "to kill someone – used especially in newspapers" + }, + "slue": { + "CHS": "=slew" + }, + "mourn": { + "CHS": "哀悼, 忧伤, 服丧", + "ENG": "to feel very sad and to miss someone after they have died" + }, + "placate": { + "CHS": "安抚", + "ENG": "to make someone stop feeling angry" + }, + "hush": { + "CHS": "安静", + "ENG": "to make someone stop shouting, talking, crying etc" + }, + "posit": { + "CHS": "安置" + }, + "trudge": { + "CHS": "跋涉" + }, + "roister": { + "CHS": "摆架子, 喝酒喧嚣" + }, + "muffle": { + "CHS": "包, 蒙住, 压抑(声音)", + "ENG": "to cover yourself or another person with something thick and warm" + }, + "subsume": { + "CHS": "包容, 包含" + }, + "encompass": { + "CHS": "包围, 环绕, 包含或包括某事物", + "ENG": "to include a wide range of ideas, subjects, etc" + }, + "recompense": { + "CHS": "报偿", + "ENG": "to give someone a payment for trouble or losses that you have caused them, or a reward for their efforts to help you" + }, + "retaliate": { + "CHS": "报复", + "ENG": "to do something bad to someone because they have done something bad to you" + }, + "repine": { + "CHS": "抱怨" + }, + "scamper": { + "CHS": "奔跳", + "ENG": "to run with quick short steps, like a child or small animal" + }, + "foozle": { + "CHS": "笨拙地做", + "ENG": "to bungle (a shot) " + }, + "collate": { + "CHS": "比较" + }, + "dodge": { + "CHS": "避开, 躲避", + "ENG": "to move quickly to avoid someone or something" + }, + "knit": { + "CHS": "编织, 密接, 结合", + "ENG": "to make clothing out of wool, using two knitting needles" + }, + "derogate": { + "CHS": "贬损, 毁损", + "ENG": "to cause to seem inferior or be in disrepute; detract " + }, + "pervade": { + "CHS": "遍及", + "ENG": "if a feeling, idea, or smell pervades a place, it is present in every part of it" + }, + "undulate": { + "CHS": "波动, 起伏, 成波浪形", + "ENG": "to move or be shaped like waves that are rising and falling" + }, + "divest": { + "CHS": "剥夺", + "ENG": "If something or someone is divested of a particular quality, they lose that quality or it is taken away from them" + }, + "reave": { + "CHS": "剥夺, 抢走", + "ENG": "to carry off (property, prisoners, etc) by force " + }, + "scalp": { + "CHS": "剥头皮", + "ENG": "to cut the hair and skin off the head of a dead enemy as a sign of victory" + }, + "replenish": { + "CHS": "补充", + "ENG": "to put new supplies into something, or to fill something again" + }, + "discompose": { + "CHS": "不安", + "ENG": "to make someone feel worried and no longer calm" + }, + "grudge": { + "CHS": "不给予" + }, + "dissent": { + "CHS": "不同意", + "ENG": "to say that you disagree with an official decision or accepted opinion" + }, + "expunge": { + "CHS": "擦去", + "ENG": "to remove a name from a list, piece of information, or book" + }, + "surmise": { + "CHS": "猜测", + "ENG": "to guess that something is true, using the information you know already" + }, + "mastermind": { + "CHS": "策划", + "ENG": "to think of, plan, and organize a large, important, and difficult operation" + }, + "unravel": { + "CHS": "拆开", + "ENG": "if you unravel threads, string etc, or if they unravel, they stop being twisted together" + }, + "enunciate": { + "CHS": "阐明, 清晰发言", + "ENG": "to express an idea clearly and exactly" + }, + "reimburse": { + "CHS": "偿还", + "ENG": "to pay money back to someone when their money has been spent or lost" + }, + "compensate": { + "CHS": "偿还, 补偿, 付报酬", + "ENG": "to replace or balance the effect of something bad" + }, + "outstrip": { + "CHS": "超过", + "ENG": "to do something better than someone else or be more successful" + }, + "twit": { + "CHS": "嘲笑", + "ENG": "to tease, taunt, or reproach, often in jest " + }, + "gibe": { + "CHS": "嘲笑" + }, + "mock": { + "CHS": "嘲笑, 骗, 挫败, 嘲弄", + "ENG": "to laugh at someone or something and try to make them look stupid by saying unkind things about them or by copying them" + }, + "muse": { + "CHS": "沉思", + "ENG": "to say something in a way that shows you are thinking about it carefully" + }, + "ponder": { + "CHS": "沉思, 考虑", + "ENG": "to spend time thinking carefully and seriously about a problem, a difficult question, or something that has happened" + }, + "granulate": { + "CHS": "成为粒状", + "ENG": "to make into grains " + }, + "avow": { + "CHS": "承认", + "ENG": "If you avow something, you admit it or declare it" + }, + "homologate": { + "CHS": "承认, 同意, [民法]确认, 批准", + "ENG": "to approve or ratify (a deed or contract, esp one that is defective) " + }, + "defecate": { + "CHS": "澄清" + }, + "chide": { + "CHS": "斥责, 责骂", + "ENG": "to tell someone that you do not approve of something that they have done or said" + }, + "dilute": { + "CHS": "冲淡, 变淡, 变弱, 稀释", + "ENG": "to make a liquid weaker by adding water or another liquid" + }, + "glut": { + "CHS": "充斥", + "ENG": "to cause something to have too much of something" + }, + "suffuse": { + "CHS": "充满", + "ENG": "if warmth, colour, liquid etc suffuses something or someone, it covers or spreads through them" + }, + "adore": { + "CHS": "崇拜, 爱慕, (口语)喜爱", + "ENG": "to love someone very much and feel very proud of them" + }, + "venerate": { + "CHS": "崇敬", + "ENG": "to honour or respect someone or something because they are old, holy, or connected with the past" + }, + "remunerate": { + "CHS": "酬劳", + "ENG": "If you are remunerated for work that you do, you are paid for it" + }, + "premiere": { + "CHS": "初次公演, 初演主角" + }, + "desalinize": { + "CHS": "除去盐分, 淡化海水" + }, + "hoard": { + "CHS": "储藏", + "ENG": "to collect and save large amounts of food, money etc, especially when it is not necessary to do so" + }, + "garner": { + "CHS": "储存" + }, + "penalize": { + "CHS": "处罚", + "ENG": "to punish someone or treat them unfairly" + }, + "tout": { + "CHS": "吹捧", + "ENG": "to praise something or someone in order to persuade people that they are important or worth a lot" + }, + "waft": { + "CHS": "吹送, 飘荡", + "ENG": "if a smell, smoke, or a light wind wafts somewhere, or if something wafts it somewhere, it moves gently through the air" + }, + "covet": { + "CHS": "垂涎, 觊觎", + "ENG": "to have a very strong desire to have something that someone else has" + }, + "vamoose": { + "CHS": "匆匆离开, 跑掉", + "ENG": "to leave a place hurriedly; decamp " + }, + "interpolate": { + "CHS": "窜改, 添写进去, 插入新语句", + "ENG": "to interrupt someone by saying something" + }, + "usurp": { + "CHS": "篡夺, 篡位, 侵占", + "ENG": "to take someone else’s power, position, job etc when you do not have the right to" + }, + "hasten": { + "CHS": "催促, 赶紧, 促进, 加速", + "ENG": "to make something happen faster or sooner" + }, + "frustrate": { + "CHS": "挫败, 阻挠, 使感到灰心, 阻止", + "ENG": "to prevent someone’s plans, efforts, or attempts from succeeding" + }, + "primp": { + "CHS": "打扮, 装饰", + "ENG": "to make yourself look attractive by arranging your hair, putting on make-up etc" + }, + "titivate": { + "CHS": "打扮, 装饰, 化妆", + "ENG": "to smarten up (oneself or another), as by making up, doing the hair, etc " + }, + "belch": { + "CHS": "打嗝, (火山、炮等)冒烟、喷出", + "ENG": "to let air from your stomach come out loudly through your mouth" + }, + "impugn": { + "CHS": "打击" + }, + "perforate": { + "CHS": "打孔", + "ENG": "to make a hole or holes in something" + }, + "scavenge": { + "CHS": "打扫, 以(腐肉)为食, 从废物中提取", + "ENG": "if an animal scavenges, it eats anything that it can find" + }, + "stride": { + "CHS": "大步走(过), 跨过, 大步行走", + "ENG": "to walk quickly with long steps" + }, + "teem": { + "CHS": "大量出现" + }, + "infest": { + "CHS": "大批滋生", + "ENG": "if insects, rats etc infest a place, there are a lot of them and they usually cause damage" + }, + "vociferate": { + "CHS": "大声叫, 大叫, 喊叫", + "ENG": "to shout loudly, especially when you are complaining" + }, + "conduce": { + "CHS": "导致, 有利于", + "ENG": "to lead or contribute (to a result) " + }, + "mash": { + "CHS": "捣碎", + "ENG": "to crush something, especially a food that has been cooked, until it is soft and smooth" + }, + "rummage": { + "CHS": "到处翻寻, 搜出, 检查", + "ENG": "If you rummage through something, you search for something you want by moving things around in a careless or hurried way" + }, + "pilfer": { + "CHS": "盗, 偷, 窃", + "ENG": "to steal things that are not worth much, especially from the place where you work" + }, + "tarry": { + "CHS": "等候" + }, + "droop": { + "CHS": "低垂, 凋萎, 萎靡", + "ENG": "to hang or bend down, or to make something do this" + }, + "croon": { + "CHS": "低声歌唱, 低声哼, 低吟", + "ENG": "If you croon, you sing or hum quietly and gently" + }, + "trickle": { + "CHS": "滴流", + "ENG": "if liquid trickles somewhere, it flows slowly in drops or in a thin stream" + }, + "dribble": { + "CHS": "滴下", + "ENG": "if a liquid dribbles somewhere, it flows in a thin irregular stream" + }, + "upend": { + "CHS": "颠倒, 倒放", + "ENG": "to turn something over so that it is upside down" + }, + "ignite": { + "CHS": "点火, 点燃", + "ENG": "to start burning, or to make something start burning" + }, + "sully": { + "CHS": "玷污", + "ENG": "to spoil or reduce the value of something that was perfect" + }, + "carve": { + "CHS": "雕刻, 切开", + "ENG": "to make an object or pattern by cutting a piece of wood or stone" + }, + "sculpt": { + "CHS": "雕刻, 造型", + "ENG": "to make a particular shape from stone, wood, clay etc" + }, + "blunder": { + "CHS": "跌跌撞撞地走, 犯大错, 做错", + "ENG": "to move in an unsteady way, as if you cannot see properly" + }, + "gaze": { + "CHS": "盯, 凝视", + "ENG": "to look at someone or something for a long time, giving it all your attention, often without realizing you are doing so" + }, + "hibernate": { + "CHS": "冬眠", + "ENG": "if an animal hibernates, it sleeps for the whole winter" + }, + "sojourn": { + "CHS": "逗留" + }, + "linger": { + "CHS": "逗留, 闲荡, 拖延, 游移", + "ENG": "to stay somewhere a little longer, especially because you do not want to leave" + }, + "renounce": { + "CHS": "断绝关系", + "ENG": "to publicly say or show that you no longer believe in something, or will no longer behave in a particular way" + }, + "assert": { + "CHS": "断言, 声称", + "ENG": "to state firmly that something is true" + }, + "squat": { + "CHS": "蹲坐, 蹲伏", + "ENG": "to sit with your knees bent under you and your bottom just off the ground, balancing on your feet" + }, + "elude": { + "CHS": "躲避", + "ENG": "to escape from someone or something, especially by tricking them" + }, + "throttle": { + "CHS": "扼杀", + "ENG": "to make it difficult or impossible for something to succeed" + }, + "stink": { + "CHS": "发出臭味", + "ENG": "to have a strong and very unpleasant smell" + }, + "scintillate": { + "CHS": "发出火花, 闪耀光芒", + "ENG": "to give off (sparks); sparkle; twinkle " + }, + "sparkle": { + "CHS": "发火花, (使)闪耀, (香槟酒等)发泡, 用眼神表达, 发光闪烁", + "ENG": "to shine in small bright flashes" + }, + "maddening": { + "CHS": "发狂" + }, + "contrive": { + "CHS": "发明, 设计, 图谋", + "ENG": "to make or invent something in a skilful way, especially because you need it suddenly" + }, + "germinate": { + "CHS": "发芽, 发育, 使生长", + "ENG": "if a seed germinates, or if it is germinated, it begins to grow" + }, + "harass": { + "CHS": "烦恼" + }, + "propagate": { + "CHS": "繁殖, 传播, 宣传", + "ENG": "to spread an idea, belief etc to many people" + }, + "retort": { + "CHS": "反驳, 反击, 回报", + "ENG": "to reply quickly, in an angry or humorous way" + }, + "pervert": { + "CHS": "反常" + }, + "ruminate": { + "CHS": "反刍, 沉思", + "ENG": "to think carefully and deeply about something" + }, + "repugn": { + "CHS": "反对, 反抗", + "ENG": "to oppose or conflict (with) " + }, + "revolt": { + "CHS": "反抗, 起义, 反叛, 反感, 厌恶", + "ENG": "if people revolt, they take strong and often violent action against the government, usually with the aim of taking power away from them" + }, + "reflect": { + "CHS": "反射, 反映, 表现, 反省, 细想", + "ENG": "if a person or a thing is reflected in a mirror, glass, or water, you can see an image of the person or thing on the surface of the mirror, glass, or water" + }, + "reverberate": { + "CHS": "反响", + "ENG": "if a loud sound reverberates, it is heard many times as it is sent back from different surfaces" + }, + "recriminate": { + "CHS": "反责, 反唇相讥, 反控诉", + "ENG": "to return an accusation against someone or engage in mutual accusations " + }, + "perpetrate": { + "CHS": "犯", + "ENG": "to do something that is morally wrong or illegal" + }, + "incommode": { + "CHS": "妨碍" + }, + "hamper": { + "CHS": "妨碍, 牵制", + "ENG": "to make it difficult for someone to do something" + }, + "graze": { + "CHS": "放牧, 吃草, 擦伤, 擦过", + "ENG": "to accidentally break the surface of your skin by rubbing it against something" + }, + "waive": { + "CHS": "放弃", + "ENG": "to state officially that a right, rule etc can be ignored" + }, + "relinquish": { + "CHS": "放弃", + "ENG": "to let someone else have your position, power, or rights, especially unwillingly" + }, + "recant": { + "CHS": "放弃", + "ENG": "to say publicly that you no longer have a political or religious belief that you had before" + }, + "disclaim": { + "CHS": "放弃, 弃权, 拒绝" + }, + "streak": { + "CHS": "飞跑, 加上条纹", + "ENG": "to run or fly somewhere so fast you can hardly be seen" + }, + "reprobate": { + "CHS": "非难" + }, + "malign": { + "CHS": "诽谤", + "ENG": "to say unpleasant things about someone that are untrue" + }, + "defame": { + "CHS": "诽谤", + "ENG": "to write or say bad or untrue things about someone or something, so that people will have a bad opinion of them" + }, + "rescind": { + "CHS": "废除", + "ENG": "to officially end a law, or change a decision or agreement" + }, + "annul": { + "CHS": "废除, 取消, 废止", + "ENG": "to officially state that a marriage or legal agreement no longer exists" + }, + "repeal": { + "CHS": "废止, 撤销, 否定, 放弃, 废除", + "ENG": "if a government repeals a law, it officially ends that law" + }, + "seethe": { + "CHS": "沸腾" + }, + "decompose": { + "CHS": "分解, (使)腐烂", + "ENG": "to decay or make something decay" + }, + "amortize": { + "CHS": "分期清偿", + "ENG": "to pay a debt by making regular payments" + }, + "divaricate": { + "CHS": "分为两叉", + "ENG": "(esp of branches) to diverge at a wide angle " + }, + "resent": { + "CHS": "愤恨, 怨恨", + "ENG": "to feel angry or upset about a situation or about something that someone has done, especially because you think that it is not fair" + }, + "stitch": { + "CHS": "缝, 缝合", + "ENG": "to sew two pieces of cloth together, or to sew a decoration onto a piece of cloth" + }, + "gainsay": { + "CHS": "否认", + "ENG": "to say that something is not true, or to disagree with someone" + }, + "fondle": { + "CHS": "抚弄", + "ENG": "to gently touch and move your fingers over part of someone’s body in a way that shows love or sexual desire" + }, + "resurrect": { + "CHS": "复兴", + "ENG": "to bring back an old activity, belief, idea etc that has not existed for a long time" + }, + "demobilize": { + "CHS": "复员", + "ENG": "to send home the members of an army, navy etc, especially at the end of a war" + }, + "recuperate": { + "CHS": "复原", + "ENG": "to get better again after an illness or injury" + }, + "replicate": { + "CHS": "复制", + "ENG": "if you replicate someone’s work, a scientific study etc, you do it again, or try to get the same result again" + }, + "fructify": { + "CHS": "富有成果" + }, + "crunch": { + "CHS": "嘎扎嘎扎的咬嚼, 压碎, 扎扎地踏过", + "ENG": "to eat hard food in a way that makes a noise" + }, + "transmute": { + "CHS": "改变", + "ENG": "to change one substance or type of thing into another" + }, + "quail": { + "CHS": "感到恐惧" + }, + "taint": { + "CHS": "感染", + "ENG": "to damage something by adding an unwanted substance to it" + }, + "induct": { + "CHS": "感应" + }, + "lacerate": { + "CHS": "割裂", + "ENG": "to cut skin deeply with something sharp" + }, + "segregate": { + "CHS": "隔离", + "ENG": "to separate one group of people from others, especially because they are of a different race, sex, or religion" + }, + "seclude": { + "CHS": "隔离", + "ENG": "to remove from contact with others " + }, + "eradicate": { + "CHS": "根除", + "ENG": "to completely get rid of something such as a disease or a social problem" + }, + "consolidate": { + "CHS": "巩固", + "ENG": "to strengthen the position of power or success that you have, so that it becomes more effective or continues for longer" + }, + "conspire": { + "CHS": "共谋, 阴谋, (指事件)凑合起来", + "ENG": "to secretly plan with someone else to do something illegal" + }, + "purvey": { + "CHS": "供给, 供应", + "ENG": "to supply goods, services, information etc to people" + }, + "preach": { + "CHS": "鼓吹", + "ENG": "to talk about how good or important something is and try to persuade other people about this" + }, + "instigate": { + "CHS": "鼓动", + "ENG": "to persuade someone to do something bad or violent" + }, + "invigorate": { + "CHS": "鼓舞", + "ENG": "to make the people in an organization or group feel excited again, so that they want to make something successful" + }, + "indoctrinate": { + "CHS": "灌输", + "ENG": "to train someone to accept a particular set of beliefs, especially political or religious ones, and not consider any others" + }, + "implant": { + "CHS": "灌输", + "ENG": "to strongly fix an idea, feeling, attitude etc in someone’s mind or character" + }, + "inebriate": { + "CHS": "灌醉", + "ENG": "to make drunk; intoxicate " + }, + "evade": { + "CHS": "规避, 逃避, 躲避", + "ENG": "to not do or deal with something that you should do" + }, + "stipulate": { + "CHS": "规定, 保证", + "ENG": "if an agreement, law, or rule stipulates something, it must be done" + }, + "hideous": { + "CHS": "骇人听闻的, 可怕的" + }, + "cadge": { + "CHS": "行乞, 乞讨, 贩卖", + "ENG": "If someone cadges food, money, or help from you, they ask you for it and succeed in getting it" + }, + "howl": { + "CHS": "嚎叫, 怒吼, 嚎啕大哭, 喝住, 号叫", + "ENG": "if a dog, wolf , or other animal howls, it makes a long loud sound" + }, + "conflate": { + "CHS": "合并", + "ENG": "to combine two or more things to form a single new thing" + }, + "merge": { + "CHS": "合并, 并入, 结合, 吞没, 融合", + "ENG": "to combine, or to join things together to form one thing" + }, + "sidle": { + "CHS": "横着走, 悄悄贴近, 侧身而行", + "ENG": "If you sidle somewhere, you walk there in a quiet or cautious way, as if you do not want anyone to notice you" + }, + "spoof": { + "CHS": "哄骗" + }, + "repent": { + "CHS": "后悔, 悔改, 忏悔, 悔悟", + "ENG": "to be sorry for something and wish you had not done it – used especially when considering your actions in a religious way" + }, + "recede": { + "CHS": "后退", + "ENG": "if water recedes, it moves back from an area that it was covering" + }, + "exhale": { + "CHS": "呼气, 发出, 发散, <古>使蒸发", + "ENG": "to breathe air, smoke etc out of your mouth" + }, + "slur": { + "CHS": "忽视" + }, + "reciprocate": { + "CHS": "互给, 酬答, 互换, 报答" + }, + "interlock": { + "CHS": "互锁", + "ENG": "if two or more things interlock, or if they are interlocked, they fit firmly together" + }, + "demarcate": { + "CHS": "划分界线", + "ENG": "to decide or mark the limits of an area, system etc" + }, + "glide": { + "CHS": "滑行, 悄悄地走, (时间)消逝, 滑翔", + "ENG": "to move smoothly and quietly, as if without effort" + }, + "prink": { + "CHS": "化妆, 打扮", + "ENG": "to dress (oneself, etc) finely; deck out " + }, + "wreathe": { + "CHS": "环绕盘旋", + "ENG": "to be covered in something" + }, + "wield": { + "CHS": "挥" + }, + "reinstate": { + "CHS": "恢复", + "ENG": "if someone is reinstated, they are officially given back their job after it was taken away" + }, + "reminisce": { + "CHS": "回忆" + }, + "slew": { + "CHS": "回转", + "ENG": "to turn or slide in a different direction suddenly and violently, or to make a vehicle do this" + }, + "mutilate": { + "CHS": "毁伤", + "ENG": "to severely and violently damage someone’s body, especially by cutting or removing part of it" + }, + "denigrate": { + "CHS": "毁誉", + "ENG": "to say things to make someone or something seem less important or good" + }, + "meld": { + "CHS": "混合, 合并", + "ENG": "if two things meld, or if you meld them, they combine into one thing" + }, + "disarray": { + "CHS": "混乱" + }, + "jumble": { + "CHS": "混杂, 搞乱", + "ENG": "to mix things together in an untidy way, without any order" + }, + "scuffle": { + "CHS": "混战", + "ENG": "If people scuffle, they fight for a short time in a disorganized way" + }, + "maneuver": { + "CHS": "机动" + }, + "accumulate": { + "CHS": "积聚, 堆积", + "ENG": "to gradually get more and more money, possessions, knowledge etc over a period of time" + }, + "motivate": { + "CHS": "激发", + "ENG": "to make someone want to achieve something and make them willing to work hard in order to do this" + }, + "exasperate": { + "CHS": "激怒", + "ENG": "to make someone very annoyed by continuing to do something that upsets them" + }, + "extemporize": { + "CHS": "即席演说, 即兴演奏, 当场作成", + "ENG": "to speak or perform without preparation or practice" + }, + "sprint": { + "CHS": "疾跑美国著名的通讯公司" + }, + "compute": { + "CHS": "计算, 估计, 用计算机计算(或确定)", + "ENG": "to calculate a result, answer, sum etc" + }, + "accelerate": { + "CHS": "加速, 促进", + "ENG": "if a process accelerates or if something accelerates it, it happens faster than usual or sooner than you expect" + }, + "expedite": { + "CHS": "加速, 派出", + "ENG": "If you expedite something, you cause it to be done more quickly" + }, + "disguise": { + "CHS": "假装, 伪装, 掩饰", + "ENG": "to change someone’s appearance so that people cannot recognize them" + }, + "steer": { + "CHS": "驾驶, 掌舵", + "ENG": "to control the direction a vehicle is going, for example by turning a wheel" + }, + "shriek": { + "CHS": "尖声叫喊, 耸人听闻地报道, 尖声喊叫", + "ENG": "to make a very high loud sound, especially because you are afraid, angry, excited, or in pain" + }, + "persevere": { + "CHS": "坚持", + "ENG": "to continue trying to do something in a very determined way in spite of difficulties – use this to show approval" + }, + "slog": { + "CHS": "艰难行进", + "ENG": "to make a long hard journey somewhere, especially on foot" + }, + "overhaul": { + "CHS": "检查", + "ENG": "to repair or change the necessary parts in a machine, system etc that is not working correctly" + }, + "palliate": { + "CHS": "减轻", + "ENG": "to reduce the effects of illness, pain etc without curing them" + }, + "mitigate": { + "CHS": "减轻", + "ENG": "to make a situation or the effects of something less unpleasant, harmful, or serious" + }, + "shear": { + "CHS": "剪, 修剪, 剪切", + "ENG": "to cut the wool off a sheep" + }, + "prune": { + "CHS": "剪除", + "ENG": "to cut off some of the branches of a tree or bush to make it grow better" + }, + "snip": { + "CHS": "剪断", + "ENG": "to cut something by making quick cuts with scissors" + }, + "temporize": { + "CHS": "见风驶舵" + }, + "authenticate": { + "CHS": "鉴别", + "ENG": "to prove that something is true or real" + }, + "nuzzle": { + "CHS": "将鼻插入, 用鼻掘, 用鼻爱抚" + }, + "abase": { + "CHS": "降低", + "ENG": "to humble or belittle (oneself, etc) " + }, + "swap": { + "CHS": "交换", + "ENG": "to give something to someone and get something in return" + }, + "confabulate": { + "CHS": "交谈", + "ENG": "to talk together; converse; chat " + }, + "splice": { + "CHS": "接合", + "ENG": "to join the ends of two pieces of rope, film etc so that they form one continuous piece" + }, + "coalesce": { + "CHS": "接合", + "ENG": "if objects or ideas coalesce, they combine to form one single group" + }, + "economize": { + "CHS": "节约, 节省, 有效地利用", + "ENG": "to reduce the amount of money, time, goods etc that you use" + }, + "skimp": { + "CHS": "节约使用", + "ENG": "If you skimp on something, you use less time, money, or material for it than you really need, so that the result is not good enough" + }, + "syncretize": { + "CHS": "结合, 融合", + "ENG": "to combine or attempt to combine the characteristic teachings, beliefs, or practices of (differing systems of religion or philosophy) " + }, + "disband": { + "CHS": "解散, 裁减", + "ENG": "to stop existing as an organization, or to make something do this" + }, + "construe": { + "CHS": "解释, 分析, 直译", + "ENG": "If something is construed in a particular way, its nature or meaning is interpreted in that way" + }, + "stint": { + "CHS": "紧缩节省" + }, + "exalt": { + "CHS": "晋升", + "ENG": "to put someone or something into a high rank or position" + }, + "soak": { + "CHS": "浸, 泡, 浸透", + "ENG": "if you soak something, or if you let it soak, you keep it covered with a liquid for a period of time, especially in order to make it softer or easier to clean" + }, + "submerge": { + "CHS": "浸没, 淹没, 掩没", + "ENG": "to cover something completely with water or another liquid" + }, + "macerate": { + "CHS": "浸软", + "ENG": "to make something soft by leaving it in water, or to become soft in this way" + }, + "soaked": { + "CHS": "浸湿" + }, + "imbue": { + "CHS": "浸透" + }, + "abstain": { + "CHS": "禁绝, 放弃", + "ENG": "If you abstain during a vote, you do not use your vote" + }, + "appal": { + "CHS": "惊骇", + "ENG": "to make someone feel very shocked and upset" + }, + "detain": { + "CHS": "拘留, 留住, 阻止", + "ENG": "to officially prevent someone from leaving a place" + }, + "masticate": { + "CHS": "咀嚼", + "ENG": "to chew food" + }, + "daunt": { + "CHS": "沮丧" + }, + "heave": { + "CHS": "举起", + "ENG": "to pull or lift something very heavy with one great effort" + }, + "repulse": { + "CHS": "拒绝, 排斥, 反驳, 击退, 憎恶", + "ENG": "to fight someone and successfully stop their attack on you" + }, + "converge": { + "CHS": "聚合, 集中于一点", + "ENG": "to come from different directions and meet at the same point to become one thing" + }, + "congregate": { + "CHS": "聚集", + "ENG": "to come together in a group" + }, + "conglomerate": { + "CHS": "聚结" + }, + "subscribe": { + "CHS": "捐款, 订阅, 签署(文件), 赞成, 预订", + "ENG": "to pay money regularly to be a member of an organization or to help its work" + }, + "unearth": { + "CHS": "掘出", + "ENG": "to find something after searching for it, especially something that has been buried in the ground or lost for a long time" + }, + "disinter": { + "CHS": "掘出", + "ENG": "to dig and remove a dead body from a grave " + }, + "snatch": { + "CHS": "攫取", + "ENG": "to take something away from someone with a quick, often violent, movement" + }, + "commence": { + "CHS": "开始, 着手", + "ENG": "to begin or to start something" + }, + "exculpate": { + "CHS": "开脱", + "ENG": "to prove that someone is not guilty of something" + }, + "hew": { + "CHS": "砍", + "ENG": "to cut something with a cutting tool" + }, + "hack": { + "CHS": "砍", + "ENG": "to cut something roughly or violently" + }, + "espy": { + "CHS": "看到", + "ENG": "to suddenly see someone or something" + }, + "remonstrate": { + "CHS": "抗议", + "ENG": "to tell someone that you strongly disapprove of something they have said or done" + }, + "broil": { + "CHS": "烤(肉), 酷热", + "ENG": "When you broil food, you cook it using very strong heat directly above it" + }, + "solicit": { + "CHS": "恳求", + "ENG": "to ask someone for money, help, or information" + }, + "beseech": { + "CHS": "恳求, 哀求", + "ENG": "to eagerly and anxiously ask someone for something" + }, + "supplicate": { + "CHS": "恳求, 哀求, 恳请, 祈祷", + "ENG": "to make a humble request to (someone); plead " + }, + "crave": { + "CHS": "恳求, 渴望", + "ENG": "to have an extremely strong desire for something" + }, + "entreat": { + "CHS": "恳求, 乞求, <古>对待, 对付", + "ENG": "to ask someone, in a very emotional way, to do something for you" + }, + "prate": { + "CHS": "空谈" + }, + "stammer": { + "CHS": "口吃, 结巴着说出, 结结巴巴地说", + "ENG": "to speak with a lot of pauses and repeated sounds, either because you have a speech problem, or because you are nervous, excited etc" + }, + "dictate": { + "CHS": "口述, 口授, 使听写, 指令, 指示, 命令, 规定", + "ENG": "to say words for someone else to write down" + }, + "exaggerate": { + "CHS": "夸大, 夸张", + "ENG": "to make something seem better, larger, worse etc than it really is" + }, + "overact": { + "CHS": "夸张表演", + "ENG": "to act in a play with too much emotion or movement – used to show disapproval" + }, + "straddle": { + "CHS": "跨骑", + "ENG": "to sit or stand with your legs on either side of someone or something" + }, + "jabber": { + "CHS": "快而含糊地说, 吱吱喳喳地叫, 闲聊", + "ENG": "to talk quickly in an excited and unclear way – used to show disapproval" + }, + "carouse": { + "CHS": "狂欢作乐", + "ENG": "to drink a lot, be noisy, and have fun" + }, + "guzzle": { + "CHS": "狂饮, 暴食, 喝酒化掉(钱)", + "ENG": "to eat or drink a lot of something, eagerly and quickly – usually showing disapproval" + }, + "ulcerate": { + "CHS": "溃烂", + "ENG": "to form an ulcer, or become covered with ulcers" + }, + "elongate": { + "CHS": "拉长, (使)伸长, 延长", + "ENG": "to become longer, or make something longer than normal" + }, + "drawl": { + "CHS": "懒洋洋地说, 做作而慢慢地说", + "ENG": "to speak slowly, with vowel sounds that are longer than usual" + }, + "loll": { + "CHS": "懒洋洋地倚靠", + "ENG": "to sit or lie in a very lazy and relaxed way" + }, + "gormandize": { + "CHS": "狼吞虎咽" + }, + "ingurgitate": { + "CHS": "狼吞虎咽, 大吃大喝", + "ENG": "to swallow (food) with greed or in excess; gorge " + }, + "squander": { + "CHS": "浪费", + "ENG": "to carelessly waste money, time, opportunities etc" + }, + "sneer": { + "CHS": "冷笑, 讥笑, 嘲笑", + "ENG": "to smile or speak in a very unkind way that shows you have no respect for someone or something" + }, + "digress": { + "CHS": "离题", + "ENG": "to talk or write about something that is not your main subject" + }, + "concatenate": { + "CHS": "连接", + "ENG": "to link or join together, esp in a chain or series " + }, + "commiserate": { + "CHS": "怜悯, 同情", + "ENG": "to express your sympathy for someone who is unhappy about something" + }, + "enumerate": { + "CHS": "列举", + "ENG": "to name a list of things one by one" + }, + "abut": { + "CHS": "邻接, 毗邻", + "ENG": "if one piece of land or a building abuts another, it is next to it or touches one side of it" + }, + "improvise": { + "CHS": "临时准备", + "ENG": "to do something without any preparation, because you are forced to do this by unexpected events" + }, + "apprehend": { + "CHS": "领会理解" + }, + "imprint": { + "CHS": "留下烙印", + "ENG": "If a surface is imprinted with a mark or design, that mark or design is printed on the surface or pressed into it" + }, + "divagate": { + "CHS": "流浪, 漫游,离题", + "ENG": "to digress or wander " + }, + "pillage": { + "CHS": "掠夺", + "ENG": "if soldiers pillage a place in a war, they steal a lot of things and do a lot of damage" + }, + "loot": { + "CHS": "掠夺, 抢劫, 劫掠", + "ENG": "to steal things, especially from shops or homes that have been damaged in a war or riot " + }, + "harry": { + "CHS": "掠夺, 折磨" + }, + "leach": { + "CHS": "滤去", + "ENG": "if a substance leaches or is leached from a larger mass such as the soil, it is removed from it by water passing through the larger mass" + }, + "stupefy": { + "CHS": "麻木" + }, + "satiate": { + "CHS": "满足", + "ENG": "to satisfy a desire or need for something such as food or sex, especially so that you feel you have had too much" + }, + "ramble": { + "CHS": "漫游", + "ENG": "to go on a walk in the countryside for pleasure" + }, + "rove": { + "CHS": "漫游, 流浪, 转来转去, 纺成粗纱", + "ENG": "to travel from one place to another" + }, + "arrogate": { + "CHS": "冒称", + "ENG": "to claim that you have a particular right, position etc, without having the legal right to it" + }, + "mope": { + "CHS": "闷闷不乐", + "ENG": "to feel sorry for yourself, without making any effort to do anything or be more happy" + }, + "sprout": { + "CHS": "萌芽", + "ENG": "if vegetables, seeds, or plants sprout, they start to grow, producing shoots , buds , or leaves" + }, + "atone": { + "CHS": "弥补", + "ENG": "to do something to show that you are sorry for having done something wrong" + }, + "straggle": { + "CHS": "迷路, 落伍, 蔓生, 四散, 漫延" + }, + "exempt": { + "CHS": "免除" + }, + "delineate": { + "CHS": "描绘", + "ENG": "to describe or draw something carefully so that people can understand it" + }, + "fumble": { + "CHS": "摸索", + "ENG": "to try to hold, move, or find something with your hands in an awkward way" + }, + "grind": { + "CHS": "磨(碎), 碾(碎), 折磨", + "ENG": "to make something smooth or sharp by rubbing it on a hard surface or by using a machine" + }, + "chasten": { + "CHS": "磨炼", + "ENG": "to make someone realize that their behaviour was wrong or mistaken" + }, + "abrade": { + "CHS": "磨损, 摩擦, 折磨", + "ENG": "to rub something so hard that the surface becomes damaged" + }, + "efface": { + "CHS": "抹掉", + "ENG": "to destroy or remove something" + }, + "discern": { + "CHS": "目睹, 认识, 洞悉, 辨别, 看清楚", + "ENG": "to be able to see something by looking carefully" + }, + "laminate": { + "CHS": "碾压" + }, + "warble": { + "CHS": "鸟鸣, 用柔和的颤声唱", + "ENG": "to sing with a high continuous but quickly changing sound, the way a bird does" + }, + "curdle": { + "CHS": "凝固", + "ENG": "to become thicker or form curd, or to make a liquid do this" + }, + "coagulate": { + "CHS": "凝结", + "ENG": "if a liquid coagulates, or something coagulates it, it becomes thick and almost solid" + }, + "contemplate": { + "CHS": "凝视, 沉思, 预期, 企图", + "ENG": "to look at someone or something for a period of time in a way that shows you are thinking" + }, + "sprain": { + "CHS": "扭伤", + "ENG": "to damage a joint in your body by suddenly twisting it" + }, + "inspissate": { + "CHS": "浓缩", + "ENG": "to thicken, as by evaporation " + }, + "mar": { + "CHS": "弄坏, 毁坏, 损害", + "ENG": "to make something less attractive or enjoyable" + }, + "dabble": { + "CHS": "弄湿, 弄水, 涉足", + "ENG": "If you dabble in something, you take part in it but not very seriously" + }, + "crumble": { + "CHS": "弄碎, 粉碎, 崩溃", + "ENG": "to break apart into lots of little pieces, or make something do this" + }, + "smirch": { + "CHS": "弄脏", + "ENG": "to dirty; soil " + }, + "rumple": { + "CHS": "弄皱, 弄得乱七八糟", + "ENG": "to make hair, clothes etc less tidy" + }, + "corrugate": { + "CHS": "弄皱, 起皱, (使)成波状", + "ENG": "to fold or be folded into alternate furrows and ridges " + }, + "crumple": { + "CHS": "弄皱, 压皱, 变皱, 崩溃, 垮台", + "ENG": "If you crumple something such as paper or cloth, or if it crumples, it is squashed and becomes full of untidy creases and folds" + }, + "glower": { + "CHS": "怒目而视", + "ENG": "to look at someone in an angry way" + }, + "peculate": { + "CHS": "挪用, 盗用", + "ENG": "to appropriate or embezzle (public money) " + }, + "ascend": { + "CHS": "攀登, 上升", + "ENG": "to move up through the air" + }, + "hover": { + "CHS": "盘旋", + "ENG": "if a bird, insect, or helicopter hovers, it stays in one place in the air" + }, + "hobble": { + "CHS": "蹒跚" + }, + "adjudicate": { + "CHS": "判决, 宣判, 裁定", + "ENG": "to officially decide who is right in a disagreement and decide what should be done" + }, + "rave": { + "CHS": "咆哮", + "ENG": "to talk in an angry, uncontrolled, or crazy way" + }, + "growl": { + "CHS": "咆哮, 发牢骚地说" + }, + "indemnify": { + "CHS": "赔偿", + "ENG": "to promise to pay someone if something they own is damaged or lost" + }, + "repudiate": { + "CHS": "批判", + "ENG": "If you repudiate something or someone, you show that you strongly disagree with them and do not want to be connected with them in any way" + }, + "excoriate": { + "CHS": "批判", + "ENG": "to express a very bad opinion of a book, play etc" + }, + "authorize": { + "CHS": "批准", + "ENG": "to give official permission for something" + }, + "split": { + "CHS": "劈开, (使)裂开, 分裂, 分离", + "ENG": "if a group of people splits, or if it is split, people in the group disagree strongly with each other and the group sometimes divides into separate smaller groups" + }, + "yaw": { + "CHS": "偏航", + "ENG": "if a ship, aircraft etc yaws, it turns away from the direction it should be travelling in" + }, + "wangle": { + "CHS": "骗取", + "ENG": "to get something, or arrange for something to happen, by cleverly persuading or tricking someone" + }, + "blanch": { + "CHS": "漂白, 使变白, 遮断阳光发白", + "ENG": "to become pale because you are frightened or shocked" + }, + "mollify": { + "CHS": "平息", + "ENG": "to make someone feel less angry and upset about something" + }, + "persecute": { + "CHS": "迫害", + "ENG": "to treat someone cruelly or unfairly over a period of time, especially because of their religious or political beliefs" + }, + "undermine": { + "CHS": "破坏", + "ENG": "If you undermine someone's efforts or undermine their chances of achieving something, you behave in a way that makes them less likely to succeed" + }, + "infringe": { + "CHS": "破坏, 侵犯, 违反", + "ENG": "to do something that is against a law or someone’s legal rights" + }, + "rupture": { + "CHS": "破裂, 裂开, 断绝(关系等), 割裂", + "ENG": "to break or burst, or to make something break or burst" + }, + "expire": { + "CHS": "期满, 终止, 呼气, 断气, 届满", + "ENG": "if a period of time when someone has a particular position of authority expires, it ends" + }, + "cozen": { + "CHS": "欺骗, 瞒", + "ENG": "to trick or deceive someone" + }, + "enlightened": { + "CHS": "启迪" + }, + "edify": { + "CHS": "启发", + "ENG": "to improve the morality, intellect, etc, of, esp by instruction " + }, + "spurn": { + "CHS": "弃绝", + "ENG": "to refuse to accept something or someone, especially because you are too proud" + }, + "slink": { + "CHS": "潜逃" + }, + "repatriate": { + "CHS": "遣返", + "ENG": "to send someone back to their own country" + }, + "decry": { + "CHS": "谴责", + "ENG": "to state publicly that you do not approve of something" + }, + "ravish": { + "CHS": "强夺", + "ENG": "to force a woman to have sex" + }, + "importune": { + "CHS": "强求", + "ENG": "to ask someone for something continuously in an annoying or unreasonable way" + }, + "plunder": { + "CHS": "抢劫", + "ENG": "to steal large amounts of money or property from somewhere, especially while fighting in a war" + }, + "extort": { + "CHS": "敲诈, 逼取, 强取, 勒索", + "ENG": "to illegally force someone to give you something, especially money, by threatening them" + }, + "declaim": { + "CHS": "巧辩, 演讲, 高声朗读" + }, + "whittle": { + "CHS": "切, 削, 削减, 损害", + "ENG": "to cut a piece of wood into a particular shape by cutting off small pieces with a knife" + }, + "sever": { + "CHS": "切断", + "ENG": "to cut through something completely, separating it into two parts, or to become cut in this way" + }, + "sunder": { + "CHS": "切开, 分离", + "ENG": "to break something into parts, especially violently" + }, + "mince": { + "CHS": "切碎", + "ENG": "to cut food, especially meat, into very small pieces, usually using a machine" + }, + "topple": { + "CHS": "倾倒", + "ENG": "to become unsteady and then fall over, or to make something do this" + }, + "confide": { + "CHS": "倾诉, 委托, 信赖" + }, + "sanitize": { + "CHS": "清洁" + }, + "liquidate": { + "CHS": "清算", + "ENG": "to close a business or company and sell the things that belong to it, in order to pay its debts" + }, + "woo": { + "CHS": "求爱, 追求, 恳求, 招致", + "ENG": "to try to persuade a woman to love you and marry you" + }, + "dissipate": { + "CHS": "驱散, (使)(云、雾、疑虑等)消散, 浪费(金钱或时间)", + "ENG": "to gradually become less or weaker before disappearing completely, or to make something do this" + }, + "dislodge": { + "CHS": "驱逐", + "ENG": "to make someone leave a place or lose a position of power" + }, + "expel": { + "CHS": "驱逐, 开除, 排出, 发射", + "ENG": "to officially force someone to leave a school or organization" + }, + "evict": { + "CHS": "驱逐, 逐出(租户), 收回(租屋、租地等)" + }, + "genuflect": { + "CHS": "屈服", + "ENG": "to bend one or both knees when in church or a holy place as a sign of respect" + }, + "quash": { + "CHS": "取消" + }, + "rusticate": { + "CHS": "去乡下, 使定居乡下" + }, + "propitiate": { + "CHS": "劝解", + "ENG": "to make someone who has been unfriendly or angry with you feel more friendly by doing something to please them" + }, + "exhort": { + "CHS": "劝诫, 忠告", + "ENG": "If you exhort someone to do something, you try hard to persuade or encourage them to do it" + }, + "avouch": { + "CHS": "确保", + "ENG": "to vouch for; guarantee " + }, + "throng": { + "CHS": "群集", + "ENG": "if people throng a place, they go there in large numbers" + }, + "inflame": { + "CHS": "燃烧" + }, + "defile": { + "CHS": "染污", + "ENG": "to make something less pure and good, especially by showing no respect" + }, + "discomfit": { + "CHS": "扰乱" + }, + "deem": { + "CHS": "认为, 相信", + "ENG": "to think of something in a particular way or as having a particular quality" + }, + "ablate": { + "CHS": "融化" + }, + "squirm": { + "CHS": "蠕动", + "ENG": "to twist your body from side to side because you are uncomfortable or nervous, or to get free from something which is holding you" + }, + "revile": { + "CHS": "辱骂, 斥责", + "ENG": "to express hatred of someone or something" + }, + "diffuse": { + "CHS": "散播, 传播, 漫射, 扩散, (使)慢慢混合", + "ENG": "to make heat, light, liquid etc spread through something, or to spread like this" + }, + "disseminate": { + "CHS": "散布", + "ENG": "to spread information or ideas to as many people as possible" + }, + "titillate": { + "CHS": "搔痒, 使愉快" + }, + "smirk": { + "CHS": "傻笑", + "ENG": "to smile in an unpleasant way that shows that you are pleased by someone else’s bad luck or think you are better than other people" + }, + "expurgate": { + "CHS": "删除", + "ENG": "If someone expurgates a piece of writing, they remove parts of it before it is published because they think those parts will offend or shock people" + }, + "abridge": { + "CHS": "删节, 削减, 精简", + "ENG": "to reduce the length of (a written work) by condensing or rewriting " + }, + "glisten": { + "CHS": "闪光", + "ENG": "to shine and look wet or oily" + }, + "glimmer": { + "CHS": "闪烁", + "ENG": "If something glimmers, it produces or reflects a faint, gentle, often unsteady light" + }, + "singe": { + "CHS": "烧焦, 烤焦", + "ENG": "to burn the surface of something slightly, or to be burned slightly" + }, + "scorch": { + "CHS": "烧焦, 枯萎", + "ENG": "if you scorch something, or if it scorches, its surface burns slightly and changes colour" + }, + "barricade": { + "CHS": "设路障", + "ENG": "to build a barricade to prevent someone or something from getting in" + }, + "haunt": { + "CHS": "神鬼出没", + "ENG": "if the soul of a dead person haunts a place, it appears there often" + }, + "deify": { + "CHS": "神化", + "ENG": "to treat someone or something with extreme respect and admiration" + }, + "seep": { + "CHS": "渗出, 渗漏", + "ENG": "to flow slowly through small holes or spaces" + }, + "infiltrate": { + "CHS": "渗透", + "ENG": "to secretly join an organization or enter a place in order to find out information about it or harm it" + }, + "vegetate": { + "CHS": "生长, 过单调乏味的生话", + "ENG": "If someone vegetates, they spend their time doing boring or worthless things" + }, + "tarnish": { + "CHS": "失去光泽", + "ENG": "if metals such as silver, copper , or brass tarnish, or if something tarnishes them, they become dull and lose their colour" + }, + "mesmerize": { + "CHS": "施催眠术" + }, + "petrify": { + "CHS": "石化,吓呆" + }, + "glean": { + "CHS": "拾落穗, 收集", + "ENG": "to collect grain that has been left behind after the crops have been cut" + }, + "etch": { + "CHS": "蚀刻", + "ENG": "to cut lines on a metal plate, piece of glass, stone etc to form a picture or words" + }, + "rehabilitate": { + "CHS": "使(身体)康复, 使复职, 使恢复名誉, 使复原", + "ENG": "to make people think that someone or something is good again after a period when people had a bad opinion of them" + }, + "dampen": { + "CHS": "使潮湿, 使沮丧", + "ENG": "to make something slightly wet" + }, + "dehumanize": { + "CHS": "使失掉人性, 使成兽性", + "ENG": "to treat people so badly that they lose their good human qualities" + }, + "amalgamate": { + "CHS": "使与汞混合, 合并", + "ENG": "if two organizations amalgamate, or if one amalgamates with another, they join and make one big organization" + }, + "pertain": { + "CHS": "适合, 属于", + "ENG": "If one thing pertains to another, it relates, belongs, or applies to it" + }, + "shrink": { + "CHS": "收缩, (使)皱缩, 缩短", + "ENG": "to become smaller, or to make something smaller, through the effects of heat or water" + }, + "empower": { + "CHS": "授权与, 使能够", + "ENG": "to give a person or organization the legal right to do something" + }, + "evacuate": { + "CHS": "疏散, 撤出, 排泄", + "ENG": "to send people away from a dangerous place to a safe place" + }, + "estrange": { + "CHS": "疏远" + }, + "explicate": { + "CHS": "说明", + "ENG": "To explicate something means to explain it and make it clear" + }, + "stoke": { + "CHS": "司炉, (使)大吃" + }, + "cogitate": { + "CHS": "思考, 考虑", + "ENG": "to think carefully and seriously about something" + }, + "rip": { + "CHS": "撕, 剥, 劈, 锯, 裂开, 撕裂", + "ENG": "to tear something or be torn quickly and violently" + }, + "rend": { + "CHS": "撕碎", + "ENG": "to tear or break something violently into pieces" + }, + "hiss": { + "CHS": "嘶嘶作声, 用嘘声表示", + "ENG": "To hiss means to make a sound like a long \"s.\" " + }, + "slacken": { + "CHS": "松弛, 放慢, 减弱, 减少, 减缓放慢", + "ENG": "to gradually become slower, weaker, less active etc, or to make something do this" + }, + "sag": { + "CHS": "松弛, 下陷, 下垂, (物价)下跌, 漂流", + "ENG": "to hang down or bend in the middle, especially because of the weight of something" + }, + "rinse": { + "CHS": "嗽口, (用清水)刷, 冲洗掉, 漂净", + "ENG": "to wash clothes, dishes, vegetables etc quickly with water, especially running water, and without soap" + }, + "vitiate": { + "CHS": "损害", + "ENG": "to make something less effective or spoil it" + }, + "suborn": { + "CHS": "唆使", + "ENG": "to persuade someone to tell lies in a court of law or to do something else that is illegal, especially for money" + }, + "retract": { + "CHS": "缩回, 缩进, 所卷(舌等), 收回, 取消, 撤消", + "ENG": "if you retract something that you said or agreed, you say that you did not mean it" + }, + "dwindle": { + "CHS": "缩小", + "ENG": "to gradually become less and less or smaller and smaller" + }, + "guttle": { + "CHS": "贪婪且出声响地吃喝" + }, + "pry": { + "CHS": "探查", + "ENG": "to try to find out details about someone else’s private life in an impolite way" + }, + "explore": { + "CHS": "探险, 探测, 探究", + "ENG": "to discuss or think about something carefully" + }, + "slobber": { + "CHS": "淌口水", + "ENG": "to let saliva (= the liquid produced by your mouth ) come out of your mouth and run down" + }, + "shunt": { + "CHS": "逃避" + }, + "vacate": { + "CHS": "腾出, 空出,离(职),退(位)", + "ENG": "to leave a job or position so that it is available for someone else to do" + }, + "interpose": { + "CHS": "提出" + }, + "proffer": { + "CHS": "提供", + "ENG": "to give someone advice, an explanation etc" + }, + "superimpose": { + "CHS": "添加, 双重", + "ENG": "to put one picture, image, or photograph on top of another so that both can be partly seen" + }, + "cram": { + "CHS": "填满", + "ENG": "if a lot of people cram into a place or vehicle, they go into it so it is then full" + }, + "intercede": { + "CHS": "调解", + "ENG": "If you intercede with someone, you try to persuade them to forgive someone or end their disagreement with them" + }, + "invoke": { + "CHS": "调用" + }, + "palpitate": { + "CHS": "跳动", + "ENG": "if your heart palpitates, it beats quickly in an irregular way" + }, + "terminate": { + "CHS": "停止, 结束, 终止", + "ENG": "if something terminates, or if you terminate it, it ends" + }, + "notify": { + "CHS": "通报", + "ENG": "to formally or officially tell someone about something" + }, + "galvanize": { + "CHS": "通电流于, 电镀" + }, + "synchronize": { + "CHS": "同步", + "ENG": "to happen at exactly the same time, or to arrange for two or more actions to happen at exactly the same time" + }, + "accede": { + "CHS": "同意, 加入, 同意" + }, + "trounce": { + "CHS": "痛击", + "ENG": "to defeat someone completely" + }, + "purloin": { + "CHS": "偷窃, 盗取", + "ENG": "to obtain something without permission – often used humorously" + }, + "eavesdrop": { + "CHS": "偷听", + "ENG": "to deliberately listen secretly to other people’s conversations" + }, + "protrude": { + "CHS": "突出", + "ENG": "to stick out from somewhere" + }, + "swerve": { + "CHS": "突然转向", + "ENG": "to make a sudden sideways movement while moving forwards, usually in order to avoid hitting something" + }, + "daub": { + "CHS": "涂抹", + "ENG": "to put paint or a soft substance on something without being very careful" + }, + "smear": { + "CHS": "涂上, 抹掉, 涂污, 诽谤, 抹去", + "ENG": "to tell an untrue story about someone important in order to make people lose respect for them – used especially in newspapers" + }, + "blur": { + "CHS": "涂污, 污损(名誉等), 把(界线,视线等)弄得模糊不清, 弄污", + "ENG": "to become difficult to see, or to make something difficult to see, because the edges are not clear" + }, + "disgorge": { + "CHS": "吐出", + "ENG": "if a vehicle or building disgorges people, they come out of it in a large group" + }, + "extrapolate": { + "CHS": "推断, [数]外推", + "ENG": "to use facts about the present or about one thing or group to make a guess about the future or about other things or groups" + }, + "boost": { + "CHS": "推进", + "ENG": "to increase or improve something and make it more successful" + }, + "retrogress": { + "CHS": "退步", + "ENG": "to go back to an earlier, esp worse, condition; degenerate or deteriorate " + }, + "wince": { + "CHS": "退缩", + "ENG": "to suddenly feel very uncomfortable or embarrassed because of something that happens, something you remember etc" + }, + "abdicate": { + "CHS": "退位, 放弃(职位,权力等)", + "ENG": "to give up the position of being king or queen" + }, + "excavate": { + "CHS": "挖掘, 开凿, 挖出, 挖空", + "ENG": "to make a hole in the ground by digging up soil etc" + }, + "dally": { + "CHS": "玩弄, 戏弄, 延误" + }, + "disport": { + "CHS": "玩耍, 娱乐", + "ENG": "to amuse yourself by doing things that are active and enjoyable – used humorously" + }, + "jeopardize": { + "CHS": "危害", + "ENG": "to risk losing or spoiling something important" + }, + "snuggle": { + "CHS": "偎依", + "ENG": "to settle into a warm comfortable position" + }, + "contravene": { + "CHS": "违反抵触", + "ENG": "to do something that is not allowed according to a law or rule" + }, + "falsify": { + "CHS": "伪造", + "ENG": "to change figures, records etc so that they contain false information" + }, + "camouflage": { + "CHS": "伪装", + "ENG": "to hide something, especially by making it look the same as the things around it, or by making it seem like something else" + }, + "entrust": { + "CHS": "委托", + "ENG": "to make someone responsible for doing something important, or for taking care of someone" + }, + "depute": { + "CHS": "委托", + "ENG": "to tell or allow someone to do something instead of you" + }, + "condole": { + "CHS": "慰问", + "ENG": "to express sympathy with someone in grief, pain, etc " + }, + "forge": { + "CHS": "稳步前进, 铸造, 伪造", + "ENG": "to illegally copy something, especially something printed or written, to make people think that it is real" + }, + "nullify": { + "CHS": "无效", + "ENG": "to officially state that something has no legal force" + }, + "materialize": { + "CHS": "物化" + }, + "imbibe": { + "CHS": "吸收", + "ENG": "to accept and be influenced by qualities, ideas, values etc" + }, + "assimilate": { + "CHS": "吸收", + "ENG": "to completely understand and begin to use new ideas, information etc" + }, + "sip": { + "CHS": "吸吮" + }, + "allure": { + "CHS": "吸引" + }, + "scrub": { + "CHS": "洗擦, 擦净, 使(气体)净化, 擦洗", + "ENG": "to rub something hard, especially with a stiff brush, in order to clean it" + }, + "peruse": { + "CHS": "细读", + "ENG": "to read something, especially in a careful way" + }, + "perpend": { + "CHS": "细细考虑" + }, + "subside": { + "CHS": "下沉, 沉淀, 平息, 减退, 衰减", + "ENG": "if a building or an area of land subsides, it gradually sinks to a lower level" + }, + "preempt": { + "CHS": "先占", + "ENG": "If you preempt an action, you prevent it from happening by doing something that makes it unnecessary or impossible" + }, + "loiter": { + "CHS": "闲荡, 虚度, 徘徊", + "ENG": "to stand or wait somewhere, especially in a public place, without any clear reason" + }, + "tattle": { + "CHS": "闲谈", + "ENG": "to talk about other people’s private lives" + }, + "comport": { + "CHS": "相称" + }, + "interplay": { + "CHS": "相互影响" + }, + "descant": { + "CHS": "详论" + }, + "sift": { + "CHS": "详审", + "ENG": "to examine information, documents etc carefully in order to find something out or decide what is important and what is not" + }, + "expound": { + "CHS": "详细说明, 解释", + "ENG": "to explain or talk about something in detail" + }, + "regale": { + "CHS": "享受" + }, + "slake": { + "CHS": "消除" + }, + "exterminate": { + "CHS": "消除", + "ENG": "to kill large numbers of people or animals of a particular type so that they no longer exist" + }, + "calibrate": { + "CHS": "校准", + "ENG": "to check or slightly change an instrument or tool, so that it does something correctly" + }, + "harmonize": { + "CHS": "协调", + "ENG": "if two or more things harmonize, they work well together or look good together" + }, + "intimidate": { + "CHS": "胁迫", + "ENG": "to frighten or threaten someone into making them do what you want" + }, + "squint": { + "CHS": "斜视", + "ENG": "to have each eye looking in a slightly different direction" + }, + "blab": { + "CHS": "泄漏(秘密), 胡扯", + "ENG": "If someone blabs about something secret, they tell people about it" + }, + "gloat": { + "CHS": "心满意足" + }, + "revitalize": { + "CHS": "新生", + "ENG": "to put new strength or power into something" + }, + "forswear": { + "CHS": "幸运" + }, + "revamp": { + "CHS": "修补", + "ENG": "to change something in order to improve it and make it seem more modern" + }, + "embellish": { + "CHS": "修饰", + "ENG": "to make something more beautiful by adding decorations to it" + }, + "humiliate": { + "CHS": "羞辱, 使丢脸, 耻辱", + "ENG": "to make someone feel ashamed or stupid, especially when other people are present" + }, + "permute": { + "CHS": "序列改变" + }, + "recount": { + "CHS": "叙述", + "ENG": "to tell someone a story or describe a series of events" + }, + "publicize": { + "CHS": "宣扬", + "ENG": "to give information about something to the public, so that they know about it" + }, + "impair": { + "CHS": "削弱", + "ENG": "to damage something or make it not as good as it should be" + }, + "enervate": { + "CHS": "削弱", + "ENG": "to make you feel tired and weak" + }, + "attenuate": { + "CHS": "削弱", + "ENG": "to make something weaker or less" + }, + "perambulate": { + "CHS": "巡行" + }, + "squelch": { + "CHS": "压制", + "ENG": "to stop something from continuing to develop or spread" + }, + "neutralize": { + "CHS": "压制" + }, + "domineer": { + "CHS": "压制", + "ENG": "to act with arrogance or tyranny; behave imperiously " + }, + "babble": { + "CHS": "呀呀学语, 喋喋不休, 作潺潺声, 泄露(秘密)", + "ENG": "to make a sound like water moving over stones" + }, + "whelm": { + "CHS": "淹没", + "ENG": "to engulf entirely with or as if with water " + }, + "inundate": { + "CHS": "淹没", + "ENG": "to cover an area with a large amount of water" + }, + "procrastinate": { + "CHS": "延迟, 耽搁", + "ENG": "to delay doing something that you ought to do, usually because you do not want to do it" + }, + "protract": { + "CHS": "延长", + "ENG": "to lengthen or extend (a speech, etc); prolong in time " + }, + "castigate": { + "CHS": "严惩", + "ENG": "to criticize or punish someone severely" + }, + "pulverize": { + "CHS": "研磨成粉", + "ENG": "to crush something into a powder" + }, + "belie": { + "CHS": "掩饰", + "ENG": "to give someone a false idea about something" + }, + "dissimulate": { + "CHS": "掩饰, 假装, 装糊涂", + "ENG": "to hide your true feelings or intentions, especially by lying" + }, + "dissemble": { + "CHS": "掩饰, 假装不知道", + "ENG": "to hide your true feelings, thoughts etc" + }, + "sham": { + "CHS": "佯装", + "ENG": "to pretend to be upset, ill etc to gain sympathy or an advantage" + }, + "fluke": { + "CHS": "侥幸成功, 意外受挫" + }, + "dangle": { + "CHS": "摇摆", + "ENG": "to offer something good to someone, in order to persuade them to do something" + }, + "jolt": { + "CHS": "摇晃", + "ENG": "to move suddenly and roughly, or to make someone or something move in this way" + }, + "stagger": { + "CHS": "摇晃, 蹒跚, 交错, 摇摇摆摆", + "ENG": "to walk or move unsteadily, almost falling over" + }, + "gnaw": { + "CHS": "咬, 啃, 啮, 使苦恼, 消耗, 折磨, 侵蚀", + "ENG": "to keep biting something hard" + }, + "quaff": { + "CHS": "一口气喝干, 大口地喝" + }, + "budge": { + "CHS": "移动", + "ENG": "to move, or to make someone or something move" + }, + "detonate": { + "CHS": "引爆", + "ENG": "to explode or to make something explode" + }, + "lure": { + "CHS": "引诱", + "ENG": "to persuade someone to do something, especially something wrong or dangerous, by making it seem attractive or exciting" + }, + "cuddle": { + "CHS": "拥抱", + "ENG": "to hold someone or something very close to you with your arms around them, especially to show that you love them" + }, + "huddle": { + "CHS": "拥挤, 卷缩, 草率从事, 挤作一团", + "ENG": "if a group of people huddle together, they stay very close to each other, especially because they are cold or frightened" + }, + "gush": { + "CHS": "涌出", + "ENG": "if words or emotions gush out, you suddenly express them very strongly" + }, + "excel": { + "CHS": "优秀, 胜过他人", + "ENG": "to do something very well, or much better than most people" + }, + "boggle": { + "CHS": "犹豫, 不知是否应" + }, + "vacillate": { + "CHS": "犹豫不定", + "ENG": "to continue to change your opinions, decisions, ideas etc" + }, + "dawdle": { + "CHS": "游手好闲, 混日子" + }, + "tang": { + "CHS": "有浓味" + }, + "redound": { + "CHS": "有助于", + "ENG": "If an action or situation redounds to your benefit or advantage, it gives people a good impression of you or brings you something that can improve your situation" + }, + "ensnare": { + "CHS": "诱捕", + "ENG": "to catch an animal in a trap" + }, + "entice": { + "CHS": "诱惑, 诱使", + "ENG": "to persuade someone to do something or go somewhere, usually by offering them something that they want" + }, + "inveigle": { + "CHS": "诱骗", + "ENG": "If you inveigle someone into doing something, you cleverly persuade them to do it when they do not really want to" + }, + "seduce": { + "CHS": "诱使", + "ENG": "to persuade someone to have sex with you, especially in a way that is attractive and not too direct" + }, + "hoax": { + "CHS": "愚弄" + }, + "bespeak": { + "CHS": "预订" + }, + "prefigure": { + "CHS": "预示", + "ENG": "to be a sign that something will happen later" + }, + "portend": { + "CHS": "预示", + "ENG": "to be a sign that something is going to happen, especially something bad" + }, + "bode": { + "CHS": "预示", + "ENG": "If something bodes ill, it makes you think that something bad will happen in the future. If something bodes well, it makes you think that something good will happen. " + }, + "forebode": { + "CHS": "预示, 预言, 预兆, 预感", + "ENG": "to warn of or indicate (an event, result, etc) in advance " + }, + "prognosticate": { + "CHS": "预言", + "ENG": "to foretell (future events) according to present signs or indications; prophesy " + }, + "vaticinate": { + "CHS": "预言, 预告", + "ENG": "to foretell; prophesy " + }, + "extol": { + "CHS": "赞美", + "ENG": "to praise something very much" + }, + "engender": { + "CHS": "造成" + }, + "upbraid": { + "CHS": "责备", + "ENG": "to tell someone angrily that they have done something wrong" + }, + "reprove": { + "CHS": "责备", + "ENG": "to criticize someone for something that they have done" + }, + "reproach": { + "CHS": "责备", + "ENG": "to blame or criticize someone in a way that shows you are disappointed at what they have done" + }, + "censure": { + "CHS": "责难", + "ENG": "to officially criticize someone for something they have done wrong" + }, + "augment": { + "CHS": "增加, 增大", + "ENG": "to increase the value, amount, effectiveness etc of something" + }, + "proliferate": { + "CHS": "增生扩散", + "ENG": "if something proliferates, it increases quickly and spreads to many different places" + }, + "swindle": { + "CHS": "诈骗", + "ENG": "to get money from someone by deceiving them" + }, + "incur": { + "CHS": "招致", + "ENG": "if you incur a cost, debt, or a fine, you have to pay money because of something you have done" + }, + "irradiate": { + "CHS": "照射", + "ENG": "if someone or something is irradiated, x-rays or radioactive beams are passed through them" + }, + "pucker": { + "CHS": "折叠" + }, + "retrace": { + "CHS": "折回", + "ENG": "to go back exactly the way you have come" + }, + "depreciate": { + "CHS": "折旧, (使)贬值, 降低, 贬低, 轻视", + "ENG": "to decrease in value or price" + }, + "oscillate": { + "CHS": "振荡", + "ENG": "if an electric current oscillates, it changes direction very regularly and very frequently" + }, + "quell": { + "CHS": "镇压", + "ENG": "to end a situation in which people are behaving violently or protesting, especially by using force" + }, + "haggle": { + "CHS": "争价", + "ENG": "to argue when you are trying to agree about the price of something" + }, + "squabble": { + "CHS": "争论", + "ENG": "to argue about something unimportant" + }, + "subdue": { + "CHS": "征服", + "ENG": "to defeat or control a person or group, especially using force" + }, + "enlist": { + "CHS": "征募, 谋取(支持、赞助等), 应募, 赞助, 支持, 征召, 参军", + "ENG": "to persuade someone to help you to do something" + }, + "envisage": { + "CHS": "正视" + }, + "attest": { + "CHS": "证明", + "ENG": "to show or prove that something is true" + }, + "testify": { + "CHS": "证明, 证实, 作证", + "ENG": "to make a formal statement of what is true, especially in a court of law" + }, + "disburse": { + "CHS": "支付", + "ENG": "to pay out money, especially from a large sum that is available for a special purpose" + }, + "prevaricate": { + "CHS": "支吾搪塞", + "ENG": "to try to hide the truth by not answering questions directly" + }, + "metaphrase": { + "CHS": "直译" + }, + "smother": { + "CHS": "窒息", + "ENG": "to kill someone by putting something over their face to stop them breathing" + }, + "stash": { + "CHS": "中断" + }, + "traduce": { + "CHS": "中伤", + "ENG": "to deliberately say things that are untrue or unpleasant" + }, + "desist": { + "CHS": "终止", + "ENG": "to stop doing something" + }, + "tramp": { + "CHS": "重步行走, 踏, 践, 践踏", + "ENG": "If you tramp somewhere, you walk there slowly and with regular, heavy steps, for a long time" + }, + "accentuate": { + "CHS": "重读, 强调, 着重强调" + }, + "recapitulate": { + "CHS": "重述要点, 概括, 摘要", + "ENG": "to repeat the main points of something that has just been said" + }, + "retrieve": { + "CHS": "重新得到" + }, + "rekindle": { + "CHS": "重新点燃", + "ENG": "to make someone have a particular feeling, thought etc again" + }, + "rally": { + "CHS": "重整旗鼓, 给予新力量, (使)恢复健康, 力量, 决心, 集结", + "ENG": "to become stronger again after a period of weakness or defeat" + }, + "preside": { + "CHS": "主持", + "ENG": "to be in charge of a formal event, organization, ceremony etc" + }, + "superintend": { + "CHS": "主管, 指挥, 管理, 监督", + "ENG": "to be in charge of something, and control how it is done" + }, + "annotate": { + "CHS": "注释, 评注", + "ENG": "to add short notes to a book or piece of writing to explain parts of it" + }, + "transcribe": { + "CHS": "转录", + "ENG": "to write down something exactly as it was said" + }, + "avert": { + "CHS": "转移", + "ENG": "to look away from something so that you do not see it" + }, + "relegate": { + "CHS": "转移, 归入, 提交" + }, + "garnish": { + "CHS": "装饰", + "ENG": "to add something to food in order to decorate it" + }, + "adorn": { + "CHS": "装饰", + "ENG": "to decorate something" + }, + "inculcate": { + "CHS": "谆谆劝导" + }, + "bumble": { + "CHS": "拙劣地做, 弄糟" + }, + "ruffle": { + "CHS": "滋扰" + }, + "vaunt": { + "CHS": "自夸", + "ENG": "to describe, praise, or display (one's success, possessions, etc) boastfully " + }, + "pamper": { + "CHS": "纵容" + }, + "rent": { + "CHS": "租, 租借, 出租", + "ENG": "to regularly pay money to live in a house or room that belongs to someone else, or to use something that belongs to someone else" + }, + "encumber": { + "CHS": "阻碍", + "ENG": "to make it difficult for you to do something or for something to happen" + }, + "cumber": { + "CHS": "阻碍", + "ENG": "to obstruct or hinder " + }, + "interdict": { + "CHS": "阻断", + "ENG": "If an armed force interdicts something or someone, they stop them and prevent them from moving. If they interdict a route, they block it or cut it off. " + }, + "obstruct": { + "CHS": "阻隔, 阻塞, 遮断(道路、通道等)", + "ENG": "to block a road, passage etc" + }, + "impede": { + "CHS": "阻止", + "ENG": "to make it difficult for someone or something to move forward or make progress" + }, + "deter": { + "CHS": "阻止", + "ENG": "to stop someone from doing something, by making them realize it will be difficult or have bad results" + }, + "delve": { + "CHS": "钻研" + }, + "arbitrate": { + "CHS": "作出公断", + "ENG": "to officially judge how an argument between two opposing sides should be settled" + }, + "gesticulate": { + "CHS": "做姿势表达, 用手势谈话", + "ENG": "to make movements with your arms and hands, usually while speaking, because you are excited, angry, or cannot think of the right words to use" + }, + "drove": { + "CHS": "drive的过去式" + }, + "fell": { + "CHS": "fall 的过去式" + }, + "sprinkling": { + "CHS": "洒水" + }, + "guffaw": { + "CHS": "哄笑, 狂笑", + "ENG": "to laugh loudly" + }, + "nosedive": { + "CHS": "-dived, -diving (飞机)俯冲,急降", + "ENG": "if a price, value, or condition of something nosedives, it suddenly goes down or gets much worse" + }, + "diverge": { + "CHS": "(道路等)分叉, (意见等)分歧, 脱离", + "ENG": "if opinions, interests etc diverge, they are different from each other" + }, + "elapse": { + "CHS": "(时间)过去, 消逝", + "ENG": "if a particular period of time elapses, it passes" + }, + "lucubrate": { + "CHS": "(在灯下)用功, 深入研究, 专心著作", + "ENG": "to write or study, esp at night " + }, + "flounder": { + "CHS": "(在水中)挣扎, 困难地往前走, 踌躇, 发慌", + "ENG": "to have a lot of problems and be likely to fail completely" + }, + "encroach": { + "CHS": "(逐步或暗中)侵占, 蚕食, 超出通常(或正常)界线", + "ENG": "to gradually take more of someone’s time, possessions, rights etc than you should" + }, + "suppurate": { + "CHS": "[医]生脓, 化脓, 流脓" + }, + "emote": { + "CHS": "<美口>夸张地作为, 表现感情", + "ENG": "to clearly show emotion, especially when you are acting" + }, + "booze": { + "CHS": "<俗>豪饮" + }, + "allude": { + "CHS": "暗指, 影射, 间接提到", + "ENG": "If you allude to something, you mention it in an indirect way" + }, + "wade": { + "CHS": "跋涉", + "ENG": "to walk through water that is not deep" + }, + "cater": { + "CHS": "备办食物, 满足(需要), 投合" + }, + "deviate": { + "CHS": "背离, 偏离", + "ENG": "to change what you are doing so that you are not following an expected plan, idea, or type of behaviour" + }, + "calcify": { + "CHS": "变成石灰质, 钙化", + "ENG": "to become hard, or make something hard, by adding lime " + }, + "fluctuate": { + "CHS": "变动, 波动, 涨落, 上下, 动摇", + "ENG": "if a price or amount fluctuates, it keeps changing and becoming higher and lower" + }, + "relent": { + "CHS": "变宽厚, 变温和", + "ENG": "to change your attitude and become less strict or cruel towards someone" + }, + "wane": { + "CHS": "变小, 亏缺, 衰落, 退潮, 消逝, 呈下弦", + "ENG": "if something such as power, influence, or a feeling wanes, it becomes gradually less strong or less important" + }, + "plead": { + "CHS": "辩护, 恳求", + "ENG": "to ask for something that you want very much, in a sincere and emotional way" + }, + "pulsate": { + "CHS": "搏动, 跳动, 有规律的跳动", + "ENG": "to make sounds or movements that are strong and regular like a heart beating" + }, + "welsh": { + "CHS": "不付赌金而溜掉, 逃避履行义务, 食言", + "ENG": "If someone welshes on a deal or an agreement, they do not do the things they promised to do as part of that deal or agreement" + }, + "slither": { + "CHS": "不稳地滑动", + "ENG": "to slide somewhere over a surface, twisting or moving from side to side" + }, + "snarl": { + "CHS": "缠结, 混乱, 吠, 咆哮, 怒骂", + "ENG": "if an animal snarls, it makes a low angry sound and shows its teeth" + }, + "retreat": { + "CHS": "撤退, 退却", + "ENG": "to move away from the enemy after being defeated in battle" + }, + "snigger": { + "CHS": "吃吃地笑, 窃笑", + "ENG": "to laugh quietly in a way that is not nice at something which is not supposed to be funny" + }, + "collude": { + "CHS": "串通, 勾结, 共谋", + "ENG": "to work with someone secretly, especially in order to do something dishonest or illegal" + }, + "intrude": { + "CHS": "闯入, 侵入", + "ENG": "to come into a place or situation, and have an unwanted effect" + }, + "wallow": { + "CHS": "打滚, <喻>沉迷, 颠簸", + "ENG": "if an animal or person wallows, it rolls around in mud, water etc for pleasure or to keep cool" + }, + "defalcate": { + "CHS": "盗用公款, 挪用公款, 贪污", + "ENG": "to misuse or misappropriate property or funds entrusted to one " + }, + "bicker": { + "CHS": "斗嘴, 流动, 闪动", + "ENG": "When people bicker, they argue or quarrel about unimportant things" + }, + "hobnob": { + "CHS": "对酌, 共饮, (亲切)交谈", + "ENG": "to spend time talking to people who are in a higher social position than you" + }, + "abound": { + "CHS": "多, 大量存在, 富于, 充满", + "ENG": "to exist in very large numbers" + }, + "stridulate": { + "CHS": "发出尖而高的声音, 吱吱叫鸣" + }, + "pullulate": { + "CHS": "发芽, 抽芽, 充满, 成长, 发展, 产生", + "ENG": "(of animals, etc) to breed rapidly or abundantly; teem; swarm " + }, + "exult": { + "CHS": "非常高兴, 欢跃" + }, + "intervene": { + "CHS": "干涉, 干预, 插入, 介入, (指时间)介于其间", + "ENG": "to become involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "tamper": { + "CHS": "干预, 玩弄, 贿赂, 损害, 削弱, 篡改", + "ENG": "If someone tampers with something, they interfere with it or try to change it when they have no right to do so" + }, + "chortle": { + "CHS": "咯咯笑", + "ENG": "to laugh because you are amused or pleased about something" + }, + "ensue": { + "CHS": "跟着发生, 继起", + "ENG": "to happen after or as a result of something" + }, + "pander": { + "CHS": "勾引, 拉皮条" + }, + "sneak": { + "CHS": "鬼鬼祟祟做事" + }, + "kneel": { + "CHS": "跪下", + "ENG": "to be in or move into a position where your body is resting on your knees" + }, + "superabound": { + "CHS": "过剩, 有余", + "ENG": "to abound abnormally; be in surplus " + }, + "amble": { + "CHS": "缓行, 溜蹄" + }, + "perish": { + "CHS": "毁灭, 死亡, 腐烂, 枯萎", + "ENG": "to die, especially in a terrible or sudden way" + }, + "dote": { + "CHS": "昏聩, 溺爱", + "ENG": "If you say that someone dotes on a person or a thing, you mean that they love or care about them very much and ignore any faults they may have" + }, + "doodle": { + "CHS": "混时间, 闲荡, 涂鸦", + "ENG": "When someone doodles, they draw doodles" + }, + "gabble": { + "CHS": "急促而不清楚地说话, 七嘴八嘴地说, 喋喋不休地说", + "ENG": "to say something so quickly that people cannot hear you clearly or understand you properly" + }, + "scurry": { + "CHS": "急赶, 急跑, 急转, 以轻快而交替的步子走动", + "ENG": "to move quickly with short steps, especially because you are in a hurry" + }, + "abide": { + "CHS": "坚持, 遵守" + }, + "convalesce": { + "CHS": "渐渐康复, 渐愈", + "ENG": "If you are convalescing, you are resting and getting your health back after an illness or operation" + }, + "homogenize": { + "CHS": "均质化", + "ENG": "to change something so that its parts become similar or the same" + }, + "invigilate": { + "CHS": "看守, 监考", + "ENG": "to watch people who are taking an examination and make sure that they do not cheat" + }, + "yearn": { + "CHS": "渴望, 想念, 怀念, 向往", + "ENG": "to have a strong desire for something, especially something that is difficult or impossible to get" + }, + "hanker": { + "CHS": "渴望, 追求", + "ENG": "If you hanker after something, you want it very much" + }, + "rhapsodize": { + "CHS": "狂热地描述, 写狂想文, 作狂想曲" + }, + "rankle": { + "CHS": "溃烂, 发炎, 怨恨" + }, + "dilate": { + "CHS": "扩大, 详述, 膨胀", + "ENG": "if a hollow part of your body dilates or if something dilates it, it becomes wider" + }, + "prevail": { + "CHS": "流行, 盛行, 获胜, 成功", + "ENG": "if a belief, custom, situation etc prevails, it exists among a group of people at a certain time" + }, + "drool": { + "CHS": "流口水, 说昏话", + "ENG": "to let saliva (= the liquid in your mouth ) come out of your mouth" + }, + "mooch": { + "CHS": "流浪, 缓行" + }, + "wallop": { + "CHS": "乱窜, 猛冲, (车等)颠簸, 沸腾作用", + "ENG": "to hit someone or something very hard, especially with your hand" + }, + "alight": { + "CHS": "落下", + "ENG": "if a bird or insect alights on something, it stops flying and stands on it" + }, + "effervesce": { + "CHS": "冒泡, [化]泡腾, 兴奋" + }, + "decamp": { + "CHS": "秘密而匆忙地移居, 撤营, 逃走, 逃亡", + "ENG": "If you decamp, you go away from somewhere secretly or suddenly" + }, + "acquiesce": { + "CHS": "默许, 勉强同意", + "ENG": "to do what someone else wants, or allow something to happen, even though you do not really agree with it" + }, + "connive": { + "CHS": "默许, 纵容, 暗中合作, 密谋策划", + "ENG": "to not try to stop something wrong from happening" + }, + "trek": { + "CHS": "牛拉车, 艰苦跋涉", + "ENG": "to make a long and difficult journey, especially on foot" + }, + "grovel": { + "CHS": "趴, 匍匐, 卑躬屈膝, 五体投地的", + "ENG": "to move along the ground on your hands and knees" + }, + "hunker": { + "CHS": "盘坐" + }, + "totter": { + "CHS": "蹒跚, 踉跄, 动摇, 摇摇欲坠", + "ENG": "to walk or move unsteadily from side to side as if you are going to fall over" + }, + "collide": { + "CHS": "碰撞, 抵触", + "ENG": "to hit something or someone that is moving in a different direction from you" + }, + "animadvert": { + "CHS": "批判, 非难" + }, + "condescend": { + "CHS": "谦逊, 屈尊", + "ENG": "to do something in a way that shows you think it is below your social or professional position – used to show disapproval" + }, + "abscond": { + "CHS": "潜逃, 避债", + "ENG": "to escape from a place where you are being kept" + }, + "languish": { + "CHS": "憔悴, 凋萎, 衰退, 苦思" + }, + "hearken": { + "CHS": "倾听", + "ENG": "to listen" + }, + "resort": { + "CHS": "求助, 诉诸, 采取(某种手段等), 常去", + "ENG": "If you resort to a course of action that you do not really approve of, you adopt it because you cannot see any other way of achieving what you want" + }, + "succumb": { + "CHS": "屈服, 屈从, 死", + "ENG": "to stop opposing someone or something that is stronger than you, and allow them to take control" + }, + "deign": { + "CHS": "屈尊", + "ENG": "to do something that you think you are really too important to do – often used humorously" + }, + "tend": { + "CHS": "趋向, 往往是", + "ENG": "to move or develop in a particular direction" + }, + "crouch": { + "CHS": "蜷缩, 蹲伏", + "ENG": "to lower your body close to the ground by bending your knees completely" + }, + "expostulate": { + "CHS": "劝诫, 忠告" + }, + "piddle": { + "CHS": "撒尿, 鬼混, 游荡", + "ENG": "to urinate " + }, + "emanate": { + "CHS": "散发, 发出, 发源", + "ENG": "If a quality emanates from you, or if you emanate a quality, you give people a strong sense that you have that quality" + }, + "bask": { + "CHS": "晒太阳(享受温暖), 感到温暖, 愉快或舒适", + "ENG": "to enjoy sitting or lying in the heat of the sun or a fire" + }, + "jink": { + "CHS": "闪身, 急转, 逃走" + }, + "coruscate": { + "CHS": "闪烁, 焕发", + "ENG": "to emit flashes of light; sparkle " + }, + "stonewall": { + "CHS": "慎重的打球, 妨碍, 阻碍" + }, + "renege": { + "CHS": "食言, 违例出牌", + "ENG": "If someone reneges on a promise or an agreement, they do not do what they have promised or agreed to do" + }, + "nestle": { + "CHS": "舒适地坐定, 偎依", + "ENG": "to move into a comfortable position, pressing your head or body against someone or against something soft" + }, + "comply": { + "CHS": "顺从, 答应, 遵守", + "ENG": "to do what you have to do or are asked to do" + }, + "prattle": { + "CHS": "说孩子气的话, 说半截话, 闲聊, 胡说, 唠叨" + }, + "equivocate": { + "CHS": "说模棱两可的话, 支吾", + "ENG": "to avoid giving a clear or direct answer to a question" + }, + "elope": { + "CHS": "私奔, 潜逃, 出走", + "ENG": "to leave your home secretly in order to get married" + }, + "die": { + "CHS": "死亡, 消逝, 平息, 渴望, 漠然, 熄灭", + "ENG": "to stop living and become dead" + }, + "snoop": { + "CHS": "探听, 调查, 偷窃", + "ENG": "If someone snoops around a place, they secretly look around it in order to find out things" + }, + "shirk": { + "CHS": "逃避, 推卸", + "ENG": "to deliberately avoid doing something you should do, because you are lazy" + }, + "demur": { + "CHS": "提出异议, 反对, 抗辩, 犹豫", + "ENG": "to express doubt about or opposition to a plan or suggestion" + }, + "cavil": { + "CHS": "挑剔, 找错", + "ENG": "to make unnecessary complaints about someone or something" + }, + "fornicate": { + "CHS": "通奸", + "ENG": "a word meaning to have sex with someone who you are not married to - used to show strong disapproval" + }, + "reign": { + "CHS": "统治, 支配, 盛行, 占优势", + "ENG": "if a feeling or quality reigns, it exists strongly for a period of time" + }, + "skulk": { + "CHS": "偷偷隐躲, 偷懒" + }, + "speculate": { + "CHS": "推测, 思索, 做投机买卖", + "ENG": "to guess about the possible causes or effects of something, without knowing all the facts or details" + }, + "tergiversate": { + "CHS": "推托, 背叛, 自相矛盾", + "ENG": "to change sides or loyalties; apostatize " + }, + "niggle": { + "CHS": "为琐事费心, 拘泥小节" + }, + "cringe": { + "CHS": "畏缩, 阿谀, 奉承", + "ENG": "to move away from someone or something because you are afraid" + }, + "blench": { + "CHS": "畏缩, 回避", + "ENG": "to shy away, as in fear; quail " + }, + "cower": { + "CHS": "畏缩, 退缩", + "ENG": "to bend low and move back because you are frightened" + }, + "flinch": { + "CHS": "畏缩, 退缩, 畏首畏尾", + "ENG": "to move your face or body away from someone or something because you are in pain, frightened, or upset" + }, + "whimper": { + "CHS": "呜咽, 哀诉", + "ENG": "to make low crying sounds, or to speak in this way" + }, + "descend": { + "CHS": "下来, 下降, 遗传(指财产,气质,权利), 突击, 出其不意的拜访", + "ENG": "to move from a higher level to a lower one" + }, + "waffle": { + "CHS": "闲聊, 胡扯" + }, + "emerge": { + "CHS": "显现, 浮现, 暴露, 形成, (由某种状态)脱出, (事实)显现出来", + "ENG": "to appear or come out from somewhere" + }, + "implode": { + "CHS": "向内破裂, 爆炸", + "ENG": "to explode inwards" + }, + "copulate": { + "CHS": "性交, 交配, 交尾", + "ENG": "to have sex" + }, + "gyrate": { + "CHS": "旋转, 不停地转动", + "ENG": "to turn around fast in circles" + }, + "scud": { + "CHS": "迅速地移动或奔跑" + }, + "coincide": { + "CHS": "一致, 符合", + "ENG": "if two people’s ideas, opinions etc coincide, they are the same" + }, + "preponderate": { + "CHS": "以重量胜过, 占优势, 超过, 胜过", + "ENG": "to be more important or frequent than something else" + }, + "debouch": { + "CHS": "溢出, 流出" + }, + "overbrim": { + "CHS": "溢出, 满出" + }, + "emigrate": { + "CHS": "永久(使)移居", + "ENG": "to leave your own country in order to live in another country" + }, + "capitulate": { + "CHS": "有条件投降, 认输, 屈服, 让步, 停止抵抗", + "ENG": "to accept or agree to something that you have been opposing for a long time" + }, + "smolder": { + "CHS": "郁积, 闷烧" + }, + "adhere": { + "CHS": "粘附, 胶着, 坚持", + "ENG": "to stick firmly to something" + }, + "wrangle": { + "CHS": "争论, 争吵, 口角", + "ENG": "to argue with someone angrily for a long time" + }, + "secede": { + "CHS": "正式脱离或退出, 分离", + "ENG": "if a country or state secedes from another country, it officially stops being part of it and becomes independent" + }, + "legislate": { + "CHS": "制定法律", + "ENG": "to make a law about something" + }, + "asphyxiate": { + "CHS": "窒息", + "ENG": "to prevent someone from breathing normally, usually so that they die, or stop breathing" + }, + "escalate": { + "CHS": "逐步升高, 逐步增强", + "ENG": "to become higher or increase, or to make something do this" + }, + "peter": { + "CHS": "逐渐消失" + }, + "veer": { + "CHS": "转向, (风向)顺(时针)转", + "ENG": "to change direction" + }, + "malinger": { + "CHS": "装病", + "ENG": "to avoid work by pretending to be ill" + }, + "philander": { + "CHS": "追逐女人, 玩弄女性, 调情", + "ENG": "(of a man) to flirt with women " + }, + "accrue": { + "CHS": "自然增加, 产生" + }, + "suffice": { + "CHS": "足够, 有能力", + "ENG": "to be enough" + }, + "nauseate": { + "CHS": "作呕, 产生恶感, 厌恶", + "ENG": "If something nauseates you, it makes you feel as if you are going to vomit" + }, + "fidget": { + "CHS": "坐立不安, 烦躁, 慌张, (不安地或心不在焉地)弄, 玩弄", + "ENG": "to keep moving your hands or feet, especially because you are bored or nervous" + }, + "facilitate": { + "CHS": "(不以人作主语的)使容易, 使便利, 推动, 帮助, 使容易, 促进", + "ENG": "To facilitate an action or process, especially one that you would like to happen, means to make it easier or more likely to happen" + }, + "famish": { + "CHS": "(常用被动语态)使挨饿, <古>使饿死", + "ENG": "to be or make very hungry or weak " + }, + "lancinate": { + "CHS": "(除医学外现罕用的)刺, 刺痛, 撕裂" + }, + "ostracize": { + "CHS": "(古希腊)贝壳放逐法, 放逐, 排斥", + "ENG": "If someone is ostracized, people deliberately behave in an unfriendly way toward them and do not allow them to take part in any of their social activities" + }, + "preen": { + "CHS": "(鸟)用嘴整理, 打扮, 赞扬", + "ENG": "if a bird preens or preens itself, it cleans itself and makes its feathers smooth using its beak" + }, + "stratify": { + "CHS": "(使)成层", + "ENG": "to form or be formed in layers or strata " + }, + "disintegrate": { + "CHS": "(使)分解, (使)碎裂", + "ENG": "to break up, or make something break up, into very small pieces" + }, + "twirl": { + "CHS": "(使)快速转动, 捻弄", + "ENG": "If you twirl something or if it twirls, it turns around and around with a smooth, fast movement" + }, + "dehydrate": { + "CHS": "(使)脱水", + "ENG": "to remove the liquid from a substance such as food or a chemical" + }, + "beget": { + "CHS": "(书面语) 招致, 产生, 引起", + "ENG": "to cause something or make it happen" + }, + "attune": { + "CHS": "(为乐器)调音, 使合调, 使相合", + "ENG": "to adjust or accustom (a person or thing); acclimatize " + }, + "devour": { + "CHS": "(尤指动物)吞吃, 狼吞虎咽, 挥霍, (火灾等)毁灭, 破坏, 吞没, 贪看, 贪听", + "ENG": "to eat something quickly because you are very hungry" + }, + "beshrew": { + "CHS": "[古]诅咒(主要用于温和的诅咒), 该死!", + "ENG": "to wish evil on; curse (used in mild oaths such as beshrew me) " + }, + "sublimate": { + "CHS": "[化][心]使升华, 使高尚", + "ENG": "to use the energy that comes from sexual feelings to do something, such as work or art, that is more acceptable to your society" + }, + "disbar": { + "CHS": "[律] 逐出法庭, 剥夺律师资格", + "ENG": "to make a lawyer leave the legal profession" + }, + "impeach": { + "CHS": "[律]控告, 检举, <主美>弹劾, 怀疑", + "ENG": "if a government official is impeached, they are formally charged with a serious crime in a special government court" + }, + "validate": { + "CHS": "[律]使有效, 使生效, 确认, 证实, 验证", + "ENG": "to prove that something is true or correct, or to make a document or agreement officially and legally acceptable" + }, + "jugulate": { + "CHS": "[现罕] 刎颈自尽, 扼杀, [医]顿挫" + }, + "passivate": { + "CHS": "[冶]使钝化", + "ENG": "to render (a metal) less susceptible to corrosion by coating the surface with a substance, such as an oxide " + }, + "foment": { + "CHS": "[医]热敷, 热罨, 煽动", + "ENG": "If someone or something foments trouble or violent opposition, they cause it to develop" + }, + "syncopate": { + "CHS": "[音]切分, [语]词中省略", + "ENG": "to modify or treat (a beat, rhythm, note, etc) by syncopation " + }, + "foray": { + "CHS": "<古>劫掠" + }, + "bewray": { + "CHS": "<古>泄露, 暴露, 显示" + }, + "flabbergast": { + "CHS": "<口>使大吃一惊, 哑然失色, 使目瞪口呆", + "ENG": "to overcome with astonishment; amaze utterly; astound " + }, + "nab": { + "CHS": "<口>捉住, 逮捕, 抢夺", + "ENG": "to catch or arrest someone who is doing something wrong" + }, + "etherize": { + "CHS": "<美>[医]以醚麻醉, 化成为醚" + }, + "electrocute": { + "CHS": "<美>处电刑, 触电致死", + "ENG": "to kill someone using electricity" + }, + "repress": { + "CHS": "<美>再压, 补充加压", + "ENG": "to control a group of people by force" + }, + "expiscate": { + "CHS": "<主苏格兰>查出,探明搜出" + }, + "console": { + "CHS": "安慰, 藉慰", + "ENG": "to make someone feel better when they are feeling sad or disappointed" + }, + "conciliate": { + "CHS": "安慰, 赢得, 调和", + "ENG": "to do something to make people more likely to stop arguing, especially by giving them something they want" + }, + "disencumber": { + "CHS": "摆脱烦恼, 不受妨碍", + "ENG": "to free from encumbrances " + }, + "preserve": { + "CHS": "保护, 保持, 保存, 保藏", + "ENG": "to save something or someone from being harmed or destroyed" + }, + "requite": { + "CHS": "报答, 酬谢", + "ENG": "to give or do something in return for something done or given to you" + }, + "torrefy": { + "CHS": "焙, 烤", + "ENG": "to dry (drugs, ores, etc) by subjection to intense heat; roast " + }, + "shun": { + "CHS": "避开, 避免", + "ENG": "to deliberately avoid someone or something" + }, + "eschew": { + "CHS": "避开, 远避", + "ENG": "to deliberately avoid doing or using something" + }, + "compile": { + "CHS": "编译, 编辑, 汇编", + "ENG": "to make a book, list, record etc, using different pieces of information, music etc" + }, + "flagellate": { + "CHS": "鞭打, 鞭挞", + "ENG": "to whip yourself or someone else, especially as a religious punishment" + }, + "debase": { + "CHS": "贬低, 降低", + "ENG": "to make someone or something lose its value or people’s respect" + }, + "evince": { + "CHS": "表明, 表示", + "ENG": "to show a feeling or have a quality in a way that people can easily notice" + }, + "juxtapose": { + "CHS": "并置, 并列", + "ENG": "to put things together, especially things that are not normally together, in order to compare them or to make something new" + }, + "strip": { + "CHS": "剥, 剥去", + "ENG": "to remove something that is covering the surface of something else" + }, + "pare": { + "CHS": "剥, 削, 修, 削减, 消灭", + "ENG": "If you pare something down or back, or if you pare it, you reduce it" + }, + "bereave": { + "CHS": "剥夺, 使失去", + "ENG": "to deprive (of) something or someone valued, esp through death " + }, + "disfranchise": { + "CHS": "剥夺公民权, 剥夺推举议员权, 剥夺权利", + "ENG": "to disenfranchise someone" + }, + "decorticate": { + "CHS": "剥皮", + "ENG": "to remove the bark or some other outer layer from " + }, + "flay": { + "CHS": "剥皮, 去皮, 抢夺, 严厉批评", + "ENG": "to criticize someone very severely" + }, + "refute": { + "CHS": "驳倒, 反驳", + "ENG": "to prove that a statement or idea is not correct" + }, + "overrule": { + "CHS": "驳回, 否决, 支配, 制服", + "ENG": "If someone in authority overrules a person or their decision, they officially decide that the decision is incorrect or not valid" + }, + "winnow": { + "CHS": "簸, 扬(谷), 吹开糠皮, 吹掉, 精选" + }, + "expiate": { + "CHS": "补偿, 赎", + "ENG": "If you expiate guilty feelings or bad behaviour, you do something to indicate that you are sorry for what you have done" + }, + "downplay": { + "CHS": "不予重视" + }, + "declassify": { + "CHS": "不再当机密文件处理, 从机密表删除", + "ENG": "If secret documents or records are declassified, it is officially stated that they are no longer secret" + }, + "furbish": { + "CHS": "擦亮, 恢复, 磨光", + "ENG": "to make bright by polishing; burnish " + }, + "adopt": { + "CHS": "采用, 收养", + "ENG": "to take someone else’s child into your home and legally become its parent" + }, + "insert": { + "CHS": "插入, 嵌入", + "ENG": "to put something inside or into something else" + }, + "douse": { + "CHS": "插入水中, 把弄熄, 弄湿, 放松", + "ENG": "to plunge or be plunged into water or some other liquid; duck " + }, + "perceive": { + "CHS": "察觉", + "ENG": "to notice, see, or recognize something" + }, + "descry": { + "CHS": "察看, 发现, 远远看到" + }, + "adulterate": { + "CHS": "掺杂", + "ENG": "to make food or drink less pure by adding another substance of lower quality to it" + }, + "generate": { + "CHS": "产生, 发生", + "ENG": "to produce or cause something" + }, + "elucidate": { + "CHS": "阐明, 说明", + "ENG": "to explain something that is difficult to understand by providing more information" + }, + "transcend": { + "CHS": "超越, 胜过", + "ENG": "to go beyond the usual limits of something" + }, + "exceed": { + "CHS": "超越, 胜过", + "ENG": "to be more than a particular number or amount" + }, + "deride": { + "CHS": "嘲弄, 嘲笑", + "ENG": "to make remarks or jokes that show you think someone or something is silly or useless" + }, + "conspue": { + "CHS": "吵吵嚷嚷地反对, 唾弃" + }, + "revoke": { + "CHS": "撤回, 废除, 宣告无效", + "ENG": "to officially state that a law, decision, or agreement is no longer effective" + }, + "immerse": { + "CHS": "沉浸, 使陷入", + "ENG": "to put someone or something deep into a liquid so that they are completely covered" + }, + "commend": { + "CHS": "称赞, 表扬, 推荐, 委托, 吸引", + "ENG": "to praise or approve of someone or something publicly" + }, + "render": { + "CHS": "呈递, 归还, 着色, 汇报, 致使, 放弃, 表演, 实施" + }, + "scour": { + "CHS": "冲洗, 擦亮, (搜索或追捕时)急速走遍", + "ENG": "to clean something very thoroughly by rubbing it with a rough material" + }, + "endue": { + "CHS": "穿上, 授予, 赋予", + "ENG": "to invest or provide, as with some quality or trait " + }, + "penetrate": { + "CHS": "穿透, 渗透, 看穿, 洞察", + "ENG": "to enter something and pass or spread through it, especially when this is difficult" + }, + "transmit": { + "CHS": "传输, 转送, 传达, 传导, 发射, 遗传, 传播", + "ENG": "to send out electronic signals, messages etc using radio, television, or other similar equipment" + }, + "prick": { + "CHS": "刺, 戳, 刺痛, 竖起", + "ENG": "to make a small hole in something using something sharp" + }, + "pierce": { + "CHS": "刺穿, 刺破, 穿透, 突破, 深深感动", + "ENG": "to make a small hole in or through something, using an object with a sharp point" + }, + "transfix": { + "CHS": "刺穿, 使呆住", + "ENG": "to surprise, in-terest, frighten etc someone so much that they do not move" + }, + "activate": { + "CHS": "刺激, 使活动", + "ENG": "to make an electrical system or chemical process start working" + }, + "baste": { + "CHS": "粗缝, 润以油脂, (在烤肉上)涂油, 狠揍, 大骂", + "ENG": "to pour liquid or melted fat over food that is cooking" + }, + "vandalize": { + "CHS": "摧残, 破坏", + "ENG": "to damage or destroy things deliberately, especially public property" + }, + "thrash": { + "CHS": "打(谷), (用棍、鞭等)痛打, 打败, 使逆行, 胜过, 使颠簸, 推敲", + "ENG": "to beat someone violently, especially in order to punish them" + }, + "stigmatize": { + "CHS": "打烙印, 诬蔑" + }, + "faze": { + "CHS": "打扰, 折磨, 使狼狈, 使担忧" + }, + "contuse": { + "CHS": "打伤, 挫伤, 撞伤", + "ENG": "to injure (the body) without breaking the skin; bruise " + }, + "slather": { + "CHS": "大量的用, 厚厚地涂", + "ENG": "to cover something with a thick layer of a soft substance" + }, + "ransack": { + "CHS": "到处搜索, 掠夺, 洗劫", + "ENG": "to go through a place, stealing things and causing damage" + }, + "embezzle": { + "CHS": "盗用, 挪用", + "ENG": "to steal money from the place where you work" + }, + "elicit": { + "CHS": "得出, 引出, 抽出, 引起", + "ENG": "If you elicit a response or a reaction, you do or say something that makes other people respond or react" + }, + "counteract": { + "CHS": "抵消, 中和, 阻碍", + "ENG": "to reduce or prevent the bad effect of something, by doing something that has the opposite effect" + }, + "enkindle": { + "CHS": "点燃, 使燃烧, 激起(热情等), 挑起(战争等)", + "ENG": "to set on fire; kindle " + }, + "kindle": { + "CHS": "点燃, 使着火, 引起, 照亮", + "ENG": "if you kindle a fire, or if it kindles, it starts to burn" + }, + "delimit": { + "CHS": "定界限, 划界", + "ENG": "to set or say exactly what the limits of something are" + }, + "tantalize": { + "CHS": "逗弄, 使干着急", + "ENG": "to show or promise something that someone really wants, but then not allow them to have it" + }, + "aver": { + "CHS": "断言, 主张", + "ENG": "to say something firmly and strongly because you are sure that it is true" + }, + "garble": { + "CHS": "断章取义, 混淆", + "ENG": "to jumble (a story, quotation, etc), esp unintentionally " + }, + "despoil": { + "CHS": "夺取, 掠夺", + "ENG": "to steal from a place or people using force, especially in a war" + }, + "exacerbate": { + "CHS": "恶化, 增剧, 激怒, 使加剧, 使烦恼", + "ENG": "to make a bad situation worse" + }, + "promulgate": { + "CHS": "发布, 公布, 传播", + "ENG": "to spread an idea or belief to as many people as possible" + }, + "emit": { + "CHS": "发出, 放射, 吐露, 散发, 发表, 发行", + "ENG": "to send out gas, heat, light, sound etc" + }, + "transpire": { + "CHS": "发生, 得知, 使蒸发, 使排出", + "ENG": "to happen" + }, + "abjure": { + "CHS": "发誓放弃, 避免, 公开放弃", + "ENG": "to state publicly that you will give up a particular belief or way of behaving" + }, + "wreak": { + "CHS": "发泄(怒火), 报仇" + }, + "amerce": { + "CHS": "罚款, 惩罚", + "ENG": "to punish by a fine " + }, + "reiterate": { + "CHS": "反复地说, 重申, 重做", + "ENG": "to repeat a statement or opinion in order to make your meaning as clear as possible" + }, + "iterate": { + "CHS": "反复说, 重申, 重述", + "ENG": "to say or do something again" + }, + "deice": { + "CHS": "防止结冰, 装以除冰装置, 除冰" + }, + "magnify": { + "CHS": "放大, 扩大, 赞美, 夸大, 夸张", + "ENG": "to make something seem bigger or louder, especially using special equipment" + }, + "amplify": { + "CHS": "放大, 增强", + "ENG": "to make sound louder, especially musical sound" + }, + "cede": { + "CHS": "放弃" + }, + "forsake": { + "CHS": "放弃, 抛弃", + "ENG": "to leave someone, especially when you should stay because they need you" + }, + "abandon": { + "CHS": "放弃, 遗弃", + "ENG": "to leave someone, especially someone you are responsible for" + }, + "radiate": { + "CHS": "放射, 辐射, 传播, 广播", + "ENG": "If things radiate out from a place, they form a pattern that is like lines drawn from the centre of a circle to various points on its edge" + }, + "vilify": { + "CHS": "诽谤, 辱骂, 贬低, 轻视", + "ENG": "to say or write bad things about someone or something" + }, + "abrogate": { + "CHS": "废除, 取消", + "ENG": "to officially end a legal agreement, practice etc" + }, + "classify": { + "CHS": "分类, 分等", + "ENG": "to decide what group something belongs to" + }, + "dispatch": { + "CHS": "分派, 派遣", + "ENG": "to send someone or something somewhere for a particular purpose" + }, + "enjoin": { + "CHS": "吩咐, 命令, 嘱咐, <主美>禁止", + "ENG": "If you enjoin someone to do something, you order them to do it. If you enjoin an action or attitude, you order people to do it or have it. " + }, + "adulate": { + "CHS": "奉承, 谄媚, 奉承", + "ENG": "to flatter or praise obsequiously " + }, + "negate": { + "CHS": "否定, 打消", + "ENG": "to state that something does not exist or is untrue" + }, + "reincarnate": { + "CHS": "赋予新肉体, 使转生" + }, + "rehash": { + "CHS": "改头换面地重复", + "ENG": "to use the same ideas again in a new form that is not really different or better - used to show disapproval" + }, + "impart": { + "CHS": "给予(尤指抽象事物), 传授, 告知, 透露", + "ENG": "to give a particular quality to something" + }, + "bestow": { + "CHS": "给予, 安放", + "ENG": "to give someone something of great value or importance" + }, + "enfranchise": { + "CHS": "给予选举权, 给予自治权, 解放", + "ENG": "to give a group of people the right to vote" + }, + "modify": { + "CHS": "更改, 修改", + "ENG": "to make small changes to something in order to improve it and make it more suitable or effective" + }, + "denounce": { + "CHS": "公开指责, 公然抨击, 谴责", + "ENG": "to express strong disapproval of someone or something, especially in public" + }, + "assail": { + "CHS": "攻击, 质问", + "ENG": "to attack someone or something violently" + }, + "conceive": { + "CHS": "构思, 以为, 持有", + "ENG": "to think of a new idea, plan etc and develop it in your mind" + }, + "employ": { + "CHS": "雇用, 用, 使用", + "ENG": "to pay someone to work for you" + }, + "impound": { + "CHS": "关在栏中, 拘留, 扣押, 没收", + "ENG": "if the police or law courts impound something you have or own, they keep it until it has been decided that you can have it back" + }, + "regulate": { + "CHS": "管制, 控制, 调节, 校准", + "ENG": "to control an activity or process, especially by rules" + }, + "irrigate": { + "CHS": "灌溉, 修水利, 冲洗伤口, 使潮湿", + "ENG": "to supply land or crops with water" + }, + "infuse": { + "CHS": "灌输, 注入, 沏或泡(茶、药等), 浸渍, 鼓舞", + "ENG": "to fill something or someone with a particular feeling or quality" + }, + "impute": { + "CHS": "归罪于, 归咎于, 归因于", + "ENG": "If you impute something such as blame or a crime to someone, you say that they are responsible for it or are the cause of it" + }, + "cloy": { + "CHS": "过饱, 使厌腻", + "ENG": "if something sweet or pleasant cloys, it begins to annoy you because there is too much of it" + }, + "scrimp": { + "CHS": "过度缩减, 克扣" + }, + "weld": { + "CHS": "焊接", + "ENG": "to join metals by melting their edges and pressing them together when they are hot" + }, + "deplete": { + "CHS": "耗尽, 使衰竭", + "ENG": "To deplete a stock or amount of something means to reduce it" + }, + "intersect": { + "CHS": "横断" + }, + "flirt": { + "CHS": "忽然弹出, 挥动" + }, + "expend": { + "CHS": "花费, 消耗, 支出, [海]把(暂时不用的绳)绕在杆上", + "ENG": "to use or spend a lot of energy etc in order to do something" + }, + "adumbrate": { + "CHS": "画轮廓, 预示", + "ENG": "to outline; give a faint indication of " + }, + "assuage": { + "CHS": "缓和, 减轻, 镇定", + "ENG": "to make an unpleasant feeling less painful or severe" + }, + "evoke": { + "CHS": "唤起, 引起, 博得", + "ENG": "to produce a strong feeling or memory in someone" + }, + "devastate": { + "CHS": "毁坏", + "ENG": "to damage something very badly or completely" + }, + "demolish": { + "CHS": "毁坏, 破坏, 推翻, 粉碎", + "ENG": "to prove that an idea or opinion is completely wrong" + }, + "muddle": { + "CHS": "混合, 使微醉, 使咬字不清晰, 鬼混", + "ENG": "to confuse one person or thing with another, and make a mistake" + }, + "pummel": { + "CHS": "击, 打, 用拳头连续揍", + "ENG": "to hit someone or something many times quickly, especially using your fist s (= closed hands ) " + }, + "repel": { + "CHS": "击退, 抵制, 使厌恶, 使不愉快", + "ENG": "if something repels you, it is so unpleasant that you do not want to be near it, or it makes you feel ill" + }, + "incite": { + "CHS": "激动, 煽动", + "ENG": "to deliberately encourage people to fight, argue etc" + }, + "irritate": { + "CHS": "激怒, 使急躁", + "ENG": "to make someone feel annoyed or impatient, especially by doing something many times or for a long period of time" + }, + "provoke": { + "CHS": "激怒, 挑拨, 煽动, 惹起, 驱使", + "ENG": "to cause a reaction or feeling, especially a sudden one" + }, + "begrudge": { + "CHS": "嫉妒, 羡慕, 舍不得给", + "ENG": "to feel angry or upset with someone because they have something that you think they do not deserve" + }, + "con": { + "CHS": "记诵, 精读" + }, + "embitter": { + "CHS": "加苦味于, 使受苦, 使难受, 使怨恨, 加重", + "ENG": "to make (a person) resentful or bitter " + }, + "feign": { + "CHS": "假装, 装作, 捏造, <古>想象", + "ENG": "to pretend to have a particular feeling or to be ill, asleep etc" + }, + "espouse": { + "CHS": "嫁娶, 支持, 赞成", + "ENG": "to support an idea, belief etc, especially a political one" + }, + "verify": { + "CHS": "检验, 校验, 查证, 核实[计] 打开或关闭文件的读写校验", + "ENG": "to discover whether something is correct or true" + }, + "bate": { + "CHS": "减弱, 减少, 抑制" + }, + "cocker": { + "CHS": "娇养, 溺爱, 放纵" + }, + "rectify": { + "CHS": "矫正, 调整, [化]精馏", + "ENG": "to correct something that is wrong" + }, + "abet": { + "CHS": "教唆, 煽动, 帮助, 支持", + "ENG": "to help someone do something wrong or illegal" + }, + "osculate": { + "CHS": "接吻, 接触", + "ENG": "to kiss " + }, + "inoculate": { + "CHS": "接种, 嫁接", + "ENG": "to protect someone against a disease by putting a weak form of the disease into their body using a needle" + }, + "debunk": { + "CHS": "揭穿, 拆穿假面具, 暴露" + }, + "quench": { + "CHS": "结束, 熄灭,淬火", + "ENG": "to stop a fire from burning" + }, + "manumit": { + "CHS": "解放, 释放", + "ENG": "to free from slavery, servitude, etc; emancipate " + }, + "disabuse": { + "CHS": "解惑, 释疑, 使省悟", + "ENG": "If you disabuse someone of something, you tell them or persuade them that what they believe is in fact untrue" + }, + "decode": { + "CHS": "解码, 译解", + "ENG": "to discover the meaning of a message written in a code (= a set of secret signs or letters ) " + }, + "parse": { + "CHS": "解析", + "ENG": "to describe the grammar of a word when it is in a particular sentence, or the grammar of the whole sentence" + }, + "exert": { + "CHS": "尽(力), 施加(压力等), 努力", + "ENG": "to work very hard and use a lot of physical or mental energy" + }, + "demean": { + "CHS": "举止, 贬低身份", + "ENG": "to do something that makes people lose respect for someone or something" + }, + "embody": { + "CHS": "具体表达, 使具体化, 包含, 收录", + "ENG": "to be a very good example of an idea or quality" + }, + "engulf": { + "CHS": "卷入, 吞没, 狼吞虎咽", + "ENG": "if an unpleasant feeling engulfs you, you feel it very strongly" + }, + "exhume": { + "CHS": "掘出, 发掘", + "ENG": "to remove a dead body from the ground, especially in order to check the cause of death" + }, + "exploit": { + "CHS": "开拓, 开发, 开采, 剥削, 用以自肥", + "ENG": "to treat someone unfairly by asking them to do things for you, but giving them very little in return – used to show disapproval" + }, + "parch": { + "CHS": "烤(干), 烘(干)" + }, + "mortify": { + "CHS": "克服, 苦修, 使苦恼" + }, + "implore": { + "CHS": "恳求, 哀求", + "ENG": "to ask for something in an emotional way" + }, + "sequestrate": { + "CHS": "扣押, 没收", + "ENG": "to take property away from the person it belongs to because they have not paid their debts" + }, + "remit": { + "CHS": "宽恕, 赦免, 免除, 缓和, 推迟, 汇出, 传送, 使复职", + "ENG": "to send a payment" + }, + "colligate": { + "CHS": "捆绑, 束, 综合", + "ENG": "to connect or link together; tie; join " + }, + "baffle": { + "CHS": "困惑, 阻碍, 为难", + "ENG": "if something baffles you, you cannot understand or explain it at all" + }, + "utilize": { + "CHS": "利用", + "ENG": "to use something for a particular purpose" + }, + "instantiate": { + "CHS": "例示", + "ENG": "to represent by an instance " + }, + "catenate": { + "CHS": "连接, 使连续" + }, + "shed": { + "CHS": "流出, 发散, 散发, 脱落, 脱皮, 摆脱", + "ENG": "to get rid of something that you no longer need or want" + }, + "banish": { + "CHS": "流放, 驱逐, 消除", + "ENG": "to not allow someone or something to stay in a particular place" + }, + "mangle": { + "CHS": "乱砍, 撕裂, 破坏, 毁损, 损坏, 轧布", + "ENG": "If a physical object is mangled, it is crushed or twisted very forcefully, so that it is difficult to see what its original shape was" + }, + "scrawl": { + "CHS": "乱涂, 潦草地写", + "ENG": "to write in a careless and untidy way, so that your words are not easy to read" + }, + "inter": { + "CHS": "埋葬, 葬, 埋", + "ENG": "to bury a dead person" + }, + "purchase": { + "CHS": "买, 购买", + "ENG": "to buy something" + }, + "outwit": { + "CHS": "瞒骗, 以智取胜", + "ENG": "to gain an advantage over someone using tricks or clever plans" + }, + "vituperate": { + "CHS": "谩骂, 责骂", + "ENG": "to berate or rail (against) abusively; revile " + }, + "instill": { + "CHS": "慢慢地灌输" + }, + "confiscate": { + "CHS": "没收, 充公, 查抄, 征用", + "ENG": "to officially take private property away from someone, usually as a punishment" + }, + "expropriate": { + "CHS": "没收, 征用, 剥夺", + "ENG": "if a government or someone in authority expropriates your private property, they take it away for public use" + }, + "decimate": { + "CHS": "每十人杀一人, 大批杀害" + }, + "permeate": { + "CHS": "弥漫, 渗透, 透过, 充满", + "ENG": "if liquid, gas etc permeates something, it enters it and spreads through every part of it" + }, + "delude": { + "CHS": "迷惑, 蛊惑" + }, + "enthrall": { + "CHS": "迷惑, 迷住, 奴役" + }, + "captivate": { + "CHS": "迷住, 迷惑", + "ENG": "to attract someone very much, and hold their attention" + }, + "exonerate": { + "CHS": "免除, 证明无罪", + "ENG": "to state officially that someone who has been blamed for something is not guilty" + }, + "depose": { + "CHS": "免职, 废(王位), 作证", + "ENG": "to remove a leader or ruler from a position of power" + }, + "concede": { + "CHS": "勉强, 承认, 退让", + "ENG": "to admit that something is true or correct, although you wish it were not true" + }, + "limn": { + "CHS": "描写, 描绘" + }, + "disparage": { + "CHS": "蔑视, 贬损, 使失去信誉" + }, + "denominate": { + "CHS": "命名", + "ENG": "to give a specific name to; designate " + }, + "impersonate": { + "CHS": "模仿, 扮演, 人格化, 拟人", + "ENG": "to copy someone’s voice and behaviour, especially in order to make people laugh" + }, + "simulate": { + "CHS": "模拟, 模仿, 假装, 冒充", + "ENG": "to make or produce something that is not real but has the appearance or feeling of being real" + }, + "whet": { + "CHS": "磨, 磨快, 使兴奋", + "ENG": "to make the edge of a blade sharp" + }, + "burnish": { + "CHS": "磨光, 擦亮(金属)", + "ENG": "to polish metal or another substance until it shines" + }, + "erase": { + "CHS": "抹去, 擦掉, 消磁, <俚>杀死", + "ENG": "to remove information from a computer memory or recorded sounds from a tape" + }, + "scrunch": { + "CHS": "碾碎, 使弯曲" + }, + "contort": { + "CHS": "扭曲, 歪曲", + "ENG": "if you contort something, or if it contorts, it twists out of its normal shape and looks strange or unattractive" + }, + "wrick": { + "CHS": "扭伤" + }, + "triturate": { + "CHS": "弄成粉, 粉碎, 磨碎, 捣碎", + "ENG": "to grind or rub into a fine powder or pulp; masticate " + }, + "besmirch": { + "CHS": "弄污", + "ENG": "If you besmirch someone or their reputation, you say that they are a bad person or that they have done something wrong, usually when this is not true" + }, + "ruck": { + "CHS": "弄皱", + "ENG": "to become or make wrinkled, creased, or puckered " + }, + "maltreat": { + "CHS": "虐待, 滥用", + "ENG": "to treat a person or animal cruelly" + }, + "eliminate": { + "CHS": "排除, 消除", + "ENG": "to completely get rid of something that is unnecessary or unwanted" + }, + "foreclose": { + "CHS": "排除在外, 妨碍, 自称, 阻止, 预先处理, 取消抵押品赎回权", + "ENG": "if a bank forecloses, it takes away someone’s property because they have failed to pay back the money that they borrowed from the bank to buy it" + }, + "supplant": { + "CHS": "排挤掉, 代替", + "ENG": "to take the place of a person or thing so that they are no longer used, no longer in a position of power etc" + }, + "egest": { + "CHS": "排泄", + "ENG": "to excrete (waste material) " + }, + "condemn": { + "CHS": "判刑, 处刑, 声讨, 谴责", + "ENG": "to say very strongly that you do not approve of something or someone, especially because you think it is morally wrong" + }, + "cultivate": { + "CHS": "培养, 耕作", + "ENG": "to prepare and use land for growing crops and plants" + }, + "recoup": { + "CHS": "赔偿, 补偿, 扣除" + }, + "erupt": { + "CHS": "喷出", + "ENG": "if a volcano erupts, it explodes and sends smoke, fire, and rock into the sky" + }, + "outface": { + "CHS": "睥睨, 蔑视", + "ENG": "to face or stare down " + }, + "appease": { + "CHS": "平息, 安抚, 缓和, 使满足", + "ENG": "to make someone less angry or stop them from attacking you by giving them what they want" + }, + "insolate": { + "CHS": "曝晒", + "ENG": "to expose to sunlight, as for bleaching " + }, + "finagle": { + "CHS": "欺骗, 哄骗, 欺瞒" + }, + "bamboozle": { + "CHS": "欺骗, 迷惑", + "ENG": "to deceive, trick, or confuse someone" + }, + "imprecate": { + "CHS": "祈求, 诅咒", + "ENG": "to swear, curse, or blaspheme " + }, + "adjure": { + "CHS": "起誓, 恳请, (以起誓或诅咒等形式)命令", + "ENG": "to order or try to persuade someone to do something" + }, + "indict": { + "CHS": "起诉, 控告, 指控, 告发", + "ENG": "to officially charge someone with a criminal offence" + }, + "obtrude": { + "CHS": "强迫, 冲出" + }, + "compel": { + "CHS": "强迫, 迫使", + "ENG": "to force someone to do something" + }, + "coerce": { + "CHS": "强制, 强迫", + "ENG": "to force someone to do something they do not want to do by threatening them" + }, + "amputate": { + "CHS": "切除(手臂,腿等)", + "ENG": "to cut off someone’s arm, leg, finger etc during a medical operation" + }, + "incise": { + "CHS": "切割, 雕刻", + "ENG": "to cut a pattern, word etc into something, using a sharp instrument" + }, + "slit": { + "CHS": "切开, 撕裂", + "ENG": "to make a straight narrow cut in cloth, paper, skin etc" + }, + "erode": { + "CHS": "侵蚀, 腐蚀, 使变化", + "ENG": "if the weather erodes rock or soil, or if rock or soil erodes, its surface is gradually destroyed" + }, + "flout": { + "CHS": "轻视, 嘲笑, 愚弄", + "ENG": "If you flout something such as a law, an order, or an accepted way of behaving, you deliberately do not obey it or follow it" + }, + "careen": { + "CHS": "倾斜, 倾, (为修理或清洁而)使倾侧" + }, + "dispel": { + "CHS": "驱散, 驱逐, 使消散", + "ENG": "to make something go away, especially a belief, idea, or feeling" + }, + "exorcize": { + "CHS": "驱邪, 除怪", + "ENG": "to force evil spirits to leave a place by using special words and ceremonies" + }, + "eviscerate": { + "CHS": "取出内脏, 除去精华, 除去主要部分", + "ENG": "to cut the organs out of a person’s or animal’s body" + }, + "countermand": { + "CHS": "取消, 撤消, 下反对命令召回", + "ENG": "If you countermand an order, you cancel it, usually by giving a different order" + }, + "elide": { + "CHS": "取消, 省略, 省略发音, 不予考虑删节", + "ENG": "to leave out the sound of a letter or of a part of a word" + }, + "admonish": { + "CHS": "劝告, 训诫, 警告", + "ENG": "to tell someone severely that they have done something wrong" + }, + "induce": { + "CHS": "劝诱, 促使, 导致, 引起, 感应", + "ENG": "to persuade someone to do something, especially something that does not seem wise" + }, + "dissuade": { + "CHS": "劝阻", + "ENG": "to persuade someone not to do something" + }, + "ascertain": { + "CHS": "确定, 探知", + "ENG": "to find out something" + }, + "enshrine": { + "CHS": "入庙祀奉, 铭记", + "ENG": "if something such as a tradition or right is enshrined in something, it is preserved and protected so that people will remember and respect it" + }, + "intersperse": { + "CHS": "散布, 点缀", + "ENG": "if something is interspersed with a particular kind of thing, it has a lot of them in it" + }, + "molest": { + "CHS": "骚乱, 困扰, 调戏", + "ENG": "to attack or harm someone, especially a child, by touching them in a sexual way or by trying to have sex with them" + }, + "sterilize": { + "CHS": "杀菌, 消毒, 使成不毛", + "ENG": "to make something completely clean by killing any bacteria in it" + }, + "delete": { + "CHS": "删除", + "ENG": "to remove something that has been written down or stored in a computer" + }, + "bowdlerize": { + "CHS": "删除(书等的)不妥的文句, 删改, 修订", + "ENG": "to remove all the parts of a book, play etc that you think might offend someone – used to show disapproval" + }, + "roil": { + "CHS": "煽动, 激怒" + }, + "assoil": { + "CHS": "赦免, 释放, 补偿", + "ENG": "to absolve; set free " + }, + "ingest": { + "CHS": "摄取, 咽下, 吸收", + "ENG": "to take food or other substances into your body" + }, + "objurgate": { + "CHS": "申斥, 非难" + }, + "interrogate": { + "CHS": "审问, 询问", + "ENG": "to ask someone a lot of questions for a long time in order to get information, sometimes using threats" + }, + "procreate": { + "CHS": "生(儿,女), 生殖, 产生", + "ENG": "to produce children or baby animals" + }, + "enchant": { + "CHS": "施魔法, 使迷惑", + "ENG": "In fairy tales and legends, to enchant someone or something means to put a magic spell on them" + }, + "prosecute": { + "CHS": "实行, 从事, 告发, 起诉", + "ENG": "to charge someone with a crime and try to show that they are guilty of it in a court of law" + }, + "abate": { + "CHS": "使(数量、程度等)减少, 减轻, 除去, 缓和, 打折扣", + "ENG": "to become less strong or decrease" + }, + "alleviate": { + "CHS": "使(痛苦等)易于忍受, 减轻", + "ENG": "to make something less painful or difficult to deal with" + }, + "enmesh": { + "CHS": "使绊住, 使陷入", + "ENG": "to catch or involve in or as if in a net or snare; entangle " + }, + "aerate": { + "CHS": "使暴露于空气中, 使充满气体", + "ENG": "to put a gas or air into a liquid or into soil" + }, + "fulminate": { + "CHS": "使爆发, 以严词谴责", + "ENG": "to criticize someone or something angrily" + }, + "transfigure": { + "CHS": "使变形, 美化, 理想化", + "ENG": "to change the way someone or something looks, especially so that they become more beautiful" + }, + "transmogrify": { + "CHS": "使变形, 使变成奇形怪状", + "ENG": "to change or transform into a different shape, esp a grotesque or bizarre one " + }, + "discommode": { + "CHS": "使不方便, 使为难, 使不自由", + "ENG": "to cause inconvenience or annoyance to; disturb " + }, + "maim": { + "CHS": "使残废, 使不能工作", + "ENG": "to wound or injure someone very seriously and often permanently" + }, + "embed": { + "CHS": "使插入, 使嵌入, 深留, 嵌入, [医]包埋", + "ENG": "to put something firmly and deeply into something else, or to be put into something in this way" + }, + "entangle": { + "CHS": "使缠上, 纠缠, 卷入, 连累, 使混乱", + "ENG": "to involve someone in an argument, a relationship, or a situation that is difficult to escape from" + }, + "congest": { + "CHS": "使充满, 使拥塞, [医]使充血", + "ENG": "to crowd or become crowded to excess; overfill " + }, + "deaerate": { + "CHS": "使除去空气, 从(液体)中除去气泡" + }, + "imperil": { + "CHS": "使处于危险, 危害", + "ENG": "to put something or someone in danger" + }, + "embolden": { + "CHS": "使大胆, 使有胆量, 使勇敢", + "ENG": "to give someone more courage" + }, + "wither": { + "CHS": "使凋谢, 使消亡, 使畏缩" + }, + "wean": { + "CHS": "使断奶, 使丢弃, 使断念", + "ENG": "to gradually stop feeding a baby or young animal on its mother’s milk and start giving it ordinary food" + }, + "debauch": { + "CHS": "使堕落", + "ENG": "to lead into a life of depraved self-indulgence " + }, + "aggravate": { + "CHS": "使恶化, 加重", + "ENG": "to make a bad situation, an illness, or an injury worse" + }, + "perjure": { + "CHS": "使发伪誓, 使破坏誓言" + }, + "pester": { + "CHS": "使烦恼, 纠缠", + "ENG": "to annoy someone, especially by asking them many times to do something" + }, + "addle": { + "CHS": "使腐坏, 使糊涂", + "ENG": "to confuse someone so they cannot think properly" + }, + "proselytize": { + "CHS": "使改宗", + "ENG": "If you proselytize, you try to persuade someone to share your beliefs, especially religious or political beliefs" + }, + "exhilarate": { + "CHS": "使高兴, 使愉快", + "ENG": "to make someone feel very excited and happy" + }, + "ossify": { + "CHS": "使骨化, 使硬化", + "ENG": "to change into bone or to make something change into bone" + }, + "dulcify": { + "CHS": "使和好, 使愉快, 使柔和", + "ENG": "to make pleasant or agreeable " + }, + "reconcile": { + "CHS": "使和解, 使和谐, 使顺从", + "ENG": "to have a good relationship again with someone after you have quarrelled with them" + }, + "impregnate": { + "CHS": "使怀孕, 使受精, 使充满, 注入, 灌输", + "ENG": "to make a woman or female animal pregnant" + }, + "flummox": { + "CHS": "使惶惑, 打乱, 使狼狈, 使混乱", + "ENG": "If someone is flummoxed by something, they are confused by it and do not know what to do or say" + }, + "redintegrate": { + "CHS": "使恢复完整, 使更新, 重建", + "ENG": "to make whole or complete again; restore to a perfect state; renew " + }, + "admix": { + "CHS": "使混合", + "ENG": "to mix or blend " + }, + "corroborate": { + "CHS": "使坚固, 确证", + "ENG": "to provide information that supports or helps to prove someone else’s statement, idea etc" + }, + "ruggedize": { + "CHS": "使坚固, 使耐用" + }, + "demote": { + "CHS": "使降级, 使降职", + "ENG": "to make someone’s rank or position lower or less important" + }, + "interlace": { + "CHS": "使交织, 使交错", + "ENG": "to join together (patterns, fingers, etc) by crossing, as if woven; intertwine " + }, + "detoxicate": { + "CHS": "使解毒", + "ENG": "to rid (a patient) of a poison or its effects " + }, + "extricate": { + "CHS": "使解脱, 救出, 使(气体)游离, 放出", + "ENG": "to escape from a difficult or embarrassing situation, or to help someone escape" + }, + "intromit": { + "CHS": "使进入, 插入", + "ENG": "to enter or insert or allow to enter or be inserted " + }, + "embroil": { + "CHS": "使卷入, 牵连, 使纠缠", + "ENG": "to involve someone or something in a difficult situation" + }, + "insulate": { + "CHS": "使绝缘, 隔离", + "ENG": "to cover or protect something with a material that stops electricity, sound, heat etc from getting in or out" + }, + "enrapture": { + "CHS": "使狂喜" + }, + "nonplus": { + "CHS": "使困惑", + "ENG": "to put at a loss; confound " + }, + "besot": { + "CHS": "使烂醉, 使迷糊, 使沉醉" + }, + "denude": { + "CHS": "使裸露, 剥下, 剥夺, 脱毛", + "ENG": "to remove the plants and trees that cover an area of land" + }, + "gratify": { + "CHS": "使满足", + "ENG": "to make someone feel pleased and satisfied" + }, + "immunize": { + "CHS": "使免疫, 赋予免疫性, 使成为无害", + "ENG": "to protect someone from a particular illness by giving them a vaccine" + }, + "confront": { + "CHS": "使面临, 对抗", + "ENG": "if a problem, difficulty etc confronts you, it appears and needs to be dealt with" + }, + "obfuscate": { + "CHS": "使模糊, 使迷乱", + "ENG": "to deliberately make something unclear or difficult to understand" + }, + "rejuvenate": { + "CHS": "使年轻, 使复原, 使恢复精神, 使恢复活力, 使回春, 使更新", + "ENG": "to make something work much better or become much better again" + }, + "engird": { + "CHS": "使佩带, 围绕" + }, + "expand": { + "CHS": "使膨胀, 详述, 扩张", + "ENG": "if a company, business etc expands, or if someone expands it, they open new shops, factories etc" + }, + "impoverish": { + "CHS": "使贫穷, 使枯竭", + "ENG": "to make someone very poor" + }, + "implicate": { + "CHS": "使牵连其中, 含意, 暗示" + }, + "emaciate": { + "CHS": "使憔悴, 使消瘦", + "ENG": "to become or cause to become abnormally thin " + }, + "straiten": { + "CHS": "使穷困, 使为难, 限制" + }, + "subjugate": { + "CHS": "使屈服, 征服, 使服从, 克制, 抑制", + "ENG": "to defeat a person or group and make them obey you" + }, + "emulsify": { + "CHS": "使乳化", + "ENG": "to combine to become a smooth mixture, or to make two liquids do this" + }, + "substantiate": { + "CHS": "使实体化, 证实", + "ENG": "to prove the truth of something that someone has said, claimed etc" + }, + "debilitate": { + "CHS": "使衰弱, 使虚弱", + "ENG": "to make someone ill and weak" + }, + "paralyze": { + "CHS": "使瘫痪, 使麻痹" + }, + "intoxicate": { + "CHS": "使陶醉, 醉人", + "ENG": "(of an alcoholic drink) to produce in (a person) a state ranging from euphoria to stupor, usually accompanied by loss of inhibitions and control; make drunk; inebriate " + }, + "desiccate": { + "CHS": "使完全变干, 干贮(食物等)" + }, + "tepefy": { + "CHS": "使微热" + }, + "invalidate": { + "CHS": "使无效", + "ENG": "to make a document, ticket, claim etc no longer legally or officially acceptable" + }, + "habituate": { + "CHS": "使习惯于, 使熟习于", + "ENG": "to be used to something or gradually become used to it" + }, + "stultify": { + "CHS": "使显得愚笨, 使变无效, 使成为徒劳" + }, + "correlate": { + "CHS": "使相互关联", + "ENG": "if two or more facts, ideas etc correlate or if you correlate them, they are closely connected to each other or one causes the other" + }, + "sate": { + "CHS": "使心满意足, 过分的给与", + "ENG": "to satisfy (a desire or appetite) fully " + }, + "regenerate": { + "CHS": "使新生, 重建, 改革, 革新", + "ENG": "to grow again, or make something grow again" + }, + "irk": { + "CHS": "使厌倦, 使苦恼", + "ENG": "if something irks you, it makes you feel annoyed" + }, + "ingratiate": { + "CHS": "使迎合, 使讨好", + "ENG": "If someone tries to ingratiate themselves with you, they do things to try and make you like them" + }, + "perpetuate": { + "CHS": "使永存, 使不朽" + }, + "stun": { + "CHS": "使晕倒, 使惊吓, 打晕", + "ENG": "If you are stunned by something, you are extremely shocked or surprised by it and are therefore unable to speak or do anything" + }, + "rejoin": { + "CHS": "使再结合, 再加入, 再回答", + "ENG": "to say (something) in reply; answer, reply, or retort " + }, + "fascinate": { + "CHS": "使着迷, 使神魂颠倒", + "ENG": "If something fascinates you, it interests and delights you so much that your thoughts tend to concentrate on it" + }, + "refocillate": { + "CHS": "使振作精神" + }, + "stanch": { + "CHS": "使止血, 止, 止流, 止血", + "ENG": "to stem the flow of (a liquid, esp blood) or (of a liquid) to stop flowing " + }, + "suffocate": { + "CHS": "使窒息, 噎住, 闷熄", + "ENG": "to die or make someone die by preventing them from breathing" + }, + "stifle": { + "CHS": "使窒息, 抑制", + "ENG": "If someone stifles something you consider to be a good thing, they prevent it from continuing" + }, + "insinuate": { + "CHS": "使逐步而巧妙地取得, 使迂回地潜入(或挤入), 使慢慢滋长, 含沙射影地说", + "ENG": "If you say that someone insinuates themselves into a particular situation, you mean that they manage very cleverly, and perhaps dishonestly, to get into that situation" + }, + "emboss": { + "CHS": "饰以浮饰, 使浮雕出来" + }, + "withdraw": { + "CHS": "收回, 撤消", + "ENG": "if you withdraw a threat, offer, request etc, you say that you no longer will do what you said" + }, + "repossess": { + "CHS": "收回, 复得", + "ENG": "to take back cars, furniture, or property from people who had arranged to pay for them over a long time, but cannot now continue to pay for them" + }, + "amass": { + "CHS": "收集, 积聚(尤指财富)", + "ENG": "if you amass money, knowledge, information etc, you gradually collect a large amount of it" + }, + "redeem": { + "CHS": "赎回, 挽回, 恢复, 补偿, 兑换", + "ENG": "to make something less bad" + }, + "entrammel": { + "CHS": "束缚, 妨碍" + }, + "swill": { + "CHS": "涮, 冲洗, 痛饮, 倒出", + "ENG": "to wash something by pouring a lot of water over it or into it" + }, + "rive": { + "CHS": "撕开, 劈开, 使沮丧", + "ENG": "to split asunder " + }, + "arraign": { + "CHS": "提问, 传讯, 责难", + "ENG": "to make someone come to court to hear what their crime is" + }, + "incarnate": { + "CHS": "体现, 使具体化, 使成化身", + "ENG": "If you say that a quality is incarnated in a person, you mean that they represent that quality or are typical of it in an extreme form" + }, + "tamp": { + "CHS": "填塞, 夯实" + }, + "modulate": { + "CHS": "调整, 调节, (信号)调制", + "ENG": "to change the sound of your voice" + }, + "concoct": { + "CHS": "调制, 调合, 编造", + "ENG": "If you concoct an excuse or explanation, you invent one that is not true" + }, + "debrief": { + "CHS": "听取报告, 听取汇报" + }, + "apprise": { + "CHS": "通知", + "ENG": "to tell or give someone information about something" + }, + "lambaste": { + "CHS": "痛打, 严责", + "ENG": "If you lambaste someone, you criticize them severely, usually in public" + }, + "abominate": { + "CHS": "痛恨, 憎恶", + "ENG": "to hate something very much" + }, + "execrate": { + "CHS": "痛骂, 憎恨, 憎恶, 诅咒", + "ENG": "to express strong disapproval or hatred for someone or something" + }, + "filch": { + "CHS": "偷窃(不贵重的东西), 窃取", + "ENG": "to steal something small or not very valuable" + }, + "ejaculate": { + "CHS": "突然说出, (从生物体中)射出", + "ENG": "when a man ejaculates, semen comes out of his penis" + }, + "obliterate": { + "CHS": "涂去, 删除, 使湮没" + }, + "bedaub": { + "CHS": "涂污, 俗气地装饰" + }, + "disembosom": { + "CHS": "吐露, 泄露" + }, + "detrude": { + "CHS": "推倒, 扔掉", + "ENG": "to force down or thrust away or out " + }, + "impel": { + "CHS": "推动, 推进, 激励, 驱使, 逼迫", + "ENG": "if something impels you to do something, it makes you feel very strongly that you must do it" + }, + "subvert": { + "CHS": "推翻, 暗中破坏, 搅乱", + "ENG": "to try to destroy the power and influence of a government or the established system" + }, + "propel": { + "CHS": "推进, 驱使", + "ENG": "to move, drive, or push something forward" + }, + "gulp": { + "CHS": "吞, 一口吞(下), 忍住, 抑制", + "ENG": "to swallow large quantities of food or drink quickly" + }, + "consign": { + "CHS": "托运, 委托", + "ENG": "to send something somewhere, especially in order to sell it" + }, + "doff": { + "CHS": "脱, 废除, 丢弃", + "ENG": "to remove the hat you are wearing as a sign of respect" + }, + "flex": { + "CHS": "弯曲(四肢), 伸缩, 折曲vi折曲, 弯曲", + "ENG": "If you flex your muscles or parts of your body, you bend, move, or stretch them for a short time in order to exercise them" + }, + "consummate": { + "CHS": "完成, 使达到极点", + "ENG": "to make something complete, especially an agreement" + }, + "disserve": { + "CHS": "危害", + "ENG": "to do a disservice to " + }, + "lave": { + "CHS": "为沐浴, 洗" + }, + "transgress": { + "CHS": "违反, 犯罪, 侵犯", + "ENG": "to do something that is against the rules of social behaviour or against a moral principle" + }, + "beleaguer": { + "CHS": "围, 围攻" + }, + "besiege": { + "CHS": "围困, 围攻, 包围", + "ENG": "to surround a city or castle with military force until the people inside let you take control" + }, + "circumvent": { + "CHS": "围绕, 包围, 智取" + }, + "begird": { + "CHS": "围绕, 缚, 以带子缠绕", + "ENG": "to surround; gird around " + }, + "safeguard": { + "CHS": "维护, 保护, 捍卫", + "ENG": "to protect something from harm or damage" + }, + "vindicate": { + "CHS": "维护, 辩护, 表白" + }, + "misconstrue": { + "CHS": "误解, 曲解", + "ENG": "to misunderstand something that someone has said or done" + }, + "inhale": { + "CHS": "吸入", + "ENG": "to breathe in air, smoke, or gas" + }, + "immolate": { + "CHS": "牺牲, 献出, 献祭" + }, + "gally": { + "CHS": "吓唬" + }, + "excogitate": { + "CHS": "想出, 研究出, 设计, 发明", + "ENG": "to devise, invent, or contrive " + }, + "obviate": { + "CHS": "消除, 排除(危险、障碍等), 回避, 预防, 避免", + "ENG": "to prevent or avoid a problem or the need to do something" + }, + "extirpate": { + "CHS": "消灭, 根除, 毁灭, [医]摘除(肿瘤等)", + "ENG": "to completely destroy something that is unpleasant or unwanted" + }, + "annihilate": { + "CHS": "消灭, 歼灭", + "ENG": "to destroy something or someone completely" + }, + "indite": { + "CHS": "写(文章,信等)创作, 赋诗, 创作", + "ENG": "to write " + }, + "divulge": { + "CHS": "泄露, 暴露", + "ENG": "to give someone information that should be secret" + }, + "discharge": { + "CHS": "卸下, 放出, 清偿(债务), 履行(义务), 解雇, 开(炮), 放(枪), 射(箭)", + "ENG": "to send out gas, liquid, smoke etc, or to allow it to escape" + }, + "desecrate": { + "CHS": "亵渎, 污辱, 把(神物)供俗用", + "ENG": "to spoil or damage something holy or respected" + }, + "emend": { + "CHS": "修订, 校勘", + "ENG": "to remove the mistakes from something that has been written" + }, + "lop": { + "CHS": "修剪, 砍伐, 斩" + }, + "recondition": { + "CHS": "修理, 使复原, 使正常", + "ENG": "to repair something, especially an old machine, so that it works like a new one" + }, + "fumigate": { + "CHS": "熏制, 使发香" + }, + "domesticate": { + "CHS": "驯养, 使安于土地, 教化", + "ENG": "to make an animal able to work for people or live with them as a pet" + }, + "compress": { + "CHS": "压缩, 摘要叙述", + "ENG": "to press something or make it smaller so that it takes up less space, or to become smaller" + }, + "emasculate": { + "CHS": "阉割, 使柔弱, 删削, 使无力", + "ENG": "to make someone or something weaker or less effective" + }, + "overwhelm": { + "CHS": "淹没, 覆没, 受打击, 制服, 压倒", + "ENG": "if water overwhelms an area of land, it covers it completely and suddenly" + }, + "retard": { + "CHS": "延迟, 使减速, 阻止, 妨碍, 阻碍", + "ENG": "to delay the development of something, or to make something happen more slowly than expected" + }, + "prolong": { + "CHS": "延长, 拖延", + "ENG": "to deliberately make something such as a feeling or an activity last longer" + }, + "chastise": { + "CHS": "严惩, 惩罚", + "ENG": "to physically punish someone" + }, + "berate": { + "CHS": "严厉指责, 申斥", + "ENG": "to speak angrily to someone because they have done something wrong" + }, + "extenuate": { + "CHS": "掩饰, 减轻, 使人原谅, 低估, <古>使稀薄" + }, + "loathe": { + "CHS": "厌恶, 憎恶", + "ENG": "to hate someone or something very much" + }, + "detest": { + "CHS": "厌恶, 憎恨", + "ENG": "to hate something or someone very much" + }, + "wag": { + "CHS": "摇摆, 摇动, 饶舌", + "ENG": "if a dog wags its tail, or if its tail wags, the dog moves its tail many times from one side to the other" + }, + "reclaim": { + "CHS": "要求归还, 收回, 开垦", + "ENG": "to get back an amount of money that you have paid" + }, + "outfox": { + "CHS": "以计取胜", + "ENG": "If you outfox someone, you defeat them in some way because you are more clever than they are" + }, + "heckle": { + "CHS": "以麻梳梳理, 激烈质问, 诘问, 集中质问" + }, + "cajole": { + "CHS": "以甜言蜜语哄骗, 勾引", + "ENG": "to gradually persuade someone to do something by being nice to them, or making promises to them" + }, + "controvert": { + "CHS": "议论, 辩论" + }, + "restrain": { + "CHS": "抑制, 制止", + "ENG": "to stop someone from doing something, often by using physical force" + }, + "encipher": { + "CHS": "译成密码", + "ENG": "to convert (a message, document, etc) from plain text into code or cipher; encode " + }, + "decipher": { + "CHS": "译解(密码等), 解释", + "ENG": "to find the meaning of something that is difficult to read or understand" + }, + "trigger": { + "CHS": "引发, 引起, 触发", + "ENG": "to make something happen very quickly, especially a series of events" + }, + "adduce": { + "CHS": "引证, 举出(例证、理由、证据)", + "ENG": "to give facts or reasons in order to prove that something is true" + }, + "ensconce": { + "CHS": "隐藏, 安置", + "ENG": "to establish or settle firmly or comfortably " + }, + "secrete": { + "CHS": "隐秘, 隐藏, 隐匿, [生理]分泌", + "ENG": "to hide something" + }, + "pasteurize": { + "CHS": "用巴氏法灭菌", + "ENG": "to subject (milk, beer, etc) to pasteurization " + }, + "engross": { + "CHS": "用大字体书写, 吸引, 占用, 使全神贯注, 独占", + "ENG": "if something engrosses you, it interests you so much that you do not notice anything else" + }, + "formulate": { + "CHS": "用公式表示, 明确地表达, 作简洁陈述" + }, + "wimple": { + "CHS": "用头巾遮, 使折叠" + }, + "spellbind": { + "CHS": "用妖术迷惑, 迷住", + "ENG": "to cause to be spellbound; entrance or enthral " + }, + "abduct": { + "CHS": "诱拐, 绑架", + "ENG": "to take someone away by force" + }, + "wheedle": { + "CHS": "诱骗, 哄骗, 骗得", + "ENG": "to persuade someone to do or give you something, for example by saying nice things to them that you do not mean – used to show disapproval" + }, + "beguile": { + "CHS": "诱骗, 诱惑", + "ENG": "If someone beguiles you into doing something, they trick you into doing it" + }, + "predestine": { + "CHS": "预定, 注定", + "ENG": "to foreordain; determine beforehand " + }, + "anticipate": { + "CHS": "预期, 期望, 过早使用, 先人一着, 占先", + "ENG": "to expect that something will happen and be ready for it" + }, + "foreordain": { + "CHS": "预先, 注定, 预定命运", + "ENG": "to determine (events, results, etc) in the future " + }, + "predigest": { + "CHS": "预先消化, 简化", + "ENG": "to treat (food) artificially to aid subsequent digestion in the body " + }, + "refurbish": { + "CHS": "再磨光, 刷新", + "ENG": "To refurbish a building or room means to clean it and decorate it and make it more attractive or better equipped" + }, + "aggrandize": { + "CHS": "增加, 夸大", + "ENG": "To aggrandize someone means to make them seem richer, more powerful, and more important than they really are. To aggrandize a building means to make it more impressive. " + }, + "abhor": { + "CHS": "憎恶, 痛恨", + "ENG": "to hate a kind of behaviour or way of thinking, especially because you think it is morally wrong" + }, + "decollate": { + "CHS": "斩首, 杀头" + }, + "unfurl": { + "CHS": "展开, 展示, 公开, 使旗招展", + "ENG": "if a flag, sail etc unfurls, or if someone unfurls it, it unrolls and opens" + }, + "convoke": { + "CHS": "召集", + "ENG": "to tell people that they must come together for a formal meeting" + }, + "defilade": { + "CHS": "遮蔽", + "ENG": "to provide protection for by defilade " + }, + "hoodwink": { + "CHS": "遮眼, 欺骗, 蒙蔽", + "ENG": "to trick someone in a clever way so that you can get an advantage for yourself" + }, + "convulse": { + "CHS": "震动, 震撼, 使抽筋", + "ENG": "if your body or a part of it convulses, it moves violently and you are not able to control it" + }, + "vanquish": { + "CHS": "征服, 击败, 克服", + "ENG": "to defeat someone or something completely" + }, + "asseverate": { + "CHS": "郑重声言, 断言", + "ENG": "to assert or declare emphatically or solemnly " + }, + "sustain": { + "CHS": "支撑, 撑住, 维持, 持续", + "ENG": "to make something continue to exist or happen for a period of time" + }, + "uphold": { + "CHS": "支持, 赞成", + "ENG": "to defend or support a law, system, or principle so that it continues to exist" + }, + "defray": { + "CHS": "支付, 支出", + "ENG": "to give someone back the money that they have spent on something" + }, + "enact": { + "CHS": "制定法律, 颁布, 扮演", + "ENG": "to act in a play, story etc" + }, + "override": { + "CHS": "制服, 践踏, 奔越过, 蹂躏, 不顾, 不考虑(某人的意见,决定,愿望等)", + "ENG": "to use your power or authority to change someone else’s decision" + }, + "fabricate": { + "CHS": "制作, 构成, 捏造, 伪造, 虚构", + "ENG": "to invent a story, piece of information etc in order to deceive someone" + }, + "shelve": { + "CHS": "置于架子上, 缓议, 搁置, 解雇", + "ENG": "to decide not to continue with a plan, idea etc, although you might continue with it at a later time" + }, + "calumniate": { + "CHS": "中伤, 诽谤", + "ENG": "to slander " + }, + "intercept": { + "CHS": "中途阻止, 截取", + "ENG": "If you intercept someone or something that is travelling from one place to another, you stop them before they get to their destination" + }, + "remodel": { + "CHS": "重新塑造, 改造, 改变", + "ENG": "to change the shape, structure, or appearance of something, especially a building" + }, + "eject": { + "CHS": "逐出, 撵出, 驱逐, 喷射", + "ENG": "to make someone leave a place or building by using force" + }, + "expatriate": { + "CHS": "逐出国外, 脱离国籍, 放逐" + }, + "ordain": { + "CHS": "注定, 规定, 任命(牧师)", + "ENG": "to order that something should happen" + }, + "transfuse": { + "CHS": "注入, 灌输, [医]输血" + }, + "bless": { + "CHS": "祝福, 保佑, <口>哎呀!我的天哪!", + "ENG": "if God blesses someone or something, he helps and protects them" + }, + "felicitate": { + "CHS": "祝贺, 庆祝, 庆贺, 把某人看作有福, 庆幸", + "ENG": "to wish joy to; congratulate " + }, + "encapsulate": { + "CHS": "装入胶囊, 压缩", + "ENG": "to express or show something in a short way" + }, + "overreach": { + "CHS": "走过头" + }, + "charter": { + "CHS": "租, 包(船、车等)", + "ENG": "to pay a company for the use of their aircraft, boat etc" + }, + "checkmate": { + "CHS": "阻止并败, (象棋)将死" + }, + "forgo": { + "CHS": "作罢, 放弃", + "ENG": "to not do or have something pleasant or enjoyable" + } +} \ No newline at end of file diff --git a/modules/self_contained/wordle/words/IELTS.json b/modules/self_contained/wordle/words/IELTS.json new file mode 100644 index 00000000..6e378bf1 --- /dev/null +++ b/modules/self_contained/wordle/words/IELTS.json @@ -0,0 +1,13422 @@ +{ + "sensible": { + "CHS": "可感觉的;明智的", + "ENG": "reasonable, practical, and showing good judgment" + }, + "sign": { + "CHS": "签名", + "ENG": "to write your signature on something to show that you wrote it, agree with it, or were present" + }, + "as": { + "CHS": "与...形成对照" + }, + "explicit": { + "CHS": "清楚的,明确的", + "ENG": "expressed in a way that is very clear and direct" + }, + "wreck": { + "CHS": "破坏,船舶失事;失事船只", + "ENG": "a ship that has sunk" + }, + "ravage": { + "CHS": "毁坏,蹂躏;抢劫,掠夺", + "ENG": "to damage something very badly" + }, + "wreathe": { + "CHS": "覆盖,包围", + "ENG": "If something is wreathed in smoke or mist, it is surrounded by it" + }, + "impede": { + "CHS": "妨碍;阻碍", + "ENG": "to make it difficult for someone or something to move forward or make progress" + }, + "thesis": { + "CHS": "(学位)论文", + "ENG": "a long piece of writing about a particular subject that you do as part of an advanced university degree such as an MA or a PhD" + }, + "precedent": { + "CHS": "先例,前例", + "ENG": "an action or official decision that can be used to give support to later actions or decisions" + }, + "lofty": { + "CHS": "极高的,高尚的,高傲的", + "ENG": "lofty mountains, buildings etc are very high and impressive" + }, + "fridge": { + "CHS": "冰箱", + "ENG": "a large piece of electrical kitchen equipment, used for keeping food and drinks cool" + }, + "immune": { + "CHS": "免除的;安全的,不受影响的", + "ENG": "not affected by something that happens or is done" + }, + "scratch": { + "CHS": "抓痕,擦伤", + "ENG": "a small cut on someone’s skin" + }, + "circulate": { + "CHS": "循环,流通", + "ENG": "to move around within a system, or to make something do this" + }, + "nitrogen": { + "CHS": "[化]氮", + "ENG": "a gas that has no colour or smell, and that forms most of the Earth’s air. It is a chemical element: symbol N" + }, + "alone": { + "CHS": "孤独的(地)" + }, + "sieve": { + "CHS": "(细)筛,过滤网", + "ENG": "A sieve is a tool used for separating solids from liquids or larger pieces of something from smaller pieces. It consists of a metal or plastic ring with a wire or plastic net underneath, which the liquid or smaller pieces pass through. " + }, + "spiral": { + "CHS": "螺旋形的", + "ENG": "Spiral is also an adjective" + }, + "mercenary": { + "CHS": "唯利是图的,为钱的", + "ENG": "only interested in the money you may be able to get from a person, job etc" + }, + "mechanism": { + "CHS": "机械装置;机构;机制", + "ENG": "part of a machine or a set of parts that does a particular job" + }, + "integrate": { + "CHS": "使一体化,取消种族隔离", + "ENG": "to end the practice of separating people of different races in schools, colleges etc" + }, + "earnest": { + "CHS": "认真的,坚决的", + "ENG": "very serious and sincere" + }, + "adolescence": { + "CHS": "青春,青春期", + "ENG": "the time, usually between the ages of 12 and 18, when a young person is developing into an adult" + }, + "grave": { + "CHS": "墓", + "ENG": "the place in the ground where a dead body is buried" + }, + "intrigue": { + "CHS": "阴谋", + "ENG": "the making of secret plans to harm someone or make them lose their position of power, or a plan of this kind" + }, + "claim": { + "CHS": "宣称", + "ENG": "to state that something is true, even though it has not been proved" + }, + "opt": { + "CHS": "挑选,选择", + "ENG": "to choose one thing or do one thing instead of another" + }, + "stipulate": { + "CHS": "规定,约定", + "ENG": "if an agreement, law, or rule stipulates something, it must be done" + }, + "eradicate": { + "CHS": "根除;消除", + "ENG": "to completely get rid of something such as a disease or a social problem" + }, + "delirium": { + "CHS": "神智昏迷,说胡话;极度兴奋", + "ENG": "extreme excitement" + }, + "pole": { + "CHS": "极", + "ENG": "the most northern or most southern point on a planet , especially the Earth" + }, + "herd": { + "CHS": "把赶到一起", + "ENG": "If you herd animals, you make them move along as a group" + }, + "stitch": { + "CHS": "缝纫;缝线;(肋部)突然剧痛", + "ENG": "a short piece of thread that has been sewn into a piece of cloth, or the action of the thread going into and out of the cloth" + }, + "slag": { + "CHS": "矿渣,炉渣,熔渣", + "ENG": "a waste material similar to glass, which remains after metal has been obtained from rock" + }, + "consolidate": { + "CHS": "合为一体" + }, + "civic": { + "CHS": "城市的;市民的", + "ENG": "relating to a town or city" + }, + "clash": { + "CHS": "金属碰撞声;互碰;时间冲突;抵触", + "ENG": "if two armies, groups etc clash, they start fighting – used in news reports" + }, + "distract": { + "CHS": "分散(注意力等)", + "ENG": "to take someone’s attention away from something by making them look at or listen to something else" + }, + "strap": { + "CHS": "用带束住;捆扎", + "ENG": "to fasten something or someone in place with one or more straps" + }, + "format": { + "CHS": "格式,版式;形式,方式", + "ENG": "the way in which something such as a television show or meeting is organized or arranged" + }, + "company": { + "CHS": "伴随;人群;同伴;公司", + "ENG": "a business organization that makes or sells goods or services" + }, + "trench": { + "CHS": "地沟", + "ENG": "a long narrow hole dug into the surface of the ground" + }, + "vain": { + "CHS": "徒劳的,无效果的;自负的;不尊敬的", + "ENG": "someone who is vain is too proud of their good looks, abilities, or position – used to show disapproval" + }, + "exempt": { + "CHS": "免除,被豁免的" + }, + "mask": { + "CHS": "遮蔽,伪装", + "ENG": "If one thing masks another, it prevents people from noticing or recognizing the other thing" + }, + "dwell": { + "CHS": "居住;详述", + "ENG": "to live in a particular place" + }, + "misgiving": { + "CHS": "怀疑,疑虑", + "ENG": "a feeling of doubt or fear about what might happen or about whether something is right" + }, + "vex": { + "CHS": "使烦恼,使苦恼", + "ENG": "to make someone feel annoyed or worried" + }, + "fare": { + "CHS": "车(船)费", + "ENG": "a passenger in a taxi" + }, + "external": { + "CHS": "外面的,外部的", + "ENG": "relating to the outside of something or of a person’s body" + }, + "sue": { + "CHS": "控诉,控告;请求", + "ENG": "to make a legal claim against someone, especially for money, because they have harmed you in some way" + }, + "haphazard": { + "CHS": "杂乱的(地),任意的(地)" + }, + "allot": { + "CHS": "部分;小块菜地" + }, + "psychiatry": { + "CHS": "精神病学", + "ENG": "the study and treatment of mental illnesses" + }, + "out": { + "CHS": "不一致" + }, + "posture": { + "CHS": "姿势,姿态;态度", + "ENG": "the way you position your body when sitting or standing" + }, + "recycle": { + "CHS": "使再循环;回收利用", + "ENG": "to put used objects or materials through a special process so that they can be used again" + }, + "expose": { + "CHS": "揭发, 使暴露,使曝光\"", + "ENG": "to show the truth about someone or something, especially when it is bad" + }, + "perception": { + "CHS": "感觉;知觉", + "ENG": "Perception is the recognition of things using your senses, especially the sense of sight" + }, + "paranoia": { + "CHS": "偏执狂;妄想狂", + "ENG": "a mental illness that makes someone believe that they are very important and that people hate them and are trying to harm them" + }, + "alongside": { + "CHS": "在旁,靠近" + }, + "canteen": { + "CHS": "食堂;小卖部;餐具箱;水壶", + "ENG": "a place in a factory, school etc where meals are provided, usually quite cheaply" + }, + "supreme": { + "CHS": "最高的;最大的,最重要的", + "ENG": "having the highest position of power, importance, or influence" + }, + "reasonable": { + "CHS": "明智的;合理的;公平的", + "ENG": "fair and sensible" + }, + "naught": { + "CHS": "=naught无,零" + }, + "unfold": { + "CHS": "展开,打开", + "ENG": "if you unfold something that was folded, or if it unfolds, it opens out" + }, + "cushion": { + "CHS": "装垫子;缓冲", + "ENG": "to make the effect of a fall or hit less painful, for example by having something soft in the way" + }, + "mimic": { + "CHS": "假装的,模仿的,草拟的" + }, + "vicinity": { + "CHS": "邻近,附近", + "ENG": "in the area around a particular place" + }, + "toss": { + "CHS": "扔,掷;摇摆", + "ENG": "to throw something, especially something light, with a quick gentle movement of your hand" + }, + "refine": { + "CHS": "精炼,提纯;使文雅", + "ENG": "to make a substance purer using an industrial process" + }, + "shred": { + "CHS": "撕碎", + "ENG": "to cut or tear something into small thin pieces" + }, + "disperse": { + "CHS": "(使)散开,使疏开,使分散", + "ENG": "if a group of people disperse or are dispersed, they go away in different directions" + }, + "edition": { + "CHS": "版本,版次", + "ENG": "the form that a book, newspaper, magazine etc is produced in" + }, + "fetter": { + "CHS": "脚镣; 束缚", + "ENG": "to restrict someone’s freedom and prevent them from doing what they want" + }, + "renaissance": { + "CHS": "文艺复兴;复兴,勃发", + "ENG": "a new interest in something, especially a particular form of art, music etc, that has not been popular for a long period" + }, + "proceeding": { + "CHS": "程序,进程;活动,诉讼", + "ENG": "when someone uses a court of law to deal with a legal case" + }, + "abridge": { + "CHS": "(书等)删节", + "ENG": "to reduce the length of (a written work) by condensing or rewriting " + }, + "dome": { + "CHS": "圆屋顶", + "ENG": "a round roof on a building" + }, + "reckon": { + "CHS": "计算", + "ENG": "to guess a number or amount, without calculating it exactly" + }, + "rarely": { + "CHS": "非常地,难得" + }, + "rural": { + "CHS": "农村的", + "ENG": "happening in or relating to the countryside, not the city" + }, + "imitation": { + "CHS": "模仿,仿造,仿制品,人造", + "ENG": "when you copy someone else’s actions" + }, + "steward": { + "CHS": "乘务员,服务员,组织者", + "ENG": "a man whose job is to serve food and drinks to passengers on a plane or ship" + }, + "abound": { + "CHS": "多;富于" + }, + "colonial": { + "CHS": "殖民地居民", + "ENG": "someone who lives in a colony but who is a citizen of the country that rules the colony" + }, + "immense": { + "CHS": "广大的,巨大的", + "ENG": "extremely large" + }, + "placard": { + "CHS": "招贴,布告", + "ENG": "a large notice or advertisement on a piece of card, which is put up or carried in a public place" + }, + "client": { + "CHS": "律师等的当事人,委托人;商店的顾客", + "ENG": "someone who gets services or advice from a professional person, company, or organization" + }, + "flavour": { + "CHS": "味,风味,调味,特点", + "ENG": "the particular taste of a food or drink" + }, + "exchange": { + "CHS": "交换;兑换", + "ENG": "the act of giving someone something and receiving something else from them" + }, + "pamphlet": { + "CHS": "小册子", + "ENG": "a very thin book with paper covers, that gives information about something" + }, + "module": { + "CHS": "量度单位;建筑用的标准部件", + "ENG": "one of the separate units that a course of study has been divided into. Usually students choose a number of modules to study" + }, + "gentle": { + "CHS": "文雅的;有礼貌的" + }, + "annoy": { + "CHS": "使烦恼,使生气", + "ENG": "to make someone feel slightly angry and unhappy about something" + }, + "luminous": { + "CHS": "发光的;发亮的", + "ENG": "shining in the dark" + }, + "exclaim": { + "CHS": "呼叫,惊叫", + "ENG": "to say something suddenly and loudly because you are surprised, angry, or excited" + }, + "pertinent": { + "CHS": "贴切的,中肯的" + }, + "certify": { + "CHS": "(发给证书)证明", + "ENG": "to state that something is correct or true, especially after some kind of test" + }, + "revenue": { + "CHS": "(国家的)年收入;税收", + "ENG": "money that a business or organization receives over a period of time, especially from selling goods or services" + }, + "insurance": { + "CHS": "保险", + "ENG": "an arrangement with a company in which you pay them money, especially regularly, and they pay the costs if something bad happens, for example if you become ill or your car is damaged" + }, + "authority": { + "CHS": "威信;当局;权威;权力", + "ENG": "the power you have because of your official position" + }, + "endorse": { + "CHS": "背书,签署(姓名),赞同", + "ENG": "to express formal support or approval for someone or something" + }, + "wrap": { + "CHS": "包裹", + "ENG": "to put paper or cloth over something to cover it" + }, + "lenient": { + "CHS": "宽大的,宽厚的", + "ENG": "not strict in the way you punish someone or in the standard you expect" + }, + "pompous": { + "CHS": "自负的,夸大的", + "ENG": "someone who is pompous thinks that they are important, and shows this by being very formal and using long words – used to show disapproval" + }, + "decorate": { + "CHS": "装饰;油漆;授勋", + "ENG": "to make something look more attractive by putting something pretty on it" + }, + "infinite": { + "CHS": "无限的,无穷的", + "ENG": "without limits in space or time" + }, + "perplex": { + "CHS": "迷惑,困惑", + "ENG": "if something perplexes you, it makes you feel confused and worried because it is difficult to understand" + }, + "snatch": { + "CHS": "抢夺,迅速获得", + "ENG": "If you snatch something or snatch at something, you take it or pull it away quickly" + }, + "sweep": { + "CHS": "扫除;掠过;连绵", + "ENG": "if winds, waves, fire etc sweep a place or sweep through, across etc a place, they move quickly and with a lot of force" + }, + "odor": { + "CHS": "气味,香气;臭气" + }, + "rip": { + "CHS": "撕裂,撕开;扯破", + "ENG": "to tear something or be torn quickly and violently" + }, + "livestock": { + "CHS": "家畜,牲畜", + "ENG": "animals such as cows and sheep that are kept on a farm" + }, + "unlikely": { + "CHS": "未必的,不大可能的", + "ENG": "not likely to happen" + }, + "signature": { + "CHS": "签名", + "ENG": "your name written in the way you usually write it, for example at the end of a letter, or on a cheque etc, to show that you have written it" + }, + "grieve": { + "CHS": "(使)悲痛,(使)伤心", + "ENG": "to feel extremely sad, especially because someone you love has died" + }, + "dizzy": { + "CHS": "使人头晕的,眩晕的", + "ENG": "feeling unable to stand steadily, for example because you are looking down from a high place or because you are ill" + }, + "ancestor": { + "CHS": "祖先", + "ENG": "a member of your family who lived a long time ago" + }, + "vanish": { + "CHS": "消失", + "ENG": "to disappear suddenly, especially in a way that cannot be easily explained" + }, + "gallery": { + "CHS": "画廊,美术品陈列室;剧场顶层", + "ENG": "a large building where people can see famous pieces of art" + }, + "manual": { + "CHS": "手册;便览", + "ENG": "a book that gives instructions about how to do something, especially how to use a machine" + }, + "whereas": { + "CHS": "鉴于;反之", + "ENG": "used at the beginning of an official document to mean ‘because of a particular fact’" + }, + "glare": { + "CHS": "眩目地照射,闪耀,瞪视", + "ENG": "to look angrily at someone for a long time" + }, + "fret": { + "CHS": "烦恼,侵蚀", + "ENG": "to worry about something, especially when there is no need" + }, + "admission": { + "CHS": "准入,接纳,承认", + "ENG": "a statement in which you admit that something is true or that you have done something wrong" + }, + "criminal": { + "CHS": "犯罪的,刑事上的", + "ENG": "relating to crime" + }, + "drastic": { + "CHS": "激烈的,猛烈的", + "ENG": "extreme and sudden" + }, + "lucid": { + "CHS": "清楚的,易懂的,神智清醒的", + "ENG": "expressed in a way that is clear and easy to understand" + }, + "simultaneous": { + "CHS": "同时发生的", + "ENG": "things that are simultaneous happen at exactly the same time" + }, + "static": { + "CHS": "静电干扰", + "ENG": "noise caused by electricity in the air that blocks or spoils the sound from radio or TV" + }, + "redundant": { + "CHS": "多余的,过剩的", + "ENG": "not necessary because something else means or does the same thing" + }, + "be": { + "CHS": "有争执" + }, + "elite": { + "CHS": "社会精华(的),高贵者(的)", + "ENG": "You can refer to the most powerful, rich, or talented people within a particular group, place, or society as the elite" + }, + "economic": { + "CHS": "经济的;经济学的,便宜的", + "ENG": "relating to trade, in-dustry, and the management of money" + }, + "destine": { + "CHS": "命中注定;预定" + }, + "janitor": { + "CHS": "看门人,管门人", + "ENG": "someone whose job is to look after a school or other large building" + }, + "thermometer": { + "CHS": "温度计", + "ENG": "a piece of equipment that measures the temperature of the air, of your body etc" + }, + "advertise": { + "CHS": "做广告", + "ENG": "to tell the public about a product or service in order to persuade them to buy it" + }, + "commence": { + "CHS": "开始", + "ENG": "to begin or to start something" + }, + "project": { + "CHS": "设计;投影;抛", + "ENG": "If you project a film or picture onto a screen or wall, you make it appear there" + }, + "retail": { + "CHS": "零售,零卖", + "ENG": "the sale of goods in shops to customers, for their own use and not for selling to anyone else" + }, + "rear": { + "CHS": "培植,饲养", + "ENG": "to look after a person or animal until they are fully grown" + }, + "vital": { + "CHS": "生命的;必需的;极期重要的", + "ENG": "extremely important and necessary for something to succeed or exist" + }, + "mission": { + "CHS": "代表团;使命", + "ENG": "an important job that involves travelling somewhere, done by a member of the air force, army etc, or by a spacecraft" + }, + "paralyse": { + "CHS": "使麻痹,使瘫痪", + "ENG": "if something paralyses you, it makes you lose the ability to move part or all of your body, or to feel it" + }, + "massive": { + "CHS": "巨大的", + "ENG": "very large, solid, and heavy" + }, + "glacier": { + "CHS": "冰河,冰川", + "ENG": "a large mass of ice which moves slowly down a mountain valley" + }, + "oxide": { + "CHS": "[化]氧化物2003-2-23 16:18:00举报帖子", + "ENG": "a substance which is produced when a substance is combined with oxygen" + }, + "occur": { + "CHS": "发生;想起,想到;存在", + "ENG": "to happen" + }, + "carry": { + "CHS": "传送,运送;带有;支持;赞同", + "ENG": "to take people or things from one place to another in a vehicle, ship, or plane" + }, + "loan": { + "CHS": "借" + }, + "overlook": { + "CHS": "俯视;忽略;宽恕", + "ENG": "to not notice something, or not see how important it is" + }, + "periscope": { + "CHS": "潜望镜", + "ENG": "a long tube with mirrors fitted in it, used to look over the top of something, especially to see out of a submarine " + }, + "typical": { + "CHS": "典型的", + "ENG": "having the usual features or qualities of a particular group or thing" + }, + "priority": { + "CHS": "优先权", + "ENG": "before other people or things" + }, + "weave": { + "CHS": "织,编;编排;迂回", + "ENG": "to make cloth, a carpet, a basket etc by crossing threads or thin pieces under and over each other by hand or on a loom" + }, + "overt": { + "CHS": "公开的,明显的,公然的", + "ENG": "overt actions are done publicly, without trying to hide anything" + }, + "flank": { + "CHS": "胁,侧翼,包抄的侧翼", + "ENG": "the side of an animal’s or person’s body, between the ribs and the hip " + }, + "overcome": { + "CHS": "克服;压倒", + "ENG": "to successfully control a feeling or problem that prevents you from achieving something" + }, + "alter": { + "CHS": "改变,改做", + "ENG": "to change, or to make someone or something change" + }, + "interval": { + "CHS": "间隔的时间,间隔;间歇", + "ENG": "the period of time between two events, activities etc" + }, + "sheer": { + "CHS": "全然的,绝对的", + "ENG": "A sheer cliff or drop is extremely steep or completely vertical" + }, + "slight": { + "CHS": "轻视,怠慢", + "ENG": "to offend someone by treating them rudely or without respect" + }, + "simulate": { + "CHS": "假装;模拟", + "ENG": "to make or produce something that is not real but has the appearance or feeling of being real" + }, + "convenience": { + "CHS": "便利,方便的设施", + "ENG": "the quality of being suitable or useful for a particular purpose, especially by making something easier or saving you time" + }, + "electronic": { + "CHS": "电子的,用电子操纵的", + "ENG": "electronic equipment, such as computers and televisions, uses electricity that has passed through computer chips, transistors etc" + }, + "verbal": { + "CHS": "言语的,字句的;口头的", + "ENG": "spoken rather than written" + }, + "mildew": { + "CHS": "霉,发霉", + "ENG": "a white or grey substance that grows on walls or other surfaces in wet, slightly warm conditions" + }, + "disposition": { + "CHS": "性情,气质;布置;配置", + "ENG": "a particular type of character which makes someone likely to behave or react in a certain way" + }, + "marvel": { + "CHS": "令人惊奇的事;创造奇迹", + "ENG": "You can describe something or someone as a marvel to indicate that you think that they are wonderful" + }, + "freight": { + "CHS": "运输", + "ENG": "to send goods by air, sea, or train" + }, + "tease": { + "CHS": "取笑,嘲笑;戏弄", + "ENG": "to laugh at someone and make jokes in order to have fun by embarrassing them, either in a friendly way or in an unkind way" + }, + "intermittent": { + "CHS": "间歇的,断断续续的", + "ENG": "stopping and starting often and for short periods" + }, + "tame": { + "CHS": "驯服了的;(人)顺从的,听话的", + "ENG": "used to describe a person who is willing to do what other people ask, even if it is slightly dishonest" + }, + "sluggish": { + "CHS": "不活泼的,呆滞的" + }, + "fulfil": { + "CHS": "完成,履行", + "ENG": "to do or provide what is necessary or needed" + }, + "compass": { + "CHS": "指南针;圆规;界限", + "ENG": "an instrument that shows directions and has a needle that always points north" + }, + "paternity": { + "CHS": "父系,父系后裔" + }, + "ferocious": { + "CHS": "凶猛的,凶残的", + "ENG": "violent, dangerous, and frightening" + }, + "intense": { + "CHS": "强烈的,剧烈的,热情的", + "ENG": "having a very strong effect or felt very strongly" + }, + "humidity": { + "CHS": "湿气,空气湿度", + "ENG": "the amount of water contained in the air" + }, + "elaborate": { + "CHS": "做详细说明", + "ENG": "to give more details or new information about something" + }, + "underlying": { + "CHS": "含蓄的,潜在的;在下面的", + "ENG": "The underlying features of an object, event, or situation are not obvious, and it may be difficult to discover or reveal them" + }, + "endow": { + "CHS": "捐款,资助", + "ENG": "to give a college, hospital etc a large sum of money that provides it with an income" + }, + "anticipate": { + "CHS": "占先,预先处理;预料", + "ENG": "to expect that something will happen and be ready for it" + }, + "offshore": { + "CHS": "离岸的(地);近海的(地)" + }, + "detriment": { + "CHS": "损害,损伤", + "ENG": "harm or damage" + }, + "nourishment": { + "CHS": "食物", + "ENG": "something that helps a feeling, idea, or belief to grow stronger" + }, + "lick": { + "CHS": "舔;(火焰)卷过;(波浪)轻拍", + "ENG": "to move your tongue across the surface of something in order to eat it, wet it, clean it etc" + }, + "marsh": { + "CHS": "沼泽,湿地", + "ENG": "an area of low flat ground that is always wet and soft" + }, + "perspire": { + "CHS": "出汗,流汗", + "ENG": "if you perspire, parts of your body become wet, especially because you are hot or have been doing hard work" + }, + "gauge": { + "CHS": "标准尺寸,(铁道)轨矩;雨量器;(电线)直径 \"", + "ENG": "the width of the barrel of a gun" + }, + "explode": { + "CHS": "(使)爆炸,爆发", + "ENG": "to burst, or to make something burst, into small pieces, usually with a loud noise and in a way that causes damage" + }, + "fringe": { + "CHS": "装上缘饰" + }, + "fascinating": { + "CHS": "迷人的", + "ENG": "extremely interesting" + }, + "uneasy": { + "CHS": "不自在的", + "ENG": "worried or slightly afraid because you think that something bad might happen" + }, + "expedition": { + "CHS": "远征,探险(队),考察(队)", + "ENG": "a long and carefully organized journey, especially to a dangerous or unfamiliar place, or the people that make this journey" + }, + "organism": { + "CHS": "生物;有机体;有机的组织", + "ENG": "an animal, plant, human, or any other living thing" + }, + "swallow": { + "CHS": "吞,咽", + "ENG": "to make food or drink go down your throat and towards your stomach" + }, + "spare": { + "CHS": "备用件", + "ENG": "an additional thing, for example a key, that you keep so that it is available" + }, + "means": { + "CHS": "方法,手段,金钱,财富", + "ENG": "a way of doing or achieving something" + }, + "proportion": { + "CHS": "比率,比例;大小,容积", + "ENG": "The proportion of one kind of person or thing in a group is the number of people or things of that kind compared to the total number of people or things in the group" + }, + "microfilm": { + "CHS": "微缩胶片", + "ENG": "a type of film on which pictures and writing can be made very small, so that large amounts can be stored easily" + }, + "obscene": { + "CHS": "(文学,图画)猥亵的,淫秽的", + "ENG": "relating to sex in a way that is shocking and offensive" + }, + "meek": { + "CHS": "温顺的,谦逊的", + "ENG": "very quiet and gentle and unwilling to argue with people" + }, + "herb": { + "CHS": "草本植物;药草", + "ENG": "a small plant that is used to improve the taste of food, or to make medicine" + }, + "mansion": { + "CHS": "大厦,官邸", + "ENG": "a very large house" + }, + "minute": { + "CHS": "微小的,细致的", + "ENG": "extremely small" + }, + "outcry": { + "CHS": "公开反对" + }, + "preface": { + "CHS": "序言;为加序", + "ENG": "an introduction at the beginning of a book or speech" + }, + "sediment": { + "CHS": "沉积物,沉淀", + "ENG": "solid substances that settle at the bottom of a liquid" + }, + "resign": { + "CHS": "放弃;辞去", + "ENG": "to officially announce that you have decided to leave your job or an organization" + }, + "torch": { + "CHS": "火把;手电筒", + "ENG": "a small electric lamp that you carry in your hand" + }, + "deteriorate": { + "CHS": "恶化,败坏", + "ENG": "to become worse" + }, + "degenerate": { + "CHS": "堕落(的),颓废(的)", + "ENG": "someone whose behaviour is considered to be morally unacceptable" + }, + "characterize": { + "CHS": "表示的特征" + }, + "parade": { + "CHS": "阅兵整队;列队行进,游行;夸耀;炫示", + "ENG": "to walk or march together to celebrate or protest about something" + }, + "let": { + "CHS": "允许,让,出租", + "ENG": "to allow someone to do something" + }, + "swing": { + "CHS": "摆动,摇动;旋转,转向", + "ENG": "to make regular movements forwards and backwards or from one side to another while hanging from a particular point, or to make something do this" + }, + "incongruous": { + "CHS": "不适宜的", + "ENG": "strange, unexpected, or unsuitable in a particular situation" + }, + "inventory": { + "CHS": "详细目录,存货清单;存货盘存", + "ENG": "a list of all the things in a place" + }, + "choir": { + "CHS": "(教会的)歌唱队,唱诗班", + "ENG": "a group of people who sing together for other people to listen to" + }, + "hatch": { + "CHS": "孵出,策划", + "ENG": "if an egg hatches, or if it is hatched, it breaks, letting the young bird, insect etc come out" + }, + "demonstrate": { + "CHS": "论证,证明;示威", + "ENG": "to show or prove something clearly" + }, + "conversion": { + "CHS": "变换,转化,改变;兑换", + "ENG": "when you change something from one form, purpose, or system to a different one" + }, + "dearth": { + "CHS": "缺乏,供应不足", + "ENG": "a situation in which there are very few of something that people want or need" + }, + "profane": { + "CHS": "亵渎,玷污", + "ENG": "to treat something holy with a lack of respect" + }, + "cluster": { + "CHS": "群集;丛生" + }, + "revolt": { + "CHS": "反抗;厌恶", + "ENG": "a refusal to accept someone’s authority or obey rules or laws" + }, + "secular": { + "CHS": "现世的,世俗的;非宗教的", + "ENG": "not connected with or controlled by a church or other religious authority" + }, + "agenda": { + "CHS": "议事日程", + "ENG": "a list of problems or subjects that a government, organization etc is planning to deal with" + }, + "loop": { + "CHS": "绕成圈", + "ENG": "to make a loop or make something into a loop" + }, + "conscientious": { + "CHS": "认真的,诚心诚意的", + "ENG": "careful to do everything that it is your job or duty to do" + }, + "revenge": { + "CHS": "报复,报仇", + "ENG": "to punish someone who has done something to harm you or someone else" + }, + "friction": { + "CHS": "摩擦,不和,倾轧", + "ENG": "disagreement, angry feelings, or unfriendliness between people" + }, + "diversion": { + "CHS": "转向;水遣;改道", + "ENG": "a change in the direction or use of something, or the act of changing it" + }, + "check": { + "CHS": "检查,核对,控制", + "ENG": "to do something in order to find out whether something really is correct, true, or in good condition" + }, + "proceed": { + "CHS": "进行;着手", + "ENG": "to continue to do something that has already been planned or started" + }, + "chase": { + "CHS": "追逐,追赶", + "ENG": "to quickly follow someone or something in order to catch them" + }, + "plea": { + "CHS": "(法律)抗辩;请求,恳求,托词,口实", + "ENG": "a request that is urgent or full of emotion" + }, + "mobilize": { + "CHS": "动员", + "ENG": "to encourage people to support something in an active way" + }, + "yearn": { + "CHS": "想念,渴望", + "ENG": "to have a strong desire for something, especially something that is difficult or impossible to get" + }, + "personnel": { + "CHS": "职员,人员,人事", + "ENG": "the people who work in a company, organization, or military force" + }, + "vice": { + "CHS": "罪恶;不道德行为", + "ENG": "criminal activities that involve sex or drugs" + }, + "paddle": { + "CHS": "用桨划动", + "ENG": "to move a small light boat through water, using one or more paddles" + }, + "clutch": { + "CHS": "抓,控制;离合器,攫", + "ENG": "the pedal that you press with your foot when driving a vehicle in order to change gear , or the part of the vehicle that this controls" + }, + "pedestrian": { + "CHS": "行人(的)", + "ENG": "someone who is walking, especially along a street or other place used by cars" + }, + "graphic": { + "CHS": "图解的;书写的;生动的", + "ENG": "Graphic means concerned with drawing or pictures, especially in publishing, industry, or computing" + }, + "mercantile": { + "CHS": "商业的;贸易的", + "ENG": "concerned with trade" + }, + "console": { + "CHS": "安慰,慰问", + "ENG": "to make someone feel better when they are feeling sad or disappointed" + }, + "tremendous": { + "CHS": "巨大的,极大的;非常的,极好的", + "ENG": "very big, fast, powerful etc" + }, + "decrease": { + "CHS": "减少,减少,减少量", + "ENG": "to become less or go down to a lower level, or to make something do this" + }, + "performance": { + "CHS": "执行;成绩;演出", + "ENG": "when someone performs a play or a piece of music" + }, + "attempt": { + "CHS": "尝试,企图", + "ENG": "an act of trying to do something, especially something difficult" + }, + "naked": { + "CHS": "裸体的;无遮蔽的", + "ENG": "not wearing any clothes or not covered by clothes" + }, + "female": { + "CHS": "女性(的),[语]阴性(的)", + "ENG": "an animal that belongs to the sex that can have babies or produce eggs" + }, + "raid": { + "CHS": "袭击", + "ENG": "a short attack on a place by soldiers, planes, or ships, intended to cause damage but not take control" + }, + "miserable": { + "CHS": "悲惨的,使人难受的", + "ENG": "making you feel very unhappy, uncomfortable etc" + }, + "innocent": { + "CHS": "天真无邪的人", + "ENG": "An innocent is someone who is innocent" + }, + "stack": { + "CHS": "堆;大量;书库", + "ENG": "a neat pile of things" + }, + "humble": { + "CHS": "使卑下,贬抑" + }, + "shamble": { + "CHS": "蹒跚,拖沓", + "ENG": "to walk slowly and awkwardly, not lifting your feet much, for example because you are tired, weak, or lazy" + }, + "ribbon": { + "CHS": "缎带,丝带,带状物", + "ENG": "a narrow piece of attractive cloth that you use, for example, to tie your hair or hold things together" + }, + "tyrannical": { + "CHS": "暴君的,专制的", + "ENG": "behaving in a cruel and unfair way towards someone you have power over" + }, + "aerial": { + "CHS": "空气的;空中的 (无线电)天线", + "ENG": "in or moving through the air" + }, + "astronomy": { + "CHS": "天文学", + "ENG": "the scientific study of the stars and planet s " + }, + "segment": { + "CHS": "切片,部分;段,节", + "ENG": "a part of something that is different from or affected differently from the whole in some way" + }, + "downtown": { + "CHS": "在城市的商业区" + }, + "defraud": { + "CHS": "欺骗,欺诈", + "ENG": "to trick a person or organization in order to get money from them" + }, + "improvise": { + "CHS": "即席创作,临时凑成", + "ENG": "to do something without any preparation, because you are forced to do this by unexpected events" + }, + "oppress": { + "CHS": "压迫,压制;压抑", + "ENG": "to treat a group of people unfairly or cruelly, and prevent them from having the same rights that other people in society have" + }, + "flabby": { + "CHS": "(肌肉)不结实的;软弱的", + "ENG": "used to describe something that is weak or not effective" + }, + "essay": { + "CHS": "文章,小品文,随笔", + "ENG": "a short piece of writing giving someone’s ideas about politics, society etc" + }, + "racket": { + "CHS": "吵闹声;球拍", + "ENG": "a loud noise" + }, + "flaw": { + "CHS": "缺点,瑕疵", + "ENG": "a mistake, mark, or weakness that makes something imperfect" + }, + "nominate": { + "CHS": "提名", + "ENG": "to officially suggest someone or something for an important position, duty, or prize" + }, + "syllabus": { + "CHS": "教学大纲", + "ENG": "a plan that states exactly what students at a school or college should learn in a particular subject" + }, + "stiff": { + "CHS": "坚硬的;费劲的;不易弯的", + "ENG": "firm, hard, or difficult to bend" + }, + "toxic": { + "CHS": "有毒的,中毒的", + "ENG": "containing poison, or caused by poisonous substances" + }, + "rampant": { + "CHS": "(指植物)繁茂的;蔓生的;不能控制的", + "ENG": "a plant that is rampant grows and spreads quickly, in a way that is difficult to control" + }, + "propulsion": { + "CHS": "推进,推进力" + }, + "telling": { + "CHS": "有效的;有力的", + "ENG": "having a great or important effect" + }, + "throughout": { + "CHS": "遍及", + "ENG": "in every part of a particular area, place etc" + }, + "highlight": { + "CHS": "光线最强处,最突出部分", + "ENG": "the most important, interesting, or enjoyable part of something such as a holiday, performance, or sports competition" + }, + "devise": { + "CHS": "设计,想出", + "ENG": "to plan or invent a new way of doing something" + }, + "wield": { + "CHS": "使用,行使", + "ENG": "to have a lot of power or influence, and to use it" + }, + "enormous": { + "CHS": "巨大的,庞大的", + "ENG": "very big in size or in amount" + }, + "fade": { + "CHS": "(使)褪色,逐渐消失", + "ENG": "to gradually disappear" + }, + "exhilarate": { + "CHS": "使振奋,使高兴", + "ENG": "to make someone feel very excited and happy" + }, + "slum": { + "CHS": "平民窟; 陋巷" + }, + "peer": { + "CHS": "凝视", + "ENG": "to look very carefully at something, especially because you are having difficulty seeing it" + }, + "slogan": { + "CHS": "标语,口号", + "ENG": "a short phrase that is easy to remember and is used in advertisements, or by politicians, organizations etc" + }, + "transaction": { + "CHS": "办理,处理;执行;事务,事项,交易", + "ENG": "a business deal or action, such as buying or selling something" + }, + "incorporate": { + "CHS": "结合,合并,组成公司" + }, + "discard": { + "CHS": "抛弃,遗弃", + "ENG": "If you discard something, you get rid of it because you no longer want it or need it" + }, + "grope": { + "CHS": "暗中摸索", + "ENG": "to try to find something that you cannot see by feeling with your hands" + }, + "triple": { + "CHS": "增至三倍", + "ENG": "to increase by three times as much, or to make something do this" + }, + "variety": { + "CHS": "多样化;种;变种;综艺演出", + "ENG": "a lot of things of the same type that are different from each other in some way" + }, + "detrimental": { + "CHS": "有害的,不利的", + "ENG": "causing harm or damage" + }, + "hitherto": { + "CHS": "到目前为止,迄今", + "ENG": "up to this time" + }, + "indispensable": { + "CHS": "必不可少的,必需的", + "ENG": "someone or something that is indispensable is so important or useful that it is impossible to manage without them" + }, + "porcelain": { + "CHS": "瓷器", + "ENG": "a hard shiny white substance that is used for making expensive plates, cups etc" + }, + "mania": { + "CHS": "疯狂;躁狂症,狂热,癖好", + "ENG": "a strong desire for something or interest in something, especially one that affects a lot of people at the same time" + }, + "neurosis": { + "CHS": "神经官能病,精神性神经病", + "ENG": "a mental illness that makes someone unreasonably worried or frightened" + }, + "dot": { + "CHS": "加上小点,散布于,点缀", + "ENG": "to mark something by putting a dot on it or above it" + }, + "utterly": { + "CHS": "完全地,十足地", + "ENG": "completely – used especially to emphasize that something is very bad, or that a feeling is very strong" + }, + "evaporate": { + "CHS": "使蒸发,使脱水,消失", + "ENG": "if a liquid evaporates, or if heat evaporates it, it changes into a gas" + }, + "quest": { + "CHS": "寻找,追求", + "ENG": "a long search for something that is difficult to find" + }, + "coarse": { + "CHS": "粗(糙)的; 粗俗的", + "ENG": "having a rough surface that feels slightly hard" + }, + "resume": { + "CHS": "重新开始;继续;重新占用", + "ENG": "to start doing something again after stopping or being interrupted" + }, + "integrity": { + "CHS": "诚实,正直", + "ENG": "the quality of being honest and strong about what you believe to be right" + }, + "contention": { + "CHS": "竞争,斗争;争论", + "ENG": "argument and disagreement between people" + }, + "universal": { + "CHS": "全体的,普遍的;全球的", + "ENG": "involving everyone in the world or in a particular group" + }, + "opponent": { + "CHS": "对手,敌手,反对者", + "ENG": "someone who you try to defeat in a competition, game, fight, or argument" + }, + "solar": { + "CHS": "太阳的", + "ENG": "relating to the sun" + }, + "consist": { + "CHS": "组成; 存在", + "ENG": "Something that consists of particular things or people is formed from them" + }, + "reptile": { + "CHS": "爬行动物;爬虫", + "ENG": "a type of animal, such as a snake or lizard , whose body temperature changes according to the temperature around it, and that usually lays eggs to have babies" + }, + "headstrong": { + "CHS": "任性的;顽固的", + "ENG": "very determined to do what you want, even when other people advise you not to do it" + }, + "complicated": { + "CHS": "结构复杂的;困难的", + "ENG": "consisting of many closely connected parts" + }, + "deprive": { + "CHS": "剥夺,使丧失", + "ENG": "If you deprive someone of something that they want or need, you take it away from them, or you prevent them from having it" + }, + "helicopter": { + "CHS": "直升飞机", + "ENG": "a type of aircraft with large metal blades on top which turn around very quickly to make it fly" + }, + "grief": { + "CHS": "悲伤,悲痛", + "ENG": "extreme sadness, especially because someone you love has died" + }, + "commission": { + "CHS": "委任", + "ENG": "to formally ask someone to write an official report, produce a work of art for you etc" + }, + "rehabilitate": { + "CHS": "恢复地位;使残疾者恢复正常的生活", + "ENG": "to help someone to live a healthy, useful, or active life again after they have been seriously ill or in prison" + }, + "sheet": { + "CHS": "被单;薄板", + "ENG": "a large piece of thin cloth that you put on a bed to lie on or lie under" + }, + "port": { + "CHS": "港口,舱门,舱口;(船、飞机)左舷", + "ENG": "a place where ships can be loaded and unloaded" + }, + "outline": { + "CHS": "外形,轮廓;大纲,纲要", + "ENG": "the main ideas or facts about something, without the details" + }, + "eject": { + "CHS": "驱逐,排出", + "ENG": "to make someone leave a place or building by using force" + }, + "opportunity": { + "CHS": "机会", + "ENG": "a chance to do something or an occasion when it is easy for you to do something" + }, + "savage": { + "CHS": "未开化的;凶猛的", + "ENG": "very violent or cruel" + }, + "approximate": { + "CHS": "接近,近似", + "ENG": "to be close to a particular number" + }, + "gesture": { + "CHS": "姿势,手势;表示", + "ENG": "a movement of part of your body, especially your hands or head, to show what you mean or how you feel" + }, + "cape": { + "CHS": "岬;海角", + "ENG": "a large piece of land surrounded on three sides by water" + }, + "commute": { + "CHS": "交换,兑换;减轻;经常往来", + "ENG": "to change the punishment given to a criminal to one that is less severe" + }, + "hazardous": { + "CHS": "冒险的", + "ENG": "dangerous, especially to people’s health or safety" + }, + "curve": { + "CHS": "成曲线", + "ENG": "a line that gradually bends like part of a circle" + }, + "catalogue": { + "CHS": "目录;编目", + "ENG": "a complete list of things that you can look at, buy, or use, for example in a library or at an art show" + }, + "abrasion": { + "CHS": "磨损,擦伤处", + "ENG": "an area on the surface of your skin that has been injured by being rubbed against something hard" + }, + "agitation": { + "CHS": "摇动,焦虑", + "ENG": "when you are so anxious, nervous, or upset that you cannot think calmly" + }, + "accountable": { + "CHS": "应付责任" + }, + "custom": { + "CHS": "习俗,惯例;光顾;海关", + "ENG": "something that is done by people in a particular society because it is traditional" + }, + "sporadic": { + "CHS": "偶而发生的", + "ENG": "happening fairly often, but not regularly" + }, + "towel": { + "CHS": "毛巾,手巾", + "ENG": "a piece of cloth that you use for drying your skin or for drying things such as dishes" + }, + "knob": { + "CHS": "圆形把手,旋纽,圆形突出物", + "ENG": "a round handle or thing that you turn to open a door, turn on a television etc" + }, + "invariably": { + "CHS": "不变地,永恒地", + "ENG": "if something invariably happens or is invariably true, it always happens or is true" + }, + "plumb": { + "CHS": "探测,查明", + "ENG": "to succeed in understanding something completely" + }, + "triumph": { + "CHS": "凯旋;成功", + "ENG": "an important victory or success after a difficult struggle" + }, + "forum": { + "CHS": "论坛", + "ENG": "an organization, meeting, TV programme etc where people have a chance to publicly discuss an important subject" + }, + "decompose": { + "CHS": "腐败;分解,腐烂", + "ENG": "to decay or make something decay" + }, + "confident": { + "CHS": "确信的,有把握的", + "ENG": "sure that something will happen in the way that you want or expect" + }, + "liberal": { + "CHS": "慷慨的,大方的,胸怀宽大的", + "ENG": "generous or given in large amounts" + }, + "sway": { + "CHS": "摇摆;统治,支配", + "ENG": "to move slowly from one side to another" + }, + "perplexity": { + "CHS": "(正式用语)困惑,窘困,令人困惑的事或物", + "ENG": "the feeling of being confused or worried by something you cannot understand" + }, + "prospective": { + "CHS": "预期的; 未来的", + "ENG": "You use prospective to describe someone who wants to be the thing mentioned or who is likely to be the thing mentioned" + }, + "straightforward": { + "CHS": "正直的,坦率的,老实的,简明易懂的", + "ENG": "simple and easy to understand" + }, + "marble": { + "CHS": "大理石,(游戏用的)玻璃弹子", + "ENG": "a type of hard rock that becomes smooth when it is polished, and is used for making buildings, statue s etc" + }, + "registrar": { + "CHS": "登记员,记录员" + }, + "prototype": { + "CHS": "原型", + "ENG": "the first form that a new design of a car, machine etc has, or a model of it used to test the design before it is produced" + }, + "oust": { + "CHS": "驱赶,驱逐", + "ENG": "If someone is ousted from a position of power, job, or place, they are forced to leave it" + }, + "trespass": { + "CHS": "非法侵入;侵夺,侵占" + }, + "enzyme": { + "CHS": "酶", + "ENG": "a chemical substance that is produced in a plant or animal, and helps chemical changes to take place in the plant or animal" + }, + "smuggle": { + "CHS": "走私,私运", + "ENG": "to take something or someone illegally from one country to another" + }, + "petition": { + "CHS": "祈求,请求;请愿,请求书", + "ENG": "a written request signed by a lot of people, asking someone in authority to do something or change something" + }, + "tract": { + "CHS": "地带;系统" + }, + "falter": { + "CHS": "蹒跚;声音发抖;支吾", + "ENG": "to speak in a voice that sounds weak and uncertain, and keeps stopping" + }, + "marine": { + "CHS": "船舶;海运业" + }, + "fraction": { + "CHS": "小部分;片断;分数", + "ENG": "a part of a whole number in mathematics, such as ½ or ¾" + }, + "multitude": { + "CHS": "大批,大群;众多", + "ENG": "a very large number of people or things" + }, + "plunder": { + "CHS": "抢劫,掠夺", + "ENG": "to steal large amounts of money or property from somewhere, especially while fighting in a war" + }, + "activate": { + "CHS": "使活动,触发", + "ENG": "to make an electrical system or chemical process start working" + }, + "treatise": { + "CHS": "专题论文", + "ENG": "a serious book or article about a particular subject" + }, + "contemplate": { + "CHS": "仔细考虑;注视;打算;预计", + "ENG": "to think about something that you might do in the future" + }, + "fibre": { + "CHS": "纤维,结构;质地,性格", + "ENG": "the parts of plants that you eat but cannot digest . Fibre helps to keep you healthy by moving food quickly through your body." + }, + "reel": { + "CHS": "卷", + "ENG": "to wind (cotton, thread, etc) onto a reel " + }, + "misfortune": { + "CHS": "不幸,灾祸", + "ENG": "very bad luck, or something that happens to you as a result of bad luck" + }, + "delicious": { + "CHS": "美味的;可口的", + "ENG": "very pleasant to taste or smell" + }, + "certainty": { + "CHS": "必然的事,必然,确实,肯定", + "ENG": "the state of being completely certain" + }, + "expedient": { + "CHS": "紧急的办法,权宜之计", + "ENG": "a quick and effective way of dealing with a problem" + }, + "throat": { + "CHS": "咽喉,嗓子", + "ENG": "the passage from the back of your mouth to the top of the tubes that go down to your lungs and stomach" + }, + "disdain": { + "CHS": "蔑视, 轻视 \"", + "ENG": "a complete lack of respect that you show for someone or something because you think they are not important or good enough" + }, + "inferior": { + "CHS": "劣质的,差的,下等的\"", + "ENG": "not good, or not as good as someone or something else" + }, + "magnanimous": { + "CHS": "慷慨的,宽宏大量的", + "ENG": "kind and generous, especially to someone that you have defeated" + }, + "abortion": { + "CHS": "流产;(计划)失败", + "ENG": "a medical operation to end a pregnancy so that the baby is not born alive" + }, + "commentary": { + "CHS": "集注;评论", + "ENG": "something such as a book or an article that explains or discusses a book, poem, idea etc" + }, + "plankton": { + "CHS": "浮游生物", + "ENG": "the very small forms of plant and animal life that live in water, especially the sea, and are eaten by fish" + }, + "succession": { + "CHS": "连续;继续;一连串;继承权", + "ENG": "happening one after the other without anything diffe-rent happening in between" + }, + "compile": { + "CHS": "编辑,编写", + "ENG": "to make a book, list, record etc, using different pieces of information, music etc" + }, + "dimension": { + "CHS": "尺寸,尺度,大小", + "ENG": "the length, height, width, depth, or diameter of something" + }, + "traction": { + "CHS": "拖,牵,牵引力", + "ENG": "the process of treating a broken bone with special medical equipment that pulls it" + }, + "reverent": { + "CHS": "恭敬的,虔诚的", + "ENG": "showing a lot of respect and admiration" + }, + "stubborn": { + "CHS": "顽固的,坚定的", + "ENG": "determined not to change your mind, even when people think you are being unreasonable" + }, + "cemetery": { + "CHS": "公墓,墓地", + "ENG": "a piece of land, usually not belonging to a church, in which dead people are buried" + }, + "classic": { + "CHS": "古典作品", + "ENG": "a book, play, or film that is important and has been admired for a long time" + }, + "melancholy": { + "CHS": "忧郁的,令人伤感的", + "ENG": "very sad" + }, + "ultimately": { + "CHS": "最后,最终", + "ENG": "finally, after everything else has been done or considered" + }, + "laborious": { + "CHS": "吃力的,努力的,不流畅" + }, + "notion": { + "CHS": "概念,观念", + "ENG": "an idea, belief, or opinion" + }, + "ensemble": { + "CHS": "全体;演唱组", + "ENG": "An ensemble is a group of musicians, actors, or dancers who regularly perform together" + }, + "adapt": { + "CHS": "使适应,改编", + "ENG": "to gradually change your behaviour and attitudes in order to be successful in a new situation" + }, + "maltreat": { + "CHS": "虐待", + "ENG": "to treat a person or animal cruelly" + }, + "fidelity": { + "CHS": "忠诚,忠实; 精确", + "ENG": "when you are loyal to your husband, girlfriend etc, by not having sex with anyone else" + }, + "nap": { + "CHS": "小睡,打盹", + "ENG": "a short sleep, especially during the day" + }, + "foam": { + "CHS": "泡沫", + "ENG": "a type of soft rubber with a lot of air in it, used in furniture" + }, + "sculpture": { + "CHS": "雕塑;雕刻", + "ENG": "an object made out of stone, wood, clay etc by an artist" + }, + "charm": { + "CHS": "吸引力,可爱之处,迷人;行魔法", + "ENG": "a special quality someone or something has that makes people like them, feel attracted to them, or be easily influenced by them – used to show approval" + }, + "accuse": { + "CHS": "控告", + "ENG": "to say that you believe someone is guilty of a crime or of doing something bad" + }, + "ratio": { + "CHS": "比率", + "ENG": "a relationship between two amounts, represented by a pair of numbers showing how much bigger one amount is than the other" + }, + "cement": { + "CHS": "黏结,胶合", + "ENG": "If things are cemented together, they are stuck or fastened together" + }, + "cure": { + "CHS": "治愈,疗法;对策", + "ENG": "a medicine or medical treatment that makes an illness go away" + }, + "upbringing": { + "CHS": "抚育,抚养;教养", + "ENG": "the way that your parents care for you and teach you to behave when you are growing up" + }, + "agreement": { + "CHS": "同意;协议", + "ENG": "an arrangement or promise to do something, made by two or more people, companies, organizations etc" + }, + "unify": { + "CHS": "使联合,统一,使相同,一致", + "ENG": "if you unify two or more parts or things, or if they unify, they are combined to make a single unit" + }, + "maintenance": { + "CHS": "维持,抚养;生活费", + "ENG": "the act of making a state or situation continue" + }, + "mischief": { + "CHS": "伤害,损害", + "ENG": "to injure yourself slightly" + }, + "centenary": { + "CHS": "百年的;百年纪念", + "ENG": "the day or year exactly 100 years after a particular event" + }, + "twilight": { + "CHS": "黎明,黄昏;曙光", + "ENG": "Twilight is the time just before night when the daylight has almost gone but when it is not completely dark" + }, + "accommodation": { + "CHS": "住宿", + "ENG": "a place for someone to stay, live, or work" + }, + "intimate": { + "CHS": "暗示", + "ENG": "to make people understand what you mean without saying it directly" + }, + "inject": { + "CHS": "注射;注入,灌入", + "ENG": "to put liquid, especially a drug, into someone’s body by using a special needle" + }, + "heir": { + "CHS": "继承人", + "ENG": "the person who has the legal right to receive the property or title of another person when they die" + }, + "postgraduate": { + "CHS": "研究生", + "ENG": "someone who is studying at a university to get a master’s degree or a phd " + }, + "engrave": { + "CHS": "刻上;铭记", + "ENG": "to be impossible to forget" + }, + "festival": { + "CHS": "节日(的),表演会期(的)", + "ENG": "an occasion when there are performances of many films, plays, pieces of music etc, usually happening in the same place every year" + }, + "mishap": { + "CHS": "不幸的事,不幸;灾祸" + }, + "characteristic": { + "CHS": "特有的,表示特征的;特性", + "ENG": "a quality or feature of something or someone that is typical of them and easy to recognize" + }, + "on": { + "CHS": "在上", + "ENG": "used to say what part of someone or something is hit or touched" + }, + "numerate": { + "CHS": "数学基础好的" + }, + "ridge": { + "CHS": "山脊,脊,岭", + "ENG": "a long area of high land, especially at the top of a mountain" + }, + "threshold": { + "CHS": "门槛;开始;开端,入门", + "ENG": "the entrance to a room or building, or the area of floor or ground at the entrance" + }, + "profit": { + "CHS": "利益;利润", + "ENG": "money that you gain by selling things or doing business, after your costs have been paid" + }, + "premise": { + "CHS": "前提;房屋", + "ENG": "the buildings and land that a shop, restaurant, company etc uses" + }, + "seam": { + "CHS": "线缝,接缝", + "ENG": "a line where two pieces of cloth, leather etc have been stitched together" + }, + "paraphrase": { + "CHS": "释文,意译", + "ENG": "to express in a shorter, clearer, or different way what someone has said or written" + }, + "underestimate": { + "CHS": "低估", + "ENG": "to think or guess that something is smaller, cheaper, easier etc than it really is" + }, + "automobile": { + "CHS": "汽车", + "ENG": "a car" + }, + "square": { + "CHS": "正方形,广场,平方\"", + "ENG": "a shape with four straight equal sides with 90˚ angles at the corners" + }, + "manuscript": { + "CHS": "手稿,原稿", + "ENG": "a book or piece of writing before it is printed" + }, + "gravity": { + "CHS": "地球引力;重量;严重性", + "ENG": "the force that causes something to fall to the ground or to be attracted to another planet " + }, + "condition": { + "CHS": "决定;支配;训练", + "ENG": "to make a person or an animal think or behave in a certain way by influencing or training them over a period of time" + }, + "specialize": { + "CHS": "专门研究", + "ENG": "to limit all or most of your study, business etc to a particular subject or activity" + }, + "undermine": { + "CHS": "(暗中)破坏;(逐渐)削弱", + "ENG": "to gradually make someone or something less strong or effective" + }, + "motif": { + "CHS": "主题,基本花纹", + "ENG": "an idea, subject, or image that is regularly repeated and developed in a book, film, work of art etc" + }, + "fatuous": { + "CHS": "愚昧的;蠢的", + "ENG": "very silly or stupid" + }, + "underwrite": { + "CHS": "给保险;同意赔款(海上保险)", + "ENG": "if an insurance company underwrites an insurance contract, it agrees to pay for any damage or loss that happens" + }, + "dairy": { + "CHS": "牛奶及乳品店,牛奶场", + "ENG": "a place on a farm where milk is kept and butter and cheese are made" + }, + "conquest": { + "CHS": "征服,征服地,掠取物", + "ENG": "the act of getting control of a country by fighting" + }, + "drown": { + "CHS": "淹死,(高声音)遮掩(低声音)", + "ENG": "to die from being under water for too long, or to kill someone in this way" + }, + "pseudonym": { + "CHS": "假名;笔名", + "ENG": "an invented name that a writer, artist etc uses instead of their real name" + }, + "coordinate": { + "CHS": "使协调", + "ENG": "to organize an activity so that the people involved in it work well together and achieve a good result" + }, + "designate": { + "CHS": "把定名为,指派,标出", + "ENG": "to choose someone or something for a particular job or purpose" + }, + "athlete": { + "CHS": "运动员;体育家", + "ENG": "someone who competes in sports competitions, especially running, jumping, and throwing" + }, + "underline": { + "CHS": "划线于之下,强调", + "ENG": "to draw a line under a word to show that it is important" + }, + "loath": { + "CHS": "不愿意的", + "ENG": "to be unwilling to do something" + }, + "meddle": { + "CHS": "干涉(预)", + "ENG": "to deliberately try to influence or change a situation that does not concern you, or that you do not understand" + }, + "myth": { + "CHS": "神话,传说;虚构的人或物", + "ENG": "an ancient story, especially one invented in order to explain natural or historical events" + }, + "coil": { + "CHS": "盘绕,缠绕", + "ENG": "to wind or twist into a series of rings, or to make something do this" + }, + "enthusiasm": { + "CHS": "娱乐,招待,表演" + }, + "guild": { + "CHS": "行会;同业公会", + "ENG": "an organization of people who do the same job or have the same interests" + }, + "excerpt": { + "CHS": "摘录,节录", + "ENG": "a short piece taken from a book, poem, piece of music etc" + }, + "jolt": { + "CHS": "颠簸,颠簸而行", + "ENG": "to move suddenly and roughly, or to make someone or something move in this way" + }, + "nobility": { + "CHS": "高贵,高尚;贵族", + "ENG": "the group of people in some countries who belong to the highest social class and have titles such as ‘Duke’ or ‘Countess’" + }, + "novelty": { + "CHS": "新颖;新奇;新奇的事物", + "ENG": "the quality of being new, unusual, and interesting" + }, + "garment": { + "CHS": "(一件)衣服(长袍、外套)", + "ENG": "a piece of clothing" + }, + "obedient": { + "CHS": "服从的,顺从的", + "ENG": "always doing what you are told to do, or what the law, a rule etc says you must do" + }, + "drill": { + "CHS": "钻孔,操练", + "ENG": "to train soldiers to march or perform other military actions" + }, + "dodge": { + "CHS": "躲闪,躲开", + "ENG": "to move quickly to avoid someone or something" + }, + "gymnasium": { + "CHS": "体育馆", + "ENG": "a gym " + }, + "part": { + "CHS": "部分;地区;职责", + "ENG": "a piece or feature of something such as an object, area, event, or period of time" + }, + "deflate": { + "CHS": "使(轮胎)瘪下去 降低重要性" + }, + "clasp": { + "CHS": "扣子;紧握;拥抱", + "ENG": "a small metal object for fastening a bag, belt, piece of jewellery etc" + }, + "drench": { + "CHS": "使淋透,使湿透", + "ENG": "to make something or someone extremely wet" + }, + "ecology": { + "CHS": "生态学", + "ENG": "the way in which plants, animals, and people are related to each other and to their environment, or the scientific study of this" + }, + "guardian": { + "CHS": "监护人; 保护人", + "ENG": "someone who is legally responsible for looking after someone else’s child, especially after the child’s parents have died" + }, + "pit": { + "CHS": "坑,凹部;修理部", + "ENG": "a hole in the floor of a garage that lets you get under a car to repair it" + }, + "conflict": { + "CHS": "战斗;斗争;意见(分歧)", + "ENG": "fighting or a war" + }, + "sympathetic": { + "CHS": "同情的,有同情心的", + "ENG": "caring and feeling sorry about someone’s problems" + }, + "objective": { + "CHS": "目标,目的", + "ENG": "something that you are trying hard to achieve, especially in business or politics" + }, + "electrical": { + "CHS": "电的,电气科学的", + "ENG": "relating to electricity" + }, + "turbulent": { + "CHS": "狂暴的,骚乱的,汹涌的", + "ENG": "a turbulent situation or period of time is one in which there are a lot of sudden changes" + }, + "invade": { + "CHS": "侵略;侵犯,蜂拥而至", + "ENG": "to enter a country, town, or area using military force, in order to take control of it" + }, + "permanent": { + "CHS": "永久性的,持久的", + "ENG": "continuing to exist for a long time or for all the time in the future" + }, + "fundamental": { + "CHS": "基本原则" + }, + "receipt": { + "CHS": "收到;收据", + "ENG": "a piece of paper that you are given which shows that you have paid for something" + }, + "profuse": { + "CHS": "极其丰富的;很多的;大量的", + "ENG": "produced or existing in large quantities" + }, + "extort": { + "CHS": "强取,勒索", + "ENG": "to illegally force someone to give you something, especially money, by threatening them" + }, + "spacious": { + "CHS": "广阔的,宽敞的", + "ENG": "a spacious house, room etc is large and has plenty of space to move around in" + }, + "velocity": { + "CHS": "速度,速率", + "ENG": "the speed of something that is moving in a particular direction" + }, + "checkup": { + "CHS": "检查,体格检查", + "ENG": "a general medical examination that a doctor or dentist gives you to make sure you are healthy" + }, + "landscape": { + "CHS": "风景,景色,风景画", + "ENG": "an area of countryside or land of a particular type, used especially when talking about its appearance" + }, + "convene": { + "CHS": "召集,召唤,集合", + "ENG": "if a group of people convene, or someone convenes them, they come together, especially for a formal meeting" + }, + "cork": { + "CHS": "塞住,抑制", + "ENG": "to close a bottle by blocking the hole at the top tightly with a long round piece of cork or plastic" + }, + "increment": { + "CHS": "增值,增额", + "ENG": "the amount by which a number, value, or amount increases" + }, + "host": { + "CHS": "主人; 许多,一大群,旅店老板", + "ENG": "someone at a party, meal etc who has invited the guests and who provides the food, drink etc" + }, + "suspense": { + "CHS": "(新闻、决定)不确定,悬而未决", + "ENG": "Suspense is a state of excitement or anxiety about something that is going to happen very soon, for example about some news that you are waiting to hear" + }, + "infringe": { + "CHS": "触犯;违反,侵害", + "ENG": "to do something that is against a law or someone’s legal rights" + }, + "discern": { + "CHS": "看出,辨出", + "ENG": "to notice or understand something by thinking about it carefully" + }, + "shimmer": { + "CHS": "发微光,发闪光;微光", + "ENG": "to shine with a soft light that looks as if it shakes slightly" + }, + "medal": { + "CHS": "奖章;纪念章", + "ENG": "a flat piece of metal, usually shaped like a coin, that is given to someone who has won a competition or who has done something brave" + }, + "negation": { + "CHS": "否定;否认", + "ENG": "when something is made to have no effect or be the opposite of what it should be" + }, + "venture": { + "CHS": "冒险,冒险事业", + "ENG": "a new business activity that involves taking risks" + }, + "fantastic": { + "CHS": "奇异的;荒谬的,极好的", + "ENG": "extremely good, attractive, enjoyable etc" + }, + "line": { + "CHS": "用线标示,排列", + "ENG": "to form rows along the sides of something" + }, + "suspend": { + "CHS": "吊,悬挂,悬浮;暂停", + "ENG": "to officially stop something from continuing, especially for a short time" + }, + "faint": { + "CHS": "昏晕", + "ENG": "to suddenly become unconscious for a short time" + }, + "due": { + "CHS": "应支付的,正当的,预定应到的(to),由于", + "ENG": "expected to happen or arrive at a particular time" + }, + "reticent": { + "CHS": "沉默寡言的;言不如意的", + "ENG": "unwilling to talk about what you feel or what you know" + }, + "deduce": { + "CHS": "演绎,推论", + "ENG": "to use the knowledge and information you have in order to understand something or form an opinion about it" + }, + "renovation": { + "CHS": "修理,恢复" + }, + "recite": { + "CHS": "背诵,列举", + "ENG": "to say a poem, piece of literature etc that you have learned, for people to listen to" + }, + "dubious": { + "CHS": "半信半疑的", + "ENG": "If you are dubious about something, you are not completely sure about it and have not yet made up your mind about it" + }, + "invalid": { + "CHS": "病弱的" + }, + "exuberant": { + "CHS": "茂盛的,精力充沛的", + "ENG": "If you are exuberant, you are full of energy, excitement, and cheerfulness" + }, + "autonomy": { + "CHS": "自治,自治权", + "ENG": "freedom that a place or an organization has to govern or control itself" + }, + "damp": { + "CHS": "潮湿(的),湿气,使潮湿", + "ENG": "water in walls or in the air that causes things to be slightly wet" + }, + "aspire": { + "CHS": "渴望", + "ENG": "to desire and work towards achieving something important" + }, + "transmission": { + "CHS": "传递,播送电视节目;汽车传动系统", + "ENG": "the process of sending out electronic signals, messages etc, using radio, television, or other similar equipment" + }, + "toast": { + "CHS": "为祝酒,敬酒", + "ENG": "to drink a glass of wine etc to thank some-one, wish someone luck, or celebrate something" + }, + "circus": { + "CHS": "马戏表演;广场", + "ENG": "a group of people and animals who travel to different places performing skilful tricks as entertainment" + }, + "qualification": { + "CHS": "资格;条件;限制", + "ENG": "if you have a qualification, you have passed an examination or course to show you have a particular level of skill or knowledge in a subject" + }, + "lounge": { + "CHS": "懒洋洋的姿势" + }, + "dip": { + "CHS": "蘸湿;斜坡;短时间游泳", + "ENG": "to put something into a liquid and lift it out again" + }, + "tenacious": { + "CHS": "抓紧的,顽强的", + "ENG": "determined to do something and unwilling to stop trying even when the situation becomes difficult" + }, + "rub": { + "CHS": "摩擦", + "ENG": "to move your hand, or something such as a cloth, backwards and forwards over a surface while pressing firmly" + }, + "chasm": { + "CHS": "断层,裂口;巨大分歧,差别", + "ENG": "a big difference between two people, groups, or things" + }, + "mind": { + "CHS": "想法", + "ENG": "your thoughts or your ability to think, feel, and imagine things" + }, + "justify": { + "CHS": "证明是正当的或有理的,为辩护", + "ENG": "to give an acceptable explanation for something that other people think is unreasonable" + }, + "transfer": { + "CHS": "转移,传递", + "ENG": "the act of changing from one bus, aircraft etc to another while travelling" + }, + "physique": { + "CHS": "体格,体魄", + "ENG": "the size and appearance of someone’s body" + }, + "technician": { + "CHS": "技术人员", + "ENG": "someone whose job is to check equipment or machines and make sure that they are working properly" + }, + "protein": { + "CHS": "蛋白质", + "ENG": "one of several natural substances that exist in food such as meat, eggs, and beans, and which your body needs in order to grow and remain strong and healthy" + }, + "ambiguous": { + "CHS": "有歧义的;暧昧的" + }, + "fascinate": { + "CHS": "使神魂颠倒,迷住", + "ENG": "if someone or something fascinates you, you are attracted to them and think they are extremely interesting" + }, + "gradual": { + "CHS": "逐渐的,不陡的", + "ENG": "happening slowly over a long period of time" + }, + "recruit": { + "CHS": "招募,吸收", + "ENG": "to find new people to work in a company, join an organization, do a job etc" + }, + "convey": { + "CHS": "传达;运送;转达", + "ENG": "to communicate or express something, with or without using words" + }, + "obligation": { + "CHS": "义务,责任", + "ENG": "a moral or legal duty to do something" + }, + "testimony": { + "CHS": "证据,证言", + "ENG": "a formal statement saying that something is true, especially one a witness makes in a court of law" + }, + "fragment": { + "CHS": "裂成碎片", + "ENG": "to break something, or be broken into a lot of small separate parts – used to show disapproval" + }, + "moderate": { + "CHS": "缓和", + "ENG": "to make something less extreme or violent, or to become less extreme or violent" + }, + "endeavor": { + "CHS": "努力,力图" + }, + "sort": { + "CHS": "分类", + "ENG": "to put things in a particular order or arrange them in groups according to size, type etc" + }, + "conceal": { + "CHS": "隐藏,隐蔽", + "ENG": "to hide something carefully" + }, + "mandate": { + "CHS": "命令,训令;授权(选民对代表)", + "ENG": "if a government or official has a mandate to make important decisions, they have the authority to make the decisions because they have been elected by the people to do so" + }, + "crumple": { + "CHS": "满是皱痕;压碎;崩溃\"", + "ENG": "Crumple up means the same as " + }, + "arch": { + "CHS": "拱起", + "ENG": "to form or make something form a curved shape" + }, + "supervise": { + "CHS": "监督,管理,指导", + "ENG": "to be in charge of an activity or person, and make sure that things are done in the correct way" + }, + "territory": { + "CHS": "领土,区域", + "ENG": "land that is owned or controlled by a particular country, ruler, or military force" + }, + "swift": { + "CHS": "快的;迅速的,敏捷的", + "ENG": "happening or done quickly and immediately" + }, + "robust": { + "CHS": "强健的", + "ENG": "a robust person is strong and healthy" + }, + "unravel": { + "CHS": "拆散(线团);解决", + "ENG": "if you unravel threads, string etc, or if they unravel, they stop being twisted together" + }, + "responsive": { + "CHS": "易于做出迅速反应的", + "ENG": "If someone or something is responsive, they react quickly and favourably" + }, + "weld": { + "CHS": "焊接熔接", + "ENG": "to join metals by melting their edges and pressing them together when they are hot" + }, + "accumulate": { + "CHS": "积累,积聚" + }, + "oval": { + "CHS": "卵形(的),椭圆形(的)", + "ENG": "a shape like a circle, but wider in one direction than the other" + }, + "gratitude": { + "CHS": "感激,感恩" + }, + "circumference": { + "CHS": "圆周,圆周长度", + "ENG": "the distance or measurement around the outside of a circle or any round shape" + }, + "congestion": { + "CHS": "拥挤,混杂", + "ENG": "If there is congestion in a place, the place is extremely crowded and blocked with traffic or people" + }, + "sociology": { + "CHS": "社会学", + "ENG": "the scientific study of societies and the behaviour of people in groups" + }, + "pinnacle": { + "CHS": "尖塔,尖顶,山峰;(喻)顶峰", + "ENG": "a high mountain top" + }, + "prevalent": { + "CHS": "流行的,普遍的", + "ENG": "common at a particular time, in a particular place, or among a particular group of people" + }, + "hereditary": { + "CHS": "遗传的; 世袭的", + "ENG": "a quality or illness that is hereditary is passed from a parent to a child before the child is born" + }, + "speciality": { + "CHS": "特性;特长", + "ENG": "A speciality of a particular place is a special food or product that is always very good there" + }, + "stock": { + "CHS": "供应" + }, + "propose": { + "CHS": "提议;求婚", + "ENG": "to suggest something as a plan or course of action" + }, + "epoch": { + "CHS": "新纪元,新时代", + "ENG": "a period of history" + }, + "mirage": { + "CHS": "海市蜃楼,幻想", + "ENG": "an effect caused by hot air in a desert, which makes you think that you can see objects when they are not actually there" + }, + "supplementary": { + "CHS": "补充的,附加的", + "ENG": "provided in addition to what already exists" + }, + "chart": { + "CHS": "海图;图表", + "ENG": "information that is clearly arranged in the form of a simple picture, set of figures, graph etc, or a piece of paper with this information on it" + }, + "unemployment": { + "CHS": "失业", + "ENG": "the number of people in a particular country or area who cannot get a job" + }, + "fallacy": { + "CHS": "谬论", + "ENG": "a false idea or belief, especially one that a lot of people believe is true" + }, + "incline": { + "CHS": "斜坡,斜面", + "ENG": "a slope" + }, + "prohibit": { + "CHS": "禁止", + "ENG": "to say that an action is illegal or not allowed" + }, + "zoology": { + "CHS": "动物学", + "ENG": "the scientific study of animals and their behaviour" + }, + "elicit": { + "CHS": "引出,诱出", + "ENG": "to succeed in getting information or a reaction from someone, especially when this is difficult" + }, + "numerical": { + "CHS": "数字的,用数字表示的", + "ENG": "expressed or considered in numbers" + }, + "solvent": { + "CHS": "溶剂,偿付能力", + "ENG": "a chemical that is used to dissolve another substance" + }, + "correspondence": { + "CHS": "通信;符合", + "ENG": "the process of sending and receiving letters" + }, + "epidemic": { + "CHS": "(疾病)流行性的,传染的" + }, + "disrupt": { + "CHS": "使分裂,瓦解" + }, + "humiliate": { + "CHS": "使羞辱,使丢脸", + "ENG": "to make someone feel ashamed or stupid, especially when other people are present" + }, + "medium": { + "CHS": "中等的,中庸", + "ENG": "of middle size, level, or amount" + }, + "ripple": { + "CHS": "(使)起层层细浪", + "ENG": "to move in small waves, or to make something move in this way" + }, + "curse": { + "CHS": "咒骂,被所苦", + "ENG": "to swear" + }, + "scandal": { + "CHS": "冒犯或引起反感的行动;流言,诽谤", + "ENG": "Scandal is talk about the shocking and immoral aspects of someone's behaviour or something that has happened" + }, + "counsel": { + "CHS": "劝告;评议;忠告;律师", + "ENG": "a type of lawyer who represents you in court" + }, + "stagger": { + "CHS": "摇晃;蹒跚", + "ENG": "to walk or move unsteadily, almost falling over" + }, + "capsule": { + "CHS": "荚;装一剂药的小囊;密封舱", + "ENG": "a plastic container shaped like a very small tube with medicine inside that you swallow whole" + }, + "imperative": { + "CHS": "紧急的,必要的,强制的,祈使语气", + "ENG": "extremely important and needing to be done or dealt with immediately" + }, + "recipe": { + "CHS": "食谱,烹饪法", + "ENG": "a set of instructions for cooking a particular type of food" + }, + "drift": { + "CHS": "漂流,漂流物,趋势", + "ENG": "a slow change or development from one situation, opinion etc to another" + }, + "hum": { + "CHS": "嗡嗡叫,嘈杂声", + "ENG": "to make a low continuous sound" + }, + "generic": { + "CHS": "一般的,普通的", + "ENG": "relating to a whole group of things rather than to one thing" + }, + "referendum": { + "CHS": "公民投票、复决权", + "ENG": "when people vote in order to make a decision about a particular subject, rather than voting for a person" + }, + "fluid": { + "CHS": "流动的,不固定的", + "ENG": "a situation that is fluid is likely to change" + }, + "authentic": { + "CHS": "真实的,可靠的", + "ENG": "a painting, document, book etc that is authentic has been proved to be by a particular person" + }, + "swamp": { + "CHS": "沼泽地,使淹没", + "ENG": "land that is always very wet or covered with a layer of water" + }, + "shrug": { + "CHS": "耸肩", + "ENG": "to raise and then lower your shoulders in order to show that you do not know something or do not care about something" + }, + "flush": { + "CHS": "齐平的;富有的", + "ENG": "if two surfaces are flush, they are at exactly the same level, so that the place where they meet is flat" + }, + "repatriate": { + "CHS": "遣返;返回", + "ENG": "to send someone back to their own country" + }, + "parachute": { + "CHS": "降落伞", + "ENG": "a piece of equipment fastened to the back of people who jump out of planes, which makes them fall slowly and safely to the ground" + }, + "dam": { + "CHS": "水坝,筑坝,抑制,阻拦", + "ENG": "a special wall built across a river or stream to stop the water from flowing, especially in order to make a lake or produce electricity" + }, + "warden": { + "CHS": "管理员,监护人", + "ENG": "a person who is responsible for a particular place and whose job is to make sure its rules are obeyed" + }, + "pursuit": { + "CHS": "追赶;追求;从事,消遣", + "ENG": "when someone tries to get, achieve, or find something in a determined way" + }, + "catch": { + "CHS": "抓;接球;逮住;赶(车)", + "ENG": "to see someone doing something that they did not want you to know they were doing" + }, + "plot": { + "CHS": "绘制,标绘", + "ENG": "to draw marks or a line to represent facts, numbers etc" + }, + "reverse": { + "CHS": "相反(的);颠倒(的)", + "ENG": "if a vehicle or its driver reverses, they go backwards" + }, + "purity": { + "CHS": "纯净;纯洁", + "ENG": "the quality or state of being pure" + }, + "statistics": { + "CHS": "统计,统计数字;统计学", + "ENG": "quantitative data on any subject, esp data comparing the distribution of some quantity for different subclasses of the population " + }, + "tenable": { + "CHS": "可防守的,守得住的;可保持的,可维持的" + }, + "tangible": { + "CHS": "可触知的;明确的;确实的", + "ENG": "clear enough or definite enough to be easily seen or noticed" + }, + "dismiss": { + "CHS": "解散;解雇;不考虑;消除", + "ENG": "to remove someone from their job" + }, + "invoice": { + "CHS": "发票,装货清单", + "ENG": "a list of goods that have been supplied or work that has been done, showing how much you owe for them" + }, + "nutrition": { + "CHS": "营养,营养学", + "ENG": "the process of giving or getting the right type of food for good health and growth" + }, + "gaunt": { + "CHS": "憔悴的,瘦弱的;荒凉的", + "ENG": "very thin and pale, especially because of illness or continued worry" + }, + "defendant": { + "CHS": "处于被告地位的" + }, + "fluctuate": { + "CHS": "(物价)涨落,起落,波动", + "ENG": "if a price or amount fluctuates, it keeps changing and becoming higher and lower" + }, + "enhance": { + "CHS": "提高(强度、力量、数量等),增加(进)", + "ENG": "to improve something" + }, + "terrific": { + "CHS": "可怕的,非常的" + }, + "display": { + "CHS": "展览,陈列", + "ENG": "an arrangement of things for people to look at or buy" + }, + "symphony": { + "CHS": "交响乐曲", + "ENG": "a long piece of music usually in four parts, written for an orchestra " + }, + "tonic": { + "CHS": "滋补品,补药;强身的,健体的", + "ENG": "a drink that you have as a medicine to give you more energy or strength when you feel tired" + }, + "tissue": { + "CHS": "生理组织;薄纸;棉纸;织物;一套", + "ENG": "light thin paper used for wrapping, packing etc" + }, + "tuition": { + "CHS": "教学,学费", + "ENG": "teaching, especially in small groups" + }, + "journal": { + "CHS": "学术性刊物,期刊;日记", + "ENG": "a serious magazine produced for professional people or those with a particular interest" + }, + "kernel": { + "CHS": "果核,果仁,核心", + "ENG": "the part of a nut or seed inside the shell, or the part inside the stone of some fruits" + }, + "thumb": { + "CHS": "大拇指", + "ENG": "the part of your hand that is shaped like a thick short finger and helps you to hold things" + }, + "prospectus": { + "CHS": "说明书,简介", + "ENG": "a small book that advertises a school, college, new business etc" + }, + "diagnose": { + "CHS": "诊断(疾病)", + "ENG": "to find out what illness someone has, or what the cause of a fault is, after doing tests, examinations etc" + }, + "extra": { + "CHS": "额外的/地,非常,另外;额外的人", + "ENG": "Extras are additional amounts of money that are added to the price that you have to pay for something" + }, + "dwindle": { + "CHS": "缩小, 减小\"", + "ENG": "to gradually become less and less or smaller and smaller" + }, + "patch": { + "CHS": "补缀", + "ENG": "to repair a hole in something by putting a piece of something else over it" + }, + "sketch": { + "CHS": "草拟" + }, + "mean": { + "CHS": "中间", + "ENG": "a method of doing something which is between two very different methods, and better than either of them …" + }, + "trace": { + "CHS": "描绘,勾出轮廓", + "ENG": "to copy a drawing, map etc by putting a piece of transparent paper over it and then drawing the lines you can see through the paper" + }, + "defence": { + "CHS": "防卫 防护 防御物 辩护 被告律师", + "ENG": "something that you say or do in order to support someone or something that is being criticized" + }, + "expulsion": { + "CHS": "驱逐; 开除", + "ENG": "the act of forcing someone to leave a place" + }, + "potential": { + "CHS": "潜能;潜力", + "ENG": "the possibility that something will develop in a particular way, or have a particular effect" + }, + "passport": { + "CHS": "护照,保障,手段", + "ENG": "a small official document that you get from your government, that proves who you are, and which you need in order to leave your country and enter other countries" + }, + "craft": { + "CHS": "工艺;手工业;船;技巧;诡计", + "ENG": "a job or activity in which you make things with your hands, and that you usually need skill to do" + }, + "gleam": { + "CHS": "微光,闪光,短暂而微弱的闪现", + "ENG": "to shine softly" + }, + "overflow": { + "CHS": "泛滥,溢出", + "ENG": "if a river, lake, or container overflows, it is so full that the liquid or material inside flows over its edges" + }, + "solemn": { + "CHS": "庄严的,严肃的,隆重的", + "ENG": "very serious and not happy, for example because something bad has happened or because you are at an important occasion" + }, + "vegetation": { + "CHS": "植被", + "ENG": "plants in general" + }, + "pliable": { + "CHS": "易弯的,柔韧的;易受影响的", + "ENG": "able to bend without breaking or cracking" + }, + "apprehension": { + "CHS": "理解;忧虑", + "ENG": "anxiety about the future, especially about dealing with something unpleasant or difficult" + }, + "rave": { + "CHS": "热情赞扬", + "ENG": "enthusiastic or extravagant praise " + }, + "locomotive": { + "CHS": "火车头", + "ENG": "a railway engine" + }, + "entrepreneur": { + "CHS": "[法]企业家, 演出承包人 \"", + "ENG": "someone who starts a new business or arranges business deals in order to make money, often in a way that involves financial risks" + }, + "doubtful": { + "CHS": "有疑问的;怀疑的", + "ENG": "not sure that something is true or right" + }, + "morbid": { + "CHS": "疾病的,病态的", + "ENG": "with a strong and unhealthy interest in unpleasant subjects, especially death" + }, + "violent": { + "CHS": "猛烈的,凶暴的;由暴力引起的;强烈的", + "ENG": "involving actions that are intended to injure or kill people, by hitting them, shooting them etc" + }, + "exemplify": { + "CHS": "举例说明,作为的例证", + "ENG": "to give an example of something" + }, + "cease": { + "CHS": "停止", + "ENG": "to stop doing something or stop happening" + }, + "rotate": { + "CHS": "旋转,轮流", + "ENG": "to turn with a circular movement around a central point, or to make something do this" + }, + "solution": { + "CHS": "解决困难,解答问题;溶解;溶液", + "ENG": "a way of solving a problem or dealing with a difficult situation" + }, + "identify": { + "CHS": "认出,认为与一致", + "ENG": "to recognize and correctly name someone or something" + }, + "paramount": { + "CHS": "最高的;首要的", + "ENG": "more important than anything else" + }, + "combine": { + "CHS": "集团,联合企业", + "ENG": "a group of people, businesses etc who work together" + }, + "avalanche": { + "CHS": "雪崩;大量涌来", + "ENG": "a large mass of snow, ice, and rocks that falls down the side of a mountain" + }, + "apparatus": { + "CHS": "仪器;设备", + "ENG": "the set of tools and machines that you use for a particular scientific, medical, or technical purpose" + }, + "ditch": { + "CHS": "附入沟中,抛弃", + "ENG": "to stop having something because you no longer want it" + }, + "range": { + "CHS": "排列", + "ENG": "to put things in a particular order or position" + }, + "colossal": { + "CHS": "庞大的", + "ENG": "used to emphasize that something is extremely large" + }, + "slim": { + "CHS": "细长的;苗条的", + "ENG": "someone who is slim is attractively thin" + }, + "pavement": { + "CHS": "[英]人行道", + "ENG": "a hard level surface or path at the side of a road for people to walk on" + }, + "random": { + "CHS": "随便;无目的的,任意的" + }, + "disturb": { + "CHS": "打扰,扰乱", + "ENG": "to interrupt someone so that they cannot continue what they are doing" + }, + "terrify": { + "CHS": "恐吓", + "ENG": "to make someone extremely afraid" + }, + "keep": { + "CHS": "使保持某一状态,阻止,保留,履行,保卫", + "ENG": "to stay in a particular state, condition, or position, or to make someone or something do this" + }, + "physician": { + "CHS": "医生", + "ENG": "a doctor" + }, + "precious": { + "CHS": "宝贵的,珍贵的", + "ENG": "something that is precious is valuable and important and should not be wasted or used without care" + }, + "insane": { + "CHS": "愚蠢的; 疯狂的", + "ENG": "completely stupid or crazy, often in a way that is dangerous" + }, + "code": { + "CHS": "把译成密码" + }, + "entitle": { + "CHS": "给(书)题名;给予权利", + "ENG": "If the title of something such as a book, film, or painting is, for example, \"Sunrise,\" you can say that it is entitled \"Sunrise.\" " + }, + "alternative": { + "CHS": "可供选择的;可供替代的", + "ENG": "an alternative idea, plan etc is different from the one you have and can be used instead" + }, + "criterion": { + "CHS": "判断的标准(pl-ria)", + "ENG": "a standard that you use to judge something or make a decision about something" + }, + "ward": { + "CHS": "(房屋中的)隔间;(尤指)病房", + "ENG": "a large room in a hospital where people who need medical treatment stay" + }, + "assess": { + "CHS": "估值,评价", + "ENG": "to make a judgment about a person or situation after thinking carefully about it" + }, + "flesh": { + "CHS": "肉,肉体,果肉", + "ENG": "the soft part of the body of a person or animal that is between the skin and the bones" + }, + "stuntman": { + "CHS": "替身演员", + "ENG": "A stuntman is a man whose job is to do dangerous things, either for publicity, or in a movie instead of an actor so that the actor does not risk being injured" + }, + "via": { + "CHS": "径,由" + }, + "framework": { + "CHS": "构架,框架", + "ENG": "a set of ideas, rules, or beliefs from which something is developed, or on which decisions are based" + }, + "pose": { + "CHS": "摆姿势;提出;姿势", + "ENG": "to sit or stand in a particular position in order to be photographed or painted, or to make someone do this" + }, + "competitive": { + "CHS": "比赛的" + }, + "confine": { + "CHS": "限制,禁闭", + "ENG": "to keep someone or something within the limits of a particular activity or subject" + }, + "natal": { + "CHS": "出生的;诞生的", + "ENG": "relating to birth" + }, + "flame": { + "CHS": "火焰,火舌", + "ENG": "hot bright burning gas that you see when something is on fire" + }, + "surmount": { + "CHS": "克服,越过", + "ENG": "to succeed in dealing with a problem or difficulty" + }, + "comparable": { + "CHS": "可比较的", + "ENG": "similar to something else in size, number, quality etc, so that you can make a comparison" + }, + "transparent": { + "CHS": "透明的", + "ENG": "if something is transparent, you can see through it" + }, + "lens": { + "CHS": "透镜;眼睛水晶体", + "ENG": "the part of a camera through which the light travels before it reaches the film" + }, + "crush": { + "CHS": "压碎,压坏,弄皱,压垮;挤入", + "ENG": "to press something so hard that it breaks or is damaged" + }, + "condemn": { + "CHS": "谴责,迫使;判刑;宣告(建筑)不宜使用", + "ENG": "to say very strongly that you do not approve of something or someone, especially because you think it is morally wrong" + }, + "precedence": { + "CHS": "在前,优先", + "ENG": "when someone or something is considered to be more impor-tant than someone or something else, and therefore comes first or must be dealt with first" + }, + "organ": { + "CHS": "器官;报刊;风琴", + "ENG": "a newspaper or magazine which gives information, news etc for an organization or group" + }, + "staple": { + "CHS": "主要产品;名产;纤维;主要成分,主食", + "ENG": "a food that is needed and used all the time" + }, + "differentiate": { + "CHS": "区别,区分", + "ENG": "to recognize or express the difference between things or people" + }, + "engage": { + "CHS": "雇用;从事;订婚;吸引;啮合", + "ENG": "to attract someone’s attention and keep them interested" + }, + "truant": { + "CHS": "旷课者;逃学者", + "ENG": "a student who stays away from school without permission" + }, + "embassy": { + "CHS": "大使馆", + "ENG": "a group of officials who represent their government in a foreign country, or the building they work in" + }, + "alienate": { + "CHS": "离间,使疏远", + "ENG": "to do something that makes someone unfriendly or unwilling to support you" + }, + "obligatory": { + "CHS": "(法律或道义上)必须的,应尽的", + "ENG": "something that is obligatory must be done because of a law, rule etc" + }, + "predominant": { + "CHS": "主要的,占优势的", + "ENG": "more powerful, more common, or more easily noticed than others" + }, + "indifferent": { + "CHS": "不感兴趣的,不关心的,质量不高的", + "ENG": "not at all interested in someone or something" + }, + "delete": { + "CHS": "删除文字,擦去(字迹)", + "ENG": "to remove something that has been written down or stored in a computer" + }, + "cart": { + "CHS": "用车运送,携带", + "ENG": "to take something somewhere in a cart, truck etc" + }, + "translucent": { + "CHS": "透明的,半透明的", + "ENG": "not trans-parent, but clear enough to allow light to pass through" + }, + "posterity": { + "CHS": "后裔,子孙,后代", + "ENG": "all the people in the future who will be alive after you are dead" + }, + "curriculum": { + "CHS": "学校的课程", + "ENG": "the subjects that are taught by a school, college etc, or the things that are studied in a particular subject" + }, + "forgive": { + "CHS": "原谅,宽恕", + "ENG": "to stop being angry with someone and stop blaming them, although they have done something wrong" + }, + "component": { + "CHS": "组成部分;零件", + "ENG": "one of several parts that together make up a whole machine, system etc" + }, + "granular": { + "CHS": "颗粒状的,细粒的", + "ENG": "consisting of granules" + }, + "scrutiny": { + "CHS": "细察,调查", + "ENG": "careful and thorough examination of someone or something" + }, + "wary": { + "CHS": "谨慎的,小心的", + "ENG": "someone who is wary is careful because they think something might be dangerous or harmful" + }, + "relevant": { + "CHS": "有关的,切题的,中肯的", + "ENG": "directly relating to the subject or problem being discussed or considered" + }, + "spiritual": { + "CHS": "精神的,心灵的;神圣的,超自然的", + "ENG": "relating to your spirit rather than to your body or mind" + }, + "hectic": { + "CHS": "闹哄哄的,兴奋的" + }, + "phenomenal": { + "CHS": "非凡的,出众的,庞大的", + "ENG": "very great or impressive" + }, + "guarantee": { + "CHS": "保证; 担保,保证人,担保物", + "ENG": "to promise that you will pay back money that someone else has borrowed, if they do not pay it back themselves" + }, + "lame": { + "CHS": "使跛", + "ENG": "to make a person or animal unable to walk properly" + }, + "nuance": { + "CHS": "(意义、意见、颜色)细微差别", + "ENG": "a very slight, hardly noticeable difference in manner, colour, meaning etc" + }, + "destination": { + "CHS": "目的地", + "ENG": "the place that someone or something is going to" + }, + "irrespective": { + "CHS": "不考虑的,不顾的" + }, + "drudgery": { + "CHS": "苦工,重活,单调乏味的工作", + "ENG": "hard boring work" + }, + "saline": { + "CHS": "含盐的;咸的", + "ENG": "containing or consisting of salt" + }, + "descent": { + "CHS": "下降;斜坡;血流", + "ENG": "the process of going down" + }, + "cognitive": { + "CHS": "认识的", + "ENG": "related to the process of knowing, understanding, and learning something" + }, + "submerge": { + "CHS": "放于水下;使沉没" + }, + "concoct": { + "CHS": "调合;编造(故事等)", + "ENG": "to invent a clever story, excuse, or plan, especially in order to deceive someone" + }, + "anxiety": { + "CHS": "忧虑;渴望", + "ENG": "a feeling of wanting to do something very much" + }, + "ungainly": { + "CHS": "笨拙的,难看的", + "ENG": "moving in a way that does not look graceful" + }, + "impetus": { + "CHS": "动力,原动力,推动,激励", + "ENG": "an influence that makes something happen or makes it happen more quickly" + }, + "asylum": { + "CHS": "避难所;疯人院;避难", + "ENG": "protection given to someone by a government because they have escaped from fighting or political trouble in their own country" + }, + "conjunction": { + "CHS": "连词;联合;连接", + "ENG": "a combination of different things that have come together by chance" + }, + "one": { + "CHS": "一", + "ENG": "a piece of paper money worth one dollar" + }, + "visualize": { + "CHS": "使形象化;想象", + "ENG": "to form a picture of someone or something in your mind" + }, + "ephemeral": { + "CHS": "短暂的", + "ENG": "existing or popular for only a short time" + }, + "pants": { + "CHS": "裤子", + "ENG": "a piece of clothing that covers you from your waist to your feet and has a separate part for each leg" + }, + "thermostat": { + "CHS": "恒温器", + "ENG": "an instrument used for keeping a room or a machine at a particular temperature" + }, + "stimulate": { + "CHS": "刺激,促进", + "ENG": "to encourage or help an activity to begin or develop further" + }, + "manufacture": { + "CHS": "(大量)制造;产品", + "ENG": "the process of making goods or materials using machines, usually in large numbers or amounts" + }, + "defiance": { + "CHS": "挑战,挑衅;违抗;蔑视", + "ENG": "behaviour that shows you refuse to do what someone tells you to do, especially because you do not respect them" + }, + "moreover": { + "CHS": "加之,而且", + "ENG": "in addition – used to introduce information that adds to or supports what has previously been said" + }, + "veto": { + "CHS": "否决,禁止", + "ENG": "if someone in authority vetoes something, they refuse to allow it to happen, especially something that other people or organizations have agreed" + }, + "combat": { + "CHS": "战斗,搏斗", + "ENG": "fighting, especially during a war" + }, + "symptom": { + "CHS": "症状,症候,征兆", + "ENG": "something wrong with your body or mind which shows that you have a particular illness" + }, + "casual": { + "CHS": "偶然的,碰巧的;随便的;临时的", + "ENG": "not formal or not for a formal situation" + }, + "concerted": { + "CHS": "商定的,一致的", + "ENG": "a concerted effort etc is done by people working together in a carefully planned and very determined way" + }, + "subsidiary": { + "CHS": "子公司,附属机构", + "ENG": "a company that is owned or controlled by another larger company" + }, + "insolent": { + "CHS": "蛮横的,粗鲁的", + "ENG": "rude and not showing any respect" + }, + "permit": { + "CHS": "许可证", + "ENG": "an official written statement giving you the right to do something" + }, + "dreary": { + "CHS": "沉闷的,阴沉的", + "ENG": "dull and making you feel sad or bored" + }, + "merit": { + "CHS": "值得,应收", + "ENG": "to be good, important, or serious enough for praise or attention" + }, + "torrent": { + "CHS": "(湍,激,洪)流", + "ENG": "a large amount of water moving very quickly and strongly in a particular direction" + }, + "flatter": { + "CHS": "阿谀,使高兴;(肖像)等胜过(真人真物)" + }, + "layoff": { + "CHS": "临时解雇,停工", + "ENG": "When there are layoffs in a company, people become unemployed because there is no more work for them in the company" + }, + "evaluate": { + "CHS": "估的价,定的值", + "ENG": "to judge how good, useful, or successful something is" + }, + "vent": { + "CHS": "出口;发泄", + "ENG": "to do something violent or harmful to express feelings of anger, hatred etc" + }, + "compact": { + "CHS": "紧密的,紧凑的", + "ENG": "packed or put together firmly and closely" + }, + "productivity": { + "CHS": "生产能力;生产率", + "ENG": "the rate at which goods are produced, and the amount produced, especially in relation to the work, time, and money needed to produce them" + }, + "unconditional": { + "CHS": "绝对的,无条件的", + "ENG": "not limited by or depending on any conditions" + }, + "lurk": { + "CHS": "埋伏,潜伏", + "ENG": "to wait somewhere quietly and secretly, usually because you are going to do something wrong" + }, + "stress": { + "CHS": "着重,强调重点,重视", + "ENG": "to emphasize a statement, fact, or idea" + }, + "zest": { + "CHS": "乐趣;滋味,风味; 兴趣" + }, + "rival": { + "CHS": "竞争者,对手", + "ENG": "a person, group, or organization that you compete with in sport, business, a fight etc" + }, + "fragrance": { + "CHS": "香味,香气", + "ENG": "a pleasant smell" + }, + "comply": { + "CHS": "遵守,照做", + "ENG": "to do what you have to do or are asked to do" + }, + "trustworthy": { + "CHS": "可信赖的,可靠的", + "ENG": "able to be trusted and depended on" + }, + "stain": { + "CHS": "染料,着色剂,污点,沾污处", + "ENG": "to accidentally make a mark on something, especially one that cannot be removed, or to be marked in this way" + }, + "patent": { + "CHS": "取得专利", + "ENG": "to obtain a special document giving you the right to make or sell a new invention or product" + }, + "harassment": { + "CHS": "烦忧,困扰", + "ENG": "when someone behaves in an unpleasant or threatening way towards you" + }, + "dwarf": { + "CHS": "使矮小", + "ENG": "to be so big that other things are made to seem very small" + }, + "appraisal": { + "CHS": "估价,评价;鉴定", + "ENG": "a statement or opinion judging the worth, value, or condition of something" + }, + "painstaking": { + "CHS": "极小心的;勤恳的", + "ENG": "very careful and thorough" + }, + "frail": { + "CHS": "脆弱的;脆弱的", + "ENG": "someone who is frail is weak and thin because they are old or ill" + }, + "competence": { + "CHS": "能力,胜任,权限", + "ENG": "the ability to do something well" + }, + "airing": { + "CHS": "通风;讨论", + "ENG": "an occasion when an opinion, idea etc is discussed" + }, + "deny": { + "CHS": "否认, 否定,拒绝一项要求\"", + "ENG": "to say that something is not true, or that you do not believe something" + }, + "residence": { + "CHS": "居住;住处;住宅", + "ENG": "a house, especially a large or official one" + }, + "achieve": { + "CHS": "完成,达到", + "ENG": "to successfully complete something or get a good result, especially by working hard" + }, + "intellect": { + "CHS": "智力,才智", + "ENG": "the ability to understand things and to think intelligently" + }, + "commonplace": { + "CHS": "普通的,平凡的" + }, + "drowse": { + "CHS": "瞌睡", + "ENG": "to be in a light sleep or to feel as though you are almost asleep" + }, + "aquatic": { + "CHS": "水产的;(运行)水上的", + "ENG": "living or growing in water" + }, + "cheer": { + "CHS": "振奋,高兴,欢呼", + "ENG": "a shout of happiness, praise, approval, or encouragement" + }, + "charity": { + "CHS": "赈济款、物;慈善团体;博爱", + "ENG": "an organization that gives money, goods, or help to people who are poor, sick etc" + }, + "lock": { + "CHS": "把(…)锁住;被锁住" + }, + "posthumous": { + "CHS": "遗腹的;父亡后出生的;死后的;身后的", + "ENG": "happening, printed etc after someone’s death" + }, + "puncture": { + "CHS": "小孔,刺孔", + "ENG": "a small hole made accidentally in a tyre" + }, + "aupair": { + "CHS": "国外来的(姑娘)帮助料理家务换取住宿的" + }, + "corporate": { + "CHS": "社团的;法人的;共同的", + "ENG": "shared by or involving all the members of a group" + }, + "proclaim": { + "CHS": "宣告,声明", + "ENG": "to say publicly or officially that something important is true or exists" + }, + "fame": { + "CHS": "名声,名誉", + "ENG": "the state of being known about by a lot of people because of your achievements" + }, + "trifle": { + "CHS": "小事,无价值的东西;少量的钱", + "ENG": "something unimportant or not valuable" + }, + "pervade": { + "CHS": "遍及,弥漫", + "ENG": "if a feeling, idea, or smell pervades a place, it is present in every part of it" + }, + "scar": { + "CHS": "伤疤,伤痕,(喻)内心创伤", + "ENG": "a permanent mark that is left on your skin after you have had a cut or wound" + }, + "unconscious": { + "CHS": "无畏的,大胆的", + "ENG": "a feeling or thought that is unconscious is one that you have without realizing it" + }, + "investigate": { + "CHS": "调查,调查研究", + "ENG": "to try to find out the truth about something such as a crime, accident, or scientific problem" + }, + "oasis": { + "CHS": "(沙漠中的)绿洲", + "ENG": "a place with water and trees in a desert" + }, + "hard": { + "CHS": "坚硬的;困难的;难忍的;严厉的;结实的", + "ENG": "firm, stiff, and difficult to press down, break, or cut" + }, + "orthodox": { + "CHS": "正(传)统的", + "ENG": "orthodox ideas, methods, or behaviour are accepted by most people to be correct and right" + }, + "salvage": { + "CHS": "(从火灾及其他灾难中)抢救财物救助", + "ENG": "when you save things from a situation in which other things have already been damaged, destroyed, or lost" + }, + "confusion": { + "CHS": "混乱,混同", + "ENG": "when you do not understand what is happening or what something means because it is not clear" + }, + "exceptional": { + "CHS": "异常的,优越的", + "ENG": "unusually good" + }, + "drought": { + "CHS": "干旱", + "ENG": "a long period of dry weather when there is not enough water for plants and animals to live" + }, + "null": { + "CHS": "无效的,无意义的", + "ENG": "an agreement, contract etc that is null and void has no legal force" + }, + "fetch": { + "CHS": "(去)取,拿来;(货物)售的(价钱)", + "ENG": "If you fetch something or someone, you go and get them from the place where they are" + }, + "harness": { + "CHS": "挽具,降落伞背带", + "ENG": "a set of leather bands used to control a horse or to attach it to a vehicle it is pulling" + }, + "trivial": { + "CHS": "琐碎的,不重要的;平常的,平凡的" + }, + "ease": { + "CHS": "减轻,放松,小心移置;舒适", + "ENG": "feeling relaxed, especially in a situation in which people might feel a little nervous" + }, + "furnish": { + "CHS": "供应,用家具装备房子", + "ENG": "to put furniture and other things into a house or room" + }, + "paraphernalia": { + "CHS": "随身用品;贴身用品", + "ENG": "You can refer to a large number of objects that someone has with them or that are connected with a particular activity as paraphernalia" + }, + "extent": { + "CHS": "广度,长度,程度" + }, + "instrumental": { + "CHS": "起作用的,有助于,乐器的", + "ENG": "instrumental music is for instruments, not for voices" + }, + "exorbitant": { + "CHS": "要价过高的,过分的", + "ENG": "an exorbitant price, amount of money etc is much higher than it should be" + }, + "combustible": { + "CHS": "易燃物,可燃物" + }, + "address": { + "CHS": "向致词;在信封上写姓名", + "ENG": "if you address an envelope, package etc, you write on it the name and address of the person you are sending it to" + }, + "junk": { + "CHS": "把(当废物)丢弃", + "ENG": "to get rid of something because it is old or useless" + }, + "reputation": { + "CHS": "名誉,名声", + "ENG": "the opinion that people have about someone or something because of what has happened in the past" + }, + "obstruct": { + "CHS": "阻塞,堵塞;妨碍", + "ENG": "to block a road, passage etc" + }, + "enclosure": { + "CHS": "围栏;附件", + "ENG": "something that is put inside an envelope with a letter" + }, + "telecommunication": { + "CHS": "电信,电信学", + "ENG": "the telegraphic or telephonic communication of audio, video, or digital information over a distance by means of radio waves, optical signals, etc, or along a transmission line " + }, + "custodian": { + "CHS": "保管人,监护人;公共建筑看守", + "ENG": "someone who is responsible for looking after something important or valuable" + }, + "meditate": { + "CHS": "深思,仔细思考", + "ENG": "to think seriously and deeply about something" + }, + "oblige": { + "CHS": "(以誓言或契约等)束缚某人;施惠" + }, + "versus": { + "CHS": "[略作v或vs](诉讼或比赛中)对", + "ENG": "used to show that two people or teams are competing against each other in a game or court case" + }, + "timidity": { + "CHS": "胆怯" + }, + "volatile": { + "CHS": "(液体)易挥发的;(人)反复无常的", + "ENG": "a volatile liquid or substance changes easily into a gas" + }, + "indignant": { + "CHS": "义愤的,愤慨的", + "ENG": "angry and surprised because you feel insulted or unfairly treated" + }, + "seal": { + "CHS": "海豹;封蜡,封印;印记", + "ENG": "a large sea animal that eats fish and lives around coasts" + }, + "sovereign": { + "CHS": "主权的;最高的", + "ENG": "having the highest power in a country" + }, + "cute": { + "CHS": "漂亮的,逗人喜爱的", + "ENG": "very pretty or attractive" + }, + "navigation": { + "CHS": "航行;驾驶", + "ENG": "the science or job of planning which way you need to go when you are travelling from one place to another" + }, + "shock": { + "CHS": "(使)震惊", + "ENG": "if something that happens is a shock, you did not expect it, and it makes you feel very surprised, and usually upset" + }, + "account": { + "CHS": "说明" + }, + "main": { + "CHS": "(自来水、煤气等)总管道,干线", + "ENG": "a large pipe or wire carrying the public supply of water, electricity, or gas" + }, + "repertoire": { + "CHS": "全部剧目,全部节目", + "ENG": "all the plays, pieces of music etc that a performer or group knows and can perform" + }, + "void": { + "CHS": "空的,空虚的" + }, + "regarding": { + "CHS": "关于", + "ENG": "a word used especially in letters or speeches to introduce the subject you are writing or talking about" + }, + "contract": { + "CHS": "缔结;负债;感染;使皱缩", + "ENG": "to get an illness" + }, + "resolve": { + "CHS": "解决;决定", + "ENG": "to find a satisfactory way of dealing with a problem or difficulty" + }, + "virtuous": { + "CHS": "有德行的; 善良的", + "ENG": "behaving in a very honest and moral way" + }, + "incredible": { + "CHS": "难以置信的,惊人的", + "ENG": "too strange to be believed, or very difficult to believe" + }, + "compensate": { + "CHS": "赔偿,补偿", + "ENG": "to replace or balance the effect of something bad" + }, + "hysterical": { + "CHS": "歇斯底里的, 狂热的", + "ENG": "unable to control your behaviour or emotions because you are very upset, afraid, excited etc" + }, + "hug": { + "CHS": "紧抱,拥抱", + "ENG": "to put your arms around someone and hold them tightly to show love or friendship" + }, + "inhabit": { + "CHS": "居住于", + "ENG": "if animals or people inhabit an area or place, they live there" + }, + "tweezers": { + "CHS": "镊子", + "ENG": "a small tool that has two narrow pieces of metal joined at one end, used to pull or move very small objects" + }, + "oversee": { + "CHS": "监督,监管", + "ENG": "to be in charge of a group of workers and check that a piece of work is done satisfactorily" + }, + "lateral": { + "CHS": "侧面的;旁边的", + "ENG": "relating to the sides of something, or movement to the side" + }, + "scroll": { + "CHS": "卷轴; 纸卷", + "ENG": "a long piece of paper that can be rolled up, and is used as an official document" + }, + "outset": { + "CHS": "开始,开端", + "ENG": "at or from the beginning of an event or process" + }, + "locker": { + "CHS": "(公共场所存衣帽的)小橱柜", + "ENG": "A locker is a small metal or wooden cabinet with a lock, where you can put your personal possessions, for example in a school, place of work, or sports club" + }, + "imperial": { + "CHS": "帝国的,皇帝的", + "ENG": "relating to an empire or to the person who rules it" + }, + "upkeep": { + "CHS": "保养费,维修费", + "ENG": "the process of keeping something in good condition" + }, + "voluntary": { + "CHS": "自愿的,志愿的;有意的", + "ENG": "done willingly and without being forced" + }, + "relentless": { + "CHS": "无情的,不仁慈的,残酷的", + "ENG": "strict, cruel, or determined, without ever stopping" + }, + "glide": { + "CHS": "滑动,滑翔", + "ENG": "to move smoothly and quietly, as if without effort" + }, + "splendid": { + "CHS": "壮丽的,辉煌的", + "ENG": "beautiful and impressive" + }, + "freak": { + "CHS": "怪诞的思想、行动或事件;畸形的", + "ENG": "someone who is considered to be very strange because of the way they look, behave, or think" + }, + "dynamic": { + "CHS": "(pl)力学,动力学", + "ENG": "something that causes action or change" + }, + "cardinal": { + "CHS": "深红色;基数", + "ENG": "a cardinal number " + }, + "lace": { + "CHS": "鞋带;花边", + "ENG": "a fine cloth made with patterns of many very small holes" + }, + "derelict": { + "CHS": "被抛弃的", + "ENG": "a derelict building or piece of land is in very bad condition because it has not been used for a long time" + }, + "viable": { + "CHS": "能活的,能生存的", + "ENG": "able to continue to live or to develop into a living thing" + }, + "fusion": { + "CHS": "熔合,熔接", + "ENG": "A fusion of different qualities, ideas, or things is something new that is created by joining them together" + }, + "recede": { + "CHS": "后退;向后倾斜" + }, + "prophecy": { + "CHS": "预言,预言能力", + "ENG": "a statement that something will happen in the future, especially one made by someone with religious or magic powers" + }, + "ego": { + "CHS": "自我,自己,个人思考和感觉能力", + "ENG": "the opinion that you have about yourself" + }, + "muscular": { + "CHS": "肌肉的;肌肉发达的", + "ENG": "having large strong muscles" + }, + "exterior": { + "CHS": "外部的;外来的,外表", + "ENG": "the outside of something, especially a building" + }, + "accommodate": { + "CHS": "提供住宿;使适应", + "ENG": "to provide someone with a place to stay, live, or work" + }, + "violate": { + "CHS": "违犯,侵犯", + "ENG": "to disobey or do something against an official agreement, law, principle etc" + }, + "jealous": { + "CHS": "妒忌的;妒羡的", + "ENG": "feeling unhappy because someone has something that you wish you had" + }, + "initiate": { + "CHS": "创始,着手,介绍某人为(会员等)" + }, + "concrete": { + "CHS": "浇混凝土于", + "ENG": "to cover something such as a path, wall etc with concrete" + }, + "unrest": { + "CHS": "不安;动荡", + "ENG": "a political situation in which people protest or behave violently" + }, + "apply": { + "CHS": "要求,申请", + "ENG": "to make a formal request, usually written, for something such as a job, a place at a university, or permission to do something" + }, + "havoc": { + "CHS": "大灾难,浩劫", + "ENG": "a situation in which there is a lot of damage or a lack of order, especially so that it is difficult for something to continue in the normal way" + }, + "poster": { + "CHS": "招贴画,广告;广告画", + "ENG": "a large printed notice, picture, or photograph, used to advertise something or as a decoration" + }, + "entangle": { + "CHS": "缠住,套住", + "ENG": "to make something become twisted and caught in a rope, net etc" + }, + "purge": { + "CHS": "净化,洗清", + "ENG": "to force people to leave a place or organization because the people in power do not like them" + }, + "sponsor": { + "CHS": "发起(人);主办(人)", + "ENG": "someone who officially introduces or supports a proposal for a new law" + }, + "title": { + "CHS": "标题;题目;称号;法律权利,所有权", + "ENG": "the name given to a particular book, painting, play etc" + }, + "steamer": { + "CHS": "汽锅,汽船,轮船", + "ENG": "a steamship " + }, + "scorn": { + "CHS": "轻蔑;蔑视", + "ENG": "the feeling that someone or something is stupid or does not deserve respect" + }, + "inertia": { + "CHS": "呆滞,迟钝,惯性", + "ENG": "the force that keeps an object in the same position or keeps it moving until it is moved or stopped by another force" + }, + "audition": { + "CHS": "试听;试演;面试", + "ENG": "a short performance by an actor, singer etc that someone watches to judge if they are good enough to act in a play, sing in a concert etc" + }, + "meadow": { + "CHS": "草地", + "ENG": "a field with wild grass and flowers" + }, + "pamper": { + "CHS": "纵容,娇惯", + "ENG": "to look after someone very kindly, for example by giving them the things that they want and making them feel warm and comfortable" + }, + "memorandum": { + "CHS": "备忘录;便函", + "ENG": "a memo " + }, + "reluctant": { + "CHS": "不愿意的,勉强的", + "ENG": "slow and unwilling" + }, + "ragged": { + "CHS": "褴褛的,外形参差不齐的", + "ENG": "wearing clothes that are old and torn" + }, + "tentacle": { + "CHS": "(动物)触角", + "ENG": "one of the long thin parts of a sea creature such as an octopus which it uses for holding things" + }, + "territorial": { + "CHS": "领土的,领地的", + "ENG": "related to land that is owned or controlled by a particular country" + }, + "album": { + "CHS": "集邮册;相片册", + "ENG": "a book that you put photographs, stamps etc in" + }, + "restore": { + "CHS": "恢复;归还", + "ENG": "to make something return to its former state or condition" + }, + "creep": { + "CHS": "爬行;缓慢移行;(时间)悄悄过去;蔓延", + "ENG": "if something such as an insect, small animal, or car creeps, it moves slowly and quietly" + }, + "make": { + "CHS": "做", + "ENG": "to produce something, for example by putting the different parts of it together" + }, + "attach": { + "CHS": "系上;附上;依恋;认为", + "ENG": "to fasten or connect one object to another" + }, + "galaxy": { + "CHS": "星系;一群人", + "ENG": "one of the large groups of stars that make up the universe" + }, + "encounter": { + "CHS": "遭遇,意外地遇到", + "ENG": "to experience something, especially problems or opposition" + }, + "suitcase": { + "CHS": "衣箱", + "ENG": "a large case with a handle, used for carrying clothes and possessions when you travel" + }, + "stall": { + "CHS": "分隔栏;售货摊;前排座位", + "ENG": "a table or a small shop with an open front, especially outdoors, where goods are sold" + }, + "staff": { + "CHS": "木棍;杆;工作人员", + "ENG": "People who are part of a particular staff are often referred to as staff" + }, + "curtail": { + "CHS": "截短,削减", + "ENG": "to reduce or limit something" + }, + "wail": { + "CHS": "vi大声哀号,恸哭;呼啸,尖啸", + "ENG": "to say something in a loud, sad, and complaining way" + }, + "thereby": { + "CHS": "借以,从而" + }, + "mediocre": { + "CHS": "平庸的,平常的", + "ENG": "not very good" + }, + "valley": { + "CHS": "深谷,山谷", + "ENG": "an area of lower land between two lines of hills or mountains, usually with a river flowing through it" + }, + "tolerance": { + "CHS": "容忍;宽恕", + "ENG": "willingness to allow people to do, say, or believe what they want without criticizing or punishing them" + }, + "renowned": { + "CHS": "有名望的,声誉鹊起的", + "ENG": "known and admired by a lot of people, especially for a special skill, achievement, or quality" + }, + "conspiracy": { + "CHS": "阴谋,同谋", + "ENG": "a secret plan made by two or more people to do something that is harmful or illegal" + }, + "protocol": { + "CHS": "礼仪,礼节;外交礼节", + "ENG": "a system of rules about the correct way to behave on an official occasion" + }, + "picnic": { + "CHS": "野餐", + "ENG": "if you have a picnic, you take food and eat it outdoors, especially in the country" + }, + "dazzle": { + "CHS": "眩目,耀眼", + "ENG": "if a very bright light dazzles you, it stops you from seeing properly for a short time" + }, + "malnutrition": { + "CHS": "营养不良", + "ENG": "when someone becomes ill or weak because they have not eaten enough good food" + }, + "plight": { + "CHS": "困境; 苦境", + "ENG": "a very bad situation that someone is in" + }, + "afflict": { + "CHS": "使痛苦,使苦恼", + "ENG": "to affect someone or something in an unpleasant way, and make them suffer" + }, + "detergent": { + "CHS": "去垢剂,清洁剂", + "ENG": "a liquid or powder used for washing clothes, dishes etc" + }, + "engross": { + "CHS": "占用;吸引", + "ENG": "if something engrosses you, it interests you so much that you do not notice anything else" + }, + "score": { + "CHS": "刻痕;记分;乐谱", + "ENG": "a written or printed copy of a piece of music, especially for a large group of performers, or the music itself" + }, + "awkward": { + "CHS": "难使用的,笨拙的;尴尬的", + "ENG": "making you feel embarrassed so that you are not sure what to do or say" + }, + "preserve": { + "CHS": "保护;保存", + "ENG": "to save something or someone from being harmed or destroyed" + }, + "fruition": { + "CHS": "实现;完成", + "ENG": "if a plan, project etc comes to fruition, it is successfully put into action and completed, often after a long process" + }, + "cane": { + "CHS": "手杖,茎;甘蔗", + "ENG": "a long thin stick with a curved handle that you can use to help you walk" + }, + "inhibit": { + "CHS": "禁止,抑制;阻止", + "ENG": "to prevent something from growing or developing well" + }, + "pilot": { + "CHS": "试验;飞行员", + "ENG": "someone who operates the controls of an aircraft or spacecraft" + }, + "logic": { + "CHS": "逻辑,逻辑学,条理性", + "ENG": "a way of thinking about something that seems correct and reasonable, or a set of sensible reasons for doing something" + }, + "singular": { + "CHS": "非凡的,卓越的", + "ENG": "very great or very noticeable" + }, + "hell": { + "CHS": "地狱;阴间;苦境", + "ENG": "the place where the souls of bad people are believed to be punished after death, especially in the Christian and Muslim religions" + }, + "practical": { + "CHS": "实行的;注重实际的,实用的", + "ENG": "relating to real situations and events rather than ideas, emotions etc" + }, + "shuttle": { + "CHS": "使穿梭般往返移动", + "ENG": "to travel frequently between two places" + }, + "offset": { + "CHS": "抵销;补偿" + }, + "destiny": { + "CHS": "命运", + "ENG": "the things that will happen to someone in the future, especially those that cannot be changed or controlled" + }, + "disorder": { + "CHS": "混乱,骚动,(身心)失调", + "ENG": "a mental or physical illness which prevents part of your body from working properly" + }, + "denial": { + "CHS": "拒绝,否认,否定", + "ENG": "a statement saying that something is not true" + }, + "spin": { + "CHS": "纺纱,编结;编造故事", + "ENG": "to tell a story, especially using a lot of imagination" + }, + "onset": { + "CHS": "进攻;开始,发作", + "ENG": "the beginning of something, especially something bad" + }, + "native": { + "CHS": "天真的,幼稚的", + "ENG": "a native ability is one that you have naturally from birth" + }, + "overwrought": { + "CHS": "过分劳累的,过度兴奋的" + }, + "roast": { + "CHS": "烤(的),烘(的)", + "ENG": "to cook something, such as meat, in an oven or over a fire, or to cook in this way" + }, + "survey": { + "CHS": "环视,眺望;测量;勘定;检查;概述", + "ENG": "a set of questions that you ask a large number of people in order to find out about their opinions or behaviour" + }, + "profile": { + "CHS": "侧面;轮廓", + "ENG": "a side view of someone’s head" + }, + "offspring": { + "CHS": "子孙后代;动物的幼仔", + "ENG": "an animal’s baby or babies" + }, + "practicable": { + "CHS": "可实行的;能用的,可行的", + "ENG": "a practicable way of doing something is possible in a particular situation" + }, + "discharge": { + "CHS": "卸货;排出(液体,气体);释放", + "ENG": "to send out gas, liquid, smoke etc, or to allow it to escape" + }, + "chorus": { + "CHS": "合唱;齐声说", + "ENG": "a large group of people who sing together" + }, + "statute": { + "CHS": "法令,法规", + "ENG": "a law passed by a parliament, council etc and formally written down" + }, + "latitude": { + "CHS": "纬度;地区;(言论,行动的)自由", + "ENG": "the distance north or south of the equator(= the imaginary line around the middle of the world ), measured in degrees" + }, + "rot": { + "CHS": "腐掉", + "ENG": "to decay by a gradual natural process, or to make something do this" + }, + "phase": { + "CHS": "阶段;月的盈亏;方面;相位vt按计划进行", + "ENG": "one of the stages of a process of development or change" + }, + "ruffle": { + "CHS": "扰乱,打扰" + }, + "diverse": { + "CHS": "多种多样的", + "ENG": "very different from each other" + }, + "wicked": { + "CHS": "坏的;邪恶的", + "ENG": "behaving in a way that is morally wrong" + }, + "omit": { + "CHS": "疏忽,忘记;省略;遗漏", + "ENG": "to not include someone or something, either deliberately or because you forget to do it" + }, + "diploma": { + "CHS": "毕业证书,文凭", + "ENG": "a document showing that someone has successfully completed a course of study or passed an examination" + }, + "crack": { + "CHS": "裂缝,破裂声;v使破裂;噼啪作响;解开", + "ENG": "a very narrow space between two things or two parts of something" + }, + "remittance": { + "CHS": "汇款(海外),汇款额", + "ENG": "an amount of money that you send to pay for something" + }, + "vibrate": { + "CHS": "摆动;振动", + "ENG": "if something vibrates, or if you vibrate it, it shakes quickly and continuously with very small movements" + }, + "controversy": { + "CHS": "论战", + "ENG": "a serious argument about something that involves many people and continues for a long time" + }, + "microbe": { + "CHS": "微生物", + "ENG": "an extremely small living thing which you can only see if you use a microscope . Some microbes can cause diseases." + }, + "frustrate": { + "CHS": "挫败;阻挠", + "ENG": "to prevent someone’s plans, efforts, or attempts from succeeding" + }, + "omen": { + "CHS": "预兆,征兆", + "ENG": "a sign of what will happen in the future" + }, + "fraught": { + "CHS": "充满的;伴随的", + "ENG": "If a situation or action is fraught with problems or risks, it is filled with them" + }, + "disclose": { + "CHS": "透露,泄露", + "ENG": "to make something publicly known, especially after it has been kept secret" + }, + "superb": { + "CHS": "壮丽的,头等的" + }, + "talented": { + "CHS": "有才能的,有才干的", + "ENG": "having a natural ability to do something well" + }, + "hydrogen": { + "CHS": "氢气", + "ENG": "Hydrogen is a colourless gas that is the lightest and commonest element in the universe" + }, + "stagnant": { + "CHS": "不流动的;不变的,不景气的", + "ENG": "stagnant water or air does not move or flow and often smells bad" + }, + "obstacle": { + "CHS": "障碍", + "ENG": "something that makes it difficult to achieve some­thing" + }, + "pour": { + "CHS": "(液体)倒,注,灌;流入,流出\"", + "ENG": "to make a liquid or other substance flow out of or into a container by holding it at an angle" + }, + "respiration": { + "CHS": "呼吸作用;一次呼吸;植物光合作用", + "ENG": "the process of breathing" + }, + "aware": { + "CHS": "知道的,意识的", + "ENG": "if you are aware that a situation exists, you realize or know that it exists" + }, + "sectional": { + "CHS": "各部分组成的,各阶层或不同部分的" + }, + "crisis": { + "CHS": "转折点;危机", + "ENG": "a situation in which there are a lot of problems that must be dealt with quickly so that the situation does not get worse or more dangerous" + }, + "procure": { + "CHS": "(努力)取得;获得", + "ENG": "to obtain something, especially something that is difficult to get" + }, + "trigger": { + "CHS": "引起,激发", + "ENG": "to make something happen very quickly, especially a series of events" + }, + "discrete": { + "CHS": "分离的,不相关联的", + "ENG": "clearly separate" + }, + "stabilize": { + "CHS": "使稳定,使坚固,使安定", + "ENG": "to become firm, steady, or unchanging, or to make something firm or steady" + }, + "nursery": { + "CHS": "保育室,托儿所", + "ENG": "a place where young children are taken care of during the day while their parents are at work" + }, + "apt": { + "CHS": "聪明的;合适的;易于的", + "ENG": "exactly right for a particular situation or purpose" + }, + "whip": { + "CHS": "鞭笞;抽打", + "ENG": "to hit someone or something with a whip" + }, + "protest": { + "CHS": "抗议;反对", + "ENG": "something that you do to show publicly that you think that something is wrong and unfair, for example taking part in big public meetings, refusing to work, or refusing to buy a company’s products" + }, + "thigh": { + "CHS": "大腿,股", + "ENG": "the top part of your leg, between your knee and your hip " + }, + "trickle": { + "CHS": "(使)滴流,(使)细流", + "ENG": "if liquid trickles somewhere, it flows slowly in drops or in a thin stream" + }, + "reward": { + "CHS": "奖赏", + "ENG": "something that you get because you have done something good or helpful or have worked hard" + }, + "outlaw": { + "CHS": "禁止", + "ENG": "to completely stop something by making it illegal" + }, + "chisel": { + "CHS": "凿子,錾子;凿,雕", + "ENG": "a metal tool with a sharp edge, used to cut wood or stone" + }, + "ideal": { + "CHS": "完美的,理想的", + "ENG": "the best or most suitable that something could possibly be" + }, + "rivet": { + "CHS": "铆接,铆牢;集中(目光或注意力)", + "ENG": "to fasten something with rivets" + }, + "equitable": { + "CHS": "公平的;公正的", + "ENG": "treating all people in a fair and equal way" + }, + "thesaurus": { + "CHS": "词典,同类词汇编", + "ENG": "a book in which words are put into groups with other words that have similar meanings" + }, + "penetrate": { + "CHS": "穿过;透过", + "ENG": "to enter something and pass or spread through it, especially when this is difficult" + }, + "dilate": { + "CHS": "使膨胀,扩大", + "ENG": "if a hollow part of your body dilates or if something dilates it, it becomes wider" + }, + "participate": { + "CHS": "参与,分享", + "ENG": "to take part in an activity or event" + }, + "provision": { + "CHS": "准备;供应;条款", + "ENG": "a condition in an agreement or law" + }, + "emphasize": { + "CHS": "强调,加强的语气", + "ENG": "to say something in a strong way" + }, + "plank": { + "CHS": "厚板,板材,地板", + "ENG": "a long narrow piece of wooden board, used especially for making structures to walk on" + }, + "rig": { + "CHS": "成套设备" + }, + "pedal": { + "CHS": "脚噔,踏板;踩踏板", + "ENG": "one of the two parts of a bicycle that you push round with your feet to make the bicycle go forward" + }, + "inert": { + "CHS": "无活动能力的;惰性的", + "ENG": "not producing a chemical reaction when combined with other substances" + }, + "tactic": { + "CHS": "策略;战术" + }, + "plague": { + "CHS": "瘟疫;麻烦,祸患", + "ENG": "a disease that causes death and spreads quickly to a large number of people" + }, + "deserve": { + "CHS": "应得,应受", + "ENG": "to have earned something by good or bad actions or behaviour" + }, + "communication": { + "CHS": "通讯,交往,交流,传达的消息;交通", + "ENG": "the process by which people exchange information or express their thoughts and feelings" + }, + "clinic": { + "CHS": "诊所,门诊所", + "ENG": "a place, often in a hospital, where medical treatment is given to people who do not need to stay in the hospital" + }, + "nickel": { + "CHS": "[化]镍;美国五分镍币", + "ENG": "a hard silver-white metal that is often combined with other metals, for example to make steel. It is a chemical element: symbol Ni" + }, + "orderly": { + "CHS": "整齐的;有秩序的;有条不紊的", + "ENG": "arranged or organized in a sensible or neat way" + }, + "faith": { + "CHS": "信任,信仰", + "ENG": "a strong feeling of trust or confidence in someone or something" + }, + "upset": { + "CHS": "倾覆,打乱", + "ENG": "to change a plan or situation in a way that causes problems" + }, + "sabotage": { + "CHS": "故意毁坏,故意破坏,阴谋", + "ENG": "deliberate damage that is done to equipment, vehicles etc in order to prevent an enemy or opponent from using them" + }, + "slice": { + "CHS": "切片", + "ENG": "to cut meat, bread, vegetables etc into thin flat pieces" + }, + "fantasy": { + "CHS": "幻想,怪念头", + "ENG": "an exciting and unusual experience or situation you imagine happening to you, but which will probably never happen" + }, + "expire": { + "CHS": "满期,到期", + "ENG": "if an official document expires, it can no longer be legally used" + }, + "manacle": { + "CHS": "上手铐,束缚", + "ENG": "If a prisoner is manacled, their wrists or legs are put in manacles in order to prevent them from moving or escaping" + }, + "discipline": { + "CHS": "训练,纪律,戒律,惩罚", + "ENG": "a way of training someone so that they learn to control their behaviour and obey rules" + }, + "foul": { + "CHS": "恶臭的;邪恶的;暴风雨的n犯规v弄脏", + "ENG": "a foul smell or taste is very unpleasant" + }, + "sacred": { + "CHS": "神圣的", + "ENG": "relating to a god or religion" + }, + "suspect": { + "CHS": "可疑的\"", + "ENG": "not likely to be completely true" + }, + "face": { + "CHS": "面向,正视,承认,呈现前", + "ENG": "to accept that a difficult situation or problem exists, even though you would prefer to ignore it" + }, + "narrative": { + "CHS": "故事;叙述", + "ENG": "a description of events in a story, especially in a novel" + }, + "oblong": { + "CHS": "长方形(的)", + "ENG": "An oblong is a shape which has two long sides and two short sides and in which all the angles are right angles" + }, + "sacrifice": { + "CHS": "献祭;牺牲", + "ENG": "when you decide not to have something valuable, in order to get something that is more important" + }, + "pacify": { + "CHS": "抚慰;平静;平安;绥靖", + "ENG": "to make someone calm, quiet, and satisfied after they have been angry or upset" + }, + "cocaine": { + "CHS": "可卡因,古柯碱", + "ENG": "a drug, usually in the form of a white powder, that is taken illegally for pleasure or used in some medical situations to prevent pain" + }, + "interpret": { + "CHS": "解释,说明,认为的意思;口译", + "ENG": "to translate spoken words from one language into another" + }, + "conducive": { + "CHS": "有助于的;有益于的", + "ENG": "if a situation is conducive to something such as work, rest etc, it provides conditions that make it easy for you to work etc" + }, + "tremble": { + "CHS": "发抖,震颤", + "ENG": "to shake slightly in a way that you cannot control, especially because you are upset or frightened" + }, + "rack": { + "CHS": "行李架" + }, + "carton": { + "CHS": "纸板箱,塑料箱", + "ENG": "a small box made of cardboard or plastic that contains food or a drink" + }, + "perish": { + "CHS": "灭亡,使痛苦;腐朽", + "ENG": "to die, especially in a terrible or sudden way" + }, + "scatter": { + "CHS": "打散;撒;散布", + "ENG": "if someone scatters a lot of things, or if they scatter, they are thrown or dropped over a wide area in an irregular way" + }, + "tension": { + "CHS": "紧张局势;情绪紧张;不安状态", + "ENG": "the feeling that exists when people or countries do not trust each other and may suddenly attack each other or start arguing" + }, + "exclude": { + "CHS": "把某人排除在外,排除(可能性等)", + "ENG": "to deliberately not include something" + }, + "flake": { + "CHS": "薄片;撒落", + "ENG": "a small thin piece that breaks away easily from something else" + }, + "linger": { + "CHS": "逗留,徘徊", + "ENG": "to stay somewhere a little longer, especially because you do not want to leave" + }, + "plug": { + "CHS": "塞子,栓,插头;通电", + "ENG": "a round flat piece of rubber used for stopping the water flowing out of a bath or sink " + }, + "truce": { + "CHS": "休战", + "ENG": "an agreement between enemies to stop fighting or arguing for a short time, or the period for which this is arranged" + }, + "issue": { + "CHS": "分发,出版,发行", + "ENG": "to officially make a statement, give an order, warning etc" + }, + "schedule": { + "CHS": "时间表;列表", + "ENG": "a list that shows the times that buses, trains etc leave or arrive at a particular place" + }, + "yard": { + "CHS": "院,场地;码", + "ENG": "a unit for measuring length, equal to three feet or 0.91 metres" + }, + "navigable": { + "CHS": "(江河、海洋)可航行的,可通航的", + "ENG": "a river, lake etc that is navigable is deep and wide enough for ships to travel on" + }, + "vehement": { + "CHS": "感情强烈的;热烈的;(人)有强烈感情的", + "ENG": "showing very strong feelings or opinions" + }, + "eliminate": { + "CHS": "消灭,消除", + "ENG": "to completely get rid of something that is unnecessary or unwanted" + }, + "prejudice": { + "CHS": "偏见,成见;(法律)损害,伤害", + "ENG": "an un-reasonable dislike and distrust of people who are different from you in some way, especially because of their race, sex, religion etc – used to show disapproval" + }, + "dual": { + "CHS": "二重的,双的", + "ENG": "having two of something or two parts" + }, + "essential": { + "CHS": "本质(的),必要(的)" + }, + "promote": { + "CHS": "开放;促进,宣传", + "ENG": "If people promote something, they help or encourage it to happen, increase, or spread" + }, + "appreciate": { + "CHS": "欣赏,感激;涨价", + "ENG": "used to thank someone in a polite way or to say that you are grateful for something they have done" + }, + "motto": { + "CHS": "座右铭,箴言", + "ENG": "a short sentence or phrase giving a rule on how to behave, which expresses the aims or beliefs of a person, school, or institution" + }, + "toddle": { + "CHS": "(如小孩)蹒跚学步", + "ENG": "if a small child toddles, it walks with short, unsteady steps" + }, + "feud": { + "CHS": "长期不和;争吵", + "ENG": "an angry and often violent quarrel between two people or groups that continues for a long time" + }, + "census": { + "CHS": "人口调查", + "ENG": "an official process of counting a country’s population and finding out about the people" + }, + "archaic": { + "CHS": "(语言、词汇等)古代的,已不通用的", + "ENG": "old and no longer used" + }, + "dissolve": { + "CHS": "使液化,融化;使解散", + "ENG": "if a solid dissolves, or if you dissolve it, it mixes with a liquid and becomes part of it" + }, + "carrier": { + "CHS": "运货人;带菌者;运输军队的交通工具", + "ENG": "a company that moves goods or passengers from one place to another" + }, + "cue": { + "CHS": "提示,暗示", + "ENG": "an action or event that is a signal for something else to happen" + }, + "impromptu": { + "CHS": "无准备的(地);即兴的(地)" + }, + "amaze": { + "CHS": "使惊奇", + "ENG": "to surprise someone very much" + }, + "weary": { + "CHS": "疲倦的,困乏的;令人厌倦的", + "ENG": "very tired or bored, especially because you have been doing something for a long time" + }, + "assurance": { + "CHS": "自信;承诺;保险", + "ENG": "a feeling of calm confidence about your own abilities, or that you are right about something" + }, + "automation": { + "CHS": "自动化,自动操作", + "ENG": "the use of computers and machines instead of people to do a job" + }, + "undertake": { + "CHS": "同意,答应;着手做某事", + "ENG": "to accept that you are responsible for a piece of work, and start to do it" + }, + "pessimism": { + "CHS": "悲观;悲观主义", + "ENG": "a tendency to believe that bad things will happen" + }, + "proxy": { + "CHS": "代理权,代表权;代理人", + "ENG": "if you do something by proxy, you arrange for someone else to do it for you" + }, + "heal": { + "CHS": "治愈;和解", + "ENG": "to make someone who is ill become healthy again, especially by using natural powers or prayer" + }, + "stale": { + "CHS": "食品不新鲜的;陈旧的", + "ENG": "bread or cake that is stale is no longer fresh or good to eat" + }, + "destructive": { + "CHS": "破坏的,破坏性的", + "ENG": "causing damage to people or things" + }, + "pounce": { + "CHS": "突袭,猛扑", + "ENG": "the act of pouncing; a spring or swoop " + }, + "deliver": { + "CHS": "投递,解救;发表;接生", + "ENG": "to make a speech etc to a lot of people" + }, + "defy": { + "CHS": "公然反抗,蔑视,拒绝服从", + "ENG": "If you defy someone or something that is trying to make you behave in a particular way, you refuse to obey them and behave in that way" + }, + "delegate": { + "CHS": "代表", + "ENG": "someone who has been elected or chosen to speak, vote, or take decisions for a group" + }, + "evade": { + "CHS": "回避, 躲避\"", + "ENG": "to avoid talking about something, especially because you are trying to hide something" + }, + "hilarious": { + "CHS": "狂欢的,热闹的" + }, + "septic": { + "CHS": "使腐败的" + }, + "pave": { + "CHS": "铺(路等)", + "ENG": "to cover a path, road, area etc with a hard level surface such as blocks of stone or concrete " + }, + "roar": { + "CHS": "吼叫;轰鸣,怒吼", + "ENG": "to make a deep, very loud noise" + }, + "literature": { + "CHS": "文学,文学作品,文献,著作", + "ENG": "books, plays, poems etc that people think are important and good" + }, + "historic": { + "CHS": "有历史意义的", + "ENG": "a historic event or act is very important and will be recorded as part of history" + }, + "tune": { + "CHS": "曲调,旋律;协调,调动", + "ENG": "a series of musical notes that are played or sung and are nice to listen to" + }, + "aggressive": { + "CHS": "侵略的,有闯劲的", + "ENG": "very determined to succeed or get what you want" + }, + "identification": { + "CHS": "认出,识别;身分证明", + "ENG": "official papers or cards, such as your passport, that prove who you are" + }, + "fuss": { + "CHS": "忙乱,使烦躁", + "ENG": "to worry a lot about things that may not be very important" + }, + "geometry": { + "CHS": "几何学", + "ENG": "the study in mathematics of the angles and shapes formed by the relationships of lines, surfaces, and solid objects in space" + }, + "transit": { + "CHS": "运输,搬运", + "ENG": "the process of moving goods or people from one place to another" + }, + "potent": { + "CHS": "有力的,有效的", + "ENG": "having a very powerful effect or influence on your body or mind" + }, + "transition": { + "CHS": "转变,过渡", + "ENG": "when something changes from one form or state to another" + }, + "commotion": { + "CHS": "混乱,动乱", + "ENG": "sudden noisy activity" + }, + "tropic": { + "CHS": "回归线", + "ENG": "one of the two imaginary lines around the world, either the Tropic of Cancer which is 23.5˚ north of the equator , or the Tropic of Capricorn which is 23.5˚ south of the equator" + }, + "assert": { + "CHS": "宣称;维护" + }, + "malleable": { + "CHS": "(金属)可锻的;有延展性的;(性格)可训练的", + "ENG": "something that is malleable is easy to press or pull into a new shape" + }, + "resolution": { + "CHS": "坚决,坚定;决定,决议;决心,解决", + "ENG": "a formal decision or statement agreed on by a group of people, especially after a vote" + }, + "fleet": { + "CHS": "舰队;船队", + "ENG": "a group of ships, or all the ships in a navy" + }, + "summary": { + "CHS": "概括的;即时的", + "ENG": "done immediately, and not following the normal process" + }, + "irony": { + "CHS": "反话,冷嘲,讽刺性的事件、情况等", + "ENG": "a situation that is unusual or amusing because something strange happens, or the opposite of what is expected happens or is true" + }, + "perspective": { + "CHS": "透视;透视画法;视角,观点", + "ENG": "a way of thinking about something, especially one which is influenced by the type of person you are or by your experiences" + }, + "polar": { + "CHS": "南(北)极的;极端相反的", + "ENG": "close to or relating to the North Pole or the South Pole" + }, + "attendant": { + "CHS": "服务员;仆人", + "ENG": "someone whose job is to look after or help customers in a public place" + }, + "handicap": { + "CHS": "障碍,残废", + "ENG": "if someone has a handicap, a part of their body or their mind has been permanently injured or damaged. Many people think that this word is offensive." + }, + "eligible": { + "CHS": "合格的,适宜的", + "ENG": "someone who is eligible for something is able or allowed to do it, for example because they are the right age" + }, + "crooked": { + "CHS": "弯曲的,欺诈的", + "ENG": "bent, twisted, or not in a straight line" + }, + "diplomatic": { + "CHS": "外交的;外交手腕的", + "ENG": "relating to or involving the work of diplomats" + }, + "plough": { + "CHS": "犁,犁形器具;犁地", + "ENG": "a piece of farm equipment used to turn over the earth so that seeds can be planted" + }, + "riot": { + "CHS": "暴乱;骚动;放纵", + "ENG": "a situation in which a large crowd of people are behaving in a violent and uncontrolled way, especially when they are protesting about something" + }, + "absorb": { + "CHS": "吸收;吸引", + "ENG": "to take in liquid, gas, or another substance from the surface or space around something" + }, + "parody": { + "CHS": "模仿,拙劣的模仿", + "ENG": "a piece of writing, music etc or an action that copies someone or something in an amusing way" + }, + "gear": { + "CHS": "使相适合", + "ENG": "to be organized in a way that is suitable for a particular purpose or situation" + }, + "errand": { + "CHS": "差使;差事" + }, + "microcosm": { + "CHS": "微观世界;缩影", + "ENG": "a small group, society, or place that has the same qualities as a much larger one" + }, + "inapt": { + "CHS": "不适当的,不合适的", + "ENG": "an inapt phrase, statement etc is not right for a particular situation" + }, + "decent": { + "CHS": "正当的,合适的;文雅的,尚可的", + "ENG": "following moral standards that are acceptable to society" + }, + "coeducation": { + "CHS": "男女同校", + "ENG": "a system in which students of both sexes are educated together" + }, + "utility": { + "CHS": "有用,实用;公用事业(煤气,水电)", + "ENG": "a service such as gas or electricity provided for people to use" + }, + "sterling": { + "CHS": "金银标准成份的,货真价实的,纯正的" + }, + "ominous": { + "CHS": "不祥的,不吉利的", + "ENG": "making you feel that something bad is going to happen" + }, + "erect": { + "CHS": "直立的,竖直的", + "ENG": "in a straight upright position" + }, + "immigrant": { + "CHS": "移民,侨民", + "ENG": "someone who enters another country to live there permanently" + }, + "periphery": { + "CHS": "(圆体的)外面;周围", + "ENG": "the edge of an area" + }, + "execute": { + "CHS": "实行,贯彻,实施;处死;演奏", + "ENG": "to kill someone, especially legally as a punishment" + }, + "arbitrary": { + "CHS": "任性的,专断的", + "ENG": "decided or arranged without any reason or plan, often unfairly" + }, + "good": { + "CHS": "好的,好事", + "ENG": "morally bad" + }, + "interact": { + "CHS": "干预,干涉,触犯,妨碍" + }, + "spectacular": { + "CHS": "壮观的", + "ENG": "very impressive" + }, + "layman": { + "CHS": "俗人,外行,门外汉", + "ENG": "someone who is not trained in a particular subject or type of work, especially when they are being compared with someone who is" + }, + "rust": { + "CHS": "锈,生锈;荒废", + "ENG": "the reddish-brown substance that forms on iron or steel when it gets wet" + }, + "elderly": { + "CHS": "年纪相当大的", + "ENG": "people who are old" + }, + "prolong": { + "CHS": "延长,拖延", + "ENG": "to deliberately make something such as a feeling or an activity last longer" + }, + "whereby": { + "CHS": "凭什么,靠那个,借以", + "ENG": "by means of which or according to which" + }, + "jog": { + "CHS": "轻推,轻撞,缓步前进,漫跑", + "ENG": "to run slowly and steadily, especially as a way of exercising" + }, + "persist": { + "CHS": "坚持;持续", + "ENG": "to continue to do something, although this is difficult, or other people oppose it" + }, + "settle": { + "CHS": "定居,停留;解决;支付", + "ENG": "to end an argument or solve a disagreement" + }, + "hawk": { + "CHS": "鹰,骗子;鹰派成员", + "ENG": "a large bird that hunts and eats small birds and animals" + }, + "heritage": { + "CHS": "传统,遗产", + "ENG": "the traditional beliefs, values, customs etc of a family, country, or society" + }, + "pad": { + "CHS": "步行,走路", + "ENG": "to walk softly and quietly" + }, + "ongoing": { + "CHS": "继续的", + "ENG": "continuing, or continuing to develop" + }, + "souvenir": { + "CHS": "纪念品", + "ENG": "an object that you buy or keep to remind yourself of a special occasion or a place you have visited" + }, + "pastime": { + "CHS": "消遣,娱乐", + "ENG": "something that you do because you think it is enjoyable or interesting" + }, + "foster": { + "CHS": "养育,领养", + "ENG": "to take someone else’s child into your family for a period of time but without becoming their legal parent" + }, + "exaggerate": { + "CHS": "夸大,夸张", + "ENG": "to make something seem better, larger, worse etc than it really is" + }, + "gracious": { + "CHS": "亲切的,和善的;任慈的", + "ENG": "behaving in a polite, kind, and generous way, especially to people of a lower rank" + }, + "familiar": { + "CHS": "熟悉的,通晓的;亲密的,常见的", + "ENG": "someone or something that is familiar is well-known to you and easy to recognize" + }, + "physiological": { + "CHS": "生理学的" + }, + "warehouse": { + "CHS": "仓库", + "ENG": "a large building for storing large quantities of goods" + }, + "solitary": { + "CHS": "独居的,孤独的,惟一的;荒凉的", + "ENG": "used to emphasize that there is only one of something" + }, + "complication": { + "CHS": "结构复杂,麻烦" + }, + "redeem": { + "CHS": "买回,赎回;补偿;补救", + "ENG": "to make something less bad" + }, + "turnover": { + "CHS": "营业收入;营业额;人员调整,人员更替率", + "ENG": "the amount of business done during a particular period" + }, + "sanction": { + "CHS": "批准,认可,赞许;制裁", + "ENG": "official orders or laws stopping trade, communication etc with another country, as a way of forcing its leaders to make political changes" + }, + "motivate": { + "CHS": "促动;激发", + "ENG": "to make someone want to achieve something and make them willing to work hard in order to do this" + }, + "thorn": { + "CHS": "刺,荆棘", + "ENG": "a sharp point that grows on the stem of a plant such as a rose" + }, + "involve": { + "CHS": "使陷入,使卷入,包含", + "ENG": "if an activity or situation involves something, that thing is part of it or a result of it" + }, + "architect": { + "CHS": "建筑师;设计师", + "ENG": "someone whose job is to design buildings" + }, + "particle": { + "CHS": "颗粒,微粒,[语]小品词", + "ENG": "a very small piece of something" + }, + "accord": { + "CHS": "一致,符合", + "ENG": "a situation in which two people, ideas, or statements agree with each other" + }, + "pay": { + "CHS": "支付;有利;给予", + "ENG": "to give someone money for the job they do" + }, + "pharmaceutical": { + "CHS": "制药的;药物的", + "ENG": "relating to the production of drugs and medicines" + }, + "insult": { + "CHS": "侮辱的言词或行为" + }, + "tug": { + "CHS": "用力拉,猛拉,拖拉", + "ENG": "to pull with one or more short, quick pulls" + }, + "constituent": { + "CHS": "选民;成份" + }, + "piecemeal": { + "CHS": "零碎地,零碎的" + }, + "decimal": { + "CHS": "十进法的,小数的", + "ENG": "a decimal system is based on the number 10" + }, + "starch": { + "CHS": "淀粉", + "ENG": "a substance which provides your body with energy and is found in foods such as grain, rice, and potatoes, or a food that contains this substance" + }, + "invincible": { + "CHS": "无敌的,不能征服的" + }, + "anchor": { + "CHS": "锚;危难时可依靠的人或物;用锚泊船", + "ENG": "a piece of heavy metal that is lowered to the bottom of the sea, a lake etc to prevent a ship or boat moving" + }, + "avail": { + "CHS": "用处,利益" + }, + "isolate": { + "CHS": "隔离,孤立", + "ENG": "to separate one person, group, or thing from other people or things" + }, + "limp": { + "CHS": "跛行,蹒跚", + "ENG": "to walk slowly and with difficulty because one leg is hurt or injured" + }, + "represent": { + "CHS": "代表;声称", + "ENG": "to officially speak or take action for another person or group of people" + }, + "dissipate": { + "CHS": "消散,消失;浪费,挥霍", + "ENG": "to gradually become less or weaker before disappearing completely, or to make something do this" + }, + "intersection": { + "CHS": "交**点,十字街口", + "ENG": "a place where roads, lines etc cross each other, especially where two roads meet" + }, + "complement": { + "CHS": "补充,补足", + "ENG": "to make a good combination with someone or something else" + }, + "vacuum": { + "CHS": "真空", + "ENG": "a space that is completely empty of all gas, especially one from which all the air has been taken away" + }, + "personal": { + "CHS": "个人的;身体的", + "ENG": "belonging or relating to one particular person, rather than to other people or to people in general" + }, + "sulphur": { + "CHS": "(化学)硫", + "ENG": "a common light yellow chemical substance that burns with a very strong unpleasant smell, and is used in drugs, explosives, and industry. It is a chemical element :symbol S" + }, + "stride": { + "CHS": "大踏步走", + "ENG": "a long step you make while you are walking" + }, + "linen": { + "CHS": "亚麻布,衬衣裤", + "ENG": "cloth made from the flax plant, used to make high quality clothes, home decorations etc" + }, + "grip": { + "CHS": "紧握,抓紧,握力;柄", + "ENG": "the way you hold something tightly, or your ability to do this" + }, + "sake": { + "CHS": "缘故;目的", + "ENG": "in order to help, improve, or please someone or something" + }, + "piety": { + "CHS": "虔诚", + "ENG": "when you behave in a way that shows respect for your religion" + }, + "concern": { + "CHS": "\"" + }, + "intuition": { + "CHS": "直觉,直觉知识", + "ENG": "the ability to understand or know something because of a feeling rather than by considering the facts" + }, + "troupe": { + "CHS": "剧团,戏班", + "ENG": "a group of singers, actors, dancers etc who work together" + }, + "panel": { + "CHS": "镶板,控制板;座谈小组;镶饰", + "ENG": "a board in a car, plane, boat etc that has the controls on it" + }, + "ascent": { + "CHS": "上升,上坡", + "ENG": "the act of climbing something or moving upwards" + }, + "anthem": { + "CHS": "赞美诗,圣歌", + "ENG": "a formal or religious song" + }, + "traverse": { + "CHS": "横越,穿过", + "ENG": "to move across, over, or through something, especially an area of land or water" + }, + "qualify": { + "CHS": "(使)合格", + "ENG": "to have the right to have or do something, or to give someone this right" + }, + "manifold": { + "CHS": "多样的;种种的", + "ENG": "many and of different kinds" + }, + "oriental": { + "CHS": "东方的;东方人", + "ENG": "a word for someone from the eastern part of the world, especially China or Japan, now considered offensive" + }, + "fracture": { + "CHS": "碎片,片断;分数", + "ENG": "A fracture is a crack or break in something, especially a bone" + }, + "snap": { + "CHS": "中迅速恢复过来;改变" + }, + "capture": { + "CHS": "捕获,俘虏,夺得;战利品", + "ENG": "to catch a person and keep them as a prisoner" + }, + "kidney": { + "CHS": "肾,腰子", + "ENG": "one of the two organs in your lower back that separate waste products from your blood and make urine" + }, + "disaster": { + "CHS": "灾难,祸患", + "ENG": "a sudden event such as a flood, storm, or accident which causes great damage or suffering" + }, + "customary": { + "CHS": "通常的;惯例的", + "ENG": "something that is customary is normal because it is the way something is usually done" + }, + "tentative": { + "CHS": "暂时的;试验性的" + }, + "figure": { + "CHS": "相信,计算", + "ENG": "to calculate an amount" + }, + "undergo": { + "CHS": "经历,遭受", + "ENG": "if you undergo a change, an unpleasant experience etc, it happens to you or is done to you" + }, + "sprawl": { + "CHS": "植物蔓生;城市无计划扩张" + }, + "trek": { + "CHS": "长途跋涉;旅行", + "ENG": "to make a long and difficult journey, especially on foot" + }, + "equation": { + "CHS": "方程式,等式", + "ENG": "a statement in mathematics that shows that two amounts or totals are equal" + }, + "mould": { + "CHS": "模子,模型;模制品", + "ENG": "a hollow container that you pour a liquid or soft substance into, so that when it becomes solid, it takes the shape of the container" + }, + "depict": { + "CHS": "描写,描绘", + "ENG": "to describe something or someone in writing or speech, or to show them in a painting, picture etc" + }, + "grease": { + "CHS": "涂油脂于", + "ENG": "to put butter, grease etc on a pan etc to prevent food from sticking to it" + }, + "insolvent": { + "CHS": "无偿债能力的", + "ENG": "not having enough money to pay what you owe" + }, + "misery": { + "CHS": "悲惨,痛苦的事", + "ENG": "great unhappiness" + }, + "zeal": { + "CHS": "热心,热情", + "ENG": "eagerness to do something, especially to achieve a particular religious or political aim" + }, + "erupt": { + "CHS": "喷发,爆发", + "ENG": "if fighting, violence, noise etc erupts, it starts suddenly" + }, + "compliance": { + "CHS": "遵守,依从", + "ENG": "when someone obeys a rule, agreement, or demand" + }, + "apparent": { + "CHS": "明显的,表面上的", + "ENG": "easy to notice" + }, + "ore": { + "CHS": "矿石", + "ENG": "rock or earth from which metal can be obtained" + }, + "temper": { + "CHS": "使软化,使缓和", + "ENG": "to make something less severe or extreme" + }, + "atlas": { + "CHS": "地图册;图表集", + "ENG": "a book containing maps, especially of the whole world" + }, + "fuse": { + "CHS": "熔,烧断电路", + "ENG": "if electrical equipment fuses, or if you fuse it, it stops working because a fuse has melted" + }, + "antecedent": { + "CHS": "先行的;祖先;履历", + "ENG": "an event, organization, or thing that is similar to the one you have mentioned but existed earlier" + }, + "inflict": { + "CHS": "使遭受,强加", + "ENG": "to make someone suffer something unpleasant" + }, + "glossary": { + "CHS": "词汇表;术语汇编", + "ENG": "a list of special words and explanations of their meanings, often at the end of a book" + }, + "declare": { + "CHS": "宣告,声明;断言;申报应纳税物品", + "ENG": "to state officially and publicly that a particular situation exists or that something is true" + }, + "generate": { + "CHS": "使产生,使发生", + "ENG": "to produce or cause something" + }, + "regeneration": { + "CHS": "新生,更新" + }, + "jagged": { + "CHS": "边缘不整齐的,参差不齐的" + }, + "impressive": { + "CHS": "给人深刻印象的,惊人的", + "ENG": "something that is impressive makes you admire it because it is very good, large, important etc" + }, + "parallel": { + "CHS": "类似的人或事,比较", + "ENG": "If something has a parallel, it is similar to something else, but exists or happens in a different place or at a different time. If it has no parallel or is without parallel, it is not similar to anything else. " + }, + "patio": { + "CHS": "天井" + }, + "overdue": { + "CHS": "过期未付的", + "ENG": "not done, paid, returned etc by the time expected" + }, + "amount": { + "CHS": "等于;总数;数量", + "ENG": "a quantity of something such as time, money, or a substance" + }, + "cast": { + "CHS": "投,掷,抛;铸造;扮演角色", + "ENG": "to make light or a shadow appear somewhere" + }, + "lodging": { + "CHS": "寄宿,住所;(大学生的)校外宿舍", + "ENG": "a place to stay" + }, + "dingy": { + "CHS": "脏的,邋遢的", + "ENG": "dark, dirty, and in bad condition" + }, + "temperament": { + "CHS": "性情,气质", + "ENG": "the emotional part of someone’s character, especially how likely they are to be happy, angry etc" + }, + "shabby": { + "CHS": "破旧的,褴褛的,卑鄙的,不公平的", + "ENG": "shabby clothes, places, or objects are untidy and in bad condition because they have been used for a long time" + }, + "foremost": { + "CHS": "最重要的(地),第一流的(地)" + }, + "merge": { + "CHS": "(企业)兼并,合并", + "ENG": "to combine, or to join things together to form one thing" + }, + "attorney": { + "CHS": "律师", + "ENG": "a lawyer" + }, + "militant": { + "CHS": "好斗的", + "ENG": "a militant organization or person is willing to use strong or violent action in order to achieve political or social change" + }, + "wrinkle": { + "CHS": "皱纹", + "ENG": "wrinkles are lines on your face and skin that you get when you are old" + }, + "maintain": { + "CHS": "维持;抚养;坚持;维修", + "ENG": "to make something continue in the same way or at the same standard as before" + }, + "editorial": { + "CHS": "编辑的,编者的", + "ENG": "relating to the preparation of a newspaper, book, television programme etc for printing or broadcasting" + }, + "kin": { + "CHS": "家族、亲属", + "ENG": "your family" + }, + "contend": { + "CHS": "斗争,竞争,争论", + "ENG": "to compete against someone in order to gain something" + }, + "partition": { + "CHS": "分开,分割", + "ENG": "the action of separating a country into two or more independent countries" + }, + "outbreak": { + "CHS": "(战争、愤怒等)爆发", + "ENG": "if there is an outbreak of fighting or disease in an area, it suddenly starts to happen" + }, + "authoritative": { + "CHS": "有权威的;命令的;可靠的", + "ENG": "an authoritative book, account etc is respected because the person who wrote it knows a lot about the subject" + }, + "slippery": { + "CHS": "表面光滑的,(人)不老实的,不可靠的", + "ENG": "something that is slippery is difficult to hold, walk on etc because it is wet or greasy " + }, + "goal": { + "CHS": "(足球)球门;得分;目标", + "ENG": "something that you hope to achieve in the future" + }, + "outstrip": { + "CHS": "胜过,超过", + "ENG": "to do something better than someone else or be more successful" + }, + "preceding": { + "CHS": "在前的,在先的", + "ENG": "happening or coming before the time, place, or part mentioned" + }, + "transform": { + "CHS": "改变(形状性质等)", + "ENG": "to completely change the appearance, form, or character of something or someone, especially in a way that improves it" + }, + "skim": { + "CHS": "浏览,略读;掠过,抹去", + "ENG": "to remove something from the surface of a liquid, especially floating fat, solids, or oil" + }, + "insure": { + "CHS": "给…保险", + "ENG": "to buy insurance so that you will receive money if something bad happens to you, your family, your possessions etc" + }, + "debris": { + "CHS": "碎片,瓦砾堆", + "ENG": "the pieces of something that are left after it has been destroyed in an accident, explosion etc" + }, + "hemisphere": { + "CHS": "半球,(地球的)半球", + "ENG": "a half of the Earth, especially one of the halves above and below the equator " + }, + "dominant": { + "CHS": "支配的,统治的", + "ENG": "Someone or something that is dominant is more powerful, successful, influential, or noticeable than other people or things" + }, + "antonym": { + "CHS": "反义词", + "ENG": "a word that means the opposite of another word" + }, + "emerge": { + "CHS": "出现,浮现,暴露", + "ENG": "to appear or come out from somewhere" + }, + "squeeze": { + "CHS": "榨,挤", + "ENG": "to press something firmly together with your fingers or hand" + }, + "nicety": { + "CHS": "细微的区别及差异", + "ENG": "a small detail or point of difference, especially one that is usually considered to be part of the correct way of doing something" + }, + "role": { + "CHS": "角色,任务", + "ENG": "the character played by an actor in a play or film" + }, + "remind": { + "CHS": "提醒", + "ENG": "to make someone remember something that they must do" + }, + "torture": { + "CHS": "拷打,折磨,使受剧烈痛苦", + "ENG": "an act of deliberately hurting someone in order to force them to tell you something, to punish them, or to be cruel" + }, + "condense": { + "CHS": "浓缩;冷凝;精简", + "ENG": "if a gas condenses, or is condensed, it becomes a liquid" + }, + "exclusively": { + "CHS": "专门地,排除其他地", + "ENG": "Exclusively is used to refer to situations or activities that involve only the thing or things mentioned, and nothing else" + }, + "integral": { + "CHS": "构成整体所必需的,完整的", + "ENG": "forming a necessary part of something" + }, + "token": { + "CHS": "标专,记号;象征性的", + "ENG": "something that represents a feeling, fact, event etc" + }, + "shift": { + "CHS": "位置转移,性格转变;轮班", + "ENG": "a change in the way people think about something, in the way something is done etc" + }, + "taxation": { + "CHS": "税制,税项", + "ENG": "the system of charging taxes" + }, + "tow": { + "CHS": "拖;拉", + "ENG": "to pull a vehicle or ship along behind another vehicle, using a rope or chain" + }, + "reliable": { + "CHS": "可靠的,可信赖的", + "ENG": "someone or something that is reliable can be trusted or depended on" + }, + "deft": { + "CHS": "灵巧的,熟练的", + "ENG": "a deft movement is skilful, and often quick" + }, + "potion": { + "CHS": "(药等的)一服;一剂", + "ENG": "A potion is a drink that contains medicine, poison, or something that is supposed to have magic powers" + }, + "disarray": { + "CHS": "弄乱,扰乱", + "ENG": "the state of being untidy or not organized" + }, + "overall": { + "CHS": "罩衫,工装裤", + "ENG": "a loose-fitting piece of clothing like a coat, that is worn over clothes to protect them" + }, + "resource": { + "CHS": "资源;机智", + "ENG": "something such as useful land, or minerals such as oil or coal, that exists in a country and can be used to increase its wealth" + }, + "species": { + "CHS": "生物的种;种类", + "ENG": "a group of animals or plants whose members are similar and can breed together to produce young animals or plants" + }, + "platform": { + "CHS": "月台,站台;讲台;(政党的)政纲,党纲", + "ENG": "the raised place beside a railway track where you get on and off a train in a station" + }, + "elastic": { + "CHS": "橡皮圈" + }, + "tenancy": { + "CHS": "租赁;租期", + "ENG": "the period of time that someone rents a house, land etc" + }, + "minimal": { + "CHS": "最小的;最低限度的", + "ENG": "very small in degree or amount, especially the smallest degree or amount possible" + }, + "inevitable": { + "CHS": "不可避免的,照例必有的", + "ENG": "certain to happen and impossible to avoid" + }, + "contradict": { + "CHS": "反驳,否认,同矛盾", + "ENG": "to disagree with something, especially by saying that the opposite is true" + }, + "subsidy": { + "CHS": "补助金;津贴费", + "ENG": "money that is paid by a government or organization to make prices lower, reduce the cost of producing goods etc" + }, + "flare": { + "CHS": "张开", + "ENG": "if a person or animal flares their nostril s (= the openings at the end of the nose ) , or if their nostrils flare, their nostrils become wider because they are angry" + }, + "digest": { + "CHS": "文摘,摘要", + "ENG": "a short piece of writing that gives the most important facts from a book, report etc" + }, + "din": { + "CHS": "喧闹,嘈杂", + "ENG": "a loud unpleasant noise that continues for a long time" + }, + "shoal": { + "CHS": "鱼群", + "ENG": "a large group of fish swimming together" + }, + "hasty": { + "CHS": "急速的;匆促的", + "ENG": "done in a hurry, especially with bad results" + }, + "insulate": { + "CHS": "使绝缘,使绝热,隔离", + "ENG": "to cover or protect something with a material that stops electricity, sound, heat etc from getting in or out" + }, + "colony": { + "CHS": "殖民地;侨民", + "ENG": "a country or area that is under the political control of a more powerful country, usually one that is far away" + }, + "repent": { + "CHS": "悔悟,后悔", + "ENG": "to be sorry for something and wish you had not done it – used especially when considering your actions in a religious way" + }, + "illusion": { + "CHS": "幻象,错觉", + "ENG": "an idea or opinion that is wrong, especially about yourself" + }, + "enrolment": { + "CHS": "登记,入学", + "ENG": "the process of arranging to join a school, university, course etc" + }, + "chaos": { + "CHS": "混乱,纷乱", + "ENG": "a situation in which everything is happening in a confused way and nothing is organized or arranged in order" + }, + "pine": { + "CHS": "松树", + "ENG": "a tall tree with long hard sharp leaves that do not fall off in winter" + }, + "transfuse": { + "CHS": "给输血" + }, + "comic": { + "CHS": "喜剧的,滑稽的n连环漫画杂志;喜剧演员", + "ENG": "amusing you and making you want to laugh" + }, + "infectious": { + "CHS": "传染的;感染性的", + "ENG": "an infectious illness can be passed from one person to another, especially through the air you breathe" + }, + "liable": { + "CHS": "有倾向的;可能遭受的;有责任的", + "ENG": "legally responsible for the cost of something" + }, + "composite": { + "CHS": "合成的,复合的", + "ENG": "made up of different parts or materials" + }, + "moustache": { + "CHS": "(嘴唇上面的)胡子", + "ENG": "hair that grows on a man’s upper lip" + }, + "acquaint": { + "CHS": "使认识;使熟悉" + }, + "adjoin": { + "CHS": "贴近,与毗连" + }, + "sphere": { + "CHS": "球,球面;天体;(兴趣,活动,势力等)范围 \"", + "ENG": "a ball shape" + }, + "anecdote": { + "CHS": "轶事,趣闻", + "ENG": "a short story based on your personal experience" + }, + "compartment": { + "CHS": "分隔间;火车车厢的分隔间", + "ENG": "a smaller enclosed space inside something larger" + }, + "durable": { + "CHS": "耐用品" + }, + "growl": { + "CHS": "嗥叫;轰鸣;咆哮着说", + "ENG": "Growl is also a noun" + }, + "submit": { + "CHS": "(使)服从;提交", + "ENG": "to give a plan, piece of writing etc to someone in authority for them to consider or approve" + }, + "arrogant": { + "CHS": "傲慢的,自负的", + "ENG": "behaving in an unpleasant or rude way because you think you are more important than other people" + }, + "persecute": { + "CHS": "迫害;烦扰", + "ENG": "to treat someone cruelly or unfairly over a period of time, especially because of their religious or political beliefs" + }, + "slot": { + "CHS": "狭缝;槽沟", + "ENG": "a long narrow hole in a surface, that you can put something into" + }, + "access": { + "CHS": "通路", + "ENG": "the way you use to enter a building or reach a place" + }, + "terrestrial": { + "CHS": "地球上的,陆地的", + "ENG": "relating to the Earth rather than to the moon or other planets " + }, + "crater": { + "CHS": "火山口; 弹坑", + "ENG": "a round hole in the ground made by something that has fallen on it or by an explosion" + }, + "charge": { + "CHS": "指控;控告;冲锋;要价;充电", + "ENG": "to state officially that someone may be guilty of a crime" + }, + "nurture": { + "CHS": "养育,培育,教养", + "ENG": "to feed and take care of a child or a plant while it is growing" + }, + "splash": { + "CHS": "溅水,泼水;显示,鼓吹", + "ENG": "If you splash around or splash about in water, you hit or disturb the water in a noisy way, causing some of it to fly up into the air" + }, + "modest": { + "CHS": "谦让的,适度的;有礼貌的", + "ENG": "A modest house or other building is not large or expensive" + }, + "inspiration": { + "CHS": "灵感,鼓舞人心的人或事,好主意", + "ENG": "a good idea about what you should do, write, say etc, especially one which you get suddenly" + }, + "doubtless": { + "CHS": "无疑地", + "ENG": "used when saying that something is almost certain to happen or be true" + }, + "version": { + "CHS": "描述,译文;说法", + "ENG": "someone’s version of an event is their description of it, when this is different from the description given by another person" + }, + "slack": { + "CHS": "懈怠的;萧条的;呆滞的;松驰的;不紧的", + "ENG": "hanging loosely, or not pulled tight" + }, + "correlate": { + "CHS": "(使)相关联", + "ENG": "if two or more facts, ideas etc correlate or if you correlate them, they are closely connected to each other or one causes the other" + }, + "subside": { + "CHS": "洪水退落;土地下沉;建筑物沉降", + "ENG": "if a building or an area of land subsides, it gradually sinks to a lower level" + }, + "donation": { + "CHS": "捐款,捐赠", + "ENG": "something, especially money, that you give to a person or an organ-ization in order to help them" + }, + "feel": { + "CHS": "感觉,摸,感知;同情", + "ENG": "to give you a particular physical feeling, especially when you touch or hold something" + }, + "piracy": { + "CHS": "海上掠夺;侵犯版权" + }, + "oscillate": { + "CHS": "摆动,振动;踌躇,犹豫", + "ENG": "to keep changing between one feeling or attitude and another" + }, + "norm": { + "CHS": "标准,规范", + "ENG": "the usual or normal situation, way of doing something etc" + }, + "trample": { + "CHS": "踩,践踏;蔑视,粗暴对待", + "ENG": "to step heavily on something, so that you crush it with your feet" + }, + "compliment": { + "CHS": "恭维;称赞", + "ENG": "to say something nice to someone in order to praise them" + }, + "genuine": { + "CHS": "真正的,名副其实的", + "ENG": "a genuine feeling, desire etc is one that you really feel, not one you pretend to feel" + }, + "fancy": { + "CHS": "颜色鲜艳的;奇特的n&v想象力,设想,爱好", + "ENG": "fancy food is of a high quality" + }, + "augment": { + "CHS": "增大,增加", + "ENG": "to increase the value, amount, effectiveness etc of something" + }, + "smart": { + "CHS": "漂亮的;聪明的;轻快的", + "ENG": "intelligent or sensible" + }, + "gaudy": { + "CHS": "绚丽的", + "ENG": "clothes, colours etc that are gaudy are too bright and look cheap – used to show disapproval" + }, + "generalize": { + "CHS": "概括,归纳", + "ENG": "to form a general principle or opinion after considering only a small number of facts or examples" + }, + "carpenter": { + "CHS": "木工,木匠", + "ENG": "someone whose job is making and repairing wooden objects" + }, + "sincere": { + "CHS": "真挚的;诚恳的", + "ENG": "a feeling, belief, or statement that is sincere is honest and true, and based on what you really feel and believe" + }, + "glimmer": { + "CHS": "(发)微光;少许,微量", + "ENG": "a light that is not very bright" + }, + "muster": { + "CHS": "集合,检阅,集中", + "ENG": "if soldiers muster, or if someone musters them, they come together in a group" + }, + "gene": { + "CHS": "基因", + "ENG": "a part of a cell in a living thing that controls what it looks like, how it grows, and how it develops. People get their genes from their parents" + }, + "devastating": { + "CHS": "破坏性的,毁灭性的", + "ENG": "badly damaging or destroying something" + }, + "decree": { + "CHS": "法令,判决", + "ENG": "an official order or decision, especially one made by the ruler of a country" + }, + "reservoir": { + "CHS": "水库;蓄水池", + "ENG": "a lake, especially an artificial one, where water is stored before it is supplied to people’s houses" + }, + "jeopardize": { + "CHS": "使受危害,使陷险境", + "ENG": "To jeopardize a situation or activity means to do something that may destroy it or cause it to fail" + }, + "sterilize": { + "CHS": "使不结果实;使绝育;使无效;杀菌", + "ENG": "to make something completely clean by killing any bacteria in it" + }, + "deadlock": { + "CHS": "僵局,僵局", + "ENG": "a situation in which a disagreement cannot be settled" + }, + "chant": { + "CHS": "唱,歌颂", + "ENG": "to repeat a word or phrase again and again" + }, + "rupture": { + "CHS": "破裂", + "ENG": "an occasion when something suddenly breaks apart or bursts" + }, + "ritual": { + "CHS": "仪式的", + "ENG": "done as part of a rite or ritual" + }, + "gaol": { + "CHS": "监狱,监禁" + }, + "leaflet": { + "CHS": "散页的印刷品,传单", + "ENG": "a small book or piece of paper advertising something or giving information on a particular subject" + }, + "subsequent": { + "CHS": "接着的,然后的", + "ENG": "happening or coming after something else" + }, + "aviation": { + "CHS": "航空(学)", + "ENG": "the science or practice of flying in aircraft" + }, + "fraud": { + "CHS": "诈骗,骗子", + "ENG": "the crime of deceiving people in order to gain something such as money or goods" + }, + "initial": { + "CHS": "签名首字母于", + "ENG": "to write your initials on a document to make it official or to show that you agree with something" + }, + "erase": { + "CHS": "擦掉,抹掉", + "ENG": "to remove writing from paper" + }, + "readily": { + "CHS": "迅速地;容易地", + "ENG": "quickly and easily" + }, + "limb": { + "CHS": "肢;翼;翅膀;大树枝", + "ENG": "an arm or leg" + }, + "mint": { + "CHS": "薄荷;造币厂", + "ENG": "a small plant with green leaves that have a fresh smell and taste and are used in cooking" + }, + "pitch": { + "CHS": "球场;声音的高低度;沥青;程度v投掷", + "ENG": "a marked out area of ground on which a sport is played" + }, + "counter": { + "CHS": "反对,反击", + "ENG": "to say something in order to try to prove that what someone said was not true or as a reply to something" + }, + "dedicate": { + "CHS": "奉献,供奉,题献(著作)", + "ENG": "to say at the beginning of a book or film, or before a piece of music, that it has been written, made, or performed for someone that you love or respect" + }, + "vindicate": { + "CHS": "为辩白;证明正确", + "ENG": "to prove that someone or something is right or true" + }, + "current": { + "CHS": "水流;气流", + "ENG": "a continuous movement of water in a river, lake, or sea" + }, + "flaunt": { + "CHS": "夸耀,夸饰", + "ENG": "to show your money, success, beauty etc so that other people notice it – used to show disapproval" + }, + "parliament": { + "CHS": "议会,国会", + "ENG": "the group of people who are elected to make a country’s laws and discuss important national affairs" + }, + "specification": { + "CHS": "载明,详述;规格,清单,说明书", + "ENG": "a detailed instruction about how a car, building, piece of equipment etc should be made" + }, + "anniversary": { + "CHS": "周年纪念", + "ENG": "a date on which something special or important happened in a previous year" + }, + "homestay": { + "CHS": "在当地居民家居住" + }, + "scan": { + "CHS": "细看;浏览", + "ENG": "to examine an area carefully but quickly, often because you are looking for a particular person or thing" + }, + "grace": { + "CHS": "使优美", + "ENG": "to make a place or an object look more attractive" + }, + "cite": { + "CHS": "引用,传讯;举例", + "ENG": "to give the exact words of something that has been written, especially in order to support an opinion or prove an idea" + }, + "tranquility": { + "CHS": "安静,平静" + }, + "severe": { + "CHS": "严重的;严厉的,剧烈的", + "ENG": "severe problems, injuries, illnesses etc are very bad or very serious" + }, + "excess": { + "CHS": "额外的,附加的", + "ENG": "Excess is used to refer to additional amounts of money that need to be paid for services and activities that were not originally planned or taken into account" + }, + "considerate": { + "CHS": "考虑周到的;体谅别人的", + "ENG": "Someone who is considerate pays attention to the needs, wishes, or feelings of other people" + }, + "distort": { + "CHS": "歪曲,弄歪,曲解", + "ENG": "to report something in a way that is not completely true or correct" + }, + "corpse": { + "CHS": "尸体;被废弃的东西", + "ENG": "the dead body of a person" + }, + "entity": { + "CHS": "实体;存在", + "ENG": "something that exists as a single and complete unit" + }, + "wander": { + "CHS": "漫游;迷路;离题", + "ENG": "to walk away from where you are supposed to stay" + }, + "acute": { + "CHS": "厉害的,敏锐的,(疾病等)急性的", + "ENG": "an acute illness or disease quickly becomes very serious" + }, + "delectable": { + "CHS": "使人愉快的;美味的", + "ENG": "extremely pleasant to taste or smell" + }, + "context": { + "CHS": "上下文,(事情)来龙去脉", + "ENG": "the words that come just before and after a word or sentence and that help you understand its meaning" + }, + "dominate": { + "CHS": "统治,支配,俯瞰,俯视", + "ENG": "to control someone or something or to have more importance than other people or things" + }, + "flyover": { + "CHS": "公路上的陆桥" + }, + "quaint": { + "CHS": "古雅的;离奇的", + "ENG": "unusual and attractive, especially in an old-fashioned way" + }, + "dispose": { + "CHS": "处理,处置,除去", + "ENG": "to arrange things or put them in their places" + }, + "regulate": { + "CHS": "管理,控制;调整", + "ENG": "to control an activity or process, especially by rules" + }, + "antibiotic": { + "CHS": "抗生素;抗菌的", + "ENG": "a drug that is used to kill bacteria and cure infections" + }, + "influence": { + "CHS": "影响(力),感化(力),有影响的人或事", + "ENG": "the power to affect the way someone or something develops, behaves, or thinks, without using direct force or orders" + }, + "vein": { + "CHS": "静脉,叶脉;(石头)纹理;矿脉", + "ENG": "one of the tubes which carries blood to your heart from other parts of your body" + }, + "obsession": { + "CHS": "缠住,被困扰;观念固执,死脑筋" + }, + "capital": { + "CHS": "可处死刑的", + "ENG": "an offence that is punished by death" + }, + "swerve": { + "CHS": "突然转向", + "ENG": "to make a sudden sideways movement while moving forwards, usually in order to avoid hitting something" + }, + "remnant": { + "CHS": "残(剩)余", + "ENG": "a small part of something that remains after the rest of it has been used, destroyed, or eaten" + }, + "tilt": { + "CHS": "倾斜,斜坡", + "ENG": "a movement or position in which one side of something is higher than the other" + }, + "pass": { + "CHS": "穿过;经过", + "ENG": "to come up to a particular place, person, or object and go past them" + }, + "opaque": { + "CHS": "不透光的,不透明的", + "ENG": "opaque glass or liquid is difficult to see through and often thick" + }, + "prestige": { + "CHS": "威信,声望;(由于成功等而产生)显赫", + "ENG": "the respect and admiration that someone or something gets because of their success or important position in society" + }, + "precipice": { + "CHS": "悬崖,峭壁", + "ENG": "a very steep side of a high rock, mountain, or cliff" + }, + "outskirts": { + "CHS": "(尤指城市)郊区", + "ENG": "the parts of a town or city that are furthest from the centre" + }, + "refusal": { + "CHS": "拒绝", + "ENG": "when you say firmly that you will not do, give, or accept something" + }, + "patrol": { + "CHS": "巡逻,巡查", + "ENG": "to go around the different parts of an area or building at regular times to check that there is no trouble or danger" + }, + "ambassador": { + "CHS": "大使;授权代表", + "ENG": "an important official who represents his or her government in a foreign country" + }, + "shower": { + "CHS": "阵雨;淋浴", + "ENG": "a piece of equipment that you stand under to wash your whole body" + }, + "dilapidated": { + "CHS": "破旧的,坍坏的", + "ENG": "A building that is dilapidated is old and in a generally bad condition" + }, + "description": { + "CHS": "描写,描绘,叙述", + "ENG": "a piece of writing or speech that gives details about what someone or something is like" + }, + "ignorance": { + "CHS": "无知,愚昧", + "ENG": "lack of knowledge or information about something" + }, + "corps": { + "CHS": "技术兵种;军团", + "ENG": "a trained army unit made of two or more divisions (= groups of soldiers ) " + }, + "amphibian": { + "CHS": "两栖动物;水陆两用飞机和车辆", + "ENG": "an animal such as a frog that can live both on land and in water" + }, + "patriotism": { + "CHS": "爱国主义,民族主义", + "ENG": "Patriotism is love for your country and loyalty toward it" + }, + "periodical": { + "CHS": "期刊;杂志", + "ENG": "a magazine, especially one about a serious or technical subject" + }, + "energetic": { + "CHS": "精力充沛的;精力旺盛的", + "ENG": "having or needing a lot of energy or determination" + }, + "promising": { + "CHS": "有希望的;有出息的", + "ENG": "showing signs of being successful or good in the future" + }, + "rim": { + "CHS": "边;边缘,轮辋", + "ENG": "the outside edge of something circular" + }, + "put": { + "CHS": "放", + "ENG": "to move something to a particular place or position, especially using your hands" + }, + "artery": { + "CHS": "动脉,干线", + "ENG": "one of the tubes that carries blood from your heart to the rest of your body" + }, + "resort": { + "CHS": "求助", + "ENG": "when you must use or depend on something because nothing better is available" + }, + "petal": { + "CHS": "花瓣", + "ENG": "one of the coloured parts of a flower that are shaped like leaves" + }, + "deficiency": { + "CHS": "缺乏,不足,不足之数", + "ENG": "a lack of something that is necessary" + }, + "locality": { + "CHS": "地区,地方", + "ENG": "a small area of a country, city etc" + }, + "handsome": { + "CHS": "漂亮的;大方的", + "ENG": "an animal, object, or building that is handsome looks attractive in an impressive way" + }, + "myriad": { + "CHS": "极大数量", + "ENG": "a very large number of things" + }, + "percussion": { + "CHS": "碰撞;震动", + "ENG": "the sound or effect of two things hitting each other with great force" + }, + "routine": { + "CHS": "例行公事,惯例,常规", + "ENG": "the usual order in which you do things, or the things you regularly do" + }, + "strip": { + "CHS": "狭长一片", + "ENG": "a long narrow area of land" + }, + "amidst": { + "CHS": "当中" + }, + "minister": { + "CHS": "照顾,给予帮助" + }, + "funeral": { + "CHS": "葬礼,丧葬", + "ENG": "a religious ceremony for burying or cremating (= burning ) someone who has died" + }, + "corrode": { + "CHS": "腐蚀,侵蚀", + "ENG": "if metal corrodes, or if something corrodes it, it is slowly destroyed by the effect of water, chemicals etc" + }, + "incidence": { + "CHS": "发生率,影响的方式", + "ENG": "the number of times something happens, especially crime, disease etc" + }, + "scheme": { + "CHS": "安排;计划,阴谋", + "ENG": "a clever plan, especially to do something that is bad or illegal – used in order to show disapproval" + }, + "rail": { + "CHS": "栏杆;横杆", + "ENG": "a bar that is fastened along or around something, especially to stop you from going somewhere or from falling" + }, + "ponderous": { + "CHS": "沉重的,笨重的;(文章)冗长的", + "ENG": "Ponderous writing or speech is very serious, uses more words than necessary, and is dull" + }, + "degrade": { + "CHS": "降级,堕落,贬黜" + }, + "confirm": { + "CHS": "(权力)使巩固;认可(任命)" + }, + "scalpel": { + "CHS": "解剖刀,(外科用)小刀", + "ENG": "a small, very sharp knife that is used by doctors in operations" + }, + "complexion": { + "CHS": "肤色;情况;局面;气质", + "ENG": "the natural colour or appearance of the skin on your face" + }, + "outcast": { + "CHS": "被遗弃的;被遗弃者,被逐出者", + "ENG": "someone who is not accepted by the people they live among, or who has been forced out of their home" + }, + "prior": { + "CHS": "较早的;更重要的", + "ENG": "existing or arranged before something else or before the present situation" + }, + "pimple": { + "CHS": "丘疹,脓疱", + "ENG": "a small raised red spot on your skin, especially on your face" + }, + "theft": { + "CHS": "偷盗", + "ENG": "the crime of stealing" + }, + "compose": { + "CHS": "组成,构成;创作;排字;使安静", + "ENG": "to write a piece of music" + }, + "infect": { + "CHS": "传染,受影响,受感染", + "ENG": "to give someone a disease" + }, + "symmetry": { + "CHS": "对称;匀称", + "ENG": "the quality of being symmetrical" + }, + "significant": { + "CHS": "意义深长的;重要的", + "ENG": "having an important effect or influence, especially on what will happen in the future" + }, + "currency": { + "CHS": "通用,流通,货币", + "ENG": "the system or type of money that a country uses" + }, + "prelude": { + "CHS": "序言,序幕", + "ENG": "if an event is a prelude to a more important event, it happens just before it and makes people expect it" + }, + "typhoon": { + "CHS": "台风,强热带风暴", + "ENG": "a very violent tropical storm" + }, + "discriminate": { + "CHS": "区别,区分;岐视", + "ENG": "to treat a person or group differently from another in an unfair way" + }, + "drawback": { + "CHS": "障碍;不利", + "ENG": "a disadvantage of a situation, plan, product etc" + }, + "vacant": { + "CHS": "空的;未被占用的;空虚的,无表情的", + "ENG": "a vacant seat, building, room or piece of land is empty and available for someone to use" + }, + "track": { + "CHS": "行迹;踪迹;跟踪", + "ENG": "Tracks are marks left in the ground by the feet of animals or people" + }, + "culture": { + "CHS": "人类能力的高度发展,文化,教养,文明", + "ENG": "the beliefs, way of life, art, and customs that are shared and accepted by people in a particular society" + }, + "excavate": { + "CHS": "挖掘,挖出", + "ENG": "if a scientist or archaeologist excavates an area of land, they dig carefully to find ancient objects, bones etc" + }, + "fit": { + "CHS": "\"" + }, + "motion": { + "CHS": "运动,动态;手势;眼色,姿势;提议", + "ENG": "the process of moving or the way that someone or something moves" + }, + "expel": { + "CHS": "驱逐,开除;排出", + "ENG": "to officially force someone to leave a school or organization" + }, + "allowance": { + "CHS": "津贴", + "ENG": "an amount of money that you are given regularly or for a special purpose" + }, + "coward": { + "CHS": "胆怯者,懦夫", + "ENG": "someone who is not at all brave" + }, + "germ": { + "CHS": "幼芽;起源;微生物", + "ENG": "The germ of something such as an idea is something which developed or might develop into that thing" + }, + "flash": { + "CHS": "闪光,闪现;简讯,浮华", + "ENG": "to shine suddenly and brightly for a short time, or to make something shine in this way" + }, + "subtract": { + "CHS": "减去,扣除", + "ENG": "to take a number or an amount from a larger number or amount" + }, + "glitter": { + "CHS": "闪闪发光,闪光", + "ENG": "to shine brightly with flashing points of light" + }, + "predictable": { + "CHS": "可预言的", + "ENG": "if something or someone is predictable, you know what will happen or what they will do – sometimes used to show disapproval" + }, + "undue": { + "CHS": "过分的,过度的", + "ENG": "more than is reasonable, suitable, or necessary" + }, + "dart": { + "CHS": "急冲", + "ENG": "to move suddenly and quickly in a particular direction" + }, + "coincide": { + "CHS": "恰好相合,时间巧合;意见一致", + "ENG": "if two people’s ideas, opinions etc coincide, they are the same" + }, + "consecutive": { + "CHS": "连续的,连贯的", + "ENG": "consecutive numbers or periods of time follow one after the other without any interruptions" + }, + "in": { + "CHS": "为收款人" + }, + "gamble": { + "CHS": "赌博;投机", + "ENG": "to risk money or possessions on the result of something such as a game or a race, when you do not know for certain what the result will be" + }, + "committee": { + "CHS": "委员会", + "ENG": "a group of people chosen to do a particular job, make decisions etc" + }, + "dumb": { + "CHS": "哑的;暂不说话的;愚笨的", + "ENG": "stupid" + }, + "hygiene": { + "CHS": "卫生", + "ENG": "the practice of keeping yourself and the things around you clean in order to prevent diseases" + }, + "smother": { + "CHS": "使窒息,使闷死;闷住;抑制;忍住", + "ENG": "to kill someone by putting something over their face to stop them breathing" + }, + "wilderness": { + "CHS": "荒地, 废墟 \"", + "ENG": "A wilderness is a desert or other area of natural land which is not used by people" + }, + "signal": { + "CHS": "(发)信号", + "ENG": "a sound or action that you make in order to give information to someone or tell them to do something" + }, + "furnace": { + "CHS": "炉子,熔炉", + "ENG": "a large container for a very hot fire, used to produce power, heat, or liquid metal" + }, + "confess": { + "CHS": "承认;向祖父忏悔", + "ENG": "to admit something that you feel embarrassed about" + }, + "minority": { + "CHS": "未成年;少数;少数民族", + "ENG": "a small group of people or things within a much larger group" + }, + "nostalgia": { + "CHS": "怀乡病,留恋过去,怀旧", + "ENG": "a feeling that a time in the past was good, or the activity of remembering a good time in the past and wishing that things had not changed" + }, + "cautious": { + "CHS": "谨慎的,小心的", + "ENG": "careful to avoid danger or risks" + }, + "pillow": { + "CHS": "枕头", + "ENG": "a cloth bag filled with soft material that you put your head on when you are sleeping" + }, + "adjacent": { + "CHS": "邻接的,邻近的", + "ENG": "a room, building, piece of land etc that is adjacent to something is next to it" + }, + "transcript": { + "CHS": "抄本,副本", + "ENG": "a written or printed copy of a speech, conversation etc" + }, + "crevice": { + "CHS": "(岩石、墙等)裂缝", + "ENG": "a narrow crack in the surface of something, especially in rock" + }, + "slander": { + "CHS": "诽谤,污蔑", + "ENG": "a false spoken statement about someone, intended to damage the good opinion that people have of that person" + }, + "subdue": { + "CHS": "使屈服、征服,克制;使柔和,使安静", + "ENG": "to defeat or control a person or group, especially using force" + }, + "magnify": { + "CHS": "放大,扩大;夸大,夸张", + "ENG": "to make something seem bigger or louder, especially using special equipment" + }, + "neutralize": { + "CHS": "使中立;使无效", + "ENG": "to make a substance chemically neutral" + }, + "stripe": { + "CHS": "条纹", + "ENG": "a line of colour, especially one of several lines of colour all close together" + }, + "suite": { + "CHS": "一套家具,一套房间,酒店套房", + "ENG": "a set of rooms, especially expensive ones in a hotel" + }, + "nothing": { + "CHS": "没有什么;毫不" + }, + "siege": { + "CHS": "围困;围城", + "ENG": "a situation in which an army or the police surround a place and try to gain control of it or force someone to come out of it" + }, + "consequence": { + "CHS": "结果,后果;重要性", + "ENG": "something that happens as a result of a particular action or set of conditions" + }, + "manure": { + "CHS": "施肥" + }, + "mobile": { + "CHS": "易动的,运动的;易变的", + "ENG": "moving or able to move from one job, area, or social class to another" + }, + "solidarity": { + "CHS": "团结一致", + "ENG": "loyalty and general agreement between all the people in a group, or between different groups, because they all have a shared aim" + }, + "glue": { + "CHS": "粘贴,紧贴", + "ENG": "to join two things together using glue" + }, + "misguided": { + "CHS": "误入歧途的", + "ENG": "a misguided idea or opinion is wrong because it is based on a wrong understanding of a situation" + }, + "vigorous": { + "CHS": "强有力的,精力充沛的", + "ENG": "using a lot of energy and strength or determination" + }, + "cricket": { + "CHS": "板球;蟋蟀", + "ENG": "a game between two teams of 11 players in which players try to get points by hitting a ball and running between two sets of three sticks" + }, + "novice": { + "CHS": "新手; 初学者", + "ENG": "someone who has no experience in a skill, subject, or activity" + }, + "likelihood": { + "CHS": "可能性", + "ENG": "the degree to which something can reasonably be expected to happen" + }, + "premium": { + "CHS": "保险费;额外费用", + "ENG": "the cost of insurance, especially the amount that you pay each year" + }, + "genial": { + "CHS": "和蔼的,亲切的,温和的", + "ENG": "friendly and happy" + }, + "ludicrous": { + "CHS": "荒谬的,可笑的", + "ENG": "completely unreasonable, stupid, or wrong" + }, + "prestigious": { + "CHS": "有威信的;有声望的", + "ENG": "admired as one of the best and most important" + }, + "oblique": { + "CHS": "斜的,偏斜的", + "ENG": "not looking, pointing etc directly at something" + }, + "overhear": { + "CHS": "无意中听到,偷听到", + "ENG": "to accidentally hear what other people are saying, when they do not know that you have heard" + }, + "anticipation": { + "CHS": "预期;预料", + "ENG": "when you are expecting something to happen" + }, + "chaste": { + "CHS": "有道德的;善良的;贞洁的;简朴的", + "ENG": "not having sex with anyone, or not with anyone except your husband or wife" + }, + "explore": { + "CHS": "勘察,考查;探索", + "ENG": "to travel around an area in order to find out about it" + }, + "pungent": { + "CHS": "刺鼻的,刺激性的", + "ENG": "having a strong taste or smell" + }, + "indulge": { + "CHS": "放纵,沉迷于", + "ENG": "to let someone have or do whatever they want, even if it is bad for them" + }, + "simplify": { + "CHS": "简化", + "ENG": "to make something easier or less complicated" + }, + "vicious": { + "CHS": "邪恶的,堕落的;恶意的", + "ENG": "very unkind in a way that is intended to hurt someone’s feelings or make their character seem bad" + }, + "counterbalance": { + "CHS": "使平衡,抵销", + "ENG": "to have an equal and opposite effect to something such as a change, feeling etc" + }, + "kit": { + "CHS": "发给装备" + }, + "shrub": { + "CHS": "灌木,灌木丛", + "ENG": "a small bush with several woody stems" + }, + "sceptical": { + "CHS": "怀疑的,表示疑惑的", + "ENG": "tending to disagree with what other people tell you" + }, + "comprise": { + "CHS": "(止血用)敷布" + }, + "pathetic": { + "CHS": "可怜的,悲惨的;不适当的", + "ENG": "making you feel pity or sympathy" + }, + "mall": { + "CHS": "大型购物中心", + "ENG": "a large area where there are a lot of shops, usually a covered area where cars are not allowed" + }, + "manipulate": { + "CHS": "熟练地使用;操纵", + "ENG": "to make someone think and behave exactly as you want them to, by skilfully deceiving or influencing them" + }, + "rational": { + "CHS": "有推理能力的;合理的", + "ENG": "rational thoughts, decisions etc are based on reasons rather than emotions" + }, + "vulnerable": { + "CHS": "易受攻击的", + "ENG": "someone who is vulnerable can be easily harmed or hurt" + }, + "heave": { + "CHS": "举,拉,扔", + "ENG": "a strong pulling, pushing, or lifting movement" + }, + "come": { + "CHS": "来,达到;开始;出现;成为", + "ENG": "to move towards you or arrive at the place where you are" + }, + "justification": { + "CHS": "理由", + "ENG": "a good and acceptable reason for doing something" + }, + "arc": { + "CHS": "弧", + "ENG": "a curved shape or line" + }, + "wrestle": { + "CHS": "摔跤,角斗;斗争,努力", + "ENG": "to fight someone by holding them and pulling or pushing them" + }, + "treaty": { + "CHS": "条约;协定", + "ENG": "a formal written agreement between two or more countries or governments" + }, + "mammal": { + "CHS": "哺乳动物", + "ENG": "a type of animal that drinks milk from its mother’s body when it is young. Humans, dogs, and whales are mammals." + }, + "advocate": { + "CHS": "提倡,支持", + "ENG": "If you advocate a particular action or plan, you recommend it publicly" + }, + "fickle": { + "CHS": "感情易变的;无常的", + "ENG": "someone who is fickle is always changing their mind about people or things that they like, so that you cannot depend on them – used to show disapproval" + }, + "salute": { + "CHS": "行礼,敬礼;礼炮", + "ENG": "an act of raising your right hand to your head as a sign of respect, usually done by a soldier to an officer" + }, + "clear": { + "CHS": "清除", + "ENG": "to make somewhere emptier or tidier by removing things from it" + }, + "otherwise": { + "CHS": "否则,不然" + }, + "arduous": { + "CHS": "艰巨的,艰苦的", + "ENG": "involving a lot of strength and effort" + }, + "punctual": { + "CHS": "严守时刻的;准时的", + "ENG": "arriving, happening, or being done at exactly the time that has been arranged" + }, + "directory": { + "CHS": "名录", + "ENG": "a book or list of names, facts etc, usually arranged in alphabetical order" + }, + "vanquish": { + "CHS": "征服,击败", + "ENG": "to defeat someone or something completely" + }, + "oblivious": { + "CHS": "不在意的,忘却的" + }, + "apprentice": { + "CHS": "使当学徒" + }, + "excursion": { + "CHS": "远足,短途旅行", + "ENG": "a short journey arranged so that a group of people can visit a place, especially while they are on holiday" + }, + "downpour": { + "CHS": "倾盆大雨", + "ENG": "a lot of rain that falls in a short time" + }, + "mandatory": { + "CHS": "命令的;强制性的", + "ENG": "if something is mandatory, the law says it must be done" + }, + "loom": { + "CHS": "织机,织造(术)", + "ENG": "a frame or machine on which thread is woven into cloth" + }, + "variant": { + "CHS": "变体,异体", + "ENG": "something that is slightly different from the usual form of something" + }, + "council": { + "CHS": "政务会,理事会;委员会", + "ENG": "a group of people that are chosen to make rules, laws, or decisions, or to give advice" + }, + "meager": { + "CHS": "瘦的,不足的,贫乏的" + }, + "chord": { + "CHS": "弦,和弦", + "ENG": "a combination of several musical notes that are played at the same time and sound pleasant together" + }, + "tolerable": { + "CHS": "可忍受的,可容许的,尚好的", + "ENG": "a situation that is tolerable is not very good, but you are able to accept it" + }, + "fabric": { + "CHS": "织物,构造;结构", + "ENG": "cloth used for making clothes, curtains etc" + }, + "setting": { + "CHS": "镶嵌;环境,背景;(日月)沉落", + "ENG": "the place where something is or where something happens, and the general environment" + }, + "inference": { + "CHS": "推论, 推断 \"", + "ENG": "something that you think is true, based on information that you have" + }, + "summon": { + "CHS": "召唤,传唤;鼓起,聚集", + "ENG": "to order someone to come to a place" + }, + "observe": { + "CHS": "看到;遵守;评论", + "ENG": "to see and notice some­thing" + }, + "exotic": { + "CHS": "外国种的;奇异的", + "ENG": "something that is exotic seems unusual and interesting because it is related to a foreign country – use this to show approval" + }, + "superior": { + "CHS": "优越的;优良的,较高的", + "ENG": "thinking that you are better than other people – used to show disapproval" + }, + "single": { + "CHS": "单打,单程票", + "ENG": "a game, especially in tennis, in which one person plays on their own against another person" + }, + "spectacle": { + "CHS": "场面;景象;壮观", + "ENG": "a very impressive show or scene" + }, + "equilibrium": { + "CHS": "平衡,均衡", + "ENG": "a balance between different people, groups, or forces that compete with each other, so that none is stronger than the others and a situation is not likely to change suddenly" + }, + "soluble": { + "CHS": "可溶解的", + "ENG": "a soluble substance can be dissolved in a liquid" + }, + "gale": { + "CHS": "大风,一阵喧闹", + "ENG": "a very strong wind" + }, + "crust": { + "CHS": "面包、饼皮;硬外皮;屯饪", + "ENG": "the hard brown outer surface of bread" + }, + "junction": { + "CHS": "交**点,接合点", + "ENG": "a place where one road, track etc joins another" + }, + "heap": { + "CHS": "堆;一堆;堆积;许多,大量;装载", + "ENG": "a large untidy pile of things" + }, + "mourn": { + "CHS": "哀悼", + "ENG": "to feel very sad and to miss someone after they have died" + }, + "hound": { + "CHS": "用猎狗追,追逐" + }, + "mutation": { + "CHS": "变化,变异,转变", + "ENG": "a change in the genetic structure of an animal or plant that makes it different from others of the same kind" + }, + "mantle": { + "CHS": "斗篷,披风;覆盖物,(煤气灯)白热罩", + "ENG": "a loose piece of outer clothing without sleeves, worn especially in former times" + }, + "superfluous": { + "CHS": "过剩的,多余的,不必要的", + "ENG": "more than is needed or wanted" + }, + "set": { + "CHS": "(日,月)落,vt放" + }, + "insert": { + "CHS": "插入物,插页", + "ENG": "printed pages that are put inside a newspaper or magazine in order to advertise something" + }, + "portray": { + "CHS": "描绘;描述", + "ENG": "to describe or represent something or someone" + }, + "studio": { + "CHS": "工作室;摄影棚;播音室", + "ENG": "a room where television and radio programmes are made and broadcast or where music is recorded" + }, + "ashamed": { + "CHS": "羞愧的;害臊的", + "ENG": "feeling very sorry and embarrassed because of something you have done" + }, + "arise": { + "CHS": "发生;起来;出现", + "ENG": "if a problem or difficult situation arises, it begins to happen" + }, + "repel": { + "CHS": "击退;使厌恶", + "ENG": "if something repels you, it is so unpleasant that you do not want to be near it, or it makes you feel ill" + }, + "flux": { + "CHS": "流动;流" + }, + "raw": { + "CHS": "生的;未加工的", + "ENG": "not cooked" + }, + "elapse": { + "CHS": "(时间)流逝", + "ENG": "if a particular period of time elapses, it passes" + }, + "diffuse": { + "CHS": "扩散的;冗长的", + "ENG": "spread over a large area" + }, + "delicate": { + "CHS": "细软的 柔嫩的 精美的 微妙的 难办的", + "ENG": "a part of the body that is delicate is attractive and graceful" + }, + "vow": { + "CHS": "誓约,许愿", + "ENG": "a serious promise" + }, + "gist": { + "CHS": "要领", + "ENG": "the main idea and meaning of what someone has said or written" + }, + "specific": { + "CHS": "具体的;特定的", + "ENG": "a specific thing, person, or group is one particular thing, person, or group" + }, + "candidate": { + "CHS": "候选人;应试人", + "ENG": "someone who is being considered for a job or is competing in an election" + }, + "magistrate": { + "CHS": "地方法官", + "ENG": "someone, not usually a lawyer, who works as a judge in a local court of law, dealing with less serious crimes" + }, + "accessory": { + "CHS": "同谋者;附件", + "ENG": "something such as a piece of equipment or a decoration that is not necessary, but that makes a machine, car, room etc more useful or more attractive" + }, + "submarine": { + "CHS": "潜水艇", + "ENG": "a ship, especially a military one, that can stay under water" + }, + "thermal": { + "CHS": "热的;热量的", + "ENG": "relating to or caused by heat" + }, + "indelible": { + "CHS": "去不掉的,擦不掉的", + "ENG": "impossible to remove or forget" + }, + "protract": { + "CHS": "延长,拖延", + "ENG": "to lengthen or extend (a speech, etc); prolong in time " + }, + "quit": { + "CHS": "离开;停止", + "ENG": "to leave a job, school etc, especially without finishing it completely" + }, + "ramble": { + "CHS": "闲逛,漫步;漫谈;蔓延", + "ENG": "to go on a walk in the countryside for pleasure" + }, + "lash": { + "CHS": "鞭打,责骂;眼睫毛", + "ENG": "to hit a person or animal very hard with a whip, stick etc" + }, + "pottery": { + "CHS": "陶器,陶器制造厂", + "ENG": "objects made out of baked clay" + }, + "prosecute": { + "CHS": "告发,起诉", + "ENG": "to charge someone with a crime and try to show that they are guilty of it in a court of law" + }, + "aggravate": { + "CHS": "使恶化;使加剧;使气恼", + "ENG": "to make a bad situation, an illness, or an injury worse" + }, + "mediate": { + "CHS": "调停;居间促成", + "ENG": "to try to end a quarrel between two people, groups, countries etc" + }, + "conscience": { + "CHS": "良心,犯罪感", + "ENG": "the part of your mind that tells you whether what you are doing is morally right or wrong" + }, + "scenery": { + "CHS": "风景", + "ENG": "the natural features of a particular part of a country that you can see, such as mountains, forests, deserts etc" + }, + "chronic": { + "CHS": "(疾病)慢性的", + "ENG": "a chronic disease or illness is one that continues for a long time and cannot be cured" + }, + "sustain": { + "CHS": "支撑;支持,维持", + "ENG": "to make something continue to exist or happen for a period of time" + }, + "stuff": { + "CHS": "把装满", + "ENG": "to fill something until it is full" + }, + "site": { + "CHS": "设置", + "ENG": "If something is sited in a particular place or position, it is put there or built there" + }, + "veteran": { + "CHS": "老练者;老手;老兵;老式古董车", + "ENG": "someone who has been a soldier, sailor etc in a war" + }, + "accompany": { + "CHS": "陪伴,伴奏", + "ENG": "to go somewhere with someone" + }, + "pace": { + "CHS": "一步;走或跑的速度", + "ENG": "the speed at which something happens or is done" + }, + "annual": { + "CHS": "年刊;一年生植物", + "ENG": "a plant that lives for one year or season" + }, + "cosmic": { + "CHS": "宇宙的", + "ENG": "relating to space or the universe" + }, + "majestic": { + "CHS": "威严的;庄严的", + "ENG": "very big, impressive, or beautiful" + }, + "give": { + "CHS": "给,付给,允许,供给,传达", + "ENG": "to let someone have something as a present, or to provide something for someone" + }, + "outspoken": { + "CHS": "直言的,坦率的", + "ENG": "expressing your opinions honestly and directly, even when doing this might annoy some people" + }, + "storage": { + "CHS": "仓库,货栈" + }, + "unique": { + "CHS": "唯一的,独一无二的", + "ENG": "being the only one of its kind" + }, + "screw": { + "CHS": "钉住,拧", + "ENG": "to fasten or close something by turning it, or to be fastened in this way" + }, + "pore": { + "CHS": "钻研", + "ENG": "If you pore over or through information, you look at it and study it very carefully" + }, + "slap": { + "CHS": "拍 ,掌击", + "ENG": "to hit a surface with a lot of force, making a loud sharp sound" + }, + "stick": { + "CHS": "刺;粘;陷往", + "ENG": "to attach something to something else using a substance, or to become attached to a surface" + }, + "keen": { + "CHS": "锋利的,尖锐的,强烈的;敏锐的;渴望的", + "ENG": "wanting to do something or wanting something to happen very much" + }, + "status": { + "CHS": "身份,地位", + "ENG": "the official legal position or condition of a person, group, country etc" + }, + "lubricate": { + "CHS": "使润滑,使顺利", + "ENG": "to put a lubricant on something in order to make it move more smoothly" + }, + "overwhelm": { + "CHS": "压倒,淹没", + "ENG": "if water overwhelms an area of land, it covers it completely and suddenly" + }, + "pains": { + "CHS": "辛苦", + "ENG": "Pain is the feeling of unhappiness that you have when something unpleasant or upsetting happens" + }, + "variable": { + "CHS": "可变物,变量", + "ENG": "something that may be different in different situations, so that you cannot be sure what will happen" + }, + "handbook": { + "CHS": "手册,便览", + "ENG": "a short book that gives information or instructions about something" + }, + "rigid": { + "CHS": "僵硬的,不易弯的;严格的", + "ENG": "rigid methods, systems etc are very strict and difficult to change" + }, + "embrace": { + "CHS": "拥抱;利用;包含", + "ENG": "to put your arms around someone and hold them in a friendly or loving way" + }, + "ivory": { + "CHS": "象牙色的" + }, + "radical": { + "CHS": "根本的,基本的,政治激进的" + }, + "identity": { + "CHS": "身份; 同一; 一致;特性", + "ENG": "someone’s identity is their name or who they are" + }, + "prevail": { + "CHS": "流行,盛行", + "ENG": "if a belief, custom, situation etc prevails, it exists among a group of people at a certain time" + }, + "ferry": { + "CHS": "渡船;渡口,摆渡", + "ENG": "a boat that carries people or goods across a river or a narrow area of water" + }, + "pinpoint": { + "CHS": "精确发现目标" + }, + "refreshment": { + "CHS": "点心", + "ENG": "small amounts of food and drink that are provided at a meeting, sports event etc" + }, + "essence": { + "CHS": "本质,香精", + "ENG": "the most basic and important quality of something" + }, + "hail": { + "CHS": "(下)冰雹;(冰雹般)一阵,落下", + "ENG": "frozen raindrops which fall as hard balls of ice" + }, + "litter": { + "CHS": "\"" + }, + "shiver": { + "CHS": "颤抖,哆嗦", + "ENG": "to shake slightly because you are cold or frightened" + }, + "portion": { + "CHS": "一部分,一份,一客", + "ENG": "a part of something larger, especially a part that is different from the other parts" + }, + "courtesy": { + "CHS": "礼貌,谦恭", + "ENG": "polite behaviour and respect for other people" + }, + "feast": { + "CHS": "筵席,宴请,使享受", + "ENG": "A feast is a large and special meal" + }, + "propriety": { + "CHS": "正当行为;正当;适当" + }, + "surplus": { + "CHS": "余款,盈余;过剩,剩余)", + "ENG": "an amount of something that is more than what is needed or used" + }, + "odyssey": { + "CHS": "长途冒险旅行;一连串的冒险", + "ENG": "a long journey with a lot of adventures or difficulties" + }, + "portfolio": { + "CHS": "公事包;文件夹;大臣及部长职位", + "ENG": "a large flat case used especially for carrying pictures, documents etc" + }, + "superficial": { + "CHS": "表面的;表皮的;肤浅的,一知半解的", + "ENG": "not studying or looking at something carefully and only seeing the most noticeable things" + }, + "session": { + "CHS": "开庭,开庭期;集会;学期", + "ENG": "a formal meeting or group of meetings, especially of a law court or parliament" + }, + "obliging": { + "CHS": "乐于助人的", + "ENG": "willing and eager to help" + }, + "shutter": { + "CHS": "百叶窗;照相机快门", + "ENG": "one of a pair of wooden or metal covers on the outside of a window that can be closed to keep light out or prevent thieves from coming in" + }, + "petty": { + "CHS": "小的;次要的", + "ENG": "a petty problem, detail etc is small and unimportant" + }, + "cripple": { + "CHS": "使跛,使残疾", + "ENG": "to hurt someone badly so that they cannot walk properly" + }, + "probation": { + "CHS": "试用,试读;见习,试用;缓刑", + "ENG": "a system that allows some criminals not to go to prison or to leave prison, if they behave well and see a probation officer regularly, for a particular period of time" + }, + "pendulum": { + "CHS": "钟摆", + "ENG": "a long metal stick with a weight at the bottom that swings regularly from side to side to control the working of a clock" + }, + "exile": { + "CHS": "流放,离乡背井", + "ENG": "someone who has been forced to live in exile" + }, + "convince": { + "CHS": "使信服", + "ENG": "to make someone feel certain that something is true" + }, + "righteous": { + "CHS": "正直的,正当的,公正的", + "ENG": "morally good and fair" + }, + "champagne": { + "CHS": "香槟酒", + "ENG": "a French white wine with a lot of bubble s , drunk on special occasions" + }, + "appetite": { + "CHS": "食欲", + "ENG": "a desire for food" + }, + "sophisticated": { + "CHS": "老练的,有经验的,世故的;尖端的", + "ENG": "a sophisticated machine, system, method etc is very well designed and very advanced, and often works in a complicated way" + }, + "poke": { + "CHS": "拨;戳", + "ENG": "to quickly push your finger or some other pointed object into something or someone" + }, + "elevator": { + "CHS": "[美]电梯,升降机", + "ENG": "a machine that takes people and goods from one level to another in a building" + }, + "touchy": { + "CHS": "暴躁的;易怒的", + "ENG": "easily becoming offended or annoyed" + }, + "recommendation": { + "CHS": "推荐,介绍;推荐信", + "ENG": "a suggestion to someone that they should choose a particular thing or person that you think is very good" + }, + "tap": { + "CHS": "轻拍,轻敲", + "ENG": "to hit your fingers lightly on something, for example to get someone’s attention" + }, + "shed": { + "CHS": "发出;脱落", + "ENG": "if a plant sheds its leaves or if an animal sheds skin or hair, they fall off as part of a natural process" + }, + "outweigh": { + "CHS": "比更重,比更重要", + "ENG": "to be more important or valuable than something else" + }, + "reinforce": { + "CHS": "增援;加强", + "ENG": "to give support to an opinion, idea, or feeling, and make it stronger" + }, + "loaf": { + "CHS": "消磨时间" + }, + "feat": { + "CHS": "技艺,功绩,武艺", + "ENG": "something that is an impressive achievement, because it needs a lot of skill, strength etc to do" + }, + "cumulative": { + "CHS": "累积的,累加的", + "ENG": "increasing gradually as more of something is added or happens" + }, + "nylon": { + "CHS": "尼龙;尼龙长袜", + "ENG": "a strong artificial material that is used to make plastics, clothes, rope etc" + }, + "madden": { + "CHS": "使发疯,使发狂", + "ENG": "to make someone very angry or annoyed" + }, + "technique": { + "CHS": "技术,技能;行家手法", + "ENG": "a special way of doing something" + }, + "guideline": { + "CHS": "(常作pl)", + "ENG": "rules or instructions about the best way to do something" + }, + "hang": { + "CHS": "挂,悬挂;吊死;贴,糊", + "ENG": "to kill someone by dropping them with a rope around their neck, or to die in this way, especially as a punishment for a serious crime" + }, + "emotion": { + "CHS": "感情;情绪;激动", + "ENG": "a strong human feeling such as love, hate, or anger" + }, + "tuck": { + "CHS": "打褶裥", + "ENG": "to put a tuck (= special fold ) in a piece of clothing" + }, + "magnitude": { + "CHS": "重要性;大小", + "ENG": "the great size or importance of something" + }, + "cereal": { + "CHS": "各类粮食", + "ENG": "a breakfast food made from grain and usually eaten with milk" + }, + "jungle": { + "CHS": "丛林,密林", + "ENG": "a thick tropical forest with many large plants growing very close together" + }, + "misappropriate": { + "CHS": "滥用,误用", + "ENG": "to dishonestly take something that someone has trusted you with, especially money or goods that belong to your employer" + }, + "erosion": { + "CHS": "腐蚀,侵蚀", + "ENG": "the process by which rock or soil is gradually destroyed by wind, rain, or the sea" + }, + "hijack": { + "CHS": "劫持,劫机,拦路抢劫", + "ENG": "to use violence or threats to take control of a plane, vehicle, or ship" + }, + "meteoric": { + "CHS": "流星的,转瞬即逝的,突然的", + "ENG": "from a meteor " + }, + "clearance": { + "CHS": "清除,清理,净空;许可", + "ENG": "the process of getting official permission or approval for something" + }, + "scrape": { + "CHS": "刮, 擦\"", + "ENG": "to remove something from a surface using the edge of a knife, a stick etc" + }, + "sicken": { + "CHS": "(使)生气;(使)厌恶", + "ENG": "to make you feel shocked and angry, especially because you strongly disapprove of something" + }, + "statue": { + "CHS": "雕像", + "ENG": "an image of a person or animal that is made in solid material such as stone or metal and is usually large" + }, + "occupy": { + "CHS": "居住;占", + "ENG": "to live or stay in a place" + }, + "nil": { + "CHS": "无;零", + "ENG": "nothing" + }, + "culminate": { + "CHS": "使达高潮,使结束" + }, + "file": { + "CHS": "锉,锉刀;文件夹;归档;纵列", + "ENG": "a box or piece of folded card in which you store loose papers" + }, + "ghastly": { + "CHS": "苍白的;可怕的;令人不快的", + "ENG": "making you very frightened, upset, or shocked" + }, + "ugly": { + "CHS": "险恶的,丑陋的", + "ENG": "extremely unattractive and unpleasant to look at" + }, + "chip": { + "CHS": "削,铲,形成缺口\"", + "ENG": "to remove something, especially something hard that is covering a surface, by hitting it with a tool so that small pieces break off" + }, + "occurrence": { + "CHS": "发生;出现", + "ENG": "something that happens" + }, + "propel": { + "CHS": "推进", + "ENG": "to move, drive, or push something forward" + }, + "once": { + "CHS": "一次;从前", + "ENG": "on one occasion only" + }, + "approach": { + "CHS": "接近;方法;途径", + "ENG": "a method of doing something or dealing with a problem" + }, + "overture": { + "CHS": "提议,建议;序曲", + "ENG": "a short piece of music written as an introduction to a long piece of music, especially an opera" + }, + "wholesale": { + "CHS": "批发", + "ENG": "the business of selling goods in large quantities at low prices to other businesses, rather than to the general public" + }, + "stationery": { + "CHS": "文具", + "ENG": "materials that you use for writing, such as paper, pens, pencils etc" + }, + "liquor": { + "CHS": "酒;酒类", + "ENG": "a strong alcoholic drink such as whisky" + }, + "legend": { + "CHS": "传说,传奇,传奇文学;地图图例", + "ENG": "an old, well-known story, often about brave people, adventures, or magical events" + }, + "contaminate": { + "CHS": "弄脏;污染", + "ENG": "to make a place or substance dirty or harmful by putting something such as chemicals or poison in it" + }, + "loll": { + "CHS": "懒洋洋地倚靠,(头等)垂下n游手好闲的人\"", + "ENG": "to sit or lie in a very lazy and relaxed way" + }, + "inspire": { + "CHS": "激励,鼓励,灌注以创造力", + "ENG": "to encourage someone by making them feel confident and eager to do something" + }, + "constant": { + "CHS": "不变的;经常的;坚定的", + "ENG": "happening regularly or all the time" + }, + "perimeter": { + "CHS": "周边,周长,周界", + "ENG": "the border around an enclosed area such as a military camp" + }, + "neurotic": { + "CHS": "神经过敏者", + "ENG": "A neurotic is someone who is neurotic" + }, + "assemble": { + "CHS": "聚集;装配", + "ENG": "if you assemble a large number of people or things, or if they assemble, they are gathered together in one place, often for a particular purpose" + }, + "origin": { + "CHS": "起源,血统", + "ENG": "the place or situation in which something begins to exist" + }, + "hurl": { + "CHS": "猛掷,猛投", + "ENG": "to throw something with a lot of force, especially because you are angry" + }, + "coed": { + "CHS": "男女同校的学生", + "ENG": "a woman student at a university" + }, + "upright": { + "CHS": "垂直的,直立的;正直的", + "ENG": "standing or sitting straight up" + }, + "volcano": { + "CHS": "火山", + "ENG": "a mountain with a large hole at the top, through which lava(= very hot liquid rock ) is sometimes forced out" + }, + "momentous": { + "CHS": "重要的,重大的", + "ENG": "a momentous event, change, or decision is very important because it will have a great influence on the future" + }, + "amid": { + "CHS": "在当中", + "ENG": "while noisy, busy, or confused events are happening – used in writing or news reports" + }, + "fierce": { + "CHS": "凶猛的,狂热的,强烈的,愤怒的", + "ENG": "done with a lot of energy and strong feelings, and sometimes violence" + }, + "grill": { + "CHS": "(烤肉用的)烤架", + "ENG": "a part of a cooker in which strong heat from above cooks food on a metal shelf below" + }, + "primary": { + "CHS": "最初的;首要的", + "ENG": "most important" + }, + "flexible": { + "CHS": "易弯曲的;柔软的,灵活的", + "ENG": "a person, plan etc that is flexible can change or be changed easily to suit any new situation" + }, + "affiliate": { + "CHS": "使加入,接受为分支机构" + }, + "famine": { + "CHS": "饥荒", + "ENG": "a situation in which a large number of people have little or no food for a long time and many people die" + }, + "say": { + "CHS": "说", + "ENG": "to express an idea, feeling, thought etc using words" + }, + "undoubtedly": { + "CHS": "无疑地,必是地" + }, + "naval": { + "CHS": "海军的,军舰的", + "ENG": "relating to the navy or used by the navy" + }, + "uneven": { + "CHS": "不平坦的,不均匀的", + "ENG": "not smooth, flat, or level" + }, + "perishable": { + "CHS": "(尤指食物)易坏的,易腐烂的;易坏之物\"" + }, + "grudge": { + "CHS": "恶意,怨恨,忌妒", + "ENG": "a feeling of dislike for someone because you cannot forget that they harmed you in the past" + }, + "fabulous": { + "CHS": "寓言般的;惊人的,难以置信的" + }, + "granary": { + "CHS": "谷仓,粮仓", + "ENG": "a place where grain, especially wheat, is stored" + }, + "psychology": { + "CHS": "心理学" + }, + "slaughter": { + "CHS": "屠杀,屠宰", + "ENG": "to kill an animal, especially for its meat" + }, + "ingredient": { + "CHS": "(混合物的)组成部分,配料", + "ENG": "one of the foods that you use to make a particular food or dish" + }, + "refugee": { + "CHS": "避难者,难民", + "ENG": "someone who has been forced to leave their country, especially during a war, or for political or religious reasons" + }, + "signify": { + "CHS": "表示;意味", + "ENG": "to represent, mean, or be a sign of something" + }, + "convert": { + "CHS": "转变,兑换;使改变信仰", + "ENG": "to change something into a different form, or to change something so that it can be used for a different purpose or in a different way" + }, + "extract": { + "CHS": "抽出物,选录", + "ENG": "a short piece of writing, music etc taken from a particular book, piece of music etc" + }, + "invisible": { + "CHS": "看不见的,无形的", + "ENG": "something that is invisible cannot be seen" + }, + "contrive": { + "CHS": "发明; 设计; 设法;造成", + "ENG": "to succeed in doing something in spite of difficulties" + }, + "descend": { + "CHS": "下降;下来;遗传;袭击", + "ENG": "to move from a higher level to a lower one" + }, + "perturb": { + "CHS": "使不安,烦扰", + "ENG": "If something perturbs you, it worries you quite a lot" + }, + "instantaneous": { + "CHS": "瞬间,霎时" + }, + "terrace": { + "CHS": "斜坡地,梯田;看台,大阶级", + "ENG": "the wide steps that the people watching a football match can stand on" + }, + "permissible": { + "CHS": "许可的,容许的", + "ENG": "allowed by law or by the rules" + }, + "allegiance": { + "CHS": "忠诚", + "ENG": "loyalty to a leader, country, belief etc" + }, + "plaster": { + "CHS": "膏药;(涂)灰泥", + "ENG": "a substance used to cover walls and ceilings with a smooth even surface. It consists of lime , water, and sand." + }, + "practically": { + "CHS": "实践地;几乎", + "ENG": "almost" + }, + "infirmary": { + "CHS": "医务,医务室", + "ENG": "a hospital – often used in the names of hospitals in Britain" + }, + "distil": { + "CHS": "蒸馏", + "ENG": "If a liquid such as whisky or water is distilled, it is heated until it changes into steam or vapour and then cooled until it becomes liquid again. This is usually done in order to make it pure. " + }, + "unanimous": { + "CHS": "一致同意的;全体一致的", + "ENG": "agreeing completely about something" + }, + "scissors": { + "CHS": "剪刀", + "ENG": "a tool for cutting paper, cloth etc, made of two sharp blades fastened together in the middle, with holes for your finger and thumb" + }, + "accelerate": { + "CHS": "加速,变快", + "ENG": "if a process accelerates or if something accelerates it, it happens faster than usual or sooner than you expect" + }, + "disable": { + "CHS": "使无能力,使伤残", + "ENG": "to make someone unable to use a part of their body properly" + }, + "lapse": { + "CHS": "小错,记错;(时间)流逝;[律]权利终止" + }, + "antique": { + "CHS": "古代的;古玩;古物", + "ENG": "a piece of furniture, jewellery etc that was made a very long time ago and is therefore valuable" + }, + "crease": { + "CHS": "起折痕", + "ENG": "to become marked with a line or lines, or to make a line appear on cloth, paper etc by folding or crushing it" + }, + "evolution": { + "CHS": "演变,进展,进化", + "ENG": "the scientific idea that plants and animals develop and change gradually over a long period of time" + }, + "sow": { + "CHS": "播种", + "ENG": "to plant or scatter seeds on a piece of ground" + }, + "prodigious": { + "CHS": "巨大的,奇妙的", + "ENG": "very large or great in a surprising or impressive way" + }, + "embark": { + "CHS": "上船;从事;开始", + "ENG": "to go onto a ship or a plane, or to put or take something onto a ship or plane" + }, + "questionnaire": { + "CHS": "问题单,调查表,征求意见表", + "ENG": "a written set of questions which you give to a large number of people in order to collect information" + }, + "voucher": { + "CHS": "凭单,收据", + "ENG": "an official statement or receipt that is given to some­one to prove that their accounts are correct or that money has been paid" + }, + "puzzle": { + "CHS": "迷惑", + "ENG": "to confuse someone or make them feel slightly anxious because they do not understand something" + }, + "foil": { + "CHS": "金属薄片;陪衬物;钝头剑", + "ENG": "a light slender flexible sword tipped by a button and usually having a bell-shaped guard " + }, + "grant": { + "CHS": "拨款;补助款", + "ENG": "an amount of money given to someone, especially by the government, for a particular purpose" + }, + "request": { + "CHS": "要求;请求", + "ENG": "a polite or formal demand for something" + }, + "subtle": { + "CHS": "微妙的;难以捉摸的;精明的", + "ENG": "not easy to notice or understand unless you pay careful attention" + }, + "sewer": { + "CHS": "下水道,阴沟", + "ENG": "a pipe or passage under the ground that carries away waste material and used water from houses, factories etc" + }, + "consumption": { + "CHS": "消费;结核病", + "ENG": "the act of buying and using products" + }, + "hence": { + "CHS": "从此地,从此时,因此", + "ENG": "for this reason" + }, + "texture": { + "CHS": "(织物)组织,结构;(材料)构造,结构", + "ENG": "The texture of something, especially food or soil, is its structure, for example, whether it is light with lots of holes, or very heavy and solid" + }, + "vary": { + "CHS": "变化", + "ENG": "if something varies, it changes depending on the situation" + }, + "fleeting": { + "CHS": "飞逝的, 短暂的 \"" + }, + "hostage": { + "CHS": "人质", + "ENG": "someone who is kept as a prisoner by an enemy so that the other side will do what the enemy demands" + }, + "pledge": { + "CHS": "抵押品,典当物;象征", + "ENG": "something valuable that you leave with someone else as proof that you will do what you have agreed to do" + }, + "pry": { + "CHS": "细查;探问", + "ENG": "to try to find out details about someone else’s private life in an impolite way" + }, + "synthesis": { + "CHS": "合成法;综合,合成物", + "ENG": "something that has been made by combining different things, or the process of combining things" + }, + "distress": { + "CHS": "悲痛,忧伤;贫苦;危难", + "ENG": "a feeling of extreme unhappiness" + }, + "intimidate": { + "CHS": "恫吓,威胁", + "ENG": "to frighten or threaten someone into making them do what you want" + }, + "oppose": { + "CHS": "反对,反抗", + "ENG": "to disagree with something such as a plan or idea and try to prevent it from happening or succeeding" + }, + "orientate": { + "CHS": "定位;给定位" + }, + "ornament": { + "CHS": "装饰(物)", + "ENG": "a small object that you keep in your house because it is beautiful rather than useful" + }, + "teem": { + "CHS": "大量出现,涌现" + }, + "precipitate": { + "CHS": "沉淀物", + "ENG": "a solid substance that has been chemically separated from a liquid" + }, + "ordeal": { + "CHS": "(对品格或忍耐力的)严格考验" + }, + "placid": { + "CHS": "平静的,安静的", + "ENG": "a placid person does not often get angry or upset and does not usually mind doing what other people want them to" + }, + "conversely": { + "CHS": "相反地,逆地", + "ENG": "used when one situation is the opposite of another" + }, + "worthwhile": { + "CHS": "值得(花时间、精力)的;合算的", + "ENG": "if something is worthwhile, it is important or useful, or you gain something from it" + }, + "realm": { + "CHS": "世界;王国", + "ENG": "a country ruled by a king or queen" + }, + "vocational": { + "CHS": "职业的;业务的", + "ENG": "teaching or relating to the skills you need to do a particular job" + }, + "inaugurate": { + "CHS": "为举行就职典礼,为展览会揭幕,开创", + "ENG": "to hold an official ceremony when someone starts doing an important job in government" + }, + "loyal": { + "CHS": "忠诚的", + "ENG": "always supporting your friends, principles, country etc" + }, + "crystal": { + "CHS": "水晶,水晶饰品,结晶体;最好的玻璃器皿", + "ENG": "very high quality clear glass" + }, + "embarrass": { + "CHS": "使为难,使尴尬", + "ENG": "to make someone feel ashamed, nervous, or uncomfortable, especially in front of other people" + }, + "howl": { + "CHS": "嚎叫,怒吼", + "ENG": "if a dog, wolf , or other animal howls, it makes a long loud sound" + }, + "release": { + "CHS": "释放;发表", + "ENG": "to let someone go free, after having kept them somewhere" + }, + "sanity": { + "CHS": "心智健全,神智正常;判断正确", + "ENG": "the condition of being mentally healthy" + }, + "visible": { + "CHS": "可见的", + "ENG": "something that is visible can be seen" + }, + "transistor": { + "CHS": "晶体管" + }, + "pasture": { + "CHS": "牧场;放牧", + "ENG": "land or a field that is covered with grass and is used for cattle, sheep etc to feed on" + }, + "sprint": { + "CHS": "全速奔跑,冲刺", + "ENG": "to run very fast for a short distance" + }, + "cradle": { + "CHS": "摇篮,策源地;支船架vt把放在摇篮里", + "ENG": "a small bed for a baby, especially one that moves gently from side to side" + }, + "amateur": { + "CHS": "业余爱好者(的)", + "ENG": "someone who does an activity just for pleasure, not as their job" + }, + "determination": { + "CHS": "决心;决定;确定", + "ENG": "the quality of trying to do something even when it is difficult" + }, + "discreet": { + "CHS": "谨慎的,思虑两全的", + "ENG": "careful about what you say or do, so that you do not offend, upset, or embarrass people or tell secrets" + }, + "perverse": { + "CHS": "刚愎的;坚持错误的,行为反常的" + }, + "perpendicular": { + "CHS": "垂直线", + "ENG": "an exactly vertical position or line" + }, + "scoop": { + "CHS": "勺,铲子;独家新闻", + "ENG": "an important or exciting news story that is printed in one newspaper or shown on one television station before any of the others know about it" + }, + "refund": { + "CHS": "归还;归还额" + }, + "productive": { + "CHS": "能生产的,肥沃的", + "ENG": "relating to the production of goods, crops, or wealth" + }, + "yawn": { + "CHS": "打呵欠;张开", + "ENG": "to open your mouth wide and breathe in deeply because you are tired or bored" + }, + "kidnap": { + "CHS": "诱拐;绑架", + "ENG": "to take someone somewhere illegally by force, often in order to get money for returning them" + }, + "emit": { + "CHS": "散发;发射", + "ENG": "to send out gas, heat, light, sound etc" + }, + "accountant": { + "CHS": "会计员", + "ENG": "someone whose job is to keep and check financial accounts, calculate taxes etc" + }, + "glamour": { + "CHS": "迷住" + }, + "environment": { + "CHS": "环境", + "ENG": "the air, water, and land on Earth, which is affected by man’s activities" + }, + "stand": { + "CHS": "架;看台;站;立;处于;忍受", + "ENG": "to support yourself on your feet or be in an upright position" + }, + "likewise": { + "CHS": "同样地;也", + "ENG": "in the same way" + }, + "traitor": { + "CHS": "叛徒,卖国贼", + "ENG": "someone who is not loyal to their country, friends, or beliefs" + }, + "grind": { + "CHS": "磨碎,折磨,压榨,磨光;苦差使", + "ENG": "to make something smooth or sharp by rubbing it on a hard surface or by using a machine" + }, + "mock": { + "CHS": "假的,模拟的", + "ENG": "not real, but intended to be very similar to a real situation, substance etc" + }, + "vacation": { + "CHS": "假期;休庭期;腾空", + "ENG": "a holiday, or time spent not working" + }, + "marrow": { + "CHS": "髓,骨髓", + "ENG": "the soft fatty substance in the hollow centre of bones" + }, + "steadfast": { + "CHS": "坚定的, 不变的,不动摇的 \"" + }, + "assumption": { + "CHS": "假定之事;承担,担任", + "ENG": "something that you think is true although you have no definite proof" + }, + "optimum": { + "CHS": "最适宜的", + "ENG": "the best or most suitable for a particular purpose or in a particular situation" + }, + "discrepancy": { + "CHS": "不一致,差异,不符", + "ENG": "a difference between two amounts, details, reports etc that should be the same" + }, + "presence": { + "CHS": "出席,到场;风采,风度", + "ENG": "when someone or something is present in a particular place" + }, + "terrain": { + "CHS": "地面,地形,地图", + "ENG": "a particular type of land" + }, + "dine": { + "CHS": "吃饭,进餐", + "ENG": "to eat dinner" + }, + "perfume": { + "CHS": "香水,香味", + "ENG": "a liquid with a strong pleasant smell that women put on their skin or clothing to make themselves smell nice" + }, + "echo": { + "CHS": "回声,反响", + "ENG": "if a sound echoes, you hear it again because it was made near something such as a wall or hill" + }, + "cutting": { + "CHS": "锋利的" + }, + "momentum": { + "CHS": "动量;势头", + "ENG": "the ability to keep increasing, developing, or being more successful" + }, + "nowhere": { + "CHS": "什么地方都没有", + "ENG": "not in any place or to any place" + }, + "shepherd": { + "CHS": "带领,照看", + "ENG": "to lead or guide a group of people somewhere, making sure that they go where you want them to go" + }, + "superintend": { + "CHS": "监督,指挥(工作)", + "ENG": "to be in charge of something, and control how it is done" + }, + "mythology": { + "CHS": "神话学", + "ENG": "set of ancient myths" + }, + "delinquency": { + "CHS": "过失,为非作歹,失职" + }, + "relief": { + "CHS": "减轻;救济", + "ENG": "when something reduces someone’s pain or unhappy feelings" + }, + "dole": { + "CHS": "施舍,悲哀" + }, + "suspension": { + "CHS": "悬挂,暂停", + "ENG": "when something is officially stopped for a period of time" + }, + "laudable": { + "CHS": "值得称赞的", + "ENG": "deserving praise, even if not completely successful" + }, + "snack": { + "CHS": "快餐,小吃", + "ENG": "a small amount of food that is eaten between main meals or instead of a meal" + }, + "demolish": { + "CHS": "拆毁;废除;驳倒", + "ENG": "to completely destroy a building" + }, + "whistle": { + "CHS": "吹哨汽笛", + "ENG": "to make a high or musical sound by blowing air out through your lips" + }, + "monster": { + "CHS": "怪物;畸形的动植物;恶人", + "ENG": "an imaginary or ancient creature that is large, ugly, and frightening" + }, + "doctrine": { + "CHS": "教义,教条", + "ENG": "a set of beliefs that form an important part of a religion or system of ideas" + }, + "trait": { + "CHS": "特征,品质", + "ENG": "a particular quality in someone’s character" + }, + "rouse": { + "CHS": "唤醒,唤起;激励;激起", + "ENG": "to wake someone who is sleeping deeply" + }, + "compatible": { + "CHS": "可兼容的,可和谐共存的", + "ENG": "if two pieces of computer equipment are compatible, they can be used together, especially when they are made by different companies" + }, + "deck": { + "CHS": "装饰", + "ENG": "to decorate something with flowers, flags etc" + }, + "gratuity": { + "CHS": "退职金;小账,小费", + "ENG": "a small gift of money given to someone for a service they provided" + }, + "historian": { + "CHS": "历史学家", + "ENG": "A historian is a person who specializes in the study of history, and who writes books and articles about it" + }, + "desert": { + "CHS": "离开" + }, + "civilian": { + "CHS": "平民,民用的,民间的", + "ENG": "anyone who is not a member of the military forces or the police" + }, + "making": { + "CHS": "制成", + "ENG": "the process of making something" + }, + "rough": { + "CHS": "不平的;粗鲁的,粗略的;刺耳的", + "ENG": "having an uneven surface" + }, + "desirable": { + "CHS": "值得弄到手的,吸引人的" + }, + "profound": { + "CHS": "深的,极深的;渊博的;深奥的", + "ENG": "having a strong influence or effect" + }, + "transport": { + "CHS": "运输", + "ENG": "to take goods, people etc from one place to another in a vehicle" + }, + "provisional": { + "CHS": "临时的,暂时性的", + "ENG": "likely or able to be changed in the future" + }, + "fragile": { + "CHS": "脆的;易断的", + "ENG": "easily broken or damaged" + }, + "subscribe": { + "CHS": "捐款,捐助;订阅;同意,赞成", + "ENG": "to pay money, usually once a year, to have copies of a newspaper or magazine sent to you, or to have some other service" + }, + "queer": { + "CHS": "奇怪的,不平常的;可疑的;眩晕的", + "ENG": "strange or difficult to explain" + }, + "decipher": { + "CHS": "译解(密码等)", + "ENG": "to find the meaning of something that is difficult to read or understand" + }, + "imaginative": { + "CHS": "想象的,有想象力的", + "ENG": "containing new and interesting ideas" + }, + "inclusive": { + "CHS": "包括的,包含的", + "ENG": "an inclusive price or cost includes everything" + }, + "mushroom": { + "CHS": "蘑菇,迅速发展", + "ENG": "one of several kinds of fungus with stems and round tops, some of which can be eaten" + }, + "horrible": { + "CHS": "可怕的,恐怖的;讨厌的", + "ENG": "very bad - used, for example, about things you see, taste, or smell, or about the weather" + }, + "sparkle": { + "CHS": "闪光,闪耀", + "ENG": "to shine in small bright flashes" + }, + "temperate": { + "CHS": "有节制的,不过分的;(气候)温和的", + "ENG": "behaviour that is temperate is calm and sensible" + }, + "prerogative": { + "CHS": "特权", + "ENG": "a right that someone has, especially because of their importance or social position" + }, + "subtitle": { + "CHS": "(书籍)副标题;译文字幕", + "ENG": "the words printed over a film in a foreign language to translate what is being said by the actors" + }, + "torment": { + "CHS": "折磨;纠缠", + "ENG": "to make someone suffer a lot, especially mentally" + }, + "seemingly": { + "CHS": "好像;似乎", + "ENG": "If something is seemingly the case, you mean that it appears to be the case, even though it may not really be so" + }, + "tile": { + "CHS": "瓦,瓦片", + "ENG": "a thin curved piece of baked clay used for covering roofs" + }, + "isle": { + "CHS": "岛,小岛", + "ENG": "a word for an island, used in poetry or in names of islands" + }, + "enquiry": { + "CHS": "询问,打听" + }, + "scout": { + "CHS": "侦察员,侦察机,侦察舰", + "ENG": "a soldier, plane etc that is sent to search the area in front of an army and get information about the enemy" + }, + "ransom": { + "CHS": "赎金,赎救", + "ENG": "an amount of money that is paid to free someone who is held as a prisoner" + }, + "venerate": { + "CHS": "崇敬,崇拜", + "ENG": "to honour or respect someone or something because they are old, holy, or connected with the past" + }, + "outright": { + "CHS": "断然的;明白无误的" + }, + "pageant": { + "CHS": "露天表演,庆典", + "ENG": "A pageant is a colourful public procession, show, or ceremony. Pageants are usually held outdoors and often celebrate events or people from history. " + }, + "graph": { + "CHS": "曲线图,图表", + "ENG": "a drawing that uses a line or lines to show how two or more sets of measurements are related to each other" + }, + "liner": { + "CHS": "班机,班轮", + "ENG": "A liner is a large ship in which people travel long distances, especially on holiday" + }, + "notary": { + "CHS": "公证人,公证员", + "ENG": "someone, especially a lawyer, who has the legal power to make a signed statement or document official" + }, + "melody": { + "CHS": "音律;歌曲", + "ENG": "a song or tune" + }, + "similar": { + "CHS": "类似的", + "ENG": "almost the same" + }, + "contemporary": { + "CHS": "同龄人,同时代的人", + "ENG": "someone who lived or was in a particular place at the same time as someone else" + }, + "reckless": { + "CHS": "鲁莽的", + "ENG": "not caring or worrying about the possible bad or dangerous results of your actions" + }, + "goad": { + "CHS": "激励,刺激", + "ENG": "If you goad someone, you deliberately make them feel angry or irritated, often causing them to react by doing something" + }, + "leak": { + "CHS": "漏洞,泄漏", + "ENG": "a small hole that lets liquid or gas flow into or out of something" + }, + "politic": { + "CHS": "精明的;明智的", + "ENG": "sensible and likely to gain you an advantage" + }, + "register": { + "CHS": "登记,注册", + "ENG": "to put someone’s or something’s name on an official list" + }, + "lure": { + "CHS": "诱惑(力);引诱,吸引", + "ENG": "to persuade someone to do something, especially something wrong or dangerous, by making it seem attractive or exciting" + }, + "eventually": { + "CHS": "终于,最后", + "ENG": "after a long time, or after a lot of things have happened" + }, + "negotiable": { + "CHS": "可谈判的,可(通行)商议的;可兑换现金的", + "ENG": "an offer, price, contract etc that is negotiable can be discussed and changed before being agreed on" + }, + "resonant": { + "CHS": "反响的;共鸣的", + "ENG": "resonant materials increase any sound produced inside them" + }, + "attribute": { + "CHS": "属性;象征;标志", + "ENG": "a quality or feature, especially one that is considered to be good or useful" + }, + "convict": { + "CHS": "罪犯", + "ENG": "someone who has been proved to be guilty of a crime and sent to prison" + }, + "assure": { + "CHS": "断言,使确信;保(人寿)险", + "ENG": "to tell someone that something will definitely happen or is definitely true so that they are less worried" + }, + "sightseeing": { + "CHS": "观光,游览", + "ENG": "when you visit famous or interesting places, especially as tourists" + }, + "latent": { + "CHS": "潜在的;潜伏的", + "ENG": "something that is latent is present but hidden, and may develop or become more noticeable in the future" + }, + "varied": { + "CHS": "各种各样的", + "ENG": "consisting of or including many different kinds of things or people, especially in a way that seems interesting" + }, + "override": { + "CHS": "不理(某人的愿望要求),不顾" + }, + "raft": { + "CHS": "木排,木筏", + "ENG": "a flat floating structure, usually made of pieces of wood tied together, used as a boat" + }, + "perceive": { + "CHS": "察觉,发觉", + "ENG": "to notice, see, or recognize something" + }, + "symposium": { + "CHS": "专题论文集,讨论会", + "ENG": "a formal meeting in which people who know a lot about a particular subject have discussions about it" + }, + "appropriate": { + "CHS": "合适的", + "ENG": "correct or suitable for a particular time, situation, or purpose" + }, + "interior": { + "CHS": "内部", + "ENG": "the inner part or inside of something" + }, + "scum": { + "CHS": "泡沫,浮垢,糟粕,渣滓", + "ENG": "an unpleasant dirty substance that forms on the surface of water" + }, + "engagement": { + "CHS": "订婚;约会,交战", + "ENG": "an agreement between two people to marry, or the period of time they are engaged" + }, + "trap": { + "CHS": "陷阱;圈套;双轮轻便马车", + "ENG": "a piece of equipment for catching animals" + }, + "transcend": { + "CHS": "超出,超过", + "ENG": "to go beyond the usual limits of something" + }, + "circumstance": { + "CHS": "情况,形势;环境;事件", + "ENG": "the conditions that affect a situation, action, event etc" + }, + "authorize": { + "CHS": "授权", + "ENG": "to give official permission for something" + }, + "flask": { + "CHS": "细颈瓶,扁形酒瓶", + "ENG": "a hip flask " + }, + "spontaneous": { + "CHS": "自发的;自然产生的", + "ENG": "something that is spontaneous has not been planned or organized, but happens by itself, or because you suddenly feel you want to do it" + }, + "penalty": { + "CHS": "处罚,惩罚", + "ENG": "a punishment for breaking a law, rule, or legal agreement" + }, + "fortify": { + "CHS": "设防于;增强", + "ENG": "to make someone feel physically or mentally stronger" + }, + "monsoon": { + "CHS": "季风,雨季", + "ENG": "the season, from about April to October, when it rains a lot in India and other southern Asian countries" + }, + "retrospect": { + "CHS": "回顾;回想", + "ENG": "thinking back to a time in the past, especially with the advantage of knowing more now than you did then" + }, + "spit": { + "CHS": "vi吐(唾沫)", + "ENG": "to force something out of your mouth" + }, + "negligence": { + "CHS": "疏忽,粗心大意", + "ENG": "failure to take enough care over something that you are responsible for" + }, + "pension": { + "CHS": "养老金,退休金;给予养老金", + "ENG": "an amount of money paid regularly by the government or company to someone who does not work any more, for example because they have reached the age when people stop working or because they are ill" + }, + "enlighten": { + "CHS": "启发,开导", + "ENG": "to explain something to someone" + }, + "audience": { + "CHS": "听众,读者;接见", + "ENG": "a group of people who come to watch and listen to someone speaking or performing in public" + }, + "symbolize": { + "CHS": "用符号表示;作为象征", + "ENG": "if something symbolizes a quality, feeling etc, it represents it" + }, + "hobby": { + "CHS": "业余爱好", + "ENG": "an activity that you enjoy doing in your free time" + }, + "petroleum": { + "CHS": "石油", + "ENG": "oil that is obtained from below the surface of the Earth and is used to make petrol, paraffin , and various chemical substances" + }, + "classical": { + "CHS": "一流的;古典的", + "ENG": "belonging to a traditional style or set of ideas" + }, + "thrill": { + "CHS": "激动;震颤", + "ENG": "a sudden strong feeling of excitement and pleasure, or the thing that makes you feel this" + }, + "stadium": { + "CHS": "露天运动场", + "ENG": "a building for public events, especially sports and large rock music concerts, consisting of a playing field surrounded by rows of seats" + }, + "tyre": { + "CHS": "轮胎", + "ENG": "a thick rubber ring that fits around the wheel of a car, bicycle etc" + }, + "review": { + "CHS": "回顾;检查;评论", + "ENG": "a careful examination of a situation or process" + }, + "spoil": { + "CHS": "破坏;宠坏;(食物)变坏", + "ENG": "to have a bad effect on something so that it is no longer attractive, enjoyable, useful etc" + }, + "cucumber": { + "CHS": "黄瓜", + "ENG": "a long thin round vegetable with a dark green skin and a light green inside, usually eaten raw" + }, + "assign": { + "CHS": "分配;确定时间或地点;指派", + "ENG": "to give someone a particular job or make them responsible for a particular person or thing" + }, + "twist": { + "CHS": "搓,扭拧;怪癖", + "ENG": "a twisting action or movement" + }, + "privacy": { + "CHS": "隐退;秘密", + "ENG": "the state of being free from public attention" + }, + "probe": { + "CHS": "医学探针;新闻调查;探测", + "ENG": "to ask questions in order to find things out, especially things that other people do not want you to know" + }, + "ambition": { + "CHS": "雄心,抱负", + "ENG": "determination to be successful, rich, powerful etc" + }, + "shanty": { + "CHS": "小屋,棚屋;贫民区", + "ENG": "a small, roughly built hut made from thin sheets of wood, tin , plastic etc that very poor people live in" + }, + "devastate": { + "CHS": "破坏,蹂躏", + "ENG": "to damage something very badly or completely" + }, + "acknowledge": { + "CHS": "承认;表示收到信件,表示感谢", + "ENG": "to admit or accept that something is true or that a situation exists" + }, + "trail": { + "CHS": "拖,拉,蔓延", + "ENG": "to pull something behind you, especially along the ground, or to be pulled in this way" + }, + "infant": { + "CHS": "婴儿", + "ENG": "a baby or very young child" + }, + "appointment": { + "CHS": "职位;约会", + "ENG": "an arrangement for a meeting at an agreed time and place, for a particular purpose" + }, + "auction": { + "CHS": "拍卖", + "ENG": "a public meeting where land, buildings, paintings etc are sold to the person who offers the most money for them" + }, + "constrict": { + "CHS": "压缩,缩小", + "ENG": "to make something narrower or tighter, or to become narrower or tighter" + }, + "commercial": { + "CHS": "电视电台广告", + "ENG": "an advertisement on television or radio" + }, + "equivocal": { + "CHS": "暧昧的,可疑的", + "ENG": "if you are equivocal, you are deliberately unclear in the way that you give information or your opinion" + }, + "anonymous": { + "CHS": "无名的;匿名的", + "ENG": "unknown by name" + }, + "duplicate": { + "CHS": "复写", + "ENG": "to copy something exactly" + }, + "farewell": { + "CHS": "再见;临别的,告别的", + "ENG": "the action of saying goodbye" + }, + "consumer": { + "CHS": "消费者,用户", + "ENG": "someone who buys and uses products and services" + }, + "welfare": { + "CHS": "幸福,福利;社会保障", + "ENG": "someone’s welfare is their health and happiness" + }, + "tributary": { + "CHS": "支流(的)", + "ENG": "a stream or river that flows into a larger river" + }, + "measure": { + "CHS": "量度,分量,尺寸;量具;行动,步骤", + "ENG": "to know what someone’s strengths and weaknesses are, so that you are able to deal with them or defeat them" + }, + "wording": { + "CHS": "措辞", + "ENG": "the words and phrases used to express something" + }, + "spray": { + "CHS": "水花;飞沫;喷射", + "ENG": "Spray is a lot of small drops of water which are being thrown into the air" + }, + "fabricate": { + "CHS": "装配,制造,捏造", + "ENG": "to invent a story, piece of information etc in order to deceive someone" + }, + "eke": { + "CHS": "增加;放长" + }, + "might": { + "CHS": "力量,强权,势力", + "ENG": "great strength and power" + }, + "uprising": { + "CHS": "叛乱" + }, + "nominee": { + "CHS": "被提名者,被任命者", + "ENG": "someone who has been officially suggested for an important position, duty, or prize" + }, + "evict": { + "CHS": "驱逐" + }, + "march": { + "CHS": "行进,行军;进展", + "ENG": "when soldiers walk with firm regular steps from one place to another" + }, + "extravagant": { + "CHS": "奢侈的,过分的", + "ENG": "spending or costing a lot of money, especially more than is necessary or more than you can afford" + }, + "recital": { + "CHS": "详述;演奏会;独奏会" + }, + "gush": { + "CHS": "涌出,滔滔不绝地说", + "ENG": "if a liquid gushes, it flows or pours out quickly and in large quantities" + }, + "cut": { + "CHS": "割,切,剪,砍,削;离开;(线条)相交", + "ENG": "to divide something or separate something from its main part, using scissors, a knife etc" + }, + "skip": { + "CHS": "跳;遗漏", + "ENG": "to not read, mention, or deal with something that would normally come or happen next" + }, + "recession": { + "CHS": "后退;撤回;(工商业)衷退,价格暴跌" + }, + "spur": { + "CHS": "刺激;鞭策", + "ENG": "a fact or event that makes you try harder to do something" + }, + "attain": { + "CHS": "取得,得到", + "ENG": "to succeed in achieving something after trying for a long time" + }, + "privilege": { + "CHS": "特权;优惠", + "ENG": "a special advantage that is given only to one person or group of people" + }, + "abrupt": { + "CHS": "突然的,粗暴的", + "ENG": "sudden and unexpected" + }, + "withhold": { + "CHS": "制止,扣留,不给予", + "ENG": "to refuse to give someone something" + }, + "resemblance": { + "CHS": "相似,类似", + "ENG": "if there is a resemblance between two people or things, they are similar, especially in the way they look" + }, + "lethal": { + "CHS": "致死的;致死的", + "ENG": "causing death, or able to cause death" + }, + "exhort": { + "CHS": "劝告", + "ENG": "to try very hard to persuade someone to do something" + }, + "detective": { + "CHS": "侦探的,发觉者的", + "ENG": "A detective novel or story is one in which a detective tries to solve a crime" + }, + "synthetic": { + "CHS": "人工合成的", + "ENG": "produced by combining different artificial substances, rather than being naturally produced" + }, + "collaboration": { + "CHS": "协作,合作", + "ENG": "when you work together with another person or group to achieve something, especially in science or art" + }, + "henceforth": { + "CHS": "同义于 henceforward今后" + }, + "dull": { + "CHS": "变钝", + "ENG": "to make something become less sharp or clear" + }, + "choke": { + "CHS": "闷塞,压抑,闷死" + }, + "legal": { + "CHS": "法律的", + "ENG": "if something is legal, you are allowed to do it or have to do it by law" + }, + "furious": { + "CHS": "狂怒的", + "ENG": "very angry" + }, + "pivot": { + "CHS": "中枢,轴;辩论的要点", + "ENG": "The pivot in a situation is the most important thing that everything else is based on or arranged around" + }, + "timber": { + "CHS": "木材,木料;树木,树林", + "ENG": "wood used for building or making things" + }, + "orbit": { + "CHS": "沿轨道运行", + "ENG": "to travel in a curved path around a much larger object such as the Earth, the Sun etc" + }, + "pharmacy": { + "CHS": "制药,配药;药房;药店", + "ENG": "a shop or a part of a shop where medicines are prepared and sold" + }, + "subject": { + "CHS": "征服", + "ENG": "to force a country or group of people to be ruled by you, and control them very strictly" + }, + "fry": { + "CHS": "油煎,油炒", + "ENG": "to cook something in hot fat or oil, or to be cooked in hot fat or oil" + }, + "diligent": { + "CHS": "勤奋的", + "ENG": "someone who is diligent works hard and is careful and thorough" + }, + "quantitative": { + "CHS": "量的,定量的", + "ENG": "relating to amounts rather than to the quality or standard of something" + }, + "monetary": { + "CHS": "货币的;钱的", + "ENG": "relating to money, especially all the money in a particular country" + }, + "deviate": { + "CHS": "背离,偏离", + "ENG": "to change what you are doing so that you are not following an expected plan, idea, or type of behaviour" + }, + "clip": { + "CHS": "回形针;夹子,剪", + "ENG": "a small metal or plastic object that holds or fastens things together" + }, + "maniac": { + "CHS": "疯子,躁狂者", + "ENG": "someone who behaves in a stupid or dangerous way" + }, + "optical": { + "CHS": "视觉的,眼睛的,光学的", + "ENG": "relating to machines or processes which are concerned with light, images, or the way we see things" + }, + "classify": { + "CHS": "把分类(归类);分等级", + "ENG": "to decide what group something belongs to" + }, + "metaphor": { + "CHS": "隐喻,暗喻", + "ENG": "a way of describing something by referring to it as something different and suggesting that it has similar qualities to that thing" + }, + "slender": { + "CHS": "细长的,苗条的;纤弱的,微小的,微薄的", + "ENG": "thin in an attractive or graceful way" + }, + "desolate": { + "CHS": "使荒芜" + }, + "wit": { + "CHS": "智力,才智", + "ENG": "your ability to think quickly and make the right decisions" + }, + "hand": { + "CHS": "传递", + "ENG": "to give something to someone else with your hand" + }, + "odd": { + "CHS": "古怪的,奇数的;单独的;零头的;临时的", + "ENG": "different from what is normal or expected, especially in a way that you disapprove of or cannot understand" + }, + "dispatch": { + "CHS": "派遣,发送,迅速办理,急件", + "ENG": "to send someone or something somewhere for a particular purpose" + }, + "tangle": { + "CHS": "缠结;混乱(交通)", + "ENG": "to become twisted together, or make something become twisted together, in an untidy mass" + }, + "associate": { + "CHS": "伙伴,同事,同伴", + "ENG": "someone who you work or do business with" + }, + "slip": { + "CHS": "滑,失误", + "ENG": "to slide a short distance accidentally, and fall or lose your balance slightly" + }, + "retreat": { + "CHS": "撤退", + "ENG": "to move away from the enemy after being defeated in battle" + }, + "revelation": { + "CHS": "揭示,揭露", + "ENG": "a surprising fact about someone or something that was previously secret and is now made known" + }, + "defeat": { + "CHS": "打败,战胜", + "ENG": "failure to win or succeed" + }, + "slab": { + "CHS": "(石材、木材)板,片", + "ENG": "a thick flat piece of a hard material such as stone" + }, + "lobby": { + "CHS": "对议员等游说活动", + "ENG": "If you lobby someone such as a member of a government or council, you try to persuade them that a particular law should be changed or that a particular thing should be done" + }, + "administration": { + "CHS": "管理,经营;行政", + "ENG": "the activities that are involved in managing the work of a company or organization" + }, + "efficient": { + "CHS": "能胜任的,效率高的", + "ENG": "if someone or something is efficient, they work well without wasting time, money, or energy" + }, + "throbbing": { + "CHS": "跳动的,悸动的" + }, + "lawn": { + "CHS": "草地,草坪", + "ENG": "an area of ground in a garden or park that is covered with short grass" + }, + "superstition": { + "CHS": "迷信,迷信行为", + "ENG": "a belief that some objects or actions are lucky or unlucky, or that they cause events to happen, based on old ideas of magic" + }, + "exceedingly": { + "CHS": "非常, 极端地\"" + }, + "pillar": { + "CHS": "柱;栋梁", + "ENG": "somebody who is an important and respected member of a group, and is involved in many public activities" + }, + "spokesman": { + "CHS": "发言人", + "ENG": "a man who has been chosen to speak officially for a group, organization, or government" + }, + "avert": { + "CHS": "避开,防止", + "ENG": "to prevent something unpleasant from happening" + }, + "cash": { + "CHS": "兑现,兑付", + "ENG": "If you cash a cheque, you exchange it at a bank for the amount of money that it is worth" + }, + "grin": { + "CHS": "露齿而笑,咧嘴一笑", + "ENG": "to smile widely" + }, + "stroke": { + "CHS": "击;划;一笔;中风", + "ENG": "if someone has a stroke, an artery (= tube carrying blood ) in their brain suddenly bursts or becomes blocked, so that they may die or be unable to use some muscles" + }, + "applicant": { + "CHS": "请求者,申请者", + "ENG": "someone who has formally asked, usually in writing, for a job, university place etc" + }, + "pull": { + "CHS": "拉,拖,拔", + "ENG": "to use your hands to make something or someone move towards you or in the direction that your hands are moving" + }, + "secondary": { + "CHS": "第二的,中级的;次要的", + "ENG": "not as important as something else" + }, + "indicative": { + "CHS": "指示的;表示的", + "ENG": "If one thing is indicative of another, it suggests what the other thing is likely to be" + }, + "wither": { + "CHS": "使枯萎,使凋谢;使人感觉羞愧或迷惑 \"", + "ENG": "if plants wither, they become drier and smaller and start to die" + }, + "commuter": { + "CHS": "乘公交车辆上下班者" + }, + "distribute": { + "CHS": "分发,分配,散布", + "ENG": "to share things among a group of people, especially in a planned way" + }, + "excrement": { + "CHS": "排泄物,粪便", + "ENG": "the solid waste material that you get rid of through your bowels" + }, + "intelligible": { + "CHS": "可理解的,明白的", + "ENG": "if speech, writing, or an idea is intelligible, it can be easily understood" + }, + "contempt": { + "CHS": "轻蔑;不尊敬,轻视", + "ENG": "a feeling that someone or something is not important and deserves no respect" + }, + "palm": { + "CHS": "手掌,棕榈", + "ENG": "the inside surface of your hand, in which you hold things" + }, + "trauma": { + "CHS": "损伤,精神创伤", + "ENG": "an unpleasant and upsetting experience that affects you for a long time" + }, + "shelter": { + "CHS": "隐蔽处;掩蔽,遮蔽;避难所", + "ENG": "protection from danger or from wind, rain, hot sun etc" + }, + "disregard": { + "CHS": "不理,漠视", + "ENG": "to ignore something or treat it as unimportant" + }, + "perennial": { + "CHS": "多年生植物\"", + "ENG": "a plant that lives for more than two years" + }, + "ownership": { + "CHS": "所有权", + "ENG": "the fact of owning something" + }, + "antagonism": { + "CHS": "反对,不喜欢", + "ENG": "opposition to an idea, plan etc" + }, + "provided": { + "CHS": "假如,如果", + "ENG": "used to say that something will only be possible if something else happens or is done" + }, + "evoke": { + "CHS": "唤起;引起", + "ENG": "to produce a strong feeling or memory in someone" + }, + "clarity": { + "CHS": "清澈,明晰", + "ENG": "the clarity of a piece of writing, law, argument etc is its quality of being expressed clearly" + }, + "revolve": { + "CHS": "使旋转;使绕转", + "ENG": "to move around like a wheel, or to make something move around like a wheel" + }, + "ambiguity": { + "CHS": "模棱两可;多义词句", + "ENG": "the state of being unclear, confusing, or not certain, or things that produce this effect" + }, + "charter": { + "CHS": "特许", + "ENG": "to say officially that a town, organization, or university officially exists and has special rights" + }, + "grid": { + "CHS": "高压输电线路网;地图坐标方格;格栅", + "ENG": "a metal frame with bars across it" + }, + "notation": { + "CHS": "(数学、音乐)的一套符号", + "ENG": "A system of notation is a set of written symbols that are used to represent something such as music or mathematics" + }, + "slit": { + "CHS": "切开,撕裂", + "ENG": "to make a straight narrow cut in cloth, paper, skin etc" + }, + "hardware": { + "CHS": "金属日用器皿,计算机硬件", + "ENG": "computer machinery and equipment, as opposed to the programs that make computers work" + }, + "mercy": { + "CHS": "怜悯;宽恕", + "ENG": "if someone shows mercy, they choose to forgive or to be kind to someone who they have the power to hurt or punish" + }, + "diameter": { + "CHS": "直径", + "ENG": "a straight line from one side of a circle to the other side, passing through the centre of the circle, or the length of this line" + }, + "empirical": { + "CHS": "经验主义的", + "ENG": "based on scientific testing or practical experience, not on ideas" + }, + "standard": { + "CHS": "标准;旗帜", + "ENG": "the level that is considered to be acceptable, or the level that someone or something has achieved" + }, + "gown": { + "CHS": "长袍;长外衣", + "ENG": "a long loose piece of clothing worn for special ceremonies by judges, teachers, lawyers, and members of universities" + }, + "filter": { + "CHS": "滤过,透过", + "ENG": "to remove unwanted substances from water, air etc by passing it through a special substance or piece of equipment" + }, + "fester": { + "CHS": "脓疮,(怨恨等)郁积,恶化", + "ENG": "if an unpleasant feeling or problem festers, it gets worse because it has not been dealt with" + }, + "doom": { + "CHS": "注定,判定", + "ENG": "to make someone or something certain to fail, die, be destroyed etc" + }, + "dub": { + "CHS": "(以某种称号)授予;给起绰号;复制", + "ENG": "to give something or someone a name that describes them in some way" + }, + "matrimony": { + "CHS": "婚姻,结婚,婚姻生活", + "ENG": "the state of being married" + }, + "sanitary": { + "CHS": "清洁的,保健的,卫生的", + "ENG": "relating to the ways that dirt, infection, and waste are removed, so that places are clean and healthy for people to live in" + }, + "enrich": { + "CHS": "使丰富,加料于,增进", + "ENG": "to improve the quality of something, especially by adding things to it" + }, + "frontier": { + "CHS": "国境;尖端;新领域", + "ENG": "the border of a country" + }, + "equity": { + "CHS": "公平;公正;无固定利息的股票", + "ENG": "a situation in which all people are treated equally and no one has an unfair advantage" + }, + "generous": { + "CHS": "慷慨的,丰盛的", + "ENG": "someone who is generous is willing to give money, spend time etc, in order to help people or give them pleasure" + }, + "juvenile": { + "CHS": "青少年", + "ENG": "A juvenile is a child or young person who is not yet old enough to be regarded as an adult" + }, + "fend": { + "CHS": "抵挡" + }, + "longitude": { + "CHS": "经度", + "ENG": "the distance east or west of a particular meridian (= imaginary line along the Earth’s surface from the North Pole to the South Pole ) , measured in degrees" + }, + "sting": { + "CHS": "刺;刺痛", + "ENG": "if an insect or a plant stings you, it makes a very small hole in your skin and you feel a sharp pain because of a poisonous substance" + }, + "escalate": { + "CHS": "升级,逐渐发展", + "ENG": "if fighting, violence, or a bad situation escalates, or if someone escalates it, it becomes much worse" + }, + "poverty": { + "CHS": "贫困,贫穷", + "ENG": "the situation or experience of being poor" + }, + "cassette": { + "CHS": "磁带盒;照相软片盒", + "ENG": "A cassette is a small, flat, rectangular plastic case containing magnetic tape which is used for recording and playing back sound or film" + }, + "date": { + "CHS": "日期;约会", + "ENG": "a particular day of the month or year, especially shown by a number" + }, + "hedge": { + "CHS": "围树篱;障碍;躲闪;推诿", + "ENG": "a row of small bushes or trees growing close together, usually dividing one field or garden from another" + }, + "hospitality": { + "CHS": "好客,殷勤", + "ENG": "friendly behaviour towards visitors" + }, + "declaration": { + "CHS": "宣布,宣言;声明", + "ENG": "an important official statement about a particular situation or plan, or the act of making this statement" + }, + "detest": { + "CHS": "痛恨, 憎恶\"", + "ENG": "to hate something or someone very much" + }, + "incite": { + "CHS": "激励;煽动", + "ENG": "to deliberately encourage people to fight, argue etc" + }, + "innovation": { + "CHS": "创新,改革", + "ENG": "the introduction of new ideas or methods" + }, + "liability": { + "CHS": "义务;不利;阻碍;债务", + "ENG": "legal responsibility for something, especially for paying money that is owed, or for damage or injury" + }, + "strenuous": { + "CHS": "费劲的,用力的", + "ENG": "needing a lot of effort or strength" + }, + "principal": { + "CHS": "校长", + "ENG": "someone who is in charge of a school" + }, + "exhaust": { + "CHS": "抽空,汲光" + }, + "drain": { + "CHS": "排水管,排水沟;消耗", + "ENG": "a pipe that carries water or waste liquids away" + }, + "export": { + "CHS": "出口,出口企业,出口品", + "ENG": "the business of selling and sending goods to other countries" + }, + "log": { + "CHS": "原木,圆木", + "ENG": "a thick piece of wood from a tree" + }, + "superstructure": { + "CHS": "上层建筑;统治阶层", + "ENG": "a political or social system that has developed from a simpler system" + }, + "taboo": { + "CHS": "禁忌的,禁止的", + "ENG": "a taboo subject, word, activity etc is one that people avoid because it is extremely offensive or embarrassing" + }, + "spatial": { + "CHS": "空间的,关于空间的", + "ENG": "relating to the position, size, shape etc of things" + }, + "objection": { + "CHS": "厌恶,反对;反对的理由", + "ENG": "a reason that you have for opposing or disapproving of something, or something you say that expresses this" + }, + "tornado": { + "CHS": "飓风,龙卷风", + "ENG": "an extremely violent storm consisting of air that spins very quickly and causes a lot of damage" + }, + "pin": { + "CHS": "用别针别住;钉住,使不能行动", + "ENG": "to make someone unable to move by putting a lot of pressure or weight on them" + }, + "style": { + "CHS": "风格;文体;式样", + "ENG": "a particular way of doing, designing, or producing something, especially one that is typical of a particular place, period of time, or group of people" + }, + "ultimatum": { + "CHS": "最后通牒", + "ENG": "a threat saying that if someone does not do what you want by a particular time, you will do something to punish them" + }, + "presentation": { + "CHS": "赠送;提出;显示;描述", + "ENG": "the way in which something is said, offered, shown, or explained to others" + }, + "neglect": { + "CHS": "忽略,疏忽", + "ENG": "failure to look after something or someone, or the condition of not being looked after" + }, + "carrot": { + "CHS": "胡萝卜", + "ENG": "a long pointed orange vegetable that grows under the ground" + }, + "linear": { + "CHS": "线的,直线的,长度的", + "ENG": "consisting of lines, or in the form of a straight line" + }, + "sweater": { + "CHS": "厚运行衫,毛线衫", + "ENG": "a piece of warm wool or cotton clothing with long sleeves, which covers the top half of your body" + }, + "precarious": { + "CHS": "不稳定的,不安全的", + "ENG": "a precarious situation or state is one which may very easily or quickly become worse" + }, + "amends": { + "CHS": "(pl)赔偿,道歉", + "ENG": "recompense or compensation given or gained for some injury, insult, etc " + }, + "approval": { + "CHS": "允许,赞同;批准", + "ENG": "when a plan, decision, or person is officially accepted" + }, + "faculty": { + "CHS": "才能;(大学的)系科;学院全体教员", + "ENG": "a department or group of related departments within a university" + }, + "avoid": { + "CHS": "避免,逃避", + "ENG": "to prevent something bad from happening" + }, + "chat": { + "CHS": "闲谈; 聊天", + "ENG": "an informal friendly conversation" + }, + "surpass": { + "CHS": "超过,超越,胜过", + "ENG": "to be even better or greater than someone or something else" + }, + "appliance": { + "CHS": "用具,设备,装置" + }, + "despise": { + "CHS": "鄙视,看不起", + "ENG": "to dislike and have a low opinion of someone or something" + }, + "plunge": { + "CHS": "投入,插入;跳水", + "ENG": "Plunge is also a noun" + }, + "disguise": { + "CHS": "假扮;隐蔽;掩饰", + "ENG": "to change someone’s appearance so that people cannot recognize them" + }, + "deflect": { + "CHS": "偏斜", + "ENG": "if someone or something deflects something that is moving, or if it deflects, it turns in a different direction" + }, + "optional": { + "CHS": "非强制的,自愿的,自发的", + "ENG": "if something is optional, you do not have to do it or use it, but you can choose to if you want to" + }, + "elementary": { + "CHS": "基本的,初级的", + "ENG": "simple or basic" + }, + "mar": { + "CHS": "毁坏,弄糟", + "ENG": "to make something less attractive or enjoyable" + }, + "compute": { + "CHS": "计算,估计", + "ENG": "to calculate a result, answer, sum etc" + }, + "dramatic": { + "CHS": "戏剧性的,戏剧的", + "ENG": "connected with acting or plays" + }, + "maim": { + "CHS": "残害,使残废", + "ENG": "to wound or injure someone very seriously and often permanently" + }, + "partial": { + "CHS": "不完全的;偏袒的", + "ENG": "not complete" + }, + "launch": { + "CHS": "\"" + }, + "hearing": { + "CHS": "听力,听力所及距离,被听到机会;审讯", + "ENG": "the sense which you use to hear sounds" + }, + "mighty": { + "CHS": "强大的,强有力的,巨大的,浩大的", + "ENG": "very strong and powerful, or very big and impressive" + }, + "striking": { + "CHS": "引人注目的,显著的", + "ENG": "unusual or interesting enough to be easily noticed" + }, + "counterpart": { + "CHS": "对应的物或人", + "ENG": "someone or something that has the same job or purpose as someone or something else in a different place" + }, + "unilateral": { + "CHS": "单方面的;片面的", + "ENG": "a unilateral action or decision is done by only one of the groups involved in a situation" + }, + "ruinous": { + "CHS": "毁灭性的,破坏性的", + "ENG": "causing a lot of damage or problems" + }, + "jumble": { + "CHS": "混杂,杂乱,混乱", + "ENG": "a lot of different things mixed together in an untidy way, without any order" + }, + "instalment": { + "CHS": "分期连载,分期支付的款子", + "ENG": "one of a series of regular payments that you make until you have paid all the money you owe" + }, + "refreshing": { + "CHS": "使精力恢复的;使耳目一新的", + "ENG": "pleasantly different from what is familiar and boring" + }, + "notch": { + "CHS": "(V字形)槽口,缺口", + "ENG": "a V-shaped cut or hole in a surface or edge" + }, + "correspondent": { + "CHS": "记者,通信者", + "ENG": "someone who is employed by a newspaper or a television station etc to report news from a particular area or on a particular subject" + }, + "peril": { + "CHS": "(严重的)危险;危险的事物", + "ENG": "great danger, especially of being harmed or killed" + }, + "agency": { + "CHS": "代理商(社)", + "ENG": "a business that provides a particular service for people or organizations" + }, + "elated": { + "CHS": "欢欣鼓舞的", + "ENG": "extremely happy and excited, especially because of something that has happened or is going to happen" + }, + "critical": { + "CHS": "危急的;批评的;苛求的,关键的", + "ENG": "if you are critical, you criticize someone or something" + }, + "picturesque": { + "CHS": "似画的,生动的", + "ENG": "a picturesque place is pretty and interesting in an old-fashioned way" + }, + "tacit": { + "CHS": "心照不宣的", + "ENG": "tacit agreement, approval, support etc is given without anything actually being said" + }, + "controversial": { + "CHS": "引起争论的", + "ENG": "causing a lot of disagreement, because many people have strong opinions about the subject being discussed" + }, + "mucous": { + "CHS": "黏液的,似黏液的", + "ENG": "of, resembling, or secreting mucus " + }, + "perpetual": { + "CHS": "永久的;永恒的", + "ENG": "permanent" + }, + "porous": { + "CHS": "多孔的,能渗透的", + "ENG": "allowing liquid, air etc to pass slowly through many very small holes" + }, + "whirl": { + "CHS": "使旋转;眩晕", + "ENG": "If something or someone whirls around or if you whirl them around, they move around or turn around very quickly" + }, + "swell": { + "CHS": "使膨胀;使增强,使壮大,使隆起", + "ENG": "to curve or make something curve" + }, + "gross": { + "CHS": "计得", + "ENG": "If a person or a business grosses a particular amount of money, they earn that amount of money before tax has been taken away" + }, + "defile": { + "CHS": "弄脏,污损", + "ENG": "to make something less pure and good, especially by showing no respect" + }, + "virtually": { + "CHS": "实际上,事实上", + "ENG": "almost" + }, + "equivalent": { + "CHS": "相等的,相同" + }, + "forte": { + "CHS": "长处,特长" + }, + "tamper": { + "CHS": "干预,乱弄" + }, + "prone": { + "CHS": "俯伏的;有倾向", + "ENG": "likely to do something or suffer from something, especially something bad or harmful" + }, + "estimate": { + "CHS": "评价,估量", + "ENG": "If you estimate a quantity or value, you make an approximate judgment or calculation of it" + }, + "uniform": { + "CHS": "制服", + "ENG": "a particular type of clothing worn by all the members of a group or organization such as the police, the army etc" + }, + "pupil": { + "CHS": "瞳孔,瞳仁", + "ENG": "the small black round area in the middle of your eye" + }, + "ambulance": { + "CHS": "救护车", + "ENG": "a special vehicle that is used to take people who are ill or injured to hospital" + }, + "shallow": { + "CHS": "浅的;肤浅的", + "ENG": "measuring only a short distance from the top to the bottom" + }, + "fume": { + "CHS": "发怒" + }, + "disc": { + "CHS": "圆盘,圆面,磁盘;椎间盘", + "ENG": "a round flat shape or object" + }, + "emergency": { + "CHS": "紧急情况,突发事件", + "ENG": "an unexpected and dangerous situation that must be dealt with immediately" + }, + "geology": { + "CHS": "地质学;地质", + "ENG": "the study of the rocks, soil etc that make up the Earth, and of the way they have changed since the Earth was formed" + }, + "stem": { + "CHS": "-from起源于", + "ENG": "If a condition or problem stems from something, it was caused originally by that thing" + }, + "prey": { + "CHS": "捕食;被捕食的动物", + "ENG": "an animal, bird etc that is hunted and eaten by another animal" + }, + "frost": { + "CHS": "严寒,霜v结霜;使(玻璃)具有光泽的表面", + "ENG": "very cold weather, when water freezes" + }, + "gravel": { + "CHS": "沙砾,碎石", + "ENG": "small stones, used to make a surface for paths, roads etc" + }, + "dividend": { + "CHS": "红利,股息", + "ENG": "a part of a company’s profit that is divided among the people with share s in the company" + }, + "pump": { + "CHS": "泵,抽水机vt&vi抽取;盘问;灌注", + "ENG": "a machine for forcing liquid or gas into or out of something" + }, + "strain": { + "CHS": "尽量利用", + "ENG": "to try very hard to do something using all your strength or ability" + }, + "nibble": { + "CHS": "啃,一点一点咬", + "ENG": "to eat small amounts of food by taking very small bites" + }, + "ally": { + "CHS": "同盟者,伙伴;结盟", + "ENG": "a country that agrees to help or support another country in a war" + }, + "facilitate": { + "CHS": "使便利" + }, + "twig": { + "CHS": "嫩枝, 细枝 \"", + "ENG": "a small very thin stem of wood that grows from a branch on a tree" + }, + "gape": { + "CHS": "目瞪口呆" + }, + "ample": { + "CHS": "宽敞的,丰富的", + "ENG": "large in a way that is attractive or pleasant" + }, + "contingency": { + "CHS": "偶然,偶然事件" + }, + "validity": { + "CHS": "有效,正当" + }, + "monotonous": { + "CHS": "单调的,无变化的", + "ENG": "boring because of always being the same" + }, + "peel": { + "CHS": "剥皮;皮", + "ENG": "to remove the skin from fruit or vegetables" + }, + "lay": { + "CHS": "放,放置,安置;下蛋", + "ENG": "to put someone or something down carefully into a flat position" + }, + "leap": { + "CHS": "跳,跃", + "ENG": "a big jump" + }, + "necessitate": { + "CHS": "使成为必需", + "ENG": "to make it necessary for you to do something" + }, + "conviction": { + "CHS": "定罪;深信", + "ENG": "a very strong belief or opinion" + }, + "dread": { + "CHS": "畏惧;恐惧", + "ENG": "to feel anxious or worried about something that is going to happen or may happen" + }, + "script": { + "CHS": "手迹,笔迹; 手稿; 剧本", + "ENG": "writing done by hand" + }, + "devote": { + "CHS": "把奉献给", + "ENG": "If you devote yourself, your time, or your energy to something, you spend all or most of your time or energy on it" + }, + "supersonic": { + "CHS": "超声的,超声速的", + "ENG": "faster than the speed of sound" + }, + "scale": { + "CHS": "鳞;尺度;等级;比例规模;天平", + "ENG": "the size or level of something, or the amount that something is happening" + }, + "alien": { + "CHS": "外侨;外国人的;不相容的", + "ENG": "someone who is not a legal citizen of the country they are living or working in" + }, + "axis": { + "CHS": "(plaxes)轴,轴心", + "ENG": "the imaginary line around which a large round object, such as the Earth, turns" + }, + "fluent": { + "CHS": "说话流利的,(演说等)流畅的", + "ENG": "able to speak a language very well" + }, + "design": { + "CHS": "设计,构思;设计制图术", + "ENG": "the art or process of making a drawing of something to show how you will make it or what it will look like" + }, + "mundane": { + "CHS": "世间的;世俗的", + "ENG": "concered with ordinary daily life rather than religious matters" + }, + "withdraw": { + "CHS": "收回,取回;撤回;撤退", + "ENG": "to stop taking part in an activity, belonging to an organization etc, or to make someone do this" + }, + "synchronize": { + "CHS": "使同时发生,使同步发生", + "ENG": "to happen at exactly the same time, or to arrange for two or more actions to happen at exactly the same time" + }, + "individual": { + "CHS": "个人,个体", + "ENG": "a person, considered separately from the rest of the group or society that they live in" + }, + "afford": { + "CHS": "冒险;得起;供给", + "ENG": "to provide something or allow something to happen" + }, + "light": { + "CHS": "光,光线", + "ENG": "the time when light first appears in the morning sky" + }, + "perceptible": { + "CHS": "察觉得到的,看得出的", + "ENG": "something that is perceptible can be noticed, although it is very small" + }, + "luxury": { + "CHS": "奢侈,奢侈品", + "ENG": "very great comfort and pleasure, such as you get from expensive food, beautiful houses, cars etc" + }, + "derive": { + "CHS": "得到,起源于", + "ENG": "to get something, especially an advantage or a pleasant feeling, from something" + }, + "executive": { + "CHS": "行政部门,行政人员", + "ENG": "the part of a government that makes sure decisions and laws work well" + }, + "soar": { + "CHS": "鸟高飞,翱翔;[喻]高涨,猛增", + "ENG": "to increase quickly to a high level" + }, + "abundance": { + "CHS": "丰富", + "ENG": "a large quantity of something" + }, + "susceptible": { + "CHS": "敏感的;易受感动的", + "ENG": "likely to suffer from a particular illness or be affected by a particular problem" + }, + "automatic": { + "CHS": "小型自动武器", + "ENG": "a weapon that can fire bullets continuously" + }, + "corrupt": { + "CHS": "(使)腐败,贿赂", + "ENG": "to encourage someone to start behaving in an immoral or dishonest way" + }, + "multilateral": { + "CHS": "多边的;多国参加的", + "ENG": "involving several different countries or groups" + }, + "formulate": { + "CHS": "精确地表达;制订;用公式表示" + }, + "facet": { + "CHS": "刻面,(问题的)一个方面", + "ENG": "one of several parts of someone’s character, a situation etc" + }, + "supersede": { + "CHS": "代替", + "ENG": "if a new idea, product, or method supersedes another one, it becomes used instead because it is more modern or effective" + }, + "hostile": { + "CHS": "敌对的,敌方的,不友好的", + "ENG": "angry and deliberately unfriendly towards someone, and ready to argue with them" + }, + "solo": { + "CHS": "独唱,独奏", + "ENG": "a piece of music for one performer" + }, + "ruthless": { + "CHS": "残忍的,无情的", + "ENG": "so determined to get what you want that you do not care if you have to hurt other people in order to do it" + }, + "click": { + "CHS": "咔嗒一声", + "ENG": "to make a short hard sound, or make something produce this sound" + }, + "contest": { + "CHS": "争夺,竞争;比赛", + "ENG": "a competition or a situation in which two or more people or groups are competing with each other" + }, + "agreeable": { + "CHS": "令人愉快的;乐于同意的", + "ENG": "pleasant" + }, + "tube": { + "CHS": "管;(伦敦)地下铁道", + "ENG": "a round pipe made of metal, glass, rubber etc, especially for liquids or gases to go through" + }, + "flourish": { + "CHS": "繁荣,挥舞", + "ENG": "to develop well and be successful" + }, + "detect": { + "CHS": "发现,发觉;侦察", + "ENG": "to notice or discover something, especially something that is not easy to see, hear etc" + }, + "tarnish": { + "CHS": "(尤指金属表面)失去光泽;玷污", + "ENG": "if an event or fact tarnishes someone’s reputation , record, image etc, it makes it worse" + }, + "counterfeit": { + "CHS": "伪造,仿造", + "ENG": "to copy something exactly in order to deceive people" + }, + "chew": { + "CHS": "嚼;咀嚼", + "ENG": "to bite food several times before swallowing it" + }, + "devour": { + "CHS": "狼吞虎咽地吃;挥霍,耗尽", + "ENG": "to eat something quickly because you are very hungry" + }, + "offend": { + "CHS": "犯罪;冒犯;攻击" + }, + "item": { + "CHS": "条款,项目,一条(新闻)", + "ENG": "a single thing, especially one thing in a list, group, or set of things" + }, + "confidence": { + "CHS": "骗得信任的" + }, + "cosy": { + "CHS": "温暖而舒适的,安逸的", + "ENG": "a place that is cosy is small, comfortable, and warm" + }, + "suck": { + "CHS": "吸,舔", + "ENG": "to take air, liquid etc into your mouth by making your lips form a small hole and using the muscles of your mouth to pull it in" + }, + "employment": { + "CHS": "职业;雇用;使用", + "ENG": "the act of paying someone to work for you" + }, + "amend": { + "CHS": "改进,修正", + "ENG": "to correct or make small changes to something that is written or spoken" + }, + "update": { + "CHS": "使现代化;使靠最近", + "ENG": "to make something more modern in the way it looks or operates" + }, + "vengeance": { + "CHS": "报仇", + "ENG": "a violent or harmful action that someone does to punish someone for harming them or their family" + }, + "factor": { + "CHS": "因素,要素", + "ENG": "one of several things that influence or cause a situation" + }, + "abort": { + "CHS": "取消;流产", + "ENG": "to deliberately end a pregnancy when the baby is still too young to live" + }, + "scapegoat": { + "CHS": "替罪羊", + "ENG": "someone who is blamed for something bad that happens, even if it is not their fault" + }, + "imposing": { + "CHS": "壮观的,气势雄伟的", + "ENG": "large, impressive, and appearing important" + }, + "toll": { + "CHS": "(道路,桥梁)通行费;损失,代价;税收", + "ENG": "the money you have to pay to use a particular road, bridge etc" + }, + "irritate": { + "CHS": "激怒;使烦躁,使感到不适", + "ENG": "to make someone feel annoyed or impatient, especially by doing something many times or for a long period of time" + }, + "assassination": { + "CHS": "暗杀", + "ENG": "the act of murdering an important person" + }, + "subjective": { + "CHS": "主观的", + "ENG": "a state-ment, report, attitude etc that is subjective is influenced by personal opinion and can therefore be unfair" + }, + "surgery": { + "CHS": "外科,外科手术", + "ENG": "medical treatment in which a surgeon cuts open your body to repair or remove something inside" + }, + "yoke": { + "CHS": "牛轭;枷锁;纽带", + "ENG": "a wooden bar used for keeping two animals together, especially cattle, when they are pulling heavy loads" + }, + "multiply": { + "CHS": "[数]乘;增加,增多;繁殖", + "ENG": "to increase by a large amount or number, or to make something do this" + }, + "overthrow": { + "CHS": "击败,推翻,使毁灭", + "ENG": "to remove a leader or government from power, especially by force" + }, + "soak": { + "CHS": "浸,使浸透;淋湿", + "ENG": "if you soak something, or if you let it soak, you keep it covered with a liquid for a period of time, especially in order to make it softer or easier to clean" + }, + "poise": { + "CHS": "泰然自若,自信", + "ENG": "a calm confident way of behaving, combined with an ability to control your feelings or reactions in difficult situations" + }, + "interim": { + "CHS": "临时的,暂时的", + "ENG": "intended to be used or accepted for a short time only, until something or someone final can be made or found" + }, + "prompt": { + "CHS": "敦促", + "ENG": "to make someone decide to do something" + }, + "applaud": { + "CHS": "鼓掌欢迎;赞成", + "ENG": "to hit your open hands together, to show that you have enjoyed a play, concert, speaker etc" + }, + "adequate": { + "CHS": "充分的;可胜任的", + "ENG": "enough in quantity or of a good enough quality for a particular purpose" + }, + "amplify": { + "CHS": "详述;引申;增强", + "ENG": "to increase the effects or strength of something" + }, + "cling": { + "CHS": "抱紧,坚守", + "ENG": "If someone clings to a position or a possession they have, they do everything they can to keep it even though this may be very difficult" + }, + "jail": { + "CHS": "监狱; 监禁", + "ENG": "a place where criminals are kept as part of their punishment, or where people who have been charged with a crime are kept before they are judged in a law court" + }, + "paradox": { + "CHS": "似是而非的论点;看似悖谬实则正确的观点", + "ENG": "a statement that seems impossible because it contains two opposing ideas that are both true" + }, + "flock": { + "CHS": "(鸟兽)群,一群人;群集", + "ENG": "a group of sheep, goats, or birds" + }, + "divert": { + "CHS": "转向", + "ENG": "to change the direction in which something travels" + }, + "filth": { + "CHS": "污秽,淫猥", + "ENG": "very offensive language, stories, or pictures about sex" + }, + "enquire": { + "CHS": "询问,打听" + }, + "haste": { + "CHS": "急速,仓促", + "ENG": "great speed in doing something, especially because you do not have enough time" + }, + "attractive": { + "CHS": "有吸引力的,讨人喜欢的", + "ENG": "someone who is attractive is good looking, especially in a way that makes you sexually interested in them" + }, + "plantation": { + "CHS": "种植园", + "ENG": "a large area of land in a hot country, where crops such as tea, cotton, and sugar are grown" + }, + "reclaim": { + "CHS": "开垦,开拓;要求归还", + "ENG": "to make an area of desert, wet land etc suitable for farming or building" + }, + "muddle": { + "CHS": "使混乱;弄糟", + "ENG": "to put things in the wrong order" + }, + "metallic": { + "CHS": "金属的", + "ENG": "a metallic noise sounds like pieces of metal hitting each other" + }, + "obvious": { + "CHS": "明显的,清楚的", + "ENG": "easy to notice or understand" + }, + "sentiment": { + "CHS": "思想感情;情操;情绪", + "ENG": "A sentiment that people have is an attitude which is based on their thoughts and feelings" + }, + "harass": { + "CHS": "使烦恼, 折磨,骚扰\"", + "ENG": "to make someone’s life unpleasant, for example by frequently saying offensive things to them or threatening them" + }, + "constrain": { + "CHS": "强迫;限制;克制", + "ENG": "to limit something" + }, + "wretched": { + "CHS": "不幸的,可怜的;令人难受的", + "ENG": "someone who is wretched is very unhappy or ill, and you feel sorry for them" + }, + "resent": { + "CHS": "怨恨", + "ENG": "to feel angry or upset about a situation or about something that someone has done, especially because you think that it is not fair" + }, + "offence": { + "CHS": "犯罪,犯规;冒犯", + "ENG": "an illegal action or a crime" + }, + "go": { + "CHS": "的情况下勉强对付" + }, + "precise": { + "CHS": "精确的", + "ENG": "precise information, details etc are exact, clear, and correct" + }, + "overlap": { + "CHS": "与…互搭,与重叠,与部分相同", + "ENG": "If one thing overlaps another, or if you overlap them, a part of the first thing occupies the same area as a part of the other thing. You can also say that two things overlap. " + }, + "episode": { + "CHS": "一系列事件中的一个事件", + "ENG": "a television or radio programme that is one of a series of programmes in which the same story is continued each week" + }, + "malice": { + "CHS": "恶意,怨恨", + "ENG": "the desire to harm someone because you hate them" + }, + "palatable": { + "CHS": "可口的,美味的;惬意的", + "ENG": "palatable food or drink has a pleasant or acceptable taste" + }, + "carve": { + "CHS": "雕刻;切(熟肉等)", + "ENG": "to make an object or pattern by cutting a piece of wood or stone" + }, + "mentality": { + "CHS": "智力,心理状态", + "ENG": "a particular attitude or way of thinking, especially one that you think is wrong or stupid" + }, + "proposition": { + "CHS": "陈述,主张;报价", + "ENG": "A proposition is a statement or an idea that people can consider or discuss to decide whether it is true" + }, + "steep": { + "CHS": "陡峭的", + "ENG": "a road, hill etc that is steep slopes at a high angle" + }, + "hitchhike": { + "CHS": "免费搭乘他人便车", + "ENG": "If you hitchhike, you travel by getting rides from passing vehicles without paying" + }, + "tumour": { + "CHS": "肿瘤", + "ENG": "a mass of diseased cells in your body that have divided and increased too quickly" + }, + "alliance": { + "CHS": "联盟,同盟", + "ENG": "an arrangement in which two or more countries, groups etc agree to work together to try to change or achieve something" + }, + "chic": { + "CHS": "漂亮(的),时式(的)" + }, + "denomination": { + "CHS": "命名 取名 单位" + }, + "frown": { + "CHS": "皱眉,不赞成", + "ENG": "to make an angry, unhappy, or confused expression, moving your eyebrows together" + }, + "coerce": { + "CHS": "强迫,迫使", + "ENG": "to force someone to do something they do not want to do by threatening them" + }, + "cumbersome": { + "CHS": "笨重的,不便携带的", + "ENG": "heavy and difficult to move" + }, + "credit": { + "CHS": "相信", + "ENG": "to believe or admit that someone has a quality, or has done something good" + }, + "rhythm": { + "CHS": "韵律,格律;有规律的反复(循环),周期性", + "ENG": "A rhythm is a regular pattern of changes, for example changes in your body, in the seasons, or in the tides" + }, + "crash": { + "CHS": "突然坠落;事故", + "ENG": "an accident in which a vehicle violently hits something else" + }, + "toneless": { + "CHS": "单调的,沉闷的", + "ENG": "a toneless voice does not express any feelings" + }, + "vomit": { + "CHS": "呕吐;大量喷出", + "ENG": "to bring food or drink up from your stomach out through your mouth, because you are ill" + }, + "electrician": { + "CHS": "电工,电学家", + "ENG": "someone whose job is to connect or repair electrical wires or equipment" + }, + "articulate": { + "CHS": "发音清晰的;说话表达力强", + "ENG": "to express your ideas or feelings in words" + }, + "porch": { + "CHS": "门廊,走廊", + "ENG": "an entrance covered by a roof outside the front door of a house or church" + }, + "fortnight": { + "CHS": "两星期", + "ENG": "two weeks" + }, + "arouse": { + "CHS": "唤醒;唤起", + "ENG": "to wake someone" + }, + "champion": { + "CHS": "支持,拥护;保卫", + "ENG": "to publicly fight for and defend an aim or principle, such as the rights of a group of people" + }, + "hazard": { + "CHS": "危险,危害,冒险;做出", + "ENG": "something that may be dangerous, or cause accidents or problems" + }, + "clause": { + "CHS": "条款,从句", + "ENG": "a part of a written law or legal document covering a particular subject of the whole law or document" + }, + "enthusiastic": { + "CHS": "热情的,热心的", + "ENG": "feeling or showing a lot of interest and excitement about something" + }, + "original": { + "CHS": "最初的;有独创性的", + "ENG": "existing or happening first, before other people or things" + }, + "output": { + "CHS": "产量;产出", + "ENG": "the amount of goods or work produced by a person, machine, factory etc" + }, + "plausible": { + "CHS": "似乎有道理的", + "ENG": "reasonable and likely to be true or successful" + }, + "nausea": { + "CHS": "使恶心" + }, + "discount": { + "CHS": "不全信,低估,漠视" + }, + "thunder": { + "CHS": "雷,雷声;轰隆声", + "ENG": "the loud noise that you hear during a storm, usually after a flash of lightning" + }, + "outcome": { + "CHS": "结果,后果", + "ENG": "the final result of a meeting, discussion, war etc – used especially when no one knows what it will be until it actually happens" + }, + "dial": { + "CHS": "打电话" + }, + "confidential": { + "CHS": "机密的;信任的", + "ENG": "spoken or written in secret and intended to be kept secret" + }, + "hinge": { + "CHS": "\"" + }, + "adore": { + "CHS": "崇拜;非常喜爱", + "ENG": "to like something very much" + }, + "finite": { + "CHS": "有限的,限定的", + "ENG": "having an end or a limit" + }, + "masculine": { + "CHS": "男性的,阳性的", + "ENG": "having qualities considered to be typical of men or of what men do" + }, + "mutter": { + "CHS": "轻声低语;怨言", + "ENG": "If you mutter, you speak very quietly so that you cannot easily be heard, often because you are complaining about something" + }, + "competition": { + "CHS": "比赛,比赛会", + "ENG": "the people or groups that are competing against you, especially in business or in a sport" + }, + "recipient": { + "CHS": "接受者", + "ENG": "someone who receives something" + }, + "embargo": { + "CHS": "禁止贸易", + "ENG": "an official order to stop trade with another country" + }, + "digital": { + "CHS": "数字的,计数的", + "ENG": "using a system in which information is recorded or sent out electronically in the form of numbers, usually ones and zeros" + }, + "scholarship": { + "CHS": "学问;奖学金", + "ENG": "an amount of money that is given to someone by an educational organization to help pay for their education" + }, + "impose": { + "CHS": "把…强加于;征(税),利用", + "ENG": "If you impose your opinions or beliefs on other people, you try and make people accept them as a rule or as a model to copy" + }, + "complex": { + "CHS": "复合体;变态心理", + "ENG": "a large number of things which are closely related" + }, + "consent": { + "CHS": "同意,允许", + "ENG": "permission to do something" + }, + "hubbub": { + "CHS": "吵闹,喧哗", + "ENG": "a mixture of loud noises, especially the noise of a lot of people talking at the same time" + }, + "shaft": { + "CHS": "矛;矿井;车辕;轴;光线", + "ENG": "a passage which goes down through a building or down into the ground, so that someone or something can get in or out" + }, + "caption": { + "CHS": "报纸文章的标题;照片说明", + "ENG": "A caption is the words printed underneath a picture or cartoon which explain what it is about" + }, + "harbour": { + "CHS": "隐匿,包庇", + "ENG": "to protect and hide criminals that the police are searching for" + }, + "tumble": { + "CHS": "跌倒,跌落;摇摇欲坠;使倾覆", + "ENG": "to fall down quickly and suddenly, especially with a rolling movement" + }, + "sink": { + "CHS": "洗涤漕", + "ENG": "a large open container that you fill with water and use for washing yourself, washing dishes etc" + }, + "patron": { + "CHS": "赞助人;资助人;老顾客,主顾", + "ENG": "someone who supports the activities of an organization, for example by giving money" + }, + "flu": { + "CHS": "流感", + "ENG": "a common illness that makes you feel very tired and weak, gives you a sore throat, and makes you cough and have to clear your nose a lot" + }, + "column": { + "CHS": "柱; 柱状物;书报上的栏;纵列", + "ENG": "a tall solid upright stone post used to support a building or as a decoration" + }, + "overrun": { + "CHS": "否决,驳回" + }, + "etiquette": { + "CHS": "礼仪, 礼节 \"", + "ENG": "the formal rules for polite behaviour in society or in a particular group" + }, + "deduct": { + "CHS": "扣除,减去", + "ENG": "to take away an amount or part from a total" + }, + "dense": { + "CHS": "浓密的,密集的;愚笨的", + "ENG": "made of or containing a lot of things or people that are very close together" + }, + "tinge": { + "CHS": "(较淡)着色于,染色;使带有气息", + "ENG": "to give something a small amount of a particular colour, emotion, or quality" + }, + "congruent": { + "CHS": "适合的,一致的,全等的", + "ENG": "fitting together well" + }, + "crouch": { + "CHS": "蹲伏", + "ENG": "to lower your body close to the ground by bending your knees completely" + }, + "conserve": { + "CHS": "果酱,蜜饯", + "ENG": "fruit that is preserved by being cooked with sugar" + }, + "fahrenheit": { + "CHS": "华氏温度计", + "ENG": "Fahrenheit is also a noun" + }, + "corporation": { + "CHS": "市镇自治机关;法人;公司", + "ENG": "a big company, or a group of companies acting together as a single organization" + }, + "quench": { + "CHS": "熄灭,扑灭", + "ENG": "to stop a fire from burning" + }, + "alarm": { + "CHS": "使忧虑" + }, + "nasty": { + "CHS": "令人作呕的,令人不快的,下流的", + "ENG": "someone who is nasty behaves in an unkind and unpleasant way" + }, + "shovel": { + "CHS": "铲起", + "ENG": "to lift and move earth, stones etc with a shovel" + }, + "suspicious": { + "CHS": "可疑的,疑心的", + "ENG": "thinking that someone might be guilty of doing something wrong or dishonest" + }, + "trunk": { + "CHS": "树干;人躯干;大衣箱", + "ENG": "the thick central woody stem of a tree" + }, + "ovation": { + "CHS": "热烈欢迎,欢呼", + "ENG": "if a group of people give someone an ovation, they clap to show approval" + }, + "saddle": { + "CHS": "马鞍,鞍座;鞍状山脊", + "ENG": "a leather seat that you sit on when you ride a horse" + }, + "tragedy": { + "CHS": "悲剧;惨事", + "ENG": "a very sad event, that shocks people because it involves death" + }, + "meteorology": { + "CHS": "气象学", + "ENG": "the scientific study of weather conditions" + }, + "saturate": { + "CHS": "浸透,浸湿;使满,使饱和", + "ENG": "to make something very wet" + }, + "elbow": { + "CHS": "用肘推、挤", + "ENG": "to push someone with your elbows, especially in order to move past them" + }, + "formidable": { + "CHS": "可怕的,难以对付的", + "ENG": "very powerful or impressive, and often frightening" + }, + "structural": { + "CHS": "结构的,构造的", + "ENG": "connected with the structure of something" + }, + "kindle": { + "CHS": "点燃,引起,激发", + "ENG": "if you kindle a fire, or if it kindles, it starts to burn" + }, + "decline": { + "CHS": "下降,衰退,减弱;拒绝", + "ENG": "If something declines, it becomes less in quantity, importance, or strength" + }, + "enroll": { + "CHS": "招收,入伍,入学" + }, + "slope": { + "CHS": "斜线,斜度;倾斜面,斜坡", + "ENG": "a piece of ground or a surface that slopes" + }, + "distend": { + "CHS": "(使)扩张;膨胀", + "ENG": "to swell or make something swell because of pressure from inside" + }, + "exert": { + "CHS": "发挥,行使,尽力" + }, + "appreciable": { + "CHS": "可见的;明显的", + "ENG": "large enough to be noticed or considered important" + }, + "aggregate": { + "CHS": "共计,合计", + "ENG": "the total after a lot of different figures or points have been added together" + }, + "thirst": { + "CHS": "渴;渴望", + "ENG": "the feeling of wanting or needing a drink" + }, + "hurricane": { + "CHS": "飓风", + "ENG": "a storm that has very strong fast winds and that moves over water" + }, + "miracle": { + "CHS": "奇迹", + "ENG": "something very lucky or very good that happens which you did not expect to happen or did not think was possible" + }, + "nightmare": { + "CHS": "恶梦;可怕的经历", + "ENG": "A nightmare is a very frightening dream" + }, + "opposite": { + "CHS": "在对面", + "ENG": "if one thing or person is opposite another, they are facing each other" + }, + "dedicated": { + "CHS": "献身的,一心一意的,热诚的" + }, + "tender": { + "CHS": "提供,投标", + "ENG": "to make a formal offer to do a job or provide goods or services for a particular price" + }, + "pervert": { + "CHS": "堕落者,反常者", + "ENG": "someone whose sexual behaviour is considered unnatural and unacceptable" + }, + "idiot": { + "CHS": "白痴", + "ENG": "someone who is mentally ill or has a very low level of intelligence" + }, + "forge": { + "CHS": "锻造,伪造", + "ENG": "to illegally copy something, especially something printed or written, to make people think that it is real" + }, + "conscious": { + "CHS": "清醒的;故意的", + "ENG": "noticing or realizing something" + }, + "concise": { + "CHS": "简明的,简要的", + "ENG": "short, with no unnecessary words" + }, + "cartoon": { + "CHS": "漫画,动画片", + "ENG": "a short film that is made by photographing a series of drawings" + }, + "overtake": { + "CHS": "超过,赶上;突然降临", + "ENG": "to go past a moving vehicle or person because you are going faster than them and want to get in front of them" + }, + "layout": { + "CHS": "布置,设计", + "ENG": "the way in which something such as a town, garden, or building is arranged" + }, + "outdated": { + "CHS": "过时的,不流行的", + "ENG": "if something is outdated, it is no longer considered useful or effective, because something more modern exists" + }, + "sigh": { + "CHS": "叹气", + "ENG": "to breathe in and out making a long sound, especially because you are bored, disappointed, tired etc" + }, + "consequent": { + "CHS": "随之发生的", + "ENG": "happening as a result of a particular event or situation" + }, + "chop": { + "CHS": "砍,劈;剁", + "ENG": "to cut something into smaller pieces" + }, + "exposition": { + "CHS": "阐述,讲解;展览会", + "ENG": "a clear and detailed explanation" + }, + "outlet": { + "CHS": "河流等出口,出路;发泄(感情等)的方法", + "ENG": "a way of expressing or getting rid of strong feelings" + }, + "wardrobe": { + "CHS": "衣柜,衣橱,全部服装;剧服,行头", + "ENG": "a piece of furniture like a large cupboard that you hang clothes in" + }, + "molecule": { + "CHS": "分子", + "ENG": "the smallest unit into which any substance can be divided without losing its own chemical nature, usually consisting of two or more atoms" + }, + "tablet": { + "CHS": "碑,书板;药片", + "ENG": "a small round hard piece of medicine which you swallow" + }, + "observatory": { + "CHS": "天文台,气象台,了望台", + "ENG": "a special building from which scientists watch the moon, stars, weather etc" + }, + "distinct": { + "CHS": "不同的,清楚的,独特的", + "ENG": "clearly different or belonging to a different type" + }, + "telex": { + "CHS": "用户电报;直通专用电传", + "ENG": "a method of communica-tion, in which messages are written on a special machine and then sent using the telephone network" + }, + "monarchy": { + "CHS": "君主,最高统治者;君主政体,君主国", + "ENG": "the system in which a country is ruled by a king or queen" + }, + "negative": { + "CHS": "否定的;消极的;负的;阴性的;底片的", + "ENG": "considering only the bad qualities of a situation, person etc and not the good ones" + }, + "graze": { + "CHS": "(牲畜)吃草;放牧;擦过(牲畜)n擦伤", + "ENG": "to accidentally break the surface of your skin by rubbing it against something" + }, + "starve": { + "CHS": "挨饿", + "ENG": "to suffer or die because you do not have enough to eat" + }, + "tide": { + "CHS": "潮汐,(舆论,公众情绪)潮流趋势", + "ENG": "the regular rising and falling of the level of the sea" + }, + "parasite": { + "CHS": "寄生虫,寄生植物;靠他人为生的人", + "ENG": "a plant or animal that lives on or in another plant or animal and gets food from it" + }, + "layer": { + "CHS": "层", + "ENG": "an amount or piece of a material or substance that covers a surface or that is between two other things" + }, + "strengthen": { + "CHS": "加强;巩固", + "ENG": "to become stronger or make something stronger" + }, + "vogue": { + "CHS": "流行物,时髦", + "ENG": "a popular and fashionable style, activity, method etc" + }, + "nevertheless": { + "CHS": "然而,不过,仍然", + "ENG": "in spite of a fact that you have just mentioned" + }, + "chiche": { + "CHS": "陈腐思想,陈词滥调" + }, + "levy": { + "CHS": "征收, 征税\"", + "ENG": "to officially say that people must pay a tax or charge" + }, + "encyclopedia": { + "CHS": "百科全书", + "ENG": "a book or cd, or a set of these, containing facts about many different subjects, or containing detailed facts about one subject" + }, + "drainage": { + "CHS": "排水系统,下水道,排水", + "ENG": "the process or system by which water or waste liquid flows away" + }, + "tunnel": { + "CHS": "地道;隧道", + "ENG": "a passage that has been dug under the ground for cars, trains etc to go through" + }, + "excel": { + "CHS": "杰出,胜过,优于", + "ENG": "to do something very well, or much better than most people" + }, + "circuit": { + "CHS": "周游;电路;协会", + "ENG": "the complete circle that an electric current travels" + }, + "thrust": { + "CHS": "猛推;冲锋,突击;推力", + "ENG": "a sudden strong movement in which you push something forward" + }, + "modify": { + "CHS": "减轻,修改", + "ENG": "to make small changes to something in order to improve it and make it more suitable or effective" + }, + "utmost": { + "CHS": "最远的,最大的,极度的", + "ENG": "You can use utmost to emphasize the importance or seriousness of something or to emphasize the way that it is done" + }, + "endurance": { + "CHS": "忍耐力,忍耐", + "ENG": "the ability to continue doing something difficult or painful over a long period of time" + }, + "mount": { + "CHS": "山", + "ENG": "used as part of the name of a mountain" + }, + "consensus": { + "CHS": "一致,合意", + "ENG": "an opinion that everyone in a group agrees with or accepts" + }, + "enforce": { + "CHS": "强迫服从;实施;加强", + "ENG": "to make people obey a rule or law" + }, + "tag": { + "CHS": "标签", + "ENG": "a small piece of paper, plastic etc attached to something to show what it is, who owns it, what it costs etc" + }, + "concede": { + "CHS": "承认; 给予", + "ENG": "to admit that something is true or correct, although you wish it were not true" + }, + "grit": { + "CHS": "铺沙砾于", + "ENG": "to scatter grit on a frozen road to make it less slippery" + }, + "elevate": { + "CHS": "升高,抬起,提高", + "ENG": "to lift someone or something to a higher position" + }, + "horizon": { + "CHS": "地平线,眼界,视野", + "ENG": "the line far away where the land or sea seems to meet the sky" + }, + "crawl": { + "CHS": "爬行;自由泳", + "ENG": "a way of swimming in which you lie on your stomach and move one arm, and then the other, over your head" + }, + "mingle": { + "CHS": "使混合;交往" + }, + "substantial": { + "CHS": "坚固的,巨大的;富有的", + "ENG": "large in amount or number" + }, + "marginal": { + "CHS": "很少的,微量的", + "ENG": "a marginal change or difference is too small to be important" + }, + "foresee": { + "CHS": "预见,预知", + "ENG": "to think or know that something is going to happen in the future" + }, + "soil": { + "CHS": "泥土", + "ENG": "the top layer of the earth in which plants grow" + }, + "awful": { + "CHS": "可怕的;糟糕的;极度的", + "ENG": "very bad or unpleasant" + }, + "regime": { + "CHS": "政体,政权;政治制度", + "ENG": "a government, especially one that was not elected fairly or that you disapprove of for some other reason" + }, + "divine": { + "CHS": "占卜" + }, + "assume": { + "CHS": "假定;承担;使用", + "ENG": "to think that something is true, although you do not have definite proof" + }, + "Easter": { + "CHS": "复活节", + "ENG": "a Christian holy day in March or April when Christians remember the death of Christ and his return to life" + }, + "shatter": { + "CHS": "vi粉碎,毁损", + "ENG": "to break suddenly into very small pieces, or to make something break in this way" + }, + "inquire": { + "CHS": "打听,询问", + "ENG": "to ask someone for information" + }, + "annuity": { + "CHS": "年金", + "ENG": "a fixed amount of money that is paid each year to someone, usually until they die" + }, + "cynical": { + "CHS": "愤世嫉俗的", + "ENG": "unwilling to believe that people have good, honest, or sincere reasons for doing something" + }, + "affix": { + "CHS": "词缀", + "ENG": "a group of letters added to the beginning or end of a word to change its meaning or use, such as ‘un-’, ‘mis-’, ‘-ness’, or ‘-ly’" + }, + "compress": { + "CHS": "使语言精炼,压缩", + "ENG": "to press something or make it smaller so that it takes up less space, or to become smaller" + }, + "verge": { + "CHS": "边缘,边界", + "ENG": "the edge of a road, path etc" + }, + "crumb": { + "CHS": "面包屑;一点点", + "ENG": "a very small piece of dry food, especially bread or cake" + }, + "sustenance": { + "CHS": "食物,营养", + "ENG": "food that people or animals need in order to live" + }, + "diminish": { + "CHS": "减少,减小,缩小", + "ENG": "to become or make something become smaller or less" + }, + "itinerary": { + "CHS": "旅行计划,旅行日记,旅程", + "ENG": "a plan or list of the places you will visit on a journey" + }, + "array": { + "CHS": "展示;一系列", + "ENG": "An array of objects is a collection of them that is displayed or arranged in a particular way" + }, + "planetarium": { + "CHS": "天文馆", + "ENG": "a building where lights on a curved ceiling show the movements of planets and stars" + }, + "gland": { + "CHS": "腺", + "ENG": "an organ of the body which produces a substance that the body needs, such as hormones, sweat, or saliva" + }, + "exquisite": { + "CHS": "优美的,精巧的", + "ENG": "extremely beautiful and very delicately made" + }, + "deputy": { + "CHS": "代表,代理人", + "ENG": "someone who is directly below another person in rank, and who is officially in charge when that person is not there" + }, + "ridiculous": { + "CHS": "荒谬的,可笑的", + "ENG": "very silly or unreasonable" + }, + "reconcile": { + "CHS": "使和解;使复交;调解,调停", + "ENG": "to have a good relationship again with someone after you have quarrelled with them" + }, + "funnel": { + "CHS": "汇集", + "ENG": "to send money, information etc from various places to someone" + }, + "shell": { + "CHS": "壳,剥壳", + "ENG": "the outside structure of something, especially the part of a building that remains when the rest of it has been destroyed" + }, + "succinct": { + "CHS": "简明的,扼要的", + "ENG": "clearly expressed in a few words – use this to show approval" + }, + "eminent": { + "CHS": "著名的,卓越的", + "ENG": "an eminent person is famous, important, and respected" + }, + "jam": { + "CHS": "阻塞物", + "ENG": "Jam is also a noun" + }, + "terminate": { + "CHS": "终止,结束", + "ENG": "if something terminates, or if you terminate it, it ends" + }, + "temporary": { + "CHS": "暂时的;临时的", + "ENG": "continuing for only a limited period of time" + }, + "rage": { + "CHS": "狂怒", + "ENG": "a strong feeling of uncontrollable anger" + }, + "span": { + "CHS": "跨度;跨越", + "ENG": "A bridge or other structure that spans something such as a river or a valley stretches right across it" + }, + "dialect": { + "CHS": "方言,俚语", + "ENG": "a form of a language which is spoken only in one area, with words or grammar that are slightly different from other forms of the same language" + }, + "proficiency": { + "CHS": "熟练,进步", + "ENG": "a good standard of ability and skill" + }, + "pilgrim": { + "CHS": "香客,朝圣者", + "ENG": "a religious person who travels a long way to a holy place" + }, + "shrink": { + "CHS": "收缩;退缩;畏缩", + "ENG": "to become smaller, or to make something smaller, through the effects of heat or water" + }, + "radius": { + "CHS": "半径;以半径度量的面积", + "ENG": "the distance from the centre to the edge of a circle, or a line drawn from the centre to the edge" + }, + "oar": { + "CHS": "桨;橹", + "ENG": "a long pole with a wide flat blade at one end, used for rowing a boat" + }, + "web": { + "CHS": "网", + "ENG": "the system on the Internet that allows you to find and use information that is held on computers all over the world" + }, + "diplomat": { + "CHS": "外交家", + "ENG": "someone who officially represents their government in a foreign country" + }, + "database": { + "CHS": "数据库", + "ENG": "a large amount of data stored in a computer system so that you can find and use it easily" + }, + "standing": { + "CHS": "持续,期间;地位", + "ENG": "someone’s rank or position in a system, organization, society etc, based on what other people think of them" + }, + "cellar": { + "CHS": "地窖;酒窖", + "ENG": "a room under a house or other building, often used for storing things" + }, + "cooperate": { + "CHS": "合作,协作", + "ENG": "to work with someone else to achieve something that you both want" + }, + "dictate": { + "CHS": "听写,命令,支配", + "ENG": "to say words for someone else to write down" + }, + "partisan": { + "CHS": "党派人士", + "ENG": "an adherent or devotee of a cause, party, etc " + }, + "weed": { + "CHS": "除草;除去,剔除", + "ENG": "to remove unwanted plants from a garden or other place" + }, + "chief": { + "CHS": "主要的,首席的", + "ENG": "highest in rank" + }, + "lap": { + "CHS": "(跑道的)一圈;腰以下及大腿的前面部分", + "ENG": "the upper part of your legs when you are sitting down" + }, + "surrender": { + "CHS": "投降,自首;放弃;屈服", + "ENG": "to say officially that you want to stop fighting, because you realize that you cannot win" + }, + "misconceive": { + "CHS": "误解", + "ENG": "to have the wrong idea; fail to understand " + }, + "fervent": { + "CHS": "热烈的;热情的", + "ENG": "believing or feeling something very strongly and sincerely" + }, + "aisle": { + "CHS": "通道", + "ENG": "a long passage between rows of seats in a church, plane, theatre etc, or between rows of shelves in a shop" + }, + "configuration": { + "CHS": "配置,布局;构造", + "ENG": "the shape or arrangement of the parts of something" + }, + "reap": { + "CHS": "收割,收获", + "ENG": "to cut and collect a crop of grain" + }, + "missile": { + "CHS": "发射物;导弹", + "ENG": "a weapon that can fly over long distances and that explodes when it hits the thing it has been aimed at" + }, + "oncoming": { + "CHS": "即将来临的;接近的" + }, + "mature": { + "CHS": "使成熟,使成长", + "ENG": "to become fully grown or developed" + }, + "occasion": { + "CHS": "引起,导致", + "ENG": "to cause something" + }, + "pretentious": { + "CHS": "自负的,自命不凡的", + "ENG": "if someone or something is pretentious, they try to seem more important, intelligent, or high class than they really are in order to be impressive" + }, + "mischance": { + "CHS": "不幸,灾难", + "ENG": "bad luck, or a situation that results from bad luck" + }, + "conquer": { + "CHS": "征服;攻克", + "ENG": "to get control of a country by fighting" + }, + "nourish": { + "CHS": "养育,怀有(希望)", + "ENG": "to keep a feeling, idea, or belief strong or help it to grow stronger" + }, + "tourism": { + "CHS": "旅游事业", + "ENG": "the business of providing things for people to do, places for them to stay etc while they are on holiday" + }, + "valuation": { + "CHS": "定价,估价;评定的价值", + "ENG": "a professional judgment about how much something is worth" + }, + "compromise": { + "CHS": "妥协;使遭受危害", + "ENG": "to reach an agreement in which everyone involved accepts less than what they wanted at first" + }, + "shield": { + "CHS": "保护,庇护", + "ENG": "to protect someone or something from being harmed or damaged" + }, + "greedy": { + "CHS": "贪吃的;贪婪的", + "ENG": "always wanting more food, money, power, possessions etc than you need" + }, + "diet": { + "CHS": "饮食,规定的饮食,忌食", + "ENG": "a way of eating in which you only eat certain foods, in order to lose weight, or to improve your health" + }, + "pigment": { + "CHS": "颜料,色素", + "ENG": "a natural substance that makes skin, hair, plants etc a particular colour" + }, + "ascend": { + "CHS": "登(山等);上升", + "ENG": "to move up through the air" + }, + "sour": { + "CHS": "酸的", + "ENG": "having a sharp acid taste, like the taste of a lemon or a fruit that is not ready to be eaten" + }, + "fury": { + "CHS": "狂怒,愤怒的爆发", + "ENG": "extreme, often uncontrolled anger" + }, + "guy": { + "CHS": "家伙, 人 \"", + "ENG": "a man" + }, + "nullify": { + "CHS": "使无效,废弃,取消", + "ENG": "to make something lose its effect or value" + }, + "presumption": { + "CHS": "假定,推测;无理,傲慢", + "ENG": "something that you think is true because it is very likely" + }, + "stumble": { + "CHS": "绊跌,绊倒;结结巴巴说话", + "ENG": "to hit your foot against something or put your foot down awkwardly while you are walking or running, so that you almost fall" + }, + "nucleus": { + "CHS": "核心;原子核", + "ENG": "the central part of an atom, made up of neutrons, protons, and other elementary particles" + }, + "thrive": { + "CHS": "兴旺,繁荣", + "ENG": "to become very successful or very strong and healthy" + }, + "languid": { + "CHS": "没精打采的,倦怠的", + "ENG": "moving slowly and involving very little energy" + }, + "homogeneous": { + "CHS": "同类的,同族的", + "ENG": "consisting of people or things that are all of the same type" + }, + "scant": { + "CHS": "不足的,不够多的,缺乏的", + "ENG": "not enough" + }, + "versatile": { + "CHS": "多才多艺的;技术超群的", + "ENG": "someone who is versatile has many different skills" + }, + "conspicuous": { + "CHS": "明显的,引人注目的", + "ENG": "very easy to notice" + }, + "tighten": { + "CHS": "(使)变紧,(使)绷紧,扣紧", + "ENG": "to close or fasten something firmly by turning it" + }, + "haul": { + "CHS": "用力拉,拖;捕获量;拖运的距离", + "ENG": "to pull something heavy with a continuous steady movement" + }, + "rejoice": { + "CHS": "欣喜,高兴", + "ENG": "to feel or show that you are very happy" + }, + "comet": { + "CHS": "慧星", + "ENG": "an object in space like a bright ball with a long tail, that moves around the sun" + }, + "phonetic": { + "CHS": "语音的", + "ENG": "relating to the sounds of human speech" + }, + "ambitious": { + "CHS": "有抱负的", + "ENG": "determined to be successful, rich, powerful etc" + }, + "abnormal": { + "CHS": "反常的;变态的", + "ENG": "very different from usual in a way that seems strange, worrying, wrong, or dangerous" + }, + "maneuver": { + "CHS": "使调动" + }, + "primitive": { + "CHS": "原始的,简单的", + "ENG": "belonging to a simple way of life that existed in the past and does not have modern industries and machines" + }, + "valve": { + "CHS": "阀,活门", + "ENG": "a part of a tube or pipe that opens and shuts like a door to control the flow of liquid, gas, air etc passing through it" + }, + "vanity": { + "CHS": "自大,虚荣;无价值,空虚", + "ENG": "too much pride in yourself, so that you are always thinking about yourself and your appearance" + }, + "reception": { + "CHS": "接待处;招待会;接收", + "ENG": "a large formal party to celebrate an event or to welcome someone" + }, + "cordial": { + "CHS": "热诚的,衷心的", + "ENG": "friendly but quite polite and formal" + }, + "noxious": { + "CHS": "有害的,有毒的", + "ENG": "harmful or poisonous" + }, + "reimburse": { + "CHS": "偿还;付还", + "ENG": "to pay money back to someone when their money has been spent or lost" + }, + "exacerbate": { + "CHS": "加重;恶化", + "ENG": "to make a bad situation worse" + }, + "object": { + "CHS": "反对", + "ENG": "to feel or say that you oppose or disapprove of something" + }, + "palpitate": { + "CHS": "心脏急速跳动;人擅抖", + "ENG": "If someone's heart palpitates, it beats very fast in an irregular way, because they are frightened or anxious" + }, + "tick": { + "CHS": "用勾作为记号" + }, + "certificate": { + "CHS": "证书,执照", + "ENG": "an official document that states that a fact or facts are true" + }, + "exploit": { + "CHS": "开拓,开采,剥削", + "ENG": "to treat someone unfairly by asking them to do things for you, but giving them very little in return – used to show disapproval" + }, + "vigilant": { + "CHS": "警戒的;警惕的", + "ENG": "giving careful attention to what is happening, so that you will notice any danger or illegal activity" + }, + "grand": { + "CHS": "最重大的;豪华的;傲慢的;美妙的", + "ENG": "used in the titles of buildings or places that are big and impressive" + }, + "congress": { + "CHS": "代表会议,(C-)(美国等)议会", + "ENG": "a formal meeting of representatives of different groups, countries etc, to discuss ideas, make decisions etc" + }, + "academic": { + "CHS": "学术的;学校的", + "ENG": "relating to education, especially at college or university level" + }, + "correspond": { + "CHS": "符合,通信,相当于", + "ENG": "if two things or ideas correspond, the parts or information in one relate to the parts or information in the other" + }, + "passive": { + "CHS": "被动的", + "ENG": "someone who is passive tends to accept things that happen to them or things that people say to them, without taking any action" + }, + "discord": { + "CHS": "不和,争吵,(声音)不和谐", + "ENG": "disagreement or arguing between people" + }, + "defer": { + "CHS": "推迟,延期", + "ENG": "to delay something until a later date" + }, + "gloomy": { + "CHS": "黑暗的;郁闷的", + "ENG": "sad because you think the situation will not improve" + }, + "fanatic": { + "CHS": "狂热的,狂热者", + "ENG": "someone who has extreme political or religious ideas and is often dangerous" + }, + "trick": { + "CHS": "诡计;恶作剧;技艺", + "ENG": "something you do in order to deceive someone" + }, + "abandon": { + "CHS": "离弃;放弃", + "ENG": "to leave someone, especially someone you are responsible for" + }, + "therapy": { + "CHS": "治疗;疗法", + "ENG": "the treatment of an illness or injury over a fairly long period of time" + }, + "forfeit": { + "CHS": "没收,丧失(物)", + "ENG": "to lose a right, position, possession etc or have it taken away from you because you have broken a law or rule" + }, + "execution": { + "CHS": "演奏技巧;死刑", + "ENG": "when someone is killed, especially as a legal punishment" + }, + "majority": { + "CHS": "多数;多得票数,法定年龄", + "ENG": "most of the people or things in a group" + }, + "fertile": { + "CHS": "肥沃的,创造力丰富的,能结果实的", + "ENG": "fertile land or soil is able to produce good crops" + }, + "treatment": { + "CHS": "对待,待遇;处理,治疗", + "ENG": "something that is done to cure someone who is injured or ill" + }, + "coin": { + "CHS": "铸造,创造", + "ENG": "to invent a new word or expression, especially one that many people start to use" + }, + "vertical": { + "CHS": "垂直线", + "ENG": "the direction of something that is vertical" + }, + "erroneous": { + "CHS": "错误的,不正确的", + "ENG": "erroneous ideas or information are wrong and based on facts that are not correct" + }, + "alloy": { + "CHS": "合金", + "ENG": "a metal that consists of two or more metals mixed together" + }, + "feasible": { + "CHS": "可行的,可信的", + "ENG": "a plan, idea, or method that is feasible is possible and is likely to work" + }, + "collide": { + "CHS": "猛冲,冲突,抵触", + "ENG": "to disagree strongly with a person or group, especially on a particular subject" + }, + "triangle": { + "CHS": "三角,三角形;三角关系", + "ENG": "a flat shape with three straight sides and three angles" + }, + "innumerable": { + "CHS": "数不清的", + "ENG": "very many, or too many to be counted" + }, + "holocaust": { + "CHS": "大破坏" + }, + "dawn": { + "CHS": "黎明;开始;发生", + "ENG": "the time at the beginning of the day when light first appears" + }, + "adverse": { + "CHS": "不利的;劣的", + "ENG": "not good or favourable" + }, + "prescription": { + "CHS": "规定,指定;药方,处方", + "ENG": "a piece of paper on which a doctor writes what medicine a sick person should have, so that they can get it from a pharmacist " + }, + "notorious": { + "CHS": "自名昭著的,声名狼藉的", + "ENG": "famous or well-known for something bad" + }, + "obnoxious": { + "CHS": "非常讨厌的;可憎的", + "ENG": "very offensive, unpleasant, or rude" + }, + "desperate": { + "CHS": "绝望的;不顾一切的;危急的", + "ENG": "willing to do anything to change a very bad situation, and not caring about danger" + }, + "reign": { + "CHS": "(君主)统治,存在,现存", + "ENG": "the period when someone is king, queen, or emperor " + }, + "lane": { + "CHS": "小径,行车道,巷", + "ENG": "a narrow road in the countryside" + }, + "cruise": { + "CHS": "乘船巡游", + "ENG": "a holiday on a large ship" + }, + "fastidious": { + "CHS": "难讨好的,爱挑剔的", + "ENG": "very careful about small details in your appearance, work etc" + }, + "expertise": { + "CHS": "专门知识,专门技能", + "ENG": "special skills or knowledge in a particular subject, that you learn by experience or training" + }, + "restless": { + "CHS": "焦躁不安的", + "ENG": "unwilling to keep still or stay where you are, especially because you are nervous or bored" + }, + "undo": { + "CHS": "解开,拨开;败坏(名声,成果)", + "ENG": "to open something that is tied, fastened or wrapped" + }, + "courier": { + "CHS": "(旅行)服务员;信使;送急件的人", + "ENG": "a person or company that is paid to take packages somewhere" + }, + "grab": { + "CHS": "掠夺, 攫取, 抓取\"", + "ENG": "to take hold of someone or something with a sudden or violent movement" + }, + "frantic": { + "CHS": "激动得发狂似的;狂暴的", + "ENG": "If you are frantic, you are behaving in a wild and uncontrolled way because you are frightened or worried" + }, + "yacht": { + "CHS": "小帆船,快艇;帆船", + "ENG": "a large boat with a sail, used for pleasure or sport, especially one that has a place where you can sleep" + }, + "doze": { + "CHS": "打盹儿,小睡", + "ENG": "to sleep lightly for a short time" + }, + "relapse": { + "CHS": "(病等)复发", + "ENG": "to become ill again after you have seemed to improve" + }, + "contact": { + "CHS": "接触;联络;会晤的人;(电)接点", + "ENG": "communication with a person, organization, country etc" + }, + "astound": { + "CHS": "使震惊" + }, + "ostensible": { + "CHS": "(指理由)表面的;假装的", + "ENG": "seeming to be the reason for or the purpose of something, but usually hiding the real reason or purpose" + }, + "equal": { + "CHS": "相等的,相等于,相等匹敌", + "ENG": "to be exactly the same in size, number, or amount as something else" + }, + "terminal": { + "CHS": "每期的;终点的", + "ENG": "a terminal illness cannot be cured, and causes death" + }, + "fall": { + "CHS": "落下,降落,倒坍,垂下", + "ENG": "to move or drop down from a higher position to a lower position" + }, + "alleviate": { + "CHS": "减轻(痛苦等)", + "ENG": "to make something less painful or difficult to deal with" + }, + "sociable": { + "CHS": "友好的,喜好交际的", + "ENG": "someone who is sociable is friendly and enjoys being with other people" + }, + "wholesome": { + "CHS": "健康的,有益于健康的", + "ENG": "likely to make you healthy" + }, + "cube": { + "CHS": "立方(体)", + "ENG": "a solid object with six equal square sides" + }, + "provoke": { + "CHS": "激怒;引起", + "ENG": "to cause a reaction or feeling, especially a sudden one" + }, + "acquire": { + "CHS": "取得;获得", + "ENG": "to obtain something by buying it or being given it" + }, + "resemble": { + "CHS": "类似,像", + "ENG": "to look like or be similar to someone or something" + }, + "coherent": { + "CHS": "黏着的;连贯的", + "ENG": "if a piece of writing, set of ideas etc is coherent, it is easy to understand because it is clear and reasonable" + }, + "margin": { + "CHS": "(页边)空白;边缘;(时间,金钱)多余", + "ENG": "the edge of something, especially an area of land or water" + }, + "depart": { + "CHS": "离开,启程", + "ENG": "to leave, especially when you are starting a journey" + }, + "mode": { + "CHS": "方法;样式", + "ENG": "a particular way or style of behaving, living or doing something" + }, + "preliminary": { + "CHS": "初步的,开端的", + "ENG": "happening before something that is more important, often in order to prepare for it" + }, + "intrinsic": { + "CHS": "固有的,内在的", + "ENG": "being part of the nature or character of someone or something" + }, + "enclose": { + "CHS": "把围起来,把封入信封", + "ENG": "to surround something, especially with a fence or wall, in order to make it separate" + }, + "entail": { + "CHS": "使必需", + "ENG": "to involve something as a necessary part or result" + }, + "heart": { + "CHS": "心脏;感情;内心", + "ENG": "the organ in your chest which pumps blood through your body" + }, + "positive": { + "CHS": "确定的;确信的,实际的;正的;阳性的", + "ENG": "if you take positive action, you do something definite in order to try and achieve something" + }, + "collapse": { + "CHS": "倒塌;(精神)垮下来", + "ENG": "if a building, wall etc collapses, it falls down suddenly, usually because it is weak or damaged" + }, + "statesman": { + "CHS": "政治家,政客", + "ENG": "a political or government leader, especially one who is respected as being wise and fair" + }, + "jeer": { + "CHS": "讥笑的言语" + }, + "sack": { + "CHS": "解雇;劫掠", + "ENG": "to dismiss someone from their job" + }, + "narcotic": { + "CHS": "麻醉的,麻醉剂的", + "ENG": "a narcotic drug takes away pain or makes you sleep" + }, + "ponder": { + "CHS": "深思,考虑", + "ENG": "to spend time thinking carefully and seriously about a problem, a difficult question, or something that has happened" + }, + "argue": { + "CHS": "不同意;辩论", + "ENG": "to state, giving clear reasons, that something is true, should be done etc" + }, + "sound": { + "CHS": "健康的,健全的;可靠的,充分的;彻底的", + "ENG": "complete and thorough" + }, + "irrigation": { + "CHS": "灌溉" + }, + "despair": { + "CHS": "绝望,丧失信心", + "ENG": "a feeling that you have no hope at all" + }, + "dentist": { + "CHS": "牙医", + "ENG": "someone whose job is to treat people’s teeth" + }, + "focus": { + "CHS": "焦点,集中", + "ENG": "to give special attention to one particular person or thing, or to make people do this" + }, + "inundate": { + "CHS": "淹没,泛滥,压倒", + "ENG": "to cover an area with a large amount of water" + }, + "cherish": { + "CHS": "爱护,抱有(希望);怀有(情感)", + "ENG": "If you cherish someone or something, you take good care of them because you love them" + }, + "pointless": { + "CHS": "无意义的,无目标的", + "ENG": "worthless or not likely to have any useful result" + }, + "rhetoric": { + "CHS": "修辞学", + "ENG": "the art of speaking or writing to persuade or influence people" + }, + "humanity": { + "CHS": "人类;仁慈,仁爱", + "ENG": "people in general" + }, + "disgust": { + "CHS": "厌恶,讨厌", + "ENG": "a strong feeling of dislike, annoyance, or disapproval" + }, + "wager": { + "CHS": "押注,打赌", + "ENG": "to agree to win or lose an amount of money on the result of something such as a race" + }, + "promise": { + "CHS": "诺言;指望;前途", + "ENG": "If you promise that you will do something, you say to someone that you will definitely do it" + }, + "aspiration": { + "CHS": "渴望;抱负", + "ENG": "a strong desire to have or achieve something" + }, + "fee": { + "CHS": "费,报名费,会费", + "ENG": "an amount of money that you pay to do something or that you pay to a professional person for their work" + }, + "fault": { + "CHS": "缺点;毛病,过错;(地质)断层", + "ENG": "if something bad that has happened is your fault, you should be blamed for it, because you made a mistake or failed to do something" + }, + "envy": { + "CHS": "忌妒,妒忌的对象;羡慕", + "ENG": "to wish that you had someone else’s possessions, abilities etc" + }, + "yield": { + "CHS": "产量", + "ENG": "the amount of profits, crops etc that something produces" + }, + "erratic": { + "CHS": "古怪的,反复无常的,不稳定的", + "ENG": "something that is erratic does not follow any pattern or plan but happens in a way that is not regular" + }, + "intent": { + "CHS": "(目光)不能移的,集中的,专心的,坚决的", + "ENG": "giving careful attention to something so that you think about nothing else" + }, + "steak": { + "CHS": "肉片,鱼片,牛排", + "ENG": "good quality beef , or a large thick piece of any good quality red meat" + }, + "clan": { + "CHS": "氏族,部落;宗派", + "ENG": "a large group of families who often share the same name" + }, + "anthropology": { + "CHS": "人类学", + "ENG": "the scientific study of people, their societies, culture s etc" + }, + "credible": { + "CHS": "可信任的,可靠的", + "ENG": "deserving or able to be believed or trusted" + }, + "spotlight": { + "CHS": "聚光照明,使显著", + "ENG": "to shine a strong beam of light on something" + }, + "lag": { + "CHS": "相隔时间", + "ENG": "a delay or period of waiting between one event and a second event" + }, + "piston": { + "CHS": "活塞", + "ENG": "a part of an engine consisting of a short solid piece of metal inside a tube, which moves up and down to make the other parts of the engine move" + }, + "comment": { + "CHS": "评论;批评", + "ENG": "an opinion that you express about someone or something" + }, + "metabolism": { + "CHS": "新陈代谢", + "ENG": "the chemical processes by which food is changed into energy in your body" + }, + "inclination": { + "CHS": "倾向,意愿", + "ENG": "a feeling that makes you want to do something" + }, + "mackintosh": { + "CHS": "(英国英语)雨衣;苹果计算机的一种型号", + "ENG": "a coat which you wear to keep out the rain" + }, + "appendix": { + "CHS": "附录;阑尾", + "ENG": "a small organ near your bowel , which has little or no use" + }, + "cathedral": { + "CHS": "总教堂;大教堂", + "ENG": "the main church of a particular area under the control of a bishop " + }, + "assorted": { + "CHS": "各式各样的", + "ENG": "of various different types" + }, + "possession": { + "CHS": "所有,拥有;财产", + "ENG": "if something is in your possession, you own it, or you have obtained it from somewhere" + }, + "width": { + "CHS": "宽阔,宽度", + "ENG": "the distance from one side of something to the other" + }, + "variation": { + "CHS": "变化,改变;变量;变异", + "ENG": "a difference between similar things, or a change from the usual amount or form of something" + }, + "commemorate": { + "CHS": "纪念", + "ENG": "to do something to show that you remember and respect someone important or an important event in the past" + }, + "mosaic": { + "CHS": "镶嵌细工的,镶嵌工艺品的,嵌花式的", + "ENG": "a group of different things that exist next to each other or together" + }, + "misdeed": { + "CHS": "不端行为", + "ENG": "a wrong or illegal action" + }, + "mitigate": { + "CHS": "使缓和;使镇静", + "ENG": "To mitigate something means to make it less unpleasant, serious, or painful" + }, + "mesh": { + "CHS": "网,筛孔", + "ENG": "material made from threads or wires that have been woven together like a net, or a piece of this material" + }, + "float": { + "CHS": "漂浮", + "ENG": "if something floats, it moves slowly through the air or stays up in the air" + }, + "illuminate": { + "CHS": "照亮;用灯装饰;阐明", + "ENG": "to make a light shine on something, or to fill a place with light" + }, + "quarry": { + "CHS": "采石场;猎物", + "ENG": "a place where large amounts of stone or sand are dug out of the ground" + }, + "compound": { + "CHS": "混合物(的),复合词(的);院子(的)", + "ENG": "a substance containing atoms from two or more elements " + }, + "confuse": { + "CHS": "使混乱,弄错", + "ENG": "to think wrongly that a person or thing is someone or something else" + }, + "dean": { + "CHS": "(大学)院长,系主任,教务长", + "ENG": "a priest of high rank in the Christian church who is in charge of several priests or churches" + }, + "gossip": { + "CHS": "流言蜚语;报上社会新闻;爱传流言的人", + "ENG": "information that is passed from one person to another about other people’s behaviour and private lives, often including unkind or untrue remarks" + }, + "succumb": { + "CHS": "屈服,屈从,死", + "ENG": "to stop opposing someone or something that is stronger than you, and allow them to take control" + }, + "obsess": { + "CHS": "使着迷,使烦扰", + "ENG": "if something or someone obsesses you, you think or worry about them all the time and you cannot think about anything else – used to show disapproval" + }, + "distraction": { + "CHS": "消遣,娱乐,精神涣散", + "ENG": "a pleasant activity" + }, + "miscarriage": { + "CHS": "误判,误罚;流产;失败", + "ENG": "if a woman who is going to have a baby has a miscarriage, she gives birth before the baby is properly formed and it dies" + }, + "dormant": { + "CHS": "休眠的,暂死的", + "ENG": "not active or not growing at the present time but able to be active later" + }, + "economy": { + "CHS": "经济;节约", + "ENG": "the system by which a country’s money and goods are produced and used, or a country considered in this way" + }, + "aesthetic": { + "CHS": "美学的;艺术的", + "ENG": "connected with beauty and the study of beauty" + }, + "facility": { + "CHS": "灵巧,熟练;设备", + "ENG": "Facilities are buildings, pieces of equipment, or services that are provided for a particular purpose" + }, + "armour": { + "CHS": "盔甲;装甲部队", + "ENG": "metal or leather clothing that protects your body, worn by soldiers in battles in past times" + }, + "hamper": { + "CHS": "妨碍,阻碍,牵制", + "ENG": "to make it difficult for someone to do something" + }, + "commitment": { + "CHS": "所承诺之事", + "ENG": "a promise to do something or to behave in a particular way" + }, + "professional": { + "CHS": "专业人员", + "ENG": "someone who earns money by doing a job, sport, or activity that many other people do just for fun" + }, + "attack": { + "CHS": "攻击;非难;疾病发作" + }, + "exasperate": { + "CHS": "激怒,使恼火", + "ENG": "to make someone very annoyed by continuing to do something that upsets them" + }, + "trial": { + "CHS": "试验;试用;审讯,受审", + "ENG": "a legal process in which a judge and often a jury in a court of law examine information to decide whether someone is guilty of a crime" + }, + "mess": { + "CHS": "瞎忙;草率处理" + }, + "tear": { + "CHS": "撕裂,撕碎;破坏安宁" + }, + "dose": { + "CHS": "给服药", + "ENG": "to give someone medicine or a drug" + }, + "dreadful": { + "CHS": "令人担心的,遭透的" + }, + "maternal": { + "CHS": "母亲的,母系的", + "ENG": "typical of the way a good mother behaves or feels" + }, + "feeble": { + "CHS": "虚弱的,无力的", + "ENG": "extremely weak" + }, + "depression": { + "CHS": "沮丧 消沉 凹陷 萧条时期", + "ENG": "the period during the 1930s when there was not much business activity and not many jobs" + }, + "sparse": { + "CHS": "稀少的;稀疏的", + "ENG": "existing only in small amounts" + }, + "polish": { + "CHS": "擦光剂", + "ENG": "a liquid, powder, or other substance that you rub into a surface to make it smooth and shiny" + }, + "trim": { + "CHS": "整洁的,整齐的", + "ENG": "neat and well cared for" + }, + "massacre": { + "CHS": "大屠杀,残杀", + "ENG": "when a lot of people are killed violently, especially people who cannot defend themselves" + }, + "waver": { + "CHS": "摆,摇晃;动摇;犹豫不决", + "ENG": "to become weaker or less certain" + }, + "decrepit": { + "CHS": "老弱的,衰老的", + "ENG": "old and in bad condition" + }, + "mortgage": { + "CHS": "抵押,按揭,贷款购房" + }, + "hypothesis": { + "CHS": "(逻辑)前提,假说", + "ENG": "an idea that is suggested as an explanation for something, but that has not yet been proved to be true" + }, + "all": { + "CHS": "全部,全体" + }, + "finance": { + "CHS": "财政,金融;资金", + "ENG": "the management of money by governments, large organizations etc" + }, + "take": { + "CHS": "紧跟,尾随" + }, + "legislate": { + "CHS": "立法", + "ENG": "to make a law about something" + }, + "permeate": { + "CHS": "弥漫,透过", + "ENG": "if liquid, gas etc permeates something, it enters it and spreads through every part of it" + }, + "cavity": { + "CHS": "洞", + "ENG": "a hole or space inside something" + }, + "definite": { + "CHS": "确切的,明确的", + "ENG": "clearly known, seen, or stated" + }, + "skeleton": { + "CHS": "骨骼;(建筑物、计划的)骨架;纲要", + "ENG": "the most important parts of something, to which more detail can be added later" + }, + "quarterly": { + "CHS": "季度的;季刊", + "ENG": "produced or happening four times a year" + }, + "textile": { + "CHS": "纺织的,纺织品", + "ENG": "any type of woven cloth that is made in large quantities, used especially by people in the business of making clothes etc" + }, + "conception": { + "CHS": "概念的形成,概念,想法;怀孕", + "ENG": "an idea about what something is like, or a general understanding of something" + }, + "jury": { + "CHS": "陪审团", + "ENG": "a group of 12 ordinary people who listen to the details of a case in court and decide whether someone is guilty or not" + }, + "murmur": { + "CHS": "低沉连续的声音;诉怨", + "ENG": "to make a soft low sound" + }, + "virus": { + "CHS": "病毒", + "ENG": "a very small living thing that causes infectious illnesses" + }, + "gasp": { + "CHS": "喘气,气喘吁吁地说" + }, + "fatal": { + "CHS": "致命的,命运的,注定的", + "ENG": "resulting in someone’s death" + }, + "altitude": { + "CHS": "(海拔)高度", + "ENG": "If something is at a particular altitude, it is at that height above sea level" + }, + "outdo": { + "CHS": "超过;胜过", + "ENG": "to be better or more successful than someone else at doing something" + }, + "opinion": { + "CHS": "意见,鉴定", + "ENG": "your ideas or beliefs about a particular subject" + }, + "decay": { + "CHS": "腐朽,腐烂,衰微", + "ENG": "to be slowly destroyed by a natural chemical process, or to make something do this" + }, + "audit": { + "CHS": "审计;查账", + "ENG": "an official examination of a company’s financial records in order to check that they are correct" + }, + "forthcoming": { + "CHS": "即将出现的;现有的", + "ENG": "a forthcoming event, meeting etc is one that has been planned to happen soon" + }, + "anthology": { + "CHS": "诗集", + "ENG": "a set of stories, poems, songs etc by different people collected together in one book" + }, + "yarn": { + "CHS": "纱线;故事,奇谈", + "ENG": "thick thread made of cotton or wool, which is used to knit things" + }, + "plaintive": { + "CHS": "哀伤的,忧伤的", + "ENG": "a plaintive sound is high, like someone crying, and sounds sad" + }, + "misrepresent": { + "CHS": "误传,歪曲,曲解", + "ENG": "to deliberately give a wrong description of someone’s opinions or of a situation" + }, + "warranty": { + "CHS": "书面担保书,保证书", + "ENG": "a written agreement in which a company selling something promises to repair it if it breaks within a particular period of time" + }, + "rigorous": { + "CHS": "严格的,严厉的,严酷的(气候条件)", + "ENG": "careful, thorough, and exact" + }, + "auxiliary": { + "CHS": "辅助的,协助的", + "ENG": "auxiliary workers provide additional help for another group of workers" + }, + "terse": { + "CHS": "(说话,文笔)精炼的,简明的" + }, + "orchard": { + "CHS": "果园", + "ENG": "a place where fruit trees are grown" + }, + "dissertation": { + "CHS": "(博士学位)论文,学术演讲,专题论文", + "ENG": "a long piece of writing on a particular subject, especially one written for a university degree" + }, + "vivid": { + "CHS": "鲜艳的;活泼的,有生气的;清晰的", + "ENG": "vivid memories, dreams, descriptions etc are so clear that they seem real" + }, + "grumble": { + "CHS": "埋怨,咕哝,发牢骚", + "ENG": "to keep complaining in an unhappy way" + }, + "phenomenon": { + "CHS": "现象;非凡的人;奇迹(pl-na)", + "ENG": "something that happens or exists in society, science, or nature, especially something that is studied because it is difficult to understand" + }, + "rally": { + "CHS": "集合", + "ENG": "a large public meeting, especially one that is held outdoors to support a political idea, protest etc" + }, + "ceramic": { + "CHS": "陶瓷的;陶器的" + }, + "tongue": { + "CHS": "舌头;语言;舌状物(火舌)", + "ENG": "the soft part inside your mouth that you can move about and use for eating and speaking" + }, + "initiative": { + "CHS": "发端,创始,主动性", + "ENG": "the ability to make decisions and take action without waiting for someone to tell you what to do" + }, + "formula": { + "CHS": "俗套话;公式,程式", + "ENG": "a series of numbers or letters that represent a mathematical or scientific rule" + }, + "incipient": { + "CHS": "开始的;早期的", + "ENG": "starting to happen or exist" + }, + "coincidence": { + "CHS": "巧合,符合,巧合的事例", + "ENG": "when two things happen at the same time, in the same place, or to the same people in a way that seems surprising or unusual" + }, + "envisage": { + "CHS": "想象;期望;设想", + "ENG": "to think that something is likely to happen in the future" + }, + "precaution": { + "CHS": "预防", + "ENG": "something you do in order to prevent something dangerous or unpleasant from happening" + }, + "challenge": { + "CHS": "挑战;提出异议", + "ENG": "something that tests strength, skill, or ability, especially in a way that is interesting" + }, + "annihilate": { + "CHS": "歼灭;消灭", + "ENG": "to destroy something or someone completely" + }, + "addict": { + "CHS": "使沉迷,使嗜好" + }, + "conservative": { + "CHS": "保守主义,保守党人", + "ENG": "someone who supports or is a member of the Conservative Party in Britain" + }, + "edge": { + "CHS": "给加上边,徐徐移动", + "ENG": "to move gradually with several small movements, or to make something do this" + }, + "rumour": { + "CHS": "传闻;谣传", + "ENG": "information or a story that is passed from one person to another and which may or may not be true" + }, + "misuse": { + "CHS": "误用, 滥用;虐待\"", + "ENG": "to use something for the wrong purpose, or in the wrong way, often with harmful results" + }, + "propaganda": { + "CHS": "宣传;宣传方法", + "ENG": "information which is false or which emphasizes just one part of a situation, used by a government or political group to make people agree with them" + }, + "inherit": { + "CHS": "继承,经遗传而得(特性等)", + "ENG": "to receive money, property etc from someone after they have died" + }, + "secretion": { + "CHS": "分泌,分泌物", + "ENG": "a substance, usually liquid, produced by part of a plant or animal" + }, + "attendance": { + "CHS": "到场;出席人数", + "ENG": "the number of people who attend a game, concert, meeting etc" + }, + "illiterate": { + "CHS": "文盲(的)", + "ENG": "someone who has not learned to read or write" + }, + "turmoil": { + "CHS": "骚动,骚乱", + "ENG": "a state of confusion, excitement, or anxiety" + }, + "denote": { + "CHS": "是的符号,提示,表示", + "ENG": "to mean something" + }, + "adhere": { + "CHS": "粘着;忠于;坚持" + }, + "pinch": { + "CHS": "压力,重压" + }, + "pulp": { + "CHS": "果肉,木浆,纸浆", + "ENG": "the soft inside part of a fruit or vegetable" + }, + "pierce": { + "CHS": "刺穿,戳人;(喻)寒冷刺骨;感动", + "ENG": "to make a small hole in or through something, using an object with a sharp point" + }, + "contribution": { + "CHS": "贡献; 捐献", + "ENG": "something that you give or do in order to help something be successful" + }, + "analogy": { + "CHS": "类推,类似", + "ENG": "something that seems similar between two situations, processes etc" + }, + "policy": { + "CHS": "政策,保险单", + "ENG": "a way of doing something that has been officially agreed and chosen by a political party, a business, or another organization" + }, + "elegant": { + "CHS": "优美的,雅致的", + "ENG": "beautiful, attractive, or graceful" + }, + "witness": { + "CHS": "目击者;证人;证明", + "ENG": "someone who sees a crime or an accident and can describe what happened" + }, + "vulgar": { + "CHS": "粗俗的,趣味不高的,通俗的,庸俗的", + "ENG": "remarks, jokes etc that are vulgar deal with sex in a very rude and offensive way" + }, + "option": { + "CHS": "选择,可选择的事物", + "ENG": "a choice you can make in a particular situation" + }, + "economics": { + "CHS": "经济学", + "ENG": "the study of the way in which money and goods are produced and used" + }, + "periodically": { + "CHS": "偶然地,定期地" + }, + "roam": { + "CHS": "漫步,漫游", + "ENG": "to walk or travel, usually for a long time, with no clear purpose or direction" + }, + "stoop": { + "CHS": "弯腰,俯身;屈从,堕落,沦为", + "ENG": "to bend your body forward and down" + }, + "extinguish": { + "CHS": "熄灭,扑灭", + "ENG": "to make a fire or light stop burning or shining" + }, + "disturbance": { + "CHS": "打扰,骚动", + "ENG": "a situation in which people behave violently in public" + }, + "censor": { + "CHS": "审查,审查员;删改", + "ENG": "someone whose job is to examine books, films, letters etc and remove anything considered to be offensive, morally harmful, or politically dangerous" + }, + "lever": { + "CHS": "用杠杆移动", + "ENG": "to move something with a lever" + }, + "gang": { + "CHS": "一组,一队,(罪犯等)一帮,一群", + "ENG": "a group of criminals who work together" + }, + "detach": { + "CHS": "使分开;拆卸;派遣", + "ENG": "if you detach something, or if it detaches, it becomes separated from the thing it was attached to" + }, + "stimulus": { + "CHS": "刺激物;鼓励", + "ENG": "something that makes someone or something move or react" + }, + "knot": { + "CHS": "打结", + "ENG": "to tie together two ends or pieces of string, rope, cloth etc" + }, + "tumult": { + "CHS": "喧哗;激动,混乱;吵闹", + "ENG": "a confused, noisy, and excited situation, often caused by a large crowd" + }, + "ardent": { + "CHS": "热心的;热情的", + "ENG": "showing strong positive feelings about an activity and determination to succeed at it" + }, + "ideology": { + "CHS": "思想,思想体系,意识形态", + "ENG": "a set of beliefs on which a political or economic system is based, or which strongly influence the way people behave" + }, + "everlasting": { + "CHS": "永久的,永恒的", + "ENG": "continuing for ever, even after someone has died" + }, + "insight": { + "CHS": "洞察,洞悉,见识", + "ENG": "the ability to understand and realize what people or situations are really like" + }, + "artificial": { + "CHS": "人工的;娇揉造作的", + "ENG": "not real or not made of natural things but made to be like something that is real or natural" + }, + "uphold": { + "CHS": "支持;赞成;确认", + "ENG": "to defend or support a law, system, or principle so that it continues to exist" + }, + "constitution": { + "CHS": "宪法;体格;构造", + "ENG": "a set of basic laws and principles that a country or organization is governed by" + }, + "canvas": { + "CHS": "粗帆布;油画布", + "ENG": "strong cloth used to make bags, tents, shoes etc" + }, + "prominent": { + "CHS": "突出的,显要的,著名的", + "ENG": "important" + }, + "flirt": { + "CHS": "调情者;急动", + "ENG": "someone who flirts with people" + }, + "duly": { + "CHS": "按时地,适当地", + "ENG": "in the proper or expected way" + }, + "maize": { + "CHS": "玉米", + "ENG": "a tall plant with large yellow seeds that grow together on a cob (= long hard part ) , and that are cooked and eaten as a vegetable" + }, + "insipid": { + "CHS": "无味的,枯燥乏味的;单调的", + "ENG": "food or drink that is insipid does not have much taste" + }, + "favour": { + "CHS": "好感,赞成,偏爱", + "ENG": "If you favour someone, you treat them better or in a kinder way than you treat other people" + }, + "malignant": { + "CHS": "恶意的;恶毒的;(疾病)恶性的", + "ENG": "a malignant disease is one such as cancer , which can develop in an uncontrolled way and is likely to cause someone’s death" + }, + "systematic": { + "CHS": "有系统的,系统的;有计划有步骤的", + "ENG": "Something that is done in a systematic way is done according to a fixed plan, in a thorough and efficient way" + }, + "caustic": { + "CHS": "腐蚀性的;刻薄的;苛刻的", + "ENG": "a caustic substance can burn through things by chemical action" + }, + "inherent": { + "CHS": "固有的", + "ENG": "a quality that is inherent in something is a natural part of it and cannot be separated from it" + }, + "wage": { + "CHS": "从事(战争等)" + }, + "amuse": { + "CHS": "使娱逗,逗…笑", + "ENG": "to make someone laugh or smile" + }, + "negligible": { + "CHS": "微不足道的,可以忽视的", + "ENG": "too slight or unimportant to have any effect" + }, + "air": { + "CHS": "空气", + "ENG": "the mixture of gases around the Earth, that we breathe" + }, + "incur": { + "CHS": "招致; 遭受", + "ENG": "if you incur something unpleasant, it happens to you because of something you have done" + }, + "molest": { + "CHS": "骚扰;干扰", + "ENG": "to attack or harm someone, especially a child, by touching them in a sexual way or by trying to have sex with them" + }, + "monstrous": { + "CHS": "巨大的;恐怖的;可耻的,丢脸的", + "ENG": "unusually large" + }, + "edible": { + "CHS": "可以食用的", + "ENG": "something that is edible can be eaten" + }, + "offer": { + "CHS": "提供;提议", + "ENG": "a statement saying that you are willing to do something for someone or give them something" + }, + "alternate": { + "CHS": "轮流交替,交替", + "ENG": "if two things alternate, or if you alternate them, they happen one after the other in a repeated pattern" + }, + "tramp": { + "CHS": "徒步远行;长途跋涉" + }, + "sprout": { + "CHS": "发芽,开始生长;发展", + "ENG": "if vegetables, seeds, or plants sprout, they start to grow, producing shoots , buds , or leaves" + }, + "tempo": { + "CHS": "(行动,活动)速度;节拍;节奏", + "ENG": "the speed at which music is played or should be played" + }, + "tough": { + "CHS": "坚韧的,咬不动的;强壮的;粗暴的", + "ENG": "very strict or firm" + }, + "maritime": { + "CHS": "海上的;海事的;近海的;沿海的", + "ENG": "relating to the sea or ships" + }, + "spark": { + "CHS": "(发)火花", + "ENG": "a very small piece of burning material produced by a fire or by hitting or rubbing two hard objects together" + }, + "establish": { + "CHS": "建立,委任;安置;证实;确立", + "ENG": "to start a company, organization, system, etc that is intended to exist or continue for a long time" + }, + "dim": { + "CHS": "变暗淡", + "ENG": "if a light dims, or if you dim it, it becomes less bright" + }, + "lodge": { + "CHS": "仆人住房", + "ENG": "a traditional home of Native Americans, or the group of people that live in it" + }, + "rendezvous": { + "CHS": "约会;集会,聚会之地点", + "ENG": "an arrangement to meet someone at a particular time and place, often secretly" + }, + "martyr": { + "CHS": "杀害,折磨,牺牲", + "ENG": "If someone is martyred, they are killed or made to suffer greatly because of their religious or political beliefs" + }, + "confront": { + "CHS": "使面对;面临", + "ENG": "if a problem, difficulty etc confronts you, it appears and needs to be dealt with" + }, + "neat": { + "CHS": "整洁的;雅致的;灵巧的;纯的;不掺水的", + "ENG": "tidy and carefully arranged" + }, + "rectangle": { + "CHS": "矩形,长方形", + "ENG": "a shape that has four straight sides, two of which are usually longer than the other two, and four 90˚ angles at the corners" + }, + "transgress": { + "CHS": "越越限度;违反(法律规则)", + "ENG": "to do something that is against the rules of social behaviour or against a moral principle" + }, + "verdict": { + "CHS": "(陪审团)裁决, 定论;意见 \"", + "ENG": "an official decision made in a court of law, especially about whether someone is guilty of a crime or how a death happened" + }, + "evacuate": { + "CHS": "撤离,疏散,排清", + "ENG": "to send people away from a dangerous place to a safe place" + }, + "remorse": { + "CHS": "懊悔,悔恨", + "ENG": "a strong feeling of being sorry that you have done something very bad" + }, + "caution": { + "CHS": "小心;告诫,警告", + "ENG": "the quality of being very careful to avoid danger or risks" + }, + "subordinate": { + "CHS": "部下,下级职员", + "ENG": "someone who has a lower position and less authority than someone else in an organization" + }, + "chin": { + "CHS": "下巴,颏", + "ENG": "the front part of your face below your mouth" + }, + "live": { + "CHS": "有生命的,实况的", + "ENG": "not dead or artificial" + }, + "global": { + "CHS": "全世界的,全球的;综合的" + }, + "revive": { + "CHS": "苏醒,复活;复兴,再流行", + "ENG": "When something such as the economy, a business, a trend, or a feeling is revived or when it revives, it becomes active, popular, or successful again" + }, + "pesticide": { + "CHS": "杀虫剂,农药", + "ENG": "a chemical substance used to kill insects and small animals that destroy crops" + }, + "create": { + "CHS": "创造;创作;产生;造成", + "ENG": "to make something exist that did not exist before" + }, + "gloss": { + "CHS": "加光泽于" + }, + "entreat": { + "CHS": "恳求,央求", + "ENG": "to ask someone, in a very emotional way, to do something for you" + }, + "detain": { + "CHS": "留住;扣押,拘留", + "ENG": "to officially prevent someone from leaving a place" + }, + "tidy": { + "CHS": "整洁的;有条理的", + "ENG": "a room, house, desk etc that is tidy is neatly arranged with everything in the right place" + }, + "eloquent": { + "CHS": "雄辩的", + "ENG": "able to express your ideas and opinions well, especially in a way that influences people" + }, + "attend": { + "CHS": "专心;照顾" + }, + "postage": { + "CHS": "邮费,邮资", + "ENG": "the money charged for sending a letter, package etc by post" + }, + "postpone": { + "CHS": "推迟;延缓", + "ENG": "to change the date or time of a planned event or action to a later one" + }, + "crisp": { + "CHS": "(使)发脆", + "ENG": "to become crisp or make something become crisp by cooking or heating it" + }, + "instrument": { + "CHS": "仪器;器具;乐器", + "ENG": "a small tool used in work such as science or medicine" + }, + "most": { + "CHS": "大多数,最;最多的(地)" + }, + "situated": { + "CHS": "坐落在的;处于某种境地的", + "ENG": "to be in a particular place or position" + }, + "notify": { + "CHS": "通知,报告", + "ENG": "to formally or officially tell someone about something" + }, + "phobia": { + "CHS": "(病态的)恐惧,憎恶", + "ENG": "a strong unreasonable fear of something" + }, + "municipal": { + "CHS": "市的,市政的", + "ENG": "relating to or belonging to the government of a town or city" + }, + "eye": { + "CHS": "眼睛;看", + "ENG": "one of the two parts of the body that you use to see with" + }, + "curl": { + "CHS": "使卷曲", + "ENG": "If your hair curls or if you curl it, it is full of curls" + }, + "vehicle": { + "CHS": "车辆交通工具;思想媒介", + "ENG": "a machine with an engine that is used to take people or things from one place to another, such as a car, bus, or truck" + }, + "minus": { + "CHS": "负的,负号;减", + "ENG": "used to show that one number or quantity is being subtract ed from another" + }, + "scold": { + "CHS": "责骂,申斥", + "ENG": "to angrily criticize someone, especially a child, about something they have done" + }, + "section": { + "CHS": "部分,零件;剖面,横断面,阶层", + "ENG": "one of the parts that something such as an object or place is divided into" + }, + "reciprocal": { + "CHS": "相互的;互惠的", + "ENG": "a reciprocal arrangement or relationship is one in which two people or groups do or give the same things to each other" + }, + "category": { + "CHS": "种类,类目", + "ENG": "a group of people or things that are all of the same type" + }, + "captive": { + "CHS": "俘虏,迷恋者;被俘虏的,被拴住的", + "ENG": "someone who is kept as a prisoner, especially in a war" + }, + "panic": { + "CHS": "受惊,惊慌", + "ENG": "to suddenly feel so frightened that you cannot think clearly or behave sensibly, or to make someone do this" + }, + "intact": { + "CHS": "未受损的,完整的", + "ENG": "not broken, damaged, or spoiled" + }, + "entry": { + "CHS": "进入,入口;条目,词条", + "ENG": "the act of going into something" + }, + "inspiring": { + "CHS": "令人振奋的" + }, + "tedious": { + "CHS": "乏味的,沉闷的", + "ENG": "something that is tedious continues for a long time and is not interesting" + }, + "cannon": { + "CHS": "开炮" + }, + "stereo": { + "CHS": "立体声录音机", + "ENG": "a machine for playing records, cds etc that produces sound from two speakers " + }, + "feedback": { + "CHS": "反应,用户反应", + "ENG": "If you get feedback on your work or progress, someone tells you how well or badly you are doing, and how you could improve. If you get good feedback you have worked or performed well. " + }, + "lament": { + "CHS": "挽歌,挽诗", + "ENG": "a song, piece of music, or something that you say, that expresses a feeling of sadness" + }, + "paradise": { + "CHS": "天国;乐园", + "ENG": "a place that has everything you need for doing a particular activity" + }, + "fountain": { + "CHS": "泉水,喷泉;源泉", + "ENG": "a structure from which water is pushed up into the air, used for example as decoration in a garden or park" + }, + "acquisition": { + "CHS": "获得,获得物", + "ENG": "the process by which you gain knowledge or learn a skill" + }, + "revise": { + "CHS": "修订;改正", + "ENG": "to change something because of new information or ideas" + }, + "closet": { + "CHS": "小储藏室", + "ENG": "A closet is a very small room for storing things, especially one without windows" + }, + "prolific": { + "CHS": "多产的,丰富的", + "ENG": "a prolific artist, writer etc produces many works of art, books etc" + }, + "audible": { + "CHS": "听得见的", + "ENG": "a sound that is audible is loud enough for you to hear it" + }, + "advent": { + "CHS": "降临,出现", + "ENG": "the time when something first begins to be widely used" + }, + "get": { + "CHS": "使得,使成为某种状态,开始起来", + "ENG": "to achieve something" + }, + "recline": { + "CHS": "斜倚,躺", + "ENG": "to lie or lean back in a relaxed way" + }, + "pier": { + "CHS": "桥墩;码头", + "ENG": "a structure that is built over and into the water so that boats can stop next to it or people can walk along it" + }, + "menace": { + "CHS": "危险,威胁", + "ENG": "something or someone that is dangerous" + }, + "outrageous": { + "CHS": "残暴的,蛮横的", + "ENG": "very shocking and extremely unfair or offensive" + }, + "fossil": { + "CHS": "化石", + "ENG": "an animal or plant that lived many thousands of years ago and that has been preserved, or the shape of one of these animals or plants that has been preserved in rock" + }, + "ethnic": { + "CHS": "种族的;人种学的", + "ENG": "relating to a particular race, nation, or tribe and their customs and traditions" + }, + "marital": { + "CHS": "婚姻的,丈夫的", + "ENG": "relating to marriage" + }, + "wrought": { + "CHS": "锤炼的" + }, + "supposedly": { + "CHS": "想象上,恐怕" + }, + "clockwise": { + "CHS": "顺时针方向地", + "ENG": "in the same direction as the hands of a clock move" + }, + "sector": { + "CHS": "战区,防区;(工业等)部门,部分", + "ENG": "a part of an area of activity, especially of business, trade etc" + }, + "chunk": { + "CHS": "厚块", + "ENG": "a large thick piece of something that does not have an even shape" + }, + "transplant": { + "CHS": "移植,移种;人工移植(心,胃);迁移 \"", + "ENG": "to move an organ, piece of skin etc from one person’s body and put it into another as a form of medical treatment" + }, + "radiate": { + "CHS": "发射,放射", + "ENG": "if something radiates light or heat, or if light or heat radiates from something, the light or heat is sent out in all directions" + }, + "millennium": { + "CHS": "一千年,千禧年;太平盛世", + "ENG": "a period of 1,000 years" + }, + "speculate": { + "CHS": "思索,推测,投机", + "ENG": "to guess about the possible causes or effects of something, without knowing all the facts or details" + }, + "inept": { + "CHS": "不适当的" + }, + "lamb": { + "CHS": "小羊;羔羊肉", + "ENG": "a young sheep" + }, + "specimen": { + "CHS": "标本,样品,样张;试样", + "ENG": "a small amount or piece that is taken from something, so that it can be tested or examined" + }, + "hop": { + "CHS": "单足跳,弹跳", + "ENG": "to move by jumping on one foot" + }, + "differ": { + "CHS": "不相同,意见不一致", + "ENG": "to be different from something in some way" + }, + "volunteer": { + "CHS": "自愿参加(者)", + "ENG": "someone who does a job willingly without being paid" + }, + "aquarium": { + "CHS": "水族馆;养鱼池", + "ENG": "a clear glass or plastic container for fish and other water animals" + }, + "supposition": { + "CHS": "假定,想象,猜测", + "ENG": "something that you think is true, even though you are not certain and cannot prove it" + }, + "costume": { + "CHS": "服装式样;戏服", + "ENG": "a set of clothes worn by an actor or by someone to make them look like something such as an animal, famous person etc" + }, + "fixture": { + "CHS": "附属装置;运动项目", + "ENG": "Fixtures are fittings or furniture which belong to a building and are legally part of it, for example, a bathtub or a toilet" + }, + "strive": { + "CHS": "斗争,努力,奋斗", + "ENG": "to make a great effort to achieve something" + }, + "seclude": { + "CHS": "使隔离;使孤立,使隐退", + "ENG": "to remove from contact with others " + }, + "heighten": { + "CHS": "加高,提高;增大", + "ENG": "if something heightens a feeling, effect etc, or if a feeling etc heightens, it becomes stronger or increases" + }, + "predecessor": { + "CHS": "前任", + "ENG": "someone who had your job before you started doing it" + }, + "aboriginal": { + "CHS": "土著(的);土生动植物(的)" + }, + "chronological": { + "CHS": "按时间顺序的", + "ENG": "arranged according to when things happened or were made" + }, + "assault": { + "CHS": "袭击", + "ENG": "the crime of physically attacking someone" + }, + "sober": { + "CHS": "严肃的,认真的,清醒的", + "ENG": "not drunk" + }, + "implement": { + "CHS": "贯彻,履行", + "ENG": "to take action or make changes that you have officially decided should happen" + }, + "quiver": { + "CHS": "颤动,抖动", + "ENG": "to shake slightly because you are cold, or because you feel very afraid, angry, excited etc" + }, + "ostentation": { + "CHS": "夸耀,卖弄", + "ENG": "when you deliberately try to show people how rich or clever you are, in order to make them admire you" + }, + "compulsory": { + "CHS": "义务的;强制的", + "ENG": "something that is compulsory must be done because it is the law or because someone in authority orders you to" + }, + "hike": { + "CHS": "徒步旅行;增加;抬起", + "ENG": "a long walk in the mountains or countryside" + }, + "tackle": { + "CHS": "处理,对付;抓住", + "ENG": "to try to deal with a difficult problem" + }, + "legislation": { + "CHS": "立法", + "ENG": "a law or set of laws" + }, + "estate": { + "CHS": "房地产;财产", + "ENG": "law all of someone’s property and money, especially everything that is left after they die" + }, + "interrogate": { + "CHS": "询问,审问", + "ENG": "to ask someone a lot of questions for a long time in order to get information, sometimes using threats" + }, + "plummet": { + "CHS": "骤然跌落", + "ENG": "to suddenly and quickly decrease in value or amount" + }, + "roll": { + "CHS": "滚动;卷;隆隆声", + "ENG": "if something rolls, especially something round, or if you roll it, it moves along a surface by turning over and over" + }, + "assimilate": { + "CHS": "同化;吸收", + "ENG": "to completely understand and begin to use new ideas, information etc" + }, + "harsh": { + "CHS": "粗糙的;严厉的", + "ENG": "harsh conditions are difficult to live in and very uncomfortable" + }, + "recall": { + "CHS": "召回;回忆", + "ENG": "to remember a particular fact, event, or situation from the past" + }, + "electronics": { + "CHS": "电子学(单数)", + "ENG": "the study or industry of making equipment, such as computers and televisions, that work electronically" + }, + "abbreviation": { + "CHS": "缩略语", + "ENG": "a short form of a word or expression" + }, + "flee": { + "CHS": "逃走", + "ENG": "to leave somewhere very quickly, in order to escape from danger" + }, + "numb": { + "CHS": "麻木的,失去知觉的", + "ENG": "a part of your body that is numb is unable to feel anything, for example because you are very cold" + }, + "crude": { + "CHS": "天然的,粗鲁的,粗制的", + "ENG": "not exact or without any detail, but generally correct and useful" + }, + "metropolitan": { + "CHS": "大城市的,大都市的", + "ENG": "relating or belonging to a very large city" + }, + "notable": { + "CHS": "显著的;著名的", + "ENG": "important, interesting, excellent, or unusual enough to be noticed or mentioned" + }, + "treble": { + "CHS": "三倍(重)的" + }, + "propagate": { + "CHS": "繁殖;增殖;传播,宣传", + "ENG": "to spread an idea, belief etc to many people" + }, + "converge": { + "CHS": "会聚,集中", + "ENG": "to come from different directions and meet at the same point to become one thing" + }, + "compel": { + "CHS": "强迫,迫使", + "ENG": "to force someone to do something" + }, + "pointed": { + "CHS": "尖锐的;率直的", + "ENG": "having a point at the end" + }, + "swarm": { + "CHS": "成群飞舞;蜂拥而入", + "ENG": "if people swarm somewhere, they go there as a large uncontrolled crowd" + }, + "shrewd": { + "CHS": "敏锐的,精明的,准确的", + "ENG": "good at judging what people or situations are really like" + }, + "abolish": { + "CHS": "废除", + "ENG": "to officially end a law, system etc, especially one that has existed for a long time" + }, + "imitate": { + "CHS": "模仿,模拟,看似", + "ENG": "to copy the way someone behaves, speaks, moves etc, especially in order to make people laugh" + }, + "waggon": { + "CHS": "货车" + }, + "definitive": { + "CHS": "决定的,明确的;最后的", + "ENG": "a definitive agreement, statement etc is one that will not be changed" + }, + "imminent": { + "CHS": "迫近的,紧迫的", + "ENG": "an event that is imminent, especially an unpleasant one, will happen very soon" + }, + "dispute": { + "CHS": "争论,争执,质疑", + "ENG": "a serious argument or disagreement" + }, + "horticulture": { + "CHS": "园艺", + "ENG": "the practice or science of growing flowers, fruit, and vegetables" + }, + "semblance": { + "CHS": "外貌,外表", + "ENG": "If there is a semblance of a particular condition or quality, it appears to exist, even though this may be a false impression" + }, + "impair": { + "CHS": "损害,削弱", + "ENG": "to damage something or make it not as good as it should be" + }, + "dismay": { + "CHS": "灰心丧气;惊愕" + }, + "dash": { + "CHS": "撞击;冲,短跑;破折号;闯劲", + "ENG": "If you dash somewhere, you run or go there quickly and suddenly" + }, + "outlying": { + "CHS": "远离中心的,偏僻的", + "ENG": "far from the centre of a city, town etc or from a main building" + }, + "catching": { + "CHS": "传染性的", + "ENG": "an illness that is catching is easily passed to other people" + }, + "deter": { + "CHS": "阻止,使不敢,吓住", + "ENG": "to stop someone from doing something, by making them realize it will be difficult or have bad results" + }, + "influx": { + "CHS": "汇集,流入" + }, + "deplore": { + "CHS": "哀悼, 非难\"" + }, + "pathos": { + "CHS": "引起怜悯的因素", + "ENG": "the quality that a person, situation, film, or play has that makes you feel pity and sadness" + }, + "namely": { + "CHS": "即;也就是", + "ENG": "used when saying the names of the people or things you are referring to" + }, + "relinguish": { + "CHS": "放弃;撤回" + }, + "sole": { + "CHS": "单独的;惟一的", + "ENG": "the sole person, thing etc is the only one" + }, + "thaw": { + "CHS": "解冻", + "ENG": "a period of warm weather during which snow and ice melt" + }, + "fling": { + "CHS": "掷,抛;猛烈地移动;投入", + "ENG": "to throw something somewhere using a lot of force" + }, + "sufficient": { + "CHS": "足够的,充分的", + "ENG": "as much as is needed for a particular purpose" + }, + "morality": { + "CHS": "道德,美德;伦理体系", + "ENG": "beliefs or ideas about what is right and wrong and about how people should behave" + }, + "shave": { + "CHS": "剃;刮", + "ENG": "to cut off hair very close to the skin, especially from the face, using a razor " + }, + "liaison": { + "CHS": "联络", + "ENG": "the regular exchange of information between groups of people, especially at work, so that each group knows what the other is doing" + }, + "flip": { + "CHS": "用指轻弹" + }, + "shear": { + "CHS": "剪", + "ENG": "to cut the wool off a sheep" + }, + "hover": { + "CHS": "(鸟)盘旋,翱翔,(人)逗留在附近徘徊", + "ENG": "If you hover, you stay in one place and move slightly in a nervous way, for example because you cannot decide what to do" + }, + "wax": { + "CHS": "上蜡", + "ENG": "to rub a layer of wax into a floor, surface etc to protect it or make it shine" + }, + "gaily": { + "CHS": "快乐地,娱乐地", + "ENG": "in a happy way" + }, + "slide": { + "CHS": "滑动", + "ENG": "to move smoothly over a surface while continuing to touch it, or to make something move in this way" + }, + "lump": { + "CHS": "合在一起,结块", + "ENG": "to put two or more different people or things together and consider them as a single group, sometimes wrongly" + }, + "inspection": { + "CHS": "检查;审视,检阅", + "ENG": "an official visit to a building or organization to check that everything is satisfactory and that rules are being obeyed" + }, + "arena": { + "CHS": "竞技场,比赛场所", + "ENG": "a building with a large flat central area surrounded by seats, where sports or entertainments take place" + }, + "economical": { + "CHS": "节约的", + "ENG": "using money, time, goods etc carefully and without wasting any" + }, + "magnetic": { + "CHS": "有磁性的,有吸引力的", + "ENG": "concerning or produced by magnetism " + }, + "fluff": { + "CHS": "抖开,抖松", + "ENG": "to make something soft become larger by shaking it" + }, + "cashier": { + "CHS": "出纳员", + "ENG": "someone whose job is to receive or pay out money in a shop" + }, + "maiden": { + "CHS": "未婚女子的" + }, + "startle": { + "CHS": "使大吃一惊", + "ENG": "to make someone suddenly surprised or slightly shocked" + }, + "chill": { + "CHS": "寒冷,扫兴的,(使)感冒", + "ENG": "a feeling of coldness" + }, + "reserve": { + "CHS": "保存;预定", + "ENG": "to arrange for a place in a hotel, restaurant, plane etc to be kept for you to use at a particular time in the future" + }, + "substitute": { + "CHS": "代替", + "ENG": "to use something new or diffe-rent instead of something else" + }, + "auditorium": { + "CHS": "会堂;礼堂", + "ENG": "a large building used for concerts or public meetings" + }, + "esteem": { + "CHS": "尊重,珍重", + "ENG": "a feeling of respect for someone, or a good opinion of someone" + }, + "creation": { + "CHS": "创作,创造,创造物", + "ENG": "the act of creating something" + }, + "manifest": { + "CHS": "显示,出现", + "ENG": "to show a feeling, attitude etc" + }, + "confer": { + "CHS": "授予(称号,学位等);协商", + "ENG": "to officially give someone a title etc, especially as a reward for something they have achieved" + }, + "underneath": { + "CHS": "在下面,在底下", + "ENG": "directly under another object or covered by it" + }, + "hoist": { + "CHS": "起重机,升降机", + "ENG": "a piece of equipment used for lifting heavy objects with ropes" + }, + "capacity": { + "CHS": "容量;容积;理解力;地位;资格", + "ENG": "the amount of space a container, room etc has to hold things or people" + }, + "fuel": { + "CHS": "供给燃料", + "ENG": "if you fuel a vehicle, or if it fuels up, fuel is put into it" + }, + "incidentally": { + "CHS": "偶然地,顺便地", + "ENG": "in a way that was not planned, but as a result of something else" + }, + "giggle": { + "CHS": "咯咯地笑,傻笑", + "ENG": "to laugh quickly, quietly, and in a high voice, because something is funny or because you are nervous or embarrassed" + }, + "escort": { + "CHS": "护送,护卫", + "ENG": "to take someone somewhere, especially when you are protecting or guarding them" + }, + "lottery": { + "CHS": "彩票", + "ENG": "a game used to make money for a state or a charity in which people buy tickets with a series of numbers on them. If their number is picked by chance, they win money or a prize." + }, + "retain": { + "CHS": "保持,保有;聘请(律师)", + "ENG": "to keep something or continue to have something" + }, + "undercharge": { + "CHS": "潜流;(思想,情绪)暗流" + }, + "synonym": { + "CHS": "同义词", + "ENG": "a word with the same meaning as another word in the same language" + }, + "turf": { + "CHS": "草地,草皮", + "ENG": "a surface that consists of soil with grass on top, or an artificial surface that looks like this" + }, + "owe": { + "CHS": "欠债;感激;由于", + "ENG": "to need to pay someone for something that they have done for you or sold to you, or to need to give someone back money that they have lent you" + }, + "deplete": { + "CHS": "耗尽,用尽", + "ENG": "To deplete a stock or amount of something means to reduce it" + }, + "fort": { + "CHS": "要塞; 堡垒", + "ENG": "a strong building or group of buildings used by soldiers or an army for defending an important place" + }, + "delude": { + "CHS": "欺骗;哄骗", + "ENG": "to make someone believe something that is not true" + }, + "ingenious": { + "CHS": "机灵的;制作精巧的,灵巧的", + "ENG": "an ingenious plan, idea, or object works well and is the result of clever thinking and new ideas" + }, + "compare": { + "CHS": "比较,对照;喻为", + "ENG": "to consider two or more things or people, in order to show how they are similar or different" + }, + "inland": { + "CHS": "在内地,向内地", + "ENG": "in a direction away from the coast and towards the centre of a country" + }, + "suppress": { + "CHS": "镇压;平定;抑制;隐瞒", + "ENG": "to stop people from opposing the government, especially by using force" + }, + "terror": { + "CHS": "恐怖", + "ENG": "a feeling of extreme fear" + }, + "procedure": { + "CHS": "过程,步骤", + "ENG": "a way of doing something, especially the correct or usual way" + }, + "pretext": { + "CHS": "借口", + "ENG": "a false reason given for an action, in order to hide the real reason" + }, + "flap": { + "CHS": "拍打,挥动,垂下物;袋盖;慌乱", + "ENG": "the noisy movement of something such as cloth in the air" + }, + "obsolete": { + "CHS": "已废弃的,过时的", + "ENG": "no longer useful, because something newer and better has been invented" + }, + "deliberate": { + "CHS": "仔细考虑", + "ENG": "to think about something very carefully" + }, + "oath": { + "CHS": "誓言,誓约", + "ENG": "a formal and very serious promise" + }, + "depletion": { + "CHS": "取尽,用尽" + }, + "forecast": { + "CHS": "预测,预报", + "ENG": "a description of what is likely to happen in the future, based on the information that you have now" + }, + "sore": { + "CHS": "疼痛的;恼火的", + "ENG": "a part of your body that is sore is painful, because of infection or because you have used a muscle too much" + }, + "metric": { + "CHS": "十进制的,公制的", + "ENG": "using or connected with the metric system of weights and measures" + }, + "plead": { + "CHS": "辩护;提出为理由", + "ENG": "If you plead the case or cause of someone or something, you speak out in their support or defence" + }, + "wrench": { + "CHS": "猛扭,猛拉", + "ENG": "to twist and pull something roughly from the place where it is being held" + }, + "surgeon": { + "CHS": "外科医生", + "ENG": "a doctor who does operations in a hospital" + }, + "compensation": { + "CHS": "赔偿", + "ENG": "money paid to someone because they have suffered injury or loss, or because something they own has been damaged" + }, + "reference": { + "CHS": "证明;出处;参照", + "ENG": "a number that tells you where you can find the information you want in a book, on a map etc" + }, + "huddle": { + "CHS": "一堆,一团", + "ENG": "a group of people or things that are close together, but not arranged in any particular order, pattern, or system" + }, + "dock": { + "CHS": "引入船坞" + }, + "eccentric": { + "CHS": "古怪(的),偏执(的),不同心(的)", + "ENG": "An eccentric is an eccentric person" + }, + "indefinite": { + "CHS": "模糊的,不明确的,无定限的", + "ENG": "an indefinite action or period of time has no definite end arranged for it" + }, + "coverage": { + "CHS": "承保险别;新闻报道(范围);保证金", + "ENG": "when a subject or event is reported on television or radio, or in newspapers" + }, + "stationary": { + "CHS": "固定的,定置的;不变动的,不移动的", + "ENG": "standing still instead of moving" + }, + "maximum": { + "CHS": "最大量;最大限度", + "ENG": "the largest number or amount that is possible or is allowed" + }, + "edit": { + "CHS": "编辑,剪辑", + "ENG": "to prepare a book, piece of film etc for printing or broadcasting by removing mistakes or parts that are not acceptable" + }, + "somehow": { + "CHS": "以某种方式", + "ENG": "in some way, or by some means, although you do not know how" + }, + "obstinate": { + "CHS": "顽固的,倔强的,不易屈服的,较难治愈的", + "ENG": "determined not to change your ideas, behaviour, opinions etc, even when other people think you are being unreasonable" + }, + "string": { + "CHS": "线,细绳;弦", + "ENG": "a strong thread made of several threads twisted together, used for tying or fastening things" + }, + "day": { + "CHS": "白天,一天", + "ENG": "a period of 24 hours" + }, + "numerous": { + "CHS": "许许多多的", + "ENG": "many" + }, + "resignation": { + "CHS": "辞职书;放弃;听从,顺从", + "ENG": "when someone calmly accepts a situation that cannot be changed, even though it is bad" + }, + "laden": { + "CHS": "装满的,载满的", + "ENG": "heavily loaded with something, or containing a lot of something" + }, + "instinct": { + "CHS": "本能", + "ENG": "a natural tendency to behave in a particular way or a natural ability to know something, which is not learned" + }, + "end": { + "CHS": "末端,尽头,结束", + "ENG": "a situation in which something is finished or no longer exists" + }, + "extinct": { + "CHS": "消灭了的,熄灭了的,绝种的", + "ENG": "an extinct type of animal or plant does not exist any more" + }, + "theme": { + "CHS": "题目;主题", + "ENG": "the main subject or idea in a piece of writing, speech, film etc" + }, + "prologue": { + "CHS": "序言;开端", + "ENG": "the introduction to a play, a long poem etc" + }, + "diagram": { + "CHS": "图解", + "ENG": "a simple drawing or plan that shows exactly where something is, what something looks like, or how something works" + }, + "fitting": { + "CHS": "试衣;建筑物中的装置", + "ENG": "an occasion when you put on a piece of clothing that is being made for you, to see if it fits properly" + }, + "install": { + "CHS": "任命;安装,安置", + "ENG": "to put a piece of equipment somewhere and connect it so that it is ready to be used" + }, + "dilute": { + "CHS": "稀释的", + "ENG": "a dilute liquid has been made weaker by the addition of water or another liquid" + }, + "storey": { + "CHS": "房屋的一层", + "ENG": "a floor or level of a building" + }, + "odds": { + "CHS": "可能,机会", + "ENG": "how likely it is that something will or will not happen" + }, + "swirl": { + "CHS": "打旋,旋动", + "ENG": "to move around quickly in a twisting circular movement, or to make something do this" + }, + "reassure": { + "CHS": "使放心,使消除疑虑", + "ENG": "to make someone feel calmer and less worried or frightened about a problem or situation" + }, + "casualty": { + "CHS": "伤亡人员" + }, + "match": { + "CHS": "火柴;比赛;对手;婚姻;相称v相当,相配", + "ENG": "an organized sports event between two teams or people" + }, + "decade": { + "CHS": "十年", + "ENG": "a period of 10 years" + }, + "exceed": { + "CHS": "比大,超出", + "ENG": "to be more than a particular number or amount" + }, + "tutor": { + "CHS": "私人教师;[英]大学导师", + "ENG": "someone who gives private lessons to one student or a small group, and is paid directly by them" + }, + "proximity": { + "CHS": "最近,接近", + "ENG": "nearness in distance or time" + }, + "cosmopolitan": { + "CHS": "全世界的,世界主义的", + "ENG": "a cosmopolitan place has people from many different parts of the world – use this to show approval" + }, + "Christian": { + "CHS": "基督教的;基督教徒", + "ENG": "a person who believes in the ideas taught by Jesus Christ" + }, + "catalyst": { + "CHS": "催化剂;造成变化的人或事", + "ENG": "a substance that makes a chemical reaction happen more quickly without being changed itself" + }, + "consign": { + "CHS": "运送;交付", + "ENG": "to send something somewhere, especially in order to sell it" + }, + "lease": { + "CHS": "租约", + "ENG": "a legal agreement which allows you to use a building, car etc for a period of time, in return for rent" + }, + "wane": { + "CHS": "月亮变小,月亏;衰退", + "ENG": "when the moon wanes, you gradually see less of it" + }, + "quota": { + "CHS": "配额,限额(进口及移民人数)", + "ENG": "an official limit on the number or amount of something that is allowed in a particular period" + }, + "depress": { + "CHS": "降低,使沮丧;使萧条", + "ENG": "to make someone feel very unhappy" + }, + "clarify": { + "CHS": "澄清,使液体清洁", + "ENG": "to make something clearer or easier to understand" + }, + "extreme": { + "CHS": "极端,相反的性质", + "ENG": "a situation, quality etc which is as great as it can possibly be – used especially when talking about two opposites" + }, + "radar": { + "CHS": "雷达", + "ENG": "a piece of equipment that uses radio waves to find the position of things and watch their movement" + }, + "pertain": { + "CHS": "附属;有关", + "ENG": "If one thing pertains to another, it relates, belongs, or applies to it" + }, + "given": { + "CHS": "假设的;约定的;同意的", + "ENG": "any particular time, situation, amount etc that is being used as an example" + }, + "seismic": { + "CHS": "地震的,地震强度的", + "ENG": "relating to or caused by earthquakes " + }, + "summit": { + "CHS": "顶点,高峰;峰会(最高级会谈)" + }, + "nautical": { + "CHS": "航海的,船舶的,海员的", + "ENG": "relating to ships, boats, or sailing" + }, + "licence": { + "CHS": "许可,特许,执照;放纵", + "ENG": "an official document giving you permission to own or do something for a period of time" + }, + "target": { + "CHS": "靶,标;批评对象;指标", + "ENG": "something that you are trying to achieve, such as a total, an amount, or a time" + }, + "analytical": { + "CHS": "分析的;分解的", + "ENG": "thinking about things in a detailed and intelligent way, so that you can examine and understand things" + }, + "jerk": { + "CHS": "急动,急停" + }, + "rescue": { + "CHS": "援救;营救", + "ENG": "to save someone or something from a situation of danger or harm" + }, + "couch": { + "CHS": "表达", + "ENG": "to be expressed in a particular way" + }, + "strategic": { + "CHS": "战略的,战略方针的", + "ENG": "done as part of a plan, especially in a military, business, or political situation" + }, + "impulse": { + "CHS": "推动,冲力,冲动", + "ENG": "a sudden strong desire to do something without thinking about whether it is a sensible thing to do" + }, + "ultraviolet": { + "CHS": "紫外线的", + "ENG": "ultraviolet light cannot be seen by people, but is responsible for making your skin darker when you are in the sun" + }, + "melodious": { + "CHS": "音调悦耳的,旋律的", + "ENG": "something that sounds melodious sounds like music or has a pleasant tune" + }, + "crucial": { + "CHS": "决定性的;紧要关头的", + "ENG": "something that is crucial is extremely important, because everything else depends on it" + }, + "commodity": { + "CHS": "日用品,商品", + "ENG": "a product that is bought and sold" + }, + "conceive": { + "CHS": "想出(主意);怀孕", + "ENG": "to think of a new idea, plan etc and develop it in your mind" + }, + "monopoly": { + "CHS": "垄断,专卖权", + "ENG": "if a company or government has a monopoly of a business or political activity, it has complete control of it so that other organizations cannot compete with it" + }, + "weird": { + "CHS": "怪诞的;离奇的,古怪的;超自然的", + "ENG": "very strange and unusual, and difficult to understand or explain" + }, + "stereotype": { + "CHS": "典型的榜样,样本" + }, + "smooth": { + "CHS": "使光滑;使平稳", + "ENG": "to make something such as cloth or hair flat by moving your hands across it" + }, + "clumsy": { + "CHS": "笨拙的;愚笨的", + "ENG": "moving or doing things in a careless way, especially so that you drop things, knock into things etc" + }, + "portable": { + "CHS": "手提式的,便携式的", + "ENG": "able to be carried or moved easily" + }, + "voltage": { + "CHS": "电压", + "ENG": "electrical force measured in volts" + }, + "nuisance": { + "CHS": "麻烦事,讨厌的人", + "ENG": "a person, thing, or situation that annoys you or causes problems" + }, + "intensify": { + "CHS": "加强; 加剧", + "ENG": "to increase in degree or strength, or to make something do this" + }, + "retrieve": { + "CHS": "再获得;挽回;挽救", + "ENG": "to make a situation satisfactory again after there has been a serious mistake or problem" + }, + "fist": { + "CHS": "拳头", + "ENG": "the hand when it is tightly closed, so that the fingers are curled in towards the palm . People close their hand in a fist when they are angry or are going to hit someone." + }, + "twinkle": { + "CHS": "闪烁,闪耀;闪闪发光", + "ENG": "if a star or light twinkles, it shines in the dark with an unsteady light" + }, + "orchestra": { + "CHS": "管弦乐队" + }, + "conform": { + "CHS": "遵从,符合", + "ENG": "to obey a law, rule etc" + }, + "fallible": { + "CHS": "易犯错误的,错误难免的", + "ENG": "able to make mistakes or be wrong" + }, + "fatigue": { + "CHS": "疲劳,(金属)疲劳,杂役", + "ENG": "very great tiredness" + }, + "practitioner": { + "CHS": "实践者,从事者;(医生或律师等)开业者", + "ENG": "someone who regularly does a particular activity" + }, + "Catholic": { + "CHS": "天主教教徒", + "ENG": "A Catholic is a member of the Catholic Church" + }, + "comedy": { + "CHS": "喜剧;一出喜剧,喜剧性事件", + "ENG": "entertainment that is intended to make people laugh" + }, + "originate": { + "CHS": "发生,发起;发明" + }, + "allocate": { + "CHS": "分配,配给", + "ENG": "to use something for a particular purpose, give something to a particular person etc, especially after an official decision has been made" + }, + "junior": { + "CHS": "较年幼的,等级较低的", + "ENG": "relating to sport for young people below a particular age" + }, + "cupboard": { + "CHS": "碗橱", + "ENG": "a piece of furniture with doors, and sometimes shelves, used for storing clothes, plates, food etc" + }, + "moped": { + "CHS": "机动脚踏车", + "ENG": "a small two-wheeled vehicle with an engine" + }, + "plus": { + "CHS": "正的", + "ENG": "used to talk about an advantage or good feature of a thing or situation" + }, + "optimism": { + "CHS": "乐观,乐观主义", + "ENG": "a tendency to believe that good things will always happen" + }, + "embody": { + "CHS": "体现;使具体化", + "ENG": "to be a very good example of an idea or quality" + }, + "wedge": { + "CHS": "挤进;把楔住", + "ENG": "to force something firmly into a narrow space" + }, + "ceremony": { + "CHS": "典礼,仪式;礼节", + "ENG": "an important social or religious event, when a traditional set of actions is performed in a formal way" + }, + "suicide": { + "CHS": "自杀", + "ENG": "the act of killing yourself" + }, + "swear": { + "CHS": "郑重地说;强调;发誓", + "ENG": "to say very strongly that what you are saying is true" + }, + "considerable": { + "CHS": "相当大的;重要的", + "ENG": "fairly large, especially large enough to have an effect or be important" + }, + "judicial": { + "CHS": "法庭(官)的, 审判的 \"", + "ENG": "Judicial means relating to the legal system and to judgments made in a court of law" + }, + "catastrophe": { + "CHS": "大灾难,大祸", + "ENG": "a terrible event in which there is a lot of destruction, suffering, or death" + }, + "hose": { + "CHS": "浇园子,用管冲洗", + "ENG": "to wash or pour water over something or someone, using a hose" + }, + "minimum": { + "CHS": "[pl~s,-ma]最少量;最低限度\"", + "ENG": "the smallest amount of something or number of things that is possible or necessary" + }, + "domestic": { + "CHS": "佣人", + "ENG": "a servant who works in a large house" + }, + "deficit": { + "CHS": "空额,赤字", + "ENG": "the difference between the amount of something that you have and the higher amount that you need" + }, + "leave": { + "CHS": "离开,遗忘;保持一定状态;留下", + "ENG": "to go away from a place or a person" + }, + "abuse": { + "CHS": "滥用;恶习;辱骂", + "ENG": "the use of something in a way that it should not be used" + }, + "feature": { + "CHS": "脸一部分,面貌,特征,特写,故事片", + "ENG": "a part of something that you notice because it seems important, interesting, or typical" + }, + "escalator": { + "CHS": "自动扶梯", + "ENG": "a set of moving stairs that take people to different levels in a building" + }, + "domain": { + "CHS": "领土,领域,范围", + "ENG": "an area of activity, interest, or knowledge, especially one that a particular person, organization etc deals with" + }, + "expand": { + "CHS": "使扩大,展开,膨胀", + "ENG": "to become larger in size, number, or amount, or to make something become larger" + }, + "corresponding": { + "CHS": "一致的,相同的,相应的", + "ENG": "caused by or connected with something you have already mentioned" + }, + "deem": { + "CHS": "认为,视为", + "ENG": "to think of something in a particular way or as having a particular quality" + }, + "passion": { + "CHS": "激情", + "ENG": "a very strong feeling of sexual love" + }, + "flour": { + "CHS": "面粉", + "ENG": "a powder that is made by crushing wheat or other grain and is used for making bread, cakes etc" + }, + "collision": { + "CHS": "碰,幢;冲突", + "ENG": "an accident in which two or more people or vehicles hit each other while moving in different directions" + }, + "ascribe": { + "CHS": "归因于,把归于", + "ENG": "If you ascribe an event or condition to a particular cause, you say or consider that it was caused by that thing" + }, + "infest": { + "CHS": "大批出动,成群出现(鼠类及害虫)", + "ENG": "if insects, rats etc infest a place, there are a lot of them and they usually cause damage" + }, + "intervene": { + "CHS": "插入,介入,干涉,(时间)介于", + "ENG": "to become involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "rectify": { + "CHS": "纠正;矫正", + "ENG": "to correct something that is wrong" + }, + "temptation": { + "CHS": "引诱,诱惑", + "ENG": "a strong desire to have or do something even though you know you should not" + }, + "smash": { + "CHS": "打碎;打破;击溃", + "ENG": "to break into pieces violently or noisily, or to make something do this by dropping, throwing, or hitting it" + }, + "explosive": { + "CHS": "爆炸(的),爆发性(的)" + }, + "coach": { + "CHS": "长途汽车;教师;教练", + "ENG": "someone who trains a person or team in a sport" + }, + "induce": { + "CHS": "导致;引起", + "ENG": "To induce a state or condition means to cause it" + }, + "curb": { + "CHS": "勒马的皮带;控制,约束", + "ENG": "to control or limit something in order to prevent it from having a harmful effect" + }, + "untold": { + "CHS": "数不清的,无数的" + }, + "predisposition": { + "CHS": "倾向,趋势,偏好", + "ENG": "a tendency to behave in a particular way or suffer from a particular illness" + }, + "climax": { + "CHS": "达到高潮", + "ENG": "if a situation, process, or story climaxes, it reaches its most important or exciting part" + }, + "remedy": { + "CHS": "治疗,补救;纠正", + "ENG": "a way of dealing with a problem or making a bad situation better" + }, + "archives": { + "CHS": "(pl)档案室", + "ENG": "Archives are a collection of documents and records that contain historical information. You can also use archives to refer to the place where archives are stored. " + }, + "magnificent": { + "CHS": "宏伟的,壮丽的", + "ENG": "very good or beautiful, and very impressive" + }, + "toil": { + "CHS": "苦工,难事", + "ENG": "hard or exhausting work " + }, + "mortal": { + "CHS": "致命性" + }, + "flutter": { + "CHS": "振翼,颤动,(心脏)不规则跳动", + "ENG": "if your heart or your stomach flutters, you feel very excited or nervous" + }, + "obscure": { + "CHS": "\"" + }, + "deposit": { + "CHS": "存款;定金;沉淀,沉积", + "ENG": "an amount of money that is paid into a bank account" + }, + "dignity": { + "CHS": "高贵,尊贵,高位", + "ENG": "the fact of being respected or deserving respect" + }, + "lucrative": { + "CHS": "有利的,赚钱的", + "ENG": "a job or activity that is lucrative lets you earn a lot of money" + }, + "hint": { + "CHS": "暗示,提示", + "ENG": "something that you say or do to suggest something to someone, without telling them directly" + }, + "resilience": { + "CHS": "回弹,弹性", + "ENG": "the ability of a substance such as rubber to return to its original shape after it has been pressed or bent" + }, + "sequence": { + "CHS": "(事件、观念等的)系列;顺序;关联", + "ENG": "the order that something happens or exists in, or the order it is supposed to happen or exist in" + }, + "aptitude": { + "CHS": "才能;能力", + "ENG": "a test that measures your natural skills or abilities" + }, + "scrap": { + "CHS": "碎片,碎屑;少许,少量", + "ENG": "a small piece of paper, cloth etc" + }, + "asset": { + "CHS": "财产,资产", + "ENG": "the things that a company owns, that can be sold to pay debts" + }, + "throng": { + "CHS": "拥挤,群集", + "ENG": "if people throng a place, they go there in large numbers" + }, + "postmortem": { + "CHS": ",验尸,尸体解剖;事后的,死后的", + "ENG": "A postmortem is a medical examination of a dead person's body in order to find out how they died" + }, + "time": { + "CHS": "时间", + "ENG": "the thing that is measured in minutes, hours, days, years etc using clocks" + }, + "elsewhere": { + "CHS": "在别处,向别处", + "ENG": "in, at, or to another place" + }, + "monologue": { + "CHS": "戏剧的独白;滔滔不绝", + "ENG": "a long speech by one person" + }, + "property": { + "CHS": "财产;房产;性质", + "ENG": "the thing or things that someone owns" + }, + "displace": { + "CHS": "转移,取代", + "ENG": "to take the place or position of something or someone" + }, + "identical": { + "CHS": "同一的,完全相似的", + "ENG": "exactly the same, or very similar" + }, + "gorgeous": { + "CHS": "华丽的,灿烂的;宜人的;可喜的", + "ENG": "If you say that something is gorgeous, you mean that it gives you a lot of pleasure or is very attractive" + }, + "withstand": { + "CHS": "抵抗,反抗", + "ENG": "If something or someone withstands a force or action, they survive it or do not give in to it" + }, + "deluge": { + "CHS": "洪水,暴雨;使泛滥", + "ENG": "a large flood, or period when there is a lot of rain" + }, + "immerse": { + "CHS": "沉浸,沉浸于" + }, + "glorious": { + "CHS": "辉煌的;壮丽的,光荣的", + "ENG": "having or deserving great fame, praise, and honour" + }, + "sponge": { + "CHS": "海绵(状物),松糕", + "ENG": "a piece of a soft natural or artificial substance full of small holes, which can suck up liquid and is used for washing" + }, + "glimpse": { + "CHS": "一瞥,匆匆一看", + "ENG": "a quick look at someone or something that does not allow you to see them clearly" + }, + "consult": { + "CHS": "请教;咨询,查阅", + "ENG": "to ask for information or advice from someone because it is their job to know something" + }, + "humdrum": { + "CHS": "单调的,枯燥的", + "ENG": "boring and ordinary, and having no variety or interest" + }, + "crown": { + "CHS": "为加冕;褒奖", + "ENG": "to place a crown on the head of a new king or queen as part of an official ceremony in which they become king or queen" + }, + "trend": { + "CHS": "倾向,趋势", + "ENG": "a general tendency in the way a situation is changing or developing" + }, + "stretch": { + "CHS": "伸展", + "ENG": "the action of stretching a part of your body out to its full length, or a particular way of doing this" + }, + "pollinate": { + "CHS": "授以花粉", + "ENG": "to give a flower or plant pollen so that it can produce seeds" + }, + "article": { + "CHS": "物品;文章;条款;[语]冠词", + "ENG": "a piece of writing about a particular subject in a newspaper or magazine" + }, + "haven": { + "CHS": "安全处所,避难所", + "ENG": "a place where people or animals can live peacefully or go to in order to be safe" + }, + "adopt": { + "CHS": "收养;采用", + "ENG": "to take someone else’s child into your home and legally become its parent" + }, + "protrude": { + "CHS": "突出;伸出", + "ENG": "to stick out from somewhere" + }, + "chapel": { + "CHS": "小教堂;殡仪馆", + "ENG": "a small church, or a room in a hospital, prison, big church etc in which Christians pray and have religious services" + }, + "fake": { + "CHS": "伪造", + "ENG": "to make something seem real in order to deceive people" + }, + "moist": { + "CHS": "(表面)潮湿的,湿润的", + "ENG": "slightly wet, especially in a way that is pleasant or suitable" + }, + "regardless": { + "CHS": "不注意的,不顾的" + }, + "slate": { + "CHS": "板岩,石板", + "ENG": "a dark grey rock that can easily be split into flat thin pieces" + }, + "glow": { + "CHS": "发白热光;脸发红发热", + "ENG": "if your face or body glows, it is pink or hot because you are healthy, have been doing exercise, or are feeling a strong emotion" + }, + "federation": { + "CHS": "联邦, 联盟, 同盟 \"", + "ENG": "a group of organizations, clubs, or people that have joined together to form a single group" + }, + "cunning": { + "CHS": "狡猾(的),精巧(的)", + "ENG": "the ability to achieve what you want by deceiving people in a clever way" + }, + "gust": { + "CHS": "阵风,(感情的)迸发", + "ENG": "a sudden strong movement of wind, air, rain etc" + }, + "chore": { + "CHS": "日常工作;琐碎烦人的杂务", + "ENG": "a small job that you have to do regularly, especially work that you do to keep a house clean" + }, + "absurd": { + "CHS": "可笑的,荒谬的", + "ENG": "completely stupid or unreasonable" + }, + "surge": { + "CHS": "波动,汹涌,澎湃", + "ENG": "if a large amount of a liquid, electricity, chemical etc surges, it moves very quickly and suddenly" + }, + "survival": { + "CHS": "幸存者,残存;幸存", + "ENG": "the state of continuing to live or exist" + }, + "ignite": { + "CHS": "点燃,使燃烧", + "ENG": "to start burning, or to make something start burning" + }, + "gigantic": { + "CHS": "巨大的;庞大的", + "ENG": "extremely big" + }, + "prospect": { + "CHS": "景色;前景", + "ENG": "a particular event which will probably or definitely happen in the future – used especially when you want to talk about how you feel about it" + }, + "term": { + "CHS": "期;学期;条件", + "ENG": "a fixed period of time during which someone does something or something happens" + }, + "refrain": { + "CHS": "抑制", + "ENG": "to not do something that you want to do" + }, + "equator": { + "CHS": "赤道", + "ENG": "an imaginary line drawn around the middle of the Earth that is exactly the same distance from the North Pole and the South Pole" + }, + "slam": { + "CHS": "砰地关上;猛击", + "ENG": "if a door, gate etc slams, or if someone slams it, it shuts with a loud noise" + }, + "render": { + "CHS": "提供,报答;表演,演奏;翻译", + "ENG": "to give something to someone or do something, because it is your duty or because someone expects you to" + }, + "whatever": { + "CHS": "任何的,无论什么样的" + }, + "steer": { + "CHS": "驾驶" + }, + "affection": { + "CHS": "友好;爱情", + "ENG": "If you regard someone or something with affection, you like them and are fond of them" + }, + "hold": { + "CHS": "握,抓;支持;装得下;认为;举行", + "ENG": "to have a meeting, party, election etc in a particular place or at a particular time" + }, + "lull": { + "CHS": "间歇", + "ENG": "A lull is a period of quiet or calm in a longer period of activity or excitement" + }, + "invaluable": { + "CHS": "无价的, 无法估价的 \"" + }, + "plagiarize": { + "CHS": "剽窃,抄袭(别人学说、著作)", + "ENG": "to take words or ideas from another person’s work and use them in your work, without stating that they are not your own" + }, + "acid": { + "CHS": "酸", + "ENG": "a chemical substance that has a pH of less than 7. Strong acids can burn holes in material or damage your skin" + }, + "mutual": { + "CHS": "相互的,共有的,共同的", + "ENG": "mutual feelings such as respect, trust, or hatred are feelings that two or more people have for each other" + }, + "publicity": { + "CHS": "公开,宣传", + "ENG": "Publicity is information or actions that are intended to attract the public's attention to someone or something" + }, + "grate": { + "CHS": "擦碎,磨碎;擦响", + "ENG": "to rub cheese, vegetables etc against a rough or sharp surface in order to break them into small pieces" + }, + "administer": { + "CHS": "管理,支配;给予", + "ENG": "to manage the work or money of a company or organization" + }, + "restrain": { + "CHS": "限制,约束", + "ENG": "If you restrain someone, you stop them from doing what they intended or wanted to do, usually by using your physical strength" + }, + "martial": { + "CHS": "战争的;军事的", + "ENG": "connected with war and fighting" + }, + "veil": { + "CHS": "面纱;掩饰物", + "ENG": "a thin piece of material that women wear to cover their faces at formal occasions or for religious reasons" + }, + "inflation": { + "CHS": "通货膨胀", + "ENG": "a continuing increase in prices, or the rate at which prices increase" + }, + "previous": { + "CHS": "先前的", + "ENG": "A previous event or thing is one that happened or existed before the one that you are talking about" + }, + "eclipse": { + "CHS": "[天](日,月)蚀" + }, + "scarcely": { + "CHS": "仅仅,几乎不", + "ENG": "almost not or almost none at all" + }, + "platitude": { + "CHS": "陈词滥调", + "ENG": "a statement that has been made many times before and is not interesting or clever – used to show disapproval" + }, + "incentive": { + "CHS": "鼓励,激励,动机", + "ENG": "something that encourages you to work harder, start a new activity etc" + }, + "mire": { + "CHS": "泥泞,沼泽地" + }, + "dispel": { + "CHS": "驱逐,消除", + "ENG": "to make something go away, especially a belief, idea, or feeling" + }, + "eternal": { + "CHS": "永久的,不朽的,不停的", + "ENG": "continuing for ever and having no end" + }, + "stake": { + "CHS": "木桩;赌注;利害关系", + "ENG": "if you have a stake in something, you will get advantages if it is successful, and you feel that you have an important connection with it" + }, + "harmony": { + "CHS": "一致,协调,和声", + "ENG": "notes of music combined together in a pleasant way" + }, + "whilst": { + "CHS": "时候" + }, + "literally": { + "CHS": "照字义地,逐字地", + "ENG": "You can use literally to emphasize an exaggeration. Some careful speakers of English think that this use is incorrect. " + }, + "ascertain": { + "CHS": "查明,探查", + "ENG": "to find out something" + }, + "paralysis": { + "CHS": "麻痹,瘫痪;完全无力", + "ENG": "the loss of the ability to move all or part of your body or feel things in it" + }, + "timely": { + "CHS": "及时的;适时的", + "ENG": "done or happening at exactly the right time" + }, + "worship": { + "CHS": "礼拜;崇拜" + }, + "idiom": { + "CHS": "习语,成语", + "ENG": "a group of words that has a special meaning that is different from the ordinary meaning of each separate word. For example, ‘under the weather’ is an idiom meaning ‘ill’." + }, + "safeguard": { + "CHS": "保护;维护", + "ENG": "to protect something from harm or damage" + }, + "trumpet": { + "CHS": "喇叭(声)" + }, + "spill": { + "CHS": "(使)溢出,(使)溅出", + "ENG": "if you spill a liquid, or if it spills, it accidentally flows over the edge of a container" + }, + "eddy": { + "CHS": "漩涡", + "ENG": "a circular movement of water, wind, dust etc" + }, + "spectator": { + "CHS": "旁观者,观众", + "ENG": "someone who is watching an event or game" + }, + "spectrum": { + "CHS": "系列;光谱", + "ENG": "the set of bands of coloured light into which a beam of light separates when it is passed through a prism " + }, + "ammunition": { + "CHS": "弹药", + "ENG": "bullets, shells ( shell ) etc that are fired from guns" + }, + "condolence": { + "CHS": "吊唁,慰问;吊慰", + "ENG": "sympathy for someone who has had something bad happen to them, especially when someone has died" + }, + "indigenous": { + "CHS": "土生土长的,本土的", + "ENG": "indigenous people or things have always been in the place where they are, rather than being brought there from somewhere else" + }, + "constitute": { + "CHS": "组成; 构成; 任命", + "ENG": "if several people or things constitute something, they are the parts that form it" + }, + "spouse": { + "CHS": "(法律)配偶", + "ENG": "a husband or wife" + }, + "plateau": { + "CHS": "高原", + "ENG": "a large area of flat land that is higher than the land around it" + }, + "implicit": { + "CHS": "含蓄的,暗示的,无保留的", + "ENG": "suggested or understood without being stated directly" + }, + "vegetarian": { + "CHS": "素食者", + "ENG": "someone who does not eat meat or fish" + }, + "genetic": { + "CHS": "遗传学的;发生的", + "ENG": "relating to genes or genetics" + }, + "legitimate": { + "CHS": "合法的,合理的", + "ENG": "fair or reasonable" + }, + "wisdom": { + "CHS": "智慧,才智;明智的思想言论", + "ENG": "good sense and judgment, based especially on your experience of life" + }, + "retort": { + "CHS": "反驳,反击", + "ENG": "to reply quickly, in an angry or humorous way" + }, + "adjust": { + "CHS": "校准,调整", + "ENG": "to change or move something slightly to improve it or make it more suitable for a particular purpose" + }, + "motel": { + "CHS": "汽车旅馆", + "ENG": "a hotel for people who are travelling by car, where you can park your car outside your room" + }, + "tendency": { + "CHS": "趋向,趋势", + "ENG": "if someone or something has a tendency to do or become a particular thing, they are likely to do or become it" + }, + "lunar": { + "CHS": "月的,似月的", + "ENG": "relating to the Moon or to travel to the Moon" + }, + "extend": { + "CHS": "伸出,延长;给予;扩大", + "ENG": "to continue for a particular distance or over a particular area" + }, + "journalist": { + "CHS": "记者,新闻工作者", + "ENG": "someone who writes news reports for newspapers, magazines, television, or radio" + }, + "apologetic": { + "CHS": "表示歉意的", + "ENG": "If you are apologetic, you show or say that you are sorry for causing trouble for someone, for hurting them, or for disappointing them" + }, + "contradiction": { + "CHS": "矛盾,对立", + "ENG": "a difference between two statements, beliefs, or ideas about something that means they cannot both be true" + }, + "meticulous": { + "CHS": "谨小慎微的;过细的", + "ENG": "If you describe someone as meticulous, you mean that they do things very carefully and with great attention to detail" + }, + "anyhow": { + "CHS": "不论用何种方法;无论如何" + }, + "draft": { + "CHS": "起草;征兵", + "ENG": "to write a plan, letter, report etc that will need to be changed before it is in its finished form" + }, + "forerunner": { + "CHS": "前征,先驱", + "ENG": "someone or something that existed before something similar that developed or came later" + }, + "repetition": { + "CHS": "重复", + "ENG": "doing or saying the same thing many times" + }, + "emigrate": { + "CHS": "移居国外", + "ENG": "to leave your own country in order to live in another country" + }, + "stuffing": { + "CHS": "填料,填充物,填充剂", + "ENG": "a mixture of bread or rice, onion etc that you put inside a chicken, pepper etc before cooking it" + }, + "novel": { + "CHS": "小说", + "ENG": "a long written story in which the characters and events are usually imaginary" + }, + "observance": { + "CHS": "(法律习俗等)遵守;奉行;礼仪,仪式", + "ENG": "when someone obeys a law or does something because it is part of a religion, custom, or ceremony" + }, + "intellectual": { + "CHS": "智力的,理智的,有理解力的", + "ENG": "relating to the ability to understand things and think intelligently" + }, + "laundry": { + "CHS": "洗衣店,要洗的东西", + "ENG": "clothes, sheets etc that need to be washed or have just been washed" + }, + "indemnity": { + "CHS": "保障,保护;赔偿", + "ENG": "protection against loss or damage, especially in the form of a promise to pay for any losses or damage" + }, + "concentrate": { + "CHS": "浓缩物", + "ENG": "a substance or liquid which has been made stronger by removing most of the water from it" + }, + "impart": { + "CHS": "告知,透露,给予", + "ENG": "to give a particular quality to something" + }, + "qualitative": { + "CHS": "质的,定性的", + "ENG": "relating to the quality or standard of something rather than the quantity" + }, + "exclusive": { + "CHS": "孤傲的;不愿吸收新会员的;索价高昂的", + "ENG": "exclusive places, organizations, clothes etc are so expensive that not many people can afford to use or buy them" + }, + "somewhat": { + "CHS": "有点儿", + "ENG": "more than a little but not very" + }, + "appeal": { + "CHS": "呼吁,上诉;吸引(力)", + "ENG": "an urgent request for something important" + }, + "even": { + "CHS": "使平坦" + }, + "intricate": { + "CHS": "复杂的,错综的", + "ENG": "containing many small parts or details that all work or fit together" + }, + "outfit": { + "CHS": "装备,全部用品", + "ENG": "a set of clothes worn together, especially for a special occasion" + }, + "continuity": { + "CHS": "继续性", + "ENG": "Continuity is the fact that something continues to happen or exist, with no great changes or interruptions" + }, + "expenditure": { + "CHS": "支出,花费,消费量", + "ENG": "the total amount of money that a government, organization, or person spends during a particular period of time" + }, + "sauce": { + "CHS": "调味汁,酱油;莽撞,冒失", + "ENG": "a thick cooked liquid that is served with food to give it a particular taste" + }, + "impact": { + "CHS": "碰撞,撞击,撞击力", + "ENG": "the force of one object hitting another" + }, + "personality": { + "CHS": "个性;(有名的)人物", + "ENG": "someone’s character, especially the way they behave towards other people" + }, + "inhabitant": { + "CHS": "居民", + "ENG": "one of the people who live in a particular place" + }, + "hardy": { + "CHS": "勇敢的,果断的,吃苦的", + "ENG": "strong and healthy and able to bear difficult living conditions" + }, + "vessel": { + "CHS": "容器;船", + "ENG": "a ship or large boat" + }, + "convention": { + "CHS": "会议,协定;惯例;习俗", + "ENG": "a large formal meeting for people who belong to the same profession or organization or who have the same interests" + }, + "coupon": { + "CHS": "证明持券人有某种权利的卡片,票证,赠券", + "ENG": "a small piece of printed paper that gives you the right to pay less for something or get something free" + }, + "grim": { + "CHS": "严格的,严厉的", + "ENG": "looking or sounding very serious" + }, + "groa": { + "CHS": "呻吟,呻吟着表示;承受重压发出的声音" + }, + "invest": { + "CHS": "投资,购买;授予", + "ENG": "to buy shares, property, or goods because you hope that the value will increase and you can make a profit" + }, + "crumble": { + "CHS": "弄碎,灭亡,消失", + "ENG": "If something crumbles, or if you crumble it, it breaks into a lot of small pieces" + }, + "overhaul": { + "CHS": "彻底检修;赶上", + "ENG": "to repair or change the necessary parts in a machine, system etc that is not working correctly" + }, + "commend": { + "CHS": "委托保管;称赞", + "ENG": "to praise or approve of someone or something publicly" + }, + "peculiar": { + "CHS": "特殊的", + "ENG": "If something is peculiar to a particular thing, person, or situation, it belongs or relates only to that thing, person, or situation" + }, + "commonwealth": { + "CHS": "全体国民;联邦", + "ENG": "The commonwealth is an organization consisting of the United Kingdom and most of the countries that were previously under its rule" + }, + "deceive": { + "CHS": "欺骗,诓骗", + "ENG": "to make someone believe something that is not true" + }, + "lax": { + "CHS": "疏忽的,不严格的", + "ENG": "not strict or careful enough about standards of behaviour, work, safety etc" + }, + "default": { + "CHS": "拖欠,违约;不出庭", + "ENG": "failure to pay money that you owe at the right time" + }, + "monitor": { + "CHS": "监听;监视", + "ENG": "to carefully watch and check a situation in order to see how it changes over a period of time" + }, + "intermediate": { + "CHS": "中间的;中间物" + }, + "nominal": { + "CHS": "名义上的,有名无实的;极微的;象征性的", + "ENG": "a very small sum of money, especially when compared with what something would usually cost or what it is worth" + }, + "deadly": { + "CHS": "死一般地,非常", + "ENG": "very seri-ous, dull etc" + }, + "exterminate": { + "CHS": "灭绝,根除", + "ENG": "to kill large numbers of people or animals of a particular type so that they no longer exist" + }, + "contrast": { + "CHS": "明显的差别", + "ENG": "a difference between people, ideas, situations, things etc that are being compared" + }, + "presumably": { + "CHS": "假定地;也许" + }, + "conservatory": { + "CHS": "温室;公立艺术学校", + "ENG": "a room with glass walls and a glass roof, where plants are grown, that is usually added on to a house" + }, + "embed": { + "CHS": "把嵌入,使扎根于社会,使深留脑中", + "ENG": "to put something firmly and deeply into something else, or to be put into something in this way" + }, + "available": { + "CHS": "可获得的,可用的", + "ENG": "something that is available is able to be used or can easily be bought or found" + }, + "arctic": { + "CHS": "北极", + "ENG": "The Arctic is the area of the world around the North Pole. It is extremely cold and there is very little light in winter and very little darkness in summer. " + }, + "onlooker": { + "CHS": "旁观者", + "ENG": "someone who watches something happening without being involved in it" + }, + "hinder": { + "CHS": "阻碍,阻止", + "ENG": "to make it difficult for something to develop or succeed" + }, + "relay": { + "CHS": "转播;传递", + "ENG": "a piece of electrical equipment that receives radio or television signals and sends them on" + }, + "medieval": { + "CHS": "中古的,中世纪的", + "ENG": "connected with the Middle Ages (= the period between about 1100 and 1500 AD )" + }, + "commit": { + "CHS": "犯(罪);干(坏事);把交托给", + "ENG": "to do something wrong or illegal" + }, + "halt": { + "CHS": "犹豫" + }, + "conservation": { + "CHS": "保存,保护", + "ENG": "the protection of natural things such as animals, plants, forests etc, to prevent them from being spoiled or destroyed" + }, + "illustrate": { + "CHS": "举例或以图表说明,配以插图", + "ENG": "to make the meaning of something clearer by giving examples" + }, + "function": { + "CHS": "起作用", + "ENG": "to work in the correct or intended way" + }, + "scent": { + "CHS": "嗅出,闻到,怀疑有", + "ENG": "if an animal scents another animal or a person, it knows that they are near because it can smell them" + }, + "entertainment": { + "CHS": "娱乐,招待,表演", + "ENG": "things such as films, television, performances etc that are intended to amuse or interest people" + }, + "pregnant": { + "CHS": "怀孕的;意义深远的", + "ENG": "if a woman or female animal is pregnant, she has an unborn baby growing inside her body" + }, + "invert": { + "CHS": "倒转,上下倒置", + "ENG": "to put something in the opposite position to the one it was in before, especially by turning it upside down (= the bottom is on the top and the top is on the bottom )" + }, + "sturdy": { + "CHS": "强健的,坚实的", + "ENG": "an object that is sturdy is strong, well-made, and not easily broken" + }, + "spring": { + "CHS": "春季;泉;弹簧", + "ENG": "the season between winter and summer when leaves and flowers appear" + }, + "scorch": { + "CHS": "烧焦,烤焦,枯萎", + "ENG": "if you scorch something, or if it scorches, its surface burns slightly and changes colour" + }, + "panorama": { + "CHS": "全景,全方位,整体效应", + "ENG": "an impressive view of a wide area of land" + }, + "content": { + "CHS": "满意(的),满足(的);使满意(足)" + }, + "tar": { + "CHS": "焦油,沥青", + "ENG": "a black substance, thick and sticky when hot but hard when cold, used especially for making road surfaces" + }, + "migrate": { + "CHS": "迁移;移居", + "ENG": "if birds or animals migrate, they travel regularly from one part of the world to another" + }, + "magnate": { + "CHS": "达官,显贵" + }, + "deaf": { + "CHS": "聋的;不愿听的", + "ENG": "physically unable to hear anything or unable to hear well" + }, + "contribute": { + "CHS": "贡献;促成;投稿", + "ENG": "to help to make something happen" + }, + "remarkable": { + "CHS": "不平常的;出色的", + "ENG": "unusual or surprising and therefore deserving attention or praise" + }, + "affect": { + "CHS": "影响", + "ENG": "to do something that produces an effect or change in something or in someone’s situation" + }, + "fellowship": { + "CHS": "交情;团体;奖学金", + "ENG": "a group of people who share an interest or belief, especially Christians who have religious ceremonies together" + }, + "pester": { + "CHS": "烦扰,纠缠", + "ENG": "to annoy someone, especially by asking them many times to do something" + }, + "frugal": { + "CHS": "俭朴的,花钱少的", + "ENG": "careful to buy only what is necessary" + }, + "clamp": { + "CHS": "螺丝钳,用钳夹;取缔", + "ENG": "to put a clamp on the wheel of a car so that the car cannot be driven away. This is usually done because the car is illegally parked." + }, + "masterpiece": { + "CHS": "杰作;名著", + "ENG": "a work of art, a piece of writing or music etc that is of very high quality or that is the best that a particular artist, writer etc has produced" + }, + "cultivate": { + "CHS": "耕作; 培养", + "ENG": "to prepare and use land for growing crops and plants" + }, + "split": { + "CHS": "劈开,使裂开;分离", + "ENG": "if something splits, or if you split it, it tears or breaks along a straight line" + }, + "concession": { + "CHS": "让步,让与物", + "ENG": "something that you allow someone to have in order to end an argument or a disagreement" + }, + "idle": { + "CHS": "虚度" + }, + "pragmatic": { + "CHS": "重实效的,实际的", + "ENG": "dealing with problems in a sensible practical way instead of strictly following a set of ideas" + }, + "dilemma": { + "CHS": "进退两难的境地,困境", + "ENG": "a situation in which it is very difficult to decide what to do, because all the choices seem equally good or equally bad" + }, + "lavish": { + "CHS": "慷慨的,过度的,大量的", + "ENG": "large, impressive, or expensive" + }, + "series": { + "CHS": "连续,系列", + "ENG": "several events or actions of a similar type that happen one after the other" + }, + "strait": { + "CHS": "海峡;困难,窘迫", + "ENG": "a narrow passage of water between two areas of land, usually connecting two seas" + }, + "sarcasm": { + "CHS": "讽刺,挖苦,嘲笑", + "ENG": "a way of speaking or writing that involves saying the opposite of what you really mean in order to make an unkind joke or to show that you are annoyed" + }, + "sensitive": { + "CHS": "敏感的;过敏的,容易生气的;仪器灵敏的", + "ENG": "easily upset or offended by events or things that people say" + }, + "rely": { + "CHS": "依赖", + "ENG": "If you rely on someone or something, you need them and depend on them in order to live or work properly" + }, + "enterprise": { + "CHS": "艰巨的事业;事业心,企业", + "ENG": "a company, organization, or business" + }, + "garbage": { + "CHS": "垃圾,污物", + "ENG": "waste material, such as paper, empty containers, and food thrown away" + }, + "postscript": { + "CHS": "信件中附笔,附言", + "ENG": "a message written at the end of a letter after you have signed your name" + }, + "segregate": { + "CHS": "隔开;分离", + "ENG": "to separate one group of people from others, especially because they are of a different race, sex, or religion" + }, + "cylinder": { + "CHS": "圆桶,汽缸", + "ENG": "the tube within which a piston moves forwards and backwards in an engine" + }, + "surcharge": { + "CHS": "额外费用,过高的要价", + "ENG": "money that you have to pay in addition to the basic price of something" + }, + "ensue": { + "CHS": "跟着发生;结果是", + "ENG": "If something ensues, it happens immediately after another event, usually as a result of it" + }, + "pant": { + "CHS": "气喘,喘息;气喘吁吁地说", + "ENG": "to breathe quickly with short noisy breaths, for example because you have been running or because it is very hot" + }, + "stern": { + "CHS": "严厉的,严格的", + "ENG": "serious and strict, and showing strong disapproval of someone’s behaviour" + }, + "steady": { + "CHS": "稳定的,不变的", + "ENG": "continuing or developing gradually or without stopping, and not likely to change" + }, + "abstract": { + "CHS": "(书籍、演说等的)摘要", + "ENG": "a short written statement containing only the most important ideas in a speech, article etc" + }, + "clue": { + "CHS": "线索", + "ENG": "an object or piece of information that helps someone solve a crime or mystery" + }, + "thorough": { + "CHS": "彻底的;详尽的", + "ENG": "including every possible detail" + }, + "alphabetical": { + "CHS": "按字母表顺序的", + "ENG": "relating to the alphabet" + }, + "democracy": { + "CHS": "民主,民主政体,民主社会", + "ENG": "a system of government in which every citizen in the country can vote to elect its government officials" + }, + "seep": { + "CHS": "液体渗出", + "ENG": "to flow slowly through small holes or spaces" + }, + "distinction": { + "CHS": "差别,区分;卓著,荣誉", + "ENG": "a clear difference or separation between two similar things" + }, + "indicator": { + "CHS": "指示者,指示物", + "ENG": "something that can be regarded as a sign of something else" + }, + "persevere": { + "CHS": "锲而不舍", + "ENG": "to continue trying to do something in a very determined way in spite of difficulties – use this to show approval" + }, + "literacy": { + "CHS": "识字,读写能力", + "ENG": "the state of being able to read and write" + }, + "affirm": { + "CHS": "断定,肯定", + "ENG": "If you affirm that something is true or that something exists, you state firmly and publicly that it is true or exists" + }, + "denounce": { + "CHS": "谴责,斥责", + "ENG": "to express strong disapproval of someone or something, especially in public" + }, + "defect": { + "CHS": "开小差" + }, + "knit": { + "CHS": "编织;紧密结合", + "ENG": "to make clothing out of wool, using two knitting needles" + }, + "marvelous": { + "CHS": "令人惊奇的;创造奇迹的" + }, + "haunt": { + "CHS": "常去的地方", + "ENG": "a place that someone likes to go to often" + }, + "preach": { + "CHS": "传教;讲道;劝诫;鼓吹", + "ENG": "to talk about a religious subject in a public place, especially in a church during a service" + }, + "tariff": { + "CHS": "(酒店)价目表;关税税率", + "ENG": "a tax on goods coming into a country or going out of a country" + }, + "prime": { + "CHS": "主要的;最好的", + "ENG": "most important" + }, + "mist": { + "CHS": "薄雾;朦胧", + "ENG": "a light cloud low over the ground that makes it difficult for you to see very far" + }, + "agony": { + "CHS": "极度痛苦", + "ENG": "very severe pain" + }, + "pick": { + "CHS": "挑选;采", + "ENG": "to choose a person or thing, for example because they are the best or most suitable" + }, + "tournament": { + "CHS": "比赛,联赛" + }, + "genius": { + "CHS": "天才,天才人物,才华", + "ENG": "a very high level of intelligence, mental skill, or ability, which only a few people have" + }, + "flicker": { + "CHS": "闪烁,摇曳,闪现", + "ENG": "to burn or shine with an unsteady light that goes on and off quickly" + }, + "hierarchy": { + "CHS": "等级制度", + "ENG": "a system of organization in which people or things are divided into levels of importance" + }, + "distinguish": { + "CHS": "区别,识别;使显赫", + "ENG": "to recognize and understand the difference between two or more things or people" + }, + "chamber": { + "CHS": "房间;议院;贸易团体;弹膛", + "ENG": "a room used for a special purpose, especially an unpleasant one" + }, + "credentials": { + "CHS": "信任状,证书", + "ENG": "a letter or other document which proves your good character or your right to have a particular position" + }, + "invigilate": { + "CHS": "监考", + "ENG": "to watch people who are taking an examination and make sure that they do not cheat" + }, + "recover": { + "CHS": "重新找到;复原,痊愈", + "ENG": "to get back an ability, a sense, or control over your feelings, movements etc after a period without it" + }, + "artillery": { + "CHS": "火炮,干线", + "ENG": "Artillery consists of large, powerful guns that are transported on wheels and used by an army" + }, + "ventilate": { + "CHS": "使空气流通;通风", + "ENG": "to let fresh air into a room, building etc" + }, + "reproach": { + "CHS": "责备,指责", + "ENG": "criticism, blame, or disapproval" + }, + "dump": { + "CHS": "堆垃圾的地方", + "ENG": "a place where unwanted waste is taken and left" + }, + "volume": { + "CHS": "卷,容积;音量;大量", + "ENG": "the amount of sound produced by a television, radio etc" + }, + "coalition": { + "CHS": "结合,联盟,联合", + "ENG": "a union of two or more political parties that allows them to form a government or fight an election together" + }, + "opening": { + "CHS": "口,孔;开始;张开;职位空缺", + "ENG": "a hole or space in something" + }, + "hit": { + "CHS": "打,打击,打倒", + "ENG": "to touch someone or something quickly and hard with your hand, a stick etc" + }, + "substantiate": { + "CHS": "证实;证明", + "ENG": "to prove the truth of something that someone has said, claimed etc" + }, + "allege": { + "CHS": "断言;宣称", + "ENG": "to say that something is true or that someone has done something wrong, although it has not been proved" + }, + "prescribe": { + "CHS": "吩咐使用" + }, + "expend": { + "CHS": "消费,用尽", + "ENG": "To expend something, especially energy, time, or money, means to use it or spend it" + }, + "thoughtful": { + "CHS": "深思的,关心的", + "ENG": "always thinking of the things you can do to make people happy or comfortable" + }, + "poultry": { + "CHS": "家禽;家禽肉", + "ENG": "birds such as chickens and ducks that are kept on farms in order to produce eggs and meat" + }, + "cater": { + "CHS": "供应伙食;提供娱乐节目" + } +} \ No newline at end of file diff --git a/modules/self_contained/wordle/words/SAT.json b/modules/self_contained/wordle/words/SAT.json new file mode 100644 index 00000000..60392ef7 --- /dev/null +++ b/modules/self_contained/wordle/words/SAT.json @@ -0,0 +1,16614 @@ +{ + "pharmacy": { + "CHS": "药房;配药学,药剂学;制药业;一批备用药品", + "ENG": "a shop or a part of a shop where medicines are prepared and sold" + }, + "toilsome": { + "CHS": "辛苦的;劳苦的;费力的", + "ENG": "laborious " + }, + "efface": { + "CHS": "抹去,抹掉;使自己不受人注意", + "ENG": "to destroy or remove something" + }, + "plastic": { + "CHS": "塑料制品;整形;可塑体", + "ENG": "a light strong material that is produced by a chemical process, and which can be made into different shapes when it is soft" + }, + "advocacy": { + "CHS": "主张;拥护;辩护", + "ENG": "public support for a course of action or way of doing things" + }, + "clutter": { + "CHS": "使凌乱;胡乱地填满", + "ENG": "to cover or fill a space or room with too many things, so that it looks very untidy" + }, + "profession": { + "CHS": "职业,专业;声明,宣布,表白", + "ENG": "a job that needs a high level of education and training" + }, + "parsimonious": { + "CHS": "吝啬的;过于节俭的;质量差的", + "ENG": "extremely unwilling to spend money" + }, + "Phosphorus": { + "CHS": "磷" + }, + "bravo": { + "CHS": "好极了", + "ENG": "used to show your approval when someone, especially a performer, has done something very well" + }, + "alkali": { + "CHS": "碱性的" + }, + "augment": { + "CHS": "增加;增大" + }, + "quarrelsome": { + "CHS": "喜欢吵架的;好争论的", + "ENG": "someone who is quarrelsome quarrels a lot with people" + }, + "upheave": { + "CHS": "鼓起;举起;使隆起" + }, + "unaccountable": { + "CHS": "无责任的;莫名其妙的;不可理解的", + "ENG": "very surprising and difficult to explain" + }, + "surmise": { + "CHS": "推测;猜度", + "ENG": "If you say that a particular conclusion is surmise, you mean that it is a guess based on the available evidence and you do not know for certain that it is true" + }, + "celebrity": { + "CHS": "名人;名声", + "ENG": "a famous living person" + }, + "laborious": { + "CHS": "勤劳的;艰苦的;费劲的", + "ENG": "taking a lot of time and effort" + }, + "petulant": { + "CHS": "暴躁的;任性的;难以取悦的", + "ENG": "behaving in an unreasonably impatient and angry way, like a child" + }, + "volant": { + "CHS": "(Volant)人名;(法)沃朗" + }, + "degenerate": { + "CHS": "堕落的人", + "ENG": "someone whose behaviour is considered to be morally unacceptable" + }, + "chimerical": { + "CHS": "空想的,妄想的;荒唐的", + "ENG": "wildly fanciful; imaginary " + }, + "slope": { + "CHS": "倾斜;逃走", + "ENG": "if the ground or a surface slopes, it is higher at one end than the other" + }, + "scathe": { + "CHS": "损伤;危害;损害", + "ENG": "harm " + }, + "generation": { + "CHS": "一代;产生;一代人;生殖", + "ENG": "all people of about the same age" + }, + "brigade": { + "CHS": "把…编成旅;把…编成队" + }, + "alternate": { + "CHS": "替换物", + "ENG": "An alternate is a person or thing that replaces another, and can act or be used instead of them" + }, + "triennial": { + "CHS": "三年生植物" + }, + "impugn": { + "CHS": "指责,非难;抨击;反驳;对…表示怀疑", + "ENG": "to express doubts about someone’s honesty, courage, ability etc" + }, + "altimeter": { + "CHS": "测高仪,高度计", + "ENG": "an instrument in an aircraft that tells you how high you are" + }, + "orthodoxy": { + "CHS": "正统;正教;正统说法", + "ENG": "an idea or set of ideas that is accepted by most people to be correct and right" + }, + "gasoline": { + "CHS": "汽油", + "ENG": "a liquid obtained from petroleum, used mainly for producing power in the engines of cars, trucks etc" + }, + "hindrance": { + "CHS": "障碍;妨碍;妨害;阻碍物", + "ENG": "something or someone that makes it difficult for you to do something" + }, + "flaunt": { + "CHS": "炫耀;飘扬;招展" + }, + "evolution": { + "CHS": "演变;进化论;进展", + "ENG": "the scientific idea that plants and animals develop and change gradually over a long period of time" + }, + "toll": { + "CHS": "征收;敲钟", + "ENG": "if a large bell tolls, or if you toll it, it keeps ringing slowly, especially to show that someone has died" + }, + "assertive": { + "CHS": "肯定的;独断的;坚定而自信的", + "ENG": "behaving in a confident way, so that people notice you" + }, + "median": { + "CHS": "中值的;中央的", + "ENG": "being the middle number or measurement in a set of numbers or measurements that have been arranged in order" + }, + "salient": { + "CHS": "凸角;突出部分" + }, + "constructive": { + "CHS": "建设性的;推定的;构造上的;有助益的", + "ENG": "useful and helpful, or likely to produce good results" + }, + "anathema": { + "CHS": "诅咒;革出教门;被诅咒者;令人厌恶的人", + "ENG": "If something is anathema to you, you strongly dislike it" + }, + "retrograde": { + "CHS": "倒退地;向后地" + }, + "wherever": { + "CHS": "无论在哪里;无论什么情况下" + }, + "effeminate": { + "CHS": "变得无男子汉气概;变得柔弱" + }, + "torrid": { + "CHS": "晒热的;热情的", + "ENG": "involving strong emotions, especially of sexual love" + }, + "dynamic": { + "CHS": "动态;动力", + "ENG": "something that causes action or change" + }, + "resignation": { + "CHS": "辞职;放弃;辞职书;顺从", + "ENG": "an occasion when you officially announce that you have decided to leave your job or an organization, or a written statement that says you will be leaving" + }, + "literacy": { + "CHS": "读写能力;精通文学", + "ENG": "the state of being able to read and write" + }, + "dissipate": { + "CHS": "浪费;使…消散", + "ENG": "to gradually become less or weaker before disappearing completely, or to make something do this" + }, + "imaginary": { + "CHS": "虚构的,假想的;想像的;虚数的", + "ENG": "not real, but produced from pictures or ideas in your mind" + }, + "symptomatic": { + "CHS": "有症状的;症候的", + "ENG": "showing that someone has a particular illness" + }, + "purposeful": { + "CHS": "有目的的;有决心的", + "ENG": "having a clear aim or purpose" + }, + "pervade": { + "CHS": "遍及;弥漫", + "ENG": "if a feeling, idea, or smell pervades a place, it is present in every part of it" + }, + "aesthetic": { + "CHS": "美的;美学的;审美的,具有审美趣味的", + "ENG": "connected with beauty and the study of beauty" + }, + "caustic": { + "CHS": "[助剂] 腐蚀剂;苛性钠;焦散曲线" + }, + "timer": { + "CHS": "[电子] 定时器;计时器;计时员,记时员;跑表;延时调节器", + "ENG": "an instrument that you use to measure time, when you are doing something such as cooking" + }, + "helix": { + "CHS": "螺旋,螺旋状物;[解剖] 耳轮", + "ENG": "a line that curves and rises around a central line" + }, + "advantageous": { + "CHS": "有利的;有益的", + "ENG": "helpful and likely to make you successful" + }, + "lucrative": { + "CHS": "有利可图的,赚钱的;合算的", + "ENG": "a job or activity that is lucrative lets you earn a lot of money" + }, + "canonical": { + "CHS": "牧师礼服" + }, + "guise": { + "CHS": "伪装" + }, + "censorship": { + "CHS": "审查制度;审查机构", + "ENG": "the practice or system of censoring something" + }, + "illegal": { + "CHS": "非法移民,非法劳工", + "ENG": "an illegal immigrant" + }, + "consultant": { + "CHS": "顾问;咨询者;会诊医生", + "ENG": "someone whose job is to give advice on a particular subject" + }, + "burgeon": { + "CHS": "萌芽, 发芽" + }, + "automaton": { + "CHS": "自动机;机器人;自动机器", + "ENG": "a machine, especially one in the shape of a human, that moves without anyone controlling it" + }, + "analyze": { + "CHS": "对…进行分析,分解(等于analyse)" + }, + "resonate": { + "CHS": "共鸣;共振", + "ENG": "if something such as an event or a message resonates, it seems important or good to people, or continues to do this" + }, + "safeguard": { + "CHS": "[安全] 保护,护卫", + "ENG": "to protect something from harm or damage" + }, + "rectify": { + "CHS": "改正;精馏;整流", + "ENG": "If you rectify something that is wrong, you change it so that it becomes correct or satisfactory" + }, + "debut": { + "CHS": "初次登台" + }, + "braze": { + "CHS": "铜焊" + }, + "pestilence": { + "CHS": "瘟疫(尤指鼠疫);有害的事物", + "ENG": "a disease that spreads quickly and kills a lot of people" + }, + "medieval": { + "CHS": "中世纪的;原始的;仿中世纪的;老式的", + "ENG": "connected with the Middle Ages (= the period between about 1100 and 1500 AD )" + }, + "suspend": { + "CHS": "延缓,推迟;使暂停;使悬浮", + "ENG": "to officially stop something from continuing, especially for a short time" + }, + "demolition": { + "CHS": "拆除(等于demolishment);破坏;毁坏", + "ENG": "The demolition of a structure, for example, a building, is the act of deliberately destroying it, often in order to build something else in its place" + }, + "soliloquy": { + "CHS": "独白;自言自语", + "ENG": "a speech in a play in which a character, usually alone on the stage, talks to himself or herself so that the audience knows their thoughts" + }, + "exemplary": { + "CHS": "典范的;惩戒性的;可仿效的", + "ENG": "excellent and providing a good example for people to follow" + }, + "paradigm": { + "CHS": "范例;词形变化表", + "ENG": "a very clear or typical example of something" + }, + "dilate": { + "CHS": "扩大;膨胀;详述", + "ENG": "if a hollow part of your body dilates or if something dilates it, it becomes wider" + }, + "entity": { + "CHS": "实体;存在;本质", + "ENG": "something that exists as a single and complete unit" + }, + "pecuniary": { + "CHS": "金钱的;应罚款的", + "ENG": "relating to or consisting of money" + }, + "grandiose": { + "CHS": "宏伟的;堂皇的;浮夸的;宏大的", + "ENG": "grandiose plans sound very important or impressive, but are not practical" + }, + "censorious": { + "CHS": "挑剔的;受批判的(名词censoriousness,副词censoriously)", + "ENG": "criticizing and expressing disapproval" + }, + "atypical": { + "CHS": "非典型的;不合规则的", + "ENG": "not typical or usual" + }, + "gastronomy": { + "CHS": "烹饪法,美食法;享乐主义", + "ENG": "the art and science of cooking and eating good food" + }, + "witticism": { + "CHS": "妙语;名言;俏皮话", + "ENG": "a clever amusing remark" + }, + "enumerate": { + "CHS": "列举;枚举;计算", + "ENG": "to name a list of things one by one" + }, + "echo": { + "CHS": "回音;效仿", + "ENG": "a sound that you hear again after a loud noise, because it was made near something such as a wall" + }, + "qualification": { + "CHS": "资格;条件;限制;赋予资格", + "ENG": "if you have a qualification, you have passed an examination or course to show you have a particular level of skill or knowledge in a subject" + }, + "invalid": { + "CHS": "使伤残;使退役" + }, + "antediluvian": { + "CHS": "大洪水以前的人;年迈的人;不合时宜的人" + }, + "moratorium": { + "CHS": "暂停,中止;[金融] 延期偿付", + "ENG": "an official stopping of an activity for a period of time" + }, + "provocative": { + "CHS": "刺激物,挑拨物;兴奋剂" + }, + "undulate": { + "CHS": "波动的;起伏的;波浪形的" + }, + "salvage": { + "CHS": "抢救;海上救助", + "ENG": "to save something from an accident or bad situation in which other things have already been damaged, destroyed, or lost" + }, + "gourmet": { + "CHS": "菜肴精美的", + "ENG": "Gourmet food is nicer or more unusual or sophisticated than ordinary food, and is often more expensive" + }, + "reciprocal": { + "CHS": "[数] 倒数;互相起作用的事物" + }, + "adulatory": { + "CHS": "阿谀的,奉承的;谄媚的", + "ENG": "If someone makes an adulatory comment about someone, they praise them and show their admiration for them" + }, + "append": { + "CHS": "设置数据文件的搜索路径" + }, + "rationalize": { + "CHS": "使……合理化;使……有理化;为……找借口", + "ENG": "If you try to rationalize attitudes or actions that are difficult to accept, you think of reasons to justify or explain them" + }, + "assay": { + "CHS": "分析;化验;尝试", + "ENG": "to test a substance, especially a metal, to see how pure it is or what it is made of" + }, + "renovate": { + "CHS": "更新;修复;革新;刷新", + "ENG": "to repair a building or old furniture so that it is in good condition again" + }, + "leisure": { + "CHS": "空闲的;有闲的;业余的" + }, + "churlish": { + "CHS": "没有礼貌的;脾气暴躁的", + "ENG": "Someone who is churlish is unfriendly, bad-tempered, or impolite" + }, + "sermonize": { + "CHS": "说教;布道", + "ENG": "to give a lot of moral advice to someone when they do not want it – used to show disapproval" + }, + "incandescent": { + "CHS": "辉耀的;炽热的;发白热光的", + "ENG": "producing a bright light when heated" + }, + "quadrant": { + "CHS": "象限;[海洋][天] 象限仪;四分之一圆", + "ENG": "a quarter of a circle" + }, + "canine": { + "CHS": "犬;[解剖] 犬齿", + "ENG": "one of the four sharp pointed teeth in the front of your mouth" + }, + "seminar": { + "CHS": "讨论会,研讨班", + "ENG": "a class at a university or college for a small group of students and a teacher to study or discuss a particular subject" + }, + "veracity": { + "CHS": "诚实;精确性;老实;说真实话", + "ENG": "the fact of being true or correct" + }, + "disrepute": { + "CHS": "不光彩,坏名声", + "ENG": "a situation in which people no longer admire or trust someone or something" + }, + "column": { + "CHS": "纵队,列;专栏;圆柱,柱形物", + "ENG": "a tall solid upright stone post used to support a building or as a decoration" + }, + "deduce": { + "CHS": "推论,推断;演绎出", + "ENG": "to use the knowledge and information you have in order to understand something or form an opinion about it" + }, + "contradict": { + "CHS": "反驳;否定;与…矛盾;与…抵触", + "ENG": "to disagree with something, especially by saying that the opposite is true" + }, + "effulgence": { + "CHS": "灿烂;光辉" + }, + "votary": { + "CHS": "立誓任圣职的;誓约的", + "ENG": "ardently devoted to the services or worship of God, a deity, or a saint " + }, + "sparse": { + "CHS": "稀疏的;稀少的", + "ENG": "existing only in small amounts" + }, + "inveterate": { + "CHS": "根深的;积习的;成癖的", + "ENG": "If you describe someone as, for example, an inveterate liar or smoker, you mean that they have lied or smoked for a long time and are not likely to stop doing it" + }, + "indicator": { + "CHS": "指示器;[试剂] 指示剂;[计] 指示符;压力计", + "ENG": "something that can be regarded as a sign of something else" + }, + "ray": { + "CHS": "放射;显出" + }, + "aristocrat": { + "CHS": "贵族", + "ENG": "someone who belongs to the highest social class" + }, + "deduct": { + "CHS": "扣除,减去;演绎", + "ENG": "to take away an amount or part from a total" + }, + "disturb": { + "CHS": "打扰;妨碍;使不安;弄乱;使恼怒", + "ENG": "to interrupt someone so that they cannot continue what they are doing" + }, + "discord": { + "CHS": "不一致;刺耳" + }, + "brightness": { + "CHS": "[光][天] 亮度;聪明,活泼;鲜艳;愉快" + }, + "pusillanimous": { + "CHS": "胆怯的;懦弱的;优柔寡断的", + "ENG": "frightened of taking even small risks" + }, + "ruthless": { + "CHS": "无情的,残忍的", + "ENG": "so determined to get what you want that you do not care if you have to hurt other people in order to do it" + }, + "mordacious": { + "CHS": "锐利的;辛辣的", + "ENG": "sarcastic, caustic, or biting " + }, + "quantum": { + "CHS": "量子论;额;美国昆腾公司(世界领先的硬盘生产商)", + "ENG": "a unit of energy in nuclear physics" + }, + "bravado": { + "CHS": "虚张声势;冒险", + "ENG": "behaviour that is deliberately intended to make other people believe you are brave and confident" + }, + "tawdry": { + "CHS": "俗丽的东西;廉价而俗丽之物" + }, + "supplement": { + "CHS": "增补,补充;补充物;增刊,副刊", + "ENG": "something that you add to something else to improve it or make it complete" + }, + "aqueous": { + "CHS": "水的,水般的", + "ENG": "containing water or similar to water" + }, + "espy": { + "CHS": "(Espy)人名;(英、法)埃斯皮" + }, + "lament": { + "CHS": "哀悼;悲叹;悔恨", + "ENG": "to express feelings of great sadness about something" + }, + "hinder": { + "CHS": "(Hinder)人名;(芬)欣德" + }, + "admonish": { + "CHS": "告诫;劝告", + "ENG": "to tell someone severely that they have done something wrong" + }, + "dominate": { + "CHS": "控制;支配;占优势;在…中占主要地位", + "ENG": "to control someone or something or to have more importance than other people or things" + }, + "vacillate": { + "CHS": "犹豫;踌躇;摇摆", + "ENG": "to continue to change your opinions, decisions, ideas etc" + }, + "proportionate": { + "CHS": "使成比例;使相称" + }, + "conformity": { + "CHS": "一致,适合;符合;相似", + "ENG": "in a way that obeys rules, customs etc" + }, + "axis": { + "CHS": "轴;轴线;轴心国", + "ENG": "the imaginary line around which a large round object, such as the Earth, turns" + }, + "misrepresent": { + "CHS": "歪曲,误传;不合适地代表", + "ENG": "to deliberately give a wrong description of someone’s opinions or of a situation" + }, + "conductor": { + "CHS": "导体;售票员;领导者;管理人", + "ENG": "someone whose job is to collect payments from passengers on a bus" + }, + "travail": { + "CHS": "辛勤努力;经受分娩的阵痛" + }, + "inefficacious": { + "CHS": "无用的;无效果的", + "ENG": "failing to produce the desired effect " + }, + "excrement": { + "CHS": "粪便,排泄物", + "ENG": "the solid waste material that you get rid of through your bowels" + }, + "magnitude": { + "CHS": "大小;量级;[地震] 震级;重要;光度", + "ENG": "the great size or importance of something" + }, + "orthodox": { + "CHS": "正统的人;正统的事物" + }, + "colleague": { + "CHS": "同事,同僚", + "ENG": "someone you work with – used especially by professional people" + }, + "assignee": { + "CHS": "代理人;受托人;分配到任务的人" + }, + "brittle": { + "CHS": "易碎的,脆弱的;易生气的" + }, + "assertion": { + "CHS": "断言,声明;主张,要求;坚持;认定", + "ENG": "something that you say or write that you strongly believe" + }, + "confront": { + "CHS": "面对;遭遇;比较", + "ENG": "if a problem, difficulty etc confronts you, it appears and needs to be dealt with" + }, + "peruse": { + "CHS": "详细考察;精读", + "ENG": "to read something, especially in a careful way" + }, + "deport": { + "CHS": "(Deport)人名;(捷)德波特;(法)德波尔" + }, + "ludicrous": { + "CHS": "滑稽的;荒唐的", + "ENG": "completely unreasonable, stupid, or wrong" + }, + "advantage": { + "CHS": "获利" + }, + "rag": { + "CHS": "戏弄;责骂", + "ENG": "to laugh at someone or play tricks on them" + }, + "amusement": { + "CHS": "消遣,娱乐;乐趣", + "ENG": "the feeling you have when you think something is funny" + }, + "intermittent": { + "CHS": "间歇的;断断续续的;间歇性", + "ENG": "stopping and starting often and for short periods" + }, + "exhaust": { + "CHS": "排气;废气;排气装置", + "ENG": "a pipe on a car or machine that waste gases pass through" + }, + "suspicious": { + "CHS": "可疑的;怀疑的;多疑的", + "ENG": "thinking that someone might be guilty of doing something wrong or dishonest" + }, + "regress": { + "CHS": "回归;退回" + }, + "souvenir": { + "CHS": "把…留作纪念" + }, + "recumbent": { + "CHS": "斜倚的;休息的" + }, + "neural": { + "CHS": "(Neural)人名;(捷)诺伊拉尔" + }, + "amateur": { + "CHS": "业余的;外行的", + "ENG": "Amateur sports or activities are done by people as a hobby and not as a job" + }, + "sealant": { + "CHS": "[机] 密封剂", + "ENG": "a substance that is put on the surface of something to protect it from air, water etc" + }, + "subside": { + "CHS": "平息;减弱;沉淀;坐下", + "ENG": "if a feeling, pain, sound etc subsides, it gradually becomes less and then stops" + }, + "haste": { + "CHS": "赶快" + }, + "numeration": { + "CHS": "计算;数字的读法;[数] 命数法;编号", + "ENG": "a system of counting or the process of counting" + }, + "depraved": { + "CHS": "使腐化(deprave的过去式和过去分词)" + }, + "zeal": { + "CHS": "热情;热心;热诚", + "ENG": "eagerness to do something, especially to achieve a particular religious or political aim" + }, + "preamble": { + "CHS": "作序文" + }, + "testimonial": { + "CHS": "证明的;褒奖的;表扬的" + }, + "upturn": { + "CHS": "向上" + }, + "alight": { + "CHS": "烧着的;点亮着的", + "ENG": "burning" + }, + "indiscriminate": { + "CHS": "任意的;无差别的;不分皂白的", + "ENG": "an indiscriminate action is done without thinking about what harm it might cause" + }, + "rationality": { + "CHS": "合理性;合理的行动" + }, + "sterling": { + "CHS": "英国货币;标准纯银", + "ENG": "the standard unit of money in the United Kingdom, based on the pound" + }, + "element": { + "CHS": "元素;要素;原理;成分;自然环境", + "ENG": "one part or feature of a whole system, plan, piece of work etc, especially one that is basic or important" + }, + "obstinate": { + "CHS": "顽固的;倔强的;难以控制的", + "ENG": "determined not to change your ideas, behaviour, opinions etc, even when other people think you are being unreasonable" + }, + "writhe": { + "CHS": "翻滚;扭动;苦恼" + }, + "embody": { + "CHS": "(Embody)人名;(英)恩博迪" + }, + "ascetic": { + "CHS": "苦行者;禁欲者", + "ENG": "An ascetic is someone who is ascetic" + }, + "equilibrium": { + "CHS": "均衡;平静;保持平衡的能力", + "ENG": "a balance between different people, groups, or forces that compete with each other, so that none is stronger than the others and a situation is not likely to change suddenly" + }, + "dominant": { + "CHS": "显性" + }, + "rob": { + "CHS": "抢劫;使…丧失;非法剥夺", + "ENG": "to steal money or property from a person, bank etc" + }, + "recant": { + "CHS": "宣布放弃;公开认错", + "ENG": "to say publicly that you no longer have a political or religious belief that you had before" + }, + "interpreter": { + "CHS": "解释者;口译者;注释器", + "ENG": "someone who changes spoken words from one language into an-other, especially as their job" + }, + "verification": { + "CHS": "确认,查证;核实" + }, + "brusque": { + "CHS": "(Brusque)人名;(法)布吕斯克" + }, + "dissect": { + "CHS": "切细;仔细分析", + "ENG": "to examine something carefully in order to understand it" + }, + "branch": { + "CHS": "树枝,分枝;分部;支流", + "ENG": "a part of a tree that grows out from the trunk (= main stem ) and that has leaves, fruit, or smaller branches growing from it" + }, + "cathode": { + "CHS": "阴极(电解)", + "ENG": "the negative electrode , marked (-), from which an electric current leaves a piece of equipment such as a battery " + }, + "turmoil": { + "CHS": "混乱,骚动", + "ENG": "a state of confusion, excitement, or anxiety" + }, + "mandate": { + "CHS": "授权;托管", + "ENG": "to give someone the right or power to do something" + }, + "trivial": { + "CHS": "不重要的,琐碎的;琐细的" + }, + "lugubrious": { + "CHS": "悲哀的,悲惨的", + "ENG": "very sad and serious – sometimes used humorously" + }, + "space": { + "CHS": "留间隔" + }, + "rationalism": { + "CHS": "理性主义;唯理主义", + "ENG": "the belief that your actions should be based on scientific thinking rather than emotions or religious beliefs" + }, + "epitaph": { + "CHS": "碑文,墓志铭", + "ENG": "a short piece of writing on the stone over someone’s grave(= place in the ground where someone is buried )" + }, + "resilience": { + "CHS": "恢复力;弹力;顺应力", + "ENG": "the ability to become strong, happy, or successful again after a difficult situation or event" + }, + "cognate": { + "CHS": "同族;同根词", + "ENG": "a word in one language that has the same origin as a word in another language" + }, + "winsome": { + "CHS": "迷人的;可爱的;引人注目的", + "ENG": "behaving in a pleasant and attractive way" + }, + "appellation": { + "CHS": "称呼;名称;名目", + "ENG": "a name or title" + }, + "agitation": { + "CHS": "激动;搅动;煽动;烦乱", + "ENG": "public argument or action for social or political change" + }, + "unanimity": { + "CHS": "同意,全体一致", + "ENG": "a state or situation of complete agreement among a group of people" + }, + "commotion": { + "CHS": "骚动;暴乱", + "ENG": "A commotion is a lot of noise, confusion, and excitement" + }, + "astute": { + "CHS": "机敏的;狡猾的,诡计多端的", + "ENG": "able to understand situations or behaviour very well and very quickly, especially so that you can get an advantage for yourself" + }, + "pepsin": { + "CHS": "胃蛋白酶", + "ENG": "a liquid in your stomach that changes food into a form that your body can use" + }, + "retort": { + "CHS": "反驳,反击", + "ENG": "to reply quickly, in an angry or humorous way" + }, + "subconscious": { + "CHS": "潜在意识;下意识心理活动", + "ENG": "the part of your mind that has thoughts and feelings you do not know about" + }, + "enormous": { + "CHS": "庞大的,巨大的;凶暴的,极恶的", + "ENG": "very big in size or in amount" + }, + "foster": { + "CHS": "(Foster)人名;(英、捷、意、葡、法、德、俄、西)福斯特" + }, + "ethereal": { + "CHS": "优雅的;轻飘的;缥缈的;超凡的", + "ENG": "very delicate and light, in a way that does not seem real" + }, + "irresolute": { + "CHS": "优柔寡断的;踌躇不定的;无决断的", + "ENG": "Someone who is irresolute cannot decide what to do" + }, + "convoke": { + "CHS": "召集;召集…开会", + "ENG": "to tell people that they must come together for a formal meeting" + }, + "codicil": { + "CHS": "遗嘱的附录", + "ENG": "a document making a change or addition to a will (= a legal document saying who you want your money and property to go to when you die ) " + }, + "reserved": { + "CHS": "保留的,预订的;缄默的,冷淡的,高冷的;包租的", + "ENG": "A table in a restaurant or a seat in a theatre that is reserved is being kept for someone rather than given or sold to anyone else" + }, + "morose": { + "CHS": "郁闷的;孤僻的", + "ENG": "bad-tempered, unhappy, and silent" + }, + "drowsy": { + "CHS": "昏昏欲睡的;沉寂的;催眠的", + "ENG": "tired and almost asleep" + }, + "gibberish": { + "CHS": "乱语;快速而不清楚的言语", + "ENG": "If you describe someone's words or ideas as gibberish, you mean that they do not make any sense" + }, + "dogmatist": { + "CHS": "教条主义者;独断家;独断论者" + }, + "alien": { + "CHS": "让渡,转让" + }, + "cartographer": { + "CHS": "制图师;地图制作者", + "ENG": "A cartographer is a person whose job is drawing maps" + }, + "embitter": { + "CHS": "使怨恨;使难受;使受苦", + "ENG": "to make (a person) resentful or bitter " + }, + "obtrusive": { + "CHS": "突出的;强迫人的;冒失的" + }, + "emulate": { + "CHS": "仿真;仿效" + }, + "regale": { + "CHS": "款待" + }, + "innumerable": { + "CHS": "无数的,数不清的", + "ENG": "very many, or too many to be counted" + }, + "calorie": { + "CHS": "卡路里(热量单位)", + "ENG": "a unit for measuring the amount of energy that food will produce" + }, + "nemesis": { + "CHS": "报应;给与惩罚的人;天罚", + "ENG": "a punishment that is deserved and cannot be avoided" + }, + "conundrum": { + "CHS": "难题;谜语", + "ENG": "a confusing and difficult problem" + }, + "whine": { + "CHS": "抱怨;牢骚;哀鸣", + "ENG": "Whine is also a noun" + }, + "incriminate": { + "CHS": "控告;暗示有罪", + "ENG": "If something incriminates you, it suggests that you are responsible for something bad, especially a crime" + }, + "extinction": { + "CHS": "灭绝;消失;消灭;废止", + "ENG": "when a particular type of animal or plant stops existing" + }, + "penalty": { + "CHS": "罚款,罚金;处罚", + "ENG": "a punishment for breaking a law, rule, or legal agreement" + }, + "vigilance": { + "CHS": "警戒,警觉;警醒症", + "ENG": "careful attention that you give to what is happening, so that you will notice any danger or illegal activity" + }, + "analyst": { + "CHS": "分析者;精神分析医师;分解者", + "ENG": "someone whose job is to think about something carefully in order to understand it, and often to advise other people about it" + }, + "joint": { + "CHS": "连接,贴合;接合;使有接头" + }, + "furtive": { + "CHS": "鬼鬼祟祟的,秘密的", + "ENG": "behaving as if you want to keep something secret" + }, + "authentic": { + "CHS": "真正的,真实的;可信的", + "ENG": "based on facts" + }, + "contract": { + "CHS": "合同;婚约", + "ENG": "an official agreement between two or more people, stating what each will do" + }, + "philosophy": { + "CHS": "哲学;哲理;人生观", + "ENG": "the study of the nature and meaning of existence, truth, good and evil, etc" + }, + "defiant": { + "CHS": "挑衅的;目中无人的,蔑视的;挑战的", + "ENG": "If you say that someone is defiant, you mean they show aggression or independence by refusing to obey someone" + }, + "uphold": { + "CHS": "支撑;鼓励;赞成;举起" + }, + "infringe": { + "CHS": "侵犯;违反;破坏", + "ENG": "to do something that is against a law or someone’s legal rights" + }, + "genome": { + "CHS": "基因组;染色体组", + "ENG": "all the genes in one type of living thing" + }, + "equestrian": { + "CHS": "骑手;骑马者" + }, + "stationary": { + "CHS": "不动的人;驻军" + }, + "imitate": { + "CHS": "模仿,仿效;仿造,仿制", + "ENG": "to copy the way someone behaves, speaks, moves etc, especially in order to make people laugh" + }, + "tangent": { + "CHS": "[数] 切线,[数] 正切", + "ENG": "a straight line that touches the outside of a curve but does not cut across it" + }, + "vain": { + "CHS": "徒劳的;自负的;无结果的;无用的", + "ENG": "someone who is vain is too proud of their good looks, abilities, or position – used to show disapproval" + }, + "interference": { + "CHS": "干扰,冲突;干涉", + "ENG": "an act of interfering" + }, + "violent": { + "CHS": "暴力的;猛烈的", + "ENG": "involving actions that are intended to injure or kill people, by hitting them, shooting them etc" + }, + "quotation": { + "CHS": "[贸易] 报价单;引用语;引证", + "ENG": "a sentence or phrase from a book, speech etc which you repeat in a speech or piece of writing because it is interesting or amusing" + }, + "impurity": { + "CHS": "杂质;不纯;不洁", + "ENG": "a substance of a low quality that is contained in or mixed with something else, making it less pure" + }, + "elevated": { + "CHS": "高架铁路" + }, + "polish": { + "CHS": "波兰的" + }, + "decay": { + "CHS": "衰退,[核] 衰减;腐烂,腐朽", + "ENG": "the natural chemical change that causes the slow destruction of something" + }, + "disciple": { + "CHS": "门徒,信徒;弟子", + "ENG": "someone who believes in the ideas of a great teacher or leader, especially a religious one" + }, + "grip": { + "CHS": "紧握;夹紧", + "ENG": "to hold something very tightly" + }, + "prepossessing": { + "CHS": "预先影响;使先具有(prepossess的现在分词)" + }, + "besmear": { + "CHS": "弄脏,涂抹;玷污", + "ENG": "to smear over; daub " + }, + "recourse": { + "CHS": "求援,求助;[经] 追索权;依赖;救生索", + "ENG": "something that you do to achieve something or deal with a situation, or the act of doing it" + }, + "repudiate": { + "CHS": "拒绝;否定;批判;与…断绝关系;拒付", + "ENG": "to refuse to accept or continue with something" + }, + "centenary": { + "CHS": "一百年的" + }, + "assailant": { + "CHS": "袭击的;攻击的" + }, + "brigand": { + "CHS": "强盗;土匪;盗贼", + "ENG": "a thief, especially one of a group that attacks people in mountains or forests" + }, + "jeopardize": { + "CHS": "危害;使陷危地;使受危困", + "ENG": "to risk losing or spoiling something important" + }, + "sanctimonious": { + "CHS": "假装虔诚的;假装圣洁的;假装诚实的", + "ENG": "behaving as if you are morally better than other people, in a way that is annoying – used to show disapproval" + }, + "errant": { + "CHS": "不定的;周游的;错误的;偏离正路的", + "ENG": "Errant is used to describe someone whose actions are considered unacceptable or wrong by other people. For example, an errant husband is unfaithful to his wife. " + }, + "alias": { + "CHS": "别名叫;化名为" + }, + "predation": { + "CHS": "捕食;掠夺", + "ENG": "when an animal kills and eats another animal" + }, + "drub": { + "CHS": "用棒打;硬灌;打击", + "ENG": "to beat as with a stick; cudgel; club " + }, + "abeyance": { + "CHS": "中止,停顿;归属待定,暂搁", + "ENG": "something such as a custom, rule, or system that is in abeyance is not being used at the present time" + }, + "patriotism": { + "CHS": "爱国主义;爱国心,爱国精神", + "ENG": "Patriotism is love for your country and loyalty toward it" + }, + "pervasive": { + "CHS": "普遍的;到处渗透的;流行的", + "ENG": "existing everywhere" + }, + "instrument": { + "CHS": "仪器;工具;乐器;手段;器械", + "ENG": "a small tool used in work such as science or medicine" + }, + "accede": { + "CHS": "加入;同意;就任", + "ENG": "When a member of a royal family accedes to the throne, they become king or queen" + }, + "innocuous": { + "CHS": "无害的;无伤大雅的", + "ENG": "not offensive, dangerous, or harmful" + }, + "amphitheater": { + "CHS": "竞技场;[建] 圆形露天剧场;古罗马剧场", + "ENG": "a building, usually circular or oval, in which tiers of seats rise from a central open arena, as in those of ancient Rome " + }, + "demeanor": { + "CHS": "风度;举止;行为" + }, + "commodity": { + "CHS": "商品,货物;日用品", + "ENG": "a product that is bought and sold" + }, + "callous": { + "CHS": "硬皮;老茧" + }, + "countermand": { + "CHS": "取消,撤消;下反对命令召回", + "ENG": "If you countermand an order, you cancel it, usually by giving a different order" + }, + "slander": { + "CHS": "诽谤;中伤", + "ENG": "a false spoken statement about someone, intended to damage the good opinion that people have of that person" + }, + "deride": { + "CHS": "嘲笑;嘲弄", + "ENG": "to make remarks or jokes that show you think someone or something is silly or useless" + }, + "sugar": { + "CHS": "加糖于;粉饰", + "ENG": "to add sugar or cover something with sugar" + }, + "replenish": { + "CHS": "补充,再装满;把…装满;给…添加燃料", + "ENG": "to put new supplies into something, or to fill something again" + }, + "recitation": { + "CHS": "背诵;朗诵;详述;背诵的诗", + "ENG": "an act of saying a poem, piece of literature etc that you have learned, for people to listen to" + }, + "atrocity": { + "CHS": "暴行;凶恶,残暴", + "ENG": "an extremely cruel and violent action, especially during a war" + }, + "wield": { + "CHS": "使用;行使;挥舞", + "ENG": "to have a lot of power or influence, and to use it" + }, + "speculate": { + "CHS": "推测;投机;思索", + "ENG": "to guess about the possible causes or effects of something, without knowing all the facts or details" + }, + "wittingly": { + "CHS": "有意地,存心地", + "ENG": "If you do something wittingly, you are fully aware of what you are doing and what its consequences will be" + }, + "maintain": { + "CHS": "维持;继续;维修;主张;供养", + "ENG": "to make something continue in the same way or at the same standard as before" + }, + "lucubration": { + "CHS": "刻苦钻研;苦心而成的著作" + }, + "malediction": { + "CHS": "坏话,诅咒", + "ENG": "a wish that something bad will happen to someone" + }, + "vindicate": { + "CHS": "维护;证明…无辜;证明…正确", + "ENG": "to prove that someone who was blamed for something is in fact not guilty" + }, + "invidious": { + "CHS": "诽谤的;不公平的;引起反感的;易招嫉妒的", + "ENG": "unpleasant, especially because it is likely to offend people or make you unpopular" + }, + "melodious": { + "CHS": "悦耳的;旋律优美的", + "ENG": "something that sounds melodious sounds like music or has a pleasant tune" + }, + "fluid": { + "CHS": "流体;液体", + "ENG": "a liquid" + }, + "insidious": { + "CHS": "阴险的;隐伏的;暗中为害的;狡猾的", + "ENG": "an insidious change or problem spreads gradually without being noticed, and causes serious harm" + }, + "concurrent": { + "CHS": "[数] 共点;同时发生的事件" + }, + "appeal": { + "CHS": "呼吁,请求;吸引力,感染力;上诉;诉诸裁判", + "ENG": "an urgent request for something important" + }, + "derelict": { + "CHS": "遗弃物;玩忽职守者;被遗弃的人" + }, + "despoil": { + "CHS": "掠夺,剥夺;夺取", + "ENG": "to steal from a place or people using force, especially in a war" + }, + "derive": { + "CHS": "(Derive)人名;(法)德里夫" + }, + "nonplus": { + "CHS": "使困惑", + "ENG": "to put at a loss; confound " + }, + "charter": { + "CHS": "宪章;执照;特许状", + "ENG": "a statement of the principles, duties, and purposes of an organization" + }, + "futile": { + "CHS": "无用的;无效的;没有出息的;琐细的;不重要的", + "ENG": "actions that are futile are useless because they have no chance of being successful" + }, + "undervalue": { + "CHS": "低估之价值;看轻", + "ENG": "to think that someone or something is less important or valuable than they really are" + }, + "jaded": { + "CHS": "厌倦(jade的过去分词);变得疲倦;精疲力竭" + }, + "omnivore": { + "CHS": "[动] 杂食动物;不偏食的人", + "ENG": "an animal that eats both meat and plants" + }, + "fuse": { + "CHS": "保险丝,熔线;导火线,雷管", + "ENG": "a short thin piece of wire inside electrical equipment which prevents damage by melting and stopping the electricity when there is too much power" + }, + "nauseate": { + "CHS": "作呕;厌恶;产生恶感", + "ENG": "If something nauseates you, it makes you feel as if you are going to vomit" + }, + "distend": { + "CHS": "使…膨胀;使…扩张", + "ENG": "to swell or make something swell because of pressure from inside" + }, + "superlative": { + "CHS": "最高级;最好的人;最高程度;夸大话", + "ENG": "the superlative form of an adjective or adverb. For example, ‘biggest’ is the superlative of ‘big’." + }, + "scurrilous": { + "CHS": "下流的;说话粗鄙恶劣的;无礼的" + }, + "advocate": { + "CHS": "提倡者;支持者;律师", + "ENG": "someone who publicly supports someone or something" + }, + "eliminate": { + "CHS": "消除;排除", + "ENG": "to completely get rid of something that is unnecessary or unwanted" + }, + "posit": { + "CHS": "假设;设想" + }, + "artifice": { + "CHS": "诡计;欺骗;巧妙的办法", + "ENG": "a trick used to deceive someone" + }, + "diabolical": { + "CHS": "恶魔的", + "ENG": "evil or cruel" + }, + "lively": { + "CHS": "(Lively)人名;(英)莱夫利" + }, + "malicious": { + "CHS": "恶意的;恶毒的;蓄意的;怀恨的", + "ENG": "very unkind and cruel, and deliberately behaving in a way that is likely to upset or hurt someone" + }, + "rue": { + "CHS": "芸香;后悔", + "ENG": "sorrow, pity, or regret " + }, + "vitiate": { + "CHS": "损害,弄坏;使无效;污染", + "ENG": "to make something less effective or spoil it" + }, + "superintend": { + "CHS": "监督;管理;主管;指挥", + "ENG": "to be in charge of something, and control how it is done" + }, + "ancillary": { + "CHS": "助手;附件" + }, + "odds": { + "CHS": "几率;胜算;不平等;差别", + "ENG": "In betting, odds are expressions with numbers such as \"10 to 1\" and \"7 to 2\" that show how likely something is thought to be, for example, how likely a particular horse is to lose or win a race" + }, + "significant": { + "CHS": "象征;有意义的事物" + }, + "preordain": { + "CHS": "注定;预先决定" + }, + "sagacious": { + "CHS": "睿智的,聪慧的;有远见的,聪慧的", + "ENG": "able to understand and judge things very well" + }, + "graduate": { + "CHS": "毕业的;研究生的", + "ENG": "relating to or involved in studies done at a university after completing a first degree" + }, + "bibliophile": { + "CHS": "藏书家;爱书的人", + "ENG": "someone who likes books" + }, + "autonomous": { + "CHS": "自治的;自主的;自发的", + "ENG": "an autonomous place or organization is free to govern or control itself" + }, + "conjugal": { + "CHS": "婚姻的;结婚的;夫妻之间的", + "ENG": "relating to marriage" + }, + "negligible": { + "CHS": "微不足道的,可以忽略的", + "ENG": "too slight or unimportant to have any effect" + }, + "heedful": { + "CHS": "注意的;深切注意的;深切留心的" + }, + "scrutiny": { + "CHS": "详细审查;监视;细看;选票复查" + }, + "retract": { + "CHS": "收缩核" + }, + "sensitive": { + "CHS": "敏感的人;有灵异能力的人" + }, + "sarcasm": { + "CHS": "讽刺;挖苦;嘲笑", + "ENG": "a way of speaking or writing that involves saying the opposite of what you really mean in order to make an unkind joke or to show that you are annoyed" + }, + "bridle": { + "CHS": "控制;给装马勒" + }, + "transposition": { + "CHS": "[数] 移项;调换;换置;变调" + }, + "premonition": { + "CHS": "预告;征兆", + "ENG": "a strange feeling that something, especially something bad, is going to happen" + }, + "paralysis": { + "CHS": "麻痹;无力;停顿", + "ENG": "the loss of the ability to move all or part of your body or feel things in it" + }, + "metabolism": { + "CHS": "[生理] 新陈代谢", + "ENG": "the chemical processes by which food is changed into energy in your body" + }, + "fretful": { + "CHS": "焦躁的;烦燥的;起波纹的", + "ENG": "If someone is fretful, they behave in a way that shows that they are worried or unhappy about something" + }, + "dilapidate": { + "CHS": "毁坏;荒废;浪费" + }, + "emergence": { + "CHS": "出现,浮现;发生;露头", + "ENG": "when something begins to be known or noticed" + }, + "belabor": { + "CHS": "痛打;抨击;过度说明;反复讨论" + }, + "medium": { + "CHS": "方法;媒体;媒介;中间物", + "ENG": "a way of communicating information and news to people, such as newspapers, television etc" + }, + "perverse": { + "CHS": "堕落的,不正当的;倔强的;违反常情的" + }, + "gland": { + "CHS": "腺", + "ENG": "an organ of the body which produces a substance that the body needs, such as hormones, sweat, or saliva" + }, + "reliance": { + "CHS": "信赖;信心;受信赖的人或物" + }, + "aviary": { + "CHS": "鸟类饲养场;大型鸟舍", + "ENG": "a large cage where birds are kept" + }, + "panegyric": { + "CHS": "颂词,赞颂", + "ENG": "a speech or piece of writing that praises someone or something a lot" + }, + "obviate": { + "CHS": "排除;避免;消除", + "ENG": "to prevent or avoid a problem or the need to do something" + }, + "debilitate": { + "CHS": "使衰弱;使虚弱", + "ENG": "to make someone ill and weak" + }, + "biased": { + "CHS": "有偏见的;结果偏倚的,有偏的", + "ENG": "unfairly preferring one person or group over another" + }, + "condone": { + "CHS": "宽恕;赦免", + "ENG": "to accept or forgive behaviour that most people think is morally wrong" + }, + "scruple": { + "CHS": "有顾忌;踌躇" + }, + "wrest": { + "CHS": "扭,拧" + }, + "infuse": { + "CHS": "灌输;使充满;浸渍", + "ENG": "to fill something or someone with a particular feeling or quality" + }, + "timbre": { + "CHS": "[声] 音色;音质;音品", + "ENG": "the quality of the sound made by a particular instrument or voice" + }, + "impute": { + "CHS": "归罪于,归咎于;嫁祸于", + "ENG": "If you impute something such as blame or a crime to someone, you say that they are responsible for it or are the cause of it" + }, + "spineless": { + "CHS": "没有骨气的;无脊椎的;懦弱的", + "ENG": "lacking courage and determination – used to show disapproval" + }, + "infuriate": { + "CHS": "狂怒的" + }, + "emergency": { + "CHS": "紧急的;备用的", + "ENG": "An emergency action is one that is done or arranged quickly and not in the normal way, because an emergency has occurred" + }, + "unaffected": { + "CHS": "不受影响的;自然的;真挚的;不矫揉造作的", + "ENG": "not changed or influenced by something" + }, + "bowler": { + "CHS": "圆顶礼帽;投球手;玩滚球的人", + "ENG": "a player in cricket who throws the ball at a batsman " + }, + "grasshopper": { + "CHS": "见异思迁;蚱蜢似地跳" + }, + "clandestine": { + "CHS": "秘密的,私下的;偷偷摸摸的", + "ENG": "done or kept secret" + }, + "pinnacle": { + "CHS": "造小尖塔;置于尖顶上;置于高处" + }, + "proclaim": { + "CHS": "宣告,公布;声明;表明;赞扬", + "ENG": "to say publicly or officially that something important is true or exists" + }, + "gruff": { + "CHS": "格拉夫(英国珠宝品牌)" + }, + "aptitude": { + "CHS": "天资;自然倾向;适宜", + "ENG": "natural ability or skill, especially in learning" + }, + "radiance": { + "CHS": "辐射;光辉;发光;容光焕发", + "ENG": "great happiness that shows in someone’s face and makes them look attractive" + }, + "deplore": { + "CHS": "谴责;悲悼;哀叹;对…深感遗憾", + "ENG": "to disapprove of something very strongly and criticize it severely, especially publicly" + }, + "morality": { + "CHS": "道德;品行,美德", + "ENG": "beliefs or ideas about what is right and wrong and about how people should behave" + }, + "literary": { + "CHS": "文学的;书面的;精通文学的", + "ENG": "relating to literature" + }, + "ion": { + "CHS": "[化学] 离子", + "ENG": "an atom which has been given a positive or negative force by adding or taking away an electron " + }, + "gesticulation": { + "CHS": "手势;姿势;示意动作" + }, + "preeminence": { + "CHS": "卓越;杰出" + }, + "clamorous": { + "CHS": "吵闹的;大声要求的" + }, + "enthrall": { + "CHS": "迷住,使着迷" + }, + "complacent": { + "CHS": "自满的;得意的;满足的", + "ENG": "pleased with a situation, especially something you have achieved, so that you stop trying to improve or change things – used to show disapproval" + }, + "collaborate": { + "CHS": "合作;勾结,通敌", + "ENG": "to work together with a person or group in order to achieve something, especially in science or art" + }, + "solicitude": { + "CHS": "焦虑;渴望;担心" + }, + "prim": { + "CHS": "(Prim)人名;(法、德、匈、捷、瑞典、西、葡)普里姆" + }, + "aboriginal": { + "CHS": "土著居民;土生生物", + "ENG": "an aborigine" + }, + "soothe": { + "CHS": "安慰;使平静;缓和", + "ENG": "to make someone feel calmer and less anxious, upset, or angry" + }, + "elusive": { + "CHS": "难懂的;易忘的;逃避的;难捉摸的", + "ENG": "an elusive result is difficult to achieve" + }, + "kiosk": { + "CHS": "凉亭;公用电话亭;报摊" + }, + "discretionary": { + "CHS": "任意的;自由决定的", + "ENG": "not controlled by strict rules, but decided on by someone in a position of authority" + }, + "gallop": { + "CHS": "飞驰;急速进行;急急忙忙地说", + "ENG": "if a horse gallops, it moves very fast with all its feet leaving the ground together" + }, + "flux": { + "CHS": "使熔融;用焊剂处理" + }, + "repulse": { + "CHS": "拒绝;击退" + }, + "spheroid": { + "CHS": "球状体;回转椭球体", + "ENG": "a shape that is similar to a ball, but not perfectly round" + }, + "dominance": { + "CHS": "优势;统治;支配", + "ENG": "the fact of being more powerful, more important, or more noticeable than other people or things" + }, + "insure": { + "CHS": "确保,保证;给…保险", + "ENG": "to buy insurance so that you will receive money if something bad happens to you, your family, your possessions etc" + }, + "assimilate": { + "CHS": "吸收;使同化;把…比作;使相似", + "ENG": "to completely understand and begin to use new ideas, information etc" + }, + "dismissal": { + "CHS": "解雇;免职", + "ENG": "when someone is removed from their job" + }, + "irk": { + "CHS": "使烦恼;使厌倦", + "ENG": "if something irks you, it makes you feel annoyed" + }, + "acute": { + "CHS": "严重的,[医] 急性的;敏锐的;激烈的;尖声的", + "ENG": "an acute problem is very serious" + }, + "Oxygen": { + "CHS": "[化学] 氧气,[化学] 氧", + "ENG": "Oxygen is a colourless gas that exists in large quantities in the air. All plants and animals need oxygen in order to live. " + }, + "breach": { + "CHS": "违反,破坏;打破", + "ENG": "to break a law, rule, or agreement" + }, + "pursue": { + "CHS": "继续;从事;追赶;纠缠", + "ENG": "to continue doing an activity or trying to achieve something over a long period of time" + }, + "suasion": { + "CHS": "说服,劝告" + }, + "accessory": { + "CHS": "副的;同谋的;附属的" + }, + "commentary": { + "CHS": "评论;注释;评注;说明", + "ENG": "something such as a book or an article that explains or discusses a book, poem, idea etc" + }, + "repository": { + "CHS": "贮藏室,仓库;知识库;智囊团", + "ENG": "a place or container in which large quantities of something are stored" + }, + "terrestrial": { + "CHS": "陆地生物;地球上的人" + }, + "strenuous": { + "CHS": "紧张的;费力的;奋发的;艰苦的;热烈的", + "ENG": "needing a lot of effort or strength" + }, + "atrocious": { + "CHS": "凶恶的,残暴的", + "ENG": "If you describe someone's behaviour or their actions as atrocious, you mean that it is unacceptable because it is extremely violent or cruel" + }, + "adoration": { + "CHS": "崇拜;爱慕", + "ENG": "great love and admiration" + }, + "corroborate": { + "CHS": "证实;使坚固", + "ENG": "to provide information that supports or helps to prove someone else’s statement, idea etc" + }, + "successive": { + "CHS": "连续的;继承的;依次的;接替的", + "ENG": "coming or following one after the other" + }, + "plague": { + "CHS": "折磨;使苦恼;使得灾祸", + "ENG": "to cause pain, suffering, or trouble to someone, especially for a long period of time" + }, + "methane": { + "CHS": "[有化] 甲烷;[能源] 沼气", + "ENG": "a gas that you cannot see or smell, which can be burned to give heat" + }, + "tremulous": { + "CHS": "胆小的;战栗的;震颤的", + "ENG": "If someone's voice, smile, or actions are tremulous, they are unsteady because the person is uncertain, afraid, or upset" + }, + "ravine": { + "CHS": "沟壑,山涧;峡谷", + "ENG": "a deep narrow valley with steep sides" + }, + "counter": { + "CHS": "反方向地;背道而驰地" + }, + "differentiation": { + "CHS": "变异,[生物] 分化;区别" + }, + "reign": { + "CHS": "统治;统治时期;支配", + "ENG": "the period when someone is king, queen, or emperor " + }, + "accompaniment": { + "CHS": "伴奏;伴随物", + "ENG": "music that is played in the background at the same time as another instrument or singer that plays or sings the main tune" + }, + "ire": { + "CHS": "使发怒" + }, + "charge": { + "CHS": "使充电;使承担;指责;装载;对…索费;向…冲去", + "ENG": "to say publicly that you think someone has done something wrong" + }, + "disdain": { + "CHS": "鄙弃", + "ENG": "to have no respect for someone or something, because you think they are not important or good enough" + }, + "trajectory": { + "CHS": "[物] 轨道,轨线;[航][军] 弹道", + "ENG": "the curved path of an object that has been fired or thrown through the air" + }, + "incomprehensible": { + "CHS": "费解的;不可思议的;无限的", + "ENG": "difficult or impossible to understand" + }, + "stultify": { + "CHS": "使变无效;使显得愚笨;使无价值" + }, + "artistic": { + "CHS": "艺术的;风雅的;有美感的", + "ENG": "relating to art or culture" + }, + "surfeit": { + "CHS": "使饮食过度;使厌腻;使过度沉溺于" + }, + "gloomy": { + "CHS": "黑暗的;沮丧的;阴郁的", + "ENG": "making you feel that things will not improve" + }, + "implausible": { + "CHS": "难以置信的,不像真实的", + "ENG": "difficult to believe and therefore unlikely to be true" + }, + "espouse": { + "CHS": "支持;嫁娶;赞成;信奉", + "ENG": "to support an idea, belief etc, especially a political one" + }, + "zero": { + "CHS": "零", + "ENG": "the number 0" + }, + "residue": { + "CHS": "残渣;剩余;滤渣", + "ENG": "a substance that remains on a surface, in a container etc and cannot be removed easily, or that remains after a chemical process" + }, + "outgoing": { + "CHS": "超过;优于(outgo的ing形式)" + }, + "litigant": { + "CHS": "诉讼的" + }, + "apparition": { + "CHS": "幽灵;幻影;鬼怪;离奇出现的东西", + "ENG": "something that you imagine you can see, especially the spirit of a dead person" + }, + "chronological": { + "CHS": "按年代顺序排列的;依时间前后排列而记载的", + "ENG": "arranged according to when things happened or were made" + }, + "vapid": { + "CHS": "无趣味的;无生气的;索然乏味的", + "ENG": "If you describe someone or something as vapid, you are critical of them because they are dull and uninteresting" + }, + "stock": { + "CHS": "进货;备有;装把手于…", + "ENG": "if a shop stocks a particular product, it keeps a supply of it to sell" + }, + "reform": { + "CHS": "改革的;改革教会的" + }, + "fervent": { + "CHS": "热心的;强烈的;炽热的;热烈的", + "ENG": "believing or feeling something very strongly and sincerely" + }, + "bilateral": { + "CHS": "双边的;有两边的", + "ENG": "involving two groups or nations" + }, + "compelling": { + "CHS": "强迫;以强力获得(compel的ing形式)" + }, + "dissentious": { + "CHS": "争吵的;好争论的", + "ENG": "argumentative " + }, + "bombard": { + "CHS": "射石炮" + }, + "sebaceous": { + "CHS": "分泌脂质的;脂肪的,脂肪质的;似油脂或皮脂的", + "ENG": "relating to a part of the body that produces oil" + }, + "elapse": { + "CHS": "流逝;时间的过去" + }, + "productive": { + "CHS": "能生产的;生产的,生产性的;多产的;富有成效的", + "ENG": "producing or achieving a lot" + }, + "polarize": { + "CHS": "(使)极化;(使)偏振;(使)两极分化", + "ENG": "to divide into clearly separate groups with opposite beliefs, ideas, or opinions, or to make people do this" + }, + "ruddy": { + "CHS": "(Ruddy)人名;(英)拉迪" + }, + "sap": { + "CHS": "使衰竭,使伤元气;挖掘以破坏基础" + }, + "philanthropic": { + "CHS": "博爱的;仁慈的", + "ENG": "a philanthropic person or institution gives money and help to people who are poor or in trouble" + }, + "visual": { + "CHS": "视觉的,视力的;栩栩如生的", + "ENG": "relating to seeing" + }, + "philanthropy": { + "CHS": "博爱,慈善;慈善事业", + "ENG": "the practice of giving money and help to people who are poor or in trouble" + }, + "cant": { + "CHS": "行话的;哀诉声的;假仁假义的" + }, + "combination": { + "CHS": "结合;组合;联合;[化学] 化合", + "ENG": "two or more different things that exist together or are used or put together" + }, + "pulverize": { + "CHS": "粉碎;使成粉末;研磨", + "ENG": "to crush something into a powder" + }, + "fulsome": { + "CHS": "令人生厌的;过度的" + }, + "mundane": { + "CHS": "世俗的,平凡的;世界的,宇宙的", + "ENG": "ordinary and not interesting or exciting" + }, + "line": { + "CHS": "排成一行;划线于;以线条标示;使…起皱纹", + "ENG": "to form rows along the sides of something" + }, + "jubilant": { + "CHS": "欢呼的;喜洋洋的" + }, + "afire": { + "CHS": "燃烧着;着火地" + }, + "fortunate": { + "CHS": "幸运的;侥幸的;吉祥的;带来幸运的", + "ENG": "someone who is fortunate has something good happen to them, or is in a good situation" + }, + "apathy": { + "CHS": "冷漠,无兴趣,漠不关心;无感情", + "ENG": "the feeling of not being interested in something, and not willing to make any effort to change or improve things" + }, + "atone": { + "CHS": "赎罪;弥补;偿还", + "ENG": "to do something to show that you are sorry for having done something wrong" + }, + "precaution": { + "CHS": "警惕;预先警告" + }, + "reticent": { + "CHS": "沉默的;有保留的;谨慎的", + "ENG": "Someone who is reticent does not tell people about things" + }, + "demure": { + "CHS": "(Demure)人名;(法)德米尔" + }, + "symmetrical": { + "CHS": "匀称的,对称的", + "ENG": "an object or design that is symmetrical has two halves that are exactly the same shape and size" + }, + "revert": { + "CHS": "恢复原状者" + }, + "pile": { + "CHS": "累积;打桩于" + }, + "disprove": { + "CHS": "反驳,证明…是虚假的", + "ENG": "to show that something is wrong or not true" + }, + "molecule": { + "CHS": "[化学] 分子;微小颗粒,微粒", + "ENG": "the smallest unit into which any substance can be divided without losing its own chemical nature, usually consisting of two or more atoms" + }, + "revocation": { + "CHS": "取消;撤回;废除", + "ENG": "the act of revoking a law, decision, or agreement" + }, + "zenith": { + "CHS": "顶峰;顶点;最高点", + "ENG": "the most successful point in the development of something" + }, + "robust": { + "CHS": "强健的;健康的;粗野的;粗鲁的", + "ENG": "a robust person is strong and healthy" + }, + "embolden": { + "CHS": "使有胆量,使大胆", + "ENG": "to give someone more courage" + }, + "choleric": { + "CHS": "易怒的;暴躁的;胆汁质的", + "ENG": "A choleric person gets angry very easily. You can also use choleric to describe a person who is very angry. " + }, + "machination": { + "CHS": "阴谋;诡计" + }, + "revere": { + "CHS": "敬畏;尊敬;崇敬", + "ENG": "to respect and admire someone or something very much" + }, + "encroach": { + "CHS": "蚕食,侵占", + "ENG": "to gradually take more of someone’s time, possessions, rights etc than you should" + }, + "hallmark": { + "CHS": "给…盖上品质证明印记;使具有…标志", + "ENG": "to put a hallmark on silver, gold, or platinum" + }, + "quintessence": { + "CHS": "精华;典范;第五元素(被视为地、水、火、风以外之构成宇宙的元素)", + "ENG": "a perfect example of something" + }, + "chagrin": { + "CHS": "使…懊恼", + "ENG": "to feel annoyed and disappointed" + }, + "zest": { + "CHS": "给…调味" + }, + "arrange": { + "CHS": "安排;排列;整理", + "ENG": "to organize or make plans for something such as a meeting, party, or trip" + }, + "assemble": { + "CHS": "集合,聚集;装配;收集", + "ENG": "if you assemble a large number of people or things, or if they assemble, they are gathered together in one place, often for a particular purpose" + }, + "cornea": { + "CHS": "[解剖] 角膜", + "ENG": "the transparent protective covering on the outer surface of your eye" + }, + "spate": { + "CHS": "洪水;一阵;大雨;突然迸发" + }, + "agitate": { + "CHS": "摇动;骚动;使…激动", + "ENG": "to shake or mix a liquid quickly" + }, + "tour": { + "CHS": "旅行,在……旅游;在……作巡回演出" + }, + "blithesome": { + "CHS": "愉快的", + "ENG": "cheery; merry " + }, + "tout": { + "CHS": "侦查者;兜售者" + }, + "anecdote": { + "CHS": "轶事;奇闻;秘史", + "ENG": "a short story based on your personal experience" + }, + "cerebellum": { + "CHS": "[解剖] 小脑", + "ENG": "the bottom part of your brain that controls your muscles" + }, + "factious": { + "CHS": "好捣乱的;好搞派系的;源于派别的", + "ENG": "given to, producing, or characterized by faction " + }, + "artistry": { + "CHS": "艺术性;工艺;艺术技巧;艺术效果;艺术工作", + "ENG": "skill in a particular artistic activity" + }, + "obdurate": { + "CHS": "顽固的,执拗的;冷酷无情的", + "ENG": "very determined not to change your beliefs, actions, or feelings, in a way that seems unreasonable" + }, + "overcome": { + "CHS": "克服;胜过", + "ENG": "to successfully control a feeling or problem that prevents you from achieving something" + }, + "iconoclast": { + "CHS": "偶像破坏者;提倡打破旧习的人" + }, + "acceleration": { + "CHS": "加速,促进;[物] 加速度", + "ENG": "a process in which something happens more and more quickly" + }, + "poignant": { + "CHS": "(Poignant)人名;(法)普瓦尼昂" + }, + "pungent": { + "CHS": "辛辣的;刺激性的;刺鼻的;苦痛的;尖刻的", + "ENG": "having a strong taste or smell" + }, + "heat": { + "CHS": "使激动;把…加热", + "ENG": "to make something become warm or hot" + }, + "restitution": { + "CHS": "恢复;赔偿;归还", + "ENG": "the act of giving back something that was lost or stolen to its owner, or of paying for damage" + }, + "awry": { + "CHS": "歪曲地;歪斜地;错误地" + }, + "mordent": { + "CHS": "涟音;波音", + "ENG": "a melodic ornament consisting of the rapid alternation of a note with a note one degree lower than it " + }, + "dejected": { + "CHS": "沮丧的,灰心的", + "ENG": "unhappy, disappointed, or sad" + }, + "upshot": { + "CHS": "结果,结局;要点", + "ENG": "the final result of a situation" + }, + "relegate": { + "CHS": "把降低到;归入;提交" + }, + "narcissistic": { + "CHS": "自恋的;自我陶醉的", + "ENG": "If you describe someone as narcissistic, you disapprove of them because they think about themselves a lot and admire themselves too much" + }, + "intellectual": { + "CHS": "知识分子;凭理智做事者", + "ENG": "an intelligent, well-educated person who spends time thinking about complicated ideas and discussing them" + }, + "sloth": { + "CHS": "怠惰,懒惰;[脊椎] 树懒", + "ENG": "an animal in Central and South America that moves very slowly, has grey fur, and lives in trees" + }, + "heedless": { + "CHS": "不注意的;不留心的", + "ENG": "not paying attention to something" + }, + "arboriculture": { + "CHS": "树木的培植/栽培", + "ENG": "the cultivation of trees or shrubs, esp for the production of timber " + }, + "fulminate": { + "CHS": "雷酸盐;烈性炸药" + }, + "dwarf": { + "CHS": "矮小的", + "ENG": "a dwarf plant or animal is much smaller than the usual size" + }, + "resonance": { + "CHS": "[力] 共振;共鸣;反响", + "ENG": "the special meaning or importance that something has for you because it relates to your own experiences" + }, + "retrace": { + "CHS": "追溯;折回;重描", + "ENG": "to repeat exactly the same journey that someone else has made" + }, + "dogged": { + "CHS": "跟踪;尾随(dog的过去式)" + }, + "diminutive": { + "CHS": "爱称;指小词;身材极小的人", + "ENG": "a word formed by adding a diminutive suffix" + }, + "symmetry": { + "CHS": "对称(性);整齐,匀称", + "ENG": "the quality of being symmetrical" + }, + "facile": { + "CHS": "(言语或理论)轻率的,未经深思熟虑的" + }, + "dissolve": { + "CHS": "叠化画面;画面的溶暗" + }, + "repetition": { + "CHS": "重复;背诵;副本", + "ENG": "doing or saying the same thing many times" + }, + "stoic": { + "CHS": "坚忍的,苦修的;斯多葛派的;禁欲主义的" + }, + "gross": { + "CHS": "总额,总数" + }, + "allegory": { + "CHS": "寓言", + "ENG": "a story, painting etc in which the events and characters represent ideas or teach a moral lesson" + }, + "artless": { + "CHS": "天真的;朴实的;无虚饰的", + "ENG": "natural, honest, and sincere" + }, + "reciprocate": { + "CHS": "报答;互换;互给" + }, + "virus": { + "CHS": "[病毒] 病毒;恶毒;毒害", + "ENG": "a very small living thing that causes infectious illnesses" + }, + "quarantine": { + "CHS": "检疫;隔离;检疫期;封锁", + "ENG": "a period of time when a person or animal is kept apart from others in case they are carrying a disease" + }, + "temporary": { + "CHS": "临时工,临时雇员" + }, + "superintendent": { + "CHS": "监督人;负责人;主管;指挥者", + "ENG": "someone who is in charge of all the schools in a particular area in the US" + }, + "remiss": { + "CHS": "怠慢的;迟缓的;不小心的", + "ENG": "If someone is remiss, they are careless about doing things that ought to be done" + }, + "eclipse": { + "CHS": "日蚀,月蚀;黯然失色", + "ENG": "an occasion when the sun or the moon cannot be seen, because the Earth is passing directly between the moon and the sun, or because the moon is passing directly between the Earth and the sun" + }, + "equality": { + "CHS": "平等;相等;[数] 等式", + "ENG": "a situation in which people have the same rights, advantages etc" + }, + "virtu": { + "CHS": "古董;艺术品爱好", + "ENG": "a taste or love for curios or works of fine art; connoisseurship " + }, + "dramatic": { + "CHS": "戏剧的;急剧的;引人注目的;激动人心的", + "ENG": "great and sudden" + }, + "reprimand": { + "CHS": "谴责;训斥;责难", + "ENG": "to tell someone officially that something they have done is very wrong" + }, + "august": { + "CHS": "八月(简写为Aug)" + }, + "immerse": { + "CHS": "沉浸;使陷入", + "ENG": "to put someone or something deep into a liquid so that they are completely covered" + }, + "suffrage": { + "CHS": "选举权;投票;参政权;代祷;赞成票", + "ENG": "the right to vote in national elections" + }, + "truculent": { + "CHS": "好斗的;野蛮的;言词刻毒的", + "ENG": "If you say that someone is truculent, you mean that they are bad-tempered and aggressive" + }, + "bailiff": { + "CHS": "法警;执行官;区镇的地方长官", + "ENG": "an official of the legal system who watches prisoners and keeps order in a court of law" + }, + "indignant": { + "CHS": "愤愤不平的;义愤的", + "ENG": "angry and surprised because you feel insulted or unfairly treated" + }, + "paramount": { + "CHS": "最高统治者" + }, + "grievance": { + "CHS": "不满,不平;委屈;冤情", + "ENG": "a belief that you have been treated unfairly, or an unfair situation or event that affects and upsets you" + }, + "affectation": { + "CHS": "做作;矫揉造作;假装", + "ENG": "a way of behaving, speaking etc that is not sincere or natural" + }, + "neuron": { + "CHS": "[解剖] 神经元,神经单位", + "ENG": "a type of cell that makes up the nervous system and sends messages to other parts of the body or the brain" + }, + "savor": { + "CHS": "滋味;气味;食欲" + }, + "quagmire": { + "CHS": "沼泽,沼泽地;无法脱身的困境", + "ENG": "an area of soft wet muddy ground" + }, + "unconscionable": { + "CHS": "不合理的;昧着良心的;肆无忌惮的;过度的", + "ENG": "much more than is reasonable or acceptable" + }, + "posse": { + "CHS": "一队;民防团;地方武装团队", + "ENG": "a group of the same kind of people" + }, + "nutriment": { + "CHS": "营养物;促进生长的东西", + "ENG": "a substance that gives plants and animals what they need in order to live and grow" + }, + "bombast": { + "CHS": "夸大的" + }, + "chateau": { + "CHS": "(法国封建时代的)城堡;(尤指法国的)别墅" + }, + "formula": { + "CHS": "[数] 公式,准则;配方;婴儿食品", + "ENG": "a method or set of principles that you use to solve a problem or to make sure that something is successful" + }, + "harass": { + "CHS": "使困扰;使烦恼;反复袭击", + "ENG": "to make someone’s life unpleasant, for example by frequently saying offensive things to them or threatening them" + }, + "combustible": { + "CHS": "可燃物;易燃物" + }, + "purity": { + "CHS": "[化学] 纯度;纯洁;纯净;纯粹", + "ENG": "the quality or state of being pure" + }, + "calamity": { + "CHS": "灾难;不幸事件", + "ENG": "a terrible and unexpected event that causes a lot of damage or suffering" + }, + "inhuman": { + "CHS": "残忍的;野蛮的;无人性的", + "ENG": "very cruel or without any normal feelings of pity" + }, + "disavow": { + "CHS": "否认,否定;抵赖;拒绝对…的责任", + "ENG": "to say that you are not responsible for something, that you do not know about it, or that you are not involved with it" + }, + "diversify": { + "CHS": "使多样化,使变化;增加产品种类以扩大", + "ENG": "if a business, company, country etc diversifies, it increases the range of goods or services it produces" + }, + "amity": { + "CHS": "友好;亲善关系;友好关系", + "ENG": "friendship, especially between countries" + }, + "juncture": { + "CHS": "接缝;连接;接合" + }, + "askew": { + "CHS": "(Askew)人名;(英)艾斯丘" + }, + "preface": { + "CHS": "为…加序言;以…开始", + "ENG": "If you preface an action or speech with something else, you do or say this other thing first" + }, + "arithmetic": { + "CHS": "算术,算法", + "ENG": "the science of numbers involving adding, multiplying etc" + }, + "cadenza": { + "CHS": "装饰乐段", + "ENG": "a difficult part of a long piece of music, which a performer plays alone in order to show his or her skill" + }, + "memorize": { + "CHS": "记住,背熟;记忆", + "ENG": "to learn words, music etc so that you know them perfectly" + }, + "ingenious": { + "CHS": "有独创性的;机灵的,精制的;心灵手巧的", + "ENG": "an ingenious plan, idea, or object works well and is the result of clever thinking and new ideas" + }, + "waif": { + "CHS": "流浪者;流浪儿;飘流物;无主物;信号旗", + "ENG": "If you refer to a child or young woman as a waif, you mean that they are very thin and look as if they have nowhere to live" + }, + "collision": { + "CHS": "碰撞;冲突;(意见,看法)的抵触;(政党等的)倾轧", + "ENG": "an accident in which two or more people or vehicles hit each other while moving in different directions" + }, + "stanch": { + "CHS": "坚固的;忠实的;防水的" + }, + "prehensile": { + "CHS": "适于抓握的;善于领会的", + "ENG": "a prehensile tail, foot etc can curl around things and hold on to them" + }, + "hodgepodge": { + "CHS": "使混乱" + }, + "ribald": { + "CHS": "言谈粗俗的人;说下流话的人" + }, + "undue": { + "CHS": "过度的,过分的;不适当的;未到期的", + "ENG": "more than is reasonable, suitable, or necessary" + }, + "biodegradable": { + "CHS": "生物所能分解的,能进行生物降解的", + "ENG": "materials, chemicals etc that are biodegradable are changed naturally by bacteria into substances that do not harm the environment" + }, + "saline": { + "CHS": "盐湖;碱盐泻药" + }, + "recombination": { + "CHS": "复合,再结合;[遗] 重组" + }, + "preferential": { + "CHS": "优先的;选择的;特惠的;先取的", + "ENG": "preferential treatment, rates etc are deliberately different in order to give an advantage to particular people" + }, + "vulnerable": { + "CHS": "易受攻击的,易受…的攻击;易受伤害的;有弱点的", + "ENG": "someone who is vulnerable can be easily harmed or hurt" + }, + "digit": { + "CHS": "数字;手指或足趾;一指宽", + "ENG": "one of the written signs that represent the numbers 0 to 9" + }, + "antipathy": { + "CHS": "反感;厌恶;憎恶;不相容", + "ENG": "a feeling of strong dislike towards someone or something" + }, + "carnal": { + "CHS": "(Carnal)人名;(西)卡纳尔" + }, + "stealth": { + "CHS": "秘密;秘密行动;鬼祟", + "ENG": "when you do something very quietly, slowly or secretly, so that no one notices you" + }, + "beaker": { + "CHS": "烧杯;大口杯", + "ENG": "a drinking cup with straight sides and no handle, usually made of plastic" + }, + "meddler": { + "CHS": "干涉者;爱管闲事的人" + }, + "decent": { + "CHS": "正派的;得体的;相当好的", + "ENG": "of a good enough standard or quality" + }, + "transcendent": { + "CHS": "卓越的人;超绝物" + }, + "modulate": { + "CHS": "调节;(信号)调制;调整", + "ENG": "to change the sound of your voice" + }, + "untoward": { + "CHS": "不幸的;麻烦的;倔强的;困难的" + }, + "Iron": { + "CHS": "铁的;残酷的;刚强的", + "ENG": "You can use iron to describe the character or behaviour of someone who is very firm in their decisions and actions, or who can control their feelings well" + }, + "acclaim": { + "CHS": "欢呼,喝彩;称赞", + "ENG": "Acclaim is public praise for someone or something" + }, + "adhere": { + "CHS": "坚持;依附;粘着;追随", + "ENG": "to stick firmly to something" + }, + "fern": { + "CHS": "[植] 蕨;[植] 蕨类植物", + "ENG": "a type of plant with green leaves shaped like large feathers, but no flowers" + }, + "naive": { + "CHS": "天真的,幼稚的", + "ENG": "not having much experience of how complicated life is, so that you trust people too much and believe that good things will always happen" + }, + "distraught": { + "CHS": "发狂的;心烦意乱的", + "ENG": "so upset and worried that you cannot think clearly" + }, + "salacious": { + "CHS": "好色的;猥亵的;淫荡的", + "ENG": "showing too much interest in sex" + }, + "supercilious": { + "CHS": "目空一切的,高傲的;傲慢的,自大的", + "ENG": "behaving as if you think that other people are less important than you – used to show disapproval" + }, + "giraffe": { + "CHS": "长颈鹿", + "ENG": "a tall African animal with a very long neck and legs and dark spots on its yellow-brown fur" + }, + "perspicuous": { + "CHS": "明了的;清晰明白的;易懂的", + "ENG": "(of speech or writing) easily understood; lucid " + }, + "donate": { + "CHS": "捐赠;捐献" + }, + "skirt": { + "CHS": "绕过,回避;位于…边缘", + "ENG": "to avoid talking about an important subject, especially because it is difficult or embarrassing – used to show disapproval" + }, + "elicit": { + "CHS": "抽出,引出;引起", + "ENG": "to succeed in getting information or a reaction from someone, especially when this is difficult" + }, + "integer": { + "CHS": "[数] 整数;整体;完整的事物", + "ENG": "a whole number" + }, + "clergy": { + "CHS": "神职人员;牧师;僧侣", + "ENG": "the official leaders of religious activities in organized religions, such as priests, rabbi s , and mullah s " + }, + "compliment": { + "CHS": "恭维;称赞", + "ENG": "to say something nice to someone in order to praise them" + }, + "unequivocal": { + "CHS": "明确的;不含糊的", + "ENG": "completely clear and without any possibility of doubt" + }, + "incredulous": { + "CHS": "怀疑的;不轻信的", + "ENG": "unable or unwilling to believe something" + }, + "glimpse": { + "CHS": "瞥见", + "ENG": "to see someone or something for a moment without getting a complete view of them" + }, + "soda": { + "CHS": "苏打;碳酸水", + "ENG": "water that contains bubbles and is often added to alcoholic drinks" + }, + "altruistic": { + "CHS": "利他的;无私心的", + "ENG": "altruistic behaviour shows that you care about and will help other people, even though this brings no advantage for yourself" + }, + "pallid": { + "CHS": "苍白的;暗淡的;无生气的", + "ENG": "very pale, especially in a way that looks weak or unhealthy" + }, + "cession": { + "CHS": "(权利的)转让,出让;(领土的)割让", + "ENG": "the act of giving up land, property, or rights, especially to another country after a war, or something that is given up in this way" + }, + "adjuration": { + "CHS": "严令;恳请;立誓" + }, + "forage": { + "CHS": "搜寻粮草;搜寻", + "ENG": "to go around searching for food or other supplies" + }, + "erudite": { + "CHS": "饱学之士" + }, + "retouch": { + "CHS": "润饰;修整", + "ENG": "to improve a picture or photograph by painting over marks or making other small changes" + }, + "conception": { + "CHS": "怀孕;概念;设想;开始", + "ENG": "an idea about what something is like, or a general understanding of something" + }, + "warrant": { + "CHS": "保证;担保;批准;辩解", + "ENG": "to promise that something is true" + }, + "body": { + "CHS": "赋以形体" + }, + "trepidation": { + "CHS": "恐惧;惊恐;忧虑;颤抖", + "ENG": "a feeling of anxiety or fear about something that is going to happen" + }, + "haggard": { + "CHS": "野鹰", + "ENG": "a hawk that has reached maturity before being caught " + }, + "egregious": { + "CHS": "惊人的;过分的;恶名昭彰的" + }, + "acclivity": { + "CHS": "向上的斜坡;[建] 上斜", + "ENG": "an upward slope, esp of the ground " + }, + "virtuoso": { + "CHS": "行家里手的;艺术爱好者的" + }, + "captious": { + "CHS": "挑剔的;吹毛求疵的", + "ENG": "apt to make trivial criticisms; fault-finding; carping " + }, + "adulate": { + "CHS": "过分称赞;谄媚;奉承", + "ENG": "to flatter or praise obsequiously " + }, + "antenatal": { + "CHS": "产前的;出生前的", + "ENG": "relating to the medical care given to women who are going to have a baby" + }, + "solecism": { + "CHS": "语法错误,文理不通;谬误,失礼", + "ENG": "a mistake in the use of written or spoken language" + }, + "semiconscious": { + "CHS": "半意识的;半清醒的", + "ENG": "not fully conscious " + }, + "perambulate": { + "CHS": "巡行;巡视;漫步", + "ENG": "When someone perambulates, they walk around for pleasure" + }, + "mishap": { + "CHS": "灾祸;不幸事故;晦气" + }, + "butte": { + "CHS": "孤峰;孤立的丘", + "ENG": "a hill with steep sides and a flat top in the western US" + }, + "impromptu": { + "CHS": "即席的", + "ENG": "done or said without any preparation or planning" + }, + "mystify": { + "CHS": "使神秘化;使迷惑,使困惑", + "ENG": "if something mystifies you, it is so strange or confusing that you cannot understand or explain it" + }, + "frenzied": { + "CHS": "使狂乱(frenzy的过去式)" + }, + "ken": { + "CHS": "视野范围,见地,知识范围", + "ENG": "if something is beyond your ken, you have no knowledge or understanding of it" + }, + "counterpoint": { + "CHS": "复调;对位法;旋律配合;对应物", + "ENG": "the combination of two or more tunes played together so that they sound like one tune" + }, + "submerge": { + "CHS": "淹没;把…浸入;沉浸", + "ENG": "to make yourself very busy doing something, especially in order to forget about something else" + }, + "derisive": { + "CHS": "嘲笑的,嘲弄的;可付之一笑的", + "ENG": "showing that you think someone or something is stupid or silly" + }, + "light": { + "CHS": "轻地;清楚地;轻便地" + }, + "key": { + "CHS": "关键的", + "ENG": "very important or necessary" + }, + "coup": { + "CHS": "推倒;倾斜;溢出" + }, + "insulin": { + "CHS": "[生化][药] 胰岛素", + "ENG": "a substance produced naturally by your body which allows sugar to be used for energy" + }, + "script": { + "CHS": "把…改编为剧本", + "ENG": "The person who scripts a movie or a radio or television play writes it" + }, + "measurement": { + "CHS": "测量;[计量] 度量;尺寸;量度制", + "ENG": "the length, height etc of something" + }, + "scowl": { + "CHS": "皱眉;怒视" + }, + "receptive": { + "CHS": "善于接受的;能容纳的", + "ENG": "willing to consider new ideas or listen to someone else’s opinions" + }, + "propellant": { + "CHS": "推进的" + }, + "comprise": { + "CHS": "包含;由…组成", + "ENG": "to consist of particular parts, groups etc" + }, + "typography": { + "CHS": "排印;[印刷] 活版印刷术;印刷格式", + "ENG": "the work of preparing written material for printing" + }, + "pedantic": { + "CHS": "迂腐的;学究式的;卖弄学问的;假装学者的", + "ENG": "paying too much attention to rules or to small unimportant details" + }, + "diode": { + "CHS": "[电子] 二极管", + "ENG": "a piece of electrical equipment that makes an electrical current flow in one direction" + }, + "statuesque": { + "CHS": "雕像般的;轮廓清晰的;均衡的" + }, + "terminate": { + "CHS": "结束的" + }, + "illustrious": { + "CHS": "著名的,杰出的;辉煌的", + "ENG": "famous and admired because of what you have achieved" + }, + "set": { + "CHS": "固定的;规定的;固执的", + "ENG": "a set amount, time etc is fixed and is never changed" + }, + "virtuous": { + "CHS": "善良的;有道德的;贞洁的;正直的;有效力的", + "ENG": "behaving in a very honest and moral way" + }, + "kinetic": { + "CHS": "[力] 运动的;活跃的", + "ENG": "relating to movement" + }, + "consensus": { + "CHS": "一致;舆论;合意", + "ENG": "an opinion that everyone in a group agrees with or accepts" + }, + "dictatorial": { + "CHS": "独裁的,专政的;专横傲慢的", + "ENG": "a dictatorial government or ruler has complete power over a country" + }, + "submersion": { + "CHS": "淹没,浸没", + "ENG": "the action of going under water, or the state of being completely covered in liquid" + }, + "plural": { + "CHS": "复数", + "ENG": "a form of a word that shows you are talking about more than one thing, person etc. For example, ‘dogs’ is the plural of ‘dog’" + }, + "bursar": { + "CHS": "财务主管;会计员;领取奖学金的学生", + "ENG": "someone at a school or college who deals with the accounts and office work" + }, + "assimilation": { + "CHS": "同化;吸收;[生化] 同化作用", + "ENG": "the process of understanding and using new ideas" + }, + "enhance": { + "CHS": "提高;加强;增加", + "ENG": "to improve something" + }, + "irascible": { + "CHS": "易怒的", + "ENG": "easily becoming angry" + }, + "gratuity": { + "CHS": "赏钱,小费;赠物;[劳经] 退职金", + "ENG": "a small gift of money given to someone for a service they provided" + }, + "instantaneous": { + "CHS": "瞬间的;即时的;猝发的", + "ENG": "happening immediately" + }, + "naturalistic": { + "CHS": "自然的;自然主义的;博物学的", + "ENG": "painted, written etc according to the ideas of naturalism" + }, + "suspension": { + "CHS": "悬浮;暂停;停职", + "ENG": "when something is officially stopped for a period of time" + }, + "tenuous": { + "CHS": "纤细的;稀薄的;贫乏的", + "ENG": "very thin and easily broken" + }, + "languish": { + "CHS": "憔悴;凋萎;失去活力;苦思" + }, + "equanimity": { + "CHS": "平静;镇定", + "ENG": "calmness in the way that you react to things, which means that you do not become upset or annoyed" + }, + "dimension": { + "CHS": "规格的" + }, + "recollect": { + "CHS": "回忆,想起", + "ENG": "to be able to remember something" + }, + "trammel": { + "CHS": "拘束;束缚;束缚物", + "ENG": "a hindrance to free action or movement " + }, + "peevish": { + "CHS": "易怒的,暴躁的;带怒气的;撒娇的", + "ENG": "easily annoyed by small and unimportant things" + }, + "cilia": { + "CHS": "纤毛;睫毛" + }, + "outlaw": { + "CHS": "宣布…为不合法;将…放逐;剥夺…的法律保护", + "ENG": "When something is outlawed, it is made illegal" + }, + "camaraderie": { + "CHS": "友情;同志之爱", + "ENG": "a feeling of friendship that a group of people have, especially when they work together" + }, + "respiration": { + "CHS": "呼吸;呼吸作用", + "ENG": "the process of breathing" + }, + "ancestry": { + "CHS": "祖先;血统", + "ENG": "the members of your family who lived a long time ago" + }, + "symphonious": { + "CHS": "和谐的;调和的", + "ENG": "harmonious or concordant " + }, + "punctuate": { + "CHS": "不时打断;强调;加标点于", + "ENG": "to divide written work into sentences, phrases etc using comma s , full stop s etc" + }, + "indigence": { + "CHS": "穷困;贫乏;贫穷" + }, + "cajole": { + "CHS": "以甜言蜜语哄骗;勾引", + "ENG": "to gradually persuade someone to do something by being nice to them, or making promises to them" + }, + "forsake": { + "CHS": "放弃;断念", + "ENG": "to stop doing, using, or having something that you enjoy" + }, + "mariner": { + "CHS": "水手;船员", + "ENG": "a sailor " + }, + "bizarre": { + "CHS": "奇异的(指态度,容貌,款式等)", + "ENG": "very unusual or strange" + }, + "saccharine": { + "CHS": "(美)糖精" + }, + "terse": { + "CHS": "简洁的,精练的,扼要的" + }, + "polemics": { + "CHS": "辩论术;论证法(polemic的复数)", + "ENG": "the art or practice of dispute or argument, as in attacking or defending a doctrine or belief " + }, + "retinue": { + "CHS": "随行人员;扈从", + "ENG": "a group of people who travel with someone important to help and support them" + }, + "renaissance": { + "CHS": "文艺复兴(欧洲14至17世纪)", + "ENG": "a new interest in something, especially a particular form of art, music etc, that has not been popular for a long period" + }, + "urbane": { + "CHS": "彬彬有礼的,温文尔雅的;都市化的", + "ENG": "behaving in a relaxed and confident way in social situations" + }, + "ecstatic": { + "CHS": "狂喜的人" + }, + "gypsum": { + "CHS": "石膏;石膏肥料", + "ENG": "a soft white substance that is used to make plaster of paris " + }, + "apparatus": { + "CHS": "装置,设备;仪器;器官", + "ENG": "the set of tools and machines that you use for a particular scientific, medical, or technical purpose" + }, + "embrace": { + "CHS": "拥抱", + "ENG": "the act of holding someone close to you, especially as a sign of love" + }, + "inhibit": { + "CHS": "抑制;禁止", + "ENG": "to prevent something from growing or developing well" + }, + "contradictory": { + "CHS": "对立物;矛盾因素" + }, + "prohibitive": { + "CHS": "禁止的,禁止性的;抑制的;(费用,价格等)过高的;类同禁止的", + "ENG": "a prohibitive rule prevents people from doing things" + }, + "vociferate": { + "CHS": "喊叫;大叫", + "ENG": "to shout loudly, especially when you are complaining" + }, + "archaeology": { + "CHS": "考古学", + "ENG": "the study of ancient societies by examining what remains of their buildings, grave s , tools etc" + }, + "alimentary": { + "CHS": "滋养的;食物的", + "ENG": "of or relating to nutrition " + }, + "credulity": { + "CHS": "轻信;易受骗", + "ENG": "willingness or ability to believe that something is true" + }, + "counteract": { + "CHS": "抵消;中和;阻碍", + "ENG": "to reduce or prevent the bad effect of something, by doing something that has the opposite effect" + }, + "apogee": { + "CHS": "位于远地点;位于最高点" + }, + "rabid": { + "CHS": "激烈的;狂暴的;偏激的;患狂犬病的", + "ENG": "having very extreme and unreasonable opinions" + }, + "diurnal": { + "CHS": "日记账;日报,日刊" + }, + "emotion": { + "CHS": "情感;情绪", + "ENG": "a strong human feeling such as love, hate, or anger" + }, + "heteromorphic": { + "CHS": "[生物] 异形的,[生物] 异态的;[化学] 多晶型的", + "ENG": "differing from the normal form in size, shape, and function " + }, + "displace": { + "CHS": "取代;置换;转移;把…免职;排水", + "ENG": "to take the place or position of something or someone" + }, + "stripling": { + "CHS": "年轻人,小伙子", + "ENG": "a boy who is almost a young man – sometimes used humorously about a man who is quite old" + }, + "terrify": { + "CHS": "恐吓;使恐怖;使害怕", + "ENG": "to make someone extremely afraid" + }, + "indolent": { + "CHS": "懒惰的;无痛的", + "ENG": "lazy" + }, + "recriminate": { + "CHS": "反责;反唇相讥", + "ENG": "to return an accusation against someone or engage in mutual accusations " + }, + "apparent": { + "CHS": "显然的;表面上的", + "ENG": "seeming to have a particular feeling or attitude, although this may not be true" + }, + "perennial": { + "CHS": "多年生植物", + "ENG": "a plant that lives for more than two years" + }, + "inimical": { + "CHS": "敌意的;有害的" + }, + "heterogeneity": { + "CHS": "[生物] 异质性;[化学] 不均匀性;[化学] 多相性" + }, + "nominate": { + "CHS": "推荐;提名;任命;指定", + "ENG": "to officially suggest someone or something for an important position, duty, or prize" + }, + "seclusion": { + "CHS": "隔离;隐退;隐蔽的地方" + }, + "polar": { + "CHS": "极面;极线" + }, + "scour": { + "CHS": "擦,冲刷;洗涤剂;(畜类等的)腹泻", + "ENG": "the act of scouring " + }, + "stigma": { + "CHS": "[植] 柱头;耻辱;污名;烙印;特征", + "ENG": "a strong feeling in society that being in a particular situation or having a particular illness is something to be ashamed of" + }, + "refractory": { + "CHS": "倔强的人;耐火物质" + }, + "disregard": { + "CHS": "忽视;不尊重", + "ENG": "when someone ignores something that they should not ignore" + }, + "simultaneous": { + "CHS": "同时译员" + }, + "levee": { + "CHS": "为…筑堤" + }, + "pollute": { + "CHS": "污染;玷污;败坏", + "ENG": "to make air, water, soil etc dangerously dirty and not suitable for people to use" + }, + "prejudice": { + "CHS": "损害;使有偏见", + "ENG": "to influence someone so that they have an unfair or unreasonable opinion about someone or something" + }, + "stern": { + "CHS": "严厉的;坚定的", + "ENG": "serious and strict, and showing strong disapproval of someone’s behaviour" + }, + "colloid": { + "CHS": "[物化] 胶质", + "ENG": "a mixture having particles of one component, with diameters between 10–7 and 10–9 metres, suspended in a continuous phase of another component" + }, + "admittance": { + "CHS": "进入;入场权;通道", + "ENG": "permission to enter a place" + }, + "ductile": { + "CHS": "柔软的;易教导的;易延展的", + "ENG": "ductile metals can be pressed or pulled into shape without needing to be heated" + }, + "divergent": { + "CHS": "相异的,分歧的;散开的", + "ENG": "Divergent things are different from each other" + }, + "triangle": { + "CHS": "三角(形);三角关系;三角形之物;三人一组", + "ENG": "a flat shape with three straight sides and three angles" + }, + "detonate": { + "CHS": "使爆炸", + "ENG": "to explode or to make something explode" + }, + "occult": { + "CHS": "神秘学", + "ENG": "mysterious practices and powers involving magic and spirits" + }, + "inchoate": { + "CHS": "开始" + }, + "placenta": { + "CHS": "[胚] 胎盘;[植] 胎座", + "ENG": "an organ that forms inside a woman’s uterus to feed an unborn baby" + }, + "inconsistent": { + "CHS": "不一致的;前后矛盾的", + "ENG": "two statements that are inconsistent cannot both be true" + }, + "adhesion": { + "CHS": "粘附;支持;固定" + }, + "taunt": { + "CHS": "很高的" + }, + "juxtaposition": { + "CHS": "并置,并列;毗邻", + "ENG": "The juxtaposition of two contrasting objects, images, or ideas is the fact that they are placed together or described together, so that the differences between them are emphasized" + }, + "testament": { + "CHS": "[法] 遗嘱;圣约;确实的证明", + "ENG": "a will 2 2 " + }, + "acquainted": { + "CHS": "使了解(acquaint的过去分词)" + }, + "inventive": { + "CHS": "发明的;有发明才能的;独出心裁的", + "ENG": "An inventive person is good at inventing things or has clever and original ideas" + }, + "adversity": { + "CHS": "逆境;不幸;灾难;灾祸", + "ENG": "a situation in which you have a lot of problems that seem to be caused by bad luck" + }, + "erratic": { + "CHS": "漂泊无定的人;古怪的人" + }, + "reck": { + "CHS": "(Reck)人名;(英、德、匈、波)雷克" + }, + "instruct": { + "CHS": "指导;通知;命令;教授", + "ENG": "to officially tell someone what to do" + }, + "substantiate": { + "CHS": "证实;使实体化", + "ENG": "to prove the truth of something that someone has said, claimed etc" + }, + "centurion": { + "CHS": "百夫长;百人队队长", + "ENG": "an army officer of ancient Rome, who was in charge of about 100 soldiers" + }, + "recuperate": { + "CHS": "恢复,复原;挽回损失", + "ENG": "to get better again after an illness or injury" + }, + "diagonal": { + "CHS": "对角线;斜线" + }, + "prehension": { + "CHS": "理解;抓住", + "ENG": "the act of grasping " + }, + "effigy": { + "CHS": "雕像,肖像", + "ENG": "a statueof a famous person" + }, + "neutrality": { + "CHS": "中立;中性;中立立场", + "ENG": "the state of not supporting either side in an argument or war" + }, + "competence": { + "CHS": "能力,胜任;权限;作证能力;足以过舒适生活的收入", + "ENG": "the ability to do something well" + }, + "rapine": { + "CHS": "掠夺;劫掠", + "ENG": "the seizure of property by force; pillage " + }, + "appropriate": { + "CHS": "占用,拨出", + "ENG": "to take something for yourself when you do not have the right to do this" + }, + "benignant": { + "CHS": "良性的;仁慈的;有益的;和蔼的", + "ENG": "kind; gracious, as a king to his subjects " + }, + "overlap": { + "CHS": "部分重叠;部分的同时发生", + "ENG": "If one thing overlaps another, or if you overlap them, a part of the first thing occupies the same area as a part of the other thing. You can also say that two things overlap. " + }, + "premise": { + "CHS": "前提;上述各项;房屋连地基", + "ENG": "the buildings and land that a shop, restaurant, company etc uses" + }, + "outburst": { + "CHS": "(火山、情感等的)爆发;破裂", + "ENG": "An outburst of an emotion, especially anger, is a sudden strong expression of that emotion" + }, + "usurious": { + "CHS": "高利贷的", + "ENG": "a usurious price or rate of interest14 is unfairly high" + }, + "forthright": { + "CHS": "直路" + }, + "inviolable": { + "CHS": "不可侵犯的;神圣的;不可亵渎的", + "ENG": "an inviolable right, law, principle etc is extremely important and should be treated with respect and not broken or removed" + }, + "academy": { + "CHS": "学院;研究院;学会;专科院校", + "ENG": "an official organization which encourages the development of literature, art, science etc" + }, + "encyclopedia": { + "CHS": "百科全书(亦是encyclopaedia)", + "ENG": "a book or cd, or a set of these, containing facts about many different subjects, or containing detailed facts about one subject" + }, + "conventional": { + "CHS": "符合习俗的,传统的;常见的;惯例的", + "ENG": "a conventional method, product, practice etc has been used for a long time and is considered the usual type" + }, + "intersect": { + "CHS": "相交,交叉", + "ENG": "if two lines or roads intersect, they meet or go across each other" + }, + "dearth": { + "CHS": "缺乏;饥馑;粮食不足", + "ENG": "a situation in which there are very few of something that people want or need" + }, + "bridge": { + "CHS": "架桥;渡过", + "ENG": "to build or form a bridge over something" + }, + "release": { + "CHS": "释放;发布;让与", + "ENG": "when someone is officially allowed to go free, after being kept somewhere" + }, + "accolade": { + "CHS": "荣誉;荣誉称号授予仪式;连谱号;称赞", + "ENG": "If someone is given an accolade, something is done or said about them which shows how much people admire them" + }, + "appreciate": { + "CHS": "欣赏;感激;领会;鉴别", + "ENG": "used to thank someone in a polite way or to say that you are grateful for something they have done" + }, + "equivalent": { + "CHS": "等价物,相等物", + "ENG": "something that has the same value, purpose, job etc as something else" + }, + "nomadic": { + "CHS": "游牧的;流浪的;游动的", + "ENG": "nomadic people are nomads" + }, + "scope": { + "CHS": "审视" + }, + "erosion": { + "CHS": "侵蚀,腐蚀", + "ENG": "the process by which rock or soil is gradually destroyed by wind, rain, or the sea" + }, + "organelle": { + "CHS": "[细胞] 细胞器;细胞器官", + "ENG": "a structural and functional unit, such as a mitochondrion, in a cell or unicellular organism " + }, + "mutation": { + "CHS": "[遗] 突变;变化;元音变化", + "ENG": "a change in the genetic structure of an animal or plant that makes it different from others of the same kind" + }, + "combustion": { + "CHS": "燃烧,氧化;骚动", + "ENG": "the process of burning" + }, + "adverse": { + "CHS": "不利的;相反的;敌对的(名词adverseness,副词adversely)", + "ENG": "not good or favourable" + }, + "achromatic": { + "CHS": "消色差的;非染色质的;非彩色的", + "ENG": "without colour " + }, + "affiliate": { + "CHS": "使附属;接纳;使紧密联系", + "ENG": "if a group or organization affiliates to or with another larger one, it forms a close connection with it" + }, + "fungi": { + "CHS": "真菌;菌类;蘑菇(fungus的复数)" + }, + "variegated": { + "CHS": "成为杂色(variegate的过去式)" + }, + "poverty": { + "CHS": "贫困;困难;缺少;低劣", + "ENG": "the situation or experience of being poor" + }, + "stupor": { + "CHS": "昏迷,恍惚;麻木", + "ENG": "a state in which you cannot think, speak, see, or hear clearly, usually because you have drunk too much alcohol or taken drugs" + }, + "inhume": { + "CHS": "埋葬;土葬", + "ENG": "to inter; bury " + }, + "indifferent": { + "CHS": "漠不关心的;无关紧要的;中性的,中立的", + "ENG": "not at all interested in someone or something" + }, + "generator": { + "CHS": "发电机;发生器;生产者", + "ENG": "a machine that produces electricity" + }, + "evolve": { + "CHS": "发展,进化;进化;使逐步形成;推断出", + "ENG": "if an animal or plant evolves, it changes gradually over a long period of time" + }, + "abstract": { + "CHS": "摘要;提取;使……抽象化;转移(注意力、兴趣等);使心不在焉", + "ENG": "to write a document containing the most important ideas or points from a speech, article etc" + }, + "granule": { + "CHS": "颗粒", + "ENG": "a small hard piece of something" + }, + "bauxite": { + "CHS": "矾土,[矿物] 铁铝氧石;[矿物] 铝土矿", + "ENG": "a soft substance that aluminium is obtained from" + }, + "bowdlerize": { + "CHS": "删改;删除不妥的文句", + "ENG": "to remove all the parts of a book, play etc that you think might offend someone – used to show disapproval" + }, + "puissant": { + "CHS": "(Puissant)人名;(法)皮桑" + }, + "shriek": { + "CHS": "尖声;尖锐的响声", + "ENG": "a loud high sound made because you are frightened, excited, angry etc" + }, + "esteem": { + "CHS": "尊重;尊敬", + "ENG": "a feeling of respect for someone, or a good opinion of someone" + }, + "diligent": { + "CHS": "(Diligent)人名;(法)迪利让" + }, + "renunciation": { + "CHS": "放弃;脱离关系;拒绝承认;抛弃;弃权", + "ENG": "when someone makes a formal decision to no longer believe in something, live in a particular way etc" + }, + "propitious": { + "CHS": "适合的;吉利的;顺利的", + "ENG": "good and likely to bring good results" + }, + "divisor": { + "CHS": "除数;因子", + "ENG": "the number by which another number is to be divided" + }, + "vile": { + "CHS": "(Vile)人名;(英)瓦伊尔;(芬)维莱" + }, + "eradicate": { + "CHS": "根除,根绝;消灭", + "ENG": "to completely get rid of something such as a disease or a social problem" + }, + "everlasting": { + "CHS": "永恒的;接连不断的", + "ENG": "continuing for ever, even after someone has died" + }, + "venerate": { + "CHS": "崇敬,尊敬", + "ENG": "to honour or respect someone or something because they are old, holy, or connected with the past" + }, + "duration": { + "CHS": "持续,持续的时间,期间", + "ENG": "the length of time that something continues" + }, + "benediction": { + "CHS": "祝福;赐福;恩赐;祈求上帝赐福的仪式", + "ENG": "a Christian prayer that asks God to protect and help someone" + }, + "unconscious": { + "CHS": "无意识的;失去知觉的;不省人事的;未发觉的", + "ENG": "unable to see, move, feel etc in the normal way because you are not conscious" + }, + "fossil": { + "CHS": "化石的;陈腐的,守旧的" + }, + "digestion": { + "CHS": "消化;领悟", + "ENG": "the process of digesting food" + }, + "accursed": { + "CHS": "被诅咒的;讨厌的;可憎的", + "ENG": "used to show that something makes you very angry" + }, + "constitute": { + "CHS": "组成,构成;建立;任命", + "ENG": "if several people or things constitute something, they are the parts that form it" + }, + "volitive": { + "CHS": "意志的;表示意志的;发自意志的", + "ENG": "of, relating to, or emanating from the will " + }, + "introspect": { + "CHS": "反省;内省", + "ENG": "to examine and analyse one's own thoughts and feelings " + }, + "compound": { + "CHS": "合成;混合;恶化,加重;和解,妥协", + "ENG": "to make a difficult situation worse by adding more problems" + }, + "decorous": { + "CHS": "有礼貌的,高雅的;端正的", + "ENG": "having the correct appearance or behaviour for a particular occasion" + }, + "redeem": { + "CHS": "赎回;挽回;兑换;履行;补偿;恢复", + "ENG": "to make something less bad" + }, + "metabolic": { + "CHS": "变化的;新陈代谢的", + "ENG": "relating to your body’s metabolism" + }, + "lucid": { + "CHS": "明晰的;透明的;易懂的;头脑清楚的", + "ENG": "expressed in a way that is clear and easy to understand" + }, + "quail": { + "CHS": "鹌鹑", + "ENG": "a small fat bird with a short tail that is hunted for food or sport, or the meat from this bird" + }, + "neutralize": { + "CHS": "抵销;使…中和;使…无效;使…中立", + "ENG": "to prevent something from having any effect" + }, + "torque": { + "CHS": "(向轴、螺栓、圆轮等)施以扭动力;(使)沿轴转动;使(绕轴等)扭转;施加转矩" + }, + "optimal": { + "CHS": "最佳的;最理想的", + "ENG": "the best or most suitable" + }, + "wistful": { + "CHS": "渴望的;沉思的,默想的;引起怀念的;不满足似的", + "ENG": "thinking sadly about something you would like to have but cannot have, especially something that you used to have in the past" + }, + "playwright": { + "CHS": "剧作家", + "ENG": "someone who writes plays" + }, + "calumniate": { + "CHS": "诽谤;中伤;诬蔑", + "ENG": "to slander " + }, + "bustle": { + "CHS": "喧闹;活跃;裙撑;热闹的活动", + "ENG": "busy and usually noisy activity" + }, + "conscientious": { + "CHS": "认真的;尽责的;本着良心的;小心谨慎的", + "ENG": "careful to do everything that it is your job or duty to do" + }, + "cerebration": { + "CHS": "思考;精神活动;脑髓作用", + "ENG": "the act of thinking; consideration; thought " + }, + "imperative": { + "CHS": "必要的事;命令;需要;规则;[语]祈使语气", + "ENG": "something that must be done urgently" + }, + "inspiration": { + "CHS": "灵感;鼓舞;吸气;妙计", + "ENG": "a good idea about what you should do, write, say etc, especially one which you get suddenly" + }, + "befog": { + "CHS": "使困惑,使模糊;罩入雾中", + "ENG": "to surround with fog " + }, + "equiangular": { + "CHS": "等角的", + "ENG": "having all angles equal " + }, + "acidify": { + "CHS": "[化学] 酸化;变酸", + "ENG": "to become an acid or make something become an acid" + }, + "avalanche": { + "CHS": "雪崩" + }, + "homogeneous": { + "CHS": "均匀的;[数] 齐次的;同种的;同类的,同质的", + "ENG": "Homogeneous is used to describe a group or thing which has members or parts that are all the same" + }, + "pugnacious": { + "CHS": "好斗的,好战的", + "ENG": "very eager to argue or fight with people" + }, + "callosity": { + "CHS": "无情;老茧皮;硬结" + }, + "ultramontane": { + "CHS": "山那边的", + "ENG": "on the other side of the mountains, esp the Alps, from the speaker or writer " + }, + "calumny": { + "CHS": "诽谤;中伤;诬蔑", + "ENG": "when someone says things like this" + }, + "seedy": { + "CHS": "多种子的;结籽的;破烂的;没精打采的;下流的" + }, + "qualm": { + "CHS": "疑虑;不安", + "ENG": "a feeling of slight worry or doubt because you are not sure that what you are doing is right" + }, + "taciturn": { + "CHS": "沉默寡言的;无言的,不太说话的", + "ENG": "speaking very little, so that you seem unfriendly" + }, + "punctual": { + "CHS": "准时的,守时的;精确的", + "ENG": "arriving, happening, or being done at exactly the time that has been arranged" + }, + "displacement": { + "CHS": "取代,位移;[船] 排水量", + "ENG": "the weight or volume of liquid that something replaces when it floats in that liquid – used especially to describe how heavy something such as a ship is" + }, + "periscope": { + "CHS": "潜望镜", + "ENG": "a long tube with mirrors fitted in it, used to look over the top of something, especially to see out of a submarine " + }, + "assess": { + "CHS": "评定;估价;对…征税", + "ENG": "to make a judgment about a person or situation after thinking carefully about it" + }, + "pauper": { + "CHS": "贫民的" + }, + "colloquy": { + "CHS": "以对话体写的文章;谈话,会话", + "ENG": "a conversation" + }, + "bestrew": { + "CHS": "布满;散布" + }, + "intrinsic": { + "CHS": "本质的,固有的", + "ENG": "being part of the nature or character of someone or something" + }, + "comely": { + "CHS": "清秀的,标致的", + "ENG": "a comely woman is attractive" + }, + "homologous": { + "CHS": "相应的;[生物] 同源的;类似的;一致的", + "ENG": "having a related or similar position, structure, etc " + }, + "ingenuous": { + "CHS": "天真的;坦白的;正直的;朴实的", + "ENG": "an ingenuous person is simple, trusting, and honest, especially because they have not had much experience of life" + }, + "nebula": { + "CHS": "星云;角膜云翳", + "ENG": "a mass of gas and dust among the stars, which often appears as a bright cloud in the sky at night" + }, + "prosecute": { + "CHS": "检举;贯彻;从事;依法进行", + "ENG": "if a lawyer prosecutes a case, he or she tries to prove that the person charged with a crime is guilty" + }, + "ebullient": { + "CHS": "热情洋溢的;沸腾的", + "ENG": "If you describe someone as ebullient, you mean that they are lively and full of enthusiasm or excitement about something" + }, + "absence": { + "CHS": "没有;缺乏;缺席;不注意", + "ENG": "when you are not in the place where people expect you to be, or the time that you are away" + }, + "coercion": { + "CHS": "强制;强迫;高压政治;威压", + "ENG": "the use of threats or orders to make someone do something they do not want to do" + }, + "circumvent": { + "CHS": "包围;智取;绕行,规避", + "ENG": "to avoid a problem or rule that restricts you, especially in a clever or dishonest way – used to show disapproval" + }, + "amatory": { + "CHS": "恋爱的,情人的", + "ENG": "expressing sexual or romantic love" + }, + "swindle": { + "CHS": "诈骗;骗取", + "ENG": "to get money from someone by deceiving them" + }, + "preemption": { + "CHS": "优先购买;强制收购;抢先占有;取代" + }, + "athirst": { + "CHS": "渴望的", + "ENG": "having an eager desire; longing " + }, + "ensemble": { + "CHS": "同时" + }, + "artifact": { + "CHS": "人工制品;手工艺品" + }, + "succumb": { + "CHS": "屈服;死;被压垮", + "ENG": "to stop opposing someone or something that is stronger than you, and allow them to take control" + }, + "mixture": { + "CHS": "混合;混合物;混合剂", + "ENG": "a combination of two or more different things, feelings, or types of people" + }, + "assert": { + "CHS": "维护,坚持;断言;主张;声称", + "ENG": "to state firmly that something is true" + }, + "viceroy": { + "CHS": "总督;(北美)一种黑色蝴蝶", + "ENG": "a man who was sent by a king or queen in the past to rule another country" + }, + "variable": { + "CHS": "[数] 变量;可变物,可变因素", + "ENG": "something that may be different in different situations, so that you cannot be sure what will happen" + }, + "feat": { + "CHS": "合适的;灵巧的" + }, + "decrease": { + "CHS": "减少,减小", + "ENG": "to become less or go down to a lower level, or to make something do this" + }, + "figurine": { + "CHS": "小雕像,小塑像", + "ENG": "a small model of a person or animal used as a decoration" + }, + "prohibition": { + "CHS": "禁止;禁令;禁酒;诉讼中止令", + "ENG": "the act of saying that something is illegal" + }, + "caucus": { + "CHS": "召开干部会议;开核心会议" + }, + "hormone": { + "CHS": "[生理] 激素,荷尔蒙", + "ENG": "a chemical substance produced by your body that influences its growth, development, and condition" + }, + "sentient": { + "CHS": "有知觉的人" + }, + "blockbuster": { + "CHS": "轰动;巨型炸弹;一鸣惊人者", + "ENG": "a book or film that is very good or successful" + }, + "questionable": { + "CHS": "可疑的;有问题的", + "ENG": "not likely to be true or correct" + }, + "punctilious": { + "CHS": "一丝不苟的;精密细心的;拘泥形式的", + "ENG": "very careful to behave correctly and follow rules" + }, + "album": { + "CHS": "相簿;唱片集;集邮簿;签名纪念册", + "ENG": "a book that you put photographs, stamps etc in" + }, + "valediction": { + "CHS": "告别演说;告别词", + "ENG": "the act of saying goodbye, especially in a formal speech" + }, + "encounter": { + "CHS": "遭遇,偶然碰见", + "ENG": "an occasion when you meet or experience something" + }, + "ruminate": { + "CHS": "反刍;沉思;反复思考", + "ENG": "to think carefully and deeply about something" + }, + "stunt": { + "CHS": "阻碍…的正常生长或发展", + "ENG": "to stop something or someone from growing to their full size or developing properly" + }, + "abrupt": { + "CHS": "生硬的;突然的;唐突的;陡峭的", + "ENG": "sudden and unexpected" + }, + "drought": { + "CHS": "干旱;缺乏", + "ENG": "a long period of dry weather when there is not enough water for plants and animals to live" + }, + "affected": { + "CHS": "影响;假装;使…感动(affect的过去式和过去分词)" + }, + "commit": { + "CHS": "犯罪,做错事;把交托给;指派…作战;使…承担义务", + "ENG": "to do something wrong or illegal" + }, + "cherish": { + "CHS": "珍爱", + "ENG": "if you cherish something, it is very important to you" + }, + "glamorous": { + "CHS": "迷人的,富有魅力的", + "ENG": "attractive, exciting, and related to wealth and success" + }, + "pluralism": { + "CHS": "多元主义;多元论;兼任", + "ENG": "when people of many different races, religions, and political beliefs live together in the same society, or the belief that this can happen successfully" + }, + "instance": { + "CHS": "举为例", + "ENG": "to give something as an example" + }, + "barometer": { + "CHS": "[气象] 气压计;晴雨表;显示变化的事物", + "ENG": "an instrument that measures changes in the air pressure and the weather, or that calculates height above sea level" + }, + "austere": { + "CHS": "严峻的;简朴的;苦行的;无装饰的", + "ENG": "plain and simple and without any decoration" + }, + "disingenuous": { + "CHS": "虚伪的;不诚实的;不老实的;狡猾的", + "ENG": "not sincere and slightly dishonest" + }, + "miscount": { + "CHS": "数错;误算", + "ENG": "a false count or calculation " + }, + "charming": { + "CHS": "使陶醉(charm的现在分词)" + }, + "deference": { + "CHS": "顺从;尊重", + "ENG": "polite behaviour that shows that you respect someone and are therefore willing to accept their opinions or judgment" + }, + "preempt": { + "CHS": "先占;先取;以先买权获得" + }, + "practitioner": { + "CHS": "开业者,从业者,执业医生", + "ENG": "someone who works as a doctor or a lawyer" + }, + "pageant": { + "CHS": "盛会;游行;虚饰;露天表演" + }, + "pigment": { + "CHS": "给…着色" + }, + "lacerate": { + "CHS": "受折磨的;撕碎的" + }, + "efficacious": { + "CHS": "有效的;灵验的", + "ENG": "working in the way you intended" + }, + "conjugation": { + "CHS": "结合,配合;动词的词形变化", + "ENG": "the way that a particular verb conjugates" + }, + "ambulance": { + "CHS": "[车辆][医] 救护车;战时流动医院", + "ENG": "a special vehicle that is used to take people who are ill or injured to hospital" + }, + "humble": { + "CHS": "使谦恭;轻松打败(尤指强大的对手);低声下气", + "ENG": "If you humble someone who is more important or powerful than you, you defeat them easily" + }, + "minority": { + "CHS": "少数的;属于少数派的" + }, + "fortitude": { + "CHS": "刚毅;不屈不挠;勇气", + "ENG": "courage shown when you are in great pain or experiencing a lot of trouble" + }, + "antibody": { + "CHS": "[免疫] 抗体", + "ENG": "a substance produced by your body to fight disease" + }, + "narrate": { + "CHS": "叙述;给…作旁白", + "ENG": "to tell a story by describing all the events in order, for example in a book" + }, + "sophism": { + "CHS": "诡辩", + "ENG": "an instance of sophistry " + }, + "sum": { + "CHS": "概括" + }, + "unyielding": { + "CHS": "不屈的;坚强的;[材] 不易弯曲的", + "ENG": "not willing to change your ideas or beliefs" + }, + "paragon": { + "CHS": "完美的" + }, + "aliment": { + "CHS": "向…提供营养物" + }, + "illiterate": { + "CHS": "文盲", + "ENG": "someone who has not learned to read or write" + }, + "panorama": { + "CHS": "全景,全貌;全景画;概论", + "ENG": "an impressive view of a wide area of land" + }, + "vivify": { + "CHS": "使生动;使活跃;给与生气", + "ENG": "to bring to life; animate " + }, + "abundant": { + "CHS": "丰富的;充裕的;盛产", + "ENG": "something that is abundant exists or is available in large quantities so that there is more than enough" + }, + "acrimony": { + "CHS": "辛辣;尖刻;严厉" + }, + "rust": { + "CHS": "使生锈;腐蚀", + "ENG": "to become covered with rust, or to make something become covered in rust" + }, + "fission": { + "CHS": "裂变;分裂;分体;分裂生殖法", + "ENG": "the process of splitting an atom to produce large amounts of energy or an explosion" + }, + "volition": { + "CHS": "意志,意志力;决断力" + }, + "recapitulate": { + "CHS": "概括;重述要点;摘要", + "ENG": "to repeat the main points of something that has just been said" + }, + "ominous": { + "CHS": "预兆的;不吉利的", + "ENG": "making you feel that something bad is going to happen" + }, + "pedigree": { + "CHS": "纯种的", + "ENG": "a pedigree animal comes from a family that has been recorded for a long time and is considered to be of a very good breed " + }, + "ethnic": { + "CHS": "种族的;人种的", + "ENG": "relating to a particular race, nation, or tribe and their customs and traditions" + }, + "negate": { + "CHS": "对立面;反面" + }, + "granular": { + "CHS": "颗粒的;粒状的", + "ENG": "consisting of granules" + }, + "malodorous": { + "CHS": "有恶臭的;令人极为反感的;不合法的", + "ENG": "smelling unpleasant" + }, + "nascent": { + "CHS": "初期的;开始存在的,发生中的", + "ENG": "coming into existence or starting to develop" + }, + "negotiate": { + "CHS": "谈判,商议;转让;越过", + "ENG": "to discuss something in order to reach an agreement, especially in business or politics" + }, + "capricious": { + "CHS": "反复无常的;任性的", + "ENG": "likely to change your mind suddenly or behave in an unexpected way" + }, + "impartial": { + "CHS": "公平的,公正的;不偏不倚的", + "ENG": "not involved in a particular situation, and therefore able to give a fair opinion or piece of advice" + }, + "organic": { + "CHS": "[有化] 有机的;组织的;器官的;根本的", + "ENG": "living, or produced by or from living things" + }, + "distort": { + "CHS": "扭曲;使失真;曲解", + "ENG": "to report something in a way that is not completely true or correct" + }, + "temporal": { + "CHS": "世间万物;暂存的事物" + }, + "scribble": { + "CHS": "乱写;滥写;潦草地书写", + "ENG": "to write something quickly and untidily" + }, + "calculus": { + "CHS": "[病理] 结石;微积分学", + "ENG": "the part of mathematics that deals with changing quantities, such as the speed of a falling stone or the slope of a curved line" + }, + "electrolysis": { + "CHS": "[化学] 电解,[化学] 电解作用;以电针除痣", + "ENG": "the process of separating a liquid into its chemical parts by passing an electric current through it" + }, + "circuit": { + "CHS": "环行" + }, + "dissuade": { + "CHS": "劝阻,劝止", + "ENG": "to persuade someone not to do something" + }, + "relish": { + "CHS": "盼望;期待;享受; 品味;喜爱;给…加佐料", + "ENG": "to enjoy an experience or the thought of something that is going to happen" + }, + "brief": { + "CHS": "简报,摘要;作…的提要" + }, + "impetuous": { + "CHS": "冲动的;鲁莽的;猛烈的", + "ENG": "tending to do things very quickly, without thinking carefully first, or showing this quality" + }, + "odorous": { + "CHS": "香的;有气味的;难闻的", + "ENG": "having a smell" + }, + "malice": { + "CHS": "恶意;怨恨;预谋", + "ENG": "the desire to harm someone because you hate them" + }, + "astringent": { + "CHS": "[药] 收敛剂;止血药", + "ENG": "a liquid used to make your skin less oily or to stop a wound from bleeding" + }, + "brine": { + "CHS": "用浓盐水处理(或浸泡)" + }, + "venerable": { + "CHS": "庄严的,值得尊敬的;珍贵的", + "ENG": "A venerable person deserves respect because they are old and wise" + }, + "prototype": { + "CHS": "原型;标准,模范", + "ENG": "the first form that a new design of a car, machine etc has, or a model of it used to test the design before it is produced" + }, + "corrupt": { + "CHS": "使腐烂;使堕落,使恶化", + "ENG": "to encourage someone to start behaving in an immoral or dishonest way" + }, + "agility": { + "CHS": "敏捷;灵活;机敏" + }, + "coercive": { + "CHS": "强制的;胁迫的;高压的", + "ENG": "using threats or orders to make someone do something they do not want to do" + }, + "carnage": { + "CHS": "大屠杀;残杀;大量绝灭", + "ENG": "when a lot of people are killed and injured, especially in a war" + }, + "simultaneously": { + "CHS": "同时地" + }, + "urea": { + "CHS": "[肥料] 尿素" + }, + "serenity": { + "CHS": "平静,宁静;晴朗,风和日丽" + }, + "toxic": { + "CHS": "有毒的;中毒的", + "ENG": "containing poison, or caused by poisonous substances" + }, + "yearling": { + "CHS": "一岁的" + }, + "guile": { + "CHS": "狡猾;诡计;欺诈", + "ENG": "the use of clever but dishonest methods to deceive someone" + }, + "affiliation": { + "CHS": "友好关系;加入;联盟;从属关系", + "ENG": "the connection or involvement that someone or something has with a political, religious etc organization" + }, + "compression": { + "CHS": "压缩,浓缩;压榨,压迫" + }, + "cameo": { + "CHS": "(影视剧中的)配角;刻有浮雕的宝石或贝壳;小品文", + "ENG": "a small piece of jewellery with a raised shape, usually a person’s face, on a flat background of a different colour" + }, + "sacrosanct": { + "CHS": "神圣不可侵犯的;极神圣的", + "ENG": "something that is sacrosanct is considered to be so important that no one is allowed to criticize or change it" + }, + "nugatory": { + "CHS": "无价值的;琐碎的;无效的;无法律效力的", + "ENG": "having no value" + }, + "brigadier": { + "CHS": "准将;陆军准将", + "ENG": "a high military rank in the British army, or the person who has this rank" + }, + "gregarious": { + "CHS": "社交的;群居的", + "ENG": "friendly and preferring to be with other people" + }, + "unqualified": { + "CHS": "不合格的;无资格的;不胜任的;不受限制的;无条件的;绝对的", + "ENG": "not having the right knowledge, experience, or education to do something" + }, + "risible": { + "CHS": "可笑的;爱笑的;引人笑的", + "ENG": "something that is risible is so stupid that it deserves to be laughed at" + }, + "criticize": { + "CHS": "批评;评论;非难", + "ENG": "to express your disapproval of someone or something, or to talk about their faults" + }, + "bauble": { + "CHS": "小玩意;美观而无价值的饰物", + "ENG": "a cheap piece of jewellery" + }, + "assiduous": { + "CHS": "刻苦的,勤勉的", + "ENG": "Someone who is assiduous works hard or does things very thoroughly" + }, + "irksome": { + "CHS": "令人厌烦的,讨厌的;令人厌恶的", + "ENG": "annoying" + }, + "alienable": { + "CHS": "可让与的,可转让的", + "ENG": "(of property) transferable to another owner " + }, + "benevolence": { + "CHS": "仁慈;善行" + }, + "tripod": { + "CHS": "[摄] 三脚架;三脚桌", + "ENG": "a support with three legs, used for a piece of equipment, camera etc" + }, + "cavil": { + "CHS": "吹毛求疵;苛责;无端的指责", + "ENG": "Cavil is also a noun" + }, + "acumen": { + "CHS": "聪明,敏锐", + "ENG": "the ability to think quickly and make good judgments" + }, + "episode": { + "CHS": "插曲;一段情节;插话;有趣的事件", + "ENG": "a television or radio programme that is one of a series of programmes in which the same story is continued each week" + }, + "negligent": { + "CHS": "疏忽的;粗心大意的", + "ENG": "not taking enough care over something that you are responsible for, with the result that serious mistakes are made" + }, + "monarchy": { + "CHS": "君主政体;君主国;君主政治", + "ENG": "the system in which a country is ruled by a king or queen" + }, + "hydrolysis": { + "CHS": "水解作用", + "ENG": "a chemical reaction in which a compound reacts with water to produce other compounds " + }, + "sphere": { + "CHS": "球体的" + }, + "wane": { + "CHS": "衰退;月亏;衰退期;缺损" + }, + "probe": { + "CHS": "调查;探测", + "ENG": "to ask questions in order to find things out, especially things that other people do not want you to know" + }, + "figurative": { + "CHS": "比喻的;修饰丰富的;形容多的", + "ENG": "a figurative word or phrase is used in a different way from its usual meaning, to give you a particular idea or picture in your mind" + }, + "odoriferous": { + "CHS": "臭的,散发气味的;芬芳的", + "ENG": "having or emitting an odour, esp a fragrant one " + }, + "usurp": { + "CHS": "篡夺;夺取;侵占", + "ENG": "to take someone else’s power, position, job etc when you do not have the right to" + }, + "inconsequential": { + "CHS": "不重要的;不合理的;不合逻辑的", + "ENG": "not important" + }, + "chronology": { + "CHS": "年表;年代学", + "ENG": "an account of events in the order in which they happened" + }, + "impalpable": { + "CHS": "感触不到的;难理解的;无形的", + "ENG": "impossible to touch or feel physically" + }, + "overweight": { + "CHS": "超重" + }, + "length": { + "CHS": "长度,长;时间的长短;(语)音长", + "ENG": "the measurement of how long something is from one end to the other" + }, + "usury": { + "CHS": "高利;高利贷;利益", + "ENG": "the practice of lending money to people and making them pay interest14" + }, + "pejorative": { + "CHS": "轻蔑语" + }, + "prolific": { + "CHS": "多产的;丰富的", + "ENG": "a prolific artist, writer etc produces many works of art, books etc" + }, + "obsequious": { + "CHS": "谄媚的;奉承的;顺从的", + "ENG": "very eager to please or agree with people who are powerful – used in order to show disapproval" + }, + "concede": { + "CHS": "承认;退让;给予,容许", + "ENG": "to admit that something is true or correct, although you wish it were not true" + }, + "edge": { + "CHS": "使锐利;将…开刃;给…加上边", + "ENG": "to put something on the edge or border of something" + }, + "profuse": { + "CHS": "丰富的;很多的;慷慨的;浪费的", + "ENG": "produced or existing in large quantities" + }, + "toxin": { + "CHS": "毒素;毒质", + "ENG": "a poisonous substance, especially one that is produced by bacteria and causes a particular disease" + }, + "nuisance": { + "CHS": "讨厌的人;损害;麻烦事;讨厌的东西", + "ENG": "a person, thing, or situation that annoys you or causes problems" + }, + "denominator": { + "CHS": "[数] 分母;命名者;共同特征或共同性质;平均水平或标准", + "ENG": "the number below the line in a fraction " + }, + "abjure": { + "CHS": "发誓放弃;公开放弃;避免", + "ENG": "to state publicly that you will give up a particular belief or way of behaving" + }, + "sanguineous": { + "CHS": "血的;血红色的;多血质的;乐观的", + "ENG": "of, containing, relating to, or associated with blood " + }, + "access": { + "CHS": "进入;使用权;通路", + "ENG": "the right to enter a place, use something, see someone etc" + }, + "zeitgeist": { + "CHS": "时代思潮,时代精神", + "ENG": "the general spirit or feeling of a period in history, as shown by people’s ideas and beliefs at the time" + }, + "gratuitous": { + "CHS": "无理由的,无端的;免费的", + "ENG": "said or done without a good reason, in a way that offends someone" + }, + "stun": { + "CHS": "昏迷;打昏;惊倒;令人惊叹的事物" + }, + "abrasion": { + "CHS": "磨损;磨耗;擦伤", + "ENG": "an area on the surface of your skin that has been injured by being rubbed against something hard" + }, + "spontaneous": { + "CHS": "自发的;自然的;无意识的", + "ENG": "something that is spontaneous has not been planned or organized, but happens by itself, or because you suddenly feel you want to do it" + }, + "malign": { + "CHS": "恶意的,恶性的;有害的", + "ENG": "harmful" + }, + "foliate": { + "CHS": "有叶的;叶状的;成薄片的", + "ENG": "relating to, possessing, or resembling leaves " + }, + "ruin": { + "CHS": "毁灭;使破产", + "ENG": "to make someone lose all their money" + }, + "perimeter": { + "CHS": "周长;周界;[眼科] 视野计", + "ENG": "the whole length of the border around an area or shape" + }, + "watt": { + "CHS": "瓦特", + "ENG": "a unit for measuring electrical power" + }, + "esoteric": { + "CHS": "秘传的;限于圈内人的;难懂的", + "ENG": "If you describe something as esoteric, you mean it is known, understood, or appreciated by only a small number of people" + }, + "ponder": { + "CHS": "(Ponder)人名;(英)庞德" + }, + "subsist": { + "CHS": "存在;维持生活", + "ENG": "to stay alive when you only have small amounts of food or money" + }, + "surmount": { + "CHS": "克服,越过;战胜", + "ENG": "to succeed in dealing with a problem or difficulty" + }, + "immaculate": { + "CHS": "完美的;洁净的;无瑕疵的", + "ENG": "exactly correct or perfect in every detail" + }, + "bole": { + "CHS": "[林] 树干;红玄武土", + "ENG": "the main part of a tree" + }, + "stipend": { + "CHS": "奖学金;固定薪金;定期津贴;养老金", + "ENG": "an amount of money paid regularly to someone, especially a priest, as a salary or as money to live on" + }, + "servile": { + "CHS": "奴隶的;奴性的;卑屈的;卑屈的", + "ENG": "very eager to obey someone because you want to please them – used to show disapproval" + }, + "compromise": { + "CHS": "妥协,和解;折衷", + "ENG": "an agreement that is achieved after everyone involved accepts less than what they wanted at first, or the act of making this agreement" + }, + "incongruous": { + "CHS": "不协调的;不一致的;不和谐的", + "ENG": "strange, unexpected, or unsuitable in a particular situation" + }, + "transformer": { + "CHS": "[电] 变压器;促使变化的人", + "ENG": "a piece of equipment for changing electricity from one voltage to another" + }, + "transcription": { + "CHS": "抄写;抄本;誊写", + "ENG": "when you transcribe something" + }, + "ensconce": { + "CHS": "安置;安顿下来;使…隐藏", + "ENG": "to settle yourself in a place where you feel comfortable and safe" + }, + "complicate": { + "CHS": "使复杂化;使恶化;使卷入" + }, + "rationalization": { + "CHS": "合理化" + }, + "accuse": { + "CHS": "控告,指控;谴责;归咎于", + "ENG": "to say that you believe someone is guilty of a crime or of doing something bad" + }, + "chronometer": { + "CHS": "[天] 精密记时表;高度精确的钟表;航海经线仪", + "ENG": "a very exact clock, used for scientific purposes" + }, + "implication": { + "CHS": "含义;暗示;牵连,卷入;可能的结果,影响", + "ENG": "a possible future effect or result of an action, event, decision etc" + }, + "imperious": { + "CHS": "专横的;迫切的;傲慢的", + "ENG": "giving orders and expecting to be obeyed, in a way that seems too proud" + }, + "prescient": { + "CHS": "预知的;有先见之明的", + "ENG": "able to imagine or know what will happen in the future" + }, + "innate": { + "CHS": "先天的;固有的;与生俱来的", + "ENG": "an innate quality or ability is something you are born with" + }, + "dissent": { + "CHS": "异议;(大写)不信奉国教", + "ENG": "refusal to agree with an official decision or accepted opinion" + }, + "discourteous": { + "CHS": "失礼的,无礼貌的;粗鲁的", + "ENG": "not polite, and not showing respect for other people" + }, + "sleight": { + "CHS": "手法,技巧;熟练,灵巧;诡计", + "ENG": "skill; dexterity " + }, + "ostensible": { + "CHS": "表面的;假装的", + "ENG": "seeming to be the reason for or the purpose of something, but usually hiding the real reason or purpose" + }, + "controversial": { + "CHS": "有争议的;有争论的", + "ENG": "causing a lot of disagreement, because many people have strong opinions about the subject being discussed" + }, + "indebted": { + "CHS": "使负债;使受恩惠(indebt的过去分词)" + }, + "obtrude": { + "CHS": "逼使;强迫;冲出" + }, + "ambassador": { + "CHS": "大使;代表;使节", + "ENG": "an important official who represents his or her government in a foreign country" + }, + "wiry": { + "CHS": "金属线制的;金属丝般的;坚硬的;瘦长结实的;(噪音)尖细的", + "ENG": "someone who is wiry is thin but has strong muscles" + }, + "wave": { + "CHS": "波动;波浪;高潮;挥手示意;卷曲", + "ENG": "a line of raised water that moves across the surface of the sea" + }, + "summon": { + "CHS": "召唤;召集;鼓起;振作", + "ENG": "to order someone to come to a place" + }, + "penurious": { + "CHS": "吝啬的;缺乏的;贫困的", + "ENG": "niggardly with money " + }, + "knead": { + "CHS": "揉合,揉捏;按摩;捏制", + "ENG": "to press a mixture of flour and water many times with your hands" + }, + "justifiable": { + "CHS": "可辩解的,有道理的;可证明为正当的", + "ENG": "actions, reactions, decisions etc that are justifiable are acceptable because they are done for good reasons" + }, + "concordant": { + "CHS": "和谐的;协调的;一致的;和声的", + "ENG": "being in agreement or having the same regular pattern" + }, + "dismantle": { + "CHS": "拆除;取消;解散;除掉…的覆盖物", + "ENG": "If you dismantle a machine or structure, you carefully separate it into its different parts" + }, + "orchestra": { + "CHS": "管弦乐队;乐队演奏处" + }, + "alcove": { + "CHS": "凹室;壁龛", + "ENG": "a place in the wall of a room that is built further back than the rest of the wall" + }, + "outweigh": { + "CHS": "比…重(在重量上);比…重要;比…有价值", + "ENG": "to be more important or valuable than something else" + }, + "bond": { + "CHS": "结合,团结在一起", + "ENG": "if two things bond with each other, they become firmly fixed together, especially after they have been joined with glue" + }, + "votive": { + "CHS": "奉献的(副词votively);献纳的;诚心祈求的", + "ENG": "offered, given, undertaken, performed or dedicated in fulfilment of or in accordance with a vow " + }, + "sanguine": { + "CHS": "血红色" + }, + "verisimilitude": { + "CHS": "逼真,貌似真实;逼真的事物", + "ENG": "the quality of being true or real" + }, + "wary": { + "CHS": "谨慎的;机警的;惟恐的;考虑周到的", + "ENG": "someone who is wary is careful because they think something might be dangerous or harmful" + }, + "vector": { + "CHS": "用无线电导航" + }, + "triple": { + "CHS": "增至三倍", + "ENG": "to increase by three times as much, or to make something do this" + }, + "mean": { + "CHS": "平均值", + "ENG": "the average amount, figure, or value" + }, + "percolate": { + "CHS": "滤过液;渗出液" + }, + "perturb": { + "CHS": "扰乱;使…混乱;使…心绪不宁", + "ENG": "If something perturbs you, it worries you quite a lot" + }, + "longevity": { + "CHS": "长寿,长命;寿命", + "ENG": "the amount of time that someone or something lives" + }, + "coalition": { + "CHS": "联合;结合,合并", + "ENG": "a union of two or more political parties that allows them to form a government or fight an election together" + }, + "ephemeral": { + "CHS": "只生存一天的事物" + }, + "immoral": { + "CHS": "不道德的;邪恶的;淫荡的", + "ENG": "morally wrong" + }, + "impassioned": { + "CHS": "使充满激情(impassion的过去式和过去分词)" + }, + "consecrate": { + "CHS": "神圣的;被献给神的" + }, + "avow": { + "CHS": "承认;公开宣称;坦率承认", + "ENG": "to make a public statement about something you believe in" + }, + "familiarity": { + "CHS": "熟悉,精通;亲密;随便", + "ENG": "a good knowledge of a particular subject or place" + }, + "matter": { + "CHS": "有关系;要紧", + "ENG": "to be important, especially to be important to you, or to have an effect on what happens" + }, + "lunatic": { + "CHS": "疯子;疯人", + "ENG": "someone who behaves in a crazy or very stupid way – often used humorously" + }, + "gesture": { + "CHS": "作手势;用动作示意", + "ENG": "to move your hand, arm, or head to tell someone something, or show them what you mean" + }, + "precipitate": { + "CHS": "突如其来的;猛地落下的;急促的", + "ENG": "A precipitate action or decision happens or is made more quickly or suddenly than most people think is sensible" + }, + "jerky": { + "CHS": "牛肉干", + "ENG": "meat that has been cut into thin pieces and dried in the sun or with smoke" + }, + "prodigy": { + "CHS": "奇迹,奇事;奇才;奇观;预兆", + "ENG": "A prodigy is someone young who has a great natural ability for something such as music, mathematics, or sports" + }, + "casualty": { + "CHS": "意外事故;伤亡人员;急诊室", + "ENG": "the part of a hospital that people are taken to when they are hurt in an accident or suddenly become ill" + }, + "domestic": { + "CHS": "国货;佣人", + "ENG": "a servant who works in a large house" + }, + "assent": { + "CHS": "同意;赞成", + "ENG": "approval or agreement from someone who has authority" + }, + "beleaguer": { + "CHS": "围攻;围" + }, + "assassin": { + "CHS": "刺客,暗杀者", + "ENG": "someone who murders an important person" + }, + "vista": { + "CHS": "远景,狭长的街景;展望;回顾", + "ENG": "a view of a large area of beautiful scenery" + }, + "accouter": { + "CHS": "装备;供以军用品,供以服装", + "ENG": "to provide with equipment or dress, esp military " + }, + "premier": { + "CHS": "总理,首相", + "ENG": "a prime minister – used in news reports" + }, + "humbug": { + "CHS": "欺骗;哄骗" + }, + "seethe": { + "CHS": "沸腾;感情等的迸发" + }, + "substantive": { + "CHS": "名词性实词;独立存在的实体", + "ENG": "a noun" + }, + "boon": { + "CHS": "愉快的;慷慨的" + }, + "rejuvenate": { + "CHS": "使年轻;使更新;使恢复精神;使复原", + "ENG": "to make someone look or feel young and strong again" + }, + "indolence": { + "CHS": "懒散,懒惰;无痛", + "ENG": "Indolence means laziness" + }, + "literal": { + "CHS": "文字的;逐字的;无夸张的", + "ENG": "The literal sense of a word or phrase is its most basic sense" + }, + "dormant": { + "CHS": "(Dormant)人名;(法)多尔芒" + }, + "anthropologist": { + "CHS": "人类学家;人类学者" + }, + "alliance": { + "CHS": "联盟,联合;联姻", + "ENG": "an arrangement in which two or more countries, groups etc agree to work together to try to change or achieve something" + }, + "malleable": { + "CHS": "可锻的;可塑的;有延展性的;易适应的", + "ENG": "something that is malleable is easy to press or pull into a new shape" + }, + "falsify": { + "CHS": "伪造;篡改;歪曲;证明虚假", + "ENG": "to change figures, records etc so that they contain false information" + }, + "visibility": { + "CHS": "能见度,可见性;能见距离;明显性", + "ENG": "the distance it is possible to see, especially when this is affected by weather conditions" + }, + "inordinate": { + "CHS": "过度的;无节制的;紊乱的", + "ENG": "If you describe something as inordinate, you are emphasizing that it is unusually or excessively great in amount or degree" + }, + "truncated": { + "CHS": "缩短(truncate的过去分词);截去…的顶端" + }, + "canary": { + "CHS": "[鸟] 金丝雀;淡黄色", + "ENG": "a small yellow bird that people often keep as a pet" + }, + "cosmopolitan": { + "CHS": "四海为家者;世界主义者;世界各地都有的东西" + }, + "wavelet": { + "CHS": "微波,小浪", + "ENG": "Wavelets are small waves on the surface of a sea or lake" + }, + "ironic": { + "CHS": "讽刺的;反话的", + "ENG": "an ironic situation is one that is unusual or amusing because something strange happens, or the opposite of what is expected happens or is true" + }, + "verdict": { + "CHS": "结论;裁定", + "ENG": "an official decision made in a court of law, especially about whether someone is guilty of a crime or how a death happened" + }, + "amour": { + "CHS": "恋情;偷情,奸情", + "ENG": "An amour is a love affair, especially one that is kept secret" + }, + "weightlessness": { + "CHS": "失重;无重状态" + }, + "systematic": { + "CHS": "系统的;体系的;有系统的;[图情] 分类的;一贯的,惯常的", + "ENG": "Something that is done in a systematic way is done according to a fixed plan, in a thorough and efficient way" + }, + "habituate": { + "CHS": "使习惯于,使熟悉于", + "ENG": "to be used to something or gradually become used to it" + }, + "substantial": { + "CHS": "本质;重要材料" + }, + "harmonious": { + "CHS": "和谐的,和睦的;协调的;悦耳的", + "ENG": "harmonious relationships are ones in which people are friendly and helpful to one another" + }, + "intelligence": { + "CHS": "智力;情报工作;情报机关;理解力;才智,智慧;天分", + "ENG": "the ability to learn, understand, and think about things" + }, + "hedonism": { + "CHS": "快乐主义;快乐论", + "ENG": "Hedonism is the belief that gaining pleasure is the most important thing in life" + }, + "unbecoming": { + "CHS": "不适当的,不相称的;不合身的,不得体的", + "ENG": "clothes that are unbecoming make you look unattractive" + }, + "garble": { + "CHS": "断章取义;混淆;篡改", + "ENG": "the act of garbling " + }, + "foolhardy": { + "CHS": "有勇无谋的;蛮干的", + "ENG": "taking stupid and unnecessary risks" + }, + "elasticity": { + "CHS": "弹性;弹力;灵活性", + "ENG": "the ability of something to stretch and go back to its usual length or size" + }, + "ritual": { + "CHS": "仪式的;例行的;礼节性的", + "ENG": "done in a fixed and expected way, but without real meaning or sincerity" + }, + "nickname": { + "CHS": "给……取绰号;叫错名字", + "ENG": "If you nickname someone or something, you give them an informal name" + }, + "patter": { + "CHS": "滴答地响;急速地说;发出急速轻拍声", + "ENG": "if something, especially water, patters, it makes quiet sounds as it keeps hitting a surface lightly and quickly" + }, + "pendulum": { + "CHS": "钟摆;摇锤;摇摆不定的事态", + "ENG": "a long metal stick with a weight at the bottom that swings regularly from side to side to control the working of a clock" + }, + "prudish": { + "CHS": "装正经的;过分规矩的" + }, + "introductory": { + "CHS": "引导的,介绍的;开端的", + "ENG": "said or written at the beginning of a book, speech etc in order to explain what it is about" + }, + "divulge": { + "CHS": "泄露;暴露", + "ENG": "to give someone information that should be secret" + }, + "enthusiastic": { + "CHS": "热情的;热心的;狂热的", + "ENG": "feeling or showing a lot of interest and excitement about something" + }, + "vigilant": { + "CHS": "警惕的;警醒的;注意的;警戒的", + "ENG": "giving careful attention to what is happening, so that you will notice any danger or illegal activity" + }, + "foil": { + "CHS": "面向文件的翻译语言(file-Oriented interpretive language)" + }, + "spinous": { + "CHS": "刺状的;多刺的;尖尖的;难弄的", + "ENG": "resembling a spine or thorn " + }, + "lassitude": { + "CHS": "疲乏;懒散;厌倦", + "ENG": "tiredness and lack of energy or interest" + }, + "lexicographer": { + "CHS": "词典编纂者" + }, + "fervid": { + "CHS": "热的;热心的", + "ENG": "believing or feeling something too strongly" + }, + "myriad": { + "CHS": "无数,极大数量;无数的人或物", + "ENG": "a very large number of things" + }, + "infirmary": { + "CHS": "医务室;医院;养老院", + "ENG": "a hospital – often used in the names of hospitals in Britain" + }, + "empathetic": { + "CHS": "移情作用的;同感的(等于empathic)", + "ENG": "Someone who is empathetic has the ability to share another person's feelings or emotions as if they were their own" + }, + "innovate": { + "CHS": "创新;改革;革新", + "ENG": "to start to use new ideas, methods, or inventions" + }, + "grievous": { + "CHS": "痛苦的;剧烈的", + "ENG": "very serious and causing great pain or suffering" + }, + "dishevel": { + "CHS": "使蓬乱;使头发凌乱;弄乱", + "ENG": "to disarrange (the hair or clothes) of (someone) " + }, + "neologism": { + "CHS": "新词;新义;新词的使用", + "ENG": "a new word or expression, or a word used with a new meaning" + }, + "grimy": { + "CHS": "肮脏的,污秽的", + "ENG": "covered with dirt" + }, + "aghast": { + "CHS": "吓呆的,惊骇的;吃惊的", + "ENG": "feeling or looking shocked by something you have seen or just found out" + }, + "persuasive": { + "CHS": "有说服力的;劝诱的,劝说的", + "ENG": "able to make other people believe something or do what you ask" + }, + "side": { + "CHS": "旁的,侧的", + "ENG": "in or on the side of something" + }, + "tumult": { + "CHS": "骚动;骚乱;吵闹;激动", + "ENG": "a confused, noisy, and excited situation, often caused by a large crowd" + }, + "nocturnal": { + "CHS": "夜的;夜曲的;夜间发生的", + "ENG": "an animal that is nocturnal is active at night" + }, + "merriment": { + "CHS": "欢喜;嬉戏" + }, + "parse": { + "CHS": "从语法上分析;分列" + }, + "stir": { + "CHS": "搅拌;激起;惹起", + "ENG": "to move a liquid or substance around with a spoon or stick in order to mix it together" + }, + "entrench": { + "CHS": "确立,牢固;用壕沟围住;挖掘", + "ENG": "If something such as power, a custom, or an idea is entrenched, it is firmly established, so that it would be difficult to change it" + }, + "wizen": { + "CHS": "凋谢的;枯萎的" + }, + "gratify": { + "CHS": "使满足;使满意,使高兴", + "ENG": "to make someone feel pleased and satisfied" + }, + "burning": { + "CHS": "燃烧(burn的现在分词)" + }, + "conspicuous": { + "CHS": "显著的;显而易见的", + "ENG": "very easy to notice" + }, + "subjugate": { + "CHS": "征服;使服从;克制", + "ENG": "to defeat a person or group and make them obey you" + }, + "rupture": { + "CHS": "破裂;发疝气", + "ENG": "to break or burst, or to make something break or burst" + }, + "joggle": { + "CHS": "啮合;轻摇,摇动;榫接", + "ENG": "the act of joggling " + }, + "sequence": { + "CHS": "按顺序排好" + }, + "remonstrance": { + "CHS": "抗议;规劝;谏书", + "ENG": "a complaint or protest" + }, + "informal": { + "CHS": "非正式的;不拘礼节的;随便的;通俗的;日常使用的", + "ENG": "relaxed and friendly without being restricted by rules of correct behaviour" + }, + "interact": { + "CHS": "幕间剧;幕间休息" + }, + "antedate": { + "CHS": "比实际提前的日期", + "ENG": "an earlier date " + }, + "enchant": { + "CHS": "使迷惑;施魔法", + "ENG": "In fairy tales and legends, to enchant someone or something means to put a magic spell on them" + }, + "precise": { + "CHS": "精确的;明确的;严格的", + "ENG": "precise information, details etc are exact, clear, and correct" + }, + "arcade": { + "CHS": "使有拱廊" + }, + "melancholy": { + "CHS": "忧郁;悲哀;愁思", + "ENG": "a feeling of sadness for no particular reason" + }, + "rowdy": { + "CHS": "粗暴的人;好吵闹的人", + "ENG": "someone who behaves in a rough noisy way" + }, + "discreet": { + "CHS": "谨慎的;小心的", + "ENG": "careful about what you say or do, so that you do not offend, upset, or embarrass people or tell secrets" + }, + "glycogen": { + "CHS": "糖原;动物淀粉", + "ENG": "a polysaccharide consisting of glucose units: the form in which carbohydrate is stored in the liver and muscles in man and animals" + }, + "hardihood": { + "CHS": "刚毅,大胆;厚颜;胆大无敌" + }, + "refute": { + "CHS": "反驳,驳斥;驳倒", + "ENG": "to prove that a statement or idea is not correct" + }, + "component": { + "CHS": "成分;组件;[电子] 元件", + "ENG": "one of several parts that together make up a whole machine, system etc" + }, + "astound": { + "CHS": "使惊骇;使震惊" + }, + "overthrow": { + "CHS": "推翻;打倒;倾覆", + "ENG": "to remove a leader or government from power, especially by force" + }, + "perspective": { + "CHS": "透视的" + }, + "ocular": { + "CHS": "[光] 目镜" + }, + "quadrilateral": { + "CHS": "四边形的", + "ENG": "having or formed by four sides " + }, + "enervate": { + "CHS": "衰弱的,无力的", + "ENG": "deprived of strength or vitality; weakened " + }, + "assonance": { + "CHS": "类似的音,谐音;类韵", + "ENG": "similarity in the vowel sounds of words that are close together in a poem, for example between ‘born’ and ‘warm’" + }, + "eminence": { + "CHS": "显赫;卓越;高处", + "ENG": "the quality of being famous and important" + }, + "rebut": { + "CHS": "驳回;提出反证" + }, + "spectrum": { + "CHS": "光谱;频谱;范围;余象", + "ENG": "a complete range of opinions, people, situations etc, going from one extreme to its opposite" + }, + "pedagogue": { + "CHS": "教师,教员;卖弄学问者", + "ENG": "a teacher, especially one who thinks they know a lot and is strict in the way they teach" + }, + "impend": { + "CHS": "迫近;即将发生", + "ENG": "(esp of something threatening) to be about to happen; be imminent " + }, + "utter": { + "CHS": "(Utter)人名;(德、芬)乌特" + }, + "unsavory": { + "CHS": "难吃的;没有香味的;令人讨厌的" + }, + "maple": { + "CHS": "枫树;淡棕色", + "ENG": "a tree which grows mainly in northern countries such as Canada. Its leaves have five points and turn red or gold in autumn." + }, + "discern": { + "CHS": "识别;领悟,认识", + "ENG": "If you can discern something, you are aware of it and know what it is" + }, + "alderman": { + "CHS": "市议员;总督;市府参事;高级市政官", + "ENG": "an elected member of a town or city council in the US" + }, + "devalue": { + "CHS": "使贬值;降低…的价值", + "ENG": "to reduce the value of one country’s money when it is exchanged for another country’s money" + }, + "impunity": { + "CHS": "不受惩罚;无患;[法] 免罚" + }, + "paradoxical": { + "CHS": "矛盾的;诡论的;似非而是的", + "ENG": "If something is paradoxical, it involves two facts or qualities that seem to contradict each other" + }, + "overflow": { + "CHS": "充满,洋溢;泛滥;超值;溢值" + }, + "crude": { + "CHS": "原油;天然的物质", + "ENG": "oil that is in its natural condition, as it comes out of an oil well , before it is made more pure or separated into different products" + }, + "orator": { + "CHS": "演说者;演讲者;雄辩家;原告", + "ENG": "someone who is good at making speeches and persuading people" + }, + "compulsory": { + "CHS": "(花样滑冰、竞技体操等的)规定动作" + }, + "chronicle": { + "CHS": "记录;把…载入编年史", + "ENG": "to describe events in the order in which they happened" + }, + "disparate": { + "CHS": "无法相比的东西" + }, + "degradation": { + "CHS": "退化;降格,降级;堕落", + "ENG": "the process by which something changes to a worse condition" + }, + "scrutinize": { + "CHS": "仔细或彻底检查" + }, + "promotion": { + "CHS": "提升,[劳经] 晋升;推销,促销;促进;发扬,振兴", + "ENG": "a move to a more important job or position in a company or organization" + }, + "legitimate": { + "CHS": "使合法;认为正当(等于legitimize)" + }, + "enact": { + "CHS": "颁布;制定法律;扮演;发生", + "ENG": "to act in a play, story etc" + }, + "benevolent": { + "CHS": "仁慈的;慈善的;亲切的", + "ENG": "kind and generous" + }, + "landscape": { + "CHS": "对…做景观美化,给…做园林美化;从事庭园设计", + "ENG": "to make a park, garden etc look attractive and interesting by changing its design, and by planting trees and bushes etc" + }, + "analysis": { + "CHS": "分析;分解;验定", + "ENG": "a process in which a doctor makes someone talk about their past experiences, relationships etc in order to help them with mental or emotional problems" + }, + "annuity": { + "CHS": "年金,养老金;年金保险;年金享受权", + "ENG": "a fixed amount of money that is paid each year to someone, usually until they die" + }, + "incubus": { + "CHS": "梦魇;沉重的负担", + "ENG": "someone or something that causes a lot of worries or problems" + }, + "jurisprudence": { + "CHS": "法律体系;法学及其分支;法律知识;法院审判规程", + "ENG": "the science or study of law" + }, + "timidity": { + "CHS": "胆怯,胆小;羞怯" + }, + "asylum": { + "CHS": "庇护;收容所,救济院", + "ENG": "protection given to someone by a government because they have escaped from fighting or political trouble in their own country" + }, + "oratory": { + "CHS": "雄辩;演讲术", + "ENG": "the skill of making powerful speeches" + }, + "ozone": { + "CHS": "[化学] 臭氧;新鲜的空气", + "ENG": "a poisonous blue gas that is a type of oxygen" + }, + "custodian": { + "CHS": "管理人;监护人;保管人", + "ENG": "someone who is responsible for looking after something important or valuable" + }, + "avidity": { + "CHS": "热望,贪欲;活动性", + "ENG": "the quality or state of being avid " + }, + "controversy": { + "CHS": "争论;论战;辩论", + "ENG": "a serious argument about something that involves many people and continues for a long time" + }, + "sequacious": { + "CHS": "盲从的;合于逻辑的;缺乏独创性的" + }, + "infection": { + "CHS": "感染;传染;影响;传染病", + "ENG": "a disease that affects a particular part of your body and is caused by bacteria or a virus" + }, + "stubborn": { + "CHS": "顽固的;顽强的;难处理的", + "ENG": "determined not to change your mind, even when people think you are being unreasonable" + }, + "primordial": { + "CHS": "原始的;根本的;原生的", + "ENG": "existing at the beginning of time or the beginning of the Earth" + }, + "rankle": { + "CHS": "化脓;怨恨;发炎" + }, + "mistrust": { + "CHS": "不信任;怀疑", + "ENG": "the feeling that you cannot trust someone, especially because you think they may treat you unfairly or dishonestly" + }, + "palatable": { + "CHS": "美味的,可口的;愉快的", + "ENG": "palatable food or drink has a pleasant or acceptable taste" + }, + "felicitous": { + "CHS": "恰当的;善于措辞的;幸福的", + "ENG": "well-chosen and suitable" + }, + "equilateral": { + "CHS": "等边形" + }, + "surety": { + "CHS": "担保;保证;保证人", + "ENG": "someone who will pay a debt, appear in court etc if someone else fails to do so" + }, + "theoretical": { + "CHS": "理论的;理论上的;假设的;推理的", + "ENG": "relating to the study of ideas, especially scientific ideas, rather than with practical uses of the ideas or practical experience" + }, + "annotate": { + "CHS": "注释;给…作注释或评注", + "ENG": "to add short notes to a book or piece of writing to explain parts of it" + }, + "replete": { + "CHS": "[昆] 贮蜜蚁" + }, + "chaste": { + "CHS": "(Chaste)人名;(法)沙斯特" + }, + "laudatory": { + "CHS": "赞美的;赞赏的;称赞的", + "ENG": "expressing praise" + }, + "tenure": { + "CHS": "授予…终身职位" + }, + "colloquialism": { + "CHS": "白话,口语;口语体;方言用语", + "ENG": "an expression or word used in informal conversation" + }, + "forgo": { + "CHS": "放弃;停止;对…断念", + "ENG": "to not do or have something pleasant or enjoyable" + }, + "resplendent": { + "CHS": "光辉的;华丽的", + "ENG": "very beautiful, bright, and impressive in appearance" + }, + "eternal": { + "CHS": "永恒的;不朽的", + "ENG": "continuing for ever and having no end" + }, + "suffuse": { + "CHS": "充满;弥漫", + "ENG": "if warmth, colour, liquid etc suffuses something or someone, it covers or spreads through them" + }, + "bereave": { + "CHS": "使……失去;使……孤寂" + }, + "recessive": { + "CHS": "隐性性状" + }, + "lobby": { + "CHS": "对……进行游说", + "ENG": "to try to persuade the government or someone with political power that a law or situation should be changed" + }, + "clockwise": { + "CHS": "顺时针方向的", + "ENG": "Clockwise is also an adjective" + }, + "verify": { + "CHS": "核实;查证", + "ENG": "to discover whether something is correct or true" + }, + "sequent": { + "CHS": "结果;相继发生的事", + "ENG": "something that follows; consequence " + }, + "assonate": { + "CHS": "(使)音相谐,(使)成为准押韵" + }, + "involve": { + "CHS": "包含;牵涉;使陷于;潜心于", + "ENG": "if an activity or situation involves something, that thing is part of it or a result of it" + }, + "nuclei": { + "CHS": "核心,核子;原子核(nucleus的复数形式)" + }, + "highlight": { + "CHS": "最精彩的部分;最重要的事情;加亮区", + "ENG": "the most important, interesting, or enjoyable part of something such as a holiday, performance, or sports competition" + }, + "singe": { + "CHS": "烧焦;烤焦", + "ENG": "a mark on the surface of something where it has been burnt slightly" + }, + "sensor": { + "CHS": "传感器", + "ENG": "a piece of equipment used for discovering the presence of light, heat, movement etc" + }, + "grandiloquent": { + "CHS": "夸张的;夸大的;大言不惭的" + }, + "authenticity": { + "CHS": "真实性,确实性;可靠性", + "ENG": "the quality of being real or true" + }, + "reagent": { + "CHS": "[试剂] 试剂;反应物", + "ENG": "a substance that shows that another substance in a compound exists, by causing a chemical reaction " + }, + "fortify": { + "CHS": "加强;增强;(酒)的酒精含量;设防于", + "ENG": "to encourage an attitude or feeling and make it stronger" + }, + "desperate": { + "CHS": "不顾一切的;令人绝望的;极度渴望的", + "ENG": "willing to do anything to change a very bad situation, and not caring about danger" + }, + "mechanics": { + "CHS": "力学(用作单数);结构;技术;机械学(用作单数)", + "ENG": "Mechanics is the part of physics that deals with the natural forces that act on moving or stationary objects" + }, + "nullify": { + "CHS": "使无效,作废;取消", + "ENG": "to make something lose its effect or value" + }, + "ambulate": { + "CHS": "走动;步行;移动", + "ENG": "to wander about or move from one place to another " + }, + "canto": { + "CHS": "篇;曲调;长诗的篇章", + "ENG": "one of the parts into which a very long poem is divided" + }, + "isolate": { + "CHS": "隔离的;孤立的" + }, + "diagnostic": { + "CHS": "诊断法;诊断结论" + }, + "expedite": { + "CHS": "畅通的;迅速的;方便的" + }, + "potentate": { + "CHS": "统治者,君主;有权势的人", + "ENG": "a ruler in the past, who had great power over his people" + }, + "ban": { + "CHS": "禁令,禁忌", + "ENG": "an official order that prevents something from being used or done" + }, + "transfer": { + "CHS": "转让;转学;换车", + "ENG": "if a skill, idea, or quality transfers from one situation to another, or if you transfer it, it can be used in the new situation" + }, + "teem": { + "CHS": "(Teem)人名;(英)蒂姆" + }, + "abscond": { + "CHS": "逃匿,潜逃;避债", + "ENG": "to escape from a place where you are being kept" + }, + "prodigious": { + "CHS": "惊人的,异常的,奇妙的;巨大的", + "ENG": "very large or great in a surprising or impressive way" + }, + "predestine": { + "CHS": "注定", + "ENG": "to foreordain; determine beforehand " + }, + "addle": { + "CHS": "腐坏的;糊涂的,昏乱的" + }, + "siege": { + "CHS": "围攻;包围" + }, + "pointer": { + "CHS": "指针;指示器;教鞭;暗示", + "ENG": "something that shows how a situation is developing, or is a sign of what might happen in the future" + }, + "vegetable": { + "CHS": "蔬菜的;植物的", + "ENG": "relating to plants in general, rather than animals or things that are not living" + }, + "compensate": { + "CHS": "补偿,赔偿;抵消", + "ENG": "to replace or balance the effect of something bad" + }, + "tyro": { + "CHS": "新手,生手;初学者", + "ENG": "a novice or beginner " + }, + "gargantuan": { + "CHS": "庞大的,巨大的", + "ENG": "extremely large" + }, + "vicissitude": { + "CHS": "变迁;盛衰;变化无常;变迁兴衰" + }, + "anemia": { + "CHS": "贫血;贫血症" + }, + "obliterate": { + "CHS": "消灭;涂去;冲刷;忘掉", + "ENG": "to remove a thought, feeling, or memory from someone’s mind" + }, + "tropical": { + "CHS": "热带的;热情的;酷热的", + "ENG": "coming from or existing in the hottest parts of the world" + }, + "bulbous": { + "CHS": "球根的;球根状的;由球根生长的(等于bulbaceous)" + }, + "plea": { + "CHS": "恳求,请求;辩解,辩护;借口,托辞", + "ENG": "a request that is urgent or full of emotion" + }, + "vegetative": { + "CHS": "植物的;植物人状态的,无所作为的;促使植物生长的;有生长力的", + "ENG": "relating to plants, and particularly to the way they grow or make new plants" + }, + "gossip": { + "CHS": "闲聊;传播流言蜚语", + "ENG": "If you gossip with someone, you talk informally, especially about other people or local events. You can also say that two people gossip. " + }, + "subscribe": { + "CHS": "订阅;捐款;认购;赞成;签署", + "ENG": "to pay money, usually once a year, to have copies of a newspaper or magazine sent to you, or to have some other service" + }, + "anhydrous": { + "CHS": "无水的", + "ENG": "containing no water, esp no water of crystallization " + }, + "arbitrate": { + "CHS": "仲裁;公断", + "ENG": "to officially judge how an argument between two opposing sides should be settled" + }, + "butt": { + "CHS": "以头抵撞;碰撞", + "ENG": "to hit or push against something or someone with your head" + }, + "bibulous": { + "CHS": "吸水的;嗜酒的", + "ENG": "liking to drink too much alcohol – sometimes used humorously" + }, + "hierarchy": { + "CHS": "层级;等级制度", + "ENG": "a system of organization in which people or things are divided into levels of importance" + }, + "pea": { + "CHS": "豌豆", + "ENG": "a round green seed that is cooked and eaten as a vegetable, or the plant on which these seeds grow" + }, + "impede": { + "CHS": "阻碍;妨碍;阻止", + "ENG": "to make it difficult for someone or something to move forward or make progress" + }, + "exceed": { + "CHS": "超过;胜过", + "ENG": "to be more than a particular number or amount" + }, + "legible": { + "CHS": "清晰的;易读的;易辨认的", + "ENG": "written or printed clearly enough for you to read" + }, + "sedate": { + "CHS": "给…服镇静剂", + "ENG": "to give someone drugs to make them calm or to make them sleep" + }, + "exclude": { + "CHS": "排除;排斥;拒绝接纳;逐出", + "ENG": "to deliberately not include something" + }, + "archbishop": { + "CHS": "大主教;总教主", + "ENG": "a priest of the highest rank, who is in charge of all the churches in a particular area" + }, + "scuttle": { + "CHS": "逃避;急促地跑" + }, + "bestial": { + "CHS": "牛" + }, + "bucolic": { + "CHS": "田园诗;农夫" + }, + "exhume": { + "CHS": "(Exhume)人名;(法)埃克叙姆" + }, + "conceivable": { + "CHS": "可能的;想得到的,可想像的", + "ENG": "able to be believed or imagined" + }, + "reasoning": { + "CHS": "推论;说服(reason的ing形式)" + }, + "acquittal": { + "CHS": "赦免;无罪开释;履行;尽职;(债务等的)清偿" + }, + "enthusiast": { + "CHS": "狂热者,热心家", + "ENG": "someone who is very interested in a particular activity or subject" + }, + "sulfur": { + "CHS": "硫磺;硫磺色" + }, + "mellifluous": { + "CHS": "流畅的;如蜜般的" + }, + "force": { + "CHS": "促使,推动;强迫;强加", + "ENG": "to make someone do something they do not want to do" + }, + "petrify": { + "CHS": "石化;惊呆" + }, + "linguistics": { + "CHS": "语言学", + "ENG": "the study of language in general and of particular languages, their structure, grammar, and history" + }, + "neology": { + "CHS": "新词;旧词新义(等于neologism)" + }, + "onus": { + "CHS": "责任,义务;负担", + "ENG": "the responsibility for something" + }, + "misdeed": { + "CHS": "罪行;犯罪" + }, + "ecosystem": { + "CHS": "生态系统", + "ENG": "all the animals and plants in a particular area, and the way in which they are related to each other and to their environment" + }, + "disinfect": { + "CHS": "将…消毒", + "ENG": "to clean something with a chemical that destroys bacteria " + }, + "glimmer": { + "CHS": "闪烁;发微光", + "ENG": "to shine with a light that is not very bright" + }, + "vegetation": { + "CHS": "植被;植物,草木;呆板单调的生活", + "ENG": "plants in general" + }, + "remainder": { + "CHS": "廉价出售;削价出售" + }, + "affluent": { + "CHS": "支流;富人", + "ENG": "The affluent are people who are affluent" + }, + "exact": { + "CHS": "要求;强求;急需", + "ENG": "to demand and get something from someone by using threats, force etc" + }, + "disseminate": { + "CHS": "宣传,传播;散布", + "ENG": "to spread information or ideas to as many people as possible" + }, + "fusion": { + "CHS": "融合;熔化;熔接;融合物;[物] 核聚变", + "ENG": "a combination of separate qualities or ideas" + }, + "rearrange": { + "CHS": "重新排列;重新整理", + "ENG": "to change the position or order of things" + }, + "fastidious": { + "CHS": "挑剔的;苛求的,难取悦的;(微生物等)需要复杂营养地", + "ENG": "very careful about small details in your appearance, work etc" + }, + "subvert": { + "CHS": "颠覆;推翻;破坏", + "ENG": "to try to destroy the power and influence of a government or the established system" + }, + "piteous": { + "CHS": "可怜的;哀怨的;慈悲的", + "ENG": "expressing suffering and sadness in a way that makes you feel pity" + }, + "gloaming": { + "CHS": "日落;天变黑(gloam的现在分词)" + }, + "detach": { + "CHS": "分离;派遣;使超然", + "ENG": "If you detach one thing from another that it is attached to, you remove it. If one thing detaches from another, it becomes separated from it. " + }, + "accredit": { + "CHS": "授权;信任;委派;归因于" + }, + "addendum": { + "CHS": "附录,附件;补遗;附加物", + "ENG": "something you add to the end of a speech or book to change it or give more information" + }, + "miser": { + "CHS": "守财奴;吝啬鬼;(石油工程上用的)凿井机", + "ENG": "someone who is not generous and does not like spending money" + }, + "ashen": { + "CHS": "灰色的;苍白的", + "ENG": "looking very pale because you are ill, shocked, or frightened" + }, + "unruly": { + "CHS": "不守规矩的;任性的;难驾驭的", + "ENG": "violent or difficult to control" + }, + "profligate": { + "CHS": "放荡者;享乐者" + }, + "notorious": { + "CHS": "声名狼藉的,臭名昭著的", + "ENG": "famous or well-known for something bad" + }, + "fertilization": { + "CHS": "[农] 施肥;[胚] 受精;肥沃" + }, + "larvae": { + "CHS": "幼虫;幼体(larva的复数形式)" + }, + "animosity": { + "CHS": "憎恶,仇恨,敌意", + "ENG": "strong dislike or hatred" + }, + "profiteer": { + "CHS": "[贸易] 奸商;牟取暴利的人" + }, + "coddle": { + "CHS": "娇养;溺爱(等于mollycoddle);用文火煮", + "ENG": "to treat someone in a way that is too kind and gentle and that protects them from pain or difficulty" + }, + "discredit": { + "CHS": "怀疑;无信用;名声的败坏" + }, + "ambush": { + "CHS": "埋伏,伏击", + "ENG": "If a group of people ambush their enemies, they attack them after hiding and waiting for them" + }, + "ribaldry": { + "CHS": "猥亵的话;粗俗下流的言语", + "ENG": "ribald remarks or jokes" + }, + "digest": { + "CHS": "文摘;摘要", + "ENG": "a short piece of writing that gives the most important facts from a book, report etc" + }, + "tribute": { + "CHS": "礼物;[税收] 贡物;颂词;(尤指对死者的)致敬,悼念,吊唁礼物", + "ENG": "something that you say, do, or give in order to express your respect or admiration for someone" + }, + "braggart": { + "CHS": "吹牛的;自夸的", + "ENG": "boastful " + }, + "tolerate": { + "CHS": "忍受;默许;宽恕", + "ENG": "to allow people to do, say, or believe something without criticizing or punishing them" + }, + "path": { + "CHS": "道路;小路;轨道", + "ENG": "a track that has been made deliberately or made by many people walking over the same ground" + }, + "macrophage": { + "CHS": "[组织] 巨噬细胞", + "ENG": "any large phagocytic cell occurring in the blood, lymph, and connective tissue of vertebrates " + }, + "fugacious": { + "CHS": "无常的;短暂的;易逃逸的", + "ENG": "passing quickly away; transitory; fleeting " + }, + "quantitative": { + "CHS": "定量的;量的,数量的", + "ENG": "relating to amounts rather than to the quality or standard of something" + }, + "pretentious": { + "CHS": "自命不凡的;炫耀的;做作的", + "ENG": "if someone or something is pretentious, they try to seem more important, intelligent, or high class than they really are in order to be impressive" + }, + "subordinate": { + "CHS": "使……居下位;使……服从" + }, + "vacuum": { + "CHS": "用真空吸尘器清扫", + "ENG": "to clean using a vacuum cleaner" + }, + "promiscuous": { + "CHS": "偶然地;胡乱地" + }, + "germination": { + "CHS": "发芽;发生;伟晶作用" + }, + "despair": { + "CHS": "绝望,丧失信心", + "ENG": "to feel that there is no hope at all" + }, + "avuncular": { + "CHS": "伯父的;叔伯的;慈祥的", + "ENG": "behaving in a kind and nice way to someone who is younger, rather like an uncle" + }, + "annual": { + "CHS": "年刊,年鉴;一年生植物", + "ENG": "a plant that lives for one year or season" + }, + "outlast": { + "CHS": "比…长久;从…中逃生", + "ENG": "to continue to exist or be effective for a longer time than something else" + }, + "agreement": { + "CHS": "协议;同意,一致", + "ENG": "an arrangement or promise to do something, made by two or more people, companies, organizations etc" + }, + "inject": { + "CHS": "注入;注射", + "ENG": "to put liquid, especially a drug, into someone’s body by using a special needle" + }, + "modify": { + "CHS": "修改,修饰;更改", + "ENG": "to make small changes to something in order to improve it and make it more suitable or effective" + }, + "finch": { + "CHS": "雀科鸣鸟;雀类", + "ENG": "a small bird with a short beak" + }, + "impregnable": { + "CHS": "无法攻取的;不受影响的;要塞坚固的;不可受孕的", + "ENG": "a building that is impregnable is so strong that it cannot be entered by force" + }, + "halve": { + "CHS": "(Halve)人名;(芬)哈尔韦" + }, + "illuminate": { + "CHS": "阐明,说明;照亮;使灿烂;用灯装饰", + "ENG": "to make a light shine on something, or to fill a place with light" + }, + "treachery": { + "CHS": "背叛;变节;背叛行为", + "ENG": "behaviour in which someone is not loyal to a person who trusts them, especially when this behaviour helps that person’s enemies" + }, + "enrage": { + "CHS": "激怒;使暴怒", + "ENG": "to make someone very angry" + }, + "spore": { + "CHS": "长孢子" + }, + "competitive": { + "CHS": "竞争的;比赛的;求胜心切的", + "ENG": "relating to competition" + }, + "appraise": { + "CHS": "评价,鉴定;估价", + "ENG": "to officially judge how successful, effective, or valuable something is" + }, + "energy": { + "CHS": "[物] 能量;精力;活力;精神", + "ENG": "power that is used to provide heat, operate machines etc" + }, + "residential": { + "CHS": "住宅的;与居住有关的", + "ENG": "a residential part of a town consists of private houses, with no offices or factories" + }, + "exterior": { + "CHS": "外部;表面;外型;外貌", + "ENG": "the outside of something, especially a building" + }, + "glorious": { + "CHS": "光荣的;辉煌的;极好的", + "ENG": "having or deserving great fame, praise, and honour" + }, + "parch": { + "CHS": "烤,烘;使干透" + }, + "deluge": { + "CHS": "使泛滥;压倒" + }, + "temerity": { + "CHS": "鲁莽,冒失;蛮勇", + "ENG": "when someone says or does something in a way that shows a lack of respect for other people and is likely to offend them" + }, + "meritorious": { + "CHS": "有功绩的;有价值的;值得称赞的", + "ENG": "very good and deserving praise" + }, + "vaccinate": { + "CHS": "被接种牛痘者" + }, + "quantity": { + "CHS": "量,数量;大量;总量", + "ENG": "an amount of something that can be counted or measured" + }, + "nominee": { + "CHS": "被任命者;被提名的人;代名人", + "ENG": "someone who has been officially suggested for an important position, duty, or prize" + }, + "convergence": { + "CHS": "[数] 收敛;会聚,集合" + }, + "impeccable": { + "CHS": "无瑕疵的;没有缺点的", + "ENG": "without any faults and impossible to criticize" + }, + "submarine": { + "CHS": "用潜水艇攻击" + }, + "frowzy": { + "CHS": "不整洁的(等于frowsy);有臭味的;霉臭的" + }, + "integrate": { + "CHS": "一体化;集成体" + }, + "outlive": { + "CHS": "比…活得长;比…经久;经受住;渡过…而存在", + "ENG": "to remain alive after someone else has died" + }, + "cardinal": { + "CHS": "主要的,基本的;深红色的", + "ENG": "very important or basic" + }, + "halcyon": { + "CHS": "翡翠鸟;神翠鸟" + }, + "consistency": { + "CHS": "[计] 一致性;稠度;相容性", + "ENG": "how thick, smooth etc a substance is" + }, + "feasible": { + "CHS": "可行的;可能的;可实行的", + "ENG": "a plan, idea, or method that is feasible is possible and is likely to work" + }, + "supersede": { + "CHS": "取代,代替;紧接着……而到来", + "ENG": "if a new idea, product, or method supersedes another one, it becomes used instead because it is more modern or effective" + }, + "stanza": { + "CHS": "演出期;局;场;诗的一节", + "ENG": "a group of lines in a repeated pattern forming part of a poem" + }, + "absurd": { + "CHS": "荒诞;荒诞作品" + }, + "intermediate": { + "CHS": "[化学] 中间物;媒介" + }, + "secant": { + "CHS": "割线;正割", + "ENG": "(of an angle) a trigonometric function that in a right-angled triangle is the ratio of the length of the hypotenuse to that of the adjacent side; the reciprocal of cosine " + }, + "penchant": { + "CHS": "嗜好;倾向", + "ENG": "if you have a penchant for something, you like that thing very much and try to do it or have it often" + }, + "badger": { + "CHS": "纠缠不休;吵着要;烦扰", + "ENG": "to try to persuade someone by asking them something several times" + }, + "becalm": { + "CHS": "使安静;使停滞;因无风而使停航" + }, + "vacuous": { + "CHS": "空的;空虚的;空洞的;无意义的", + "ENG": "showing no intelligence or having no useful purpose" + }, + "euphemism": { + "CHS": "委婉语;委婉说法", + "ENG": "a polite word or expression that you use instead of a more direct one to avoid shocking or upsetting someone" + }, + "permutation": { + "CHS": "[数] 排列;[数] 置换", + "ENG": "one of the different ways in which a number of things can be arranged" + }, + "cataract": { + "CHS": "倾注" + }, + "tantrum": { + "CHS": "发脾气;发怒", + "ENG": "a sudden short period when someone, especially a child, behaves very angrily and unreasonably" + }, + "pheromone": { + "CHS": "信息素(用于生化领域);费洛蒙(昆虫分泌以刺激同种昆虫之化合物质)", + "ENG": "a chemical that is produced by people’s and animals’ bodies and is thought to influence the behaviour of other people or animals" + }, + "extinct": { + "CHS": "使熄灭" + }, + "precipice": { + "CHS": "悬崖;绝壁;险境", + "ENG": "a very steep side of a high rock, mountain, or cliff" + }, + "complex": { + "CHS": "复合体;综合设施", + "ENG": "a large number of things which are closely related" + }, + "contestant": { + "CHS": "竞争者;争辩者", + "ENG": "someone who competes in a contest" + }, + "intercept": { + "CHS": "拦截;[数] 截距;截获的情报" + }, + "berate": { + "CHS": "严责;申斥", + "ENG": "to speak angrily to someone because they have done something wrong" + }, + "genotype": { + "CHS": "基因型;遗传型", + "ENG": "the genetic nature of one type of living thing" + }, + "irrelevant": { + "CHS": "不相干的;不切题的", + "ENG": "not useful or not relating to a particular situation, and therefore not important" + }, + "beneficiary": { + "CHS": "拥有封地的;受圣俸的" + }, + "influential": { + "CHS": "有影响力的人物" + }, + "aggrieve": { + "CHS": "使悲痛;冒犯;侵害…的合法权利", + "ENG": "to grieve; distress; afflict " + }, + "proxy": { + "CHS": "代理人;委托书;代用品", + "ENG": "if you do something by proxy, you arrange for someone else to do it for you" + }, + "electron": { + "CHS": "电子", + "ENG": "a very small piece of matter with a negative electrical charge that moves around the nucleus(= central part ) of an atom" + }, + "washout": { + "CHS": "冲刷;失败者", + "ENG": "a failure" + }, + "reptile": { + "CHS": "爬行动物;卑鄙的人", + "ENG": "a type of animal, such as a snake or lizard , whose body temperature changes according to the temperature around it, and that usually lays eggs to have babies" + }, + "perspire": { + "CHS": "流汗;分泌;渗出", + "ENG": "if you perspire, parts of your body become wet, especially because you are hot or have been doing hard work" + }, + "repress": { + "CHS": "抑制;镇压(叛乱等);约束", + "ENG": "if someone represses upsetting feelings, memories etc, they do not allow themselves to express or think about them" + }, + "catalogue": { + "CHS": "把…编入目录", + "ENG": "to make a complete list of all the things in a group" + }, + "deter": { + "CHS": "(Deter)人名;(德)德特尔" + }, + "complicity": { + "CHS": "共谋;串通;共犯关系", + "ENG": "involvement in a crime, together with other people" + }, + "idealist": { + "CHS": "理想主义的;唯心主义的" + }, + "anesthetic": { + "CHS": "麻醉剂,麻药" + }, + "verdant": { + "CHS": "(Verdant)人名;(法)韦尔当" + }, + "allocate": { + "CHS": "分配;拨出;使坐落于", + "ENG": "to use something for a particular purpose, give something to a particular person etc, especially after an official decision has been made" + }, + "translucent": { + "CHS": "透明的;半透明的", + "ENG": "not trans-parent, but clear enough to allow light to pass through" + }, + "divide": { + "CHS": "[地理] 分水岭,分水线", + "ENG": "a line of high ground between two river systems" + }, + "lurid": { + "CHS": "可怕的,耸人听闻的;火烧似的;苍白的;血红的;华丽而庸俗的", + "ENG": "a description, story etc that is lurid is deliberately shocking and involves sex or violence" + }, + "optimism": { + "CHS": "乐观;乐观主义", + "ENG": "a tendency to believe that good things will always happen" + }, + "reckless": { + "CHS": "(Reckless)人名;(英)雷克利斯" + }, + "mercurial": { + "CHS": "汞剂;水银剂" + }, + "relapse": { + "CHS": "复发,再发;故态复萌;回复原状", + "ENG": "when someone becomes ill again after having seemed to improve" + }, + "apothecary": { + "CHS": "药剂师;药师;药材商", + "ENG": "someone who mixed and sold medicines in the past" + }, + "rampant": { + "CHS": "(Rampant)人名;(法)朗庞" + }, + "scholastic": { + "CHS": "学者;学生;墨守成规者;经院哲学家" + }, + "saponaceous": { + "CHS": "圆滑的;肥皂似的;口齿伶俐的", + "ENG": "resembling soap; soapy " + }, + "assonant": { + "CHS": "类韵的;谐音的" + }, + "arbitrary": { + "CHS": "[数] 任意的;武断的;专制的", + "ENG": "decided or arranged without any reason or plan, often unfairly" + }, + "proportion": { + "CHS": "使成比例;使均衡;分摊", + "ENG": "to put something in a particular relationship with something else according to their relative size, amount, position etc" + }, + "crass": { + "CHS": "(Crass)人名;(英)克拉斯" + }, + "botanical": { + "CHS": "植物性药材" + }, + "urine": { + "CHS": "尿", + "ENG": "the yellow liquid waste that comes out of the body from the bladder" + }, + "grief": { + "CHS": "悲痛;忧伤;不幸", + "ENG": "extreme sadness, especially because someone you love has died" + }, + "annihilation": { + "CHS": "灭绝;消灭" + }, + "audible": { + "CHS": "听得见的", + "ENG": "a sound that is audible is loud enough for you to hear it" + }, + "bigamist": { + "CHS": "重婚者", + "ENG": "A bigamist is a person who commits the crime of marrying someone when they are already legally married to someone else" + }, + "metal": { + "CHS": "金属制的" + }, + "humane": { + "CHS": "仁慈的,人道的;高尚的", + "ENG": "treating people or animals in a way that is not cruel and causes them as little suffering as possible" + }, + "catholicity": { + "CHS": "普遍性;宽容", + "ENG": "a wide range of interests, tastes, etc; liberality " + }, + "acoustic": { + "CHS": "原声乐器;不用电传音的乐器", + "ENG": "If you refer to the acoustics of a space, you are referring to the structural features which determine how well you can hear music or speech in it" + }, + "engender": { + "CHS": "使产生;造成", + "ENG": "to be the cause of a situation or feeling" + }, + "idealize": { + "CHS": "理想化;形成思想", + "ENG": "to imagine or represent something or someone as being perfect or better than they really are" + }, + "disorient": { + "CHS": "使…迷惑;使…失去方向感" + }, + "evoke": { + "CHS": "引起,唤起;博得", + "ENG": "to produce a strong feeling or memory in someone" + }, + "mainstream": { + "CHS": "主流", + "ENG": "the most usual ideas or methods, or the people who have these ideas or methods" + }, + "belief": { + "CHS": "相信,信赖;信仰;教义", + "ENG": "the feeling that something is definitely true or definitely exists" + }, + "discontinue": { + "CHS": "停止;使中止", + "ENG": "to stop doing, producing, or providing something" + }, + "nucleon": { + "CHS": "[高能] 核子", + "ENG": "a proton or neutron, esp one present in an atomic nucleus " + }, + "sensitivity": { + "CHS": "敏感;敏感性;过敏" + }, + "dignify": { + "CHS": "使高贵;增威严;授以荣誉" + }, + "dividend": { + "CHS": "红利;股息;[数] 被除数;奖金", + "ENG": "a part of a company’s profit that is divided among the people with share s in the company" + }, + "prolong": { + "CHS": "延长;拖延", + "ENG": "to deliberately make something such as a feeling or an activity last longer" + }, + "diplomatic": { + "CHS": "外交的;外交上的;老练的", + "ENG": "relating to or involving the work of diplomats" + }, + "refugee": { + "CHS": "难民,避难者;流亡者,逃亡者", + "ENG": "someone who has been forced to leave their country, especially during a war, or for political or religious reasons" + }, + "resourceful": { + "CHS": "资源丰富的;足智多谋的;机智的", + "ENG": "good at finding ways of dealing with practical problems" + }, + "economic": { + "CHS": "经济的,经济上的;经济学的", + "ENG": "relating to trade, in-dustry, and the management of money" + }, + "electrode": { + "CHS": "顽皮雷弹" + }, + "difference": { + "CHS": "差异;不同;争执", + "ENG": "a way in which two or more people or things are not like each other" + }, + "nauseous": { + "CHS": "令人作呕的;厌恶的", + "ENG": "feeling that you are going to vomit" + }, + "protract": { + "CHS": "绘制;延长;伸展", + "ENG": "to lengthen or extend (a speech, etc); prolong in time " + }, + "inebriate": { + "CHS": "酒鬼;醉汉", + "ENG": "a person who is drunk, esp habitually " + }, + "myopia": { + "CHS": "[眼科] 近视;目光短浅,缺乏远见", + "ENG": "when someone does not think about the future, especially about the possible results of a particular action – used in order to show disapproval" + }, + "dour": { + "CHS": "(Dour)人名;(法)杜尔" + }, + "innovative": { + "CHS": "革新的,创新的;新颖的;有创新精神的", + "ENG": "an innovative idea or way of doing something is new, different, and better than those that existed before" + }, + "penumbra": { + "CHS": "半影", + "ENG": "an area of slight darkness" + }, + "canon": { + "CHS": "标准;教规;正典圣经;教士", + "ENG": "a standard, rule, or principle, or set of these, that are believed by a group of people to be right and good" + }, + "volt": { + "CHS": "伏特(电压单位);环骑;闪避", + "ENG": "a unit for measuring the force of an electric current" + }, + "tangible": { + "CHS": "有形资产" + }, + "stability": { + "CHS": "稳定性;坚定,恒心", + "ENG": "the condition of being steady and not changing" + }, + "autopsy": { + "CHS": "验尸;[病理][特医] 尸体解剖;[病理][特医] 尸体剖检", + "ENG": "an examination of a dead body to discover the cause of death" + }, + "foreordain": { + "CHS": "注定;预定命运", + "ENG": "to determine (events, results, etc) in the future " + }, + "corpse": { + "CHS": "尸体", + "ENG": "the dead body of a person" + }, + "midpoint": { + "CHS": "中点;正中央", + "ENG": "a point that is half of the way through or along something" + }, + "quandary": { + "CHS": "困惑;窘境;为难", + "ENG": "a difficult situation or problem, especially one in which you cannot decide what to do" + }, + "transmit": { + "CHS": "传输;传播;发射;传达;遗传", + "ENG": "to send out electronic signals, messages etc using radio, television, or other similar equipment" + }, + "emit": { + "CHS": "发出,放射;发行;发表", + "ENG": "to send out gas, heat, light, sound etc" + }, + "atonement": { + "CHS": "赎罪;补偿,弥补", + "ENG": "something you do to show that you are sorry for having done something wrong" + }, + "altar": { + "CHS": "祭坛;圣坛;圣餐台", + "ENG": "a holy table or surface used in religious ceremonies" + }, + "hoary": { + "CHS": "久远的,古老的;灰白的", + "ENG": "grey or white in colour, especially through age" + }, + "isothermal": { + "CHS": "等温线" + }, + "corpulent": { + "CHS": "肥胖的", + "ENG": "fat" + }, + "interrupt": { + "CHS": "中断" + }, + "immediate": { + "CHS": "立即的;直接的;最接近的", + "ENG": "happening or done at once and without delay" + }, + "complication": { + "CHS": "并发症;复杂;复杂化;混乱", + "ENG": "a problem or situation that makes something more difficult to understand or deal with" + }, + "grandeur": { + "CHS": "壮丽;庄严;宏伟", + "ENG": "impressive beauty, power, or size" + }, + "altruist": { + "CHS": "爱他主义者;利他主义者" + }, + "genetic": { + "CHS": "遗传的;基因的;起源的", + "ENG": "relating to genes or genetics" + }, + "canny": { + "CHS": "(Canny)人名;(英)坎尼" + }, + "economical": { + "CHS": "经济的;节约的;合算的", + "ENG": "using money, time, goods etc carefully and without wasting any" + }, + "wean": { + "CHS": "(苏格兰)幼儿" + }, + "latest": { + "CHS": "最新的,最近的;最迟的,最后的", + "ENG": "the most recent or the newest" + }, + "altruism": { + "CHS": "利他;利他主义", + "ENG": "when you care about or help other people, even though this brings no advantage to yourself" + }, + "munificence": { + "CHS": "慷慨给与;宽宏大量" + }, + "curve": { + "CHS": "弯曲的;曲线形的" + }, + "antagonism": { + "CHS": "对抗,敌对;对立;敌意", + "ENG": "hatred between people or groups of people" + }, + "convoluted": { + "CHS": "盘绕;缠绕(convolute的过去分词)" + }, + "polyglot": { + "CHS": "通数国语言,数国语言的", + "ENG": "Polyglot is used to describe something such as a book or society in which several different languages are used" + }, + "antagonist": { + "CHS": "敌手;[解剖] 对抗肌;[生化] 拮抗物;反协同试剂", + "ENG": "your opponent in a competition, battle, quarrel etc" + }, + "opaque": { + "CHS": "使不透明;使不反光" + }, + "initiate": { + "CHS": "新加入的;接受初步知识的" + }, + "inexplicable": { + "CHS": "费解的;无法说明的;不能解释的", + "ENG": "too unusual or strange to be explained or understood" + }, + "glucose": { + "CHS": "葡萄糖;葡糖(等于dextrose)", + "ENG": "a natural form of sugar that exists in fruit" + }, + "perilous": { + "CHS": "危险的,冒险的", + "ENG": "very dangerous" + }, + "soporific": { + "CHS": "催眠的;想睡的", + "ENG": "making you feel ready to sleep" + }, + "ingredient": { + "CHS": "构成组成部分的" + }, + "pithy": { + "CHS": "有髓的,多髓的;精练的;简洁有力的", + "ENG": "if something that is said or written is pithy, it is intelligent and strongly stated, without wasting any words" + }, + "frugal": { + "CHS": "节俭的;朴素的;花钱少的", + "ENG": "careful to buy only what is necessary" + }, + "abbey": { + "CHS": "大修道院,大寺院;修道院中全体修士或修女", + "ENG": "a large church with buildings next to it where monk s and nun s live or used to live" + }, + "refract": { + "CHS": "使折射", + "ENG": "if glass or water refracts light, the light changes direction when it passes through the glass or water" + }, + "disclose": { + "CHS": "公开;揭露", + "ENG": "to make something publicly known, especially after it has been kept secret" + }, + "comestibles": { + "CHS": "可吃的,可食的" + }, + "undersell": { + "CHS": "抛售;以低于市价售出", + "ENG": "to sell goods at a lower price than someone else" + }, + "arrear": { + "CHS": "欠款,逾期债款;待完成的工作" + }, + "sumptuous": { + "CHS": "华丽的,豪华的;奢侈的", + "ENG": "very impressive and expensive" + }, + "mendacious": { + "CHS": "虚假的;说谎的", + "ENG": "not truthful" + }, + "gaiety": { + "CHS": "快乐,兴高采烈;庆祝活动,喜庆;(服饰)华丽,艳丽", + "ENG": "when someone or something is cheerful and fun" + }, + "bisect": { + "CHS": "平分;二等分", + "ENG": "to divide something into two equal parts" + }, + "alcohol": { + "CHS": "酒精,乙醇", + "ENG": "drinks such as beer or wine that contain a substance which can make you drunk" + }, + "syndrome": { + "CHS": "[临床] 综合症状;并发症状;校验子;并发位", + "ENG": "an illness which consists of a set of physical or mental problems – often used in the name of illnesses" + }, + "mediator": { + "CHS": "调停者;传递者;中介物", + "ENG": "a person or organization that tries to end a quarrel between two people, groups, countries etc by discussion" + }, + "radius": { + "CHS": "半径,半径范围;[解剖] 桡骨;辐射光线;有效航程", + "ENG": "the distance from the centre to the edge of a circle, or a line drawn from the centre to the edge" + }, + "invective": { + "CHS": "恶言漫骂", + "ENG": "rude and insulting words that someone says when they are very angry" + }, + "tonic": { + "CHS": "滋补的;声调的;使精神振作的" + }, + "loquacious": { + "CHS": "饶舌的,多话的", + "ENG": "a loquacious person likes to talk a lot" + }, + "legacy": { + "CHS": "遗赠,遗产", + "ENG": "something that happens or exists as a result of things that happened at an earlier time" + }, + "intrepid": { + "CHS": "无畏的;勇敢的;勇猛的", + "ENG": "willing to do dangerous things or go to dangerous places – often used humorously" + }, + "egoism": { + "CHS": "利己主义,自我主义" + }, + "trestle": { + "CHS": "[交] 栈桥,高架桥;支架,搁凳", + "ENG": "an A-shaped frame used as one of the two supports for a temporary table" + }, + "switch": { + "CHS": "开关;转换;鞭子", + "ENG": "a piece of equipment that starts or stops the flow of electricity to a machine, light etc when you push it" + }, + "probation": { + "CHS": "试用;缓刑;查验", + "ENG": "a system that allows some criminals not to go to prison or to leave prison, if they behave well and see a probation officer regularly, for a particular period of time" + }, + "bulwark": { + "CHS": "保护;筑垒保卫" + }, + "fluctuate": { + "CHS": "波动;涨落;动摇", + "ENG": "if a price or amount fluctuates, it keeps changing and becoming higher and lower" + }, + "slothful": { + "CHS": "怠惰的,懒惰的;迟钝的", + "ENG": "lazy or not active" + }, + "rectitude": { + "CHS": "公正;诚实;清廉", + "ENG": "behaviour that is honest and morally correct" + }, + "gyrate": { + "CHS": "旋涡状的" + }, + "zephyr": { + "CHS": "和风;西风;轻薄织物", + "ENG": "a soft gentle wind" + }, + "furbish": { + "CHS": "磨光;恢复;更新" + }, + "artery": { + "CHS": "动脉;干道;主流", + "ENG": "one of the tubes that carries blood from your heart to the rest of your body" + }, + "equivocate": { + "CHS": "说模棱两可的话;支吾, 躲闪;推诿;含糊其词", + "ENG": "to avoid giving a clear or direct answer to a question" + }, + "irreverent": { + "CHS": "不敬的,无礼的", + "ENG": "someone who is irreverent does not show respect for organizations, customs, beliefs etc that most other people respect – often used to show approval" + }, + "pedagogy": { + "CHS": "教育;教育学;教授法", + "ENG": "the practice of teaching or the study of teaching" + }, + "prelude": { + "CHS": "成为…的序幕;演奏…作为前奏曲" + }, + "tedious": { + "CHS": "沉闷的;冗长乏味的", + "ENG": "something that is tedious continues for a long time and is not interesting" + }, + "tarnish": { + "CHS": "玷污;使……失去光泽;使……变灰暗", + "ENG": "if an event or fact tarnishes someone’s reputation , record, image etc, it makes it worse" + }, + "kernel": { + "CHS": "核心,要点;[计] 内核;仁;麦粒,谷粒;精髓", + "ENG": "the part of a nut or seed inside the shell, or the part inside the stone of some fruits" + }, + "factual": { + "CHS": "事实的;真实的", + "ENG": "based on facts or relating to facts" + }, + "venial": { + "CHS": "可原谅的;(罪过)轻微的;可宽恕的", + "ENG": "a venial fault, mistake etc is not very serious and can be forgiven" + }, + "interrogate": { + "CHS": "审问;质问;[计] 询问", + "ENG": "to ask someone a lot of questions for a long time in order to get information, sometimes using threats" + }, + "endemic": { + "CHS": "地方病" + }, + "degree": { + "CHS": "程度,等级;度;学位;阶层", + "ENG": "a unit for measuring temperature. It can be shown as a symbol after a number. For example, 70° means 70 degrees." + }, + "verity": { + "CHS": "真实;真理;事实;真实性", + "ENG": "an important principle or fact that is always true" + }, + "sonorous": { + "CHS": "响亮的;作响的;能发出响亮声音的", + "ENG": "having a pleasantly deep loud sound" + }, + "crystallization": { + "CHS": "结晶化;具体化" + }, + "bug": { + "CHS": "烦扰,打扰;装窃听器", + "ENG": "to put a bug (= small piece of electronic equipment ) somewhere secretly in order to listen to conversations" + }, + "ratiocination": { + "CHS": "推理;推论" + }, + "monocracy": { + "CHS": "独裁政治", + "ENG": "government by one person " + }, + "reversible": { + "CHS": "双面布料" + }, + "beget": { + "CHS": "产生;招致;引起;当…的父亲", + "ENG": "to cause something or make it happen" + }, + "swift": { + "CHS": "迅速地" + }, + "inflammable": { + "CHS": "易燃物" + }, + "hydrate": { + "CHS": "使成水化合物" + }, + "demur": { + "CHS": "异议;反对", + "ENG": "disagreement or disapproval" + }, + "aroma": { + "CHS": "芳香", + "ENG": "a strong pleasant smell" + }, + "incommodious": { + "CHS": "不便的;狭窄的", + "ENG": "insufficiently spacious; cramped " + }, + "latent": { + "CHS": "潜在的;潜伏的;隐藏的", + "ENG": "something that is latent is present but hidden, and may develop or become more noticeable in the future" + }, + "submission": { + "CHS": "投降;提交(物);服从;(向法官提出的)意见;谦恭", + "ENG": "when you give or show something to someone in authority, for them to consider or approve" + }, + "disguise": { + "CHS": "伪装;假装;用作伪装的东西", + "ENG": "something that you wear to change your appearance and hide who you are, or the act of wearing this" + }, + "geology": { + "CHS": "地质学;地质情况", + "ENG": "the study of the rocks, soil etc that make up the Earth, and of the way they have changed since the Earth was formed" + }, + "reproduce": { + "CHS": "复制;再生;生殖;使…在脑海中重现", + "ENG": "if an animal or plant reproduces, or reproduces itself, it produces young plants or animals" + }, + "stratum": { + "CHS": "(组织的)层;[地质] 地层;社会阶层", + "ENG": "a layer of rock or earth" + }, + "regenerate": { + "CHS": "再生的;革新的" + }, + "engrave": { + "CHS": "雕刻;铭记", + "ENG": "to cut words or designs on metal, wood, glass etc" + }, + "epistolary": { + "CHS": "书信的;书信体的;用书信的", + "ENG": "written in the form of a letter or a series of letters" + }, + "enterprise": { + "CHS": "企业;事业;进取心;事业心", + "ENG": "a company, organization, or business" + }, + "mollify": { + "CHS": "平息,缓和;使…平静;使…变软", + "ENG": "to make someone feel less angry and upset about something" + }, + "facetious": { + "CHS": "诙谐的;爱开玩笑的;滑稽的;(尤指在不合适的时候)开玩笑的", + "ENG": "saying things that are intended to be clever and funny but are really silly and annoying" + }, + "nutrition": { + "CHS": "营养,营养学;营养品", + "ENG": "the process of giving or getting the right type of food for good health and growth" + }, + "cognitive": { + "CHS": "认知的,认识的", + "ENG": "related to the process of knowing, understanding, and learning something" + }, + "auspice": { + "CHS": "赞助,主办;吉兆", + "ENG": "a sign or omen, esp one that is favourable " + }, + "outstretch": { + "CHS": "拉长;伸展得超出的范围", + "ENG": "to extend or expand; stretch out " + }, + "pitch": { + "CHS": "沥青;音高;程度;树脂;倾斜;投掷;球场", + "ENG": "a marked out area of ground on which a sport is played" + }, + "encumber": { + "CHS": "阻塞;妨害;拖累", + "ENG": "to make it difficult for you to do something or for something to happen" + }, + "exposure": { + "CHS": "暴露;曝光;揭露;陈列", + "ENG": "when someone is in a situation where they are not protected from something dangerous or unpleasant" + }, + "litmus": { + "CHS": "[试剂] 石蕊", + "ENG": "a chemical that turns red when it touches acid, and blue when it touches an alkali" + }, + "audacity": { + "CHS": "大胆;厚颜无耻", + "ENG": "the quality of having enough courage to take risks or say impolite things" + }, + "imbue": { + "CHS": "灌输;使感染;使渗透", + "ENG": "If someone or something is imbued with an idea, feeling, or quality, they become filled with it" + }, + "armful": { + "CHS": "一抱之量;双手合抱量", + "ENG": "the amount of something that you can hold in one or both arms" + }, + "eject": { + "CHS": "喷射;驱逐,逐出", + "ENG": "to make someone leave a place or building by using force" + }, + "hilarious": { + "CHS": "欢闹的;非常滑稽的;喜不自禁的" + }, + "complement": { + "CHS": "补足,补助", + "ENG": "If people or things complement each other, they are different or do something different, which makes them a good combination" + }, + "recurrent": { + "CHS": "复发的;周期性的,经常发生的", + "ENG": "happening or appearing several times" + }, + "immortal": { + "CHS": "神仙;不朽人物", + "ENG": "An immortal is someone who will be remembered for a long time" + }, + "comprehend": { + "CHS": "理解;包含;由…组成", + "ENG": "to understand something that is complicated or difficult" + }, + "predetermine": { + "CHS": "预先确定;预先决定;预先查明", + "ENG": "to determine beforehand " + }, + "cramp": { + "CHS": "狭窄的;难解的;受限制的" + }, + "harbinger": { + "CHS": "预告;充做…的前驱" + }, + "boycott": { + "CHS": "联合抵制", + "ENG": "an act of boycotting something, or the period of time when it is boycotted" + }, + "aphorism": { + "CHS": "格言;警句", + "ENG": "a short phrase that contains a wise idea" + }, + "rampart": { + "CHS": "用壁垒围绕;防卫" + }, + "afoot": { + "CHS": "在进行中,在准备中" + }, + "bacterium": { + "CHS": "[微] 细菌;杆菌属" + }, + "potential": { + "CHS": "潜在的;可能的;势的", + "ENG": "likely to develop into a particular type of person or thing in the future" + }, + "eschew": { + "CHS": "避免;避开;远避", + "ENG": "to deliberately avoid doing or using something" + }, + "dogmatic": { + "CHS": "教条的;武断的", + "ENG": "someone who is dogmatic is completely certain of their beliefs and expects other people to accept them without arguing" + }, + "bombardier": { + "CHS": "投弹手;炮兵下士", + "ENG": "the person on a military aircraft who is responsible for dropping bombs" + }, + "inheritance": { + "CHS": "继承;遗传;遗产", + "ENG": "money, property etc that you receive from someone who has died" + }, + "pillage": { + "CHS": "掠夺;掠夺物", + "ENG": "Pillage is also a noun" + }, + "blunder": { + "CHS": "大错", + "ENG": "a careless or stupid mistake" + }, + "uproarious": { + "CHS": "骚动的;喧嚣的", + "ENG": "very noisy, because a lot of people are laughing or shouting" + }, + "centiliter": { + "CHS": "[计量] 厘升,公勺" + }, + "antagonize": { + "CHS": "使…敌对;使…对抗;对…起反作用", + "ENG": "to annoy someone very much by doing something that they do not like" + }, + "homogeneity": { + "CHS": "同质;同种;同次性(等于homogeneousness)" + }, + "belittle": { + "CHS": "轻视;贬低;使相形见小", + "ENG": "to make someone or something seem small or unimportant" + }, + "magnanimous": { + "CHS": "宽宏大量的;有雅量的;宽大的", + "ENG": "kind and generous, especially to someone that you have defeated" + }, + "abyss": { + "CHS": "深渊;深邃,无底洞,地狱", + "ENG": "a deep empty hole in the ground" + }, + "belated": { + "CHS": "迟来的;误期的", + "ENG": "happening or arriving late" + }, + "kidney": { + "CHS": "[解剖] 肾脏;腰子;个性", + "ENG": "one of the two organs in your lower back that separate waste products from your blood and make urine" + }, + "fledgling": { + "CHS": "无经验的人;刚会飞的幼鸟", + "ENG": "a young bird that is learning to fly" + }, + "monk": { + "CHS": "僧侣,修道士;和尚", + "ENG": "a member of an all-male religious group that lives apart from other people in a monastery " + }, + "indomitable": { + "CHS": "不屈不挠的;不服输的;不气馁的", + "ENG": "having great determination or courage" + }, + "solemn": { + "CHS": "庄严的,严肃的;隆重的,郑重的", + "ENG": "very serious and not happy, for example because something bad has happened or because you are at an important occasion" + }, + "arrogant": { + "CHS": "自大的,傲慢的", + "ENG": "behaving in an unpleasant or rude way because you think you are more important than other people" + }, + "upheaval": { + "CHS": "剧变;隆起;举起", + "ENG": "a very big change that often causes problems" + }, + "personality": { + "CHS": "个性;品格;名人", + "ENG": "someone’s character, especially the way they behave towards other people" + }, + "rescind": { + "CHS": "解除;废除;撤回", + "ENG": "to officially end a law, or change a decision or agreement" + }, + "allude": { + "CHS": "暗指,转弯抹角地说到;略为提及,顺便提到", + "ENG": "If you allude to something, you mention it in an indirect way" + }, + "sapiential": { + "CHS": "智慧的;明智的;赋予智慧的", + "ENG": "showing, having, or providing wisdom " + }, + "mutilate": { + "CHS": "切断,毁坏;使…残缺不全;使…支离破碎", + "ENG": "to severely and violently damage someone’s body, especially by cutting or removing part of it" + }, + "ravage": { + "CHS": "蹂躏,破坏" + }, + "prophetic": { + "CHS": "预言的,预示的;先知的", + "ENG": "correctly saying what will happen in the future" + }, + "instant": { + "CHS": "瞬间;立即;片刻", + "ENG": "a moment" + }, + "charlatan": { + "CHS": "骗人的" + }, + "wreak": { + "CHS": "发泄;报仇;造成(巨大的破坏或伤害)", + "ENG": "Something or someone that wreaks havoc or destruction causes a great amount of disorder or damage" + }, + "portfolio": { + "CHS": "公文包;文件夹;证券投资组合;部长职务", + "ENG": "a large flat case used especially for carrying pictures, documents etc" + }, + "cathartic": { + "CHS": "[药] 泻药;[药] 通便药" + }, + "wretch": { + "CHS": "可怜的人,不幸的人;卑鄙的人", + "ENG": "someone that you feel sorry for" + }, + "image": { + "CHS": "想象;反映;象征;作…的像" + }, + "residual": { + "CHS": "剩余的;残留的", + "ENG": "remaining after a process, event etc is finished" + }, + "eloquence": { + "CHS": "口才;雄辩;雄辩术;修辞" + }, + "causal": { + "CHS": "表示原因的连词" + }, + "transmission": { + "CHS": "传动装置,[机] 变速器;传递;传送;播送", + "ENG": "the process of sending out electronic signals, messages etc, using radio, television, or other similar equipment" + }, + "pragmatic": { + "CHS": "实际的;实用主义的;国事的", + "ENG": "dealing with problems in a sensible practical way instead of strictly following a set of ideas" + }, + "indecipherable": { + "CHS": "无法解释的;破译不出的;难辨认的", + "ENG": "impossible to read or understand" + }, + "explicit": { + "CHS": "明确的;清楚的;直率的;详述的", + "ENG": "expressed in a way that is very clear and direct" + }, + "valor": { + "CHS": "英勇;勇猛(等于valour)" + }, + "vermicide": { + "CHS": "杀蠕虫药;打虫药", + "ENG": "any substance used to kill worms " + }, + "citadel": { + "CHS": "城堡;大本营;避难处", + "ENG": "a strong fort (= small castle ) built in the past as a place where people could go for safety if their city was attacked" + }, + "adjutant": { + "CHS": "辅助的" + }, + "cadent": { + "CHS": "有节奏的;降落的", + "ENG": "having cadence; rhythmic " + }, + "resolute": { + "CHS": "坚决的;果断的", + "ENG": "doing something in a very determined way because you have very strong beliefs, aims etc" + }, + "hemoglobin": { + "CHS": "[生化] 血红蛋白(等于haemoglobin);血红素", + "ENG": "Haemoglobin is the red substance in blood, which combines with oxygen and carries it around the body" + }, + "beck": { + "CHS": "招手;点头;(英)小河", + "ENG": "(in N England) a stream, esp a swiftly flowing one " + }, + "fatalism": { + "CHS": "宿命论", + "ENG": "the belief that there is nothing you can do to prevent events from happening" + }, + "immense": { + "CHS": "巨大的,广大的;无边无际的;非常好的", + "ENG": "extremely large" + }, + "blithe": { + "CHS": "愉快的;快乐无忧的", + "ENG": "happy and having no worries" + }, + "florid": { + "CHS": "绚丽的;气色好的" + }, + "satisfy": { + "CHS": "令人满意;令人满足", + "ENG": "to make someone feel pleased by doing what they want" + }, + "superior": { + "CHS": "上级,长官;优胜者,高手;长者", + "ENG": "someone who has a higher rank or position than you, especially in a job" + }, + "treatise": { + "CHS": "论述;论文;专著", + "ENG": "a serious book or article about a particular subject" + }, + "exclusive": { + "CHS": "独家新闻;独家经营的项目;排外者", + "ENG": "an important or exciting story that is printed in only one newspaper, because that newspaper was the first to find out about it" + }, + "excellent": { + "CHS": "卓越的;极好的;杰出的", + "ENG": "extremely good or of very high quality" + }, + "extensive": { + "CHS": "广泛的;大量的;广阔的", + "ENG": "large in size, amount, or degree" + }, + "loot": { + "CHS": "抢劫,洗劫;强夺", + "ENG": "to steal things, especially from shops or homes that have been damaged in a war or riot " + }, + "repute": { + "CHS": "名誉;认为;把…称为" + }, + "battery": { + "CHS": "[电] 电池,蓄电池", + "ENG": "an object that provides a supply of electricity for something such as a radio, car, or toy" + }, + "loop": { + "CHS": "环;圈;弯曲部分;翻筋斗", + "ENG": "a shape like a curve or a circle made by a line curving back towards itself, or a piece of wire, string etc that has this shape" + }, + "domain": { + "CHS": "领域;域名;产业;地产", + "ENG": "an area of activity, interest, or knowledge, especially one that a particular person, organization etc deals with" + }, + "carrion": { + "CHS": "腐肉;臭尸;不洁之物", + "ENG": "the decaying flesh of dead animals, which is eaten by some animals and birds" + }, + "biennial": { + "CHS": "[植] 二年生植物" + }, + "postwar": { + "CHS": "战后;在战后" + }, + "intruder": { + "CHS": "侵入者;干扰者;妨碍者", + "ENG": "An intruder is a person who goes into a place where they are not supposed to be" + }, + "populace": { + "CHS": "大众;平民;人口", + "ENG": "the people who live in a country" + }, + "monologue": { + "CHS": "独白", + "ENG": "a long speech by one person" + }, + "needy": { + "CHS": "(Needy)人名;(英)尼迪", + "ENG": "The needy are people who are needy" + }, + "sheer": { + "CHS": "偏航;透明薄织物" + }, + "intensive": { + "CHS": "加强器" + }, + "linear": { + "CHS": "线的,线型的;直线的,线状的;长度的", + "ENG": "consisting of lines, or in the form of a straight line" + }, + "beau": { + "CHS": "美的;好的" + }, + "inhospitable": { + "CHS": "荒凉的;冷淡的,不好客的;不适居留的", + "ENG": "an inhospitable person does not welcome visitors in a friendly way" + }, + "suggestive": { + "CHS": "暗示的;提示的;影射的", + "ENG": "similar to something" + }, + "affix": { + "CHS": "[语] 词缀;附加物", + "ENG": "a group of letters added to the beginning or end of a word to change its meaning or use, such as ‘un-’, ‘mis-’, ‘-ness’, or ‘-ly’" + }, + "exceptional": { + "CHS": "超常的学生" + }, + "opportune": { + "CHS": "适当的;恰好的;合时宜的", + "ENG": "a time that is suitable for doing something" + }, + "molt": { + "CHS": "换毛;脱皮;换毛期" + }, + "independent": { + "CHS": "独立自主者;无党派者", + "ENG": "An independent is an independent politician" + }, + "succor": { + "CHS": "救援;援助" + }, + "earthworm": { + "CHS": "[无脊椎] 蚯蚓", + "ENG": "a common type of long thin brown worm that lives in soil" + }, + "rightful": { + "CHS": "合法的;正当的;公正的;正直的", + "ENG": "according to what is correct or what should be done legally or morally" + }, + "murderous": { + "CHS": "杀人的,残忍的;凶残的;蓄意谋杀的", + "ENG": "very dangerous and likely to kill people" + }, + "beam": { + "CHS": "发送;以梁支撑;用…照射;流露", + "ENG": "to send a radio or television signal through the air, especially to somewhere very distant" + }, + "pervert": { + "CHS": "堕落者;行为反常者;性欲反常者;变态", + "ENG": "someone whose sexual behaviour is considered unnatural and unacceptable" + }, + "docile": { + "CHS": "温顺的,驯服的;容易教的", + "ENG": "quiet and easily controlled" + }, + "waive": { + "CHS": "放弃;搁置", + "ENG": "to state officially that a right, rule etc can be ignored" + }, + "deficient": { + "CHS": "不足的;有缺陷的;不充分的", + "ENG": "not containing or having enough of something" + }, + "almanac": { + "CHS": "年鉴;历书;年历", + "ENG": "a book produced each year containing information about a particular subject, especially a sport, or important dates, times etc" + }, + "autocratic": { + "CHS": "专制的;独裁的,专横的", + "ENG": "An autocratic person or organization has complete power and makes decisions without asking anyone else's advice" + }, + "chilly": { + "CHS": "(Chilly)人名;(法)希伊" + }, + "accusatory": { + "CHS": "非难的,指责的;控诉的,控告的", + "ENG": "an accusatory remark or look from someone shows that they think you have done something wrong" + }, + "fungible": { + "CHS": "代替物" + }, + "propriety": { + "CHS": "适当;礼节;得体", + "ENG": "correctness of social or moral behaviour" + }, + "endurance": { + "CHS": "忍耐力;忍耐;持久;耐久", + "ENG": "the ability to continue doing something difficult or painful over a long period of time" + }, + "abominate": { + "CHS": "痛恨;憎恶", + "ENG": "to hate something very much" + }, + "caitiff": { + "CHS": "卑鄙的人;胆小鬼", + "ENG": "a cowardly or base person " + }, + "turgid": { + "CHS": "肿胀的;浮夸的;浮肿的", + "ENG": "full and swollen with liquid or air" + }, + "twinge": { + "CHS": "使刺痛;使感到剧痛" + }, + "liberal": { + "CHS": "自由主义者", + "ENG": "Liberal is also a noun" + }, + "comical": { + "CHS": "滑稽的,好笑的", + "ENG": "behaviour or situations that are comical are funny in a strange or unexpected way" + }, + "dignity": { + "CHS": "尊严;高贵", + "ENG": "the ability to behave in a calm controlled way even in a difficult situation" + }, + "buoyant": { + "CHS": "轻快的;有浮力的;上涨的", + "ENG": "buoyant prices etc tend to rise" + }, + "compressible": { + "CHS": "可压缩的;可压榨的" + }, + "ailment": { + "CHS": "小病;不安", + "ENG": "an illness that is not very serious" + }, + "asinine": { + "CHS": "驴的;愚蠢的,固执的;驴子似的", + "ENG": "extremely stupid or silly" + }, + "kleptomaniac": { + "CHS": "有窃盗癖的人", + "ENG": "someone suffering from kleptomania" + }, + "stellar": { + "CHS": "星的;星球的;主要的;一流的", + "ENG": "relating to the stars" + }, + "abbess": { + "CHS": "女修道院院长;女庵主持", + "ENG": "a woman who is in charge of a convent (= a place where a group of nun s live ) " + }, + "befriend": { + "CHS": "帮助;待人如友;扶助", + "ENG": "to behave in a friendly way towards someone, especially someone who is younger or needs help" + }, + "sinuous": { + "CHS": "蜿蜒的;弯曲的;迂回的", + "ENG": "with many smooth twists and turns" + }, + "lens": { + "CHS": "给……摄影" + }, + "sanction": { + "CHS": "制裁,处罚;批准;鼓励", + "ENG": "to officially accept or allow something" + }, + "interim": { + "CHS": "过渡时期,中间时期;暂定", + "ENG": "in the period of time between two events" + }, + "cadaverous": { + "CHS": "尸体样的;惨白的" + }, + "contemporary": { + "CHS": "当代的;同时代的;属于同一时期的", + "ENG": "belonging to the present time" + }, + "gestate": { + "CHS": "使怀孕", + "ENG": "to carry (developing young) in the uterus during pregnancy " + }, + "arrogate": { + "CHS": "冒称;霸占;没来由地将…归属于", + "ENG": "to claim that you have a particular right, position etc, without having the legal right to it" + }, + "promulgate": { + "CHS": "公布;传播;发表", + "ENG": "to spread an idea or belief to as many people as possible" + }, + "phase": { + "CHS": "月相", + "ENG": "one of a fixed number of changes in the appearance of the Moon or a planet when it is seen from the Earth" + }, + "enforce": { + "CHS": "实施,执行;强迫,强制", + "ENG": "to make people obey a rule or law" + }, + "redress": { + "CHS": "救济;赔偿;矫正", + "ENG": "money that someone pays you because they have caused you harm or damaged your property" + }, + "depress": { + "CHS": "压抑;使沮丧;使萧条", + "ENG": "to make someone feel very unhappy" + }, + "gall": { + "CHS": "烦恼;屈辱;磨伤" + }, + "poise": { + "CHS": "使平衡;保持姿势", + "ENG": "to put or hold something in a carefully balanced position, especially above something else" + }, + "ornate": { + "CHS": "华丽的;装饰的;(文体)绚丽的", + "ENG": "covered with a lot of decoration" + }, + "angelic": { + "CHS": "天使的;似天使的;天国的", + "ENG": "looking good, kind, and gentle or behaving in this way" + }, + "sensation": { + "CHS": "感觉;轰动;感动", + "ENG": "a feeling that you get from one of your five senses, especially the sense of touch" + }, + "nettle": { + "CHS": "荨麻科的" + }, + "disparity": { + "CHS": "不同;不一致;不等", + "ENG": "a difference between two or more things, especially an unfair one" + }, + "frequency": { + "CHS": "频率;频繁", + "ENG": "the number of times that something happens within a particular period of time or within a particular group of people" + }, + "copious": { + "CHS": "丰富的;很多的;多产的", + "ENG": "existing or being produced in large quantities" + }, + "milestone": { + "CHS": "里程碑,划时代的事件", + "ENG": "a very important event in the development of something" + }, + "fidelity": { + "CHS": "保真度;忠诚;精确;尽责", + "ENG": "when you are loyal to your husband, girlfriend etc, by not having sex with anyone else" + }, + "apex": { + "CHS": "顶点;尖端", + "ENG": "the top or highest part of something pointed or curved" + }, + "clemency": { + "CHS": "仁慈;温和;宽厚", + "ENG": "forgiveness and less severe punishment for a crime" + }, + "quaint": { + "CHS": "古雅的;奇怪的;离奇有趣的;做得很精巧的", + "ENG": "Something that is quaint is attractive because it is old-fashioned" + }, + "baton": { + "CHS": "指挥棒;接力棒;警棍;司令棒", + "ENG": "a short thin stick used by a conductor (= the leader of a group of musicians ) to direct the music" + }, + "termination": { + "CHS": "结束,终止", + "ENG": "the act of ending something, or the end of something" + }, + "speed": { + "CHS": "速度,速率;迅速,快速;昌盛,繁荣", + "ENG": "the rate at which something moves or travels" + }, + "presentient": { + "CHS": "有预感的", + "ENG": "characterized by or experiencing a presentiment " + }, + "instill": { + "CHS": "徐徐滴入;逐渐灌输" + }, + "indicant": { + "CHS": "指示物", + "ENG": "something that indicates " + }, + "approximation": { + "CHS": "[数] 近似法;接近;[数] 近似值", + "ENG": "a number, amount etc that is not exact, but is almost correct" + }, + "privilege": { + "CHS": "给与…特权;特免", + "ENG": "to treat some people or things better than others" + }, + "inculpable": { + "CHS": "无辜的;无可非议的", + "ENG": "incapable of being blamed or accused; guiltless " + }, + "accompany": { + "CHS": "陪伴,伴随;伴奏", + "ENG": "to go somewhere with someone" + }, + "repulsion": { + "CHS": "排斥;反驳;反感;厌恶", + "ENG": "a feeling that you want to avoid something or move away from it, because it is extremely unpleasant" + }, + "amend": { + "CHS": "(Amend)人名;(德、英)阿门德" + }, + "asperity": { + "CHS": "(表面的)粗糙;(气候等的)严酷;艰苦的条件;(性格)粗暴", + "ENG": "if you speak with asperity, you say something in a way that is rough or severe, showing that you are feeling impatient" + }, + "recondite": { + "CHS": "深奥的;隐藏的;默默无闻的", + "ENG": "recondite facts or subjects are not known about or understood by many people" + }, + "abusive": { + "CHS": "辱骂的;滥用的;虐待的", + "ENG": "using cruel words or physical violence" + }, + "temperate": { + "CHS": "温和的;适度的;有节制的", + "ENG": "behaviour that is temperate is calm and sensible" + }, + "inscrutable": { + "CHS": "神秘的;不可理解的;不能预测的;不可思议的", + "ENG": "someone who is inscrutable shows no emotion or reaction in the expression on their face so that it is impossible to know what they are feeling or thinking" + }, + "probity": { + "CHS": "廉洁;正直", + "ENG": "complete honesty" + }, + "herbivorous": { + "CHS": "[动] 食草的", + "ENG": "Herbivorous animals only eat plants" + }, + "onset": { + "CHS": "开始,着手;发作;攻击,进攻", + "ENG": "the beginning of something, especially something bad" + }, + "ignition": { + "CHS": "点火,点燃;着火,燃烧;点火开关,点火装置", + "ENG": "the electrical part of a vehicle’s engine that makes it start working" + }, + "sustainable": { + "CHS": "可以忍受的;足可支撑的;养得起的;可持续的", + "ENG": "able to continue without causing damage to the environment" + }, + "ultimate": { + "CHS": "终极;根本;基本原则" + }, + "ardent": { + "CHS": "(Ardent)人名;(法)阿尔当" + }, + "camouflage": { + "CHS": "伪装,掩饰", + "ENG": "to hide something, especially by making it look the same as the things around it, or by making it seem like something else" + }, + "inclusive": { + "CHS": "包括的,包含的", + "ENG": "an inclusive price or cost includes everything" + }, + "adherence": { + "CHS": "坚持;依附;忠诚", + "ENG": "when someone behaves according to a particular rule, belief, principle etc" + }, + "argumentation": { + "CHS": "论证;争论;辩论", + "ENG": "Argumentation is the process of arguing in an organized or logical way, for example, in philosophy" + }, + "rouse": { + "CHS": "觉醒;奋起" + }, + "realm": { + "CHS": "领域,范围;王国", + "ENG": "a general area of knowledge, activity, or thought" + }, + "verbose": { + "CHS": "冗长的;啰嗦的", + "ENG": "using or containing too many words" + }, + "feast": { + "CHS": "筵席,宴会;节日", + "ENG": "a large meal where a lot of people celebrate a special occasion" + }, + "palatial": { + "CHS": "宫殿似的;宏伟的;壮丽的", + "ENG": "a palatial building etc is large and beautifully decorated" + }, + "congest": { + "CHS": "使充血;充塞" + }, + "hospitable": { + "CHS": "热情友好的;(环境)舒适的", + "ENG": "friendly, welcoming, and generous to visitors" + }, + "regime": { + "CHS": "政权,政体;社会制度;管理体制", + "ENG": "a government, especially one that was not elected fairly or that you disapprove of for some other reason" + }, + "perforate": { + "CHS": "穿孔于,打孔穿透;在…上打齿孔", + "ENG": "to make a hole or holes in something" + }, + "abominable": { + "CHS": "讨厌的;令人憎恶的;糟透的", + "ENG": "extremely unpleasant or of very bad quality" + }, + "vilify": { + "CHS": "诽谤;中伤;轻视;贬低", + "ENG": "to say or write bad things about someone or something" + }, + "commitment": { + "CHS": "承诺,保证;委托;承担义务;献身", + "ENG": "a promise to do something or to behave in a particular way" + }, + "disillusion": { + "CHS": "幻灭;醒悟", + "ENG": "Disillusion is the same as " + }, + "endorse": { + "CHS": "背书;认可;签署;赞同;在背面签名", + "ENG": "to express formal support or approval for someone or something" + }, + "neophyte": { + "CHS": "新信徒;新入教者;初学者", + "ENG": "someone who has just started to learn a particular skill, art, job etc" + }, + "transgress": { + "CHS": "违反;侵犯;犯罪", + "ENG": "to do something that is against the rules of social behaviour or against a moral principle" + }, + "inertia": { + "CHS": "[力] 惯性;惰性,迟钝;不活动", + "ENG": "when no one wants to do anything to change a situation" + }, + "rapacious": { + "CHS": "贪婪的;掠夺的", + "ENG": "always wanting more money, goods etc than you need or have a right to" + }, + "oppressive": { + "CHS": "压迫的;沉重的;压制性的;难以忍受的", + "ENG": "If you describe a society, its laws, or customs as oppressive, you think they treat people cruelly and unfairly" + }, + "approbation": { + "CHS": "认可;赞许;批准", + "ENG": "official praise or approval" + }, + "reputable": { + "CHS": "声誉好的;受尊敬的;卓越的", + "ENG": "respected for being honest or for doing good work" + }, + "rampage": { + "CHS": "狂暴;乱闹;发怒" + }, + "generosity": { + "CHS": "慷慨,大方;宽宏大量", + "ENG": "a generous attitude, or generous behaviour" + }, + "accumulate": { + "CHS": "累积;积聚", + "ENG": "to gradually get more and more money, possessions, knowledge etc over a period of time" + }, + "listless": { + "CHS": "倦怠的;无精打采的;百无聊赖的", + "ENG": "feeling tired and not interested in things" + }, + "exterminate": { + "CHS": "消灭;根除", + "ENG": "to kill large numbers of people or animals of a particular type so that they no longer exist" + }, + "probate": { + "CHS": "[法] 遗嘱认证的" + }, + "sediment": { + "CHS": "沉积;沉淀物", + "ENG": "solid substances that settle at the bottom of a liquid" + }, + "emancipation": { + "CHS": "解放;释放" + }, + "necessity": { + "CHS": "需要;必然性;必需品", + "ENG": "something that you need to have in order to live" + }, + "strait": { + "CHS": "海峡;困境", + "ENG": "a narrow passage of water between two areas of land, usually connecting two seas" + }, + "surround": { + "CHS": "环绕立体声的" + }, + "utmost": { + "CHS": "极度的;最远的", + "ENG": "You can use utmost to emphasize the importance or seriousness of something or to emphasize the way that it is done" + }, + "gluttonous": { + "CHS": "贪吃的,暴食的;饕餮的", + "ENG": "If you think that someone eats too much or is greedy, you can say they are gluttonous" + }, + "parallelogram": { + "CHS": "平行四边形", + "ENG": "a flat shape with four sides in which each side is the same length as the side opposite it and parallel to it" + }, + "wrangle": { + "CHS": "争论;争吵", + "ENG": "to argue with someone angrily for a long time" + }, + "gambol": { + "CHS": "雀跃;嬉戏" + }, + "vegetarian": { + "CHS": "素食的", + "ENG": "Someone who is vegetarian never eats meat or fish" + }, + "hypocritical": { + "CHS": "虚伪的;伪善的", + "ENG": "behaving in a way that is different from what you claim to believe – used to show disapproval" + }, + "outrageous": { + "CHS": "粗暴的;可恶的;令人吃惊的", + "ENG": "If you describe something as outrageous, you are emphasizing that it is unacceptable or very shocking" + }, + "crepuscular": { + "CHS": "黄昏的;朦胧的;拂晓的", + "ENG": "Crepuscular means relating to " + }, + "vague": { + "CHS": "(Vague)人名;(法)瓦格;(英)韦格" + }, + "catastrophe": { + "CHS": "大灾难;大祸;惨败", + "ENG": "a terrible event in which there is a lot of destruction, suffering, or death" + }, + "portent": { + "CHS": "前兆;预示;迹象;异常之物", + "ENG": "a sign or warning that something is going to happen" + }, + "malignant": { + "CHS": "保王党员;怀恶意的人" + }, + "piecemeal": { + "CHS": "粉碎" + }, + "product": { + "CHS": "产品;结果;[数] 乘积;作品", + "ENG": "something that is grown or made in a factory in large quantities, usually in order to be sold" + }, + "idle": { + "CHS": "无所事事;虚度;空转", + "ENG": "if an engine idles, it runs slowly while the vehicle, machine etc is not moving" + }, + "plane": { + "CHS": "平的;平面的", + "ENG": "completely flat and smooth" + }, + "hoard": { + "CHS": "贮藏物", + "ENG": "a collection of things that someone hides somewhere, especially so they can use them later" + }, + "auspicious": { + "CHS": "吉兆的,吉利的;幸运的", + "ENG": "showing that something is likely to be successful" + }, + "archive": { + "CHS": "把…存档", + "ENG": "to put documents, books, information etc in an archive" + }, + "evanescent": { + "CHS": "容易消散的;逐渐消失的;会凋零的", + "ENG": "Something that is evanescent gradually disappears from sight or memory" + }, + "reveal": { + "CHS": "揭露;暴露;门侧,窗侧" + }, + "auburn": { + "CHS": "赤褐色的,赭色的", + "ENG": "auburn hair is a reddish brown colour" + }, + "mingle": { + "CHS": "(Mingle)人名;(加纳、英)明格尔" + }, + "technology": { + "CHS": "技术;工艺;术语", + "ENG": "new machines, equipment, and ways of doing things that are based on modern knowledge about science and computers" + }, + "insipid": { + "CHS": "清淡的;无趣的", + "ENG": "food or drink that is insipid does not have much taste" + }, + "palette": { + "CHS": "调色板;颜料", + "ENG": "a thin curved board that an artist uses to mix paints, holding it by putting his or her thumb through a hole at the edge" + }, + "seditious": { + "CHS": "煽动性的;扰乱治安的;参与煽动的", + "ENG": "A seditious act, speech, or piece of writing encourages people to fight against or oppose the government" + }, + "hypnotic": { + "CHS": "安眠药;催眠状态的人", + "ENG": "a drug that helps you to sleep" + }, + "temper": { + "CHS": "使回火;锻炼;调和;使缓和", + "ENG": "to make something less severe or extreme" + }, + "versatile": { + "CHS": "多才多艺的;通用的,万能的;多面手的", + "ENG": "someone who is versatile has many different skills" + }, + "pontiff": { + "CHS": "主教,教皇;罗马教宗", + "ENG": "the Pope" + }, + "instigate": { + "CHS": "唆使;煽动;教唆;怂恿", + "ENG": "to persuade someone to do something bad or violent" + }, + "eclectic": { + "CHS": "折衷派的人;折衷主义者" + }, + "underscore": { + "CHS": "底线,[计] 下划线" + }, + "enmity": { + "CHS": "敌意;憎恨", + "ENG": "Enmity is a feeling of hatred toward someone that lasts for a long time" + }, + "pristine": { + "CHS": "原始的,古时的;纯朴的" + }, + "trait": { + "CHS": "特性,特点;品质;少许", + "ENG": "a particular quality in someone’s character" + }, + "salamander": { + "CHS": "火蜥蜴;蝾螈目动物;耐火的人;烤箱", + "ENG": "a small animal similar to a lizard , which lives on land and in the water" + }, + "herbaceous": { + "CHS": "草本的;绿色的;叶状的", + "ENG": "plants that are herbaceous have soft stems rather than hard stems made of wood" + }, + "reiterate": { + "CHS": "重申;反复地做", + "ENG": "to repeat a statement or opinion in order to make your meaning as clear as possible" + }, + "deplete": { + "CHS": "耗尽,用尽;使衰竭,使空虚", + "ENG": "To deplete a stock or amount of something means to reduce it" + }, + "stature": { + "CHS": "身高,身材;(精神、道德等的)高度", + "ENG": "someone’s height or size" + }, + "abbreviate": { + "CHS": "缩写,使省略;使简短" + }, + "glance": { + "CHS": "扫视,匆匆一看;反光;瞥闪,瞥见", + "ENG": "to quickly look at someone or something" + }, + "expulsion": { + "CHS": "驱逐;开除", + "ENG": "the act of forcing someone to leave a place" + }, + "loophole": { + "CHS": "漏洞;枪眼;换气孔;射弹孔", + "ENG": "a small mistake in a law that makes it possible to avoid doing something that the law is supposed to make you do" + }, + "understate": { + "CHS": "少说,少报;保守地说;有意轻描淡写", + "ENG": "to describe something in a way that makes it seem less important or serious than it really is" + }, + "remonstrate": { + "CHS": "责备,告诫;抗议;表示异议", + "ENG": "to tell someone that you strongly disapprove of something they have said or done" + }, + "discrepant": { + "CHS": "有差异的;相差的;矛盾的" + }, + "endure": { + "CHS": "忍耐;容忍", + "ENG": "to be in a difficult or painful situation for a long time without complaining" + }, + "hostility": { + "CHS": "敌意;战争行动", + "ENG": "when someone is unfriendly and full of anger towards another person" + }, + "amply": { + "CHS": "(Amply)人名;(俄)安普利" + }, + "euphonious": { + "CHS": "悦耳的", + "ENG": "denoting or relating to euphony; pleasing to the ear " + }, + "levy": { + "CHS": "征收(税等);征集(兵等)", + "ENG": "to officially say that people must pay a tax or charge" + }, + "fluctuation": { + "CHS": "起伏,波动", + "ENG": "a change in a price, amount, level etc" + }, + "precarious": { + "CHS": "危险的;不确定的", + "ENG": "a precarious situation or state is one which may very easily or quickly become worse" + }, + "superstitious": { + "CHS": "迷信的;由迷信引起的", + "ENG": "influenced by superstitions" + }, + "acrid": { + "CHS": "辛辣的;苦的;刻薄的", + "ENG": "an acrid smell or taste is strong and unpleasant and stings your nose or throat" + }, + "alteration": { + "CHS": "修改,改变;变更", + "ENG": "a small change that makes someone or something slightly different, or the process of this change" + }, + "ado": { + "CHS": "忙乱,纷扰,麻烦" + }, + "catastrophic": { + "CHS": "灾难的;悲惨的;灾难性的,毁灭性的", + "ENG": "Something that is catastrophic involves or causes a sudden terrible disaster" + }, + "ethics": { + "CHS": "伦理学;伦理观;道德标准", + "ENG": "Ethics are moral beliefs and rules about right and wrong" + }, + "theory": { + "CHS": "理论;原理;学说;推测", + "ENG": "an idea or set of ideas that is intended to explain something about life or the world, especially an idea that has not yet been proved to be true" + }, + "insight": { + "CHS": "洞察力;洞悉", + "ENG": "the ability to understand and realize what people or situations are really like" + }, + "dome": { + "CHS": "加圆屋顶于…上" + }, + "add": { + "CHS": "加法,加法运算" + }, + "gibe": { + "CHS": "嘲讽话" + }, + "microscope": { + "CHS": "显微镜", + "ENG": "a scientific instrument that makes extremely small things look larger" + }, + "isochronous": { + "CHS": "[物] 等时的;等步的", + "ENG": "having the same duration; equal in time " + }, + "interchangeable": { + "CHS": "可互换的;可交换的;可交替的", + "ENG": "things that are interchangeable can be used instead of each other" + }, + "butane": { + "CHS": "[有化] 丁烷", + "ENG": "a gas stored in liquid form, used for cooking and heating" + }, + "nausea": { + "CHS": "恶心,晕船;极端的憎恶", + "ENG": "the feeling that you have when you think you are going to vomit (= bring food up from your stomach through your mouth )" + }, + "ample": { + "CHS": "(Ample)人名;(西)安普尔" + }, + "semblance": { + "CHS": "外貌;假装;类似", + "ENG": "a situation, condition etc that is close to or similar to a particular one, usually a good one" + }, + "radiate": { + "CHS": "辐射状的,有射线的" + }, + "frustrate": { + "CHS": "挫败的;无益的" + }, + "celebrate": { + "CHS": "庆祝;举行;赞美;祝贺;宣告", + "ENG": "to show that an event or occasion is important by doing something special or enjoyable" + }, + "statute": { + "CHS": "[法] 法规;法令;条例", + "ENG": "a law passed by a parliament, council etc and formally written down" + }, + "transcribe": { + "CHS": "转录;抄写", + "ENG": "to write an exact copy of something" + }, + "effectual": { + "CHS": "奏效的;会应验的;有法律效力的", + "ENG": "producing the result that was wanted or intended" + }, + "deft": { + "CHS": "灵巧的;机敏的;敏捷熟练的", + "ENG": "a deft movement is skilful, and often quick" + }, + "potent": { + "CHS": "有效的;强有力的,有权势的;有说服力的", + "ENG": "having a very powerful effect or influence on your body or mind" + }, + "buffoonery": { + "CHS": "滑稽;打诨", + "ENG": "Buffoonery is foolish behaviour that makes you laugh" + }, + "resource": { + "CHS": "资源,财力;办法;智谋", + "ENG": "something such as useful land, or minerals such as oil or coal, that exists in a country and can be used to increase its wealth" + }, + "destructive": { + "CHS": "破坏的;毁灭性的;有害的,消极的", + "ENG": "causing damage to people or things" + }, + "yip": { + "CHS": "犬吠;尖叫", + "ENG": "If a dog or other animal yips, it gives a sudden short cry, often because of fear or pain" + }, + "circumspect": { + "CHS": "细心的,周到的;慎重的", + "ENG": "If you are circumspect, you are cautious in what you do and say and do not take risks" + }, + "insulate": { + "CHS": "隔离,使孤立;使绝缘,使隔热", + "ENG": "to cover or protect something with a material that stops electricity, sound, heat etc from getting in or out" + }, + "salvageable": { + "CHS": "可抢救的;可打捞的;可挽回的;能利用的" + }, + "congenital": { + "CHS": "先天的,天生的;天赋的", + "ENG": "a congenital medical condition or disease has affected someone since they were born" + }, + "nimble": { + "CHS": "敏捷的;聪明的;敏感的", + "ENG": "able to move quickly and easily with light neat movements" + }, + "painstaking": { + "CHS": "辛苦;勤勉" + }, + "intonation": { + "CHS": "声调,语调;语音的抑扬", + "ENG": "the way in which the level of your voice changes in order to add meaning to what you are saying, for example by going up at the end of a question" + }, + "monition": { + "CHS": "忠告;法庭传票;宗教法庭的诫谕", + "ENG": "a warning or caution; admonition " + }, + "place": { + "CHS": "放置;任命;寄予", + "ENG": "to put something somewhere, especially with care" + }, + "castigate": { + "CHS": "严惩;苛评;矫正;修订", + "ENG": "to criticize or punish someone severely" + }, + "composed": { + "CHS": "组成;作曲(compose的过去分词);著作" + }, + "jocund": { + "CHS": "快活的;高兴的", + "ENG": "of a humorous temperament; merry " + }, + "untimely": { + "CHS": "不合时宜地;过早地" + }, + "respite": { + "CHS": "使缓解;使暂缓;使延期;缓期执行" + }, + "tantalize": { + "CHS": "逗弄;使干着急", + "ENG": "to show or promise something that someone really wants, but then not allow them to have it" + }, + "homeostasis": { + "CHS": "[生理] 体内平衡;[自] 内稳态" + }, + "acquaint": { + "CHS": "使熟悉;使认识" + }, + "tortuous": { + "CHS": "扭曲的,弯曲的;啰嗦的", + "ENG": "a tortuous path, stream, road etc has a lot of bends in it and is therefore difficult to travel along" + }, + "hadron": { + "CHS": "[高能] 强子(参与强相互作用的基本粒子)", + "ENG": "any elementary particle capable of taking part in a strong nuclear interaction and therefore excluding leptons and photons " + }, + "bristle": { + "CHS": "发怒;竖起", + "ENG": "to behave in a way that shows you are very angry or annoyed" + }, + "abhorrent": { + "CHS": "可恶的;厌恶的;格格不入的", + "ENG": "something that is abhorrent is completely unacceptable because it seems morally wrong" + }, + "appease": { + "CHS": "使平息;使满足;使和缓;对…让步", + "ENG": "If you try to appease someone, you try to stop them from being angry by giving them what they want" + }, + "digression": { + "CHS": "离题;脱轨" + }, + "indulgent": { + "CHS": "放纵的;宽容的;任性的", + "ENG": "willing to allow someone, especially a child, to do or have whatever they want, even if this is not good for them" + }, + "ownership": { + "CHS": "所有权;物主身份", + "ENG": "the fact of owning something" + }, + "descendent": { + "CHS": "后裔;派生物" + }, + "disparage": { + "CHS": "蔑视;毁谤", + "ENG": "If you disparage someone or something, you speak about them in a way which shows that you do not have a good opinion of them" + }, + "minuscule": { + "CHS": "极小的;用草写小字写的", + "ENG": "extremely small" + }, + "fallible": { + "CHS": "易犯错误的;不可靠的", + "ENG": "able to make mistakes or be wrong" + }, + "hypercritical": { + "CHS": "吹毛求疵的,苛评的", + "ENG": "too eager to criticize other people and things, especially about small details" + }, + "zealous": { + "CHS": "(Zealous)人名;(英)泽勒斯" + }, + "prescription": { + "CHS": "凭处方方可购买的" + }, + "apprehensible": { + "CHS": "可理解的,可了解的", + "ENG": "capable of being comprehended or grasped mentally " + }, + "irritate": { + "CHS": "刺激,使兴奋;激怒", + "ENG": "to make someone feel annoyed or impatient, especially by doing something many times or for a long period of time" + }, + "havoc": { + "CHS": "损毁" + }, + "centipede": { + "CHS": "[无脊椎][中医] 蜈蚣", + "ENG": "a small creature like a worm with a lot of very small legs" + }, + "percipient": { + "CHS": "有感知力的人", + "ENG": "a person or thing that perceives " + }, + "shrivel": { + "CHS": "枯萎;皱缩", + "ENG": "if something shrivels, or if it is shrivelled, it becomes smaller and its surface becomes covered in lines because it is very dry or old" + }, + "consummate": { + "CHS": "完成;作成;使达到极点", + "ENG": "to make something complete, especially an agreement" + }, + "transgression": { + "CHS": "[地质] 海侵;犯罪;违反;逸出" + }, + "descry": { + "CHS": "看见;发现;察看", + "ENG": "to discern or make out; catch sight of " + }, + "demagoguery": { + "CHS": "散布谣言;煽动行为;群众煽动" + }, + "irrevocable": { + "CHS": "不可改变的;不能取消的;不能挽回的", + "ENG": "an irrevocable decision, action etc cannot be changed or stopped" + }, + "noxious": { + "CHS": "有害的;有毒的;败坏道德的;讨厌的", + "ENG": "harmful or poisonous" + }, + "denote": { + "CHS": "表示,指示", + "ENG": "to mean something" + }, + "induct": { + "CHS": "引导;感应;使…就职;征召入伍", + "ENG": "to officially give someone a job or position of authority, especially at a special ceremony" + }, + "discourse": { + "CHS": "演说;谈论;讲述" + }, + "bipartisan": { + "CHS": "两党连立的;代表两党的", + "ENG": "involving two political parties, especially parties with opposing views" + }, + "procrastinate": { + "CHS": "耽搁,延迟", + "ENG": "to delay doing something that you ought to do, usually because you do not want to do it" + }, + "facilitate": { + "CHS": "促进;帮助;使容易", + "ENG": "To facilitate an action or process, especially one that you would like to happen, means to make it easier or more likely to happen" + }, + "transcend": { + "CHS": "胜过,超越", + "ENG": "to go beyond the usual limits of something" + }, + "vocal": { + "CHS": "声乐作品;元音" + }, + "epidermis": { + "CHS": "上皮,表皮", + "ENG": "the outside layer of your skin" + }, + "induce": { + "CHS": "诱导;引起;引诱;感应", + "ENG": "to persuade someone to do something, especially something that does not seem wise" + }, + "pare": { + "CHS": "(Pare)人名;(英)佩尔;(法)帕尔" + }, + "deleterious": { + "CHS": "有毒的,有害的", + "ENG": "damaging or harmful" + }, + "ambiguous": { + "CHS": "模糊不清的;引起歧义的" + }, + "reasonable": { + "CHS": "合理的,公道的;通情达理的", + "ENG": "fair and sensible" + }, + "field": { + "CHS": "扫描场;田赛的;野生的", + "ENG": "You use field to describe work or study that is done in a real, natural environment rather than in a theoretical way or in controlled conditions" + }, + "concoct": { + "CHS": "捏造;混合而制;调合;图谋", + "ENG": "to invent a clever story, excuse, or plan, especially in order to deceive someone" + }, + "slick": { + "CHS": "使光滑;使漂亮" + }, + "sensibility": { + "CHS": "情感;敏感性;感觉;识别力", + "ENG": "the way that someone reacts to particular subjects or types of behaviour" + }, + "despicable": { + "CHS": "卑劣的;可鄙的", + "ENG": "extremely bad, immoral, or cruel" + }, + "braggadocio": { + "CHS": "自夸,吹牛;吹牛大王", + "ENG": "proud talk about something that you claim to own, to have done etc" + }, + "string": { + "CHS": "线,弦,细绳;一串,一行", + "ENG": "a strong thread made of several threads twisted together, used for tying or fastening things" + }, + "plumb": { + "CHS": "垂直的", + "ENG": "exactly upright or level" + }, + "moribund": { + "CHS": "垂死的人" + }, + "incumbent": { + "CHS": "在职者;现任者;领圣俸者" + }, + "cancer": { + "CHS": "癌症;恶性肿瘤", + "ENG": "a very serious disease in which cells in one part of the body start to grow in a way that is not normal" + }, + "lewd": { + "CHS": "淫荡的;猥亵的;下流的", + "ENG": "using rude words or movements that make you think of sex" + }, + "ogle": { + "CHS": "眉目传情;媚眼" + }, + "aye": { + "CHS": "赞成", + "ENG": "used to say yes when voting" + }, + "octagon": { + "CHS": "八边形,八角形", + "ENG": "a flat shape with eight sides and eight angles" + }, + "round": { + "CHS": "附近;绕过;大约;在…周围" + }, + "askance": { + "CHS": "怀疑地;斜视地" + }, + "outright": { + "CHS": "完全的,彻底的;直率的;总共的", + "ENG": "clear and direct" + }, + "dissonant": { + "CHS": "刺耳的;不谐和的;不调和的", + "ENG": "discordant; cacophonous " + }, + "inspection": { + "CHS": "视察,检查", + "ENG": "an official visit to a building or organization to check that everything is satisfactory and that rules are being obeyed" + }, + "eligible": { + "CHS": "合格者;适任者;有资格者" + }, + "finite": { + "CHS": "有限之物" + }, + "amount": { + "CHS": "数量;总额,总数", + "ENG": "a quantity of something such as time, money, or a substance" + }, + "urchin": { + "CHS": "顽童,淘气鬼;海胆;刺猬" + }, + "conservative": { + "CHS": "保守派,守旧者", + "ENG": "someone who supports or is a member of the Conservative Party in Britain" + }, + "exasperate": { + "CHS": "恶化;使恼怒;激怒", + "ENG": "to make someone very annoyed by continuing to do something that upsets them" + }, + "spasmodic": { + "CHS": "痉挛的,痉挛性的;间歇性的", + "ENG": "of or relating to a muscle spasm" + }, + "antecedent": { + "CHS": "先行的;前驱的;先前的" + }, + "submit": { + "CHS": "使服从;主张;呈递", + "ENG": "to give a plan, piece of writing etc to someone in authority for them to consider or approve" + }, + "cajolery": { + "CHS": "甜言蜜语;诱骗;谄媚" + }, + "villainous": { + "CHS": "罪恶的;恶棍的;恶毒的;坏透的", + "ENG": "evil or criminal" + }, + "impression": { + "CHS": "印象;效果,影响;压痕,印记;感想;曝光(衡量广告被显示的次数。打开一个带有该广告的网页,则该广告的impression 次数增加一次)", + "ENG": "the opinion or feeling you have about someone or something because of the way they seem" + }, + "fatuous": { + "CHS": "愚笨的;昏庸的;发呆的;自满的", + "ENG": "very silly or stupid" + }, + "putrid": { + "CHS": "腐败的;腐烂的;令人厌恶的", + "ENG": "dead animals, plants etc that are putrid are decaying and smell very bad" + }, + "overt": { + "CHS": "明显的;公然的;蓄意的", + "ENG": "An overt action or attitude is done or shown in an open and obvious way" + }, + "input": { + "CHS": "[自][电子] 输入;将…输入电脑", + "ENG": "If you input information into a computer, you feed it in, for example, by typing it on a keyboard" + }, + "noisome": { + "CHS": "恶臭的;有害的" + }, + "choral": { + "CHS": "赞美诗;唱诗班" + }, + "dispensation": { + "CHS": "分配;免除;豁免;天命", + "ENG": "A dispensation is special permission to do something that is normally not allowed" + }, + "vindictive": { + "CHS": "怀恨的;有报仇心的;惩罚的", + "ENG": "unreasonably cruel and unfair towards someone who has harmed you" + }, + "extricate": { + "CHS": "使解脱;解救;使游离", + "ENG": "to escape from a difficult or embarrassing situation, or to help someone escape" + }, + "adept": { + "CHS": "内行;能手" + }, + "acknowledge": { + "CHS": "承认;答谢;报偿;告知已收到", + "ENG": "to admit or accept that something is true or that a situation exists" + }, + "gamble": { + "CHS": "赌博;冒险;打赌", + "ENG": "an action or plan that involves a risk but that you hope will succeed" + }, + "archaic": { + "CHS": "古代的;陈旧的;古体的;古色古香的", + "ENG": "old and no longer used" + }, + "repeal": { + "CHS": "废除;撤销", + "ENG": "Repeal is also a noun" + }, + "deprecate": { + "CHS": "反对;抨击;轻视;声明不赞成", + "ENG": "to strongly disapprove of or criticize something" + }, + "accost": { + "CHS": "勾引;引诱;对…说话;搭讪" + }, + "cantankerous": { + "CHS": "脾气坏的;爱吵架的;难相处的", + "ENG": "bad-tempered and complaining a lot" + }, + "expend": { + "CHS": "花费;消耗;用光;耗尽", + "ENG": "to use or spend a lot of energy etc in order to do something" + }, + "reprobate": { + "CHS": "恶棍,无赖" + }, + "didactic": { + "CHS": "说教的;教诲的", + "ENG": "speech or writing that is didactic is intended to teach people a moral lesson" + }, + "aversion": { + "CHS": "厌恶;讨厌的人", + "ENG": "a strong dislike of something or someone" + }, + "shun": { + "CHS": "(Shun)人名;(日)春(姓)" + }, + "melee": { + "CHS": "混战,格斗;互殴", + "ENG": "A melee is a noisy, confusing fight between the people in a crowd" + }, + "liberty": { + "CHS": "自由;许可;冒失", + "ENG": "the freedom and the right to do whatever you want without asking permission or being afraid of authority" + }, + "multiform": { + "CHS": "多样的;多种形式的", + "ENG": "having many forms or kinds " + }, + "sycophant": { + "CHS": "奉承的;拍马的" + }, + "inadvertent": { + "CHS": "疏忽的;不注意的(副词inadvertently);无意中做的", + "ENG": "An inadvertent action is one that you do without realizing what you are doing" + }, + "extravagance": { + "CHS": "奢侈,浪费;过度;放肆的言行", + "ENG": "Extravagance is the spending of more money than is reasonable or than you can afford" + }, + "atheism": { + "CHS": "不信神,无神论", + "ENG": "the belief that God does not exist" + }, + "iridescent": { + "CHS": "彩虹色的;闪光的", + "ENG": "showing colours that seem to change in different lights" + }, + "apathetic": { + "CHS": "冷漠的;无动于衷的,缺乏兴趣的", + "ENG": "not interested in something, and not willing to make any effort to change or improve things" + }, + "diaphanous": { + "CHS": "透明的;精致的;模糊的", + "ENG": "diaphanous cloth is so thin that you can almost see through it" + }, + "implement": { + "CHS": "工具,器具;手段", + "ENG": "a tool, especially one used for outdoor physical work" + }, + "muddle": { + "CHS": "糊涂;困惑;混浊状态", + "ENG": "when there is confusion about something, and things are done wrong as a result" + }, + "confession": { + "CHS": "忏悔,告解;供认;表白", + "ENG": "a statement that you have done something wrong, illegal, or embarras-sing, especially a formal statement" + }, + "icon": { + "CHS": "图标;偶像;肖像,画像;圣像", + "ENG": "a small sign or picture on a computer screen that is used to start a particular operation" + }, + "mitigate": { + "CHS": "使缓和,使减轻", + "ENG": "to make a situation or the effects of something less unpleasant, harmful, or serious" + }, + "separate": { + "CHS": "分开;抽印本" + }, + "cerebral": { + "CHS": "大脑的,脑的", + "ENG": "relating to or affecting your brain" + }, + "tepid": { + "CHS": "微温的,温热的;不太热烈的;不热情的", + "ENG": "a feeling, reaction etc that is tepid shows a lack of excitement or interest" + }, + "pathos": { + "CHS": "悲怅;痛苦;同情;哀婉动人的词句" + }, + "heartrending": { + "CHS": "悲惨的;令人心碎的", + "ENG": "making you feel great pity" + }, + "forceps": { + "CHS": "[医] 钳子;医用镊子", + "ENG": "a medical instrument used for picking up and holding things" + }, + "analogy": { + "CHS": "类比;类推;类似", + "ENG": "something that seems similar between two situations, processes etc" + }, + "plenitude": { + "CHS": "充分;丰富;大量", + "ENG": "a large amount of something" + }, + "foggy": { + "CHS": "有雾的;模糊的,朦胧的", + "ENG": "if the weather is foggy, there is fog" + }, + "dilemma": { + "CHS": "困境;进退两难;两刀论法", + "ENG": "a situation in which it is very difficult to decide what to do, because all the choices seem equally good or equally bad" + }, + "conservationist": { + "CHS": "自然资源保护论者" + }, + "burgher": { + "CHS": "市民(现主要指某些欧洲国家中产阶级的市民或镇民);公民", + "ENG": "someone who lives in a particular town" + }, + "momentary": { + "CHS": "瞬间的;短暂的;随时会发生的", + "ENG": "continuing for a very short time" + }, + "sully": { + "CHS": "污点,损伤" + }, + "subterranean": { + "CHS": "地下工作者" + }, + "generalize": { + "CHS": "概括;推广;使一般化", + "ENG": "to form a general principle or opinion after considering only a small number of facts or examples" + }, + "hiatus": { + "CHS": "裂缝,空隙;脱漏部分", + "ENG": "a space where something is missing, especially in a piece of writing" + }, + "artful": { + "CHS": "巧妙的;狡猾的;有技巧的;欺诈的", + "ENG": "clever at deceiving people" + }, + "slovenly": { + "CHS": "邋遢地;马虎地;不整洁地" + }, + "expanse": { + "CHS": "宽阔;广阔的区域;苍天;膨胀扩张", + "ENG": "a very large area of water, sky, land etc" + }, + "acquaintance": { + "CHS": "熟人;相识;了解;知道", + "ENG": "someone you know, but who is not a close friend" + }, + "forte": { + "CHS": "响亮地" + }, + "oscillate": { + "CHS": "使振荡;使振动;使动摇", + "ENG": "if an electric current oscillates, it changes direction very regularly and very frequently" + }, + "apostasy": { + "CHS": "变节;脱党;背教", + "ENG": "when someone suddenly stops believing in a religion or supporting a political party" + }, + "diagnosis": { + "CHS": "诊断", + "ENG": "the process of discovering exactly what is wrong with someone or something, by examining them closely" + }, + "energetic": { + "CHS": "精力充沛的;积极的;有力的", + "ENG": "having or needing a lot of energy or determination" + }, + "ponderous": { + "CHS": "笨重的;沉闷的;呆板的", + "ENG": "boring, very serious, and seeming to progress very slowly" + }, + "bibliography": { + "CHS": "参考书目;文献目录", + "ENG": "a list of all the books and articles used in preparing a piece of writing" + }, + "expect": { + "CHS": "期望;指望;认为;预料", + "ENG": "to think that something will happen because it seems likely or has been planned" + }, + "circular": { + "CHS": "通知,传单" + }, + "arc": { + "CHS": "形成电弧;走弧线" + }, + "aggravation": { + "CHS": "加剧;激怒;更恶化" + }, + "cauterize": { + "CHS": "烧灼;腐蚀;使麻木(等于cauterise)", + "ENG": "to treat a wound or a growth on your body by burning it with hot metal, a laser , or a chemical" + }, + "clarify": { + "CHS": "澄清;阐明", + "ENG": "to make something clearer or easier to understand" + }, + "retard": { + "CHS": "延迟;阻止" + }, + "readjust": { + "CHS": "再调整;重新适应", + "ENG": "to get used to a new situation, job, or way of life" + }, + "archipelago": { + "CHS": "群岛,列岛;多岛的海区", + "ENG": "a group of small islands" + }, + "periodical": { + "CHS": "期刊;杂志", + "ENG": "a magazine, especially one about a serious or technical subject" + }, + "culpable": { + "CHS": "有罪的;该责备的;不周到的;应受处罚的", + "ENG": "deserving blame" + }, + "circuitous": { + "CHS": "迂曲的;绕行的;迂回线路的", + "ENG": "going from one place to another in a way that is longer than the most direct way" + }, + "apostate": { + "CHS": "脱党者;变节者;叛教者", + "ENG": "someone who has stopped believing in a religion or supporting a political party" + }, + "projector": { + "CHS": "[仪] 投影仪;放映机;探照灯;设计者", + "ENG": "a piece of equipment that makes a film or picture appear on a screen or flat surface" + }, + "plus": { + "CHS": "加,加上", + "ENG": "used to show that one number or amount is added to another" + }, + "polymer": { + "CHS": "[高分子] 聚合物", + "ENG": "a chemical compound that has a simple structure of large molecule s " + }, + "phonic": { + "CHS": "有声的,浊音的;声音的,语音的;声学的", + "ENG": "relating to sound" + }, + "sturdy": { + "CHS": "羊晕倒病" + }, + "plagiarism": { + "CHS": "剽窃;剽窃物", + "ENG": "when someone uses another person’s words, ideas, or work and pretends they are their own" + }, + "monotone": { + "CHS": "单调地读" + }, + "cite": { + "CHS": "引用;传讯;想起;表彰", + "ENG": "to give the exact words of something that has been written, especially in order to support an opinion or prove an idea" + }, + "assessor": { + "CHS": "评审员;确定税款的人;顾问", + "ENG": "someone whose job is to calculate the value of something or the amount of tax someone should pay" + }, + "skirmish": { + "CHS": "进行小规模战斗;发生小争论", + "ENG": "If people skirmish, they fight" + }, + "extinguish": { + "CHS": "熄灭;压制;偿清", + "ENG": "to make a fire or light stop burning or shining" + }, + "decry": { + "CHS": "责难,谴责;诽谤", + "ENG": "to state publicly that you do not approve of something" + }, + "riddance": { + "CHS": "摆脱;驱逐;解除", + "ENG": "a rude way of saying you are glad someone has left" + }, + "aerostat": { + "CHS": "航空器;高空气球", + "ENG": "a lighter-than-air craft, such as a balloon " + }, + "humdrum": { + "CHS": "单调乏味地进行" + }, + "alveolar": { + "CHS": "齿槽音", + "ENG": "a consonant sound such as / t / or / d / that you make by putting the end of your tongue behind your upper front teeth" + }, + "occlude": { + "CHS": "使闭塞;封闭;挡住", + "ENG": "to block or stop up (a passage or opening); obstruct " + }, + "squander": { + "CHS": "浪费" + }, + "contact": { + "CHS": "使接触,联系", + "ENG": "to write to or telephone someone" + }, + "mode": { + "CHS": "模式;方式;风格;时尚", + "ENG": "a particular way or style of behaving, living or doing something" + }, + "qualitative": { + "CHS": "定性的;质的,性质上的", + "ENG": "relating to the quality or standard of something rather than the quantity" + }, + "equipoise": { + "CHS": "平衡;均势", + "ENG": "even balance of weight or other forces; equilibrium " + }, + "typical": { + "CHS": "典型的;特有的;象征性的", + "ENG": "having the usual features or qualities of a particular group or thing" + }, + "evaporate": { + "CHS": "使……蒸发;使……脱水;使……消失", + "ENG": "if a liquid evaporates, or if heat evaporates it, it changes into a gas" + }, + "outrage": { + "CHS": "凌辱,强奸;对…施暴行;激起愤怒", + "ENG": "to make someone feel very angry and shocked" + }, + "acquire": { + "CHS": "获得;取得;学到;捕获", + "ENG": "to obtain something by buying it or being given it" + }, + "carouse": { + "CHS": "喧闹的酒会或宴会;一饮而尽" + }, + "sequester": { + "CHS": "使隔绝;使隐退;没收,扣押", + "ENG": "to keep a person or a group of people away from other people" + }, + "mock": { + "CHS": "仿制的,模拟的,虚假的,不诚实的", + "ENG": "not real, but intended to be very similar to a real situation, substance etc" + }, + "apiece": { + "CHS": "每人;每个;各自地", + "ENG": "costing or having a particular amount each" + }, + "hut": { + "CHS": "住在小屋中;驻扎" + }, + "chastise": { + "CHS": "惩罚;严惩;责骂", + "ENG": "to physically punish someone" + }, + "profound": { + "CHS": "深厚的;意义深远的;渊博的", + "ENG": "having a strong influence or effect" + }, + "insurgent": { + "CHS": "叛乱者;起义者", + "ENG": "one of a group of people fighting against the government of their own country, or against authority" + }, + "admissible": { + "CHS": "可容许的;可采纳的;可接受的", + "ENG": "admissible reasons, facts etc are acceptable or allowed, especially in a court of law" + }, + "belligerent": { + "CHS": "交战国;参加斗殴的人或集团" + }, + "ostentatious": { + "CHS": "招摇的;卖弄的;夸耀的;铺张的;惹人注目的", + "ENG": "something that is ostentatious looks very expensive and is designed to make people think that its owner must be very rich" + }, + "ulterior": { + "CHS": "将来的,较远的;在那边的;隐秘不明的" + }, + "point": { + "CHS": "指向;弄尖;加标点于", + "ENG": "to show something to someone by holding up one of your fingers or a thin object towards it" + }, + "scatter": { + "CHS": "分散;散播,撒播" + }, + "outbreak": { + "CHS": "爆发" + }, + "deceitful": { + "CHS": "欺骗的;欺诈的;谎言的;虚伪的", + "ENG": "someone who is deceitful tells lies in order to get what they want" + }, + "precipitation": { + "CHS": "[化学] 沉淀,[化学] 沉淀物;降水;冰雹;坠落;鲁莽", + "ENG": "rain, snow etc that falls on the ground, or the amount of rain, snow etc that falls" + }, + "bacteria": { + "CHS": "[微] 细菌", + "ENG": "very small living things, some of which cause illness or disease" + }, + "ebullience": { + "CHS": "奔放;兴高采烈;沸腾;冒泡" + }, + "protagonist": { + "CHS": "主角,主演;主要人物,领导者", + "ENG": "the most important character in a play, film, or story" + }, + "cogent": { + "CHS": "强有力的;使人信服的", + "ENG": "if a statement is cogent, it seems reasonable and correct" + }, + "propel": { + "CHS": "推进;驱使;激励;驱策", + "ENG": "to move, drive, or push something forward" + }, + "transcript": { + "CHS": "成绩单;抄本,副本;文字记录", + "ENG": "a written or printed copy of a speech, conversation etc" + }, + "persevere": { + "CHS": "坚持;不屈不挠;固执己见(在辩论中)", + "ENG": "to continue trying to do something in a very determined way in spite of difficulties – use this to show approval" + }, + "vegetal": { + "CHS": "植物;蔬菜" + }, + "bosom": { + "CHS": "知心的;亲密的", + "ENG": "A bosom buddy is a friend who you know very well and like very much" + }, + "determination": { + "CHS": "决心;果断;测定", + "ENG": "the quality of trying to do something even when it is difficult" + }, + "farcical": { + "CHS": "滑稽的;闹剧的;引人发笑的", + "ENG": "a situation or event that is farcical is very silly and badly organized" + }, + "indiscernible": { + "CHS": "难识别的;看不见的", + "ENG": "very difficult to see, hear, or notice" + }, + "omnivorous": { + "CHS": "杂食的;什么都读的;无所不吃的", + "ENG": "An omnivorous person or animal eats all kinds of food, including both meat and plants" + }, + "divisible": { + "CHS": "可分的;可分割的", + "ENG": "able to be divided, for example by a number" + }, + "destitution": { + "CHS": "穷困;缺乏", + "ENG": "Destitution is the state of having no money or possessions" + }, + "supposition": { + "CHS": "假定;推测;想像;见解", + "ENG": "something that you think is true, even though you are not certain and cannot prove it" + }, + "armory": { + "CHS": "[军] 军械库;[军] 兵工厂(等于armoury)" + }, + "garnish": { + "CHS": "为增加色香味而添加的配菜;装饰品", + "ENG": "a small amount of food such as salad or fruit that you place on food to decorate it" + }, + "decoy": { + "CHS": "诱骗" + }, + "refusal": { + "CHS": "拒绝;优先取舍权;推却;取舍权", + "ENG": "when you say firmly that you will not do, give, or accept something" + }, + "heterodox": { + "CHS": "异端的;非正统的", + "ENG": "heterodox beliefs, practices etc are not approved of by a particular group, especially a religious one" + }, + "hydraulic": { + "CHS": "液压的;水力的;水力学的", + "ENG": "moved or operated by the pressure of water or other liquid" + }, + "autobiography": { + "CHS": "自传;自传文学", + "ENG": "a book in which someone writes about their own life, or books of this type" + }, + "postdate": { + "CHS": "事后日期;推迟日期" + }, + "fugue": { + "CHS": "把…编成赋格曲" + }, + "chastity": { + "CHS": "贞洁;纯洁;简洁", + "ENG": "the principle or state of not having sex with anyone, or not with anyone except your husband or wife" + }, + "perpetuate": { + "CHS": "长存的" + }, + "garrulous": { + "CHS": "唠叨的;喋喋不休的;多嘴的", + "ENG": "always talking a lot" + }, + "bellicose": { + "CHS": "好战的;好斗的", + "ENG": "behaving in a way that is likely to start an argument or fight" + }, + "immoderate": { + "CHS": "无节制的,过度的;不适中的", + "ENG": "not within reasonable and sensible limits" + }, + "outstrip": { + "CHS": "超过;胜过;比…跑得快", + "ENG": "to do something better than someone else or be more successful" + }, + "identical": { + "CHS": "完全相同的事物" + }, + "somber": { + "CHS": "忧郁的;昏暗的;严峻的;阴天的" + }, + "tyranny": { + "CHS": "暴政;专横;严酷;残暴的行为(需用复数)", + "ENG": "cruel or unfair control over other people" + }, + "athwart": { + "CHS": "横跨;与相反" + }, + "specific": { + "CHS": "特性;细节;特效药", + "ENG": "particular details" + }, + "absolution": { + "CHS": "赦免;免罪", + "ENG": "when someone is formally forgiven by the Christian Church or a priest for the things they have done wrong" + }, + "testimony": { + "CHS": "[法] 证词,证言;证据", + "ENG": "a formal statement saying that something is true, especially one a witness makes in a court of law" + }, + "excess": { + "CHS": "额外的,过量的;附加的", + "ENG": "additional and not needed because there is already enough of something" + }, + "object": { + "CHS": "提出…作为反对的理由", + "ENG": "to state a fact or opinion as a reason for opposing or disapproving of something" + }, + "trite": { + "CHS": "陈腐的;平庸的;老一套的", + "ENG": "a trite remark, idea etc is boring, not new, and insincere" + }, + "epicure": { + "CHS": "老饕;美食家;享乐主义者", + "ENG": "someone who enjoys good food and drink" + }, + "impoverish": { + "CHS": "使贫穷;使枯竭", + "ENG": "to make someone very poor" + }, + "emollient": { + "CHS": "使柔软的", + "ENG": "making someone feel calmer when they have been angry" + }, + "intuition": { + "CHS": "直觉;直觉力;直觉的知识", + "ENG": "the ability to understand or know something because of a feeling rather than by considering the facts" + }, + "permeable": { + "CHS": "能透过的;有渗透性的", + "ENG": "material that is permeable allows water, gas etc to pass through it" + }, + "reliant": { + "CHS": "依赖的;可靠的;信赖的", + "ENG": "dependent on someone or something" + }, + "osmosis": { + "CHS": "[物] 渗透;[物] 渗透性;渗透作用", + "ENG": "the gradual process of liquid passing through a membrane" + }, + "error": { + "CHS": "误差;错误;过失", + "ENG": "a mistake" + }, + "salutatory": { + "CHS": "祝词;开幕词" + }, + "pertinacious": { + "CHS": "顽固的;执拗的" + }, + "urgent": { + "CHS": "紧急的;急迫的", + "ENG": "very important and needing to be dealt with immediately" + }, + "electromagnet": { + "CHS": "电磁体,[电] 电磁铁;电磁石", + "ENG": "a piece of metal that becomes magnetic(= able to attract metal objects ) when an electric current is turned on" + }, + "denounce": { + "CHS": "谴责;告发;公然抨击;通告废除", + "ENG": "to express strong disapproval of someone or something, especially in public" + }, + "fold": { + "CHS": "折痕;信徒;羊栏", + "ENG": "a line made in paper or material when you fold one part of it over another" + }, + "puerile": { + "CHS": "幼稚的;孩子气的;未成熟的;天真的", + "ENG": "silly and stupid" + }, + "superficial": { + "CHS": "表面的;肤浅的 ;表面文章的;外表的;(人)浅薄的", + "ENG": "not studying or looking at something carefully and only seeing the most noticeable things" + }, + "term": { + "CHS": "把…叫做", + "ENG": "to use a particular word or expression to name or describe something" + }, + "betide": { + "CHS": "预示;降临于,发生于" + }, + "menace": { + "CHS": "恐吓;进行威胁", + "ENG": "to threaten" + }, + "guarantee": { + "CHS": "保证;担保", + "ENG": "to promise that you will pay back money that someone else has borrowed, if they do not pay it back themselves" + }, + "nihilism": { + "CHS": "虚无主义;无政府主义;恐怖行为", + "ENG": "the belief that nothing has any meaning or value" + }, + "incentive": { + "CHS": "激励的;刺激的" + }, + "despondent": { + "CHS": "沮丧的;失望的", + "ENG": "extremely unhappy and without hope" + }, + "shatter": { + "CHS": "碎片;乱七八糟的状态" + }, + "morass": { + "CHS": "沼泽;困境;乱糟糟的一堆", + "ENG": "a complicated and confusing situation that is very difficult to get out of" + }, + "linchpin": { + "CHS": "关键(等于lynchpin);制轮楔;轮辖", + "ENG": "the person or thing in a group, system etc that is most important, because everything depends on them" + }, + "apprehensive": { + "CHS": "忧虑的;不安的;敏悟的;知晓的", + "ENG": "worried or nervous about something that you are going to do, or about the future" + }, + "attraction": { + "CHS": "吸引,吸引力;引力;吸引人的事物", + "ENG": "something interesting or enjoyable to see or do" + }, + "enzyme": { + "CHS": "[生化] 酶", + "ENG": "a chemical substance that is produced in a plant or animal, and helps chemical changes to take place in the plant or animal" + }, + "detrimental": { + "CHS": "有害的人(或物);不受欢迎的求婚者" + }, + "autonomy": { + "CHS": "自治,自治权", + "ENG": "freedom that a place or an organization has to govern or control itself" + }, + "nonchalant": { + "CHS": "冷淡的,漠不关心的", + "ENG": "If you describe someone as nonchalant, you mean that they appear not to worry or care about things and that they seem very calm" + }, + "exacting": { + "CHS": "逼取;急需(exact的ing形式)" + }, + "thoroughbred": { + "CHS": "良种的;受过严格训练的;优秀的" + }, + "grimace": { + "CHS": "鬼脸;怪相;痛苦的表情", + "ENG": "an expression you make by twisting your face because you do not like something or because you are feeling pain" + }, + "trick": { + "CHS": "特技的;欺诈的;有决窍的", + "ENG": "when a photograph or picture has been changed so that it looks different from what was really there" + }, + "right": { + "CHS": "正确地;恰当地;彻底地", + "ENG": "exactly in a particular position or place" + }, + "prate": { + "CHS": "唠叨;空谈;瞎扯", + "ENG": "idle or trivial talk; prattle; chatter " + }, + "distinction": { + "CHS": "区别;差别;特性;荣誉、勋章", + "ENG": "a clear difference or separation between two similar things" + }, + "nexus": { + "CHS": "关系;连结,连系", + "ENG": "a connection or network of connections between a number of people, things, or ideas" + }, + "actuary": { + "CHS": "[保险] 保险计算员;保险精算师", + "ENG": "someone whose job is to advise insurance companies on how much to charge for insurance, after calculating the risks" + }, + "forerun": { + "CHS": "预示;预告;走在…之前" + }, + "differentiate": { + "CHS": "区分,区别", + "ENG": "to recognize or express the difference between things or people" + }, + "amputate": { + "CHS": "截肢;切断;删除", + "ENG": "to cut off someone’s arm, leg, finger etc during a medical operation" + }, + "perspicuity": { + "CHS": "(语言、文章、表达等的)明晰;简明", + "ENG": "the quality of being perspicuous " + }, + "inert": { + "CHS": "[化学] 惰性的;呆滞的;迟缓的;无效的", + "ENG": "not producing a chemical reaction when combined with other substances" + }, + "alacrity": { + "CHS": "敏捷;轻快;乐意", + "ENG": "quickness and eagerness" + }, + "junction": { + "CHS": "连接,接合;交叉点;接合点", + "ENG": "a place where one road, track etc joins another" + }, + "paradox": { + "CHS": "悖论,反论;似非而是的论点;自相矛盾的人或事", + "ENG": "a situation that seems strange because it involves two ideas or qualities that are very different" + }, + "incinerate": { + "CHS": "把……烧成灰;烧弃", + "ENG": "to burn something completely in order to destroy it" + }, + "native": { + "CHS": "本地人;土产;当地居民", + "ENG": "someone who lives in a place all the time or has lived there a long time" + }, + "repertory": { + "CHS": "储备;仓库;全部剧目", + "ENG": "a repertoire" + }, + "exacerbate": { + "CHS": "使加剧;使恶化;激怒", + "ENG": "to make a bad situation worse" + }, + "caprice": { + "CHS": "任性,反复无常;随想曲,怪想", + "ENG": "a sudden and unreasonable change of mind or behaviour" + }, + "insignificant": { + "CHS": "无关紧要的", + "ENG": "Something that is insignificant is unimportant, especially because it is very small" + }, + "enthrone": { + "CHS": "使登基;立…为王;任为主教;崇拜", + "ENG": "if a king or queen is enthroned, there is a ceremony to show that they are starting to rule" + }, + "domineer": { + "CHS": "跋扈;作威作福" + }, + "justify": { + "CHS": "证明合法;整理版面", + "ENG": "To justify a decision, action, or idea means to show or prove that it is reasonable or necessary" + }, + "vivid": { + "CHS": "生动的;鲜明的;鲜艳的", + "ENG": "vivid memories, dreams, descriptions etc are so clear that they seem real" + }, + "secondary": { + "CHS": "副手;代理人" + }, + "fraudulent": { + "CHS": "欺骗性的;不正的", + "ENG": "intended to deceive people in an illegal way, in order to gain money, power etc" + }, + "token": { + "CHS": "象征;代表" + }, + "scintillate": { + "CHS": "发出火花;闪烁", + "ENG": "to give off (sparks); sparkle; twinkle " + }, + "trial": { + "CHS": "试验的;审讯的" + }, + "sophisticated": { + "CHS": "使变得世故;使迷惑;篡改(sophisticate的过去分词形式)" + }, + "ridiculous": { + "CHS": "可笑的;荒谬的", + "ENG": "very silly or unreasonable" + }, + "aggress": { + "CHS": "攻击;侵略" + }, + "illegible": { + "CHS": "难辨认的;字迹模糊的", + "ENG": "difficult or impossible to read" + }, + "drainage": { + "CHS": "排水;排水系统;污水;排水面积", + "ENG": "the process or system by which water or waste liquid flows away" + }, + "bountiful": { + "CHS": "丰富的;慷慨的;宽大的", + "ENG": "if something is bountiful, there is more than enough of it" + }, + "hazard": { + "CHS": "危险,冒险;冒险的事", + "ENG": "something that may be dangerous, or cause accidents or problems" + }, + "solar": { + "CHS": "日光浴室" + }, + "distill": { + "CHS": "提取;蒸馏;使滴下", + "ENG": "to make a liquid such as water or alcohol more pure by heating it so that it becomes a gas and then letting it cool. Drinks such as whisky are made this way." + }, + "ciliate": { + "CHS": "有纤毛的", + "ENG": "possessing or relating to cilia " + }, + "senile": { + "CHS": "高龄的;老衰的;高龄所致的", + "ENG": "If old people become senile, they become confused, can no longer remember things, and are unable to take care of themselves" + }, + "ornamental": { + "CHS": "观赏植物;装饰品" + }, + "expiate": { + "CHS": "赎罪;补偿", + "ENG": "If you expiate guilty feelings or bad behaviour, you do something to indicate that you are sorry for what you have done" + }, + "aquatic": { + "CHS": "水上运动;水生植物或动物" + }, + "feign": { + "CHS": "假装;装作;捏造;想象", + "ENG": "to pretend to have a particular feeling or to be ill, asleep etc" + }, + "predict": { + "CHS": "预报,预言;预知", + "ENG": "to say that something will happen, before it happens" + }, + "irrational": { + "CHS": "[数] 无理数" + }, + "cipher": { + "CHS": "使用密码;计算;做算术" + }, + "succinct": { + "CHS": "简洁的;简明的;紧身的", + "ENG": "clearly expressed in a few words – use this to show approval" + }, + "abstain": { + "CHS": "自制;放弃;避免", + "ENG": "If you abstain during a vote, you do not use your vote" + }, + "garner": { + "CHS": "谷仓" + }, + "inalienable": { + "CHS": "不可分割的;不可剥夺的;不能让与的", + "ENG": "an inalienable right, power etc cannot be taken from you" + }, + "appalling": { + "CHS": "使惊愕;惊吓(appal的ing形式)" + }, + "perspicacious": { + "CHS": "有洞察力的;聪颖的;敏锐的", + "ENG": "good at judging and understanding people and situations" + }, + "reluctant": { + "CHS": "不情愿的;勉强的;顽抗的", + "ENG": "slow and unwilling" + }, + "root": { + "CHS": "生根;根除", + "ENG": "to grow roots" + }, + "resistant": { + "CHS": "抵抗者" + }, + "incognito": { + "CHS": "匿名者;微行者" + }, + "lead": { + "CHS": "带头的;最重要的" + }, + "comestible": { + "CHS": "可吃的,可食的" + }, + "precedent": { + "CHS": "在前的;在先的" + }, + "chicanery": { + "CHS": "狡辩;欺骗;强词夺理", + "ENG": "the use of clever plans or actions to deceive people" + }, + "ambidextrous": { + "CHS": "双手灵巧的;怀有二心的", + "ENG": "able to use either hand equally well" + }, + "superfluous": { + "CHS": "多余的;不必要的;奢侈的", + "ENG": "more than is needed or wanted" + }, + "malevolent": { + "CHS": "恶毒的;有恶意的;坏心肠的", + "ENG": "a malevolent person wants to harm other people" + }, + "height": { + "CHS": "高地;高度;身高;顶点", + "ENG": "how tall someone or something is" + }, + "personnel": { + "CHS": "人员的;有关人事的" + }, + "inundate": { + "CHS": "淹没;泛滥;浸水;(洪水般的)扑来", + "ENG": "to cover an area with a large amount of water" + }, + "burnish": { + "CHS": "光泽;抛光;闪闪发光" + }, + "condescending": { + "CHS": "屈尊(condescend的ing形式)" + }, + "fumigate": { + "CHS": "熏制;香薰;用烟熏消毒", + "ENG": "to remove disease, bacteria , insects etc from somewhere using chemicals, smoke, or gas" + }, + "heretical": { + "CHS": "异端的;异教的", + "ENG": "A belief or action that is heretical is one that most people think is wrong because it disagrees with beliefs that are generally accepted" + }, + "cataclysm": { + "CHS": "灾难;大洪水,地震;(社会政治的)大变动", + "ENG": "a violent or sudden event or change, such as a serious flood or earthquake " + }, + "aggravate": { + "CHS": "加重;使恶化;激怒", + "ENG": "to make a bad situation, an illness, or an injury worse" + }, + "execute": { + "CHS": "实行;执行;处死", + "ENG": "to kill someone, especially legally as a punishment" + }, + "guileless": { + "CHS": "诚实的", + "ENG": "behaving in an honest way, without trying to hide anything or deceive people" + }, + "fat": { + "CHS": "养肥;在…中加入脂肪" + }, + "notable": { + "CHS": "名人,显要人物" + }, + "hemolysis": { + "CHS": "[生理][免疫] 溶血(现象);血细胞溶解" + }, + "regiment": { + "CHS": "团;大量", + "ENG": "a large group of soldiers, usually consisting of several battalion s " + }, + "fanfare": { + "CHS": "热热闹闹地宣布" + }, + "sluggish": { + "CHS": "市况呆滞;市势疲弱" + }, + "inequity": { + "CHS": "不公平,不公正", + "ENG": "lack of fairness, or something that is unfair" + }, + "rural": { + "CHS": "农村的,乡下的;田园的,有乡村风味的", + "ENG": "happening in or relating to the countryside, not the city" + }, + "fascinate": { + "CHS": "使着迷,使神魂颠倒", + "ENG": "If something fascinates you, it interests and delights you so much that your thoughts tend to concentrate on it" + }, + "confrontation": { + "CHS": "对抗;面对;对质", + "ENG": "a situation in which there is a lot of angry disagreement between two people or groups" + }, + "proximity": { + "CHS": "接近,[数]邻近;接近;接近度,距离;亲近", + "ENG": "nearness in distance or time" + }, + "flagella": { + "CHS": "鞭毛;鞭节(flagellum的复数)" + }, + "complacence": { + "CHS": "满足,自满;沾沾自喜" + }, + "agrarian": { + "CHS": "土地的;耕地的;有关土地的", + "ENG": "Agrarian means relating to the ownership and use of land, especially farmland, or relating to the part of a society or economy that is concerned with agriculture" + }, + "raze": { + "CHS": "(Raze)人名;(法)拉兹" + }, + "sordid": { + "CHS": "肮脏的;卑鄙的;利欲熏心的;色彩暗淡的", + "ENG": "involving immoral or dishonest behaviour" + }, + "heterogeneous": { + "CHS": "[化学] 多相的;异种的;[化学] 不均匀的;由不同成分形成的", + "ENG": "consisting of parts or members that are very different from each other" + }, + "actuate": { + "CHS": "开动(机器等);促使,驱使;激励(人等)", + "ENG": "to make a piece of machinery start to operate" + }, + "cumulative": { + "CHS": "累积的", + "ENG": "increasing gradually as more of something is added or happens" + }, + "tutelage": { + "CHS": "监护;指导", + "ENG": "when you are taught or looked after by someone" + }, + "breech": { + "CHS": "给…穿上裤子;给…装上炮尾" + }, + "hallowed": { + "CHS": "神圣的,神圣化的", + "ENG": "holy or made holy by religious practices" + }, + "therapeutic": { + "CHS": "治疗剂;治疗学家" + }, + "occasion": { + "CHS": "引起,惹起", + "ENG": "to cause something" + }, + "abidance": { + "CHS": "持续;遵守;居住" + }, + "hydrocarbon": { + "CHS": "[有化] 碳氢化合物", + "ENG": "a chemical compound that consists of hydrogen and carbon , such as coal or gas" + }, + "lavish": { + "CHS": "浪费;慷慨给予;滥用", + "ENG": "to give someone or something a lot of love, praise, money etc" + }, + "effete": { + "CHS": "衰老的;疲惫的;(土地)贫瘠的;(动植物)不育的" + }, + "pathogen": { + "CHS": "病原体;病菌", + "ENG": "something that causes disease in your body" + }, + "voluminous": { + "CHS": "大量的;多卷的,长篇的;著书多的", + "ENG": "voluminous books, documents etc are very long and contain a lot of detail" + }, + "gradual": { + "CHS": "弥撒升阶圣歌集" + }, + "truism": { + "CHS": "自明之理;老生常谈;老套;众所周知;真实性", + "ENG": "a statement that is clearly true, so that there is no need to say it" + }, + "rational": { + "CHS": "有理数" + }, + "locus": { + "CHS": "[数] 轨迹;地点,所在地" + }, + "population": { + "CHS": "人口;[生物] 种群,[生物] 群体;全体居民", + "ENG": "the number of people living in a particular area, country etc" + }, + "circulate": { + "CHS": "传播,流传;循环;流通", + "ENG": "to move around within a system, or to make something do this" + }, + "noticeable": { + "CHS": "显而易见的,显著的;值得注意的", + "ENG": "easy to notice" + }, + "obsolete": { + "CHS": "淘汰;废弃" + }, + "malaise": { + "CHS": "不舒服;心神不安", + "ENG": "Malaise is a state in which people feel dissatisfied or unhappy but feel unable to change, usually because they do not know what is wrong" + }, + "factorable": { + "CHS": "可分解因子的" + }, + "sensual": { + "CHS": "感觉的;肉欲的;世俗的;感觉论的" + }, + "syllable": { + "CHS": "按音节发音;讲话" + }, + "tremendous": { + "CHS": "极大的,巨大的;惊人的;极好的", + "ENG": "very big, fast, powerful etc" + }, + "sprightly": { + "CHS": "活泼地" + }, + "obnoxious": { + "CHS": "讨厌的;可憎的;不愉快的", + "ENG": "very offensive, unpleasant, or rude" + }, + "relinquish": { + "CHS": "放弃;放手;让渡", + "ENG": "to let someone else have your position, power, or rights, especially unwillingly" + }, + "adroit": { + "CHS": "敏捷的,灵巧的;熟练的", + "ENG": "clever and skilful, especially in the way you use words and arguments" + }, + "ballad": { + "CHS": "歌谣,民谣;叙事歌谣;流行抒情歌曲", + "ENG": "a slow love song" + }, + "reimburse": { + "CHS": "偿还;赔偿", + "ENG": "to pay money back to someone when their money has been spent or lost" + }, + "prominent": { + "CHS": "突出的,显著的;杰出的;卓越的", + "ENG": "important" + }, + "albeit": { + "CHS": "虽然;即使", + "ENG": "used to add information that reduces the force or importance of what you have just said" + }, + "barbarian": { + "CHS": "野蛮人", + "ENG": "someone from a different tribe or land, who people believe to be wild and not civilized " + }, + "rigor": { + "CHS": "严厉;精确;苛刻;僵硬" + }, + "inure": { + "CHS": "使…习惯;使…适应", + "ENG": "to cause to accept or become hardened to; habituate " + }, + "elated": { + "CHS": "使兴奋(elate的过去式和过去分词)" + }, + "prickle": { + "CHS": "针一般地刺;戳;使感到刺痛", + "ENG": "if something prickles your skin, it makes it sting slightly" + }, + "libel": { + "CHS": "中伤;控告;对…进行诽谤", + "ENG": "to write or print a libel against someone" + }, + "diverse": { + "CHS": "不同的;多种多样的;变化多的", + "ENG": "If a group of things is diverse, it is made up of a wide variety of things" + }, + "onrush": { + "CHS": "猛冲;突进;袭击;急流", + "ENG": "a strong fast movement forward, or the sudden development of something" + }, + "rant": { + "CHS": "咆哮;激昂的演说", + "ENG": "Rant is also a noun" + }, + "amphibious": { + "CHS": "[生物] 两栖的,水陆两用的;具有双重性的", + "ENG": "able to live both on land and in water" + }, + "requital": { + "CHS": "报答;偿还;报仇", + "ENG": "the act or an instance of requiting " + }, + "feral": { + "CHS": "野生的;凶猛的;阴郁的", + "ENG": "Feral animals are wild animals that are not owned or controlled by anyone, especially ones that belong to species which are normally owned and kept by people" + }, + "miserly": { + "CHS": "吝啬的;贪婪的", + "ENG": "a miserly person is not generous and does not like spending money" + }, + "absorption": { + "CHS": "吸收;全神贯注,专心致志", + "ENG": "a process in which something takes in liquid, gas, or heat" + }, + "slogan": { + "CHS": "标语;呐喊声", + "ENG": "a short phrase that is easy to remember and is used in advertisements, or by politicians, organizations etc" + }, + "frivolity": { + "CHS": "轻浮;轻薄;轻率", + "ENG": "behaviour or activities that are not serious or sensible, especially when you should be serious or sensible" + }, + "mechanical": { + "CHS": "机械的;力学的;呆板的;无意识的;手工操作的", + "ENG": "affecting or involving a machine" + }, + "meteorology": { + "CHS": "气象状态,气象学", + "ENG": "the scientific study of weather conditions" + }, + "accelerate": { + "CHS": "使……加快;使……增速", + "ENG": "if a process accelerates or if something accelerates it, it happens faster than usual or sooner than you expect" + }, + "suspense": { + "CHS": "悬念;悬疑;焦虑;悬而不决", + "ENG": "a feeling of excitement or anxiety when you do not know what will happen next" + }, + "underexposure": { + "CHS": "[摄] 曝光不足", + "ENG": "inadequate exposure to light " + }, + "pervious": { + "CHS": "能被通过的;能接受的;可渗透的", + "ENG": "able to be penetrated; permeable " + }, + "epidemic": { + "CHS": "传染病;流行病;风尚等的流行", + "ENG": "a large number of cases of a disease that happen at the same time" + }, + "heretofore": { + "CHS": "直到此时,迄今为止;在这以前", + "ENG": "before this time" + }, + "nestle": { + "CHS": "舒适地坐定;偎依;半隐半现地处于", + "ENG": "to move into a comfortable position, pressing your head or body against someone or against something soft" + }, + "pedant": { + "CHS": "学究;书呆子;卖弄学问的人;空谈家", + "ENG": "someone who pays too much attention to rules or to small unimportant details, especially someone who criticizes other people in an extremely annoying way" + }, + "hoarse": { + "CHS": "嘶哑的", + "ENG": "if you are hoarse, or if your voice is hoarse, you speak in a low rough voice, for example because your throat is sore" + }, + "tenacity": { + "CHS": "韧性;固执;不屈不挠;黏性", + "ENG": "If you have tenacity, you are very determined and do not give up easily" + }, + "bonanza": { + "CHS": "富矿带;带来好运之事;幸运", + "ENG": "You can refer to a sudden great increase in wealth, success, or luck as a bonanza" + }, + "inconvenient": { + "CHS": "不便的;打扰的", + "ENG": "causing problems, often in a way that is annoying" + }, + "catalyst": { + "CHS": "[物化] 催化剂;刺激因素", + "ENG": "a substance that makes a chemical reaction happen more quickly without being changed itself" + }, + "invigorate": { + "CHS": "鼓舞;使精力充沛", + "ENG": "to make the people in an organization or group feel excited again, so that they want to make something successful" + }, + "antique": { + "CHS": "觅购古玩" + }, + "persecution": { + "CHS": "迫害;烦扰", + "ENG": "Persecution is cruel and unfair treatment of a person or group, especially because of their religious or political beliefs, or their race" + }, + "perpendicular": { + "CHS": "垂线;垂直的位置", + "ENG": "an exactly vertical position or line" + }, + "arbor": { + "CHS": "[植] 乔木;凉亭;藤架" + }, + "rapt": { + "CHS": "全神贯注的;入迷的", + "ENG": "so interested in something that you do not notice anything else" + }, + "faction": { + "CHS": "派别;内讧;小集团;纪实小说", + "ENG": "a small group of people within a larger group, who have different ideas from the other members, and who try to get their own ideas accepted" + }, + "vacuity": { + "CHS": "空虚;空白;思想贫乏;无聊之事", + "ENG": "lack of intelligent, interesting, or serious thought" + }, + "anonymous": { + "CHS": "匿名的,无名的;无个性特征的", + "ENG": "unknown by name" + }, + "autocracy": { + "CHS": "独裁政治;专制政治;独裁政府;独裁统治的国家", + "ENG": "a system of government in which one person or group has unlimited power" + }, + "acquisition": { + "CHS": "获得物,获得;收购", + "ENG": "the process by which you gain knowledge or learn a skill" + }, + "reservoir": { + "CHS": "水库;蓄水池", + "ENG": "a lake, especially an artificial one, where water is stored before it is supplied to people’s houses" + }, + "distance": { + "CHS": "疏远;把…远远甩在后面", + "ENG": "If you distance yourself from a person or thing, or if something distances you from them, you feel less friendly or positive toward them, or become less involved with them" + }, + "benign": { + "CHS": "(Benign)人名;(俄)贝尼根" + }, + "magnetism": { + "CHS": "磁性,磁力;磁学;吸引力", + "ENG": "the physical force that makes two metal objects pull towards each other or push each other apart" + }, + "analogous": { + "CHS": "类似的;[昆] 同功的;可比拟的", + "ENG": "similar to another situation or thing so that a comparison can be made" + }, + "ineffectual": { + "CHS": "无用的人;无一技之长者" + }, + "complaisant": { + "CHS": "彬彬有礼的;顺从的;殷勤的", + "ENG": "showing a desire to comply or oblige; polite " + }, + "flounder": { + "CHS": "挣扎,辗转;比目鱼", + "ENG": "a European flatfish, Platichthys flesus having a greyish-brown body covered with prickly scales: family Pleuronectidae: an important food fish " + }, + "concentration": { + "CHS": "浓度;集中;浓缩;专心;集合", + "ENG": "the ability to think about something carefully or for a long time" + }, + "formidable": { + "CHS": "强大的;可怕的;令人敬畏的;艰难的", + "ENG": "very powerful or impressive, and often frightening" + }, + "hackney": { + "CHS": "供出租的" + }, + "motley": { + "CHS": "混杂;杂色衣服;小丑" + }, + "ethical": { + "CHS": "处方药" + }, + "unknown": { + "CHS": "未知数;未知的事物,默默无闻的人", + "ENG": "things that you do not know or understand" + }, + "abhorrence": { + "CHS": "痛恨,厌恶", + "ENG": "a deep feeling of hatred towards something" + }, + "tenet": { + "CHS": "原则;信条;教义", + "ENG": "a principle or belief, especially one that is part of a larger system of beliefs" + }, + "supplementary": { + "CHS": "补充者;增补物" + }, + "prosperity": { + "CHS": "繁荣,成功", + "ENG": "when people have money and everything that is needed for a good life" + }, + "rookie": { + "CHS": "新手", + "ENG": "someone who has just started doing a job and has little experience" + }, + "squelch": { + "CHS": "噪声控制;嘎吱声;压倒对方的反驳;压碎的一堆" + }, + "square": { + "CHS": "成直角地" + }, + "spindle": { + "CHS": "长得细长,变细长" + }, + "quotient": { + "CHS": "[数] 商;系数;份额", + "ENG": "the number which is obtained when one number is divided by another" + }, + "optics": { + "CHS": "[光] 光学", + "ENG": "the scientific study of light and the way we see" + }, + "colossus": { + "CHS": "巨像;巨人;巨大的东西", + "ENG": "someone or something that is extremely big or extremely important" + }, + "proverb": { + "CHS": "谚语,格言;众所周知的人或事", + "ENG": "a short well-known statement that gives advice or expresses something that is generally true. ‘A penny saved is a penny earned’ is an example of a proverb." + }, + "synthetic": { + "CHS": "合成物" + }, + "multiplicity": { + "CHS": "多样性;[物] 多重性", + "ENG": "a large number or great variety of things" + }, + "fable": { + "CHS": "煞有介事地讲述;虚构" + }, + "elucidate": { + "CHS": "阐明;说明", + "ENG": "to explain something that is difficult to understand by providing more information" + }, + "penury": { + "CHS": "贫困;贫穷", + "ENG": "the state of being very poor" + }, + "endanger": { + "CHS": "危及;使遭到危险", + "ENG": "to put someone or something in danger of being hurt, damaged, or destroyed" + }, + "pretext": { + "CHS": "以…为借口" + }, + "afresh": { + "CHS": "重新;再度", + "ENG": "if you do something afresh, you do it again from the beginning" + }, + "reparable": { + "CHS": "可修缮的;可补偿的;可挽回的", + "ENG": "able to be repaired, recovered, or remedied " + }, + "experiment": { + "CHS": "实验,试验;尝试", + "ENG": "a scientific test done to find out how something reacts under certain conditions, or to find out if a particular idea is true" + }, + "fictitious": { + "CHS": "虚构的;假想的;编造的;假装的", + "ENG": "not true, or not real" + }, + "elocution": { + "CHS": "朗诵法;演说法;雄辩术" + }, + "proceed": { + "CHS": "收入,获利", + "ENG": "The proceeds of an event or activity are the money that has been obtained from it" + }, + "infamous": { + "CHS": "声名狼藉的;无耻的;邪恶的;不名誉的", + "ENG": "well known for being bad or evil" + }, + "obscure": { + "CHS": "某种模糊的或不清楚的东西" + }, + "quiescent": { + "CHS": "静止的;不活动的;沉寂的", + "ENG": "not developing or doing anything, especially when this is only a temporary state" + }, + "scanner": { + "CHS": "[计] 扫描仪;扫描器;光电子扫描装置", + "ENG": "a machine that passes an electrical beam over something in order to produce a picture of what is inside it" + }, + "anthropoid": { + "CHS": "类人猿", + "ENG": "any primate of the suborder Anthropoidea, including monkeys, apes, and man " + }, + "doleful": { + "CHS": "寂寞的;悲哀的;阴沉的;忧郁的", + "ENG": "very sad" + }, + "prudential": { + "CHS": "谨慎的;明辨的", + "ENG": "characterized by or resulting from prudence " + }, + "imminent": { + "CHS": "即将来临的;迫近的", + "ENG": "an event that is imminent, especially an unpleasant one, will happen very soon" + }, + "intellect": { + "CHS": "智力,理解力;知识分子;思维逻辑领悟力;智力高的人", + "ENG": "the ability to understand things and to think intelligently" + }, + "momentum": { + "CHS": "势头;[物] 动量;动力;冲力", + "ENG": "the ability to keep increasing, developing, or being more successful" + }, + "peripheral": { + "CHS": "外部设备", + "ENG": "a piece of equipment that is connected to a computer and used with it, for example a printer " + }, + "clarification": { + "CHS": "澄清,说明;净化", + "ENG": "the act of making something clearer or easier to understand, or an explanation that makes something clearer" + }, + "vicarious": { + "CHS": "替代的;代理的;发同感的" + }, + "languor": { + "CHS": "变得衰弱无力" + }, + "countless": { + "CHS": "无数的;数不尽的", + "ENG": "too many to be counted" + }, + "prodigal": { + "CHS": "浪子;挥霍者", + "ENG": "someone who spends money carelessly and wastes their time – used humorously" + }, + "overshadow": { + "CHS": "使失色;使阴暗;遮阴;夺去…的光彩", + "ENG": "If you are overshadowed by a person or thing, you are less successful, important, or impressive than they are" + }, + "aspiration": { + "CHS": "渴望;抱负;送气;吸气;吸引术", + "ENG": "a strong desire to have or achieve something" + }, + "drastic": { + "CHS": "烈性泻药" + }, + "skittish": { + "CHS": "(人或动物)不安的,易受惊的;难驾驭的", + "ENG": "an animal, especially a horse, that is skittish gets excited or frightened very easily" + }, + "scale": { + "CHS": "衡量;攀登;剥落;生水垢", + "ENG": "to climb to the top of something that is high and difficult to climb" + }, + "infest": { + "CHS": "骚扰;寄生于;大批出没;大批滋生", + "ENG": "if insects, rats etc infest a place, there are a lot of them and they usually cause damage" + }, + "calculable": { + "CHS": "可计算的;能预测的;可靠的", + "ENG": "something that is calculable can be measured by using numbers, or studying the facts available" + }, + "monotonous": { + "CHS": "单调的,无抑扬顿挫的;无变化的", + "ENG": "boring because of always being the same" + }, + "circle": { + "CHS": "盘旋,旋转;环行", + "ENG": "to move in the shape of a circle around something, especially in the air" + }, + "attache": { + "CHS": "专员,公使;使馆随员;大使馆专员" + }, + "rate": { + "CHS": "认为;估价;责骂", + "ENG": "if you rate someone or something, you think they are very good" + }, + "celibacy": { + "CHS": "独身", + "ENG": "Celibacy is the state of being celibate" + }, + "unwieldy": { + "CHS": "笨拙的;笨重的;不灵便的;难处理的", + "ENG": "an unwieldy object is big, heavy, and difficult to carry or use" + }, + "abrogate": { + "CHS": "废除;取消", + "ENG": "to officially end a legal agreement, practice etc" + }, + "allotment": { + "CHS": "分配;分配物;养家费;命运", + "ENG": "an amount or share of something such as money or time that is given to someone or something, or the process of doing this" + }, + "syllabus": { + "CHS": "教学大纲,摘要;课程表", + "ENG": "a plan that states exactly what students at a school or college should learn in a particular subject" + }, + "relevant": { + "CHS": "相关的;切题的;中肯的;有重大关系的;有意义的,目的明确的", + "ENG": "directly relating to the subject or problem being discussed or considered" + }, + "plasticity": { + "CHS": "塑性,可塑性;适应性;柔软性", + "ENG": "the quality of being easily made into any shape, and of staying in that shape until someone changes it" + }, + "premature": { + "CHS": "早产儿;过早发生的事物" + }, + "lexicon": { + "CHS": "词典,辞典" + }, + "larceny": { + "CHS": "盗窃;盗窃罪", + "ENG": "the act or crime of stealing" + }, + "incontrovertible": { + "CHS": "无可争议的;无疑的;明白的", + "ENG": "definitely true and impossible to be proved false" + }, + "perusal": { + "CHS": "熟读;精读", + "ENG": "Perusal of something such as a letter, article, or document is the action of reading it" + }, + "temperance": { + "CHS": "温暖的;有节制的" + }, + "morale": { + "CHS": "士气,斗志", + "ENG": "the level of confidence and positive feelings that people have, especially people who work together, who belong to the same team etc" + }, + "cereal": { + "CHS": "谷类的;谷类制成的" + }, + "reconciliation": { + "CHS": "和解;调和;和谐;甘愿", + "ENG": "a situation in which two people, countries etc become friendly with each other again after quarrelling" + }, + "omen": { + "CHS": "预示;有…的前兆;预告" + }, + "evade": { + "CHS": "逃避;规避;逃脱", + "ENG": "to not do or deal with something that you should do" + }, + "evaporation": { + "CHS": "蒸发;消失" + }, + "anxious": { + "CHS": "焦虑的;担忧的;渴望的;急切的", + "ENG": "worried about something" + }, + "schedule": { + "CHS": "时间表;计划表;一览表", + "ENG": "a plan of what someone is going to do and when they are going to do it" + }, + "prank": { + "CHS": "装饰;打扮", + "ENG": "to dress or decorate showily or gaudily " + }, + "perceptible": { + "CHS": "可察觉的;可感知的;看得见的", + "ENG": "something that is perceptible can be noticed, although it is very small" + }, + "caricature": { + "CHS": "画成漫画讽刺", + "ENG": "to draw or describe someone or something in a way that makes them seem silly" + }, + "lithe": { + "CHS": "轻盈的(等于lithesome);柔软的;易弯曲的", + "ENG": "having a body that moves easily and gracefully" + }, + "primer": { + "CHS": "初级读本;识字课本;原始物", + "ENG": "a school book that contains very basic facts about a subject" + }, + "inequality": { + "CHS": "不平等;不同;不平均", + "ENG": "an unfair situation, in which some groups in society have more money, opportunities, power etc than others" + }, + "claimant": { + "CHS": "原告;[贸易] 索赔人;提出要求者", + "ENG": "someone who claims something, especially money, from the government, a court etc because they think they have a right to it" + }, + "oxidize": { + "CHS": "使氧化;使生锈", + "ENG": "to combine with oxygen, or make something combine with oxygen, especially in a way that causes rust" + }, + "technique": { + "CHS": "技巧,技术;手法", + "ENG": "a special way of doing something" + }, + "reparation": { + "CHS": "赔偿;修理;赔款", + "ENG": "money paid by a defeated country after a war, for all the deaths, damage etc it has caused" + }, + "misunderstand": { + "CHS": "误解;误会", + "ENG": "to fail to understand someone or something correctly" + }, + "effusion": { + "CHS": "渗出;泻出;渗漏物" + }, + "scar": { + "CHS": "创伤;伤痕", + "ENG": "a feeling of fear or sadness that remains with you for a long time after an unpleasant experience" + }, + "affront": { + "CHS": "轻蔑;公开侮辱", + "ENG": "a remark or action that offends or insults someone" + }, + "impulsive": { + "CHS": "冲动的;受感情驱使的;任性的", + "ENG": "someone who is impulsive does things without considering the possible dangers or problems first" + }, + "indisputable": { + "CHS": "明白的;无争论之余地的", + "ENG": "If you say that something is indisputable, you are emphasizing that it is true and cannot be shown to be untrue" + }, + "blunt": { + "CHS": "(Blunt)人名;(英)布伦特" + }, + "condescend": { + "CHS": "屈尊;俯就;(对某人)表现出优越感", + "ENG": "to behave as if you think you are better, more intelligent, or more important than other people – used to show disapproval" + }, + "temperature": { + "CHS": "温度;体温;气温;发烧", + "ENG": "a measure of how hot or cold a place or thing is" + }, + "beatific": { + "CHS": "幸福的;祝福的;快乐的", + "ENG": "a beatific look, smile etc shows great peace and happiness" + }, + "mite": { + "CHS": "极小量;小虫;小孩儿;微小的东西", + "ENG": "a very small creature that lives in plants, carpet s etc" + }, + "topography": { + "CHS": "地势;地形学;地志", + "ENG": "the science of describing an area of land, or making maps of it" + }, + "liquidate": { + "CHS": "清算;偿付;消除", + "ENG": "to close a business or company and sell the things that belong to it, in order to pay its debts" + }, + "veritable": { + "CHS": "真正的,名副其实的", + "ENG": "a word used to emphasize a description of someone or something" + }, + "hustle": { + "CHS": "推;奔忙;拥挤喧嚷", + "ENG": "busy and noisy activity" + }, + "pensive": { + "CHS": "沉思的,忧郁的;悲伤的,哀愁的", + "ENG": "thinking a lot about something, especially because you are worried or sad" + }, + "comprehensive": { + "CHS": "综合学校;专业综合测验" + }, + "solder": { + "CHS": "焊料;接合物", + "ENG": "a soft metal, usually a mixture of lead and tin , which can be melted and used to join two metal surfaces, wires etc" + }, + "renascent": { + "CHS": "新生的,复活的;复兴的", + "ENG": "becoming popular, strong, or important again" + }, + "chaos": { + "CHS": "混沌,混乱", + "ENG": "a situation in which everything is happening in a confused way and nothing is organized or arranged in order" + }, + "hysterical": { + "CHS": "歇斯底里的;异常兴奋的", + "ENG": "unable to control your behaviour or emotions because you are very upset, afraid, excited etc" + }, + "aperture": { + "CHS": "孔,穴;(照相机,望远镜等的)光圈,孔径;缝隙", + "ENG": "a small hole or space in something" + }, + "cyclical": { + "CHS": "周期的,循环的", + "ENG": "A cyclical process is one in which a series of events happens again and again in the same order" + }, + "austerity": { + "CHS": "紧缩;朴素;苦行;严厉", + "ENG": "when a government has a deliberate policy of trying to reduce the amount of money it spends" + }, + "peddle": { + "CHS": "(Peddle)人名;(英)佩德尔" + }, + "extant": { + "CHS": "现存的;显著的", + "ENG": "still existing in spite of being very old" + }, + "sagacity": { + "CHS": "睿智;聪敏;有远见", + "ENG": "good judgment and understanding" + }, + "accompanist": { + "CHS": "伴奏者;伴随者", + "ENG": "someone who plays a musical instrument while another person sings or plays the main tune" + }, + "befuddle": { + "CHS": "使迷惑;使昏沉", + "ENG": "If something befuddles you, it confuses your mind or thoughts" + }, + "resuscitate": { + "CHS": "使复苏;使复兴", + "ENG": "to make someone breathe again or become conscious after they have almost died" + }, + "peccadillo": { + "CHS": "轻罪;小过失;小瑕疵", + "ENG": "something bad which someone does, especially involving sex, which is not regarded as very serious or important" + }, + "ascribe": { + "CHS": "归因于;归咎于", + "ENG": "If you ascribe an event or condition to a particular cause, you say or consider that it was caused by that thing" + }, + "bureaucracy": { + "CHS": "官僚主义;官僚机构;官僚政治", + "ENG": "a complicated official system that is annoying or confusing because it has a lot of rules, processes etc" + }, + "decrepit": { + "CHS": "衰老的;破旧的", + "ENG": "old and in bad condition" + }, + "nautical": { + "CHS": "航海的,海上的;船员的", + "ENG": "relating to ships, boats, or sailing" + }, + "arduous": { + "CHS": "努力的;费力的;险峻的", + "ENG": "involving a lot of strength and effort" + }, + "amicable": { + "CHS": "友好的;友善的", + "ENG": "an amicable agreement, relationship etc is one in which people feel friendly towards each other and do not want to quarrel" + }, + "advert": { + "CHS": "广告", + "ENG": "an advertisement" + }, + "capacitor": { + "CHS": "[电] 电容器", + "ENG": "a piece of equipment that collects and stores electricity" + }, + "visualize": { + "CHS": "形象,形象化;想像,设想", + "ENG": "to form a picture of someone or something in your mind" + }, + "oration": { + "CHS": "演说;致辞;叙述法", + "ENG": "a formal public speech" + }, + "proponent": { + "CHS": "支持者;建议者;提出认证遗嘱者", + "ENG": "someone who supports something or persuades people to do something" + }, + "tipsy": { + "CHS": "喝醉的;歪曲的;不稳的", + "ENG": "slightly drunk" + }, + "overpower": { + "CHS": "压倒;克服;使无法忍受", + "ENG": "If you overpower someone, you manage to take hold of and keep hold of them, although they struggle a lot" + }, + "antemeridian": { + "CHS": "上午的", + "ENG": "before noon; in the morning " + }, + "suave": { + "CHS": "柔和的,温和的;文雅的,娴雅的" + }, + "likelihood": { + "CHS": "可能性,可能", + "ENG": "the degree to which something can reasonably be expected to happen" + }, + "luminescent": { + "CHS": "发冷光的,冷光的" + }, + "placid": { + "CHS": "平静的;温和的;沉着的", + "ENG": "a placid person does not often get angry or upset and does not usually mind doing what other people want them to" + }, + "inexcusable": { + "CHS": "不可原谅的;没法辩解的;不可宽恕的", + "ENG": "inexcusable behaviour is too bad to be excused" + }, + "chasm": { + "CHS": "峡谷;裂口;分歧;深坑", + "ENG": "a very deep space between two areas of rock or ice, especially one that is dangerous" + }, + "abridge": { + "CHS": "删节;缩短;节略", + "ENG": "to reduce the length of (a written work) by condensing or rewriting " + }, + "cringe": { + "CHS": "畏缩;奉承" + }, + "mimic": { + "CHS": "模仿的,模拟的;假装的" + }, + "dubious": { + "CHS": "可疑的;暧昧的;无把握的;半信半疑的", + "ENG": "probably not honest, true, right etc" + }, + "laudation": { + "CHS": "赞美;颂词;称赞" + }, + "procedure": { + "CHS": "程序,手续;步骤", + "ENG": "a way of doing something, especially the correct or usual way" + }, + "idolatry": { + "CHS": "偶像崇拜;盲目崇拜;邪神崇拜", + "ENG": "the practice of worshipping idols" + }, + "abdominal": { + "CHS": "腹部的;有腹鳍的", + "ENG": "Abdominal is used to describe something that is situated in the abdomen or forms part of it" + }, + "overlord": { + "CHS": "霸王;大君主;最高统治者;封建领主", + "ENG": "someone with great power over a large number of people, especially in the past" + }, + "sentimental": { + "CHS": "伤感的;多愁善感的;感情用事的;寓有情感的", + "ENG": "someone who is sentimental is easily affected by emotions such as love, sympathy, sadness etc, often in a way that seems silly to other people" + }, + "eyepiece": { + "CHS": "[光] 目镜,[光] 接目镜", + "ENG": "the glass piece that you look through in a microscope or telescope" + }, + "species": { + "CHS": "物种上的" + }, + "purloin": { + "CHS": "偷窃", + "ENG": "to obtain something without permission – often used humorously" + }, + "cancellation": { + "CHS": "取消;删除", + "ENG": "a decision that an event that was planned will not happen" + }, + "liable": { + "CHS": "有责任的,有义务的;应受罚的;有…倾向的;易…的", + "ENG": "legally responsible for the cost of something" + }, + "repugnant": { + "CHS": "讨厌的;矛盾的;敌对的" + }, + "bewilder": { + "CHS": "使迷惑,使不知所措", + "ENG": "to confuse someone" + }, + "visage": { + "CHS": "面貌,容貌;外表", + "ENG": "a face" + }, + "borough": { + "CHS": "区;自治的市镇", + "ENG": "a town, or part of a large city, that is responsible for managing its own schools, hospitals, roads etc" + }, + "sustenance": { + "CHS": "食物;生计;支持", + "ENG": "food that people or animals need in order to live" + }, + "candor": { + "CHS": "坦白;直率" + }, + "oust": { + "CHS": "驱逐;剥夺;取代", + "ENG": "If someone is ousted from a position of power, job, or place, they are forced to leave it" + }, + "alter": { + "CHS": "(Alter)人名;(英)奥尔特;(德、捷、葡、爱沙、立陶、拉脱、俄、西、罗、瑞典)阿尔特" + }, + "muffle": { + "CHS": "低沉的声音;消声器;包裹物(如头巾,围巾等);唇鼻部" + }, + "pancreas": { + "CHS": "[解剖] 胰腺", + "ENG": "a gland inside your body, near your stomach, that produces insulin and a liquid that helps your body to use the food that you eat" + }, + "mount": { + "CHS": "山峰;底座;乘骑用马;攀,登;运载工具;底座", + "ENG": "used as part of the name of a mountain" + }, + "accession": { + "CHS": "登记入册" + }, + "chart": { + "CHS": "绘制…的图表;在海图上标出;详细计划;记录;记述;跟踪(进展或发展", + "ENG": "to record information about a situation or set of events over a period of time, in order to see how it changes or develops" + }, + "mate": { + "CHS": "使配对;使一致;结伴", + "ENG": "if animals mate, they have sex to produce babies" + }, + "vertical": { + "CHS": "垂直线,垂直面", + "ENG": "the direction of something that is vertical" + }, + "thrall": { + "CHS": "使成为奴隶" + }, + "perform": { + "CHS": "执行;完成;演奏", + "ENG": "to do something, especially something difficult or useful" + }, + "dumbfound": { + "CHS": "使惊呆;使人惊愕失声", + "ENG": "If someone or something dumbfounds you, they surprise you very much" + }, + "menacing": { + "CHS": "威胁(menace的ing形式);恐吓" + }, + "egocentric": { + "CHS": "利己主义者" + }, + "voluble": { + "CHS": "健谈的;缠绕的;易旋转的", + "ENG": "If you say that someone is voluble, you mean that they talk a lot with great energy and enthusiasm" + }, + "derivative": { + "CHS": "派生的;引出的" + }, + "odious": { + "CHS": "可憎的;讨厌的", + "ENG": "extremely unpleasant" + }, + "nostalgia": { + "CHS": "乡愁;怀旧之情;怀乡病", + "ENG": "Nostalgia is an affectionate feeling you have for the past, especially for a particularly happy time" + }, + "intercession": { + "CHS": "调解;说情;仲裁", + "ENG": "when someone talks to a person in authority in order to prevent something bad happening to someone else" + }, + "archetype": { + "CHS": "原型", + "ENG": "a perfect example of something, because it has all the most important qualities of things that belong to that type" + }, + "raconteur": { + "CHS": "健谈者;善谈者;擅长讲故事的人", + "ENG": "someone who is good at telling stories in an interesting and amusing way" + }, + "veto": { + "CHS": "否决;禁止", + "ENG": "if someone in authority vetoes something, they refuse to allow it to happen, especially something that other people or organizations have agreed" + }, + "verifiable": { + "CHS": "可证实的;能作证的;可检验的", + "ENG": "Something that is verifiable can be proved to be true or genuine" + }, + "extraction": { + "CHS": "取出;抽出;拔出;抽出物;出身", + "ENG": "the process of removing or obtaining something from something else" + }, + "ensnare": { + "CHS": "诱捕;诱入陷阱;进入罗网", + "ENG": "If an animal is ensnared, it is caught in a trap" + }, + "oblique": { + "CHS": "倾斜" + }, + "germane": { + "CHS": "(Germane)人名;(英)杰曼" + }, + "oxidizer": { + "CHS": "[助剂] 氧化剂", + "ENG": "an oxidant, esp a substance that combines with the fuel in a rocket engine " + }, + "morbid": { + "CHS": "病态的;由病引起的;恐怖的;病变部位的", + "ENG": "with a strong and unhealthy interest in unpleasant subjects, especially death" + }, + "regulate": { + "CHS": "调节,规定;控制;校准;有系统的管理", + "ENG": "to control an activity or process, especially by rules" + }, + "sinecure": { + "CHS": "闲职;挂名职务", + "ENG": "a job which you get paid for even though you do not have to do very much work" + }, + "advent": { + "CHS": "到来;出现;基督降临;基督降临节", + "ENG": "the time when something first begins to be widely used" + }, + "valid": { + "CHS": "有效的;有根据的;合法的;正当的", + "ENG": "a valid ticket, document, or agreement is legally or officially acceptable" + }, + "opulent": { + "CHS": "丰富的;富裕的;大量的" + }, + "shrinkage": { + "CHS": "收缩;减低", + "ENG": "the act of shrinking, or the amount that something shrinks" + }, + "supine": { + "CHS": "仰卧的;懒散的;掌心向上的;向后靠的", + "ENG": "lying on your back" + }, + "era": { + "CHS": "时代;年代;纪元", + "ENG": "a period of time in history that is known for a particular event, or for particular qualities" + }, + "hypotenuse": { + "CHS": "直角三角形的斜边", + "ENG": "the longest side of a triangle that has a right angle " + }, + "bestride": { + "CHS": "跨骑" + }, + "revive": { + "CHS": "复兴;复活;苏醒;恢复精神", + "ENG": "to bring something back after it has not been used or has not existed for a period of time" + }, + "overlook": { + "CHS": "忽视;眺望" + }, + "sociable": { + "CHS": "联谊会" + }, + "synopsis": { + "CHS": "概要,大纲", + "ENG": "a short description of the main events or ideas in a book, film etc" + }, + "hectic": { + "CHS": "兴奋的,狂热的;脸上发红;肺病的;忙碌的", + "ENG": "very busy or full of activity" + }, + "compassionate": { + "CHS": "同情;怜悯" + }, + "transparent": { + "CHS": "透明的;显然的;坦率的;易懂的", + "ENG": "if something is transparent, you can see through it" + }, + "multiple": { + "CHS": "倍数;[电] 并联", + "ENG": "a number that contains a smaller number an exact number of times" + }, + "querulous": { + "CHS": "易怒的,暴躁的;爱发牢骚的,抱怨的;爱挑剔的", + "ENG": "someone who is querulous complains about things in an annoying way" + }, + "typify": { + "CHS": "代表;作为…的典型;具有…的特点", + "ENG": "to be a typical example of something" + }, + "protocol": { + "CHS": "拟定" + }, + "plasma": { + "CHS": "[等离子] 等离子体;血浆;[矿物] 深绿玉髓", + "ENG": "the yellowish liquid part of blood that contains the blood cells" + }, + "turpitude": { + "CHS": "卑鄙;奸恶" + }, + "lambaste": { + "CHS": "痛打;严责;鞭打", + "ENG": "If you lambaste someone, you criticize them severely, usually in public" + }, + "forecast": { + "CHS": "预测,预报;预想", + "ENG": "a description of what is likely to happen in the future, based on the information that you have now" + }, + "infrared": { + "CHS": "红外线的", + "ENG": "Infrared radiation is similar to light but has a longer wavelength, so we cannot see it without special equipment" + }, + "cogitate": { + "CHS": "仔细考虑;谋划", + "ENG": "to think carefully and seriously about something" + }, + "community": { + "CHS": "社区;[生态] 群落;共同体;团体", + "ENG": "the people who live in the same area, town etc" + }, + "delude": { + "CHS": "欺骗;哄骗;诱惑;【罕用】迷惑;逃避;使失望", + "ENG": "to make someone believe something that is not true" + }, + "multiply": { + "CHS": "多层的;多样的" + }, + "starch": { + "CHS": "给…上浆", + "ENG": "to make cloth stiff, using starch" + }, + "aristocracy": { + "CHS": "贵族;贵族统治;上层社会;贵族政治", + "ENG": "the people in the highest social class, who traditionally have a lot of land, money, and power" + }, + "myth": { + "CHS": "神话;虚构的人,虚构的事", + "ENG": "an ancient story, especially one invented in order to explain natural or historical events" + }, + "indelible": { + "CHS": "难忘的;擦不掉的", + "ENG": "impossible to remove or forget" + }, + "congruent": { + "CHS": "适合的,一致的;全等的;和谐的", + "ENG": "fitting together well" + }, + "refulgent": { + "CHS": "辉煌的;灿烂的", + "ENG": "shining, brilliant, or radiant " + }, + "tempestuous": { + "CHS": "有暴风雨的;暴乱的;剧烈的", + "ENG": "If you describe a relationship or a situation as tempestuous, you mean that very strong and intense emotions, especially anger, are involved" + }, + "designate": { + "CHS": "指定的;选定的" + }, + "misstate": { + "CHS": "说错;作虚伪叙述,谎报", + "ENG": "If you misstate something, you state it incorrectly or give false information about it" + }, + "airy": { + "CHS": "(Airy)人名;(英)艾里" + }, + "clarity": { + "CHS": "清楚,明晰;透明", + "ENG": "the clarity of a piece of writing, law, argument etc is its quality of being expressed clearly" + }, + "pretend": { + "CHS": "假装的", + "ENG": "imaginary or not real - used especially by children" + }, + "endocrine": { + "CHS": "内分泌的;激素的", + "ENG": "relating to the system in your body that produces hormones" + }, + "historical": { + "CHS": "历史的;史学的;基于史实的", + "ENG": "relating to the past" + }, + "magnet": { + "CHS": "磁铁;[电磁] 磁体;磁石", + "ENG": "a piece of iron or steel that can stick to metal or make other metal objects move towards itself" + }, + "lodge": { + "CHS": "提出;寄存;借住;嵌入", + "ENG": "to make a formal or official complaint, protest etc" + }, + "rectangular": { + "CHS": "矩形的;成直角的", + "ENG": "having the shape of a rectangle" + }, + "imperceptive": { + "CHS": "无感觉的;缺乏感知力的", + "ENG": "lacking in perception; obtuse " + }, + "laxative": { + "CHS": "通便的" + }, + "insouciance": { + "CHS": "无忧无虑;漫不经心;满不在乎", + "ENG": "a cheerful feeling of not caring or worrying about anything" + }, + "revolution": { + "CHS": "革命;旋转;运行;循环", + "ENG": "a complete change in ways of thinking, methods of working etc" + }, + "leaven": { + "CHS": "酵母;酵素;潜移默化的影响", + "ENG": "a substance, especially yeast, that is added to a mixture of flour and water so that it will swell and can be baked into bread" + }, + "jovial": { + "CHS": "天性快活的;主神朱庇特的", + "ENG": "If you describe a person as jovial, you mean that they are happy and behave in a cheerful way" + }, + "capacious": { + "CHS": "宽敞的;广阔的;容积大的", + "ENG": "able to contain a lot" + }, + "contingent": { + "CHS": "分遣队;偶然事件;分得部分;代表团", + "ENG": "a group of people who all have something in common, such as their nationality, beliefs etc, and who are part of a larger group" + }, + "anthology": { + "CHS": "(诗、文、曲、画等的)选集", + "ENG": "a set of stories, poems, songs etc by different people collected together in one book" + }, + "avarice": { + "CHS": "贪婪,贪财", + "ENG": "a desire to have a lot of money that is considered to be too strong" + }, + "pacify": { + "CHS": "使平静;安慰;平定", + "ENG": "to make someone calm, quiet, and satisfied after they have been angry or upset" + }, + "obscurity": { + "CHS": "朦胧;阴暗;晦涩;身份低微;不分明", + "ENG": "something that is difficult to understand, or the quality of being difficult to understand" + }, + "sacrifice": { + "CHS": "牺牲;献祭;亏本出售", + "ENG": "to willingly stop having something you want or doing something you like in order to get something more important" + }, + "benison": { + "CHS": "祝福", + "ENG": "a blessing, esp a spoken one " + }, + "alleviate": { + "CHS": "减轻,缓和", + "ENG": "to make something less painful or difficult to deal with" + }, + "homonym": { + "CHS": "同音异义词;同形异义词;同形同音异义词;同名异物", + "ENG": "a word that is spelled the same and sounds the same as another, but is different in meaning or origin. For example, the noun ‘bear’ and the verb ‘bear’ are homonyms." + }, + "exponent": { + "CHS": "说明的" + }, + "cubic": { + "CHS": "(Cubic)人名;(罗)库比克" + }, + "whimsical": { + "CHS": "古怪的;异想天开的;反复无常的", + "ENG": "unusual or strange and often amusing" + }, + "stimulation": { + "CHS": "刺激;激励,鼓舞" + }, + "solid": { + "CHS": "固体;立方体", + "ENG": "a firm object or substance that has a fixed shape, not a gas or liquid" + }, + "meticulous": { + "CHS": "一丝不苟的;小心翼翼的;拘泥小节的", + "ENG": "very careful about small details, and always making sure that everything is done correctly" + }, + "covert": { + "CHS": "隐蔽的;隐密的;偷偷摸摸的;在丈夫保护下的", + "ENG": "secret or hidden" + }, + "jungle": { + "CHS": "丛林的;蛮荒的" + }, + "vertex": { + "CHS": "顶点;[昆] 头顶;[天] 天顶", + "ENG": "the point where two lines meet to form an angle, especially the point of a triangle" + }, + "embattle": { + "CHS": "布阵;列阵;整军备战;严阵以待" + }, + "gravitation": { + "CHS": "重力;万有引力;地心吸力", + "ENG": "the force that causes two objects such as planets to move towards each other because of their mass " + }, + "malinger": { + "CHS": "装病以逃避职责", + "ENG": "to avoid work by pretending to be ill" + }, + "engross": { + "CHS": "使全神贯注;用大字体书写;正式写成(决议等);独占;吸引", + "ENG": "if something engrosses you, it interests you so much that you do not notice anything else" + }, + "shield": { + "CHS": "遮蔽;包庇;避开;保卫", + "ENG": "to protect someone or something from being harmed or damaged" + }, + "antidote": { + "CHS": "[药] 解毒剂;解药;矫正方法", + "ENG": "a substance that stops the effects of a poison" + }, + "knave": { + "CHS": "无赖;流氓;(纸牌中的)杰克" + }, + "propaganda": { + "CHS": "宣传;传道总会", + "ENG": "information which is false or which emphasizes just one part of a situation, used by a government or political group to make people agree with them" + }, + "estrange": { + "CHS": "使疏远;离间" + }, + "range": { + "CHS": "(在内)变动;平行,列为一行;延伸;漫游;射程达到", + "ENG": "to move around in an area without aiming for a particular place" + }, + "physics": { + "CHS": "物理学;物理现象", + "ENG": "the science concerned with the study of physical objects and substances, and of natural forces such as light, heat, and movement" + }, + "translation": { + "CHS": "翻译;译文;转化;调任", + "ENG": "when you translate something, or something that has been translated" + }, + "bedeck": { + "CHS": "装饰;修饰", + "ENG": "to decorate something such as a building or street by hanging things all over it" + }, + "emergent": { + "CHS": "紧急的;浮现的;意外的;自然发生的" + }, + "quibble": { + "CHS": "诡辩;挑剔;说模棱两可的话", + "ENG": "When people quibble over a small matter, they argue about it even though it is not important" + }, + "vaporization": { + "CHS": "蒸发;喷雾器;蒸馏器" + }, + "delegate": { + "CHS": "代表", + "ENG": "someone who has been elected or chosen to speak, vote, or take decisions for a group" + }, + "commencement": { + "CHS": "开始,发端;毕业典礼", + "ENG": "the beginning of something" + }, + "tranquil": { + "CHS": "安静的,平静的;安宁的;稳定的", + "ENG": "pleasantly calm, quiet, and peaceful" + }, + "ramify": { + "CHS": "分枝,分叉;成网状", + "ENG": "to divide into branches or branchlike parts " + }, + "fallacious": { + "CHS": "谬误的;骗人的;靠不住的;不合理的", + "ENG": "containing or based on false ideas" + }, + "casual": { + "CHS": "便装;临时工人;待命士兵" + }, + "aggressive": { + "CHS": "侵略性的;好斗的;有进取心的;有闯劲的", + "ENG": "behaving in an angry threatening way, as if you want to fight or attack someone" + }, + "paraphrase": { + "CHS": "释义", + "ENG": "to express in a shorter, clearer, or different way what someone has said or written" + }, + "feint": { + "CHS": "假的" + }, + "readily": { + "CHS": "容易地;乐意地;无困难地", + "ENG": "quickly, willingly, and without complaining" + }, + "observation": { + "CHS": "观察;监视;观察报告", + "ENG": "the process of watching something or someone carefully for a period of time" + }, + "assassinate": { + "CHS": "暗杀;行刺", + "ENG": "to murder an important person" + }, + "humorous": { + "CHS": "诙谐的,幽默的;滑稽的,可笑的", + "ENG": "funny and enjoyable" + }, + "confidence": { + "CHS": "(美)诈骗的;骗得信任的" + }, + "obfuscate": { + "CHS": "使模糊;使迷乱;弄暗", + "ENG": "to deliberately make something unclear or difficult to understand" + }, + "uproot": { + "CHS": "根除,连根拔起;迫使某人离开出生地或定居处" + }, + "solidification": { + "CHS": "凝固;团结;浓缩" + }, + "peninsular": { + "CHS": "半岛居民" + }, + "shuffle": { + "CHS": "洗牌,洗纸牌;混乱,蒙混;拖着脚走", + "ENG": "a slow walk in which you do not lift your feet off the ground" + }, + "hereditary": { + "CHS": "遗传类" + }, + "insolent": { + "CHS": "无礼的;傲慢的;粗野的;无耻的", + "ENG": "rude and not showing any respect" + }, + "arraign": { + "CHS": "传讯,控告;责难,指责", + "ENG": "to make someone come to court to hear what their crime is" + }, + "buffoon": { + "CHS": "丑角;滑稽剧演员", + "ENG": "someone who does silly amusing things" + }, + "equitable": { + "CHS": "公平的,公正的;平衡法的", + "ENG": "treating all people in a fair and equal way" + }, + "elevate": { + "CHS": "提升;举起;振奋情绪等;提升…的职位", + "ENG": "to move someone or something to a more important level or rank, or make them better than before" + }, + "procure": { + "CHS": "获得,取得;导致", + "ENG": "to obtain something, especially something that is difficult to get" + }, + "celerity": { + "CHS": "快速;敏捷", + "ENG": "rapidity; swiftness; speed " + }, + "mask": { + "CHS": "掩饰;戴面具;化装", + "ENG": "to hide your feelings or the truth about a situation" + }, + "bacchanalia": { + "CHS": "(古罗马的)酒神节;大酒宴" + }, + "semiconductor": { + "CHS": "[电子][物] 半导体", + "ENG": "a substance, such as silicon , that allows some electric currents to pass through it, and is used in electronic equipment" + }, + "mass": { + "CHS": "聚集起来,聚集", + "ENG": "to come together, or to make people or things come together, in a large group" + }, + "revile": { + "CHS": "辱骂;斥责", + "ENG": "to express hatred of someone or something" + }, + "parody": { + "CHS": "拙劣模仿", + "ENG": "to copy someone or something in a way that makes people laugh" + }, + "luxuriant": { + "CHS": "繁茂的;丰富的;奢华的;肥沃的", + "ENG": "growing strongly and thickly" + }, + "commute": { + "CHS": "通勤(口语)", + "ENG": "A commute is the journey that you make when you commute" + }, + "cower": { + "CHS": "退缩;抖缩;蜷缩;弯腰屈膝", + "ENG": "to bend low and move back because you are frightened" + }, + "annex": { + "CHS": "附加物;附属建筑物" + }, + "remunerate": { + "CHS": "酬劳;给与报酬;赔偿", + "ENG": "If you are remunerated for work that you do, you are paid for it" + }, + "maritime": { + "CHS": "海的;海事的;沿海的;海员的", + "ENG": "relating to the sea or ships" + }, + "isotope": { + "CHS": "同位素", + "ENG": "one of the possible different forms of an atom of a particular element " + }, + "acquit": { + "CHS": "无罪释放;表现;脱卸义务和责任;清偿", + "ENG": "to do something well, especially something difficult that you do for the first time in front of other people" + }, + "frolicsome": { + "CHS": "嬉戏的,爱闹着玩的", + "ENG": "given to frolicking; merry and playful " + }, + "abstruse": { + "CHS": "深奥的;难懂的", + "ENG": "unnecessarily complicated and difficult to understand" + }, + "chromatic": { + "CHS": "彩色的;色品的;易染色的", + "ENG": "related to bright colours" + }, + "candid": { + "CHS": "(Candid)人名;(罗)坎迪德" + }, + "reconnoiter": { + "CHS": "侦察,勘查" + }, + "zany": { + "CHS": "小丑;笨人;马屁精" + }, + "incite": { + "CHS": "煽动;激励;刺激", + "ENG": "to deliberately encourage people to fight, argue etc" + }, + "abstemious": { + "CHS": "节约的,节省的;有节制的", + "ENG": "careful not to have too much food, drink etc" + }, + "pundit": { + "CHS": "专家;博学者;梵文学者", + "ENG": "someone who is often asked to give their opinion publicly of a situation or subject" + }, + "wry": { + "CHS": "扭曲;扭歪" + }, + "serene": { + "CHS": "使平静" + }, + "virulent": { + "CHS": "剧毒的;恶性的;有恶意的", + "ENG": "a poison, disease etc that is virulent is very dangerous and affects people very quickly" + }, + "collegian": { + "CHS": "学院的学生;学院的一员", + "ENG": "a member of a college" + }, + "generic": { + "CHS": "类的;一般的;属的;非商标的", + "ENG": "relating to a whole group of things rather than to one thing" + }, + "antilogy": { + "CHS": "前后矛盾", + "ENG": "a contradiction in terms " + }, + "trough": { + "CHS": "水槽,水槽;低谷期;饲料槽;低气压", + "ENG": "a long narrow open container that holds water or food for animals" + }, + "issue": { + "CHS": "发行,发布;发给;放出,排出", + "ENG": "if an organization or someone in an official position issues something such as documents or equipment, they give these things to people who need them" + }, + "redundant": { + "CHS": "多余的,过剩的;被解雇的,失业的;冗长的,累赘的", + "ENG": "if you are redundant, your employer no longer has a job for you" + }, + "obesity": { + "CHS": "肥大,肥胖", + "ENG": "when someone is very fat in a way that is unhealthy" + }, + "engrossing": { + "CHS": "使全神贯注(engross的ing形式)" + }, + "attribute": { + "CHS": "归属;把…归于", + "ENG": "If you attribute something to an event or situation, you think that it was caused by that event or situation" + }, + "skeleton": { + "CHS": "骨骼的;骨瘦如柴的;概略的" + }, + "veil": { + "CHS": "遮蔽;掩饰;以面纱遮掩;用帷幕分隔", + "ENG": "to cover something with a veil" + }, + "inept": { + "CHS": "笨拙的;不适当的", + "ENG": "not good at doing something" + }, + "vein": { + "CHS": "使成脉络;象脉络般分布于" + }, + "offshoot": { + "CHS": "分支;支流;衍生物", + "ENG": "something such as an organization which has developed from a larger or earlier one" + }, + "disadvantage": { + "CHS": "缺点;不利条件;损失", + "ENG": "something that causes problems, or that makes someone or something less likely to be successful or effective" + }, + "credible": { + "CHS": "可靠的,可信的", + "ENG": "deserving or able to be believed or trusted" + }, + "opponent": { + "CHS": "对立的;敌对的" + }, + "rhombus": { + "CHS": "[数] 菱形;[数] 斜方形", + "ENG": "a shape with four equal straight sides, especially one that is not a square" + }, + "underling": { + "CHS": "下属,部下;走卒", + "ENG": "an insulting word for someone who has a low rank – often used humorously" + }, + "intelligible": { + "CHS": "可理解的;明了的;仅能用智力了解的", + "ENG": "Something that is intelligible can be understood" + }, + "plunder": { + "CHS": "掠夺;抢劫;侵吞", + "ENG": "to steal large amounts of money or property from somewhere, especially while fighting in a war" + }, + "autocrat": { + "CHS": "独裁者,专制君主;独断独行的人", + "ENG": "someone who makes decisions and gives orders to people without asking them for their opinion" + }, + "vivacious": { + "CHS": "活泼的;快活的;有生气的", + "ENG": "someone, especially a woman, who is vivacious has a lot of energy and a happy attractive manner – used to show approval" + }, + "tacit": { + "CHS": "缄默的;不言而喻的;心照不宣的;默许的", + "ENG": "tacit agreement, approval, support etc is given without anything actually being said" + }, + "pictograph": { + "CHS": "[语] 象形文字;古代石壁画;统计图表", + "ENG": "A pictogram is a simple drawing that represents something. Pictograms were used as the earliest form of writing. " + }, + "tense": { + "CHS": "时态", + "ENG": "any of the forms of a verb that show the time, continuance, or completion of an action or state that is expressed by the verb. ‘I am’ is in the present tense, ‘I was’ is past tense, and ‘I will be’ is future tense." + }, + "prominence": { + "CHS": "突出;显著;突出物;卓越", + "ENG": "a part or place that is higher than what is around it" + }, + "lobster": { + "CHS": "龙虾", + "ENG": "a sea animal with eight legs, a shell, and two large claws" + }, + "decimal": { + "CHS": "小数", + "ENG": "a fraction (= a number less than 1 ) that is shown as a full stop followed by the number of tenth s , hundredth s etc. The numbers 0.5, 0.175, and 0.661 are decimals." + }, + "serendipity": { + "CHS": "意外发现珍奇事物的本领;有意外发现珍宝的运气", + "ENG": "Serendipity is the luck some people have in finding or creating interesting or valuable things by chance" + }, + "surpass": { + "CHS": "超越;胜过,优于;非…所能办到或理解", + "ENG": "to be even better or greater than someone or something else" + }, + "abridgement": { + "CHS": "节略,缩写;减少" + }, + "bedlam": { + "CHS": "混乱,骚乱;精神病院,疯人院", + "ENG": "a situation where there is a lot of noise and confusion" + }, + "opprobrium": { + "CHS": "耻辱,不名誉;责骂,咒骂" + }, + "fundamental": { + "CHS": "基本原理;基本原则" + }, + "inexorable": { + "CHS": "无情的;不屈不挠的;不可阻挡的;无法改变的", + "ENG": "an inexorable process cannot be stopped" + }, + "maneuver": { + "CHS": "[军] 机动;演习;调遣;用计谋" + }, + "specialty": { + "CHS": "特色的;专门的;独立的" + }, + "total": { + "CHS": "总数,合计", + "ENG": "the final number or amount of things, people etc when everything has been counted" + }, + "succulent": { + "CHS": "肉质植物;多汁植物", + "ENG": "a plant such as a cactus , that has thick soft leaves or stems that can hold a lot of liquid" + }, + "agape": { + "CHS": "(Agape)人名;(罗)阿加佩" + }, + "abet": { + "CHS": "(Abet)人名;(意)阿贝特;(匈)奥拜特" + }, + "brazier": { + "CHS": "火盆;铜匠(等于 brasier)", + "ENG": "a metal container that holds a fire and is used to keep people warm outside" + }, + "brethren": { + "CHS": "<旧>兄弟们,同胞;〈旧〉同党,会友", + "ENG": "used to address or talk about the members of an organization or group, especially a religious group" + }, + "exonerate": { + "CHS": "使免罪" + }, + "bullock": { + "CHS": "小公牛;阉牛", + "ENG": "a young male cow that cannot breed" + }, + "peremptory": { + "CHS": "强制的;绝对的;断然的;专横的", + "ENG": "peremptory behaviour, speech etc is not polite or friendly and shows that the person speaking expects to be obeyed immediately" + }, + "plenteous": { + "CHS": "丰富的;丰饶的", + "ENG": "plentiful" + }, + "hypocrite": { + "CHS": "伪君子;伪善者", + "ENG": "someone who pretends to have certain beliefs or opinions that they do not really have – used to show disapproval" + }, + "abed": { + "CHS": "(Abed)人名;(法)阿贝;(阿拉伯)阿比德" + }, + "bleak": { + "CHS": "阴冷的;荒凉的,无遮蔽的;黯淡的,无希望的;冷酷的;单调的", + "ENG": "cold and without any pleasant or comfortable features" + }, + "protein": { + "CHS": "蛋白质的" + }, + "staid": { + "CHS": "固定的;沉着的;沉静的;古板的,保守的" + }, + "hypocrisy": { + "CHS": "虚伪;伪善", + "ENG": "when someone pretends to have certain beliefs or opinions that they do not really have – used to show disapproval" + }, + "discharge": { + "CHS": "排放;卸货;解雇", + "ENG": "when gas, liquid, smoke etc is sent out, or the substance that is sent out" + }, + "trifle": { + "CHS": "开玩笑;闲混;嘲弄" + }, + "prism": { + "CHS": "棱镜;[晶体][数] 棱柱", + "ENG": "a transparent block of glass that breaks up white light into different colours" + }, + "circumference": { + "CHS": "圆周;周长;胸围", + "ENG": "the distance or measurement around the outside of a circle or any round shape" + }, + "refurbish": { + "CHS": "刷新;再磨光", + "ENG": "To refurbish a building or room means to clean it and decorate it and make it more attractive or better equipped" + }, + "solute": { + "CHS": "溶解的" + }, + "anticlimax": { + "CHS": "突降法;虎头蛇尾;令人扫兴的结尾", + "ENG": "a situation or event that does not seem exciting because it happens after something that was much better" + }, + "miff": { + "CHS": "使……恼怒" + }, + "comparable": { + "CHS": "可比较的;比得上的", + "ENG": "similar to something else in size, number, quality etc, so that you can make a comparison" + }, + "primeval": { + "CHS": "原始的;初期的(等于primaeval)", + "ENG": "belonging to the earliest time in the existence of the universe or the Earth" + }, + "ohm": { + "CHS": "欧姆(电阻单位)", + "ENG": "a unit for measuring electrical resistance" + }, + "adumbrate": { + "CHS": "预示;画…的轮廓;遮蔽", + "ENG": "to outline; give a faint indication of " + }, + "voltage": { + "CHS": "[电] 电压", + "ENG": "electrical force measured in volts" + }, + "commiserate": { + "CHS": "同情,怜悯", + "ENG": "to express your sympathy for someone who is unhappy about something" + }, + "ridicule": { + "CHS": "嘲笑;笑柄;愚弄", + "ENG": "unkind laughter or remarks that are intended to make someone or something seem stupid" + }, + "contingency": { + "CHS": "偶然性;[安全] 意外事故;可能性;[审计] 意外开支;[离散数学或逻辑学]偶然式", + "ENG": "A contingency is something that might happen in the future" + }, + "ungainly": { + "CHS": "笨拙地;不雅地" + }, + "accusation": { + "CHS": "控告,指控;谴责", + "ENG": "a statement saying that someone is guilty of a crime or of doing something wrong" + }, + "stagy": { + "CHS": "做作的,不自然的", + "ENG": "behaviour that is stagy is not natural and is like the way an actor behaves on a stage" + }, + "akin": { + "CHS": "(Akin)人名;(土、瑞典、尼日利)阿金;(匈)奥金;(英)埃金" + }, + "hypodermic": { + "CHS": "皮下的", + "ENG": "used to give an injection beneath the skin" + }, + "ingrate": { + "CHS": "忘恩负义的人", + "ENG": "an ungrateful person" + }, + "indubitable": { + "CHS": "不容置疑的;明确的", + "ENG": "You use indubitable to describe something when you want to emphasize that it is definite and cannot be doubted" + }, + "subdue": { + "CHS": "征服;抑制;减轻", + "ENG": "to defeat or control a person or group, especially using force" + }, + "adamant": { + "CHS": "坚硬的东西;坚石" + }, + "geometric": { + "CHS": "几何学的;[数] 几何学图形的", + "ENG": "having or using the shapes and lines in geometry , such as circles or squares, especially when these are arranged in regular patterns" + }, + "division": { + "CHS": "[数] 除法;部门;分配;分割;师(军队);赛区", + "ENG": "the act of separating something into two or more different parts, or the way these parts are separated or shared" + }, + "missile": { + "CHS": "导弹的;可投掷的;用以发射导弹的" + }, + "accommodate": { + "CHS": "容纳;使适应;供应;调解", + "ENG": "if a room, building etc can accommodate a particular number of people or things, it has enough space for them" + }, + "anode": { + "CHS": "阳极(电解)", + "ENG": "the part of a battery that collects electron s , often a wire or piece of metal with the sign (+)" + }, + "placate": { + "CHS": "抚慰;怀柔;使和解", + "ENG": "to make someone stop feeling angry" + }, + "swamp": { + "CHS": "使陷于沼泽;使沉没;使陷入困境", + "ENG": "If something swamps a place or object, it fills it with water" + }, + "downplay": { + "CHS": "不予重视;将轻描淡写", + "ENG": "to make something seem less important than it really is" + }, + "obese": { + "CHS": "肥胖的,过胖的", + "ENG": "very fat in a way that is unhealthy" + }, + "rendezvous": { + "CHS": "会合;约会", + "ENG": "to meet someone at a time or place that was arranged earlier" + }, + "monopoly": { + "CHS": "垄断;垄断者;专卖权", + "ENG": "if a company or government has a monopoly of a business or political activity, it has complete control of it so that other organizations cannot compete with it" + }, + "wrath": { + "CHS": "愤怒;激怒", + "ENG": "extreme anger" + }, + "surreptitious": { + "CHS": "秘密的;鬼鬼祟祟的;暗中的", + "ENG": "done secretly or quickly because you do not want other people to notice" + }, + "wee": { + "CHS": "一点点" + }, + "reminiscent": { + "CHS": "回忆录作者;回忆者" + }, + "abdicate": { + "CHS": "退位;放弃", + "ENG": "to give up the position of being king or queen" + }, + "unify": { + "CHS": "统一;使相同,使一致", + "ENG": "if you unify two or more parts or things, or if they unify, they are combined to make a single unit" + }, + "hermit": { + "CHS": "(尤指宗教原因的)隐士;隐居者", + "ENG": "someone who lives alone and has a simple way of life, usually for religious reasons" + }, + "provincial": { + "CHS": "粗野的人;乡下人;外地人" + }, + "bolster": { + "CHS": "支持;支撑" + }, + "hydrogen": { + "CHS": "[化学] 氢", + "ENG": "Hydrogen is a colourless gas that is the lightest and commonest element in the universe" + }, + "adulterant": { + "CHS": "掺杂用的", + "ENG": "adulterating " + }, + "disfigure": { + "CHS": "使变丑;损毁…的外形;使大为减色", + "ENG": "to spoil the appearance that something naturally has" + }, + "barrister": { + "CHS": "律师;(加拿大)出庭律师(等于arrister-at-law);(英)(有资格出席高等法庭并辩护的)专门律师", + "ENG": "a lawyer in Britain who can argue cases in the higher law courts" + }, + "vernacular": { + "CHS": "本地话,方言;动植物的俗名", + "ENG": "a form of a language that ordinary people use, especially one that is not the official language" + }, + "fray": { + "CHS": "使磨损;变得令人紧张、急躁", + "ENG": "If something such as cloth or rope frays, or if something frays it, its threads or fibres start to come apart from each other and spoil its appearance" + }, + "exigent": { + "CHS": "迫切的;紧急的;苛求的", + "ENG": "demanding a lot of attention from other people in a way that is unreasonable" + }, + "solicitous": { + "CHS": "热切期望的;热心的;挂念的", + "ENG": "very concerned about someone’s safety, health, or comfort" + }, + "apotheosis": { + "CHS": "神化;崇拜,颂扬;尊奉为神" + }, + "considerable": { + "CHS": "相当大的;重要的,值得考虑的", + "ENG": "fairly large, especially large enough to have an effect or be important" + }, + "egalitarian": { + "CHS": "平等主义;平等主义者" + }, + "intimidate": { + "CHS": "恐吓,威胁;胁迫", + "ENG": "to frighten or threaten someone into making them do what you want" + }, + "plaintive": { + "CHS": "哀伤的;悲哀的", + "ENG": "a plaintive sound is high, like someone crying, and sounds sad" + }, + "knavery": { + "CHS": "恶行,欺诈;无赖行为", + "ENG": "dishonest behaviour" + }, + "buoyancy": { + "CHS": "浮力;轻快;轻松的心情;(股票)保持高价或回升", + "ENG": "the ability of an object to float" + }, + "priggish": { + "CHS": "一本正经的;自负的;死板的", + "ENG": "If you describe someone as priggish, you think that they are a prig" + }, + "suspicion": { + "CHS": "怀疑" + }, + "slight": { + "CHS": "怠慢;轻蔑" + }, + "latency": { + "CHS": "潜伏;潜在因素" + }, + "polygamy": { + "CHS": "一夫多妻,一妻多夫,多配偶", + "ENG": "the practice of having more than one husband or wife at the same time" + }, + "imprint": { + "CHS": "加特征;刻上记号", + "ENG": "When something is imprinted on your memory, it is firmly fixed in your memory so that you will not forget it" + }, + "frightful": { + "CHS": "可怕的;惊人的;非常的", + "ENG": "unpleasant or bad" + }, + "tribulation": { + "CHS": "苦难;磨难;忧患", + "ENG": "serious trouble or a serious problem" + }, + "medley": { + "CHS": "混合的;拼凑的" + }, + "annalist": { + "CHS": "编年史作者;纪年表编者" + }, + "renown": { + "CHS": "使有声望" + }, + "abase": { + "CHS": "使…谦卑;降低…的品格;降低…的地位", + "ENG": "to humble or belittle (oneself, etc) " + }, + "abash": { + "CHS": "使困窘;使羞愧;使局促不安" + }, + "keepsake": { + "CHS": "纪念品", + "ENG": "a small object that you keep to remind you of someone" + }, + "dilute": { + "CHS": "稀释;冲淡;削弱", + "ENG": "to make a liquid weaker by adding water or another liquid" + }, + "impervious": { + "CHS": "不受影响的,无动于衷的;不能渗透的", + "ENG": "not affected or influenced by something and seeming not to notice it" + }, + "apology": { + "CHS": "道歉;谢罪;辩护;勉强的替代物", + "ENG": "something that you say or write to show that you are sorry for doing something wrong" + }, + "efficacy": { + "CHS": "功效,效力", + "ENG": "the ability of something to produce the right result" + }, + "predicament": { + "CHS": "窘况,困境;状态", + "ENG": "a difficult or unpleasant situation in which you do not know what to do, or in which you have to make a difficult choice" + }, + "prescience": { + "CHS": "先见;预知" + }, + "compress": { + "CHS": "受压缩小", + "ENG": "to press something or make it smaller so that it takes up less space, or to become smaller" + }, + "recede": { + "CHS": "后退;减弱", + "ENG": "When something such as a quality, problem, or illness recedes, it becomes weaker, smaller, or less intense" + }, + "immigrate": { + "CHS": "移入", + "ENG": "to come into a country in order to live there permanently" + }, + "mawkish": { + "CHS": "令人作呕的,令人厌恶的;自作多情的;淡而无味的", + "ENG": "showing too much emotion in a way that is embarrassing" + }, + "contemplation": { + "CHS": "沉思;注视;意图", + "ENG": "quiet serious thinking about something" + }, + "imperil": { + "CHS": "危及;使陷于危险", + "ENG": "to put something or someone in danger" + }, + "acclimate": { + "CHS": "服水土;适应新环境" + }, + "tentative": { + "CHS": "假设,试验" + }, + "gel": { + "CHS": "[物化] 凝胶,胶体", + "ENG": "a thick wet substance that is used in beauty or cleaning products" + }, + "salt": { + "CHS": "用盐腌;给…加盐;将盐撒在道路上使冰或雪融化", + "ENG": "to add salt to food to make it taste better" + }, + "reflection": { + "CHS": "反射;沉思;映象", + "ENG": "something that shows what something else is like, or that is a sign of a particular situation" + }, + "abate": { + "CHS": "(Abate)人名;(英、意、法、埃塞)阿巴特" + }, + "accentuate": { + "CHS": "强调;重读", + "ENG": "to make something more noticeable" + }, + "intangible": { + "CHS": "无形的,触摸不到的;难以理解的", + "ENG": "an intangible quality or feeling is difficult to describe exactly" + }, + "pomp": { + "CHS": "盛况;浮华;壮丽;夸耀", + "ENG": "all the impressive clothes, decorations, music etc that are traditional for an important official or public ceremony" + }, + "misanthropy": { + "CHS": "厌恶人类;厌世,愤世嫉俗", + "ENG": "Misanthropy is a general dislike of people" + }, + "area": { + "CHS": "区域,地区;面积;范围", + "ENG": "a particular part of a country, town etc" + }, + "erroneous": { + "CHS": "错误的;不正确的", + "ENG": "erroneous ideas or information are wrong and based on facts that are not correct" + }, + "repentant": { + "CHS": "悔改的;后悔的", + "ENG": "sorry for something wrong that you have done" + }, + "bumper": { + "CHS": "干杯", + "ENG": "to toast with a bumper " + }, + "hypothesis": { + "CHS": "假设", + "ENG": "an idea that is suggested as an explanation for something, but that has not yet been proved to be true" + }, + "discipline": { + "CHS": "训练,训导;惩戒", + "ENG": "to teach someone to obey rules and control their behaviour" + }, + "regularity": { + "CHS": "规则性;整齐;正规;匀称", + "ENG": "when something is arranged in an even way" + }, + "fraction": { + "CHS": "分数;部分;小部分;稍微", + "ENG": "a part of a whole number in mathematics, such as ½ or ¾" + }, + "restoration": { + "CHS": "恢复;复位;王政复辟;归还", + "ENG": "the act of bringing back a law, tax, or system of government" + }, + "desolate": { + "CHS": "使荒凉;使孤寂", + "ENG": "to make someone feel very sad and lonely" + }, + "still": { + "CHS": "蒸馏;使…静止;使…平静下来" + }, + "vaccine": { + "CHS": "疫苗的;牛痘的" + }, + "amnesia": { + "CHS": "健忘症,[内科] 记忆缺失", + "ENG": "the medical condition of not being able to remember anything" + }, + "cantata": { + "CHS": "大合唱;(意)清唱剧;康塔塔(一种声乐套曲)", + "ENG": "a piece of religious music for singers and instruments" + }, + "augur": { + "CHS": "预言;是…的预兆", + "ENG": "If something augurs well or badly for a person or a future situation, it is a sign that things will go well or badly" + }, + "ceremonial": { + "CHS": "仪式,礼节", + "ENG": "a special ceremony, or special formal actions" + }, + "fetid": { + "CHS": "臭的;恶臭的;腐臭的", + "ENG": "having a strong bad smell" + }, + "eulogize": { + "CHS": "颂扬;称赞", + "ENG": "to praise someone or something very much" + }, + "enigmatic": { + "CHS": "神秘的;高深莫测的;谜一般的", + "ENG": "Someone or something that is enigmatic is mysterious and difficult to understand" + }, + "reprisal": { + "CHS": "报复(行为);报复性劫掠", + "ENG": "something violent or harmful which you do to punish someone for something bad they have done to you" + }, + "mischievous": { + "CHS": "淘气的;(人、行为等)恶作剧的;有害的", + "ENG": "someone who is mischievous likes to have fun, especially by playing tricks on people or doing things to annoy or embarrass them" + }, + "provoke": { + "CHS": "驱使;激怒;煽动;惹起", + "ENG": "to cause a reaction or feeling, especially a sudden one" + }, + "radioactive": { + "CHS": "[核] 放射性的;有辐射的", + "ENG": "a radioactive substance is dangerous because it contains radiation (= a form of energy that can harm living things ) " + }, + "redemption": { + "CHS": "赎回;拯救;偿还;实践", + "ENG": "the state of being freed from the power of evil, believed by Christians to be made possible by Jesus Christ" + }, + "repartee": { + "CHS": "机敏的应答;妙语;巧辩", + "ENG": "conversation which is fast and full of intelligent and amusing remarks and replies" + }, + "optic": { + "CHS": "眼睛;镜片" + }, + "sacrilege": { + "CHS": "冒渎;亵渎圣物;悖理逆天的行为", + "ENG": "when someone treats something holy in a way that does not show respect" + }, + "emblem": { + "CHS": "象征;用符号表示;用纹章装饰" + }, + "rotate": { + "CHS": "[植] 辐状的" + }, + "sedulous": { + "CHS": "聚精会神的;勤勉的;勤苦工作的", + "ENG": "constant or persistent in use or attention; assiduous; diligent " + }, + "inception": { + "CHS": "起初;获得学位" + }, + "subsistence": { + "CHS": "生活;生存;存在", + "ENG": "the condition of only just having enough money or food to stay alive" + }, + "refraction": { + "CHS": "折射;折光" + }, + "sensuous": { + "CHS": "感觉上的,依感观的;诉诸美感的", + "ENG": "attractive in a sexual way" + }, + "lactose": { + "CHS": "[有化] 乳糖", + "ENG": "a type of sugar found in milk, sometimes used as a food for babies and sick people" + }, + "tactician": { + "CHS": "战术家;谋士", + "ENG": "someone who is very good at tactics " + }, + "bawdy": { + "CHS": "猥亵的;下流的;卖淫的" + }, + "operation": { + "CHS": "操作;经营;[外科] 手术;[数][计] 运算", + "ENG": "the process of cutting into someone’s body to repair or remove a part that is damaged" + }, + "deportment": { + "CHS": "举止;行为;态度", + "ENG": "the way that someone stands and walks" + }, + "venous": { + "CHS": "静脉的;有脉纹的", + "ENG": "relating to the veins(= tubes that carry blood ) in your body" + }, + "arbiter": { + "CHS": "[法] 仲裁者;裁决人", + "ENG": "someone or something that settles an argument between two opposing sides" + }, + "fecund": { + "CHS": "肥沃的;多产的;丰饶的;生殖力旺盛的", + "ENG": "able to produce many children, young animals, or crops" + }, + "occurrence": { + "CHS": "发生;出现;事件;发现", + "ENG": "something that happens" + }, + "tumultuous": { + "CHS": "吵闹的;骚乱的;狂暴的", + "ENG": "full of activity, confusion, or violence" + }, + "meander": { + "CHS": "漫步;蜿蜒缓慢流动", + "ENG": "to walk somewhere in a slow relaxed way rather than take the most direct way possible" + }, + "synthesis": { + "CHS": "综合,[化学] 合成;综合体", + "ENG": "something that has been made by combining different things, or the process of combining things" + }, + "abduction": { + "CHS": "诱拐,绑架;诱导" + }, + "effusive": { + "CHS": "流出的;感情横溢的", + "ENG": "showing your good feelings in a very excited way" + }, + "aggrandize": { + "CHS": "增加;夸大;强化", + "ENG": "To aggrandize someone means to make them seem richer, more powerful, and more important than they really are. To aggrandize a building means to make it more impressive. " + }, + "shiftless": { + "CHS": "偷懒的;无计谋的;无能的" + }, + "flexible": { + "CHS": "灵活的;柔韧的;易弯曲的", + "ENG": "a person, plan etc that is flexible can change or be changed easily to suit any new situation" + }, + "vitality": { + "CHS": "活力,生气;生命力,生动性", + "ENG": "great energy and eagerness to do things" + }, + "detest": { + "CHS": "厌恶;憎恨", + "ENG": "to hate something or someone very much" + }, + "discount": { + "CHS": "贴现;打折扣出售商品", + "ENG": "to reduce the price of something" + }, + "destination": { + "CHS": "目的地,终点", + "ENG": "the place that someone or something is going to" + }, + "gas": { + "CHS": "加油;毒(死)" + }, + "tenable": { + "CHS": "(主张等)站得住脚的;可维持的", + "ENG": "a belief, argument etc that is tenable is reasonable and can be defended successfully" + }, + "haughty": { + "CHS": "傲慢的;自大的", + "ENG": "behaving in a proud unfriendly way" + }, + "annals": { + "CHS": "年报;编年史;年鉴", + "ENG": "used in the titles of official records of events or activities" + }, + "beseech": { + "CHS": "恳求,哀求;乞求,急切地要求得到", + "ENG": "to eagerly and anxiously ask someone for something" + }, + "theorist": { + "CHS": "理论家", + "ENG": "someone who develops ideas within a particular subject that explain why particular things happen or are true" + }, + "thwart": { + "CHS": "横过" + }, + "tractable": { + "CHS": "易于管教的;易驾驭的;易处理的;驯良的", + "ENG": "easy to control or deal with" + }, + "pension": { + "CHS": "发给养老金或抚恤金", + "ENG": "to grant a pension to " + }, + "abandon": { + "CHS": "遗弃;放弃", + "ENG": "to leave someone, especially someone you are responsible for" + }, + "allay": { + "CHS": "减轻;使缓和;使平静", + "ENG": "to make someone feel less afraid, worried etc" + }, + "filch": { + "CHS": "窃取;偷窃", + "ENG": "to steal something small or not very valuable" + }, + "novel": { + "CHS": "小说", + "ENG": "a long written story in which the characters and events are usually imaginary" + }, + "gap": { + "CHS": "裂开" + }, + "abundance": { + "CHS": "充裕,丰富", + "ENG": "a large quantity of something" + }, + "creation": { + "CHS": "创造,创作;创作物,产物", + "ENG": "the act of creating something" + }, + "humanity": { + "CHS": "人类;人道;仁慈;人文学科", + "ENG": "people in general" + }, + "recline": { + "CHS": "靠;依赖;斜倚", + "ENG": "to lie or lean back in a relaxed way" + }, + "moment": { + "CHS": "片刻,瞬间,时刻;重要,契机", + "ENG": "a particular point in time" + }, + "pertinent": { + "CHS": "相关的,相干的;中肯的;切题的", + "ENG": "directly relating to something that is being considered" + }, + "trenchant": { + "CHS": "(Trenchant)人名;(法)特朗尚" + }, + "manifest": { + "CHS": "显然的,明显的;明白的", + "ENG": "plain and easy to see" + }, + "cadaver": { + "CHS": "[医] 尸体;死尸", + "ENG": "a dead human body, especially one used for study" + }, + "stagnate": { + "CHS": "停滞;淤塞;变萧条", + "ENG": "to stop developing or making progress" + }, + "arid": { + "CHS": "干旱的;不毛的,[农] 荒芜的", + "ENG": "arid land or an arid climate is very dry because it has very little rain" + }, + "proficiency": { + "CHS": "精通,熟练", + "ENG": "a good standard of ability and skill" + }, + "collusion": { + "CHS": "勾结;共谋", + "ENG": "a secret agreement that two or more people make in order to do something dishonest" + }, + "recover": { + "CHS": "还原至预备姿势" + }, + "variant": { + "CHS": "变体;转化", + "ENG": "something that is slightly different from the usual form of something" + }, + "trove": { + "CHS": "被发现的东西;收藏的东西" + }, + "oak": { + "CHS": "栎树的;栎木制的" + }, + "prepossess": { + "CHS": "使先具有;预先灌输情感(或思想等);使…先怀偏见;先有好感" + }, + "radical": { + "CHS": "基础;激进分子;[物化] 原子团;[数] 根数" + }, + "similar": { + "CHS": "类似物" + }, + "relent": { + "CHS": "变温和,变宽厚;减弱;缓和", + "ENG": "to change your attitude and become less strict or cruel towards someone" + }, + "neutralization": { + "CHS": "[化学] 中和;[化学] 中和作用;中立状态" + }, + "consecutive": { + "CHS": "连贯的;连续不断的", + "ENG": "consecutive numbers or periods of time follow one after the other without any interruptions" + }, + "rotary": { + "CHS": "旋转式机器;[动力] 转缸式发动机" + }, + "obsequies": { + "CHS": "葬礼", + "ENG": "a funeral ceremony" + }, + "lingual": { + "CHS": "舌音,舌音字" + }, + "fallow": { + "CHS": "使(土地)休闲;潜伏", + "ENG": "to leave (land) unseeded after ploughing and harrowing it " + }, + "bigamy": { + "CHS": "重婚罪,重婚", + "ENG": "the crime of being married to two people at the same time" + }, + "differ": { + "CHS": "(Differ)人名;(法)迪费" + }, + "persistent": { + "CHS": "固执的,坚持的;持久稳固的", + "ENG": "continuing to do something, although this is difficult, or other people warn you not to do it" + }, + "benignity": { + "CHS": "仁慈;善举" + }, + "astounding": { + "CHS": "令人震惊的;令人惊骇的", + "ENG": "so surprising that it is almost impossible to believe" + }, + "fabricate": { + "CHS": "制造;伪造;装配", + "ENG": "to invent a story, piece of information etc in order to deceive someone" + }, + "backstage": { + "CHS": "在后台;向后台", + "ENG": "In a theatre, backstage refers to the areas behind the stage" + }, + "salutation": { + "CHS": "称呼;问候;招呼;寒喧", + "ENG": "a word or phrase used at the beginning of a letter or speech, such as ‘Dear Mr Smith’" + }, + "resemblance": { + "CHS": "相似;相似之处;相似物;肖像", + "ENG": "if there is a resemblance between two people or things, they are similar, especially in the way they look" + }, + "negligence": { + "CHS": "疏忽;忽视;粗心大意", + "ENG": "failure to take enough care over something that you are responsible for" + }, + "enlighten": { + "CHS": "启发,启蒙;教导,开导;照耀", + "ENG": "to explain something to someone" + }, + "rebellious": { + "CHS": "反抗的;造反的;难控制的", + "ENG": "deliberately not obeying people in authority or rules of behaviour" + }, + "integrity": { + "CHS": "完整;正直;诚实;廉正", + "ENG": "the quality of being honest and strong about what you believe to be right" + }, + "fragile": { + "CHS": "脆的;易碎的", + "ENG": "easily broken or damaged" + }, + "chromosome": { + "CHS": "[遗][细胞][染料] 染色体(形容词chromosomal,副词chromosomally)", + "ENG": "a part of every living cell that is shaped like a thread and contains the gene s that control the size, shape etc that a plant or animal has" + }, + "adulterate": { + "CHS": "掺假", + "ENG": "to make food or drink less pure by adding another substance of lower quality to it" + }, + "subtle": { + "CHS": "微妙的;精细的;敏感的;狡猾的;稀薄的", + "ENG": "not easy to notice or understand unless you pay careful attention" + }, + "buffer": { + "CHS": "缓冲", + "ENG": "to reduce the bad effects of something" + }, + "partition": { + "CHS": "[数] 分割;分隔;区分", + "ENG": "to divide a country, building, or room into two or more parts" + }, + "mediocrity": { + "CHS": "平庸之才;平常", + "ENG": "If you refer to the mediocrity of something, you mean that it is of average quality but you think it should be better" + }, + "nondescript": { + "CHS": "不属任何类型的人;难以形容的人或物" + }, + "licentious": { + "CHS": "放肆的;放纵的", + "ENG": "behaving in a sexually immoral or uncontrolled way" + }, + "archaeologist": { + "CHS": "考古学家" + }, + "birthright": { + "CHS": "与生俱来的权利;长子继承权", + "ENG": "something such as a right, property, money etc that you believe you should have because of the family or country you belong to" + }, + "biology": { + "CHS": "(一个地区全部的)生物;生物学", + "ENG": "the scientific study of living things" + }, + "champion": { + "CHS": "优胜的;第一流的" + }, + "objective": { + "CHS": "目的;目标;[光] 物镜;宾格", + "ENG": "something that you are trying hard to achieve, especially in business or politics" + }, + "coerce": { + "CHS": "强制,迫使", + "ENG": "to force someone to do something they do not want to do by threatening them" + }, + "humility": { + "CHS": "谦卑,谦逊", + "ENG": "the quality of not being too proud about yourself – use this to show approval" + }, + "ammonia": { + "CHS": "[无化] 氨,阿摩尼亚", + "ENG": "a clear liquid with a strong bad smell that is used for cleaning or in cleaning products" + }, + "exhaustive": { + "CHS": "详尽的;彻底的;消耗的", + "ENG": "extremely thorough and complete" + }, + "misgiving": { + "CHS": "担忧;使…疑虑;害怕(misgive的ing形式)" + }, + "intransigent": { + "CHS": "不妥协的人" + }, + "banal": { + "CHS": "(Banal)人名;(法、意)巴纳尔" + }, + "comparison": { + "CHS": "比较;对照;比喻;比较关系", + "ENG": "the process of comparing two or more people or things" + }, + "federate": { + "CHS": "使结成同盟;使结成联邦", + "ENG": "if a group of states federate, they join together to form a federation" + }, + "statement": { + "CHS": "声明;陈述,叙述;报表,清单", + "ENG": "something you say or write, especially publicly or officially, to let people know your intentions or opinions, or to record facts" + }, + "unassuming": { + "CHS": "谦逊的;不装腔作势的;不出风头的", + "ENG": "showing no desire to be noticed or given special treatment" + }, + "denominate": { + "CHS": "有特定名称的" + }, + "extemporaneous": { + "CHS": "即席的,临时的;无准备的;不用讲稿的;善于即席讲话的", + "ENG": "spoken or done without any preparation or practice" + }, + "pique": { + "CHS": "生气;愠怒;呕气", + "ENG": "a feeling of being annoyed or upset, especially because someone has ignored you or insulted you" + }, + "agglomerate": { + "CHS": "使结块;使成团" + }, + "aural": { + "CHS": "(Aural)人名;(西)奥拉尔" + }, + "omniscient": { + "CHS": "上帝;无所不知者" + }, + "captivate": { + "CHS": "迷住,迷惑", + "ENG": "to attract someone very much, and hold their attention" + }, + "seclude": { + "CHS": "使隔离,使隔绝", + "ENG": "to remove from contact with others " + }, + "plummet": { + "CHS": "垂直落下;(价格、水平等)骤然下跌", + "ENG": "to suddenly and quickly decrease in value or amount" + }, + "accomplish": { + "CHS": "完成;实现;达到", + "ENG": "to succeed in doing something, especially after trying very hard" + }, + "earnest": { + "CHS": "认真;定金;诚挚", + "ENG": "if something starts happening in earnest, it begins properly – used when it was happening in a small or informal way before" + }, + "projection": { + "CHS": "投射;规划;突出;发射;推测", + "ENG": "the act of projecting a film or picture onto a screen" + }, + "circumscribe": { + "CHS": "外切,外接;限制;在…周围画线", + "ENG": "to limit power, rights, or abilities" + }, + "vitalize": { + "CHS": "赋予…生命;激发;使有生气", + "ENG": "to make vital, living, or alive; endow with life or vigour " + }, + "disengage": { + "CHS": "使脱离;解开;解除", + "ENG": "to move so that you are not touching or holding someone" + }, + "symphony": { + "CHS": "交响乐;谐声,和声", + "ENG": "a long piece of music usually in four parts, written for an orchestra " + }, + "primp": { + "CHS": "精心打扮;装饰", + "ENG": "to make yourself look attractive by arranging your hair, putting on make-up etc" + }, + "network": { + "CHS": "网络;广播网;网状物", + "ENG": "a system of lines, tubes, wires, roads etc that cross each other and are connected to each other" + }, + "naval": { + "CHS": "(Naval)人名;(西、德、印)纳瓦尔" + }, + "ordinate": { + "CHS": "[数] 纵坐标", + "ENG": "the vertical or y-coordinate of a point in a two-dimensional system of Cartesian coordinates " + }, + "rudimentary": { + "CHS": "基本的;初步的;退化的;残遗的;未发展的", + "ENG": "a rudimentary knowledge or understanding of a subject is very simple and basic" + }, + "accessible": { + "CHS": "易接近的;可进入的;可理解的", + "ENG": "a place, building, or object that is accessible is easy to reach or get into" + }, + "powerless": { + "CHS": "无力的;[劳经] 无能力的,无权的", + "ENG": "unable to stop or control something because you do not have the power, strength, or legal right to do so" + }, + "vegetate": { + "CHS": "过单调呆板的生活", + "ENG": "to live without doing much physical or mental activity and to feel bored as a result" + }, + "undercharge": { + "CHS": "充电不足;低的索价;填不够量的火药", + "ENG": "an insufficient charge " + }, + "preoccupy": { + "CHS": "迷住;使全神贯注", + "ENG": "if something preoccupies someone, they think or worry about it a lot" + }, + "avert": { + "CHS": "避免,防止;转移", + "ENG": "to prevent something unpleasant from happening" + }, + "denigrate": { + "CHS": "诋毁;使变黑;玷污", + "ENG": "to say things to make someone or something seem less important or good" + }, + "perfunctory": { + "CHS": "敷衍的;马虎的;得过且过的", + "ENG": "a perfunctory action is done quickly, and is only done because people expect it" + }, + "sophistical": { + "CHS": "诡辩的;强词夺理的;诡辩法的", + "ENG": "of or relating to sophists or sophistry " + }, + "posterior": { + "CHS": "后部;臀部", + "ENG": "the part of the body you sit on – used humorously" + }, + "fervor": { + "CHS": "热情;热烈;热心;炽热" + }, + "tundra": { + "CHS": "[生态] 苔原;[地理] 冻原;冻土地带", + "ENG": "the large flat areas of land in the north of Russia, Canada etc, where it is very cold and there are no trees" + }, + "solvent": { + "CHS": "溶剂;解决方法", + "ENG": "a chemical that is used to dissolve another substance" + }, + "epitome": { + "CHS": "缩影;摘要;象征" + }, + "blemish": { + "CHS": "玷污;损害;弄脏", + "ENG": "to spoil the beauty or appearance of something, so that it is not perfect" + }, + "retrospect": { + "CHS": "回顾,追溯;回想" + }, + "contort": { + "CHS": "扭曲;曲解", + "ENG": "if you contort something, or if it contorts, it twists out of its normal shape and looks strange or unattractive" + }, + "phenomenon": { + "CHS": "现象;奇迹;杰出的人才", + "ENG": "something that happens or exists in society, science, or nature, especially something that is studied because it is difficult to understand" + }, + "rife": { + "CHS": "(Rife)人名;(西)里费;(英)赖夫" + }, + "classify": { + "CHS": "分类;分等", + "ENG": "to decide what group something belongs to" + }, + "microorganism": { + "CHS": "[微] 微生物;微小动植物", + "ENG": "a living thing that is so small that it cannot be seen without a microscope " + }, + "anticipate": { + "CHS": "预期,期望;占先,抢先;提前使用", + "ENG": "to expect that something will happen and be ready for it" + }, + "languid": { + "CHS": "倦怠的;呆滞的;软弱无力的" + }, + "wanton": { + "CHS": "放肆;嬉戏;闲荡" + }, + "connotation": { + "CHS": "内涵;含蓄;暗示,隐含意义;储蓄的东西(词、语等)", + "ENG": "a quality or an idea that a word makes you think of that is more than its basic meaning" + }, + "resistance": { + "CHS": "阻力;电阻;抵抗;反抗;抵抗力", + "ENG": "a refusal to accept new ideas or changes" + }, + "adherent": { + "CHS": "附着的;粘着的" + }, + "bereft": { + "CHS": "失去…的(bereave的过去式)" + }, + "flair": { + "CHS": "天资;天分;资质;鉴别力", + "ENG": "a natural ability to do something very well" + }, + "cynical": { + "CHS": "愤世嫉俗的;冷嘲的", + "ENG": "unwilling to believe that people have good, honest, or sincere reasons for doing something" + }, + "instinct": { + "CHS": "充满着的" + }, + "tolerable": { + "CHS": "可以的;可容忍的", + "ENG": "unpleasant or painful and only just able to be accepted" + }, + "presumptuous": { + "CHS": "专横的;放肆的;冒昧的", + "ENG": "doing something that you have no right to do and that seems rude" + }, + "undermine": { + "CHS": "破坏,渐渐破坏;挖掘地基", + "ENG": "If you undermine someone's efforts or undermine their chances of achieving something, you behave in a way that makes them less likely to succeed" + }, + "pentagon": { + "CHS": "五角形", + "ENG": "a flat shape with five sides and five angles" + }, + "voluptuous": { + "CHS": "撩人的;骄奢淫逸的;沉溺酒色的" + }, + "palliate": { + "CHS": "减轻;掩饰;辩解", + "ENG": "to reduce the effects of illness, pain etc without curing them" + }, + "abut": { + "CHS": "(Abut)人名;(英、土)阿布特" + }, + "intercede": { + "CHS": "调解,调停;求情,说项", + "ENG": "to speak in support of someone, especially in order to try to prevent them from being punished" + }, + "academician": { + "CHS": "院士;大学生;学会会员;大学教师", + "ENG": "a member of an official organization which encourages the development of literature, art, science etc" + }, + "theorize": { + "CHS": "建立理论或学说;推理", + "ENG": "to think of a possible explanation for an event or fact" + }, + "glacial": { + "CHS": "冰的;冰冷的;冰河时代的", + "ENG": "relating to ice and glaciers, or formed by glaciers" + }, + "dielectric": { + "CHS": "电介质;绝缘体", + "ENG": "a substance or medium that can sustain a static electric field within it " + }, + "face": { + "CHS": "向;朝", + "ENG": "to be opposite someone or something, or to be looking or pointing in a particular direction" + }, + "dilettante": { + "CHS": "(在艺术、科学等方面)浅尝辄止" + }, + "progression": { + "CHS": "前进;连续" + }, + "outlandish": { + "CHS": "古怪的;奇异的;异国风格的;偏僻的", + "ENG": "strange and unusual" + }, + "scanty": { + "CHS": "缺乏的;吝啬的;仅有的;稀疏的", + "ENG": "You describe something as scanty when there is less of it than you think there should be" + }, + "monogamy": { + "CHS": "一夫一妻制;[动] 单配偶,[动] 单配性", + "ENG": "the custom of being married to only one husband or wife" + }, + "ramble": { + "CHS": "漫步于…", + "ENG": "to go on a walk in the countryside for pleasure" + }, + "prohibit": { + "CHS": "阻止,禁止", + "ENG": "to say that an action is illegal or not allowed" + }, + "desiccate": { + "CHS": "变干" + }, + "defer": { + "CHS": "(Defer)人名;(法)德费" + }, + "lapse": { + "CHS": "(一时的) 走神,判断错误", + "ENG": "A lapse of something such as concentration or judgment is a temporary lack of that thing, which can often cause you to make a mistake" + }, + "motor": { + "CHS": "乘汽车", + "ENG": "to travel by car" + }, + "possess": { + "CHS": "控制;使掌握;持有;迷住;拥有,具备", + "ENG": "to have a particular quality or ability" + }, + "itinerary": { + "CHS": "旅程的; 巡回的,流动的" + }, + "underlie": { + "CHS": "成为……的基础;位于……之下", + "ENG": "to be the cause of something, or be the basic thing from which something develops" + }, + "equivocal": { + "CHS": "模棱两可的;可疑的", + "ENG": "if you are equivocal, you are deliberately unclear in the way that you give information or your opinion" + }, + "belle": { + "CHS": "美女", + "ENG": "a beautiful girl or woman" + }, + "ovum": { + "CHS": "[细胞][组织] 卵;卵子;卵形装饰", + "ENG": "an egg, especially one that develops inside the mother’s body" + }, + "projectile": { + "CHS": "射弹;抛射体;自动推进武器", + "ENG": "an object that is thrown at someone or is fired from a gun or other weapon, such as a bullet, stone, or shell " + }, + "guzzle": { + "CHS": "狂饮;豪饮作乐" + }, + "resent": { + "CHS": "怨恨;愤恨;厌恶", + "ENG": "to feel angry or upset about a situation or about something that someone has done, especially because you think that it is not fair" + }, + "hail": { + "CHS": "万岁;欢迎" + }, + "encore": { + "CHS": "再来一个" + }, + "inaccessible": { + "CHS": "难达到的;难接近的;难见到的", + "ENG": "difficult or impossible to reach" + }, + "itinerate": { + "CHS": "巡回;巡回传教" + }, + "plausible": { + "CHS": "貌似可信的,花言巧语的;貌似真实的,貌似有理的", + "ENG": "reasonable and likely to be true or successful" + }, + "phosphate": { + "CHS": "磷酸盐;皮膜化成", + "ENG": "one of the various forms of a salt of phosphorus , often used in industry" + }, + "cull": { + "CHS": "剔出来杀掉的动物;拣出的等外品", + "ENG": "Cull is also a noun" + }, + "tumor": { + "CHS": "肿瘤;肿块;赘生物" + }, + "factor": { + "CHS": "做代理商" + }, + "telescope": { + "CHS": "望远镜;缩叠式旅行袋", + "ENG": "a piece of equipment shaped like a tube, used for making distant objects look larger and closer" + }, + "paroxysm": { + "CHS": "(疾病周期性)发作;突发", + "ENG": "a sudden expression of strong feeling that you cannot control" + }, + "invalidate": { + "CHS": "使无效;使无价值", + "ENG": "to make a document, ticket, claim etc no longer legally or officially acceptable" + }, + "affinity": { + "CHS": "密切关系;吸引力;姻亲关系;类同", + "ENG": "a close relationship between two things because of qualities or features that they share" + }, + "angle": { + "CHS": "角度,角,方面", + "ENG": "the space between two straight lines or surfaces that join each other, measured in degrees" + }, + "vulgar": { + "CHS": "平民,百姓" + }, + "requite": { + "CHS": "报答,回报;酬谢", + "ENG": "to give or do something in return for something done or given to you" + }, + "lung": { + "CHS": "肺;呼吸器", + "ENG": "one of the two organs in your body that you breathe with" + }, + "intervene": { + "CHS": "干涉;调停;插入", + "ENG": "to become involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "preference": { + "CHS": "偏爱,倾向;优先权", + "ENG": "if you have a preference for something, you like it more than another thing and will choose it if you can" + }, + "saturation": { + "CHS": "饱和;色饱和度;浸透;磁化饱和", + "ENG": "when an event or person is given so much attention by newspapers, television etc that everyone has heard about it" + }, + "producer": { + "CHS": "制作人,制片人;生产者;发生器", + "ENG": "someone whose job is to control the preparation of a play, film, or broadcast, but who does not direct the actors" + }, + "reclaim": { + "CHS": "改造,感化;再生胶" + }, + "irony": { + "CHS": "铁的;似铁的", + "ENG": "of, resembling, or containing iron " + }, + "unctuous": { + "CHS": "油质的;虚情假意的;油腔滑调的", + "ENG": "If you describe someone as unctuous, you are critical of them because they seem to be full of praise, kindness, or interest, but are obviously insincere" + }, + "competitor": { + "CHS": "竞争者,对手", + "ENG": "a person, team, company etc that is competing with another" + }, + "nomad": { + "CHS": "游牧的;流浪的" + }, + "alkaloid": { + "CHS": "[有化] 生物碱;植物碱基", + "ENG": "any of a group of nitrogenous basic compounds found in plants, typically insoluble in water and physiologically active" + }, + "facet": { + "CHS": "在…上琢面" + }, + "travesty": { + "CHS": "歪曲;滑稽地模仿" + }, + "resurrection": { + "CHS": "复活;恢复;复兴", + "ENG": "a situation in which something old or forgotten returns or becomes important again" + }, + "seize": { + "CHS": "抓住;夺取;理解;逮捕", + "ENG": "to take hold of something suddenly and violently" + }, + "surrender": { + "CHS": "投降;放弃;交出;屈服", + "ENG": "when you say officially that you want to stop fighting because you realize that you cannot win" + }, + "oblivion": { + "CHS": "遗忘;湮没;赦免", + "ENG": "when something is completely forgotten or no longer important" + }, + "penitent": { + "CHS": "悔罪者,忏悔者", + "ENG": "someone who is doing penance " + }, + "marsh": { + "CHS": "沼泽的;生长在沼泽地的" + }, + "candidate": { + "CHS": "候选人,候补者;应试者", + "ENG": "someone who is being considered for a job or is competing in an election" + }, + "protrude": { + "CHS": "使突出,使伸出", + "ENG": "to stick out from somewhere" + }, + "alley": { + "CHS": "小巷;小路;小径", + "ENG": "a narrow street between or behind buildings, not usually used by cars" + }, + "mendicant": { + "CHS": "乞丐;托钵僧", + "ENG": "a mendicant friar " + }, + "transistor": { + "CHS": "晶体管(收音机)" + }, + "validity": { + "CHS": "[计] 有效性;正确;正确性" + }, + "provident": { + "CHS": "节俭的;有先见之明的;顾及未来的", + "ENG": "careful and sensible in the way you plan things, especially by saving money for the future" + }, + "interpolate": { + "CHS": "篡改;插入新语句", + "ENG": "to interrupt someone by saying something" + }, + "fermentation": { + "CHS": "发酵" + }, + "arboretum": { + "CHS": "植物园;(供科研等的)树木园", + "ENG": "a place where trees are grown for scientific study" + }, + "pamphlet": { + "CHS": "小册子", + "ENG": "a very thin book with paper covers, that gives information about something" + }, + "excursion": { + "CHS": "偏移;远足;短程旅行;离题;游览,游览团", + "ENG": "a short journey arranged so that a group of people can visit a place, especially while they are on holiday" + }, + "demonstrate": { + "CHS": "证明;展示;论证", + "ENG": "to show or prove something clearly" + }, + "inherent": { + "CHS": "固有的;内在的;与生俱来的,遗传的", + "ENG": "a quality that is inherent in something is a natural part of it and cannot be separated from it" + }, + "contour": { + "CHS": "画轮廓;画等高线" + }, + "prologue": { + "CHS": "加上…前言;为…作序" + }, + "transient": { + "CHS": "瞬变现象;过往旅客;候鸟" + }, + "billion": { + "CHS": "十亿的" + }, + "enlist": { + "CHS": "支持;从军;应募;赞助" + }, + "precocious": { + "CHS": "早熟的;过早发育的", + "ENG": "a precocious child shows intelligence or skill at a very young age, or behaves in an adult way – sometimes used to show disapproval in British English" + }, + "licit": { + "CHS": "正当的,合法的" + }, + "extrovert": { + "CHS": "外向;外倾者;性格外向者(等于extravert)", + "ENG": "someone who is active and confident, and who enjoys spending time with other people" + }, + "linguist": { + "CHS": "语言学家", + "ENG": "someone who studies or teaches linguistics" + }, + "glacier": { + "CHS": "冰河,冰川", + "ENG": "a large mass of ice which moves slowly down a mountain valley" + }, + "emigrate": { + "CHS": "移居;移居外国", + "ENG": "to leave your own country in order to live in another country" + }, + "explosion": { + "CHS": "爆炸;爆发;激增", + "ENG": "a loud sound and the energy produced by something such as a bomb bursting into small pieces" + }, + "vicious": { + "CHS": "(Vicious)人名;(英)维舍斯" + }, + "passive": { + "CHS": "被动语态", + "ENG": "the passive form of a verb, for example ‘was destroyed’ in the sentence ‘The building was destroyed during the war.’" + }, + "obstreperous": { + "CHS": "吵闹的,喧嚣的;难驾驭的", + "ENG": "If you say that someone is obstreperous, you think that they are noisy and difficult to control" + }, + "forfeit": { + "CHS": "(因犯罪、失职、违约等)丧失(权利、名誉、生命等)" + }, + "embellish": { + "CHS": "修饰;装饰;润色", + "ENG": "to make something more beautiful by adding decorations to it" + }, + "rancor": { + "CHS": "深仇;怨恨;敌意" + }, + "blockade": { + "CHS": "阻塞", + "ENG": "something that is used to stop vehicles or people entering or leaving a place" + }, + "gaucherie": { + "CHS": "笨拙;无礼" + }, + "quorum": { + "CHS": "法定人数", + "ENG": "the smallest number of people who must be present at a meeting so that official decisions can be made" + }, + "onerous": { + "CHS": "繁重的;麻烦的;负有义务的;负有法律责任的", + "ENG": "work or a responsibility that is onerous is difficult and worrying or makes you tired" + }, + "extraneous": { + "CHS": "外来的;没有关联的;来自体外的", + "ENG": "coming from outside" + }, + "tube": { + "CHS": "使成管状;把…装管;用管输送" + }, + "prosecutor": { + "CHS": "检察官;公诉人;[法] 起诉人;实行者", + "ENG": "In some countries, a prosecutor is a lawyer or official who brings charges against someone or tries to prove in a trial that they are guilty" + }, + "acoustics": { + "CHS": "声学;音响效果,音质", + "ENG": "the shape and size of a room, which affect the way sound is heard in it" + }, + "compulsion": { + "CHS": "强制;强迫;强制力", + "ENG": "the act of forcing or influencing someone to do something they do not want to do" + }, + "inclination": { + "CHS": "倾向,爱好;斜坡", + "ENG": "a feeling that makes you want to do something" + }, + "exotic": { + "CHS": "异国的;外来的;异国情调的", + "ENG": "something that is exotic seems unusual and interesting because it is related to a foreign country – use this to show approval" + }, + "appreciable": { + "CHS": "可感知的;可评估的;相当可观的", + "ENG": "An appreciable amount or effect is large enough to be important or clearly noticed" + }, + "photography": { + "CHS": "摄影;摄影术", + "ENG": "the art, profession, or method of producing photographs or the scenes in films" + }, + "impulse": { + "CHS": "推动" + }, + "facility": { + "CHS": "设施;设备;容易;灵巧", + "ENG": "Facilities are buildings, pieces of equipment, or services that are provided for a particular purpose" + }, + "equidistant": { + "CHS": "等距的;距离相等的", + "ENG": "at an equal distance from two places" + }, + "rail": { + "CHS": "抱怨;责骂", + "ENG": "to complain angrily about something, especially something that you think is very unfair" + }, + "definite": { + "CHS": "一定的;确切的", + "ENG": "clearly known, seen, or stated" + }, + "rile": { + "CHS": "(Rile)人名;(塞)里莱" + }, + "stagnant": { + "CHS": "停滞的;不景气的;污浊的;迟钝的", + "ENG": "stagnant water or air does not move or flow and often smells bad" + }, + "baleful": { + "CHS": "恶意的;有害的", + "ENG": "expressing anger, hatred, or a wish to harm someone" + }, + "denude": { + "CHS": "剥夺;使裸露", + "ENG": "to remove the plants and trees that cover an area of land" + }, + "boorish": { + "CHS": "粗野的;粗鲁的;粗鄙的;笨拙的;乡土气的", + "ENG": "Boorish behaviour is rough, uneducated, and rude" + }, + "attenuate": { + "CHS": "使减弱;使纤细", + "ENG": "To attenuate something means to reduce it or weaken it" + }, + "quixotic": { + "CHS": "唐吉诃德式的;狂想家的;愚侠的", + "ENG": "quixotic ideas or plans are not practical and are based on unreasonable hopes of improving the world" + }, + "vinery": { + "CHS": "葡萄园,葡萄温室", + "ENG": "a hothouse for growing grapes " + }, + "perfidious": { + "CHS": "背信弃义的;不忠的", + "ENG": "someone who is perfidious is not loyal and cannot be trusted" + }, + "impinge": { + "CHS": "撞击;侵犯" + }, + "germinate": { + "CHS": "使发芽;使生长", + "ENG": "if a seed germinates, or if it is germinated, it begins to grow" + }, + "vaudeville": { + "CHS": "杂耍;轻歌舞剧;歌舞杂耍表演", + "ENG": "a type of theatre entertainment, popular from the 1880s to the 1950s, in which there were many short performances of different kinds, including singing, dancing, jokes etc" + }, + "glutinous": { + "CHS": "粘的;粘性的;胶状的", + "ENG": "Something that is glutinous is very sticky" + }, + "supple": { + "CHS": "(Supple)人名;(意、西)苏普莱" + }, + "desiccant": { + "CHS": "[助剂] 干燥剂", + "ENG": "a substance, such as calcium oxide, that absorbs water and is used to remove moisture; a drying agent " + }, + "edify": { + "CHS": "熏陶;启发;教诲", + "ENG": "to improve someone’s mind or character by teaching them something" + }, + "sedition": { + "CHS": "暴动;煽动性的言论或行为;妨害治安", + "ENG": "speech, writing, or actions intended to encourage people to disobey a government" + }, + "invoke": { + "CHS": "调用;祈求;引起;恳求", + "ENG": "to make a particular idea, image, or feeling appear in people’s minds by describing an event or situation, or by talking about a person" + }, + "belie": { + "CHS": "掩饰;与…不符;使失望;证明…虚假错误", + "ENG": "to give someone a false idea about something" + }, + "commodious": { + "CHS": "宽敞的;方便的", + "ENG": "a house or room that is commodious is very big" + }, + "unparalleled": { + "CHS": "无比的;无双的;空前未有的", + "ENG": "bigger, better, or worse than anything else" + }, + "subliminal": { + "CHS": "潜意识;阈下意识" + }, + "tension": { + "CHS": "使紧张;使拉紧" + }, + "epitomize": { + "CHS": "摘要;概括;成为…的缩影" + }, + "quarterly": { + "CHS": "季刊", + "ENG": "a magazine that is produced four times a year" + }, + "flask": { + "CHS": "[分化] 烧瓶;长颈瓶,细颈瓶;酒瓶,携带瓶", + "ENG": "a hip flask " + }, + "sober": { + "CHS": "(Sober)人名;(英)索伯" + }, + "specious": { + "CHS": "似是而非的;外表美观的;华而不实的;徒有其表的", + "ENG": "seeming to be true or correct, but actually false" + }, + "exultant": { + "CHS": "非常高兴的;欢跃的;狂喜的;欢欣鼓舞的", + "ENG": "very happy or proud, especially because you have succeeded in doing something" + }, + "inclement": { + "CHS": "险恶的;气候严酷的;狂风暴雨的", + "ENG": "inclement weather is unpleasantly cold, wet etc" + }, + "antipodes": { + "CHS": "地球上处于正相对应的两个地区,尤指(与欧洲形成对跖地的)澳大拉西亚", + "ENG": "either or both of two points, places, or regions that are situated diametrically opposite to one another on the earth's surface, esp the country or region opposite one's own " + }, + "belay": { + "CHS": "(Belay)人名;(法)贝莱" + }, + "declaim": { + "CHS": "慷慨陈词;演讲;朗读", + "ENG": "to speak loudly, sometimes with actions, so that people notice you" + }, + "jocose": { + "CHS": "诙谐的;开玩笑的" + }, + "possessive": { + "CHS": "所有格", + "ENG": "an adjective, pronoun , or form of a word that shows that something belongs to someone or something" + }, + "satiate": { + "CHS": "饱足的;厌腻的" + }, + "misbehave": { + "CHS": "作弊;行为不礼貌", + "ENG": "If someone, especially a child, misbehaves, they behave in a way that is not acceptable to other people" + }, + "tricycle": { + "CHS": "[车辆] 三轮车", + "ENG": "a bicycle with three wheels, especially for young children" + }, + "anatomy": { + "CHS": "解剖;解剖学;剖析;骨骼", + "ENG": "the scientific study of the structure of human or animal bodies" + }, + "xenophobe": { + "CHS": "仇外;害怕生人者;畏惧和憎恨外国人的人", + "ENG": "a person who hates or fears foreigners or strangers " + }, + "devastate": { + "CHS": "毁灭;毁坏", + "ENG": "to damage something very badly or completely" + }, + "agile": { + "CHS": "敏捷的;机敏的;活泼的", + "ENG": "able to move quickly and easily" + }, + "sedative": { + "CHS": "使镇静的;使安静的" + }, + "vie": { + "CHS": "(Vie)人名;(英)维" + }, + "legislator": { + "CHS": "立法者", + "ENG": "someone who has the power to make laws or belongs to an institution that makes laws" + }, + "satire": { + "CHS": "讽刺;讽刺文学,讽刺作品", + "ENG": "a way of criticizing something such as a group of people or a system, in which you deliberately make them seem funny so that people will see their faults" + }, + "respondent": { + "CHS": "[法] 被告;应答者", + "ENG": "someone who has to defend their own case in a law court, especially in a divorce case" + }, + "pediatrics": { + "CHS": "小儿科" + }, + "satirize": { + "CHS": "讽刺;挖苦", + "ENG": "to use satire to make people see someone’s or something’s faults" + }, + "exhausted": { + "CHS": "耗尽;用尽;使…精疲力尽(exhaust的过去式)", + "ENG": "If something exhausts you, it makes you so tired, either physically or mentally, that you have no energy left" + }, + "contempt": { + "CHS": "轻视,蔑视;耻辱", + "ENG": "a feeling that someone or something is not important and deserves no respect" + }, + "hideous": { + "CHS": "可怕的;丑恶的", + "ENG": "extremely unpleasant or ugly" + }, + "guilty": { + "CHS": "有罪的;内疚的", + "ENG": "feeling very ashamed and sad because you know that you have done something wrong" + }, + "obtuse": { + "CHS": "迟钝的;圆头的;不锋利的", + "ENG": "slow to understand things, in a way that is annoying" + }, + "anachronistic": { + "CHS": "时代错误的", + "ENG": "You say that something is anachronistic when you think that it is out of date or old-fashioned" + }, + "table": { + "CHS": "桌子的" + }, + "prescript": { + "CHS": "规定;命令", + "ENG": "an official order or rule" + }, + "imbibe": { + "CHS": "吸收,接受;喝;吸入", + "ENG": "to drink something, especially alcohol – sometimes used humorously" + }, + "adduce": { + "CHS": "举出;引证", + "ENG": "to give facts or reasons in order to prove that something is true" + }, + "boiling": { + "CHS": "沸腾" + }, + "unwitting": { + "CHS": "使精神错乱;使丧失智能(unwit的ing形式)" + }, + "diffident": { + "CHS": "羞怯的;缺乏自信的;谦虚谨慎的", + "ENG": "shy and not wanting to make people notice you or talk about you" + }, + "motto": { + "CHS": "座右铭,格言;箴言", + "ENG": "a short sentence or phrase giving a rule on how to behave, which expresses the aims or beliefs of a person, school, or institution" + }, + "cube": { + "CHS": "使成立方形;使自乘二次;量…的体积", + "ENG": "to multiply a number by itself twice" + }, + "frenetic": { + "CHS": "疯子;狂人" + }, + "benefactor": { + "CHS": "恩人;捐助者;施主", + "ENG": "someone who gives money for a good purpose" + }, + "inkling": { + "CHS": "暗示 (inkle的ing形式);略知;低声说出" + }, + "matriarchy": { + "CHS": "母权制;女家长制;女族长制;母系氏族", + "ENG": "a social system in which the oldest woman controls a family and its possessions" + }, + "impasse": { + "CHS": "僵局;死路", + "ENG": "a situation in which it is impossible to continue with a discussion or plan because the people involved cannot agree" + }, + "query": { + "CHS": "询问;对……表示疑问", + "ENG": "to express doubt about whether something is true or correct" + }, + "expurgate": { + "CHS": "删除,删去", + "ENG": "If someone expurgates a piece of writing, they remove parts of it before it is published because they think those parts will offend or shock people" + }, + "enamor": { + "CHS": "使迷恋,使倾心", + "ENG": "to inspire with love; captivate; charm " + }, + "dual": { + "CHS": "双数;双数词" + }, + "fanatic": { + "CHS": "狂热的;盲信的", + "ENG": "Fanatic means the same as " + }, + "particle": { + "CHS": "颗粒;[物] 质点;极小量;小品词", + "ENG": "a very small piece of something" + }, + "sapid": { + "CHS": "有滋味的;有趣的", + "ENG": "having a pleasant taste " + }, + "repellent": { + "CHS": "防护剂;防水布;排斥力" + }, + "feudal": { + "CHS": "封建制度的;领地的;世仇的", + "ENG": "relating to feudalism" + }, + "velocity": { + "CHS": "【物】速度", + "ENG": "the speed of something that is moving in a particular direction" + }, + "fake": { + "CHS": "伪造的", + "ENG": "made to look like a real material or object in order to deceive people" + }, + "simplify": { + "CHS": "简化;使单纯;使简易", + "ENG": "to make something easier or less complicated" + }, + "recur": { + "CHS": "复发;重现;采用;再来;循环;递归", + "ENG": "if a number or numbers after a decimal point recur, they are repeated for ever in the same order" + }, + "crestfallen": { + "CHS": "垂头丧气的,气馁的", + "ENG": "looking disappointed and upset" + }, + "algebra": { + "CHS": "代数学", + "ENG": "a type of mathematics that uses letters and other signs to represent numbers and values" + }, + "autarchy": { + "CHS": "专制,独裁;专制国家", + "ENG": "unlimited rule; autocracy " + }, + "gigantic": { + "CHS": "巨大的,庞大的", + "ENG": "extremely big" + }, + "desert": { + "CHS": "沙漠的;荒凉的;不毛的" + }, + "cantonment": { + "CHS": "宿营地;兵营", + "ENG": "a camp where soldiers live" + }, + "decagon": { + "CHS": "[数] 十角形;[数] 十边形", + "ENG": "a polygon having ten sides " + }, + "caption": { + "CHS": "加上说明;加上标题" + }, + "unbiased": { + "CHS": "公正的;无偏见的", + "ENG": "unbiased information, opinions, advice etc is fair because the person giving it is not influenced by their own or other people’s opinions" + }, + "crystal": { + "CHS": "水晶的;透明的,清澈的" + }, + "demolish": { + "CHS": "拆除;破坏;毁坏;推翻;驳倒", + "ENG": "to completely destroy a building" + }, + "prattle": { + "CHS": "无聊话;咿咿呀呀声" + }, + "effrontery": { + "CHS": "厚颜无耻", + "ENG": "rude behaviour that shocks you because it is so confident" + }, + "cardiac": { + "CHS": "心脏的;心脏病的;贲门的", + "ENG": "relating to the heart" + }, + "afterthought": { + "CHS": "事后的想法;后来添加的东西", + "ENG": "something that you mention or add later because you did not think of it or plan it before" + }, + "vainglorious": { + "CHS": "虚荣心强的;非常自负的", + "ENG": "too proud of your own abilities, importance etc" + }, + "vermin": { + "CHS": "害虫;寄生虫;歹徒", + "ENG": "small animals, birds, and insects that are harmful because they destroy crops, spoil food, and spread disease" + }, + "disburse": { + "CHS": "支付;支出", + "ENG": "to pay out money, especially from a large sum that is available for a special purpose" + }, + "advertiser": { + "CHS": "广告客户;刊登广告的人", + "ENG": "a person or company that advertises something" + }, + "diplomat": { + "CHS": "外交家,外交官;有外交手腕的人;处事圆滑机敏的人", + "ENG": "someone who officially represents their government in a foreign country" + }, + "affable": { + "CHS": "和蔼可亲的;友善的", + "ENG": "friendly and easy to talk to" + }, + "genre": { + "CHS": "风俗画的;以日常情景为主题的" + }, + "sector": { + "CHS": "把…分成扇形" + }, + "virile": { + "CHS": "(Virile)人名;(意)维里莱" + }, + "cortex": { + "CHS": "[解剖] 皮质;树皮;果皮", + "ENG": "the outer layer of an organ in your body, especially your brain" + }, + "ascendant": { + "CHS": "上升的;优越的", + "ENG": "becoming more powerful or popular" + }, + "pretension": { + "CHS": "自负;要求;主张;借口;骄傲" + }, + "anthropology": { + "CHS": "人类学", + "ENG": "the scientific study of people, their societies, culture s etc" + }, + "preclude": { + "CHS": "排除;妨碍;阻止", + "ENG": "to prevent something or make something impossible" + }, + "discomfit": { + "CHS": "挫败;扰乱,破坏;使…为难;使…破灭", + "ENG": "If you are discomfited by something, it causes you to feel slightly embarrassed or confused" + }, + "lasting": { + "CHS": "持续;维持(last的ing形式)" + }, + "interposition": { + "CHS": "干涉,介入;插入,放入" + }, + "justification": { + "CHS": "理由;辩护;认为有理,认为正当;释罪", + "ENG": "a good and acceptable reason for doing something" + }, + "appertain": { + "CHS": "属于;和……有关,有关系", + "ENG": "to belong (to) as a part, function, right, etc; relate (to) or be connected (with) " + }, + "stymie": { + "CHS": "妨碍球" + }, + "audition": { + "CHS": "试听;试音", + "ENG": "to take part in an audition" + }, + "misfortune": { + "CHS": "不幸;灾祸,灾难", + "ENG": "very bad luck, or something that happens to you as a result of bad luck" + }, + "characterize": { + "CHS": "描绘…的特性;具有…的特征", + "ENG": "to describe the qualities of someone or something in a particular way" + }, + "positive": { + "CHS": "正数;[摄] 正片" + }, + "work": { + "CHS": "使工作;操作;经营;使缓慢前进", + "ENG": "to do the activities and duties that are part of your job" + }, + "recrudescent": { + "CHS": "复发的,再发作的" + }, + "celebrated": { + "CHS": "庆祝(celebrate的过去式和过去分词)" + }, + "dialect": { + "CHS": "方言的" + }, + "global": { + "CHS": "全球的;总体的;球形的", + "ENG": "affecting or including the whole world" + }, + "platitude": { + "CHS": "陈词滥调;平凡;陈腐", + "ENG": "a statement that has been made many times before and is not interesting or clever – used to show disapproval" + }, + "restrict": { + "CHS": "限制;约束;限定", + "ENG": "to limit or control the size, amount, or range of something" + }, + "annihilate": { + "CHS": "歼灭;战胜;废止", + "ENG": "To annihilate something means to destroy it completely" + }, + "landmark": { + "CHS": "有重大意义或影响的" + }, + "appall": { + "CHS": "使胆寒;使惊骇" + }, + "righteous": { + "CHS": "正义的;正直的;公正的", + "ENG": "strong feelings of anger when you think a situation is not morally right or fair" + }, + "prostrate": { + "CHS": "使…屈服;将…弄倒;使…俯伏", + "ENG": "If you prostrate yourself, you lie down flat on the ground, on your front, usually to show respect for God or a person in authority" + }, + "promote": { + "CHS": "促进;提升;推销;发扬", + "ENG": "If people promote something, they help or encourage it to happen, increase, or spread" + }, + "torturous": { + "CHS": "折磨人的,痛苦的", + "ENG": "very painful or unpleasant to experience" + }, + "conditional": { + "CHS": "条件句;条件语", + "ENG": "a sentence or clause that is expressed in a conditional form" + }, + "cryptic": { + "CHS": "神秘的,含义模糊的;[动] 隐藏的", + "ENG": "having a meaning that is mysterious or not easily understood" + }, + "racy": { + "CHS": "(Racy)人名;(葡、阿拉伯)拉西" + }, + "encompass": { + "CHS": "包含;包围,环绕;完成", + "ENG": "to include a wide range of ideas, subjects, etc" + }, + "brandish": { + "CHS": "挥舞" + }, + "pulley": { + "CHS": "用滑轮升起" + }, + "herbivore": { + "CHS": "[动] 食草动物", + "ENG": "an animal that only eats plants" + }, + "enfranchise": { + "CHS": "给予选举权;给予自治权;解放,释放", + "ENG": "to give a group of people the right to vote" + }, + "malfeasance": { + "CHS": "渎职,违法行为;不正当,坏事", + "ENG": "illegal or dishonest activity" + }, + "botany": { + "CHS": "植物学;地区植物总称", + "ENG": "the scientific study of plants" + }, + "precedence": { + "CHS": "优先;居先", + "ENG": "when someone or something is considered to be more impor-tant than someone or something else, and therefore comes first or must be dealt with first" + }, + "alloy": { + "CHS": "合金", + "ENG": "a metal that consists of two or more metals mixed together" + }, + "cursory": { + "CHS": "粗略的;草率的;匆忙的", + "ENG": "done very quickly without much attention to details" + }, + "forebode": { + "CHS": "预示;预感;预兆", + "ENG": "to warn of or indicate (an event, result, etc) in advance " + }, + "allot": { + "CHS": "(Allot)人名;(英)阿洛特;(西)阿略特;(法)阿洛" + }, + "serum": { + "CHS": "血清;浆液;免疫血清;乳清;树液", + "ENG": "a liquid containing substances that fight infection or poison, that is put into a sick person’s blood" + }, + "congenial": { + "CHS": "意气相投的;性格相似的;适意的;一致的", + "ENG": "suitable for something" + }, + "flame": { + "CHS": "焚烧;泛红", + "ENG": "to burn brightly" + }, + "minute": { + "CHS": "微小的,详细的 [maɪˈnjuːt; US -ˈnuːt; maɪˋnut]", + "ENG": "extremely small" + }, + "paralyze": { + "CHS": "使麻痹;使瘫痪" + }, + "protuberate": { + "CHS": "伸出的" + }, + "graph": { + "CHS": "用曲线图表示" + }, + "outdo": { + "CHS": "超过;胜过", + "ENG": "to be better or more successful than someone else at doing something" + }, + "dipper": { + "CHS": "长柄勺;浸染工;[鸟] 河鸟", + "ENG": "a small bird that finds its food in streams" + }, + "retroactive": { + "CHS": "追溯的;有追溯效力的;反动的", + "ENG": "a law or decision that is retroactive is effective from a particular date in the past" + }, + "defraud": { + "CHS": "欺骗", + "ENG": "to trick a person or organization in order to get money from them" + }, + "wintry": { + "CHS": "寒冷的,冬天的;冷淡的", + "ENG": "cold or typical of winter" + }, + "cupidity": { + "CHS": "贪心,贪婪", + "ENG": "very strong desire for something, especially money or property" + }, + "retrench": { + "CHS": "删除;减少;紧缩开支", + "ENG": "if a government or organization retrenches, it spends less money" + }, + "foreshadow": { + "CHS": "预兆" + }, + "antitoxin": { + "CHS": "抗毒素;抗毒素血清", + "ENG": "a medicine or substance produced by your body which stops the effects of a poison" + }, + "retaliate": { + "CHS": "报复;回敬", + "ENG": "to do something bad to someone because they have done something bad to you" + }, + "contentment": { + "CHS": "满足;满意", + "ENG": "the state of being happy and satisfied" + }, + "moderate": { + "CHS": "变缓和,变弱", + "ENG": "If you moderate something or if it moderates, it becomes less extreme or violent and easier to deal with or accept" + }, + "visceral": { + "CHS": "内脏的;出于本能的;发自肺腑的;粗俗的", + "ENG": "visceral beliefs and attitudes are the result of strong feelings rather than careful thought" + }, + "stolid": { + "CHS": "迟钝的;缺乏热情的;冷漠的" + }, + "electroscope": { + "CHS": "[电] 验电器", + "ENG": "an apparatus for detecting an electric charge, typically consisting of a rod holding two gold foils that separate when a charge is applied " + }, + "complaisance": { + "CHS": "殷勤;彬彬有礼;柔顺", + "ENG": "willingness to do what pleases other people" + }, + "genesis": { + "CHS": "发生;起源", + "ENG": "the beginning or origin of something" + }, + "exculpate": { + "CHS": "开脱;使无罪", + "ENG": "to prove that someone is not guilty of something" + }, + "clan": { + "CHS": "宗族;部落;集团", + "ENG": "a large group of families who often share the same name" + }, + "accomplice": { + "CHS": "同谋者,[法] 共犯", + "ENG": "a person who helps someone such as a criminal to do something wrong" + }, + "savage": { + "CHS": "乱咬;粗暴的对待", + "ENG": "if an animal such as a dog savages someone, it attacks them and injures them badly" + }, + "fortuitous": { + "CHS": "偶然的,意外的;幸运的", + "ENG": "happening by chance, especially in a way that has a good result" + }, + "frizzle": { + "CHS": "卷发;吱吱响声", + "ENG": "a tight crisp curl " + }, + "preservation": { + "CHS": "保存,保留", + "ENG": "when something is kept in its original state or in good condition" + }, + "tantamount": { + "CHS": "同等的;相当于…的", + "ENG": "If you say that one thing is tantamount to another, more serious thing, you are emphasizing how bad, unacceptable, or unfortunate the first thing is by comparing it to the second thing" + }, + "unawares": { + "CHS": "不知不觉地;出其不意地;不料", + "ENG": "without noticing" + }, + "photon": { + "CHS": "[物] 光子;辐射量子;见光度(等于light quantum)", + "ENG": "a unit of energy that carries light and has zero mass " + }, + "lascivious": { + "CHS": "好色的;淫荡的;挑动情欲的", + "ENG": "showing strong sexual desire, or making someone feel this way" + }, + "external": { + "CHS": "外部;外观;外面" + }, + "portray": { + "CHS": "描绘;扮演", + "ENG": "to describe or represent something or someone" + }, + "seminary": { + "CHS": "神学院;学校;发源地;高级中学", + "ENG": "a college for training priests or ministers" + }, + "minnow": { + "CHS": "[鱼] 鲦鱼(一种小淡水鱼)", + "ENG": "a very small fish that lives in rivers and lakes" + }, + "obsolescent": { + "CHS": "荒废的;即将过时的;逐渐被废弃的", + "ENG": "becoming obsolete" + }, + "academic": { + "CHS": "大学生,大学教师;学者", + "ENG": "a teacher in a college or university" + }, + "incorporate": { + "CHS": "合并的;一体化的;组成公司的" + }, + "refer": { + "CHS": "参考;涉及;提到;查阅", + "ENG": "If you refer to a particular subject or person, you talk about them or mention them" + }, + "auxiliary": { + "CHS": "辅助的;副的;附加的", + "ENG": "auxiliary workers provide additional help for another group of workers" + }, + "rebuke": { + "CHS": "非难,指责;谴责,鞭策", + "ENG": "Rebuke is also a noun" + }, + "condense": { + "CHS": "浓缩;凝结", + "ENG": "if a gas condenses, or is condensed, it becomes a liquid" + }, + "buttress": { + "CHS": "支持;以扶壁支撑", + "ENG": "to support a system, idea, argument etc, especially by providing money" + }, + "microphone": { + "CHS": "扩音器,麦克风", + "ENG": "a piece of equipment that you speak into to record your voice or make it louder when you are speaking or performing in public" + }, + "contentious": { + "CHS": "诉讼的;有异议的,引起争论的;爱争论的", + "ENG": "causing a lot of argument and disagreement between people" + }, + "duplicate": { + "CHS": "复制的;二重的", + "ENG": "exactly the same as something, or made as an exact copy of something" + }, + "mansion": { + "CHS": "大厦;宅邸", + "ENG": "a very large house" + }, + "intoxicate": { + "CHS": "使陶醉;使喝醉;使中毒", + "ENG": "(of an alcoholic drink) to produce in (a person) a state ranging from euphoria to stupor, usually accompanied by loss of inhibitions and control; make drunk; inebriate " + }, + "insightful": { + "CHS": "有深刻见解的,富有洞察力的", + "ENG": "able to understand, or showing that you understand, what a situation or person is really like" + }, + "numerator": { + "CHS": "分子;计算者;计算器", + "ENG": "the number above the line in a fraction, for example 5 is the numerator in 5/6" + }, + "neutral": { + "CHS": "中立国;中立者;非彩色;齿轮的空档", + "ENG": "a country, person, or group that is not involved in an argument or disagreement" + }, + "gruesome": { + "CHS": "可怕的;阴森的", + "ENG": "very unpleasant or shocking, and involving someone being killed or badly injured" + }, + "ratification": { + "CHS": "批准;承认,认可", + "ENG": "The ratification of a treaty or written agreement is the process of ratifying it" + }, + "divers": { + "CHS": "(Divers)人名;(英)戴弗斯;(法)迪韦尔" + }, + "divert": { + "CHS": "(Divert)人名;(法)迪韦尔" + }, + "bygone": { + "CHS": "过去的事" + }, + "fawn": { + "CHS": "浅黄褐色的", + "ENG": "having a pale yellow-brown colour" + }, + "resumption": { + "CHS": "恢复;重新开始;取回;重获;恢复硬币支付", + "ENG": "the act of starting an activity again after stopping or being interrupted" + }, + "besmirch": { + "CHS": "弄污;损害;诽谤", + "ENG": "If you besmirch someone or their reputation, you say that they are a bad person or that they have done something wrong, usually when this is not true" + }, + "vex": { + "CHS": "使烦恼;使困惑;使恼怒", + "ENG": "to make someone feel annoyed or worried" + }, + "intermit": { + "CHS": "使中断", + "ENG": "to suspend (activity) or (of activity) to be suspended temporarily or at intervals " + }, + "trickery": { + "CHS": "欺骗;诡计;奸计", + "ENG": "the use of tricks to deceive or cheat people" + }, + "ostracize": { + "CHS": "放逐;排斥;按贝壳流放法放逐", + "ENG": "if a group of people ostracize someone, they refuse to accept them as a member of the group" + }, + "perceive": { + "CHS": "察觉,感觉;理解;认知", + "ENG": "to understand or think of something or someone in a particular way" + }, + "jargon": { + "CHS": "行话,术语;黄锆石", + "ENG": "words and expressions used in a particular profession or by a particular group of people, which are difficult for other people to understand – often used to show disapproval" + }, + "liquefy": { + "CHS": "液化;溶解", + "ENG": "to become liquid, or make something become liquid" + }, + "divest": { + "CHS": "剥夺;使脱去,迫使放弃", + "ENG": "If you divest yourself of something that you own or are responsible for, you get rid of it or stop being responsible for it" + }, + "detract": { + "CHS": "转移,使分心" + }, + "emphasis": { + "CHS": "重点;强调;加强语气", + "ENG": "special attention or importance" + }, + "liberate": { + "CHS": "解放;放出;释放", + "ENG": "to free prisoners, a city, a country etc from someone’s control" + }, + "subtlety": { + "CHS": "微妙;敏锐;精明", + "ENG": "the quality that something has when it has been done in a clever or skilful way, with careful attention to small details" + }, + "coherent": { + "CHS": "连贯的,一致的;明了的;清晰的;凝聚性的;互相耦合的;粘在一起的", + "ENG": "if a piece of writing, set of ideas etc is coherent, it is easy to understand because it is clear and reasonable" + }, + "materialist": { + "CHS": "唯物主义者;实利主义者" + }, + "juvenile": { + "CHS": "青少年;少年读物", + "ENG": "A juvenile is a child or young person who is not yet old enough to be regarded as an adult" + }, + "recoil": { + "CHS": "畏缩;弹回;反作用", + "ENG": "Recoil is also a noun" + }, + "ensure": { + "CHS": "保证,确保;使安全", + "ENG": "to make certain that something will happen properly" + }, + "waver": { + "CHS": "动摇;踌躇;挥动者" + }, + "cartridge": { + "CHS": "弹药筒,打印机的(墨盒);[摄] 暗盒;笔芯;一卷软片", + "ENG": "a small container or piece of equipment that you put inside something to make it work" + }, + "censure": { + "CHS": "责难", + "ENG": "the act of expressing strong disapproval and criticism" + }, + "revitalize": { + "CHS": "使…复活;使…复兴;使…恢复生气", + "ENG": "To revitalize something that has lost its activity or its health means to make it active or healthy again" + }, + "dullard": { + "CHS": "笨蛋;愚人", + "ENG": "someone who is stupid and has no imagination" + }, + "edible": { + "CHS": "食品;食物" + }, + "sonar": { + "CHS": "声纳;声波定位仪(等于asdic)", + "ENG": "equipment on a ship or submarine that uses sound waves to find out the position of objects under the water" + }, + "salubrious": { + "CHS": "清爽的;气候有益健康的" + }, + "utility": { + "CHS": "实用的;通用的;有多种用途的" + }, + "bass": { + "CHS": "低音的", + "ENG": "a bass instrument or voice produces low notes" + }, + "unduly": { + "CHS": "过度地;不适当地;不正当地", + "ENG": "more than is normal or reasonable" + }, + "base": { + "CHS": "以…作基础", + "ENG": "to have your main place of work, business etc in a particular place" + }, + "grisly": { + "CHS": "可怕的;厉害的;严重的" + }, + "rehabilitate": { + "CHS": "使康复;使恢复名誉;使恢复原状", + "ENG": "to make people think that someone or something is good again after a period when people had a bad opinion of them" + }, + "coincide": { + "CHS": "一致,符合;同时发生", + "ENG": "to happen at the same time as something else, especially by chance" + }, + "raucous": { + "CHS": "沙哑的;刺耳的;粗声的", + "ENG": "sounding unpleasantly loud" + }, + "predominate": { + "CHS": "支配,主宰;在…中占优势", + "ENG": "to have the most importance or influence, or to be most easily noticed" + }, + "bask": { + "CHS": "(Bask)人名;(芬)巴斯克" + }, + "coefficient": { + "CHS": "合作的;共同作用的" + }, + "hesitant": { + "CHS": "迟疑的;踌躇的;犹豫不定的", + "ENG": "uncertain about what to do or say because you are nervous or unwilling" + }, + "conviction": { + "CHS": "定罪;确信;证明有罪;确信,坚定的信仰", + "ENG": "a very strong belief or opinion" + }, + "precursor": { + "CHS": "先驱,前导", + "ENG": "something that happened or existed before something else and influenced its development" + }, + "qualify": { + "CHS": "限制;使具有资格;证明…合格", + "ENG": "to have the right to have or do something, or to give someone this right" + }, + "extenuate": { + "CHS": "减轻;低估;为…找借口;使人原谅", + "ENG": "to represent (an offence, a fault, etc) as being less serious than it appears, as by showing mitigating circumstances " + }, + "rustic": { + "CHS": "乡下人;乡巴佬", + "ENG": "someone from the country, especially a farm worker" + }, + "bounce": { + "CHS": "弹跳;使弹起", + "ENG": "if a ball or other object bounces, or you bounce it, it immediately moves up or away from a surface after hitting it" + }, + "bane": { + "CHS": "毒药;祸害;灭亡的原因" + }, + "overwork": { + "CHS": "过度工作", + "ENG": "too much hard work" + }, + "retrospective": { + "CHS": "回顾展", + "ENG": "a show of the work of an artist , actor, film-maker etc that includes examples of all the kinds of work they have done" + }, + "boatswain": { + "CHS": "水手长", + "ENG": "a petty officer on a merchant ship or a warrant officer on a warship who is responsible for the maintenance of the ship and its equipment " + }, + "empiricism": { + "CHS": "经验主义;经验论", + "ENG": "the belief in basing your ideas on practical experience" + }, + "terminal": { + "CHS": "末端的;终点的;晚期的", + "ENG": "a terminal illness cannot be cured, and causes death" + }, + "diversion": { + "CHS": "转移;消遣;分散注意力", + "ENG": "a change in the direction or use of something, or the act of changing it" + }, + "interlocutor": { + "CHS": "对话者;谈话者", + "ENG": "your interlocutor is the person you are speaking to" + }, + "specimen": { + "CHS": "样品,样本;标本", + "ENG": "a small amount or piece that is taken from something, so that it can be tested or examined" + }, + "mythology": { + "CHS": "神话;神话学;神话集", + "ENG": "set of ancient myths" + }, + "invasion": { + "CHS": "入侵,侵略;侵袭;侵犯", + "ENG": "when the army of one country enters another country by force, in order to take control of it" + }, + "squabble": { + "CHS": "争吵;口角", + "ENG": "Squabble is also a noun" + }, + "dissever": { + "CHS": "使分离;使分裂", + "ENG": "to break off or become broken off " + }, + "peccant": { + "CHS": "犯罪的;有过失的", + "ENG": "guilty of an offence; corrupt " + }, + "widespread": { + "CHS": "普遍的,广泛的;分布广的", + "ENG": "existing or happening in many places or situations, or among many people" + }, + "effuse": { + "CHS": "[植] 疏展的" + }, + "corrosion": { + "CHS": "腐蚀;腐蚀产生的物质;衰败", + "ENG": "the gradual destruction of metal by the effect of water, chemicals etc or a substance such as rust produced by this process" + }, + "derogate": { + "CHS": "减损;贬损" + }, + "vital": { + "CHS": "(Vital)人名;(法、德、意、俄、葡)维塔尔;(西)比塔尔" + }, + "mandatory": { + "CHS": "受托者(等于mandatary)" + }, + "cognizant": { + "CHS": "审理的;已认知的", + "ENG": "if someone is cognizant of something, they know about it and understand it" + }, + "allusion": { + "CHS": "暗示;提及", + "ENG": "something said or written that mentions a subject, person etc indirectly" + }, + "orbit": { + "CHS": "盘旋;绕轨道运行", + "ENG": "to travel in a curved path around a much larger object such as the Earth, the Sun etc" + }, + "furlough": { + "CHS": "准假;暂时解雇" + }, + "blatant": { + "CHS": "喧嚣的;公然的;炫耀的;俗丽的", + "ENG": "something bad that is blatant is very clear and easy to see, but the person responsible for it does not seem embarrassed or ashamed" + }, + "subjection": { + "CHS": "隶属;服从;征服", + "ENG": "when a person or a group of people are controlled by a government or by another person" + }, + "disorder": { + "CHS": "使失调;扰乱" + }, + "accustomed": { + "CHS": "使习惯于(accustom的过去分词)" + }, + "rebuff": { + "CHS": "断然拒绝", + "ENG": "If you rebuff someone or rebuff a suggestion that they make, you refuse to do what they suggest" + }, + "aerate": { + "CHS": "充气;让空气进入;使暴露于空气中", + "ENG": "to put a gas or air into a liquid or into soil" + }, + "deteriorate": { + "CHS": "恶化,变坏", + "ENG": "to become worse" + }, + "miasma": { + "CHS": "瘴气;臭气;不良影响", + "ENG": "dirty air or a thick unpleasant mist that smells bad" + }, + "bile": { + "CHS": "胆汁;愤怒", + "ENG": "a bitter green-brown liquid formed in the liver , which helps you to digest fats" + }, + "auricular": { + "CHS": "耳的;耳状的" + }, + "bilk": { + "CHS": "诈骗;骗子;赖帐" + }, + "evidence": { + "CHS": "证明", + "ENG": "to show that something exists or is true" + }, + "stimulus": { + "CHS": "刺激;激励;刺激物", + "ENG": "something that helps a process to develop more quickly or more strongly" + }, + "credo": { + "CHS": "信条,教义", + "ENG": "a formal statement of the beliefs of a particular person, group, religion etc" + }, + "blaze": { + "CHS": "火焰,烈火;光辉;情感爆发", + "ENG": "very bright light or colour" + }, + "embargo": { + "CHS": "禁令;禁止;封港令", + "ENG": "an official order to stop trade with another country" + }, + "algae": { + "CHS": "[植] 藻类;[植] 海藻", + "ENG": "a very simple plant without stems or leaves that grows in or near water" + }, + "vacate": { + "CHS": "空出,腾出;辞职;休假", + "ENG": "to leave a job or position so that it is available for someone else to do" + }, + "blight": { + "CHS": "破坏;使…枯萎" + }, + "gallant": { + "CHS": "(Gallant)人名;(法)加朗;(英)加伦特" + }, + "vocative": { + "CHS": "呼格", + "ENG": "a word or particular form of a word used to show that you are speaking or writing directly to someone" + }, + "homily": { + "CHS": "说教;训诫", + "ENG": "advice about how to behave that is often unwanted" + }, + "complementary": { + "CHS": "补足的,补充的", + "ENG": "complementary things go well together, although they are usually different" + }, + "predominant": { + "CHS": "主要的;卓越的;支配的;有力的;有影响的", + "ENG": "If something is predominant, it is more important or noticeable than anything else in a set of people or things" + }, + "derange": { + "CHS": "扰乱;使错乱;使发狂", + "ENG": "to disturb the order or arrangement of; throw into disorder; disarrange " + }, + "emphasize": { + "CHS": "强调,着重", + "ENG": "to say something in a strong way" + }, + "timorous": { + "CHS": "胆怯的;胆小的;羞怯的", + "ENG": "lacking confidence and easily frightened" + }, + "complaint": { + "CHS": "抱怨;诉苦;疾病;委屈", + "ENG": "a statement in which someone complains about something" + }, + "indistinct": { + "CHS": "模糊的,不清楚的;朦胧的;难以清楚辨认的", + "ENG": "an indistinct sound, image, or memory cannot be seen, heard, or remembered clearly" + }, + "impenitent": { + "CHS": "顽固的;不知悔改的", + "ENG": "not sorry or penitent; unrepentant " + }, + "law": { + "CHS": "控告;对…起诉" + }, + "coax": { + "CHS": "哄;哄诱;慢慢将…弄好", + "ENG": "to persuade someone to do something that they do not want to do by talking to them in a kind, gentle, and patient way" + }, + "precision": { + "CHS": "精密的,精确的", + "ENG": "made or done in a very exact way" + }, + "constant": { + "CHS": "[数] 常数;恒量", + "ENG": "a number or quantity that never changes" + }, + "witchcraft": { + "CHS": "巫术;魔法", + "ENG": "the use of magic powers, especially evil ones, to make things happen" + }, + "amiable": { + "CHS": "(Amiable)人名;(法)阿米亚布勒;(英)阿米娅布尔" + }, + "maverick": { + "CHS": "未打烙印的;行为不合常规的;特立独行的", + "ENG": "Maverick is also an adjective" + }, + "disrupt": { + "CHS": "分裂的,中断的;分散的" + }, + "foible": { + "CHS": "弱点;小缺点;癖好", + "ENG": "a small weakness or strange habit that someone has, which does not harm anyone else" + }, + "pseudonym": { + "CHS": "笔名;假名", + "ENG": "an invented name that a writer, artist etc uses instead of their real name" + }, + "acid": { + "CHS": "酸的;讽刺的;刻薄的", + "ENG": "having a sharp sour taste" + }, + "source": { + "CHS": "来源;水源;原始资料", + "ENG": "a thing, place, activity etc that you get something from" + }, + "retrieve": { + "CHS": "[计] 检索;恢复,取回" + }, + "obligate": { + "CHS": "有责任的,有义务的;必需的" + }, + "botanize": { + "CHS": "研究并采集植物" + }, + "knighthood": { + "CHS": "骑士;骑士身份", + "ENG": "A knighthood is a title that is given to a man by a British king or queen for his achievements or his service to his country" + }, + "vitamin": { + "CHS": "[生化] 维生素;[生化] 维他命", + "ENG": "a chemical substance in food that is necessary for good health" + }, + "meager": { + "CHS": "兆" + }, + "thermal": { + "CHS": "上升的热气流", + "ENG": "a rising current of warm air used by birds" + }, + "plaudit": { + "CHS": "喝彩;赞美" + }, + "shrubbery": { + "CHS": "灌木;[林] 灌木林", + "ENG": "shrubs planted close together" + }, + "deliberate": { + "CHS": "仔细考虑;商议", + "ENG": "to think about something very carefully" + }, + "habitable": { + "CHS": "可居住的;适于居住的", + "ENG": "good enough for people to live in" + }, + "brotherhood": { + "CHS": "兄弟关系;手足情谊;四海之内皆兄弟的信念", + "ENG": "a feeling of friendship between people" + }, + "acne": { + "CHS": "[皮肤] 痤疮,[皮肤] 粉刺", + "ENG": "a medical problem which causes a lot of red spots on your face and neck and mainly affects young people" + }, + "cue": { + "CHS": "给…暗示", + "ENG": "to give someone a sign that it is the right moment for them to speak or do something, especially during a performance" + }, + "convey": { + "CHS": "传达;运输;让与", + "ENG": "to communicate or express something, with or without using words" + }, + "troubadour": { + "CHS": "行吟诗人;民谣歌手", + "ENG": "a type of singer and poet who travelled around the palaces and castles of Southern Europe in the 12th and 13th cen-turies" + }, + "undersize": { + "CHS": "尺寸不足" + }, + "rotation": { + "CHS": "旋转;循环,轮流", + "ENG": "when something turns with a circular movement around a central point" + }, + "audacious": { + "CHS": "无畏的;鲁莽的" + }, + "redound": { + "CHS": "有助于;报偿,报应;被转移", + "ENG": "If an action or situation redounds to your benefit or advantage, it gives people a good impression of you or brings you something that can improve your situation" + }, + "intolerable": { + "CHS": "无法忍受的;难耐的", + "ENG": "too difficult, bad, annoying etc for you to accept or deal with" + }, + "dispel": { + "CHS": "驱散,驱逐;消除(烦恼等)", + "ENG": "to make something go away, especially a belief, idea, or feeling" + }, + "wile": { + "CHS": "诡计,阴谋", + "ENG": "trickery, cunning, or craftiness " + }, + "maudlin": { + "CHS": "伤感;易流泪" + }, + "reproof": { + "CHS": "责备;谴责", + "ENG": "blame or disapproval" + }, + "luminary": { + "CHS": "发光体;杰出人物;知识渊博的人", + "ENG": "someone who is very famous or highly respected for their skill at doing something or their knowledge of a particular subject" + }, + "numerous": { + "CHS": "许多的,很多的", + "ENG": "many" + }, + "privacy": { + "CHS": "隐私;秘密;隐居;隐居处", + "ENG": "the state of being free from public attention" + }, + "secretive": { + "CHS": "秘密的;偷偷摸摸的;促进分泌的" + }, + "antenna": { + "CHS": "[电讯] 天线;[动] 触角,[昆] 触须", + "ENG": "one of two long thin parts on an insect’s head, that it uses to feel things" + }, + "reconsider": { + "CHS": "重新考虑;重新审议", + "ENG": "to think again about something in order to decide if you should change your opinion or do something different" + }, + "wily": { + "CHS": "(Wily)人名;(英)威利" + }, + "compliant": { + "CHS": "顺从的;服从的;应允的", + "ENG": "willing to obey or to agree to other people’s wishes and demands" + }, + "forbearance": { + "CHS": "自制,忍耐;宽容", + "ENG": "the quality of being patient, able to control your emotions, and willing to forgive someone who has upset you" + }, + "dehydration": { + "CHS": "脱水" + }, + "gypsy": { + "CHS": "流浪" + }, + "incident": { + "CHS": "[光] 入射的;附带的;易发生的,伴随而来的" + }, + "virtual": { + "CHS": "[计] 虚拟的;实质上的,事实上的(但未在名义上或正式获承认)", + "ENG": "made, done, seen etc on the Internet or on a computer, rather than in the real world" + }, + "foresight": { + "CHS": "先见,远见;预见;深谋远虑", + "ENG": "the ability to imagine what is likely to happen and to consider this when planning for the future" + }, + "debacle": { + "CHS": "崩溃;灾害;解冻", + "ENG": "an event or situation that is a complete failure" + }, + "entangle": { + "CHS": "使纠缠;卷入;使混乱", + "ENG": "to involve someone in an argument, a relationship, or a situation that is difficult to escape from" + }, + "playful": { + "CHS": "开玩笑的;幽默的;爱嬉戏的", + "ENG": "very active, happy, and wanting to have fun" + }, + "lecherous": { + "CHS": "好色的;淫荡的;引起淫欲的", + "ENG": "a lecherous man shows his sexual desire for women in a way that is unpleasant or annoying" + }, + "beatitude": { + "CHS": "祝福;至福", + "ENG": "supreme blessedness or happiness " + }, + "preceding": { + "CHS": "在之前(precede的ing形式)" + }, + "quip": { + "CHS": "嘲弄;讥讽" + }, + "dexterity": { + "CHS": "灵巧;敏捷;机敏", + "ENG": "skill and speed in doing something with your hands" + }, + "susceptible": { + "CHS": "易得病的人" + }, + "predatory": { + "CHS": "掠夺的,掠夺成性的;食肉的;捕食生物的", + "ENG": "a predatory animal kills and eats other animals for food" + }, + "excavate": { + "CHS": "挖掘;开凿", + "ENG": "if a scientist or archaeologist excavates an area of land, they dig carefully to find ancient objects, bones etc" + }, + "symbolize": { + "CHS": "象征;用符号表现", + "ENG": "if something symbolizes a quality, feeling etc, it represents it" + }, + "perplexing": { + "CHS": "复杂的,令人费解的;令人困惑的", + "ENG": "If you find something perplexing, you do not understand it or do not know how to deal with it" + }, + "depot": { + "CHS": "药性持久的" + }, + "macabre": { + "CHS": "可怕的;以死亡为主题的;令人毛骨悚然的(等于macaber)", + "ENG": "very strange and unpleasant and connected with death or with people being seriously hurt" + }, + "probability": { + "CHS": "可能性;机率;[数] 或然率", + "ENG": "how likely something is, sometimes calculated in a mathematical way" + }, + "introvert": { + "CHS": "内向的人;内翻的东西", + "ENG": "someone who is quiet and shy, and does not enjoy being with other people" + }, + "ardor": { + "CHS": "热情;狂热;灼热" + }, + "primitive": { + "CHS": "原始人", + "ENG": "an artist who paints simple pictures like those of a child" + }, + "baffle": { + "CHS": "挡板;困惑" + }, + "fertile": { + "CHS": "富饶的,肥沃的;能生育的", + "ENG": "fertile land or soil is able to produce good crops" + }, + "portion": { + "CHS": "分配;给…嫁妆" + }, + "reactionary": { + "CHS": "反动分子;反动派;保守派", + "ENG": "someone who strongly opposes any social or political change - used to show disapproval" + }, + "diversity": { + "CHS": "多样性;差异", + "ENG": "the fact of including many different types of people or things" + }, + "hone": { + "CHS": "用磨刀石磨", + "ENG": "to make knives, swords etc sharp" + }, + "unfavorable": { + "CHS": "不宜的;令人不快的;不顺利的" + }, + "vendor": { + "CHS": "卖主;小贩;供应商;[贸易] 自动售货机", + "ENG": "someone who sells things, especially on the street" + }, + "acme": { + "CHS": "顶点,极点;最高点", + "ENG": "the best and highest level of something" + }, + "yummy": { + "CHS": "美味的东西;令人喜爱的东西" + }, + "amenity": { + "CHS": "舒适;礼仪;愉快;便利设施", + "ENG": "something that makes a place comfortable or easy to live in" + }, + "populous": { + "CHS": "人口稠密的;人口多的", + "ENG": "a populous area has a large population in relation to its size" + }, + "verisimilar": { + "CHS": "好像是真的" + }, + "workmanship": { + "CHS": "手艺,工艺;技巧", + "ENG": "skill in making things, especially in a way that makes them look good" + }, + "frequent": { + "CHS": "常到,常去;时常出入于", + "ENG": "to go to a particular place often" + }, + "anomaly": { + "CHS": "异常;不规则;反常事物", + "ENG": "something that is noticeable because it is different from what is usual" + }, + "extraordinary": { + "CHS": "非凡的;特别的;离奇的;临时的;特派的", + "ENG": "very much greater or more impressive than usual" + }, + "secede": { + "CHS": "脱离;退出", + "ENG": "if a country or state secedes from another country, it officially stops being part of it and becomes independent" + }, + "outcry": { + "CHS": "强烈抗议;大声疾呼;尖叫;倒彩", + "ENG": "an angry protest by a lot of ordinary people" + }, + "gainsay": { + "CHS": "否认;反对" + }, + "magnification": { + "CHS": "放大;放大率;放大的复制品", + "ENG": "the process of making something look bigger than it is" + }, + "littoral": { + "CHS": "沿海地区(等于litora)", + "ENG": "an area near the coast" + }, + "omission": { + "CHS": "疏忽,遗漏;省略;冗长", + "ENG": "when you do not include or do not do something" + }, + "inflammatory": { + "CHS": "炎症性的;煽动性的;激动的", + "ENG": "an inflammatory speech, piece of writing etc is likely to make people feel angry" + }, + "auricle": { + "CHS": "耳廓;外耳;心耳", + "ENG": "a small sac in the atrium of the heart " + }, + "devour": { + "CHS": "吞食;毁灭", + "ENG": "to destroy someone or something" + }, + "asexual": { + "CHS": "[生物] 无性的;无性生殖的", + "ENG": "not having sexual organs or not involving sex" + }, + "recalcitrant": { + "CHS": "顽抗者;不服从的人" + }, + "debunk": { + "CHS": "揭穿;拆穿…的假面具;暴露" + }, + "carnivorous": { + "CHS": "食肉的;肉食性的", + "ENG": "Carnivorous animals eat meat" + }, + "embroil": { + "CHS": "使卷入;使混乱", + "ENG": "to involve someone or something in a difficult situation" + }, + "narrative": { + "CHS": "叙事的,叙述的;叙事体的" + }, + "segment": { + "CHS": "段;部分", + "ENG": "a part of something that is different from or affected differently from the whole in some way" + }, + "variation": { + "CHS": "变化;[生物] 变异,变种", + "ENG": "a difference between similar things, or a change from the usual amount or form of something" + }, + "defect": { + "CHS": "变节;叛变", + "ENG": "to leave your own country or group in order to go to or join an opposing one" + }, + "aforesaid": { + "CHS": "前述的,上述的" + }, + "exert": { + "CHS": "运用,发挥;施以影响", + "ENG": "to use your power, influence etc in order to make something happen" + }, + "revoke": { + "CHS": "有牌不跟" + }, + "ambivalent": { + "CHS": "矛盾的;好恶相克的", + "ENG": "not sure whether you want or like something or not" + }, + "vocation": { + "CHS": "职业;天职;天命;神召", + "ENG": "a strong belief that you have been chosen by God to be a priest or a nun" + }, + "peerless": { + "CHS": "无与伦比的;出类拔萃的;无比的", + "ENG": "better than any other" + }, + "preferable": { + "CHS": "更好的,更可取的;更合意的", + "ENG": "better or more suitable" + }, + "presumption": { + "CHS": "放肆,傲慢;推测", + "ENG": "something that you think is true because it is very likely" + }, + "census": { + "CHS": "人口普查,人口调查", + "ENG": "an official process of counting a country’s population and finding out about the people" + }, + "minus": { + "CHS": "减的;负的", + "ENG": "used to talk about a disadvantage of a thing or situation" + }, + "tirade": { + "CHS": "激烈的长篇演说" + }, + "labyrinth": { + "CHS": "迷宫;[解剖] 迷路;难解的事物", + "ENG": "a large network of paths or passages which cross each other, making it very difficult to find your way" + }, + "circumnavigate": { + "CHS": "环航", + "ENG": "to sail, fly, or travel completely around the Earth, an island etc" + }, + "empower": { + "CHS": "授权,允许;使能够", + "ENG": "to give a person or organization the legal right to do something" + }, + "depth": { + "CHS": "[海洋] 深度;深奥", + "ENG": "the part that is furthest away from people, and most difficult to reach" + }, + "condemn": { + "CHS": "谴责;判刑,定罪;声讨", + "ENG": "to say very strongly that you do not approve of something or someone, especially because you think it is morally wrong" + }, + "fainthearted": { + "CHS": "懦弱的,胆小的;无精神的" + }, + "panic": { + "CHS": "使恐慌", + "ENG": "to suddenly feel so frightened that you cannot think clearly or behave sensibly, or to make someone do this" + }, + "synthesize": { + "CHS": "合成;综合", + "ENG": "to make something by combining different things or substances" + }, + "intricate": { + "CHS": "复杂的;错综的,缠结的", + "ENG": "containing many small parts or details that all work or fit together" + }, + "remnant": { + "CHS": "剩余的" + }, + "acerbic": { + "CHS": "尖刻的(等于acerb);酸的;辛辣的", + "ENG": "criticizing someone or something in a clever but cruel way" + }, + "aeronautics": { + "CHS": "航空学;飞行术", + "ENG": "the science of designing and flying planes" + }, + "laconic": { + "CHS": "简洁的,简明的", + "ENG": "using only a few words to say something" + }, + "misbehavior": { + "CHS": "品行不端;不礼貌(等于misbehaviour)" + }, + "randomly": { + "CHS": "随便地,任意地;无目的地,胡乱地;未加计划地" + }, + "ultimatum": { + "CHS": "最后通牒;最后结论;基本原理", + "ENG": "a threat saying that if someone does not do what you want by a particular time, you will do something to punish them" + }, + "reassure": { + "CHS": "使…安心,使消除疑虑", + "ENG": "to make someone feel calmer and less worried or frightened about a problem or situation" + }, + "lackadaisical": { + "CHS": "懒洋洋的;无精打采的;伤感的", + "ENG": "not showing enough interest in something or not putting enough effort into it" + }, + "anterior": { + "CHS": "前面的;先前的", + "ENG": "at or towards the front" + }, + "affray": { + "CHS": "滋事;骚乱;争论" + }, + "erode": { + "CHS": "腐蚀,侵蚀", + "ENG": "if the weather erodes rock or soil, or if rock or soil erodes, its surface is gradually destroyed" + }, + "potion": { + "CHS": "一剂;一服;饮剂", + "ENG": "a drink intended to have a special or magical effect on the person who drinks it, or which is intended to poison them" + }, + "sedentary": { + "CHS": "久坐的;坐惯的;定栖的;静坐的", + "ENG": "spending a lot of time sitting down, and not moving or exercising very much" + }, + "animadversion": { + "CHS": "批评;非难;评语", + "ENG": "criticism or censure " + }, + "misinterpret": { + "CHS": "曲解,误解", + "ENG": "to not understand the correct meaning of something that someone says or does, or of facts that you are considering" + }, + "alto": { + "CHS": "中音部的", + "ENG": "an alto instrument or voice produces notes at the second highest level, below a soprano " + }, + "leaflet": { + "CHS": "小叶;传单", + "ENG": "a small book or piece of paper advertising something or giving information on a particular subject" + }, + "interpose": { + "CHS": "提出(异议等);使插入;使干涉", + "ENG": "to put yourself or something else between two other things" + }, + "anemometer": { + "CHS": "风力计,[气象] 风速计", + "ENG": "an instrument for recording the speed and often the direction of winds " + }, + "munificent": { + "CHS": "慷慨的;丰厚的;宽宏的", + "ENG": "very generous" + }, + "vocabulary": { + "CHS": "词汇;词表;词汇量", + "ENG": "all the words that someone knows or uses" + }, + "bawl": { + "CHS": "叫骂声" + }, + "demographic": { + "CHS": "人口统计学的;人口学的" + }, + "blazon": { + "CHS": "纹章;描绘", + "ENG": "a conventional description or depiction of heraldic arms " + }, + "laggard": { + "CHS": "落后者;迟钝者", + "ENG": "someone or something that is very slow or late" + }, + "excoriate": { + "CHS": "严厉的责难;擦破的皮肤", + "ENG": "To excoriate a person or organization means to criticize them severely, usually in public" + }, + "convenient": { + "CHS": "方便的;[废语]适当的;[口语]近便的;实用的", + "ENG": "useful to you because it saves you time, or does not spoil your plans or cause you problems" + }, + "genial": { + "CHS": "亲切的,友好的;和蔼的;适宜的", + "ENG": "friendly and happy" + }, + "subterfuge": { + "CHS": "托词;借口;诡计", + "ENG": "a secret trick or slightly dishonest way of doing something, or the use of this" + }, + "meditate": { + "CHS": "考虑;计划;企图", + "ENG": "to plan to do something, usually something unpleasant" + }, + "characteristic": { + "CHS": "特征;特性;特色", + "ENG": "a quality or feature of something or someone that is typical of them and easy to recognize" + }, + "bungle": { + "CHS": "粗劣;失败;笨拙" + }, + "aspire": { + "CHS": "渴望;立志;追求", + "ENG": "to desire and work towards achieving something important" + }, + "drudgery": { + "CHS": "苦工,苦差事", + "ENG": "hard boring work" + }, + "photosynthesis": { + "CHS": "光合作用", + "ENG": "the production by a green plant of special substances like sugar that it uses as food, caused by the action of sunlight on chlorophyll (= the green substance in leaves ) " + }, + "disclaim": { + "CHS": "否认,拒绝;放弃,弃权;拒绝承认", + "ENG": "to state, especially officially, that you are not responsible for something, that you do not know about it, or that you are not involved with it" + }, + "insulator": { + "CHS": "[物] 绝缘体;从事绝缘工作的工人" + }, + "inevitable": { + "CHS": "必然的,不可避免的", + "ENG": "certain to happen and impossible to avoid" + }, + "enrapture": { + "CHS": "使狂喜;使著迷", + "ENG": "If something or someone enraptures you, you think they are wonderful or fascinating" + }, + "baldness": { + "CHS": "光秃;率直;枯燥" + }, + "equipment": { + "CHS": "设备,装备;器材", + "ENG": "the tools, machines etc that you need to do a particular job or activity" + }, + "abject": { + "CHS": "卑鄙的;可怜的;不幸的;(境况)凄惨的,绝望的" + }, + "dissension": { + "CHS": "纠纷;意见不合;争吵;倾轧", + "ENG": "disagreement among a group of people" + }, + "validate": { + "CHS": "证实,验证;确认;使生效", + "ENG": "to prove that something is true or correct, or to make a document or agreement officially and legally acceptable" + }, + "utopian": { + "CHS": "空想家;乌托邦的居民" + }, + "vertigo": { + "CHS": "晕头转向,[临床] 眩晕", + "ENG": "a feeling of sickness and dizziness caused by looking down from a high place" + }, + "recruit": { + "CHS": "补充;聘用;征募;使…恢复健康" + }, + "sear": { + "CHS": "烙印;烧焦痕迹", + "ENG": "a mark caused by searing " + }, + "beset": { + "CHS": "困扰;镶嵌;围绕", + "ENG": "to make someone experience serious problems or dangers" + }, + "battalion": { + "CHS": "营,军营;军队,部队", + "ENG": "a large group of soldiers consisting of several companies ( company )" + }, + "torpor": { + "CHS": "不活泼;麻木;懒散,迟缓", + "ENG": "Torpor is the state of being completely inactive mentally or physically, for example, because of illness or laziness" + }, + "rigorous": { + "CHS": "严格的,严厉的;严密的;严酷的", + "ENG": "careful, thorough, and exact" + }, + "stupendous": { + "CHS": "惊人的;巨大的", + "ENG": "surprisingly large or impressive" + }, + "commission": { + "CHS": "委任;使服役;委托制作", + "ENG": "to formally ask someone to write an official report, produce a work of art for you etc" + }, + "bureau": { + "CHS": "局,处;衣柜;办公桌", + "ENG": "a government department or a part of a government department in the US" + }, + "barring": { + "CHS": "(Barring)人名;(德)巴林" + }, + "fickle": { + "CHS": "浮躁的;易变的;变幻无常的", + "ENG": "someone who is fickle is always changing their mind about people or things that they like, so that you cannot depend on them – used to show disapproval" + }, + "gnash": { + "CHS": "咬" + }, + "ignoble": { + "CHS": "不光彩的;卑鄙的;卑贱的", + "ENG": "ignoble thoughts, feelings, or actions are ones that you should feel ashamed or embarrassed about" + }, + "static": { + "CHS": "静电;静电干扰", + "ENG": "noise caused by electricity in the air that blocks or spoils the sound from radio or TV" + }, + "vexation": { + "CHS": "苦恼;恼怒;令人烦恼的事", + "ENG": "when you feel worried or annoyed by something" + }, + "insensate": { + "CHS": "无感觉的;无情的;无生命的", + "ENG": "not able to feel things" + }, + "hamper": { + "CHS": "食盒,食篮;阻碍物" + }, + "narcissism": { + "CHS": "[心理] 自恋,自我陶醉", + "ENG": "when someone is too concerned about their appearance or abilities or spends too much time admiring them – used to show disapproval" + }, + "conscious": { + "CHS": "意识到的;故意的;神志清醒的", + "ENG": "noticing or realizing something" + }, + "aloof": { + "CHS": "远离;避开地" + }, + "antecede": { + "CHS": "在之前;胜过;居前", + "ENG": "to go before, as in time, order, etc; precede " + }, + "exaggerate": { + "CHS": "使扩大;使增大", + "ENG": "If you exaggerate, you indicate that something is, for example, worse or more important than it really is" + }, + "graphic": { + "CHS": "形象的;图表的;绘画似的", + "ENG": "connected with or including drawing, printing, or designing" + }, + "expatriate": { + "CHS": "移居国外的;被流放的", + "ENG": "Expatriate is also an adjective" + }, + "daunt": { + "CHS": "(Daunt)人名;(英)当特" + }, + "adorn": { + "CHS": "(Adorn)人名;(泰)阿隆" + }, + "subdivide": { + "CHS": "细分,再分", + "ENG": "to divide into smaller parts something that is already divided" + }, + "resurgent": { + "CHS": "复活者" + }, + "apposite": { + "CHS": "适当的;贴切的", + "ENG": "suitable to what is happening or being discussed" + }, + "remission": { + "CHS": "缓解;宽恕;豁免", + "ENG": "a period when a serious illness improves for a time" + }, + "serviceable": { + "CHS": "有用的,可供使用的;耐用的", + "ENG": "ready or able to be used" + }, + "lengthy": { + "CHS": "漫长的,冗长的;啰唆的", + "ENG": "continuing for a long time, often too long" + }, + "kismet": { + "CHS": "天命;命运", + "ENG": "the things that will happen to you in your life" + }, + "immutable": { + "CHS": "不变的;不可变的;不能变的", + "ENG": "never changing or impossible to change" + }, + "pedestal": { + "CHS": "搁在台上;支持;加座" + }, + "unsavoury": { + "CHS": "难吃的;令人讨厌的", + "ENG": "unpleasant or morally unacceptable" + }, + "proficient": { + "CHS": "精通;专家,能手" + }, + "license": { + "CHS": "许可;特许;发许可证给", + "ENG": "to give official permission for someone to do or produce something, or for an activity to take place" + }, + "communicative": { + "CHS": "交际的;爱说话的,健谈的;无隐讳交谈的", + "ENG": "able to talk easily to other people" + }, + "landlord": { + "CHS": "房东,老板;地主", + "ENG": "a man who rents a room, building, or piece of land to someone" + }, + "diffusion": { + "CHS": "扩散,传播;[光] 漫射" + }, + "lifetime": { + "CHS": "一生的;终身的" + }, + "autumnal": { + "CHS": "秋天的;已过中年的", + "ENG": "relating to or typical of autumn" + }, + "plaintiff": { + "CHS": "原告", + "ENG": "someone who brings a legal action against another person in a court of law" + }, + "seed": { + "CHS": "播种;结实;成熟;去…籽", + "ENG": "to remove seeds from fruit or vegetables" + }, + "litigious": { + "CHS": "好诉讼的;好争论的", + "ENG": "very willing to take disagreements to a court of law – often used to show disapproval" + }, + "oxide": { + "CHS": "[化学] 氧化物", + "ENG": "a substance which is produced when a substance is combined with oxygen" + }, + "prevaricate": { + "CHS": "搪塞;支吾其辞,闪烁其辞", + "ENG": "to try to hide the truth by not answering questions directly" + }, + "original": { + "CHS": "原始的;最初的;独创的;新颖的", + "ENG": "existing or happening first, before other people or things" + }, + "periodicity": { + "CHS": "[数] 周期性;频率;定期性" + }, + "suppress": { + "CHS": "抑制;镇压;废止", + "ENG": "to stop people from opposing the government, especially by using force" + }, + "orifice": { + "CHS": "[机] 孔口", + "ENG": "one of the holes in your body, such as your mouth, nose etc" + }, + "auditory": { + "CHS": "听觉的;耳朵的", + "ENG": "relating to the ability to hear" + }, + "implicate": { + "CHS": "使卷入;涉及;暗指;影响" + }, + "progeny": { + "CHS": "子孙;后裔;成果", + "ENG": "the babies of animals or plants" + }, + "synonym": { + "CHS": "同义词;同义字", + "ENG": "a word with the same meaning as another word in the same language" + }, + "doctrinaire": { + "CHS": "教条主义者;空论家,纯理论家" + }, + "coy": { + "CHS": "(Coy)人名;(法)库瓦;(英、德、西)科伊" + }, + "discretion": { + "CHS": "自由裁量权;谨慎;判断力;判定;考虑周到", + "ENG": "the ability to deal with situations in a way that does not offend, upset, or embarrass people or tell any of their secrets" + }, + "somnolent": { + "CHS": "催眠的,想睡的", + "ENG": "almost starting to sleep" + }, + "rapprochement": { + "CHS": "友好;恢复邦交;友善关系的建立", + "ENG": "the establishment of a good relationship between two countries or groups of people, after a period of unfriendly relations" + }, + "compunction": { + "CHS": "悔恨,后悔;内疚", + "ENG": "a feeling that you should not do something because it is bad or wrong" + }, + "acquiesce": { + "CHS": "默许;勉强同意", + "ENG": "to do what someone else wants, or allow something to happen, even though you do not really agree with it" + }, + "scrupulous": { + "CHS": "细心的;小心谨慎的;一丝不苟的", + "ENG": "doing something very carefully so that nothing is left out" + }, + "resilient": { + "CHS": "弹回的,有弹力的", + "ENG": "able to become strong, happy, or successful again after a difficult situation or event" + }, + "vibration": { + "CHS": "振动;犹豫;心灵感应" + }, + "replica": { + "CHS": "复制品,复制物", + "ENG": "an exact copy of something, especially a building, a gun, or a work of art" + }, + "devious": { + "CHS": "偏僻的;弯曲的;不光明正大的", + "ENG": "not going in the most direct way to get to a place" + }, + "cacophonous": { + "CHS": "粗腔横调的;发音不和谐的" + }, + "dauntless": { + "CHS": "无畏的;勇敢的;不屈不挠的", + "ENG": "confident and not easily frightened" + }, + "prudent": { + "CHS": "(Prudent)人名;(法)普吕当" + }, + "cylinder": { + "CHS": "圆筒;汽缸;[数] 柱面;圆柱状物", + "ENG": "a shape, object, or container with circular ends and long straight sides" + }, + "beneficent": { + "CHS": "慈善的;善行的", + "ENG": "helping people, or resulting in something good" + }, + "vehement": { + "CHS": "激烈的,猛烈的;热烈的", + "ENG": "showing very strong feelings or opinions" + }, + "period": { + "CHS": "某一时代的" + }, + "scribe": { + "CHS": "写下,记下;用划线器划" + }, + "thesis": { + "CHS": "论文;论点", + "ENG": "a long piece of writing about a particular subject that you do as part of an advanced university degree such as an MA or a PhD" + }, + "ambrosial": { + "CHS": "特别美味的;芬香的" + }, + "prankster": { + "CHS": "爱开玩笑的人;顽皮的人;恶作剧的人", + "ENG": "someone who plays tricks on people to make them look silly" + }, + "sound": { + "CHS": "彻底地,充分地" + }, + "crest": { + "CHS": "到达绝顶;形成浪峰", + "ENG": "to reach the top of a hill or mountain" + }, + "simile": { + "CHS": "明喻;直喻", + "ENG": "an expression that describes something by comparing it with something else, using the words ‘as’ or ‘like’, for example ‘as white as snow’" + }, + "neutron": { + "CHS": "[核] 中子", + "ENG": "a part of an atom that has no electrical charge" + }, + "abomination": { + "CHS": "厌恶;憎恨;令人厌恶的事物", + "ENG": "someone or something that is extremely offensive or unacceptable" + }, + "christen": { + "CHS": "(Christen)人名;(法、德、西、丹、挪)克里斯滕;(英)克里森" + }, + "exorbitant": { + "CHS": "(要价等)过高的;(性格等)过分的;不在法律范围之内的", + "ENG": "an exorbitant price, amount of money etc is much higher than it should be" + }, + "acreage": { + "CHS": "面积,英亩数", + "ENG": "the area of a piece of land measured in acres" + }, + "hurricane": { + "CHS": "飓风,暴风", + "ENG": "a storm that has very strong fast winds and that moves over water" + }, + "hirsute": { + "CHS": "多毛的;[昆] 有粗毛的", + "ENG": "having a lot of hair on your body and face" + }, + "arrant": { + "CHS": "极恶的;声名狼藉的;彻头彻尾的", + "ENG": "used to emphasize how bad something is" + }, + "glycerol": { + "CHS": "[有化] 甘油;丙三醇" + }, + "clairvoyance": { + "CHS": "千里眼;异常的洞察力", + "ENG": "the alleged power of perceiving things beyond the natural range of the senses " + }, + "telepathy": { + "CHS": "心灵感应;传心术", + "ENG": "a way of communicating in which thoughts are sent from one person’s mind to another person’s mind" + }, + "inspire": { + "CHS": "激发;鼓舞;启示;产生;使生灵感", + "ENG": "to encourage someone by making them feel confident and eager to do something" + }, + "censor": { + "CHS": "检查员;[心理] 潜意识压抑力;信件检查员", + "ENG": "someone whose job is to examine books, films, letters etc and remove anything considered to be offensive, morally harmful, or politically dangerous" + }, + "profile": { + "CHS": "描…的轮廓;扼要描述" + }, + "reactor": { + "CHS": "[化工] 反应器;[核] 反应堆;起反应的人", + "ENG": "a nuclear reactor " + }, + "contrition": { + "CHS": "痛悔;悔悟", + "ENG": "deeply felt remorse; penitence " + }, + "unilateral": { + "CHS": "单边的;[植] 单侧的;单方面的;单边音;(父母)单系的", + "ENG": "a unilateral action or decision is done by only one of the groups involved in a situation" + }, + "vernal": { + "CHS": "春天的;和煦的;青春的", + "ENG": "relating to the spring" + }, + "condensation": { + "CHS": "冷凝;凝结;压缩;缩合聚合", + "ENG": "small drops of water that are formed when steam or warm air touches a cold surface" + }, + "callow": { + "CHS": "(Callow)人名;(英)卡洛" + }, + "fluent": { + "CHS": "流畅的,流利的;液态的;畅流的", + "ENG": "able to speak a language very well" + }, + "cabinet": { + "CHS": "内阁的;私下的,秘密的" + }, + "approval": { + "CHS": "批准;认可;赞成", + "ENG": "when a plan, decision, or person is officially accepted" + }, + "avocation": { + "CHS": "副业;业余爱好;嗜好", + "ENG": "Your avocation is a job or activity that you do because you are interested in it, rather than to earn your living" + }, + "precession": { + "CHS": "岁差(等于precession of the equinoxes);先行;优先" + }, + "coincidence": { + "CHS": "巧合;一致;同时发生", + "ENG": "when two things happen at the same time, in the same place, or to the same people in a way that seems surprising or unusual" + }, + "arboreal": { + "CHS": "树木的;栖息在树上的", + "ENG": "relating to trees, or living in trees" + }, + "exploit": { + "CHS": "勋绩;功绩" + }, + "unit": { + "CHS": "单位,单元;装置;[军] 部队;部件", + "ENG": "an amount of something used as a standard of measurement" + }, + "misadventure": { + "CHS": "灾难;不幸遭遇", + "ENG": "bad luck or an accident" + }, + "nationality": { + "CHS": "国籍,国家;民族;部落", + "ENG": "the state of being legally a citizen of a particular country" + }, + "valedictory": { + "CHS": "告别辞", + "ENG": "a speech or statement in which you say goodbye when you are leaving a school, job etc, especially on a formal occasion" + }, + "usage": { + "CHS": "使用;用法;惯例", + "ENG": "the way that words are used in a language" + }, + "cleanliness": { + "CHS": "清洁", + "ENG": "the practice of keeping yourself or the things around you clean" + }, + "gossamer": { + "CHS": "轻飘飘的;薄弱的", + "ENG": "You use gossamer to indicate that something is very light, thin, or delicate" + }, + "purgatory": { + "CHS": "涤罪的(等于purgative)" + }, + "felonious": { + "CHS": "凶恶的;重罪的;极恶的", + "ENG": "of, involving, or constituting a felony " + }, + "melodrama": { + "CHS": "情节剧;音乐剧;耸人听闻的事件,闹剧", + "ENG": "a story or play in which very exciting or terrible things happen, and in which the characters and the emotions they show seem too strong to be real" + }, + "trapezoid": { + "CHS": "梯形的;[数] 不规则四边形的" + }, + "deficit": { + "CHS": "赤字;不足额", + "ENG": "the difference between the amount of something that you have and the higher amount that you need" + }, + "dissimilar": { + "CHS": "不同的", + "ENG": "not the same" + }, + "brokerage": { + "CHS": "佣金;回扣;中间人业务", + "ENG": "the amount of money a broker charges" + }, + "fracture": { + "CHS": "破裂;折断", + "ENG": "if a bone or other hard substance fractures, or if it is fractured, it breaks or cracks" + }, + "modest": { + "CHS": "(Modest)人名;(罗)莫代斯特;(德)莫德斯特;(俄)莫杰斯特" + }, + "vaporize": { + "CHS": "蒸发", + "ENG": "to change into a vapour, or to make something, especially a liquid, do this" + }, + "prolix": { + "CHS": "冗长的;说话啰嗦的", + "ENG": "a prolix piece of writing has too many words and is boring" + }, + "spectroscope": { + "CHS": "[光] 分光镜", + "ENG": "an instrument used for forming and looking at spectra" + }, + "elocutionist": { + "CHS": "演说家;雄辩家;朗诵者" + }, + "jocular": { + "CHS": "爱开玩笑的;打趣的;滑稽的", + "ENG": "joking or humorous" + }, + "focus": { + "CHS": "使集中;使聚焦", + "ENG": "to give special attention to one particular person or thing, or to make people do this" + }, + "unused": { + "CHS": "不用的;从未用过的", + "ENG": "not being used, or never used" + }, + "betrothal": { + "CHS": "订婚;婚约", + "ENG": "an agreement that two people will be married" + }, + "setback": { + "CHS": "挫折;退步;逆流", + "ENG": "a problem that delays or prevents progress, or makes things worse than they were" + }, + "stimulant": { + "CHS": "激励的;使人兴奋的" + }, + "dwindle": { + "CHS": "减少;变小", + "ENG": "to gradually become less and less or smaller and smaller" + }, + "greedy": { + "CHS": "贪婪的;贪吃的;渴望的", + "ENG": "always wanting more food, money, power, possessions etc than you need" + }, + "slender": { + "CHS": "细长的;苗条的;微薄的", + "ENG": "thin in an attractive or graceful way" + }, + "outcast": { + "CHS": "被遗弃的;无家可归的;被逐出的" + }, + "curtail": { + "CHS": "缩减;剪短;剥夺…特权等", + "ENG": "to reduce or limit something" + }, + "logical": { + "CHS": "合逻辑的,合理的;逻辑学的", + "ENG": "seeming reasonable and sensible" + }, + "transact": { + "CHS": "交易;谈判", + "ENG": "to do business with someone" + }, + "amenable": { + "CHS": "有责任的:顺从的,服从的;有义务的;经得起检验的", + "ENG": "willing to accept what someone says or does without arguing" + }, + "utilize": { + "CHS": "利用", + "ENG": "to use something for a particular purpose" + }, + "educe": { + "CHS": "引出;演绎;使显出" + }, + "loathe": { + "CHS": "讨厌,厌恶", + "ENG": "to hate someone or something very much" + }, + "foment": { + "CHS": "煽动;挑起;热敷", + "ENG": "to cause trouble and make people start fighting each other or opposing the government" + }, + "judicious": { + "CHS": "明智的;头脑精明的;判断正确的", + "ENG": "done in a sensible and careful way" + }, + "straightforward": { + "CHS": "直截了当地;坦率地" + }, + "anarchy": { + "CHS": "无政府状态;混乱;无秩序", + "ENG": "a situation in which there is no effective government in a country or no order in an organization or situation" + }, + "polarization": { + "CHS": "极化;偏振;两极分化" + }, + "emancipate": { + "CHS": "解放;释放", + "ENG": "to give someone the political or legal rights that they did not have before" + }, + "funnel": { + "CHS": "通过漏斗或烟囱等;使成漏斗形" + }, + "miscreant": { + "CHS": "异端;恶棍;罪大恶极之人", + "ENG": "a bad person who causes trouble, hurts people etc" + }, + "parentage": { + "CHS": "出身;亲子关系;门第;起源", + "ENG": "someone’s parents and the country and social class they are from" + }, + "torpid": { + "CHS": "迟钝的,迟缓的;不活泼的;麻痹的;[生物] 蛰伏的", + "ENG": "not active because you are lazy or sleepy" + }, + "galvanize": { + "CHS": "镀锌;通电;刺激", + "ENG": "to shock or surprise someone so that they do something to solve a problem, improve a situation etc" + }, + "pandemic": { + "CHS": "流行性疾病", + "ENG": "a disease that affects people over a very large area or the whole world" + }, + "antonym": { + "CHS": "[语] 反义词", + "ENG": "a word that means the opposite of another word" + }, + "gusto": { + "CHS": "爱好;由衷的高兴;嗜好" + }, + "zealot": { + "CHS": "狂热者;犹太教狂热信徒", + "ENG": "someone who has extremely strong beliefs, especially religious or political beliefs, and is too eager to make other people share them" + }, + "lifelong": { + "CHS": "终身的", + "ENG": "continuing or existing all through your life" + }, + "gibber": { + "CHS": "三棱石;无法听懂的话" + }, + "furrow": { + "CHS": "犁;耕;弄绉", + "ENG": "to make a wide deep line in the surface of something" + }, + "mirror": { + "CHS": "反射;反映", + "ENG": "if one thing mirrors another, it is very similar to it and may seem to copy or represent it" + }, + "sardonic": { + "CHS": "讽刺的;嘲笑的,冷笑的", + "ENG": "showing that you do not have a good opinion of someone or something, and feel that you are better than them" + }, + "ravenous": { + "CHS": "贪婪的;渴望的;狼吞虎咽的" + }, + "remorseless": { + "CHS": "冷酷的;不知过错的;坚持不懈的;不屈不挠的", + "ENG": "cruel, and not caring how much other people are hurt" + }, + "chloroplast": { + "CHS": "[植] 叶绿体", + "ENG": "a plastid containing chlorophyll and other pigments, occurring in plants and algae that carry out photosynthesis " + }, + "balk": { + "CHS": "阻止;推诿;错过", + "ENG": "to stop someone or something from getting or achieving what they want" + }, + "penetrate": { + "CHS": "渗透;穿透;洞察", + "ENG": "to enter something and pass or spread through it, especially when this is difficult" + }, + "cache": { + "CHS": "隐藏;窖藏", + "ENG": "to hide something in a secret place, especially weapons" + }, + "bale": { + "CHS": "将打包" + }, + "nurture": { + "CHS": "养育;教养;营养物", + "ENG": "the education and care that you are given as a child, and the way it affects your later development and attitudes" + }, + "levity": { + "CHS": "多变;轻浮;轻率;不稳定", + "ENG": "lack of respect or seriousness when you are dealing with something serious" + }, + "practicable": { + "CHS": "可用的;行得通的;可实行的", + "ENG": "a practicable way of doing something is possible in a particular situation" + }, + "transplant": { + "CHS": "移植;移植器官;被移植物;移居者", + "ENG": "the operation of transplanting an organ, piece of skin etc" + }, + "leg": { + "CHS": "腿;支柱", + "ENG": "one of the long parts of your body that your feet are joined to, or a similar part on an animal or insect" + }, + "omnipresent": { + "CHS": "无所不在的", + "ENG": "present everywhere at all times" + }, + "nickel": { + "CHS": "镀镍于" + }, + "bland": { + "CHS": "(Bland)人名;(英)布兰德" + }, + "overleap": { + "CHS": "越过;跳过;忽略" + }, + "fractious": { + "CHS": "易怒的;倔强的,难以对待的", + "ENG": "someone who is fractious becomes angry very easily" + }, + "carbohydrate": { + "CHS": "[有化] 碳水化合物;[有化] 糖类", + "ENG": "a substance that is in foods such as sugar, bread, and potatoes, which provides your body with heat and energy and which consists of oxygen, hydrogen , and carbon " + }, + "lethal": { + "CHS": "致死因子" + }, + "radar": { + "CHS": "[雷达] 雷达,无线电探测器", + "ENG": "a piece of equipment that uses radio waves to find the position of things and watch their movement" + }, + "remote": { + "CHS": "远程" + }, + "chord": { + "CHS": "弦;和弦;香水的基调", + "ENG": "a combination of several musical notes that are played at the same time and sound pleasant together" + }, + "explode": { + "CHS": "爆炸,爆发;激增", + "ENG": "to burst, or to make something burst, into small pieces, usually with a loud noise and in a way that causes damage" + }, + "commonplace": { + "CHS": "平凡的;陈腐的" + }, + "synchronous": { + "CHS": "同步的;同时的", + "ENG": "if two or more things are synchronous, they happen at the same time or work at the same speed" + }, + "deceive": { + "CHS": "欺骗;行骗", + "ENG": "to make someone believe something that is not true" + }, + "antibiotics": { + "CHS": "[药] 抗生素;抗生学", + "ENG": "Antibiotics are medical drugs used to kill bacteria and treat infections" + }, + "parochial": { + "CHS": "教区的;狭小的;地方范围的", + "ENG": "relating to a particular church and the area around it" + }, + "status": { + "CHS": "地位;状态;情形;重要身份", + "ENG": "the official legal position or condition of a person, group, country etc" + }, + "herald": { + "CHS": "通报;预示…的来临", + "ENG": "to be a sign of something that is going to come or happen soon" + }, + "literature": { + "CHS": "文学;文献;文艺;著作", + "ENG": "books, plays, poems etc that people think are important and good" + }, + "limitation": { + "CHS": "限制;限度;极限;追诉时效;有效期限;缺陷", + "ENG": "the act or process of controlling or reducing something" + }, + "biography": { + "CHS": "传记;档案;个人简介", + "ENG": "a book that tells what has happened in someone’s life, written by someone else" + }, + "insensible": { + "CHS": "昏迷的;无知觉的;麻木不仁的", + "ENG": "unable to feel something or be affected by it" + }, + "endurable": { + "CHS": "能忍耐的;可忍受的;能持久的", + "ENG": "if a bad situation is endurable, you can accept it, even though it is difficult or painful" + }, + "preparatory": { + "CHS": "预科;预备学校" + }, + "wavelength": { + "CHS": "[物] 波长", + "ENG": "the size of a radio wave used to broadcast a radio signal" + }, + "statue": { + "CHS": "以雕像装饰" + }, + "barren": { + "CHS": "荒地" + }, + "transitory": { + "CHS": "短暂的,暂时的;瞬息的", + "ENG": "continuing or existing for only a short time" + }, + "presentiment": { + "CHS": "预感", + "ENG": "a strange feeling that something is going to happen, especially something bad" + }, + "unkempt": { + "CHS": "蓬乱的,不整洁的;(言语等)粗野的", + "ENG": "unkempt hair or plants have not been cut and kept neat" + }, + "legislate": { + "CHS": "用立法规定;通过立法", + "ENG": "to make a law about something" + }, + "barrel": { + "CHS": "桶;枪管,炮管", + "ENG": "a large curved container with a flat top and bottom, made of wood or metal, and used for storing beer, wine etc" + }, + "output": { + "CHS": "输出", + "ENG": "if a computer outputs information, it produces it" + }, + "antemundane": { + "CHS": "世界形成前的" + }, + "delineate": { + "CHS": "描绘;描写;画…的轮廓", + "ENG": "If you delineate something such as an idea or situation, you describe it or define it, often in a lot of detail" + }, + "ferocious": { + "CHS": "残忍的;惊人的", + "ENG": "violent, dangerous, and frightening" + }, + "laudable": { + "CHS": "值得赞赏的", + "ENG": "deserving praise, even if not completely successful" + }, + "anticyclone": { + "CHS": "反气旋,反旋风;高气压", + "ENG": "an area of high air pressure that causes calm weather in the place it is moving over" + }, + "manometer": { + "CHS": "压力计;[流] 测压计;血压计", + "ENG": "an instrument for comparing pressures; typically a glass U-tube containing mercury, in which pressure is indicated by the difference in levels in the two arms of the tube U" + }, + "convert": { + "CHS": "皈依者;改变宗教信仰者", + "ENG": "someone who has been persuaded to change their beliefs and accept a particular religion or opinion" + }, + "desertification": { + "CHS": "(土壤)荒漠化;沙漠化(等于desertization)", + "ENG": "the process by which useful land, especially farmland, changes into desert" + }, + "proscribe": { + "CHS": "剥夺……的公权;禁止", + "ENG": "to officially say that something is not allowed to exist or be done" + }, + "solution": { + "CHS": "解决方案;溶液;溶解;解答", + "ENG": "a way of solving a problem or dealing with a difficult situation" + }, + "modicum": { + "CHS": "少量,一点点", + "ENG": "a small amount of something, especially a good quality" + }, + "beatify": { + "CHS": "行宣福礼;使享福", + "ENG": "if the Pope beatifies someone, he says officially that they are a holy or special person" + }, + "transfigure": { + "CHS": "使变形;使改观;美化;理想化", + "ENG": "to change the way someone or something looks, especially so that they become more beautiful" + }, + "veneer": { + "CHS": "胶合;虚饰;给…镶以饰片" + }, + "devoid": { + "CHS": "缺乏的;全无的", + "ENG": "If you say that someone or something is devoid of a quality or thing, you are emphasizing that they have none of it" + }, + "affair": { + "CHS": "事情;事务;私事;(尤指关系不长久的)风流韵事", + "ENG": "public or political events and activities" + }, + "carnivore": { + "CHS": "[动] 食肉动物;食虫植物", + "ENG": "an animal that eats flesh" + }, + "pellucid": { + "CHS": "透明的;清晰的;明了的", + "ENG": "very clear" + }, + "blase": { + "CHS": "(Blase)人名;(德)布拉泽;(法)布拉斯" + }, + "transverse": { + "CHS": "横断面;贯轴;横肌" + }, + "veracious": { + "CHS": "诚实的;真实的", + "ENG": "habitually truthful or honest " + }, + "coalescence": { + "CHS": "合并;联合;接合" + }, + "purport": { + "CHS": "意义,主旨;意图", + "ENG": "the general meaning of what someone says" + }, + "participate": { + "CHS": "参与,参加;分享", + "ENG": "to take part in an activity or event" + }, + "ceremonious": { + "CHS": "隆重的;讲究仪式的;正式的", + "ENG": "done in a formal serious way, as if you were in a ceremony" + }, + "unspeakable": { + "CHS": "无法形容的;不能以言语表达的;坏透了的", + "ENG": "used for emphasizing how bad someone or something is" + }, + "anachronism": { + "CHS": "时代错误;不合潮流的人或物", + "ENG": "someone or something that seems to belong to the past, not the present" + }, + "abnormal": { + "CHS": "反常的,不规则的;变态的", + "ENG": "very different from usual in a way that seems strange, worrying, wrong, or dangerous" + }, + "pressure": { + "CHS": "迫使;密封;使……增压" + }, + "palpable": { + "CHS": "明显的;可感知的;易觉察的", + "ENG": "a feeling that is palpable is so strong that other people notice it and can feel it around them" + }, + "excerpt": { + "CHS": "引用,摘录" + }, + "aerial": { + "CHS": "[电讯] 天线", + "ENG": "a piece of equipment for receiving or sending radio or television signals, usually consisting of a piece of metal or wire" + }, + "embarrass": { + "CHS": "使局促不安;使困窘;阻碍", + "ENG": "to make someone feel ashamed, nervous, or uncomfortable, especially in front of other people" + }, + "kinsfolk": { + "CHS": "亲属;家属", + "ENG": "your family" + }, + "regimen": { + "CHS": "[医] 养生法;生活规则;政体;支配", + "ENG": "a special plan of food, exercise etc that is intended to improve your health" + }, + "Calvinism": { + "CHS": "加尔文主义;加尔文教派", + "ENG": "the Christian religious teachings of John Calvin, based on the idea that events on Earth are controlled by God and cannot be changed by humans" + }, + "ampere": { + "CHS": "安培(计算电流强度的标准单位)" + }, + "coil": { + "CHS": "线圈;卷", + "ENG": "a continuous series of circular rings into which something such as wire or rope has been wound or twisted" + }, + "hesitation": { + "CHS": "犹豫", + "ENG": "when someone hesitates" + }, + "berth": { + "CHS": "使……停泊;为……提供铺位", + "ENG": "to bring a ship into a berth, or arrive at a berth" + }, + "evict": { + "CHS": "驱逐;逐出" + }, + "punitive": { + "CHS": "惩罚性的;刑罚的" + }, + "ebb": { + "CHS": "衰退;减少;衰落;潮退", + "ENG": "if the tide ebbs, it flows away from the shore" + }, + "revelation": { + "CHS": "启示;揭露;出乎意料的事;被揭露的真相", + "ENG": "a surprising fact about someone or something that was previously secret and is now made known" + }, + "triumph": { + "CHS": "获得胜利,成功", + "ENG": "to gain a victory or success after a difficult struggle" + }, + "oblivious": { + "CHS": "遗忘的;健忘的;不注意的;不知道的", + "ENG": "not knowing about or not noticing something that is happening around you" + }, + "principal": { + "CHS": "首长;校长;资本;当事人", + "ENG": "someone who is in charge of a school" + }, + "spider": { + "CHS": "蜘蛛;设圈套者;三脚架", + "ENG": "a small creature with eight legs, which catches insects using a fine network of sticky threads" + }, + "tremor": { + "CHS": "[医] 震颤;颤动", + "ENG": "If an event causes a tremor in a group or organization, it threatens to make the group or organization less strong or stable" + }, + "frantic": { + "CHS": "狂乱的,疯狂的", + "ENG": "extremely worried and frightened about a situation, so that you cannot control your feelings" + }, + "conduit": { + "CHS": "[电] 导管;沟渠;导水管", + "ENG": "a pipe or passage through which water, gas, a set of electric wires etc passes" + }, + "pyre": { + "CHS": "火葬用的柴堆", + "ENG": "a high pile of wood on which a dead body is placed to be burned in a funeral ceremony" + }, + "duplicity": { + "CHS": "口是心非;表里不一;不诚实" + }, + "conflagration": { + "CHS": "大火;快速燃烧;突发;冲突", + "ENG": "a very large fire that destroys a lot of buildings, forests etc" + }, + "supplicant": { + "CHS": "恳求者,乞求者", + "ENG": "someone who asks for something, especially from someone in a position of power or from God" + }, + "tutorship": { + "CHS": "辅导;教师职位" + }, + "capitulate": { + "CHS": "认输,屈服;屈从,停止反抗;有条件投降;让步", + "ENG": "to accept or agree to something that you have been opposing for a long time" + }, + "despotic": { + "CHS": "暴虐的,暴君的;专横的", + "ENG": "If you say that someone is despotic, you are emphasizing that they use their power over other people in a very unfair or cruel way" + }, + "withstand": { + "CHS": "抵挡;禁得起;反抗", + "ENG": "to defend yourself successfully against people who attack, criticize, or oppose you" + }, + "stringent": { + "CHS": "严格的;严厉的;紧缩的;短缺的", + "ENG": "a stringent law, rule, standard etc is very strict and must be obeyed" + }, + "jubilation": { + "CHS": "喜欢;庆祝;欢呼" + }, + "ratio": { + "CHS": "比率,比例", + "ENG": "a relationship between two amounts, represented by a pair of numbers showing how much bigger one amount is than the other" + }, + "persuade": { + "CHS": "空闲的,有闲的" + }, + "upbraid": { + "CHS": "责骂;训斥", + "ENG": "to tell someone angrily that they have done something wrong" + }, + "appendage": { + "CHS": "附加物;下属;[动][解剖] 附器(如植物的枝叶和动物的腿尾)", + "ENG": "something that is connected to a larger or more important thing" + }, + "averse": { + "CHS": "反对的;不愿意的", + "ENG": "unwilling to do something or not liking something" + }, + "senator": { + "CHS": "参议员;(古罗马的)元老院议员;评议员,理事", + "ENG": "a member of the Senate or a senate" + }, + "ingratiate": { + "CHS": "使迎合;使讨好;使逢迎", + "ENG": "If someone tries to ingratiate themselves with you, they do things to try and make you like them" + }, + "exuberant": { + "CHS": "繁茂的;生气勃勃的,充溢的", + "ENG": "exuberant decorations, patterns etc are exciting and complicated or colourful" + }, + "perjure": { + "CHS": "作伪证;使发伪誓;使破坏誓言", + "ENG": "to tell a lie after promising to tell the truth in a court of law" + }, + "nude": { + "CHS": "裸体;裸体画", + "ENG": "a painting, statue etc of someone not wearing clothes" + }, + "peak": { + "CHS": "最高的;最大值的", + "ENG": "used to talk about the best, highest, or greatest level or amount of something" + }, + "reprieve": { + "CHS": "暂缓;缓刑", + "ENG": "a delay before something bad happens or continues to happen" + }, + "ignominious": { + "CHS": "可耻的;下流的", + "ENG": "making you feel ashamed or embarrassed" + }, + "midway": { + "CHS": "中途", + "ENG": "If something is midway between two places, it is between them and the same distance from each of them" + }, + "affluence": { + "CHS": "富裕;丰富;流入;汇聚", + "ENG": "Affluence is the state of having a lot of money or a high standard of living" + }, + "emaciated": { + "CHS": "憔悴;消瘦下去(emaciate的过去分词)" + }, + "aqueduct": { + "CHS": "[水利] 渡槽;导水管;沟渠", + "ENG": "a structure like a bridge, that carries water across a river or valley" + }, + "collage": { + "CHS": "把…创作成拼贴画,拼贴" + }, + "unveil": { + "CHS": "使公之于众,揭开;揭幕", + "ENG": "to remove the cover from something, especially as part of a formal ceremony" + }, + "disastrous": { + "CHS": "灾难性的;损失惨重的;悲伤的", + "ENG": "very bad, or ending in failure" + }, + "vestige": { + "CHS": "遗迹;残余;退化的器官", + "ENG": "a small part or amount of something that remains when most of it no longer exists" + }, + "tabulate": { + "CHS": "使成平面;把…制成表格", + "ENG": "to arrange figures or information together in a set or a list, so that they can be easily compared" + }, + "needlework": { + "CHS": "刺绣,缝纫;女红的作品", + "ENG": "the activity or art of sewing, or things made by sewing" + }, + "fraternal": { + "CHS": "兄弟般的;友好的", + "ENG": "showing a special friendliness to other people because you share interests or ideas with them" + }, + "commemorate": { + "CHS": "庆祝,纪念;成为…的纪念", + "ENG": "to do something to show that you remember and respect someone important or an important event in the past" + }, + "repine": { + "CHS": "抱怨;不满", + "ENG": "to be fretful or low-spirited through discontent " + }, + "unanimous": { + "CHS": "全体一致的;意见一致的;无异议的", + "ENG": "a unanimous decision, vote, agreement etc is one in which all the people involved agree" + }, + "alienate": { + "CHS": "使疏远,离间;让与", + "ENG": "to do something that makes someone unfriendly or unwilling to support you" + }, + "unscrupulous": { + "CHS": "肆无忌惮的;寡廉鲜耻的;不讲道德的", + "ENG": "behaving in an unfair or dishonest way" + }, + "volume": { + "CHS": "把…收集成卷" + }, + "debase": { + "CHS": "(Debase)人名;(意)德巴塞" + }, + "precede": { + "CHS": "领先,在…之前;优于,高于", + "ENG": "to happen or exist before something or someone, or to come before something else in a series" + }, + "disagreeable": { + "CHS": "不愉快的;厌恶的;不为人喜的;难相处的;脾气坏的", + "ENG": "not at all enjoyable or pleasant" + }, + "heinous": { + "CHS": "可憎的;极凶恶的", + "ENG": "very shocking and immoral" + }, + "distressed": { + "CHS": "使痛苦;使紧张;使困苦(distress的过去分词)" + }, + "expression": { + "CHS": "表现,表示,表达;表情,脸色,态度,腔调,声调;式,符号;词句,语句,措辞,说法", + "ENG": "something you say, write, or do that shows what you think or feel" + }, + "successor": { + "CHS": "继承者;后续的事物", + "ENG": "Someone's successor is the person who takes their job after they have left" + }, + "counselor": { + "CHS": "顾问;法律顾问;参事(等于counsellor)" + }, + "supplicate": { + "CHS": "恳求,哀求;恳请", + "ENG": "to make a humble request to (someone); plead " + }, + "ossify": { + "CHS": "骨化;硬化;僵化", + "ENG": "to become unwilling to consider new ideas or change your behaviour" + }, + "ablution": { + "CHS": "洗礼;洗澡(常用复数);斋戒沐浴", + "ENG": "the ritual washing of a priest's hands or of sacred vessels " + }, + "balance": { + "CHS": "使平衡;结算;使相称", + "ENG": "if a government balances the budget, they make the amount of money that they spend equal to the amount of money available" + }, + "propagate": { + "CHS": "传播;传送;繁殖;宣传", + "ENG": "to spread an idea, belief etc to many people" + }, + "approximately": { + "CHS": "大约,近似地;近于" + }, + "sufficiency": { + "CHS": "足量,充足;自满", + "ENG": "the state of being or having enough" + }, + "collide": { + "CHS": "碰撞;抵触,冲突", + "ENG": "to hit something or someone that is moving in a different direction from you" + }, + "squalid": { + "CHS": "肮脏的;污秽的;卑劣的", + "ENG": "very dirty and unpleasant because of a lack of care or money" + }, + "distillation": { + "CHS": "精馏,蒸馏,净化;蒸馏法;精华,蒸馏物" + }, + "superb": { + "CHS": "(Superb)人名;(罗)苏佩尔布" + }, + "contemptible": { + "CHS": "可鄙的;卑劣的;可轻视的", + "ENG": "not deserving any respect at all" + }, + "breakdown": { + "CHS": "故障;崩溃;分解;分类;衰弱;跺脚曳步舞", + "ENG": "the failure of a relationship or system" + }, + "accountant": { + "CHS": "会计师;会计人员", + "ENG": "someone whose job is to keep and check financial accounts, calculate taxes etc" + }, + "colloquial": { + "CHS": "白话的;通俗的;口语体的", + "ENG": "language or words that are colloquial are used mainly in informal conversations rather than in writing or formal speech" + }, + "impale": { + "CHS": "刺穿;钉住;使绝望", + "ENG": "if someone or something is impaled, a sharp pointed object goes through them" + }, + "reclusive": { + "CHS": "隐居的;隐遁的", + "ENG": "A reclusive person or animal lives alone and deliberately avoids the company of others" + }, + "jingoism": { + "CHS": "侵略主义;沙文主义;武力外交政策", + "ENG": "a strong belief that your own country is better than others – used to show disapproval" + }, + "ratify": { + "CHS": "批准;认可", + "ENG": "to make a written agreement official by signing it" + }, + "collier": { + "CHS": "矿工;运煤船", + "ENG": "someone who works in a coal mine" + }, + "brooch": { + "CHS": "(女用的)胸针,领针", + "ENG": "a piece of jewellery that you fasten to your clothes, usually worn by women" + }, + "bemoan": { + "CHS": "惋惜;为…恸哭", + "ENG": "to complain or say that you are disappointed about something" + }, + "arguable": { + "CHS": "可论证的;可议的;可疑的", + "ENG": "If you say that it is arguable that something is true, you believe that it can be supported by evidence and that many people would agree with it" + }, + "nitrogen": { + "CHS": "[化学] 氮", + "ENG": "a gas that has no colour or smell, and that forms most of the Earth’s air. It is a chemical element: symbol N" + }, + "legislative": { + "CHS": "立法权;立法机构" + }, + "workmanlike": { + "CHS": "技术熟练的;精工细作的" + }, + "multiplication": { + "CHS": "[数] 乘法;增加", + "ENG": "a method of calculating in which you add a number to itself a particular number of times" + }, + "natal": { + "CHS": "(Natal)人名;(英、法、西、葡)纳塔尔" + }, + "redirect": { + "CHS": "再直接询问" + }, + "Catholicism": { + "CHS": "天主教;天主教义", + "ENG": "Catholicism is the traditions, the behaviour, and the set of Christian beliefs that are held by Catholics" + }, + "defendant": { + "CHS": "被告", + "ENG": "the person in a court of law who has been accused of doing something illegal" + }, + "abnegate": { + "CHS": "放弃;舍弃;禁忌", + "ENG": "to deny to oneself; renounce (privileges, pleasure, etc) " + }, + "treacherous": { + "CHS": "奸诈的,叛逆的,背叛的;危险的;不牢靠的", + "ENG": "someone who is treacherous cannot be trusted because they are not loyal and secretly intend to harm you" + }, + "parallel": { + "CHS": "平行的;类似的,相同的", + "ENG": "two lines, paths etc that are parallel to each other are the same distance apart along their whole length" + }, + "diameter": { + "CHS": "直径", + "ENG": "a straight line from one side of a circle to the other side, passing through the centre of the circle, or the length of this line" + }, + "uniform": { + "CHS": "使穿制服;使成一样" + }, + "abdomen": { + "CHS": "腹部;下腹;腹腔", + "ENG": "the part of your body between your chest and legs which contains your stomach, bowel s etc" + }, + "stimulate": { + "CHS": "刺激;鼓舞,激励", + "ENG": "to encourage or help an activity to begin or develop further" + }, + "nadir": { + "CHS": "最低点,最底点;[天] 天底", + "ENG": "the time when a situation is at its worst" + }, + "indefinitely": { + "CHS": "不确定地,无限期地;模糊地,不明确地", + "ENG": "for a period of time for which no definite end has been arranged" + }, + "replicate": { + "CHS": "复制品;八音阶间隔的反覆音" + }, + "discriminate": { + "CHS": "歧视;区别;辨别", + "ENG": "to treat a person or group differently from another in an unfair way" + }, + "foretell": { + "CHS": "预言;预示;预告", + "ENG": "to say what will happen in the future, especially by using special magical powers" + }, + "irate": { + "CHS": "生气的;发怒的", + "ENG": "If someone is irate, they are very angry about something" + }, + "curmudgeon": { + "CHS": "脾气坏的人,乖戾的人;吝啬鬼;存心不良的人", + "ENG": "someone who is often annoyed or angry, especially an old person" + }, + "endue": { + "CHS": "授予,赋予;穿上", + "ENG": "to invest or provide, as with some quality or trait " + }, + "numerical": { + "CHS": "数值的;数字的;用数字表示的(等于numeric)", + "ENG": "expressed or considered in numbers" + }, + "extol": { + "CHS": "颂扬;赞美;赞颂", + "ENG": "to praise something very much" + }, + "olfactory": { + "CHS": "嗅觉器官" + }, + "electrolyte": { + "CHS": "电解液,电解质;电解", + "ENG": "a liquid that allows electricity to pass through it" + }, + "fabulous": { + "CHS": "难以置信的;传说的,寓言中的;极好的" + }, + "choir": { + "CHS": "合唱" + }, + "ruinous": { + "CHS": "破坏性的,毁灭性的;零落的", + "ENG": "causing a lot of damage or problems" + }, + "aborigine": { + "CHS": "土著;土著居民", + "ENG": "someone who belongs to the race of people who have lived in Australia from the earliest times" + }, + "hundredth": { + "CHS": "第一百,第一百个;百分之一" + }, + "intriguing": { + "CHS": "引起…的兴趣;策划阴谋;私通(intrigue的ing形式)" + }, + "acerbity": { + "CHS": "酸,涩;刻薄", + "ENG": "Acerbity is a kind of bitter, critical humour" + }, + "sympathetic": { + "CHS": "交感神经;容易感受的人" + }, + "swerve": { + "CHS": "转向;偏离的程度", + "ENG": "Swerve is also a noun" + }, + "whim": { + "CHS": "奇想;一时的兴致;怪念头;幻想", + "ENG": "a sudden feeling that you would like to do or have something, especially when there is no important or good reason" + }, + "determinate": { + "CHS": "确定;弄清楚" + }, + "coagulate": { + "CHS": "使…凝结", + "ENG": "if a liquid coagulates, or something coagulates it, it becomes thick and almost solid" + }, + "capillary": { + "CHS": "毛细管的;毛状的" + }, + "biped": { + "CHS": "两足动物", + "ENG": "an animal with two legs, such as a human" + }, + "supplant": { + "CHS": "代替;排挤掉", + "ENG": "to take the place of a person or thing so that they are no longer used, no longer in a position of power etc" + }, + "tenacious": { + "CHS": "顽强的;坚韧的;固执的;紧握的;黏着力强的", + "ENG": "determined to do something and unwilling to stop trying even when the situation becomes difficult" + }, + "laser": { + "CHS": "激光", + "ENG": "a piece of equipment that produces a powerful narrow beam of light that can be used in medical operations, to cut metals, or to make patterns of light for entertainment" + }, + "effervescent": { + "CHS": "冒泡的,沸腾的;兴奋的", + "ENG": "a liquid that is effervescent produces small bubbles of gas" + }, + "assuage": { + "CHS": "平息;缓和;减轻", + "ENG": "to make an unpleasant feeling less painful or severe" + }, + "occupant": { + "CHS": "居住者;占有者", + "ENG": "someone who lives in a house, room etc" + }, + "gene": { + "CHS": "[遗] 基因,遗传因子", + "ENG": "a part of a cell in a living thing that controls what it looks like, how it grows, and how it develops. People get their genes from their parents" + }, + "frigid": { + "CHS": "寒冷的,严寒的;冷淡的", + "ENG": "a woman who is frigid does not like having sex" + }, + "recreant": { + "CHS": "胆小的;怯懦的;不忠的", + "ENG": "cowardly; faint-hearted " + }, + "pompous": { + "CHS": "自大的;浮夸的;华而不实的;爱炫耀的", + "ENG": "someone who is pompous thinks that they are important, and shows this by being very formal and using long words – used to show disapproval" + }, + "theorem": { + "CHS": "[数] 定理;原理", + "ENG": "a statement, especially in mathematics, that you can prove by showing that it has been correctly developed from facts" + }, + "antiquary": { + "CHS": "古文物研究者;古董商人;收集古文物者", + "ENG": "An antiquary is a person who studies the past, or who collects or buys and sells old and valuable objects" + }, + "clothier": { + "CHS": "衣庄;呢绒商" + }, + "dormancy": { + "CHS": "[生物] 休眠,冬眠;[生物] 蛰伏" + }, + "exoskeleton": { + "CHS": "[昆] 外骨骼", + "ENG": "the hard parts on the outside of the body of creatures such as insects and crabs" + }, + "geometry": { + "CHS": "几何学", + "ENG": "the study in mathematics of the angles and shapes formed by the relationships of lines, surfaces, and solid objects in space" + }, + "impetus": { + "CHS": "动力;促进;冲力", + "ENG": "an influence that makes something happen or makes it happen more quickly" + }, + "bronchus": { + "CHS": "支气管", + "ENG": "either of the two main branches of the trachea, which contain cartilage within their walls " + }, + "glamorize": { + "CHS": "美化;使有魅力", + "ENG": "to make something seem more attractive than it really is" + }, + "proliferate": { + "CHS": "增殖;扩散;激增", + "ENG": "if something proliferates, it increases quickly and spreads to many different places" + }, + "absolve": { + "CHS": "免除;赦免;宣告…无罪", + "ENG": "to say publicly that someone is not guilty or responsible for something" + }, + "bethink": { + "CHS": "想起,忆起;使……思考;使……考虑", + "ENG": "to cause (oneself) to consider or meditate " + }, + "amplitude": { + "CHS": "振幅;丰富,充足;广阔", + "ENG": "the distance between the middle and the top or bottom of a wave such as a sound wave " + }, + "antiquate": { + "CHS": "过时的;旧式的" + }, + "series": { + "CHS": "系列,连续;[电] 串联;级数;丛书", + "ENG": "several events or actions of a similar type that happen one after the other" + }, + "condenser": { + "CHS": "冷凝器;[电] 电容器;[光] 聚光器", + "ENG": "a piece of equipment that changes a gas into a liquid" + }, + "desultory": { + "CHS": "断断续续的;散漫的;不连贯的,无条理的", + "ENG": "done without any particular plan or purpose" + }, + "interval": { + "CHS": "间隔;间距;幕间休息", + "ENG": "the period of time between two events, activities etc" + }, + "pernicious": { + "CHS": "有害的;恶性的;致命的;险恶的", + "ENG": "very harmful or evil, often in a way that you do not notice easily" + }, + "caste": { + "CHS": "(印度社会中的)种姓;(具有严格等级差别的)社会地位;(排他的)社会团体", + "ENG": "one of the fixed social classes, which cannot be changed, into which people are born in India" + }, + "principle": { + "CHS": "原理,原则;主义,道义;本质,本义;根源,源泉", + "ENG": "the basic idea that a plan or system is based on" + }, + "inspiring": { + "CHS": "鼓舞;激发;使感悟(inspire的ing形式)" + }, + "adjustment": { + "CHS": "调整,调节;调节器", + "ENG": "a small change made to a machine, system, or calculation" + }, + "animadvert": { + "CHS": "批判;非难;责备" + }, + "withdraw": { + "CHS": "撤退;收回;撤消;拉开", + "ENG": "to stop taking part in an activity, belonging to an organization etc, or to make someone do this" + }, + "extortion": { + "CHS": "勒索;敲诈;强夺;被勒索的财物", + "ENG": "Extortion is the crime of obtaining something from someone, especially money, by using force or threats" + }, + "amorphous": { + "CHS": "无定形的;无组织的;[物] 非晶形的", + "ENG": "having no definite shape or features" + }, + "semiannual": { + "CHS": "一年两次的;半年一次的", + "ENG": "A semiannual event happens twice a year" + }, + "realism": { + "CHS": "现实主义;实在论;现实主义的态度和行为", + "ENG": "the style of art and literature in which things, especially unpleasant things, are shown or described as they really are in life" + }, + "vagabond": { + "CHS": "到处流浪" + }, + "immune": { + "CHS": "免疫者;免除者" + }, + "subsequent": { + "CHS": "后来的,随后的", + "ENG": "happening or coming after something else" + }, + "indiscreet": { + "CHS": "轻率的;不慎重的", + "ENG": "careless about what you say or do, especially by talking about things which should be kept secret" + }, + "homage": { + "CHS": "敬意;尊敬;效忠", + "ENG": "something you do to show respect for someone or something you think is important" + }, + "outcome": { + "CHS": "结果,结局;成果", + "ENG": "the final result of a meeting, discussion, war etc – used especially when no one knows what it will be until it actually happens" + }, + "valorous": { + "CHS": "勇敢的;勇武的" + }, + "irritable": { + "CHS": "过敏的;急躁的;易怒的", + "ENG": "getting annoyed quickly or easily" + }, + "apposition": { + "CHS": "并置,同格;同位语", + "ENG": "in grammar, an occasion when a simple sentence contains two or more noun phrases that describe the same thing or person, appearing one after the other without a word such as ‘and’ or ‘or’ between them. For example, in the sentence ‘The defendant, a woman of thirty, denies kicking the policeman’ the two phrases ‘the defendant’ and ‘a woman of thirty’ are in apposition." + }, + "beguile": { + "CHS": "欺骗;使着迷;轻松地消磨", + "ENG": "to persuade or trick someone into doing something" + }, + "amorous": { + "CHS": "多情的;恋爱的;热情的;色情的", + "ENG": "showing or concerning sexual love" + }, + "overrun": { + "CHS": "泛滥;超过;蹂躏", + "ENG": "if unwanted things or people overrun a place, they spread over it in great numbers" + }, + "amok": { + "CHS": "杀人狂的;狂乱的" + }, + "commingle": { + "CHS": "使混合;掺和", + "ENG": "to mix together, or to make different things do this" + }, + "dismiss": { + "CHS": "解散;解雇;开除;让离开;不予理会、不予考虑", + "ENG": "to remove someone from their job" + }, + "cacophony": { + "CHS": "刺耳的音调;不和谐音", + "ENG": "a loud unpleasant mixture of sounds" + }, + "atom": { + "CHS": "原子", + "ENG": "the smallest part of an element that can exist alone or can combine with other substances to form a molecule " + }, + "prowess": { + "CHS": "英勇;超凡技术;勇猛", + "ENG": "great skill at doing something" + }, + "selective": { + "CHS": "选择性的", + "ENG": "careful about what you choose to do, buy, allow etc" + }, + "recreate": { + "CHS": "娱乐;消遣" + }, + "wearisome": { + "CHS": "使疲倦的;使厌倦的;乏味的", + "ENG": "making you feel bored, tired, or annoyed" + }, + "abrade": { + "CHS": "擦伤;磨损", + "ENG": "to rub something so hard that the surface becomes damaged" + }, + "lethargy": { + "CHS": "昏睡;死气沉沉;嗜眠(症)" + }, + "politic": { + "CHS": "拉选票" + }, + "armada": { + "CHS": "(西班牙的)无敌舰队", + "ENG": "An armada is a large group of warships" + }, + "incessant": { + "CHS": "不断的;不停的;连续的", + "ENG": "continuing without stopping" + }, + "humiliate": { + "CHS": "羞辱;使…丢脸;耻辱", + "ENG": "to make someone feel ashamed or stupid, especially when other people are present" + }, + "niggardly": { + "CHS": "小气地;很少量地" + }, + "conciliatory": { + "CHS": "安抚的;调和的;调停的", + "ENG": "doing something that is intended to make someone stop arguing with you" + }, + "ration": { + "CHS": "定量;口粮;配给量", + "ENG": "a fixed amount of something that people are allowed to have when there is not enough, for example during a war" + }, + "velvety": { + "CHS": "天鹅绒般柔软的;醇和的,可口的", + "ENG": "If you describe something as velvety, you mean that it is pleasantly soft to touch and has the appearance or quality of velvet" + }, + "preposterous": { + "CHS": "荒谬的;可笑的", + "ENG": "completely unreasonable or silly" + }, + "pious": { + "CHS": "虔诚的;敬神的;可嘉的;尽责的", + "ENG": "having strong religious beliefs, and showing this in the way you behave" + }, + "flag": { + "CHS": "标志;旗子", + "ENG": "an expression meaning a country or organization and its beliefs, values, and people" + }, + "liquid": { + "CHS": "液体,流体;流音", + "ENG": "a substance that is not a solid or a gas, for example water or milk" + }, + "permanent": { + "CHS": "烫发(等于permanent wave)", + "ENG": "a perm 1 " + }, + "plethora": { + "CHS": "过多;过剩;[医] 多血症", + "ENG": "a very large number of something, usually more than you need" + }, + "bibliomania": { + "CHS": "藏书癖;(尤指珍本书)收藏狂", + "ENG": "extreme fondness for books " + }, + "vociferous": { + "CHS": "大声叫的;喊叫的,喧嚷的", + "ENG": "expressing your opinions loudly and strongly" + }, + "adjunct": { + "CHS": "附属的" + }, + "transpire": { + "CHS": "发生;蒸发;泄露", + "ENG": "if it transpires that something is true, you discover that it is true" + }, + "hemorrhage": { + "CHS": "[病理] 出血", + "ENG": "If someone is haemorrhaging, there is serious bleeding inside their body" + }, + "gravity": { + "CHS": "重力,地心引力;严重性;庄严", + "ENG": "the force that causes something to fall to the ground or to be attracted to another planet " + }, + "utilitarian": { + "CHS": "功利主义者", + "ENG": "A utilitarian is someone with utilitarian views" + }, + "acquiescence": { + "CHS": "默许;默从", + "ENG": "Acquiescence is agreement to do what someone wants, or acceptance of what they do even though you do not agree with it" + }, + "frivolous": { + "CHS": "无聊的;轻佻的;琐碎的", + "ENG": "If you describe someone as frivolous, you mean they behave in a silly or light-hearted way, rather than being serious and sensible" + }, + "polytechnic": { + "CHS": "工艺学校;理工专科学校", + "ENG": "a word used in the names of high schools or colleges in the US, where you can study technical or scientific subjects" + }, + "demise": { + "CHS": "遗赠;禅让" + }, + "pantomime": { + "CHS": "打手势;演哑剧" + }, + "shroud": { + "CHS": "覆盖;包以尸衣", + "ENG": "to cover or hide something" + }, + "eccentric": { + "CHS": "古怪的人", + "ENG": "someone who behaves in a way that is different from what is usual or socially accepted" + }, + "laud": { + "CHS": "赞美;称赞;颂歌" + }, + "betimes": { + "CHS": "及时,准时;早", + "ENG": "in good time; early " + }, + "suspect": { + "CHS": "怀疑;猜想", + "ENG": "to think that something is probably true, especially something bad" + }, + "bilingual": { + "CHS": "通两种语言的人" + }, + "recluse": { + "CHS": "隐居的" + }, + "subjacent": { + "CHS": "在底下的;在下级的", + "ENG": "forming a foundation; underlying " + }, + "studious": { + "CHS": "用功的;热心的;专心的;故意的;适于学习的" + }, + "begrudge": { + "CHS": "羡慕,嫉妒;吝惜,舍不得给", + "ENG": "to feel angry or upset with someone because they have something that you think they do not deserve" + }, + "judicature": { + "CHS": "司法;法官;司法权;法官的职位", + "ENG": "judges as a group, and the organization, power etc of the law" + }, + "gullible": { + "CHS": "易受骗的;轻信的", + "ENG": "too ready to believe what other people tell you, so that you are easily tricked" + }, + "facsimile": { + "CHS": "传真;临摹" + }, + "violation": { + "CHS": "违反;妨碍,侵害;违背;强奸", + "ENG": "an action that breaks a law, agreement, principle etc" + }, + "jade": { + "CHS": "疲倦" + }, + "transition": { + "CHS": "过渡;转变;[分子生物] 转换;变调", + "ENG": "when something changes from one form or state to another" + }, + "whet": { + "CHS": "磨;开胃物;刺激物" + }, + "section": { + "CHS": "被切割成片;被分成部分", + "ENG": "If something is sectioned, it is divided into sections" + }, + "lave": { + "CHS": "剩余物" + }, + "witling": { + "CHS": "玩弄小聪明的人" + }, + "embezzle": { + "CHS": "盗用;挪用;贪污", + "ENG": "to steal money from the place where you work" + }, + "absorb": { + "CHS": "吸收;吸引;承受;理解;使…全神贯注", + "ENG": "to take in liquid, gas, or another substance from the surface or space around something" + }, + "cessation": { + "CHS": "停止;中止;中断", + "ENG": "a pause or stop" + }, + "kudos": { + "CHS": "荣誉;名望;称赞", + "ENG": "the state of being admired and respected for being important or for doing something important" + }, + "influx": { + "CHS": "流入;汇集;河流的汇集处" + }, + "summary": { + "CHS": "概要,摘要,总结", + "ENG": "a short statement that gives the main information about something, without giving all the details" + }, + "chattel": { + "CHS": "动产;奴隶(常用复数)", + "ENG": "a piece of personal property that you can move from one place to another" + }, + "tangential": { + "CHS": "正切,切线" + }, + "reclamation": { + "CHS": "开垦;收回;再利用;矫正", + "ENG": "Reclamation is the process of changing land that is unsuitable for farming or building into land that can be used" + }, + "socialize": { + "CHS": "使社会化;使社会主义化;使适应社会生活", + "ENG": "to train someone to behave in a way that is acceptable in the society they are living in" + }, + "comport": { + "CHS": "行为;举动", + "ENG": "to behave in a particular way" + }, + "unsettle": { + "CHS": "使动摇;使不安定;使心神不宁", + "ENG": "to make someone feel slightly nervous, worried, or upset" + }, + "misstep": { + "CHS": "失足;走上歧途" + }, + "hexagon": { + "CHS": "成六角的;成六边的" + }, + "urgency": { + "CHS": "紧急;催促;紧急的事" + }, + "felicity": { + "CHS": "幸福;快乐;幸运", + "ENG": "happiness" + }, + "infinitesimal": { + "CHS": "无限小;极微量;极小量" + }, + "reprehend": { + "CHS": "责备" + }, + "subsidize": { + "CHS": "资助;给与奖助金;向…行贿", + "ENG": "if a government or organization subsidizes a company, activity etc, it pays part of its costs" + }, + "antiquarian": { + "CHS": "古文物研究者;[古] 古文物收藏家" + }, + "panacea": { + "CHS": "灵丹妙药;万能药", + "ENG": "If you say that something is a panacea for a set of problems, you mean that it will solve all those problems" + }, + "cordial": { + "CHS": "补品;兴奋剂;甜香酒,甘露酒", + "ENG": "a strong sweet alcoholic drink" + }, + "amass": { + "CHS": "积聚,积累", + "ENG": "if you amass money, knowledge, information etc, you gradually collect a large amount of it" + }, + "option": { + "CHS": "[计] 选项;选择权;买卖的特权", + "ENG": "a choice you can make in a particular situation" + }, + "exhale": { + "CHS": "呼气;发出;发散;使蒸发", + "ENG": "to breathe air, smoke etc out of your mouth" + }, + "volatile": { + "CHS": "挥发物;有翅的动物" + }, + "bronchitis": { + "CHS": "[内科] 支气管炎", + "ENG": "an illness that affects your bronchial tubes and makes you cough" + }, + "contend": { + "CHS": "竞争;奋斗;斗争;争论", + "ENG": "to compete against someone in order to gain something" + }, + "entreaty": { + "CHS": "恳求;乞求", + "ENG": "a serious request in which you ask someone to do something for you" + }, + "nebulous": { + "CHS": "朦胧的;星云的,星云状的", + "ENG": "a shape that is nebulous is unclear and has no definite edges" + }, + "bight": { + "CHS": "海湾,绳圈;曲线", + "ENG": "a slight bend or curve in a coast" + }, + "momentous": { + "CHS": "重要的;重大的", + "ENG": "a momentous event, change, or decision is very important because it will have a great influence on the future" + }, + "catalog": { + "CHS": "登记;为…编目录" + }, + "cell": { + "CHS": "住在牢房或小室中" + }, + "moo": { + "CHS": "牛叫声" + }, + "severely": { + "CHS": "严重地;严格地,严厉地;纯朴地", + "ENG": "very badly or to a great degree" + }, + "pedal": { + "CHS": "脚的;脚踏的", + "ENG": "of or relating to the foot or feet " + }, + "quietus": { + "CHS": "解除;偿清;生命的终止;寂灭" + }, + "importunate": { + "CHS": "强求的,纠缠不休的", + "ENG": "continuously asking for things in an annoying or unreasonable way" + }, + "salutary": { + "CHS": "有益的,有用的;有益健康的", + "ENG": "a salutary experience is unpleasant but teaches you something" + }, + "aberration": { + "CHS": "失常;离开正路,越轨", + "ENG": "An aberration is an incident or way of behaving that is not typical" + }, + "inestimable": { + "CHS": "无价的;难以估计的", + "ENG": "too much or too great to be calculated" + }, + "insatiable": { + "CHS": "贪得无厌的;不知足的", + "ENG": "always wanting more and more of something" + }, + "shrewd": { + "CHS": "精明(的人);机灵(的人)" + }, + "sensational": { + "CHS": "轰动的;耸人听闻的;非常好的;使人感动的", + "ENG": "very interesting, exciting, and surprising" + }, + "assurance": { + "CHS": "保证,担保;(人寿)保险;确信;断言;厚脸皮,无耻", + "ENG": "a promise that something will definitely happen or is definitely true, made especially to make someone less worried" + }, + "frank": { + "CHS": "免费邮寄" + }, + "juxtapose": { + "CHS": "并列;并置", + "ENG": "to put things together, especially things that are not normally together, in order to compare them or to make something new" + }, + "data": { + "CHS": "数据(datum的复数);资料", + "ENG": "information or facts" + }, + "recapture": { + "CHS": "夺回;取回;政府对公司超额收益或利润的征收" + }, + "alleged": { + "CHS": "宣称(allege的过去式和过去分词);断言" + }, + "witness": { + "CHS": "目击;证明;为…作证", + "ENG": "to see something happen, especially a crime or accident" + }, + "entrance": { + "CHS": "使出神,使入迷", + "ENG": "if someone or something entrances you, they make you give them all your attention because they are so beautiful, interesting etc" + }, + "reprehensible": { + "CHS": "应斥责的;应该谴责的", + "ENG": "reprehensible behaviour is very bad and deserves criticism" + }, + "browbeat": { + "CHS": "恫吓,吓唬;欺侮", + "ENG": "to try to make someone do something, especially in a threatening way" + }, + "explicate": { + "CHS": "说明,解释", + "ENG": "to explain an idea in detail" + }, + "vivacity": { + "CHS": "活泼;快活;精神充沛" + }, + "cabal": { + "CHS": "策划阴谋" + }, + "equation": { + "CHS": "方程式,等式;相等;[化学] 反应式", + "ENG": "a statement in mathematics that shows that two amounts or totals are equal" + }, + "perspicacity": { + "CHS": "洞察力;聪颖;睿智" + }, + "nuance": { + "CHS": "细微差别", + "ENG": "a very slight, hardly noticeable difference in manner, colour, meaning etc" + }, + "electrification": { + "CHS": "电气化;带电;充电", + "ENG": "The electrification of a house, town, or area is the connecting of that place to a supply of electricity" + }, + "proton": { + "CHS": "[物] 质子", + "ENG": "a very small piece of matter with a positive electrical charge that is in the central part of an atom" + }, + "bedaub": { + "CHS": "俗气地装饰;涂污" + }, + "beneficence": { + "CHS": "慈善;善行;捐款", + "ENG": "the act of doing good; kindness " + }, + "terminus": { + "CHS": "终点;终点站;界标;界石", + "ENG": "the station or stop at the end of a railway or bus line" + }, + "presage": { + "CHS": "预感;预言", + "ENG": "to be a sign that something is going to happen, especially something bad" + }, + "territorial": { + "CHS": "地方自卫队士兵" + }, + "navigate": { + "CHS": "驾驶,操纵;使通过;航行于", + "ENG": "to sail along a river or other area of water" + }, + "posthumous": { + "CHS": "死后的;遗腹的;作者死后出版的", + "ENG": "happening, printed etc after someone’s death" + }, + "brag": { + "CHS": "吹牛,自夸", + "ENG": "to talk too proudly about what you have done, what you own etc – used to show disapproval" + }, + "brae": { + "CHS": "斜坡;山坡", + "ENG": "a hill or hillside; slope " + }, + "credence": { + "CHS": "信任;凭证;祭器台(等于credence table,credenza)", + "ENG": "the acceptance of something as true" + }, + "stifle": { + "CHS": "(马等的)后膝关节;(马等的)[动] 后膝关节病" + }, + "transmute": { + "CHS": "使变形;使变质", + "ENG": "to change one substance or type of thing into another" + }, + "pertinacity": { + "CHS": "顽固;执拗" + }, + "altercation": { + "CHS": "争执", + "ENG": "a short noisy argument" + }, + "essence": { + "CHS": "本质,实质;精华;香精", + "ENG": "the most basic and important quality of something" + }, + "oversee": { + "CHS": "监督;审查;俯瞰;偷看到,无意中看到", + "ENG": "to be in charge of a group of workers and check that a piece of work is done satisfactorily" + }, + "bray": { + "CHS": "驴叫声;喇叭声", + "ENG": "the loud harsh sound uttered by a donkey " + }, + "inborn": { + "CHS": "天生的;先天的", + "ENG": "an inborn quality or ability is one you have had naturally since birth" + }, + "blandishment": { + "CHS": "奉承;谄媚;哄诱" + }, + "impropriety": { + "CHS": "不适当;不正确;用词错误;[审计] 不正当行为", + "ENG": "behaviour or an action that is wrong or unacceptable according to moral, social, or professional standards" + }, + "contemptuous": { + "CHS": "轻蔑的;侮辱的", + "ENG": "showing that you think someone or something deserves no respect" + }, + "mirage": { + "CHS": "海市蜃楼;幻想,妄想", + "ENG": "an effect caused by hot air in a desert, which makes you think that you can see objects when they are not actually there" + }, + "exhilarate": { + "CHS": "使高兴,使振奋;使愉快", + "ENG": "to make lively and cheerful; gladden; elate " + }, + "emanate": { + "CHS": "放射(过去式emanated,过去分词emanated,现在分词emanating,第三人称单数emanates,形容词emanative);发散", + "ENG": "If a quality emanates from you, or if you emanate a quality, you give people a strong sense that you have that quality" + }, + "expand": { + "CHS": "扩张;使膨胀;详述", + "ENG": "if a company, business etc expands, or if someone expands it, they open new shops, factories etc" + }, + "hydroxide": { + "CHS": "[无化] 氢氧化物;羟化物", + "ENG": "a chemical compound that contains an oxygen atom combined with a hydrogen atom" + }, + "indigenous": { + "CHS": "本土的;土著的;国产的;固有的", + "ENG": "indigenous people or things have always been in the place where they are, rather than being brought there from somewhere else" + }, + "incipient": { + "CHS": "初期的;初始的;起初的;发端的", + "ENG": "starting to happen or exist" + }, + "collapse": { + "CHS": "倒塌;失败;衰竭", + "ENG": "a sudden failure in the way something works, so that it cannot continue" + }, + "boisterous": { + "CHS": "喧闹的;狂暴的;猛烈的", + "ENG": "someone, especially a child, who is boisterous makes a lot of noise and has a lot of energy" + }, + "maintenance": { + "CHS": "维护,维修;保持;生活费用", + "ENG": "the repairs, painting etc that are necessary to keep something in good condition" + }, + "alternative": { + "CHS": "二中择一;供替代的选择", + "ENG": "something you can choose to do or use instead of something else" + }, + "venal": { + "CHS": "(Venal)人名;(英)维纳尔" + }, + "emerge": { + "CHS": "浮现;摆脱;暴露", + "ENG": "to appear or come out from somewhere" + }, + "inalterable": { + "CHS": "不变的;不能变更的", + "ENG": "not alterable; unalterable " + }, + "concupiscence": { + "CHS": "强烈的邪欲", + "ENG": "strong desire, esp sexual desire " + }, + "mediocre": { + "CHS": "普通的;平凡的;中等的", + "ENG": "not very good" + }, + "prosaic": { + "CHS": "平凡的,乏味的;散文体的", + "ENG": "boring or ordinary" + }, + "comparative": { + "CHS": "比较级;对手", + "ENG": "the form of an adjective or adverb that shows an increase in size, degree etc when something is considered in relation to something else. For example, ‘bigger’ is the comparative of ‘big’, and ‘more slowly’ is the comparative of ‘slowly’" + }, + "repel": { + "CHS": "击退;抵制;使厌恶;使不愉快", + "ENG": "if something repels you, it is so unpleasant that you do not want to be near it, or it makes you feel ill" + }, + "commensurate": { + "CHS": "相称的;同量的;同样大小的", + "ENG": "matching something in size, quality, or length of time" + }, + "overdose": { + "CHS": "药量过多(等于overdosage)", + "ENG": "too much of a drug taken at one time" + }, + "solace": { + "CHS": "安慰;抚慰;使快乐(过去式solaced,过去分词solaced,现在分词solacing,第三人称单数solaces)" + }, + "clumsy": { + "CHS": "笨拙的", + "ENG": "moving or doing things in a careless way, especially so that you drop things, knock into things etc" + }, + "liquor": { + "CHS": "使喝醉" + }, + "harangue": { + "CHS": "向…滔滔不绝地演讲;大声训斥" + }, + "weight": { + "CHS": "加重量于,使变重", + "ENG": "If you weight something, you make it heavier by adding something to it, for example, in order to stop it from moving easily" + }, + "density": { + "CHS": "密度", + "ENG": "the degree to which an area is filled with people or things" + }, + "stratagem": { + "CHS": "策略;计谋", + "ENG": "a trick or plan to deceive an enemy or gain an advantage" + }, + "perception": { + "CHS": "知觉;[生理] 感觉;看法;洞察力;获取", + "ENG": "Your perception of something is the way that you think about it or the impression you have of it" + }, + "transience": { + "CHS": "短暂;无常;顷刻(等于transiency)" + }, + "carcass": { + "CHS": "(人或动物的)尸体;残骸;(除脏去头备食用的)畜体", + "ENG": "the body of a dead animal" + }, + "impassive": { + "CHS": "冷漠的;无感觉的", + "ENG": "not showing any emotion" + }, + "phlegmatic": { + "CHS": "冷淡的;迟钝的;冷漠的" + }, + "pyromania": { + "CHS": "放火狂;纵火癖", + "ENG": "the uncontrollable impulse and practice of setting things on fire " + }, + "withhold": { + "CHS": "保留,不给;隐瞒;抑制" + }, + "elliptical": { + "CHS": "椭圆的;省略的", + "ENG": "having the shape of an ellipse" + }, + "galore": { + "CHS": "丰富的;大量的", + "ENG": "in large amounts or numbers" + }, + "bumptious": { + "CHS": "傲慢的;瞎自夸的", + "ENG": "offensively self-assertive or conceited " + }, + "pedestrian": { + "CHS": "行人;步行者", + "ENG": "someone who is walking, especially along a street or other place used by cars" + }, + "nefarious": { + "CHS": "邪恶的;穷凶极恶的;不法的", + "ENG": "evil or criminal" + }, + "pillory": { + "CHS": "示众;颈手枷;使惹人嘲笑", + "ENG": "a wooden frame with holes for someone’s head and hands to be locked into, used in the past as a way of publicly punishing someone" + }, + "incisive": { + "CHS": "深刻的;敏锐的;锋利的", + "ENG": "You use incisive to describe a person, their thoughts, or their speech when you approve of their ability to think and express their ideas clearly, briefly, and forcefully" + }, + "aspirant": { + "CHS": "上进的;有野心的", + "ENG": "Aspirant means the same as " + }, + "injurious": { + "CHS": "有害的;诽谤的", + "ENG": "causing injury, harm, or damage" + }, + "ameliorate": { + "CHS": "改善;减轻(痛苦等);改良", + "ENG": "to make a bad situation better or less harmful" + }, + "scarcity": { + "CHS": "不足;缺乏", + "ENG": "a situation in which there is not enough of something" + }, + "illusion": { + "CHS": "幻觉,错觉;错误的观念或信仰", + "ENG": "an idea or opinion that is wrong, especially about yourself" + }, + "humid": { + "CHS": "潮湿的;湿润的;多湿气的", + "ENG": "if the weather is humid, you feel uncomfortable because the air is very wet and usually hot" + }, + "proclamation": { + "CHS": "公告;宣布;宣告;公布", + "ENG": "an official public statement about something that is important, or when someone makes such a statement" + }, + "gloat": { + "CHS": "幸灾乐祸;贪婪的盯视;洋洋得意" + }, + "vortex": { + "CHS": "[航][流] 涡流;漩涡;(动乱,争论等的)中心;旋风", + "ENG": "a mass of wind or water that spins quickly and pulls things into its centre" + }, + "vogue": { + "CHS": "时髦的,流行的" + }, + "admonition": { + "CHS": "警告", + "ENG": "a warning or expression of disapproval about someone’s behaviour" + }, + "cholera": { + "CHS": "[内科] 霍乱", + "ENG": "a serious disease that causes sickness and sometimes death. It is caused by eating infected food or drinking infected water." + }, + "cohesive": { + "CHS": "凝聚的;有结合力的;紧密结合的;有粘着力的", + "ENG": "connected or related in a reasonable way to form a whole" + }, + "cadence": { + "CHS": "节奏;韵律;抑扬顿挫", + "ENG": "the way someone’s voice rises and falls, especially when reading out loud" + }, + "elude": { + "CHS": "逃避,躲避", + "ENG": "to escape from someone or something, especially by tricking them" + }, + "omnipotent": { + "CHS": "无所不能的;全能的;有无限权力的", + "ENG": "able to do everything" + }, + "hackneyed": { + "CHS": "出租(马匹、马车等);役使(hackney的过去式)" + }, + "coagulant": { + "CHS": "[建][化工] 促凝剂;凝血剂;凝结剂", + "ENG": "a substance that aids or produces coagulation " + }, + "reverent": { + "CHS": "虔诚的;恭敬的;尊敬的", + "ENG": "showing a lot of respect and admiration" + }, + "sinister": { + "CHS": "阴险的;凶兆的;灾难性的;左边的", + "ENG": "making you feel that something evil, dangerous, or illegal is happening or will happen" + }, + "dilatory": { + "CHS": "拖拉的;缓慢的,不慌不忙的", + "ENG": "slow in doing something" + }, + "aggregate": { + "CHS": "聚合的;集合的;合计的", + "ENG": "being the total amount of something after all the figures or points have been added together" + }, + "preponderate": { + "CHS": "(在重量、数量、力量等方面)占优势", + "ENG": "to be more important or frequent than something else" + }, + "altitude": { + "CHS": "高地;高度;[数] 顶垂线;(等级和地位等的)高级;海拔", + "ENG": "the height of an object or place above the sea" + }, + "perceptive": { + "CHS": "感知的,知觉的;有知觉力的", + "ENG": "If you describe a person or their remarks or thoughts as perceptive, you think that they are good at noticing or realizing things, especially things that are not obvious" + }, + "obstruct": { + "CHS": "妨碍;阻塞;遮断", + "ENG": "to block a road, passage etc" + }, + "discountenance": { + "CHS": "不赞成", + "ENG": "disapproval " + }, + "center": { + "CHS": "中央的,位在正中的" + }, + "ether": { + "CHS": "乙醚;[有化] 以太;苍天;天空醚", + "ENG": "a clear liquid used in the past as an anaesthetic to make people sleep before an operation" + }, + "advisory": { + "CHS": "报告;公告", + "ENG": "an official warning or notice that gives information about a dangerous situation" + }, + "behold": { + "CHS": "瞧;看呀" + }, + "prerogative": { + "CHS": "有特权的" + }, + "irreparable": { + "CHS": "不能挽回的;不能修补的", + "ENG": "irreparable damage, harm etc is so bad that it can never be repaired or made better" + }, + "soluble": { + "CHS": "[化学] 可溶的,可溶解的;可解决的", + "ENG": "a soluble substance can be dissolved in a liquid" + }, + "cohesion": { + "CHS": "凝聚;结合;[力] 内聚力", + "ENG": "if there is cohesion among a group of people, a set of ideas etc, all the parts or members of it are connected or related in a reasonable way to form a whole" + }, + "awkward": { + "CHS": "尴尬的;笨拙的;棘手的;不合适的", + "ENG": "making you feel embarrassed so that you are not sure what to do or say" + }, + "ascent": { + "CHS": "上升;上坡路;登高", + "ENG": "the act of climbing something or moving upwards" + }, + "ambitious": { + "CHS": "野心勃勃的;有雄心的;热望的;炫耀的", + "ENG": "determined to be successful, rich, powerful etc" + }, + "imaginative": { + "CHS": "富于想象的;有创造力的", + "ENG": "containing new and interesting ideas" + }, + "tempt": { + "CHS": "诱惑;引起;冒…的风险;使感兴趣", + "ENG": "to make someone want to have or do something, even though they know they really should not" + }, + "pipette": { + "CHS": "用移液器吸取", + "ENG": "to transfer or measure out (a liquid) using a pipette " + }, + "celibate": { + "CHS": "独身的;禁欲的", + "ENG": "not married and not having sex, especially because of your religious beliefs" + }, + "brevity": { + "CHS": "简洁,简短;短暂,短促", + "ENG": "the quality of expressing something in very few words" + }, + "intentional": { + "CHS": "故意的;蓄意的;策划的", + "ENG": "done deliberately and usually intended to cause harm" + }, + "overwhelming": { + "CHS": "压倒;淹没(overwhelm的ing形式);制服", + "ENG": "" + }, + "culmination": { + "CHS": "顶点;高潮", + "ENG": "something, especially something important, that happens at the end of a long period of effort or development" + }, + "malignancy": { + "CHS": "恶性(肿瘤等);恶意", + "ENG": "a tumour " + }, + "impair": { + "CHS": "损害;削弱;减少", + "ENG": "to damage something or make it not as good as it should be" + }, + "reaction": { + "CHS": "反应,感应;反动,复古;反作用", + "ENG": "something that you feel or do because of something that has happened or been said" + }, + "collaboration": { + "CHS": "合作;勾结;通敌", + "ENG": "when you work together with another person or group to achieve something, especially in science or art" + }, + "habitude": { + "CHS": "习俗;习惯", + "ENG": "habit or tendency " + }, + "attest": { + "CHS": "证明;证实;为…作证", + "ENG": "to show or prove that something is true" + }, + "stingy": { + "CHS": "吝啬的,小气的;有刺的;缺乏的", + "ENG": "not generous, especially with money" + }, + "overpass": { + "CHS": "天桥;陆桥" + }, + "circumlocution": { + "CHS": "婉转曲折的说法,累赘的陈述;遁辞", + "ENG": "the practice of using too many words to express an idea, instead of saying it directly" + }, + "proctor": { + "CHS": "监督", + "ENG": "to invigilate (an examination) " + }, + "impotent": { + "CHS": "无力的;无效的;虚弱的;阳萎的", + "ENG": "unable to take effective action because you do not have enough power, strength, or control" + }, + "contest": { + "CHS": "竞赛;争夺;争论", + "ENG": "a competition or a situation in which two or more people or groups are competing with each other" + }, + "escalate": { + "CHS": "逐步增强;逐步升高", + "ENG": "to become higher or increase, or to make something do this" + }, + "regnant": { + "CHS": "统治的;占优势的;流行的,广泛的" + }, + "version": { + "CHS": "版本;译文;倒转术", + "ENG": "a copy of something that has been changed so that it is slightly different" + }, + "extrude": { + "CHS": "挤出,压出;使突出;逐出", + "ENG": "to push or force something out through a hole" + }, + "rectangle": { + "CHS": "矩形;长方形", + "ENG": "a shape that has four straight sides, two of which are usually longer than the other two, and four 90˚ angles at the corners" + }, + "apprentice": { + "CHS": "使…当学徒" + }, + "tendency": { + "CHS": "倾向,趋势;癖好", + "ENG": "if someone or something has a tendency to do or become a particular thing, they are likely to do or become it" + }, + "acquired": { + "CHS": "取得;捕获(acquire的过去分词)", + "ENG": "If you acquire something, you buy or obtain it for yourself, or someone gives it to you" + }, + "smelt": { + "CHS": "香鱼;胡瓜鱼" + }, + "elongate": { + "CHS": "伸长的;延长的" + }, + "campaign": { + "CHS": "运动;活动;战役", + "ENG": "a series of actions intended to achieve a particular result relating to politics or business, or a social improvement" + }, + "alchemy": { + "CHS": "点金术;魔力", + "ENG": "a science studied in the Middle Ages, that involved trying to change ordinary metals into gold" + }, + "ubiquitous": { + "CHS": "普遍存在的;无所不在的", + "ENG": "seeming to be everywhere – sometimes used humorously" + }, + "mastermind": { + "CHS": "优秀策划者;才子" + }, + "voracious": { + "CHS": "贪婪的;贪吃的;狼吞虎咽的", + "ENG": "eating or wanting large quantities of food" + }, + "trigger": { + "CHS": "扳机;[电子] 触发器;制滑机", + "ENG": "the part of a gun that you pull with your finger to fire it" + }, + "corporal": { + "CHS": "下士", + "ENG": "a low rank in the army, air force etc" + }, + "blaspheme": { + "CHS": "亵渎;咒骂,辱骂", + "ENG": "to speak in a way that insults God or people’s religious beliefs, or to use the names of God and holy things when swearing" + }, + "slit": { + "CHS": "裂缝;投币口", + "ENG": "A slit is a long narrow opening in something" + }, + "thermometer": { + "CHS": "温度计;体温计", + "ENG": "a piece of equipment that measures the temperature of the air, of your body etc" + }, + "lyric": { + "CHS": "抒情诗;歌词", + "ENG": "the words of a song" + }, + "collagen": { + "CHS": "[生化] 胶原,胶原质", + "ENG": "a protein found in people and animals. It is often used in beauty products and treatments to make people look younger and more attractive." + }, + "Aluminum": { + "CHS": "铝" + }, + "aeronaut": { + "CHS": "飞船或气球驾驶员;飞船或气球乘客" + }, + "rhetorical": { + "CHS": "修辞的;修辞学的;夸张的", + "ENG": "using speech or writing in special ways in order to persuade people or to produce an impressive effect" + }, + "juridical": { + "CHS": "司法的;法院的;裁判上的", + "ENG": "relating to judges or the law" + }, + "aerosol": { + "CHS": "喷雾的;喷雾器的" + }, + "spartan": { + "CHS": "斯巴达人;勇士" + }, + "inveigh": { + "CHS": "痛骂;漫骂;猛烈抨击", + "ENG": "If you inveigh against something, you criticize it strongly" + }, + "plebeian": { + "CHS": "平民;百姓;粗俗的人", + "ENG": "an insulting word for someone who is from a low social class" + }, + "remorse": { + "CHS": "懊悔;同情", + "ENG": "a strong feeling of being sorry that you have done something very bad" + }, + "comprehensible": { + "CHS": "可理解的", + "ENG": "easy to understand" + }, + "spectacle": { + "CHS": "景象;场面;奇观;壮观;公开展示;表相,假相 n(复)眼镜", + "ENG": "a very impressive show or scene" + }, + "impact": { + "CHS": "挤入,压紧;撞击;对…产生影响", + "ENG": "to have an important or noticeable effect on someone or something" + }, + "tact": { + "CHS": "机智;老练;圆滑;鉴赏力" + }, + "imprudent": { + "CHS": "轻率的,鲁莽的;不小心的", + "ENG": "not sensible or wise" + }, + "cooling": { + "CHS": "冷却" + }, + "power": { + "CHS": "借影响有权势人物以操纵权力的", + "ENG": "clothes which you wear at work to make you look important or confident" + }, + "remembrance": { + "CHS": "回想,回忆;纪念品;记忆力", + "ENG": "a memory that you have of a person or event" + }, + "dais": { + "CHS": "讲台", + "ENG": "a low stage in a room that you stand on when you are making a speech or performing, so that people can see and hear you" + }, + "pastoral": { + "CHS": "牧歌;田园诗;田园景色" + }, + "hazardous": { + "CHS": "有危险的;冒险的;碰运气的", + "ENG": "dangerous, especially to people’s health or safety" + }, + "redolent": { + "CHS": "芬芳的;有…香味的;令人想起…的", + "ENG": "making you think of something" + }, + "irreversible": { + "CHS": "不可逆的;不能取消的;不能翻转的", + "ENG": "irreversible damage, change etc is so serious or so great that you cannot change something back to how it was before" + }, + "preponderant": { + "CHS": "占优势的;突出的;压倒性的", + "ENG": "greater in weight, force, influence, etc " + }, + "cartilage": { + "CHS": "软骨", + "ENG": "a strong substance that can bend, which is around the joints in your body and in your outer ear" + }, + "spurious": { + "CHS": "假的;伪造的;欺骗的", + "ENG": "insincere" + }, + "misnomer": { + "CHS": "用词不当;误称;写错姓名", + "ENG": "a wrong or unsuitable name" + }, + "antiseptic": { + "CHS": "防腐剂,抗菌剂", + "ENG": "a medicine that you put onto a wound to stop it from becoming infected" + }, + "collective": { + "CHS": "集团;集合体;集合名词" + }, + "prevalent": { + "CHS": "流行的;普遍的,广传的", + "ENG": "common at a particular time, in a particular place, or among a particular group of people" + }, + "queasy": { + "CHS": "呕吐的;不稳定的;催吐的", + "ENG": "feeling that you are going to vomit" + }, + "delusion": { + "CHS": "迷惑,欺骗;错觉;幻想", + "ENG": "a false belief about yourself or the situation you are in" + }, + "catabolism": { + "CHS": "[生化] 分解代谢", + "ENG": "a metabolic process in which complex molecules are broken down into simple ones with the release of energy; destructive metabolism " + }, + "kiln": { + "CHS": "(砖,石灰等的)窑;炉;干燥炉", + "ENG": "a special oven for baking clay pots, bricks etc" + }, + "bide": { + "CHS": "等待;面临;禁得起", + "ENG": "to wait until the right moment to do something" + }, + "subjective": { + "CHS": "主观的;个人的;自觉的", + "ENG": "a state-ment, report, attitude etc that is subjective is influenced by personal opinion and can therefore be unfair" + }, + "monetary": { + "CHS": "货币的;财政的", + "ENG": "relating to money, especially all the money in a particular country" + }, + "filter": { + "CHS": "滤波器;[化工] 过滤器;筛选;滤光器", + "ENG": "something that you pass water, air etc through in order to remove unwanted substances and make it clean or suitable to use" + }, + "incorrigible": { + "CHS": "不可救药的人" + }, + "chivalry": { + "CHS": "骑士精神(复数chivalries);骑士制度", + "ENG": "behaviour that is honourable, kind, generous, and brave, especially men’s behaviour towards women" + }, + "constituent": { + "CHS": "构成的;选举的", + "ENG": "being one of the parts of something" + }, + "redoubtable": { + "CHS": "可怕的;令人敬畏的", + "ENG": "someone who is redoubtable is a person you respect or fear" + }, + "invaluable": { + "CHS": "无价的;非常贵重的", + "ENG": "If you describe something as invaluable, you mean that it is extremely useful" + }, + "surrogate": { + "CHS": "代理的;替代的", + "ENG": "a surrogate person or thing is one that takes the place of someone or something else" + }, + "esophagus": { + "CHS": "[解剖] 食管;[解剖] 食道" + }, + "parameter": { + "CHS": "参数;系数;参量", + "ENG": "Parameters are factors or limits that affect the way something can be done or made" + }, + "dissemble": { + "CHS": "掩饰,掩盖;假装", + "ENG": "to hide your true feelings, thoughts etc" + }, + "order": { + "CHS": "命令;整理;定购", + "ENG": "to tell someone that they must do something, especially using your official power or authority" + }, + "appellate": { + "CHS": "上诉的;受理上诉的", + "ENG": "of or relating to appeals " + }, + "psychic": { + "CHS": "灵媒;巫师" + }, + "scapegoat": { + "CHS": "使成为…的替罪羊", + "ENG": "To scapegoat someone means to blame them publicly for something bad that has happened, even though it was not their fault" + }, + "conjecture": { + "CHS": "推测;揣摩", + "ENG": "to form an idea or opinion without having much information to base it on" + }, + "habitual": { + "CHS": "习惯的;惯常的;习以为常的", + "ENG": "doing something from habit, and unable to stop doing it" + }, + "requisite": { + "CHS": "必需品", + "ENG": "something that is needed for a particular purpose" + }, + "steadfast": { + "CHS": "坚定的;不变的", + "ENG": "being certain that you are right about something and refusing to change your opinion in any way" + }, + "exempt": { + "CHS": "免税者;被免除义务者" + }, + "depreciate": { + "CHS": "使贬值;贬低;轻视", + "ENG": "to decrease in value or price" + }, + "aurora": { + "CHS": "[地物] 极光;曙光", + "ENG": "an atmospheric phenomenon consisting of bands, curtains, or streamers of light, usually green, red, or yellow, that move across the sky in polar regions" + }, + "origin": { + "CHS": "起源;原点;出身;开端", + "ENG": "the place or situation in which something begins to exist" + }, + "unisonous": { + "CHS": "同音的;和谐的" + }, + "surcharge": { + "CHS": "追加罚款;使…装载过多;使…负担过重" + }, + "flamboyant": { + "CHS": "凤凰木" + }, + "assiduity": { + "CHS": "勤勉;刻苦;殷勤", + "ENG": "constant and close application " + }, + "stratify": { + "CHS": "分层;成层;使形成阶层", + "ENG": "to form or be formed in layers or strata " + }, + "composure": { + "CHS": "镇静;沉着", + "ENG": "the state of feeling or seeming calm" + }, + "decisive": { + "CHS": "决定性的;果断的,坚定的", + "ENG": "an action, event etc that is decisive has a big effect on the way that something develops" + }, + "administrator": { + "CHS": "管理人;行政官", + "ENG": "someone whose job involves managing the work of a company or organization" + }, + "context": { + "CHS": "环境;上下文;来龙去脉", + "ENG": "the situation, events, or information that are related to something and that help you to understand it" + }, + "forgery": { + "CHS": "伪造;伪造罪;伪造物", + "ENG": "a document, painting, or piece of paper money that has been copied illegally" + }, + "insinuate": { + "CHS": "暗示;使逐渐而巧妙地取得;使迂回地潜入", + "ENG": "to say something which seems to mean something unpleasant without saying it openly, especially suggesting that someone is being dishonest" + }, + "clientele": { + "CHS": "客户;诉讼委托人", + "ENG": "The clientele of a place or organization are its customers or clients" + } +} \ No newline at end of file diff --git a/modules/self_contained/wordle/words/TOFEL.json b/modules/self_contained/wordle/words/TOFEL.json new file mode 100644 index 00000000..00c5d2e2 --- /dev/null +++ b/modules/self_contained/wordle/words/TOFEL.json @@ -0,0 +1,35151 @@ +{ + "back": { + "CHS": "后退", + "ENG": "in the opposite direction from the way you are facing" + }, + "significant": { + "CHS": "重要的,意义重大的", + "ENG": "having an important effect or influence, especially on what will happen in the future" + }, + "skill": { + "CHS": "技能,技巧", + "ENG": "an ability to do something well, especially because you have learned and practised it" + }, + "public": { + "CHS": "公众", + "ENG": "ordinary people who do not work for the government or have any special position in society" + }, + "go": { + "CHS": "去,离开,进行", + "ENG": "to move in a particular way, or to do something as you are moving" + }, + "fish": { + "CHS": "钓鱼", + "ENG": "to try to catch fish" + }, + "set": { + "CHS": "放置,设定", + "ENG": "to carefully put something down somewhere" + }, + "once": { + "CHS": "一旦…(就…)", + "ENG": "from the time when something happens" + }, + "table": { + "CHS": "桌子,表格", + "ENG": "a piece of furniture with a flat top supported by legs" + }, + "demand": { + "CHS": "要求,需要", + "ENG": "the need or desire that people have for particular goods and services" + }, + "day": { + "CHS": "天,一昼夜,时期", + "ENG": "a period of 24 hours" + }, + "south": { + "CHS": "在南方", + "ENG": "in or to the southern part of England" + }, + "almost": { + "CHS": "几乎,差不多", + "ENG": "nearly, but not completely or not quite" + }, + "local": { + "CHS": "当地人", + "ENG": "someone who lives in the place where you are or the place that you are talking about" + }, + "open": { + "CHS": "开", + "ENG": "to move a door, window etc so that people, things, air etc can pass through, or to be moved in this way" + }, + "cover": { + "CHS": "盖子,封面", + "ENG": "the outer front or back part of a magazine, book etc" + }, + "purpose": { + "CHS": "目的,意图", + "ENG": "the purpose of something is what it is intended to achieve" + }, + "reach": { + "CHS": "范围", + "ENG": "the limit of someone’s power or ability to do something" + }, + "various": { + "CHS": "不同的,多样的,多方面的", + "ENG": "if there are various things, there are several different types of that thing" + }, + "late": { + "CHS": "迟,晚", + "ENG": "after the usual time" + }, + "sometime": { + "CHS": "以前的", + "ENG": "former" + }, + "function": { + "CHS": "运行,起作用", + "ENG": "to work in the correct or intended way" + }, + "able": { + "CHS": "能够…的,得以…的", + "ENG": "Someone who is able is very intelligent or very good at doing something" + }, + "allow": { + "CHS": "允许(…进入),同意给,承认", + "ENG": "to accept that something is correct or true, or that something is acceptable according to the rules or law" + }, + "middle": { + "CHS": "中部的,中间的", + "ENG": "nearest the centre and furthest from the edge, top, end etc" + }, + "home": { + "CHS": "家(乡)", + "ENG": "the house, apartment, or place where you live" + }, + "European": { + "CHS": "欧洲人", + "ENG": "someone from Europe" + }, + "reason": { + "CHS": "原因v分析,推理", + "ENG": "why something happens, or why someone does something" + }, + "rise": { + "CHS": "上升,升起", + "ENG": "to increase in number, amount, or value" + }, + "member": { + "CHS": "成员,会员", + "ENG": "a person or country that belongs to a group or organization" + }, + "toward": { + "CHS": "向,朝,接近" + }, + "house": { + "CHS": "给…房子住", + "ENG": "to provide someone with a place to live" + }, + "characteristic": { + "CHS": "特有的,典型的", + "ENG": "very typical of a particular thing or of someone’s character" + }, + "last": { + "CHS": "持续", + "ENG": "If an event, situation, or problem lasts for a particular length of time, it continues to exist or happen for that length of time" + }, + "location": { + "CHS": "位置,地点", + "ENG": "a particular place, especially in relation to other areas, buildings etc" + }, + "today": { + "CHS": "今天,现今", + "ENG": "the day that is happening now" + }, + "culture": { + "CHS": "文化,文明", + "ENG": "the beliefs, way of life, art, and customs that are shared and accepted by people in a particular society" + }, + "infant": { + "CHS": "婴儿", + "ENG": "a baby or very young child" + }, + "left": { + "CHS": "左边", + "ENG": "the side of your body that contains your heart" + }, + "recent": { + "CHS": "近来的,新近的", + "ENG": "having happened or started only a short time ago" + }, + "Europe": { + "CHS": "欧洲", + "ENG": "the continent that is north of the Mediterranean and goes as far east as the Ural Mountains in Russia" + }, + "family": { + "CHS": "家,家庭", + "ENG": "a group of people who are related to each other, especially a mother, a father, and their children" + }, + "site": { + "CHS": "使位于,设置", + "ENG": "If something is sited in a particular place or position, it is put there or built there" + }, + "incorrect": { + "CHS": "不正确的,错误的", + "ENG": "not correct or true" + }, + "agricultural": { + "CHS": "农业的", + "ENG": "Agricultural means involving or relating to agriculture" + }, + "generally": { + "CHS": "通常,普遍地", + "ENG": "by or to most people" + }, + "property": { + "CHS": "财产,所有物", + "ENG": "the thing or things that someone owns" + }, + "atmosphere": { + "CHS": "大气,空气,气氛", + "ENG": "the feeling that an event or place gives you" + }, + "themselves": { + "CHS": "他(她、它)们自己", + "ENG": "used to show that the people who do something are affected by their own action" + }, + "though": { + "CHS": "可是", + "ENG": "used after adding a fact, opinion, or question which seems surprising after what you have just said, or which makes what you have just said seem less true" + }, + "strong": { + "CHS": "强烈的,坚强的,强壮的", + "ENG": "having a lot of physical power so that you can lift heavy things, do hard physical work etc" + }, + "clear": { + "CHS": "变清澈", + "ENG": "if a liquid clears, it becomes more transparent and you can see through it" + }, + "reduce": { + "CHS": "减少,缩小", + "ENG": "to make something smaller or less in size, amount, or price" + }, + "deposit": { + "CHS": "存款,堆积物", + "ENG": "an amount of money that is paid into a bank account" + }, + "west": { + "CHS": "向西方", + "ENG": "towards the west" + }, + "thus": { + "CHS": "如此,因此", + "ENG": "as a result of something that you have just mentioned" + }, + "cannot": { + "CHS": "不能" + }, + "statement": { + "CHS": "陈述,声明", + "ENG": "something you say or write, especially publicly or officially, to let people know your intentions or opinions, or to record facts" + }, + "settle": { + "CHS": "解决,定居,安顿", + "ENG": "to end an argument or solve a disagreement" + }, + "melt": { + "CHS": "(使)融化,(使)消散,(使)逐渐消失", + "ENG": "if something solid melts or if heat melts it, it becomes liquid" + }, + "Pacific": { + "CHS": "太平洋", + "ENG": "The Pacific or the Pacific Ocean is a very large sea to the west of North and South America, and to the east of Asia and Australia" + }, + "available": { + "CHS": "可利用的,可得到的,有空的", + "ENG": "something that is available is able to be used or can easily be bought or found" + }, + "direct": { + "CHS": "对准,指导", + "ENG": "to aim something in a particular direction or at a particular person, group etc" + }, + "industry": { + "CHS": "工业,产业", + "ENG": "businesses that produce a particular type of thing or provide a particular service" + }, + "language": { + "CHS": "语言", + "ENG": "a system of communication by written or spoken words, which is used by the people of a particular country or area" + }, + "vary": { + "CHS": "改变,变化,使多样化", + "ENG": "if something varies, it changes depending on the situation" + }, + "glass": { + "CHS": "玻璃,玻璃杯,[pl]眼镜", + "ENG": "a transparent solid substance used for making windows, bottles etc" + }, + "range": { + "CHS": "变动,排列", + "ENG": "to put things in a particular order or position" + }, + "subject": { + "CHS": "使服从", + "ENG": "to force a country or group of people to be ruled by you, and control them very strictly" + }, + "deep": { + "CHS": "深深地", + "ENG": "a long way into or below the surface of something" + }, + "green": { + "CHS": "使…变绿", + "ENG": "to fill an area with growing plants in order to make it more attractive" + }, + "charge": { + "CHS": "指控,收费,充电", + "ENG": "to state officially that someone may be guilty of a crime" + }, + "travel": { + "CHS": "旅行,移动,传播", + "ENG": "to be passed quickly from one person or place to another" + }, + "dry": { + "CHS": "(使)变干", + "ENG": "to make something dry, or to become dry" + }, + "role": { + "CHS": "作用,角色", + "ENG": "the way in which someone or something is involved in an activity or situation, and how much influence they have on it" + }, + "establish": { + "CHS": "建立,确立,创办", + "ENG": "to start a company, organization, system, etc that is intended to exist or continue for a long time" + }, + "right": { + "CHS": "扶直,纠正", + "ENG": "exactly in a particular position or place" + }, + "lower": { + "CHS": "降下,放低", + "ENG": "to reduce something in amount, degree, strength etc, or to become less" + }, + "center": { + "CHS": "居中,使集中" + }, + "roman": { + "CHS": "罗马(的),罗马人(的)", + "ENG": "roman type or print " + }, + "tend": { + "CHS": "照料", + "ENG": "to look after someone or something" + }, + "longer": { + "CHS": "比较久(的)" + }, + "just": { + "CHS": "公平的", + "ENG": "morally right and fair" + }, + "lack": { + "CHS": "缺乏,不足", + "ENG": "when there is not enough of something, or none of it" + }, + "compare": { + "CHS": "比较", + "ENG": "a quality that is beyond compare is the best of its kind" + }, + "away": { + "CHS": "在远处,离去", + "ENG": "used to say that someone leaves a place or person, or stays some distance from a place or person" + }, + "insect": { + "CHS": "昆虫,虫", + "ENG": "a small creature such as a fly or ant, that has six legs, and sometimes wings" + }, + "experience": { + "CHS": "经历,经验", + "ENG": "knowledge or skill that you gain from doing a job or activity, or the process of doing this" + }, + "measure": { + "CHS": "测量", + "ENG": "to find the size, length, or amount of something, using standard units such as inch es ,metres etc" + }, + "replace": { + "CHS": "取代,替换,放回原处", + "ENG": "to start doing something instead of another person, or start being used instead of another thing" + }, + "attract": { + "CHS": "吸引", + "ENG": "to make someone interested in something, or make them want to take part in something" + }, + "snow": { + "CHS": "下雪", + "ENG": "if it snows, snow falls from the sky" + }, + "salt": { + "CHS": "腌,盐渍", + "ENG": "to add salt to food to preserve it" + }, + "hunt": { + "CHS": "狩猎,追捕,搜寻", + "ENG": "to look for someone or something very carefully" + }, + "clay": { + "CHS": "黏土,泥土", + "ENG": "a type of heavy sticky earth that can be used for making pots, bricks etc" + }, + "turn": { + "CHS": "转动,扭转,(使)变成", + "ENG": "to move your body so that you are looking in a different direction" + }, + "feature": { + "CHS": "以为特色,起作用", + "ENG": "to include or show something as a special or important part of something, or to be included as an important part" + }, + "marine": { + "CHS": "海(洋)的,海军(事)的", + "ENG": "relating to the sea and the creatures that live there" + }, + "weather": { + "CHS": "风化,经受风雨(侵蚀)", + "ENG": "if rock, wood, or someone’s face is weathered by the wind, sun, rain etc, or if it weathers, it changes colour or shape over a period of time" + }, + "popular": { + "CHS": "流行的,通俗的,受欢迎的", + "ENG": "liked by a lot of people" + }, + "consider": { + "CHS": "考虑,认为", + "ENG": "to think about something carefully, especially before making a choice or decision" + }, + "necessary": { + "CHS": "必需品", + "ENG": "things such as food or basic clothes that you need in order to live" + }, + "researcher": { + "CHS": "研究者,调查者" + }, + "upper": { + "CHS": "上面的,上部的", + "ENG": "in a higher position than something else" + }, + "wide": { + "CHS": "宽阔的,广泛的", + "ENG": "including or involving a large variety of different people, things, or situations" + }, + "forest": { + "CHS": "种植于" + }, + "current": { + "CHS": "趋势" + }, + "learn": { + "CHS": "学会,学习,得知", + "ENG": "to gain knowledge of a subject or skill, by experience, by studying it, or by being taught" + }, + "select": { + "CHS": "精选的", + "ENG": "a select group of people or things is a small special group that has been chosen carefully" + }, + "improve": { + "CHS": "改善,改进", + "ENG": "to make something better, or to become better" + }, + "western": { + "CHS": "西方人" + }, + "lake": { + "CHS": "湖", + "ENG": "a large area of water surrounded by land" + }, + "value": { + "CHS": "评估,重视", + "ENG": "to think that someone or something is important" + }, + "factory": { + "CHS": "工厂,制造厂", + "ENG": "a building or group of buildings in which goods are produced in large quantities, using machines" + }, + "school": { + "CHS": "教育", + "ENG": "to train or teach someone to have a certain skill, type of behaviour, or way of thinking" + }, + "warm": { + "CHS": "变暖,使暖和", + "ENG": "to make someone or something warm or warmer, or to become warm or warmer" + }, + "scientific": { + "CHS": "科学的", + "ENG": "about or related to science, or using its methods" + }, + "raise": { + "CHS": "升起,举起,提出", + "ENG": "to move or lift something to a higher position, place, or level" + }, + "political": { + "CHS": "政治的,政党的", + "ENG": "Political means relating to the way power is achieved and used in a country or society" + }, + "maintain": { + "CHS": "维持,保持", + "ENG": "to make something continue in the same way or at the same standard as before" + }, + "ant": { + "CHS": "蚂蚁", + "ENG": "a small insect that lives in large groups" + }, + "affect": { + "CHS": "影响,作用", + "ENG": "to do something that produces an effect or change in something or in someone’s situation" + }, + "fit": { + "CHS": "适合,适应,安装", + "ENG": "to put a piece of equipment into a place, or a new part onto a machine, so that it is ready to be used" + }, + "periodic": { + "CHS": "周期的,定期的", + "ENG": "happening a number of times, usually at regular times" + }, + "metal": { + "CHS": "(以金属)覆盖、装配" + }, + "importance": { + "CHS": "重要(性)", + "ENG": "the quality of being important" + }, + "native": { + "CHS": "本地人", + "ENG": "a person who was born in a particular place" + }, + "identify": { + "CHS": "识别,鉴定", + "ENG": "to recognize and correctly name someone or something" + }, + "valley": { + "CHS": "山谷", + "ENG": "an area of lower land between two lines of hills or mountains, usually with a river flowing through it" + }, + "specific": { + "CHS": "特定的,具体的", + "ENG": "a specific thing, person, or group is one particular thing, person, or group" + }, + "short": { + "CHS": "短的,矮的", + "ENG": "happening or continuing for only a little time or for less time than usual" + }, + "foot": { + "CHS": "足,脚", + "ENG": "the part of your body that you stand on and walk on" + }, + "style": { + "CHS": "风格,式样", + "ENG": "a particular way of doing, designing, or producing something, especially one that is typical of a particular place, period of time, or group of people" + }, + "hard": { + "CHS": "努力地,强烈地", + "ENG": "using a lot of effort, energy, or attention" + }, + "origin": { + "CHS": "起源,来源", + "ENG": "the place or situation in which something begins to exist" + }, + "grain": { + "CHS": "形成(颗粒),(用谷物)喂养" + }, + "national": { + "CHS": "国家的,民族的", + "ENG": "related to a whole nation as opposed to any of its parts" + }, + "near": { + "CHS": "接近的", + "ENG": "only a short distance away from someone or something" + }, + "person": { + "CHS": "人", + "ENG": "a human being, especially considered as someone with their own particular character" + }, + "primary": { + "CHS": "居首位的事物" + }, + "mammal": { + "CHS": "哺乳动物", + "ENG": "a type of animal that drinks milk from its mother’s body when it is young. Humans, dogs, and whales are mammals." + }, + "formation": { + "CHS": "形成,构成,编队", + "ENG": "the process of starting a new organization or group" + }, + "deer": { + "CHS": "鹿", + "ENG": "a large wild animal that can run very fast, eats grass, and has horns" + }, + "complex": { + "CHS": "复杂的,复合的", + "ENG": "consisting of many different parts and often difficult to understand" + }, + "past": { + "CHS": "过去", + "ENG": "used to say that an unpleasant experience has ended and can be forgotten" + }, + "say": { + "CHS": "说,表明", + "ENG": "to express an idea, feeling, thought etc using words" + }, + "flow": { + "CHS": "流动,淹没", + "ENG": "a smooth steady movement of liquid, gas, or electricity" + }, + "break": { + "CHS": "打破,弄坏", + "ENG": "to end a period of silence by talking or making a noise" + }, + "low": { + "CHS": "低(的),低下(的)" + }, + "seed": { + "CHS": "播种", + "ENG": "to give a player or team in a competition a particular position, according to how likely they are to win" + }, + "perhaps": { + "CHS": "也许,可能", + "ENG": "used to say that something may be true, but you are not sure" + }, + "steam": { + "CHS": "蒸汽v蒸,蒸发", + "ENG": "the hot mist that water produces when it is boiled" + }, + "picture": { + "CHS": "描绘,构想", + "ENG": "to describe something in a particular way" + }, + "east": { + "CHS": "向东方", + "ENG": "towards the east" + }, + "agriculture": { + "CHS": "农业,农学", + "ENG": "the practice or science of farming" + }, + "particle": { + "CHS": "微粒,极小量", + "ENG": "a very small piece of something" + }, + "aspect": { + "CHS": "方面,外观", + "ENG": "one part of a situation, idea, plan etc that has many parts" + }, + "industrial": { + "CHS": "工业的,产业的", + "ENG": "relating to industry or the people working in it" + }, + "field": { + "CHS": "田地,领域", + "ENG": "an area of land in the country, especially one where crops are grown or animals feed on grass" + }, + "experiment": { + "CHS": "尝试,做实验", + "ENG": "to try using various ideas, methods etc to find out how good or effective they are" + }, + "itself": { + "CHS": "它自己", + "ENG": "used to show that a thing, organization, animal, or baby that does something is affected by its own action" + }, + "relate": { + "CHS": "叙述,使有联系,有关联", + "ENG": "if two things relate, they are connected in some way" + }, + "yet": { + "CHS": "然而", + "ENG": "used to introduce a fact, situation, or quality that is surprising after what you have just said" + }, + "instrument": { + "CHS": "仪器,工具", + "ENG": "a small tool used in work such as science or medicine" + }, + "speed": { + "CHS": "加速,急行" + }, + "thousand": { + "CHS": "一千(个),许许多多,成千上万", + "ENG": "the number 1,000" + }, + "print": { + "CHS": "印刷,冲洗(照片)", + "ENG": "to produce many printed copies of a book, newspaper etc" + }, + "therefore": { + "CHS": "因此,所以", + "ENG": "as a result of something that has just been mentioned" + }, + "tradition": { + "CHS": "传统,惯例", + "ENG": "a belief, custom, or way of doing something that has existed for a long time, or these beliefs, customs etc in general" + }, + "goods": { + "CHS": "货物,商品", + "ENG": "things that are produced in order to be sold" + }, + "represent": { + "CHS": "代表,表现,描绘", + "ENG": "to officially speak or take action for another person or group of people" + }, + "iceberg": { + "CHS": "冰山,冷若冰霜的人", + "ENG": "a very large mass of ice floating in the sea, most of which is under the surface of the water" + }, + "our": { + "CHS": "我们的" + }, + "man": { + "CHS": "男人,人(类)", + "ENG": "an adult male human" + }, + "store": { + "CHS": "商店", + "ENG": "a place where goods are sold to the public. In British English, a store is large and sells many different things, but in American English, a store can be large or small, and sell many things or only one type of thing." + }, + "depend": { + "CHS": "依靠,取决于", + "ENG": "If you depend on someone or something, you need them in order to be able to survive physically, financially, or emotionally" + }, + "heavy": { + "CHS": "重的,大量的" + }, + "general": { + "CHS": "普遍的,概括的", + "ENG": "involving the whole of a situation, group, or thing, rather than specific parts of it" + }, + "story": { + "CHS": "故事,小说", + "ENG": "a description of how something happened, that is intended to entertain people, and may be true or imaginary" + }, + "technology": { + "CHS": "工艺,技术", + "ENG": "new machines, equipment, and ways of doing things that are based on modern knowledge about science and computers" + }, + "rain": { + "CHS": "下雨", + "ENG": "if it rains, drops of water fall from clouds in the sky" + }, + "contrast": { + "CHS": "对比,对照", + "ENG": "something that is very different from something else" + }, + "predator": { + "CHS": "掠夺者,食肉动物", + "ENG": "an animal that kills and eats other animals" + }, + "against": { + "CHS": "反对,逆,防御", + "ENG": "in the opposite direction to the movement or flow of something" + }, + "survive": { + "CHS": "活着,幸存", + "ENG": "to continue to live after an accident, war, or illness" + }, + "biological": { + "CHS": "生物(学)的", + "ENG": "relating to the natural processes performed by living things" + }, + "nature": { + "CHS": "自然(界),本性", + "ENG": "everything in the physical world that is not controlled by humans, such as wild plants and animals, earth and rocks, and the weather" + }, + "expression": { + "CHS": "措辞,表达", + "ENG": "something you say, write, or do that shows what you think or feel" + }, + "solar": { + "CHS": "太阳(能)的", + "ENG": "relating to the sun" + }, + "teacher": { + "CHS": "教师", + "ENG": "someone whose job is to teach, especially in a school" + }, + "off": { + "CHS": "掉(下),离开,停止", + "ENG": "away from a place" + }, + "town": { + "CHS": "城市,城镇", + "ENG": "a large area with houses, shops, offices etc where people live and work, that is smaller than a city and larger than a village" + }, + "architecture": { + "CHS": "建筑,建筑学", + "ENG": "the style and design of a building or buildings" + }, + "train": { + "CHS": "训练,培训", + "ENG": "to teach someone the skills of a particular job or activity, or to be taught these skills" + }, + "contribute": { + "CHS": "捐助,贡献", + "ENG": "to give money, help, ideas etc to something that a lot of other people are also involved in" + }, + "least": { + "CHS": "最小的,最少的" + }, + "pass": { + "CHS": "通过,经过", + "ENG": "to come up to a particular place, person, or object and go past them" + }, + "always": { + "CHS": "总是,一直,始终,", + "ENG": "all the time, at all times, or every time" + }, + "normal": { + "CHS": "正常的,正规的", + "ENG": "usual, typical, or expected" + }, + "mineral": { + "CHS": "矿物,矿石", + "ENG": "a substance that is formed naturally in the earth, such as coal, salt, stone, or gold. Minerals can be dug out of the ground and used" + }, + "primarily": { + "CHS": "主要地,起初地", + "ENG": "mainly" + }, + "knowledge": { + "CHS": "知识,学问", + "ENG": "the information, skills, and understanding that you have gained through learning or experience" + }, + "ask": { + "CHS": "询问,请求,邀请", + "ENG": "to speak or write to someone in order to get an answer, information, or a solution" + }, + "observe": { + "CHS": "注意到,观察,监视", + "ENG": "to see and notice some­thing" + }, + "simple": { + "CHS": "简单的,朴素的", + "ENG": "not difficult or complicated to do or understand" + }, + "slow": { + "CHS": "放慢,减速", + "ENG": "to become slower or to make something slower" + }, + "canal": { + "CHS": "运河,沟渠", + "ENG": "a long passage dug into the ground and filled with water, either for boats to travel along, or to take water to a place" + }, + "craft": { + "CHS": "工艺,手艺", + "ENG": "a job or activity in which you make things with your hands, and that you usually need skill to do" + }, + "name": { + "CHS": "命名", + "ENG": "to give someone or something a particular name" + }, + "reflect": { + "CHS": "反映,反射", + "ENG": "if a person or a thing is reflected in a mirror, glass, or water, you can see an image of the person or thing on the surface of the mirror, glass, or water" + }, + "addition": { + "CHS": "加,增加,附加物", + "ENG": "the act of adding something to something else" + }, + "argue": { + "CHS": "说服,争论,辩论", + "ENG": "to disagree with someone in words, often in an angry way" + }, + "draw": { + "CHS": "画,拖,移动", + "ENG": "to produce a picture of something using a pencil, pen etc" + }, + "theater": { + "CHS": "戏院,剧场" + }, + "above": { + "CHS": "在上面", + "ENG": "in a higher position than something else" + }, + "especially": { + "CHS": "特别,尤其", + "ENG": "used to emphasize that something is more important or happens more with one particular thing than with others" + }, + "central": { + "CHS": "中心的,主要的,重要的", + "ENG": "in the middle of an area or an object" + }, + "apply": { + "CHS": "申请,应用", + "ENG": "to make a formal request, usually written, for something such as a job, a place at a university, or permission to do something" + }, + "quickly": { + "CHS": "快速地", + "ENG": "fast" + }, + "every": { + "CHS": "每个,一切的,每隔", + "ENG": "Every is also an adjective" + }, + "successful": { + "CHS": "成功的,圆满的", + "ENG": "achieving what you wanted, or having the effect or result you intended" + }, + "frequent": { + "CHS": "频繁的,经常的", + "ENG": "happening or doing something often" + }, + "surround": { + "CHS": "包围,环绕", + "ENG": "to be all around someone or something on every side" + }, + "practice": { + "CHS": "练习", + "ENG": "when you do a particular thing, often regularly, in order to improve your skill at it" + }, + "introduce": { + "CHS": "介绍,引进", + "ENG": "if you introduce someone to another person, you tell them each other’s names for the first time" + }, + "aggressive": { + "CHS": "侵略的,进攻性的", + "ENG": "an aggressive disease spreads quickly in the body" + }, + "act": { + "CHS": "行为", + "ENG": "one thing that you do" + }, + "Canada": { + "CHS": "加拿大" + }, + "extreme": { + "CHS": "极端,过分", + "ENG": "a situation, quality etc which is as great as it can possibly be – used especially when talking about two opposites" + }, + "test": { + "CHS": "试验,测试", + "ENG": "a set of questions, exercises, or practical activities to measure someone’s skill, ability, or knowledge" + }, + "glacial": { + "CHS": "冰川(期)的,非常冷的", + "ENG": "relating to ice and glaciers, or formed by glaciers" + }, + "sense": { + "CHS": "感觉,意识到", + "ENG": "if you sense something, you feel that it exists or is true, without being told or having proof" + }, + "eat": { + "CHS": "吃", + "ENG": "to put food in your mouth and chew and swallow it" + }, + "single": { + "CHS": "单一的,单个的,独身的", + "ENG": "only one" + }, + "quality": { + "CHS": "质量,品质,性质", + "ENG": "how good or bad something is" + }, + "teach": { + "CHS": "讲授,教授", + "ENG": "to give lessons in a school, college, or university, or to help someone learn about something by giving them information" + }, + "continent": { + "CHS": "大陆,洲", + "ENG": "a large mass of land surrounded by sea" + }, + "cycle": { + "CHS": "骑自行(摩托)车,循环", + "ENG": "to travel by bicycle" + }, + "previous": { + "CHS": "以前的,先于,在之前", + "ENG": "A previous event or thing is one that happened or existed before the one that you are talking about" + }, + "northern": { + "CHS": "北方的,北部的", + "ENG": "in or from the north of a country or area" + }, + "separate": { + "CHS": "分开,隔开", + "ENG": "if something separates two places or two things, it is between them so that they are not touching each other" + }, + "cost": { + "CHS": "花费,使付出", + "ENG": "to make someone suffer a lot or to lose something important" + }, + "advantage": { + "CHS": "有利于" + }, + "transportation": { + "CHS": "运输(工具、系统)", + "ENG": "a system or method for carrying passengers or goods from one place to another" + }, + "discovery": { + "CHS": "发现,发现物", + "ENG": "a fact or thing that someone finds out about, when it was not known about before" + }, + "stream": { + "CHS": "涌流(出)", + "ENG": "to flow quickly and in great amounts" + }, + "obtain": { + "CHS": "获得,得到", + "ENG": "to get something that you want, especially through your own effort, skill, or work" + }, + "recognize": { + "CHS": "认出,确认,意识到", + "ENG": "to know who someone is or what something is, because you have seen, heard, experienced, or learned about them in the past" + }, + "parent": { + "CHS": "父母亲", + "ENG": "the father or mother of a person or animal" + }, + "hypothesis": { + "CHS": "假设", + "ENG": "an idea that is suggested as an explanation for something, but that has not yet been proved to be true" + }, + "England": { + "CHS": "英格兰" + }, + "rural": { + "CHS": "农村的", + "ENG": "happening in or relating to the countryside, not the city" + }, + "concern": { + "CHS": "有关于,使担心,", + "ENG": "if a story, book, report etc concerns someone or something, it is about them" + }, + "get": { + "CHS": "获得,得到", + "ENG": "to obtain something by finding it, asking for it, or paying for it" + }, + "substance": { + "CHS": "物质,实质,主旨", + "ENG": "a particular type of solid, liquid, or gas" + }, + "original": { + "CHS": "原始的,最初的", + "ENG": "existing or happening first, before other people or things" + }, + "easily": { + "CHS": "容易地", + "ENG": "without problems or difficulties" + }, + "channel": { + "CHS": "[常pl]通道,渠道", + "ENG": "a television station and all the programmes that it broadcasts" + }, + "belong": { + "CHS": "属于", + "ENG": "If something belongs to you, you own it" + }, + "construction": { + "CHS": "建造,结构", + "ENG": "the process of building things such as houses, bridges, roads etc" + }, + "swim": { + "CHS": "游泳", + "ENG": "to move yourself through water using your arms and legs" + }, + "southern": { + "CHS": "南的,南方的", + "ENG": "in or from the south of a country or area" + }, + "worth": { + "CHS": "价值", + "ENG": "an amount of something worth ten pounds, $500 etc" + }, + "run": { + "CHS": "跑,运转,经营", + "ENG": "to organize or be in charge of an activity, business, organization, or country" + }, + "imply": { + "CHS": "暗示, 意味", + "ENG": "to suggest that something is true, without saying this directly" + }, + "basic": { + "CHS": "基本的,基础的", + "ENG": "forming the most important or most necessary part of something" + }, + "internal": { + "CHS": "内在的,国内的", + "ENG": "within a particular country" + }, + "crystal": { + "CHS": "水晶", + "ENG": "very high quality clear glass" + }, + "explanation": { + "CHS": "解释,说明", + "ENG": "the reasons you give for why something happened or why you did something" + }, + "evolve": { + "CHS": "演变,进化,发展", + "ENG": "if an animal or plant evolves, it changes gradually over a long period of time" + }, + "hundred": { + "CHS": "百,[pl]数以百计", + "ENG": "completely" + }, + "start": { + "CHS": "开始,出发", + "ENG": "to do something that you were not doing before, and continue doing it" + }, + "beg": { + "CHS": "请求,乞求", + "ENG": "to ask for something in an anxious or urgent way, because you want it very much" + }, + "rapid": { + "CHS": "快的,迅速的", + "ENG": "happening or done very quickly and in a very short time" + }, + "quantity": { + "CHS": "量,数量", + "ENG": "an amount of something that can be counted or measured" + }, + "illustrate": { + "CHS": "说明,阐明", + "ENG": "to make the meaning of something clearer by giving examples" + }, + "locate": { + "CHS": "定位,把…设置在", + "ENG": "to put or build something in a particular place" + }, + "remove": { + "CHS": "移开,去除", + "ENG": "to take something away from, out of, or off the place where it is" + }, + "across": { + "CHS": "穿过,在对面" + }, + "whose": { + "CHS": "谁的,那(些)人的" + }, + "typical": { + "CHS": "典型的,有代表性的", + "ENG": "having the usual features or qualities of a particular group or thing" + }, + "matter": { + "CHS": "要紧", + "ENG": "to be important, especially to be important to you, or to have an effect on what happens" + }, + "resource": { + "CHS": "资源", + "ENG": "something such as useful land, or minerals such as oil or coal, that exists in a country and can be used to increase its wealth" + }, + "eastern": { + "CHS": "东方的,东部的", + "ENG": "in or from the east of a country or area" + }, + "half": { + "CHS": "一半,半个的", + "ENG": "one of two equal parts of something" + }, + "migration": { + "CHS": "移居,迁移", + "ENG": "when large numbers of people go to live in another area or country, especially in order to find work" + }, + "course": { + "CHS": "过程,课程", + "ENG": "a period of time or process during which something happens" + }, + "date": { + "CHS": "追溯到" + }, + "merchant": { + "CHS": "商人", + "ENG": "someone whose job is to buy and sell wine, coal etc, or a small company that does this" + }, + "face": { + "CHS": "面向,面对", + "ENG": "if you face or are faced with a difficult situation, or if a difficult situation faces you, it is going to affect you and you must deal with it" + }, + "coast": { + "CHS": "海岸,海滨", + "ENG": "the area where the land meets the sea" + }, + "machine": { + "CHS": "机器,机械", + "ENG": "a piece of equipment with moving parts that uses power such as electricity to do a particular job" + }, + "claim": { + "CHS": "声称,要求", + "ENG": "to state that something is true, even though it has not been proved" + }, + "religious": { + "CHS": "宗教的", + "ENG": "relating to religion in general or to a particular religion" + }, + "twentieth": { + "CHS": "第二十,二十分之一" + }, + "throughout": { + "CHS": "始终", + "ENG": "Throughout is also an adverb" + }, + "special": { + "CHS": "特别的,特殊的", + "ENG": "not ordinary or usual, but different in some way and often better or more important" + }, + "plate": { + "CHS": "盘子,碟", + "ENG": "used in the names of sports competitions or races in which the winner gets a silver plate …" + }, + "mark": { + "CHS": "做标记", + "ENG": "to write or draw on something, so that someone will notice what you have written" + }, + "atomic": { + "CHS": "原子的,原子能的", + "ENG": "relating to the energy produced by splitting atoms or the weapons that use this energy" + }, + "rapidly": { + "CHS": "迅速地", + "ENG": "very quickly and in a very short time" + }, + "wood": { + "CHS": "木头,木材", + "ENG": "the material that trees are made of" + }, + "leader": { + "CHS": "领导者", + "ENG": "the person who directs or controls a group, organization, country etc" + }, + "fire": { + "CHS": "开火,解雇,点燃", + "ENG": "to force someone to leave their job" + }, + "entire": { + "CHS": "全部的,整个的", + "ENG": "used when you want to emphasize that you mean all of a group, period of time, amount etc" + }, + "plain": { + "CHS": "清晰的,简单的", + "ENG": "very clear, and easy to understand or recognize" + }, + "extend": { + "CHS": "延伸,扩展", + "ENG": "to continue for a particular distance or over a particular area" + }, + "difficulty": { + "CHS": "困难,难点", + "ENG": "if you have difficulty doing something, it is difficult for you to do" + }, + "core": { + "CHS": "核心,要点", + "ENG": "the hard central part of a fruit such as an apple" + }, + "easy": { + "CHS": "容易的,轻松的", + "ENG": "not difficult to do, and not needing much effort" + }, + "constant": { + "CHS": "不变的,持续的", + "ENG": "happening regularly or all the time" + }, + "adult": { + "CHS": "成年人", + "ENG": "a fully-grown person, or one who is considered to be legally responsible for their actions" + }, + "consist": { + "CHS": "由组成,在于" + }, + "figure": { + "CHS": "计算,认为", + "ENG": "to form a particular opinion after thinking about a situation" + }, + "cold": { + "CHS": "(寒)冷,感冒", + "ENG": "a common illness that makes it difficult to breathe through your nose and often makes your throat hurt" + }, + "education": { + "CHS": "教育", + "ENG": "the process of teaching and learning, usually at school, college, or university" + }, + "railroad": { + "CHS": "在铁路公司工作" + }, + "law": { + "CHS": "法律", + "ENG": "the whole system of rules that people in a particular country or area must obey" + }, + "unlike": { + "CHS": "不象…", + "ENG": "completely different from a particular person or thing" + }, + "expand": { + "CHS": "扩大,扩展,膨胀", + "ENG": "to become larger in size, number, or amount, or to make something become larger" + }, + "brain": { + "CHS": "脑,头脑", + "ENG": "the organ inside your head that controls how you think, feel, and move" + }, + "carbon": { + "CHS": "碳", + "ENG": "a chemical substance that exists in a pure form as diamonds, graphite etc, or in an impure form as coal, petrol etc. It is a chemical element : symbol C" + }, + "return": { + "CHS": "返回,恢复,归还", + "ENG": "to go or come back to a place where you were before" + }, + "cell": { + "CHS": "单元,细胞", + "ENG": "the smallest part of a living thing that can exist independently" + }, + "either": { + "CHS": "任一的" + }, + "company": { + "CHS": "公司", + "ENG": "a business organization that makes or sells goods or services" + }, + "grass": { + "CHS": "草", + "ENG": "an area of grass, especially an area where the grass is kept cut short" + }, + "engine": { + "CHS": "发动机,引擎", + "ENG": "the part of a vehicle that produces power to make it move" + }, + "stimulus": { + "CHS": "促进(因素),刺激(物)", + "ENG": "something that helps a process to develop more quickly or more strongly" + }, + "hour": { + "CHS": "小时,钟点", + "ENG": "a unit for measuring time. There are 60 minutes in one hour, and 24 hours in one day." + }, + "program": { + "CHS": "编程", + "ENG": "to give a computer a set of instructions that it can use to perform a particular operation" + }, + "prevent": { + "CHS": "防止,预防", + "ENG": "to stop something from happening, or stop someone from doing something" + }, + "per": { + "CHS": "每,每一", + "ENG": "during each hour etc" + }, + "sell": { + "CHS": "出售,卖", + "ENG": "to give something to someone in exchange for money" + }, + "damage": { + "CHS": "损害,毁坏", + "ENG": "physical harm that is done to something or to a part of someone’s body, so that it is broken or injured" + }, + "unusual": { + "CHS": "异常的,独特的", + "ENG": "different from what is usual or normal" + }, + "lie": { + "CHS": "躺,说谎", + "ENG": "to be in a position in which your body is flat on the floor, on a bed etc" + }, + "wall": { + "CHS": "围住,隔开" + }, + "landscape": { + "CHS": "美化", + "ENG": "to make a park, garden etc look attractive and interesting by changing its design, and by planting trees and bushes etc" + }, + "brief": { + "CHS": "简短的", + "ENG": "continuing for a short time" + }, + "associate": { + "CHS": "副的", + "ENG": "someone who is a member etc of something, but who is at a lower level and has fewer rights" + }, + "rare": { + "CHS": "稀有的,珍奇的", + "ENG": "not seen or found very often, or not happening very often" + }, + "minor": { + "CHS": "较小的,次要的", + "ENG": "small and not very important or serious, especially when compared with other things" + }, + "artisan": { + "CHS": "工匠,技工", + "ENG": "someone who does skilled work, making things with their hands" + }, + "meteorite": { + "CHS": "陨石, 流星", + "ENG": "a piece of rock or metal from space that has landed on Earth" + }, + "define": { + "CHS": "定义,详细说明", + "ENG": "to describe something correctly and thoroughly, and to say what standards, limits, qualities etc it has that make it different from other things" + }, + "cool": { + "CHS": "冷却,(使)冷静", + "ENG": "to make something slightly colder, or to become slightly colder" + }, + "oxygen": { + "CHS": "氧", + "ENG": "a gas that has no colour or smell, is present in air, and is necessary for most animals and plants to live. It is a chemical element: symbol O" + }, + "daily": { + "CHS": "每日的,日常的", + "ENG": "happening or done every day" + }, + "Africa": { + "CHS": "非洲" + }, + "erosion": { + "CHS": "腐蚀,侵蚀", + "ENG": "the process by which rock or soil is gradually destroyed by wind, rain, or the sea" + }, + "want": { + "CHS": "想要", + "ENG": "to have a desire for something" + }, + "response": { + "CHS": "回答,响应,反应", + "ENG": "something that is done as a reaction to something that has happened or been said" + }, + "third": { + "CHS": "第三,三分之一", + "ENG": "one of three equal parts of something" + }, + "decade": { + "CHS": "十年,十", + "ENG": "a period of 10 years" + }, + "emphasize": { + "CHS": "强调,着重", + "ENG": "to say something in a strong way" + }, + "baby": { + "CHS": "婴孩", + "ENG": "a very young child who has not yet learned to speak or walk" + }, + "volcanic": { + "CHS": "火山的,猛烈的", + "ENG": "relating to or caused by a volcano" + }, + "organization": { + "CHS": "组织,机构,团体", + "ENG": "a group such as a club or business that has formed for a particular purpose" + }, + "colonial": { + "CHS": "殖民地的", + "ENG": "relating to a country that controls and rules other countries, usually ones that are far away" + }, + "preserve": { + "CHS": "保护,保存", + "ENG": "to save something or someone from being harmed or destroyed" + }, + "detail": { + "CHS": "详述", + "ENG": "to list things or give all the facts or information about something" + }, + "bone": { + "CHS": "骨,骨骼", + "ENG": "one of the hard parts that together form the frame of a human, animal, or fish body" + }, + "position": { + "CHS": "安置", + "ENG": "to carefully put something in a particular position" + }, + "protect": { + "CHS": "保护", + "ENG": "to keep someone or something safe from harm, damage, or illness" + }, + "labor": { + "CHS": "劳动" + }, + "degree": { + "CHS": "学位,程度,度数", + "ENG": "a unit for measuring temperature. It can be shown as a symbol after a number. For example, 70° means 70 degrees." + }, + "revolution": { + "CHS": "革命", + "ENG": "a complete change in ways of thinking, methods of working etc" + }, + "read": { + "CHS": "读,理解", + "ENG": "to look at written words and understand what they mean" + }, + "positive": { + "CHS": "积极的,肯定的", + "ENG": "if you are positive about things, you are hopeful and confident, and think about what is good in a situation rather than what is bad" + }, + "receive": { + "CHS": "接到,收到,接待", + "ENG": "to be given something" + }, + "route": { + "CHS": "路线,途径", + "ENG": "a way from one place to another" + }, + "statue": { + "CHS": "塑像,雕像", + "ENG": "an image of a person or animal that is made in solid material such as stone or metal and is usually large" + }, + "meter": { + "CHS": "米,公尺" + }, + "jupiter": { + "CHS": "木星" + }, + "organic": { + "CHS": "有机(体)的,有机物的", + "ENG": "relating to farming or gardening methods of growing food without using artificial chemicals, or produced or grown by these methods" + }, + "apparent": { + "CHS": "明显的,表面上的", + "ENG": "easy to notice" + }, + "motion": { + "CHS": "运动,动作", + "ENG": "the process of moving or the way that someone or something moves" + }, + "you": { + "CHS": "你,你们", + "ENG": "used to refer to a person or group of people when speaking or writing to them" + }, + "composition": { + "CHS": "成分,作品,合成物", + "ENG": "the way in which something is made up of different parts, things, or members" + }, + "stage": { + "CHS": "舞台,阶段", + "ENG": "a particular time or state that something reaches as it grows or develops" + }, + "cut": { + "CHS": "切,割,剪", + "ENG": "to divide something or separate something from its main part, using scissors, a knife etc" + }, + "vegetation": { + "CHS": "植物,草木", + "ENG": "plants in general" + }, + "winter": { + "CHS": "过冬", + "ENG": "to spend the winter somewhere" + }, + "eventually": { + "CHS": "最后,终于", + "ENG": "after a long time, or after a lot of things have happened" + }, + "expose": { + "CHS": "暴露,显露", + "ENG": "to show something that is usually covered or hidden" + }, + "dinosaur": { + "CHS": "恐龙", + "ENG": "one of a group of reptile s that lived millions of years ago" + }, + "literature": { + "CHS": "文学,文献", + "ENG": "books, plays, poems etc that people think are important and good" + }, + "project": { + "CHS": "计划,工程v设计,计划", + "ENG": "a carefully planned piece of work to get information about something, to build something, to improve something etc" + }, + "meet": { + "CHS": "遇见,见面", + "ENG": "to see someone by chance and talk to them" + }, + "benefit": { + "CHS": "有益于,得益", + "ENG": "if you benefit from something, or it benefits you, it gives you an advantage, improves your life, or helps you in some way" + }, + "whether": { + "CHS": "是否,不管,无论", + "ENG": "used when talking about a choice you have to make or about something that is not certain" + }, + "slowly": { + "CHS": "慢慢地,迟缓地", + "ENG": "at a slow speed" + }, + "thing": { + "CHS": "东西,事情", + "ENG": "an idea, action, feeling, or fact that someone thinks, does, says, or talks about, or that happens" + }, + "facial": { + "CHS": "脸部的,面部的", + "ENG": "on your face or relating to your face" + }, + "liquid": { + "CHS": "液体的", + "ENG": "in the form of a liquid instead of a gas or solid" + }, + "cultural": { + "CHS": "文化的,教养的", + "ENG": "belonging or relating to a particular society and its way of life" + }, + "differ": { + "CHS": "区别" + }, + "never": { + "CHS": "决不,从未", + "ENG": "not at any time, or not once" + }, + "science": { + "CHS": "科学", + "ENG": "knowledge about the world, especially based on examining, testing, and proving facts" + }, + "spread": { + "CHS": "传播,展开,散布", + "ENG": "to open something out or arrange a group of things so that they cover a flat surface" + }, + "whig": { + "CHS": "辉格党", + "ENG": "A Whig was a member of an American political party in the 19th century that wanted to limit the powers of the president" + }, + "encourage": { + "CHS": "鼓励,促进,支持", + "ENG": "to give someone the courage or confidence to do something" + }, + "newspaper": { + "CHS": "报纸", + "ENG": "a set of large folded sheets of printed paper containing news, articles, pictures, advertisements etc which is sold daily or weekly" + }, + "party": { + "CHS": "政党,聚会", + "ENG": "a social event when a lot of people meet together to enjoy themselves by eating, drinking, dancing etc" + }, + "data": { + "CHS": "数据,资料", + "ENG": "information or facts" + }, + "coal": { + "CHS": "煤", + "ENG": "a hard black mineral which is dug out of the ground and burnt to produce heat" + }, + "combine": { + "CHS": "联合,使结合", + "ENG": "if you combine two or more different things, or if they combine, they begin to exist or work together" + }, + "happen": { + "CHS": "发生,碰巧,出现", + "ENG": "when something happens, there is an event, especially one that is not planned" + }, + "five": { + "CHS": "五,五个", + "ENG": "the number 5" + }, + "cretaceous": { + "CHS": "白垩纪(的)" + }, + "book": { + "CHS": "书", + "ENG": "a set of printed pages that are held together in a cover so that you can read them" + }, + "quite": { + "CHS": "相当,完全,十分", + "ENG": "You use quite to indicate that something is the case to a fairly great extent" + }, + "already": { + "CHS": "已经", + "ENG": "before now, or before a particular time" + }, + "nearly": { + "CHS": "几乎,差不多", + "ENG": "almost, but not quite or not completely" + }, + "collect": { + "CHS": "收集", + "ENG": "to get things of the same type from different places and bring them together" + }, + "sand": { + "CHS": "沙,沙子", + "ENG": "a substance consisting of very small pieces of rocks and minerals, that forms beaches and deserts" + }, + "hot": { + "CHS": "热的,辣的,强烈的", + "ENG": "food that tastes hot has a burning taste because it contains strong spices" + }, + "terrestrial": { + "CHS": "陆地的", + "ENG": "relating to the Earth rather than to the moon or other planets " + }, + "leaf": { + "CHS": "叶子", + "ENG": "one of the flat green parts of a plant that are joined to its stem or branches" + }, + "sequence": { + "CHS": "次序,顺序", + "ENG": "the order that something happens or exists in, or the order it is supposed to happen or exist in" + }, + "star": { + "CHS": "以星状物装饰,变成演员" + }, + "estimate": { + "CHS": "估计,估价", + "ENG": "a calculation of the value, size, amount etc of something made using the information that you have, which may not be complete" + }, + "drill": { + "CHS": "练习,钻孔", + "ENG": "to teach students, sports players etc by making them repeat the same lesson, exercise etc many times" + }, + "transport": { + "CHS": "运输", + "ENG": "a system or method for carrying passengers or goods from one place to another" + }, + "groundwater": { + "CHS": "地下水", + "ENG": "water that is below the ground" + }, + "international": { + "CHS": "国际的,世界的", + "ENG": "relating to or involving more than one nation" + }, + "serve": { + "CHS": "服务,担任", + "ENG": "to help the customers in a shop, especially by bringing them the things that they want" + }, + "favor": { + "CHS": "偏爱,支持" + }, + "root": { + "CHS": "生根,扎根", + "ENG": "to grow roots" + }, + "huge": { + "CHS": "巨大的,庞大的", + "ENG": "extremely large in size, amount, or degree" + }, + "put": { + "CHS": "放,安置", + "ENG": "to move something to a particular place or position, especially using your hands" + }, + "whale": { + "CHS": "捕鲸" + }, + "exchange": { + "CHS": "交换,兑换", + "ENG": "the act of giving someone something and receiving something else from them" + }, + "ecosystem": { + "CHS": "生态系统", + "ENG": "all the animals and plants in a particular area, and the way in which they are related to each other and to their environment" + }, + "distance": { + "CHS": "距离,路程", + "ENG": "the amount of space between two places or things" + }, + "assume": { + "CHS": "假定,设想", + "ENG": "to think that something is true, although you do not have definite proof" + }, + "egg": { + "CHS": "蛋", + "ENG": "a round object with a hard surface, that contains a baby bird, snake, insect etc and which is produced by a female bird, snake, insect etc" + }, + "opinion": { + "CHS": "意见,看法", + "ENG": "your ideas or beliefs about a particular subject" + }, + "principle": { + "CHS": "原理,原则", + "ENG": "a moral rule or belief about what is right and wrong, that influences how you behave" + }, + "global": { + "CHS": "全球性的,总的", + "ENG": "affecting or including the whole world" + }, + "cause": { + "CHS": "原因", + "ENG": "a person, event, or thing that makes something happen" + }, + "eye": { + "CHS": "眼睛", + "ENG": "one of the two parts of the body that you use to see with" + }, + "introductory": { + "CHS": "引导的,介绍的", + "ENG": "said or written at the beginning of a book, speech etc in order to explain what it is about" + }, + "weight": { + "CHS": "加重量于", + "ENG": "If you weight something, you make it heavier by adding something to it, for example, in order to stop it from moving easily" + }, + "variation": { + "CHS": "变化,变动", + "ENG": "a difference between similar things, or a change from the usual amount or form of something" + }, + "sculpture": { + "CHS": "雕塑,雕刻", + "ENG": "an object made out of stone, wood, clay etc by an artist" + }, + "student": { + "CHS": "学生", + "ENG": "someone who is studying at a university, school etc" + }, + "bacteria": { + "CHS": "细菌", + "ENG": "very small living things, some of which cause illness or disease" + }, + "presence": { + "CHS": "出席,存在", + "ENG": "when someone or something is present in a particular place" + }, + "accept": { + "CHS": "接受,承认,同意", + "ENG": "to take something that someone offers you, or to agree to do something that someone asks you to do" + }, + "accumulate": { + "CHS": "积聚,堆积", + "ENG": "to gradually get more and more money, possessions, knowledge etc over a period of time" + }, + "colony": { + "CHS": "殖民地", + "ENG": "a country or area that is under the political control of a more powerful country, usually one that is far away" + }, + "gradual": { + "CHS": "逐渐的,逐步的", + "ENG": "happening slowly over a long period of time" + }, + "piece": { + "CHS": "拼合(凑)" + }, + "solid": { + "CHS": "固体", + "ENG": "a firm object or substance that has a fixed shape, not a gas or liquid" + }, + "action": { + "CHS": "行动,行为,作用", + "ENG": "the process of doing something, especially in order to achieve a particular thing" + }, + "service": { + "CHS": "服务", + "ENG": "to provide people with something they need or want" + }, + "destroy": { + "CHS": "破坏,毁灭,消灭", + "ENG": "to damage something so badly that it no longer exists or cannot be used or repaired" + }, + "relative": { + "CHS": "亲属", + "ENG": "a member of your family" + }, + "military": { + "CHS": "军队", + "ENG": "the military forces of a country" + }, + "memory": { + "CHS": "记忆(力),回忆", + "ENG": "someone’s ability to remember things, places, experiences etc" + }, + "potential": { + "CHS": "潜能", + "ENG": "the possibility that something will develop in a particular way, or have a particular effect" + }, + "sign": { + "CHS": "做标记" + }, + "electricity": { + "CHS": "电流,电", + "ENG": "the power that is carried by wires, cables etc, and is used to provide light or heat, to make machines work etc" + }, + "dioxide": { + "CHS": "二氧化物", + "ENG": "a chemical compound that contains two atoms of oxygen and one atom of another chemical element " + }, + "perform": { + "CHS": "执行,履行,表演", + "ENG": "to do something to entertain people, for example by acting a play or playing a piece of music" + }, + "situation": { + "CHS": "情形,境遇", + "ENG": "a combination of all the things that are happening and all the conditions that exist at a particular time in a particular place" + }, + "evolution": { + "CHS": "进化,发展,演变", + "ENG": "the scientific idea that plants and animals develop and change gradually over a long period of time" + }, + "soon": { + "CHS": "不久,很快", + "ENG": "in a short time from now, or a short time after something else happens" + }, + "fill": { + "CHS": "装满", + "ENG": "if a container or place fills, or if you fill it, enough of something goes into it to make it full" + }, + "fort": { + "CHS": "堡垒,要塞", + "ENG": "a strong building or group of buildings used by soldiers or an army for defending an important place" + }, + "content": { + "CHS": "使满足,使安心", + "ENG": "to do or have something that is not what you really wanted, but is still satisfactory" + }, + "success": { + "CHS": "成功,成就", + "ENG": "when you achieve what you want or intend" + }, + "signal": { + "CHS": "发信号,标志着", + "ENG": "to make a sound or action in order to give information or tell someone to do something" + }, + "generation": { + "CHS": "一代人(或产品),产生,发生", + "ENG": "all people of about the same age" + }, + "vast": { + "CHS": "巨大的,辽阔的,大量的", + "ENG": "extremely large" + }, + "manufacture": { + "CHS": "制造,制造业[pl]产品", + "ENG": "to use machines to make goods or materials, usually in large numbers or amounts" + }, + "compete": { + "CHS": "竞争,比赛", + "ENG": "if one company or country competes with another, it tries to get people to buy its goods or servicesrather than those available from another company or country" + }, + "link": { + "CHS": "联系", + "ENG": "a way in which two things or ideas are related to each other" + }, + "blood": { + "CHS": "流血" + }, + "commercial": { + "CHS": "商业的,贸易的", + "ENG": "related to business and the buying and selling of goods and services" + }, + "approach": { + "CHS": "途径,方法", + "ENG": "a method of doing something or dealing with a problem" + }, + "predict": { + "CHS": "预知,预言", + "ENG": "to say that something will happen, before it happens" + }, + "step": { + "CHS": "行走,踏上", + "ENG": "to bring your foot down on something" + }, + "stand": { + "CHS": "站,坐落,处于", + "ENG": "to support yourself on your feet or be in an upright position" + }, + "release": { + "CHS": "释放,解脱", + "ENG": "to let someone go free, after having kept them somewhere" + }, + "plan": { + "CHS": "计划,设计", + "ENG": "to think carefully about something you want to do, and decide how and when you will do it" + }, + "sample": { + "CHS": "采样,取样" + }, + "expansion": { + "CHS": "膨胀,扩展,扩充", + "ENG": "when a company, business etc becomes larger by opening new shops, factories etc" + }, + "extensive": { + "CHS": "广泛的,广阔的", + "ENG": "large in size, amount, or degree" + }, + "reveal": { + "CHS": "揭露,显示", + "ENG": "to make known something that was previously secret or unknown" + }, + "helium": { + "CHS": "氦", + "ENG": "a gas that is lighter than air and is used to make balloons float. It is a chemical element :symbol He" + }, + "regular": { + "CHS": "规则的,定期的", + "ENG": "happening every hour, every week, every month etc, usually with the same amount of time in between" + }, + "effort": { + "CHS": "努力,成就", + "ENG": "an attempt to do something, especially when this involves a lot of hard work or determination" + }, + "mile": { + "CHS": "英里", + "ENG": "a unit for measuring distance, equal to 1,760 yard s or about 1,609 metres" + }, + "irrigation": { + "CHS": "灌溉" + }, + "next": { + "CHS": "靠近" + }, + "actual": { + "CHS": "实际的,真实的", + "ENG": "used to emphasize that something is real or exact" + }, + "egyptian": { + "CHS": "埃及人(的)", + "ENG": "The Egyptians are the people who come from Egypt" + }, + "attempt": { + "CHS": "尝试,企图,努力", + "ENG": "an act of trying to do something, especially something difficult" + }, + "finally": { + "CHS": "最后,终于", + "ENG": "after a long time" + }, + "serious": { + "CHS": "严肃的,认真的,严重的", + "ENG": "a serious situation, problem, accident etc is extremely bad or dangerous" + }, + "clock": { + "CHS": "时钟", + "ENG": "an instrument that shows what time it is, in a room or outside on a building" + }, + "adapt": { + "CHS": "适应,改编", + "ENG": "to gradually change your behaviour and attitudes in order to be successful in a new situation" + }, + "observation": { + "CHS": "观察,观测", + "ENG": "the process of watching something or someone carefully for a period of time" + }, + "fine": { + "CHS": "好的,优质的,健康的", + "ENG": "in good health" + }, + "mar": { + "CHS": "破坏", + "ENG": "to make something less attractive or enjoyable" + }, + "distinguish": { + "CHS": "区别,辨别", + "ENG": "to recognize and understand the difference between two or more things or people" + }, + "decrease": { + "CHS": "减少,降低", + "ENG": "to become less or go down to a lower level, or to make something do this" + }, + "Dutch": { + "CHS": "荷兰的", + "ENG": "relating to the Netherlands, its people, or its language" + }, + "African": { + "CHS": "非洲的", + "ENG": "relating to Africa or its people" + }, + "rich": { + "CHS": "有钱人", + "ENG": "The rich are rich people" + }, + "negative": { + "CHS": "否定的,消极的", + "ENG": "considering only the bad qualities of a situation, person etc and not the good ones" + }, + "vessel": { + "CHS": "船,容器,血管", + "ENG": "a ship or large boat" + }, + "galaxy": { + "CHS": "银河,星系", + "ENG": "one of the large groups of stars that make up the universe" + }, + "focus": { + "CHS": "焦点,中心", + "ENG": "the thing, person, situation etc that people pay special attention to" + }, + "instead": { + "CHS": "代替,反而", + "ENG": "used to say what is not used, does not happen etc, when something else is used, happens etc" + }, + "democrat": { + "CHS": "民主主义者,美国民主党人", + "ENG": "someone who believes in democracy, or works to achieve it" + }, + "aquifer": { + "CHS": "含水土层,蓄水层", + "ENG": "In geology, an aquifer is an area of rock underneath the surface of the earth which absorbs and holds water" + }, + "road": { + "CHS": "道路,途径", + "ENG": "a specially prepared hard surface for cars, buses, bicycles etc to travel on" + }, + "bank": { + "CHS": "把(钱)存入银行", + "ENG": "to put or keep money in a bank" + }, + "drift": { + "CHS": "漂流", + "ENG": "to move slowly on water or in the air" + }, + "appearance": { + "CHS": "出现,露面,外貌", + "ENG": "when a famous person takes part in a film, concert, or other public event" + }, + "wire": { + "CHS": "安装电线,发电报", + "ENG": "to send money electronically" + }, + "Australia": { + "CHS": "澳大利亚" + }, + "price": { + "CHS": "给…定价,估价", + "ENG": "to decide the price of something that is for sale" + }, + "outside": { + "CHS": "(在,向)的外面(的)", + "ENG": "the part or surface of something that is furthest from the centre" + }, + "bottom": { + "CHS": "底部,底端", + "ENG": "the lowest part of something" + }, + "Greek": { + "CHS": "希腊的", + "ENG": "relating to Greece, its people, or its language" + }, + "decline": { + "CHS": "下降,衰退", + "ENG": "If something declines, it becomes less in quantity, importance, or strength" + }, + "business": { + "CHS": "商业,事务,生意", + "ENG": "the activity of making money by producing or buying and selling goods, or providing services" + }, + "display": { + "CHS": "陈列,展览,显示", + "ENG": "an arrangement of things for people to look at or buy" + }, + "immediate": { + "CHS": "直接的, 立即的", + "ENG": "happening or done at once and without delay" + }, + "crater": { + "CHS": "弹坑", + "ENG": "a round hole in the ground made by something that has fallen on it or by an explosion" + }, + "strike": { + "CHS": "罢工,袭击,打", + "ENG": "to hit or fall against the surface of something" + }, + "feed": { + "CHS": "喂养", + "ENG": "to give food to a person or animal" + }, + "aggression": { + "CHS": "进攻,侵略", + "ENG": "the act of attacking a country, especially when that country has not attacked first" + }, + "master": { + "CHS": "主人", + "ENG": "to be in control of your own life or work" + }, + "emerge": { + "CHS": "浮现,显露", + "ENG": "to appear or come out from somewhere" + }, + "nation": { + "CHS": "国家,民族", + "ENG": "a country, considered especially in relation to its people and its social or economic structure" + }, + "import": { + "CHS": "进口,输入,[pl]进口商品" + }, + "muscle": { + "CHS": "肌肉", + "ENG": "one of the pieces of flesh inside your body that you use in order to move, and that connect your bones together" + }, + "organize": { + "CHS": "组织,安排", + "ENG": "to make the necessary arrangements so that an activity can happen effectively" + }, + "personal": { + "CHS": "私人的,个人的", + "ENG": "belonging or relating to one particular person, rather than to other people or to people in general" + }, + "careful": { + "CHS": "小心的,仔细的", + "ENG": "used to tell someone to think about what they are doing so that something bad does not happen" + }, + "danger": { + "CHS": "危险(物)", + "ENG": "the possibility that someone or something will be harmed, destroyed, or killed" + }, + "equal": { + "CHS": "等于", + "ENG": "to be exactly the same in size, number, or amount as something else" + }, + "desire": { + "CHS": "渴望,要求", + "ENG": "a strong hope or wish" + }, + "publish": { + "CHS": "出版,发表", + "ENG": "to arrange for a book, magazine etc to be written, printed, and sold" + }, + "bear": { + "CHS": "忍受,承担", + "ENG": "to bravely accept or deal with a painful, difficult, or upsetting situation" + }, + "total": { + "CHS": "总数", + "ENG": "the final number or amount of things, people etc when everything has been counted" + }, + "character": { + "CHS": "特征,品质", + "ENG": "the particular combination of features and qualities that makes a thing or place different from all others" + }, + "season": { + "CHS": "季节", + "ENG": "one of the main periods into which a year is divided, each of which has a particular type of weather. The seasons are spring, summer, autumn, and winter" + }, + "turtle": { + "CHS": "海龟", + "ENG": "a reptile that lives mainly in water and has a soft body covered by a hard shell" + }, + "useful": { + "CHS": "有用的,有益的", + "ENG": "helping you to do or get what you want" + }, + "generate": { + "CHS": "产生,发生", + "ENG": "to produce or cause something" + }, + "breathe": { + "CHS": "呼吸", + "ENG": "to take air into your lungs and send it out again" + }, + "park": { + "CHS": "停放(汽车等)", + "ENG": "to put a car or other vehicle in a particular place for a period of time" + }, + "pheromone": { + "CHS": "<生化>信息素", + "ENG": "a chemical that is produced by people’s and animals’ bodies and is thought to influence the behaviour of other people or animals" + }, + "characterize": { + "CHS": "以…为特征", + "ENG": "to be typical of a person, place, or thing" + }, + "loss": { + "CHS": "丧失,遗失,损失", + "ENG": "the fact of no longer having something, or of having less of it than you used to have, or the process by which this happens" + }, + "pay": { + "CHS": "工资", + "ENG": "money that you are given for doing your job" + }, + "diversity": { + "CHS": "多样性,差异", + "ENG": "the fact of including many different types of people or things" + }, + "simply": { + "CHS": "简单地", + "ENG": "if you say or explain something simply, you say it in a way that is easy for people to understand" + }, + "real": { + "CHS": "真的,真实的", + "ENG": "something that is real exists and is important" + }, + "stability": { + "CHS": "稳定性", + "ENG": "the condition of being steady and not changing" + }, + "solution": { + "CHS": "解决,解答", + "ENG": "a way of solving a problem or dealing with a difficult situation" + }, + "era": { + "CHS": "时代,纪元", + "ENG": "a period of time in history that is known for a particular event, or for particular qualities" + }, + "climax": { + "CHS": "高潮,顶点", + "ENG": "the most exciting or important part of a story or experience, which usually comes near the end" + }, + "standard": { + "CHS": "标准的", + "ENG": "accepted as normal or usual" + }, + "task": { + "CHS": "任务,作业", + "ENG": "a piece of work that must be done, especially one that is difficult or unpleasant or that must be done regularly" + }, + "speak": { + "CHS": "说话,谈话", + "ENG": "to talk to someone about something" + }, + "shift": { + "CHS": "转移,转变,转换", + "ENG": "to change a situation, discussion etc by giving special attention to one idea or subject instead of to a previous one" + }, + "additional": { + "CHS": "另外的,附加的", + "ENG": "more than what was agreed or expected" + }, + "considerable": { + "CHS": "重要的,相当大的,可观的", + "ENG": "fairly large, especially large enough to have an effect or be important" + }, + "British": { + "CHS": "英国人", + "ENG": "people from Britain" + }, + "mine": { + "CHS": "采矿", + "ENG": "to dig large holes in the ground in order to remove coal, gold etc" + }, + "geologist": { + "CHS": "地质学者" + }, + "isolate": { + "CHS": "使隔离,使孤立", + "ENG": "to separate one person, group, or thing from other people or things" + }, + "attention": { + "CHS": "注意,关心", + "ENG": "when you carefully listen to, look at, or think about someone or something" + }, + "again": { + "CHS": "再,又", + "ENG": "one more time – used when something has happened or been done before" + }, + "settlement": { + "CHS": "解决,协议,居留地", + "ENG": "an official agreement or decision that ends an argument, a court case, or a fight, or the action of making an agreement" + }, + "wealth": { + "CHS": "财富,财产", + "ENG": "a large amount of money, property etc that a person or country owns" + }, + "prove": { + "CHS": "证明,证实", + "ENG": "to show that something is true by providing facts, information etc" + }, + "achieve": { + "CHS": "完成,达到", + "ENG": "to successfully complete something or get a good result, especially by working hard" + }, + "eighteenth": { + "CHS": "第十八,十八分之一" + }, + "opportunity": { + "CHS": "机会", + "ENG": "a chance to do something or an occasion when it is easy for you to do something" + }, + "continuous": { + "CHS": "连续的,持续的", + "ENG": "continuing to happen or exist without stopping" + }, + "flower": { + "CHS": "开花,繁荣", + "ENG": "to produce flowers" + }, + "stratum": { + "CHS": "地层,阶层", + "ENG": "a layer of rock or earth" + }, + "kilometer": { + "CHS": "千米,公里" + }, + "paper": { + "CHS": "纸,报纸", + "ENG": "material in the form of thin sheets that is used for writing on, wrapping things etc" + }, + "red": { + "CHS": "红色(的),", + "ENG": "the colour of blood" + }, + "arrange": { + "CHS": "安排,排列", + "ENG": "to organize or make plans for something such as a meeting, party, or trip" + }, + "promote": { + "CHS": "促进,提升", + "ENG": "If people promote something, they help or encourage it to happen, increase, or spread" + }, + "prefer": { + "CHS": "更喜欢,宁愿", + "ENG": "to like someone or something more than someone or something else, so that you would choose it if you could" + }, + "inhabitant": { + "CHS": "居民,居住者", + "ENG": "one of the people who live in a particular place" + }, + "Mediterranean": { + "CHS": "地中海", + "ENG": "the Mediterranean Sea" + }, + "issue": { + "CHS": "问题,分发,颁布", + "ENG": "a subject or problem that is often discussed or argued about, especially a social or political matter that affects the interests of a lot of people" + }, + "fungus": { + "CHS": "真菌,真菌类植物", + "ENG": "a simple type of plant that has no leaves or flowers and that grows on plants or other surfaces. mushrooms and mould are both fungi." + }, + "analysis": { + "CHS": "分析,解析", + "ENG": "a process in which a doctor makes someone talk about their past experiences, relationships etc in order to help them with mental or emotional problems" + }, + "pot": { + "CHS": "罐,壶", + "ENG": "a container with a handle and a small tube for pouring, used to make tea or coffee" + }, + "fuller": { + "CHS": "漂洗工", + "ENG": "a person who fulls cloth for his living " + }, + "slight": { + "CHS": "轻微的,微小的", + "ENG": "small in degree" + }, + "month": { + "CHS": "月", + "ENG": "one of the 12 named periods of time that a year is divided into" + }, + "hydrogen": { + "CHS": "氢", + "ENG": "Hydrogen is a colourless gas that is the lightest and commonest element in the universe" + }, + "depth": { + "CHS": "深度", + "ENG": "how strong an emotion is or how serious a situation is" + }, + "upon": { + "CHS": "在之上", + "ENG": "used to mean ‘on’ or ‘onto’" + }, + "visible": { + "CHS": "看得见的,显而易见的", + "ENG": "something that is visible can be seen" + }, + "belief": { + "CHS": "信念,信仰", + "ENG": "the feeling that something is definitely true or definitely exists" + }, + "skeleton": { + "CHS": "骨架,纲要", + "ENG": "the most important parts of something, to which more detail can be added later" + }, + "absorb": { + "CHS": "吸收,吸引", + "ENG": "to take in liquid, gas, or another substance from the surface or space around something" + }, + "advertise": { + "CHS": "登广告,宣传", + "ENG": "to tell the public about a product or service in order to persuade them to buy it" + }, + "host": { + "CHS": "主人", + "ENG": "someone at a party, meal etc who has invited the guests and who provides the food, drink etc" + }, + "enable": { + "CHS": "使能够,使可能", + "ENG": "to make it possible for someone to do something, or for something to happen" + }, + "basin": { + "CHS": "脸盆,盆地", + "ENG": "a round container attached to the wall in a bathroom, where you wash your hands and face" + }, + "money": { + "CHS": "钱,货币", + "ENG": "what you earn by working and can use to buy things. Money can be in the form of notes and coins or cheques, and can be kept in a bank" + }, + "gather": { + "CHS": "聚集,集合,收集", + "ENG": "to come together and form a group, or to make people do this" + }, + "note": { + "CHS": "注意,记录", + "ENG": "to notice or pay careful attention to something" + }, + "flood": { + "CHS": "洪水", + "ENG": "a very large amount of water that covers an area that is usually dry" + }, + "black": { + "CHS": "黑暗的,黑人的", + "ENG": "having the darkest colour, like coal or night" + }, + "soldier": { + "CHS": "士兵,军人", + "ENG": "a member of the army of a country, especially someone who is not an officer" + }, + "artistic": { + "CHS": "艺术的", + "ENG": "relating to art or culture" + }, + "shell": { + "CHS": "剥壳,炮击", + "ENG": "to fire shells from large guns at something" + }, + "section": { + "CHS": "部分", + "ENG": "one of the parts that something such as an object or place is divided into" + }, + "big": { + "CHS": "大的", + "ENG": "of more than average size or amount" + }, + "device": { + "CHS": "装置,设备" + }, + "fast": { + "CHS": "快的,迅速的" + }, + "drop": { + "CHS": "下降", + "ENG": "a reduction in the amount, level, or number of something, especially a large or sudden one" + }, + "nitrogen": { + "CHS": "氮", + "ENG": "a gas that has no colour or smell, and that forms most of the Earth’s air. It is a chemical element: symbol N" + }, + "surprise": { + "CHS": "使惊奇", + "ENG": "to make someone feel surprised" + }, + "transform": { + "CHS": "改变,转换", + "ENG": "to completely change the appearance, form, or character of something or someone, especially in a way that improves it" + }, + "television": { + "CHS": "电视(机)", + "ENG": "a piece of electronic equipment shaped like a box with a screen, on which you can watch programmes" + }, + "band": { + "CHS": "联合,结合", + "ENG": "to unite; assemble " + }, + "sufficient": { + "CHS": "足够的,充分的", + "ENG": "as much as is needed for a particular purpose" + }, + "private": { + "CHS": "私人的,私有的", + "ENG": "for use by one person or group, not for everyone" + }, + "Asia": { + "CHS": "亚洲" + }, + "dust": { + "CHS": "除尘,撒(粉末等)", + "ENG": "When you dust something such as furniture, you remove dust from it, usually using a cloth" + }, + "attitude": { + "CHS": "态度,看法", + "ENG": "the opinions and feelings that you usually have about something, especially when this is shown in your behaviour" + }, + "painter": { + "CHS": "画家,油漆匠", + "ENG": "someone who paints pictures" + }, + "birth": { + "CHS": "出生", + "ENG": "if a woman gives birth, she produces a baby from her body" + }, + "English": { + "CHS": "英语,英国人(的)", + "ENG": "the language used in Britain, the US, Australia, and some other countries" + }, + "agree": { + "CHS": "同意,赞成", + "ENG": "to have or express the same opinion about something as someone else" + }, + "expensive": { + "CHS": "昂贵的,高价的", + "ENG": "costing a lot of money" + }, + "valuable": { + "CHS": "贵重的,有价值的", + "ENG": "worth a lot of money" + }, + "approximate": { + "CHS": "近似,接近", + "ENG": "to be close to a particular number" + }, + "fuel": { + "CHS": "加燃料", + "ENG": "if you fuel a vehicle, or if it fuels up, fuel is put into it" + }, + "blue": { + "CHS": "蓝色的,忧郁的", + "ENG": "having the colour of the sky or the sea on a fine day" + }, + "visual": { + "CHS": "视觉的,看得见的", + "ENG": "relating to seeing" + }, + "shop": { + "CHS": "买东西", + "ENG": "to go to one or more shops to buy things" + }, + "push": { + "CHS": "推,推动", + "ENG": "to make someone or something move by pressing them with your hands, arms etc" + }, + "offer": { + "CHS": "给予,提供", + "ENG": "to ask someone if they would like to have something, or to hold something out to them so that they can take it" + }, + "wear": { + "CHS": "穿,戴", + "ENG": "to have something such as clothes, shoes, or jewellery on your body" + }, + "dye": { + "CHS": "给…染色", + "ENG": "to give something a different colour using a dye" + }, + "future": { + "CHS": "未来,将来", + "ENG": "to have a chance or no chance of being successful or continuing" + }, + "share": { + "CHS": "分享,分担", + "ENG": "to let someone have or use something that belongs to you" + }, + "writer": { + "CHS": "作者,作家", + "ENG": "someone who writes books, stories etc, especially as a job" + }, + "hide": { + "CHS": "躲藏,隐瞒", + "ENG": "to deliberately put or keep something or someone in a place where they cannot easily be seen or found" + }, + "fee": { + "CHS": "费, 酬金", + "ENG": "an amount of money that you pay to do something or that you pay to a professional person for their work" + }, + "tell": { + "CHS": "告诉,讲述", + "ENG": "if someone tells you something, they communicate information, a story, their feelings etc to you" + }, + "practical": { + "CHS": "实际的,实践的,实用的", + "ENG": "relating to real situations and events rather than ideas, emotions etc" + }, + "electron": { + "CHS": "电子", + "ENG": "a very small piece of matter with a negative electrical charge that moves around the nucleus(= central part ) of an atom" + }, + "bill": { + "CHS": "开帐单", + "ENG": "to send someone a bill" + }, + "rhythm": { + "CHS": "节奏,韵律", + "ENG": "a regular repeated pattern of sounds or movements" + }, + "topic": { + "CHS": "话题,主题", + "ENG": "a subject that people talk or write about" + }, + "ritual": { + "CHS": "仪式,典礼", + "ENG": "a ceremony that is always performed in the same way, in order to mark an important religious or social occasion" + }, + "existence": { + "CHS": "存在(物)", + "ENG": "the state of existing" + }, + "spring": { + "CHS": "跳,涌现", + "ENG": "to move suddenly and quickly in a particular direction, especially by jumping" + }, + "communication": { + "CHS": "交流,通讯", + "ENG": "the process by which people exchange information or express their thoughts and feelings" + }, + "lightning": { + "CHS": "闪电", + "ENG": "a powerful flash of light in the sky caused by electricity and usually followed by thunder" + }, + "account": { + "CHS": "说明,占" + }, + "connect": { + "CHS": "连接,联系", + "ENG": "to join two or more things together" + }, + "folk": { + "CHS": "人们", + "ENG": "people" + }, + "block": { + "CHS": "堵塞,妨碍", + "ENG": "to prevent anything moving through a space by being or placing something across it or in it" + }, + "photograph": { + "CHS": "拍照", + "ENG": "to take a photograph of someone or something" + }, + "village": { + "CHS": "村庄", + "ENG": "a very small town in the countryside" + }, + "thin": { + "CHS": "薄、细、瘦(的)" + }, + "beneath": { + "CHS": "在下方", + "ENG": "in or to a lower position than something, or directly under something" + }, + "head": { + "CHS": "头部,头脑v前进,领导", + "ENG": "the top part of your body that has your face at the front and is supported by your neck" + }, + "survival": { + "CHS": "幸存,生存", + "ENG": "the state of continuing to live or exist" + }, + "university": { + "CHS": "(综合)大学", + "ENG": "an educational institution at the highest level, where you study for a degree" + }, + "concentration": { + "CHS": "集中,专心", + "ENG": "the ability to think about something carefully or for a long time" + }, + "invention": { + "CHS": "发明,创造", + "ENG": "a useful machine, tool, instrument etc that has been invented" + }, + "extinct": { + "CHS": "熄灭的,灭绝的", + "ENG": "an extinct type of animal or plant does not exist any more" + }, + "avoid": { + "CHS": "避免,预防", + "ENG": "to prevent something bad from happening" + }, + "carve": { + "CHS": "雕刻,切割", + "ENG": "to make an object or pattern by cutting a piece of wood or stone" + }, + "interior": { + "CHS": "内部的", + "ENG": "inside or indoors" + }, + "electrical": { + "CHS": "电的,与电有关的", + "ENG": "relating to electricity" + }, + "continental": { + "CHS": "大陆的", + "ENG": "relating to a large mass of land" + }, + "technological": { + "CHS": "科技的", + "ENG": "related to technology" + }, + "death": { + "CHS": "死,死亡", + "ENG": "a creature that looks like a human skeleton , used in paintings, stories etc to represent the fact that people die" + }, + "wave": { + "CHS": "挥动,波动", + "ENG": "if you wave something, or if it waves, it moves from side to side" + }, + "explosion": { + "CHS": "爆炸,爆发", + "ENG": "a loud sound and the energy produced by something such as a bomb bursting into small pieces" + }, + "network": { + "CHS": "网络,网状物", + "ENG": "a system of lines, tubes, wires, roads etc that cross each other and are connected to each other" + }, + "density": { + "CHS": "密度", + "ENG": "the degree to which an area is filled with people or things" + }, + "flight": { + "CHS": "飞行,航班", + "ENG": "a journey in a plane or space vehicle, or the plane or vehicle that is making the journey" + }, + "class": { + "CHS": "阶级,班级,课", + "ENG": "a period of time during which someone teaches a group of people, especially in a school" + }, + "financial": { + "CHS": "财政的,金融的", + "ENG": "relating to money or the management of money" + }, + "moon": { + "CHS": "月球,月亮", + "ENG": "the round object that you can see shining in the sky at night, and that moves around the Earth every 28 days" + }, + "tissue": { + "CHS": "组织,纸巾", + "ENG": "a piece of soft thin paper, used especially for blowing your nose on" + }, + "indeed": { + "CHS": "真正地,的确,事实上", + "ENG": "used to emphasize a statement or answer" + }, + "prepare": { + "CHS": "预备,准备", + "ENG": "to make plans or arrangements for something that will happen in the future" + }, + "cotton": { + "CHS": "棉花", + "ENG": "cloth or thread made from the white hair of the cotton plant" + }, + "crust": { + "CHS": "外壳,硬壳,面包皮", + "ENG": "the hard brown outer surface of bread" + }, + "trace": { + "CHS": "痕迹", + "ENG": "a small sign that shows that someone or something was present or existed" + }, + "discussion": { + "CHS": "讨论", + "ENG": "when you discuss something" + }, + "floor": { + "CHS": "地面,地板", + "ENG": "the flat surface that you stand on inside a building" + }, + "fiber": { + "CHS": "光纤" + }, + "geological": { + "CHS": "地质学的", + "ENG": "Geological means relating to geology" + }, + "escape": { + "CHS": "逃跑,逃脱", + "ENG": "to leave a place when someone is trying to catch you or stop you, or when there is a dangerous situation" + }, + "dense": { + "CHS": "密集的,浓厚的", + "ENG": "made of or containing a lot of things or people that are very close together" + }, + "stimulate": { + "CHS": "刺激,激励", + "ENG": "to encourage or help an activity to begin or develop further" + }, + "reflection": { + "CHS": "反映,考虑", + "ENG": "careful thought, or an idea or opinion based on this" + }, + "accurate": { + "CHS": "准确的,精确的", + "ENG": "correct and true in every detail" + }, + "whole": { + "CHS": "全部的,完整的", + "ENG": "all of something" + }, + "increasingly": { + "CHS": "日益,愈加" + }, + "spot": { + "CHS": "认出,玷污", + "ENG": "to notice someone or something, especially when they are difficult to see or recognize" + }, + "length": { + "CHS": "长度", + "ENG": "the measurement of how long something is from one end to the other" + }, + "advertisement": { + "CHS": "广告", + "ENG": "a picture, set of words, or a short film, which is intended to persuade people to buy a product or use a service, or that gives information about a job that is available, an event that is going to happen etc" + }, + "top": { + "CHS": "顶部,顶端", + "ENG": "the highest part of something" + }, + "tropical": { + "CHS": "热带的,炎热的", + "ENG": "coming from or existing in the hottest parts of the world" + }, + "efficient": { + "CHS": "效率高的,有能力的", + "ENG": "if someone or something is efficient, they work well without wasting time, money, or energy" + }, + "nutrient": { + "CHS": "营养的" + }, + "ten": { + "CHS": "十,十个", + "ENG": "the number 10" + }, + "pastoralist": { + "CHS": "田园诗的作者,牧民" + }, + "Britain": { + "CHS": "英国" + }, + "search": { + "CHS": "搜寻,调查", + "ENG": "to try to find someone or something by looking very carefully" + }, + "leatherback": { + "CHS": "棱龟(大海龟之一种)", + "ENG": "a large turtle, Dermochelys coriacea, of warm and tropical seas, having a ridged leathery carapace: family Dermochelidae " + }, + "boundary": { + "CHS": "边界,分界线", + "ENG": "the real or imaginary line that marks the edge of a state, country etc, or the edge of an area of land that belongs to someone" + }, + "sky": { + "CHS": "天,天空", + "ENG": "the space above the earth where clouds and the sun and stars appear" + }, + "steel": { + "CHS": "钢,钢铁", + "ENG": "strong metal that can be shaped easily, consisting of iron and carbon " + }, + "thick": { + "CHS": "厚的,粗的", + "ENG": "if something is thick, there is a large distance or a larger distance than usual between its two opposite surfaces or sides" + }, + "fail": { + "CHS": "失败,没有通过", + "ENG": "to not succeed in achieving something" + }, + "Atlantic": { + "CHS": "大西洋的" + }, + "computer": { + "CHS": "计算机,电脑", + "ENG": "an electronic machine that stores information and uses programs to help you find, organize, or change the information" + }, + "fruit": { + "CHS": "水果,果实", + "ENG": "something that grows on a plant, tree, or bush, can be eaten as a food, contains seeds or a stone, and is usually sweet" + }, + "tension": { + "CHS": "使拉紧,使绷紧" + }, + "performance": { + "CHS": "履行,执行,表演", + "ENG": "when someone performs a play or a piece of music" + }, + "audience": { + "CHS": "听众,观众", + "ENG": "a group of people who come to watch and listen to someone speaking or performing in public" + }, + "Cambrian": { + "CHS": "威尔斯人" + }, + "free": { + "CHS": "解放", + "ENG": "to allow someone to leave prison or somewhere they have been kept as a prisoner" + }, + "conflict": { + "CHS": "冲突,抵触", + "ENG": "if two ideas, beliefs, opinions etc conflict, they cannot exist together or both be true" + }, + "freeze": { + "CHS": "(使)结冰,(使)冷冻", + "ENG": "if a liquid or something wet freezes or is frozen, it becomes hard and solid because the temperature is very cold" + }, + "climatic": { + "CHS": "气候上的", + "ENG": "relating to the weather in a particular area" + }, + "musical": { + "CHS": "音乐的,悦耳的", + "ENG": "relating to music or consisting of music" + }, + "familiar": { + "CHS": "熟悉的,常见的", + "ENG": "someone or something that is familiar is well-known to you and easy to recognize" + }, + "Chinese": { + "CHS": "中国人(的)", + "ENG": "people from China" + }, + "shelf": { + "CHS": "架子,搁板", + "ENG": "a long flat narrow board attached to a wall or in a frame or cupboard, used for putting things on" + }, + "fly": { + "CHS": "苍蝇", + "ENG": "a small flying insect with two wings" + }, + "microscope": { + "CHS": "显微镜", + "ENG": "a scientific instrument that makes extremely small things look larger" + }, + "comparison": { + "CHS": "比较,对照", + "ENG": "the process of comparing two or more people or things" + }, + "appeal": { + "CHS": "呼吁,上诉", + "ENG": "an urgent request for something important" + }, + "map": { + "CHS": "绘制地图", + "ENG": "to make a map of a particular area" + }, + "cue": { + "CHS": "暗示,提示", + "ENG": "an action or event that is a signal for something else to happen" + }, + "atom": { + "CHS": "原子", + "ENG": "the smallest part of an element that can exist alone or can combine with other substances to form a molecule " + }, + "civilization": { + "CHS": "文明,文化", + "ENG": "a society that is well organized and developed, used especially about a particular society in a particular place or at a particular time" + }, + "model": { + "CHS": "模仿,展示", + "ENG": "to wear clothes at a fashion show or in magazine photographs in order to show them to people" + }, + "item": { + "CHS": "项目,条款", + "ENG": "a single thing, especially one thing in a list, group, or set of things" + }, + "seventeenth": { + "CHS": "第十七,十七分之一" + }, + "skin": { + "CHS": "皮肤", + "ENG": "the natural outer layer of a person’s or animal’s body" + }, + "shelter": { + "CHS": "掩蔽,躲避", + "ENG": "to provide a place where someone or something is protected, especially from the weather or from danger" + }, + "inside": { + "CHS": "里面(的)", + "ENG": "the inner part of something, which is surrounded or hidden by the outer part" + }, + "rainfall": { + "CHS": "降雨,降雨量", + "ENG": "the amount of rain that falls on an area in a particular period of time" + }, + "try": { + "CHS": "尝试,试验", + "ENG": "to take action in order to do something that you may not be able to do" + }, + "something": { + "CHS": "有点,大约" + }, + "gain": { + "CHS": "获得,增益", + "ENG": "to obtain or achieve something you want or need" + }, + "habit": { + "CHS": "习惯,习性", + "ENG": "something that you do regularly or usually, often without thinking about it because you have done it so many times before" + }, + "ceramic": { + "CHS": "陶瓷制品", + "ENG": "Ceramic is clay that has been heated to a very high temperature so that it becomes hard" + }, + "famous": { + "CHS": "著名的,出名的,", + "ENG": "known about by many people in many places" + }, + "report": { + "CHS": "报导,汇报", + "ENG": "to give people information about recent events, especially in newspapers and on television and radio" + }, + "moral": { + "CHS": "道德(上)的,精神的", + "ENG": "relating to the principles of what is right and wrong behaviour, and with the difference between good and evil" + }, + "buy": { + "CHS": "购买,买卖", + "ENG": "an act of buying something, especially something illegal" + }, + "sleep": { + "CHS": "睡,睡觉", + "ENG": "to rest your mind and body, usually at night when you are lying in bed with your eyes closed" + }, + "decision": { + "CHS": "决定,决议", + "ENG": "a choice or judgment that you make after a period of discussion or thought" + }, + "stable": { + "CHS": "稳定的", + "ENG": "steady and not likely to move or change" + }, + "remember": { + "CHS": "回忆起,记得", + "ENG": "to have a picture or idea in your mind of people, events, places etc from the past" + }, + "series": { + "CHS": "系列,连续", + "ENG": "several events or actions of a similar type that happen one after the other" + }, + "white": { + "CHS": "白色(的)", + "ENG": "the colour of milk, salt, and snow" + }, + "due": { + "CHS": "应得物", + "ENG": "your due is what you deserve, or something it is your right to have" + }, + "song": { + "CHS": "歌(曲)", + "ENG": "a short piece of music with words that you sing" + }, + "soft": { + "CHS": "软的,温和的", + "ENG": "a soft sound or voice, or soft music, is quiet and pleasant to listen to" + }, + "lichen": { + "CHS": "青苔,苔藓" + }, + "stem": { + "CHS": "堵住", + "ENG": "to stop something from happening, spreading, or developing" + }, + "car": { + "CHS": "汽车", + "ENG": "a vehicle with four wheels and an engine, that can carry a small number of passengers" + }, + "habitat": { + "CHS": "栖息地,住处", + "ENG": "the natural home of a plant or animal" + }, + "bur": { + "CHS": "刺果" + }, + "unique": { + "CHS": "唯一的,独特的", + "ENG": "unusually good and special" + }, + "coastal": { + "CHS": "海岸的,沿海的", + "ENG": "in the sea or on the land near the coast" + }, + "whereas": { + "CHS": "然而,反之,尽管", + "ENG": "used to say that although something is true of one thing, it is not true of another" + }, + "consequence": { + "CHS": "结果", + "ENG": "something that happens as a result of a particular action or set of conditions" + }, + "California": { + "CHS": "加利福尼亚,加州" + }, + "trail": { + "CHS": "追踪", + "ENG": "to follow someone by looking for signs that they have gone in a particular direction" + }, + "rely": { + "CHS": "依赖,依靠", + "ENG": "If you rely on someone or something, you need them and depend on them in order to live or work properly" + }, + "tribe": { + "CHS": "部落,部族", + "ENG": "a social group consisting of people of the same race who have the same beliefs, customs, language etc, and usually live in one particular area ruled by their leader" + }, + "average": { + "CHS": "平均", + "ENG": "to usually do something or usually happen a particular number of times, or to usually be a particular size or amount" + }, + "appropriate": { + "CHS": "适当的", + "ENG": "correct or suitable for a particular time, situation, or purpose" + }, + "here": { + "CHS": "在这里,这时", + "ENG": "in this place" + }, + "nor": { + "CHS": "也不", + "ENG": "used when mentioning two things that are not true or do not happen" + }, + "external": { + "CHS": "外部(的)" + }, + "insert": { + "CHS": "插入,嵌入", + "ENG": "to put something inside or into something else" + }, + "stud": { + "CHS": "镶嵌,点缀", + "ENG": "to dot or cover (with) " + }, + "proportion": { + "CHS": "比例", + "ENG": "The proportion of one kind of person or thing in a group is the number of people or things of that kind compared to the total number of people or things in the group" + }, + "concept": { + "CHS": "观念,概念", + "ENG": "an idea of how something is, or how something should be done" + }, + "geometric": { + "CHS": "几何(学)的", + "ENG": "having or using the shapes and lines in geometry , such as circles or squares, especially when these are arranged in regular patterns" + }, + "inner": { + "CHS": "内部的,里面的,内心的", + "ENG": "on the inside or close to the centre of something" + }, + "resemble": { + "CHS": "象,类似于", + "ENG": "to look like or be similar to someone or something" + }, + "scale": { + "CHS": "规模,等级,比例", + "ENG": "the size or level of something, or the amount that something is happening" + }, + "dark": { + "CHS": "黑暗", + "ENG": "when there is no light, especially because the sun has gone down" + }, + "intense": { + "CHS": "强烈的,激烈的", + "ENG": "having a very strong effect or felt very strongly" + }, + "dominate": { + "CHS": "支配,占优势", + "ENG": "to control someone or something or to have more importance than other people or things" + }, + "wild": { + "CHS": "荒野", + "ENG": "in natural and free conditions, not kept or controlled by people" + }, + "ton": { + "CHS": "吨,大量", + "ENG": "a unit for measuring weight, equal to 2,240 pounds or 1,016 kilograms in Britain, and 2,000 pounds or 907.2 kilograms in the US" + }, + "ship": { + "CHS": "航运,载运", + "ENG": "to send goods somewhere by ship, plane, truck etc" + }, + "significance": { + "CHS": "意义,重要性", + "ENG": "The significance of something is the importance that it has, usually because it will have an effect on a situation or shows something about a situation" + }, + "Mexico": { + "CHS": "墨西哥(拉丁美洲国家)" + }, + "ordinary": { + "CHS": "平常的,普通的", + "ENG": "average, common, or usual, not different or special" + }, + "case": { + "CHS": "事例,情形", + "ENG": "an example of a particular situation or of something happening" + }, + "compose": { + "CHS": "组成,写作", + "ENG": "to write a piece of music" + }, + "Rome": { + "CHS": "罗马" + }, + "permit": { + "CHS": "许可,允许", + "ENG": "to allow something to happen, especially by an official decision, rule, or law" + }, + "capable": { + "CHS": "有能力的,能干的", + "ENG": "having the qualities or ability needed to do something" + }, + "fully": { + "CHS": "充分地,完全地", + "ENG": "completely" + }, + "factual": { + "CHS": "事实的,实际的", + "ENG": "based on facts or relating to facts" + }, + "tiny": { + "CHS": "很少的,微小的", + "ENG": "extremely small" + }, + "mouth": { + "CHS": "口,嘴", + "ENG": "the part of your face which you put food into, or which you use for speaking" + }, + "connection": { + "CHS": "连接,关系", + "ENG": "the way in which two facts, ideas, events etc are related to each other, and one is affected or caused by the other" + }, + "Philadelphia": { + "CHS": "费城(美国宾西法尼亚州东南部港市)" + }, + "strength": { + "CHS": "力,力量", + "ENG": "the physical power and energy that makes someone strong" + }, + "professional": { + "CHS": "专业的,职业的", + "ENG": "showing that someone has been well trained and is good at their work" + }, + "virtually": { + "CHS": "事实上,实质上", + "ENG": "You can use virtually to indicate that something is so nearly true that for most purposes it can be regarded as true" + }, + "diet": { + "CHS": "通常所吃的食物,会议", + "ENG": "an official meeting to discuss political or church matters" + }, + "phenomenon": { + "CHS": "现象", + "ENG": "something that happens or exists in society, science, or nature, especially something that is studied because it is difficult to understand" + }, + "permanent": { + "CHS": "永久的,持久的", + "ENG": "continuing to exist for a long time or for all the time in the future" + }, + "column": { + "CHS": "圆柱,专栏", + "ENG": "a tall solid upright stone post used to support a building or as a decoration" + }, + "warmer": { + "CHS": "使热的人,温热装置" + }, + "rest": { + "CHS": "休息", + "ENG": "a period of time when you are not doing anything tiring and you can relax or sleep" + }, + "leg": { + "CHS": "走,跑", + "ENG": "to run in order to escape from someone or something" + }, + "contact": { + "CHS": "接触,联系", + "ENG": "communication with a person, organization, country etc" + }, + "paleolithic": { + "CHS": "旧石器时代的", + "ENG": "relating to the stone age (= the period of time thousands of years ago when people used stone tools and weapons ) " + }, + "hear": { + "CHS": "听到,听说", + "ENG": "to know that a sound is being made, using your ears" + }, + "crow": { + "CHS": "啼叫", + "ENG": "if a cock crows, it makes a loud high sound" + }, + "spend": { + "CHS": "花费,度过", + "ENG": "to use your money to pay for goods or services" + }, + "respond": { + "CHS": "回答,响应,作出反应", + "ENG": "to do something as a reaction to something that has been said or done" + }, + "minute": { + "CHS": "分钟,片刻", + "ENG": "a unit for measuring time. There are 60 minutes in one hour" + }, + "Washington": { + "CHS": "华盛顿" + }, + "machinery": { + "CHS": "机械,机器", + "ENG": "You can use machinery to refer to machines in general, or machines that are used in a factory or on a farm" + }, + "unit": { + "CHS": "个体,(计量)单位", + "ENG": "an amount of something used as a standard of measurement" + }, + "improvement": { + "CHS": "改进,进步", + "ENG": "the act of improving something or the state of being improved" + }, + "deal": { + "CHS": "处理,分配" + }, + "compound": { + "CHS": "混合物", + "ENG": "a substance containing atoms from two or more elements " + }, + "fear": { + "CHS": "害怕,畏惧", + "ENG": "to feel afraid or worried that something bad may happen" + }, + "feather": { + "CHS": "羽毛,轻的东西", + "ENG": "one of the light soft things that cover a bird’s body" + }, + "specialize": { + "CHS": "专攻", + "ENG": "to limit all or most of your study, business etc to a particular subject or activity" + }, + "bed": { + "CHS": "安置", + "ENG": "to fix something firmly and deeply into something else" + }, + "initial": { + "CHS": "最初的,初始的", + "ENG": "happening at the beginning" + }, + "inch": { + "CHS": "英寸", + "ENG": "a unit for measuring length, equal to 2.54 centimetres. There are 12 inches in a foot." + }, + "evaporate": { + "CHS": "(使)蒸发,消失", + "ENG": "if a liquid evaporates, or if heat evaporates it, it changes into a gas" + }, + "electric": { + "CHS": "电的", + "ENG": "needing electricity to work, produced by electricity, or used for carrying electricity" + }, + "nucleus": { + "CHS": "核子", + "ENG": "the central part of an atom, made up of neutrons, protons, and other elementary particles" + }, + "ecologist": { + "CHS": "生态学者", + "ENG": "a scientist who studies ecology" + }, + "exercise": { + "CHS": "运动,练习", + "ENG": "physical activities that you do in order to stay healthy and become stronger" + }, + "despite": { + "CHS": "尽管,不论", + "ENG": "used to say that something happens or is true even though something else might have prevented it" + }, + "Indian": { + "CHS": "印度(人)", + "ENG": "someone from India" + }, + "independent": { + "CHS": "中立派,无党派者", + "ENG": "An independent is an independent politician" + }, + "neighbor": { + "CHS": "邻居,邻国" + }, + "migrate": { + "CHS": "迁移,转移", + "ENG": "if birds or animals migrate, they travel regularly from one part of the world to another" + }, + "contribution": { + "CHS": "贡献", + "ENG": "something that you give or do in order to help something be successful" + }, + "divide": { + "CHS": "分,划分", + "ENG": "if something divides, or if you divide it, it separates into two or more parts" + }, + "prey": { + "CHS": "捕食,掠夺", + "ENG": "A creature that preys on other creatures lives by catching and eating them" + }, + "expect": { + "CHS": "期待,预期", + "ENG": "to think that something will happen because it seems likely or has been planned" + }, + "creature": { + "CHS": "创造物", + "ENG": "something, especially something bad, that was made or invented by a particular person or organization" + }, + "billion": { + "CHS": "十亿(的)" + }, + "die": { + "CHS": "死亡", + "ENG": "to stop living and become dead" + }, + "innovation": { + "CHS": "改革,创新", + "ENG": "the introduction of new ideas or methods" + }, + "depression": { + "CHS": "沮丧,消沉", + "ENG": "a feeling of sadness that makes you think there is no hope for the future" + }, + "edge": { + "CHS": "侧着移动,徐徐移动", + "ENG": "to move gradually with several small movements, or to make something do this" + }, + "ever": { + "CHS": "曾经,永远", + "ENG": "for all time" + }, + "job": { + "CHS": "工作,职业", + "ENG": "the regular paid work that you do for an employer" + }, + "protection": { + "CHS": "保护", + "ENG": "when someone or something is protected" + }, + "timberline": { + "CHS": "树带界线", + "ENG": "the northern or southern limit in the world beyond which trees will not grow" + }, + "acquire": { + "CHS": "获得,学到", + "ENG": "to obtain something by buying it or being given it" + }, + "association": { + "CHS": "协会,联合,结交", + "ENG": "an organization that consists of a group of people who have the same aims, do the same kind of work etc" + }, + "abundant": { + "CHS": "丰富的,充裕的", + "ENG": "something that is abundant exists or is available in large quantities so that there is more than enough" + }, + "regard": { + "CHS": "看待,当作", + "ENG": "to think about someone or something in a particular way" + }, + "nothing": { + "CHS": "毫不", + "ENG": "to have no qualities or features that are similar to someone or something else" + }, + "yield": { + "CHS": "生产,获利,屈服", + "ENG": "to produce a result, answer, or piece of information" + }, + "adaptation": { + "CHS": "适应, 改编, 改写本", + "ENG": "a film or television programme that is based on a book or play" + }, + "attack": { + "CHS": "攻击,进攻" + }, + "contemporary": { + "CHS": "当代的", + "ENG": "belonging to the present time" + }, + "wealthy": { + "CHS": "富有的", + "ENG": "having a lot of money, possessions etc" + }, + "construct": { + "CHS": "建造,构造,创立", + "ENG": "to build something such as a house, bridge, road etc" + }, + "adopt": { + "CHS": "采用,收养", + "ENG": "to take someone else’s child into your home and legally become its parent" + }, + "petroleum": { + "CHS": "石油", + "ENG": "oil that is obtained from below the surface of the Earth and is used to make petrol, paraffin , and various chemical substances" + }, + "summer": { + "CHS": "夏季" + }, + "competition": { + "CHS": "竞争,竞赛", + "ENG": "a situation in which people or organizations try to be more successful than other people or organizations" + }, + "boat": { + "CHS": "小船,艇", + "ENG": "a vehicle that travels across water" + }, + "demonstrate": { + "CHS": "示范,证明,论证", + "ENG": "to show or prove something clearly" + }, + "crack": { + "CHS": "(使)破裂", + "ENG": "to break or to make something break, either so that it gets lines on its surface, or so that it breaks into pieces" + }, + "dissolve": { + "CHS": "溶解,解散", + "ENG": "if a solid dissolves, or if you dissolve it, it mixes with a liquid and becomes part of it" + }, + "moisture": { + "CHS": "潮湿,湿气", + "ENG": "small amounts of water that are present in the air, in a substance, or on a surface" + }, + "vapor": { + "CHS": "水蒸气" + }, + "equipment": { + "CHS": "装备,设备", + "ENG": "the tools, machines etc that you need to do a particular job or activity" + }, + "threaten": { + "CHS": "恐吓,威胁", + "ENG": "to say that you will cause someone harm or trouble if they do not do what you want" + }, + "succession": { + "CHS": "连续,继承", + "ENG": "happening one after the other without anything diffe-rent happening in between" + }, + "annual": { + "CHS": "年度的", + "ENG": "happening once a year" + }, + "cattle": { + "CHS": "牛,家养牲畜", + "ENG": "cows and bull s kept on a farm for their meat or milk" + }, + "six": { + "CHS": "六,六个", + "ENG": "the number 6" + }, + "underground": { + "CHS": "地下的,地面下的", + "ENG": "below the surface of the earth" + }, + "comet": { + "CHS": "彗星", + "ENG": "an object in space like a bright ball with a long tail, that moves around the sun" + }, + "creation": { + "CHS": "创造,创作物", + "ENG": "the act of creating something" + }, + "feel": { + "CHS": "有知觉", + "ENG": "If you feel a particular emotion or physical sensation, you experience it" + }, + "jazz": { + "CHS": "爵士乐", + "ENG": "a type of music that has a strong beat and parts for performers to play alone" + }, + "Maya": { + "CHS": "玛雅人,玛雅语" + }, + "capital": { + "CHS": "首都的,重要的" + }, + "poor": { + "CHS": "贫穷的,可怜的", + "ENG": "used to show sympathy for someone because they are so unlucky, unhappy etc" + }, + "depict": { + "CHS": "描述,描写", + "ENG": "to describe something or someone in writing or speech, or to show them in a painting, picture etc" + }, + "prior": { + "CHS": "优先的,在前的", + "ENG": "existing or arranged before something else or before the present situation" + }, + "fantasy": { + "CHS": "幻想", + "ENG": "an exciting and unusual experience or situation you imagine happening to you, but which will probably never happen" + }, + "ecological": { + "CHS": "生态学的", + "ENG": "connected with the way plants, animals, and people are related to each other and to their environment" + }, + "acorn": { + "CHS": "橡树果,橡子", + "ENG": "the nut of the oak tree" + }, + "employ": { + "CHS": "雇用", + "ENG": "to pay someone to work for you" + }, + "fair": { + "CHS": "公平的" + }, + "immigrant": { + "CHS": "移民,侨民", + "ENG": "someone who enters another country to live there permanently" + }, + "pump": { + "CHS": "泵,抽水机", + "ENG": "a machine for forcing liquid or gas into or out of something" + }, + "fresh": { + "CHS": "新鲜的,无经验的", + "ENG": "good or interesting because it has not been done, seen etc before" + }, + "industrialization": { + "CHS": "工业化,产业化", + "ENG": "when a country or place develops a lot of industry" + }, + "suitable": { + "CHS": "适当的,相配的", + "ENG": "having the right qualities for a particular person, purpose, or situation" + }, + "cultivate": { + "CHS": "培养,耕作", + "ENG": "to prepare and use land for growing crops and plants" + }, + "tie": { + "CHS": "扎,捆绑", + "ENG": "to fasten things together or hold them in a particular position using a piece of string, rope etc" + }, + "derive": { + "CHS": "获取,得自,起源", + "ENG": "to get something, especially an advantage or a pleasant feeling, from something" + }, + "retain": { + "CHS": "保持,保留", + "ENG": "to keep something or continue to have something" + }, + "chance": { + "CHS": "机会", + "ENG": "the possibility that something will happen, especially something you want" + }, + "civil": { + "CHS": "公民的,文明的", + "ENG": "relating to the people who live in a country" + }, + "prehistoric": { + "CHS": "史前的", + "ENG": "relating to the time in history before anything was written down" + }, + "exhibit": { + "CHS": "展览,陈列,展示", + "ENG": "to show something in a public place so that people can go to see it" + }, + "numerous": { + "CHS": "众多的,许多的", + "ENG": "many" + }, + "hunter": { + "CHS": "猎人", + "ENG": "a person who hunts wild animals, or an animal that hunts other animals for food" + }, + "Florida": { + "CHS": "佛罗里达(美国州名)" + }, + "rule": { + "CHS": "支配,统治", + "ENG": "to have the official power to control a country and the people who live there" + }, + "game": { + "CHS": "比赛", + "ENG": "how well someone plays a particular game or sport" + }, + "obsidian": { + "CHS": "[矿]黑曜石", + "ENG": "a type of rock that looks like black glass" + }, + "migratory": { + "CHS": "迁移的,流浪的", + "ENG": "involved in or relating to migration" + }, + "nestling": { + "CHS": "尚未离巢的小鸟,婴孩", + "ENG": "a very young bird that cannot leave its nest because it is not yet able to fly" + }, + "sculptor": { + "CHS": "雕刻家", + "ENG": "someone who makes sculptures" + }, + "complicate": { + "CHS": "(使)变复杂" + }, + "progress": { + "CHS": "前进,进步,发展", + "ENG": "the process of getting better at doing something, or getting closer to finishing or achieving something" + }, + "consumer": { + "CHS": "消费者", + "ENG": "someone who buys and uses products and services" + }, + "frontier": { + "CHS": "国境,边疆", + "ENG": "the border of a country" + }, + "suit": { + "CHS": "合适,相配", + "ENG": "to be acceptable, suitable, or convenient for a particular person or in a particular situation" + }, + "kill": { + "CHS": "杀死,毁掉", + "ENG": "to make a person or animal die" + }, + "distinct": { + "CHS": "清楚的,明显的,不同的", + "ENG": "clearly different or belonging to a different type" + }, + "responsible": { + "CHS": "有责任的,负责的", + "ENG": "if someone is responsible for an accident, mistake, crime etc, it is their fault or they can be blamed" + }, + "decorative": { + "CHS": "装饰的", + "ENG": "pretty or attractive, but not always necessary or useful" + }, + "president": { + "CHS": "总统,会长", + "ENG": "the official leader of a country that does not have a king or queen" + }, + "parasite": { + "CHS": "寄生虫", + "ENG": "a plant or animal that lives on or in another plant or animal and gets food from it" + }, + "final": { + "CHS": "最后的,最终的", + "ENG": "last in a series of actions, events, parts of a story etc" + }, + "modify": { + "CHS": "更改,修改", + "ENG": "to make small changes to something in order to improve it and make it more suitable or effective" + }, + "finish": { + "CHS": "完成,结束", + "ENG": "to complete the last part of something that you are doing" + }, + "tone": { + "CHS": "音调", + "ENG": "the way your voice sounds, which shows how you are feeling or what you mean" + }, + "abundance": { + "CHS": "丰富,充裕", + "ENG": "a large quantity of something" + }, + "vocabulary": { + "CHS": "词汇,词表", + "ENG": "all the words that someone knows or uses" + }, + "alder": { + "CHS": "[植]桤木", + "ENG": "An alder is a species of tree or shrub that grows especially in cool, damp places and loses its leaves in winter" + }, + "title": { + "CHS": "加标题于,赋予称", + "ENG": "When a writer, composer, or artist titles a work, they give it a name" + }, + "moreover": { + "CHS": "此外,而且", + "ENG": "in addition – used to introduce information that adds to or supports what has previously been said" + }, + "propose": { + "CHS": "打算,向提议,求婚", + "ENG": "to suggest something as a plan or course of action" + }, + "street": { + "CHS": "街道", + "ENG": "a public road in a city or town that has houses, shops etc on one or both sides" + }, + "collection": { + "CHS": "收藏(品)", + "ENG": "the act of obtaining money that is owed to you" + }, + "seven": { + "CHS": "七,七个", + "ENG": "the number 7" + }, + "explicit": { + "CHS": "明确的,清晰的", + "ENG": "expressed in a way that is very clear and direct" + }, + "reaction": { + "CHS": "反应,反作用", + "ENG": "something that you feel or do because of something that has happened or been said" + }, + "molecule": { + "CHS": "分子", + "ENG": "the smallest unit into which any substance can be divided without losing its own chemical nature, usually consisting of two or more atoms" + }, + "readily": { + "CHS": "乐意地,欣然", + "ENG": "quickly, willingly, and without complaining" + }, + "mix": { + "CHS": "使混和,混淆", + "ENG": "if you mix two or more substances or if they mix, they combine to become a single substance, and they cannot be easily separated" + }, + "document": { + "CHS": "记载", + "ENG": "to write about something, film it, or take photographs of it, in order to record information about it" + }, + "waste": { + "CHS": "浪费", + "ENG": "when something such as money or skills are not used in a way that is effective, useful, or sensible" + }, + "ancestor": { + "CHS": "祖先,祖宗", + "ENG": "a member of your family who lived a long time ago" + }, + "scholar": { + "CHS": "学者", + "ENG": "an intelligent and well-educated person" + }, + "join": { + "CHS": "参加,加入,连接", + "ENG": "to become a member of an organization, society, or group" + }, + "access": { + "CHS": "进入" + }, + "pullman": { + "CHS": "卧车,普式火车", + "ENG": "A Pullman is a type of train that is extremely comfortable and luxurious. You can also refer to a Pullman train. " + }, + "raw": { + "CHS": "自然状态的,生的,原始的", + "ENG": "not cooked" + }, + "horse": { + "CHS": "马", + "ENG": "a large strong animal that people ride and use for pulling heavy things" + }, + "mechanism": { + "CHS": "机械装置", + "ENG": "part of a machine or a set of parts that does a particular job" + }, + "textile": { + "CHS": "纺织品", + "ENG": "any type of woven cloth that is made in large quantities, used especially by people in the business of making clothes etc" + }, + "rocky": { + "CHS": "岩石的,稳固的", + "ENG": "covered with rocks or made of rock" + }, + "care": { + "CHS": "关心,担忧,照顾", + "ENG": "the process of looking after someone, especially because they are ill, old, or very young" + }, + "citizen": { + "CHS": "市民,公民", + "ENG": "someone who lives in a particular town, country, or state" + }, + "interaction": { + "CHS": "交互作用", + "ENG": "a process by which two or more things affect each other" + }, + "beyond": { + "CHS": "在更远处" + }, + "desertification": { + "CHS": "荒漠化,沙漠化", + "ENG": "the process by which useful land, especially farmland, changes into desert" + }, + "gold": { + "CHS": "金的", + "ENG": "made of gold" + }, + "analyze": { + "CHS": "分析,分解" + }, + "night": { + "CHS": "夜,夜晚", + "ENG": "the dark part of each 24-hour period when the sun cannot be seen and when most people sleep" + }, + "army": { + "CHS": "军队", + "ENG": "the part of a country’s military force that is trained to fight on land in a war" + }, + "expedition": { + "CHS": "远征,探险队", + "ENG": "a long and carefully organized journey, especially to a dangerous or unfamiliar place, or the people that make this journey" + }, + "conduct": { + "CHS": "引导,管理", + "ENG": "if something conducts electricity or heat, it allows electricity or heat to travel along or through it" + }, + "principal": { + "CHS": "资本", + "ENG": "the original amount of money that is lent to someone, not including any of the interest " + }, + "front": { + "CHS": "面向", + "ENG": "if a building or area of land is fronted by something, or fronts onto it, it faces that thing" + }, + "convention": { + "CHS": "习俗,惯例", + "ENG": "behaviour and attitudes that most people in a society consider to be normal and right" + }, + "seek": { + "CHS": "寻找,探索", + "ENG": "to look for someone or something" + }, + "surge": { + "CHS": "(波涛)汹涌,涌起", + "ENG": "if a feeling surges or surges up, you begin to feel it very strongly" + }, + "ogallala": { + "CHS": "奥加拉拉(美国地名)" + }, + "availability": { + "CHS": "可用性,有效性,实用性" + }, + "sophisticate": { + "CHS": "诡辩的,久经世故的" + }, + "archaeological": { + "CHS": "考古学的" + }, + "universe": { + "CHS": "宇宙,万物", + "ENG": "all space, including all the stars and planets" + }, + "impulse": { + "CHS": "推动" + }, + "debris": { + "CHS": "碎片,残骸", + "ENG": "the pieces of something that are left after it has been destroyed in an accident, explosion etc" + }, + "unknown": { + "CHS": "不知道的,未知的", + "ENG": "not known about" + }, + "tooth": { + "CHS": "牙齿", + "ENG": "one of the hard white objects in your mouth that you use to bite and eat food" + }, + "twenty": { + "CHS": "二十,二十个", + "ENG": "the number 20" + }, + "office": { + "CHS": "办公室,事务所", + "ENG": "a building that belongs to a company or organization, with rooms where people can work at desks" + }, + "wet": { + "CHS": "湿的,多雨的", + "ENG": "covered in or full of water or another liquid" + }, + "texture": { + "CHS": "质地,(材料等的)结构", + "ENG": "the way a surface or material feels when you touch it, especially how smooth or rough it is" + }, + "remarkable": { + "CHS": "非凡的,显著的", + "ENG": "unusual or surprising and therefore deserving attention or praise" + }, + "enormous": { + "CHS": "巨大的,庞大的", + "ENG": "very big in size or in amount" + }, + "archaeologist": { + "CHS": "考古学家" + }, + "neither": { + "CHS": "既不也不", + "ENG": "used when mentioning two things that are not true or possible" + }, + "formal": { + "CHS": "正式的,正规的", + "ENG": "made or done officially or publicly" + }, + "perspective": { + "CHS": "视角,观点,远景", + "ENG": "a way of thinking about something, especially one which is influenced by the type of person you are or by your experiences" + }, + "cetacean": { + "CHS": "鲸类动物", + "ENG": "a mammal that lives in the sea, such as a whale " + }, + "sunlight": { + "CHS": "日光,阳光", + "ENG": "natural light that comes from the sun" + }, + "gap": { + "CHS": "缺口裂缝,差距", + "ENG": "a big difference between two situations, amounts, groups of people etc" + }, + "destructive": { + "CHS": "破坏(性)的", + "ENG": "causing damage to people or things" + }, + "plankton": { + "CHS": "浮游生物", + "ENG": "the very small forms of plant and animal life that live in water, especially the sea, and are eaten by fish" + }, + "radio": { + "CHS": "收音机,无线电", + "ENG": "a piece of electronic equipment which you use to listen to programmes that are broadcast, such as music and news" + }, + "reproduce": { + "CHS": "再生,复制", + "ENG": "to make a photograph or printed copy of something" + }, + "enter": { + "CHS": "进入,参加", + "ENG": "to start working in a particular profession or organization, or to start studying at a school or university" + }, + "oak": { + "CHS": "橡树,橡木", + "ENG": "a large tree that is common in northern countries, or the hard wood of this tree" + }, + "key": { + "CHS": "关键,钥匙", + "ENG": "a small specially shaped piece of metal that you put into a lock and turn in order to lock or unlock a door, start a car etc" + }, + "silver": { + "CHS": "镀银" + }, + "hole": { + "CHS": "凿洞", + "ENG": "to hit the ball into a hole in golf" + }, + "nearby": { + "CHS": "在附近", + "ENG": "If something is nearby, it is only a short distance away" + }, + "yellow": { + "CHS": "黄色(的)", + "ENG": "the colour of butter or the middle part of an egg" + }, + "press": { + "CHS": "报刊,新闻界", + "ENG": "to be criticized in the newspapers or on radio or television" + }, + "credit": { + "CHS": "相信,信任", + "ENG": "to believe or admit that someone has a quality, or has done something good" + }, + "ware": { + "CHS": "陶器,器皿" + }, + "diameter": { + "CHS": "直径", + "ENG": "a straight line from one side of a circle to the other side, passing through the centre of the circle, or the length of this line" + }, + "neanderthal": { + "CHS": "穴居人的" + }, + "frame": { + "CHS": "镶框,制定", + "ENG": "to organize and develop a plan, system etc" + }, + "distinction": { + "CHS": "差别,区分,优秀", + "ENG": "a clear difference or separation between two similar things" + }, + "French": { + "CHS": "法国(人)(的)", + "ENG": "people from France" + }, + "ideal": { + "CHS": "理想的,完美的", + "ENG": "the best or most suitable that something could possibly be" + }, + "exact": { + "CHS": "精确的,准确的", + "ENG": "completely correct in every detail" + }, + "behind": { + "CHS": "在后面", + "ENG": "Behind is also an adverb" + }, + "foreign": { + "CHS": "外国的", + "ENG": "from or relating to a country that is not your own" + }, + "flat": { + "CHS": "平坦的", + "ENG": "smooth and level, without raised or hollow areas, and not sloping or curving" + }, + "enjoy": { + "CHS": "享受,喜爱", + "ENG": "to get pleasure from something" + }, + "furthermore": { + "CHS": "而且,此外", + "ENG": "in addition to what has already been said" + }, + "independence": { + "CHS": "独立,自主", + "ENG": "political freedom from control by the government of another country" + }, + "beach": { + "CHS": "海滩", + "ENG": "an area of sand or small stones at the edge of the sea or a lake" + }, + "technical": { + "CHS": "技术的,技巧的", + "ENG": "connected with knowledge of how machines work" + }, + "artificial": { + "CHS": "人造的,虚伪的", + "ENG": "not real or not made of natural things but made to be like something that is real or natural" + }, + "drive": { + "CHS": "驾驶", + "ENG": "to make a car, truck, bus etc move along" + }, + "respect": { + "CHS": "尊敬,敬重", + "ENG": "a feeling of admiring someone or what they do, especially because of their personal qualities, knowledge, or skills" + }, + "precede": { + "CHS": "领先(于),在之前,先于", + "ENG": "to happen or exist before something or someone, or to come before something else in a series" + }, + "guild": { + "CHS": "行会,协会", + "ENG": "an organization of people who do the same job or have the same interests" + }, + "nile": { + "CHS": "尼罗河" + }, + "instance": { + "CHS": "实例,建议", + "ENG": "for example" + }, + "decoration": { + "CHS": "装饰(品)", + "ENG": "something pretty that you put in a place or on top of something to make it look attractive" + }, + "decay": { + "CHS": "衰退,腐败", + "ENG": "if traditional beliefs, standards etc decay, people do not believe in them or support them any more" + }, + "originate": { + "CHS": "起源于,创始", + "ENG": "to come from a particular place or start in a particular situation" + }, + "radiation": { + "CHS": "放射物,辐射", + "ENG": "a form of energy that comes especially from nuclear reactions, which in large amounts is very harmful to living things" + }, + "massive": { + "CHS": "巨大的,大规模的", + "ENG": "unusually large, powerful, or damaging" + }, + "fundamental": { + "CHS": "基础的,基本的", + "ENG": "relating to the most basic and important parts of something" + }, + "height": { + "CHS": "高度,海拔", + "ENG": "how tall someone or something is" + }, + "butterfly": { + "CHS": "蝴蝶", + "ENG": "a type of insect that has large wings, often with beautiful colours" + }, + "reproduction": { + "CHS": "再现,复制品", + "ENG": "the act of producing a copy of a book, picture, piece of music etc" + }, + "asteroid": { + "CHS": "小行星", + "ENG": "one of the many small planet s that move around the Sun, especially between Mars and Jupiter" + }, + "tunnel": { + "CHS": "隧道,地道", + "ENG": "a passage that has been dug under the ground for cars, trains etc to go through" + }, + "apartment": { + "CHS": "公寓住宅", + "ENG": "a set of rooms on one floor of a large building, where someone lives" + }, + "him": { + "CHS": "他", + "ENG": "used to refer to a man, boy, or male animal that has already been mentioned or is already known about" + }, + "burn": { + "CHS": "烧伤", + "ENG": "an injury caused by fire, heat, the light of the sun, or acid" + }, + "export": { + "CHS": "输出,出口", + "ENG": "the business of selling and sending goods to other countries" + }, + "flash": { + "CHS": "闪光,闪现", + "ENG": "to shine suddenly and brightly for a short time, or to make something shine in this way" + }, + "secondary": { + "CHS": "次要的,二级的", + "ENG": "not as important as something else" + }, + "pottery": { + "CHS": "陶器", + "ENG": "objects made out of baked clay" + }, + "chimpanzee": { + "CHS": "黑猩猩", + "ENG": "an intelligent African animal that is like a large monkey without a tail" + }, + "onto": { + "CHS": "在之上" + }, + "occupy": { + "CHS": "占,占领", + "ENG": "to live or stay in a place" + }, + "harvest": { + "CHS": "收获,收割", + "ENG": "to gather crops from the fields" + }, + "disappear": { + "CHS": "消失", + "ENG": "to become impossible to see any longer" + }, + "Australian": { + "CHS": "澳大利亚(的)", + "ENG": "someone from Australia" + }, + "conclusion": { + "CHS": "结束,结论", + "ENG": "something you decide after considering all the information you have" + }, + "dominant": { + "CHS": "有统治权的,占优势的", + "ENG": "more powerful, important, or noticeable than other people or things" + }, + "pull": { + "CHS": "拉,拖,拔", + "ENG": "to use your hands to make something or someone move towards you or in the direction that your hands are moving" + }, + "tuna": { + "CHS": "金枪鱼", + "ENG": "a large sea fish caught for food" + }, + "restrict": { + "CHS": "限制,约束", + "ENG": "to limit or control the size, amount, or range of something" + }, + "distribution": { + "CHS": "分发,分配,分布", + "ENG": "the act of sharing things among a large group of people in a planned way" + }, + "movie": { + "CHS": "电影", + "ENG": "a film made to be shown at the cinema or on television" + }, + "projection": { + "CHS": "发射", + "ENG": "the act of projecting a film or picture onto a screen" + }, + "stretch": { + "CHS": "伸展,延伸", + "ENG": "to straighten your arms, legs, or body to full length" + }, + "goal": { + "CHS": "目的,目标", + "ENG": "something that you hope to achieve in the future" + }, + "requirement": { + "CHS": "需求,要求", + "ENG": "something that someone needs or asks for" + }, + "operate": { + "CHS": "操作,运转", + "ENG": "if a system, process, or service operates, or if you operate it, it works" + }, + "trap": { + "CHS": "圈套", + "ENG": "a clever trick that is used to catch someone or to make them do or say something that they did not intend to" + }, + "reject": { + "CHS": "拒绝,退回", + "ENG": "to refuse to accept, believe in, or agree with something" + }, + "majority": { + "CHS": "大多数", + "ENG": "most of the people or things in a group" + }, + "volume": { + "CHS": "卷,册", + "ENG": "a book that is part of a set, or one into which a very long book is divided" + }, + "float": { + "CHS": "漂浮,浮现", + "ENG": "if something floats, it moves slowly through the air or stays up in the air" + }, + "zone": { + "CHS": "分成区" + }, + "pastoralism": { + "CHS": "田园主义,牧歌体" + }, + "reliable": { + "CHS": "可靠的,可信赖的", + "ENG": "someone or something that is reliable can be trusted or depended on" + }, + "frequency": { + "CHS": "频率,发生次数", + "ENG": "the number of times that something happens within a particular period of time or within a particular group of people" + }, + "geologic": { + "CHS": "地质的" + }, + "extent": { + "CHS": "范围,程度,广度" + }, + "pleistocene": { + "CHS": "[地]更新世(的)(一段时期)", + "ENG": "the Pleistocene epoch or rock series " + }, + "enhance": { + "CHS": "提高,增强", + "ENG": "to improve something" + }, + "accompany": { + "CHS": "陪伴,伴奏", + "ENG": "to go somewhere with someone" + }, + "interpret": { + "CHS": "解释,说明", + "ENG": "to believe that something someone does or something that happens has a particular meaning" + }, + "snowfall": { + "CHS": "降雪,降雪量", + "ENG": "an occasion when snow falls from the sky, or the amount that falls in a particular period of time" + }, + "storm": { + "CHS": "暴风雨,暴风雪", + "ENG": "a period of very bad weather when there is a lot of rain or snow, strong winds, and often lightning " + }, + "musician": { + "CHS": "音乐家", + "ENG": "someone who plays a musical instrument, especially very well or as a job" + }, + "critical": { + "CHS": "批评的,挑剔的,决定性的", + "ENG": "if you are critical, you criticize someone or something" + }, + "Netherlands": { + "CHS": "荷兰[国家]" + }, + "choose": { + "CHS": "选择,选定", + "ENG": "to decide which one of a number of things or people you want" + }, + "polar": { + "CHS": "(近)地极的,对立的", + "ENG": "close to or relating to the North Pole or the South Pole" + }, + "pollutant": { + "CHS": "污染物质", + "ENG": "a substance that makes air, water, soil etc dangerously dirty, and is caused by cars, factories etc" + }, + "unable": { + "CHS": "不能的,不会的", + "ENG": "not able to do something" + }, + "elite": { + "CHS": "精英,精华", + "ENG": "a group of people who have a lot of power and influence because they have money, knowledge, or special skills" + }, + "branch": { + "CHS": "树枝,分部,分支", + "ENG": "a part of a tree that grows out from the trunk (= main stem ) and that has leaves, fruit, or smaller branches growing from it" + }, + "seawater": { + "CHS": "海水", + "ENG": "salty water from the sea" + }, + "Chicago": { + "CHS": "芝加哥" + }, + "walk": { + "CHS": "步行", + "ENG": "a journey that you make by walking, especially for exercise or enjoyment" + }, + "Health": { + "CHS": "健康", + "ENG": "A person's health is the condition of their body and the extent to which it is free from illness or is able to resist illness" + }, + "decorate": { + "CHS": "装饰", + "ENG": "to paint the inside of a room, put special paper on the walls etc" + }, + "portion": { + "CHS": "一部分", + "ENG": "a part of something larger, especially a part that is different from the other parts" + }, + "combination": { + "CHS": "结合,联合,合并", + "ENG": "two or more different things that exist together or are used or put together" + }, + "active": { + "CHS": "积极的,活跃的,起作用的", + "ENG": "always busy doing things, especially physical or mental activities" + }, + "division": { + "CHS": "分开,分割,区分", + "ENG": "the act of separating something into two or more different parts, or the way these parts are separated or shared" + }, + "pure": { + "CHS": "纯的,纯粹的", + "ENG": "a pure substance or material is not mixed with anything" + }, + "engage": { + "CHS": "雇佣,从事,参加", + "ENG": "to be doing or to become involved in an activity" + }, + "stay": { + "CHS": "逗留,保持,延缓", + "ENG": "to remain in a place rather than leave" + }, + "regulate": { + "CHS": "管理,控制,调整", + "ENG": "to control an activity or process, especially by rules" + }, + "send": { + "CHS": "发送,派遣", + "ENG": "to arrange for something to go or be taken to another place, especially by post" + }, + "copper": { + "CHS": "铜,警察", + "ENG": "a soft reddish-brown metal that allows electricity and heat to pass through it easily, and is used to make electrical wires, water pipes etc. It is a chemical element: symbol Cu" + }, + "engineer": { + "CHS": "设计,建造", + "ENG": "to design and plan the building of roads, bridges, machines, etc" + }, + "critic": { + "CHS": "批评家,评论家", + "ENG": "someone whose job is to make judgments about the good and bad qualities of art, music, films etc" + }, + "investment": { + "CHS": "投资,可获利的东西", + "ENG": "the use of money to get a profit or to make a business activity successful, or the money that is used" + }, + "Boston": { + "CHS": "波士顿", + "ENG": "a card game for four, played with two packs " + }, + "opportunist": { + "CHS": "机会主义者,投机取巧者", + "ENG": "someone who uses every opportunity to gain power, money, or unfair advantages – used to show disapproval" + }, + "dependent": { + "CHS": "依靠的,依赖的", + "ENG": "needing someone or something in order to exist, be successful, be healthy etc" + }, + "week": { + "CHS": "星期,周", + "ENG": "a period of seven days and nights, usually measured in Britain from Monday to Sunday and in the US from Sunday to Saturday" + }, + "balance": { + "CHS": "使平衡", + "ENG": "to be in or get into a steady position, without falling to one side or the other, or to put something into this position" + }, + "pollution": { + "CHS": "污染", + "ENG": "the process of making air, water, soil etc dangerously dirty and not suitable for people to use, or the state of being dangerously dirty" + }, + "mother": { + "CHS": "母亲", + "ENG": "a female parent of a child or animal" + }, + "drought": { + "CHS": "干旱,缺乏", + "ENG": "a long period of dry weather when there is not enough water for plants and animals to live" + }, + "survey": { + "CHS": "调查", + "ENG": "a set of questions that you ask a large number of people in order to find out about their opinions or behaviour" + }, + "repeat": { + "CHS": "重复,重做,使再现", + "ENG": "to say or write something again" + }, + "reflective": { + "CHS": "反射的,反映的,沉思的", + "ENG": "a reflective surface reflects light" + }, + "status": { + "CHS": "身份,地位,情形,", + "ENG": "the official legal position or condition of a person, group, country etc" + }, + "authority": { + "CHS": "权威,权力", + "ENG": "the power you have because of your official position" + }, + "perception": { + "CHS": "观念,洞察力,认识能力", + "ENG": "Someone who has perception realizes or notices things that are not obvious" + }, + "ridge": { + "CHS": "背脊,山脊", + "ENG": "a long area of high land, especially at the top of a mountain" + }, + "stress": { + "CHS": "着重,强调", + "ENG": "to emphasize a statement, fact, or idea" + }, + "accumulation": { + "CHS": "积聚,堆积物", + "ENG": "An accumulation of something is a large number of things that have been collected together or acquired over a period of time" + }, + "bound": { + "CHS": "范围,界限", + "ENG": "the limits of what is possible or acceptable" + }, + "Alaska": { + "CHS": "阿拉斯加州(美国州名)" + }, + "context": { + "CHS": "上下文", + "ENG": "the words that come just before and after a word or sentence and that help you understand its meaning" + }, + "perfect": { + "CHS": "使完美,修改", + "ENG": "to make something as good as you are able to" + }, + "millennium": { + "CHS": "太平盛世,一千年", + "ENG": "a period of 1,000 years" + }, + "somewhat": { + "CHS": "稍微,有点,有些", + "ENG": "more than a little but not very" + }, + "China": { + "CHS": "中国,瓷器", + "ENG": "China is a hard white substance made from clay. It is used to make things such as cups, bowls, plates, and ornaments. " + }, + "favorable": { + "CHS": "赞成的,有利的" + }, + "broad": { + "CHS": "宽的,广泛的", + "ENG": "a road, river, or part of someone’s body etc that is broad is wide" + }, + "risk": { + "CHS": "冒险,风险", + "ENG": "the possibility that something bad, unpleasant, or dangerous may happen" + }, + "antarctica": { + "CHS": "南极洲" + }, + "kinetoscope": { + "CHS": "活动电影放映机" + }, + "absence": { + "CHS": "不在, 缺席, 缺乏, 没有", + "ENG": "when you are not in the place where people expect you to be, or the time that you are away" + }, + "representative": { + "CHS": "代表 a典型的, 有代表性的", + "ENG": "someone who has been chosen to speak, vote, or make decisions for someone else" + }, + "enlarge": { + "CHS": "扩大, 放大", + "ENG": "if you enlarge something, or if it enlarges, it increases in size or scale" + }, + "defense": { + "CHS": "国防部,防卫" + }, + "category": { + "CHS": "种类", + "ENG": "a group of people or things that are all of the same type" + }, + "intensity": { + "CHS": "强度,强烈", + "ENG": "the quality of being felt very strongly or having a strong effect" + }, + "abandon": { + "CHS": "放弃,遗弃", + "ENG": "to leave someone, especially someone you are responsible for" + }, + "relation": { + "CHS": "关系,联系", + "ENG": "a connection between two or more things" + }, + "virus": { + "CHS": "病毒", + "ENG": "a very small living thing that causes infectious illnesses" + }, + "exhibition": { + "CHS": "表现,展览会", + "ENG": "a show of paintings, photographs, or other objects that people can go to see" + }, + "alter": { + "CHS": "改变", + "ENG": "to change, or to make someone or something change" + }, + "myth": { + "CHS": "神话", + "ENG": "an ancient story, especially one invented in order to explain natural or historical events" + }, + "arid": { + "CHS": "干旱的,贫瘠的", + "ENG": "arid land or an arid climate is very dry because it has very little rain" + }, + "erode": { + "CHS": "侵蚀,腐蚀", + "ENG": "if the weather erodes rock or soil, or if rock or soil erodes, its surface is gradually destroyed" + }, + "dramatic": { + "CHS": "戏剧性的,生动的", + "ENG": "connected with acting or plays" + }, + "arise": { + "CHS": "出现,发生,起因于", + "ENG": "if a problem or difficult situation arises, it begins to happen" + }, + "reverse": { + "CHS": "颠倒,倒转", + "ENG": "if a vehicle or its driver reverses, they go backwards" + }, + "capacity": { + "CHS": "容量,能力", + "ENG": "the amount of space a container, room etc has to hold things or people" + }, + "competitor": { + "CHS": "竞争者", + "ENG": "a person, team, company etc that is competing with another" + }, + "promise": { + "CHS": "允诺,答应", + "ENG": "to tell someone that you will definitely do or provide something or that something will happen" + }, + "wooden": { + "CHS": "木制的", + "ENG": "made of wood" + }, + "portray": { + "CHS": "描绘", + "ENG": "to describe or show someone or something in a particular way, according to your opinion of them" + }, + "composer": { + "CHS": "作家,作曲家", + "ENG": "someone who writes music" + }, + "stick": { + "CHS": "刺,戳", + "ENG": "if a pointed object sticks into something, or if you stick it there, it is pushed into it" + }, + "glaciation": { + "CHS": "冻结成冰,冰河作用", + "ENG": "the process in which land is covered by glaciers, or the effect this process has" + }, + "arm": { + "CHS": "供给,武装", + "ENG": "to provide weapons for yourself, an army, a country etc in order to prepare for a fight or a war" + }, + "transfer": { + "CHS": "迁移,移动,转移", + "ENG": "to move from one place, school, job etc to another, or to make someone do this, especially within the same organization" + }, + "arch": { + "CHS": "拱门v(使)弯成弓形", + "ENG": "a structure with a curved top and straight sides that supports the weight of a bridge or building" + }, + "prediction": { + "CHS": "预言", + "ENG": "a statement about what you think is going to happen, or the act of making this statement" + }, + "stencil": { + "CHS": "用蜡纸印刷" + }, + "distinctive": { + "CHS": "有区别的,独特的", + "ENG": "having a special quality, character, or appearance that is different and easy to recognize" + }, + "tail": { + "CHS": "跟踪,尾随", + "ENG": "to follow someone and watch what they do, where they go etc" + }, + "France": { + "CHS": "法国,法兰西" + }, + "toxic": { + "CHS": "有毒的,中毒的", + "ENG": "containing poison, or caused by poisonous substances" + }, + "magnetic": { + "CHS": "磁的,有吸引力的", + "ENG": "concerning or produced by magnetism " + }, + "visit": { + "CHS": "拜访,访问", + "ENG": "to go and spend time in a place or with someone, especially for pleasure or interest" + }, + "apart": { + "CHS": "分离(隔)的", + "ENG": "If people or groups are a long way apart on a particular topic or issue, they have completely different views and disagree about it" + }, + "gull": { + "CHS": "欺骗", + "ENG": "to fool, cheat, or hoax " + }, + "herbivore": { + "CHS": "草食动物", + "ENG": "an animal that only eats plants" + }, + "cross": { + "CHS": "使交叉,横过", + "ENG": "if two or more roads, lines, etc cross, or if one crosses another, they go across each other" + }, + "tornado": { + "CHS": "龙卷风", + "ENG": "an extremely violent storm consisting of air that spins very quickly and causes a lot of damage" + }, + "metallic": { + "CHS": "金属(性)的", + "ENG": "a metallic noise sounds like pieces of metal hitting each other" + }, + "loud": { + "CHS": "高声的,大声地" + }, + "drain": { + "CHS": "排水,消耗", + "ENG": "a pipe that carries water or waste liquids away" + }, + "realize": { + "CHS": "认识到,了解", + "ENG": "to know and understand something, or suddenly begin to understand it" + }, + "shallow": { + "CHS": "浅的", + "ENG": "measuring only a short distance from the top to the bottom" + }, + "surplus": { + "CHS": "剩余,过剩", + "ENG": "an amount of something that is more than what is needed or used" + }, + "explore": { + "CHS": "探险,探测", + "ENG": "to discuss or think about something carefully" + }, + "classify": { + "CHS": "分类,分等", + "ENG": "to decide what group something belongs to" + }, + "possibility": { + "CHS": "可能性", + "ENG": "if there is a possibility that something is true or that something will happen, it might be true or it might happen" + }, + "novel": { + "CHS": "小说,长篇故事", + "ENG": "a long written story in which the characters and events are usually imaginary" + }, + "afford": { + "CHS": "提供,给予", + "ENG": "to provide something or allow something to happen" + }, + "southeast": { + "CHS": "东南(的)", + "ENG": "the direction that is exactly between south and east" + }, + "narrow": { + "CHS": "变窄,压缩", + "ENG": "to make something narrower or to become narrower" + }, + "northwest": { + "CHS": "西北方(的)", + "ENG": "the direction that is exactly between north and west" + }, + "collision": { + "CHS": "碰撞,冲突", + "ENG": "an accident in which two or more people or vehicles hit each other while moving in different directions" + }, + "lung": { + "CHS": "肺,呼吸器", + "ENG": "one of the two organs in your body that you breathe with" + }, + "diverse": { + "CHS": "不同的,变化多的", + "ENG": "Diverse people or things are very different from each other" + }, + "temperate": { + "CHS": "温和的,适度的,有节制的", + "ENG": "behaviour that is temperate is calm and sensible" + }, + "widespread": { + "CHS": "分布广泛的,普遍的", + "ENG": "existing or happening in many places or situations, or among many people" + }, + "isotope": { + "CHS": "同位素", + "ENG": "one of the possible different forms of an atom of a particular element " + }, + "detect": { + "CHS": "察觉,侦查,发现", + "ENG": "to notice or discover something, especially something that is not easy to see, hear etc" + }, + "nevertheless": { + "CHS": "然而,不过" + }, + "wheat": { + "CHS": "小麦", + "ENG": "the grain that bread is made from, or the plant that it grows on" + }, + "peak": { + "CHS": "山顶,顶点", + "ENG": "the time when something or someone is best, greatest, highest, most successful etc" + }, + "parlor": { + "CHS": "客厅,会客室" + }, + "navigate": { + "CHS": "航行,航海", + "ENG": "to sail along a river or other area of water" + }, + "tendency": { + "CHS": "趋向,倾向", + "ENG": "if someone or something has a tendency to do or become a particular thing, they are likely to do or become it" + }, + "flourish": { + "CHS": "繁荣,茂盛", + "ENG": "to develop well and be successful" + }, + "catch": { + "CHS": "捕获,抓住", + "ENG": "to see someone doing something that they did not want you to know they were doing" + }, + "evolutionary": { + "CHS": "进化的,发展的,演变的", + "ENG": "relating to the way in which plants and animals develop and change gradually over a long period of time" + }, + "bead": { + "CHS": "珠子,水珠", + "ENG": "one of a set of small, usually round, pieces of glass, wood, plastic etc, that you can put on a string and wear as jewellery" + }, + "variability": { + "CHS": "可变性" + }, + "turbine": { + "CHS": "涡轮", + "ENG": "an engine or motor in which the pressure of a liquid or gas moves a special wheel around" + }, + "highland": { + "CHS": "高地,丘陵地带", + "ENG": "relatively high ground " + }, + "meat": { + "CHS": "(食用)肉,肉类", + "ENG": "the flesh of animals and birds eaten as food" + }, + "match": { + "CHS": "相配,相称", + "ENG": "if one thing matches another, or if two things match, they look attractive together because they are a similar colour, pattern etc" + }, + "tall": { + "CHS": "高的,长的", + "ENG": "a person, building, tree etc that is tall is a greater height than normal" + }, + "communicate": { + "CHS": "沟通,通信,传达", + "ENG": "to exchange information or conversation with other people, using words, signs, writing etc" + }, + "distribute": { + "CHS": "分发,分配", + "ENG": "to share things among a group of people, especially in a planned way" + }, + "comparative": { + "CHS": "比较的,相当的", + "ENG": "the comparative form of an adjective or adverb shows an increase in size, quality, degree etc when it is considered in relation to something else. For example, ‘bigger’ is the comparative form of ‘big’, and ‘more slowly’ is the comparative form of ‘slowly’." + }, + "newly": { + "CHS": "重新,最近" + }, + "mill": { + "CHS": "碾磨,搅拌", + "ENG": "to crush grain, pepper etc in a mill" + }, + "indirect": { + "CHS": "间接的,迂回的", + "ENG": "not directly caused by something" + }, + "stop": { + "CHS": "停止,阻止", + "ENG": "to prevent someone from doing something or something from happening" + }, + "destruction": { + "CHS": "破坏,毁灭", + "ENG": "the act or process of destroying something or of being destroyed" + }, + "customer": { + "CHS": "消费者" + }, + "suddenly": { + "CHS": "突然地", + "ENG": "quickly and unexpectedly" + }, + "multiple": { + "CHS": "倍数", + "ENG": "a number that contains a smaller number an exact number of times" + }, + "vitamin": { + "CHS": "维他命,维生素", + "ENG": "a chemical substance in food that is necessary for good health" + }, + "manner": { + "CHS": "礼貌,方式", + "ENG": "the way in which something is done or happens" + }, + "vegetable": { + "CHS": "蔬菜,植物", + "ENG": "a plant that is eaten raw or cooked, such as a cabbage, a carrot, or peas" + }, + "conclude": { + "CHS": "推断出,结束,总结", + "ENG": "to decide that something is true after considering all the information you have" + }, + "barrier": { + "CHS": "障碍物,栅栏", + "ENG": "a rule, problem etc that prevents people from doing something, or limits what they can do" + }, + "mud": { + "CHS": "泥,泥浆", + "ENG": "wet earth that has become soft and sticky" + }, + "motif": { + "CHS": "主题,主旨", + "ENG": "an idea, subject, or image that is regularly repeated and developed in a book, film, work of art etc" + }, + "wheel": { + "CHS": "推,拉,转动", + "ENG": "to push something that has wheels somewhere" + }, + "rough": { + "CHS": "粗糙的,大致的", + "ENG": "having an uneven surface" + }, + "corridor": { + "CHS": "走廊", + "ENG": "a long narrow passage on a train or between rooms in a building, with doors leading off it" + }, + "challenger": { + "CHS": "挑战者", + "ENG": "A challenger is someone who competes with you for a position or title that you already have, for example being a sports champion or a political leader" + }, + "fragment": { + "CHS": "(使)成碎片", + "ENG": "to break something, or be broken into a lot of small separate parts – used to show disapproval" + }, + "occasionally": { + "CHS": "有时候,偶而" + }, + "component": { + "CHS": "成分", + "ENG": "one of several parts that together make up a whole machine, system etc" + }, + "beaver": { + "CHS": "海狸(毛皮)", + "ENG": "a North American animal that has thick fur and a wide flat tail, and cuts down trees with its teeth" + }, + "comprehension": { + "CHS": "理解,包含", + "ENG": "the ability to understand something" + }, + "physiological": { + "CHS": "生理(学)的" + }, + "ceremony": { + "CHS": "典礼,仪式", + "ENG": "an important social or religious event, when a traditional set of actions is performed in a formal way" + }, + "altitude": { + "CHS": "高度(海拔)", + "ENG": "If something is at a particular altitude, it is at that height above sea level" + }, + "arrive": { + "CHS": "到达,抵达", + "ENG": "to get to the place you are going to" + }, + "exploit": { + "CHS": "开拓,开采", + "ENG": "to develop and use minerals, forests, oil etc for business or industry" + }, + "microscopic": { + "CHS": "显微镜的,极小的", + "ENG": "extremely small and therefore very difficult to see" + }, + "schedule": { + "CHS": "安排,排定", + "ENG": "to plan that something will happen at a particular time" + }, + "former": { + "CHS": "从前的,以前的", + "ENG": "happening or existing before, but not now" + }, + "career": { + "CHS": "事业,生涯", + "ENG": "a job or profession that you have been trained for, and which you do for a long period of your life" + }, + "aim": { + "CHS": "目标v对瞄准,打算", + "ENG": "to point a gun or weapon at someone or something you want to shoot" + }, + "inventor": { + "CHS": "发明家", + "ENG": "someone who has invented something, or whose job is to invent things" + }, + "consume": { + "CHS": "消耗,消费,消灭", + "ENG": "to use time, energy, goods etc" + }, + "examine": { + "CHS": "检查,调查,考试", + "ENG": "to look at something carefully and thoroughly because you want to find out more about it" + }, + "atmospheric": { + "CHS": "大气的", + "ENG": "relating to the Earth’s atmosphere" + }, + "fore": { + "CHS": "前头,船头" + }, + "province": { + "CHS": "省(一个国家的大行政区)", + "ENG": "one of the large areas into which some countries are divided, and which usually has its own local government" + }, + "introduction": { + "CHS": "介绍,传入", + "ENG": "the act of formally telling two people each other’s names when they first meet" + }, + "encode": { + "CHS": "把编码", + "ENG": "to put a message or other information into code" + }, + "squirrel": { + "CHS": "松鼠", + "ENG": "a small animal with a long furry tail that climbs trees and eats nuts" + }, + "random": { + "CHS": "任意(的),随便(的)" + }, + "tulip": { + "CHS": "郁金香", + "ENG": "a brightly coloured flower that is shaped like a cup and grows from a bulb in spring" + }, + "invent": { + "CHS": "发明,创造", + "ENG": "to make, design, or think of a new type of thing" + }, + "pueblo": { + "CHS": "印第安人村庄", + "ENG": "A pueblo is a village, especially in the southwestern United States" + }, + "pound": { + "CHS": "(连续)猛击,捣碎", + "ENG": "to hit something very hard several times and make a lot of noise, damage it, break it into smaller pieces etc" + }, + "pebble": { + "CHS": "小圆石,小鹅卵石" + }, + "lot": { + "CHS": "许多,大量", + "ENG": "a large amount or number" + }, + "obvious": { + "CHS": "明显的,显而易见的", + "ENG": "easy to notice or understand" + }, + "station": { + "CHS": "安置,派驻", + "ENG": "to send someone in the military to a particular place for a period of time as part of their military duty" + }, + "limestone": { + "CHS": "石灰石", + "ENG": "a type of rock that contains calcium" + }, + "sumerian": { + "CHS": "闪族人[语]" + }, + "brown": { + "CHS": "棕色(的),人名", + "ENG": "the colour of earth, wood, or coffee" + }, + "gazelle": { + "CHS": "瞪羚,小羚羊", + "ENG": "a type of small deer, which jumps very gracefully and has large beautiful eyes" + }, + "Columbia": { + "CHS": "哥伦比亚", + "ENG": "the first test vehicle of the NASA space shuttle fleet to prove the possibility of routine access to space for scientific and commercial ventures " + }, + "statistic": { + "CHS": "统计数值", + "ENG": "a single number which represents a fact or measurement" + }, + "evaporation": { + "CHS": "蒸发" + }, + "archaeology": { + "CHS": "考古学", + "ENG": "the study of ancient societies by examining what remains of their buildings, grave s , tools etc" + }, + "dweller": { + "CHS": "居住者,居民", + "ENG": "A city dweller or slum dweller, for example, is a person who lives in the kind of place or house indicated" + }, + "possess": { + "CHS": "占有,拥有", + "ENG": "to have a particular quality or ability" + }, + "elsewhere": { + "CHS": "在别处", + "ENG": "in, at, or to another place" + }, + "seasonal": { + "CHS": "季节的,周期性的", + "ENG": "happening, expected, or needed during a particular season" + }, + "assemble": { + "CHS": "集合,聚集,装配", + "ENG": "if you assemble a large number of people or things, or if they assemble, they are gathered together in one place, often for a particular purpose" + }, + "mask": { + "CHS": "面具", + "ENG": "something that covers all or part of your face, to protect or to hide it" + }, + "reality": { + "CHS": "真实,事实", + "ENG": "what actually happens or is true, not what is imagined or thought" + }, + "alone": { + "CHS": "单独的", + "ENG": "if you are alone in a place, there is no one with you" + }, + "college": { + "CHS": "学院", + "ENG": "a school for advanced education, especially in a particular profession or skill" + }, + "definition": { + "CHS": "定义,解说", + "ENG": "a phrase or sentence that says exactly what a word, phrase, or idea means" + }, + "dead": { + "CHS": "死者", + "ENG": "people who have died" + }, + "regional": { + "CHS": "整个地区的,地域性地", + "ENG": "relating to a particular region or area" + }, + "border": { + "CHS": "与接壤,接近", + "ENG": "if one country, state, or area borders another, it is next to it and shares a border with it" + }, + "household": { + "CHS": "家庭", + "ENG": "all the people who live together in one house" + }, + "trend": { + "CHS": "倾向,趋势", + "ENG": "a general tendency in the way a situation is changing or developing" + }, + "sandstone": { + "CHS": "沙岩", + "ENG": "a type of soft yellow or red rock, often used in buildings" + }, + "Sweden": { + "CHS": "瑞典" + }, + "suck": { + "CHS": "吸,吮", + "ENG": "to take air, liquid etc into your mouth by making your lips form a small hole and using the muscles of your mouth to pull it in" + }, + "speech": { + "CHS": "演说", + "ENG": "a talk, especially a formal one about a particular subject, given to a group of people" + }, + "consequent": { + "CHS": "推论,结论" + }, + "crisis": { + "CHS": "决定性时刻,危机", + "ENG": "a situation in which there are a lot of problems that must be dealt with quickly so that the situation does not get worse or more dangerous" + }, + "modem": { + "CHS": "[计]调制解调器", + "ENG": "a piece of electronic equipment that allows information from one computer to be sent along telephone wires to another computer" + }, + "literary": { + "CHS": "文学的", + "ENG": "relating to literature" + }, + "pioneer": { + "CHS": "开拓(创)", + "ENG": "to be the first person to do, invent or use something" + }, + "criticize": { + "CHS": "批评,责备", + "ENG": "to express your disapproval of someone or something, or to talk about their faults" + }, + "originally": { + "CHS": "最初,原先", + "ENG": "in the beginning, before other things happened or before other things changed" + }, + "salinity": { + "CHS": "盐分,盐度" + }, + "room": { + "CHS": "房间", + "ENG": "a part of the inside of a building that has its own walls, floor, and ceiling" + }, + "shrub": { + "CHS": "灌木, 灌木丛", + "ENG": "a small bush with several woody stems" + }, + "weapon": { + "CHS": "武器", + "ENG": "something that you use to fight with or attack someone with, such as a knife, bomb, or gun" + }, + "clean": { + "CHS": "打扫,使干净", + "ENG": "to remove dirt from something by rubbing or washing" + }, + "corn": { + "CHS": "玉米", + "ENG": "a tall plant with large yellow seeds that grow together on a cob (= long hard part ) , which is cooked and eaten as a vegetable or fed to animals" + }, + "dynasty": { + "CHS": "朝代,王朝", + "ENG": "a family of kings or other rulers whose parents, grandparents etc have ruled the country for many years" + }, + "livestock": { + "CHS": "家畜", + "ENG": "animals such as cows and sheep that are kept on a farm" + }, + "drama": { + "CHS": "戏剧", + "ENG": "a play for the theatre, television, radio etc, usually a serious one, or plays in general" + }, + "photography": { + "CHS": "摄影", + "ENG": "the art, profession, or method of producing photographs or the scenes in films" + }, + "colonist": { + "CHS": "殖民地居民,殖民者", + "ENG": "someone who settles in a new colony" + }, + "extra": { + "CHS": "额外的", + "ENG": "more of something, in addition to the usual or standard amount or number" + }, + "algae": { + "CHS": "水藻", + "ENG": "a very simple plant without stems or leaves that grows in or near water" + }, + "lowland": { + "CHS": "低地" + }, + "otherwise": { + "CHS": "否则,除此以外", + "ENG": "used when saying what bad thing will happen if something is not done" + }, + "round": { + "CHS": "大约" + }, + "imagine": { + "CHS": "想象,设想", + "ENG": "to form a picture or idea in your mind about what something could be like" + }, + "selection": { + "CHS": "选择,挑选", + "ENG": "the careful choice of a particular person or thing from a group of similar people or things" + }, + "vertebrate": { + "CHS": "脊椎动物", + "ENG": "a living creature that has a backbone" + }, + "sixteenth": { + "CHS": "第十六,十六分之一", + "ENG": "one of 16 equal parts of something" + }, + "recover": { + "CHS": "恢复,复原,重获", + "ENG": "to get better after an illness, accident, shock etc" + }, + "forward": { + "CHS": "前部的", + "ENG": "closer to a person, place, or position that is in front of you" + }, + "expense": { + "CHS": "费用,代价", + "ENG": "the amount of money that you spend on something" + }, + "smooth": { + "CHS": "弄平", + "ENG": "to make something such as cloth or hair flat by moving your hands across it" + }, + "talk": { + "CHS": "谈话", + "ENG": "to say things to someone as part of a conversation" + }, + "scheme": { + "CHS": "计划,策划", + "ENG": "to secretly make clever and dishonest plans to get or achieve something" + }, + "tower": { + "CHS": "塔,城堡", + "ENG": "a tall narrow building either built on its own or forming part of a castle, church etc" + }, + "bright": { + "CHS": "明亮的", + "ENG": "shining strongly, or with plenty of light" + }, + "anthropologist": { + "CHS": "人类学家" + }, + "discipline": { + "CHS": "训练", + "ENG": "to teach someone to obey rules and control their behaviour" + }, + "opposite": { + "CHS": "相反的事物", + "ENG": "a person or thing that is as different as possible from someone or something else" + }, + "oyster": { + "CHS": "牡蛎,蚝", + "ENG": "a type of shellfish that can be eaten cooked or uncooked, and that produces a jewel called a pearl" + }, + "interval": { + "CHS": "间隔,距离", + "ENG": "the period of time between two events, activities etc" + }, + "volcano": { + "CHS": "火山", + "ENG": "a mountain with a large hole at the top, through which lava(= very hot liquid rock ) is sometimes forced out" + }, + "love": { + "CHS": "爱", + "ENG": "to have a strong feeling of affection for someone, combined with sexual attraction" + }, + "mind": { + "CHS": "介意,注意", + "ENG": "to feel annoyed or upset about something" + }, + "steady": { + "CHS": "稳固的,坚定的", + "ENG": "continuing or developing gradually or without stopping, and not likely to change" + }, + "full": { + "CHS": "充满的,完全的", + "ENG": "containing as much or as many things or people as possible, so there is no space left" + }, + "universal": { + "CHS": "普遍的,全体的", + "ENG": "involving everyone in the world or in a particular group" + }, + "union": { + "CHS": "联合,联盟", + "ENG": "used in the names of some clubs or organizations" + }, + "terrain": { + "CHS": "地形", + "ENG": "a particular type of land" + }, + "fluid": { + "CHS": "流体的,流动的", + "ENG": "fluid movements are smooth, relaxed, and graceful" + }, + "wildebeest": { + "CHS": "羚羊(其中一种)", + "ENG": "a large Southern African animal with a tail and curved horns" + }, + "resistance": { + "CHS": "反抗,抵抗", + "ENG": "a refusal to accept new ideas or changes" + }, + "rabbit": { + "CHS": "兔", + "ENG": "a small animal with long ears and soft fur, that lives in a hole in the ground" + }, + "candidate": { + "CHS": "候选人,投考者", + "ENG": "someone who is being considered for a job or is competing in an election" + }, + "museum": { + "CHS": "博物馆", + "ENG": "a building where important cultural , historical, or scientific objects are kept and shown to the public" + }, + "hormone": { + "CHS": "荷尔蒙,激素", + "ENG": "a chemical substance produced by your body that influences its growth, development, and condition" + }, + "countryside": { + "CHS": "乡下地方", + "ENG": "land that is outside cities and towns" + }, + "thereby": { + "CHS": "因此,从而", + "ENG": "with the result that something else happens" + }, + "violin": { + "CHS": "小提琴", + "ENG": "a small wooden musical instrument that you hold under your chin and play by pulling a bow(= special stick ) across the strings" + }, + "bad": { + "CHS": "劣质的,有害的,坏的", + "ENG": "unpleasant or likely to cause problems" + }, + "copy": { + "CHS": "复印,抄袭", + "ENG": "to deliberately make or produce something that is exactly like another thing" + }, + "distant": { + "CHS": "远的,疏远的", + "ENG": "far away in space or time" + }, + "lens": { + "CHS": "透镜,镜头", + "ENG": "the part of a camera through which the light travels before it reaches the film" + }, + "track": { + "CHS": "跟踪", + "ENG": "to search for a person or animal by following the marks they leave behind them on the ground, their smell etc" + }, + "porcelain": { + "CHS": "瓷,瓷器", + "ENG": "a hard shiny white substance that is used for making expensive plates, cups etc" + }, + "pellet": { + "CHS": "小球", + "ENG": "a small ball of a substance" + }, + "physics": { + "CHS": "物理学", + "ENG": "the science concerned with the study of physical objects and substances, and of natural forces such as light, heat, and movement" + }, + "spectrum": { + "CHS": "光谱", + "ENG": "the set of bands of coloured light into which a beam of light separates when it is passed through a prism " + }, + "forth": { + "CHS": "往前,向外", + "ENG": "going out from a place or point, and moving forwards or outwards" + }, + "mesozoic": { + "CHS": "中生代(的)", + "ENG": "the Mesozoic era " + }, + "assign": { + "CHS": "分配,指派", + "ENG": "to give someone a particular job or make them responsible for a particular person or thing" + }, + "giant": { + "CHS": "巨人,天才", + "ENG": "an extremely tall strong man, who is often bad and cruel, in children’s stories" + }, + "superior": { + "CHS": "较高的,上级的", + "ENG": "thinking that you are better than other people – used to show disapproval" + }, + "sheet": { + "CHS": "(一)片,(一)张", + "ENG": "a piece of paper for writing on, or containing information" + }, + "rigid": { + "CHS": "刚硬的,严格的", + "ENG": "rigid methods, systems etc are very strict and difficult to change" + }, + "Denmark": { + "CHS": "丹麦" + }, + "symbol": { + "CHS": "符号,记号,象征", + "ENG": "a picture or shape that has a particular meaning or represents a particular organization or idea" + }, + "gar": { + "CHS": "雀鳝属鱼, 雀鳝" + }, + "functional": { + "CHS": "功能的", + "ENG": "relating to the purpose of something" + }, + "cultivation": { + "CHS": "培养,教养", + "ENG": "the deliberate development of a particular quality or skill" + }, + "impossible": { + "CHS": "不可能的", + "ENG": "something that is impossible cannot happen or be done" + }, + "domestic": { + "CHS": "国内的,家庭的", + "ENG": "relating to or happening in one particular country and not involving any other countries" + }, + "emphasis": { + "CHS": "强调,重点", + "ENG": "special attention or importance" + }, + "colonize": { + "CHS": "拓殖,殖民", + "ENG": "to establish political control over an area or over another country, and send your citizens there to settle" + }, + "flipper": { + "CHS": "鳍状肢", + "ENG": "a flat part on the body of some large sea animals such as seals ,that they use for swimming" + }, + "peninsula": { + "CHS": "半岛", + "ENG": "a piece of land almost completely surrounded by water but joined to a large area of land" + }, + "acid": { + "CHS": "酸的", + "ENG": "having a sharp sour taste" + }, + "droplet": { + "CHS": "小滴", + "ENG": "a very small drop of liquid" + }, + "paleontologist": { + "CHS": "古生物学者" + }, + "apprentice": { + "CHS": "当学徒" + }, + "grandma": { + "CHS": "奶奶", + "ENG": "grandmother" + }, + "justify": { + "CHS": "证明是正当的", + "ENG": "to be a good and acceptable reason for something" + }, + "cereal": { + "CHS": "谷类食品", + "ENG": "a breakfast food made from grain and usually eaten with milk" + }, + "investigation": { + "CHS": "调查,研究", + "ENG": "an official attempt to find out the truth about or the cause of something such as a crime, accident, or scientific problem" + }, + "rail": { + "CHS": "抱怨,责骂", + "ENG": "to complain angrily about something, especially something that you think is very unfair" + }, + "post": { + "CHS": "邮寄,贴出", + "ENG": "to send a letter, package etc by post" + }, + "lock": { + "CHS": "锁上", + "ENG": "to fasten something, usually with a key, so that other people cannot open it, or to be fastened like this (" + }, + "feeling": { + "CHS": "触觉,知觉", + "ENG": "an emotion that you feel, such as anger, sadness, or happiness" + }, + "ore": { + "CHS": "矿石", + "ENG": "rock or earth from which metal can be obtained" + }, + "fossilization": { + "CHS": "化石作用" + }, + "precise": { + "CHS": "精确的,准确的", + "ENG": "precise information, details etc are exact, clear, and correct" + }, + "consistent": { + "CHS": "一致的,调和的", + "ENG": "always behaving in the same way or having the same attitudes, standards etc – usually used to show approval" + }, + "homeland": { + "CHS": "祖国,本国", + "ENG": "the country where someone was born" + }, + "policy": { + "CHS": "政策,方针", + "ENG": "a way of doing something that has been officially agreed and chosen by a political party, a business, or another organization" + }, + "wrong": { + "CHS": "错误的,不正当的" + }, + "transition": { + "CHS": "转变,过渡", + "ENG": "when something changes from one form or state to another" + }, + "Greece": { + "CHS": "希腊" + }, + "screen": { + "CHS": "掩蔽,放映", + "ENG": "to show a film or television programme" + }, + "freezing": { + "CHS": "冰冻的,严寒的", + "ENG": "below the temperature at which water turns to ice" + }, + "mislead": { + "CHS": "误导", + "ENG": "to make someone believe something that is not true by giving them information that is false or not complete" + }, + "hind": { + "CHS": "后边的,后面的", + "ENG": "relating to the back part of an animal with four legs" + }, + "psychological": { + "CHS": "心理(上)的", + "ENG": "relating to the way that your mind works and the way that this affects your behaviour" + }, + "venus": { + "CHS": "维纳斯,金星", + "ENG": "the Roman goddess of love " + }, + "aid": { + "CHS": "帮助,资助", + "ENG": "help, such as money or food, given by an organization or government to a country or to people who are in a difficult situation" + }, + "fern": { + "CHS": "蕨类植物", + "ENG": "a type of plant with green leaves shaped like large feathers, but no flowers" + }, + "aurora": { + "CHS": "黎明的女神,极光", + "ENG": "an atmospheric phenomenon consisting of bands, curtains, or streamers of light, usually green, red, or yellow, that move across the sky in polar regions" + }, + "zebra": { + "CHS": "斑马", + "ENG": "an animal that looks like a horse but has black and white lines all over its body" + }, + "heart": { + "CHS": "心,心脏", + "ENG": "the organ in your chest which pumps blood through your body" + }, + "whatever": { + "CHS": "无论怎样的" + }, + "skull": { + "CHS": "头脑,头骨", + "ENG": "the bones of a person’s or animal’s head" + }, + "list": { + "CHS": "列出", + "ENG": "to write a list, or mention things one after the other" + }, + "scandinavian": { + "CHS": "斯堪的纳维亚人[语]", + "ENG": "Scandinavians are people from Scandinavian countries" + }, + "Paris": { + "CHS": "巴黎" + }, + "handle": { + "CHS": "处理,操作", + "ENG": "to do the things that are necessary to complete a job" + }, + "profit": { + "CHS": "得益,有利于", + "ENG": "to be useful or helpful to someone" + }, + "revise": { + "CHS": "修订,校订", + "ENG": "to change a piece of writing by adding new information, making improvements, or correcting mistakes" + }, + "fracture": { + "CHS": "(使)破碎,(使)破裂", + "ENG": "if a group, country etc fractures, or if it is fractured, it divides into parts in an unfriendly way because of disagreement" + }, + "hence": { + "CHS": "因此,从此", + "ENG": "for this reason" + }, + "investigator": { + "CHS": "调查人", + "ENG": "someone who investigates things, especially crimes" + }, + "rent": { + "CHS": "租金", + "ENG": "the money that someone pays regularly to use a room, house etc that belongs to someone else" + }, + "interpretation": { + "CHS": "解释,阐明", + "ENG": "the way in which someone explains or understands an event, information, someone’s actions etc" + }, + "overcome": { + "CHS": "战胜,克服", + "ENG": "to successfully control a feeling or problem that prevents you from achieving something" + }, + "dam": { + "CHS": "水坝,障碍", + "ENG": "a special wall built across a river or stream to stop the water from flowing, especially in order to make a lake or produce electricity" + }, + "reduction": { + "CHS": "减少,缩影", + "ENG": "a decrease in the size, price, or amount of something, or the act of decreasing something" + }, + "unless": { + "CHS": "如果不,除非", + "ENG": "used to say that something will happen or be true if something else does not happen or is not true" + }, + "preference": { + "CHS": "偏爱,优先选择", + "ENG": "if you have a preference for something, you like it more than another thing and will choose it if you can" + }, + "transformation": { + "CHS": "变化,转化" + }, + "calculate": { + "CHS": "计算,考虑", + "ENG": "to find out how much something will cost, how long something will take etc, by using numbers" + }, + "basket": { + "CHS": "篮,一篮", + "ENG": "a container made of thin pieces of plastic, wire, or wood woven together, used to carry things or put things in" + }, + "establishment": { + "CHS": "确立,制定" + }, + "canopy": { + "CHS": "天篷,遮篷", + "ENG": "the leaves and branches of trees, that make a kind of roof in a forest" + }, + "dig": { + "CHS": "挖", + "ENG": "to move earth, snow etc, or to make a hole in the ground, using a spade or your hands" + }, + "consumption": { + "CHS": "消费", + "ENG": "the amount of energy, oil, electricity etc that is used" + }, + "reservoir": { + "CHS": "水库,蓄水池", + "ENG": "a lake, especially an artificial one, where water is stored before it is supplied to people’s houses" + }, + "description": { + "CHS": "描写,记述", + "ENG": "a piece of writing or speech that gives details about what someone or something is like" + }, + "pore": { + "CHS": "小孔", + "ENG": "one of the small holes in your skin that liquid, especially sweat , can pass through, or a similar hole in the surface of a plant" + }, + "operation": { + "CHS": "运转,操作,实施", + "ENG": "the way the parts of a machine or system work together, or the process of making a machine or system work" + }, + "cast": { + "CHS": "投, 抛", + "ENG": "to make light or a shadow appear somewhere" + }, + "oral": { + "CHS": "口头的", + "ENG": "spoken, not written" + }, + "circumstance": { + "CHS": "环境,详情,境况", + "ENG": "the conditions that affect a situation, action, event etc" + }, + "potash": { + "CHS": "碳酸钾,苛性钾", + "ENG": "a type of potassium used especially in farming to make the soil better" + }, + "severe": { + "CHS": "严厉的,剧烈的,严重的", + "ENG": "severe problems, injuries, illnesses etc are very bad or very serious" + }, + "satellite": { + "CHS": "人造卫星", + "ENG": "a machine that has been sent into space and goes around the Earth, moon etc, used for radio, television, and other electronic communication" + }, + "trouble": { + "CHS": "烦恼,麻烦", + "ENG": "problems or difficulties" + }, + "string": { + "CHS": "排成一列", + "ENG": "to be spread out in a line" + }, + "architect": { + "CHS": "建筑师", + "ENG": "someone whose job is to design buildings" + }, + "exhibitor": { + "CHS": "展出者,显示者", + "ENG": "An exhibitor is a person or company whose work or products are being shown in an exhibition" + }, + "classical": { + "CHS": "古典的,正统派的", + "ENG": "belonging to a traditional style or set of ideas" + }, + "extract": { + "CHS": "摘录", + "ENG": "a short piece of writing, music etc taken from a particular book, piece of music etc" + }, + "none": { + "CHS": "一个也没有", + "ENG": "not any amount of something or not one of a group of people or things" + }, + "compact": { + "CHS": "契约" + }, + "undergo": { + "CHS": "经历,遭受", + "ENG": "if you undergo a change, an unpleasant experience etc, it happens to you or is done to you" + }, + "fragile": { + "CHS": "易碎的,脆的", + "ENG": "easily broken or damaged" + }, + "responsibility": { + "CHS": "责任,职责", + "ENG": "a duty to be in charge of someone or something, so that you make decisions and can be blamed if something bad happens" + }, + "exaggerate": { + "CHS": "夸大,夸张", + "ENG": "to make something seem better, larger, worse etc than it really is" + }, + "output": { + "CHS": "产量,输出", + "ENG": "the amount of goods or work produced by a person, machine, factory etc" + }, + "skyscraper": { + "CHS": "摩天楼", + "ENG": "a very tall modern city building" + }, + "wing": { + "CHS": "飞过", + "ENG": "to fly somewhere" + }, + "disease": { + "CHS": "疾病", + "ENG": "an illness which affects a person, animal, or plant" + }, + "resist": { + "CHS": "抵抗,反抗", + "ENG": "to try to prevent a change from happening, or prevent yourself from being forced to do something" + }, + "win": { + "CHS": "(获)胜,赢得", + "ENG": "to be the best or most successful in a competition, game, election etc" + }, + "fluctuation": { + "CHS": "波动,起伏", + "ENG": "a change in a price, amount, level etc" + }, + "breed": { + "CHS": "品种", + "ENG": "a type of animal that is kept as a pet or on a farm" + }, + "partner": { + "CHS": "合伙人", + "ENG": "one of the owners of a business" + }, + "argument": { + "CHS": "争论", + "ENG": "a situation in which two or more people disagree, often angrily" + }, + "solve": { + "CHS": "解决,解答", + "ENG": "to find or provide a way of dealing with a problem" + }, + "cage": { + "CHS": "笼", + "ENG": "a structure made of wires or bars in which birds or animals can be kept" + }, + "shale": { + "CHS": "页岩,泥板岩", + "ENG": "a smooth soft rock which breaks easily into thin flat pieces" + }, + "productivity": { + "CHS": "生产力", + "ENG": "the rate at which goods are produced, and the amount produced, especially in relation to the work, time, and money needed to produce them" + }, + "furniture": { + "CHS": "家具,设备", + "ENG": "large objects such as chairs, tables, beds, and cupboards" + }, + "systematic": { + "CHS": "系统的,体系的", + "ENG": "organized carefully and done thoroughly" + }, + "attribute": { + "CHS": "属性,品质,特征", + "ENG": "a quality or feature, especially one that is considered to be good or useful" + }, + "maker": { + "CHS": "制造者", + "ENG": "a person or company that makes a particular type of goods" + }, + "variable": { + "CHS": "变量", + "ENG": "something that may be different in different situations, so that you cannot be sure what will happen" + }, + "preservation": { + "CHS": "保存", + "ENG": "when something is kept in its original state or in good condition" + }, + "initiate": { + "CHS": "开始,发起", + "ENG": "to arrange for something important to start, such as an official process or a new plan" + }, + "breakfast": { + "CHS": "早餐 vi进早餐", + "ENG": "the meal you have in the morning" + }, + "perceive": { + "CHS": "察觉,感知", + "ENG": "to notice, see, or recognize something" + }, + "convince": { + "CHS": "使确信, 使信服", + "ENG": "to make someone feel certain that something is true" + }, + "competitive": { + "CHS": "竞争的", + "ENG": "determined or trying very hard to be more successful than other people or businesses" + }, + "clue": { + "CHS": "线索", + "ENG": "an object or piece of information that helps someone solve a crime or mystery" + }, + "nervous": { + "CHS": "紧张的,不安的", + "ENG": "worried or frightened about something, and unable to relax" + }, + "count": { + "CHS": "数,计算", + "ENG": "to calculate the total number of things or people in a group" + }, + "adjust": { + "CHS": "调整,校准", + "ENG": "to change or move something slightly to improve it or make it more suitable for a particular purpose" + }, + "challenge": { + "CHS": "挑战", + "ENG": "something that tests strength, skill, or ability, especially in a way that is interesting" + }, + "hyper": { + "CHS": "亢奋的,高度紧张的", + "ENG": "extremely excited or nervous about something" + }, + "eliminate": { + "CHS": "排除,除去", + "ENG": "to completely get rid of something that is unnecessary or unwanted" + }, + "warren": { + "CHS": "养兔场,大杂院" + }, + "resident": { + "CHS": "居民" + }, + "vent": { + "CHS": "排出,发泄", + "ENG": "to express feelings of anger, hatred etc, especially by doing something violent or harmful" + }, + "pole": { + "CHS": "柱,地极", + "ENG": "a long stick or post usually made of wood or metal, often set upright in the ground to support something" + }, + "storage": { + "CHS": "贮藏(量),存储", + "ENG": "the process of keeping or putting something in a special place while it is not being used" + }, + "investor": { + "CHS": "投资者", + "ENG": "someone who gives money to a company, business, or bank in order to get a profit" + }, + "loose": { + "CHS": "弄松, 释放", + "ENG": "to make something unpleasant begin" + }, + "miss": { + "CHS": "错过,遗漏", + "ENG": "to not go somewhere or do something, especially when you want to but cannot" + }, + "upward": { + "CHS": "以上", + "ENG": "If someone moves or looks upward, they move or look up towards a higher place" + }, + "linguistic": { + "CHS": "语言(学)上的", + "ENG": "related to language, words, or linguistics" + }, + "primitive": { + "CHS": "原始的,远古的", + "ENG": "belonging to a simple way of life that existed in the past and does not have modern industries and machines" + }, + "uniform": { + "CHS": "使统一" + }, + "vision": { + "CHS": "幻想,视觉", + "ENG": "the ability to see" + }, + "graze": { + "CHS": "放牧,掠过", + "ENG": "to touch something lightly while passing it, sometimes damaging it" + }, + "cucumber": { + "CHS": "黄瓜", + "ENG": "a long thin round vegetable with a dark green skin and a light green inside, usually eaten raw" + }, + "exception": { + "CHS": "除外,例外", + "ENG": "something or someone that is not included in a general statement or does not follow a rule or pattern" + }, + "elaborate": { + "CHS": "详述", + "ENG": "to give more details or new information about something" + }, + "failure": { + "CHS": "失败", + "ENG": "a lack of success in achieving or doing something" + }, + "secure": { + "CHS": "保护", + "ENG": "to make something safe from being attacked, harmed, or lost" + }, + "pool": { + "CHS": "池", + "ENG": "a hole or container that has been specially made and filled with water so that people can swim or play in it" + }, + "mystery": { + "CHS": "神秘,神秘的事物", + "ENG": "an event, situation etc that people do not understand or cannot explain because they do not know enough about it" + }, + "coat": { + "CHS": "涂上,包上", + "ENG": "to cover something with a thin layer of something else" + }, + "mature": { + "CHS": "使成熟", + "ENG": "to become fully grown or developed" + }, + "sustain": { + "CHS": "支撑,维持", + "ENG": "to make something continue to exist or happen for a period of time" + }, + "latitude": { + "CHS": "纬度,范围", + "ENG": "the distance north or south of the equator(= the imaginary line around the middle of the world ), measured in degrees" + }, + "clothe": { + "CHS": "给穿衣,覆盖", + "ENG": "to put clothes on your body" + }, + "coin": { + "CHS": "铸造(硬币)", + "ENG": "to invent a new word or expression, especially one that many people start to use" + }, + "news": { + "CHS": "新闻,消息", + "ENG": "information about something that has happened recently" + }, + "organ": { + "CHS": "器官,机构", + "ENG": "an organization that is part of, or works for, a larger organization or group" + }, + "earthenware": { + "CHS": "土器,陶器", + "ENG": "Earthenware objects are referred to as earthenware" + }, + "refuse": { + "CHS": "拒绝", + "ENG": "to say firmly that you will not do something that someone has asked you to do" + }, + "hill": { + "CHS": "小山,丘陵", + "ENG": "an area of land that is higher than the land around it, like a mountain but smaller" + }, + "wagon": { + "CHS": "四轮马车,货车", + "ENG": "a strong vehicle with four wheels, used for carrying heavy loads and usually pulled by horses" + }, + "rite": { + "CHS": "仪式,典礼", + "ENG": "a ceremony that is always performed in the same way, usually for religious purposes" + }, + "achievement": { + "CHS": "成就,功绩", + "ENG": "something important that you succeed in doing by your own efforts" + }, + "inhabit": { + "CHS": "居住于,栖息", + "ENG": "if animals or people inhabit an area or place, they live there" + }, + "locust": { + "CHS": "蝗虫", + "ENG": "an insect that lives mainly in Asia and Africa and flies in a very large group, eating and destroying crops" + }, + "federal": { + "CHS": "联邦的,联合的", + "ENG": "a federal country or system of government consists of a group of states which control their own affairs, but which are also controlled by a single national government which makes decisions on foreign affairs, defence etc" + }, + "govern": { + "CHS": "统治,支配,管理", + "ENG": "to officially and legally control a country and make all the decisions about taxes, laws, public services etc" + }, + "philosophy": { + "CHS": "哲学", + "ENG": "the study of the nature and meaning of existence, truth, good and evil, etc" + }, + "endure": { + "CHS": "耐久,忍耐", + "ENG": "to be in a difficult or painful situation for a long time without complaining" + }, + "offspring": { + "CHS": "儿女,子孙", + "ENG": "someone’s child or children – often used humorously" + }, + "Hawaii": { + "CHS": "夏威夷" + }, + "brick": { + "CHS": "砖块", + "ENG": "a hard block of baked clay used for building walls, houses etc" + }, + "convert": { + "CHS": "使转变,转换", + "ENG": "to change something into a different form, or to change something so that it can be used for a different purpose or in a different way" + }, + "pigeon": { + "CHS": "鸽子", + "ENG": "a grey bird with short legs that is common in cities" + }, + "celebrity": { + "CHS": "名声,名人", + "ENG": "a famous living person" + }, + "devise": { + "CHS": "设计,发明", + "ENG": "to plan or invent a new way of doing something" + }, + "your": { + "CHS": "你的,你们的" + }, + "territory": { + "CHS": "领土,地域", + "ENG": "land that is owned or controlled by a particular country, ruler, or military force" + }, + "interact": { + "CHS": "互相作用,互相影响", + "ENG": "if one thing interacts with another, or if they interact, they affect each other" + }, + "gulf": { + "CHS": "海湾,深渊", + "ENG": "a large area of sea partly enclosed by land" + }, + "bond": { + "CHS": "使结合,粘合", + "ENG": "if two things bond with each other, they become firmly fixed together, especially after they have been joined with glue" + }, + "cluster": { + "CHS": "串,丛", + "ENG": "a group of things of the same kind that are very close together" + }, + "calcium": { + "CHS": "钙", + "ENG": "a silver-white metal that helps to form teeth, bones, and chalk . It is a chemical element : symbol Ca" + }, + "vital": { + "CHS": "重大的,至关重要的", + "ENG": "extremely important and necessary for something to succeed or exist" + }, + "poetry": { + "CHS": "诗", + "ENG": "poems in general, or the art of writing them" + }, + "notice": { + "CHS": "注意到", + "ENG": "if you notice something or someone, you realize that they exist, especially because you can see, hear, or feel them" + }, + "inland": { + "CHS": "内陆的,国内的", + "ENG": "an inland area, city etc is not near the coast" + }, + "voice": { + "CHS": "说(话)" + }, + "double": { + "CHS": "使加倍", + "ENG": "to become twice as big or twice as much, or to make something twice as big or twice as much" + }, + "entrance": { + "CHS": "入口", + "ENG": "a door, gate etc that you go through to enter a place" + }, + "chemistry": { + "CHS": "化学", + "ENG": "the science that is concerned with studying the structure of substances and the way that they change or combine with each other" + }, + "oppose": { + "CHS": "反对,对抗", + "ENG": "to disagree with something such as a plan or idea and try to prevent it from happening or succeeding" + }, + "portrait": { + "CHS": "肖像,人像", + "ENG": "a painting, drawing, or photograph of a person" + }, + "agent": { + "CHS": "代理(商)", + "ENG": "a person or company that represents another person or company, especially in business" + }, + "weave": { + "CHS": "织,编", + "ENG": "to make cloth, a carpet, a basket etc by crossing threads or thin pieces under and over each other by hand or on a loom" + }, + "scatter": { + "CHS": "撒(播),分散", + "ENG": "if someone scatters a lot of things, or if they scatter, they are thrown or dropped over a wide area in an irregular way" + }, + "empty": { + "CHS": "(使)空,倒出", + "ENG": "to remove everything that is inside something" + }, + "islander": { + "CHS": "岛上居民", + "ENG": "someone who lives on an island" + }, + "recognition": { + "CHS": "识别,确认", + "ENG": "the act of realizing and accepting that something is true or important" + }, + "tile": { + "CHS": "瓦片,瓷砖", + "ENG": "a flat square piece of baked clay or other material, used for covering walls, floors etc" + }, + "indication": { + "CHS": "指示,表示,迹象", + "ENG": "a sign, remark, event etc that shows what is happening, what someone is thinking or feeling, or what is true" + }, + "implement": { + "CHS": "工(器,用)具", + "ENG": "a tool, especially one used for outdoor physical work" + }, + "limitation": { + "CHS": "限制,局限性", + "ENG": "the act or process of controlling or reducing something" + }, + "piano": { + "CHS": "钢琴", + "ENG": "a large musical instrument that has a long row of black and white key s . You play the piano by sitting in front of it and pressing the keys." + }, + "proxy": { + "CHS": "代理人", + "ENG": "if you do something by proxy, you arrange for someone else to do it for you" + }, + "neolithic": { + "CHS": "新石器时代的", + "ENG": "Neolithic is used to describe things relating to the period when people had started farming but still used stone for making weapons and tools" + }, + "voyage": { + "CHS": "航海", + "ENG": "a long journey in a ship or spacecraft" + }, + "inspire": { + "CHS": "鼓舞,激起,给…以灵感", + "ENG": "to encourage someone by making them feel confident and eager to do something" + }, + "spore": { + "CHS": "孢子", + "ENG": "a cell like a seed that is produced by some plants such as mushrooms and can develop into a new plant" + }, + "Texas": { + "CHS": "德克萨斯州(美国州名)" + }, + "strain": { + "CHS": "拉紧,紧张,劳累", + "ENG": "worry that is caused by having to deal with a problem or work too hard over a long period of time" + }, + "imitate": { + "CHS": "模仿,仿制", + "ENG": "to copy the way someone behaves, speaks, moves etc, especially in order to make people laugh" + }, + "timber": { + "CHS": "木材,木料", + "ENG": "wood used for building or making things" + }, + "rank": { + "CHS": "排列", + "ENG": "to arrange objects in a line or row" + }, + "concentrate": { + "CHS": "专心,集中,浓缩", + "ENG": "to think very carefully about something that you are doing" + }, + "container": { + "CHS": "容器", + "ENG": "something such as a box or bowl that you use to keep things in" + }, + "article": { + "CHS": "文章,论文", + "ENG": "a piece of writing about a particular subject in a newspaper or magazine" + }, + "sink": { + "CHS": "下沉", + "ENG": "to go down below the surface of water, mud etc" + }, + "ecology": { + "CHS": "生态学", + "ENG": "the way in which plants, animals, and people are related to each other and to their environment, or the scientific study of this" + }, + "drink": { + "CHS": "喝酒", + "ENG": "to take liquid into your mouth and swallow it" + }, + "runoff": { + "CHS": "径流量,流出" + }, + "watercolor": { + "CHS": "水彩颜料,水彩画(法)" + }, + "streamline": { + "CHS": "流线型的" + }, + "self": { + "CHS": "自己,自我", + "ENG": "the type of person you are, your character, your typical behaviour etc" + }, + "reward": { + "CHS": "酬劳", + "ENG": "to give something to someone because they have done something good or helpful or have worked for it" + }, + "mantle": { + "CHS": "披风,覆盖", + "ENG": "to cover the surface of something" + }, + "telescope": { + "CHS": "望远镜", + "ENG": "a piece of equipment shaped like a tube, used for making distant objects look larger and closer" + }, + "subsequent": { + "CHS": "后来的,并发的", + "ENG": "happening or coming after something else" + }, + "hungry": { + "CHS": "饥饿的,渴望的", + "ENG": "wanting to eat something" + }, + "episode": { + "CHS": "一段情节", + "ENG": "an event or a short period of time during which something happens" + }, + "crossbill": { + "CHS": "交喙鸟", + "ENG": "any of various widely distributed finches of the genus Loxia, such as L" + }, + "emergence": { + "CHS": "浮现,露出", + "ENG": "when something begins to be known or noticed" + }, + "cheap": { + "CHS": "便宜的,不值钱的", + "ENG": "not at all expensive, or lower in price than you expected" + }, + "sort": { + "CHS": "种类v分类,拣选", + "ENG": "a group or class of people, things etc that have similar qualities or features" + }, + "industrialize": { + "CHS": "使工业化", + "ENG": "When a country industrializes or is industrialized, it develops a lot of industries" + }, + "burial": { + "CHS": "埋葬", + "ENG": "the act or ceremony of putting a dead body into a grave " + }, + "hominid": { + "CHS": "原始人类", + "ENG": "any primate of the family Hominidae, which includes modern man (Homo sapiens) and the extinct precursors of man " + }, + "laboratory": { + "CHS": "实验室", + "ENG": "a special room or building in which a scientist does tests or prepares substances" + }, + "cinema": { + "CHS": "电影院,电影", + "ENG": "a building in which films are shown" + }, + "compass": { + "CHS": "罗盘,指南针", + "ENG": "an instrument that shows directions and has a needle that always points north" + }, + "kittiwake": { + "CHS": "三趾鸥", + "ENG": "either of two oceanic gulls of the genus Rissa, esp R" + }, + "mode": { + "CHS": "方式,模式", + "ENG": "a particular way or style of behaving, living or doing something" + }, + "entertainment": { + "CHS": "款待,娱乐", + "ENG": "things such as films, television, performances etc that are intended to amuse or interest people" + }, + "everything": { + "CHS": "每件事物", + "ENG": "each thing or all things" + }, + "purchase": { + "CHS": "购买", + "ENG": "to buy something" + }, + "sanctuary": { + "CHS": "避难所", + "ENG": "a peaceful place that is safe and provides protection, especially for people who are in danger" + }, + "bus": { + "CHS": "公共汽车", + "ENG": "a large vehicle that people pay to travel on" + }, + "theatrical": { + "CHS": "戏剧性的", + "ENG": "relating to the performing of plays" + }, + "profession": { + "CHS": "职业,专业", + "ENG": "a job that needs a high level of education and training" + }, + "theme": { + "CHS": "主题", + "ENG": "the main subject or idea in a piece of writing, speech, film etc" + }, + "gravel": { + "CHS": "砂砾(层)", + "ENG": "small stones, used to make a surface for paths, roads etc" + }, + "laborer": { + "CHS": "劳动者" + }, + "proton": { + "CHS": "质子", + "ENG": "a very small piece of matter with a positive electrical charge that is in the central part of an atom" + }, + "commerce": { + "CHS": "商业", + "ENG": "the buying and selling of goods and services" + }, + "decide": { + "CHS": "决定,判决", + "ENG": "to make a choice or judgment about something, especially after considering all the possibilities or arguments" + }, + "fireplace": { + "CHS": "壁炉", + "ENG": "a special place in the wall of a room, where you can make a fire" + }, + "aluminum": { + "CHS": "铝" + }, + "firm": { + "CHS": "公司", + "ENG": "a business or company, especially a small one" + }, + "collide": { + "CHS": "碰撞,抵触", + "ENG": "to hit something or someone that is moving in a different direction from you" + }, + "fight": { + "CHS": "战斗,打架,斗争", + "ENG": "to take part in a war or battle" + }, + "puzzle": { + "CHS": "(使)迷惑", + "ENG": "to confuse someone or make them feel slightly anxious because they do not understand something" + }, + "performer": { + "CHS": "表演者", + "ENG": "an actor, musician etc who performs to entertain people" + }, + "twist": { + "CHS": "缠绕,拧,扭曲", + "ENG": "to bend or turn something, such as wire, hair, or cloth, into a particular shape" + }, + "dramatically": { + "CHS": "戏剧地,引人注目地" + }, + "listen": { + "CHS": "听", + "ENG": "to pay attention to what someone is saying or to a sound that you can hear" + }, + "dependence": { + "CHS": "依靠,信任", + "ENG": "when you depend on the help and support of someone or something else in order to exist or be successful" + }, + "struggle": { + "CHS": "努力,奋斗,挣扎", + "ENG": "to try extremely hard to achieve something, even though it is very difficult" + }, + "German": { + "CHS": "德国的", + "ENG": "relating to Germany, its people, or its language" + }, + "irregular": { + "CHS": "不规则的,无规律的", + "ENG": "having a shape, surface, pattern etc that is not even, smooth, or balanced" + }, + "centimeter": { + "CHS": "厘米" + }, + "colonization": { + "CHS": "殖民地化,殖民" + }, + "fund": { + "CHS": "支助,投资", + "ENG": "to provide money for an activity, organization, event etc" + }, + "historian": { + "CHS": "历史学家", + "ENG": "A historian is a person who specializes in the study of history, and who writes books and articles about it" + }, + "female": { + "CHS": "女性", + "ENG": "an animal that belongs to the sex that can have babies or produce eggs" + }, + "emit": { + "CHS": "发出,放射", + "ENG": "to send out gas, heat, light, sound etc" + }, + "retreat": { + "CHS": "撤退,退却", + "ENG": "to move away from the enemy after being defeated in battle" + }, + "deficiency": { + "CHS": "缺乏,不足", + "ENG": "a lack of something that is necessary" + }, + "rotate": { + "CHS": "(使)旋转", + "ENG": "to turn with a circular movement around a central point, or to make something do this" + }, + "invertebrate": { + "CHS": "无脊椎的,无骨气的人", + "ENG": "a living creature that does not have a backbone " + }, + "symbiotic": { + "CHS": "共生的", + "ENG": "a symbiotic relationship is one in which the people, organizations, or living things involved depend on each other" + }, + "alternative": { + "CHS": "选择性的,二中择一的", + "ENG": "Alternative medicine uses traditional ways of curing people, such as medicines made from plants, massage, and acupuncture" + }, + "bridge": { + "CHS": "架桥,渡过", + "ENG": "to build or form a bridge over something" + }, + "vertical": { + "CHS": "垂直的,直立的", + "ENG": "pointing up in a line that forms an angle of 90˚ with a flat surface" + }, + "circle": { + "CHS": "围着,盘旋", + "ENG": "to move in the shape of a circle around something, especially in the air" + }, + "quarter": { + "CHS": "四分之一,一刻钟", + "ENG": "one of four equal parts into which something can be divided" + }, + "fix": { + "CHS": "修理,安装,整理", + "ENG": "to repair something that is broken or not working properly" + }, + "doubt": { + "CHS": "怀疑,怀疑", + "ENG": "a feeling of being not sure whether something is true or right" + }, + "Tennessee": { + "CHS": "田纳西州" + }, + "eruption": { + "CHS": "爆发,火山灰" + }, + "treat": { + "CHS": "对待,款待", + "ENG": "to behave towards someone or something in a particular way" + }, + "politician": { + "CHS": "政治家,政客", + "ENG": "someone who works in politics, especially an elected member of the government" + }, + "politics": { + "CHS": "政治,政治学", + "ENG": "ideas and activities relating to gaining and using power in a country, city etc" + }, + "mail": { + "CHS": "邮件,邮政", + "ENG": "the letters and packages that are delivered to you" + }, + "beauty": { + "CHS": "美,美景", + "ENG": "a quality that people, places, or things have that makes them very attractive to look at" + }, + "format": { + "CHS": "设计,格式", + "ENG": "used to talk about video, CD, tape etc when saying what type of equipment it can be played on" + }, + "Spanish": { + "CHS": "西班牙(的),西班牙人(的)", + "ENG": "the language used in Spain and parts of Latin America" + }, + "confirm": { + "CHS": "确定,确认", + "ENG": "to tell someone that a possible arrangement, date, or situation is now definite or official" + }, + "bubble": { + "CHS": "冒泡,起泡", + "ENG": "to produce bubbles" + }, + "engraving": { + "CHS": "雕刻术,雕版", + "ENG": "a picture made by cutting a design into metal, putting ink on the metal, and then printing it" + }, + "specimen": { + "CHS": "范例,标本,样品", + "ENG": "a small amount or piece that is taken from something, so that it can be tested or examined" + }, + "tide": { + "CHS": "潮,潮汐", + "ENG": "the regular rising and falling of the level of the sea" + }, + "ray": { + "CHS": "光线,射线", + "ENG": "a straight narrow beam of light from the sun or moon" + }, + "weigh": { + "CHS": "称重量", + "ENG": "to have a particular weight" + }, + "encounter": { + "CHS": "遭遇,遇到", + "ENG": "to experience something, especially problems or opposition" + }, + "costume": { + "CHS": "装束,服装", + "ENG": "a set of clothes worn by an actor or by someone to make them look like something such as an animal, famous person etc" + }, + "plane": { + "CHS": "平面,飞机", + "ENG": "a vehicle that flies in the air and has wings and at least one engine" + }, + "nouveau": { + "CHS": "新近到达的,最近产生的", + "ENG": "having recently become the thing specified " + }, + "gland": { + "CHS": "腺", + "ENG": "an organ of the body which produces a substance that the body needs, such as hormones, sweat, or saliva" + }, + "emission": { + "CHS": "散发,发行,排放", + "ENG": "a gas or other substance that is sent into the air" + }, + "log": { + "CHS": "正式记录", + "ENG": "to make an official record of events, facts etc" + }, + "glaze": { + "CHS": "釉(料)", + "ENG": "a liquid that is used to cover plates, cups etc made of clay to give them a shiny surface" + }, + "martian": { + "CHS": "火星人(的)", + "ENG": "A Martian is an imaginary creature from the planet Mars" + }, + "bee": { + "CHS": "蜜蜂", + "ENG": "a black and yellow flying insect that makes honey and can sting you" + }, + "latter": { + "CHS": "后者的,后面的", + "ENG": "being the second of two people or things, or the last in a list just mentioned" + }, + "occurrence": { + "CHS": "发生,出现", + "ENG": "something that happens" + }, + "anything": { + "CHS": "任何事", + "ENG": "any thing, event, situation etc, when it is not important to say exactly which" + }, + "prevail": { + "CHS": "流行,获胜", + "ENG": "if a belief, custom, situation etc prevails, it exists among a group of people at a certain time" + }, + "reliance": { + "CHS": "信任,信心,依靠", + "ENG": "when someone or something is dependent on someone or something else" + }, + "roof": { + "CHS": "屋顶", + "ENG": "the structure that covers or forms the top of a building, vehicle, tent etc" + }, + "mercantile": { + "CHS": "贸易的,商业的", + "ENG": "concerned with trade" + }, + "overall": { + "CHS": "全部的,全面的", + "ENG": "considering or including everything" + }, + "fossilize": { + "CHS": "成化石,陈腐", + "ENG": "if people, ideas, systems etc fossilize or are fossilized, they never change or develop, even when there are good reasons why they should change" + }, + "chain": { + "CHS": "链(条),一连串,一系列", + "ENG": "a connected series of events or actions, especially which lead to a final result" + }, + "pose": { + "CHS": "摆姿势", + "ENG": "to sit or stand in a particular position in order to be photographed or painted, or to make someone do this" + }, + "cylinder": { + "CHS": "圆筒,圆柱体", + "ENG": "a shape, object, or container with circular ends and long straight sides" + }, + "countercurrent": { + "CHS": "逆流,反向电流" + }, + "score": { + "CHS": "得分", + "ENG": "the number of points that each team or player has won in a game or competition" + }, + "potter": { + "CHS": "陶工,制陶工人", + "ENG": "someone who makes pots, dishes etc out of clay" + }, + "aesthetic": { + "CHS": "美学的,审美的", + "ENG": "connected with beauty and the study of beauty" + }, + "neighborhood": { + "CHS": "附近,邻近" + }, + "hemisphere": { + "CHS": "半球", + "ENG": "a half of the Earth, especially one of the halves above and below the equator " + }, + "excavate": { + "CHS": "挖掘,开凿", + "ENG": "if a scientist or archaeologist excavates an area of land, they dig carefully to find ancient objects, bones etc" + }, + "reclamation": { + "CHS": "开垦,改造", + "ENG": "Reclamation is the process of changing land that is unsuitable for farming or building into land that can be used" + }, + "admire": { + "CHS": "赞美,钦佩,羡慕", + "ENG": "to respect and like someone because they have done something that you think is good" + }, + "ensure": { + "CHS": "确保,保证", + "ENG": "to make certain that something will happen properly" + }, + "weak": { + "CHS": "虚弱的,淡的", + "ENG": "not physically strong" + }, + "excite": { + "CHS": "使兴奋,激动", + "ENG": "to make someone feel happy, interested, or eager" + }, + "orbit": { + "CHS": "(绕…)作轨道运行", + "ENG": "to travel in a curved path around a much larger object such as the Earth, the Sun etc" + }, + "sale": { + "CHS": "出售,卖出", + "ENG": "when you sell something" + }, + "blow": { + "CHS": "风吹,吹气于", + "ENG": "if the wind or a current of air blows, it moves" + }, + "pair": { + "CHS": "一对,一双", + "ENG": "an object that is made from two similar parts that are joined together" + }, + "grind": { + "CHS": "磨(碎),折磨", + "ENG": "to make something smooth or sharp by rubbing it on a hard surface or by using a machine" + }, + "cease": { + "CHS": "停止,终了", + "ENG": "to stop doing something or stop happening" + }, + "incorporate": { + "CHS": "合并,组成公司" + }, + "classroom": { + "CHS": "教室", + "ENG": "a room that you have lessons in at a school or college" + }, + "box": { + "CHS": "盒子,箱", + "ENG": "a container for putting things in, especially one with four stiff straight sides" + }, + "biologist": { + "CHS": "生物学家", + "ENG": "someone who studies or works in biology" + }, + "aboriginal": { + "CHS": "土著的,原来的", + "ENG": "relating to the Australian aborigines" + }, + "automatically": { + "CHS": "自动地,机械地", + "ENG": "as the result of a situation or action, and without you having to do anything more" + }, + "crude": { + "CHS": "天然的,未加工的,粗鲁的", + "ENG": "not exact or without any detail, but generally correct and useful" + }, + "version": { + "CHS": "译文,译本" + }, + "drawing": { + "CHS": "图画,制图", + "ENG": "a picture that you draw with a pencil, pen etc" + }, + "capture": { + "CHS": "捕获,俘获,夺取", + "ENG": "to catch a person and keep them as a prisoner" + }, + "hang": { + "CHS": "悬挂,附着", + "ENG": "to put something in a position so that the top part is fixed or supported, and the bottom part is free to move and does not touch the ground" + }, + "income": { + "CHS": "收入,收益,", + "ENG": "the money that you earn from your work or that you receive from investments, the government etc" + }, + "freedom": { + "CHS": "自由", + "ENG": "the right to do what you want without being controlled or restricted by anyone" + }, + "Mississippi": { + "CHS": "密西西比河,密西西比州(美国州名)" + }, + "cartoon": { + "CHS": "漫画,卡通画", + "ENG": "a short film that is made by photographing a series of drawings" + }, + "separation": { + "CHS": "分离,分开", + "ENG": "when something separates or is separate" + }, + "recharge": { + "CHS": "再充电,再进攻,恢复精力", + "ENG": "to get back your strength and energy again" + }, + "motivation": { + "CHS": "动机", + "ENG": "eagerness and willingness to do something without needing to be told or forced to do it" + }, + "gene": { + "CHS": "[遗传]因子,[遗传]基因", + "ENG": "a part of a cell in a living thing that controls what it looks like, how it grows, and how it develops. People get their genes from their parents" + }, + "penetrate": { + "CHS": "穿透,渗透,看穿", + "ENG": "to enter something and pass or spread through it, especially when this is difficult" + }, + "collective": { + "CHS": "集体的,共同的", + "ENG": "shared or made by every member of a group or society" + }, + "nerve": { + "CHS": "神经,胆量", + "ENG": "nerves are parts inside your body which look like threads and carry messages between the brain and other parts of the body" + }, + "engrave": { + "CHS": "雕刻,使铭记", + "ENG": "to cut words or designs on metal, wood, glass etc" + }, + "strait": { + "CHS": "地峡", + "ENG": "a narrow passage of water between two areas of land, usually connecting two seas" + }, + "flake": { + "CHS": "使成薄片,剥落", + "ENG": "to break off in small thin pieces" + }, + "disadvantage": { + "CHS": "不利,缺点,劣势", + "ENG": "something that causes problems, or that makes someone or something less likely to be successful or effective" + }, + "constitute": { + "CHS": "构成,组成,建立", + "ENG": "if several people or things constitute something, they are the parts that form it" + }, + "graham": { + "CHS": "全麦(面粉)的" + }, + "reference": { + "CHS": "提及,涉及,参考", + "ENG": "part of something you say or write in which you mention a person or thing" + }, + "eight": { + "CHS": "八,八个,第八", + "ENG": "the number 8" + }, + "turnpike": { + "CHS": "收费公路", + "ENG": "a large road for fast traffic that drivers have to pay to use" + }, + "load": { + "CHS": "装(载),使负担", + "ENG": "to put a necessary part into something in order to make it work, for example bullets into a gun or film into a camera" + }, + "trigger": { + "CHS": "板机", + "ENG": "the part of a gun that you pull with your finger to fire it" + }, + "mixture": { + "CHS": "混合(物)", + "ENG": "a combination of two or more different things, feelings, or types of people" + }, + "geology": { + "CHS": "地质学,地质概况", + "ENG": "the study of the rocks, soil etc that make up the Earth, and of the way they have changed since the Earth was formed" + }, + "spin": { + "CHS": "旋转,纺纱", + "ENG": "to turn around and around very quickly, or to make something do this" + }, + "expressive": { + "CHS": "表达的,意味深长的" + }, + "row": { + "CHS": "排,行v划(船)", + "ENG": "a line of things or people next to each other" + }, + "secrete": { + "CHS": "隐藏,隐匿", + "ENG": "to hide something" + }, + "discourage": { + "CHS": "使气馁,阻碍", + "ENG": "If someone or something discourages you, they cause you to lose your enthusiasm about your actions" + }, + "tremendous": { + "CHS": "巨大的,惊人的", + "ENG": "very big, fast, powerful etc" + }, + "crab": { + "CHS": "蟹", + "ENG": "a sea animal with a hard shell, five legs on each side, and two large claws " + }, + "garden": { + "CHS": "(菜、花)园", + "ENG": "the area of land next to a house, where there are flowers, grass, and other plants, and often a place for people to sit" + }, + "astronomer": { + "CHS": "天文学家", + "ENG": "a scientist who studies the stars and planet s " + }, + "bare": { + "CHS": "赤裸的,无遮蔽的", + "ENG": "not covered by clothes" + }, + "Erie": { + "CHS": "伊利(人)", + "ENG": "a member of a North American Indian people formerly living south of Lake Erie " + }, + "inhibit": { + "CHS": "阻止妨碍抑制", + "ENG": "to prevent something from growing or developing well" + }, + "Yucatan": { + "CHS": "尤卡坦半岛" + }, + "alkali": { + "CHS": "碱性的" + }, + "complexity": { + "CHS": "复杂(性),复杂的事物", + "ENG": "the state of being complicated" + }, + "sedimentary": { + "CHS": "沉积的,沉淀性的", + "ENG": "made of the solid substances that settle at the bottom of the sea, rivers, lakes etc" + }, + "accelerate": { + "CHS": "加速,促进", + "ENG": "if a process accelerates or if something accelerates it, it happens faster than usual or sooner than you expect" + }, + "Spain": { + "CHS": "西班牙(欧洲南部国家)" + }, + "window": { + "CHS": "窗,窗口", + "ENG": "a space or an area of glass in the wall of a building or vehicle that lets in light" + }, + "text": { + "CHS": "正文,课文", + "ENG": "the writing that forms the main part of a book, magazine etc, rather than the pictures or notes" + }, + "sing": { + "CHS": "唱,演唱", + "ENG": "to produce a musical sound with your voice" + }, + "assist": { + "CHS": "援助,帮助", + "ENG": "to help someone to do something" + }, + "representation": { + "CHS": "表示法,表现,陈述", + "ENG": "a painting, sign, description etc that shows something" + }, + "regulation": { + "CHS": "规则", + "ENG": "an official rule or order" + }, + "enclose": { + "CHS": "放入封套,围绕" + }, + "fluctuate": { + "CHS": "变动,波动", + "ENG": "if a price or amount fluctuates, it keeps changing and becoming higher and lower" + }, + "furnace": { + "CHS": "炉子,熔炉", + "ENG": "a large container for a very hot fire, used to produce power, heat, or liquid metal" + }, + "reptile": { + "CHS": "爬虫动物", + "ENG": "a type of animal, such as a snake or lizard , whose body temperature changes according to the temperature around it, and that usually lays eggs to have babies" + }, + "popularity": { + "CHS": "普及,流行", + "ENG": "when something or someone is liked or supported by a lot of people" + }, + "whom": { + "CHS": "谁" + }, + "bake": { + "CHS": "烘焙,烤", + "ENG": "to cook something using dry heat, in an oven " + }, + "ash": { + "CHS": "灰(烬),[植]岑树", + "ENG": "the ash that remains when a dead person’s body is burned" + }, + "institution": { + "CHS": "公共机构,协会,制度", + "ENG": "a large organization that has a particular kind of work or purpose" + }, + "symbolic": { + "CHS": "象征的,符号的", + "ENG": "a symbolic action is important because of what it represents but may not have any real effect" + }, + "religion": { + "CHS": "宗教,信仰", + "ENG": "a belief in one or more gods" + }, + "conserve": { + "CHS": "保存,保藏", + "ENG": "to protect something and prevent it from changing or being damaged" + }, + "pit": { + "CHS": "深坑,陷阱v窖藏,使凹下", + "ENG": "a hole in the ground, especially one made by digging" + }, + "traffic": { + "CHS": "交通,运输", + "ENG": "the vehicles moving along a road or street" + }, + "Harvard": { + "CHS": "哈佛大学(美国)" + }, + "Himalaya": { + "CHS": "喜马拉雅山" + }, + "digest": { + "CHS": "消化,融会贯通", + "ENG": "to change food that you have just eaten into substances that your body can use" + }, + "application": { + "CHS": "请求,申请,应用", + "ENG": "a formal, usually written, request for something such as a job, place at university, or permission to do something" + }, + "gravity": { + "CHS": "地心引力,重力", + "ENG": "the force that causes something to fall to the ground or to be attracted to another planet " + }, + "explorer": { + "CHS": "探险者", + "ENG": "someone who travels through an unknown area to find out about it" + }, + "educate": { + "CHS": "教育,培养", + "ENG": "to teach a child at a school, college, or university" + }, + "sudden": { + "CHS": "突然的,意外的", + "ENG": "happening, coming, or done quickly or when you do not expect it" + }, + "precipitation": { + "CHS": "仓促", + "ENG": "the act of doing something too quickly in a way that is not sensible" + }, + "sheep": { + "CHS": "羊,绵羊", + "ENG": "a farm animal that is kept for its wool and its meat" + }, + "mercy": { + "CHS": "仁慈,宽恕,怜悯", + "ENG": "if someone shows mercy, they choose to forgive or to be kind to someone who they have the power to hurt or punish" + }, + "lewis": { + "CHS": "[机] 吊楔,起重爪", + "ENG": "a lifting device for heavy stone or concrete blocks consisting of a number of curved pieces of metal or wedges fitting into a dovetailed recess cut into the block " + }, + "oceanic": { + "CHS": "海洋的", + "ENG": "relating to the ocean" + }, + "award": { + "CHS": "授予,判给", + "ENG": "to officially give someone something such as a prize or money to reward them for something they have done" + }, + "comfortable": { + "CHS": "舒适的,充裕的", + "ENG": "making you feel physically relaxed, without any pain or without being too hot, cold etc" + }, + "sail": { + "CHS": "航行(于),启航", + "ENG": "to travel on or across an area of water in a boat or ship" + }, + "recall": { + "CHS": "召回", + "ENG": "an official order telling someone to return to a place, especially before they expected to" + }, + "publisher": { + "CHS": "出版者,发行人", + "ENG": "a person or company whose business is to arrange the writing, production, and sale of books, newspapers etc" + }, + "seat": { + "CHS": "使坐下", + "ENG": "if a place seats a number of people, it has enough seats for that number" + }, + "usual": { + "CHS": "平常的,通常的", + "ENG": "happening, done, or existing most of the time or in most situations" + }, + "touch": { + "CHS": "接触,达到", + "ENG": "if two things touch, or one thing touches another thing, they reach each other so that there is no space between them" + }, + "boom": { + "CHS": "发隆隆声,兴隆", + "ENG": "to make a loud deep sound" + }, + "administration": { + "CHS": "管理,经营", + "ENG": "the activities that are involved in managing the work of a company or organization" + }, + "outflow": { + "CHS": "流出(物)", + "ENG": "when money, goods etc leave a bank, country etc" + }, + "durable": { + "CHS": "持久的,耐用的", + "ENG": "staying in good condition for a long time, even if used a lot" + }, + "undertake": { + "CHS": "承担,采取", + "ENG": "to accept that you are responsible for a piece of work, and start to do it" + }, + "finance": { + "CHS": "供给经费,筹措资金", + "ENG": "to provide money, especially a lot of money, to pay for something" + }, + "seal": { + "CHS": "封铅 vt封, 密封", + "ENG": "a piece of rubber or plastic that keeps air, water, dirt etc out of something" + }, + "assumption": { + "CHS": "假定, 设想", + "ENG": "something that you think is true although you have no definite proof" + }, + "Ohio": { + "CHS": "俄亥俄州(美国州名)" + }, + "guide": { + "CHS": "领路人,指南 vt指导, 支配", + "ENG": "a book or piece of writing that provides information on a particular subject or explains how to do something" + }, + "exceed": { + "CHS": "超越, 胜过", + "ENG": "to be more than a particular number or amount" + }, + "reform": { + "CHS": "改革, 革新", + "ENG": "to improve a system, law, organization etc by making a lot of changes to it, so that it operates in a fairer or more effective way" + }, + "switch": { + "CHS": "开关 vt转换, 转变", + "ENG": "a piece of equipment that starts or stops the flow of electricity to a machine, light etc when you push it" + }, + "southwestern": { + "CHS": "西南的, 来自西南的", + "ENG": "in or from the southwest part of a country or area" + }, + "infantile": { + "CHS": "幼稚的,幼儿的", + "ENG": "infantile behaviour seems silly in an adult because it is typical of a child" + }, + "brother": { + "CHS": "兄弟", + "ENG": "a male who has the same parents as you" + }, + "crucial": { + "CHS": "至关紧要的", + "ENG": "something that is crucial is extremely important, because everything else depends on it" + }, + "amnesia": { + "CHS": "健忘症" + }, + "toy": { + "CHS": "玩具", + "ENG": "an object for children to play with" + }, + "silent": { + "CHS": "寂静的, 沉默的", + "ENG": "without any sound, or not making any sound" + }, + "nutritional": { + "CHS": "营养的,滋养的", + "ENG": "relating to the substances in food that help you to stay healthy" + }, + "taste": { + "CHS": "品尝, 体验", + "ENG": "to eat or drink a small amount of something to see what it is like" + }, + "contradict": { + "CHS": "同矛盾, 同抵触", + "ENG": "if one statement, story etc contradicts another, the facts in it are different so that both statements cannot be true" + }, + "verbal": { + "CHS": "口头的", + "ENG": "spoken rather than written" + }, + "attach": { + "CHS": "缚上, 配属,隶属于" + }, + "supplement": { + "CHS": "补充, 附录", + "ENG": "something that you add to something else to improve it or make it complete" + }, + "delivery": { + "CHS": "递送,交付,传输", + "ENG": "the act of bringing goods, letters etc to a particular person or place, or the things that are brought" + }, + "span": { + "CHS": "跨度v横越" + }, + "comparable": { + "CHS": "可比较的, 比得上的", + "ENG": "similar to something else in size, number, quality etc, so that you can make a comparison" + }, + "satisfy": { + "CHS": "满足,使满意", + "ENG": "to make someone feel pleased by doing what they want" + }, + "panel": { + "CHS": "面,板,专门小组", + "ENG": "a board in a car, plane, boat etc that has the controls on it" + }, + "react": { + "CHS": "起反应, 起作用", + "ENG": "to behave in a particular way or show a particular emotion because of something that has happened or been said" + }, + "freshwater": { + "CHS": "淡水" + }, + "successive": { + "CHS": "连续的, 接连的", + "ENG": "coming or following one after the other" + }, + "official": { + "CHS": "官方的,正式的" + }, + "save": { + "CHS": "解救, 保存", + "ENG": "to keep something so that you can use or enjoy it in the future" + }, + "appreciate": { + "CHS": "赏识, 感激", + "ENG": "used to thank someone in a polite way or to say that you are grateful for something they have done" + }, + "friend": { + "CHS": "朋友, 赞助者, 助手", + "ENG": "someone who you know and like very much and enjoy spending time with" + }, + "outline": { + "CHS": "描画轮廓,略述", + "ENG": "to show the edge of something, or draw around its edge, so that its shape is clear" + }, + "crustal": { + "CHS": "地壳的", + "ENG": "of or relating to the earth's crust " + }, + "threat": { + "CHS": "恐吓, 凶兆, 威胁", + "ENG": "a statement in which you tell someone that you will cause them harm or trouble if they do not do what you want" + }, + "carbohydrate": { + "CHS": "碳水化合物,醣类", + "ENG": "a substance that is in foods such as sugar, bread, and potatoes, which provides your body with heat and energy and which consists of oxygen, hydrogen , and carbon " + }, + "periodical": { + "CHS": "周期的, 定期的 n期刊, 杂志", + "ENG": "Periodical events or situations happen occasionally, at fairly regular intervals" + }, + "nine": { + "CHS": "九,九个", + "ENG": "the number 9" + }, + "strengthen": { + "CHS": "加强, 巩固", + "ENG": "to become stronger or make something stronger" + }, + "quartz": { + "CHS": "石英", + "ENG": "a hard mineral substance that is used in making electronic watches and clocks" + }, + "sociologist": { + "CHS": "社会学家" + }, + "classic": { + "CHS": "最优秀的,标准的 n杰作", + "ENG": "of excellent quality" + }, + "sum": { + "CHS": "共计,概括" + }, + "delicate": { + "CHS": "精巧的, 精致的", + "ENG": "made skilfully and with attention to the smallest details" + }, + "leadership": { + "CHS": "领导能力,领导阶层", + "ENG": "the position of being the leader of a group, organization, country etc" + }, + "king": { + "CHS": "国王", + "ENG": "a man who rules a country because he is from a royal family" + }, + "colleague": { + "CHS": "同事, 同僚", + "ENG": "someone you work with – used especially by professional people" + }, + "seafloor": { + "CHS": "海底", + "ENG": "The seafloor is the ground under the sea" + }, + "bronze": { + "CHS": "青铜", + "ENG": "a hard metal that is a mixture of copper and tin " + }, + "medium": { + "CHS": "中间的", + "ENG": "of middle size, level, or amount" + }, + "dome": { + "CHS": "圆屋顶", + "ENG": "a round roof on a building" + }, + "script": { + "CHS": "手稿, 手迹", + "ENG": "writing done by hand" + }, + "hotel": { + "CHS": "旅馆, 客栈,", + "ENG": "A hotel is a building where people stay, for example on holiday, paying for their rooms and meals" + }, + "found": { + "CHS": "建立, 创办", + "ENG": "to start something such as an organization, company, school, or city, often by providing the necessary money" + }, + "twice": { + "CHS": "两次, 两倍", + "ENG": "two times" + }, + "instruction": { + "CHS": "命令,指示,用法说明", + "ENG": "the written information that tells you how to do or use something" + }, + "thrive": { + "CHS": "兴旺,繁荣", + "ENG": "to become very successful or very strong and healthy" + }, + "fiction": { + "CHS": "虚构,小说", + "ENG": "books and stories about imaginary people and events" + }, + "motor": { + "CHS": "发动机", + "ENG": "the part of a machine that makes it work or move, by changing power, especially electrical power, into movement" + }, + "partially": { + "CHS": "部分地", + "ENG": "not completely" + }, + "Germany": { + "CHS": "德国" + }, + "beautiful": { + "CHS": "美丽的", + "ENG": "someone or something that is beautiful is extremely attractive to look at" + }, + "vehicle": { + "CHS": "交通工具, 车辆", + "ENG": "a machine with an engine that is used to take people or things from one place to another, such as a car, bus, or truck" + }, + "marsh": { + "CHS": "湿地,沼泽", + "ENG": "an area of low flat ground that is always wet and soft" + }, + "freight": { + "CHS": "运送", + "ENG": "to send goods by air, sea, or train" + }, + "trust": { + "CHS": "信任, 信赖", + "ENG": "to believe that someone is honest or will not do anything bad or wrong" + }, + "intrigue": { + "CHS": "阴谋,密谋", + "ENG": "the making of secret plans to harm someone or make them lose their position of power, or a plan of this kind" + }, + "artwork": { + "CHS": "艺术品,美术品", + "ENG": "paintings and other objects produced by artists" + }, + "hatch": { + "CHS": "孵化 vt孵出, 策划", + "ENG": "the act or process of hatching " + }, + "shore": { + "CHS": "岸, 海滨", + "ENG": "the land along the edge of a large area of water such as an ocean or lake" + }, + "utilize": { + "CHS": "利用", + "ENG": "to use something for a particular purpose" + }, + "classification": { + "CHS": "分类, 分级", + "ENG": "a process in which you put something into the group or class it belongs to" + }, + "tube": { + "CHS": "管子", + "ENG": "a round pipe made of metal, glass, rubber etc, especially for liquids or gases to go through" + }, + "kiln": { + "CHS": "窑,炉", + "ENG": "a special oven for baking clay pots, bricks etc" + }, + "implication": { + "CHS": "含意, 暗示", + "ENG": "a suggestion that is not made directly but that people are expected to understand or accept" + }, + "expert": { + "CHS": "专家, 行家", + "ENG": "someone who has a special skill or special knowledge of a subject, gained as a result of training or experience" + }, + "awareness": { + "CHS": "知道, 晓得" + }, + "drag": { + "CHS": "拖, 拖曳", + "ENG": "to pull something along the ground, often because it is too heavy to carry" + }, + "indium": { + "CHS": "[化]铟", + "ENG": "a rare soft silvery metallic element associated with zinc ores: used in alloys, electronics, and electroplating" + }, + "precious": { + "CHS": "宝贵的,珍爱的", + "ENG": "something that is precious is valuable and important and should not be wasted or used without care" + }, + "velocity": { + "CHS": "速度, 速率", + "ENG": "the speed of something that is moving in a particular direction" + }, + "burst": { + "CHS": "爆裂, 炸破", + "ENG": "if something bursts, or if you burst it, it breaks open or apart suddenly and violently so that its contents come out" + }, + "academy": { + "CHS": "学院,学会,专科学校", + "ENG": "an official organization which encourages the development of literature, art, science etc" + }, + "path": { + "CHS": "小路, 路线", + "ENG": "the direction or line along which something or someone is moving" + }, + "refine": { + "CHS": "精炼, 精制", + "ENG": "When a substance is refined, it is made pure by having all other substances removed from it" + }, + "imprint": { + "CHS": "留下烙印", + "ENG": "If a surface is imprinted with a mark or design, that mark or design is printed on the surface or pressed into it" + }, + "intellectual": { + "CHS": "智力的, 有智力的", + "ENG": "relating to the ability to understand things and think intelligently" + }, + "impression": { + "CHS": "印象, 感想", + "ENG": "the opinion or feeling you have about someone or something because of the way they seem" + }, + "Pennsylvania": { + "CHS": "宾夕法尼亚州(美国州名)" + }, + "iridium": { + "CHS": "[化]铱", + "ENG": "a hard and very heavy metal that is combined with platinum to make jewellery and is used in scientific instruments. It is a chemical element : symbol Ir" + }, + "pick": { + "CHS": "挑选,采摘", + "ENG": "to choose a person or thing, for example because they are the best or most suitable" + }, + "cent": { + "CHS": "(货币单位)分, 分币", + "ENG": "1/100th of the standard unit of money in some countries. For example, there are 100 cents in one dollar or in one euro : symbol ¢." + }, + "mobility": { + "CHS": "活动性, 灵活性", + "ENG": "the ability to move easily from one job, area, or social class to another" + }, + "inference": { + "CHS": "推论", + "ENG": "something that you think is true, based on information that you have" + }, + "integrate": { + "CHS": "使成整体, 结合", + "ENG": "if two or more things integrate, or if you integrate them, they combine or work together in a way that makes something more effective(" + }, + "rush": { + "CHS": "冲,匆忙,突袭", + "ENG": "to move very quickly, especially because you need to be somewhere very soon" + }, + "spray": { + "CHS": "喷雾 vt喷射", + "ENG": "liquid which is forced out of a special container in a stream of very small drops" + }, + "strongly": { + "CHS": "强烈地;强有力地", + "ENG": "in a way that is meant to persuade someone to do something" + }, + "lay": { + "CHS": "放置,铺设", + "ENG": "to put someone or something down carefully into a flat position" + }, + "bite": { + "CHS": "咬, 刺痛", + "ENG": "to use your teeth to cut, crush, or chew something" + }, + "harm": { + "CHS": "伤害, 损害", + "ENG": "to have a bad effect on something" + }, + "footprint": { + "CHS": "足迹", + "ENG": "a mark made by a foot or shoe" + }, + "herself": { + "CHS": "她自己", + "ENG": "used to show that the woman or girl who does something is affected by her own action" + }, + "sponsor": { + "CHS": "发起人 v发起, 主办, 赞助", + "ENG": "A sponsor is a person or organization that sponsors something or someone" + }, + "calorie": { + "CHS": "卡路里", + "ENG": "a unit for measuring the amount of energy that food will produce" + }, + "unpredictable": { + "CHS": "不可预知的", + "ENG": "If you describe someone or something as unpredictable, you mean that you cannot tell what they are going to do or how they are going to behave" + }, + "automobile": { + "CHS": "汽车", + "ENG": "a car" + }, + "collector": { + "CHS": "收藏家, 征收者", + "ENG": "someone who collects things that are interesting or attractive" + }, + "cooperation": { + "CHS": "合作, 协作", + "ENG": "when you work with someone to achieve something that you both want" + }, + "enzyme": { + "CHS": "[生化]酶", + "ENG": "a chemical substance that is produced in a plant or animal, and helps chemical changes to take place in the plant or animal" + }, + "employee": { + "CHS": "职工, 雇员", + "ENG": "someone who is paid to work for someone else" + }, + "irrigate": { + "CHS": "灌溉", + "ENG": "to supply land or crops with water" + }, + "dozen": { + "CHS": "一打, 十二个", + "ENG": "twelve" + }, + "retrieve": { + "CHS": "恢复,挽回,取回", + "ENG": "to find something and bring it back" + }, + "printer": { + "CHS": "印刷工,打印机", + "ENG": "a machine which is connected to a computer and can make a printed record of computer information" + }, + "silt": { + "CHS": "(使)淤塞" + }, + "roll": { + "CHS": "(使)滚动,卷", + "ENG": "if something rolls, especially something round, or if you roll it, it moves along a surface by turning over and over" + }, + "surveyor": { + "CHS": "测量员, 检查员", + "ENG": "someone whose job is to examine the condition of a building, or to measure and record the details of an area of land" + }, + "worldwide": { + "CHS": "全世界的", + "ENG": "everywhere in the world" + }, + "acre": { + "CHS": "英亩, 地产", + "ENG": "a unit for measuring area, equal to 4,840 square yards or 4,047 square metres" + }, + "nuclear": { + "CHS": "核子的, 原子能的", + "ENG": "relating to or involving the nucleus (= central part ) of an atom, or the energy produced when the nucleus of an atom is either split or joined with the nucleus of another atom" + }, + "nutrition": { + "CHS": "营养, 营养学", + "ENG": "the process of giving or getting the right type of food for good health and growth" + }, + "larva": { + "CHS": "幼虫", + "ENG": "a young insect with a soft tube-shaped body, which will later become an insect with wings" + }, + "exposition": { + "CHS": "展览会, 说明", + "ENG": "a large public event at which you show or sell products, art etc" + }, + "sharp": { + "CHS": "锐利的,明显的,急剧的", + "ENG": "having a very thin edge or point that can cut things easily" + }, + "peasant": { + "CHS": "农夫", + "ENG": "a poor farmer who owns or rents a small amount of land, either in past times or in poor countries" + }, + "plastic": { + "CHS": "塑胶的", + "ENG": "made of plastic" + }, + "genetic": { + "CHS": "遗传的, 起源的", + "ENG": "relating to genes or genetics" + }, + "page": { + "CHS": "页,记录", + "ENG": "one side of a piece of paper in a book, newspaper, document etc, or the sheet of paper itself" + }, + "accumulator": { + "CHS": "蓄电池,积聚者", + "ENG": "a rechargeable device for storing electrical energy in the form of chemical energy, consisting of one or more separate secondary cells " + }, + "chief": { + "CHS": "主要的, 首要的", + "ENG": "highest in rank" + }, + "imitation": { + "CHS": "模仿, 效法", + "ENG": "when you copy someone else’s actions" + }, + "beneficial": { + "CHS": "有利的, 有益的", + "ENG": "having a good effect" + }, + "lip": { + "CHS": "嘴唇", + "ENG": "one of the two soft parts around your mouth where your skin is redder or darker" + }, + "fertilizer": { + "CHS": "肥料", + "ENG": "a substance that is put on the soil to make plants grow" + }, + "rainwater": { + "CHS": "雨水", + "ENG": "water that has fallen as rain" + }, + "satire": { + "CHS": "讽刺(文学)", + "ENG": "a way of criticizing something such as a group of people or a system, in which you deliberately make them seem funny so that people will see their faults" + }, + "epoch": { + "CHS": "新纪元, 时代", + "ENG": "a period of history" + }, + "impressive": { + "CHS": "给人深刻印象的, 感人的", + "ENG": "something that is impressive makes you admire it because it is very good, large, important etc" + }, + "brush": { + "CHS": "刷子, 毛刷, 画笔 vt刷, 掸, 拂", + "ENG": "an object that you use for cleaning, painting, making your hair tidy etc, made with a lot of hairs, bristle s , or thin pieces of plastic, fastened to a handle" + }, + "Massachusetts": { + "CHS": "马萨诸塞(美国州名)", + "ENG": "a member of a North American Indian people formerly living around Massachusetts Bay " + }, + "realism": { + "CHS": "现实主义", + "ENG": "the quality of being or seeming real" + }, + "watch": { + "CHS": "看,注视,照顾", + "ENG": "to look at someone or something for a period of time, paying attention to what is happening" + }, + "foundation": { + "CHS": "基础, 根本", + "ENG": "the solid layer of cement , bricks, stones etc that is put under a building to support it" + }, + "evident": { + "CHS": "明显的, 显然的", + "ENG": "easy to see, notice, or understand" + }, + "marry": { + "CHS": "娶, 嫁,和结婚", + "ENG": "if you marry someone, you become their husband or wife" + }, + "race": { + "CHS": "种族 v赛跑", + "ENG": "one of the main groups that humans can be divided into according to the colour of their skin and other physical features" + }, + "orient": { + "CHS": "使适应,使朝向 n东方", + "ENG": "When you orient yourself to a new situation or course of action, you learn about it and prepare to deal with it" + }, + "barren": { + "CHS": "荒地" + }, + "prosperity": { + "CHS": "繁荣", + "ENG": "when people have money and everything that is needed for a good life" + }, + "lava": { + "CHS": "熔岩, 火山岩", + "ENG": "hot liquid rock that flows from a volcano,or this rock when it has become solid" + }, + "pace": { + "CHS": "步调 v踱步", + "ENG": "Your pace is the speed at which you walk" + }, + "empire": { + "CHS": "帝国", + "ENG": "a group of countries that are all controlled by one ruler or government" + }, + "contract": { + "CHS": "合同 v缩小,订合同", + "ENG": "an official agreement between two or more people, stating what each will do" + }, + "deco": { + "CHS": "装饰派艺术" + }, + "descriptive": { + "CHS": "描述的, 叙述的", + "ENG": "giving a description of something" + }, + "ruminant": { + "CHS": "反刍动物(的), 沉思的", + "ENG": "an animal such as a cow that has several stomachs and eats grass" + }, + "stoneware": { + "CHS": "瓷器", + "ENG": "pots, bowls etc that are made from a special hard clay" + }, + "mirror": { + "CHS": "反映,映出", + "ENG": "if one thing mirrors another, it is very similar to it and may seem to copy or represent it" + }, + "barb": { + "CHS": "装倒钩于" + }, + "forage": { + "CHS": "草料", + "ENG": "food supplies for horses and cattle" + }, + "norm": { + "CHS": "标准,规范", + "ENG": "the usual or normal situation, way of doing something etc" + }, + "nitinol": { + "CHS": "[冶]镍钛诺(镍和钛的非磁性合金)" + }, + "chick": { + "CHS": "小鸡", + "ENG": "a baby bird" + }, + "condense": { + "CHS": "(使)浓缩, 精简", + "ENG": "to make a liquid thicker by removing some of the water" + }, + "cope": { + "CHS": "应付,处理", + "ENG": "to succeed in dealing with a difficult problem or situation" + }, + "frost": { + "CHS": "结霜", + "ENG": "to cover a cake with a mixture of powdery sugar and liquid" + }, + "client": { + "CHS": "[计]顾客, 客户, 委托人", + "ENG": "someone who gets services or advice from a professional person, company, or organization" + }, + "potentially": { + "CHS": "潜在地", + "ENG": "something that is potentially dangerous, useful etc is not dangerous etc now, but may become so in the future" + }, + "fertile": { + "CHS": "肥沃的, 富饶的, 能繁殖的", + "ENG": "fertile land or soil is able to produce good crops" + }, + "attain": { + "CHS": "达到, 获得", + "ENG": "to succeed in achieving something after trying for a long time" + }, + "background": { + "CHS": "背景,后台", + "ENG": "someone’s family, education, previous work etc" + }, + "facilitate": { + "CHS": "促进, 帮助", + "ENG": "To facilitate an action or process, especially one that you would like to happen, means to make it easier or more likely to happen" + }, + "flexible": { + "CHS": "易弯曲的,灵活的,柔韧的", + "ENG": "a person, plan etc that is flexible can change or be changed easily to suit any new situation" + }, + "precisely": { + "CHS": "正好", + "ENG": "used to emphasize that a particular thing is completely true or correct" + }, + "egalitarian": { + "CHS": "平等主义的", + "ENG": "based on the belief that everyone is equal and should have equal rights" + }, + "plover": { + "CHS": "千鸟" + }, + "shelve": { + "CHS": "搁置", + "ENG": "to decide not to continue with a plan, idea etc, although you might continue with it at a later time" + }, + "judge": { + "CHS": "法官,裁判员 v断定,裁决", + "ENG": "the official in control of a court, who decides how criminals should be punished" + }, + "progressive": { + "CHS": "进步分子", + "ENG": "someone with modern ideas who wants to change things" + }, + "adjacent": { + "CHS": "邻近的,毗连的", + "ENG": "a room, building, piece of land etc that is adjacent to something is next to it" + }, + "unfortunately": { + "CHS": "不幸地, 遗憾地", + "ENG": "used when you are mentioning a fact that you wish was not true" + }, + "participate": { + "CHS": "参与, 参加", + "ENG": "to take part in an activity or event" + }, + "downward": { + "CHS": "向下的", + "ENG": "moving or pointing towards a lower position" + }, + "warbler": { + "CHS": "鸣鸟", + "ENG": "a bird that can make musical sounds" + }, + "specialization": { + "CHS": "特殊化, 专门化", + "ENG": "an activity or subject that you know a lot about" + }, + "media": { + "CHS": "媒体", + "ENG": "all the organizations, such as television, radio, and newspapers, that provide news and information for the public, or the people who do this work" + }, + "confuse": { + "CHS": "搞乱,使糊涂", + "ENG": "to make someone feel that they cannot think clearly or do not understand" + }, + "twig": { + "CHS": "嫩枝", + "ENG": "a small very thin stem of wood that grows from a branch on a tree" + }, + "workweek": { + "CHS": "一星期工作时间", + "ENG": "the total amount of time that you spend working during a week" + }, + "extensively": { + "CHS": "广泛地,彻底地" + }, + "clement": { + "CHS": "仁慈的,温和的", + "ENG": "clement weather is neither too hot nor too cold" + }, + "nutritious": { + "CHS": "有营养的, 滋养的", + "ENG": "food that is nutritious is full of the natural substances that your body needs to stay healthy or to grow properly" + }, + "throw": { + "CHS": "扔,投,掷", + "ENG": "to make an object such as a ball move quickly through the air by pushing your hand forward quickly and letting the object go" + }, + "herb": { + "CHS": "药草, 香草", + "ENG": "a small plant that is used to improve the taste of food, or to make medicine" + }, + "affair": { + "CHS": "事务,事件", + "ENG": "public or political events and activities" + }, + "mold": { + "CHS": "模子vt浇铸, 塑造" + }, + "mammoth": { + "CHS": "庞大的", + "ENG": "extremely large" + }, + "tellurium": { + "CHS": "碲", + "ENG": "a brittle silvery-white nonmetallic element occurring both uncombined and in combination with metals: used in alloys of lead and copper and as a semiconductor" + }, + "hopewell": { + "CHS": "霍普韦尔" + }, + "facility": { + "CHS": "设备,便利,能力", + "ENG": "Facilities are buildings, pieces of equipment, or services that are provided for a particular purpose" + }, + "percentage": { + "CHS": "百分数, 百分率", + "ENG": "an amount expressed as if it is part of a total which is 100" + }, + "butter": { + "CHS": "黄油,牛油", + "ENG": "a solid yellow food made from milk or cream that you spread on bread or use in cooking" + }, + "ignore": { + "CHS": "不理睬, 忽视", + "ENG": "to deliberately pay no attention to something that you have been told or that you know about" + }, + "evaluate": { + "CHS": "评价, 估计", + "ENG": "to judge how good, useful, or successful something is" + }, + "occupation": { + "CHS": "职业, 占有", + "ENG": "a job or profession" + }, + "chip": { + "CHS": "削成碎片", + "ENG": "to cut potatoes into thin pieces ready to be cooked in hot oil" + }, + "fauna": { + "CHS": "动物群", + "ENG": "all the animals living in a particular area or period in history" + }, + "cook": { + "CHS": "厨师 v烹调, 煮", + "ENG": "A cook is a person whose job is to prepare and cook food, especially in someone's home or in an institution" + }, + "discharge": { + "CHS": "释放,排出", + "ENG": "to send out gas, liquid, smoke etc, or to allow it to escape" + }, + "indicator": { + "CHS": "指示器", + "ENG": "something that can be regarded as a sign of something else" + }, + "steamboat": { + "CHS": "汽船", + "ENG": "a boat that uses steam for power and is sailed along rivers and coasts" + }, + "heighten": { + "CHS": "提高, 升高" + }, + "archaeopteryx": { + "CHS": "始祖鸟(古代生物)", + "ENG": "any of several extinct primitive birds constituting the genus Archaeopteryx, esp A" + }, + "disclaimer": { + "CHS": "放弃, 弃权" + }, + "desirable": { + "CHS": "值得拥有的,可取的", + "ENG": "something that is desirable is worth having or doing" + }, + "carbonate": { + "CHS": "碳酸盐", + "ENG": "a salt (= chemical substance formed by an acid ) that contains carbon and oxygen" + }, + "southeastern": { + "CHS": "东南方的", + "ENG": "in or from the southeast part of a country or area" + }, + "harmful": { + "CHS": "有害的, 伤害的", + "ENG": "causing harm" + }, + "scarce": { + "CHS": "缺乏的,不足的,", + "ENG": "if something is scarce, there is not very much of it available" + }, + "profound": { + "CHS": "深刻的, 意义深远的", + "ENG": "having a strong influence or effect" + }, + "insulation": { + "CHS": "绝缘", + "ENG": "when something is insulated or someone insulates something" + }, + "modest": { + "CHS": "谦虚的, 适度的", + "ENG": "someone who is modest does not want to talk about their abilities or achievements" + }, + "presentation": { + "CHS": "介绍, 陈述", + "ENG": "an event at which you describe or explain a new product or idea" + }, + "obviously": { + "CHS": "明显地", + "ENG": "used to mean that a fact can easily be noticed or understood" + }, + "Missouri": { + "CHS": "密苏里州(美国州名)" + }, + "department": { + "CHS": "部, 局", + "ENG": "one of the groups of people who work together in a particular part of a large organization such as a hospital, university, company, or government" + }, + "jet": { + "CHS": "喷气式飞机", + "ENG": "a fast plane with a jet engine" + }, + "senate": { + "CHS": "参议院", + "ENG": "the smaller and more important of the two parts of the government with the power to make laws, in countries such as the US, Australia, and France" + }, + "mobile": { + "CHS": "可移动的, 易变的", + "ENG": "not fixed in one position, and easy to move and use in different places" + }, + "salty": { + "CHS": "咸的", + "ENG": "tasting of or containing salt" + }, + "pearl": { + "CHS": "珍珠", + "ENG": "a small round white object that forms inside an oyster , and is a valuable jewel" + }, + "rice": { + "CHS": "稻, 米", + "ENG": "a food that consists of small white or brown grains that you boil in water until they become soft enough to eat" + }, + "westward": { + "CHS": "西方a&ad西方的, 向西" + }, + "slope": { + "CHS": "斜坡 v(使)顺斜", + "ENG": "a piece of ground or a surface that slopes" + }, + "being": { + "CHS": "存在, 生命", + "ENG": "to start to exist" + }, + "forecast": { + "CHS": "预见,预测", + "ENG": "to make a statement saying what is likely to happen in the future, based on the information that you have now" + }, + "excellent": { + "CHS": "卓越的, 极好的", + "ENG": "extremely good or of very high quality" + }, + "conceal": { + "CHS": "隐藏, 隐瞒", + "ENG": "to hide something carefully" + }, + "seep": { + "CHS": "渗出", + "ENG": "to flow slowly through small holes or spaces" + }, + "naturalist": { + "CHS": "自然主义者" + }, + "shield": { + "CHS": "防护,遮蔽", + "ENG": "If something or someone shields you from a danger or risk, they protect you from it" + }, + "stomach": { + "CHS": "胃", + "ENG": "the organ inside your body where food begins to be digested " + }, + "sloth": { + "CHS": "懒惰", + "ENG": "an animal in Central and South America that moves very slowly, has grey fur, and lives in trees" + }, + "target": { + "CHS": "目标, 对象", + "ENG": "something that you are trying to achieve, such as a total, an amount, or a time" + }, + "battle": { + "CHS": "战役 vi作战, 战斗", + "ENG": "a fight between opposing armies, groups of ships, groups of people etc, especially one that is part of a larger war" + }, + "interfere": { + "CHS": "干涉,妨碍", + "ENG": "to deliberately get involved in a situation where you are not wanted or needed" + }, + "perceptual": { + "CHS": "感性的,知觉的", + "ENG": "Perceptual means relating to the way people interpret and understand what they see or notice" + }, + "plentiful": { + "CHS": "丰富的,充裕的", + "ENG": "more than enough in quantity" + }, + "childhood": { + "CHS": "孩童时期", + "ENG": "the period of time when you are a child" + }, + "proterozoic": { + "CHS": "原生代(的)", + "ENG": "the later of two divisions of the Precambrian era, during which the earliest plants and animals are assumed to have lived " + }, + "falcon": { + "CHS": "猎鹰", + "ENG": "a bird that kills and eats other animals and can be trained to hunt" + }, + "orchid": { + "CHS": "兰花", + "ENG": "a plant that has flowers which are brightly coloured and usually shaped" + }, + "cement": { + "CHS": "水泥,接合剂 v接合,粘牢", + "ENG": "a grey powder made from lime and clay that becomes hard when it is mixed with water and allowed to dry, and that is used in building" + }, + "shade": { + "CHS": "荫,阴凉处vi渐变 ,遮蔽", + "ENG": "slight darkness or shelter from the direct light of the sun made by something blocking it" + }, + "semiarid": { + "CHS": "半干旱的", + "ENG": "characterized by scanty rainfall and scrubby vegetation, often occurring in continental interiors " + }, + "renaissance": { + "CHS": "文艺复兴(时期)", + "ENG": "a new interest in something, especially a particular form of art, music etc, that has not been popular for a long period" + }, + "maintenance": { + "CHS": "维护, 保持", + "ENG": "the repairs, painting etc that are necessary to keep something in good condition" + }, + "deliver": { + "CHS": "递送, 陈述,交付", + "ENG": "to take goods, letters, packages etc to a particular place or person" + }, + "sibling": { + "CHS": "兄弟姐妹", + "ENG": "a brother or sister" + }, + "regardless": { + "CHS": "不管,不顾" + }, + "click": { + "CHS": "发出滴答声", + "ENG": "to make a short hard sound, or make something produce this sound" + }, + "board": { + "CHS": "木板", + "ENG": "a flat piece of wood, plastic, card etc that you use for a particular purpose such as cutting things on, or for playing indoor games" + }, + "strip": { + "CHS": "剥, 剥去", + "ENG": "to remove something that is covering the surface of something else" + }, + "stock": { + "CHS": "储备", + "ENG": "if a shop stocks a particular product, it keeps a supply of it to sell" + }, + "kestrel": { + "CHS": "(一种)鹰" + }, + "suppress": { + "CHS": "镇压,抑制", + "ENG": "to stop people from opposing the government, especially by using force" + }, + "bell": { + "CHS": "铃, 钟", + "ENG": "a piece of electrical equipment that makes a ringing sound, used as a signal or to get someone’s attention" + }, + "tire": { + "CHS": "疲劳,厌倦", + "ENG": "to start to feel tired, or make someone feel tired" + }, + "camel": { + "CHS": "骆驼", + "ENG": "a large desert animal with a long neck and either one or two hump s (= large raised parts ) on its back" + }, + "spontaneous": { + "CHS": "自发的,自然产生的", + "ENG": "something that is spontaneous has not been planned or organized, but happens by itself, or because you suddenly feel you want to do it" + }, + "lift": { + "CHS": "举起,提高", + "ENG": "to move something or someone upwards into the air" + }, + "earthquake": { + "CHS": "地震, [喻]在震荡, 在变动", + "ENG": "a sudden shaking of the earth’s surface that often causes a lot of damage" + }, + "cognitive": { + "CHS": "认知的,认识能力的", + "ENG": "related to the process of knowing, understanding, and learning something" + }, + "maximum": { + "CHS": "最大量, 最大限度", + "ENG": "the largest number or amount that is possible or is allowed" + }, + "spiral": { + "CHS": "盘旋", + "ENG": "to move in a continuous curve that gets nearer to or further from its central point as it goes round" + }, + "relevant": { + "CHS": "相关的, 切题的", + "ENG": "directly relating to the subject or problem being discussed or considered" + }, + "elect": { + "CHS": "选举, 选择", + "ENG": "to choose someone for an official position by voting" + }, + "straight": { + "CHS": "直的,连续的", + "ENG": "something that is straight does not bend or curve" + }, + "animation": { + "CHS": "兴奋,活跃", + "ENG": "liveliness and excitement" + }, + "elevation": { + "CHS": "上升, 提高", + "ENG": "an act of moving someone to a more important rank or position" + }, + "debate": { + "CHS": "争论, 辩论", + "ENG": "to discuss a subject formally when you are trying to make a decision or find a solution" + }, + "sahara": { + "CHS": "撒哈拉沙漠" + }, + "lend": { + "CHS": "借给, 贷(款)", + "ENG": "to let someone borrow money or something that belongs to you for a short time" + }, + "wavelength": { + "CHS": "波长", + "ENG": "the size of a radio wave used to broadcast a radio signal" + }, + "passenger": { + "CHS": "乘客", + "ENG": "someone who is travelling in a vehicle, plane, boat etc, but is not driving it or working on it" + }, + "highway": { + "CHS": "公路", + "ENG": "a wide main road that joins one town to another" + }, + "molt": { + "CHS": "脱毛,换毛" + }, + "columbian": { + "CHS": "美国的, 美洲的,哥伦布的" + }, + "equivalent": { + "CHS": "相等的,相当的n等价物", + "ENG": "having the same value, purpose, job etc as a person or thing of a different kind" + }, + "graduate": { + "CHS": "毕业生", + "ENG": "someone who has completed a university degree, especially a first degree" + }, + "everywhere": { + "CHS": "到处, 无论何处", + "ENG": "in or to every place" + }, + "outward": { + "CHS": "向外", + "ENG": "If something moves or faces outward, it moves or faces away from the place you are in or the place you are talking about" + }, + "succeed": { + "CHS": "成功, 继承, 接着发生", + "ENG": "to do what you tried or wanted to do" + }, + "aware": { + "CHS": "意识到,知道的", + "ENG": "if you are aware that a situation exists, you realize or know that it exists" + }, + "commodity": { + "CHS": "日用品", + "ENG": "a product that is bought and sold" + }, + "experimental": { + "CHS": "实验(性)的,试验(性)的", + "ENG": "used for, relating to, or resulting from experiments" + }, + "hit": { + "CHS": "打,击", + "ENG": "to touch someone or something quickly and hard with your hand, a stick etc" + }, + "crystalline": { + "CHS": "水晶(般)的,透明的", + "ENG": "made of crystals" + }, + "speculation": { + "CHS": "思索, 做投机买卖", + "ENG": "when you try to make a large profit by buying goods, property, shares etc and then selling them" + }, + "sit": { + "CHS": "坐", + "ENG": "to be in a particular position or condition" + }, + "thirty": { + "CHS": "三十", + "ENG": "the number 30" + }, + "prize": { + "CHS": "奖(金,品)vt珍视,珍惜" + }, + "profitable": { + "CHS": "有益的,有利可图的", + "ENG": "producing a profit or a useful result" + }, + "revolutionary": { + "CHS": "革命的", + "ENG": "completely new and different, especially in a way that leads to great improvements" + }, + "luxury": { + "CHS": "奢侈, 华贵", + "ENG": "very great comfort and pleasure, such as you get from expensive food, beautiful houses, cars etc" + }, + "scandinavia": { + "CHS": "斯堪的纳维亚(北欧地名)" + }, + "wool": { + "CHS": "羊毛,毛织品", + "ENG": "the soft thick hair that sheep and some goats have on their body" + }, + "proper": { + "CHS": "适当的,正确的", + "ENG": "right, suitable, or correct" + }, + "dairy": { + "CHS": "牛奶场,乳品店", + "ENG": "a place on a farm where milk is kept and butter and cheese are made" + }, + "phase": { + "CHS": "阶段,方面", + "ENG": "one of the stages of a process of development or change" + }, + "substantial": { + "CHS": "可观的,牢固的,实质的" + }, + "continually": { + "CHS": "不断地,频繁地" + }, + "confine": { + "CHS": "界限" + }, + "calcite": { + "CHS": "方解石", + "ENG": "a colourless or white mineral (occasionally tinged with impurities), found in sedimentary and metamorphic rocks, in veins, in limestone, and in stalagmites and stalactites. It is used in the manufacture of cement, plaster, paint, glass, and fertilizer. Composition: calcium carbonate. Formula: CaCO3. Crystal structure: hexagonal (rhombohedral) " + }, + "realm": { + "CHS": "领域", + "ENG": "a general area of knowledge, activity, or thought" + }, + "orchestra": { + "CHS": "管弦乐队" + }, + "me": { + "CHS": "我", + "ENG": "used by the person speaking or writing to refer to himself or herself" + }, + "southward": { + "CHS": "向南 a向南的", + "ENG": "Southward is also an adjective" + }, + "intermediate": { + "CHS": "中间的 n媒介", + "ENG": "an intermediate stage in a process of development is between two other stages" + }, + "proponent": { + "CHS": "支持者,拥护者", + "ENG": "someone who supports something or persuades people to do something" + }, + "tip": { + "CHS": "末端,小费 v倾斜", + "ENG": "the end of something, especially something pointed" + }, + "partnership": { + "CHS": "合伙(关系)", + "ENG": "the state of being a partner in business" + }, + "gender": { + "CHS": "性别,(语法中的)性", + "ENG": "the fact of being male or female" + }, + "republican": { + "CHS": "共和政体的,共和党人(的)", + "ENG": "someone who believes in government by elected representatives only, with no king or queen" + }, + "strict": { + "CHS": "严格的, 严厉的", + "ENG": "expecting people to obey rules or to do what you say" + }, + "ichthyosaur": { + "CHS": "鱼龙", + "ENG": "any extinct marine Mesozoic reptile of the order Ichthyosauria, which had a porpoise-like body with dorsal and tail fins and paddle-like limbs " + }, + "India": { + "CHS": "印度" + }, + "niche": { + "CHS": "壁龛,合适的职务(环境、位置等)", + "ENG": "a hollow place in a wall, often made to hold a statue" + }, + "magazine": { + "CHS": "杂志, 期刊", + "ENG": "a large thin book with a paper cover that contains news stories, articles, photographs etc, and is sold weekly or monthly" + }, + "logical": { + "CHS": "符合逻辑的,合理的", + "ENG": "seeming reasonable and sensible" + }, + "cavity": { + "CHS": "洞, 空穴", + "ENG": "a hole or space inside something" + }, + "primate": { + "CHS": "灵长类(动物)", + "ENG": "a member of the group of animals that includes humans and monkeys" + }, + "tribal": { + "CHS": "部落的,种族的", + "ENG": "relating to a tribe or tribes" + }, + "storytelling": { + "CHS": "说书, 讲故事", + "ENG": "Storytelling is the activity of telling or writing stories" + }, + "oven": { + "CHS": "烤箱", + "ENG": "a piece of equipment that food is cooked inside, shaped like a metal box with a door on the front" + }, + "district": { + "CHS": "区域,行政区", + "ENG": "an area of a town or the countryside, especially one with particular features" + }, + "wait": { + "CHS": "等待", + "ENG": "to stay somewhere or not do something until something else happens, someone arrives etc" + }, + "stationary": { + "CHS": "固定的,静止不动的", + "ENG": "standing still instead of moving" + }, + "measurement": { + "CHS": "测量法,度量,", + "ENG": "the act of measuring something" + }, + "pleasure": { + "CHS": "愉快,乐趣", + "ENG": "the feeling of happiness, enjoyment, or satisfaction that you get from an experience" + }, + "snowflake": { + "CHS": "雪花", + "ENG": "a small soft flat piece of frozen water that falls as snow" + }, + "swallow": { + "CHS": "吞下,咽下", + "ENG": "to make food or drink go down your throat and towards your stomach" + }, + "insufficient": { + "CHS": "不足的", + "ENG": "not enough, or not great enough" + }, + "imagination": { + "CHS": "想象(力)", + "ENG": "the ability to form pictures or ideas in your mind" + }, + "telephone": { + "CHS": "电话", + "ENG": "the system of communication that you use to have a conversation with someone in another place" + }, + "pterosaur": { + "CHS": "翼龙", + "ENG": "any extinct flying reptile of the order Pterosauria, of Jurassic and Cretaceous times: included the pterodactyls " + }, + "fifteen": { + "CHS": "十五", + "ENG": "the number 15" + }, + "bay": { + "CHS": "海湾", + "ENG": "a part of the sea that is partly enclosed by a curve in the land" + }, + "squeeze": { + "CHS": "压榨, 挤", + "ENG": "to press something firmly together with your fingers or hand" + }, + "realist": { + "CHS": "现实主义者", + "ENG": "someone who accepts that things are not always perfect, and deals with problems or difficult situations in a practical way" + }, + "pack": { + "CHS": "包", + "ENG": "something wrapped in paper or packed in a box and then sent by post or taken somewhere" + }, + "populate": { + "CHS": "构成人口, 居住于", + "ENG": "if an area is populated by a particular group of people, they live there" + }, + "gallery": { + "CHS": "走廊,画廊", + "ENG": "a small privately owned shop or studio where you can see and buy pieces of art" + }, + "defend": { + "CHS": "防护, 辩护", + "ENG": "to use arguments to protect something or someone from criticism, or to prove that something is right" + }, + "porous": { + "CHS": "多孔渗水的", + "ENG": "allowing liquid, air etc to pass slowly through many very small holes" + }, + "dot": { + "CHS": "点 vt打点于,点缀", + "ENG": "a small round mark or spot" + }, + "disturb": { + "CHS": "打扰,弄乱", + "ENG": "to interrupt someone so that they cannot continue what they are doing" + }, + "harbor": { + "CHS": "海港" + }, + "tract": { + "CHS": "传单,小册子,大片(土地或森林)", + "ENG": "a large area of land" + }, + "merely": { + "CHS": "仅仅, 只, 不过", + "ENG": "used to emphasize how small or unimportant something or someone is" + }, + "protein": { + "CHS": "蛋白质", + "ENG": "one of several natural substances that exist in food such as meat, eggs, and beans, and which your body needs in order to grow and remain strong and healthy" + }, + "inexpensive": { + "CHS": "廉价的,便宜的", + "ENG": "cheap – use this to show approval" + }, + "equatorial": { + "CHS": "(近)赤道的", + "ENG": "near the equator" + }, + "tiredness": { + "CHS": "疲劳,疲倦" + }, + "hollow": { + "CHS": "挖空,弄凹" + }, + "slip": { + "CHS": "滑倒,滑动", + "ENG": "to slide a short distance accidentally, and fall or lose your balance slightly" + }, + "illuminate": { + "CHS": "照明,阐释, 说明", + "ENG": "to make a light shine on something, or to fill a place with light" + }, + "influential": { + "CHS": "有影响的, 有势力的", + "ENG": "having a lot of influence and therefore changing the way people think and behave" + }, + "spear": { + "CHS": "矛, 枪", + "ENG": "a pole with a sharp pointed blade at one end, used as a weapon in the past" + }, + "behave": { + "CHS": "表现,行为, 举止", + "ENG": "to do things that are good, bad, sensible etc" + }, + "equip": { + "CHS": "装备, 配备", + "ENG": "to provide a person or place with the things that are needed for a particular kind of activity or work" + }, + "fourth": { + "CHS": "第四个" + }, + "everyday": { + "CHS": "每天的,日常的", + "ENG": "ordinary, usual, or happening every day" + }, + "realistic": { + "CHS": "现实(主义)的", + "ENG": "judging and dealing with situations in a practical way according to what is actually possible rather than what you would like to happen" + }, + "review": { + "CHS": "回顾,复习,评论", + "ENG": "an article in a newspaper or magazine that gives an opinion about a new book, play, film etc" + }, + "iodine": { + "CHS": "碘, 碘酒", + "ENG": "a dark blue chemical substance that is used on wounds to prevent infection. It is a chemical element :symbol I" + }, + "hypothalamus": { + "CHS": "[解剖]视丘下部", + "ENG": "The hypothalamus is the part of the brain that controls functions such as hunger and thirst" + }, + "tablet": { + "CHS": "药片", + "ENG": "a small round hard piece of medicine which you swallow" + }, + "songbird": { + "CHS": "鸣禽,鸣鸟", + "ENG": "a bird that can make musical sounds" + }, + "aside": { + "CHS": "在旁边,到旁边", + "ENG": "moved to one side or away from you" + }, + "illusion": { + "CHS": "幻想", + "ENG": "an idea or opinion that is wrong, especially about yourself" + }, + "cliff": { + "CHS": "悬崖, 绝壁", + "ENG": "a large area of rock or a mountain with a very steep side, often at the edge of the sea or a river" + }, + "else": { + "CHS": "别的,其他的 ad另外", + "ENG": "You use else after words such as \"anywhere,\" \"someone,\" and \"what\" to refer in a vague way to another person, place, or thing" + }, + "interplay": { + "CHS": "相互影响", + "ENG": "the way in which two people or things affect each other" + }, + "topi": { + "CHS": "遮阳帽,[动]转角牛羚" + }, + "stiff": { + "CHS": "(僵)硬的;生硬的", + "ENG": "firm, hard, or difficult to bend" + }, + "cow": { + "CHS": "母牛", + "ENG": "a large female animal that is kept on farms and used to produce milk or meat" + }, + "terminal": { + "CHS": "终点(站),终端", + "ENG": "a big building where people wait to get onto planes, buses, or ships, or where goods are loaded" + }, + "herd": { + "CHS": "使集中,把…赶在一起", + "ENG": "to bring people together in a large group, especially roughly" + }, + "ceremonial": { + "CHS": "正式的", + "ENG": "used in a ceremony or done as part of a ceremony" + }, + "piston": { + "CHS": "活塞", + "ENG": "a part of an engine consisting of a short solid piece of metal inside a tube, which moves up and down to make the other parts of the engine move" + }, + "tolerate": { + "CHS": "忍受,容忍", + "ENG": "to allow people to do, say, or believe something without criticizing or punishing them" + }, + "virtue": { + "CHS": "美德, 贞操", + "ENG": "moral goodness of character and behaviour" + }, + "icebox": { + "CHS": "冷藏库" + }, + "roost": { + "CHS": "栖息鸟巢", + "ENG": "a place where birds rest and sleep" + }, + "tropic": { + "CHS": "热带的" + }, + "nestle": { + "CHS": "依偎,(舒适地)安顿", + "ENG": "to move into a comfortable position, pressing your head or body against someone or against something soft" + }, + "tactic": { + "CHS": "策略, 战略" + }, + "contaminate": { + "CHS": "弄脏, 污染", + "ENG": "to make a place or substance dirty or harmful by putting something such as chemicals or poison in it" + }, + "Japanese": { + "CHS": "日本人(的), 日语(的)", + "ENG": "people from Japan" + }, + "cap": { + "CHS": "帽子,盖 vt覆盖,胜过", + "ENG": "a contraceptive made of a round piece of rubber that a woman puts inside her vagina " + }, + "carver": { + "CHS": "雕刻匠", + "ENG": "someone who carves wood or stone" + }, + "accomplish": { + "CHS": "完成,实现", + "ENG": "to succeed in doing something, especially after trying very hard" + }, + "properly": { + "CHS": "适当地;正确地", + "ENG": "correctly, or in a way that is considered right" + }, + "kohoutek": { + "CHS": "[天]科胡特克彗星", + "ENG": "a comet of almost parabolic orbit that reached its closest approach to the sun in Dec 1973 " + }, + "mere": { + "CHS": "仅仅的,起码的" + }, + "immune": { + "CHS": "免疫的", + "ENG": "someone who is immune to a particular disease cannot catch it" + }, + "gill": { + "CHS": "鳃,及耳[液量单位]", + "ENG": "one of the organs on the sides of a fish through which it breathes" + }, + "disagreement": { + "CHS": "不一致;争论", + "ENG": "a situation in which people express different opinions about something and sometimes argue" + }, + "entrepreneur": { + "CHS": "企业家, 主办人", + "ENG": "someone who starts a new business or arranges business deals in order to make money, often in a way that involves financial risks" + }, + "ingredient": { + "CHS": "成分, 因素", + "ENG": "one of the foods that you use to make a particular food or dish" + }, + "prominent": { + "CHS": "显著的,杰出的, 突出的", + "ENG": "important" + }, + "exploration": { + "CHS": "探险, 探测", + "ENG": "the act of travelling through a place in order to find out about it or find something such as oil or gold in it" + }, + "fashion": { + "CHS": "形成,塑造", + "ENG": "to shape or make something, using your hands or only a few tools" + }, + "alarm": { + "CHS": "警报 vt恐吓, 警告", + "ENG": "a piece of equipment that makes a loud noise to warn you of danger" + }, + "husband": { + "CHS": "丈夫", + "ENG": "the man that a woman is married to" + }, + "proceed": { + "CHS": "进行,继续下去", + "ENG": "to continue to do something that has already been planned or started" + }, + "feat": { + "CHS": "功绩,伟业", + "ENG": "something that is an impressive achievement, because it needs a lot of skill, strength etc to do" + }, + "angle": { + "CHS": "[数]角,角落", + "ENG": "the space between two straight lines or surfaces that join each other, measured in degrees" + }, + "coordinate": { + "CHS": "调节,协调", + "ENG": "to organize an activity so that the people involved in it work well together and achieve a good result" + }, + "substitute": { + "CHS": "代替,替换", + "ENG": "to use something new or diffe-rent instead of something else" + }, + "meaningful": { + "CHS": "意味深长的", + "ENG": "a look that clearly expresses the way someone feels, even though nothing is said" + }, + "agrarian": { + "CHS": "有关土地的, 耕地的", + "ENG": "Agrarian means relating to the ownership and use of land, especially farmland, or relating to the part of a society or economy that is concerned with agriculture" + }, + "message": { + "CHS": "消息,信息", + "ENG": "a spoken or written piece of information that you send to another person or leave for them" + }, + "margin": { + "CHS": "边缘,余地,页边空白", + "ENG": "the empty space at the side of a page" + }, + "airplane": { + "CHS": "飞机", + "ENG": "a vehicle that flies through the air and has one or more engines" + }, + "utility": { + "CHS": "效用,公用", + "ENG": "a service such as gas or electricity provided for people to use" + }, + "warn": { + "CHS": "警告,告诫", + "ENG": "to tell someone that something bad or dangerous may happen, so that they can avoid it or prevent it" + }, + "motive": { + "CHS": "动机,目的", + "ENG": "the reason that makes someone do something, especially when this reason is kept hidden" + }, + "letter": { + "CHS": "信,函件,字母", + "ENG": "a written or printed message that is usually put in an envelope and sent by mail" + }, + "contrary": { + "CHS": "反面, 相反", + "ENG": "used to add to a negative statement, to disagree with a negative statement by someone else, or to answer no to a question" + }, + "canoes": { + "CHS": "独木舟", + "ENG": "A canoe is a small, narrow boat that you move through the water using a stick with a wide end called a paddle" + }, + "adequate": { + "CHS": "足够的,适当的", + "ENG": "enough in quantity or of a good enough quality for a particular purpose" + }, + "starling": { + "CHS": "欧掠鸟", + "ENG": "a common bird with shiny black feathers that lives especially in cities" + }, + "correspond": { + "CHS": "符合,相当", + "ENG": "if two things or ideas correspond, the parts or information in one relate to the parts or information in the other" + }, + "fifteenth": { + "CHS": "第十五" + }, + "invade": { + "CHS": "侵略", + "ENG": "to enter a country, town, or area using military force, in order to take control of it" + }, + "sensitive": { + "CHS": "敏感的,灵敏的", + "ENG": "easily upset or offended by events or things that people say" + }, + "humidity": { + "CHS": "湿气,潮湿", + "ENG": "the amount of water contained in the air" + }, + "additive": { + "CHS": "添加剂", + "ENG": "a substance that is added to food to improve its taste, appearance etc" + }, + "hope": { + "CHS": "希望,信心", + "ENG": "to want something to happen or be true and to believe that it is possible or likely" + }, + "peripheral": { + "CHS": "外围的,不重要的", + "ENG": "in the outer area of something, or relating to this area" + }, + "Egypt": { + "CHS": "埃及" + }, + "steadily": { + "CHS": "稳定地,坚定地" + }, + "odor": { + "CHS": "气味" + }, + "deprive": { + "CHS": "剥夺,使丧失", + "ENG": "If you deprive someone of something that they want or need, you take it away from them, or you prevent them from having it" + }, + "shoot": { + "CHS": "发射, 开枪", + "ENG": "to make a bullet or arrow come from a weapon" + }, + "conquer": { + "CHS": "征服, 战胜", + "ENG": "to get control of a country by fighting" + }, + "loyalty": { + "CHS": "忠诚", + "ENG": "the quality of remaining faithful to your friends, principles, country etc" + }, + "unexpected": { + "CHS": "想不到的,意外的", + "ENG": "used to describe something that is surprising because you were not expecting it" + }, + "eagle": { + "CHS": "鹰", + "ENG": "a very large strong bird with a beak like a hook that eats small animals, birds etc" + }, + "exchanger": { + "CHS": "交换器, 换热器", + "ENG": "a person or thing that exchanges " + }, + "strictly": { + "CHS": "严格地", + "ENG": "in a way that must be obeyed" + }, + "psychodynamic": { + "CHS": "精神动力的" + }, + "lighthouse": { + "CHS": "灯塔", + "ENG": "a tower with a powerful flashing light that guides ships away from danger" + }, + "chart": { + "CHS": "图表 vt制图", + "ENG": "information that is clearly arranged in the form of a simple picture, set of figures, graph etc, or a piece of paper with this information on it" + }, + "palm": { + "CHS": "手掌,掌状物", + "ENG": "the inside surface of your hand, in which you hold things" + }, + "innovative": { + "CHS": "创新的, 革新的", + "ENG": "an innovative idea or way of doing something is new, different, and better than those that existed before" + }, + "impose": { + "CHS": "强加,征收(税款)", + "ENG": "to force someone to have the same ideas, beliefs etc as you" + }, + "underlie": { + "CHS": "位于之下, 成为的基础", + "ENG": "to be the cause of something, or be the basic thing from which something develops" + }, + "enemy": { + "CHS": "敌人", + "ENG": "someone who hates you and wants to harm you" + }, + "expectation": { + "CHS": "期待,预料", + "ENG": "what you think or hope will happen" + }, + "farmland": { + "CHS": "农田", + "ENG": "land used for farming" + }, + "disperse": { + "CHS": "分散, 疏散", + "ENG": "if a group of people disperse or are dispersed, they go away in different directions" + }, + "relic": { + "CHS": "遗物, 废墟", + "ENG": "an old object or custom that reminds people of the past or that has lived on from a past time" + }, + "pile": { + "CHS": "一堆,一叠 v堆积", + "ENG": "a group of several things of the same type that are put on top of each other" + }, + "smell": { + "CHS": "气味v嗅, 闻到", + "ENG": "the quality that people and animals recognize by using their nose" + }, + "management": { + "CHS": "经营,管理,处理", + "ENG": "the activity of controlling and organizing the work that a company or organization does" + }, + "gallium": { + "CHS": "镓", + "ENG": "a silvery metallic element that is liquid for a wide temperature range. It occurs in trace amounts in some ores and is used in high-temperature thermometers and low-melting alloys. Gallium arsenide is a semiconductor. Symbol: Ga; atomic no: 31; atomic wt: 69.723; valency: 2 or 3; relative density: 5.904; melting pt: 29.77°C; boiling pt: 2205°C " + }, + "lion": { + "CHS": "狮子", + "ENG": "a large animal of the cat family that lives in Africa and parts of southern Asia. Lions have gold-coloured fur and the male has a mane(= long hair around its neck )." + }, + "suspend": { + "CHS": "暂停,悬,挂", + "ENG": "to officially stop something from continuing, especially for a short time" + }, + "camera": { + "CHS": "照相机", + "ENG": "a piece of equipment used to take photographs or make films or television programmes" + }, + "ion": { + "CHS": "离子", + "ENG": "an atom which has been given a positive or negative force by adding or taking away an electron " + }, + "ink": { + "CHS": "墨水", + "ENG": "a coloured liquid that you use for writing, printing or drawing" + }, + "eggshell": { + "CHS": "蛋壳, 易碎的东西", + "ENG": "the hard outside part of a bird’s egg" + }, + "invader": { + "CHS": "侵略者", + "ENG": "a soldier or a group of soldiers that enters a country or town by force in order to take control of it" + }, + "interview": { + "CHS": "接见,会见;面谈", + "ENG": "a formal meeting at which someone is asked questions in order to find out whether they are suitable for a job, course of study etc" + }, + "pigment": { + "CHS": "天然色素,颜料", + "ENG": "a natural substance that makes skin, hair, plants etc a particular colour" + }, + "hire": { + "CHS": "/n租用,雇用", + "ENG": "to pay money to borrow something for a short period of time" + }, + "finger": { + "CHS": "手指 v用手指拨弄", + "ENG": "one of the four long thin parts on your hand, not including your thumb" + }, + "silversmith": { + "CHS": "银器匠", + "ENG": "someone who makes jewellery and other things out of silver" + }, + "poet": { + "CHS": "诗人", + "ENG": "someone who writes poems" + }, + "biome": { + "CHS": "(生态)生物群系", + "ENG": "a type of environment that is described according to the typical weather conditions and plants that exist there" + }, + "darkness": { + "CHS": "黑暗,漆黑", + "ENG": "when there is no light" + }, + "mount": { + "CHS": "登上 n山,峰", + "ENG": "If you mount the stairs or a platform, you go up the stairs or go up onto the platform" + }, + "sodium": { + "CHS": "[化] 钠", + "ENG": "Sodium is a silvery white chemical element which combines with other chemicals. Salt is a sodium compound. " + }, + "ready": { + "CHS": "有准备的", + "ENG": "if you are ready, you are prepared for what you are going to do" + }, + "Hispanic": { + "CHS": "西班牙的", + "ENG": "from or relating to countries where Spanish or Portuguese are spoken, especially ones in Latin America" + }, + "instinct": { + "CHS": "本能", + "ENG": "a natural tendency to behave in a particular way or a natural ability to know something, which is not learned" + }, + "reformer": { + "CHS": "改革家, 改革运动者", + "ENG": "someone who works to improve a social or political system" + }, + "minimize": { + "CHS": "将减到最少", + "ENG": "to make a document or program on your computer very small when you are not using it but still want to keep it open" + }, + "Mississippian": { + "CHS": "密西西比河的 n密西西比州人" + }, + "browse": { + "CHS": "浏览, 放牧", + "ENG": "to look through the pages of a book, magazine etc without a particular purpose, just looking at the most interesting parts" + }, + "southwest": { + "CHS": "西南方(的)", + "ENG": "the direction that is exactly between south and west" + }, + "convex": { + "CHS": "凸出的", + "ENG": "curved outwards, like the surface of the eye" + }, + "magma": { + "CHS": "岩浆, 糊剂", + "ENG": "hot melted rock below the surface of the Earth" + }, + "intention": { + "CHS": "意图, 目的", + "ENG": "a plan or desire to do something" + }, + "wash": { + "CHS": "洗,洗涤", + "ENG": "to clean something using water and a type of soap" + }, + "trader": { + "CHS": "商人", + "ENG": "someone who buys and sells goods or stocks " + }, + "injury": { + "CHS": "伤害,侮辱", + "ENG": "a wound or damage to part of your body caused by an accident or attack" + }, + "sight": { + "CHS": "视力, 视域", + "ENG": "the physical ability to see" + }, + "meeting": { + "CHS": "会议", + "ENG": "an event at which people meet to discuss and decide things" + }, + "fault": { + "CHS": "挑剔,弄错", + "ENG": "to criticize someone or something for a mistake" + }, + "address": { + "CHS": "地址,演说 vt写地址,演说", + "ENG": "a formal speech that someone makes to a group of people" + }, + "saturate": { + "CHS": "使湿透,饱和", + "ENG": "to make something very wet" + }, + "terrace": { + "CHS": "使成梯形地" + }, + "secret": { + "CHS": "秘密(的)", + "ENG": "something that is kept hidden or that is known about by only a few people" + }, + "swamp": { + "CHS": "沼泽,湿地", + "ENG": "land that is always very wet or covered with a layer of water" + }, + "inclusion": { + "CHS": "包含", + "ENG": "the act of including someone or something in a larger group or set, or the fact of being included in one" + }, + "navigation": { + "CHS": "航海,航行", + "ENG": "the science or job of planning which way you need to go when you are travelling from one place to another" + }, + "sheer": { + "CHS": "十足的,陡峭的" + }, + "cadmium": { + "CHS": "[化]镉", + "ENG": "a soft poisonous metal that is used in batteries and in the protective shield s in nuclear reactor s . It is a chemical element : symbol Cd" + }, + "banker": { + "CHS": "银行家", + "ENG": "someone who works in a bank in an important position" + }, + "designate": { + "CHS": "指明,指定", + "ENG": "to choose someone or something for a particular job or purpose" + }, + "abstract": { + "CHS": "摘要,抽象", + "ENG": "a painting, design etc which contains shapes or images that do not look like real things or people" + }, + "assessment": { + "CHS": "估计;评估", + "ENG": "a process in which you make a judgment about a person or situation, or the judgment you make" + }, + "dominance": { + "CHS": "支配,优势", + "ENG": "the fact of being more powerful, more important, or more noticeable than other people or things" + }, + "anger": { + "CHS": "恼火" + }, + "drum": { + "CHS": "鼓", + "ENG": "a musical instrument made of skin stretched over a circular frame, played by hitting it with your hand or a stick" + }, + "horticulture": { + "CHS": "园艺", + "ENG": "the practice or science of growing flowers, fruit, and vegetables" + }, + "compress": { + "CHS": "压缩,摘要叙述", + "ENG": "to press something or make it smaller so that it takes up less space, or to become smaller" + }, + "constitution": { + "CHS": "宪法,章程", + "ENG": "a set of basic laws and principles that a country or organization is governed by" + }, + "cone": { + "CHS": "圆锥体;", + "ENG": "a solid or hollow shape that is round at one end, has sloping sides, and has a point at the other end, or something with this shape" + }, + "fade": { + "CHS": "褪去,褪色", + "ENG": "to lose colour and brightness, or to make something do this" + }, + "lifestyle": { + "CHS": "生活方式", + "ENG": "the way a person or group of people live, including the place they live in, the things they own, the kind of job they do, and the activities they enjoy" + }, + "patent": { + "CHS": "专利(权)(的)", + "ENG": "a special document that gives you the right to make or sell a new invention or product that no one else is allowed to copy" + }, + "invest": { + "CHS": "投资,投入", + "ENG": "to buy shares, property, or goods because you hope that the value will increase and you can make a profit" + }, + "lord": { + "CHS": "封建领主,君主", + "ENG": "a man in medieval Europe who was very powerful and owned a lot of land" + }, + "debt": { + "CHS": "债务", + "ENG": "a sum of money that a person or organization owes" + }, + "dispersal": { + "CHS": "散布,传播,分散", + "ENG": "the process of spreading things over a wide area or in different directions" + }, + "residential": { + "CHS": "住宅的, 居住的", + "ENG": "a residential part of a town consists of private houses, with no offices or factories" + }, + "Indiana": { + "CHS": "印地安那州" + }, + "mild": { + "CHS": "温和的, 轻微的,适度的", + "ENG": "fairly warm" + }, + "tectonic": { + "CHS": "构造的, 建筑的", + "ENG": "relating to plate tectonics " + }, + "firn": { + "CHS": "粒雪, 积雪" + }, + "adulthood": { + "CHS": "成人期", + "ENG": "the time when you are an adult" + }, + "consciously": { + "CHS": "有意识地, 自觉地" + }, + "advocate": { + "CHS": "提倡,鼓吹", + "ENG": "to publicly support a particular way of doing something" + }, + "sixteen": { + "CHS": "十六", + "ENG": "the number" + }, + "supernatural": { + "CHS": "超自然(的), 神奇(的)", + "ENG": "events, powers, and creatures that cannot be explained, and seem to involve gods or magic" + }, + "nomadism": { + "CHS": "游牧,流浪" + }, + "catastrophe": { + "CHS": "大灾难", + "ENG": "a terrible event in which there is a lot of destruction, suffering, or death" + }, + "selenium": { + "CHS": "[化]硒", + "ENG": "a poisonous chemical substance, used in electrical instruments to make them sensitive to light. It is a chemical element : symbol Se" + }, + "poem": { + "CHS": "诗", + "ENG": "a piece of writing that expresses emotions, experiences, and ideas, especially in short lines using words that rhyme (= end with the same sound ) " + }, + "ballet": { + "CHS": "芭蕾(舞)", + "ENG": "a performance in which dancing and music tell a story without any speaking" + }, + "unhappy": { + "CHS": "不幸的, 不快乐的", + "ENG": "not happy" + }, + "Bantu": { + "CHS": "班图人, 班图语" + }, + "ratio": { + "CHS": "比, 比率", + "ENG": "a relationship between two amounts, represented by a pair of numbers showing how much bigger one amount is than the other" + }, + "noise": { + "CHS": "喧闹声, 噪声", + "ENG": "a sound, especially one that is loud, unpleasant, or frightening" + }, + "inadequate": { + "CHS": "不充分的,不适当的", + "ENG": "not good enough, big enough, skilled enough etc for a particular purpose" + }, + "strategy": { + "CHS": "策略", + "ENG": "a planned series of actions for achieving something" + }, + "geothermal": { + "CHS": "地热的", + "ENG": "relating to or coming from the heat inside the Earth" + }, + "reclaim": { + "CHS": "要回,开垦,回收", + "ENG": "to get back an amount of money that you have paid" + }, + "restoration": { + "CHS": "恢复, 归还", + "ENG": "the act of bringing back a law, tax, or system of government" + }, + "eddy": { + "CHS": "旋转,漩涡", + "ENG": "a circular movement of water, wind, dust etc" + }, + "wherever": { + "CHS": "无论什么地方", + "ENG": "to or at any place, position, or situation" + }, + "legislation": { + "CHS": "立法,法律的制定(或通过)", + "ENG": "a law or set of laws" + }, + "welfare": { + "CHS": "福利", + "ENG": "someone’s welfare is their health and happiness" + }, + "telecommuting": { + "CHS": "远程联机, 远程办公", + "ENG": "Telecommuting is working from home using equipment such as telephones, fax machines, and modems to contact people" + }, + "crowd": { + "CHS": "人群 v拥挤", + "ENG": "a large group of people who have gathered together to do something, for example to watch something or protest about something" + }, + "presumably": { + "CHS": "大概,可能,据推测", + "ENG": "used to say that you think something is probably true" + }, + "metabolism": { + "CHS": "新陈代谢", + "ENG": "the chemical processes by which food is changed into energy in your body" + }, + "transplant": { + "CHS": "移栽,移植 n(器官)移植", + "ENG": "to move an organ, piece of skin etc from one person’s body and put it into another as a form of medical treatment" + }, + "repress": { + "CHS": "抑制,镇压", + "ENG": "if someone represses upsetting feelings, memories etc, they do not allow themselves to express or think about them" + }, + "subway": { + "CHS": "地铁, 地下通道", + "ENG": "a railway system that runs under the ground below a big city" + }, + "geographical": { + "CHS": "地理(学)的", + "ENG": "relating to the place in an area, country etc where something or someone is" + }, + "pride": { + "CHS": "自豪", + "ENG": "a feeling that you are proud of something that you or someone connected with you has achieved" + }, + "refrigerator": { + "CHS": "电冰箱", + "ENG": "a large piece of electrical kitchen equipment, shaped like a cupboard, used for keeping food and drink cool" + }, + "fir": { + "CHS": "[植]冷杉", + "ENG": "a tree with leaves shaped like needles that do not fall off in winter" + }, + "reserve": { + "CHS": "储备,保留", + "ENG": "to keep something so that it can be used by a particular person or for a particular purpose" + }, + "court": { + "CHS": "法庭,庭院", + "ENG": "the place where a trial is held, or the people there, especially the judge and the jury who examine the evidence and decide whether someone is guilty or not guilty" + }, + "superorganism": { + "CHS": "[生]超个体(指群居昆虫等的群体)" + }, + "calculation": { + "CHS": "计算,考虑", + "ENG": "A calculation is something that you think about and work out mathematically. Calculation is the process of working something out mathematically. " + }, + "rational": { + "CHS": "理性的,合理的", + "ENG": "rational thoughts, decisions etc are based on reasons rather than emotions" + }, + "criterion": { + "CHS": "标准", + "ENG": "a standard that you use to judge something or make a decision about something" + }, + "linen": { + "CHS": "亚麻布(制品)", + "ENG": "cloth made from the flax plant, used to make high quality clothes, home decorations etc" + }, + "Harlem": { + "CHS": "(纽约的)黑人住宅区" + }, + "orleans": { + "CHS": "奥尔良[法国]" + }, + "orientation": { + "CHS": "方向,目标", + "ENG": "the type of activity or subject that a person or organization seems most interested in and gives most attention to" + }, + "foster": { + "CHS": "收养;培养,促进", + "ENG": "to help a skill, feeling, idea etc develop over a period of time" + }, + "inevitable": { + "CHS": "不可避免的, 必然的", + "ENG": "certain to happen and impossible to avoid" + }, + "controversial": { + "CHS": "有争议的,引起争论的", + "ENG": "causing a lot of disagreement, because many people have strong opinions about the subject being discussed" + }, + "dream": { + "CHS": "做梦 n梦,梦想", + "ENG": "to think about something that you would like to happen or have" + }, + "geographic": { + "CHS": "地理(学)的" + }, + "projector": { + "CHS": "放映机", + "ENG": "a piece of equipment that makes a film or picture appear on a screen or flat surface" + }, + "peepshow": { + "CHS": "西洋镜", + "ENG": "a box containing moving pictures that you look at through a small hole" + }, + "anemone": { + "CHS": "[植]银莲花, [动]海葵", + "ENG": "a plant with red, white, or blue flowers" + }, + "handedness": { + "CHS": "用右手或左手的习惯", + "ENG": "the tendency to use one hand more skilfully or in preference to the other " + }, + "harmony": { + "CHS": "协调,融洽", + "ENG": "when people live or work together without fighting or disagreeing with each other" + }, + "nut": { + "CHS": "坚果", + "ENG": "a dry brown fruit inside a hard shell, that grows on a tree" + }, + "billfish": { + "CHS": "长嘴鱼,尖嘴鱼", + "ENG": "any of various fishes having elongated jaws, esp any fish of the family Istiophoridae, such as the spearfish and marlin " + }, + "identical": { + "CHS": "同一的,相同的", + "ENG": "exactly the same, or very similar" + }, + "mutual": { + "CHS": "相互的,共有的", + "ENG": "mutual feelings such as respect, trust, or hatred are feelings that two or more people have for each other" + }, + "regularity": { + "CHS": "规律性,规则性", + "ENG": "when the same thing keeps happening often, especially with the same amount of time between each occasion when it happens" + }, + "realization": { + "CHS": "实现", + "ENG": "when you achieve something that you had planned or hoped for" + }, + "plow": { + "CHS": "耕, 犁" + }, + "minimum": { + "CHS": "最小值,", + "ENG": "the smallest amount of something or number of things that is possible or necessary" + }, + "truly": { + "CHS": "真正地;忠实地", + "ENG": "used to emphasize that the way you are describing something is really true" + }, + "figurine": { + "CHS": "小雕像", + "ENG": "a small model of a person or animal used as a decoration" + }, + "polygon": { + "CHS": "[数]多角形,多边形", + "ENG": "a flat shape with three or more sides" + }, + "hypothesize": { + "CHS": "假设,猜测", + "ENG": "to suggest a possible explanation that has not yet been proved to be true" + }, + "depletion": { + "CHS": "损耗" + }, + "request": { + "CHS": "请求, 要求", + "ENG": "to ask for something in a polite or formal way" + }, + "conservation": { + "CHS": "保存,保持", + "ENG": "the protection of natural things such as animals, plants, forests etc, to prevent them from being spoiled or destroyed" + }, + "ammonia": { + "CHS": "[化]氨, 氨水", + "ENG": "a clear liquid with a strong bad smell that is used for cleaning or in cleaning products" + }, + "beringia": { + "CHS": "白令海和楚可奇海海域" + }, + "violent": { + "CHS": "猛烈的,暴力的", + "ENG": "involving actions that are intended to injure or kill people, by hitting them, shooting them etc" + }, + "arrival": { + "CHS": "到来, 到达", + "ENG": "when someone or something arrives somewhere" + }, + "sedimentation": { + "CHS": "沉淀,沉降", + "ENG": "the natural process by which small pieces of rock, earth etc settle at the bottom of the sea etc and form a solid layer" + }, + "rectangular": { + "CHS": "长方形的,矩形的", + "ENG": "having the shape of a rectangle" + }, + "agency": { + "CHS": "代理处, 中介", + "ENG": "a business that provides a particular service for people or organizations" + }, + "questionnaire": { + "CHS": "调查表, 问卷", + "ENG": "a written set of questions which you give to a large number of people in order to collect information" + }, + "temple": { + "CHS": "庙, 寺", + "ENG": "a building where people go to worship , in the Jewish, Hindu, Buddhist, Sikh, and Mormon religions" + }, + "remote": { + "CHS": "遥远的, 偏僻的", + "ENG": "far from towns or other places where people live" + }, + "asphalt": { + "CHS": "沥青", + "ENG": "a black sticky substance that becomes hard when it dries, used for making the surface of roads" + }, + "evergreen": { + "CHS": "常绿的", + "ENG": "an evergreen tree or bush does not lose its leaves in winter" + }, + "lizard": { + "CHS": "[动]蜥蜴", + "ENG": "a type of reptile that has four legs and a long tail" + }, + "ornament": { + "CHS": "装饰(品),美化", + "ENG": "a small object that you keep in your house because it is beautiful rather than useful" + }, + "parental": { + "CHS": "父母的", + "ENG": "relating to being a parent and especially to being responsible for a child’s safety and development" + }, + "illumination": { + "CHS": "阐明, 启发", + "ENG": "a clear explanation or understanding of a particular subject" + }, + "healthy": { + "CHS": "健康的", + "ENG": "physically strong and not likely to become ill or weak" + }, + "simplify": { + "CHS": "单一化,简单化", + "ENG": "to make something easier or less complicated" + }, + "equator": { + "CHS": "赤道", + "ENG": "an imaginary line drawn around the middle of the Earth that is exactly the same distance from the North Pole and the South Pole" + }, + "advertiser": { + "CHS": "登广告者,广告客户", + "ENG": "a person or company that advertises something" + }, + "persian": { + "CHS": "波斯人[语]", + "ENG": "Persians were the people who came from the ancient kingdom of Persia" + }, + "neonate": { + "CHS": "初生婴儿", + "ENG": "a newborn child, esp in the first week of life and up to four weeks old " + }, + "genius": { + "CHS": "天才, 天赋", + "ENG": "a very high level of intelligence, mental skill, or ability, which only a few people have" + }, + "caterpillar": { + "CHS": "毛虫", + "ENG": "a small creature like a worm with many legs that eats leaves and that develops into a butterfly or other flying insect" + }, + "drainage": { + "CHS": "排水系统,下水道", + "ENG": "the process or system by which water or waste liquid flows away" + }, + "criticism": { + "CHS": "批评, 批判", + "ENG": "remarks that say what you think is bad about someone or something" + }, + "impress": { + "CHS": "印,留下印象", + "ENG": "to make someone feel admiration and respect" + }, + "smile": { + "CHS": "微笑", + "ENG": "to make your mouth curve upwards, in order to be friendly or because you are happy or amused" + }, + "silk": { + "CHS": "丝绸", + "ENG": "a thin smooth soft cloth made from very thin thread which is produced by a silkworm" + }, + "friction": { + "CHS": "摩擦,摩擦力", + "ENG": "disagreement, angry feelings, or unfriendliness between people" + }, + "excess": { + "CHS": "过量(的)", + "ENG": "a larger amount of something than is allowed or needed" + }, + "zinc": { + "CHS": "锌", + "ENG": "a blue-white metal that is used to make brass and to cover and protect objects made of iron. It is a chemical element: symbol Zn" + }, + "vulnerable": { + "CHS": "易受伤的,脆弱的", + "ENG": "someone who is vulnerable can be easily harmed or hurt" + }, + "proposal": { + "CHS": "提议,建议", + "ENG": "a plan or suggestion which is made formally to an official person or group, or the act of making it" + }, + "effectively": { + "CHS": "有效地", + "ENG": "in a way that produces the result that was intended" + }, + "flee": { + "CHS": "逃避,逃跑,消失", + "ENG": "to leave somewhere very quickly, in order to escape from danger" + }, + "wartime": { + "CHS": "战时", + "ENG": "the period of time when a country is fighting a war" + }, + "Euphrates": { + "CHS": "幼发拉底河" + }, + "gypsum": { + "CHS": "石膏,", + "ENG": "a soft white substance that is used to make plaster of paris " + }, + "objective": { + "CHS": "目标,目的a客观的", + "ENG": "something that you are trying hard to achieve, especially in business or politics" + }, + "inspiration": { + "CHS": "灵感", + "ENG": "a good idea about what you should do, write, say etc, especially one which you get suddenly" + }, + "shrine": { + "CHS": "圣地, 神龛", + "ENG": "a place that is connected with a holy event or holy person, and that people visit to pray" + }, + "meltwater": { + "CHS": "冰雪融化成的水", + "ENG": "melted snow or ice " + }, + "sector": { + "CHS": "部分, 部门", + "ENG": "a part of an area of activity, especially of business, trade etc" + }, + "bulb": { + "CHS": "鳞茎,球形物", + "ENG": "a root shaped like a ball that grows into a flower or plant" + }, + "trillion": { + "CHS": "万亿", + "ENG": "the number 1,000,000,000,000" + }, + "isolation": { + "CHS": "隔离,孤立", + "ENG": "when one group, person, or thing is separate from others" + }, + "frontality": { + "CHS": "正面描绘", + "ENG": "a frontal view, as in a painting or other work of art " + }, + "Tasmania": { + "CHS": "塔斯马尼亚岛, 塔斯马尼亚州(澳大利亚州名)" + }, + "Latin": { + "CHS": "拉丁文,拉丁语(的)", + "ENG": "the language used in ancient Rome" + }, + "abroad": { + "CHS": "到国外,在国外", + "ENG": "in or to a foreign country" + }, + "burgess": { + "CHS": "(英国)市民,镇民", + "ENG": "any inhabitant of a borough " + }, + "split": { + "CHS": "分裂;撕裂 n裂口", + "ENG": "if a group of people splits, or if it is split, people in the group disagree strongly with each other and the group sometimes divides into separate smaller groups" + }, + "alternate": { + "CHS": "交替, 轮流", + "ENG": "if two things alternate, or if you alternate them, they happen one after the other in a repeated pattern" + }, + "guarantee": { + "CHS": "保证(书)vt保证, 担保", + "ENG": "a formal promise that something will be done" + }, + "manganese": { + "CHS": "n〈化〉锰", + "ENG": "Manganese is a greyish white metal that is used in making steel" + }, + "ultimately": { + "CHS": "最后,最终", + "ENG": "finally, after everything else has been done or considered" + }, + "strange": { + "CHS": "陌生的,奇怪的", + "ENG": "unusual or surprising, especially in a way that is difficult to explain or understand" + }, + "journey": { + "CHS": "旅行", + "ENG": "an occasion when you travel from one place to another, especially over a long distance" + }, + "igneous": { + "CHS": "(指岩石)火成的, 火的", + "ENG": "igneous rocks are formed from lava(= hot liquid rock )" + }, + "Zealand": { + "CHS": "西兰岛(丹麦最大的岛)" + }, + "gaseous": { + "CHS": "气体的,气态的", + "ENG": "like gas or in the form of gas" + }, + "buck": { + "CHS": "(一)美元;雄鹿(兔)", + "ENG": "A buck is a U.S. or Australian dollar. " + }, + "enrich": { + "CHS": "充实,使富裕", + "ENG": "to improve the quality of something, especially by adding things to it" + }, + "metropolis": { + "CHS": "首都,大城市", + "ENG": "a very large city that is the most important city in a country or area" + }, + "botanical": { + "CHS": "植物(学)的", + "ENG": "relating to plants or the scientific study of plants" + }, + "wife": { + "CHS": "妻子", + "ENG": "the woman that a man is married to" + }, + "urge": { + "CHS": "强烈的欲望", + "ENG": "a strong wish or need" + }, + "lomas": { + "CHS": "洛马斯(阿根廷东部的一城镇)" + }, + "deform": { + "CHS": "(使)变形", + "ENG": "if you deform something, or if it deforms, its usual shape changes so that its usefulness or appearance is spoiled" + }, + "safe": { + "CHS": "保险箱", + "ENG": "a strong metal box or cupboard with special locks where you keep money and valuable things" + }, + "confederacy": { + "CHS": "联盟,邦联", + "ENG": "a confederation" + }, + "spite": { + "CHS": "(in ~ of)不顾,不管", + "ENG": "without being affected or prevented by something" + }, + "fertilize": { + "CHS": "使肥沃;使多产", + "ENG": "To fertilize land means to improve its quality in order to make plants grow well on it, by spreading solid animal waste or a chemical mixture on it" + }, + "withstand": { + "CHS": "抵挡, 经受住", + "ENG": "to defend yourself successfully against people who attack, criticize, or oppose you" + }, + "immense": { + "CHS": "极广大的, 无边的,", + "ENG": "extremely large" + }, + "singer": { + "CHS": "歌手", + "ENG": "someone who sings" + }, + "raft": { + "CHS": "木排(筏),救生圈 v用筏子渡河", + "ENG": "a flat floating structure, usually made of pieces of wood tied together, used as a boat" + }, + "offshore": { + "CHS": "离岸的,近海的" + }, + "hierarchy": { + "CHS": "等级制度", + "ENG": "a system of organization in which people or things are divided into levels of importance" + }, + "commission": { + "CHS": "委员会 vt委任,委托", + "ENG": "a request for an artist, designer, or musician to make a piece of art or music, for which they are paid" + }, + "intend": { + "CHS": "想要, 打算" + }, + "democratic": { + "CHS": "民主的,民主主义的", + "ENG": "controlled by representatives who are elected by the people of a country" + }, + "interlock": { + "CHS": "互锁", + "ENG": "if two or more things interlock, or if they are interlocked, they fit firmly together" + }, + "truth": { + "CHS": "事实,真理", + "ENG": "the true facts about something, rather than what is untrue, imagined, or guessed" + }, + "attachment": { + "CHS": "附件,附加装置", + "ENG": "a part that you can put onto a machine to make it do a particular job" + }, + "closet": { + "CHS": "壁橱,储藏室", + "ENG": "a cupboard built into the wall of a room from the floor to the ceiling" + }, + "insulate": { + "CHS": "使绝缘, 隔离", + "ENG": "to cover or protect something with a material that stops electricity, sound, heat etc from getting in or out" + }, + "mission": { + "CHS": "使命,任务", + "ENG": "an important job that involves travelling somewhere, done by a member of the air force, army etc, or by a spacecraft" + }, + "odd": { + "CHS": "[ pl]机会" + }, + "Illinois": { + "CHS": "伊利诺斯州(美国州名)" + }, + "sieve": { + "CHS": "筛, 过滤", + "ENG": "to put flour or other food through a sieve" + }, + "prosperous": { + "CHS": "繁荣的,兴旺的", + "ENG": "rich and successful" + }, + "alpine": { + "CHS": "高山的, 阿尔卑斯山的", + "ENG": "relating to the Alps (= a mountain range in central Europe ) or to mountains in general" + }, + "monumental": { + "CHS": "纪念碑的,不朽的", + "ENG": "relating to a monument or built as a monument" + }, + "twelve": { + "CHS": "十二", + "ENG": "the number 12" + }, + "payment": { + "CHS": "付款, 报酬, 偿还", + "ENG": "the act of paying for something" + }, + "shed": { + "CHS": "脱落,流出 n棚屋", + "ENG": "to drop something or allow it to fall" + }, + "spectator": { + "CHS": "观众(指比赛或表演)", + "ENG": "someone who is watching an event or game" + }, + "partly": { + "CHS": "在一定程度上,部分地", + "ENG": "to some degree, but not completely" + }, + "thrust": { + "CHS": "要旨", + "ENG": "the main meaning or aim of what someone is saying or doing" + }, + "delay": { + "CHS": "/n耽搁, 延迟", + "ENG": "to wait until a later time to do something" + }, + "don": { + "CHS": "先生,阁下" + }, + "novelty": { + "CHS": "新颖, 新奇事物", + "ENG": "the quality of being new, unusual, and interesting" + }, + "bend": { + "CHS": "弯曲,屈服", + "ENG": "to become curved and no longer flat or straight" + }, + "duration": { + "CHS": "持续时间", + "ENG": "the length of time that something continues" + }, + "everyone": { + "CHS": "每个人", + "ENG": "every person" + }, + "segment": { + "CHS": "段, 节", + "ENG": "a part of something that is different from or affected differently from the whole in some way" + }, + "compaction": { + "CHS": "压紧,紧束之状态" + }, + "carpenter": { + "CHS": "木匠", + "ENG": "someone whose job is making and repairing wooden objects" + }, + "assistant": { + "CHS": "助手, 助教", + "ENG": "someone who helps someone else in their work, especially by doing the less important jobs" + }, + "tape": { + "CHS": "带子, 磁带", + "ENG": "a long thin piece of plastic or cloth used for purposes such as marking out an area of ground or tying things together" + }, + "disaster": { + "CHS": "灾难", + "ENG": "a sudden event such as a flood, storm, or accident which causes great damage or suffering" + }, + "astonish": { + "CHS": "使惊讶", + "ENG": "to surprise someone very much" + }, + "adaptive": { + "CHS": "适合的, 适应的", + "ENG": "Adaptive means having the ability or tendency to adapt to different situations" + }, + "liberal": { + "CHS": "慷慨的", + "ENG": "generous or given in large amounts" + }, + "perfectly": { + "CHS": "理想地;完美地", + "ENG": "completely – used to emphasize what you are saying" + }, + "manage": { + "CHS": "管理,经营,处理", + "ENG": "to direct or control a business or department and the people, equipment, and money involved in it" + }, + "hair": { + "CHS": "头发, 毛发", + "ENG": "the mass of things like fine threads that grows on your head" + }, + "admission": { + "CHS": "允许进入, 承认, 许可", + "ENG": "a statement in which you admit that something is true or that you have done something wrong" + }, + "manufacturer": { + "CHS": "制造业者, 厂商", + "ENG": "a company that makes large quantities of goods" + }, + "census": { + "CHS": "人口普查", + "ENG": "an official process of counting a country’s population and finding out about the people" + }, + "Seattle": { + "CHS": "西雅图" + }, + "altogether": { + "CHS": "完全地, 总而言之" + }, + "spectacular": { + "CHS": "引人入胜的, 壮观的", + "ENG": "very impressive" + }, + "mathematician": { + "CHS": "数学家", + "ENG": "someone who studies or teaches mathematics, or is a specialist in mathematics" + }, + "beam": { + "CHS": "梁, 桁条", + "ENG": "a long heavy piece of wood or metal used in building houses, bridges etc" + }, + "kerosene": { + "CHS": "煤油", + "ENG": "a clear oil that is burnt to provide heat or light" + }, + "buffalo": { + "CHS": "美洲野牛", + "ENG": "an African animal similar to a large cow with long curved horns" + }, + "cosmic": { + "CHS": "宇宙的", + "ENG": "relating to space or the universe" + }, + "underwater": { + "CHS": "在水中生长的", + "ENG": "Underwater is also an adjective" + }, + "superiority": { + "CHS": "优越, 高傲", + "ENG": "the quality of being better, more skilful, more powerful etc than other people or things" + }, + "horizontal": { + "CHS": "地平线的, 水平的", + "ENG": "flat and level" + }, + "eleven": { + "CHS": "十一", + "ENG": "the number" + }, + "breath": { + "CHS": "呼吸, 气息", + "ENG": "to start breathing normally again after running or making a lot of effort" + }, + "compensate": { + "CHS": "偿还, 补偿", + "ENG": "to replace or balance the effect of something bad" + }, + "acceptance": { + "CHS": "接受,接纳", + "ENG": "when you officially agree to take something that you have been offered" + }, + "naturalistic": { + "CHS": "自然的, 自然主义的", + "ENG": "painted, written etc according to the ideas of naturalism" + }, + "cenozoic": { + "CHS": "新生代,新生代之岩层 a新生界的", + "ENG": "the Cenozoic era " + }, + "plantation": { + "CHS": "种植园,人工林", + "ENG": "a large area of land in a hot country, where crops such as tea, cotton, and sugar are grown" + }, + "propulsion": { + "CHS": "推进(力)" + }, + "brilliant": { + "CHS": "光辉的,卓越的,杰出的", + "ENG": "brilliant light or colour is very bright and strong" + }, + "chamber": { + "CHS": "室, 会议厅", + "ENG": "an enclosed space, especially in your body or inside a machine" + }, + "parallel": { + "CHS": "平行的,类似的", + "ENG": "two lines, paths etc that are parallel to each other are the same distance apart along their whole length" + }, + "drastically": { + "CHS": "大幅度地, 彻底地" + }, + "tomb": { + "CHS": "坟墓", + "ENG": "a stone structure above or below the ground where a dead person is buried" + }, + "obstacle": { + "CHS": "障碍, 妨害物", + "ENG": "something that makes it difficult to achieve some­thing" + }, + "Italy": { + "CHS": "意大利(欧洲南部国家)" + }, + "subtle": { + "CHS": "微妙的;诡秘的,精细的", + "ENG": "not easy to notice or understand unless you pay careful attention" + }, + "trolley": { + "CHS": "电车", + "ENG": "a large basket on wheels that you use for carrying bags, shopping etc" + }, + "totally": { + "CHS": "完全地, 整全地", + "ENG": "completely" + }, + "fulfill": { + "CHS": "履行,实现" + }, + "distort": { + "CHS": "歪曲, 扭曲,变形", + "ENG": "to change the appearance, sound, or shape of something so that it is strange or unclear" + }, + "narrative": { + "CHS": "叙述的" + }, + "reasonable": { + "CHS": "合理的,通情达理的", + "ENG": "fair and sensible" + }, + "consideration": { + "CHS": "考虑, 体贴", + "ENG": "careful thought and attention, especially before making an official or important decision" + }, + "wilderness": { + "CHS": "荒野", + "ENG": "a large area of land that has never been developed or farmed" + }, + "fur": { + "CHS": "毛皮", + "ENG": "the thick soft hair that covers the bodies of some animals, such as cats, dogs, and rabbits" + }, + "woodcut": { + "CHS": "木刻", + "ENG": "a picture made by pressing a shaped piece of wood and a colouring substance onto paper" + }, + "extraordinary": { + "CHS": "非凡的, 特别的", + "ENG": "very much greater or more impressive than usual" + }, + "delta": { + "CHS": "三角州", + "ENG": "an area of low land where a river spreads into many smaller rivers near the sea" + }, + "putrefy": { + "CHS": "(使)化脓, (使)腐烂", + "ENG": "if a dead animal or plant putrefies, it decays and smells very bad" + }, + "postulate": { + "CHS": "要求, 假定", + "ENG": "to suggest that something might have happened or be true" + }, + "trip": { + "CHS": "旅行,旅游", + "ENG": "a visit to a place that involves a journey, for pleasure or a particular purpose" + }, + "resistant": { + "CHS": "抵抗的, 有抵抗力的", + "ENG": "not damaged or affected by something" + }, + "peculiar": { + "CHS": "奇怪的, 特殊的, 独特的", + "ENG": "strange, unfamiliar, or a little surprising" + }, + "preparation": { + "CHS": "准备,预备", + "ENG": "the process of preparing something or preparing for something" + }, + "gray": { + "CHS": "灰色的, 暗淡的" + }, + "regiment": { + "CHS": "(军队的)团;大量 vt严格地管制", + "ENG": "a large group of soldiers, usually consisting of several battalion s " + }, + "bury": { + "CHS": "埋葬, 掩埋", + "ENG": "to put someone who has died in a grave " + }, + "procedure": { + "CHS": "程序, 手续", + "ENG": "a way of doing something, especially the correct or usual way" + }, + "thank": { + "CHS": "感谢", + "ENG": "to tell someone that you are pleased and grateful for something they have done, or to be polite about it" + }, + "conquest": { + "CHS": "征服 战利品", + "ENG": "the act of getting control of a country by fighting" + }, + "workshop": { + "CHS": "车间, 工场", + "ENG": "a room or building where tools and machines are used for making or repairing things" + }, + "replacement": { + "CHS": "代替,更换", + "ENG": "when you get something that is newer or better than the one you had before" + }, + "wonder": { + "CHS": "惊奇, 想知道,", + "ENG": "to think about something that you are not sure about and try to guess what is true, what will happen etc" + }, + "slide": { + "CHS": "滑动,下滑", + "ENG": "to move smoothly over a surface while continuing to touch it, or to make something move in this way" + }, + "deplete": { + "CHS": "耗尽, 使衰竭", + "ENG": "To deplete a stock or amount of something means to reduce it" + }, + "toddler": { + "CHS": "初学走路的孩子", + "ENG": "a very young child who is just learning to walk" + }, + "opponent": { + "CHS": "对手", + "ENG": "someone who you try to defeat in a competition, game, fight, or argument" + }, + "Amsterdam": { + "CHS": "阿姆斯特丹(荷兰首都)" + }, + "carrier": { + "CHS": "运送者" + }, + "soda": { + "CHS": "苏打, 碳酸水", + "ENG": "water that contains bubbles and is often added to alcoholic drinks" + }, + "remind": { + "CHS": "提醒, 使想起", + "ENG": "to make someone remember something that they must do" + }, + "reproductive": { + "CHS": "生殖的,再生的,复制的", + "ENG": "relating to the process of producing babies, young animals, or plants" + }, + "troop": { + "CHS": "[ pl]军队;一群", + "ENG": "soldiers in an organized group" + }, + "abigail": { + "CHS": "(贵妇人的贴身)使女", + "ENG": "the woman who brought provisions to David and his followers and subsequently became his wife (I Samuel 25:1" + }, + "educational": { + "CHS": "教育(上)的", + "ENG": "relating to education" + }, + "zigzag": { + "CHS": "Z字形, 锯齿形", + "ENG": "a pattern that looks like a line of z’s joined together" + }, + "argon": { + "CHS": "[化]氩", + "ENG": "a colourless gas that is found in very small quantities in the air and is sometimes used in electric light bulb s . It is a chemical element : symbol Ar" + }, + "genetically": { + "CHS": "遗传(基因)方面" + }, + "shortage": { + "CHS": "不足, 缺乏", + "ENG": "a situation in which there is not enough of something that people need" + }, + "himself": { + "CHS": "他自己" + }, + "occasion": { + "CHS": "场合,时机", + "ENG": "a suitable or favourable time" + }, + "symptom": { + "CHS": "症状, 征兆", + "ENG": "something wrong with your body or mind which shows that you have a particular illness" + }, + "render": { + "CHS": "使得,提供", + "ENG": "to cause someone or something to be in a particular condition" + }, + "robin": { + "CHS": "知更鸟", + "ENG": "a small European bird with a red breast and brown back" + }, + "monitor": { + "CHS": "监听(视;测) n检测器", + "ENG": "to carefully watch and check a situation in order to see how it changes over a period of time" + }, + "psychologist": { + "CHS": "心理学者", + "ENG": "someone who is trained in psychology" + }, + "tourist": { + "CHS": "旅行者" + }, + "Marseille": { + "CHS": "马赛(法国港口城市)", + "ENG": "a strong cotton fabric with a raised pattern, used for bedspreads, etc " + }, + "diver": { + "CHS": "潜水者", + "ENG": "someone who swims or works under water using special equipment to help them breathe" + }, + "vigorous": { + "CHS": "精力充沛的,有力的", + "ENG": "using a lot of energy and strength or determination" + }, + "elliptical": { + "CHS": "椭圆的,省略的", + "ENG": "having the shape of an ellipse" + }, + "hop": { + "CHS": "跳跃, 单脚跳", + "ENG": "to move by jumping on one foot" + }, + "worksheet": { + "CHS": "工作记录表" + }, + "circulation": { + "CHS": "循环,流通,发行额", + "ENG": "the movement of blood around your body" + }, + "broadcast": { + "CHS": "广播, 播音", + "ENG": "a programme on the radio or on television" + }, + "sphere": { + "CHS": "球, 范围", + "ENG": "a ball shape" + }, + "seabed": { + "CHS": "海底, 海床", + "ENG": "the land at the bottom of the sea" + }, + "multiply": { + "CHS": "繁殖, 乘", + "ENG": "to breed" + }, + "angiosperm": { + "CHS": "被子植物" + }, + "inclination": { + "CHS": "倾斜, 弯曲", + "ENG": "a tendency to think or behave in a particular way" + }, + "bud": { + "CHS": "芽 vi发芽" + }, + "circadian": { + "CHS": "昼夜节律的,生理节奏的", + "ENG": "relating to a period of 24 hours, used especially when talking about changes in people’s bodies" + }, + "seaway": { + "CHS": "海上航道", + "ENG": "a waterway giving access to an inland port, navigable by ocean-going ships " + }, + "congress": { + "CHS": "(美国等国的)国会,议会", + "ENG": "the group of people chosen or elected to make the laws in some countries" + }, + "oversea": { + "CHS": "外国的, 海外的" + }, + "moth": { + "CHS": "蛾, 蛀虫", + "ENG": "an insect related to the butterfly that flies mainly at night and is attracted to lights. Some moths eat holes in cloth." + }, + "honor": { + "CHS": "尊敬" + }, + "frighten": { + "CHS": "使惊吓 ,惊恐", + "ENG": "to make someone feel afraid" + }, + "zoologist": { + "CHS": "动物学家", + "ENG": "a scientist who studies animals and their behaviour" + }, + "library": { + "CHS": "图书馆", + "ENG": "a room or building containing books that can be looked at or borrowed" + }, + "decomposition": { + "CHS": "分解, 腐烂", + "ENG": "Decomposition is the process of decay that takes place when a living thing changes chemically after dying" + }, + "catalog": { + "CHS": "编目录" + }, + "door": { + "CHS": "门", + "ENG": "the large flat piece of wood, glass etc that you move when you go into or out of a building, room, vehicle etc, or when you open a cupboard" + }, + "observer": { + "CHS": "观测者, 观察员", + "ENG": "someone who regularly watches or pays attention to particular things, events, situations etc" + }, + "flock": { + "CHS": "聚集,成群", + "ENG": "if people flock to a place, they go there in large numbers because something interesting or exciting is happening there" + }, + "Caledonian": { + "CHS": "古苏格兰人(的), 苏格兰人(的)", + "ENG": "a native or inhabitant of Scotland " + }, + "volunteer": { + "CHS": "志愿者", + "ENG": "someone who does a job willingly without being paid" + }, + "wetland": { + "CHS": "潮湿的土壤, 沼泽地", + "ENG": "an area of land that is partly covered with water, or is wet most of the time" + }, + "harsh": { + "CHS": "粗糙的,严厉的", + "ENG": "harsh conditions are difficult to live in and very uncomfortable" + }, + "coma": { + "CHS": "昏迷", + "ENG": "someone who is in a coma has been unconscious for a long time, usually because of a serious illness or injury" + }, + "fabric": { + "CHS": "结构, 织物, 构造", + "ENG": "cloth used for making clothes, curtains etc" + }, + "cooler": { + "CHS": "冷却器", + "ENG": "a container in which something, especially drinks, is cooled or kept cold" + }, + "participant": { + "CHS": "参与者", + "ENG": "someone who is taking part in an activity or event" + }, + "advent": { + "CHS": "出现,到来", + "ENG": "the time when something first begins to be widely used" + }, + "soften": { + "CHS": "(使)变柔软,(使)变柔和", + "ENG": "to become less hard or rough, or make something less hard or rough" + }, + "synthetic": { + "CHS": "合成的, 综合的", + "ENG": "produced by combining different artificial substances, rather than being naturally produced" + }, + "exposure": { + "CHS": "暴露, 揭露", + "ENG": "when someone is in a situation where they are not protected from something dangerous or unpleasant" + }, + "chondrite": { + "CHS": "球粒状陨石", + "ENG": "a stony meteorite consisting mainly of silicate minerals in the form of chondrules " + }, + "digestive": { + "CHS": "消化的", + "ENG": "connected with the process of digestion" + }, + "northeast": { + "CHS": "东北(的)", + "ENG": "the direction that is exactly between north and east" + }, + "constituent": { + "CHS": "选民,成分 a组成的,构成的", + "ENG": "someone who votes in a particular area" + }, + "sketch": { + "CHS": "略图 v素描;概述", + "ENG": "a simple, quickly made drawing that does not show much detail" + }, + "embryo": { + "CHS": "胚胎", + "ENG": "an animal or human that has not yet been born, and has just begun to develop" + }, + "magnify": { + "CHS": "放大, 扩大", + "ENG": "to make something seem bigger or louder, especially using special equipment" + }, + "allende": { + "CHS": "阿连德(在墨西哥, 西经 100o01' 北纬 25o20')" + }, + "metropolitan": { + "CHS": "大城市的,大都会的", + "ENG": "relating or belonging to a very large city" + }, + "notably": { + "CHS": "显著地;著名地", + "ENG": "in a way that is clearly different, important, or unusual" + }, + "loan": { + "CHS": "借出,贷给" + }, + "nonetheless": { + "CHS": "虽然如此,但是", + "ENG": "in spite of the fact that has just been mentioned" + }, + "hinterland": { + "CHS": "内地, 穷乡僻壤", + "ENG": "an area of land that is far from the coast, large rivers, or the places where people live" + }, + "mechanize": { + "CHS": "机械化", + "ENG": "If someone mechanizes a process, they cause it to be done by a machine or machines, when it was previously done by people" + }, + "finch": { + "CHS": "雀类", + "ENG": "a small bird with a short beak" + }, + "morning": { + "CHS": "早晨, 上午", + "ENG": "the early part of the day, from when the sun rises until 12 o’clock in the middle of the day" + }, + "tin": { + "CHS": "锡", + "ENG": "a soft silver-white metal that is often used to cover and protect iron and steel. It is a chemical element: symbol Sn" + }, + "moss": { + "CHS": "苔, 藓", + "ENG": "a very small green plant that grows in a thick soft furry mass on wet soil, trees, or rocks" + }, + "Oregon": { + "CHS": "俄勒冈州(美国州名)" + }, + "couple": { + "CHS": "夫妇 v结合", + "ENG": "A couple is two people who are married, living together, or having a sexual relationship" + }, + "willing": { + "CHS": "乐意的, 自愿的", + "ENG": "prepared to do something, or having no reason to not want to do it" + }, + "steppe": { + "CHS": "特指西伯利亚一带没有树木的大草原", + "ENG": "a large area of land without trees, especially in Russia, Asia, and eastern Europe" + }, + "occasional": { + "CHS": "偶然的,临时的", + "ENG": "happening sometimes but not often or regularly" + }, + "patch": { + "CHS": "补丁 vt补,修补", + "ENG": "a small piece of material that is sewn on something to cover a hole in it" + }, + "devote": { + "CHS": "投入于, 献身" + }, + "noticeable": { + "CHS": "显而易见的", + "ENG": "easy to notice" + }, + "mad": { + "CHS": "疯狂的,狂热的", + "ENG": "crazy or very silly" + }, + "spirit": { + "CHS": "精神, 灵魂", + "ENG": "the qualities that make someone live the way they do, and make them different from other people" + }, + "lunar": { + "CHS": "月亮的", + "ENG": "relating to the Moon or to travel to the Moon" + }, + "presidency": { + "CHS": "任期", + "ENG": "the position of being the president of a country or organization, or the period of time during which someone is president" + }, + "viewer": { + "CHS": "电视观众,阅读器", + "ENG": "someone who watches television" + }, + "horizon": { + "CHS": "地平(线", + "ENG": "the line far away where the land or sea seems to meet the sky" + }, + "academic": { + "CHS": "学院的, 理论的", + "ENG": "relating to education, especially at college or university level" + }, + "fin": { + "CHS": "鳍, 鱼翅", + "ENG": "one of the thin body parts that a fish uses to swim" + }, + "stamp": { + "CHS": "跺脚,盖章", + "ENG": "to walk somewhere in a noisy way by putting your feet down hard onto the ground because you are angry" + }, + "subtractive": { + "CHS": "减去的,负的", + "ENG": "able or tending to remove or subtract " + }, + "motivate": { + "CHS": "激发", + "ENG": "to make someone want to achieve something and make them willing to work hard in order to do this" + }, + "undoubtedly": { + "CHS": "无庸置疑地,的确地" + }, + "granite": { + "CHS": "花岗岩", + "ENG": "a very hard grey rock, often used in building" + }, + "quilt": { + "CHS": "缝被,缝制", + "ENG": "If you quilt, or if you quilt a piece of fabric, you make a quilt" + }, + "suppose": { + "CHS": "推想, 假设", + "ENG": "to think that something is probably true, based on what you know" + }, + "campaign": { + "CHS": "运动,战役 vi发起运动", + "ENG": "a series of actions intended to achieve a particular result relating to politics or business, or a social improvement" + }, + "mandan": { + "CHS": "曼丹人, 曼丹语" + }, + "invisible": { + "CHS": "看不见的, 无形的", + "ENG": "something that is invisible cannot be seen" + }, + "neutron": { + "CHS": "中子", + "ENG": "a part of an atom that has no electrical charge" + }, + "dwell": { + "CHS": "居住", + "ENG": "to live in a particular place" + }, + "ward": { + "CHS": "病房,受监护人", + "ENG": "a large room in a hospital where people who need medical treatment stay" + }, + "moderate": { + "CHS": "中等的, 适度的", + "ENG": "not very large or very small, very hot or very cold, very fast or very slow etc" + }, + "territorial": { + "CHS": "领土的", + "ENG": "related to land that is owned or controlled by a particular country" + }, + "predominate": { + "CHS": "占优势, 支配", + "ENG": "if one type of person or thing predominates in a group or area, there are more of this type than any other" + }, + "inform": { + "CHS": "通知, 告诉", + "ENG": "to officially tell someone about something or give them information" + }, + "chiefly": { + "CHS": "首要,主要地", + "ENG": "mostly but not completely" + }, + "champion": { + "CHS": "拥护者vt 拥护, 支持", + "ENG": "If you are a champion of a person, a cause, or a principle, you support or defend them" + }, + "craftspeople": { + "CHS": "工匠; 手艺人", + "ENG": "Craftspeople are people who make things skilfully with their hands" + }, + "likewise": { + "CHS": "同样地, 此外", + "ENG": "in the same way" + }, + "intelligence": { + "CHS": "智力, 聪明", + "ENG": "the ability to learn, understand, and think about things" + }, + "visitor": { + "CHS": "访问者, 来宾", + "ENG": "someone who comes to visit a place or a person" + }, + "unskilled": { + "CHS": "不熟练的,拙劣的" + }, + "progressively": { + "CHS": "日益增多地" + }, + "thickness": { + "CHS": "厚度, 浓度, 稠密", + "ENG": "how thick something is" + }, + "graphic": { + "CHS": "绘画似的, 图解的", + "ENG": "connected with or including drawing, printing, or designing" + }, + "termite": { + "CHS": "白蚁", + "ENG": "an insect that eats and destroys wood from trees and buildings" + }, + "analogy": { + "CHS": "类似, 类推", + "ENG": "something that seems similar between two situations, processes etc" + }, + "sure": { + "CHS": "对有把握 ad的确, 当然", + "ENG": "confident that you know something or that something is true or correct" + }, + "wrap": { + "CHS": "包,裹 n披肩,围巾", + "ENG": "to put paper or cloth over something to cover it" + }, + "inability": { + "CHS": "无能, 无力", + "ENG": "the fact of being unable to do something" + }, + "jump": { + "CHS": "跳跃", + "ENG": "to let yourself drop from a place that is above the ground" + }, + "consciousness": { + "CHS": "意识;觉悟,知觉", + "ENG": "your mind and your thoughts" + }, + "reindeer": { + "CHS": "驯鹿", + "ENG": "a large deer with long wide antler s (= horns ) , that lives in cold northern areas" + }, + "oxide": { + "CHS": "氧化物", + "ENG": "a substance which is produced when a substance is combined with oxygen" + }, + "kingdom": { + "CHS": "王国", + "ENG": "a country ruled by a king or queen" + }, + "compression": { + "CHS": "浓缩, 压缩" + }, + "slush": { + "CHS": "烂泥 v溅湿", + "ENG": "Slush is snow that has begun to melt and is therefore very wet and dirty" + }, + "hurt": { + "CHS": "伤害", + "ENG": "to injure yourself or someone else" + }, + "seldom": { + "CHS": "很少, 不常", + "ENG": "very rarely or almost never" + }, + "repression": { + "CHS": "镇压, 抑制", + "ENG": "when someone does not allow themselves to express feelings or desires which they are ashamed of, especially sexual ones – used when you think someone should express these feelings" + }, + "recovery": { + "CHS": "恢复, 痊愈", + "ENG": "the process of getting better after an illness, injury etc" + }, + "father": { + "CHS": "父亲", + "ENG": "a male parent" + }, + "voyager": { + "CHS": "航行者, 航海者", + "ENG": "someone who makes long and often dangerous journeys, especially on the sea" + }, + "horn": { + "CHS": "强行介入" + }, + "phonograph": { + "CHS": "留声机, 电唱机", + "ENG": "a record player " + }, + "accustom": { + "CHS": "使习惯于", + "ENG": "to make yourself or another person become used to a situation or place" + }, + "welcome": { + "CHS": "欢迎 a受欢迎的", + "ENG": "to say hello in a friendly way to someone who has just arrived" + }, + "Eurasia": { + "CHS": "欧亚大陆" + }, + "extraction": { + "CHS": "抽出,拔出" + }, + "literally": { + "CHS": "逐字地,正确地", + "ENG": "You can use literally to emphasize an exaggeration. Some careful speakers of English think that this use is incorrect. " + }, + "Italian": { + "CHS": "意大利人(的), 意大利语(的)", + "ENG": "someone from Italy" + }, + "railway": { + "CHS": "铁路", + "ENG": "a system of tracks along which trains run, or a system of trains" + }, + "cobalt": { + "CHS": "[化]钴", + "ENG": "a shiny silver-white metal that is often combined with other metals or used to give a blue colour to substances such as glass. It is a chemical element: symbol Co" + }, + "wish": { + "CHS": "愿望v希望, 想要", + "ENG": "a desire to do something, to have something, or to have something happen" + }, + "wale": { + "CHS": "条痕", + "ENG": "the raised mark left on the skin after the stroke of a rod or whip " + }, + "accident": { + "CHS": "意外事件, 事故", + "ENG": "an event in which a car, train, plane etc is damaged and often someone is hurt" + }, + "tongue": { + "CHS": "舌头", + "ENG": "the soft part inside your mouth that you can move about and use for eating and speaking" + }, + "concur": { + "CHS": "同时发生", + "ENG": "to happen at the same time" + }, + "uncommon": { + "CHS": "不凡的, 难得的", + "ENG": "rare or unusual" + }, + "simplification": { + "CHS": "简化", + "ENG": "You can use simplification to refer to the thing that is produced when you make something simpler or when you reduce it to its basic elements" + }, + "chemically": { + "CHS": "用化学, 以化学方法" + }, + "rotation": { + "CHS": "旋转", + "ENG": "when something turns with a circular movement around a central point" + }, + "peculiarity": { + "CHS": "特性, 怪癖", + "ENG": "something that is a feature of only one particular place, person, situation etc" + }, + "uncertain": { + "CHS": "不确定的,不稳定的,", + "ENG": "feeling doubt about something" + }, + "fluke": { + "CHS": "侥幸,偶然的机会", + "ENG": "something good that happens because of luck" + }, + "basically": { + "CHS": "基本上, 主要地", + "ENG": "used to emphasize the most important reason or fact about something, or a simple explanation of something" + }, + "circulate": { + "CHS": "(使)循环,传播", + "ENG": "to move around within a system, or to make something do this" + }, + "intricate": { + "CHS": "复杂的,难懂的", + "ENG": "containing many small parts or details that all work or fit together" + }, + "coarse": { + "CHS": "粗糙的,粗俗的", + "ENG": "having a rough surface that feels slightly hard" + }, + "feedback": { + "CHS": "反馈, 反应", + "ENG": "advice, criticism etc about how successful or useful something is" + }, + "cure": { + "CHS": "治愈, 治疗", + "ENG": "the act of making someone well again after an illness" + }, + "Norway": { + "CHS": "挪威(北欧国家)" + }, + "encouragement": { + "CHS": "鼓励, 奖励", + "ENG": "when you encourage someone or something, or the things that encourage them" + }, + "chew": { + "CHS": "咀爵", + "ENG": "to bite food several times before swallowing it" + }, + "bombard": { + "CHS": "炮轰;轰击", + "ENG": "to attack a place for a long time using large weapons, bombs etc" + }, + "praise": { + "CHS": "赞扬,称赞", + "ENG": "to say that you admire and approve of someone or something, especially publicly" + }, + "editor": { + "CHS": "编辑,编者", + "ENG": "the person who is in charge of a newspaper or magazine, or part of a newspaper or magazine, and decides what should be included in it" + }, + "venture": { + "CHS": "冒险", + "ENG": "a new business activity that involves taking risks" + }, + "soluble": { + "CHS": "可溶的, 可溶解的", + "ENG": "a soluble substance can be dissolved in a liquid" + }, + "Oceania": { + "CHS": "大洋洲" + }, + "temporary": { + "CHS": "暂时的, 临时的,", + "ENG": "continuing for only a limited period of time" + }, + "election": { + "CHS": "选举", + "ENG": "when people vote to choose someone for an official position" + }, + "backbone": { + "CHS": "脊梁骨;支柱", + "ENG": "the row of connected bones that go down the middle of your back" + }, + "medical": { + "CHS": "医学的,医疗的", + "ENG": "relating to medicine and the treatment of disease or injury" + }, + "orderly": { + "CHS": "整齐的,有秩序的", + "ENG": "arranged or organized in a sensible or neat way" + }, + "chemist": { + "CHS": "化学家, 药剂师", + "ENG": "a scientist who has special knowledge and training in chemistry" + }, + "trample": { + "CHS": "践踏, 轻视", + "ENG": "to step heavily on something, so that you crush it with your feet" + }, + "mountainous": { + "CHS": "多山的, 巨大的", + "ENG": "a mountainous area has a lot of mountains" + }, + "removal": { + "CHS": "除去,移动", + "ENG": "when something is taken away from, out of, or off the place where it is" + }, + "potassium": { + "CHS": "钾", + "ENG": "a common soft silver-white metal that usually exists in combination with other substances, used for example in farming. It is a chemical element: symbol K" + }, + "cascade": { + "CHS": "小瀑布", + "ENG": "a small steep waterfall that is one of several together" + }, + "reconstruction": { + "CHS": "重建, 改造", + "ENG": "the work that is done to repair the damage to a city, industry etc, especially after a war" + }, + "restless": { + "CHS": "得不到休息的, 不安宁的", + "ENG": "unwilling to keep still or stay where you are, especially because you are nervous or bored" + }, + "accordingly": { + "CHS": "因此, 相应地, 于是", + "ENG": "in a way that is suitable for a particular situation or that is based on what someone has done or said" + }, + "silicate": { + "CHS": "硅酸盐", + "ENG": "one of a group of common solid mineral substances that exist naturally in the Earth" + }, + "locomotive": { + "CHS": "机车, 火车头", + "ENG": "a railway engine" + }, + "predominant": { + "CHS": "主要的,占优势的", + "ENG": "more powerful, more common, or more easily noticed than others" + }, + "boil": { + "CHS": "沸点 v煮沸, 激动", + "ENG": "the act or state of boiling" + }, + "saturn": { + "CHS": "土星" + }, + "groove": { + "CHS": "沟,槽", + "ENG": "a thin line cut into a hard surface" + }, + "assert": { + "CHS": "断言, 声称", + "ENG": "to state firmly that something is true" + }, + "journeyman": { + "CHS": "熟练工人", + "ENG": "an experienced worker whose work is acceptable but not excellent" + }, + "chondrule": { + "CHS": "陨石球粒", + "ENG": "one of the small spherical masses of mainly silicate minerals present in chondrites " + }, + "accessible": { + "CHS": "可得到的,易接近的", + "ENG": "a place, building, or object that is accessible is easy to reach or get into" + }, + "dimension": { + "CHS": "尺寸, 尺度", + "ENG": "the length, height, width, depth, or diameter of something" + }, + "bacterial": { + "CHS": "细菌的", + "ENG": "Bacterial is used to describe things that relate to or are caused by bacteria" + }, + "medicine": { + "CHS": "药", + "ENG": "a substance used for treating illness, especially a liquid you drink" + }, + "homo": { + "CHS": "人, 同性恋者", + "ENG": "a very offensive word for a homosexual " + }, + "nose": { + "CHS": "鼻", + "ENG": "the part of a person’s or animal’s face used for smelling or breathing" + }, + "incubation": { + "CHS": "孵化, 熟虑" + }, + "northeastern": { + "CHS": "东北方的, 在东北的", + "ENG": "in or from the northeast part of a country or area" + }, + "waterway": { + "CHS": "水路, 排水沟", + "ENG": "a river or canal that boats travel on" + }, + "excavation": { + "CHS": "挖掘, 发掘" + }, + "fraction": { + "CHS": "小部分, 片断", + "ENG": "a part of a whole number in mathematics, such as ½ or ¾" + }, + "mutualism": { + "CHS": "互助论,互利共生" + }, + "weaken": { + "CHS": "削弱, (使)变弱", + "ENG": "to make someone or something less powerful or less important, or to become less powerful" + }, + "wolf": { + "CHS": "狼", + "ENG": "a wild animal that looks like a large dog and lives and hunts in groups" + }, + "bore": { + "CHS": "使厌烦 n令人讨厌的人(或事)", + "ENG": "to make someone feel bored, especially by talking too much about something they are not interested in" + }, + "probe": { + "CHS": "探查, 查明", + "ENG": "to ask questions in order to find things out, especially things that other people do not want you to know" + }, + "smoke": { + "CHS": "抽烟, 吸烟", + "ENG": "to suck or breathe in smoke from a cigarette, pipe etc or to do this regularly as a habit" + }, + "capillary": { + "CHS": "毛细管;毛状的", + "ENG": "the smallest type of blood vessel (= tube carrying blood ) in the body" + }, + "behavioral": { + "CHS": "行为的" + }, + "pleasant": { + "CHS": "令人愉快的,舒适的", + "ENG": "enjoyable or attractive and making you feel happy" + }, + "thread": { + "CHS": "线(索),思路 vt穿(过),通过", + "ENG": "a long thin string of cotton, silk etc used to sew or weave cloth" + }, + "subsequently": { + "CHS": "其次,接着" + }, + "intact": { + "CHS": "完好无缺的, 未经触碰的", + "ENG": "not broken, damaged, or spoiled" + }, + "blacksmith": { + "CHS": "锻工, 铁匠", + "ENG": "someone who makes and repairs things made of iron, especially horseshoe s " + }, + "repair": { + "CHS": "修理 vt修理(补)", + "ENG": "something that you do to fix a thing that is damaged, broken, or not working" + }, + "electronic": { + "CHS": "电子的", + "ENG": "electronic equipment, such as computers and televisions, uses electricity that has passed through computer chips, transistors etc" + }, + "specify": { + "CHS": "指定, 详细说明", + "ENG": "to state something in an exact and detailed way" + }, + "besides": { + "CHS": "此外, 也", + "ENG": "used when adding another reason" + }, + "platform": { + "CHS": "站台, 讲台", + "ENG": "the raised place beside a railway track where you get on and off a train in a station" + }, + "surrounding": { + "CHS": "围绕物,环境 a周围的" + }, + "tobacco": { + "CHS": "烟草(制品)", + "ENG": "the dried brown leaves that are smoked in cigarettes, pipes etc" + }, + "rival": { + "CHS": "竞争,对抗" + }, + "agreement": { + "CHS": "同意, 一致", + "ENG": "when people have the same opinion as each other" + }, + "custom": { + "CHS": "习惯, 风俗,", + "ENG": "something that is done by people in a particular society because it is traditional" + }, + "costly": { + "CHS": "昂贵的,代价高的", + "ENG": "very expensive, especially wasting a lot of money" + }, + "exert": { + "CHS": "尽(力),发挥" + }, + "director": { + "CHS": "主管,导演", + "ENG": "someone who is in charge of a particular activity or organization" + }, + "gift": { + "CHS": "赠品, 天赋", + "ENG": "a natural ability" + }, + "repeatedly": { + "CHS": "重复地, 再三地", + "ENG": "If you do something repeatedly, you do it many times" + }, + "tentacle": { + "CHS": "(动物)触角", + "ENG": "one of the long thin parts of a sea creature such as an octopus which it uses for holding things" + }, + "fertility": { + "CHS": "肥沃, 多产", + "ENG": "the ability of the land or soil to produce good crops" + }, + "simplicity": { + "CHS": "简单, 朴素", + "ENG": "the quality of being simple and not complicated, especially when this is attractive or useful" + }, + "annually": { + "CHS": "每年;按年计算" + }, + "enthusiasm": { + "CHS": "热情, 热衷", + "ENG": "a strong feeling of interest and enjoyment about something and an eagerness to be involved in it" + }, + "rear": { + "CHS": "后部(面,方)(的) vt养,种", + "ENG": "The rear of something such as a building or vehicle is the back part of it" + }, + "stagecoach": { + "CHS": "公共马车", + "ENG": "a vehicle pulled by horses that was used in past times for carrying passengers and letters" + }, + "attraction": { + "CHS": "吸引(力);具有吸引力的事物(或人)", + "ENG": "a feature or quality that makes something seem interesting or enjoyable" + }, + "investigate": { + "CHS": "调查, 研究", + "ENG": "to try to find out the truth about something such as a crime, accident, or scientific problem" + }, + "locally": { + "CHS": "在本地, 地方性地, 局部地", + "ENG": "in or near the area where you are, or the area you are talking about" + }, + "excessive": { + "CHS": "过多的,过分的", + "ENG": "much more than is reasonable or necessary" + }, + "adjustment": { + "CHS": "调整, 调节", + "ENG": "a small change made to a machine, system, or calculation" + }, + "figurative": { + "CHS": "比喻的,借喻的", + "ENG": "a figurative word or phrase is used in a different way from its usual meaning, to give you a particular idea or picture in your mind" + }, + "inscription": { + "CHS": "题字, 碑铭", + "ENG": "a piece of writing inscribed on a stone, in the front of a book etc" + }, + "appalachian": { + "CHS": "阿帕拉契山脉的" + }, + "declaration": { + "CHS": "宣布, 声明", + "ENG": "an important official statement about a particular situation or plan, or the act of making this statement" + }, + "markedly": { + "CHS": "显著地,明显地" + }, + "attend": { + "CHS": "出席, 参加,照料", + "ENG": "to go to an event such as a meeting or a class" + }, + "climb": { + "CHS": "攀登, 爬", + "ENG": "to move up, down, or across something using your feet and hands, especially when this is difficult to do" + }, + "effectiveness": { + "CHS": "效力" + }, + "grant": { + "CHS": "授予,同意,准予", + "ENG": "to give someone something or allow them to have something that they have asked for" + }, + "optical": { + "CHS": "视觉的, 光学的", + "ENG": "relating to machines or processes which are concerned with light, images, or the way we see things" + }, + "overcast": { + "CHS": "覆盖, 阴天" + }, + "noisy": { + "CHS": "吵杂的, 聒噪的", + "ENG": "someone or something that is noisy makes a lot of noise" + }, + "muscular": { + "CHS": "肌肉发达的,强壮的", + "ENG": "having large strong muscles" + }, + "remarkably": { + "CHS": "非凡地;显著地" + }, + "team": { + "CHS": "队, 组", + "ENG": "a group of people who play a game or sport together against another group" + }, + "surpass": { + "CHS": "超越, 胜过", + "ENG": "to be even better or greater than someone or something else" + }, + "institute": { + "CHS": "学院 vt建立,设立" + }, + "versus": { + "CHS": "对抗, 与相对", + "ENG": "used to show that two people or teams are competing against each other in a game or court case" + }, + "cheep": { + "CHS": "吱吱的叫声 v吱吱地叫", + "ENG": "the short weak high-pitched cry of a young bird; chirp " + }, + "predecessor": { + "CHS": "前辈, 前任", + "ENG": "someone who had your job before you started doing it" + }, + "flora": { + "CHS": "[罗神]花神" + }, + "pollinator": { + "CHS": "授花粉器", + "ENG": "A pollinator is something that pollinates plants, especially a type of insect" + }, + "descendant": { + "CHS": "子孙, 后裔", + "ENG": "someone who is related to a person who lived a long time ago, or to a family, group of people etc that existed in the past" + }, + "somehow": { + "CHS": "以某种方式,不知怎么地", + "ENG": "in some way, or by some means, although you do not know how" + }, + "hall": { + "CHS": "会堂, 大厅", + "ENG": "a building or large room for public events such as meetings or dances" + }, + "efficiently": { + "CHS": "有效地;能胜任地" + }, + "tightly": { + "CHS": "紧紧地, 坚固地" + }, + "medieval": { + "CHS": "中世纪的", + "ENG": "connected with the Middle Ages (= the period between about 1100 and 1500 AD )" + }, + "jewelry": { + "CHS": "珠宝" + }, + "differently": { + "CHS": "不同地,有差别地" + }, + "church": { + "CHS": "教堂", + "ENG": "a building where Christians go to worship" + }, + "putt": { + "CHS": "短打,把球轻轻打进洞", + "ENG": "to hit a golf ball lightly a short distance along the ground towards the hole" + }, + "notion": { + "CHS": "概念,观念,想法", + "ENG": "an idea, belief, or opinion" + }, + "reshape": { + "CHS": "改造, 再成形" + }, + "pond": { + "CHS": "池塘", + "ENG": "a small area of fresh water that is smaller than a lake, that is either natural or artificially made" + }, + "metabolic": { + "CHS": "新陈代谢的", + "ENG": "relating to your body’s metabolism" + }, + "methane": { + "CHS": "甲烷,沼气", + "ENG": "a gas that you cannot see or smell, which can be burned to give heat" + }, + "tar": { + "CHS": "焦油, 柏油", + "ENG": "a black substance, thick and sticky when hot but hard when cold, used especially for making road surfaces" + }, + "fundamentally": { + "CHS": "从根本上, 基本地", + "ENG": "in every way that is important or basic" + }, + "unprecedented": { + "CHS": "空前的, 前所未有的", + "ENG": "never having happened before, or never having happened so much" + }, + "conservative": { + "CHS": "保守的,守旧的", + "ENG": "not liking changes or new ideas" + }, + "identity": { + "CHS": "一致, 身份, 特征", + "ENG": "someone’s identity is their name or who they are" + }, + "expenditure": { + "CHS": "支出, 花费", + "ENG": "the total amount of money that a government, organization, or person spends during a particular period of time" + }, + "cohesive": { + "CHS": "粘着的" + }, + "practically": { + "CHS": "实际上,几乎,简直", + "ENG": "Practically means almost, but not completely or exactly" + }, + "crew": { + "CHS": "全体人员", + "ENG": "all the people who work on a ship or plane" + }, + "circular": { + "CHS": "圆形的, 循环的", + "ENG": "shaped like a circle" + }, + "forerunner": { + "CHS": "先驱(者)", + "ENG": "someone or something that existed before something similar that developed or came later" + }, + "alertness": { + "CHS": "警戒, 机敏" + }, + "invasion": { + "CHS": "入侵", + "ENG": "when the army of one country enters another country by force, in order to take control of it" + }, + "recurrence": { + "CHS": "复发, 重现", + "ENG": "an occasion when something that has happened before happens again" + }, + "hawk": { + "CHS": "鹰", + "ENG": "a large bird that hunts and eats small birds and animals" + }, + "predatory": { + "CHS": "掠夺的,捕食生物的", + "ENG": "a predatory animal kills and eats other animals for food" + }, + "complement": { + "CHS": "补足物", + "ENG": "someone or something that emphasizes the good qualities of another person or thing" + }, + "humid": { + "CHS": "充满潮湿的, 湿润的", + "ENG": "if the weather is humid, you feel uncomfortable because the air is very wet and usually hot" + }, + "limb": { + "CHS": "肢, 翼, 分支", + "ENG": "an arm or leg" + }, + "user": { + "CHS": "使用者", + "ENG": "someone or something that uses a product, service etc" + }, + "moraine": { + "CHS": "冰碛", + "ENG": "a mass of earth or pieces of rock moved along by a glacier and left in a line at the bottom of it" + }, + "sandy": { + "CHS": "沙的, 沙质", + "ENG": "covered with sand or containing a lot of sand" + }, + "jurassic": { + "CHS": "侏罗纪的", + "ENG": "of, denoting, or formed in the second period of the Mesozoic era, between the Triassic and Cretaceous periods, lasting for 55 million years during which dinosaurs and ammonites flourished " + }, + "literacy": { + "CHS": "有文化,有教养" + }, + "prosper": { + "CHS": "兴旺,繁荣", + "ENG": "if people or businesses prosper, they grow and develop in a successful way, especially by becoming rich or making a large profit" + }, + "traditionally": { + "CHS": "传统上, 照惯例" + }, + "plot": { + "CHS": "小块土地,(小说的)情节vt密谋", + "ENG": "the events that form the main story of a book, film, or play" + }, + "meadow": { + "CHS": "草地, 牧场", + "ENG": "a field with wild grass and flowers" + }, + "intelligent": { + "CHS": "聪明的, 智能的", + "ENG": "an intelligent person has a high level of mental ability and is good at understanding ideas and thinking clearly" + }, + "comment": { + "CHS": "评论,意见 vt评论", + "ENG": "an opinion that you express about someone or something" + }, + "analogous": { + "CHS": "类似的", + "ENG": "similar to another situation or thing so that a comparison can be made" + }, + "cavendish": { + "CHS": "(一种压成饼状的)板烟, 烟草饼", + "ENG": "tobacco that has been sweetened and pressed into moulds to form bars " + }, + "actress": { + "CHS": "女演员", + "ENG": "a woman who performs in a play or film" + }, + "examination": { + "CHS": "考试, 检查, 细查", + "ENG": "a spoken or written test of knowledge, especially an important one" + }, + "council": { + "CHS": "委员会,理事会", + "ENG": "a group of people that are chosen to make rules, laws, or decisions, or to give advice" + }, + "exogenous": { + "CHS": "外生的,外界产生的", + "ENG": "having an external origin " + }, + "informative": { + "CHS": "提供消息的, 情报的", + "ENG": "Something that is informative gives you useful information" + }, + "ooze": { + "CHS": "软泥 v渗出", + "ENG": "very soft mud, especially at the bottom of a lake or sea" + }, + "educator": { + "CHS": "教育家", + "ENG": "a teacher or someone involved in the process of educating people" + }, + "radically": { + "CHS": "根本地, 完全地" + }, + "republic": { + "CHS": "共和国, 共和政体", + "ENG": "a country governed by elected representatives of the people, and led by a president, not a king or queen" + }, + "dwarf": { + "CHS": "矮子, 侏儒", + "ENG": "a person who is a dwarf has not continued to grow to the normal height because of a medical condition. Many people think that this use is offensive." + }, + "choreographer": { + "CHS": "舞蹈指导", + "ENG": "A choreographer is someone who invents the movements for a ballet or other dance and tells the dancers how to perform them" + }, + "marriage": { + "CHS": "结婚, 婚姻", + "ENG": "the relationship between two people who are married, or the state of being married" + }, + "severely": { + "CHS": "严格地, 激烈地", + "ENG": "very badly or to a great degree" + }, + "propagate": { + "CHS": "繁(增)殖;传播", + "ENG": "to spread an idea, belief etc to many people" + }, + "confusion": { + "CHS": "混乱, 混淆", + "ENG": "when you do not understand what is happening or what something means because it is not clear" + }, + "celebrate": { + "CHS": "庆祝, 祝贺", + "ENG": "to show that an event or occasion is important by doing something special or enjoyable" + }, + "environmentalist": { + "CHS": "环境保护论者, 环境论者, 环境论信奉者", + "ENG": "someone who is concerned about protecting the environment" + }, + "outstanding": { + "CHS": "优秀的, 突出的,", + "ENG": "extremely good" + }, + "endogenous": { + "CHS": "内生的, 内成的", + "ENG": "developing or originating within an organism or part of an organism " + }, + "horseshoe": { + "CHS": "马蹄铁", + "ENG": "a U-shaped piece of iron that is fixed onto the bottom of a horse’s foot" + }, + "probability": { + "CHS": "可能性", + "ENG": "how likely something is, sometimes calculated in a mathematical way" + }, + "boy": { + "CHS": "男孩", + "ENG": "a male child, or a male person in general" + }, + "specifically": { + "CHS": "特别地;明确地,具体地", + "ENG": "relating to or intended for one particular type of person or thing only" + }, + "vote": { + "CHS": "投票", + "ENG": "to show which person or party you want, or whether you support a plan, by marking a piece of paper, raising your hand etc" + }, + "susceptible": { + "CHS": "易受外界影响的,易受感染的", + "ENG": "likely to suffer from a particular illness or be affected by a particular problem" + }, + "envision": { + "CHS": "想象;预想", + "ENG": "to imagine something that you think might happen in the future, especially something that you think will be good" + }, + "upside": { + "CHS": "上边,上部" + }, + "adept": { + "CHS": "熟练的, 老练的 n老手, 擅长者", + "ENG": "good at something that needs care and skill" + }, + "notation": { + "CHS": "符号", + "ENG": "a system of written marks or signs used to represent something such as music, mathematics, or scientific ideas" + }, + "ease": { + "CHS": "安逸", + "ENG": "not relaxed" + }, + "capsize": { + "CHS": "(特指船)倾覆", + "ENG": "if a boat capsizes, or if you capsize it, it turns over in the water" + }, + "elicit": { + "CHS": "得出, 引出, 抽出, 引起", + "ENG": "If you elicit a response or a reaction, you do or say something that makes other people respond or react" + }, + "financier": { + "CHS": "财政家, 金融家", + "ENG": "someone who controls or lends large sums of money" + }, + "obscure": { + "CHS": "暗的 vt使暗,使不明显" + }, + "turbulent": { + "CHS": "狂暴的,动荡的", + "ENG": "a turbulent situation or period of time is one in which there are a lot of sudden changes" + }, + "simultaneously": { + "CHS": "同时地" + }, + "rodent": { + "CHS": "啮齿类动物", + "ENG": "any small animal of the type that has long sharp front teeth, such as a rat or a rabbit" + }, + "prose": { + "CHS": "散文", + "ENG": "language in its usual form, as opposed to poetry" + }, + "seafarer": { + "CHS": "船员, 航海家", + "ENG": "a sailor or someone who travels regularly by ship" + }, + "impart": { + "CHS": "传授, 赋予, 告知", + "ENG": "to give a particular quality to something" + }, + "uneven": { + "CHS": "不平坦的,不均匀的", + "ENG": "not smooth, flat, or level" + }, + "repudiate": { + "CHS": "批判", + "ENG": "If you repudiate something or someone, you show that you strongly disagree with them and do not want to be connected with them in any way" + }, + "faunal": { + "CHS": "动物区系的" + }, + "nighttime": { + "CHS": "夜间", + "ENG": "the time during the night" + }, + "hardly": { + "CHS": "几乎不,刚刚", + "ENG": "almost not" + }, + "pry": { + "CHS": "探查", + "ENG": "to try to find out details about someone else’s private life in an impolite way" + }, + "exclusive": { + "CHS": "排外的,独占的,唯一的", + "ENG": "deliberately not allowing someone to do something or be part of a group" + }, + "enterprise": { + "CHS": "企业, 事业", + "ENG": "a company, organization, or business" + }, + "discard": { + "CHS": "丢弃, 抛弃", + "ENG": "If you discard something, you get rid of it because you no longer want it or need it" + }, + "simulation": { + "CHS": "仿真, 假装", + "ENG": "the activity of producing conditions which are similar to real ones, especially in order to test something, or the conditions that are produced" + }, + "resolve": { + "CHS": "解决, 决定", + "ENG": "to find a satisfactory way of dealing with a problem or difficulty" + }, + "mat": { + "CHS": "席子,垫子", + "ENG": "a small piece of thick rough material which covers part of a floor" + }, + "quick": { + "CHS": "快的, 迅速的" + }, + "hero": { + "CHS": "英雄", + "ENG": "a man who is admired for doing something extremely brave" + }, + "manipulate": { + "CHS": "操纵,影响", + "ENG": "to make someone think and behave exactly as you want them to, by skilfully deceiving or influencing them" + }, + "solo": { + "CHS": "独奏曲 a单独的", + "ENG": "a piece of music for one performer" + }, + "designer": { + "CHS": "设计者", + "ENG": "someone whose job is to make plans or patterns for clothes, furniture, equipment etc" + }, + "karst": { + "CHS": "石灰岩地区常见的地形", + "ENG": "denoting the characteristic scenery of a limestone region, including underground streams, gorges, etc " + }, + "interstellar": { + "CHS": "星际的", + "ENG": "happening or existing between the stars" + }, + "scratch": { + "CHS": "抓,搔,划(痕)", + "ENG": "to rub your skin with your nails because it feels uncomfortable" + }, + "recycle": { + "CHS": "使再循环, 反复应用 n再循环, 再生, 重复利用", + "ENG": "to put used objects or materials through a special process so that they can be used again" + }, + "uncover": { + "CHS": "揭露,揭示", + "ENG": "to find out about something that has been kept secret" + }, + "gibraltar": { + "CHS": "直布罗陀(海峡)" + }, + "refill": { + "CHS": "再装满,再充填", + "ENG": "to fill something again" + }, + "fame": { + "CHS": "名声, 名望", + "ENG": "the state of being known about by a lot of people because of your achievements" + }, + "caravan": { + "CHS": "旅行队,商队, 大篷车", + "ENG": "a vehicle that a car can pull and in which people can live and sleep when they are on holiday" + }, + "microorganism": { + "CHS": "微生物", + "ENG": "a living thing that is so small that it cannot be seen without a microscope " + }, + "probable": { + "CHS": "很可能的, 大概的", + "ENG": "likely to exist, happen, or be true" + }, + "compromise": { + "CHS": "妥协, 让步", + "ENG": "an agreement that is achieved after everyone involved accepts less than what they wanted at first, or the act of making this agreement" + }, + "inequality": { + "CHS": "不平等, 不平均", + "ENG": "an unfair situation, in which some groups in society have more money, opportunities, power etc than others" + }, + "physicist": { + "CHS": "物理学者, 唯物论者", + "ENG": "a scientist who has special knowledge and training in physics " + }, + "intensive": { + "CHS": "强烈的, 精深的", + "ENG": "involving a lot of activity, effort, or careful attention in a short period of time" + }, + "forget": { + "CHS": "忘记, 忽略", + "ENG": "to not remember facts, information, or people or things from the past" + }, + "postal": { + "CHS": "邮政的,邮局的", + "ENG": "relating to the official system which takes letters from one place to another" + }, + "queen": { + "CHS": "王后, 女王", + "ENG": "a playing card with a picture of a queen on it" + }, + "sailor": { + "CHS": "海员, 水手", + "ENG": "someone who works on a ship" + }, + "intervention": { + "CHS": "干涉", + "ENG": "the act of becoming involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "immobile": { + "CHS": "不动的, 静止的", + "ENG": "not moving at all" + }, + "entity": { + "CHS": "实体", + "ENG": "something that exists as a single and complete unit" + }, + "calendar": { + "CHS": "日历, 历法", + "ENG": "a set of pages that show the days, weeks, and months of a particular year, that you usually hang on a wall" + }, + "stabilize": { + "CHS": "稳定", + "ENG": "to become firm, steady, or unchanging, or to make something firm or steady" + }, + "tune": { + "CHS": "曲调vt调音, 调整", + "ENG": "a series of musical notes that are played or sung and are nice to listen to" + }, + "predominantly": { + "CHS": "主要地, 占优势地", + "ENG": "mostly or mainly" + }, + "disgust": { + "CHS": "厌恶vi令人厌恶,作呕", + "ENG": "a very strong feeling of dislike that almost makes you sick, caused by something unpleasant" + }, + "deficient": { + "CHS": "缺乏的, 不足的", + "ENG": "not containing or having enough of something" + }, + "assistance": { + "CHS": "协助, 援助, 补助,", + "ENG": "help or support" + }, + "persistent": { + "CHS": "持久稳固的" + }, + "prestige": { + "CHS": "声望, 威望", + "ENG": "the respect and admiration that someone or something gets because of their success or important position in society" + }, + "mound": { + "CHS": "土墩,沙土堆", + "ENG": "a pile of earth or stones that looks like a small hill" + }, + "fashionable": { + "CHS": "流行的, 时髦的", + "ENG": "popular, especially for a short period of time" + }, + "sect": { + "CHS": "宗派, 教派", + "ENG": "a group of people with their own particular set of beliefs and practices, especially within or separated from a larger religious group" + }, + "exclude": { + "CHS": "把排除在外, 排斥", + "ENG": "to deliberately not include something" + }, + "vaudeville": { + "CHS": "歌舞杂耍", + "ENG": "a type of theatre entertainment, popular from the 1880s to the 1950s, in which there were many short performances of different kinds, including singing, dancing, jokes etc" + }, + "scent": { + "CHS": "气味", + "ENG": "a pleasant smell that something has" + }, + "uncertainty": { + "CHS": "无常, 不确定", + "ENG": "Uncertainty is a state of doubt about the future or about what is the right thing to do" + }, + "carnivore": { + "CHS": "食肉动物", + "ENG": "an animal that eats flesh" + }, + "civilian": { + "CHS": "平民", + "ENG": "anyone who is not a member of the military forces or the police" + }, + "hunger": { + "CHS": "饥饿, 欲望", + "ENG": "lack of food, especially for a long period of time, that can cause illness or death" + }, + "publication": { + "CHS": "出版(物), 发行", + "ENG": "The publication of a book or magazine is the act of printing it and sending it to stores to be sold" + }, + "prolong": { + "CHS": "延长, 拖延", + "ENG": "to deliberately make something such as a feeling or an activity last longer" + }, + "plaster": { + "CHS": "石膏 vt敷以膏药", + "ENG": "A plaster is a strip of sticky material used for covering small cuts or sores on your body" + }, + "sadness": { + "CHS": "悲哀, 悲伤", + "ENG": "the state of feeling sad" + }, + "theorize": { + "CHS": "建立理论, 理论化", + "ENG": "to think of a possible explanation for an event or fact" + }, + "tundra": { + "CHS": "苔原, 冻土地带", + "ENG": "the large flat areas of land in the north of Russia, Canada etc, where it is very cold and there are no trees" + }, + "concert": { + "CHS": "音乐会", + "ENG": "a performance given by musicians or singers" + }, + "localize": { + "CHS": "集中,局部化", + "ENG": "If you localize something, you limit the size of the area that it affects and prevent it from spreading" + }, + "dependable": { + "CHS": "可靠的, 可信赖的", + "ENG": "able to be trusted to do what you need or expect" + }, + "anomaly": { + "CHS": "不规则, 异常的人或物", + "ENG": "If something is an anomaly, it is different from what is usual or expected" + }, + "displace": { + "CHS": "转移, 取代", + "ENG": "to take the place or position of something or someone" + }, + "gravitational": { + "CHS": "重力的, 引力作用的", + "ENG": "related to or resulting from the force of gravity" + }, + "pronounce": { + "CHS": "发音, 宣告", + "ENG": "to make the sound of a letter, word etc, especially in the correct way" + }, + "abundantly": { + "CHS": "大量地, 丰富地", + "ENG": "in large quantities" + }, + "liberate": { + "CHS": "解放, 释放", + "ENG": "to free prisoners, a city, a country etc from someone’s control" + }, + "intensify": { + "CHS": "加强,强化", + "ENG": "to increase in degree or strength, or to make something do this" + }, + "accord": { + "CHS": "一致, 协定", + "ENG": "a situation in which two people, ideas, or statements agree with each other" + }, + "pollute": { + "CHS": "弄脏, 污染", + "ENG": "to make air, water, soil etc dangerously dirty and not suitable for people to use" + }, + "cuneiform": { + "CHS": "楔形的,楔形文字(的)", + "ENG": "cuneiform characters or writing " + }, + "gamma": { + "CHS": "100万分之1克, 微克" + }, + "icy": { + "CHS": "冰冷的, 冷淡的", + "ENG": "extremely cold" + }, + "nebula": { + "CHS": "星云", + "ENG": "a mass of gas and dust among the stars, which often appears as a bright cloud in the sky at night" + }, + "security": { + "CHS": "安全", + "ENG": "things that are done to keep a person, building, or country safe from danger or crime" + }, + "supervise": { + "CHS": "监督, 管理", + "ENG": "to be in charge of an activity or person, and make sure that things are done in the correct way" + }, + "parasitic": { + "CHS": "寄生的, 由寄生虫引起的", + "ENG": "living in or on another plant or animal and getting food from them" + }, + "documentation": { + "CHS": "文件", + "ENG": "official documents, reports etc that are used to prove that something is true or correct" + }, + "lithosphere": { + "CHS": "[地]岩石圈", + "ENG": "the rigid outer layer of the earth, having an average thickness of about 75 km and comprising the earth's crust and the solid part of the mantle above the asthenosphere " + }, + "richness": { + "CHS": "富饶;富裕", + "ENG": "if something has richness, it contains a lot of interesting things" + }, + "sulfate": { + "CHS": "硫酸盐" + }, + "unity": { + "CHS": "团结, 联合", + "ENG": "when a group of people or countries agree or are joined together" + }, + "wildlife": { + "CHS": "野生动植物", + "ENG": "animals and plants growing in natural conditions" + }, + "alike": { + "CHS": "相同的, 相似的", + "ENG": "very similar" + }, + "sport": { + "CHS": "运动,运动会", + "ENG": "an activity that people do in the countryside, especially hunting or fishing" + }, + "steamship": { + "CHS": "汽船, 轮船", + "ENG": "a large ship that uses steam to produce power" + }, + "lithospheric": { + "CHS": "岩石圈的; 陆界的" + }, + "hammer": { + "CHS": "槌,锤子 v锤击", + "ENG": "the part of a gun that hits the explosive charge that fires a bullet" + }, + "disturbance": { + "CHS": "骚动, 动乱", + "ENG": "a situation in which people behave violently in public" + }, + "voter": { + "CHS": "投票者", + "ENG": "someone who has the right to vote in a political election, or who votes in a particular election" + }, + "anywhere": { + "CHS": "无论何处", + "ENG": "in or to any place" + }, + "April": { + "CHS": "四月", + "ENG": "the fourth month of the year, between March and May" + }, + "meager": { + "CHS": "兆" + }, + "incomplete": { + "CHS": "不完全的, 不完整的", + "ENG": "not having everything that should be there, or not completely finished" + }, + "lecture": { + "CHS": "演讲", + "ENG": "a long talk on a particular subject that someone gives to a group of people, especially to students in a university" + }, + "tolerance": { + "CHS": "宽容,容忍", + "ENG": "willingness to allow people to do, say, or believe what they want without criticizing or punishing them" + }, + "hostile": { + "CHS": "敌对的", + "ENG": "angry and deliberately unfriendly towards someone, and ready to argue with them" + }, + "triangle": { + "CHS": "三角形,三角关系", + "ENG": "a flat shape with three straight sides and three angles" + }, + "unchanging": { + "CHS": "不变的", + "ENG": "always staying the same" + }, + "cargo": { + "CHS": "船货,货物", + "ENG": "the goods that are being carried in a ship or plane" + }, + "reconstruct": { + "CHS": "重建, 改造", + "ENG": "to build something again after it has been destroyed or damaged" + }, + "conventionally": { + "CHS": "照惯例" + }, + "rainy": { + "CHS": "下雨的,多雨的", + "ENG": "a rainy period of time is one when it rains a lot" + }, + "trial": { + "CHS": "试验, 考验", + "ENG": "a process of testing to find out whether something works effectively and is safe" + }, + "wound": { + "CHS": "创伤, 伤口", + "ENG": "an injury to your body that is made by a weapon such as a knife or a bullet" + }, + "forbid": { + "CHS": "禁止, 不许", + "ENG": "to tell someone that they are not allowed to do something, or that something is not allowed" + }, + "judgment": { + "CHS": "判断", + "ENG": "the ability to make sensible decisions about what to do and when to do it" + }, + "nickel": { + "CHS": "镍, 镍币", + "ENG": "a hard silver-white metal that is often combined with other metals, for example to make steel. It is a chemical element: symbol Ni" + }, + "Georgia": { + "CHS": "(美)乔治亚州" + }, + "ourselves": { + "CHS": "我们自己", + "ENG": "used by the person speaking to show that they and one or more other people are affected by their own action" + }, + "rid": { + "CHS": "使摆脱, 使去掉", + "ENG": "If you rid a place or person of something undesirable or unwanted, you succeed in removing it completely from that place or person" + }, + "integral": { + "CHS": "完整的, 整体的", + "ENG": "Something that is an integral part of something is an essential part of that thing" + }, + "pasture": { + "CHS": "牧草地,牧场 vt放牧", + "ENG": "land or a field that is covered with grass and is used for cattle, sheep etc to feed on" + }, + "overwhelm": { + "CHS": "打击, 压倒, 打败" + }, + "prolific": { + "CHS": "多产的;多子嗣的", + "ENG": "a prolific artist, writer etc produces many works of art, books etc" + }, + "moist": { + "CHS": "潮湿的,湿润的", + "ENG": "slightly wet, especially in a way that is pleasant or suitable" + }, + "coral": { + "CHS": "珊瑚(虫)", + "ENG": "a hard red, white, or pink substance formed from the bones of very small sea creatures, which is often used to make jewellery" + }, + "cite": { + "CHS": "引用, 引证", + "ENG": "to mention something as an example, especially one that supports, proves, or explains an idea or situation" + }, + "barrel": { + "CHS": "桶", + "ENG": "a large curved container with a flat top and bottom, made of wood or metal, and used for storing beer, wine etc" + }, + "reef": { + "CHS": "礁,暗礁", + "ENG": "a line of sharp rocks, often made of coral , or a raised area of sand near the surface of the sea" + }, + "liberty": { + "CHS": "自由, 特权", + "ENG": "the freedom and the right to do whatever you want without asking permission or being afraid of authority" + }, + "millimeter": { + "CHS": "毫米" + }, + "molecular": { + "CHS": "分子的", + "ENG": "Molecular means relating to or involving molecules" + }, + "exterior": { + "CHS": "外部的 n外部", + "ENG": "on the outside of something" + }, + "lifetime": { + "CHS": "一生, 终生", + "ENG": "the period of time during which someone is alive or something exists" + }, + "antiquity": { + "CHS": "古代", + "ENG": "ancient times" + }, + "adobe": { + "CHS": "泥砖,土坯", + "ENG": "earth and straw that are made into bricks for building houses" + }, + "absorption": { + "CHS": "吸收", + "ENG": "a process in which something takes in liquid, gas, or heat" + }, + "sensitivity": { + "CHS": "敏感, 灵敏(度)" + }, + "studio": { + "CHS": "画室,工作室", + "ENG": "a room where a painter or photographer regularly works" + }, + "inevitably": { + "CHS": "不可避免地;必然地", + "ENG": "used for saying that something is certain to happen and cannot be avoided" + }, + "fifty": { + "CHS": "五十", + "ENG": "the number 50" + }, + "swing": { + "CHS": "摇摆, 摆动", + "ENG": "to make regular movements forwards and backwards or from one side to another while hanging from a particular point, or to make something do this" + }, + "utilitarian": { + "CHS": "功利的 n功利主义者", + "ENG": "based on a belief in utilitarianism" + }, + "alive": { + "CHS": "活着的, 活泼的", + "ENG": "still living and not dead" + }, + "thoroughly": { + "CHS": "十分地, 彻底地", + "ENG": "carefully, so that nothing is forgotten" + }, + "hardy": { + "CHS": "能吃苦耐劳的,坚强的", + "ENG": "strong and healthy and able to bear difficult living conditions" + }, + "stunt": { + "CHS": "特技;噱头 v阻碍正常成长", + "ENG": "a dangerous action that is done to entertain people, especially in a film" + }, + "accomplishment": { + "CHS": "成就, 完成", + "ENG": "something successful or impressive that is achieved after a lot of effort and hard work" + }, + "routine": { + "CHS": "例行公事, 常规", + "ENG": "the usual order in which you do things, or the things you regularly do" + }, + "nourish": { + "CHS": "滋养, 使健壮,", + "ENG": "to give a person or other living thing the food and other substances they need in order to live, grow, and stay healthy" + }, + "busy": { + "CHS": "忙碌的", + "ENG": "if you are busy, you are working hard and have a lot of things to do" + }, + "ultraviolet": { + "CHS": "紫外线的 n紫外线辐射", + "ENG": "ultraviolet light cannot be seen by people, but is responsible for making your skin darker when you are in the sun" + }, + "pyramid": { + "CHS": "金字塔(形结构);锥状物", + "ENG": "a large stone building with four triangular (= three-sided ) walls that slope in to a point at the top, especially in Egypt and Central America" + }, + "cannonball": { + "CHS": "炮弹", + "ENG": "a heavy iron ball fired from a cannon" + }, + "transitional": { + "CHS": "变迁的, 过渡期的", + "ENG": "relating to a period during which something is changing from one state or form into another" + }, + "amplification": { + "CHS": "扩大" + }, + "subsurface": { + "CHS": "地下的, 表面下的n地表下岩石" + }, + "philosopher": { + "CHS": "哲学家, 哲人", + "ENG": "someone who studies and develops ideas about the nature and meaning of existence, truth, good and evil etc" + }, + "semiskilled": { + "CHS": "半熟练的", + "ENG": "A semiskilled worker has some training and skills, but not enough to do specialized work" + }, + "relax": { + "CHS": "放松,休息", + "ENG": "to rest or do something that is enjoyable, especially after you have been working" + }, + "mackerel": { + "CHS": "鲭", + "ENG": "a sea fish that has oily flesh and a strong taste" + }, + "witness": { + "CHS": "目击者;证据(言) vt目击,作证", + "ENG": "someone who sees a crime or an accident and can describe what happened" + }, + "midwest": { + "CHS": "中西部", + "ENG": "The Midwest is the region in the central part of the United States and north of Texas" + }, + "scrub": { + "CHS": "灌木丛", + "ENG": "low bushes and trees that grow in very dry soil" + }, + "textbook": { + "CHS": "教科书, 课本", + "ENG": "a book that contains information about a subject that people study, especially at school or college" + }, + "sharply": { + "CHS": "锋利地;剧烈地" + }, + "sunrise": { + "CHS": "日出", + "ENG": "the time when the sun first appears in the morning" + }, + "mutoscope": { + "CHS": "(早期的)电影放映机" + }, + "summarize": { + "CHS": "概述, 总结", + "ENG": "to make a short statement giving only the main information and not the details of a plan, event, report etc" + }, + "stalk": { + "CHS": "茎,梗 v跟踪,高视阔步地走", + "ENG": "a long narrow part of a plant that supports leaves, fruits, or flowers" + }, + "numerical": { + "CHS": "数字的, 用数表示的", + "ENG": "expressed or considered in numbers" + }, + "dynamic": { + "CHS": "动力的, 动力学的", + "ENG": "continuously moving or changing" + }, + "fellow": { + "CHS": "家伙, 同事", + "ENG": "a man" + }, + "punishment": { + "CHS": "惩罚, 处罚", + "ENG": "Punishment is the act of punishing someone or of being punished" + }, + "ethnic": { + "CHS": "人种的, 种族的", + "ENG": "relating to a particular race, nation, or tribe and their customs and traditions" + }, + "goat": { + "CHS": "山羊", + "ENG": "an animal that has horns on top of its head and long hair under its chin, and can climb steep hills and rocks. Goats live wild in the mountains or are kept as farm animals." + }, + "cottonwood": { + "CHS": "[植]三叶杨", + "ENG": "a North American tree with seeds that look like white cotton" + }, + "theorist": { + "CHS": "理论家", + "ENG": "someone who develops ideas within a particular subject that explain why particular things happen or are true" + }, + "mental": { + "CHS": "精神的,智力的", + "ENG": "relating to the health or state of someone’s mind" + }, + "web": { + "CHS": "网", + "ENG": "the system on the Internet that allows you to find and use information that is held on computers all over the world" + }, + "pursue": { + "CHS": "追赶, 追踪", + "ENG": "to chase or follow someone or something, in order to catch them, attack them etc" + }, + "resilience": { + "CHS": "弹性,弹力", + "ENG": "the ability of a substance such as rubber to return to its original shape after it has been pressed or bent" + }, + "outbreak": { + "CHS": "爆发, 发作", + "ENG": "if there is an outbreak of fighting or disease in an area, it suddenly starts to happen" + }, + "mutually": { + "CHS": "互相地, 互助" + }, + "driver": { + "CHS": "驾驶员,司机", + "ENG": "someone who drives a car, bus etc" + }, + "leather": { + "CHS": "皮革, 皮革制品", + "ENG": "animal skin that has been treated to preserve it, and is used for making shoes, bags etc" + }, + "neon": { + "CHS": "[化]氖", + "ENG": "a colourless gas that is found in small quantities in the air and is used in glass tubes to produce a bright light in electric advertising signs. It is a chemical element: symbol Ne" + }, + "cash": { + "CHS": "现金 vt兑现", + "ENG": "money in the form of coins or notes rather than cheques, credit card s etc" + }, + "dog": { + "CHS": "狗, 犬", + "ENG": "a common animal with four legs, fur, and a tail. Dogs are kept as pets or trained to guard places, find drugs etc." + }, + "bladder": { + "CHS": "膀胱, 气泡", + "ENG": "the organ in your body that holds urine (= waste liquid ) until it is passed out of your body" + }, + "cry": { + "CHS": "哭", + "ENG": "to produce tears from your eyes, usually because you are unhappy or hurt" + }, + "tale": { + "CHS": "故事,传说", + "ENG": "a story about exciting imaginary events" + }, + "cord": { + "CHS": "绳索, 束缚", + "ENG": "a piece of thick string or thin rope" + }, + "wed": { + "CHS": "娶, 嫁, 结婚", + "ENG": "to marry – used especially in literature or newspapers" + }, + "advancement": { + "CHS": "前进, 进步", + "ENG": "progress or development in your job, level of knowledge etc" + }, + "dedicate": { + "CHS": "献(身), 致力", + "ENG": "to give all your attention and effort to one particular thing" + }, + "thirteen": { + "CHS": "十三", + "ENG": "the number 13" + }, + "respiration": { + "CHS": "呼吸, 呼吸作用", + "ENG": "the process of breathing" + }, + "cheaply": { + "CHS": "廉价地;粗俗地" + }, + "safety": { + "CHS": "安全, 保险", + "ENG": "when someone or something is safe from danger or harm" + }, + "coach": { + "CHS": "教练;长途公共汽车 vt训练,指导", + "ENG": "someone who trains a person or team in a sport" + }, + "transit": { + "CHS": "运输,载运", + "ENG": "the process of moving goods or people from one place to another" + }, + "soap": { + "CHS": "肥皂", + "ENG": "the substance that you use to wash your body" + }, + "quiet": { + "CHS": "安静的, 宁静的", + "ENG": "not making much noise, or making no noise at all" + }, + "corona": { + "CHS": "冠壮物" + }, + "therapy": { + "CHS": "治疗", + "ENG": "the treatment of an illness or injury over a fairly long period of time" + }, + "speculative": { + "CHS": "推测的, 思索的,投机的", + "ENG": "based on guessing, not on information or facts" + }, + "impressionist": { + "CHS": "印象主义者" + }, + "incentive": { + "CHS": "刺激的, 鼓励的 n动机" + }, + "pilot": { + "CHS": "飞行员, 领航员", + "ENG": "someone who operates the controls of an aircraft or spacecraft" + }, + "disposal": { + "CHS": "处理, 处置", + "ENG": "when you get rid of something" + }, + "spectacle": { + "CHS": "景象, 场面,奇观", + "ENG": "a very impressive show or scene" + }, + "flour": { + "CHS": "面粉", + "ENG": "a powder that is made by crushing wheat or other grain and is used for making bread, cakes etc" + }, + "latent": { + "CHS": "潜在的, 潜伏的", + "ENG": "something that is latent is present but hidden, and may develop or become more noticeable in the future" + }, + "silica": { + "CHS": "[化]硅石", + "ENG": "a chemical compound that exists naturally as sand, quartz , and flint , used in making glass" + }, + "deaf": { + "CHS": "聋的", + "ENG": "physically unable to hear anything or unable to hear well" + }, + "bureau": { + "CHS": "局,办事处", + "ENG": "an office or organization that collects or provides information" + }, + "tow": { + "CHS": "拖, 曳", + "ENG": "to pull a vehicle or ship along behind another vehicle, using a rope or chain" + }, + "rudimentary": { + "CHS": "基本的,初步的,未充分发展的", + "ENG": "a rudimentary knowledge or understanding of a subject is very simple and basic" + }, + "involvement": { + "CHS": "连累, 包含" + }, + "opening": { + "CHS": "开口, 开始", + "ENG": "the time when a new building, road etc is used for the first time, or when a public event begins, especially when it involves a special ceremony" + }, + "otter": { + "CHS": "水獭, 水獭皮", + "ENG": "an animal with smooth brown fur that swims in rivers and eats fish" + }, + "let": { + "CHS": "允许,让", + "ENG": "to allow someone to do something" + }, + "illustration": { + "CHS": "说明, 例证", + "ENG": "a story, event, action etc that shows the truth or existence of something very clearly" + }, + "pant": { + "CHS": "喘息" + }, + "shatter": { + "CHS": "粉碎,破灭", + "ENG": "to break suddenly into very small pieces, or to make something break in this way" + }, + "makeup": { + "CHS": "化妆品,组成, 结构", + "ENG": "Makeup consists of things such as lipstick, eye shadow, and powder which some women put on their faces to make themselves look more attractive or which actors use to change or improve their appearance" + }, + "neutral": { + "CHS": "中立的, 中性的", + "ENG": "not supporting any of the people or groups involved in an argument or disagreement" + }, + "anticipate": { + "CHS": "预期(料),期望", + "ENG": "to expect that something will happen and be ready for it" + }, + "valid": { + "CHS": "有效的,有根据的,合法的", + "ENG": "a valid ticket, document, or agreement is legally or officially acceptable" + }, + "borrow": { + "CHS": "借, 借入", + "ENG": "to use something that belongs to someone else and that you must give back to them later" + }, + "indoor": { + "CHS": "户内的, 室内的", + "ENG": "used or happening inside a building" + }, + "grassland": { + "CHS": "牧草地, 草原", + "ENG": "a large area of land covered with wild grass" + }, + "purely": { + "CHS": "仅仅;简单地", + "ENG": "completely and only" + }, + "deciduous": { + "CHS": "每年落叶的, 非永久性的", + "ENG": "deciduous trees lose their leaves in winter" + }, + "scene": { + "CHS": "场面, 情景", + "ENG": "what is happening in a place, or what can be seen happening" + }, + "fifth": { + "CHS": "第五的", + "ENG": "coming after four other things in a series" + }, + "broadside": { + "CHS": "(船)舷侧", + "ENG": "an attack in which all the guns on one side of a ship are fired at the same time" + }, + "mood": { + "CHS": "心情, 情绪", + "ENG": "the way you feel at a particular time" + }, + "tethys": { + "CHS": "古地中海, 特提斯海" + }, + "decipher": { + "CHS": "译解", + "ENG": "to find the meaning of something that is difficult to read or understand" + }, + "divert": { + "CHS": "使转向,转移", + "ENG": "to change the direction in which something travels" + }, + "broadway": { + "CHS": "百老汇大街(的)" + }, + "thorough": { + "CHS": "十分的, 彻底的", + "ENG": "including every possible detail" + }, + "interrupt": { + "CHS": "打断, 妨碍, 插嘴", + "ENG": "to stop someone from continuing what they are saying or doing by suddenly speaking to them, making a noise etc" + }, + "compel": { + "CHS": "强迫, 迫使", + "ENG": "to force someone to do something" + }, + "dislike": { + "CHS": "讨厌, 不喜欢", + "ENG": "to think someone or something is unpleasant and not like them" + }, + "unfamiliar": { + "CHS": "不熟悉的", + "ENG": "not known to you" + }, + "shortly": { + "CHS": "立刻, 马上", + "ENG": "soon" + }, + "fence": { + "CHS": "栅栏 v用篱笆围住", + "ENG": "a structure made of wood, metal etc that surrounds a piece of land" + }, + "raven": { + "CHS": "大乌鸦", + "ENG": "a large shiny black bird" + }, + "pamphlet": { + "CHS": "小册子", + "ENG": "a very thin book with paper covers, that gives information about something" + }, + "dive": { + "CHS": "潜水, 跳水", + "ENG": "to jump into deep water with your head and arms going in first" + }, + "swarm": { + "CHS": "蜂群, 一大群", + "ENG": "a large group of insects, especially bee s ,moving together" + }, + "fuse": { + "CHS": "保险丝 v熔合", + "ENG": "a short thin piece of wire inside electrical equipment which prevents damage by melting and stopping the electricity when there is too much power" + }, + "ruin": { + "CHS": "毁灭(坏)", + "ENG": "to spoil or destroy something completely" + }, + "commuter": { + "CHS": "通勤者, 每日往返上班者", + "ENG": "someone who travels a long distance to work every day" + }, + "movable": { + "CHS": "活动的,变动的", + "ENG": "able to be moved and not fixed in one place or position" + }, + "harden": { + "CHS": "(使)变硬, (使)坚强", + "ENG": "to become firm or stiff, or to make something firm or stiff" + }, + "alloy": { + "CHS": "合金", + "ENG": "a metal that consists of two or more metals mixed together" + }, + "astronomy": { + "CHS": "天文学", + "ENG": "the scientific study of the stars and planet s " + }, + "bind": { + "CHS": "捆绑(扎);结(粘)合", + "ENG": "to stick together in a mass, or to make small pieces of something stick together" + }, + "tear": { + "CHS": "眼泪 v撕(裂)" + }, + "conversion": { + "CHS": "变换, 转化", + "ENG": "when you change something from one form, purpose, or system to a different one" + }, + "easter": { + "CHS": "[宗](耶稣)复活节", + "ENG": "Easter is a Christian festival when Jesus Christ's return to life is celebrated. It is celebrated on a Sunday in March or April. " + }, + "weed": { + "CHS": "野草, 杂草", + "ENG": "a wild plant growing where it is not wanted that prevents crops or garden flowers from growing properly" + }, + "negotiate": { + "CHS": "商议, 谈判", + "ENG": "to discuss something in order to reach an agreement, especially in business or politics" + }, + "tidal": { + "CHS": "潮汐的, 定时涨落的", + "ENG": "relating to the regular rising and falling of the sea" + }, + "flask": { + "CHS": "长颈瓶", + "ENG": "a glass bottle with a narrow top, used in a laboratory " + }, + "eusocial": { + "CHS": "(昆虫)完全社会性的" + }, + "gardening": { + "CHS": "园艺", + "ENG": "the activity of working in a garden, growing plants, cutting a lawn etc" + }, + "fat": { + "CHS": "肥胖的", + "ENG": "weighing too much because you have too much flesh on your body" + }, + "deepen": { + "CHS": "加深, 深化", + "ENG": "if a serious situation deepens, it gets worse – used especially in news reports" + }, + "oliver": { + "CHS": "脚踏铁槌" + }, + "canvas": { + "CHS": "帆布;(帆布)油画", + "ENG": "strong cloth used to make bags, tents, shoes etc" + }, + "ideology": { + "CHS": "意识形态", + "ENG": "a set of beliefs on which a political or economic system is based, or which strongly influence the way people behave" + }, + "turkey": { + "CHS": "土耳其,火鸡", + "ENG": "a bird that looks like a large chicken and is often eaten at Christmas and at Thanksgiving" + }, + "slice": { + "CHS": "薄片 v切(片)", + "ENG": "a thin flat piece of food cut from a larger piece" + }, + "solitary": { + "CHS": "孤独的", + "ENG": "doing something without anyone else with you" + }, + "intensively": { + "CHS": "加强地, 集中地" + }, + "unstable": { + "CHS": "不牢固的, 不稳定的", + "ENG": "likely to change sud­denly and become worse" + }, + "reheat": { + "CHS": "再热", + "ENG": "to make a meal or drink hot again" + }, + "via": { + "CHS": "经,通过,经由", + "ENG": "travelling through a place on the way to another place" + }, + "financially": { + "CHS": "财政上(金融上)" + }, + "diversification": { + "CHS": "变化, 多样化" + }, + "sedentary": { + "CHS": "久坐的,固定不动的", + "ENG": "spending a lot of time sitting down, and not moving or exercising very much" + }, + "descend": { + "CHS": "下来, 下降", + "ENG": "to move from a higher level to a lower one" + }, + "outwork": { + "CHS": "外包活", + "ENG": "work for a business that is done by people at home" + }, + "eohippus": { + "CHS": "<古生>始祖马", + "ENG": "the earliest horse: an extinct Eocene dog-sized animal of the genus with four-toed forelegs, three-toed hindlegs, and teeth specialized for browsing " + }, + "conductor": { + "CHS": "领导者, 经理", + "ENG": "something that allows electricity or heat to travel along it or through it" + }, + "blast": { + "CHS": "爆炸;一阵(疾风等) vt炸,炸掉", + "ENG": "an explosion, or the very strong movement of air that it causes" + }, + "nutritionally": { + "CHS": "在营养上, 营养方面" + }, + "prime": { + "CHS": "首要的,最好的", + "ENG": "most important" + }, + "fold": { + "CHS": "/v折叠", + "ENG": "the folds in material, skin etc are the loose parts that hang over other parts of it" + }, + "wake": { + "CHS": "醒来,唤醒", + "ENG": "to stop sleeping, or to make someone stop sleeping" + }, + "worm": { + "CHS": "虫,蠕虫", + "ENG": "a long thin creature with no bones and no legs that lives in soil" + }, + "mythical": { + "CHS": "神话的, 虚构的", + "ENG": "existing only in an ancient story" + }, + "handcraft": { + "CHS": "手工, 手艺" + }, + "endanger": { + "CHS": "危及", + "ENG": "to put someone or something in danger of being hurt, damaged, or destroyed" + }, + "wage": { + "CHS": "工资 v发动", + "ENG": "money you earn that is paid according to the number of hours, days, or weeks that you work" + }, + "sweep": { + "CHS": "打扫, 清扫", + "ENG": "to clean the dust, dirt etc from the floor or ground, using a brush with a long handle" + }, + "porosity": { + "CHS": "多孔性", + "ENG": "Porosity is the quality of being porous" + }, + "windmill": { + "CHS": "风车", + "ENG": "a building or structure with parts that turn around in the wind, used for producing electrical power or crushing grain" + }, + "backup": { + "CHS": "后援, 支持", + "ENG": "Backup consists of extra equipment, resources, or people that you can get help or support from if necessary" + }, + "intent": { + "CHS": "意图, 目的", + "ENG": "what you intend to do" + }, + "understory": { + "CHS": "林下叶层" + }, + "shaman": { + "CHS": "萨满教的道士, 僧人或巫师", + "ENG": "a person in some tribes who is a religious leader and is believed to be able to talk to spirits and cure illnesses" + }, + "stylize": { + "CHS": "使风格化, 仿效的风格", + "ENG": "to give a conventional or established stylistic form to " + }, + "autonomous": { + "CHS": "自治的", + "ENG": "an autonomous place or organization is free to govern or control itself" + }, + "pipeline": { + "CHS": "管道, 传递途径", + "ENG": "a line of connecting pipes, often under the ground, used for sending gas, oil etc over long distances" + }, + "renew": { + "CHS": "更新, 恢复", + "ENG": "to remove something that is old or broken and put a new one in its place" + }, + "dandelion": { + "CHS": "蒲公英", + "ENG": "a wild plant with a bright yellow flower which later becomes a white ball of seeds that are blown away in the wind" + }, + "monopoly": { + "CHS": "垄断(者)", + "ENG": "if a company or government has a monopoly of a business or political activity, it has complete control of it so that other organizations cannot compete with it" + }, + "membership": { + "CHS": "成员资格,全体会员", + "ENG": "when someone is a member of a club, group, or organization" + }, + "gate": { + "CHS": "大门", + "ENG": "the part of a fence or outside wall that you can open and close so that you can enter or leave a place" + }, + "homogeneous": { + "CHS": "同质的,相似的", + "ENG": "consisting of people or things that are all of the same type" + }, + "substantially": { + "CHS": "大体上;本质上", + "ENG": "used to say that in many ways something is true, the same, different etc" + }, + "internally": { + "CHS": "内部地, 国内地" + }, + "flame": { + "CHS": "火焰, 光辉", + "ENG": "hot bright burning gas that you see when something is on fire" + }, + "breeze": { + "CHS": "微风 vi吹微风,逃走", + "ENG": "a gentle wind" + }, + "poorly": { + "CHS": "不舒服的 ad贫穷地", + "ENG": "If someone is poorly, they are ill" + }, + "popularly": { + "CHS": "大众地, 通俗地", + "ENG": "If something or someone is popularly known as something, most people call them that, although it is not their official name or title" + }, + "devoid": { + "CHS": "全无的, 缺乏的", + "ENG": "If you say that someone or something is devoid of a quality or thing, you are emphasizing that they have none of it" + }, + "manifest": { + "CHS": "显示,表明,证明", + "ENG": "to show a feeling, attitude etc" + }, + "Guinea": { + "CHS": "几内亚" + }, + "landform": { + "CHS": "地形, 地貌", + "ENG": "A landform is any natural feature of the Earth's surface, such as a hill, a lake, or a beach" + }, + "mistake": { + "CHS": "弄错,误解", + "ENG": "to understand something wrongly" + }, + "pinpoint": { + "CHS": "十分精确的" + }, + "relief": { + "CHS": "轻松,缓解", + "ENG": "a feeling of comfort when something frightening, worrying, or painful has ended or has not happened" + }, + "rancher": { + "CHS": "大牧场主, 大牧场工人", + "ENG": "someone who owns or works on a ranch" + }, + "mosaic": { + "CHS": "镶嵌细工,马赛克", + "ENG": "a pattern or picture made by fitting together small pieces of coloured stone, glass etc" + }, + "maturation": { + "CHS": "化脓, 成熟", + "ENG": "the period during which something grows and develops" + }, + "recruitment": { + "CHS": "征募新兵, 补充" + }, + "preschooler": { + "CHS": "(美)学龄前儿童", + "ENG": "a child who does not yet go to school, or who goes to preschool" + }, + "miniature": { + "CHS": "小型的,微小的 n微小的模型", + "ENG": "much smaller than normal" + }, + "speculate": { + "CHS": "推测, 思索, 做投机买卖", + "ENG": "to guess about the possible causes or effects of something, without knowing all the facts or details" + }, + "pale": { + "CHS": "苍白的;淡的 vi变得苍白,变得暗淡" + }, + "loft": { + "CHS": "阁楼", + "ENG": "a room or space under the roof of a building, usually used for storing things in" + }, + "exotic": { + "CHS": "外来的", + "ENG": "something that is exotic seems unusual and interesting because it is related to a foreign country – use this to show approval" + }, + "practitioner": { + "CHS": "从业者, 开业者", + "ENG": "someone who regularly does a particular activity" + }, + "ear": { + "CHS": "耳朵", + "ENG": "one of the organs on either side of your head that you hear with" + }, + "photosynthesis": { + "CHS": "光合作用", + "ENG": "the production by a green plant of special substances like sugar that it uses as food, caused by the action of sunlight on chlorophyll (= the green substance in leaves ) " + }, + "diffuse": { + "CHS": "散播,传播", + "ENG": "to spread ideas or information among a lot of people, or to spread like this" + }, + "arc": { + "CHS": "弧, 弓形", + "ENG": "a curved shape or line" + }, + "flagellum": { + "CHS": "[动]鞭毛", + "ENG": "a long whiplike outgrowth from a cell that acts as an organ of locomotion: occurs in some protozoans, gametes, spores, etc " + }, + "cloth": { + "CHS": "布, 织物", + "ENG": "material used for making things such as clothes" + }, + "collapse": { + "CHS": "倒塌, 崩溃", + "ENG": "if a building, wall etc collapses, it falls down suddenly, usually because it is weak or damaged" + }, + "phytoremediation": { + "CHS": "植物除污, 植物治理法" + }, + "mustard": { + "CHS": "芥菜, 芥末", + "ENG": "a yellow sauce with a strong taste, eaten especially with meat" + }, + "chlorosis": { + "CHS": "萎黄病, 变色病", + "ENG": "a disorder, formerly common in adolescent girls, characterized by pale greenish-yellow skin, weakness, and palpitation and caused by insufficient iron in the body " + }, + "daylight": { + "CHS": "日光, 白昼", + "ENG": "the light produced by the sun during the day" + }, + "piecework": { + "CHS": "计件工作", + "ENG": "work for which you are paid according to the number of things you produce rather than the number of hours that you spend working" + }, + "luck": { + "CHS": "运气, 好运", + "ENG": "good things that happen to you by chance" + }, + "moment": { + "CHS": "片刻,瞬间", + "ENG": "a very short period of time" + }, + "ingenuity": { + "CHS": "机灵, 独创性" + }, + "gear": { + "CHS": "使适应", + "ENG": "If someone or something is geared to or toward a particular purpose, they are organized or designed in order to achieve that purpose" + }, + "intimate": { + "CHS": "亲密的,私人的", + "ENG": "having an extremely close friendship" + }, + "efficiency": { + "CHS": "效率, 功效", + "ENG": "the quality of doing something well and effectively, without wasting time, money, or energy" + }, + "Polynesian": { + "CHS": "波利尼西亚人, 波利尼西亚语", + "ENG": "a member of the people that inhabit Polynesia, generally of Caucasoid features with light skin and wavy hair " + }, + "inaccurate": { + "CHS": "不准确的, 错误的", + "ENG": "not completely correct" + }, + "eighteen": { + "CHS": "十八", + "ENG": "the number 18" + }, + "lumber": { + "CHS": "木材,木料", + "ENG": "pieces of wood used for building, that have been cut to specific lengths and widths" + }, + "monument": { + "CHS": "纪念碑", + "ENG": "a building, statue , or other large structure that is built to remind people of an important event or famous person" + }, + "garrison": { + "CHS": "守备队, 驻地", + "ENG": "a group of soldiers living in a town or fort and defending it" + }, + "starve": { + "CHS": "(使)饿死", + "ENG": "to suffer or die because you do not have enough to eat" + }, + "employment": { + "CHS": "雇用", + "ENG": "the condition of having a paid job" + }, + "crevice": { + "CHS": "裂缝", + "ENG": "a narrow crack in the surface of something, especially in rock" + }, + "port": { + "CHS": "港口", + "ENG": "a place where ships can be loaded and unloaded" + }, + "scavenger": { + "CHS": "清道夫,食腐动物" + }, + "antibiotic": { + "CHS": "抗生素", + "ENG": "a drug that is used to kill bacteria and cure infections" + }, + "complain": { + "CHS": "抱怨,控诉", + "ENG": "to say that you are annoyed, not satisfied, or unhappy about something or someone" + }, + "patron": { + "CHS": "资助人,赞助人", + "ENG": "someone who supports the activities of an organization, for example by giving money" + }, + "legume": { + "CHS": "豆类, 豆荚" + }, + "entry": { + "CHS": "进入, 入口", + "ENG": "the act of going into something" + }, + "cohesion": { + "CHS": "结合, 凝聚", + "ENG": "if there is cohesion among a group of people, a set of ideas etc, all the parts or members of it are connected or related in a reasonable way to form a whole" + }, + "bag": { + "CHS": "袋子", + "ENG": "the amount that a bag will hold" + }, + "stave": { + "CHS": "桶材;窄板 v敲破", + "ENG": "one of the thin curved pieces of wood fitted close together to form the sides of a barrel " + }, + "fungal": { + "CHS": "真菌的", + "ENG": "connected with or caused by a fungus " + }, + "outlet": { + "CHS": "出口, 出路", + "ENG": "a pipe or hole through which something such as a liquid or gas can flow out" + }, + "interconnect": { + "CHS": "使互相连接", + "ENG": "if two systems, places etc are interconnected, or if they interconnect, they are joined together(" + }, + "synthesize": { + "CHS": "综合, 合成", + "ENG": "to make something by combining different things or substances" + }, + "magnetosphere": { + "CHS": "磁气圈", + "ENG": "the region surrounding a planet, such as the earth, in which the behaviour of charged particles is controlled by the planet's magnetic field " + }, + "chisel": { + "CHS": "凿子 v砍凿", + "ENG": "a metal tool with a sharp edge, used to cut wood or stone" + }, + "disguise": { + "CHS": "伪装,掩饰", + "ENG": "to change the appearance, sound, taste etc of something so that people do not recognize it" + }, + "vein": { + "CHS": "静脉,血管", + "ENG": "one of the tubes which carries blood to your heart from other parts of your body" + }, + "curve": { + "CHS": "曲线,弯曲", + "ENG": "a line that gradually bends like part of a circle" + }, + "bloodhound": { + "CHS": "一种大侦探犬" + }, + "conception": { + "CHS": "观念, 概念", + "ENG": "an idea about what something is like, or a general understanding of something" + }, + "rental": { + "CHS": "租金额", + "ENG": "the money that you pay to use a car, television, or other machine over a period of time" + }, + "informal": { + "CHS": "不正式的", + "ENG": "relaxed and friendly without being restricted by rules of correct behaviour" + }, + "ambitious": { + "CHS": "有雄心的", + "ENG": "determined to be successful, rich, powerful etc" + }, + "measurable": { + "CHS": "可测量的", + "ENG": "able to be measured" + }, + "stroke": { + "CHS": "划桨;击", + "ENG": "the action of hitting the ball in games such as tennis, golf , and cricket " + }, + "enforce": { + "CHS": "实施, 执行,加强", + "ENG": "to make people obey a rule or law" + }, + "tannin": { + "CHS": "[化]丹宁酸", + "ENG": "a reddish acid used in preparing leather, making ink etc" + }, + "disagree": { + "CHS": "不一致, 不适宜", + "ENG": "if statements, numbers, or reports about the same event or situation disagree, they are different from each other" + }, + "joint": { + "CHS": "关节;接头", + "ENG": "a part of your body that can bend because two bones meet there" + }, + "tourism": { + "CHS": "旅游业, 观光", + "ENG": "the business of providing things for people to do, places for them to stay etc while they are on holiday" + }, + "woody": { + "CHS": "多树木的,木质的", + "ENG": "a woody plant has a stem like wood" + }, + "card": { + "CHS": "纸牌, 卡片", + "ENG": "a small piece of plastic or paper containing information about a person or showing, for example, that they belong to a particular organization, club etc" + }, + "ownership": { + "CHS": "所有权, 物主身份", + "ENG": "the fact of owning something" + }, + "prehistory": { + "CHS": "史前时代, 史前学", + "ENG": "the time in history before anything was written down" + }, + "centralize": { + "CHS": "集聚, 集中", + "ENG": "to organize the control of a country, organization, or system so that everything is done or decided in one place" + }, + "silicon": { + "CHS": "[化]硅", + "ENG": "a chemical substance that exists as a solid or as a powder and is used to make glass, bricks, and parts for computers. It is a chemical element: symbol Si" + }, + "stony": { + "CHS": "多石的, 无情的", + "ENG": "covered by stones or containing stones" + }, + "steep": { + "CHS": "陡峭的,急剧的", + "ENG": "a road, hill etc that is steep slopes at a high angle" + }, + "evening": { + "CHS": "傍晚, 晚间", + "ENG": "the early part of the night between the end of the day and the time you go to bed" + }, + "depart": { + "CHS": "离开,出发", + "ENG": "to leave, especially when you are starting a journey" + }, + "consistently": { + "CHS": "一致地;始终如一地" + }, + "cajun": { + "CHS": "移居美国路易斯安纳州的法人后裔", + "ENG": "A Cajun is a person of Cajun origin" + }, + "intrinsically": { + "CHS": "内在地, 固有地" + }, + "rod": { + "CHS": "杆, 棒", + "ENG": "a long thin pole or bar" + }, + "bread": { + "CHS": "面包, 生计", + "ENG": "a type of food made from flour and water that is mixed together and then baked" + }, + "glow": { + "CHS": "发光, 发热", + "ENG": "to produce or reflect a soft steady light" + }, + "flush": { + "CHS": "冲洗;(脸)发红", + "ENG": "to become red in the face, for example when you are angry or embarrassed" + }, + "geologically": { + "CHS": "地质学上" + }, + "gratify": { + "CHS": "使满足", + "ENG": "to make someone feel pleased and satisfied" + }, + "crane": { + "CHS": "起重机", + "ENG": "a large tall machine used by builders for lifting heavy things" + }, + "ledge": { + "CHS": "岩架,岩石突出部", + "ENG": "a narrow flat piece of rock that sticks out on the side of a mountain or cliff" + }, + "knife": { + "CHS": "刀, 餐刀", + "ENG": "a metal blade fixed into a handle, used for cutting or as a weapon" + }, + "squash": { + "CHS": "压碎;硬塞n美国南瓜", + "ENG": "to press something into a flatter shape, often breaking or damaging it" + }, + "cowboy": { + "CHS": "牧童;牛仔", + "ENG": "in the US, a man who rides a horse and whose job is to care for cattle" + }, + "notable": { + "CHS": "值得注意的, 显著的", + "ENG": "important, interesting, excellent, or unusual enough to be noticed or mentioned" + }, + "erect": { + "CHS": "建造,竖立,使直立", + "ENG": "to build something such as a building or wall" + }, + "maritime": { + "CHS": "海上的, 海事的", + "ENG": "relating to the sea or ships" + }, + "vastly": { + "CHS": "巨大地;广阔地" + }, + "bicycle": { + "CHS": "脚踏车, 自行车", + "ENG": "a vehicle with two wheels that you ride by pushing its pedal s with your feet" + }, + "fascinate": { + "CHS": "使着迷", + "ENG": "If something fascinates you, it interests and delights you so much that your thoughts tend to concentrate on it" + }, + "shellfish": { + "CHS": "贝, 甲壳类动物", + "ENG": "an animal that lives in water, has a shell, and can be eaten as food, for example crab s , lobster s , and oyster s " + }, + "dy": { + "CHS": "[化]镝(=dysprosium)" + }, + "inferior": { + "CHS": "下等的, 下级的", + "ENG": "not good, or not as good as someone or something else" + }, + "rub": { + "CHS": "擦,擦掉", + "ENG": "to move your hand, or something such as a cloth, backwards and forwards over a surface while pressing firmly" + }, + "beat": { + "CHS": "打;战胜", + "ENG": "to get the most points, votes etc in a game, race, or competition" + }, + "fan": { + "CHS": "(风)扇 vt扇,煽动", + "ENG": "a machine with turning blades that is used to cool the air in a room by moving it around" + }, + "agriculturalist": { + "CHS": "农学家", + "ENG": "An agriculturalist is someone who is an expert on agriculture and who advises farmers" + }, + "cooperate": { + "CHS": "合作, 协作", + "ENG": "to work with someone else to achieve something that you both want" + }, + "adorn": { + "CHS": "装饰", + "ENG": "to decorate something" + }, + "Pakistan": { + "CHS": "巴基斯坦(南亚国家)" + }, + "rhetorical": { + "CHS": "带修辞色彩的", + "ENG": "using speech or writing in special ways in order to persuade people or to produce an impressive effect" + }, + "formula": { + "CHS": "公式, 规则", + "ENG": "a series of numbers or letters that represent a mathematical or scientific rule" + }, + "leap": { + "CHS": "跳跃", + "ENG": "if your heart leaps, you feel a sudden surprise, happiness, or excitement" + }, + "inferential": { + "CHS": "推理的, 推论的", + "ENG": "of, relating to, or derived from inference " + }, + "reel": { + "CHS": "卷轴 vt卷,绕", + "ENG": "a round object onto which film, wire, a special string for fishing etc can be wound" + }, + "partial": { + "CHS": "部分的,局部的", + "ENG": "not complete" + }, + "crown": { + "CHS": "王冠,冕", + "ENG": "a mark, sign, badge etc in the shape of a crown, used especially to show rank or quality" + }, + "mysterious": { + "CHS": "神秘的", + "ENG": "mysterious events or situations are difficult to explain or understand" + }, + "audio": { + "CHS": "音频的,声音的", + "ENG": "relating to sound that is recorded or broadcast" + }, + "planetarium": { + "CHS": "天文馆", + "ENG": "a building where lights on a curved ceiling show the movements of planets and stars" + }, + "spider": { + "CHS": "蜘蛛,三脚架", + "ENG": "a small creature with eight legs, which catches insects using a fine network of sticky threads" + }, + "humorous": { + "CHS": "幽默的,诙谐的", + "ENG": "funny and enjoyable" + }, + "aristocratic": { + "CHS": "贵族政治的,贵族的", + "ENG": "belonging to or typical of the aristocracy" + }, + "parrot": { + "CHS": "鹦鹉", + "ENG": "a tropical bird with a curved beak and brightly coloured feathers that can be taught to copy human speech" + }, + "bush": { + "CHS": "矮树丛" + }, + "radar": { + "CHS": "雷达,电波探测器", + "ENG": "a piece of equipment that uses radio waves to find the position of things and watch their movement" + }, + "strand": { + "CHS": "使搁浅", + "ENG": "to leave or drive (ships, fish, etc) aground or ashore or (of ships, fish, etc) to be left or driven ashore " + }, + "conductance": { + "CHS": "电导, 导率", + "ENG": "the ability of a system to conduct electricity, measured by the ratio of the current flowing through the system to the potential difference across it; the reciprocal of resistance" + }, + "filter": { + "CHS": "过滤 ,透(过)", + "ENG": "to remove unwanted substances from water, air etc by passing it through a special substance or piece of equipment" + }, + "rainforest": { + "CHS": "雨林" + }, + "endocrine": { + "CHS": "内分泌" + }, + "hemlock": { + "CHS": "铁杉,毒芹", + "ENG": "a very poisonous plant, or the poison that is made from it" + }, + "determination": { + "CHS": "决心, 果断", + "ENG": "the quality of trying to do something even when it is difficult" + }, + "exclusively": { + "CHS": "专门地,排除其他地", + "ENG": "Exclusively is used to refer to situations or activities that involve only the thing or things mentioned, and nothing else" + }, + "quotation": { + "CHS": "引文,引语", + "ENG": "a sentence or phrase from a book, speech etc which you repeat in a speech or piece of writing because it is interesting or amusing" + }, + "discern": { + "CHS": "察觉出,识别", + "ENG": "to notice or understand something by thinking about it carefully" + }, + "professor": { + "CHS": "教授" + }, + "deposition": { + "CHS": "沉积, 免职", + "ENG": "the natural process of depositing a substance on rocks or soil" + }, + "handful": { + "CHS": "一把, 少数", + "ENG": "an amount that you can hold in your hand" + }, + "flaw": { + "CHS": "缺点,瑕疵", + "ENG": "a mistake, mark, or weakness that makes something imperfect" + }, + "shuttle": { + "CHS": "航天飞机;梭子 v穿梭来回(运送)", + "ENG": "a space shuttle " + }, + "necessity": { + "CHS": "需要,必需品", + "ENG": "something that you need to have in order to live" + }, + "reasonably": { + "CHS": "有理地;合理地", + "ENG": "in a way that is right or fair" + }, + "chill": { + "CHS": "使变冷(冷冻) n寒冷", + "ENG": "if you chill something such as food or drink, or if it chills, it becomes very cold but does not freeze" + }, + "pink": { + "CHS": "粉红色(的)", + "ENG": "a pale red colour" + }, + "ceiling": { + "CHS": "天花板, 上限", + "ENG": "the inner surface of the top part of a room" + }, + "commensalism": { + "CHS": "共栖" + }, + "parasitism": { + "CHS": "寄生状态, 寄生病", + "ENG": "the relationship between a parasite and its host " + }, + "outdoor": { + "CHS": "室外的, 户外的", + "ENG": "existing, happening, or used outside, not inside a building" + }, + "blanket": { + "CHS": "毯子", + "ENG": "a cover for a bed, usually made of wool" + }, + "modernize": { + "CHS": "使现代化", + "ENG": "to make something such as a system or building more modern" + }, + "boredom": { + "CHS": "厌倦", + "ENG": "the feeling you have when you are bored, or the quality of being boring" + }, + "somewhere": { + "CHS": "某处, 在某处", + "ENG": "in or to a place, but you do not say or know exactly where" + }, + "happiness": { + "CHS": "幸福, 快乐", + "ENG": "the state of being happy" + }, + "currency": { + "CHS": "流通", + "ENG": "the system or type of money that a country uses" + }, + "county": { + "CHS": "县, 郡", + "ENG": "an area of a state or country that has its own government to deal with local matters" + }, + "correspondence": { + "CHS": "通信, 信件, 相符", + "ENG": "the letters that someone sends and receives, especially official or business letters" + }, + "confidence": { + "CHS": "信心", + "ENG": "the feeling that you can trust someone or something to be good, work well, or produce good results" + }, + "coverage": { + "CHS": "覆盖", + "ENG": "when something affects or covers a particular area or group of things" + }, + "botany": { + "CHS": "植物学", + "ENG": "the scientific study of plants" + }, + "seemingly": { + "CHS": "表面上地", + "ENG": "appearing to have a particular quality, when this may or may not be true" + }, + "feminist": { + "CHS": "男女平等主义者", + "ENG": "someone who supports the idea that women should have the same rights and opportunities as men" + }, + "radium": { + "CHS": "[化]镭", + "ENG": "a white metal that is radioactive and is used in the treatment of diseases such as cancer . It is a chemical element : symbol Ra" + }, + "transmit": { + "CHS": "传送,传达", + "ENG": "to send out electronic signals, messages etc using radio, television, or other similar equipment" + }, + "persist": { + "CHS": "坚持, 持续", + "ENG": "to continue to do something, although this is difficult, or other people oppose it" + }, + "warrior": { + "CHS": "勇士,武士", + "ENG": "a soldier or fighter who is brave and experienced – used about people in the past" + }, + "portable": { + "CHS": "便于携带的,轻便的", + "ENG": "able to be carried or moved easily" + }, + "gentle": { + "CHS": "温和的, 文雅的", + "ENG": "kind and careful in the way you behave or do things, so that you do not hurt or damage anyone or anything" + }, + "swift": { + "CHS": "迅速的,敏捷的", + "ENG": "happening or done quickly and immediately" + }, + "suspect": { + "CHS": "推测,怀疑", + "ENG": "to think that something is probably true, especially something bad" + }, + "sleepy": { + "CHS": "困乏的,欲睡的", + "ENG": "tired and ready to sleep" + }, + "weakness": { + "CHS": "虚弱,弱点", + "ENG": "a fault in someone’s character or in a system, organization, design etc" + }, + "outgoing": { + "CHS": "外向的", + "ENG": "someone who is outgoing likes to meet and talk to new people" + }, + "combat": { + "CHS": "战斗,格斗", + "ENG": "fighting, especially during a war" + }, + "dispute": { + "CHS": "争论,争端", + "ENG": "a serious argument or disagreement" + }, + "Baltic": { + "CHS": "a波罗的海的, 波罗的语的", + "ENG": "a branch of the Indo-European family of languages consisting of Lithuanian, Latvian, and Old Prussian " + }, + "male": { + "CHS": "男的, 雄的", + "ENG": "typical of or relating to men or boys" + }, + "prevalent": { + "CHS": "普遍的, 流行的", + "ENG": "common at a particular time, in a particular place, or among a particular group of people" + }, + "convey": { + "CHS": "搬运,传达", + "ENG": "to communicate or express something, with or without using words" + }, + "recruit": { + "CHS": "新成员, 新兵", + "ENG": "someone who has just joined the army, navy, or air force " + }, + "hereditary": { + "CHS": "世袭的,遗传的", + "ENG": "a quality or illness that is hereditary is passed from a parent to a child before the child is born" + }, + "counterpart": { + "CHS": "职务相当的人,副本", + "ENG": "someone or something that has the same job or purpose as someone or something else in a different place" + }, + "personality": { + "CHS": "人格,个性", + "ENG": "someone’s character, especially the way they behave towards other people" + }, + "strut": { + "CHS": "昂首阔步地走" + }, + "prowl": { + "CHS": "巡游", + "ENG": "if someone prowls, they move around an area slowly and quietly, especially because they are involved in a criminal activity or because they are looking for something" + }, + "worship": { + "CHS": "崇拜, 爱慕", + "ENG": "to admire and love someone very much" + }, + "hat": { + "CHS": "帽子 vt戴帽子", + "ENG": "a piece of clothing that you wear on your head" + }, + "avenue": { + "CHS": "林荫道,方法", + "ENG": "a possible way of achieving something" + }, + "consensus": { + "CHS": "一致,同意", + "ENG": "an opinion that everyone in a group agrees with or accepts" + }, + "sugar": { + "CHS": "糖", + "ENG": "a sweet white or brown substance that is obtained from plants and used to make food and drinks sweet" + }, + "ethic": { + "CHS": "道德规范", + "ENG": "a general idea or belief that influences people’s behaviour and attitudes" + }, + "individualistic": { + "CHS": "个人主义的", + "ENG": "If you say that someone is individualistic, you mean that they like to think and do things in their own way, rather than imitating other people. You can also say that a society is individualistic if it encourages people to behave in this way. " + }, + "stylistic": { + "CHS": "风格上的,文体上", + "ENG": "relating to the particular way an artist, writer, musician etc makes or performs something, especially the technical features or methods they use" + }, + "eka": { + "CHS": "准(第一)" + }, + "check": { + "CHS": "核对,支票", + "ENG": "the American spelling of cheque " + }, + "cabin": { + "CHS": "小屋, 船舱", + "ENG": "a small house, especially one built of wood in an area of forest or mountains" + }, + "convenient": { + "CHS": "便利的,方便的", + "ENG": "useful to you because it saves you time, or does not spoil your plans or cause you problems" + }, + "geography": { + "CHS": "地理(学)", + "ENG": "the study of the countries, oceans, rivers, mountains, cities etc of the world" + }, + "bottle": { + "CHS": "瓶子 vt用瓶装", + "ENG": "a container with a narrow top for keeping liquids in, usually made of plastic or glass" + }, + "exaggeration": { + "CHS": "夸张", + "ENG": "a statement or way of saying something that makes something seem better, larger etc than it really is" + }, + "hamper": { + "CHS": "妨碍, 牵制", + "ENG": "to make it difficult for someone to do something" + }, + "unpleasant": { + "CHS": "不愉快的;不合意的", + "ENG": "not pleasant or enjoyable" + }, + "softwood": { + "CHS": "软木材", + "ENG": "wood from trees such as pine and fir that is cheap and easy to cut, or a tree with this type of wood" + }, + "arsenic": { + "CHS": "[化]砷, 砒霜", + "ENG": "a strong poison. It is a chemical element : symbol As" + }, + "bean": { + "CHS": "豆, 豆形果实", + "ENG": "a seed or a pod (= case containing seeds ) , that comes from a climbing plant and is cooked as food. There are very many types of beans." + }, + "slate": { + "CHS": "板岩,石板", + "ENG": "a dark grey rock that can easily be split into flat thin pieces" + }, + "reptilian": { + "CHS": "爬行类动物" + }, + "overirrigation": { + "CHS": "过量灌溉" + }, + "bold": { + "CHS": "大胆的, 无礼的", + "ENG": "not afraid of taking risks and making difficult decisions" + }, + "conclusive": { + "CHS": "决定性的,结论性的", + "ENG": "showing that something is definitely true" + }, + "file": { + "CHS": "文档 vt登记备案 ,提出", + "ENG": "a set of papers, records etc that contain information about a particular person or subject" + }, + "honeybee": { + "CHS": "蜜蜂", + "ENG": "a bee that makes honey" + }, + "satiric": { + "CHS": "讽刺的,挖苦的" + }, + "refresh": { + "CHS": "(使)精神振作,(使)恢复活力", + "ENG": "to make someone feel less tired or less hot" + }, + "starvation": { + "CHS": "饥饿, 饿死", + "ENG": "suffering or death caused by lack of food" + }, + "personally": { + "CHS": "亲自;就个人来说", + "ENG": "used to emphasize that you are only giving your own opinion about something" + }, + "spruce": { + "CHS": "云杉", + "ENG": "a tree that grows in nor-thern countries and has short leaves shaped like needles" + }, + "comprehend": { + "CHS": "理解,领会", + "ENG": "to understand something that is complicated or difficult" + }, + "diffusion": { + "CHS": "传播,散布" + }, + "differentiate": { + "CHS": "区分 ,区别", + "ENG": "to recognize or express the difference between things or people" + }, + "radical": { + "CHS": "根本的;激进的 n激进分子" + }, + "whenever": { + "CHS": "无论何时,随时" + }, + "stiffen": { + "CHS": "弄硬;加强", + "ENG": "to become stronger, more severe, or more determined, or to make something do this" + }, + "simulate": { + "CHS": "模拟, 模仿", + "ENG": "to make or produce something that is not real but has the appearance or feeling of being real" + }, + "fetus": { + "CHS": "胎儿", + "ENG": "A fetus is an animal or human being in its later stages of development before it is born" + }, + "feeder": { + "CHS": "饲养员" + }, + "reminder": { + "CHS": "提醒物;暗示", + "ENG": "Something that serves as a reminder of another thing makes you think about the other thing" + }, + "foodstuff": { + "CHS": "食品, 粮食", + "ENG": "food - used especially when talking about the business of producing or selling food" + }, + "shepherd": { + "CHS": "带领,引导", + "ENG": "to lead or guide a group of people somewhere, making sure that they go where you want them to go" + }, + "pine": { + "CHS": "松(树) vi消瘦", + "ENG": "a tall tree with long hard sharp leaves that do not fall off in winter" + }, + "informant": { + "CHS": "通知者, 告密者", + "ENG": "someone who secretly gives the police, the army etc information about someone else" + }, + "allocate": { + "CHS": "分派, 分配", + "ENG": "to use something for a particular purpose, give something to a particular person etc, especially after an official decision has been made" + }, + "cedar": { + "CHS": "雪松", + "ENG": "a large evergreen tree with leaves shaped like needles" + }, + "vanish": { + "CHS": "消失", + "ENG": "to disappear suddenly, especially in a way that cannot be easily explained" + }, + "slab": { + "CHS": "厚板,平板", + "ENG": "a thick flat piece of a hard material such as stone" + }, + "coexist": { + "CHS": "共存", + "ENG": "if two different things coexist, they exist at the same time or in the same place" + }, + "marble": { + "CHS": "大理石", + "ENG": "a type of hard rock that becomes smooth when it is polished, and is used for making buildings, statue s etc" + }, + "moose": { + "CHS": "[动] 驼鹿", + "ENG": "a large brown animal like a deer that has very large flat antler s (= horns that grow like branches ) and lives in North America, northern Europe, and parts of Asia" + }, + "cod": { + "CHS": "货到付款 (Cash on Delivery) n鳕鱼" + }, + "migrant": { + "CHS": "移居者, 候鸟", + "ENG": "someone who goes to live in another area or country, especially in order to find work" + }, + "aviation": { + "CHS": "航空,飞机制造业", + "ENG": "the science or practice of flying in aircraft" + }, + "frontal": { + "CHS": "前沿" + }, + "hexagonal": { + "CHS": "六角形的,六边的", + "ENG": "A hexagonal object or shape has six straight sides" + }, + "journal": { + "CHS": "定期刊物, 杂志", + "ENG": "a serious magazine produced for professional people or those with a particular interest" + }, + "assure": { + "CHS": "使确信, 确保", + "ENG": "to tell someone that something will definitely happen or is definitely true so that they are less worried" + }, + "sizable": { + "CHS": "相当大的", + "ENG": "Sizable means fairly large" + }, + "decompose": { + "CHS": "(使)腐烂", + "ENG": "to decay or make something decay" + }, + "scout": { + "CHS": "侦察员 vi侦察", + "ENG": "a soldier, plane etc that is sent to search the area in front of an army and get information about the enemy" + }, + "mineralization": { + "CHS": "矿化作用,成矿作用" + }, + "krypton": { + "CHS": "[化] 氪", + "ENG": "Krypton is an element that is found in the air in the form of a gas. It is used in fluorescent lights and lasers. " + }, + "diminish": { + "CHS": "(使)减少, (使)变小", + "ENG": "to become or make something become smaller or less" + }, + "residual": { + "CHS": "剩余的, 残留的", + "ENG": "remaining after a process, event etc is finished" + }, + "chlorophyll": { + "CHS": "[生化]叶绿素", + "ENG": "the green-coloured substance in plants" + }, + "xenon": { + "CHS": "氙(惰性气体的一种,元素符号Xe)", + "ENG": "a colourless gas that is found in very small quantities in the air. It is a chemical element: symbol Xe" + }, + "coil": { + "CHS": "盘绕, 卷", + "ENG": "to wind or twist into a series of rings, or to make something do this" + }, + "penicillin": { + "CHS": "[微]青霉素(一种抗菌素,音译名为盘尼西林)", + "ENG": "a type of medicine that is used to treat infections caused by bacteria " + }, + "homestead": { + "CHS": "家宅,宅基" + }, + "prestigious": { + "CHS": "享有声望的", + "ENG": "admired as one of the best and most important" + }, + "frustration": { + "CHS": "挫败, 挫折", + "ENG": "the fact of being prevented from achieving what you are trying to achieve" + }, + "servant": { + "CHS": "仆人", + "ENG": "someone, especially in the past, who was paid to clean someone’s house, cook for them, answer the door etc, and who often lived in the house" + }, + "imitative": { + "CHS": "仿制的,模仿的", + "ENG": "copying someone or something, especially in a way that shows you do not have any ideas of your own" + }, + "lesson": { + "CHS": "功课", + "ENG": "a period of time in which someone is taught a particular skill, for example how to play a musical instrument or drive a car" + }, + "incubate": { + "CHS": "孵卵", + "ENG": "if a bird incubates its eggs, or if the eggs incubate, they are kept warm until they hatch(= the birds inside are born )" + }, + "hectare": { + "CHS": "公顷(等于1万平方米)", + "ENG": "a unit for measuring area, equal to 10,000 square metres" + }, + "alert": { + "CHS": "警觉的n戒备", + "ENG": "giving all your attention to what is happening, being said etc" + }, + "committee": { + "CHS": "委员会", + "ENG": "a group of people chosen to do a particular job, make decisions etc" + }, + "chocolate": { + "CHS": "巧克力", + "ENG": "a sweet brown food that you can eat as a sweet or use in cooking to give foods such as cakes a special sweet taste" + }, + "loosely": { + "CHS": "松散地" + }, + "creator": { + "CHS": "创建者, 创作者", + "ENG": "someone who made or invented a particular thing" + }, + "dirt": { + "CHS": "污垢, 泥土", + "ENG": "any substance that makes things dirty, such as mud or dust" + }, + "Asian": { + "CHS": "亚洲(的), 亚洲人(的)", + "ENG": "someone from Asia, or whose family originally came from Asia, especially India or Pakistan" + }, + "enthusiastic": { + "CHS": "热心的, 热情的", + "ENG": "feeling or showing a lot of interest and excitement about something" + }, + "proof": { + "CHS": "证据,证明", + "ENG": "facts, information, documents etc that prove something is true" + }, + "infrastructure": { + "CHS": "下部构造,基础下部组织", + "ENG": "the basic systems and structures that a country or organization needs in order to work properly, for example roads, railways, banks etc" + }, + "novelist": { + "CHS": "(长篇)小说家", + "ENG": "someone who writes novels" + }, + "peruvian": { + "CHS": "秘鲁人(的)", + "ENG": "A Peruvian is someone who is Peruvian" + }, + "static": { + "CHS": "静态的, 静止的", + "ENG": "not moving, changing, or developing" + }, + "osprey": { + "CHS": "白色的羽毛, 鱼鹰", + "ENG": "a type of large bird that kills and eats fish" + }, + "Scotland": { + "CHS": "苏格兰(英国的一部分,在不列颠北部)" + }, + "underneath": { + "CHS": "在下面 prep在的下面", + "ENG": "Underneath is also an adverb" + }, + "pillar": { + "CHS": "柱子, 栋梁", + "ENG": "somebody who is an important and respected member of a group, and is involved in many public activities" + }, + "affection": { + "CHS": "影响, 感情", + "ENG": "Your affections are your feelings of love or fondness for someone" + }, + "someone": { + "CHS": "有人, 某人", + "ENG": "used to mean a person, when you do not know or do not say who the person is" + }, + "kneel": { + "CHS": "跪下", + "ENG": "to be in or move into a position where your body is resting on your knees" + }, + "evaluation": { + "CHS": "估价, 评价", + "ENG": "a judgment about how good, useful, or successful something is" + }, + "huckleberry": { + "CHS": "越橘类", + "ENG": "any American ericaceous shrub of the genus Gaylussacia, having edible dark blue berries with large seeds " + }, + "elk": { + "CHS": "麋鹿", + "ENG": "a very large brown North American, European, and Asian animal with wide flat horns" + }, + "darken": { + "CHS": "(使)变暗", + "ENG": "to become dark, or to make something dark" + }, + "suffer": { + "CHS": "遭受, 经历", + "ENG": "to experience physical or mental pain" + }, + "jaw": { + "CHS": "颚,下巴", + "ENG": "the lower part of your face. Its shape is sometimes thought to show your character" + }, + "hardship": { + "CHS": "困苦, 艰难", + "ENG": "something that makes your life difficult or unpleasant, especially a lack of money, or the condition of having a difficult life" + }, + "historically": { + "CHS": "历史上地" + }, + "disorient": { + "CHS": "使失去方向感, 使迷惑" + }, + "anthocyanin": { + "CHS": "[植]花青素, [化]花色醣苔" + }, + "acidic": { + "CHS": "酸的,酸性的", + "ENG": "very sour" + }, + "elder": { + "CHS": "年长者, 老人", + "ENG": "to be older than someone else" + }, + "modification": { + "CHS": "更改, 修改", + "ENG": "a small change made in something such as a design, plan, or system" + }, + "anyone": { + "CHS": "任何一个", + "ENG": "used to refer to any person, when it is not important to say exactly who" + }, + "fingerboard": { + "CHS": "键盘" + }, + "watercraft": { + "CHS": "船只", + "ENG": "a boat or ship or such vessels collectively " + }, + "buildup": { + "CHS": "集结, 增长" + }, + "varnish": { + "CHS": "涂清漆,使光亮", + "ENG": "to cover something with varnish" + }, + "warfare": { + "CHS": "战争, 作战, 冲突, 竞争", + "ENG": "the activity of fighting in a war – used especially when talking about particular methods of fighting" + }, + "cop": { + "CHS": "警官, 巡警", + "ENG": "a police officer" + }, + "symbiosis": { + "CHS": "[生]共生(现象),合作关系", + "ENG": "the relationship between different living things that depend on each other" + }, + "presidential": { + "CHS": "总统的", + "ENG": "relating to a president" + }, + "sponge": { + "CHS": "海绵 vt擦", + "ENG": "a piece of a soft natural or artificial substance full of small holes, which can suck up liquid and is used for washing" + }, + "gut": { + "CHS": "内脏", + "ENG": "the parts inside a machine or piece of equipment" + }, + "Russia": { + "CHS": "俄罗斯" + }, + "powder": { + "CHS": "粉(末) v搽粉,撒粉", + "ENG": "a dry substance in the form of very small grains" + }, + "organizational": { + "CHS": "组织的", + "ENG": "Organizational abilities and methods relate to the way that work, activities, or events are planned and arranged" + }, + "abruptly": { + "CHS": "突然地;粗鲁地" + }, + "administrative": { + "CHS": "管理的,行政的", + "ENG": "relating to the work of managing a company or organization" + }, + "hypothetical": { + "CHS": "假说的,臆说的", + "ENG": "based on a situation that is not real, but that might happen" + }, + "pastoral": { + "CHS": "田园生活的,宁静的", + "ENG": "typical of the simple peaceful life in the country" + }, + "overtime": { + "CHS": "超时", + "ENG": "time that you spend working in your job in addition to your normal working hours" + }, + "interglacial": { + "CHS": "间冰期的", + "ENG": "occurring or formed between periods of glacial action " + }, + "bias": { + "CHS": "偏见vt使存偏见", + "ENG": "an opinion about whether a person, group, or idea is good or bad that influences how you deal with it" + }, + "ahead": { + "CHS": "在前, 向前" + }, + "lamp": { + "CHS": "灯", + "ENG": "an object that produces light by using electricity, oil, or gas" + }, + "conform": { + "CHS": "使一致, 遵从", + "ENG": "to obey a law, rule etc" + }, + "detractor": { + "CHS": "诽谤者" + }, + "timescale": { + "CHS": "时标, 时间量程", + "ENG": "the period of time it takes for something to happen or be completed" + }, + "stove": { + "CHS": "炉", + "ENG": "a piece of kitchen equipment on which you cook food in pots and pans, and that contains an oven " + }, + "sailfish": { + "CHS": "旗鱼", + "ENG": "any of several large scombroid game fishes of the genus Istiophorus, such as I" + }, + "marlin": { + "CHS": "枪鱼", + "ENG": "a large sea fish with a long sharp nose, which people hunt for sport" + }, + "swordfish": { + "CHS": "旗鱼", + "ENG": "a large fish with a very long pointed upper jaw" + }, + "commit": { + "CHS": "犯罪, 承诺, 委托", + "ENG": "to do something wrong or illegal" + }, + "renewal": { + "CHS": "更新, 恢复", + "ENG": "when an activity, situation, or process begins again after a period when it had stopped" + }, + "false": { + "CHS": "错误的;假的", + "ENG": "a statement, story etc that is false is completely untrue" + }, + "Eurasian": { + "CHS": "欧亚的, 欧亚人的", + "ENG": "relating to both Europe and Asia" + }, + "tolerant": { + "CHS": "宽容的, 容忍的", + "ENG": "allowing people to do, say, or believe what they want without criticizing or punishing them" + }, + "dull": { + "CHS": "乏味的;阴沉的", + "ENG": "not interesting or exciting" + }, + "depress": { + "CHS": "使沮丧, 使消沉", + "ENG": "to make someone feel very unhappy" + }, + "fortunate": { + "CHS": "幸运的, 侥幸的", + "ENG": "someone who is fortunate has something good happen to them, or is in a good situation" + }, + "buoyant": { + "CHS": "有浮力的, 轻快的", + "ENG": "able to float or keep things floating" + }, + "slick": { + "CHS": "圆滑的;精巧的", + "ENG": "if someone is slick, they are good at persuading people, often in a way that does not seem honest" + }, + "shine": { + "CHS": "照耀,发光 n光泽", + "ENG": "to produce bright light" + }, + "kinship": { + "CHS": "血族关系", + "ENG": "a family relationship" + }, + "helpful": { + "CHS": "有益的;给予帮助的", + "ENG": "providing useful help in making a situation better or easier" + }, + "domestication": { + "CHS": "驯养, 教化" + }, + "blur": { + "CHS": "污点, 模糊", + "ENG": "a shape that you cannot see clearly" + }, + "replenish": { + "CHS": "补充", + "ENG": "to put new supplies into something, or to fill something again" + }, + "fellowship": { + "CHS": "伙伴关系" + }, + "tutelage": { + "CHS": "监护", + "ENG": "when you are taught or looked after by someone" + }, + "freudian": { + "CHS": "n&a,佛洛伊德学说(的)" + }, + "controversy": { + "CHS": "论争, 辩论", + "ENG": "a serious argument about something that involves many people and continues for a long time" + }, + "blubber": { + "CHS": "鲸脂,哭号v哭号", + "ENG": "the fat of sea animals, especially whale s " + }, + "basalt": { + "CHS": "玄武岩", + "ENG": "a type of dark green-black rock" + }, + "predation": { + "CHS": "掠食", + "ENG": "when an animal kills and eats another animal" + }, + "qualification": { + "CHS": "资格, 条件", + "ENG": "if you have a qualification, you have passed an examination or course to show you have a particular level of skill or knowledge in a subject" + }, + "perish": { + "CHS": "丧生,消亡", + "ENG": "to die, especially in a terrible or sudden way" + }, + "photographer": { + "CHS": "摄影师", + "ENG": "someone who takes photographs, especially as a professional or as an artist" + }, + "boule": { + "CHS": "人造宝石,议会", + "ENG": "the parliament in modern Greece " + }, + "Berlin": { + "CHS": "柏林[德国]", + "ENG": "a fine wool yarn used for tapestry work, etc " + }, + "trance": { + "CHS": "恍惚;出神", + "ENG": "a state in which you behave as if you were asleep but are still able to hear and understand what is said to you" + }, + "opaque": { + "CHS": "不透明的,难懂的", + "ENG": "opaque glass or liquid is difficult to see through and often thick" + }, + "vigorously": { + "CHS": "精力旺盛地;健壮地" + }, + "lease": { + "CHS": "租赁vt出租,租得", + "ENG": "a legal agreement which allows you to use a building, car etc for a period of time, in return for rent" + }, + "brightly": { + "CHS": "明亮地" + }, + "underlies": { + "CHS": "位于之下, 成为的基础" + }, + "telecommunication": { + "CHS": "电信,远程通信", + "ENG": "the telegraphic or telephonic communication of audio, video, or digital information over a distance by means of radio waves, optical signals, etc, or along a transmission line " + }, + "recur": { + "CHS": "再发生,重现", + "ENG": "if something, especially something bad or unpleasant, recurs, it happens again" + }, + "reset": { + "CHS": "重新安排", + "ENG": "to restart a computer without switching the power off" + }, + "constructive": { + "CHS": "建设性的,构造上的", + "ENG": "useful and helpful, or likely to produce good results" + }, + "habituation": { + "CHS": "适应" + }, + "generalization": { + "CHS": "一般化, 归纳, 概括", + "ENG": "a statement about all the members of a group that may be true in some or many situations but is not true in every case" + }, + "shock": { + "CHS": "震动;震惊", + "ENG": "if something that happens is a shock, you did not expect it, and it makes you feel very surprised, and usually upset" + }, + "permanence": { + "CHS": "永久, 持久" + }, + "tine": { + "CHS": "(尖)齿, 叉", + "ENG": "a pointed part of something that has several points, for example a fork" + }, + "vacation": { + "CHS": "假期,休假", + "ENG": "a holiday, or time spent not working" + }, + "briefly": { + "CHS": "简短地;简略地", + "ENG": "for a short time" + }, + "precipitate": { + "CHS": "促成;使沉淀 n沉淀物", + "ENG": "to make something serious happen suddenly or more quickly than was expected" + }, + "Scottish": { + "CHS": "苏格兰人(的), 苏格兰语(的)" + }, + "Norwegian": { + "CHS": "挪威的 n挪威人, 挪威语", + "ENG": "Norwegian means belonging or relating to Norway, or to its people, language, or culture" + }, + "lime": { + "CHS": "酸橙,石灰", + "ENG": "a white substance obtained by burning limestone, used for making cement, marking sports fields etc" + }, + "ball": { + "CHS": "球, 球状物", + "ENG": "a round object that is thrown, kicked, or hit in a game or sport" + }, + "joiner": { + "CHS": "工匠", + "ENG": "someone who makes wooden doors, window frames etc" + }, + "bulk": { + "CHS": "(大)块,主体 vt使更大" + }, + "repetition": { + "CHS": "重复,反复", + "ENG": "doing or saying the same thing many times" + }, + "patronage": { + "CHS": "赞助;光顾(买东西)", + "ENG": "the support, especially financial support, that is given to an organization or activity by a patron" + }, + "bacterium": { + "CHS": "细菌" + }, + "carman": { + "CHS": "车夫,司机", + "ENG": "a man who drives a car or cart; carter " + }, + "incise": { + "CHS": "切入, 切割" + }, + "shaft": { + "CHS": "柄,杆", + "ENG": "a long handle on a tool, spear etc" + }, + "leak": { + "CHS": "(使)漏;泄露 n漏洞", + "ENG": "if a container, pipe, roof etc leaks, or if it leaks gas, liquid etc, there is a small hole or crack in it that lets gas or liquid flow through" + }, + "energetic": { + "CHS": "精力充沛的,积极的", + "ENG": "having or needing a lot of energy or determination" + }, + "restore": { + "CHS": "恢复,重建", + "ENG": "to make something return to its former state or condition" + }, + "Mexican": { + "CHS": "墨西哥(的), 墨西哥人(的)", + "ENG": "someone from Mexico" + }, + "cat": { + "CHS": "猫", + "ENG": "to pretend to allow someone to do or have what they want, and then to stop them from doing or having it" + }, + "bit": { + "CHS": "一点儿,少许;小片", + "ENG": "a small piece of something" + }, + "doctor": { + "CHS": "医生;博士", + "ENG": "someone who is trained to treat people who are ill" + }, + "crumple": { + "CHS": "(使)皱,扭曲;(使)崩溃", + "ENG": "to crush something so that it becomes smaller and bent, or to be crushed in this way" + }, + "equality": { + "CHS": "等同性, 平等", + "ENG": "a situation in which people have the same rights, advantages etc" + }, + "developmental": { + "CHS": "发展的, 进化的", + "ENG": "relating to the development of someone or something" + }, + "await": { + "CHS": "等候", + "ENG": "to wait for something" + }, + "saline": { + "CHS": "含盐的;咸的", + "ENG": "containing or consisting of salt" + }, + "minimal": { + "CHS": "最小的, 最小限度的", + "ENG": "very small in degree or amount, especially the smallest degree or amount possible" + }, + "warmth": { + "CHS": "暖和, 温暖", + "ENG": "the heat something produces, or when you feel warm" + }, + "newborn": { + "CHS": "婴儿", + "ENG": "The newborn are babies or animals who are newborn" + }, + "opposition": { + "CHS": "反对,相反", + "ENG": "strong disagreement with, or protest against, something such as a plan, law, or system" + }, + "shadow": { + "CHS": "阴影;影子", + "ENG": "the dark shape that someone or something makes on a surface when they are between that surface and the light" + }, + "magic": { + "CHS": "魔术;魔力 a有魔力的", + "ENG": "a special, attractive, or exciting quality" + }, + "meal": { + "CHS": "餐, 一顿饭", + "ENG": "an occasion when you eat food, for example breakfast or dinner, or the food that you eat on that occasion" + }, + "mechanical": { + "CHS": "机械的, 机械制的", + "ENG": "affecting or involving a machine" + }, + "alien": { + "CHS": "外国(星)人", + "ENG": "someone who is not a legal citizen of the country they are living or working in" + }, + "chapbook": { + "CHS": "畅销故事书", + "ENG": "a book of popular ballads, stories, etc, formerly sold by chapmen or pedlars " + }, + "shoe": { + "CHS": "鞋", + "ENG": "something that you wear to cover your feet, made of leather or some other strong material" + }, + "Manhattan": { + "CHS": "曼哈顿岛(美国纽约一区)" + }, + "distract": { + "CHS": "转移,分散", + "ENG": "to take someone’s attention away from something by making them look at or listen to something else" + }, + "satisfactory": { + "CHS": "令人满意的", + "ENG": "something that is satisfactory seems good enough for you, or good enough for a particular situation or purpose" + }, + "devastate": { + "CHS": "毁坏", + "ENG": "to damage something very badly or completely" + }, + "Holland": { + "CHS": "荷兰" + }, + "glue": { + "CHS": "胶(水) vt胶合", + "ENG": "a sticky substance used for joining things together" + }, + "prospect": { + "CHS": "前景, 景象", + "ENG": "a particular event which will probably or definitely happen in the future – used especially when you want to talk about how you feel about it" + }, + "arcade": { + "CHS": "拱廊", + "ENG": "a covered passage at the side of a row of buildings with pillar s and arch es supporting it on one side" + }, + "navigational": { + "CHS": "导航的, 航行的", + "ENG": "Navigational means relating to the act of navigating a ship or an aircraft" + }, + "deterioration": { + "CHS": "变坏, 退化" + }, + "pursuit": { + "CHS": "追求,追逐", + "ENG": "when someone tries to get, achieve, or find something in a determined way" + }, + "soak": { + "CHS": "浸泡, 渗透", + "ENG": "if you soak something, or if you let it soak, you keep it covered with a liquid for a period of time, especially in order to make it softer or easier to clean" + }, + "metallurgy": { + "CHS": "冶金, 冶金术", + "ENG": "the scientific study of metals and their uses" + }, + "taxes": { + "CHS": "赋税, 税收", + "ENG": "Tax is an amount of money that you have to pay to the government so that it can pay for public services such as road and schools" + }, + "solidify": { + "CHS": "(使)凝固,团结", + "ENG": "When a liquid solidifies or is solidified, it changes into a solid" + }, + "belt": { + "CHS": "带子, 地带", + "ENG": "a band of leather, cloth etc that you wear around your waist to hold up your clothes or for decoration" + }, + "cape": { + "CHS": "海角,斗篷", + "ENG": "a long loose piece of clothing without sleeve s that fastens around your neck and hangs from your shoulders" + }, + "spoil": { + "CHS": "损坏;溺爱 vi变质", + "ENG": "to give a child everything they want, or let them do whatever they want, often with the result that they behave badly" + }, + "meticulously": { + "CHS": "仔细地,谨慎地" + }, + "configuration": { + "CHS": "构造, 结构", + "ENG": "the shape or arrangement of the parts of something" + }, + "unaided": { + "CHS": "未受协助的, 独立的", + "ENG": "without help" + }, + "perplex": { + "CHS": "使困惑,使费解", + "ENG": "if something perplexes you, it makes you feel confused and worried because it is difficult to understand" + }, + "unnecessary": { + "CHS": "不必要的,多余的", + "ENG": "not needed, or more than is needed" + }, + "concave": { + "CHS": "凹的 n凹(面)", + "ENG": "a concave surface is curved inwards in the middle" + }, + "beak": { + "CHS": "鸟嘴, 喙", + "ENG": "the hard pointed mouth of a bird" + }, + "descent": { + "CHS": "下降,下倾", + "ENG": "the process of going down" + }, + "outermost": { + "CHS": "最外方的,离中心最远的", + "ENG": "furthest from the middle" + }, + "duck": { + "CHS": "鸭,鸭肉", + "ENG": "a very common water bird with short legs and a wide beak, used for its meat, eggs, and soft feathers" + }, + "duty": { + "CHS": "义务, 责任", + "ENG": "something that you have to do because it is morally or legally right" + }, + "yard": { + "CHS": "院子,场地", + "ENG": "an enclosed area next to a building or group of buildings, used for a special purpose, activity, or business" + }, + "legendary": { + "CHS": "闻名的;传说的", + "ENG": "very famous and admired" + }, + "haul": { + "CHS": "(用力)拖,拉", + "ENG": "to pull something heavy with a continuous steady movement" + }, + "congressional": { + "CHS": "会议的;国(议)会的", + "ENG": "A congressional policy, action, or person relates to the U.S. Congress. " + }, + "abstraction": { + "CHS": "提取" + }, + "eel": { + "CHS": "鳗鱼", + "ENG": "a long thin fish that looks like a snake and can be eaten" + }, + "hazard": { + "CHS": "危险 vt冒…风险", + "ENG": "something that may be dangerous, or cause accidents or problems" + }, + "December": { + "CHS": "十二月(略作Dec)", + "ENG": "the 12th month of the year, between November and January" + }, + "overlap": { + "CHS": "重叠, 重复", + "ENG": "If one thing overlaps another, or if you overlap them, a part of the first thing occupies the same area as a part of the other thing. You can also say that two things overlap. " + }, + "width": { + "CHS": "宽度, 广度", + "ENG": "the distance from one side of something to the other" + }, + "pet": { + "CHS": "宠物", + "ENG": "an animal such as a cat or a dog which you keep and care for at home" + }, + "camouflage": { + "CHS": "伪装", + "ENG": "a way of hiding something, especially soldiers and military equipment, by using paint, leaves etc to make it look like the things around it" + }, + "adverse": { + "CHS": "不利的,有害的", + "ENG": "not good or favourable" + }, + "postage": { + "CHS": "邮费", + "ENG": "the money charged for sending a letter, package etc by post" + }, + "prairie": { + "CHS": "大草原,牧场,", + "ENG": "a wide open area of fairly flat land in North America which is covered in grass or wheat" + }, + "triumph": { + "CHS": "获胜", + "ENG": "to gain a victory or success after a difficult struggle" + }, + "cylindrical": { + "CHS": "圆柱形的", + "ENG": "in the shape of a cylinder" + }, + "reinforce": { + "CHS": "增强,加强", + "ENG": "to give support to an opinion, idea, or feeling, and make it stronger" + }, + "bent": { + "CHS": "倾向, 爱好", + "ENG": "special natural skill or interest in a particular area" + }, + "son": { + "CHS": "儿子", + "ENG": "someone’s male child" + }, + "stimulation": { + "CHS": "激励,刺激" + }, + "hibernate": { + "CHS": "冬眠", + "ENG": "if an animal hibernates, it sleeps for the whole winter" + }, + "auxiliary": { + "CHS": "辅助的, 补助的", + "ENG": "auxiliary workers provide additional help for another group of workers" + }, + "athlete": { + "CHS": "运动员", + "ENG": "someone who competes in sports competitions, especially running, jumping, and throwing" + }, + "kettle": { + "CHS": "壶, 罐, 釜, 鼓", + "ENG": "a container with a lid, a handle, and a spout,used for boiling and pouring water" + }, + "shut": { + "CHS": "关上, 关闭", + "ENG": "to close something, or to become closed" + }, + "priority": { + "CHS": "优先(权)", + "ENG": "the thing that you think is most important and that needs attention before anything else" + }, + "salary": { + "CHS": "薪水", + "ENG": "money that you receive as payment from the organization you work for, usually paid to you every month" + }, + "collaboration": { + "CHS": "合作,协作", + "ENG": "when you work together with another person or group to achieve something, especially in science or art" + }, + "waterpower": { + "CHS": "水力(水力发电)" + }, + "pollen": { + "CHS": "花粉", + "ENG": "a fine powder produced by flowers, which is carried by the wind or by insects to other flowers of the same type, making them produce seeds" + }, + "dealer": { + "CHS": "经销商, 商人", + "ENG": "someone who buys and sells a particular product, especially an expensive one" + }, + "firmly": { + "CHS": "坚固地,稳定地" + }, + "relieve": { + "CHS": "减轻, 解除", + "ENG": "to reduce someone’s pain or unpleasant feelings" + }, + "defensive": { + "CHS": "防御(的)" + }, + "equilibrium": { + "CHS": "平衡", + "ENG": "a balance between different people, groups, or forces that compete with each other, so that none is stronger than the others and a situation is not likely to change suddenly" + }, + "symbolize": { + "CHS": "象征", + "ENG": "if something symbolizes a quality, feeling etc, it represents it" + }, + "concrete": { + "CHS": "实在的,具体的 n混凝土", + "ENG": "made of concrete" + }, + "brea": { + "CHS": "布雷亚(美国加州地名)" + }, + "upset": { + "CHS": "搅乱,使心烦 n不安", + "ENG": "to make someone feel unhappy or worried" + }, + "exocrine": { + "CHS": "[医]外分泌的", + "ENG": "of or relating to exocrine glands or their secretions " + }, + "definite": { + "CHS": "明确的,一定的", + "ENG": "clearly known, seen, or stated" + }, + "formerly": { + "CHS": "从前, 以前", + "ENG": "in earlier times" + }, + "camp": { + "CHS": "宿营", + "ENG": "to set up a tent or shelter and stay there for a short time" + }, + "cosmos": { + "CHS": "宇宙", + "ENG": "the whole universe, especially when you think of it as a system" + }, + "overlie": { + "CHS": "躺在上面", + "ENG": "to lie over something" + }, + "shorten": { + "CHS": "缩短, (使)变短", + "ENG": "to become shorter or make something shorter" + }, + "aboard": { + "CHS": "在(船、飞机、车)上,上船", + "ENG": "on or onto a ship, plane, or train" + }, + "blend": { + "CHS": "(使)混和n混合物", + "ENG": "to thoroughly mix together soft or liquid substances to form a single smooth substance" + }, + "participation": { + "CHS": "参加,参与", + "ENG": "the act of taking part in an activity or event" + }, + "brass": { + "CHS": "黄铜(制品)", + "ENG": "a very hard bright yellow metal that is a mixture of copper and zinc " + }, + "detectable": { + "CHS": "可发现的,可察觉的", + "ENG": "Something that is detectable can be noticed or discovered" + }, + "adhere": { + "CHS": "粘附,遵守", + "ENG": "If you adhere to a rule or agreement, you act in the way that it says you should" + }, + "accommodate": { + "CHS": "容纳,提供(住处),适应", + "ENG": "if a room, building etc can accommodate a particular number of people or things, it has enough space for them" + }, + "toolmaker": { + "CHS": "精密工具制造者" + }, + "printmaking": { + "CHS": "版画复制(术)", + "ENG": "Printmaking is an artistic technique that consists of making a series of pictures from an original, or from a specially prepared surface" + }, + "populous": { + "CHS": "人口稠密的", + "ENG": "a populous area has a large population in relation to its size" + }, + "wallpaper": { + "CHS": "墙纸", + "ENG": "paper that you stick onto the walls of a room in order to decorate it" + }, + "reputation": { + "CHS": "名誉, 名声", + "ENG": "the opinion that people have about someone or something because of what has happened in the past" + }, + "gasoline": { + "CHS": "汽油", + "ENG": "a liquid obtained from petroleum, used mainly for producing power in the engines of cars, trucks etc" + }, + "invite": { + "CHS": "邀请;征求", + "ENG": "to ask someone to come to a party, wedding, meal etc" + }, + "tap": { + "CHS": "塞子,龙头;轻叩(拍)", + "ENG": "a piece of equipment for controlling the flow of water, gas etc from a pipe or container" + }, + "igloo": { + "CHS": "圆顶建筑", + "ENG": "Igloos are dome-shaped houses built from blocks of snow by the Inuit people" + }, + "endless": { + "CHS": "无止境的,无穷的", + "ENG": "very large in amount, size, or number" + }, + "formalize": { + "CHS": "使正式, 形式化", + "ENG": "to make a plan, decision, or idea official, especially by deciding and clearly describing all the details" + }, + "edition": { + "CHS": "版,版本", + "ENG": "the form that a book, newspaper, magazine etc is produced in" + }, + "sew": { + "CHS": "缝合, 缝纫", + "ENG": "to use a needle and thread to make or repair clothes or to fasten something such as a button to them" + }, + "inefficient": { + "CHS": "效率低的,效率差的", + "ENG": "not using time, money, energy etc in the best way" + }, + "geographer": { + "CHS": "地理学者", + "ENG": "someone who has studied geography to a high level" + }, + "laser": { + "CHS": "激光", + "ENG": "a piece of equipment that produces a powerful narrow beam of light that can be used in medical operations, to cut metals, or to make patterns of light for entertainment" + }, + "foul": { + "CHS": "邪恶的,下流的 n犯规 v弄脏", + "ENG": "very dirty" + }, + "willow": { + "CHS": "柳(树)", + "ENG": "a type of tree that has long thin branches and grows near water, or the wood from this tree" + }, + "continuity": { + "CHS": "连续性, 连贯性", + "ENG": "the state of continuing for a period of time, without problems, interruptions, or changes" + }, + "meteoric": { + "CHS": "流星的,大气的", + "ENG": "from a meteor " + }, + "explode": { + "CHS": "爆炸;爆发", + "ENG": "to burst, or to make something burst, into small pieces, usually with a loud noise and in a way that causes damage" + }, + "recipient": { + "CHS": "接受者,接收者", + "ENG": "someone who receives something" + }, + "Michigan": { + "CHS": "密歇根州(美国州名)" + }, + "favorite": { + "CHS": "喜爱的 n特别喜爱的人(或物)" + }, + "anxious": { + "CHS": "渴望的, 忧虑的", + "ENG": "worried about something" + }, + "harness": { + "CHS": "治理,束以马具" + }, + "adoption": { + "CHS": "采用, 收养", + "ENG": "the act or process of adopting a child" + }, + "vie": { + "CHS": "竞争", + "ENG": "to compete very hard with someone in order to get something" + }, + "instruct": { + "CHS": "教导, 指示", + "ENG": "to officially tell someone what to do" + }, + "carol": { + "CHS": "颂歌, 欢乐的歌", + "ENG": "a traditional Christmas song" + }, + "god": { + "CHS": "神, 上帝", + "ENG": "the spirit or being who Christians, Jews, Muslims etc pray to, and who they believe created the universe" + }, + "girl": { + "CHS": "女孩", + "ENG": "a female child" + }, + "comedy": { + "CHS": "喜剧", + "ENG": "entertainment that is intended to make people laugh" + }, + "provision": { + "CHS": "供应,预备", + "ENG": "when you provide something that someone needs now or in the future" + }, + "exceptionally": { + "CHS": "格外地, 特别地" + }, + "fieldstone": { + "CHS": "散石,大卵石", + "ENG": "building stone found in fields " + }, + "ranch": { + "CHS": "经营牧场n牧场" + }, + "imperial": { + "CHS": "帝国的,帝王的", + "ENG": "relating to an empire or to the person who rules it" + }, + "defenseless": { + "CHS": "无防备的" + }, + "furnish": { + "CHS": "布置, 装备, 提供", + "ENG": "to supply or provide something" + }, + "lag": { + "CHS": "落后 n滞后", + "ENG": "to move or develop more slowly than others" + }, + "lumiere": { + "CHS": "彩色照相术" + }, + "accompaniment": { + "CHS": "陪伴物, 伴奏", + "ENG": "music that is played in the background at the same time as another instrument or singer that plays or sings the main tune" + }, + "pretend": { + "CHS": "假装,装作", + "ENG": "to behave as if something is true when in fact you know it is not, in order to deceive people or for fun" + }, + "thresh": { + "CHS": "打谷, 脱粒, 反复得做", + "ENG": "to separate grains of corn, wheat etc from the rest of the plant by beating it with a special tool or machine" + }, + "repetitive": { + "CHS": "重复的,反复的", + "ENG": "done many times in the same way, and boring" + }, + "mule": { + "CHS": "骡子,十分固执的人", + "ENG": "an animal that has a donkey and a horse as parents" + }, + "prone": { + "CHS": "易于…的,很可能…的", + "ENG": "likely to do something or suffer from something, especially something bad or harmful" + }, + "wipe": { + "CHS": "擦, 揩", + "ENG": "to remove liquid, dirt, or marks by wiping" + }, + "individualism": { + "CHS": "个人主义, 利己主义", + "ENG": "the belief that the rights and freedom of individual people are the most important rights in a society" + }, + "Russian": { + "CHS": "俄罗斯(语)(的)", + "ENG": "someone from Russia" + }, + "formulate": { + "CHS": "构想出,规划", + "ENG": "to develop something such as a plan or a set of rules, and decide all the details of how it will be done" + }, + "krill": { + "CHS": "[动]磷虾(单复同)", + "ENG": "small shellfish" + }, + "forty": { + "CHS": "四十", + "ENG": "the number 40" + }, + "coastline": { + "CHS": "海岸线", + "ENG": "the land on the edge of the coast, especially the shape of this land as seen from the air" + }, + "unevenly": { + "CHS": "不平坦地, 不均衡地" + }, + "assess": { + "CHS": "估定,评定", + "ENG": "to make a judgment about a person or situation after thinking carefully about it" + }, + "sick": { + "CHS": "有病的;恶心的", + "ENG": "suffering from a disease or illness" + }, + "drapery": { + "CHS": "布业,布匹", + "ENG": "Drapery is cloth that you buy in a shop" + }, + "nick": { + "CHS": "小伤口,刻痕", + "ENG": "a very small cut made on the edge or surface of something" + }, + "Ute": { + "CHS": "犹特人(美洲印第安人的一种), 犹特语", + "ENG": "a member of a North American Indian people of Utah, Colorado, and New Mexico, related to the Aztecs " + }, + "ordinarily": { + "CHS": "平常地;普通地", + "ENG": "usually" + }, + "headquarter": { + "CHS": "将之总部设在", + "ENG": "to place in or establish as headquarters " + }, + "peach": { + "CHS": "桃(树)", + "ENG": "a round juicy fruit that has a soft yellow or red skin and a large, hard seed in the centre, or the tree that this fruit grows on" + }, + "radiocarbon": { + "CHS": "放射性炭", + "ENG": "Radiocarbon is a type of carbon that is radioactive, and which therefore breaks up slowly at a regular rate. Its presence in an object can be measured in order to find out how old the object is. " + }, + "afield": { + "CHS": "远离着(家乡), 去远处", + "ENG": "far away, especially from home" + }, + "relocate": { + "CHS": "重新部署", + "ENG": "if a person or business relocates, or if they are relocated, they move to a different place" + }, + "enormously": { + "CHS": "极度,大量" + }, + "saltwater": { + "CHS": "盐水的, 海产的", + "ENG": "living in salty water or in the sea" + }, + "pipe": { + "CHS": "管子", + "ENG": "a tube through which a liquid or gas flows" + }, + "mute": { + "CHS": "哑的,不发音的 vt消除(声音)", + "ENG": "someone who is mute is unable to speak" + }, + "deglaciation": { + "CHS": "冰消作用" + }, + "glen": { + "CHS": "峡谷, 溪谷", + "ENG": "a deep narrow valley in Scotland or Ireland" + }, + "poison": { + "CHS": "毒药vt 下毒", + "ENG": "a substance that can cause death or serious illness if you eat it, drink it etc" + }, + "wax": { + "CHS": "蜡, 蜡状物", + "ENG": "a solid substance made of fat or oil and used to make candles, polish etc" + }, + "neglect": { + "CHS": "忽视,忽略", + "ENG": "to pay too little attention to something" + }, + "pangaea": { + "CHS": "泛古陆, 泛大陆" + }, + "fahrenheit": { + "CHS": "华氏温度计", + "ENG": "Fahrenheit is also a noun" + }, + "lys": { + "CHS": "[化]赖氨酸" + }, + "Sac": { + "CHS": "〈生〉囊,液囊", + "ENG": "A sac is a small part of an animal's body, shaped like a little bag. It contains air, liquid, or some other substance. " + }, + "midcontinent": { + "CHS": "大陆中部" + }, + "emperor": { + "CHS": "皇帝, 君主", + "ENG": "the man who is the ruler of an empire" + }, + "mainstay": { + "CHS": "支柱;骨干", + "ENG": "an important part of something that makes it possible for it to work properly or continue to exist" + }, + "connecticut": { + "CHS": "(美国)康涅狄格" + }, + "wholly": { + "CHS": "整个,全部" + }, + "brilliance": { + "CHS": "光辉,辉煌", + "ENG": "very great brightness" + }, + "Oklahoma": { + "CHS": "俄克拉荷马州" + }, + "rhinoceros": { + "CHS": "[动]犀牛", + "ENG": "a large heavy African or Asian animal with thick skin and either one or two horns on its nose" + }, + "externally": { + "CHS": "外部地, 外面地" + }, + "successor": { + "CHS": "接班人, 继任人", + "ENG": "someone who takes a job or position previously held by someone else" + }, + "tax": { + "CHS": "税,税款", + "ENG": "an amount of money that you must pay to the government according to your income, property, goods etc and that is used to pay for public services" + }, + "plumb": { + "CHS": "(用铅垂)测量,探测" + }, + "lessen": { + "CHS": "减少,缩小", + "ENG": "to become smaller in size, importance, or value, or make something do this" + }, + "trout": { + "CHS": "鲑鱼", + "ENG": "a common river-fish, often used for food, or the flesh of this fish" + }, + "permian": { + "CHS": "[地]二叠纪(的)", + "ENG": "the Permian period or rock system " + }, + "superintendent": { + "CHS": "主管人,监管人", + "ENG": "someone who is officially in charge of a place, job, activity etc" + }, + "friendly": { + "CHS": "友好的, 友谊的", + "ENG": "behaving towards someone in a way that shows you like them and are ready to talk to them or help them" + }, + "wasteful": { + "CHS": "浪费的,挥霍的", + "ENG": "using more of something than you should, especially money, time, or effort" + }, + "foraminifera": { + "CHS": "有孔虫类" + }, + "peace": { + "CHS": "和平, 安静", + "ENG": "a situation in which there is no war or fighting" + }, + "domain": { + "CHS": "领地,范围", + "ENG": "an area of activity, interest, or knowledge, especially one that a particular person, organization etc deals with" + }, + "agitate": { + "CHS": "搅动,煽动", + "ENG": "to argue strongly in public for something you want, especially a political or social change" + }, + "farce": { + "CHS": "闹剧;荒唐可笑", + "ENG": "an event or a situation that is very badly organized or does not happen properly, in a way that is silly and unreasonable" + }, + "aborigine": { + "CHS": "土著居民", + "ENG": "someone who belongs to the race of people who have lived in Australia from the earliest times" + }, + "attest": { + "CHS": "证明", + "ENG": "to show or prove that something is true" + }, + "aggressiveness": { + "CHS": "进取精神, 侵犯" + }, + "privately": { + "CHS": "秘密,一个人" + }, + "vague": { + "CHS": "不明确的,模糊的", + "ENG": "unclear because someone does not give enough detailed information or does not say exactly what they mean" + }, + "lawlike": { + "CHS": "似法律的" + }, + "oppositely": { + "CHS": "相反地, 相对地" + }, + "anecdotal": { + "CHS": "轶事的,趣闻的", + "ENG": "consisting of short stories based on someone’s personal experience" + }, + "ounce": { + "CHS": "盎司", + "ENG": "a unit for measuring weight, equal to 28.35 grams. There are 16 ounces in a pound." + }, + "disorder": { + "CHS": "混乱 vt扰乱", + "ENG": "a situation in which a lot of people behave in an uncontrolled, noisy, or violent way in public" + }, + "defeat": { + "CHS": "击败,战败", + "ENG": "failure to win or succeed" + }, + "synchronization": { + "CHS": "同步化" + }, + "dress": { + "CHS": "连衣裙,女装 v打扮", + "ENG": "a piece of clothing worn by a woman or girl that covers the top of her body and part or all of her legs" + }, + "biographer": { + "CHS": "传记作者", + "ENG": "someone who writes a biography of someone else" + }, + "creativity": { + "CHS": "创造(力)", + "ENG": "the ability to use your imagination to produce new ideas, make things etc" + }, + "illness": { + "CHS": "疾病, 生病", + "ENG": "a disease of the body or mind, or the condition of being ill" + }, + "curriculum": { + "CHS": "课程", + "ENG": "the subjects that are taught by a school, college etc, or the things that are studied in a particular subject" + }, + "Anglo": { + "CHS": "盎格鲁, 英裔美国人", + "ENG": "a White inhabitant of the United States who is not of Latin extraction " + }, + "revival": { + "CHS": "复兴, 复活", + "ENG": "a process in which something becomes active or strong again" + }, + "Hampshire": { + "CHS": "汉普郡(英国南部之一郡)" + }, + "worthwhile": { + "CHS": "值得做的", + "ENG": "if something is worthwhile, it is important or useful, or you gain something from it" + }, + "spy": { + "CHS": "间谍, 侦探 v侦察", + "ENG": "someone whose job is to find out secret information about another country, organization, or group" + }, + "instinctive": { + "CHS": "本能的,直觉的", + "ENG": "based on instinct and not involving thought" + }, + "signaler": { + "CHS": "信号员" + }, + "retire": { + "CHS": "退休", + "ENG": "to go away to a quiet place" + }, + "turbulence": { + "CHS": "骚乱, 动荡", + "ENG": "a political or emotional situation that is very confused" + }, + "paradigm": { + "CHS": "范例", + "ENG": "a model or example that shows how something works or is produced" + }, + "insight": { + "CHS": "洞察力, 见识", + "ENG": "the ability to understand and realize what people or situations are really like" + }, + "penchant": { + "CHS": "喜好(倾向)", + "ENG": "if you have a penchant for something, you like that thing very much and try to do it or have it often" + }, + "sinkhole": { + "CHS": "污水池" + }, + "neptune": { + "CHS": "[天]海王星" + }, + "cyanide": { + "CHS": "[化]氰化物", + "ENG": "a very strong poison" + }, + "gin": { + "CHS": "杜松烧酒 v开始", + "ENG": "a strong alcoholic drink made mainly from grain, or a glass of this drink" + }, + "flax": { + "CHS": "亚麻", + "ENG": "a plant with blue flowers, used for making cloth and oil" + }, + "revolve": { + "CHS": "旋转", + "ENG": "to move around like a wheel, or to make something move around like a wheel" + }, + "withdraw": { + "CHS": "收回,撤消", + "ENG": "if you withdraw a threat, offer, request etc, you say that you no longer will do what you said" + }, + "purple": { + "CHS": "紫色的", + "ENG": "having a dark colour that is a mixture of red and blue" + }, + "comprise": { + "CHS": "包含, 由组成", + "ENG": "to consist of particular parts, groups etc" + }, + "timer": { + "CHS": "计时员, 定时器", + "ENG": "an instrument that you use to measure time, when you are doing something such as cooking" + }, + "supplant": { + "CHS": "排挤,取代", + "ENG": "to take the place of a person or thing so that they are no longer used, no longer in a position of power etc" + }, + "harpsichord": { + "CHS": "大键琴", + "ENG": "a musical instrument like a piano, used especially in the past" + }, + "peaceful": { + "CHS": "a 和平的, 平静的", + "ENG": "a peaceful time, place, or situation is quiet and calm without any worry or excitement" + }, + "reign": { + "CHS": "统治, 支配", + "ENG": "if a feeling or quality reigns, it exists strongly for a period of time" + }, + "appreciation": { + "CHS": "感谢, 感激", + "ENG": "a feeling of being grateful for something someone has done" + }, + "tempt": { + "CHS": "吸引,诱惑", + "ENG": "to make someone want to have or do something, even though they know they really should not" + }, + "boast": { + "CHS": "自夸", + "ENG": "to talk too proudly about your abilities, achievements, or possessions" + }, + "revitalize": { + "CHS": "新生", + "ENG": "to put new strength or power into something" + }, + "spiritual": { + "CHS": "精神上的", + "ENG": "relating to your spirit rather than to your body or mind" + }, + "clan": { + "CHS": "氏族,部落", + "ENG": "a large group of families who often share the same name" + }, + "fictional": { + "CHS": "虚构的,小说的", + "ENG": "fictional people, events etc are imaginary and from a book or story" + }, + "heterogeneous": { + "CHS": "异种的, 异质的" + }, + "diversion": { + "CHS": "转向, 转移", + "ENG": "a change in the direction or use of something, or the act of changing it" + }, + "protrude": { + "CHS": "突出", + "ENG": "to stick out from somewhere" + }, + "recrystallize": { + "CHS": "( 使) 再结晶", + "ENG": "to dissolve and subsequently crystallize (a substance) from the solution, as in purifying chemical compounds, or (of a substance) to crystallize in this way " + }, + "warp": { + "CHS": "弯曲,歪曲", + "ENG": "If something warps or is warped, it becomes damaged by bending or curving, often because of the effect of heat or water" + }, + "Nevada": { + "CHS": "内华达州(美国西部内陆州)" + }, + "amusement": { + "CHS": "娱乐, 消遣", + "ENG": "the process of getting or providing pleasure and enjoyment" + }, + "monetary": { + "CHS": "货币的, 金融的", + "ENG": "relating to money, especially all the money in a particular country" + }, + "reed": { + "CHS": "芦苇", + "ENG": "a type of tall plant like grass that grows in wet places" + }, + "legislature": { + "CHS": "立法机关", + "ENG": "an institution that has the power to make or change laws" + }, + "baboon": { + "CHS": "[动]狒狒", + "ENG": "a large monkey that lives in Africa and South Asia" + }, + "wedge": { + "CHS": "楔 vt楔入, 楔进", + "ENG": "a piece of food shaped like a wedge" + }, + "overgraze": { + "CHS": "使过度放牧", + "ENG": "to graze (land) beyond its capacity to sustain stock " + }, + "embed": { + "CHS": "使插入, 嵌入", + "ENG": "to put something firmly and deeply into something else, or to be put into something in this way" + }, + "blowhole": { + "CHS": "喷水孔, 通风孔" + }, + "imagist": { + "CHS": "意像派者(的)" + }, + "antenna": { + "CHS": "天线", + "ENG": "a wire rod etc used for receiving radio and television signals" + }, + "receptor": { + "CHS": "接受器", + "ENG": "a nerve ending which receives information about changes in light, heat etc and causes the body to react in particular ways" + }, + "magenta": { + "CHS": "红紫色(的)", + "ENG": "a dark reddish purple colour" + }, + "valse": { + "CHS": "华尔兹" + }, + "rebellion": { + "CHS": "反叛,反抗", + "ENG": "an organized attempt to change the government or leader of a country, using violence" + }, + "discoverer": { + "CHS": "发现者" + }, + "charcoal": { + "CHS": "木炭", + "ENG": "a black substance made of burned wood that can be used as fuel " + }, + "conifer": { + "CHS": "[植]松类, 针叶树", + "ENG": "a tree such as a pine or fir that has leaves like needles and produces brown cones that contain seeds. Most types of conifer keep their leaves in winter." + }, + "botanist": { + "CHS": "植物学家", + "ENG": "someone whose job is to make scientific studies of wild plants" + }, + "narrator": { + "CHS": "讲述者", + "ENG": "the person who tells the story in a book or a play" + }, + "critically": { + "CHS": "批评性地, 危急地", + "ENG": "in a way that shows you are criticizing someone or something" + }, + "Inca": { + "CHS": "印加人(古代秘鲁土著人)", + "ENG": "a member of a South American Indian people whose great empire centred on Peru lasted from about 1100 ad to the Spanish conquest in the early 1530s and is famed for its complex culture " + }, + "woolen": { + "CHS": "毛制品" + }, + "dialogue": { + "CHS": "对话", + "ENG": "a conversation in a book, play, or film" + }, + "void": { + "CHS": "无效的", + "ENG": "a contract or official agreement that is void is not legal and has no effect" + }, + "variously": { + "CHS": "不同地, 各种各样地", + "ENG": "in many different ways" + }, + "dictate": { + "CHS": "口授;命令", + "ENG": "to say words for someone else to write down" + }, + "incursion": { + "CHS": "侵犯,入侵", + "ENG": "a sudden attack into an area that belongs to other people" + }, + "sweet": { + "CHS": "甜的", + "ENG": "containing or having a taste like sugar" + }, + "decode": { + "CHS": "解码, 译解", + "ENG": "to discover the meaning of a message written in a code (= a set of secret signs or letters ) " + }, + "advantageous": { + "CHS": "有利的", + "ENG": "helpful and likely to make you successful" + }, + "legend": { + "CHS": "传说", + "ENG": "an old, well-known story, often about brave people, adventures, or magical events" + }, + "toll": { + "CHS": "过路(桥)费", + "ENG": "A toll road or toll bridge is a road or bridge that you have to pay to use" + }, + "deliberate": { + "CHS": "故意的,深思熟虑的", + "ENG": "intended or planned" + }, + "milk": { + "CHS": "乳, 牛奶", + "ENG": "a white liquid produced by cows or goats that is drunk by people" + }, + "subside": { + "CHS": "下沉,平静", + "ENG": "if a feeling, pain, sound etc subsides, it gradually becomes less and then stops" + }, + "socially": { + "CHS": "社交上;社会上" + }, + "inventory": { + "CHS": "详细目录, 存货(清单)", + "ENG": "a list of all the things in a place" + }, + "twin": { + "CHS": "使成对" + }, + "drastic": { + "CHS": "激烈的, 极端的", + "ENG": "extreme and sudden" + }, + "chapel": { + "CHS": "小教堂", + "ENG": "a small church, or a room in a hospital, prison, big church etc in which Christians pray and have religious services" + }, + "tenement": { + "CHS": "公寓", + "ENG": "a large building divided into apartments, especially in the poorer areas of a city" + }, + "daguerreotype": { + "CHS": "(早期)银板照相" + }, + "staple": { + "CHS": "订 a主要的" + }, + "fatty": { + "CHS": "脂肪的", + "ENG": "containing a lot of fat" + }, + "mainland": { + "CHS": "大陆", + "ENG": "the main area of land that forms a country, as compared to islands near it that are also part of that country" + }, + "disrupt": { + "CHS": "使中断,扰乱", + "ENG": "to prevent something from continuing in its usual way by causing problems" + }, + "rend": { + "CHS": "撕裂,猛拉", + "ENG": "to tear or break something violently into pieces" + }, + "maser": { + "CHS": "微波激射器", + "ENG": "a piece of equipment that produces a very powerful electric force" + }, + "spinal": { + "CHS": "脊髓麻醉" + }, + "clockwise": { + "CHS": "/ a顺时针方向地(的)", + "ENG": "in the same direction as the hands of a clock move" + }, + "generic": { + "CHS": "种类的,类属的" + }, + "resin": { + "CHS": "树脂 vt涂树脂于", + "ENG": "a thick sticky liquid that comes out of some trees" + }, + "backward": { + "CHS": "向后的, 落后的" + }, + "carving": { + "CHS": "雕刻(品)", + "ENG": "an object or pattern made by cutting a shape in wood or stone for decoration" + }, + "frown": { + "CHS": "/ n皱眉,蹙额", + "ENG": "to make an angry, unhappy, or confused expression, moving your eyebrows together" + }, + "feasible": { + "CHS": "可行的", + "ENG": "a plan, idea, or method that is feasible is possible and is likely to work" + }, + "distrust": { + "CHS": "不信任,怀疑", + "ENG": "a feeling that you cannot trust someone" + }, + "incredible": { + "CHS": "不可信的;不可思议的", + "ENG": "too strange to be believed, or very difficult to believe" + }, + "smother": { + "CHS": "窒息", + "ENG": "to kill someone by putting something over their face to stop them breathing" + }, + "stain": { + "CHS": "污点v染污", + "ENG": "a mark that is difficult to remove, especially one made by a liquid such as blood, coffee, or ink" + }, + "cavern": { + "CHS": "洞穴,大山洞", + "ENG": "a large cave " + }, + "minuscule": { + "CHS": "草写小字(的)" + }, + "envelop": { + "CHS": "包封, 遮盖", + "ENG": "to cover or wrap something or someone up completely" + }, + "fortunately": { + "CHS": "幸运地,幸亏", + "ENG": "happening because of good luck" + }, + "dormant": { + "CHS": "冬眠的", + "ENG": "not active or not growing at the present time but able to be active later" + }, + "coppersmith": { + "CHS": "铜匠", + "ENG": "a person who works copper or copper alloys " + }, + "intrinsic": { + "CHS": "内在的, 固有的", + "ENG": "being part of the nature or character of someone or something" + }, + "portability": { + "CHS": "可携带, 轻便" + }, + "pest": { + "CHS": "害虫", + "ENG": "a small animal or insect that destroys crops or food supplies" + }, + "potato": { + "CHS": "马铃薯", + "ENG": "a round white vegetable with a brown, red, or pale yellow skin, that grows under the ground" + }, + "clarify": { + "CHS": "澄清, 阐明", + "ENG": "to make something clearer or easier to understand" + }, + "extermination": { + "CHS": "消灭, 根绝" + }, + "suburbanization": { + "CHS": "市郊化" + }, + "succulent": { + "CHS": "多汁的", + "ENG": "juicy and good to eat" + }, + "medal": { + "CHS": "奖牌,奖章", + "ENG": "a flat piece of metal, usually shaped like a coin, that is given to someone who has won a competition or who has done something brave" + }, + "micron": { + "CHS": "微米,百万分之一米", + "ENG": "a unit of length equal to 10–6 metre" + }, + "publicize": { + "CHS": "宣传", + "ENG": "to give information about something to the public, so that they know about it" + }, + "spout": { + "CHS": "喷出", + "ENG": "if a whale spouts, it sends out a stream of water from a hole in its head" + }, + "catastrophic": { + "CHS": "悲惨的, 灾难的", + "ENG": "Something that is catastrophic involves or causes a sudden terrible disaster" + }, + "sensory": { + "CHS": "知觉的, 感觉的", + "ENG": "relating to or using your senses of sight, hearing, smell, taste, or touch" + }, + "fodder": { + "CHS": "饲料, 草料", + "ENG": "food for farm animals" + }, + "photoflash": { + "CHS": "(照相)闪光灯" + }, + "substantiated": { + "CHS": "证实, 实体化", + "ENG": "To substantiate a statement or a story means to supply evidence which proves that it is true" + }, + "cramp": { + "CHS": "限制,束缚", + "ENG": "to prevent the development of someone or something" + }, + "reversal": { + "CHS": "翻转, 倒转, 反转", + "ENG": "a change to an opposite arrangement, process, or way of doing something" + }, + "psychologically": { + "CHS": "精神上地, 心理上地" + }, + "virtuosity": { + "CHS": "艺术鉴别力" + }, + "leafy": { + "CHS": "叶状的;叶茂的", + "ENG": "having a lot of leaves" + }, + "perishable": { + "CHS": "容易腐烂的", + "ENG": "food that is perishable is likely to decay quickly" + }, + "retract": { + "CHS": "缩回, 撤销", + "ENG": "if you retract something that you said or agreed, you say that you did not mean it" + }, + "Israel": { + "CHS": "[地名] 以色列" + }, + "retrieval": { + "CHS": "取回,补偿", + "ENG": "the act of getting back something you have lost or left somewhere" + }, + "insist": { + "CHS": "坚持, 强调", + "ENG": "to demand that something should happen" + }, + "inject": { + "CHS": "注射, 注入", + "ENG": "to put liquid, especially a drug, into someone’s body by using a special needle" + }, + "domelike": { + "CHS": "穹顶状的" + }, + "savannah": { + "CHS": "(南美)大草原", + "ENG": "A savannah is a large area of flat, grassy land, usually in Africa" + }, + "snake": { + "CHS": "蛇", + "ENG": "an animal with a long thin body and no legs, that often has a poisonous bite" + }, + "pour": { + "CHS": "灌,注,倾泻", + "ENG": "to make a liquid or other substance flow out of or into a container by holding it at an angle" + }, + "navigator": { + "CHS": "航海家" + }, + "vacuum": { + "CHS": "真空", + "ENG": "a space that is completely empty of all gas, especially one from which all the air has been taken away" + }, + "elliot": { + "CHS": "埃利奥特(男子名)" + }, + "perry": { + "CHS": "梨子酒", + "ENG": "an alcoholic drink made from pear s " + }, + "liter": { + "CHS": "公升" + }, + "arthropod": { + "CHS": "节肢动物(的)", + "ENG": "any invertebrate of the phylum Arthropoda, having jointed limbs, a segmented body, and an exoskeleton made of chitin" + }, + "airflow": { + "CHS": "气流", + "ENG": "the movement of air through or around something" + }, + "departure": { + "CHS": "启程, 出发", + "ENG": "a flight, train etc that leaves at a particular time" + }, + "momentum": { + "CHS": "动力, 势头", + "ENG": "the ability to keep increasing, developing, or being more successful" + }, + "spearhead": { + "CHS": "充当先锋", + "ENG": "to lead an attack or organized action" + }, + "unjust": { + "CHS": "不公平的", + "ENG": "not fair or reasonable" + }, + "industrialism": { + "CHS": "产业主义,工业制度", + "ENG": "the system by which a society gets its wealth through industries and machinery" + }, + "drug": { + "CHS": "药", + "ENG": "a medicine, or a substance for making medicines" + }, + "environmentally": { + "CHS": "在环境方面地" + }, + "gem": { + "CHS": "宝石, 珍宝", + "ENG": "a beautiful stone that has been cut into a special shape" + }, + "detract": { + "CHS": "转移" + }, + "swirl": { + "CHS": "旋转,漩涡", + "ENG": "Swirl is also a noun" + }, + "bluefin": { + "CHS": "金枪鱼" + }, + "radiant": { + "CHS": "发光的, 辐射的", + "ENG": "full of happiness and love, in a way that shows in your face and makes you look attractive" + }, + "potent": { + "CHS": "强有力的,有效的", + "ENG": "having a very powerful effect or influence on your body or mind" + }, + "sociobiology": { + "CHS": "生物社会学", + "ENG": "the study of social behaviour in animals and humans, esp in relation to its survival value and evolutionary origins " + }, + "ideological": { + "CHS": "意识形态的", + "ENG": "based on strong beliefs or ideas, especially political or economic ideas" + }, + "solidarity": { + "CHS": "团结", + "ENG": "loyalty and general agreement between all the people in a group, or between different groups, because they all have a shared aim" + }, + "providence": { + "CHS": "深谋远虑,远见" + }, + "catharsis": { + "CHS": "宣泄,净化", + "ENG": "the act or process of removing strong or violent emotions by expressing them through writing, talking, acting etc" + }, + "contradictory": { + "CHS": "相矛盾的", + "ENG": "two statements, beliefs etc that are contradictory are different and therefore cannot both be true or correct" + }, + "chloride": { + "CHS": "[化]氯化物", + "ENG": "a chemical compound that is a mixture of chlorine and another substance" + }, + "archaic": { + "CHS": "古代的, 陈旧的", + "ENG": "old and no longer used" + }, + "aristocrat": { + "CHS": "贵族", + "ENG": "someone who belongs to the highest social class" + }, + "consolidate": { + "CHS": "合并,统一,巩固", + "ENG": "to strengthen the position of power or success that you have, so that it becomes more effective or continues for longer" + }, + "spark": { + "CHS": "触发,引起", + "ENG": "to be the cause of something, especially trouble or violence" + }, + "plug": { + "CHS": "塞 n插头", + "ENG": "If you plug a hole, you block it with something" + }, + "spine": { + "CHS": "脊柱", + "ENG": "the row of bones down the centre of your back that supports your body and protects your spinal cord " + }, + "absolute": { + "CHS": "完全的, 绝对的", + "ENG": "complete or total" + }, + "lade": { + "CHS": "装载,装货" + }, + "Soviet": { + "CHS": "苏维埃(的)" + }, + "humanity": { + "CHS": "人性", + "ENG": "people in general" + }, + "budget": { + "CHS": "预算 v做预算", + "ENG": "the money that is available to an organization or person, or a plan of how it will be spent" + }, + "magnesium": { + "CHS": "[化]镁", + "ENG": "Magnesium is a light, silvery white metal which burns with a bright white flame" + }, + "engulf": { + "CHS": "吞没", + "ENG": "if an unpleasant feeling engulfs you, you feel it very strongly" + }, + "frigid": { + "CHS": "寒冷的", + "ENG": "a woman who is frigid does not like having sex" + }, + "grandiose": { + "CHS": "宏伟的,堂皇的" + }, + "citizenship": { + "CHS": "公民的身份", + "ENG": "the legal right of belonging to a particular country" + }, + "despondent": { + "CHS": "失望的, 沮丧的", + "ENG": "extremely unhappy and without hope" + }, + "identifiable": { + "CHS": "可辨认的", + "ENG": "able to be recognized" + }, + "cellular": { + "CHS": "细胞组成的,多孔的", + "ENG": "consisting of or relating to the cells of plants or animals" + }, + "universality": { + "CHS": "普遍性, 一般性", + "ENG": "the state or quality of being universal " + }, + "widen": { + "CHS": "加宽,扩展", + "ENG": "to become wider, or to make something wider" + }, + "Impressionism": { + "CHS": "印象派, 印象主义", + "ENG": "Impressionism is a style of painting developed in France between 1870 and 1900 that concentrated on showing the effects of light and colour rather than on clear and exact detail" + }, + "steer": { + "CHS": "操纵, 驾驶", + "ENG": "to control the direction a vehicle is going, for example by turning a wheel" + }, + "moderately": { + "CHS": "适度地", + "ENG": "in a way which is not extreme or stays within reasonable limits" + }, + "writing": { + "CHS": "笔迹, 作品", + "ENG": "books, poems, articles etc, especially those by a particular writer or about a particular subject" + }, + "symbolism": { + "CHS": "象征主义", + "ENG": "the use of symbols to represent ideas or qualities" + }, + "acute": { + "CHS": "敏锐的, 急性的", + "ENG": "an acute illness or disease quickly becomes very serious" + }, + "romance": { + "CHS": "恋爱关系;浪漫气氛", + "ENG": "love, or a feeling of being in love" + }, + "bowl": { + "CHS": "碗", + "ENG": "a wide round container that is open at the top, used to hold liquids, food, flowers etc" + }, + "unreliable": { + "CHS": "不可靠的", + "ENG": "unable to be trusted or depended on" + }, + "unfortunate": { + "CHS": "不幸的", + "ENG": "someone who is unfortunate has something bad happen to them" + }, + "weekly": { + "CHS": "每周的 ad一周一次地 n周报", + "ENG": "happening or done every week" + }, + "compensation": { + "CHS": "补偿, 赔偿", + "ENG": "money paid to someone because they have suffered injury or loss, or because something they own has been damaged" + }, + "vine": { + "CHS": "葡萄树;藤本植物", + "ENG": "a plant that produces grapes" + }, + "hardness": { + "CHS": "硬度" + }, + "aerodynamic": { + "CHS": "空气动力学的", + "ENG": "an aerodynamic car, design etc uses the principles of aerodynamics to achieve high speed or low use of petrol" + }, + "command": { + "CHS": "命令;指挥", + "ENG": "the control of a group of people or a situation" + }, + "arbitrary": { + "CHS": "任意的, 武断的", + "ENG": "decided or arranged without any reason or plan, often unfairly" + }, + "pianist": { + "CHS": "钢琴家", + "ENG": "someone who plays the piano" + }, + "slender": { + "CHS": "苗条的, 微薄的", + "ENG": "thin in an attractive or graceful way" + }, + "admit": { + "CHS": "承认,准许", + "ENG": "to agree unwillingly that something is true or that someone else is right" + }, + "alp": { + "CHS": "高山", + "ENG": "(in the European Alps) an area of pasture above the valley bottom but below the mountain peaks " + }, + "commonplace": { + "CHS": "寻常的事物", + "ENG": "something that happens or exists in many places, so that it is not unusual" + }, + "vase": { + "CHS": "(花)瓶", + "ENG": "a container used to put flowers in or for decoration" + }, + "deliberately": { + "CHS": "故意地", + "ENG": "done in a way that is intended or planned" + }, + "recommend": { + "CHS": "推荐,劝告", + "ENG": "to advise someone to do something, especially because you have special knowledge of a situation or subject" + }, + "dual": { + "CHS": "双的, 二重的", + "ENG": "having two of something or two parts" + }, + "mouse": { + "CHS": "鼠", + "ENG": "a small furry animal with a pointed nose and a long tail that lives in people’s houses or in fields" + }, + "craftsmanship": { + "CHS": "技术", + "ENG": "the special skill that someone uses to make something beautiful with their hands" + }, + "beast": { + "CHS": "野兽,牲畜", + "ENG": "an animal, especially a large or dangerous one" + }, + "affinity": { + "CHS": "密切关系,类同", + "ENG": "a close relationship between two things because of qualities or features that they share" + }, + "diagonal": { + "CHS": "对角线(的)" + }, + "exhaust": { + "CHS": "使筋疲力尽,耗尽", + "ENG": "to make someone feel extremely tired" + }, + "resemblance": { + "CHS": "相似,形似", + "ENG": "if there is a resemblance between two people or things, they are similar, especially in the way they look" + }, + "nontraditional": { + "CHS": "非传统的", + "ENG": "not traditional; unconventional " + }, + "disprove": { + "CHS": "反驳,证明为误", + "ENG": "to show that something is wrong or not true" + }, + "skeptical": { + "CHS": "怀疑的" + }, + "shirt": { + "CHS": "衬衫", + "ENG": "a piece of clothing that covers the upper part of your body and your arms, usually has a collar, and is fastened at the front by buttons" + }, + "plenty": { + "CHS": "丰富, 大量", + "ENG": "a situation in which there is a lot of food and goods available for people" + }, + "appropriately": { + "CHS": "适当地" + }, + "emotionally": { + "CHS": "感情上地, 冲动地" + }, + "freshly": { + "CHS": "新近,刚才", + "ENG": "If something is freshly made or done, it has been recently made or done" + }, + "unbelievable": { + "CHS": "难以置信的" + }, + "simultaneous": { + "CHS": "同时发生的,同步的", + "ENG": "things that are simultaneous happen at exactly the same time" + }, + "induce": { + "CHS": "促使,引诱", + "ENG": "to cause a particular physical condition" + }, + "woodworker": { + "CHS": "木工", + "ENG": "a person who works in wood, such as a carpenter, joiner, or cabinet-maker " + }, + "conversation": { + "CHS": "会话", + "ENG": "an informal talk in which people exchange news, feelings, and thoughts" + }, + "translate": { + "CHS": "翻译", + "ENG": "to change written or spoken words into another language" + }, + "transaction": { + "CHS": "交易,业务", + "ENG": "a business deal or action, such as buying or selling something" + }, + "eager": { + "CHS": "热心于, 渴望着", + "ENG": "very keen and excited about something that is going to happen or about something you want to do" + }, + "skillful": { + "CHS": "熟练的, 灵巧的" + }, + "fate": { + "CHS": "天数,命运", + "ENG": "the things that happen to someone or something, especially unpleasant things that end their existence or end a particular period" + }, + "possession": { + "CHS": "财产, 所有", + "ENG": "something that you own or have with you at a particular time" + }, + "invariably": { + "CHS": "不变地,始终如一地", + "ENG": "if something invariably happens or is invariably true, it always happens or is true" + }, + "Babylonian": { + "CHS": "巴比伦人(的), 巴比伦语(的)", + "ENG": "an inhabitant of ancient Babylon or Babylonia " + }, + "urbanization": { + "CHS": "都市化", + "ENG": "Urbanization is the process of creating cities or towns in country areas" + }, + "tram": { + "CHS": "有轨电车", + "ENG": "a vehicle for passengers, which travels along metal tracks in the street" + }, + "sulfur": { + "CHS": "[化] 硫磺" + }, + "stripe": { + "CHS": "条纹", + "ENG": "a line of colour, especially one of several lines of colour all close together" + }, + "ought": { + "CHS": "应当, 应该" + }, + "volatile": { + "CHS": "动荡不定的,反复无常的", + "ENG": "a volatile situation is likely to change suddenly and without warning" + }, + "densely": { + "CHS": "浓密地" + }, + "biography": { + "CHS": "传记", + "ENG": "a book that tells what has happened in someone’s life, written by someone else" + }, + "inscribe": { + "CHS": "题写", + "ENG": "to carefully cut, print, or write words on something, especially on the surface of a stone or coin" + }, + "intercity": { + "CHS": "城市间的", + "ENG": "happening between two or more cities, or going from one city to another" + }, + "alongside": { + "CHS": "在旁边" + }, + "erratic": { + "CHS": "古怪的,飘忽不定的", + "ENG": "something that is erratic does not follow any pattern or plan but happens in a way that is not regular" + }, + "overly": { + "CHS": "过度地, 极度地", + "ENG": "Overly means more than is normal, necessary, or reasonable" + }, + "uplift": { + "CHS": "提高;振奋(精神)", + "ENG": "to make someone feel happier" + }, + "workday": { + "CHS": "工作日", + "ENG": "the amount of time that you spend working in a day" + }, + "golden": { + "CHS": "金(黄)色的;金的", + "ENG": "having a bright yellow colour like gold" + }, + "officially": { + "CHS": "职务上, 正式" + }, + "sacrifice": { + "CHS": "牺牲,献祭", + "ENG": "when you decide not to have something valuable, in order to get something that is more important" + }, + "trick": { + "CHS": "欺诈", + "ENG": "to deceive someone in order to get something from them or to make them do something" + }, + "melody": { + "CHS": "旋律,曲调", + "ENG": "a song or tune" + }, + "array": { + "CHS": "展示,排列", + "ENG": "a set of numbers or signs, or of computer memory units, arranged in lines across or down" + }, + "thunderstorm": { + "CHS": "雷暴雨", + "ENG": "a storm with thunder and lightning" + }, + "frog": { + "CHS": "青蛙", + "ENG": "a small green animal that lives near water and has long legs for jumping" + }, + "deception": { + "CHS": "欺骗, 诡计", + "ENG": "the act of deliberately making someone believe something that is not true" + }, + "snap": { + "CHS": "喀嚓折断,拍快照 n吧嗒声", + "ENG": "If something snaps or if you snap it, it breaks suddenly, usually with a sharp cracking noise" + }, + "typify": { + "CHS": "代表", + "ENG": "If something or someone typifies a situation or type of thing or person, they have all the usual characteristics of it and are a typical example of it" + }, + "gently": { + "CHS": "轻轻地, 温柔地", + "ENG": "in a gentle way" + }, + "astronomical": { + "CHS": "天文学的, 巨大的", + "ENG": "astronomical prices, costs etc are extremely high" + }, + "quantify": { + "CHS": "用数量表示,量化", + "ENG": "to calculate the value of something and express it as a number or an amount" + }, + "startle": { + "CHS": "震惊", + "ENG": "to make someone suddenly surprised or slightly shocked" + }, + "peregrine": { + "CHS": "游隼 a外来的,移住的" + }, + "optimal": { + "CHS": "最理想的", + "ENG": "the best or most suitable" + }, + "tapestry": { + "CHS": "挂毯", + "ENG": "a large piece of heavy cloth on which coloured threads are woven to produce a picture, pattern etc" + }, + "polish": { + "CHS": "磨光,擦亮", + "ENG": "to make something smooth, bright, and shiny by rubbing it" + }, + "capability": { + "CHS": "能力,才能", + "ENG": "the natural ability, skill, or power that makes a machine, person, or organization able to do something, especially something difficult" + }, + "mechanization": { + "CHS": "机械化" + }, + "influx": { + "CHS": "流入", + "ENG": "the arrival of large numbers of people or large amounts of money, goods etc, especially suddenly" + }, + "sculptural": { + "CHS": "雕刻的", + "ENG": "Sculptural means relating to sculpture" + }, + "calm": { + "CHS": "镇定的,平静的 v(使)平静", + "ENG": "relaxed and quiet, not angry, nervous, or upset" + }, + "announce": { + "CHS": "宣布,宣告", + "ENG": "to officially tell people about something, especially about a plan or a decision" + }, + "leisure": { + "CHS": "闲暇, 休闲", + "ENG": "time when you are not working or studying and can relax and do things you enjoy" + }, + "essence": { + "CHS": "本质,实质", + "ENG": "the most basic and important quality of something" + }, + "landmass": { + "CHS": "大陆", + "ENG": "a large area of land such as a continent" + }, + "shrimp": { + "CHS": "小虾 v捕虾", + "ENG": "a small sea creature that you can eat, which has ten legs and a soft shell" + }, + "ornamentation": { + "CHS": "装饰", + "ENG": "decoration on an object that makes it look attractive" + }, + "freely": { + "CHS": "自由地;慷慨地", + "ENG": "without anyone stopping or limiting something" + }, + "undesirable": { + "CHS": "令人不悦的,讨厌的", + "ENG": "something or someone that is undesirable is not welcome or wanted because they may affect a situation or person in a bad way" + }, + "globe": { + "CHS": "球体,地球仪", + "ENG": "a round object with a map of the Earth drawn on it" + }, + "grasshopper": { + "CHS": "蚱蜢,蝗虫", + "ENG": "an insect that has long back legs for jumping and that makes short loud noises" + }, + "elegant": { + "CHS": "优雅的, 雅致的", + "ENG": "beautiful, attractive, or graceful" + }, + "shiny": { + "CHS": "发光的;磨光的", + "ENG": "smooth and bright" + }, + "glassmaker": { + "CHS": "玻璃工人" + }, + "spectacularly": { + "CHS": "壮观地, 令人吃惊地" + }, + "nss": { + "CHS": "卫星导航系统(供氮系统)" + }, + "submerge": { + "CHS": "浸没,淹没", + "ENG": "to cover something completely with water or another liquid" + }, + "terminology": { + "CHS": "术语(学)", + "ENG": "the technical words or expressions that are used in a particular subject" + }, + "unclear": { + "CHS": "不清楚的", + "ENG": "difficult to understand or be sure about, so that there is doubt or confusion" + }, + "unimportant": { + "CHS": "不重要的", + "ENG": "not important" + }, + "ubiquitous": { + "CHS": "到处存在的", + "ENG": "seeming to be everywhere – sometimes used humorously" + }, + "demise": { + "CHS": "死亡,让位", + "ENG": "death" + }, + "conspicuous": { + "CHS": "显著的, 显眼的", + "ENG": "very easy to notice" + }, + "error": { + "CHS": "错误, 过失", + "ENG": "a mistake" + }, + "deadly": { + "CHS": "致命的", + "ENG": "likely to cause death" + }, + "barter": { + "CHS": "交易", + "ENG": "to exchange goods, work, or services for other goods or services rather than for money" + }, + "nomadic": { + "CHS": "游牧的, 流浪的", + "ENG": "nomadic people are nomads" + }, + "merge": { + "CHS": "结合,合并", + "ENG": "to combine, or to join things together to form one thing" + }, + "seashore": { + "CHS": "海岸, 海滨", + "ENG": "the land at the edge of the sea, consisting of sand and rocks" + }, + "nonhuman": { + "CHS": "非人类的", + "ENG": "Nonhuman means not human or not produced by humans" + }, + "cottage": { + "CHS": "村舍,小别墅", + "ENG": "a small house in the country" + }, + "fairground": { + "CHS": "游乐场, 集市", + "ENG": "an open space on which a fair21 takes place" + }, + "lengthen": { + "CHS": "变长,延伸", + "ENG": "to make something longer or to become longer" + }, + "candle": { + "CHS": "蜡烛", + "ENG": "a stick of wax with a string through the middle, which you burn to give light" + }, + "kilogram": { + "CHS": "[物]千克, 公斤", + "ENG": "a unit for measuring weight, equal to 1,000 grams" + }, + "naturalism": { + "CHS": "自然主义", + "ENG": "a style of art or literature which tries to show the world and people exactly as they are" + }, + "input": { + "CHS": "输入,投入", + "ENG": "information that is put into a computer" + }, + "delight": { + "CHS": "高兴,欣喜", + "ENG": "a feeling of great pleasure and satisfaction" + }, + "telegraph": { + "CHS": "(打)电报", + "ENG": "an old-fashioned method of sending messages using radio or electrical signals" + }, + "stance": { + "CHS": "站姿,立场", + "ENG": "an opinion that is stated publicly" + }, + "kitchen": { + "CHS": "厨房", + "ENG": "the room where you prepare and cook food" + }, + "tour": { + "CHS": "旅行,游历" + }, + "maple": { + "CHS": "枫树", + "ENG": "a tree which grows mainly in northern countries such as Canada. Its leaves have five points and turn red or gold in autumn." + }, + "contraction": { + "CHS": "收缩", + "ENG": "a very strong and painful movement of a muscle, especially the muscles around the womb during birth" + }, + "hinge": { + "CHS": "(门、盖等的)铰链", + "ENG": "a piece of metal fastened to a door, lid etc that allows it to swing open and shut" + }, + "biotic": { + "CHS": "有关生命的,生物的", + "ENG": "of or relating to living organisms " + }, + "maturity": { + "CHS": "成熟,(票据)到期", + "ENG": "the quality of behaving in a sensible way like an adult" + }, + "honest": { + "CHS": "诚实的, 正直的", + "ENG": "someone who is honest always tells the truth and does not cheat or steal" + }, + "firewood": { + "CHS": "木柴, 柴火", + "ENG": "wood that has been cut or collected in order to be burned in a fire" + }, + "barn": { + "CHS": "[农]谷仓, 畜棚, 畜舍, 机器房", + "ENG": "A barn is a building on a farm in which animals, animal food, or crops can be kept" + }, + "joke": { + "CHS": "笑话, 玩笑", + "ENG": "something that you say or do to make people laugh, especially a funny story or trick" + }, + "granular": { + "CHS": "由小粒而成的,粒状的", + "ENG": "consisting of granules" + }, + "preindustrial": { + "CHS": "未工业化的, 工业化前的" + }, + "thaw": { + "CHS": "融化,解冻", + "ENG": "a period of warm weather during which snow and ice melt" + }, + "quarry": { + "CHS": "挖出", + "ENG": "to dig stone or sand from a quarry" + }, + "ethology": { + "CHS": "动物行动学, 人种学", + "ENG": "the study of the behaviour of animals in their normal environment " + }, + "amendment": { + "CHS": "改善, 改正", + "ENG": "a small change, improvement, or addition that is made to a law or document, or the process of doing this" + }, + "curious": { + "CHS": "好奇的, 奇特的", + "ENG": "wanting to know about something" + }, + "faith": { + "CHS": "信仰, 信念", + "ENG": "a strong feeling of trust or confidence in someone or something" + }, + "overtake": { + "CHS": "追上,超过", + "ENG": "to go past a moving vehicle or person because you are going faster than them and want to get in front of them" + }, + "neck": { + "CHS": "脖子, 颈", + "ENG": "the part of your body that joins your head to your shoulders, or the same part of an animal or bird" + }, + "impurity": { + "CHS": "不纯;杂质", + "ENG": "a substance of a low quality that is contained in or mixed with something else, making it less pure" + }, + "formidable": { + "CHS": "可怕的;难以克服的", + "ENG": "very powerful or impressive, and often frightening" + }, + "acceptable": { + "CHS": "可接受的, 合意的", + "ENG": "good enough to be used for a particular purpose or to be considered satisfactory" + }, + "forager": { + "CHS": "强征(粮食)者" + }, + "impend": { + "CHS": "迫近,逼近", + "ENG": "(esp of something threatening) to be about to happen; be imminent " + }, + "glasslike": { + "CHS": "玻璃状的" + }, + "translucent": { + "CHS": "半透明的", + "ENG": "not trans-parent, but clear enough to allow light to pass through" + }, + "topsoil": { + "CHS": "表层土", + "ENG": "the upper level of soil in which most plants have their roots" + }, + "interrelationship": { + "CHS": "相互关系", + "ENG": "a connection between two things that makes them affect each other" + }, + "blade": { + "CHS": "刀刃, 刀片", + "ENG": "the flat cutting part of a tool or weapon" + }, + "pocket": { + "CHS": "衣袋,小袋", + "ENG": "a type of small bag in or on a coat, trousers etc that you can put money, keys etc in" + }, + "hillside": { + "CHS": "山腰", + "ENG": "the sloping side of a hill" + }, + "beside": { + "CHS": "在…旁边,和…相比", + "ENG": "next to or very close to the side of someone or something" + }, + "subscribe": { + "CHS": "订阅, 签名,捐赠", + "ENG": "to pay money, usually once a year, to have copies of a newspaper or magazine sent to you, or to have some other service" + }, + "buffer": { + "CHS": "缓冲器", + "ENG": "someone or something that protects one thing or person from being harmed by another" + }, + "embody": { + "CHS": "使具体化", + "ENG": "To embody an idea or quality means to be a symbol or expression of that idea or quality" + }, + "happy": { + "CHS": "快乐的,幸福的", + "ENG": "having feelings of pleasure, for example because something good has happened to you or you are very satisfied with your life" + }, + "net": { + "CHS": "网, 网络", + "ENG": "the system that allows millions of computer users around the world to exchange information" + }, + "litter": { + "CHS": "垃圾 v乱扔东西", + "ENG": "Litter is rubbish or waste that is left lying around outside" + }, + "outsider": { + "CHS": "外行, 局外人", + "ENG": "someone who is not accepted as a member of a particular social group" + }, + "aragonite": { + "CHS": "[矿]霰石, 文石", + "ENG": "a generally white or grey mineral, found in sedimentary rocks and as deposits from hot springs. Composition: calcium carbonate. Formula: CaCO3. Crystal structure: orthorhombic " + }, + "convenience": { + "CHS": "便利,适宜", + "ENG": "the quality of being suitable or useful for a particular purpose, especially by making something easier or saving you time" + }, + "promotion": { + "CHS": "提升;促进", + "ENG": "a move to a more important job or position in a company or organization" + }, + "unaltered": { + "CHS": "未被改变的", + "ENG": "Something that remains unaltered has not changed or been changed" + }, + "bath": { + "CHS": "沐浴, 浴室", + "ENG": "if you take a bath, you wash your body in a bath" + }, + "directional": { + "CHS": "方向的", + "ENG": "relating to the direction in which something is pointing or moving" + }, + "holding": { + "CHS": "保持,固定" + }, + "romantic": { + "CHS": "传奇式的, 浪漫的", + "ENG": "showing strong feelings of love" + }, + "treeless": { + "CHS": "没有树木的", + "ENG": "a treeless area has no trees in it" + }, + "recorder": { + "CHS": "记录员, 记录器", + "ENG": "A recorder is a machine or instrument that keeps a record of something, for example in an experiment or on a vehicle" + }, + "seller": { + "CHS": "售货者", + "ENG": "A seller of a type of thing is a person or company that sells that type of thing" + }, + "noticeably": { + "CHS": "显著地,显然" + }, + "plunge": { + "CHS": "投入, 跳进", + "ENG": "Plunge is also a noun" + }, + "eradicate": { + "CHS": "根除", + "ENG": "to completely get rid of something such as a disease or a social problem" + }, + "caste": { + "CHS": "印度的世袭阶级", + "ENG": "A caste is one of the traditional social classes into which people are divided in a Hindu society" + }, + "inherit": { + "CHS": "继承", + "ENG": "to receive money, property etc from someone after they have died" + }, + "gosling": { + "CHS": "小鹅,年轻无知的人", + "ENG": "a young goose " + }, + "formally": { + "CHS": "正式地, 形式上", + "ENG": "officially" + }, + "rattle": { + "CHS": "嘎嘎作响n咯咯声;吵闹声", + "ENG": "if you rattle something, or if it rattles, it shakes and makes a quick series of short sounds" + }, + "residence": { + "CHS": "居住, 住处", + "ENG": "a house, especially a large or official one" + }, + "antecedent": { + "CHS": "祖先", + "ENG": "an event, organization, or thing that is similar to the one you have mentioned but existed earlier" + }, + "stake": { + "CHS": "树桩", + "ENG": "a pointed piece of wood, metal etc, especially one that is pushed into the ground to support something or mark a particular place" + }, + "disloyalty": { + "CHS": "不忠实", + "ENG": "Disloyalty is disloyal behaviour" + }, + "certainty": { + "CHS": "确定, 确实的事情", + "ENG": "the state of being completely certain" + }, + "nystatin": { + "CHS": "[微]制霉菌素", + "ENG": "an antibiotic obtained from the bacterium Streptomyces noursei: used in the treatment of infections caused by certain fungi, esp Candida albicans " + }, + "compile": { + "CHS": "编译, 编辑", + "ENG": "to make a book, list, record etc, using different pieces of information, music etc" + }, + "prodigious": { + "CHS": "巨大的, 惊人的", + "ENG": "very large or great in a surprising or impressive way" + }, + "mural": { + "CHS": "墙壁的 n壁画" + }, + "fountain": { + "CHS": "喷泉", + "ENG": "a structure from which water is pushed up into the air, used for example as decoration in a garden or park" + }, + "gatherer": { + "CHS": "收集者, 收集器", + "ENG": "someone who gathers something" + }, + "shoemaking": { + "CHS": "制鞋" + }, + "electrically": { + "CHS": "用电力;有关电地" + }, + "generous": { + "CHS": "慷慨的,丰富的", + "ENG": "someone who is generous is willing to give money, spend time etc, in order to help people or give them pleasure" + }, + "sprawl": { + "CHS": "伸开", + "ENG": "to lie or sit with your arms or legs stretched out in a lazy or careless way" + }, + "petal": { + "CHS": "花瓣", + "ENG": "one of the coloured parts of a flower that are shaped like leaves" + }, + "technologically": { + "CHS": "科技地" + }, + "proportionately": { + "CHS": "相称地, 成比例地" + }, + "germanium": { + "CHS": "锗", + "ENG": "a brittle crystalline grey element that is a semiconducting metalloid, occurring principally in zinc ores and argyrodite: used in transistors, as a catalyst, and to strengthen and harden alloys" + }, + "likelihood": { + "CHS": "可能(性)", + "ENG": "the degree to which something can reasonably be expected to happen" + }, + "charter": { + "CHS": "租 n宪章", + "ENG": "to pay a company for the use of their aircraft, boat etc" + }, + "threshold": { + "CHS": "门槛, 开端", + "ENG": "the entrance to a room or building, or the area of floor or ground at the entrance" + }, + "sparse": { + "CHS": "稀少的, 稀疏的", + "ENG": "existing only in small amounts" + }, + "statuary": { + "CHS": "雕象", + "ENG": "statues" + }, + "hypha": { + "CHS": "[植]菌丝", + "ENG": "any of the filaments that constitute the body (mycelium) of a fungus " + }, + "farsighted": { + "CHS": "有先见之明的, 远视的", + "ENG": "If you describe someone as farsighted, you admire them because they understand what is likely to happen in the future, and therefore make wise decisions and plans" + }, + "fatten": { + "CHS": "养肥;使肥沃", + "ENG": "If you say that someone is fattening something such as a business or its profits, you mean that they are increasing the value of the business or its profits, in a way that you disapprove of" + }, + "spit": { + "CHS": "唾液 v吐(唾沫)", + "ENG": "the watery liquid that is produced in your mouth" + }, + "crawl": { + "CHS": "爬行, 蠕动", + "ENG": "to move along on your hands and knees with your body close to the ground" + }, + "cautious": { + "CHS": "谨慎的, 小心的", + "ENG": "careful to avoid danger or risks" + }, + "expanse": { + "CHS": "广阔;宽阔的区域", + "ENG": "a very large area of water, sky, land etc" + }, + "dawn": { + "CHS": "黎明 vi破晓,开始出现", + "ENG": "the time at the beginning of the day when light first appears" + }, + "pram": { + "CHS": "婴儿车", + "ENG": "a small vehicle with four wheels in which a baby can lie down while it is being pushed" + }, + "purify": { + "CHS": "使纯净", + "ENG": "to remove dirty or harmful substances from something" + }, + "wonderful": { + "CHS": "精彩的, 极好的", + "ENG": "If you describe something or someone as wonderful, you think they are extremely good" + }, + "Sanskrit": { + "CHS": "梵语(的)", + "ENG": "an ancient language of India" + }, + "orbital": { + "CHS": "轨道的", + "ENG": "relating to the orbit of one object around another" + }, + "quit": { + "CHS": "离开, 辞职", + "ENG": "to leave a job, school etc, especially without finishing it completely" + }, + "confront": { + "CHS": "面临, 对抗", + "ENG": "if a problem, difficulty etc confronts you, it appears and needs to be dealt with" + }, + "bison": { + "CHS": "(美洲)野牛", + "ENG": "an animal like a large cow, with hair on its head and shoulders" + }, + "sideways": { + "CHS": "旁的, 横向的" + }, + "hyksos": { + "CHS": "希克索斯王朝(古埃及王朝之一)", + "ENG": "a member of a nomadic Asian people, probably Semites, who controlled Egypt from 1720 bc until 1560 bc " + }, + "arduous": { + "CHS": "费力的, 辛勤的", + "ENG": "involving a lot of strength and effort" + }, + "boulder": { + "CHS": "大石头" + }, + "saint": { + "CHS": "圣人, 圣徒", + "ENG": "someone who is given the title ‘saint’ by the Christian church after they have died, because they have been very good or holy" + }, + "bathhouse": { + "CHS": "公共浴室, 澡堂,", + "ENG": "A bathhouse is a public or private building containing baths and often other facilities such as a sauna" + }, + "dilute": { + "CHS": "稀释,冲淡", + "ENG": "to make a liquid weaker by adding water or another liquid" + }, + "principally": { + "CHS": "主要地", + "ENG": "mainly" + }, + "imbalance": { + "CHS": "不平衡,不均衡", + "ENG": "a lack of a fair or correct balance between two things, which results in problems or unfairness" + }, + "ionize": { + "CHS": "使离子化 ,电离", + "ENG": "to form ions or make them form" + }, + "immigration": { + "CHS": "移民入境", + "ENG": "the process of entering another country in order to live there permanently" + }, + "agitation": { + "CHS": "鼓动,焦虑", + "ENG": "when you are so anxious, nervous, or upset that you cannot think calmly" + }, + "vivid": { + "CHS": "生动的,栩栩如生的", + "ENG": "vivid memories, dreams, descriptions etc are so clear that they seem real" + }, + "necessitate": { + "CHS": "使成为必需,迫使", + "ENG": "to make it necessary for you to do something" + }, + "Hollywood": { + "CHS": "好莱坞", + "ENG": "You use Hollywood to refer to the film industry that is based in Hollywood, California" + }, + "poverty": { + "CHS": "贫穷, 贫困", + "ENG": "the situation or experience of being poor" + }, + "blossom": { + "CHS": "开花", + "ENG": "if trees blossom, they produce flowers" + }, + "demographic": { + "CHS": "人口统计学的" + }, + "accidentally": { + "CHS": "意外的,偶然(发生)的" + }, + "shipbuilding": { + "CHS": "造船", + "ENG": "the industry of making ships" + }, + "duct": { + "CHS": "用导管输送" + }, + "sweat": { + "CHS": "汗 v(使)出汗", + "ENG": "drops of salty liquid that come out through your skin when you are hot, frightened, ill, or doing exercise" + }, + "empirical": { + "CHS": "经验主义的", + "ENG": "based on scientific testing or practical experience, not on ideas" + }, + "mediate": { + "CHS": "调停, 斡旋", + "ENG": "to try to end a quarrel between two people, groups, countries etc" + }, + "bloodstream": { + "CHS": "血流", + "ENG": "the blood flowing in your body" + }, + "verify": { + "CHS": "核实, 证明", + "ENG": "to discover whether something is correct or true" + }, + "reelection": { + "CHS": "再选, 改选" + }, + "dwelling": { + "CHS": "住处", + "ENG": "a house, apartment etc where people live" + }, + "foremost": { + "CHS": "最重要的,最初的", + "ENG": "the best or most important" + }, + "midair": { + "CHS": "半空中", + "ENG": "in the air or the sky, away from the ground" + }, + "crocodile": { + "CHS": "鳄鱼, 鳄鱼皮", + "ENG": "a large reptile with a long mouth and many sharp teeth that lives in lakes and rivers in hot wet parts of the world" + }, + "sister": { + "CHS": "姐妹", + "ENG": "a girl or woman who has the same parents as you" + }, + "calve": { + "CHS": "生小牛, (使)冰山崩解", + "ENG": "to give birth to a calf " + }, + "integration": { + "CHS": "综合", + "ENG": "the combining of two or more things so that they work together effectively" + }, + "usefulness": { + "CHS": "有用, 有效性", + "ENG": "the state of being useful or the degree to which something is useful" + }, + "olfactory": { + "CHS": "嗅觉的", + "ENG": "connected with the sense of smell" + }, + "cranial": { + "CHS": "头盖(形)的", + "ENG": "Cranial means relating to your cranium" + }, + "prerequisite": { + "CHS": "先决条件", + "ENG": "something that is necessary before something else can happen or be done" + }, + "occupational": { + "CHS": "职业的", + "ENG": "relating to or caused by your job" + }, + "eclipse": { + "CHS": "(日、月)食 vt形成(日、月)食", + "ENG": "an occasion when the sun or the moon cannot be seen, because the Earth is passing directly between the moon and the sun, or because the moon is passing directly between the Earth and the sun" + }, + "refute": { + "CHS": "驳斥,驳倒", + "ENG": "to prove that a statement or idea is not correct" + }, + "updraft": { + "CHS": "上升气流" + }, + "deliberation": { + "CHS": "仔细考虑;商量", + "ENG": "careful consideration or discussion of something" + }, + "flagpole": { + "CHS": "旗杆", + "ENG": "a tall pole on which a flag hangs" + }, + "invoke": { + "CHS": "恳求", + "ENG": "to ask for help from someone more powerful than you, especially a god" + }, + "hypersensitive": { + "CHS": "过份敏感的", + "ENG": "if someone is hypersensitive to a drug, substance etc, their body reacts very badly to it" + }, + "unavoidable": { + "CHS": "不可避免的", + "ENG": "impossible to prevent" + }, + "lucky": { + "CHS": "幸运的, 吉祥的", + "ENG": "having good luck" + }, + "upcoming": { + "CHS": "即将来临的", + "ENG": "happening soon" + }, + "February": { + "CHS": "二月(略作Feb)", + "ENG": "the second month of the year, between January and March" + }, + "lug": { + "CHS": "(用力)拖拉", + "ENG": "to pull or carry something heavy with difficulty" + }, + "broadly": { + "CHS": "宽广地, 广泛" + }, + "friendship": { + "CHS": "友谊, 友好", + "ENG": "a relationship between friends" + }, + "twain": { + "CHS": "两, 双, 二", + "ENG": "two" + }, + "pathogen": { + "CHS": "[微生物]病菌, 病原体", + "ENG": "something that causes disease in your body" + }, + "memorable": { + "CHS": "难忘的,重大的", + "ENG": "very good, enjoyable, or unusual, and worth remembering" + }, + "auditory": { + "CHS": "耳的, 听觉的", + "ENG": "relating to the ability to hear" + }, + "avant": { + "CHS": "先锋的,激进的" + }, + "tertiary": { + "CHS": "第三的, 第三位的", + "ENG": "third in place, degree, or order" + }, + "submarine": { + "CHS": "潜水艇", + "ENG": "a ship, especially a military one, that can stay under water" + }, + "locality": { + "CHS": "位置, 地点", + "ENG": "a small area of a country, city etc" + }, + "questionable": { + "CHS": "可疑的", + "ENG": "not likely to be true or correct" + }, + "Inuit": { + "CHS": "因纽特人, 因纽特语", + "ENG": "The Inuit are the people descended from the original people of Alaska, Eastern Canada, and Greenland" + }, + "alga": { + "CHS": "藻类,海藻" + }, + "dialect": { + "CHS": "方言", + "ENG": "a form of a language which is spoken only in one area, with words or grammar that are slightly different from other forms of the same language" + }, + "respectively": { + "CHS": "分别地, 各个地", + "ENG": "in the same order as the things you have just mentioned" + }, + "absent": { + "CHS": "缺席的;缺乏的", + "ENG": "not at work, school, a meeting etc, because you are sick or decide not to go" + }, + "feldspar": { + "CHS": "[矿]长石", + "ENG": "a type of grey or white mineral" + }, + "biology": { + "CHS": "(生物)学", + "ENG": "the scientific study of living things" + }, + "fatal": { + "CHS": "致命的,灾难性的", + "ENG": "resulting in someone’s death" + }, + "romanticism": { + "CHS": "浪漫精神, 浪漫主义", + "ENG": "a way of writing or painting that was popular in the late 18th and early 19th century, in which feelings, imagination, and wild natural beauty were considered more important than anything else" + }, + "needlework": { + "CHS": "刺绣, 缝纫", + "ENG": "the activity or art of sewing, or things made by sewing" + }, + "palace": { + "CHS": "宫, 宫殿", + "ENG": "the official home of a person of very high rank, especially a king or queen – often used in names" + }, + "ingenious": { + "CHS": "设计独特的,巧妙的", + "ENG": "an ingenious plan, idea, or object works well and is the result of clever thinking and new ideas" + }, + "framework": { + "CHS": "框架, 体系, 结构", + "ENG": "a set of ideas, rules, or beliefs from which something is developed, or on which decisions are based" + }, + "imposition": { + "CHS": "强迫接受" + }, + "meantime": { + "CHS": "同时, 其间" + }, + "caribou": { + "CHS": "北美产驯鹿(=Rangifer)", + "ENG": "a North American reindeer " + }, + "attentive": { + "CHS": "注意的, 留意的", + "ENG": "listening to or watching someone carefully because you are interested" + }, + "lifelong": { + "CHS": "终生的", + "ENG": "continuing or existing all through your life" + }, + "August": { + "CHS": "八月(略作Aug)", + "ENG": "the eighth month of the year, between July and September" + }, + "motionless": { + "CHS": "不动的, 静止的", + "ENG": "not moving at all" + }, + "renewable": { + "CHS": "可更新的, 可再生的", + "ENG": "if an agreement or official document is renewable, you can make it continue for a further period of time after it ends" + }, + "aural": { + "CHS": "听觉的", + "ENG": "relating to the sense of hearing, or someone’s ability to understand sounds" + }, + "amateur": { + "CHS": "业余爱好者", + "ENG": "someone who does an activity just for pleasure, not as their job" + }, + "tangle": { + "CHS": "(使)乱作一团 n混乱" + }, + "onset": { + "CHS": "开始;攻击", + "ENG": "the beginning of something, especially something bad" + }, + "flank": { + "CHS": "肋,侧边", + "ENG": "the side of an army in a battle, or a sports team when playing" + }, + "ornamental": { + "CHS": "装饰的 n装饰品", + "ENG": "Something that is ornamental is attractive and decorative" + }, + "connective": { + "CHS": "连合的, 连接的" + }, + "meaningless": { + "CHS": "无意义的", + "ENG": "having no purpose or importance and therefore not worth doing or having" + }, + "capitalist": { + "CHS": "资本主义的 n资本家", + "ENG": "using or supporting capitalism" + }, + "estate": { + "CHS": "财产, 地产", + "ENG": "law all of someone’s property and money, especially everything that is left after they die" + }, + "cenotes": { + "CHS": "天然井", + "ENG": "(esp in the Yucatán peninsula) a natural well formed by the collapse of an overlying limestone crust: often used as a sacrificial site by the Mayas " + }, + "mesquite": { + "CHS": "豆科灌木", + "ENG": "an American tree or bush, or the wood from it that is used to give food a special taste when it is being cooked on a barbecue " + }, + "actively": { + "CHS": "活跃地, 积极地" + }, + "prison": { + "CHS": "监狱", + "ENG": "a building where people are kept as a punishment for a crime, or while they are waiting to go to court for their trial " + }, + "whistle": { + "CHS": "吹口哨,鸣笛 n哨子", + "ENG": "to make a high or musical sound by blowing air out through your lips" + }, + "seedling": { + "CHS": "幼苗", + "ENG": "a young plant or tree grown from a seed" + }, + "lace": { + "CHS": "花边,系带 vt用系带束紧", + "ENG": "a fine cloth made with patterns of many very small holes" + }, + "constrict": { + "CHS": "压缩", + "ENG": "to make something narrower or tighter, or to become narrower or tighter" + }, + "electromagnetic": { + "CHS": "电磁的", + "ENG": "relating to both electricity and magnetism, or having both electrical and magnetic qualities" + }, + "Virginian": { + "CHS": "弗吉尼亚州的人" + }, + "dryness": { + "CHS": "干燥" + }, + "locale": { + "CHS": "现场, 场所", + "ENG": "the place where something happens or where the action takes place in a book or a film" + }, + "rodeo": { + "CHS": "马术竞技表演会, 将牛、马驱集在一起", + "ENG": "a type of entertainment in which cowboy s ride wild horses, catch cattle with ropes, and ride in races" + }, + "endurance": { + "CHS": "忍耐(力), 持久(力)", + "ENG": "the ability to continue doing something difficult or painful over a long period of time" + }, + "tribute": { + "CHS": "颂词,称赞", + "ENG": "something that you say, do, or give in order to express your respect or admiration for someone" + }, + "mussel": { + "CHS": "[动]贻贝, 蚌类", + "ENG": "a small sea animal with a soft body that can be eaten and a black shell that is divided into two parts" + }, + "cyan": { + "CHS": "蓝绿色, 青色", + "ENG": "a highly saturated green-blue that is the complementary colour of red and forms, with magenta and yellow, a set of primary colours " + }, + "jungle": { + "CHS": "(热带)丛林", + "ENG": "a thick tropical forest with many large plants growing very close together" + }, + "clam": { + "CHS": "蛤", + "ENG": "a shellfish you can eat that has a shell in two parts that open up" + }, + "angry": { + "CHS": "发怒的,生气的", + "ENG": "feeling strong emotions which make you want to shout at someone or hurt them because they have behaved in an unfair, cruel, offensive etc way, or because you think that a situation is unfair, unacceptable etc" + }, + "usher": { + "CHS": "引,领,陪同", + "ENG": "to help someone to get from one place to another, especially by showing them the way" + }, + "fusion": { + "CHS": "熔化,融合", + "ENG": "a combination of separate qualities or ideas" + }, + "scarcely": { + "CHS": "几乎不, 简直没有", + "ENG": "almost not or almost none at all" + }, + "herald": { + "CHS": "预报, 标志" + }, + "mismatch": { + "CHS": "配错, 不相匹配", + "ENG": "a combination of things or people that do not work well together or are not suitable for each other" + }, + "stitch": { + "CHS": "缝, 缝合", + "ENG": "to sew two pieces of cloth together, or to sew a decoration onto a piece of cloth" + }, + "suspicious": { + "CHS": "可疑的,多疑的", + "ENG": "thinking that someone might be guilty of doing something wrong or dishonest" + }, + "monarch": { + "CHS": "君主", + "ENG": "a king or queen" + }, + "extol": { + "CHS": "赞美", + "ENG": "to praise something very much" + }, + "squat": { + "CHS": "蹲(下)", + "ENG": "to sit with your knees bent under you and your bottom just off the ground, balancing on your feet" + }, + "rope": { + "CHS": "绳, 索", + "ENG": "very strong thick string, made by twisting together many thinner strings" + }, + "verse": { + "CHS": "诗(句)", + "ENG": "words arranged in the form of poetry" + }, + "spoon": { + "CHS": "匙,调羹", + "ENG": "an object that you use for eating, cooking, or serving food. It has a small bowl-shaped part and a long handle." + }, + "chaos": { + "CHS": "混乱,紊乱", + "ENG": "a situation in which everything is happening in a confused way and nothing is organized or arranged in order" + }, + "prizefight": { + "CHS": "职业拳击赛", + "ENG": "a public boxing match in which two men fight each other without boxing gloves, in order to win money" + }, + "inactivity": { + "CHS": "不活动, 迟钝", + "ENG": "the state of not doing anything, not moving, or not working" + }, + "confident": { + "CHS": "自信的, 确信的", + "ENG": "sure that something will happen in the way that you want or expect" + }, + "shipment": { + "CHS": "装船, 出货", + "ENG": "a load of goods sent by sea, road, or air, or the act of sending them" + }, + "unprotected": { + "CHS": "无保护的, 未做防护措施的", + "ENG": "not protected against possible harm or damage" + }, + "spawn": { + "CHS": "卵", + "ENG": "the eggs of a fish or frog laid together in a soft mass" + }, + "lobe": { + "CHS": "耳垂,(肺,肝等的)叶", + "ENG": "the soft piece of flesh at the bottom of your ear" + }, + "plummet": { + "CHS": "铅锤 vi垂直落下" + }, + "biologically": { + "CHS": "生物学地" + }, + "firearm": { + "CHS": "火器,枪炮", + "ENG": "a gun" + }, + "communal": { + "CHS": "公共的,集体的", + "ENG": "shared by a group of people or animals, especially a group who live together" + }, + "kick": { + "CHS": "踢", + "ENG": "If you kick someone or something, you hit them forcefully with your foot" + }, + "boost": { + "CHS": "推进", + "ENG": "to increase or improve something and make it more successful" + }, + "linguist": { + "CHS": "语言学家", + "ENG": "someone who studies or teaches linguistics" + }, + "cortex": { + "CHS": "外皮, (大脑)皮层", + "ENG": "the outer layer of an organ in your body, especially your brain" + }, + "objectively": { + "CHS": "客观地", + "ENG": "if you consider something objectively, you try to think about the facts, and not be influenced by your own feelings or opinions" + }, + "chilly": { + "CHS": "寒冷的", + "ENG": "chilly weather or places are cold enough to make you feel uncomfortable" + }, + "artifact": { + "CHS": "人造物品" + }, + "statesman": { + "CHS": "政治家", + "ENG": "a political or government leader, especially one who is respected as being wise and fair" + }, + "curator": { + "CHS": "管理者" + }, + "tally": { + "CHS": "记分 vi符合", + "ENG": "A tally is a record of amounts or numbers which you keep changing and adding to as the activity which affects it progresses" + }, + "corporation": { + "CHS": "公司, 法人", + "ENG": "a big company, or a group of companies acting together as a single organization" + }, + "expertise": { + "CHS": "专门知识(或技能等),专长", + "ENG": "special skills or knowledge in a particular subject, that you learn by experience or training" + }, + "coincide": { + "CHS": "一致, 符合", + "ENG": "if two people’s ideas, opinions etc coincide, they are the same" + }, + "operator": { + "CHS": "操作员, 技工", + "ENG": "someone who operates a machine or piece of equipment" + }, + "originator": { + "CHS": "创始人, 发起人", + "ENG": "the person who first has the idea for something and starts it" + }, + "pacifier": { + "CHS": "调停者,和解人" + }, + "Indus": { + "CHS": "印度河(印度西北部的河流)" + }, + "asymmetrical": { + "CHS": "不对称的,不均匀的", + "ENG": "having two sides that are different in shape" + }, + "lady": { + "CHS": "女士,夫人,小姐", + "ENG": "used as the title of the wife or daughter of a British noblemanor the wife of a knight" + }, + "quantifiable": { + "CHS": "可以计量的, 可量化的", + "ENG": "Something that is quantifiable can be measured or counted in a scientific way" + }, + "pul": { + "CHS": "普尔(阿富汗辅币单位)", + "ENG": "an Afghan monetary unit worth one hundredth of an afghani " + }, + "temper": { + "CHS": "脾气,韧度 vt调和", + "ENG": "a tendency to become angry suddenly or easily" + }, + "humanness": { + "CHS": "为人,人性" + }, + "companion": { + "CHS": "同伴, 共事者", + "ENG": "someone you spend a lot of time with, especially a friend" + }, + "slave": { + "CHS": "奴隶", + "ENG": "someone who is owned by another person and works for them for no money" + }, + "pinniped": { + "CHS": "鳍足类的", + "ENG": "of, relating to, or belonging to the Pinnipedia, an order of aquatic placental mammals having a streamlined body and limbs specialized as flippers: includes seals, sea lions, and the walrus " + }, + "companionship": { + "CHS": "友谊", + "ENG": "when you are with someone you enjoy being with, and are not alone" + }, + "archaeocyte": { + "CHS": "原始(生殖)细胞" + }, + "protective": { + "CHS": "给予保护的, 保护的", + "ENG": "used or intended for protection" + }, + "incidental": { + "CHS": "偶然的;附带的", + "ENG": "happening or existing in connection with something else that is more important" + }, + "intruder": { + "CHS": "入侵者", + "ENG": "someone who illegally enters a building or area, usually in order to steal something" + }, + "conjunction": { + "CHS": "联合, 关联", + "ENG": "a combination of different things that have come together by chance" + }, + "ornate": { + "CHS": "华丽的, 装饰的", + "ENG": "covered with a lot of decoration" + }, + "intentionally": { + "CHS": "有意地,故意地" + }, + "impractical": { + "CHS": "不切实际的,不实用的", + "ENG": "not sensible or possible for practical reasons" + }, + "steal": { + "CHS": "偷, 窃取", + "ENG": "to take something that belongs to someone else" + }, + "rhetoric": { + "CHS": "雄辩言辞,修辞学", + "ENG": "the art of speaking or writing to persuade or influence people" + }, + "clump": { + "CHS": "使成一丛" + }, + "immaturity": { + "CHS": "不成熟", + "ENG": "Immaturity is the state of being not yet completely grown or fully developed" + }, + "understandable": { + "CHS": "可理解的,能够懂的", + "ENG": "understandable behaviour, reactions etc seem normal and reasonable because of the situation you are in" + }, + "register": { + "CHS": "登记(表),注册", + "ENG": "an official list of names of people, companies etc, or a book that has this list" + }, + "offset": { + "CHS": "补偿,抵消", + "ENG": "if the cost or amount of something offsets another cost or amount, the two things have an opposite effect so that the situation remains the same" + }, + "faculty": { + "CHS": "能力,院系,全体教员", + "ENG": "a department or group of related departments within a university" + }, + "divorce": { + "CHS": "离婚, 脱离", + "ENG": "the legal ending of a marriage" + }, + "daytime": { + "CHS": "白天, 日间", + "ENG": "the time during the day between the time when it gets light and the time when it gets dark" + }, + "dare": { + "CHS": "敢, 挑战", + "ENG": "to be brave enough to do something that is risky or that you are afraid to do – used especially in questions or negative sentences" + }, + "overcrowd": { + "CHS": "过度拥挤", + "ENG": "to fill (a room, vehicle, city, etc) with more people or things than is desirable " + }, + "marvelous": { + "CHS": "令人惊异的, 非凡的" + }, + "foolish": { + "CHS": "愚蠢的,荒谬的", + "ENG": "a foolish action, remark etc is stupid and shows that someone is not thinking sensibly" + }, + "opportunistic": { + "CHS": "机会主义的, 投机取巧的", + "ENG": "If you describe someone's behaviour as opportunistic, you are critical of them because they take advantage of situations in order to gain money or power, without thinking about whether their actions are right or wrong" + }, + "brine": { + "CHS": "盐水", + "ENG": "water that contains a lot of salt and is used for preserving food" + }, + "naive": { + "CHS": "天真的", + "ENG": "not having much experience of how complicated life is, so that you trust people too much and believe that good things will always happen" + }, + "merchandise": { + "CHS": "商品, 货物", + "ENG": "goods that are being sold" + }, + "jade": { + "CHS": "玉,翡翠", + "ENG": "a hard, usually green stone often used to make jewellery" + }, + "lapis": { + "CHS": "[化]天青石(常用于化学中的矿物命名)" + }, + "breakthrough": { + "CHS": "突破", + "ENG": "an important new discovery in something you are studying, especially one made after trying for a long time" + }, + "manager": { + "CHS": "经理, 管理人员", + "ENG": "someone whose job is to manage part or all of a company or other organization" + }, + "compositional": { + "CHS": "合成的,组成的" + }, + "youngster": { + "CHS": "年青人, 少年", + "ENG": "Young people, especially children, are sometimes referred to as youngsters" + }, + "ideologically": { + "CHS": "意识形态上地, 思想上地" + }, + "interpersonal": { + "CHS": "人与人之间的, 人际关系的", + "ENG": "relating to relationships between people" + }, + "Afghanistan": { + "CHS": "阿富汗(西南亚国家)" + }, + "lazuli": { + "CHS": "天青石" + }, + "electronically": { + "CHS": "电子地, 通过电子手段" + }, + "sewage": { + "CHS": "污水, 污物", + "ENG": "the mixture of waste from the human body and used water, that is carried away from houses by pipes under the ground" + }, + "authorize": { + "CHS": "批准", + "ENG": "to give official permission for something" + }, + "municipal": { + "CHS": "市政的", + "ENG": "relating to or belonging to the government of a town or city" + }, + "imagery": { + "CHS": "意象, 肖像", + "ENG": "the use of words or pictures to describe ideas or actions in poems, books, films etc" + }, + "refreeze": { + "CHS": "再结冰, 重新冻结", + "ENG": "to freeze or be frozen again after having defrosted " + }, + "hydrologic": { + "CHS": "水文的" + }, + "dietary": { + "CHS": "规定的食物" + }, + "hydropower": { + "CHS": "水力发出的电力", + "ENG": "hydroelectric power " + }, + "granule": { + "CHS": "小粒,微粒", + "ENG": "a small hard piece of something" + }, + "further": { + "CHS": "更远的,更进一步地" + }, + "recreational": { + "CHS": "娱乐的, 消遣的", + "ENG": "Recreational means relating to things people do in their spare time to relax" + }, + "insecure": { + "CHS": "不安全的,不稳固的", + "ENG": "a job, investment etc that is insecure does not give you a feeling of safety, because it might be taken away or lost at any time" + }, + "dealing": { + "CHS": "行为, 交易", + "ENG": "the activity of buying, selling, or doing business with people" + }, + "circumvent": { + "CHS": "绕行,设法避开", + "ENG": "to avoid something by changing the direction in which you are travelling" + }, + "chunk": { + "CHS": "大块,相当大的部分(数量)", + "ENG": "a large thick piece of something that does not have an even shape" + }, + "staff": { + "CHS": "全体职工,全体人员", + "ENG": "the people who work for an organization" + }, + "achondrite": { + "CHS": "不含球粒陨石", + "ENG": "a rare stony meteorite that consists mainly of silicate minerals and has the texture of igneous rock but contains no chondrules " + }, + "asset": { + "CHS": "资产", + "ENG": "the things that a company owns, that can be sold to pay debts" + }, + "navigable": { + "CHS": "可航行的,可操纵的", + "ENG": "a river, lake etc that is navigable is deep and wide enough for ships to travel on" + }, + "flutter": { + "CHS": "振翼;飘动", + "ENG": "to make small gentle movements in the air" + }, + "pitch": { + "CHS": "球场,强度v扔,猛然倒下", + "ENG": "a marked out area of ground on which a sport is played" + }, + "multiplicity": { + "CHS": "多样性", + "ENG": "a large number or great variety of things" + }, + "figuratively": { + "CHS": "比喻地" + }, + "crime": { + "CHS": "犯罪", + "ENG": "illegal activities in general" + }, + "speaker": { + "CHS": "说话者, 演讲人", + "ENG": "someone who makes a formal speech to a group of people" + }, + "undermine": { + "CHS": "破坏", + "ENG": "If you undermine someone's efforts or undermine their chances of achieving something, you behave in a way that makes them less likely to succeed" + }, + "greener": { + "CHS": "生手" + }, + "entrepreneurial": { + "CHS": "企业家的, 企业性质的" + }, + "foliage": { + "CHS": "树叶,植物", + "ENG": "the leaves of a plant" + }, + "vice": { + "CHS": "缺点, 恶习", + "ENG": "a bad habit" + }, + "supreme": { + "CHS": "最高的, 至上的", + "ENG": "having the highest position of power, importance, or influence" + }, + "maximize": { + "CHS": "取最大值, 最佳化", + "ENG": "to increase something such as profit or income as much as possible" + }, + "bushman": { + "CHS": "丛林居民", + "ENG": "a person who lives or travels in the bush, esp one versed in bush lore " + }, + "grade": { + "CHS": "评分,分等级", + "ENG": "to say what level of a quality something has, or what standard it is" + }, + "marshy": { + "CHS": "沼泽般的,湿软的", + "ENG": "Marshy land is always wet and muddy" + }, + "anxiety": { + "CHS": "忧虑, 焦急", + "ENG": "the feeling of being very worried about something" + }, + "retirement": { + "CHS": "退休", + "ENG": "when you stop working, usually because of your age" + }, + "sympathetic": { + "CHS": "同情的", + "ENG": "caring and feeling sorry about someone’s problems" + }, + "manifestation": { + "CHS": "显示, 表现", + "ENG": "a very clear sign that a particular situation or feeling exists" + }, + "excitement": { + "CHS": "刺激, 兴奋", + "ENG": "the feeling of being excited" + }, + "porcupine": { + "CHS": "[动]豪猪", + "ENG": "an animal with long sharp parts growing all over its back and sides" + }, + "amaze": { + "CHS": "使吃惊", + "ENG": "to surprise someone very much" + }, + "barge": { + "CHS": "驳船 vi猛撞" + }, + "keyboard": { + "CHS": "键盘", + "ENG": "a board with buttons marked with letters or numbers that are pressed to put information into a computer or other machine" + }, + "hook": { + "CHS": "钩住", + "ENG": "to bend your finger, arm, or leg, especially so that you can pull or hold something else" + }, + "experimentation": { + "CHS": "实验", + "ENG": "the process of testing various ideas, methods etc to find out how good or effective they are" + }, + "percussion": { + "CHS": "碰撞, 打击乐器", + "ENG": "musical instruments such as drums, bells etc which you play by hitting them" + }, + "plausible": { + "CHS": "似真实合理的", + "ENG": "reasonable and likely to be true or successful" + }, + "crisscross": { + "CHS": "十字形" + }, + "blink": { + "CHS": "眨眼, 闪烁", + "ENG": "to shut and open your eyes quickly" + }, + "rift": { + "CHS": "裂开" + }, + "radiator": { + "CHS": "暖气片,散热器", + "ENG": "a thin metal container that is fastened to a wall and through which hot water passes to provide heat for a room" + }, + "myriad": { + "CHS": "无数的 n无数", + "ENG": "very many" + }, + "clavichord": { + "CHS": "翼琴(钢琴的前身)", + "ENG": "a musical instrument like a piano, that was played especially in the past" + }, + "trilobite": { + "CHS": "[古生]三叶虫", + "ENG": "a type of fossil of a small sea creature" + }, + "converter": { + "CHS": "转炉", + "ENG": "a piece of equipment that changes the form of something, especially so that it can be more easily used" + }, + "layout": { + "CHS": "布局,安排", + "ENG": "the way in which something such as a town, garden, or building is arranged" + }, + "claw": { + "CHS": "(脚)爪", + "ENG": "a sharp curved nail on an animal, bird, or some insects" + }, + "repel": { + "CHS": "排斥,击退", + "ENG": "to make someone who is attacking you go away, by fighting them" + }, + "sierra": { + "CHS": "[地]齿状山脊, [鱼]马鲛" + }, + "legitimate": { + "CHS": "合法的", + "ENG": "fair or reasonable" + }, + "plus": { + "CHS": "加上 a正的", + "ENG": "used to show that one number or amount is added to another" + }, + "octopus": { + "CHS": "章鱼", + "ENG": "a sea creature with eight tentacles (= arms )" + }, + "temporal": { + "CHS": "现世的, 暂时的", + "ENG": "related to or limited by time" + }, + "unpredictability": { + "CHS": "不可预测性" + }, + "minimalist": { + "CHS": "最低限要求者" + }, + "magical": { + "CHS": "魔术的, 神奇的", + "ENG": "very enjoyable, exciting, or romantic, in a strange or special way" + }, + "storefront": { + "CHS": "店头, 店面", + "ENG": "the part of a store that faces the street" + }, + "makeshift": { + "CHS": "临时替代物" + }, + "plight": { + "CHS": "困境", + "ENG": "a very bad situation that someone is in" + }, + "cactus": { + "CHS": "[植]仙人掌", + "ENG": "a desert plant with sharp points instead of leaves" + }, + "solemn": { + "CHS": "庄严的,严肃的", + "ENG": "very serious and not happy, for example because something bad has happened or because you are at an important occasion" + }, + "reap": { + "CHS": "收割, 收获", + "ENG": "to cut and collect a crop of grain" + }, + "improvise": { + "CHS": "即兴创作", + "ENG": "to do something without any preparation, because you are forced to do this by unexpected events" + }, + "ascend": { + "CHS": "攀登, 上升", + "ENG": "to move up through the air" + }, + "showman": { + "CHS": "戏剧制作人, 玩杂耍的" + }, + "summit": { + "CHS": "顶点, 最高阶层" + }, + "appointment": { + "CHS": "约会, 指定", + "ENG": "an arrangement for a meeting at an agreed time and place, for a particular purpose" + }, + "lawyer": { + "CHS": "律师", + "ENG": "someone whose job is to advise people about laws, write formal agreements, or represent people in court" + }, + "Alaskan": { + "CHS": "阿拉斯加人 a阿拉斯加的" + }, + "constrain": { + "CHS": "强迫, 限制", + "ENG": "to limit something" + }, + "exploitation": { + "CHS": "开发, 开采", + "ENG": "the development and use of minerals, forests, oil etc for business or industry" + }, + "doctrine": { + "CHS": "教条, 学说", + "ENG": "a set of beliefs that form an important part of a religion or system of ideas" + }, + "immeasurably": { + "CHS": "无法计量地, 无限地", + "ENG": "You use immeasurably to emphasize the degree or extent of a process or quality" + }, + "ambition": { + "CHS": "野心, 雄心", + "ENG": "determination to be successful, rich, powerful etc" + }, + "perpetuate": { + "CHS": "使永存, 使不朽" + }, + "afterlife": { + "CHS": "来世, 后来的岁月", + "ENG": "the life that some people believe people have after death" + }, + "bask": { + "CHS": "晒太阳", + "ENG": "to enjoy sitting or lying in the heat of the sun or a fire" + }, + "humanitarian": { + "CHS": "人道主义者(的)" + }, + "shoemaker": { + "CHS": "鞋匠", + "ENG": "someone who makes shoes and boots" + }, + "prairies": { + "CHS": "大草原", + "ENG": "A prairie is a large area of flat, grassy land in North America. Prairies have very few trees. " + }, + "handicraft": { + "CHS": "手工艺(品)", + "ENG": "an activity such as sewing or making baskets, in which you use your hands in a skilful way to make things" + }, + "logically": { + "CHS": "符合逻辑地, 逻辑上地" + }, + "airstream": { + "CHS": "气流" + }, + "whoever": { + "CHS": "任何人, 无论谁", + "ENG": "used to say that it does not matter who does something, is in a particular place etc" + }, + "unsafe": { + "CHS": "不安全的", + "ENG": "dangerous or likely to cause harm" + }, + "flashbulb": { + "CHS": "[摄]闪光灯泡", + "ENG": "A flashbulb is a small bulb that can be attached to a camera. It makes a bright flash of light so that you can take photographs indoors. " + }, + "bovine": { + "CHS": "(似)牛的,迟钝的", + "ENG": "relating to cows" + }, + "thoughtful": { + "CHS": "深思的", + "ENG": "serious and quiet because you are thinking a lot" + }, + "ignite": { + "CHS": "点火", + "ENG": "to start burning, or to make something start burning" + }, + "icicle": { + "CHS": "冰柱", + "ENG": "a long thin pointed piece of ice hanging from a roof or other surface" + }, + "unbroken": { + "CHS": "不间断的", + "ENG": "continuing without being interrupted or broken" + }, + "funnel": { + "CHS": "漏斗,烟囱", + "ENG": "a thin tube with a wide top that you use for pouring liquid into a container with a narrow opening, such as a bottle" + }, + "fastidious": { + "CHS": "过分讲究的, 挑剔的", + "ENG": "very careful about small details in your appearance, work etc" + }, + "overshadow": { + "CHS": "遮蔽, 使失色", + "ENG": "if a tall building, mountain etc overshadows a place, it is very close to it and much taller than it" + }, + "hare": { + "CHS": "野兔", + "ENG": "an animal like a rabbit but larger, which can run very quickly" + }, + "consult": { + "CHS": "商量, 商议", + "ENG": "to discuss something with someone so that you can make a decision together" + }, + "inhospitable": { + "CHS": "不好客的,不适于居住的", + "ENG": "an inhospitable place is difficult to live or stay in because the weather conditions are unpleasant or there is no shelter" + }, + "artistically": { + "CHS": "艺术地, 在艺术上" + }, + "pigmentation": { + "CHS": "染色", + "ENG": "the natural colour of living things" + }, + "quincy": { + "CHS": "昆西(美国伊利诺斯州西部一城市)" + }, + "afternoon": { + "CHS": "午后", + "ENG": "the part of the day after the morning and before the evening" + }, + "rumen": { + "CHS": "瘤胃(反刍动物的第一胃)", + "ENG": "the first compartment of the stomach of ruminants, behind the reticulum, in which food is partly digested before being regurgitated as cud " + }, + "aristocracy": { + "CHS": "贵族(政治)", + "ENG": "the people in the highest social class, who traditionally have a lot of land, money, and power" + }, + "advise": { + "CHS": "劝告, 忠告, 警告, 建议", + "ENG": "to tell someone what you think they should do, especially when you know more than they do about something" + }, + "impair": { + "CHS": "损害,削弱", + "ENG": "to damage something or make it not as good as it should be" + }, + "greedy": { + "CHS": "贪婪的", + "ENG": "always wanting more food, money, power, possessions etc than you need" + }, + "broadleaf": { + "CHS": "阔叶烟草,阔叶树", + "ENG": "any tobacco plant having broad leaves, used esp in making cigars " + }, + "pierce": { + "CHS": "刺穿", + "ENG": "to make a small hole in or through something, using an object with a sharp point" + }, + "bluish": { + "CHS": "带蓝色的", + "ENG": "slightly blue" + }, + "autobiographical": { + "CHS": "自传的", + "ENG": "An autobiographical piece of writing relates to events in the life of the person who has written it" + }, + "Parisian": { + "CHS": "巴黎(人)(的)", + "ENG": "someone from the city of Paris in France" + }, + "halfway": { + "CHS": "中途的ad半路地", + "ENG": "at a middle point in space or time between two things" + }, + "instability": { + "CHS": "不稳定(性)", + "ENG": "when a situation is not certain because there is the possibility of sudden change" + }, + "fabricate": { + "CHS": "编造, 虚构", + "ENG": "to invent a story, piece of information etc in order to deceive someone" + }, + "ring": { + "CHS": "包围" + }, + "embrace": { + "CHS": "拥抱", + "ENG": "to put your arms around someone and hold them in a friendly or loving way" + }, + "corruption": { + "CHS": "腐化;贪污", + "ENG": "dishonest, illegal, or immoral behaviour, especially from someone with power" + }, + "postwar": { + "CHS": "战后的", + "ENG": "Postwar is used to describe things that happened, existed, or were made in the period immediately after a war, especially World War II, 1939-45" + }, + "orange": { + "CHS": "橘子", + "ENG": "a round fruit that has a thick orange skin and is divided into parts inside" + }, + "license": { + "CHS": "许可证 vt许可" + }, + "heel": { + "CHS": "脚后跟", + "ENG": "the curved back part of your foot" + }, + "whichever": { + "CHS": "无论那一个, 任何一个" + }, + "brant": { + "CHS": "黑雁", + "ENG": "a small goose, Branta bernicla, that has a dark grey plumage and short neck and occurs in most northern coastal regions " + }, + "obsession": { + "CHS": "迷住, 困扰", + "ENG": "If you say that someone has an obsession with a person or thing, you think they are spending too much time thinking about them" + }, + "scurry": { + "CHS": "疾行" + }, + "subtropical": { + "CHS": "亚热带的", + "ENG": "related to or typical of an area that is near a tropical area" + }, + "comfort": { + "CHS": "/v安慰", + "ENG": "if someone or something gives you comfort, they make you feel calmer, happier, or more hopeful after you have been worried or unhappy" + }, + "banana": { + "CHS": "香蕉", + "ENG": "a long curved tropical fruit with a yellow skin" + }, + "Vancouver": { + "CHS": "温哥华(城市名)" + }, + "thorn": { + "CHS": "[植]刺", + "ENG": "a sharp point that grows on the stem of a plant such as a rose" + }, + "megawatt": { + "CHS": "兆瓦特", + "ENG": "a million watt s " + }, + "cellar": { + "CHS": "地窖, 地下室", + "ENG": "a room under a house or other building, often used for storing things" + }, + "pain": { + "CHS": "使痛苦", + "ENG": "If a fact or idea pains you, it makes you feel upset and disappointed" + }, + "arboreal": { + "CHS": "树木的", + "ENG": "relating to trees, or living in trees" + }, + "multicellular": { + "CHS": "多细胞的", + "ENG": "consisting of many cells" + }, + "hail": { + "CHS": "下雹,高呼", + "ENG": "if it hails, small balls of ice fall like rain" + }, + "slop": { + "CHS": "溢出, 溅溢", + "ENG": "if liquid slops somewhere, it moves around or over the edge of a container in an uncontrolled way" + }, + "spontaneously": { + "CHS": "自发地" + }, + "limner": { + "CHS": "素描者" + }, + "elective": { + "CHS": "选举的,随意选择的", + "ENG": "an elective position or organization is one for which there is an election" + }, + "devour": { + "CHS": "吞食,吞没" + }, + "repertoire": { + "CHS": "全部节目", + "ENG": "all the plays, pieces of music etc that a performer or group knows and can perform" + }, + "swimmer": { + "CHS": "游泳者", + "ENG": "someone who swims well, often as a competitor" + }, + "physically": { + "CHS": "身体上地", + "ENG": "in relation to your body rather than your mind or emotions" + }, + "eagerly": { + "CHS": "热心地,急切地" + }, + "protectionist": { + "CHS": "保护贸易论(者)", + "ENG": "A protectionist is someone who agrees with and supports protectionism" + }, + "husbandry": { + "CHS": "管理" + }, + "barely": { + "CHS": "仅仅, 几乎不能", + "ENG": "almost not" + }, + "fortification": { + "CHS": "防御工事", + "ENG": "towers, walls etc built around a place in order to protect it or defend it" + }, + "ill": { + "CHS": "有病的,坏的", + "ENG": "suffering from a disease or not feeling well" + }, + "vascular": { + "CHS": "血管的, 脉管的", + "ENG": "relating to the tubes through which liquids flow in the bodies of animals or in plants" + }, + "glassy": { + "CHS": "象玻璃的", + "ENG": "If you describe something as glassy, you mean that it is very smooth and shiny, like glass" + }, + "trunk": { + "CHS": "树干, 行李箱", + "ENG": "the thick central woody stem of a tree" + }, + "tenth": { + "CHS": "第十, 十分之一", + "ENG": "one of ten equal parts of something" + }, + "unavailable": { + "CHS": "难以获得的", + "ENG": "not able to be obtained" + }, + "sulfuric": { + "CHS": "[化] 硫磺的,含硫的" + }, + "latest": { + "CHS": "最近的", + "ENG": "the most recent or the newest" + }, + "redefine": { + "CHS": "重新定义", + "ENG": "If you redefine something, you cause people to consider it in a new way" + }, + "greenhouse": { + "CHS": "温室, 花房", + "ENG": "a glass building used for growing plants that need warmth, light, and protection" + }, + "instinctively": { + "CHS": "本能地" + }, + "universally": { + "CHS": "普遍地", + "ENG": "If something is universally believed or accepted, it is believed or accepted by everyone with no disagreement" + }, + "guard": { + "CHS": "守卫", + "ENG": "to protect a person, place, or object by staying near them and watching them" + }, + "clearer": { + "CHS": "更清楚的" + }, + "matrix": { + "CHS": "矩阵", + "ENG": "an arrangement of numbers, letters, or signs in rows and column s that you consider to be one amount, and that you use in solving mathematical problems" + }, + "complaint": { + "CHS": "诉苦, 抱怨", + "ENG": "a statement in which someone complains about something" + }, + "graduation": { + "CHS": "毕业典礼", + "ENG": "the time when you complete a university degree course or your education at an American high school " + }, + "huddle": { + "CHS": "拥挤,挤作一团", + "ENG": "if a group of people huddle together, they stay very close to each other, especially because they are cold or frightened" + }, + "bloom": { + "CHS": "(使)开花,(使)繁盛", + "ENG": "if a plant or a flower blooms, its flowers appear or open" + }, + "epitome": { + "CHS": "摘要" + }, + "subspecies": { + "CHS": "[生]亚种", + "ENG": "a group of similar plants or animals that is smaller than a species " + }, + "scrap": { + "CHS": "废弃", + "ENG": "to decide not to use a plan or system because it is not practical" + }, + "celebration": { + "CHS": "庆祝, 庆典", + "ENG": "an occasion or party when you celebrate something" + }, + "mist": { + "CHS": "薄雾", + "ENG": "a light cloud low over the ground that makes it difficult for you to see very far" + }, + "joy": { + "CHS": "欢乐, 喜悦", + "ENG": "great happiness and pleasure" + }, + "propel": { + "CHS": "推进, 驱使", + "ENG": "to move, drive, or push something forward" + }, + "chalk": { + "CHS": "粉笔", + "ENG": "small sticks of a white or coloured substance like soft rock, used for writing or drawing" + }, + "weaver": { + "CHS": "织布者", + "ENG": "someone whose job is to weave cloth" + }, + "dropstone": { + "CHS": "滴石" + }, + "unlimited": { + "CHS": "无限的;过渡的", + "ENG": "without any limit" + }, + "respondent": { + "CHS": "应答者, 被告", + "ENG": "someone who has to defend their own case in a law court, especially in a divorce case" + }, + "portrayal": { + "CHS": "描画, 描写", + "ENG": "the way someone or something is described or shown in a book, film, play etc" + }, + "declare": { + "CHS": "宣布,声明", + "ENG": "to state officially and publicly that a particular situation exists or that something is true" + }, + "curtain": { + "CHS": "窗帘", + "ENG": "a piece of hanging cloth that can be pulled across to cover a window, divide a room etc" + }, + "hexagon": { + "CHS": "六角形, 六边形", + "ENG": "a shape with six sides" + }, + "poetic": { + "CHS": "诗歌的", + "ENG": "relating to poetry, or typical of poetry" + }, + "undisturbed": { + "CHS": "未受干扰的", + "ENG": "not interrupted or moved" + }, + "ascent": { + "CHS": "上升,提高", + "ENG": "the act of climbing something or moving upwards" + }, + "Talbot": { + "CHS": "[动]塔尔博特提猎狗" + }, + "query": { + "CHS": "质问,疑问", + "ENG": "a question that you ask to get information, or to check that something is true or correct" + }, + "evoke": { + "CHS": "唤起, 引起", + "ENG": "to produce a strong feeling or memory in someone" + }, + "amass": { + "CHS": "积累,积聚", + "ENG": "if you amass money, knowledge, information etc, you gradually collect a large amount of it" + }, + "poll": { + "CHS": "民意测验, 投票", + "ENG": "the process of finding out what people think about something by asking many people the same question, or the record of the result" + }, + "causal": { + "CHS": "原因的", + "ENG": "relating to the connection between two things, where one causes the other to happen or exist" + }, + "glide": { + "CHS": "滑行", + "ENG": "to move smoothly and quietly, as if without effort" + }, + "metalworker": { + "CHS": "金工工人" + }, + "sinuous": { + "CHS": "蜿蜒的", + "ENG": "with many smooth twists and turns" + }, + "floral": { + "CHS": "花的,像花的", + "ENG": "made of flowers or decorated with flowers or pictures of flowers" + }, + "grasp": { + "CHS": "抓住,领会", + "ENG": "to completely understand a fact or an idea, especially a complicated one" + }, + "incongruous": { + "CHS": "不协调的,不一致的", + "ENG": "strange, unexpected, or unsuitable in a particular situation" + }, + "overlook": { + "CHS": "俯瞰,忽视", + "ENG": "to not notice something, or not see how important it is" + }, + "adventurer": { + "CHS": "冒险家", + "ENG": "someone who enjoys adventure" + }, + "personalize": { + "CHS": "个人化, 私人化", + "ENG": "to put your name or initial s on something, or to decorate it in your own way, to show that it belongs to you" + }, + "tenant": { + "CHS": "承租人, 房客", + "ENG": "someone who lives in a house, room etc and pays rent to the person who owns it" + }, + "herbaceous": { + "CHS": "草本植物的", + "ENG": "plants that are herbaceous have soft stems rather than hard stems made of wood" + }, + "sap": { + "CHS": "树液 vt耗尽", + "ENG": "the watery substance that carries food through a plant" + }, + "respective": { + "CHS": "分别的, 各自的", + "ENG": "used before a plural noun to refer to the different things that belong to each separate person or thing mentioned" + }, + "primordial": { + "CHS": "原始的,最初的", + "ENG": "existing at the beginning of time or the beginning of the Earth" + }, + "oversee": { + "CHS": "监督,监管", + "ENG": "to be in charge of a group of workers and check that a piece of work is done satisfactorily" + }, + "deity": { + "CHS": "神, 神性", + "ENG": "a god or goddess " + }, + "phosphorus": { + "CHS": "磷", + "ENG": "Phosphorus is a poisonous yellowish-white chemical element. It glows slightly, and burns when air touches it. " + }, + "unearned": { + "CHS": "不劳而获的", + "ENG": "not deserved " + }, + "burrow": { + "CHS": "挖地洞", + "ENG": "If an animal burrows into the ground or into a surface, it moves through it by making a tunnel or hole" + }, + "infrequent": { + "CHS": "不频发的,不常见的", + "ENG": "not happening often" + }, + "acclaim": { + "CHS": "喝采, 欢呼" + }, + "peg": { + "CHS": "钉,固定", + "ENG": "to set prices, wages etc at a particular level, or set them in relation to something else" + }, + "translation": { + "CHS": "翻译, 译文", + "ENG": "when you translate something, or something that has been translated" + }, + "yarn": { + "CHS": "讲故事" + }, + "plasma": { + "CHS": "血浆", + "ENG": "the yellowish liquid part of blood that contains the blood cells" + }, + "London": { + "CHS": "伦敦" + }, + "originality": { + "CHS": "独创性", + "ENG": "when something is completely new and different from anything that anyone has thought of before" + }, + "ford": { + "CHS": "浅滩 v徒涉", + "ENG": "a place where a river is not deep, so that you can walk or drive across it" + }, + "mortise": { + "CHS": "榫眼 v用榫接合", + "ENG": "a hole cut in a piece of wood or stone so that the shaped end of another piece will fit there firmly" + }, + "wander": { + "CHS": "漫步, 徘徊", + "ENG": "to walk slowly across or around an area, usually without a clear direction or purpose" + }, + "mate": { + "CHS": "配偶, 对手", + "ENG": "the sexual partner of an animal" + }, + "microbial": { + "CHS": "微生物的, 由细菌引起的", + "ENG": "Microbial means relating to or caused by microbes" + }, + "intervene": { + "CHS": "干涉,干预", + "ENG": "to become involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "ironwork": { + "CHS": "铁制品", + "ENG": "fences, gates etc made of iron bent into attractive shapes" + }, + "unearth": { + "CHS": "掘出", + "ENG": "to find something after searching for it, especially something that has been buried in the ground or lost for a long time" + }, + "microbiologist": { + "CHS": "微生物学家" + }, + "situate": { + "CHS": "位于,坐落在" + }, + "mallet": { + "CHS": "槌棒", + "ENG": "a wooden hammer with a large end" + }, + "alcohol": { + "CHS": "酒精,酒", + "ENG": "drinks such as beer or wine that contain a substance which can make you drunk" + }, + "guncotton": { + "CHS": "[军]强棉药", + "ENG": "cellulose nitrate containing a relatively large amount of nitrogen: used as an explosive " + }, + "approval": { + "CHS": "赞同,批准, 认可", + "ENG": "when a plan, decision, or person is officially accepted" + }, + "fathom": { + "CHS": "长度单位(6英尺)" + }, + "accidental": { + "CHS": "意外的,偶然(发生)的", + "ENG": "happening without being planned or intended" + }, + "disastrous": { + "CHS": "灾难性的, 极糟的", + "ENG": "very bad, or ending in failure" + }, + "execute": { + "CHS": "执行, 处决", + "ENG": "to do something that has been carefully planned" + }, + "supersonic": { + "CHS": "超声波(的)" + }, + "exemplify": { + "CHS": "例证, 例示" + }, + "sixth": { + "CHS": "第六, 六分之一", + "ENG": "one of six equal parts of something" + }, + "sex": { + "CHS": "性别,性", + "ENG": "the physical activity that two people do together in order to produce babies, or for pleasure" + }, + "pantomime": { + "CHS": "哑剧", + "ENG": "a type of play for children that is performed in Britain around Christmas, in which traditional stories are performed with jokes, music, and songs" + }, + "alligator": { + "CHS": "产于美洲的鳄鱼" + }, + "continuum": { + "CHS": "连续统一体", + "ENG": "a scale of related things on which each one is only slightly different from the one before" + }, + "transparent": { + "CHS": "透明的, 显然的", + "ENG": "if something is transparent, you can see through it" + }, + "conscious": { + "CHS": "意识到的,自觉的", + "ENG": "noticing or realizing something" + }, + "spherical": { + "CHS": "球(面、状)的", + "ENG": "having the shape of a sphere" + }, + "retail": { + "CHS": "/v/ad零售", + "ENG": "the sale of goods in shops to customers, for their own use and not for selling to anyone else" + }, + "Japan": { + "CHS": "日本" + }, + "microwave": { + "CHS": "微波(波长为1毫米至30厘米的高频电磁波)", + "ENG": "a type of oven that cooks food very quickly using very short electric waves instead of heat" + }, + "adversely": { + "CHS": "不利地,逆向地" + }, + "indirectly": { + "CHS": "间接地" + }, + "domesticate": { + "CHS": "驯养, 教化", + "ENG": "to make an animal able to work for people or live with them as a pet" + }, + "philosophical": { + "CHS": "哲学的, 达观的", + "ENG": "relating to philosophy" + }, + "deceive": { + "CHS": "欺骗, 行骗", + "ENG": "to make someone believe something that is not true" + }, + "aesthetically": { + "CHS": "有审美能力地" + }, + "anthropology": { + "CHS": "人类学", + "ENG": "the scientific study of people, their societies, culture s etc" + }, + "functionalism": { + "CHS": "功能主义, 机能心理学", + "ENG": "the idea that the most important thing about a building, piece of furniture etc is that it is useful" + }, + "talent": { + "CHS": "天才,才能", + "ENG": "a natural ability to do something well" + }, + "continuation": { + "CHS": "继续(部分);续篇", + "ENG": "something that continues or follows something else that has happened before, without a stop or change" + }, + "detach": { + "CHS": "拆卸,使分开", + "ENG": "if you detach something, or if it detaches, it becomes separated from the thing it was attached to" + }, + "hydrodynamic": { + "CHS": "水力的", + "ENG": "of or concerned with the mechanical properties of fluids " + }, + "shoreline": { + "CHS": "海岸线", + "ENG": "the land along the edge of a large area of water such as an ocean or lake" + }, + "sedge": { + "CHS": "[植]莎草", + "ENG": "a plant similar to grass that grows in wet ground and on the edge of rivers and lakes" + }, + "disproportionate": { + "CHS": "不成比例的", + "ENG": "too much or too little in relation to something else" + }, + "tanker": { + "CHS": "油轮", + "ENG": "a vehicle or ship specially built to carry large quantities of gas or liquid, especially oil" + }, + "lament": { + "CHS": "悲伤v哀悼", + "ENG": "Someone's lament is an expression of their sadness, regret, or disappointment about something" + }, + "systematically": { + "CHS": "有系统地, 有条理地" + }, + "curiosity": { + "CHS": "好奇心", + "ENG": "the desire to know about something" + }, + "ancestral": { + "CHS": "祖先的", + "ENG": "You use ancestral to refer to a person's family in former times, especially when the family is important and has property or land that they have had for a long time" + }, + "resume": { + "CHS": "(中断后)继续 n摘要;简历", + "ENG": "to start doing something again after stopping or being interrupted" + }, + "eligible": { + "CHS": "有资格的, 合适的", + "ENG": "someone who is eligible for something is able or allowed to do it, for example because they are the right age" + }, + "absolutely": { + "CHS": "完全地, 绝对地", + "ENG": "completely and in every way" + }, + "senator": { + "CHS": "参议员", + "ENG": "a member of the Senate or a senate" + }, + "pig": { + "CHS": "猪", + "ENG": "a farm animal with short legs, a fat body and a curved tail. Pigs are kept for their meat, which includes pork , bacon and ham ." + }, + "marvel": { + "CHS": "令人惊奇的事物(或人物)", + "ENG": "You can describe something or someone as a marvel to indicate that you think that they are wonderful" + }, + "afraid": { + "CHS": "害怕的", + "ENG": "frightened because you think that you may get hurt or that something bad may happen" + }, + "estuary": { + "CHS": "河口, 江口", + "ENG": "the wide part of a river where it goes into the sea" + }, + "seismic": { + "CHS": "[地]地震的", + "ENG": "relating to or caused by earthquakes " + }, + "radius": { + "CHS": "半径(范围)", + "ENG": "the distance from the centre to the edge of a circle, or a line drawn from the centre to the edge" + }, + "withdrawal": { + "CHS": "收回, 撤退", + "ENG": "the act of moving an army, weapons etc away from the area where they were fighting" + }, + "ember": { + "CHS": "灰烬, 余烬", + "ENG": "a piece of wood or coal that stays red and very hot after a fire has stopped burning" + }, + "launch": { + "CHS": "发射", + "ENG": "to start something, usually something big or important" + }, + "sorghum": { + "CHS": "[植]高粱属的植物", + "ENG": "a type of grain that is grown in tropical areas" + }, + "paleoecologist": { + "CHS": "古生态学家" + }, + "primal": { + "CHS": "最初的" + }, + "regulatory": { + "CHS": "管理的, 控制的", + "ENG": "a regulatory authority has the official power to control an activity and to make sure that it is done in a satisfactory way" + }, + "isotopic": { + "CHS": "同位素的,合痕的" + }, + "captain": { + "CHS": "首领, 船长", + "ENG": "the sailor in charge of a ship, or the pilot in charge of an aircraft" + }, + "extension": { + "CHS": "延长, 扩充", + "ENG": "the process of making a road, building etc bigger or longer, or the part that is added" + }, + "ultimate": { + "CHS": "最后的, 最终的n终极(限)", + "ENG": "someone’s ultimate aim is their main and most important aim, that they hope to achieve in the future" + }, + "omit": { + "CHS": "省略,遗漏", + "ENG": "to not include someone or something, either deliberately or because you forget to do it" + }, + "applicable": { + "CHS": "合适的, 适用的,", + "ENG": "if something is applicable to a particular person, group, or situation, it affects them or is related to them" + }, + "snowstorm": { + "CHS": "暴风雪", + "ENG": "a storm with strong winds and a lot of snow" + }, + "macdonald": { + "CHS": "麦当劳快餐店" + }, + "locomotion": { + "CHS": "运动, 移动", + "ENG": "movement or the ability to move" + }, + "persuasively": { + "CHS": "有说服力的" + }, + "livable": { + "CHS": "适于居住的", + "ENG": "(of a room, house, etc) suitable for living in " + }, + "pretty": { + "CHS": "漂亮的, 可爱的", + "ENG": "a woman or child who is pretty has a nice attractive face" + }, + "dime": { + "CHS": "<美> 一角硬币", + "ENG": "a coin of the US and Canada, worth one tenth of a dollar" + }, + "testify": { + "CHS": "证明, 证实", + "ENG": "to make a formal statement of what is true, especially in a court of law" + }, + "outlying": { + "CHS": "远离中心的,偏僻的", + "ENG": "far from the centre of a city, town etc or from a main building" + }, + "dollar": { + "CHS": "元, 美元", + "ENG": "the standard unit of money in the US, Canada, Australia, and some other countries, divided into 100 cent s : symbol $" + }, + "lid": { + "CHS": "盖子,vt给盖盖子", + "ENG": "a cover for the open part of a pot, box, or other container" + }, + "privilege": { + "CHS": "特权,优惠", + "ENG": "a special advantage that is given only to one person or group of people" + }, + "ethological": { + "CHS": "行为性的, 行为学的" + }, + "disruption": { + "CHS": "分裂" + }, + "subsistence": { + "CHS": "生存, 生活, 留存", + "ENG": "the condition of only just having enough money or food to stay alive" + }, + "notwithstanding": { + "CHS": "/ ad尽管", + "ENG": "in spite of something" + }, + "autumn": { + "CHS": "秋天", + "ENG": "the season between summer and winter, when leaves change colour and the weather becomes cooler" + }, + "clip": { + "CHS": "夹子 vt夹住" + }, + "impetus": { + "CHS": "推动力, 促进", + "ENG": "an influence that makes something happen or makes it happen more quickly" + }, + "grower": { + "CHS": "种植者,栽培者", + "ENG": "A grower is a person who grows large quantities of a particular plant or crop in order to sell them" + }, + "sophistication": { + "CHS": "老练, 精明", + "ENG": "The sophistication of people, places, machines, or methods is their quality of being sophisticated" + }, + "instructive": { + "CHS": "有益的, 教育性的", + "ENG": "providing a lot of useful information" + }, + "manual": { + "CHS": "手工的 n手册,指南", + "ENG": "manual work involves using your hands or your physical strength rather than your mind" + }, + "mundane": { + "CHS": "平凡的, 世俗的", + "ENG": "ordinary and not interesting or exciting" + }, + "raindrop": { + "CHS": "雨滴, 雨点", + "ENG": "A raindrop is a single drop of rain" + }, + "appoint": { + "CHS": "任命, 委派", + "ENG": "to choose someone for a position or a job" + }, + "inflation": { + "CHS": "通货膨胀, 膨胀", + "ENG": "a continuing increase in prices, or the rate at which prices increase" + }, + "sunflower": { + "CHS": "[植]向日葵", + "ENG": "a very tall plant with a large yellow flower, and seeds that can be eaten" + }, + "doorway": { + "CHS": "门口", + "ENG": "the space where a door opens into a room or building" + }, + "injure": { + "CHS": "伤害,损害", + "ENG": "to say unfair or unpleasant things that hurt someone’s pride, feelings etc" + }, + "instigate": { + "CHS": "鼓动", + "ENG": "to persuade someone to do something bad or violent" + }, + "spill": { + "CHS": "(使)溢出 n溢出", + "ENG": "if you spill a liquid, or if it spills, it accidentally flows over the edge of a container" + }, + "January": { + "CHS": "一月(略作Jan)", + "ENG": "the first month of the year, between December and February" + }, + "gateway": { + "CHS": "入口;通道", + "ENG": "the opening in a fence, wall etc that can be closed by a gate" + }, + "rigorously": { + "CHS": "严格地" + }, + "roam": { + "CHS": "漫游, 闲逛", + "ENG": "to walk or travel, usually for a long time, with no clear purpose or direction" + }, + "onrushing": { + "CHS": "猛冲的", + "ENG": "Onrushing describes something such as a vehicle that is moving forward so quickly or forcefully that it would be very difficult to stop" + }, + "tricycle": { + "CHS": "三轮车", + "ENG": "a bicycle with three wheels, especially for young children" + }, + "hydrological": { + "CHS": "水文学的" + }, + "foresee": { + "CHS": "预见, 预知", + "ENG": "to think or know that something is going to happen in the future" + }, + "ignorance": { + "CHS": "无知", + "ENG": "lack of knowledge or information about something" + }, + "constitutional": { + "CHS": "法治的;体质的", + "ENG": "officially allowed or limited by the system of rules of a country or organization" + }, + "orogeny": { + "CHS": "[地] 山岳之形成" + }, + "accuse": { + "CHS": "控告, 谴责", + "ENG": "to say that you believe someone is guilty of a crime or of doing something bad" + }, + "administrator": { + "CHS": "管理人,行政官", + "ENG": "someone whose job involves managing the work of a company or organization" + }, + "trainer": { + "CHS": "训练者" + }, + "temporarily": { + "CHS": "临时" + }, + "befit": { + "CHS": "适合", + "ENG": "to be proper or suitable for someone or something" + }, + "compost": { + "CHS": "混合肥料", + "ENG": "a mixture of decayed plants, leaves etc used to improve the quality of soil" + }, + "collaborator": { + "CHS": "合作者", + "ENG": "someone who works with other people or groups in order to achieve something, especially in science or art" + }, + "lodge": { + "CHS": "(让)暂住 n乡间小屋,旅舍", + "ENG": "If an object lodges somewhere, it becomes stuck there" + }, + "endow": { + "CHS": "捐赠, 赋予", + "ENG": "You say that someone is endowed with a particular desirable ability, characteristic, or possession when they have it by chance or by birth" + }, + "patience": { + "CHS": "耐性, 忍耐", + "ENG": "If you have patience, you are able to stay calm and not get annoyed, for example, when something takes a long time, or when someone is not doing what you want them to do" + }, + "residency": { + "CHS": "居住, 住所", + "ENG": "legal permission to live in a country for a certain period of time" + }, + "cosmopolitan": { + "CHS": "全球的,四海为家的 n世界主义者", + "ENG": "a cosmopolitan place has people from many different parts of the world – use this to show approval" + }, + "shower": { + "CHS": "阵雨, 淋浴", + "ENG": "a piece of equipment that you stand under to wash your whole body" + }, + "collaborative": { + "CHS": "合作的, 协作的", + "ENG": "a job or piece of work that involves two or more people working together to achieve something" + }, + "westerner": { + "CHS": "美国之西部的人", + "ENG": "A westerner is a person who was born in or lives in the United States, Canada, or Western, Northern, or Southern Europe" + }, + "refrigerate": { + "CHS": "使冷冻, 使冷藏", + "ENG": "to make something such as food or liquid cold in a refrigerator in order to preserve it" + }, + "clergy": { + "CHS": "圣职者, 牧师", + "ENG": "the official leaders of religious activities in organized religions, such as priests, rabbi s , and mullah s " + }, + "brewster": { + "CHS": "酿造者" + }, + "rage": { + "CHS": "愤怒", + "ENG": "a strong feeling of uncontrollable anger" + }, + "execution": { + "CHS": "处决, 执行", + "ENG": "when someone is killed, especially as a legal punishment" + }, + "tough": { + "CHS": "坚韧的,强硬的,困难的", + "ENG": "physically or emotionally strong and able to deal with difficult situations" + }, + "skirt": { + "CHS": "裙子", + "ENG": "a piece of outer clothing worn by women and girls, which hangs down from the waist like the bottom part of a dress" + }, + "lithograph": { + "CHS": "石版画, 平版印刷", + "ENG": "a printed picture produced by lithography" + }, + "cling": { + "CHS": "紧贴, 附着" + }, + "yew": { + "CHS": "紫杉, 紫杉木", + "ENG": "a tree with dark green leaves and red berries, or the wood of this tree" + }, + "wholesale": { + "CHS": "大规模的", + "ENG": "affecting almost everything or everyone, and often done without any concern for the results" + }, + "cart": { + "CHS": "大车,手推车", + "ENG": "a vehicle with no roof that is pulled by a horse and used for carrying heavy things" + }, + "adrift": { + "CHS": "漂流的,漫无目的" + }, + "mystical": { + "CHS": "神秘的", + "ENG": "involving religious, spiritual , or magical powers that people cannot understand" + }, + "coerce": { + "CHS": "强制", + "ENG": "to force someone to do something they do not want to do by threatening them" + }, + "crash": { + "CHS": "碰撞,撞击", + "ENG": "to have an accident in a car, plane etc by violently hitting something else" + }, + "eccentricity": { + "CHS": "反常,怪癖", + "ENG": "strange or unusual behaviour" + }, + "distasteful": { + "CHS": "味道差的,反感的", + "ENG": "unpleasant or morally offensive" + }, + "tragedy": { + "CHS": "悲剧, 惨案", + "ENG": "a very sad event, that shocks people because it involves death" + }, + "lantern": { + "CHS": "灯笼,提灯", + "ENG": "a lamp that you can carry, consisting of a metal container with glass sides that surrounds a flame or light" + }, + "diagram": { + "CHS": "图表", + "ENG": "a simple drawing or plan that shows exactly where something is, what something looks like, or how something works" + }, + "spell": { + "CHS": "拼写", + "ENG": "to form a word by writing or naming the letters in order" + }, + "durability": { + "CHS": "经久, 耐久力" + }, + "stark": { + "CHS": "完全", + "ENG": "completely crazy" + }, + "code": { + "CHS": "代码 vt把…编码" + }, + "revere": { + "CHS": "尊敬,敬畏", + "ENG": "to respect and admire someone or something very much" + }, + "crush": { + "CHS": "压碎", + "ENG": "to press something so hard that it breaks or is damaged" + }, + "goose": { + "CHS": "鹅", + "ENG": "the cooked meat of this bird" + }, + "tabulate": { + "CHS": "把制成表格", + "ENG": "to arrange figures or information together in a set or a list, so that they can be easily compared" + }, + "please": { + "CHS": "请 v使高兴", + "ENG": "to make someone happy or satisfied" + }, + "uniquely": { + "CHS": "adv独特地, 唯一地" + }, + "birch": { + "CHS": "桦树, 白桦", + "ENG": "a tree with smooth bark (= outer covering ) and thin branches, or the wood from this tree" + }, + "adaptability": { + "CHS": "适应性" + }, + "caledonian": { + "CHS": "苏格兰人(的)", + "ENG": "a native or inhabitant of Scotland " + }, + "strive": { + "CHS": "努力, 奋斗", + "ENG": "to make a great effort to achieve something" + }, + "qualitative": { + "CHS": "性质上的, 定性的", + "ENG": "relating to the quality or standard of something rather than the quantity" + }, + "gram": { + "CHS": "克", + "ENG": "the basic unit for measuring weight in the metric system " + }, + "prohibitive": { + "CHS": "禁止的, 抑制的", + "ENG": "a prohibitive rule prevents people from doing things" + }, + "prospector": { + "CHS": "探勘者, 采矿者", + "ENG": "someone who looks for gold, minerals, oil etc" + }, + "contradiction": { + "CHS": "反驳, 矛盾", + "ENG": "a difference between two statements, beliefs, or ideas about something that means they cannot both be true" + }, + "auditorium": { + "CHS": "听众席,观众席,", + "ENG": "the part of a theatre where people sit when watching a play, concert etc" + }, + "remark": { + "CHS": "备注,评论 vt评论", + "ENG": "something that you say when you express an opinion or say what you have noticed" + }, + "rote": { + "CHS": "死记硬背", + "ENG": "when you learn something by repeating it many times, without thinking about it carefully or without understanding it" + }, + "battleship": { + "CHS": "战舰", + "ENG": "the largest type of ship used in war, with very big guns and heavy armour " + }, + "regime": { + "CHS": "政权制度,政权", + "ENG": "a government, especially one that was not elected fairly or that you disapprove of for some other reason" + }, + "skepticism": { + "CHS": "怀疑论" + }, + "economist": { + "CHS": "经济学者", + "ENG": "someone who studies the way in which money and goods are produced and used and the systems of business and trade" + }, + "commandment": { + "CHS": "戒律" + }, + "glimpse": { + "CHS": "一瞥v瞥见", + "ENG": "If you get a glimpse of someone or something, you see them very briefly and not very well" + }, + "preferable": { + "CHS": "更好的,更合意的", + "ENG": "better or more suitable" + }, + "delineate": { + "CHS": "描绘", + "ENG": "to describe or draw something carefully so that people can understand it" + }, + "rugged": { + "CHS": "高低不平的, 崎岖的", + "ENG": "land that is rugged is rough and uneven" + }, + "referent": { + "CHS": "指示物", + "ENG": "the object or idea to which a word or phrase refers " + }, + "inadequacy": { + "CHS": "不充分" + }, + "Gypsy": { + "CHS": "吉普赛人(的),吉普赛语(的)", + "ENG": "A gypsy is a member of a race of people who travel from place to place, usually in caravans, rather than living in one place. Some people find this word offensive. " + }, + "outwash": { + "CHS": "[地质]冰水沉积", + "ENG": "a mass of gravel, sand, etc, carried and deposited by the water derived from melting glaciers " + }, + "crumble": { + "CHS": "弄碎,崩溃", + "ENG": "if something, especially something made of stone or rock, is crumbling, small pieces are breaking off it" + }, + "dissatisfaction": { + "CHS": "不满", + "ENG": "a feeling of not being satisfied" + }, + "knap": { + "CHS": "敲击" + }, + "basaltic": { + "CHS": "玄武岩的" + }, + "plateau": { + "CHS": "高地, 高原", + "ENG": "a large area of flat land that is higher than the land around it" + }, + "carbonic": { + "CHS": "(含)碳的", + "ENG": "(of a compound) containing carbon, esp tetravalent carbon " + }, + "lengthy": { + "CHS": "冗长的", + "ENG": "continuing for a long time, often too long" + }, + "intersect": { + "CHS": "贯穿, 交叉", + "ENG": "if two lines or roads intersect, they meet or go across each other" + }, + "masterpiece": { + "CHS": "杰作, 名著", + "ENG": "a work of art, a piece of writing or music etc that is of very high quality or that is the best that a particular artist, writer etc has produced" + }, + "Yale": { + "CHS": "耶鲁" + }, + "redwood": { + "CHS": "[植]红杉", + "ENG": "a very tall tree that grows in California and Oregon, or the wood from this tree" + }, + "connoisseur": { + "CHS": "鉴赏家", + "ENG": "someone who knows a lot about something such as art, food, or music" + }, + "accessory": { + "CHS": "辅助的" + }, + "seriousness": { + "CHS": "严肃, 认真", + "ENG": "the quality of being serious" + }, + "finely": { + "CHS": "细微地,美好地", + "ENG": "into very thin or very small pieces" + }, + "preferentially": { + "CHS": "优先的, 优待的" + }, + "acquisition": { + "CHS": "获得(物)", + "ENG": "the process by which you gain knowledge or learn a skill" + }, + "march": { + "CHS": "行军", + "ENG": "if soldiers or other people march somewhere, they walk there quickly with firm regular steps" + }, + "lane": { + "CHS": "小路, 小巷", + "ENG": "a narrow road in the countryside" + }, + "sterile": { + "CHS": "贫脊的,不结果的", + "ENG": "sterile land cannot be used to grow crops" + }, + "seaweed": { + "CHS": "海草, 海藻", + "ENG": "a plant that grows in the sea" + }, + "preschool": { + "CHS": "未满学龄的n幼儿园", + "ENG": "relating to the time in a child’s life before they are old enough to go to school" + }, + "smelt": { + "CHS": "熔解,熔炼", + "ENG": "to melt a rock that contains metal in order to remove the metal" + }, + "streambed": { + "CHS": "河床" + }, + "hint": { + "CHS": "暗示, 线索", + "ENG": "something that you say or do to suggest something to someone, without telling them directly" + }, + "rally": { + "CHS": "集会 v集合", + "ENG": "A rally is a large public meeting that is held in order to show support for something such as a political party" + }, + "luckily": { + "CHS": "幸运地", + "ENG": "used to say that it is good that something happened or was done because if it had not, the situation would be unpleasant or difficult" + }, + "drawback": { + "CHS": "缺点,障碍", + "ENG": "a disadvantage of a situation, plan, product etc" + }, + "successional": { + "CHS": "接连著的, 连续性的" + }, + "drake": { + "CHS": "公鸭, 蜉蝣类", + "ENG": "a male duck" + }, + "salinization": { + "CHS": "盐渍化" + }, + "shrinkage": { + "CHS": "收缩", + "ENG": "the act of shrinking, or the amount that something shrinks" + }, + "detachment": { + "CHS": "冷漠, 脱离", + "ENG": "when something becomes separated from something else" + }, + "oblige": { + "CHS": "迫使;施恩于", + "ENG": "if you are obliged to do something, you have to do it because the situation, the law, a duty etc makes it necessary" + }, + "gully": { + "CHS": "小峡谷, 排水沟", + "ENG": "a small narrow valley, usually formed by a lot of rain flowing down the side of a hill" + }, + "inconclusive": { + "CHS": "非决定性的,不确定的", + "ENG": "not leading to a clear decision or result" + }, + "innovator": { + "CHS": "改革者, 革新者", + "ENG": "someone who introduces changes and new ideas" + }, + "pulverization": { + "CHS": "弄成粉, 粉碎" + }, + "homemaking": { + "CHS": "家政" + }, + "rebuild": { + "CHS": "重建, 改造", + "ENG": "to build something again, after it has been damaged or destroyed" + }, + "intestine": { + "CHS": "内部的,国内的" + }, + "tavern": { + "CHS": "酒馆, 客栈", + "ENG": "a pub where you can also stay the night" + }, + "uncompetitive": { + "CHS": "非竞争性的", + "ENG": "not able or willing to compete " + }, + "tenfold": { + "CHS": "十倍的 ad成十倍", + "ENG": "ten times as much or as many of something" + }, + "panic": { + "CHS": "恐(惊)慌 v(使)恐慌", + "ENG": "a sudden strong feeling of fear or nervousness that makes you unable to think clearly or behave sensibly" + }, + "aircraft": { + "CHS": "航行器", + "ENG": "a plane or other vehicle that can fly" + }, + "desiccation": { + "CHS": "干燥", + "ENG": "the process of becoming completely dry" + }, + "chimney": { + "CHS": "烟囱, 灯罩", + "ENG": "a vertical pipe that allows smoke from a fire to pass out of a building up into the air, or the part of this pipe that is above the roof" + }, + "shin": { + "CHS": "胫骨", + "ENG": "the front part of your leg between your knee and your foot" + }, + "mandarin": { + "CHS": "官话,普通话", + "ENG": "Mandarin is the official language of China" + }, + "conceive": { + "CHS": "构想,设想", + "ENG": "to imagine a particular situation or to think about something in a particular way" + }, + "guilde": { + "CHS": "行会, 协会" + }, + "earn": { + "CHS": "赚得", + "ENG": "to make a profit from business or from putting money in a bank etc" + }, + "Iroquois": { + "CHS": "易洛魁族人", + "ENG": "a member of any of a group of North American Indian peoples formerly living between the Hudson River and the St Lawrence and Lake Erie " + }, + "pen": { + "CHS": "写", + "ENG": "to write something such as a letter, a book etc, especially using a pen" + }, + "quietly": { + "CHS": "平静地,寂静地", + "ENG": "without making much noise" + }, + "ectotherm": { + "CHS": "[动] 冷血动物,变温动物" + }, + "miner": { + "CHS": "矿工", + "ENG": "someone who works under the ground in a mine to remove coal, gold etc" + }, + "vas": { + "CHS": "血管, 脉管", + "ENG": "a vessel, duct, or tube that carries a fluid " + }, + "aqueduct": { + "CHS": "沟渠,导水管", + "ENG": "An aqueduct is a large pipe or canal that carries a water supply to a city or a farming area" + }, + "triple": { + "CHS": "三倍数, 三个一组" + }, + "meanwhile": { + "CHS": "其间", + "ENG": "in the period of time between two events" + }, + "ravage": { + "CHS": "毁坏", + "ENG": "to damage something very badly" + }, + "befriend": { + "CHS": "待人如友,帮助", + "ENG": "to behave in a friendly way towards someone, especially someone who is younger or needs help" + }, + "adaptable": { + "CHS": "能适应的,适应性强的", + "ENG": "able to change in order to be successful in new and different situations" + }, + "converge": { + "CHS": "聚合, 集中", + "ENG": "to come from different directions and meet at the same point to become one thing" + }, + "fortune": { + "CHS": "财富, 运气", + "ENG": "chance or luck, and the effect that it has on your life" + }, + "phosphorescence": { + "CHS": "磷光", + "ENG": "a slight steady light that can only be noticed in the dark" + }, + "endeavor": { + "CHS": "尽力, 努力" + }, + "supervisor": { + "CHS": "管理人;监督人", + "ENG": "someone who supervises a person or activity" + }, + "Portugal": { + "CHS": "葡萄牙(欧洲西南部国家)" + }, + "safely": { + "CHS": "安全地, 确实地", + "ENG": "in a way that is safe" + }, + "invisibly": { + "CHS": "看不见地, 看不出地" + }, + "visibility": { + "CHS": "可见度", + "ENG": "the distance it is possible to see, especially when this is affected by weather conditions" + }, + "generalize": { + "CHS": "归纳, 概括", + "ENG": "to form a general principle or opinion after considering only a small number of facts or examples" + }, + "levy": { + "CHS": "征收(税等) n征税", + "ENG": "to officially say that people must pay a tax or charge" + }, + "rye": { + "CHS": "裸麦", + "ENG": "a type of grain that is used for making bread and whisky " + }, + "unpopular": { + "CHS": "不流行的, 不受欢迎的", + "ENG": "not liked by most people" + }, + "holocene": { + "CHS": "[地]全新世(的)", + "ENG": "the Holocene epoch or rock series " + }, + "titanium": { + "CHS": "[化]钛", + "ENG": "a strong light silver-white metal that is used to make aircraft and spacecraft, and is often combined with other metals. It is a chemical element : symbol Ti" + }, + "linear": { + "CHS": "线的, 直线的", + "ENG": "consisting of lines, or in the form of a straight line" + }, + "tang": { + "CHS": "有浓味 n特殊气味" + }, + "thesis": { + "CHS": "论题, 论文", + "ENG": "a long piece of writing about a particular subject that you do as part of an advanced university degree such as an MA or a PhD" + }, + "astronaut": { + "CHS": "宇航员", + "ENG": "someone who travels and works in a spacecraft" + }, + "reuse": { + "CHS": "再使用 n重新使用", + "ENG": "to use something again" + }, + "antagonism": { + "CHS": "对抗(状态), 对抗性", + "ENG": "hatred between people or groups of people" + }, + "rehabilitation": { + "CHS": "复原" + }, + "canoe": { + "CHS": "独木舟", + "ENG": "a long light boat that is pointed at both ends and which you move along using a paddle " + }, + "dramatize": { + "CHS": "编写剧本", + "ENG": "to make a book or event into a play or film" + }, + "leisurely": { + "CHS": "从容地,慢慢地", + "ENG": "A leisurely action is done in a relaxed and unhurried way" + }, + "Minneapolis": { + "CHS": "明尼苏达[美国州名]" + }, + "apple": { + "CHS": "苹果", + "ENG": "a hard round fruit that has red, light green, or yellow skin and is white inside" + }, + "Ontario": { + "CHS": "安大略湖[北美洲]" + }, + "June": { + "CHS": "六月(略作Jun)", + "ENG": "the sixth month of the year, between May and July" + }, + "quote": { + "CHS": "引用, 引证", + "ENG": "to repeat exactly what someone else has said or written" + }, + "delft": { + "CHS": "代夫特(荷兰城市)陶器" + }, + "beef": { + "CHS": "牛肉", + "ENG": "the meat from a cow" + }, + "unobtainable": { + "CHS": "无法得到的,难获得的", + "ENG": "impossible to get" + }, + "utterly": { + "CHS": "完全地,绝对地", + "ENG": "completely – used especially to emphasize that something is very bad, or that a feeling is very strong" + }, + "reddish": { + "CHS": "微红的", + "ENG": "slightly red" + }, + "rejection": { + "CHS": "拒绝", + "ENG": "the act of not accepting, believing in, or agreeing with something" + }, + "outweigh": { + "CHS": "在重量(或价值等)上超过", + "ENG": "If one thing outweighs another, the first thing is of greater importance, benefit, or significance than the second thing" + }, + "chariot": { + "CHS": "战车", + "ENG": "a vehicle with two wheels pulled by a horse, used in ancient times in battles and races" + }, + "communicative": { + "CHS": "健谈的,交流的", + "ENG": "able to talk easily to other people" + }, + "conversely": { + "CHS": "倒地,逆地" + }, + "instrumentalist": { + "CHS": "乐器演奏家", + "ENG": "someone who plays a musical instrument" + }, + "racial": { + "CHS": "人种的, 种族的", + "ENG": "relating to the relationships between different races of people who now live in the same country or area" + }, + "Arab": { + "CHS": "阿拉伯人(的)", + "ENG": "someone whose language is Arabic and whose family comes from, or originally came from, the Middle East or North Africa" + }, + "loom": { + "CHS": "织布机 vi迫近", + "ENG": "a frame or machine on which thread is woven into cloth" + }, + "platelet": { + "CHS": "[解] 血小板", + "ENG": "one of the very small flat round cells in your blood that help it become solid when you bleed, so that you stop bleeding" + }, + "ambient": { + "CHS": "周围的 n周围环境", + "ENG": "The ambient temperature is the temperature of the air above the ground in a particular place" + }, + "accrete": { + "CHS": "共生, 附着, 增加", + "ENG": "to grow or cause to grow together; be or become fused " + }, + "bubbly": { + "CHS": "多泡的", + "ENG": "full of bubbles" + }, + "metalwork": { + "CHS": "金属制品", + "ENG": "objects made by shaping metal" + }, + "resent": { + "CHS": "愤恨, 怨恨", + "ENG": "to feel angry or upset about a situation or about something that someone has done, especially because you think that it is not fair" + }, + "correlation": { + "CHS": "相互关系", + "ENG": "a connection between two ideas, facts etc, especially when one may be the cause of the other" + }, + "devotion": { + "CHS": "献身, 热爱", + "ENG": "Devotion is great love, affection, or admiration for someone" + }, + "useless": { + "CHS": "无用的, 无效的" + }, + "keen": { + "CHS": "锋利的", + "ENG": "a keen knife or blade is extremely sharp" + }, + "bulldozer": { + "CHS": "推土机", + "ENG": "a powerful vehicle with a broad metal blade, used for moving earth and rocks, destroying buildings etc" + }, + "politically": { + "CHS": "政治上地", + "ENG": "in a political way" + }, + "centigrade": { + "CHS": "摄氏的", + "ENG": "Centigrade is a scale for measuring temperature, in which water freezes at 0 degrees and boils at 100 degrees. It is represented by the symbol °C. " + }, + "alchemist": { + "CHS": "炼金术士", + "ENG": "An alchemist was a scientist in the Middle Ages who tried to discover how to change ordinary metals into gold" + }, + "optimum": { + "CHS": "最适宜(的)" + }, + "mechanic": { + "CHS": "技工", + "ENG": "someone who is skilled at repairing motor vehicles and machinery" + }, + "blame": { + "CHS": "责备", + "ENG": "to say or think that someone or something is responsible for something bad" + }, + "presently": { + "CHS": "目前, 不久", + "ENG": "in a short time" + }, + "reelect": { + "CHS": "重选, 改选" + }, + "warehouse": { + "CHS": "仓库,货栈", + "ENG": "a large building for storing large quantities of goods" + }, + "ensue": { + "CHS": "接着发生,接踵而来", + "ENG": "If something ensues, it happens immediately after another event, usually as a result of it" + }, + "cherry": { + "CHS": "樱桃", + "ENG": "a small round red or black fruit with a long thin stem and a stone in the middle" + }, + "historic": { + "CHS": "有历史意义的, 历史的", + "ENG": "a historic event or act is very important and will be recorded as part of history" + }, + "monster": { + "CHS": "怪物", + "ENG": "an imaginary or ancient creature that is large, ugly, and frightening" + }, + "tapeworm": { + "CHS": "[动]绦虫", + "ENG": "a long flat worm that lives in the bowels of humans and other animals and can make them ill" + }, + "languish": { + "CHS": "憔悴, 凋萎" + }, + "mythology": { + "CHS": "神话", + "ENG": "set of ancient myths" + }, + "lateness": { + "CHS": "迟, 晚" + }, + "amid": { + "CHS": "在中", + "ENG": "while noisy, busy, or confused events are happening – used in writing or news reports" + }, + "mythological": { + "CHS": "神话(学)的" + }, + "prototype": { + "CHS": "原型", + "ENG": "the first form that a new design of a car, machine etc has, or a model of it used to test the design before it is produced" + }, + "newcomer": { + "CHS": "新来的人;移民", + "ENG": "someone who has only recently arrived somewhere or only recently started a particular activity" + }, + "holiday": { + "CHS": "假日", + "ENG": "a time of rest from work, school etc" + }, + "gravitas": { + "CHS": "庄严(举止)", + "ENG": "a seriousness of manner that people respect" + }, + "foresightedness": { + "CHS": "先见之明" + }, + "prerecord": { + "CHS": "事先录音", + "ENG": "to record music, a radio programme etc on a machine so that it can be used later" + }, + "brittle": { + "CHS": "易碎的, 脆弱的" + }, + "dispense": { + "CHS": "分发, 分配", + "ENG": "to give something to people, especially in fixed amounts" + }, + "inedible": { + "CHS": "不能吃的,不宜食用的", + "ENG": "if something is inedible, you cannot eat it because it tastes bad or is poisonous" + }, + "lure": { + "CHS": "引诱", + "ENG": "to persuade someone to do something, especially something wrong or dangerous, by making it seem attractive or exciting" + }, + "swiftly": { + "CHS": "很快地, 即刻" + }, + "risky": { + "CHS": "危险的", + "ENG": "involving a risk that something bad will happen" + }, + "gibbon": { + "CHS": "长臂猿", + "ENG": "a small animal like a monkey, with long arms and no tail, that lives in trees in Asia" + }, + "raccoon": { + "CHS": "<美>[动]浣熊", + "ENG": "a small North American animal with black fur around its eyes and black and grey rings on its tail" + }, + "peep": { + "CHS": "窥视, 偷看", + "ENG": "to look at something quickly and secretly, especially through a hole or opening" + }, + "arousal": { + "CHS": "觉醒, 激励" + }, + "neurotransmitter": { + "CHS": "[生化]神经传递素", + "ENG": "a chemical by which a nerve cell communicates with another nerve cell or with a muscle " + }, + "avalanche": { + "CHS": "雪崩", + "ENG": "a large mass of snow, ice, and rocks that falls down the side of a mountain" + }, + "skyrocket": { + "CHS": "冲天火箭(烟火)" + }, + "skate": { + "CHS": "冰鞋 vi溜冰", + "ENG": "one of a pair of boots with metal blades on the bottom, for moving quickly on ice" + }, + "ibex": { + "CHS": "野生山羊", + "ENG": "a wild goat that lives in the mountains of Europe, Asia, and North Africa" + }, + "monkey": { + "CHS": "猴子", + "ENG": "a small brown animal with a long tail, which uses its hands to climb trees and lives in hot countries" + }, + "cessation": { + "CHS": "停止", + "ENG": "a pause or stop" + }, + "shovel": { + "CHS": "铲,挖斗机", + "ENG": "a tool with a rounded blade and a long handle used for moving earth, stones etc" + }, + "eccentric": { + "CHS": "怪人", + "ENG": "someone who behaves in a way that is different from what is usual or socially accepted" + }, + "steamer": { + "CHS": "汽船, 蒸汽机", + "ENG": "a steamship " + }, + "sentimental": { + "CHS": "感伤的;多愁善感的", + "ENG": "someone who is sentimental is easily affected by emotions such as love, sympathy, sadness etc, often in a way that seems silly to other people" + }, + "iridescent": { + "CHS": "闪光的,现晕光的" + }, + "eocene": { + "CHS": "始新世(的)", + "ENG": "the Eocene epoch or rock series " + }, + "cushion": { + "CHS": "垫子", + "ENG": "a cloth bag filled with soft material that you put on a chair or the floor to make it more comfortable" + }, + "bowel": { + "CHS": "肠", + "ENG": "the system of tubes inside your body where food is made into solid waste material and through which it passes out of your body" + }, + "technician": { + "CHS": "技术员, 技师", + "ENG": "someone whose job is to check equipment or machines and make sure that they are working properly" + }, + "maybe": { + "CHS": "大概, 或许", + "ENG": "used to say that something may happen or may be true but you are not certain" + }, + "snowdrift": { + "CHS": "雪堆", + "ENG": "a deep mass of snow formed by the wind" + }, + "seventy": { + "CHS": "七十", + "ENG": "the number 70" + }, + "cleaner": { + "CHS": "清洁工人, 清洁器", + "ENG": "someone whose job is to clean other people’s houses, offices etc" + }, + "accordion": { + "CHS": "手风琴", + "ENG": "a musical instrument like a large box that you hold in both hands. You play it by pressing the sides together and pulling them out again, while you push buttons and key s ." + }, + "manure": { + "CHS": "肥料", + "ENG": "waste matter from animals that is mixed with soil to improve the soil and help plants grow" + }, + "clover": { + "CHS": "[植]三叶草", + "ENG": "a small plant, usually with three leaves on each stem. If you find one with four leaves, it is thought to bring you luck." + }, + "heater": { + "CHS": "加热器", + "ENG": "a machine for making air or water hotter" + }, + "circumference": { + "CHS": "圆周, 周围", + "ENG": "the distance or measurement around the outside of a circle or any round shape" + }, + "treatment": { + "CHS": "待遇, 对待", + "ENG": "a particular way of behaving towards someone or of dealing with them" + }, + "sanitation": { + "CHS": "卫生(设施)", + "ENG": "the protection of public health by removing and treating waste, dirty water etc" + }, + "entertainer": { + "CHS": "款待者, 表演娱乐节目的人", + "ENG": "someone whose job is to tell jokes, sing etc in order to entertain people" + }, + "scrape": { + "CHS": "刮,擦", + "ENG": "to remove something from a surface using the edge of a knife, a stick etc" + }, + "violently": { + "CHS": "猛烈地, 激烈地", + "ENG": "with a lot of force in a way that is very difficult to control" + }, + "masonry": { + "CHS": "石工术, 石匠职业", + "ENG": "the bricks or stone from which a building, wall etc has been made" + }, + "flexibility": { + "CHS": "灵活性, 弹性", + "ENG": "the ability to change or be changed easily to suit a different situation" + }, + "obstruct": { + "CHS": "阻塞,堵塞", + "ENG": "to block a road, passage etc" + }, + "mediocre": { + "CHS": "平庸的", + "ENG": "not very good" + }, + "tributary": { + "CHS": "支流(的),进贡(的)", + "ENG": "a stream or river that flows into a larger river" + }, + "choosy": { + "CHS": "好挑剔的", + "ENG": "someone who is choosy will only accept things that they like a lot or they consider to be very good" + }, + "distinguishable": { + "CHS": "可区别的, 可辨别的", + "ENG": "easy to recognize as being different from something else" + }, + "commute": { + "CHS": "乘车上下班" + }, + "absenteeism": { + "CHS": "旷课, 旷工", + "ENG": "Absenteeism is the fact or habit of frequently being away from work or school, usually without a good reason" + }, + "pointillist": { + "CHS": "点彩派画家" + }, + "crudely": { + "CHS": "粗糙地, 粗鲁地" + }, + "ride": { + "CHS": "骑, 乘", + "ENG": "to sit on an animal, especially a horse, and make it move along" + }, + "epistle": { + "CHS": "书信", + "ENG": "a long or important letter" + }, + "endotherms": { + "CHS": "温血动物, 恒温动物" + }, + "disseminate": { + "CHS": "散布,传播", + "ENG": "to spread information or ideas to as many people as possible" + }, + "berg": { + "CHS": "冰山" + }, + "corpus": { + "CHS": "资料, 文集" + }, + "unchangeable": { + "CHS": "不变的,不能改变的", + "ENG": "Something that is unchangeable cannot be changed at all" + }, + "patriot": { + "CHS": "爱国者", + "ENG": "someone who loves their country and is willing to defend it – used to show approval" + }, + "gel": { + "CHS": "凝胶体 v成冻胶", + "ENG": "a thick wet substance that is used in beauty or cleaning products" + }, + "ignorant": { + "CHS": "无知的", + "ENG": "not knowing facts or information that you ought to know" + }, + "illusory": { + "CHS": "虚幻的", + "ENG": "false but seeming to be real or true" + }, + "sparsely": { + "CHS": "稀疏地" + }, + "methyl": { + "CHS": "甲基, 木精", + "ENG": "of, consisting of, or containing the monovalent group of atoms CH3 " + }, + "worshipper": { + "CHS": "礼拜者" + }, + "saturday": { + "CHS": "星期六", + "ENG": "Saturday is the day after Friday and before Sunday" + }, + "watercourses": { + "CHS": "水流, 河道", + "ENG": "A watercourse is a stream or river, or the channel that it flows along" + }, + "luxurious": { + "CHS": "奢侈的, 豪华的", + "ENG": "very expensive, beautiful, and comfortable" + }, + "receptacle": { + "CHS": "容器", + "ENG": "a container for putting things in" + }, + "motorcycle": { + "CHS": "摩托车, 机车", + "ENG": "a fast two-wheeled vehicle with an engine" + }, + "recreation": { + "CHS": "消遣, 娱乐", + "ENG": "an activity that you do for pleasure or amusement" + }, + "vest": { + "CHS": "汗衫 vt使穿衣服, 授予", + "ENG": "a piece of underwear without sleeves that you wear on the top half of your body" + }, + "chemurgy": { + "CHS": "[化]农业化工,实用化学", + "ENG": "the branch of chemistry concerned with the industrial use of organic raw materials, esp materials of agricultural origin " + }, + "imitator": { + "CHS": "模仿者", + "ENG": "An imitator is someone who copies what someone else does, or copies the way they speak or behave" + }, + "edifice": { + "CHS": "大厦, 大建筑物", + "ENG": "a building, especially a large one" + }, + "wary": { + "CHS": "机警的" + }, + "surmise": { + "CHS": "猜测", + "ENG": "to guess that something is true, using the information you know already" + }, + "disdain": { + "CHS": "轻蔑 v蔑视", + "ENG": "If you feel disdain for someone or something, you dislike them because you think that they are inferior or unimportant" + }, + "poisonous": { + "CHS": "有毒的, 恶意的", + "ENG": "containing poison or producing poison" + }, + "anti": { + "CHS": "反对者 a反对的" + }, + "continuator": { + "CHS": "继续者", + "ENG": "a person who continues something, esp the work of someone else " + }, + "grid": { + "CHS": "格子, 栅格", + "ENG": "a metal frame with bars across it" + }, + "predispose": { + "CHS": "(使)易罹患, (使)预先偏向于", + "ENG": "to make someone more likely to suffer from a particular health problem" + }, + "aviator": { + "CHS": "飞行员" + }, + "preposterous": { + "CHS": "荒谬的, 可笑的", + "ENG": "completely unreasonable or silly" + }, + "subtlety": { + "CHS": "微妙, 精明", + "ENG": "the quality that something has when it has been done in a clever or skilful way, with careful attention to small details" + }, + "suburb": { + "CHS": "市郊, 郊区", + "ENG": "an area where people live which is away from the centre of a town or city" + }, + "streetcar": { + "CHS": "路面电车", + "ENG": "a type of bus that runs on electricity along metal tracks in the road" + }, + "oscillate": { + "CHS": "振荡", + "ENG": "if an electric current oscillates, it changes direction very regularly and very frequently" + }, + "aptly": { + "CHS": "适当地,适宜地" + }, + "underfoot": { + "CHS": "在脚下面, 踩着地", + "ENG": "under your feet where you are walking" + }, + "ox": { + "CHS": "牛, 公牛", + "ENG": "a bull whose sex organs have been removed, often used for working on farms" + }, + "developer": { + "CHS": "开发者", + "ENG": "a person or company that makes money by buying land and then building houses, factories etc on it" + }, + "worry": { + "CHS": "烦恼, 忧虑", + "ENG": "to make someone feel anxious about something" + }, + "gourd": { + "CHS": "葫芦", + "ENG": "a round fruit whose outer shell can be used as a container, or the container made from this fruit" + }, + "landowner": { + "CHS": "土地所有者", + "ENG": "someone who owns land, especially a large amount of it" + }, + "crossing": { + "CHS": "交叉口", + "ENG": "a place where two lines, roads, tracks etc cross" + }, + "pane": { + "CHS": "窗格玻璃;长方块", + "ENG": "a piece of glass used in a window or door" + }, + "undisputed": { + "CHS": "无可置辩的", + "ENG": "known to be definitely true" + }, + "maneuver": { + "CHS": "策略[ pl]演习 v(巧妙)控制;用策略" + }, + "predictability": { + "CHS": "可预见性" + }, + "celsius": { + "CHS": "摄氏的", + "ENG": "Celsius is a scale for measuring temperature, in which water freezes at 0 degrees and boils at 100 degrees. It is represented by the symbol °C. " + }, + "uncomfortable": { + "CHS": "不舒服的,不自在的", + "ENG": "not feeling physically comfortable, or not making you feel comfortable" + }, + "revitalization": { + "CHS": "新生 复兴" + }, + "redbud": { + "CHS": "紫荆属植物", + "ENG": "an American leguminous tree, Cercis canadensis, that has heart-shaped leaves and small budlike pink flowers " + }, + "bullrush": { + "CHS": "芦苇" + }, + "speculator": { + "CHS": "投机者", + "ENG": "someone who buys goods, property, shares in a company etc, hoping that they will make a large profit when they sell them" + }, + "homesteader": { + "CHS": "农场所有权人, 自耕农" + }, + "valve": { + "CHS": "阀,活门", + "ENG": "a part of a tube or pipe that opens and shuts like a door to control the flow of liquid, gas, air etc passing through it" + }, + "inaccessible": { + "CHS": "难接近的, 难达到的", + "ENG": "difficult or impossible to reach" + }, + "draft": { + "CHS": "草拟", + "ENG": "to write a plan, letter, report etc that will need to be changed before it is in its finished form" + }, + "qualify": { + "CHS": "(使)胜任,(使)合格", + "ENG": "if something qualifies you to do something, you have the necessary skills, knowledge, ability etc to do it" + }, + "nodule": { + "CHS": "节结", + "ENG": "a small round raised part, especially a small swelling on a plant or someone’s body" + }, + "skillfully": { + "CHS": "巧妙地,技术好地" + }, + "competence": { + "CHS": "能力", + "ENG": "the ability to do something well" + }, + "dormancy": { + "CHS": "休眠" + }, + "supposedly": { + "CHS": "推测地, 大概" + }, + "basketry": { + "CHS": "篓编织品", + "ENG": "Basketry is baskets made by weaving together thin strips of materials such as wood" + }, + "bark": { + "CHS": "吠声", + "ENG": "the sharp loud sound made by a dog" + }, + "amuse": { + "CHS": "使发笑,使愉快", + "ENG": "If something amuses you, it makes you want to laugh or smile" + }, + "legal": { + "CHS": "法律的,合法的", + "ENG": "if something is legal, you are allowed to do it or have to do it by law" + }, + "eukaryotic": { + "CHS": "真核状态的" + }, + "emulsion": { + "CHS": "乳状液", + "ENG": "a mixture of liquids that do not completely combine, such as oil and water" + }, + "shake": { + "CHS": "摇动,颤抖", + "ENG": "to move suddenly from side to side or up and down, usually with a lot of force, or to make something or someone do this" + }, + "condensation": { + "CHS": "浓缩", + "ENG": "the act of making something shorter" + }, + "rebound": { + "CHS": "/v回弹", + "ENG": "a ball that is on the rebound has just hit something and is moving back through the air" + }, + "indefinite": { + "CHS": "不明确的,含糊的", + "ENG": "not clear or exact" + }, + "insignificant": { + "CHS": "无关紧要的, 可忽略的" + }, + "handmade": { + "CHS": "手工的", + "ENG": "made by people using their hands, not by a machine" + }, + "Iceland": { + "CHS": "冰岛(欧洲岛名,在大西洋北部,近北极圈)" + }, + "incandescent": { + "CHS": "遇热发光的, 白炽的", + "ENG": "producing a bright light when heated" + }, + "implicitly": { + "CHS": "含蓄地, 暗中地" + }, + "rob": { + "CHS": "抢夺", + "ENG": "to steal money or property from a person, bank etc" + }, + "fanciful": { + "CHS": "想像的, 奇怪的", + "ENG": "imagined rather than based on facts – often used to show disapproval" + }, + "fixture": { + "CHS": "固定物(装置)", + "ENG": "a piece of equipment that is fixed inside a house or building and is sold as part of the house" + }, + "battery": { + "CHS": "电池", + "ENG": "an object that provides a supply of electricity for something such as a radio, car, or toy" + }, + "deprecate": { + "CHS": "抨击, 反对", + "ENG": "to strongly disapprove of or criticize something" + }, + "infusion": { + "CHS": "灌输", + "ENG": "the act of putting a new feeling or quality into something" + }, + "carriage": { + "CHS": "马车, 客车", + "ENG": "a vehicle with wheels that is pulled by a horse, used in the past" + }, + "worsen": { + "CHS": "恶化", + "ENG": "to become worse or make something worse" + }, + "portraitist": { + "CHS": "肖像画家", + "ENG": "A portraitist is an artist who paints or draws people's portraits" + }, + "rhythmical": { + "CHS": "节奏的, 合拍的", + "ENG": "A rhythmic movement or sound is repeated at regular intervals, forming a regular pattern or beat" + }, + "exploratory": { + "CHS": "勘探的, 探索的", + "ENG": "done in order to find out more about something" + }, + "coconut": { + "CHS": "椰子", + "ENG": "the large brown seed of a tropical tree, which has a hard shell containing white flesh that you can eat and a milky liquid that you can drink" + }, + "infancy": { + "CHS": "幼年" + }, + "visualize": { + "CHS": "想象,设想", + "ENG": "to form a picture of someone or something in your mind" + }, + "credence": { + "CHS": "信任", + "ENG": "the acceptance of something as true" + }, + "encase": { + "CHS": "装入, 包住", + "ENG": "to cover or surround something completely" + }, + "bemoan": { + "CHS": "哀叹", + "ENG": "to complain or say that you are disappointed about something" + }, + "maroon": { + "CHS": "栗色 a栗色的", + "ENG": "a dark brownish red colour" + }, + "legally": { + "CHS": "法律上, 合法地", + "ENG": "according to the law" + }, + "inspection": { + "CHS": "检查, 视察", + "ENG": "an official visit to a building or organization to check that everything is satisfactory and that rules are being obeyed" + }, + "immunity": { + "CHS": "免疫性", + "ENG": "the state of being immune to a disease" + }, + "tariff": { + "CHS": "关税", + "ENG": "a tax on goods coming into a country or going out of a country" + }, + "restriction": { + "CHS": "限制, 约束", + "ENG": "a rule or law that limits or controls what people can do" + }, + "asthenosphere": { + "CHS": "岩流圈", + "ENG": "a thin semifluid layer of the earth (100" + }, + "violet": { + "CHS": "紫罗兰 a紫色的", + "ENG": "a plant with small dark purple flowers, or sometimes white or yellow ones" + }, + "periphery": { + "CHS": "外围", + "ENG": "the edge of an area" + }, + "insure": { + "CHS": "给保险,确保", + "ENG": "to buy insurance so that you will receive money if something bad happens to you, your family, your possessions etc" + }, + "insult": { + "CHS": "侮辱, 辱骂", + "ENG": "to offend someone by saying or doing something they think is rude" + }, + "supercontinent": { + "CHS": "[地]超大陆", + "ENG": "a great landmass thought to have existed in the geological past and to have split into smaller landmasses, which drifted and formed the present continents " + }, + "notorious": { + "CHS": "臭名昭著的", + "ENG": "famous or well-known for something bad" + }, + "idiom": { + "CHS": "成语, 方言", + "ENG": "a group of words that has a special meaning that is different from the ordinary meaning of each separate word. For example, ‘under the weather’ is an idiom meaning ‘ill’." + }, + "psychology": { + "CHS": "心理学" + }, + "discrete": { + "CHS": "不连续的, 离散的", + "ENG": "clearly separate" + }, + "hieroglyphic": { + "CHS": "象形文字", + "ENG": "a picture or symbol representing an object, concept, or sound " + }, + "hurricane": { + "CHS": "飓风, 狂风", + "ENG": "a storm that has very strong fast winds and that moves over water" + }, + "condenser": { + "CHS": "冷凝器, 电容器", + "ENG": "a piece of equipment that changes a gas into a liquid" + }, + "bilingual": { + "CHS": "能说两种语言的", + "ENG": "written or spoken in two languages" + }, + "abolish": { + "CHS": "废止, 废除", + "ENG": "to officially end a law, system etc, especially one that has existed for a long time" + }, + "entitle": { + "CHS": "给权利(或资格), 给题名", + "ENG": "If the title of something such as a book, film, or painting is, for example, \"Sunrise,\" you can say that it is entitled \"Sunrise.\" " + }, + "streptomycin": { + "CHS": "链霉素", + "ENG": "an antibiotic obtained from the bacterium Streptomyces griseus: used in the treatment of tuberculosis and Gram-negative bacterial infections" + }, + "innermost": { + "CHS": "最里面的, 内心的", + "ENG": "your innermost feelings, desires etc are your most personal and secret ones" + }, + "sting": { + "CHS": "刺, 刺痛", + "ENG": "if an insect or a plant stings you, it makes a very small hole in your skin and you feel a sharp pain because of a poisonous substance" + }, + "jellyfish": { + "CHS": "水母", + "ENG": "a sea animal that has a round transparent body and can sting you" + }, + "stagnant": { + "CHS": "停滞的;萧条的", + "ENG": "not changing or making progress, and continuing to be in a bad condition" + }, + "afar": { + "CHS": "遥远地", + "ENG": "from a long distance away" + }, + "epic": { + "CHS": "史诗, 伟大事迹", + "ENG": "a book, poem, or film that tells a long story about brave actions and exciting events" + }, + "circumscribe": { + "CHS": "在…周围画线;限制", + "ENG": "to limit power, rights, or abilities" + }, + "inactive": { + "CHS": "不活动的, 怠惰的", + "ENG": "not doing anything, not working, or not moving" + }, + "DNA": { + "CHS": "[生化]脱氧核糖核酸(=deoxyribonucleic acid)" + }, + "alkaloid": { + "CHS": "[化]生物碱", + "ENG": "any of a group of nitrogenous basic compounds found in plants, typically insoluble in water and physiologically active" + }, + "televise": { + "CHS": "广播, 播映" + }, + "stump": { + "CHS": "笨重地走,使为难" + }, + "reciprocate": { + "CHS": "互换, 交换" + }, + "discourse": { + "CHS": "谈话, 演讲", + "ENG": "a serious speech or piece of writing on a particular subject" + }, + "labellum": { + "CHS": "(兰花的) 唇瓣", + "ENG": "the part of the corolla of certain plants, esp orchids, that forms a distinct, often lobed, lip " + }, + "fishery": { + "CHS": "渔业, 水产业", + "ENG": "a part of the sea where fish are caught in large numbers" + }, + "necrosis": { + "CHS": "坏死", + "ENG": "Necrosis is the death of part of someone's body, for example because it is not getting enough blood" + }, + "eastward": { + "CHS": "向东", + "ENG": "Eastward or eastwards means toward the east" + }, + "stag": { + "CHS": "牡鹿vi不带女伴参加晚会", + "ENG": "if a man goes stag, he goes to a party without a woman" + }, + "encroach": { + "CHS": "侵占,侵犯", + "ENG": "to gradually take more of someone’s time, possessions, rights etc than you should" + }, + "rotary": { + "CHS": "旋转的", + "ENG": "turning in a circle around a fixed point, like a wheel" + }, + "syllable": { + "CHS": "音节", + "ENG": "a word or part of a word which contains a single vowel sound" + }, + "sequoia": { + "CHS": "[植] 美洲杉", + "ENG": "a tree from the western US that can grow to be very tall" + }, + "humor": { + "CHS": "幽默, 诙谐" + }, + "tempera": { + "CHS": "蛋彩画", + "ENG": "a type of paint in which the colour is mixed with a thick liquid" + }, + "dogwood": { + "CHS": "山茱萸" + }, + "Switzerland": { + "CHS": "瑞士(欧洲中部国家)" + }, + "immigrate": { + "CHS": "移入", + "ENG": "to come into a country in order to live there permanently" + }, + "plank": { + "CHS": "厚木板(条)", + "ENG": "a long narrow piece of wooden board, used especially for making structures to walk on" + }, + "lighten": { + "CHS": "减轻,点亮", + "ENG": "to reduce the amount of work, worry, debt etc that someone has" + }, + "cripple": { + "CHS": "跛子 v削弱", + "ENG": "someone who is unable to walk properly because their legs are damaged or injured - now considered offensive" + }, + "brand": { + "CHS": "商标, 牌子, 烙印", + "ENG": "a type of product made by a particular company, that has a particular name or design" + }, + "notoriously": { + "CHS": "臭名昭著地, 众所周知地" + }, + "naked": { + "CHS": "裸体的, 无遮盖的", + "ENG": "not wearing any clothes or not covered by clothes" + }, + "plutonic": { + "CHS": "火成岩的", + "ENG": "(of igneous rocks) derived from magma that has cooled and solidified below the surface of the earth " + }, + "aggravate": { + "CHS": "使恶化, 加重", + "ENG": "to make a bad situation, an illness, or an injury worse" + }, + "neutralize": { + "CHS": "压制" + }, + "memorial": { + "CHS": "纪念物, 纪念馆", + "ENG": "something, especially a stone with writing on it, that reminds people of someone who has died" + }, + "condor": { + "CHS": "[动]秃鹰, 秃鹫", + "ENG": "a very large South American vulture (= a bird that eats dead animals ) " + }, + "disappointment": { + "CHS": "失望", + "ENG": "a feeling of unhappiness because something is not as good as you expected, or has not happened in the way you hoped" + }, + "sprout": { + "CHS": "萌芽 n苗芽", + "ENG": "When plants, vegetables, or seeds sprout, they produce new shoots or leaves" + }, + "badly": { + "CHS": "严重地, 恶劣地", + "ENG": "in an unsatisfactory or unsuccessful way" + }, + "corpse": { + "CHS": "尸体", + "ENG": "the dead body of a person" + }, + "sake": { + "CHS": "缘故,理由", + "ENG": "in order to help, improve, or please someone or something" + }, + "attainment": { + "CHS": "达到", + "ENG": "success in achieving something or reaching a particular level" + }, + "careless": { + "CHS": "粗心的, 疏忽的", + "ENG": "not paying enough attention to what you are doing, so that you make mistakes, damage things etc" + }, + "progression": { + "CHS": "行进, 级数" + }, + "cable": { + "CHS": "缆绳;电缆", + "ENG": "a plastic or rubber tube containing wires that carry telephone messages, electronic signals, television pictures etc" + }, + "oceanographer": { + "CHS": "海洋学者, 海洋研究者" + }, + "legitimately": { + "CHS": "正当地, 合理地" + }, + "estuarine": { + "CHS": "入海的, 在入海口形成的", + "ENG": "formed or deposited in an estuary " + }, + "cup": { + "CHS": "杯子", + "ENG": "a small round container, usually with a handle, that you use to drink tea, coffee etc" + }, + "speciality": { + "CHS": "特性, 特质", + "ENG": "A speciality of a particular place is a special food or product that is always very good there" + }, + "waterfront": { + "CHS": "水边地码头区, 滨水地区", + "ENG": "the part of a town or an area of land next to the sea, a river etc" + }, + "carboniferous": { + "CHS": "石炭层" + }, + "believable": { + "CHS": "可信的", + "ENG": "something that is believable can be believed because it seems possible, likely, or real" + }, + "regularize": { + "CHS": "使有规则, 使有秩序" + }, + "casual": { + "CHS": "偶然的, 不经意的", + "ENG": "relaxed and not worried, or seeming not to care about something" + }, + "skeletal": { + "CHS": "骨骼的, 梗概的", + "ENG": "like a skeleton or relating to a skeleton" + }, + "landmark": { + "CHS": "(航海)陆标, 地界标", + "ENG": "something that is easy to recognize, such as a tall tree or building, and that helps you know where you are" + }, + "hinder": { + "CHS": "阻碍, 打扰", + "ENG": "to make it difficult for something to develop or succeed" + }, + "elemental": { + "CHS": "元素的,自然力的", + "ENG": "existing as a simple chemical element that has not been combined with anything else" + }, + "serpentine": { + "CHS": "蜿蜒的", + "ENG": "winding like a snake" + }, + "bog": { + "CHS": "沼泽", + "ENG": "an area of low wet muddy ground, sometimes containing bushes or grasses" + }, + "reside": { + "CHS": "居住", + "ENG": "to live in a particular place" + }, + "toe": { + "CHS": "趾, 脚趾", + "ENG": "one of the five movable parts at the end of your foot" + }, + "tentatively": { + "CHS": "试验性地,犹豫不决地" + }, + "brightness": { + "CHS": "光亮, 明亮" + }, + "regeneration": { + "CHS": "再生, 重建" + }, + "contour": { + "CHS": "轮廓", + "ENG": "the shape of the outer edges of something such as an area of land or someone’s body" + }, + "kiwi": { + "CHS": "[鸟]几维(一种新西兰产的无翼鸟)", + "ENG": "a New Zealand bird that cannot fly" + }, + "hummingbird": { + "CHS": "蜂雀", + "ENG": "A hummingbird is a small brightly coloured bird found in North, Central and South America. It has a long thin beak and powerful narrow wings that can move very fast. " + }, + "ridiculous": { + "CHS": "荒谬的, 可笑的", + "ENG": "very silly or unreasonable" + }, + "resolution": { + "CHS": "决心,决议", + "ENG": "a formal decision or statement agreed on by a group of people, especially after a vote" + }, + "unsuitable": { + "CHS": "不适宜的, 不合适的", + "ENG": "not having the right qualities for a particular person, purpose, or situation" + }, + "hydroponic": { + "CHS": "溶液培养的" + }, + "currier": { + "CHS": "制革匠", + "ENG": "a person who curries leather " + }, + "Semitic": { + "CHS": "/a闪族人(语) (的)" + }, + "randomly": { + "CHS": "随便地,任意地" + }, + "intergalactic": { + "CHS": "银河间的, 星际间的", + "ENG": "between the large groups of stars in space" + }, + "diffuses": { + "CHS": "扩散,弥漫", + "ENG": "To diffuse or be diffused through something means to move and spread through it" + }, + "synonymous": { + "CHS": "同义的", + "ENG": "something that is synonymous with something else is considered to be very closely connected with it" + }, + "arrow": { + "CHS": "箭, 箭头记号", + "ENG": "a weapon usually made from a thin straight piece of wood with a sharp point at one end, that you shoot with a bow " + }, + "discoloration": { + "CHS": "变色, 污点", + "ENG": "the process of becoming discoloured" + }, + "laborious": { + "CHS": "艰苦的, 费劲的", + "ENG": "taking a lot of time and effort" + }, + "backdrop": { + "CHS": "背景幕, 背景", + "ENG": "the scenery behind something that you are looking at" + }, + "refractory": { + "CHS": "难控制的,耐火的" + }, + "soilless": { + "CHS": "不用泥土(培植)的" + }, + "tight": { + "CHS": "紧的", + "ENG": "tight clothes fit your body very closely, especially in a way that is uncomfortable" + }, + "chest": { + "CHS": "胸腔,橱", + "ENG": "Your chest is the top part of the front of your body where your ribs, lungs, and heart are" + }, + "nebular": { + "CHS": "[天]星云的" + }, + "mint": { + "CHS": "薄荷", + "ENG": "a small plant with green leaves that have a fresh smell and taste and are used in cooking" + }, + "chair": { + "CHS": "椅子,主席 vt担任主席", + "ENG": "a piece of furniture for one person to sit on, which has a back, a seat, and four legs" + }, + "merit": { + "CHS": "值得", + "ENG": "to be good, important, or serious enough for praise or attention" + }, + "specially": { + "CHS": "专门地;特别地", + "ENG": "for one particular purpose, and only for that purpose" + }, + "someday": { + "CHS": "有朝一日", + "ENG": "at an unknown time in the future, especially a long time in the future" + }, + "journalism": { + "CHS": "新闻业;新闻工作", + "ENG": "the job or activity of writing news reports for newspapers, magazines, television, or radio" + }, + "circuit": { + "CHS": "电路,巡回", + "ENG": "all the places that are usually visited by someone who plays tennis etc" + }, + "complementary": { + "CHS": "补充的, 补足的", + "ENG": "complementary things go well together, although they are usually different" + }, + "nectar": { + "CHS": "[希神] 神酒, 任何美味的饮料, 花蜜", + "ENG": "the sweet liquid that bees collect from flowers" + }, + "package": { + "CHS": "打包", + "ENG": "to put food or other goods into a bag, box etc ready to be sold or sent" + }, + "USA": { + "CHS": "美国(美利坚合众国)" + }, + "adornment": { + "CHS": "装饰, 装饰品", + "ENG": "something that you use to decorate something" + }, + "photo": { + "CHS": "照片", + "ENG": "a photograph" + }, + "imperative": { + "CHS": "命令的,强制的" + }, + "lesley": { + "CHS": "莱斯利(女子名)" + }, + "ppm": { + "CHS": "百万分率,百万分之…(parts per million)" + }, + "purification": { + "CHS": "净化" + }, + "assortment": { + "CHS": "分类,混合物" + }, + "saving": { + "CHS": "搭救的, 节约的" + }, + "astound": { + "CHS": "使惊骇, 使大吃一惊" + }, + "ID": { + "CHS": "遗传素质" + }, + "germinate": { + "CHS": "发芽,使生长", + "ENG": "if a seed germinates, or if it is germinated, it begins to grow" + }, + "nitric": { + "CHS": "[化]氮的, 含氮的", + "ENG": "Nitric means relating to or containing nitrogen" + }, + "luncheon": { + "CHS": "午宴, 正式的午餐", + "ENG": "lunch" + }, + "viscosity": { + "CHS": "粘质, 粘性" + }, + "intrude": { + "CHS": "侵入,强挤入", + "ENG": "to come into a place or situation, and have an unwanted effect" + }, + "dating": { + "CHS": "约会" + }, + "muddy": { + "CHS": "多泥的, 泥泞的", + "ENG": "covered with mud or containing mud" + }, + "hive": { + "CHS": "(使)入蜂箱, 群居" + }, + "incomprehensible": { + "CHS": "费解的,不可思议的", + "ENG": "difficult or impossible to understand" + }, + "evidently": { + "CHS": "显然,清楚地", + "ENG": "used to say that something is true because you can see that it is true" + }, + "label": { + "CHS": "贴标签于", + "ENG": "to attach a label onto something or write information on something" + }, + "symmetrical": { + "CHS": "匀称的,对称的", + "ENG": "an object or design that is symmetrical has two halves that are exactly the same shape and size" + }, + "lily": { + "CHS": "纯洁的" + }, + "theropod": { + "CHS": "兽性的,野兽般的" + }, + "supporter": { + "CHS": "支持者, 赡养者", + "ENG": "someone who supports a particular person, group, or plan" + }, + "precarious": { + "CHS": "危险的,不确定的", + "ENG": "a precarious situation or state is one which may very easily or quickly become worse" + }, + "wispy": { + "CHS": "纤细的, 脆弱的" + }, + "artificially": { + "CHS": "人工地,不自然地" + }, + "exempt": { + "CHS": "被免除的" + }, + "vacancy": { + "CHS": "空白, 空缺", + "ENG": "a job that is available for someone to start doing" + }, + "rehabilitate": { + "CHS": "修复, 改造", + "ENG": "to improve a building or area so that it returns to the good condition it was in before" + }, + "persuade": { + "CHS": "说服, 劝说, (使)相信", + "ENG": "to make someone decide to do something, especially by giving them reasons why they should do it, or asking them many times to do it" + }, + "sunset": { + "CHS": "日落, 晚年", + "ENG": "the time of day when the sun disappears and night begins" + }, + "intoxication": { + "CHS": "陶醉,中毒", + "ENG": "Intoxication is the state of being drunk" + }, + "genuine": { + "CHS": "真实的, 真正的, 诚恳的", + "ENG": "a genuine feeling, desire etc is one that you really feel, not one you pretend to feel" + }, + "whereby": { + "CHS": "凭什么, 为何" + }, + "auger": { + "CHS": "用钻子钻洞于" + }, + "alteration": { + "CHS": "变更, 改造", + "ENG": "a small change that makes someone or something slightly different, or the process of this change" + }, + "longtime": { + "CHS": "长久地" + }, + "customary": { + "CHS": "习惯的, 惯例的", + "ENG": "something that is customary is normal because it is the way something is usually done" + }, + "validate": { + "CHS": "[律]使有效, 使生效", + "ENG": "to prove that something is true or correct, or to make a document or agreement officially and legally acceptable" + }, + "sulfide": { + "CHS": "<美>[化]硫化物" + }, + "sensibility": { + "CHS": "敏感性,识别力", + "ENG": "the way that someone reacts to particular subjects or types of behaviour" + }, + "ether": { + "CHS": "天空醚, 大气", + "ENG": "Ether is a colourless liquid that burns easily. It is used in industry and in medicine as an anaesthetic. " + }, + "tenon": { + "CHS": "接榫, 造榫", + "ENG": "to form a tenon on (a piece of wood) " + }, + "whittle": { + "CHS": "屠刀" + }, + "supersede": { + "CHS": "代替, 取代", + "ENG": "if a new idea, product, or method supersedes another one, it becomes used instead because it is more modern or effective" + }, + "dehydrate": { + "CHS": "(使)脱水", + "ENG": "to remove the liquid from a substance such as food or a chemical" + }, + "amino": { + "CHS": "[化学] 氨基", + "ENG": "of, consisting of, or containing the group of atoms -NH2 " + }, + "subjective": { + "CHS": "主观的, 个人的", + "ENG": "a state-ment, report, attitude etc that is subjective is influenced by personal opinion and can therefore be unfair" + }, + "milky": { + "CHS": "牛奶的,乳白色的", + "ENG": "containing a lot of milk" + }, + "fertilization": { + "CHS": "肥沃, 施肥, 授精" + }, + "celestial": { + "CHS": "神仙" + }, + "appreciable": { + "CHS": "可感知的,相当可观的", + "ENG": "An appreciable amount or effect is large enough to be important or clearly noticed" + }, + "eject": { + "CHS": "逐出,喷射", + "ENG": "to make someone leave a place or building by using force" + }, + "victory": { + "CHS": "胜利,[罗神]胜利女神", + "ENG": "a situation in which you win a battle, game, election, or dispute" + }, + "tent": { + "CHS": "帐篷", + "ENG": "a shelter consisting of a sheet of cloth supported by poles and ropes, used especially for camping" + }, + "petrifaction": { + "CHS": "石化, 化石", + "ENG": "the act or process of forming petrified organic material " + }, + "regolith": { + "CHS": "[地质]风化层, 土被", + "ENG": "the layer of loose material covering the bedrock of the earth and moon, etc, comprising soil, sand, rock fragments, volcanic ash, glacial drift, etc " + }, + "marrow": { + "CHS": "精华, 活力", + "ENG": "Themarrowof something is the most important and basic part of it" + }, + "rim": { + "CHS": "镶边", + "ENG": "to be around the edge of something" + }, + "ptarmigan": { + "CHS": "松鸡类", + "ENG": "any of several arctic and subarctic grouse of the genus Lagopus, esp L" + }, + "hydroxyapatite": { + "CHS": "[矿]羟磷灰石" + }, + "percolate": { + "CHS": "过滤", + "ENG": "if liquid, light, or air percolates somewhere, it passes slowly through a material that has very small holes in it" + }, + "stun": { + "CHS": "打昏,惊倒" + }, + "rapidity": { + "CHS": "速度,迅速,急速" + }, + "mudflats": { + "CHS": "泥滩", + "ENG": "Mudflats are areas of flat empty land at the coast which are covered by the sea only when the tide is in" + }, + "mineralize": { + "CHS": "使矿物化,采集矿物", + "ENG": "to convert (such matter) into a mineral; petrify " + }, + "calcareous": { + "CHS": "钙质的,石灰质的", + "ENG": "of, containing, or resembling calcium carbonate; chalky " + }, + "tailor": { + "CHS": "剪裁, 缝制" + }, + "eyebrow": { + "CHS": "眉毛", + "ENG": "the line of hair above your eye" + }, + "bedcover": { + "CHS": "被面" + }, + "pillow": { + "CHS": "枕着", + "ENG": "to rest your head somewhere" + }, + "heal": { + "CHS": "治愈, 医治", + "ENG": "to make someone who is ill become healthy again, especially by using natural powers or prayer" + }, + "vaguely": { + "CHS": "含糊地, 暧昧地", + "ENG": "not clearly or exactly" + }, + "hundredfold": { + "CHS": "百倍, 百重" + }, + "agriculturally": { + "CHS": "农业上" + }, + "pinhead": { + "CHS": "针头, 小东西", + "ENG": "the small round part at one end of a pin" + }, + "immersion": { + "CHS": "沉浸,专心", + "ENG": "the fact of being completely involved in something you are doing" + }, + "founding": { + "CHS": "资金" + }, + "indispensable": { + "CHS": "不可缺少的", + "ENG": "someone or something that is indispensable is so important or useful that it is impossible to manage without them" + }, + "nail": { + "CHS": "将钉牢", + "ENG": "to fasten something to something else with nails" + }, + "entertain": { + "CHS": "娱乐,招待", + "ENG": "to invite people to your home for a meal, party etc, or to take your company’s customers somewhere to have a meal, drinks etc" + }, + "scuba": { + "CHS": "水中呼吸器" + }, + "frustrate": { + "CHS": "挫败的" + }, + "sunlit": { + "CHS": "被日光照射了的, 阳光照射的", + "ENG": "made brighter by light from the sun" + }, + "unsatisfactory": { + "CHS": "不令人满意的,不满足的", + "ENG": "not good enough or not acceptable" + }, + "separately": { + "CHS": "分别地,分离地", + "ENG": "If people or things are dealt with separately or do something separately, they are dealt with or do something at different times or places, rather than together" + }, + "collectible": { + "CHS": "可收集的, 可代收的" + }, + "mercury": { + "CHS": "水银, 汞", + "ENG": "Mercury is a silver-coloured liquid metal that is used especially in thermometers and barometers" + }, + "rider": { + "CHS": "骑手, 附文, 扶手", + "ENG": "A rider is someone who rides a horse, a bicycle, or a motorcycle as a hobby or job. You can also refer to someone who is riding a horse, a bicycle, or a motorcycle as a rider. " + }, + "opera": { + "CHS": "歌剧", + "ENG": "a musical play in which all of the words are sung" + }, + "orchestral": { + "CHS": "管弦乐的,管弦乐队的", + "ENG": "relating to or written for an orchestra" + }, + "landslide": { + "CHS": "[地]山崩, 滑坡", + "ENG": "a sudden fall of a lot of earth or rocks down a hill, cliff etc" + }, + "counteract": { + "CHS": "抵消, 中和, 阻碍", + "ENG": "to reduce or prevent the bad effect of something, by doing something that has the opposite effect" + }, + "stature": { + "CHS": "身高,(精神、道德等的)高度", + "ENG": "someone’s height or size" + }, + "relaxation": { + "CHS": "松弛, 放宽", + "ENG": "a way of resting and enjoying yourself" + }, + "remediation": { + "CHS": "补习,补救", + "ENG": "the action of remedying something, esp the reversal or stopping of damage to the environment " + }, + "unincorporated": { + "CHS": "未联合的,未合并的" + }, + "profile": { + "CHS": "侧面,轮廓", + "ENG": "a side view of someone’s head" + }, + "spurge": { + "CHS": "[植]大戟", + "ENG": "any of various euphorbiaceous plants of the genus Euphorbia that have milky sap and small flowers typically surrounded by conspicuous bracts" + }, + "corner": { + "CHS": "迫至一隅,把难住" + }, + "calotype": { + "CHS": "光力照像法" + }, + "fringe": { + "CHS": "边缘的", + "ENG": "a group, event etc that is less important or popular than the main group etc, or whose opinions are not accepted by most other people involved in the same activity" + }, + "molasses": { + "CHS": "<美>糖蜜", + "ENG": "a thick dark sweet liquid that is obtained from raw sugar plants when they are being made into sugar" + }, + "torque": { + "CHS": "扭矩, 转矩", + "ENG": "the force or power that makes something turn around a central point, especially in an engine" + }, + "battlefield": { + "CHS": "战场, 沙场", + "ENG": "a place where a battle is being fought or has been fought" + }, + "dish": { + "CHS": "把…装盘" + }, + "needlefish": { + "CHS": "[动] 颌针鱼(一种长嘴便鳞之海鱼)", + "ENG": "any ferocious teleost fish of the family Belonidae of warm and tropical regions, having an elongated body and long toothed jaws " + }, + "discriminate": { + "CHS": "歧视,区别待遇", + "ENG": "to treat a person or group differently from another in an unfair way" + }, + "fireball": { + "CHS": "火球, 大流星", + "ENG": "a ball of fire, especially one caused by an explosion" + }, + "improvisation": { + "CHS": "即席创作" + }, + "recommendation": { + "CHS": "推荐, 介绍(信)", + "ENG": "a suggestion to someone that they should choose a particular thing or person that you think is very good" + }, + "meteor": { + "CHS": "流星, 大气现象", + "ENG": "a piece of rock or metal that travels through space, and makes a bright line in the night sky when it falls down towards the Earth" + }, + "comprehensible": { + "CHS": "可理解的", + "ENG": "easy to understand" + }, + "etch": { + "CHS": "蚀刻", + "ENG": "to cut lines on a metal plate, piece of glass, stone etc to form a picture or words" + }, + "my": { + "CHS": "我的" + }, + "hay": { + "CHS": "干草", + "ENG": "long grass that has been cut and dried, used as food for cattle" + }, + "hale": { + "CHS": "硬拖" + }, + "instantly": { + "CHS": "立即地, 即刻地", + "ENG": "immediately" + }, + "ingoing": { + "CHS": "进入,迁就" + }, + "realistically": { + "CHS": "现实地,逼真地", + "ENG": "if you think about something realistically, you think about it in a practical way and according to what is actually possible" + }, + "artistry": { + "CHS": "艺术之性质", + "ENG": "Artistry is the creative skill of an artist, writer, actor, or musician" + }, + "knowledgeable": { + "CHS": "知识渊博的, 有见识的", + "ENG": "knowing a lot" + }, + "cannon": { + "CHS": "炮轰" + }, + "recede": { + "CHS": "后退", + "ENG": "if water recedes, it moves back from an area that it was covering" + }, + "organically": { + "CHS": "器官上地, 有机地" + }, + "unintentionally": { + "CHS": "无意地,非故意地" + }, + "geomagnetic": { + "CHS": "地磁的,地磁气的" + }, + "magnetize": { + "CHS": "使磁化, 吸引", + "ENG": "to make iron or steel able to pull other pieces of metal towards itself" + }, + "recess": { + "CHS": "使凹进,休假" + }, + "bonito": { + "CHS": "鲣", + "ENG": "any of various small tunny-like marine food fishes of the genus Sarda, of warm Atlantic and Pacific waters: family Scombridae (tunnies and mackerels) " + }, + "hatchling": { + "CHS": "人工孵化的鱼苗或小鸟", + "ENG": "a young animal that has newly emerged from an egg " + }, + "specialist": { + "CHS": "专门医师, 专家", + "ENG": "someone who knows a lot about a particular subject, or is very skilled at it" + }, + "vocal": { + "CHS": "元音" + }, + "hilly": { + "CHS": "多小山的, 多坡的", + "ENG": "having a lot of hills" + }, + "elongate": { + "CHS": "伸长的" + }, + "linoleum": { + "CHS": "油布, 油毯", + "ENG": "a floor covering made from strong shiny material" + }, + "armor": { + "CHS": "为…装甲" + }, + "customarily": { + "CHS": "通常,习惯上" + }, + "comprehensive": { + "CHS": "全面的,能充分理解的", + "ENG": "including all the necessary facts, details, or problems that need to be dealt with" + }, + "franklin": { + "CHS": "小地主, 乡绅" + }, + "morally": { + "CHS": "道德上", + "ENG": "according to moral principles about what is right and wrong" + }, + "lathe": { + "CHS": "用车床加工", + "ENG": "to shape, bore, or cut a screw thread in or on (a workpiece) on a lathe " + }, + "inherent": { + "CHS": "固有的,与生俱来的", + "ENG": "a quality that is inherent in something is a natural part of it and cannot be separated from it" + }, + "grand": { + "CHS": "盛大的,极重要的", + "ENG": "excellent" + }, + "inconspicuous": { + "CHS": "不显眼的,不引人注意的", + "ENG": "not easily seen or noticed" + }, + "integrity": { + "CHS": "正直, 诚实, 完整", + "ENG": "the quality of being honest and strong about what you believe to be right" + }, + "enroll": { + "CHS": "登记, 招收, 参加" + }, + "utterance": { + "CHS": "意见, 说话, 发表", + "ENG": "the action of saying something" + }, + "treasury": { + "CHS": "财政部, 国库" + }, + "apparatus": { + "CHS": "器械, 设备, 仪器", + "ENG": "the set of tools and machines that you use for a particular scientific, medical, or technical purpose" + }, + "heartbeat": { + "CHS": "心跳", + "ENG": "the action or sound of your heart as it pumps blood through your body" + }, + "mast": { + "CHS": "装桅杆于", + "ENG": "to equip with a mast or masts " + }, + "unify": { + "CHS": "统一,使成一体", + "ENG": "if you unify two or more parts or things, or if they unify, they are combined to make a single unit" + }, + "scat": { + "CHS": "爵士音乐中无意义的音节的演唱" + }, + "unexplored": { + "CHS": "[地质] 未勘查过的", + "ENG": "an unexplored place has not been examined or put on a map" + }, + "playground": { + "CHS": "运动场, 操场", + "ENG": "an area for children to play, especially at a school or in a park, that often has special equipment for climbing on, riding on etc" + }, + "upland": { + "CHS": "高地的,山地的", + "ENG": "Upland places are situated on high land" + }, + "woodpecker": { + "CHS": "[鸟]啄木鸟", + "ENG": "a bird with a long beak that it uses to make holes in trees" + }, + "friendliness": { + "CHS": "友谊,友善" + }, + "sympathy": { + "CHS": "同情, 同情心", + "ENG": "the feeling of being sorry for someone who is in a bad situation" + }, + "wingspan": { + "CHS": "[空]翼展", + "ENG": "the distance from the end of one wing to the end of the other" + }, + "counter": { + "CHS": "相反地" + }, + "campus": { + "CHS": "<美>校园,大学教育", + "ENG": "the land and buildings of a university or college, including the buildings where students live" + }, + "flicker": { + "CHS": "闪烁,摇曳", + "ENG": "to burn or shine with an unsteady light that goes on and off quickly" + }, + "approve": { + "CHS": "赞成, 批准", + "ENG": "to officially accept a plan, proposal etc" + }, + "anvil": { + "CHS": "[解]砧骨", + "ENG": "a heavy iron block on which pieces of hot metal are shaped using a hammer" + }, + "proximity": { + "CHS": "接近, 亲近", + "ENG": "nearness in distance or time" + }, + "excellence": { + "CHS": "优秀, 卓越", + "ENG": "the quality of being excellent" + }, + "loggerhead": { + "CHS": "傻子,铁球棒" + }, + "pertain": { + "CHS": "适合, 属于", + "ENG": "If one thing pertains to another, it relates, belongs, or applies to it" + }, + "demonstration": { + "CHS": "示范, 实证", + "ENG": "an act of explaining and showing how to do something or how something works" + }, + "dike": { + "CHS": "筑堤提防" + }, + "ineffective": { + "CHS": "无效的, (指人)工作效率低的", + "ENG": "something that is ineffective does not achieve what it is intended to achieve" + }, + "explosive": { + "CHS": "爆炸物", + "ENG": "a substance that can cause an explosion" + }, + "rooftop": { + "CHS": "屋顶上的" + }, + "interplanetary": { + "CHS": "太阳系内的,行星间的", + "ENG": "between the planets" + }, + "actor": { + "CHS": "男演员,行动者", + "ENG": "someone who performs in a play or film" + }, + "lovely": { + "CHS": "可爱的,有趣的", + "ENG": "beautiful or attractive" + }, + "caput": { + "CHS": "头, 首" + }, + "receptiveness": { + "CHS": "感受性,接受能力" + }, + "punish": { + "CHS": "惩罚,处罚", + "ENG": "to make someone suffer because they have done something wrong or broken the law" + }, + "animate": { + "CHS": "生气勃勃的", + "ENG": "Something that is animate has life, in contrast to things like stones and machines which do not" + }, + "militaristic": { + "CHS": "军国主义的", + "ENG": "Militaristic is used to describe groups, ideas, or policies which support the strengthening of the armed forces of their country in order to make it more powerful" + }, + "acreage": { + "CHS": "英亩数, 面积", + "ENG": "the area of a piece of land measured in acres" + }, + "impersonation": { + "CHS": "扮演" + }, + "reabsorb": { + "CHS": "再吸附,重吸收" + }, + "interference": { + "CHS": "冲突, 干涉", + "ENG": "an act of interfering" + }, + "overturn": { + "CHS": "推翻, 颠倒", + "ENG": "if you overturn something, or if it overturns, it turns upside down or falls over on its side" + }, + "duke": { + "CHS": "公爵", + "ENG": "a man with the highest social rank outside the royal family" + }, + "squarely": { + "CHS": "方形地, 直角地", + "ENG": "directly and firmly" + }, + "Henderson": { + "CHS": "亨德森(姓氏)" + }, + "pronoun": { + "CHS": "代名词", + "ENG": "a word that is used instead of a noun or noun phrase, such as ‘he’ instead of ‘Peter’ or ‘the man’" + }, + "prisoner": { + "CHS": "战俘", + "ENG": "someone who is taken by force and kept somewhere" + }, + "October": { + "CHS": "十月(略作Oct)", + "ENG": "the tenth month of the year, between September and November" + }, + "rawhide": { + "CHS": "生牛皮的" + }, + "nonagricultural": { + "CHS": "非农业的", + "ENG": "not of or relating to agriculture " + }, + "dale": { + "CHS": "宽谷, 溪谷", + "ENG": "a valley – used in the past or in the names of places, especially in the North of England" + }, + "devastation": { + "CHS": "毁坏,荒废", + "ENG": "Devastation is severe and widespread destruction or damage" + }, + "fletcher": { + "CHS": "<古>造箭者,弗莱彻", + "ENG": "a person who makes arrows " + }, + "paradoxically": { + "CHS": "相矛盾地,似非而是地", + "ENG": "in a way that is surprising because it is the opposite of what you would expect" + }, + "credible": { + "CHS": "可信的,可靠的", + "ENG": "deserving or able to be believed or trusted" + }, + "flute": { + "CHS": "吹长笛,刻槽" + }, + "automate": { + "CHS": "使自动化, 自动操作", + "ENG": "to start using computers and machines to do a job, rather than people" + }, + "pedagogy": { + "CHS": "教学, 教授", + "ENG": "the practice of teaching or the study of teaching" + }, + "pregnant": { + "CHS": "怀孕的, 重要的", + "ENG": "if a woman or female animal is pregnant, she has an unborn baby growing inside her body" + }, + "trait": { + "CHS": "显著的特点, 特性", + "ENG": "a particular quality in someone’s character" + }, + "autonomy": { + "CHS": "自治", + "ENG": "freedom that a place or an organization has to govern or control itself" + }, + "exuberant": { + "CHS": "繁茂的,生气勃勃的", + "ENG": "exuberant decorations, patterns etc are exciting and complicated or colourful" + }, + "option": { + "CHS": "选项, 选择权", + "ENG": "a choice you can make in a particular situation" + }, + "reaper": { + "CHS": "收割者, 收割机", + "ENG": "A reaper is a machine used to cut and gather crops" + }, + "anxiously": { + "CHS": "忧虑地, 不安地" + }, + "elephant": { + "CHS": "象", + "ENG": "a very large grey animal with four legs, two tusks(= long curved teeth ) and a trunk(= long nose ) that it can use to pick things up" + }, + "plague": { + "CHS": "折磨, 使苦恼", + "ENG": "to cause pain, suffering, or trouble to someone, especially for a long period of time" + }, + "bellow": { + "CHS": "怒吼, 咆哮", + "ENG": "to shout loudly in a deep voice" + }, + "unreal": { + "CHS": "不真实的, 虚幻的", + "ENG": "an experience, situation etc that is unreal seems so strange that you think you must be imagining it" + }, + "fond": { + "CHS": "喜欢的,温柔的", + "ENG": "to like someone very much, especially when you have known them for a long time and almost feel love for them" + }, + "toad": { + "CHS": "[动]蟾蜍", + "ENG": "a small animal that looks like a large frog and lives mostly on land" + }, + "heave": { + "CHS": "举起,投掷", + "ENG": "a strong rising or falling movement" + }, + "parade": { + "CHS": "游行,炫耀", + "ENG": "to walk or march together to celebrate or protest about something" + }, + "receptive": { + "CHS": "善于接受的,能容纳的", + "ENG": "willing to consider new ideas or listen to someone else’s opinions" + }, + "scope": { + "CHS": "(活动)范围", + "ENG": "the range of things that a subject, activity, book etc deals with" + }, + "unplanned": { + "CHS": "意外的,在计划外的", + "ENG": "not planned or expected" + }, + "longevity": { + "CHS": "长命, 寿命", + "ENG": "the amount of time that someone or something lives" + }, + "submit": { + "CHS": "(使)服从,递交", + "ENG": "to give a plan, piece of writing etc to someone in authority for them to consider or approve" + }, + "nomad": { + "CHS": "游牧的" + }, + "Mongolia": { + "CHS": "蒙古" + }, + "clarity": { + "CHS": "清楚,透明", + "ENG": "the clarity of a piece of writing, law, argument etc is its quality of being expressed clearly" + }, + "sexually": { + "CHS": "性别地,两性之间地" + }, + "lifeway": { + "CHS": "生活方式, 生活" + }, + "facade": { + "CHS": "正面", + "ENG": "the front of a building, especially a large and important one" + }, + "torrid": { + "CHS": "晒热的,热情的", + "ENG": "involving strong emotions, especially of sexual love" + }, + "kindergarten": { + "CHS": "幼儿园的,启蒙阶段的" + }, + "neuron": { + "CHS": "[解]神经细胞,神经元", + "ENG": "a type of cell that makes up the nervous system and sends messages to other parts of the body or the brain" + }, + "transmission": { + "CHS": "播送, 发射", + "ENG": "the process of sending out electronic signals, messages etc, using radio, television, or other similar equipment" + }, + "eukaryote": { + "CHS": "〈生〉真核细胞", + "ENG": "any member of the Eukarya, a domain of organisms having cells each with a distinct nucleus within which the genetic material is contained" + }, + "commensal": { + "CHS": "共食伙伴, 共生物", + "ENG": "a commensal plant or animal " + }, + "living": { + "CHS": "活的,逼真的", + "ENG": "alive now" + }, + "inadvertently": { + "CHS": "非故意地,不注意地", + "ENG": "without realizing what you are doing" + }, + "volt": { + "CHS": "(马术中的)环骑,[电工]伏特", + "ENG": "a unit for measuring the force of an electric current" + }, + "roadbed": { + "CHS": "路基", + "ENG": "the material used to make a road " + }, + "encompass": { + "CHS": "包围,环绕", + "ENG": "If something encompasses particular things, it includes them" + }, + "outnumber": { + "CHS": "数目超过, 比多", + "ENG": "to be more in number than another group" + }, + "scar": { + "CHS": "结疤,使留下伤痕", + "ENG": "if a wound or cut scars you, it leaves a permanent mark on your body" + }, + "metabolize": { + "CHS": "产生代谢变化", + "ENG": "to change food in your body into energy and new cells, using chemical processes" + }, + "administer": { + "CHS": "管理, 给予, 执行", + "ENG": "to manage the work or money of a company or organization" + }, + "fasten": { + "CHS": "扎牢,扣住", + "ENG": "to firmly close a window, gate etc so that it will not open, or to become firmly closed" + }, + "diversify": { + "CHS": "使多样化, 作多样性的投资", + "ENG": "to change something or to make it change so that there is more variety" + }, + "grumble": { + "CHS": "发牢骚", + "ENG": "to keep complaining in an unhappy way" + }, + "degradation": { + "CHS": "降级, 降格, 退化", + "ENG": "the process by which something changes to a worse condition" + }, + "neurospora": { + "CHS": "[微]脉孢菌" + }, + "subsidy": { + "CHS": "补助金,津贴", + "ENG": "money that is paid by a government or organization to make prices lower, reduce the cost of producing goods etc" + }, + "commonsense": { + "CHS": "常识的,具有常识的" + }, + "destination": { + "CHS": "目的地", + "ENG": "the place that someone or something is going to" + }, + "yellowstone": { + "CHS": "黄石国家公园, 黄石河" + }, + "mosquito": { + "CHS": "蚊子", + "ENG": "a small flying insect that sucks the blood of people and animals, sometimes spreading the disease malaria " + }, + "paucity": { + "CHS": "极小量" + }, + "infect": { + "CHS": "[医] 传染, 感染", + "ENG": "to give someone a disease" + }, + "burin": { + "CHS": "冰凿,雕刻刀", + "ENG": "a chisel of tempered steel with a sharp lozenge-shaped point, used for engraving furrows in metal, wood, or marble " + }, + "walrus": { + "CHS": "[动]海象, 海象胡须", + "ENG": "a large sea animal with two long tusks(= things like teeth ) coming down from the sides of its mouth" + }, + "deserve": { + "CHS": "应受, 值得", + "ENG": "to have earned something by good or bad actions or behaviour" + }, + "incubator": { + "CHS": "培养的器具, 孵卵器", + "ENG": "a heated container for keeping eggs warm until they hatch(= the young birds are born )" + }, + "poorhouse": { + "CHS": "救济院", + "ENG": "a building where very poor people in the past could live and be fed, which was paid for with public money" + }, + "subsidize": { + "CHS": "资助,津贴", + "ENG": "if a government or organization subsidizes a company, activity etc, it pays part of its costs" + }, + "excitation": { + "CHS": "刺激,兴奋, 激动", + "ENG": "the act or process of exciting or state of being excited " + }, + "amniotic": { + "CHS": "[昆] 羊膜的", + "ENG": "of or relating to the amnion " + }, + "porpoise": { + "CHS": "[动]海豚, 小鲸", + "ENG": "a sea animal that looks similar to a dolphin and breathes air" + }, + "spew": { + "CHS": "喷涌,呕吐", + "ENG": "to flow out of something quickly in large quantities, or to make something flow out in this way" + }, + "emanate": { + "CHS": "散发,发出", + "ENG": "to produce a smell, light etc, or to show a particular quality" + }, + "noxious": { + "CHS": "有害的", + "ENG": "harmful or poisonous" + }, + "deviate": { + "CHS": "偏离,偏轨", + "ENG": "to change what you are doing so that you are not following an expected plan, idea, or type of behaviour" + }, + "shun": { + "CHS": "避开,避免", + "ENG": "to deliberately avoid someone or something" + }, + "individually": { + "CHS": "个别地,单独地", + "ENG": "separately, not together in a group" + }, + "aggregation": { + "CHS": "集合,集合体", + "ENG": "the act or process of aggregating " + }, + "erectus": { + "CHS": "[拉丁语]直立的" + }, + "sleepiness": { + "CHS": "想睡,瞌睡" + }, + "oneness": { + "CHS": "单一, 统一", + "ENG": "a peaceful feeling of being part of a whole" + }, + "remainder": { + "CHS": "剩余的" + }, + "passive": { + "CHS": "被动的,消极的", + "ENG": "someone who is passive tends to accept things that happen to them or things that people say to them, without taking any action" + }, + "excrete": { + "CHS": "排泄, 分泌", + "ENG": "to get rid of waste material from your body through your bowels, your skin etc" + }, + "namely": { + "CHS": "即,也就是", + "ENG": "used when saying the names of the people or things you are referring to" + }, + "infection": { + "CHS": "传染病, 影响,", + "ENG": "a disease that affects a particular part of your body and is caused by bacteria or a virus" + }, + "piling": { + "CHS": "打桩, 打桩工程", + "ENG": "Pilings are wooden, concrete, or metal posts that are pushed into the ground and on which buildings or bridges are built. Pilings are often used in very wet areas so that the buildings do not flood. " + }, + "button": { + "CHS": "扣住,扣紧", + "ENG": "to fasten clothes with buttons, or to be fastened with buttons" + }, + "workforce": { + "CHS": "劳动力,职工总数", + "ENG": "all the people who work in a particular industry or company, or are available to work in a particular country or area" + }, + "analyst": { + "CHS": "分析家, 分解者", + "ENG": "someone whose job is to think about something carefully in order to understand it, and often to advise other people about it" + }, + "gradient": { + "CHS": "梯度,坡度", + "ENG": "a slope or a degree of slope, especially in a road or railway" + }, + "brace": { + "CHS": "支住,撑牢" + }, + "quest": { + "CHS": "追求,探索", + "ENG": "If you are questing for something, you are searching for it" + }, + "regulator": { + "CHS": "调整者,调整器" + }, + "toolmaking": { + "CHS": "工具(或刀具)制造,机床维修" + }, + "essay": { + "CHS": "散文", + "ENG": "a short piece of writing about a particular subject by a student as part of a course of study" + }, + "morphology": { + "CHS": "[生物]形态学, [语法]词法", + "ENG": "the study of the morpheme s of a language and of the way in which they are joined together to make words" + }, + "hiccup": { + "CHS": "打嗝", + "ENG": "to have hiccups" + }, + "sow": { + "CHS": "播种,散布", + "ENG": "to plant or scatter seeds on a piece of ground" + }, + "platypus": { + "CHS": "[动]鸭嘴兽", + "ENG": "a small furry Australian animal that has a beak and feet like a duck, lays eggs, and produces milk for its young" + }, + "nurse": { + "CHS": "护理,照料", + "ENG": "to take special care of something, especially during a difficult situation" + }, + "damp": { + "CHS": "使潮湿,阻尼", + "ENG": "to dampen something" + }, + "halite": { + "CHS": "[化]岩盐", + "ENG": "a colourless or white mineral sometimes tinted by impurities, found in beds as an evaporite. It is used to produce common salt and chlorine. Composition: sodium chloride. Formula: NaCl. Crystal structure: cubic " + }, + "subsist": { + "CHS": "生存, 存在, 供养", + "ENG": "to stay alive when you only have small amounts of food or money" + }, + "straighten": { + "CHS": "(使)弄直, 伸直", + "ENG": "to become straight, or to make something straight" + }, + "July": { + "CHS": "七月(略作Jul)" + }, + "lump": { + "CHS": "使成块状", + "ENG": "to collect into a mass or group " + }, + "balloon": { + "CHS": "膨胀", + "ENG": "to get bigger and rounder" + }, + "meteorologist": { + "CHS": "气象学者" + }, + "rust": { + "CHS": "(使)生锈,锈蚀", + "ENG": "to become covered with rust, or to make something become covered in rust" + }, + "undeveloped": { + "CHS": "不发达的, 未开发的", + "ENG": "used in order to describe land which has not yet been used for building, farming etc" + }, + "conestoga": { + "CHS": "一种大篷马车" + }, + "unexpectedly": { + "CHS": "出乎意料地,意外地" + }, + "disappearance": { + "CHS": "不见,消失", + "ENG": "when someone or something becomes impossible to see or find" + }, + "abrupt": { + "CHS": "突然的,陡峭的,生硬的", + "ENG": "sudden and unexpected" + }, + "nowcasting": { + "CHS": "预告" + }, + "readership": { + "CHS": "读者的身分, 读者人数", + "ENG": "all the people who read a particular newspaper or magazine regularly" + }, + "pencil": { + "CHS": "铅笔", + "ENG": "an instrument that you use for writing or drawing, consisting of a wooden stick with a thin piece of a black or coloured substance in the middle" + }, + "wharf": { + "CHS": "靠在码头" + }, + "individuality": { + "CHS": "个性,(通常用复数)个人的嗜好", + "ENG": "the qualities that make someone or something different from other things or people" + }, + "squander": { + "CHS": "浪费" + }, + "cheese": { + "CHS": "干酪", + "ENG": "a solid food made from milk, which is usually yellow or white in colour, and can be soft or hard" + }, + "mesopotamian": { + "CHS": "美索不达米亚(两河流域)" + }, + "birdlike": { + "CHS": "敏捷轻快的,似鸟的", + "ENG": "If someone has a birdlike manner, they move or look like a bird" + }, + "somerset": { + "CHS": "翻筋斗" + }, + "appetite": { + "CHS": "食欲,欲望", + "ENG": "a desire for food" + }, + "shrink": { + "CHS": "收缩" + }, + "dampen": { + "CHS": "使潮湿,沮丧", + "ENG": "to make something slightly wet" + }, + "textural": { + "CHS": "组织的,结构的" + }, + "ribbon": { + "CHS": "撕成条" + }, + "derrick": { + "CHS": "起重机, (钻井)井口上的铁架塔", + "ENG": "a tall machine used for lifting heavy weights, especially on ships" + }, + "phoenix": { + "CHS": "凤凰,完人", + "ENG": "a magic bird that is born from a fire, according to ancient stories" + }, + "impersonal": { + "CHS": "客观的,没有人情味的", + "ENG": "not showing any feelings of sympathy, friendliness etc" + }, + "secular": { + "CHS": "长期的,世俗的", + "ENG": "not connected with or controlled by a church or other religious authority" + }, + "onward": { + "CHS": "向前,在前面", + "ENG": "Onward is also an adverb" + }, + "expend": { + "CHS": "花费,消耗,支出", + "ENG": "to use or spend a lot of energy etc in order to do something" + }, + "imaginary": { + "CHS": "假想的,虚构的", + "ENG": "not real, but produced from pictures or ideas in your mind" + }, + "kinetic": { + "CHS": "(运)动的,动力(学)的", + "ENG": "relating to movement" + }, + "commitment": { + "CHS": "委托事项,许诺", + "ENG": "a promise to do something or to behave in a particular way" + }, + "pluto": { + "CHS": "冥王星, 阴间之神", + "ENG": "the god of the underworld; Hades " + }, + "chicopee": { + "CHS": "奇科皮(美国马萨诸塞州西南部城市)" + }, + "seaport": { + "CHS": "海港, 港口都市", + "ENG": "a large town on or near a coast, with a harbour that big ships can use" + }, + "patchy": { + "CHS": "补丁的, 不调和的" + }, + "sacred": { + "CHS": "神的,害怕的", + "ENG": "relating to a god or religion" + }, + "clinical": { + "CHS": "临床的,诊所的", + "ENG": "relating to treating or testing people who are sick" + }, + "verbalize": { + "CHS": "用语言描述,累赘", + "ENG": "to express something in words" + }, + "generator": { + "CHS": "发电机, 发生器", + "ENG": "a machine that produces electricity" + }, + "uphold": { + "CHS": "支持, 赞成", + "ENG": "to defend or support a law, system, or principle so that it continues to exist" + }, + "fare": { + "CHS": "遭遇, 进展", + "ENG": "If you say that someone or something fares well or badly, you are referring to the degree of success they achieve in a particular situation or activity" + }, + "cellulose": { + "CHS": "纤维素,(植物的)细胞膜质", + "ENG": "the material that the cell walls of plants are made of and that is used to make plastics, paper etc" + }, + "Patricia": { + "CHS": "帕特丽夏(女子名)" + }, + "yam": { + "CHS": "山药, 洋芋", + "ENG": "a tropical climbing plant grown for its root, which is eaten as a vegetable" + }, + "sharper": { + "CHS": "磨具,(赌博中的)骗子", + "ENG": "a person who cheats or swindles; fraud " + }, + "candlelight": { + "CHS": "烛火,黄昏", + "ENG": "the gentle light produced when a candle burns" + }, + "allocation": { + "CHS": "分配,安置", + "ENG": "the decision to allocate something, or the act of allocating it" + }, + "vantage": { + "CHS": "优势,有利情况", + "ENG": "a state, position, or opportunity affording superiority or advantage " + }, + "flowerbed": { + "CHS": "花床,花圃", + "ENG": "an area of ground, for example in a garden, in which flowers are grown" + }, + "debatable": { + "CHS": "成问题的,未决定的" + }, + "petrochemical": { + "CHS": "石化产品", + "ENG": "any chemical substance obtained from petroleum or natural gas" + }, + "objectify": { + "CHS": "使客观化,具体化", + "ENG": "to treat a person or idea as a physical object" + }, + "alternatively": { + "CHS": "做为选择,二者择一地", + "ENG": "You use alternatively to introduce a suggestion or to mention something different from what has just been stated" + }, + "lawn": { + "CHS": "草坪, (均匀生长于固体培养基的)菌苔", + "ENG": "an area of ground in a garden or park that is covered with short grass" + }, + "intelligible": { + "CHS": "可理解的,明了的", + "ENG": "Something that is intelligible can be understood" + }, + "deviation": { + "CHS": "背离,偏离", + "ENG": "a noticeable difference from what is expected or acceptable" + }, + "vacate": { + "CHS": "腾出, 空出,离(职),退(位)", + "ENG": "to leave a job or position so that it is available for someone else to do" + }, + "subtropic": { + "CHS": "亚热带的,副热带的" + }, + "scenic": { + "CHS": "风景照片" + }, + "comic": { + "CHS": "滑稽的, 喜剧的", + "ENG": "amusing you and making you want to laugh" + }, + "tusk": { + "CHS": "以牙刺戳" + }, + "meaty": { + "CHS": "肉的,多肉的", + "ENG": "containing a lot of meat, or tasting strongly of meat" + }, + "resilient": { + "CHS": "帕特森(美国一座城市)" + }, + "indigestible": { + "CHS": "不吸收的,难理解的", + "ENG": "food that is indigestible cannot easily be broken down in the stomach into substances that the body can use" + }, + "subtitle": { + "CHS": "给…加字幕", + "ENG": "If you say how a book or play is subtitled, you say what its subtitle is" + }, + "prolifically": { + "CHS": "丰富地,多产地" + }, + "elevator": { + "CHS": "电梯,升降机", + "ENG": "a machine that takes people and goods from one level to another in a building" + }, + "rigidity": { + "CHS": "刻板,严格" + }, + "soar": { + "CHS": "高涨程度" + }, + "dismantle": { + "CHS": "拆除", + "ENG": "to take a machine or piece of equipment apart so that it is in separate pieces" + }, + "refinery": { + "CHS": "精炼厂", + "ENG": "a factory where something such as oil or sugar is made purer" + }, + "riverbank": { + "CHS": "河堤, 河岸", + "ENG": "A riverbank is the land along the edge of a river" + }, + "landslip": { + "CHS": "[地]山崩,塌方", + "ENG": "a small fall of earth or rocks down a hill, cliff etc, that is smaller than a landslide" + }, + "ephemeral": { + "CHS": "朝生暮死的, 短暂的", + "ENG": "existing or popular for only a short time" + }, + "clerk": { + "CHS": "职员, 办事员", + "ENG": "someone who keeps records or accounts in an office" + }, + "monotonous": { + "CHS": "单调的,无抑扬顿挫的", + "ENG": "boring because of always being the same" + }, + "aquatic": { + "CHS": "水生动物" + }, + "vibration": { + "CHS": "振动,颤动", + "ENG": "a continuous slight shaking movement" + }, + "loop": { + "CHS": "使成环,打环", + "ENG": "If you loop something such as a piece of rope around an object, you tie a length of it in a loop around the object, for example, in order to fasten it to the object" + }, + "unionization": { + "CHS": "联合, 结合" + }, + "aboveground": { + "CHS": "地面上地" + }, + "encroachment": { + "CHS": "侵蚀, 侵犯", + "ENG": "You can describe the action or process of encroaching on something as encroachment" + }, + "semicircular": { + "CHS": "半圆的", + "ENG": "Something that is semicircular has the shape of half a circle" + }, + "handsome": { + "CHS": "英俊的,大方的", + "ENG": "a handsome victory is important and impressive" + }, + "snout": { + "CHS": "猪嘴,鼻子", + "ENG": "the long nose of some kinds of animals, such as pigs" + }, + "weightlessness": { + "CHS": "无重状态" + }, + "suggestive": { + "CHS": "提示的,暗示的", + "ENG": "similar to something" + }, + "rougher": { + "CHS": "粗切机,粗选槽" + }, + "peat": { + "CHS": "泥煤, 泥炭块", + "ENG": "a black substance formed from decaying plants under the surface of the ground in some areas, which can be burned as a fuel , or mixed with soil to help plants grow well" + }, + "mystique": { + "CHS": "神秘性,奥秘", + "ENG": "a quality that makes someone or something seem mysterious, exciting, or special" + }, + "lengthwise": { + "CHS": "纵长地", + "ENG": "in the direction or position of the longest side" + }, + "sensation": { + "CHS": "感觉,感情", + "ENG": "a feeling that you get from one of your five senses, especially the sense of touch" + }, + "Victorian": { + "CHS": "维多利亚女王时代的", + "ENG": "relating to or coming from the period from 1837 – 1901 when Victoria was Queen of England" + }, + "contend": { + "CHS": "斗争, 竞争, 主张", + "ENG": "to compete against someone in order to gain something" + }, + "grace": { + "CHS": "使优雅", + "ENG": "to make a place or an object look more attractive" + }, + "Chile": { + "CHS": "智利" + }, + "hander": { + "CHS": "支持器,夹头" + }, + "ninety": { + "CHS": "九十", + "ENG": "the number 90" + }, + "alpha": { + "CHS": "希腊字母的第一个字母", + "ENG": "the first letter in the Greek alphabet (Α, α), a vowel transliterated as a " + }, + "slumber": { + "CHS": "睡眠", + "ENG": "to sleep" + }, + "dart": { + "CHS": "投掷", + "ENG": "If you dart a look at someone or something, or if your eyes dart to them, you look at them very quickly" + }, + "prevalence": { + "CHS": "流行,普遍" + }, + "cousin": { + "CHS": "堂兄弟姊妹, 表兄弟姊妹", + "ENG": "the child of your uncle or aunt " + }, + "negligible": { + "CHS": "可以忽略的, 不予重视的", + "ENG": "too slight or unimportant to have any effect" + }, + "finite": { + "CHS": "有限的,限定的", + "ENG": "having an end or a limit" + }, + "sleeper": { + "CHS": "睡眠,枕木", + "ENG": "a heavy piece of wood or concrete that supports a railway track" + }, + "colonizer": { + "CHS": "殖民者,殖民地开拓者, 移民" + }, + "welland": { + "CHS": "韦兰(加拿大东南部港口城市)" + }, + "unmatched": { + "CHS": "无与伦比的,不相配的", + "ENG": "better than any other" + }, + "nutritive": { + "CHS": "营养物" + }, + "revision": { + "CHS": "修订,修正,修订本", + "ENG": "the process of changing something in order to improve it by correcting it or including new information or ideas" + }, + "inception": { + "CHS": "起初, 获得学位" + }, + "clearing": { + "CHS": "澄清" + }, + "morris": { + "CHS": "莫理斯舞(英国传统民间舞蹈)" + }, + "nonfiction": { + "CHS": "非小说的散文文学" + }, + "straightforward": { + "CHS": "坦率地" + }, + "brilliantly": { + "CHS": "辉煌地,灿烂地" + }, + "bull": { + "CHS": "[动]公牛, 粗壮如牛的人", + "ENG": "an adult male animal of the cattle family" + }, + "eighty": { + "CHS": "八十, 八十个", + "ENG": "the number 80" + }, + "flexibly": { + "CHS": "易曲地, 柔软地" + }, + "sandal": { + "CHS": "凉鞋, 檀香", + "ENG": "a light shoe that is fastened onto your foot by bands of leather or cloth, and is worn in warm weather" + }, + "cumulative": { + "CHS": "累积的", + "ENG": "increasing gradually as more of something is added or happens" + }, + "creep": { + "CHS": "爬行" + }, + "tan": { + "CHS": "晒成褐色", + "ENG": "if you tan, or if the sun tans you, your skin becomes darker because you spend time in the sun" + }, + "wisdom": { + "CHS": "智慧,学识", + "ENG": "good sense and judgment, based especially on your experience of life" + }, + "rigor": { + "CHS": "严格,精确" + }, + "grotto": { + "CHS": "洞穴,人工洞室", + "ENG": "a small attractive cave " + }, + "salad": { + "CHS": "色拉", + "ENG": "a mixture of raw vegetables, especially lettuce , cucumber , and tomato" + }, + "prostrate": { + "CHS": "使屈服" + }, + "protector": { + "CHS": "保护者", + "ENG": "someone or something that protects someone or something else" + }, + "bode": { + "CHS": "预示", + "ENG": "If something bodes ill, it makes you think that something bad will happen in the future. If something bodes well, it makes you think that something good will happen. " + }, + "club": { + "CHS": "募集" + }, + "hump": { + "CHS": "(使)隆起" + }, + "blaze": { + "CHS": "照耀,激发", + "ENG": "to shine with a very bright light" + }, + "indecipherable": { + "CHS": "无法解释的,难辨认的", + "ENG": "impossible to read or understand" + }, + "substantiate": { + "CHS": "使实体化,证实", + "ENG": "to prove the truth of something that someone has said, claimed etc" + }, + "ghost": { + "CHS": "鬼, 幽灵", + "ENG": "the spirit of a dead person that some people think they can feel or see in a place" + }, + "faint": { + "CHS": "头晕的", + "ENG": "Someone who is faint feels weak and unsteady as if they are about to lose consciousness" + }, + "Peru": { + "CHS": "秘鲁" + }, + "diva": { + "CHS": "歌剧中的首席女主角", + "ENG": "You can refer to a successful and famous female opera singer as a diva" + }, + "nonstop": { + "CHS": "不休息地", + "ENG": "Nonstop is also an adverb" + }, + "bifocal": { + "CHS": "双焦点的", + "ENG": "having two different focuses " + }, + "cougar": { + "CHS": "[动]美洲狮(尤指Felis concolor)", + "ENG": "a large brown wild cat from the mountains of western North America and South America" + }, + "versatile": { + "CHS": "多才多艺的,万能的", + "ENG": "someone who is versatile has many different skills" + }, + "smear": { + "CHS": "油迹, 涂片", + "ENG": "a smear test " + }, + "ocher": { + "CHS": "黄土, 赭土" + }, + "mentally": { + "CHS": "精神上, 智力上" + }, + "obliterate": { + "CHS": "涂去, 删除, 使湮没" + }, + "aspiration": { + "CHS": "热望, 渴望" + }, + "conceivable": { + "CHS": "可能的,想得到的", + "ENG": "able to be believed or imagined" + }, + "internationally": { + "CHS": "国际性地, 在国际间", + "ENG": "in many different parts of the world" + }, + "greenish": { + "CHS": "呈绿色的", + "ENG": "slightly green" + }, + "succinct": { + "CHS": "简洁的, 紧身的", + "ENG": "clearly expressed in a few words – use this to show approval" + }, + "midway": { + "CHS": "在中途", + "ENG": "If something is midway between two places, it is between them and the same distance from each of them" + }, + "unsung": { + "CHS": "未唱的,未赞颂的", + "ENG": "not praised or famous for something you have done, although you deserve to be" + }, + "fungicide": { + "CHS": "杀真菌剂", + "ENG": "a chemical used for destroying fungus" + }, + "popularize": { + "CHS": "普及", + "ENG": "to make a difficult subject or idea able to be easily understood by ordinary people who have no special knowledge about it" + }, + "changeable": { + "CHS": "可改变的,无常的", + "ENG": "likely to change, or changing often" + }, + "responsive": { + "CHS": "响应的,应答的", + "ENG": "reacting quickly, in a positive way" + }, + "amplify": { + "CHS": "放大,详述", + "ENG": "to make sound louder, especially musical sound" + }, + "notebook": { + "CHS": "笔记簿, 笔记本", + "ENG": "a book made of plain paper on which you can write notes" + }, + "pertinent": { + "CHS": "有关的,相干的", + "ENG": "directly relating to something that is being considered" + }, + "concise": { + "CHS": "简明的,简练的", + "ENG": "short, with no unnecessary words" + }, + "utilization": { + "CHS": "利用" + }, + "theoretical": { + "CHS": "理论的,理论上的", + "ENG": "relating to the study of ideas, especially scientific ideas, rather than with practical uses of the ideas or practical experience" + }, + "figural": { + "CHS": "借喻的,比喻的" + }, + "determinant": { + "CHS": "决定因素", + "ENG": "something that strongly influences what you do or how you behave" + }, + "overtax": { + "CHS": "课税过重, 使负担过度", + "ENG": "to make someone do more than they are really able to do, so that they become very tired" + }, + "youth": { + "CHS": "青春,少年", + "ENG": "the period of time when someone is young, especially the period when someone is a teenager" + }, + "custodial": { + "CHS": "[宗]圣物保管容器" + }, + "academician": { + "CHS": "院士, 大学生", + "ENG": "a member of an official organization which encourages the development of literature, art, science etc" + }, + "cole": { + "CHS": "油菜, 小菜" + }, + "flatter": { + "CHS": "过分夸赞, 奉承,使满意", + "ENG": "If someone flatters you, they praise you in an exaggerated way that is not sincere, because they want to please you or to persuade you to do something" + }, + "impressionistic": { + "CHS": "印象派的,给人深刻印象的", + "ENG": "An impressionistic work of art or piece of writing shows the artist's or writer's impressions of something rather than giving clear details" + }, + "faction": { + "CHS": "派别,小集团", + "ENG": "a small group of people within a larger group, who have different ideas from the other members, and who try to get their own ideas accepted" + }, + "fortuitously": { + "CHS": "偶然地,意外地" + }, + "thriller": { + "CHS": "使人毛骨悚然的东西, 使人毛骨悚然的小说" + }, + "plentifully": { + "CHS": "丰富地,富裕地" + }, + "monopolize": { + "CHS": "独占, 垄断", + "ENG": "to have complete control over something so that other people cannot share it or take part in it" + }, + "burden": { + "CHS": "烦扰", + "ENG": "to have a lot of problems because of a particular thing" + }, + "breadbasket": { + "CHS": "<俚>胃, 腹" + }, + "annihilate": { + "CHS": "消灭,湮灭", + "ENG": "to destroy something or someone completely" + }, + "sectional": { + "CHS": "可组合的,部分的", + "ENG": "made up of sections that can be put together or taken apart" + }, + "jealousy": { + "CHS": "嫉妒,猜疑", + "ENG": "a feeling of being jealous" + }, + "garbage": { + "CHS": "垃圾, 废物", + "ENG": "waste material, such as paper, empty containers, and food thrown away" + }, + "routinely": { + "CHS": "例行公事地", + "ENG": "if something is routinely done, it is done as a normal part of a process or job" + }, + "predicament": { + "CHS": "困境,窘状", + "ENG": "a difficult or unpleasant situation in which you do not know what to do, or in which you have to make a difficult choice" + }, + "thermometer": { + "CHS": "温度计, 体温计", + "ENG": "a piece of equipment that measures the temperature of the air, of your body etc" + }, + "divergence": { + "CHS": "分歧", + "ENG": "A divergence is a difference between two or more things, attitudes, or opinions" + }, + "oceanography": { + "CHS": "海洋学", + "ENG": "the scientific study of the ocean" + }, + "outbuilding": { + "CHS": "[建]外屋, (指车库, 谷仓等)", + "ENG": "a building near a main building, for example a barn or shed" + }, + "forbes": { + "CHS": "福布斯(美国著名财经杂志)" + }, + "grama": { + "CHS": "美国西部产的一种牧草", + "ENG": "any of various grasses of the genus Bouteloua, of W North America and South America: often used as pasture grasses " + }, + "rhyolite": { + "CHS": "[地]流纹岩", + "ENG": "a fine-grained igneous rock consisting of quartz, feldspars, and mica or amphibole" + }, + "decisive": { + "CHS": "决定性的,果断的", + "ENG": "an action, event etc that is decisive has a big effect on the way that something develops" + }, + "comparably": { + "CHS": "同等地,可比较地" + }, + "transmitter": { + "CHS": "转送者,传导物,发射机", + "ENG": "equipment that sends out radio or television signals" + }, + "exponential": { + "CHS": "指数的, 幂数的", + "ENG": "exponential growth, increase etc becomes faster as the amount of the thing that is growing increases" + }, + "gesso": { + "CHS": "(雕刻、绘画用的)石膏, 石膏粉", + "ENG": "a white ground of plaster and size, used esp in the Middle Ages and Renaissance to prepare panels or canvas for painting or gilding " + }, + "attendant": { + "CHS": "伴随的", + "ENG": "relating to or caused by something" + }, + "capitalism": { + "CHS": "资本主义", + "ENG": "an economic and political system in which businesses belong mostly to private owners, not to the government" + }, + "deference": { + "CHS": "顺从, 尊重", + "ENG": "polite behaviour that shows that you respect someone and are therefore willing to accept their opinions or judgment" + }, + "cumbersome": { + "CHS": "笨重的,累赘的", + "ENG": "a process or system that is cumbersome is slow and difficult" + }, + "weft": { + "CHS": "[纺]织物,信号旗" + }, + "dire": { + "CHS": "可怕的,极端的", + "ENG": "extremely serious or terrible" + }, + "pendant": { + "CHS": "垂饰, 下垂物", + "ENG": "a jewel, stone etc that hangs from a thin chain that you wear around your neck" + }, + "basketmaking": { + "CHS": "篮子编织" + }, + "generalist": { + "CHS": "多面手,通才", + "ENG": "a person who knows about many different things and can do many things well" + }, + "kennel": { + "CHS": "置于狗窝,关进狗窝", + "ENG": "to put or go into a kennel; keep or stay in a kennel " + }, + "postmaster": { + "CHS": "邮局局长", + "ENG": "someone who is in charge of a post office" + }, + "interestingly": { + "CHS": "有趣地", + "ENG": "used to introduce a fact that you think is interesting" + }, + "perfume": { + "CHS": "使发香,洒香水于", + "ENG": "to put perfume on something" + }, + "concomitant": { + "CHS": "伴随物", + "ENG": "something that often or naturally happens with something else" + }, + "patient": { + "CHS": "耐心的", + "ENG": "able to wait calmly for a long time or to accept difficulties, people’s annoying behaviour etc without becoming angry" + }, + "reckless": { + "CHS": "不计后果的,鲁莽的", + "ENG": "not caring or worrying about the possible bad or dangerous results of your actions" + }, + "rigidly": { + "CHS": "坚硬地, 严格地" + }, + "renounce": { + "CHS": "宣布放弃,断绝关系", + "ENG": "if you renounce an official position, title, right etc, you publicly say that you will not keep it any more" + }, + "overhang": { + "CHS": "屋檐" + }, + "observatory": { + "CHS": "天文台,气象台" + }, + "urbanism": { + "CHS": "都市生活,都市化", + "ENG": "the character of city life " + }, + "refrigeration": { + "CHS": "冷藏, 致冷" + }, + "stuff": { + "CHS": "塞满", + "ENG": "to push or put something into a small space, especially in a quick careless way" + }, + "harshly": { + "CHS": "严厉地, 苛刻地" + }, + "chitin": { + "CHS": "壳质, 角素" + }, + "polymer": { + "CHS": "聚合体", + "ENG": "a chemical compound that has a simple structure of large molecule s " + }, + "Jules": { + "CHS": "朱尔斯(男子名)" + }, + "reviewer": { + "CHS": "批评家,评论家", + "ENG": "someone who writes about new books, plays, films etc in a newspaper or magazine" + }, + "triassic": { + "CHS": "三叠纪", + "ENG": "the Triassic period or rock system " + }, + "adjunct": { + "CHS": "附属的" + }, + "glasswork": { + "CHS": "制成玻璃状的" + }, + "sate": { + "CHS": "使心满意足", + "ENG": "to satisfy (a desire or appetite) fully " + }, + "flier": { + "CHS": "飞行者,快车,宣传单" + }, + "deplorable": { + "CHS": "可叹的,凄惨的", + "ENG": "very bad, unpleasant, and shocking" + }, + "instructor": { + "CHS": "教师,指导书", + "ENG": "someone who teaches a sport or practical skill" + }, + "midday": { + "CHS": "正午", + "ENG": "the middle of the day, at or around 12 o’clock" + }, + "auto": { + "CHS": "自动,<美口>汽车", + "ENG": "a car" + }, + "loneliness": { + "CHS": "孤独, 寂寞", + "ENG": "Loneliness is the unhappiness that is felt by someone because they do not have any friends or do not have anyone to talk to" + }, + "hopeless": { + "CHS": "没有希望的,不可救药", + "ENG": "if something that you try to do is hopeless, there is no possibility of it being successful" + }, + "interchangeable": { + "CHS": "可互换的,可交换的", + "ENG": "things that are interchangeable can be used instead of each other" + }, + "bizarre": { + "CHS": "奇异的(指态度,容貌,款式等)", + "ENG": "very unusual or strange" + }, + "laundry": { + "CHS": "洗衣店, 要洗的衣服", + "ENG": "clothes, sheets etc that need to be washed or have just been washed" + }, + "definitive": { + "CHS": "最后的,确定的", + "ENG": "a definitive book, description etc is considered to be the best and cannot be improved" + }, + "puncture": { + "CHS": "刺破", + "ENG": "if a tyre punctures, or if you puncture it, a small hole appears in it" + }, + "glandular": { + "CHS": "腺的,腺状的", + "ENG": "related to the glands, or produced by the glands" + }, + "glycoside": { + "CHS": "[化]配醣, 配糖类" + }, + "interactive": { + "CHS": "交互式的,相互作用的", + "ENG": "an interactive computer program, television system etc allows you to communicate directly with it, and does things in reaction to your actions" + }, + "preform": { + "CHS": "粗加工的成品" + }, + "unusable": { + "CHS": "不能用的,与众不同的", + "ENG": "something that is unusable is in such a bad condition that you cannot use it" + }, + "inducible": { + "CHS": "可诱导的,可导致的" + }, + "sepal": { + "CHS": "萼片", + "ENG": "one of the small leaves directly under a flower" + }, + "snippet": { + "CHS": "小片, 片断", + "ENG": "A snippet of something is a small piece of it" + }, + "correlate": { + "CHS": "相互关联的" + }, + "beetle": { + "CHS": "甲虫", + "ENG": "an insect with a round hard back that is usually black" + }, + "glycoprotein": { + "CHS": "[化]糖蛋白类, 醣蛋白", + "ENG": "any of a group of conjugated proteins containing small amounts of carbohydrates as prosthetic groups " + }, + "cardiac": { + "CHS": "心脏的, (胃的)贲门的", + "ENG": "relating to the heart" + }, + "glial": { + "CHS": "神经胶质的" + }, + "autonomic": { + "CHS": "自治的, 自律的", + "ENG": "occurring involuntarily or spontaneously " + }, + "ending": { + "CHS": "结尾, 结局", + "ENG": "the way that a story, film, activity etc finishes" + }, + "preoccupation": { + "CHS": "全神贯注,当务之急", + "ENG": "when someone thinks or worries about something a lot, with the result that they do not pay attention to other things" + }, + "coyote": { + "CHS": "一种产于北美大草原的小狼, 山狗", + "ENG": "A coyote is a small wolf which lives in the plains of North America" + }, + "endowment": { + "CHS": "捐赠,天资,捐款", + "ENG": "a sum of money given to a college, hospital etc to provide it with an income, or the act of giving this money" + }, + "puddle": { + "CHS": "搅浊,搅泥泞" + }, + "flare": { + "CHS": "闪光,闪耀" + }, + "proboscis": { + "CHS": "鼻子,[昆] 喙" + }, + "crimson": { + "CHS": "深红色" + }, + "exhaustion": { + "CHS": "耗尽枯竭,疲惫,竭尽", + "ENG": "extreme tiredness" + }, + "winner": { + "CHS": "胜利者,优胜者", + "ENG": "a person or animal that has won something" + }, + "anthropological": { + "CHS": "人类学的,人类学上的" + }, + "sticky": { + "CHS": "粘的, 粘性的", + "ENG": "made of or covered with a substance that sticks to surfaces" + }, + "structurally": { + "CHS": "在结构上" + }, + "wholesome": { + "CHS": "有益的,健康的,健全的", + "ENG": "likely to make you healthy" + }, + "polyphony": { + "CHS": "复调音乐, 多音", + "ENG": "a type of music in which several different tunes or notes are sung or played together at the same time" + }, + "cornet": { + "CHS": "圆锥形纸袋, 短号", + "ENG": "a musical instrument like a small trumpet " + }, + "maize": { + "CHS": "玉米色的" + }, + "chivalry": { + "CHS": "骑士精神, 骑士制度", + "ENG": "behaviour that is honourable, kind, generous, and brave, especially men’s behaviour towards women" + }, + "unadorned": { + "CHS": "朴素的,未装饰的", + "ENG": "without unnecessary or special features or decorations" + }, + "brave": { + "CHS": "勇敢的", + "ENG": "dealing with danger, pain, or difficult situations with courage and confidence" + }, + "compatible": { + "CHS": "谐调的,兼容的", + "ENG": "if two pieces of computer equipment are compatible, they can be used together, especially when they are made by different companies" + }, + "hotelkeeper": { + "CHS": "旅馆经营者" + }, + "inn": { + "CHS": "住旅馆" + }, + "multitude": { + "CHS": "多数, 群众", + "ENG": "a very large number of people or things" + }, + "paraphrase": { + "CHS": "释义", + "ENG": "a statement that expresses in a shorter, clearer, or different way what someone has said or written" + }, + "unselfish": { + "CHS": "无私的,慷慨的", + "ENG": "caring about other people and thinking about their needs and wishes before your own" + }, + "disco": { + "CHS": "迪斯科舞厅", + "ENG": "a place or social event at which people dance to recorded popular music" + }, + "nonself": { + "CHS": "(有机体的)异物" + }, + "ragtime": { + "CHS": "使人发笑的" + }, + "unrestricted": { + "CHS": "自由的,无限制的", + "ENG": "not limited by anyone or anything" + }, + "quasar": { + "CHS": "恒星状球体, 类星体", + "ENG": "an object in space that is similar to a star and that shines very brightly" + }, + "concertina": { + "CHS": "类似风琴的六角形的乐器", + "ENG": "a musical instrument like a small accordion , that you hold in both hands and play by pressing in from each side" + }, + "bedroom": { + "CHS": "卧室", + "ENG": "a room for sleeping in" + }, + "quill": { + "CHS": "刺穿" + }, + "bolster": { + "CHS": "支持" + }, + "halt": { + "CHS": "停止,使立定", + "ENG": "to prevent someone or something from continuing - used especially in news reports" + }, + "exhale": { + "CHS": "呼气,发出", + "ENG": "to breathe air, smoke etc out of your mouth" + }, + "angstrom": { + "CHS": "[物理]埃(长度单位)", + "ENG": "a unit of length equal to 10–10 metre, used principally to express the wavelengths of electromagnetic radiations" + }, + "microscopy": { + "CHS": "显微镜检查,显微镜使用", + "ENG": "the study, design, and manufacture of microscopes " + }, + "narcotic": { + "CHS": "麻醉的", + "ENG": "a narcotic drug takes away pain or makes you sleep" + }, + "narcosis": { + "CHS": "昏迷状态, 麻醉", + "ENG": "unconsciousness induced by narcotics or general anaesthetics " + }, + "complication": { + "CHS": "复杂化, (使复杂的)因素", + "ENG": "a problem or situation that makes something more difficult to understand or deal with" + }, + "embolism": { + "CHS": "加闰日, 栓塞", + "ENG": "something such as a hard mass of blood or a small amount of air that blocks a tube carrying blood through the body" + }, + "rupture": { + "CHS": "破裂, 决裂", + "ENG": "an occasion when something suddenly breaks apart or bursts" + }, + "abrasion": { + "CHS": "磨损", + "ENG": "the process of rubbing a surface very hard so that it becomes damaged or disappears" + }, + "proportionally": { + "CHS": "成比例地,相称地" + }, + "virgo": { + "CHS": "室女宫,室女(星)座", + "ENG": "Virgo is one of the twelve signs of the zodiac. Its symbol is a young woman. People who are born approximately between the 23rd of August and the 22nd of September come under this sign. " + }, + "freighter": { + "CHS": "货船,承运人", + "ENG": "a ship or aircraft that carries goods" + }, + "thinly": { + "CHS": "稀疏地,瘦", + "ENG": "scattered or spread over a large area, with a lot of space in between" + }, + "morality": { + "CHS": "道德,品行", + "ENG": "beliefs or ideas about what is right and wrong and about how people should behave" + }, + "Andromeda": { + "CHS": "埃塞俄比亚的公主, 仙女座", + "ENG": "the daughter of Cassiopeia and wife of Perseus, who saved her from a sea monster " + }, + "yardstick": { + "CHS": "<美> 码尺, 准绳", + "ENG": "something that you compare another thing with, in order to judge how good or successful it is" + }, + "exalt": { + "CHS": "晋升", + "ENG": "to put someone or something into a high rank or position" + }, + "monoxide": { + "CHS": "一氧化物" + }, + "comply": { + "CHS": "顺从,答应", + "ENG": "If someone or something complies with an order or set of rules, they do what is required or expected" + }, + "owe": { + "CHS": "欠(债等),感激", + "ENG": "to know that someone’s help has been important to you in achieving something" + }, + "ingot": { + "CHS": "[冶]锭铁, 工业纯铁" + }, + "premature": { + "CHS": "未成熟的,早熟的", + "ENG": "happening before the natural or proper time" + }, + "grievance": { + "CHS": "委屈, 冤情, 不平", + "ENG": "a belief that you have been treated unfairly, or an unfair situation or event that affects and upsets you" + }, + "conjectural": { + "CHS": "推测的,好推测的", + "ENG": "A statement that is conjectural is based on information that is not certain or complete" + }, + "knot": { + "CHS": "打结", + "ENG": "to tie together two ends or pieces of string, rope, cloth etc" + }, + "notch": { + "CHS": "刻凹痕" + }, + "oystercatcher": { + "CHS": "〈动〉蛎鹬", + "ENG": "An oystercatcher is a black and white bird with a long red beak. It lives near the sea and eats small shellfish. " + }, + "shorebird": { + "CHS": "岸禽类鸟,沙禽" + }, + "photogrammetry": { + "CHS": "照相测量法", + "ENG": "the process of making measurements from photographs, used esp in the construction of maps from aerial photographs and also in military intelligence, medical and industrial research, etc " + }, + "mandible": { + "CHS": "下颚, 下颚骨", + "ENG": "the part of an insect’s mouth that it uses for eating" + }, + "attire": { + "CHS": "打扮" + }, + "corrosion": { + "CHS": "侵蚀,腐蚀状态", + "ENG": "the gradual destruction of metal by the effect of water, chemicals etc or a substance such as rust produced by this process" + }, + "upright": { + "CHS": "垂直, 竖立", + "ENG": "a long piece of wood or metal that stands straight up and supports something" + }, + "unravel": { + "CHS": "拆开,拆开", + "ENG": "if you unravel threads, string etc, or if they unravel, they stop being twisted together" + }, + "glassmaking": { + "CHS": "玻璃(或玻璃器皿等)制造(术)" + }, + "Katherine": { + "CHS": "凯瑟琳(女子名)" + }, + "malleability": { + "CHS": "有延展性, 柔韧性" + }, + "deft": { + "CHS": "敏捷熟练的, 灵巧的", + "ENG": "a deft movement is skilful, and often quick" + }, + "robust": { + "CHS": "精力充沛的", + "ENG": "Robust views or opinions are strongly held and forcefully expressed" + }, + "baedeker": { + "CHS": "旅行指南, 入门手册", + "ENG": "any of a series of travel guidebooks issued by the German publisher Karl Baedeker (1801" + }, + "sword": { + "CHS": "剑", + "ENG": "a weapon with a long pointed blade and a handle" + }, + "microfossil": { + "CHS": "微体化石,微化石", + "ENG": "a fossil generally less than 0.5 millimetre in size, such as a protozoan, bacterium, or pollen grain " + }, + "entomb": { + "CHS": "埋葬, 成为的坟墓", + "ENG": "to bury or trap someone in something or under the ground" + }, + "burgher": { + "CHS": "公民, 市民", + "ENG": "someone who lives in a particular town" + }, + "puffin": { + "CHS": "[鸟]角嘴海雀", + "ENG": "a North Atlantic seabird with a black and white body and a large brightly coloured beak" + }, + "insoluble": { + "CHS": "不能溶解的, 不能解决的", + "ENG": "an insoluble problem is or seems impossible to solve" + }, + "reliability": { + "CHS": "可靠性" + }, + "unemployed": { + "CHS": "失业的, 未被利用的", + "ENG": "without a job" + }, + "immobility": { + "CHS": "牢固,不动" + }, + "preside": { + "CHS": "主持,管理", + "ENG": "to be in charge of a formal event, organization, ceremony etc" + }, + "spacious": { + "CHS": "广大的,大规模的", + "ENG": "a spacious house, room etc is large and has plenty of space to move around in" + }, + "hydrographic": { + "CHS": "水道测量数的,水道学的" + }, + "portraiture": { + "CHS": "肖像画法", + "ENG": "the art of painting or drawing pictures of people" + }, + "talented": { + "CHS": "有才能的", + "ENG": "having a natural ability to do something well" + }, + "homework": { + "CHS": "家庭作业, 副业", + "ENG": "work that a student at school is asked to do at home" + }, + "filmmaker": { + "CHS": "电影摄制者", + "ENG": "A filmmaker is someone involved in making films, in particular a director or producer" + }, + "understate": { + "CHS": "打着折扣说,有意轻描淡写" + }, + "narrate": { + "CHS": "叙述,作解说", + "ENG": "to explain what is happening in a film or television programme as part of the film or programme" + }, + "lean": { + "CHS": "贫乏的", + "ENG": "If you describe periods of time as lean, you mean that people have less of something such as money or are less successful than they used to be" + }, + "consort": { + "CHS": "配偶", + "ENG": "the wife or husband of a ruler" + }, + "gannet": { + "CHS": "塘鹅", + "ENG": "a large sea bird that lives in large groups on cliffs" + }, + "underwing": { + "CHS": "后翅, 后翅色彩瑰丽的蛾", + "ENG": "the hind wing of an insect, esp when covered by the forewing " + }, + "exorbitant": { + "CHS": "(要价等)过高的,(性格等)过分的", + "ENG": "an exorbitant price, amount of money etc is much higher than it should be" + }, + "gondwanaland": { + "CHS": "[地]冈瓦纳大陆", + "ENG": "one of the two ancient supercontinents produced by the first split of the even larger supercontinent Pangaea about 200 million years ago, comprising chiefly what are now Africa, South America, Australia, Antarctica, and the Indian subcontinent " + }, + "gunpowder": { + "CHS": "黑色火药, 有烟火药", + "ENG": "an explosive substance used in bombs and fireworks " + }, + "herring": { + "CHS": "青鱼, 鲱", + "ENG": "a long thin silver sea fish that can be eaten" + }, + "earner": { + "CHS": "赚钱的人", + "ENG": "a business or activity which makes a profit" + }, + "angular": { + "CHS": "[生物] 有角的,生硬的,笨拙的", + "ENG": "having sharp and definite corners" + }, + "wren": { + "CHS": "[动] 鹪鹩", + "ENG": "a very small brown bird" + }, + "weary": { + "CHS": "疲倦,厌倦", + "ENG": "to become very tired, or make someone very tired" + }, + "kinglet": { + "CHS": "<贬>懦弱的国王,小国君主", + "ENG": "the king of a small or insignificant territory " + }, + "uniformity": { + "CHS": "一致,均匀", + "ENG": "the quality of being or looking the same as all other members of a group" + }, + "screw": { + "CHS": "调节,旋", + "ENG": "to fasten or close something by turning it, or to be fastened in this way" + }, + "priestess": { + "CHS": "女祭司, (基督教会以外的)神职人员", + "ENG": "a woman with religious duties and responsibilities in some non-Christian religions" + }, + "neoclassical": { + "CHS": "新古典主义的", + "ENG": "neoclassical art or architecture copies the style of ancient Greece or Rome" + }, + "thousandfold": { + "CHS": "千倍的" + }, + "enjoyment": { + "CHS": "享乐, 快乐", + "ENG": "the feeling of pleasure you get from having or doing something, or something you enjoy doing" + }, + "forester": { + "CHS": "林务官, 森林人", + "ENG": "someone who works in a forest taking care of, planting, and cutting down the trees" + }, + "spoilage": { + "CHS": "损坏", + "ENG": "waste resulting from something being spoiled" + }, + "nonthreatening": { + "CHS": "非胁迫的" + }, + "solder": { + "CHS": "焊接", + "ENG": "to join or repair metal surfaces with solder" + }, + "tumble": { + "CHS": "翻倒, 摔倒", + "ENG": "to fall down quickly and suddenly, especially with a rolling movement" + }, + "harshness": { + "CHS": "粗糙的事物, 严肃, 刺耳" + }, + "collagen": { + "CHS": "胶原质", + "ENG": "a protein found in people and animals. It is often used in beauty products and treatments to make people look younger and more attractive." + }, + "surgeon": { + "CHS": "外科医生", + "ENG": "a doctor who does operations in a hospital" + }, + "idle": { + "CHS": "虚度, 闲散" + }, + "sumptuous": { + "CHS": "奢侈的,华丽的", + "ENG": "very impressive and expensive" + }, + "synchrotron": { + "CHS": "同步加速器", + "ENG": "a type of particle accelerator similar to a betatron but having an electric field of fixed frequency with electrons but not with protons as well as a changing magnetic field" + }, + "landlord": { + "CHS": "房东,地主", + "ENG": "a man who rents a room, building, or piece of land to someone" + }, + "familiarity": { + "CHS": "熟悉,通晓,精通", + "ENG": "a good knowledge of a particular subject or place" + }, + "stringent": { + "CHS": "严厉的,迫切的", + "ENG": "a stringent law, rule, standard etc is very strict and must be obeyed" + }, + "signature": { + "CHS": "签名,信号", + "ENG": "your name written in the way you usually write it, for example at the end of a letter, or on a cheque etc, to show that you have written it" + }, + "cabinetmaker": { + "CHS": "家具师,细工木匠", + "ENG": "A cabinetmaker is a person who makes high-quality wooden furniture" + }, + "chord": { + "CHS": "弦,和音", + "ENG": "a combination of several musical notes that are played at the same time and sound pleasant together" + }, + "supervisory": { + "CHS": "监督的", + "ENG": "Supervisory means involved in supervising people, activities, or places" + }, + "resentment": { + "CHS": "怨恨,愤恨", + "ENG": "a feeling of anger because something has happened that you think is unfair" + }, + "purposely": { + "CHS": "故意地,蓄意地", + "ENG": "deliberately" + }, + "irresponsibly": { + "CHS": "不负责任地,不可靠地" + }, + "quench": { + "CHS": "结束,熄灭" + }, + "grapple": { + "CHS": "格斗" + }, + "haunt": { + "CHS": "出没于", + "ENG": "if the soul of a dead person haunts a place, it appears there often" + }, + "revealingly": { + "CHS": "启发人地,袒胸露肩地" + }, + "obedience": { + "CHS": "服众, 顺从", + "ENG": "when someone does what they are told to do, or what a law, rule etc says they must do" + }, + "rearrange": { + "CHS": "再排列,重新整理", + "ENG": "to change the position or order of things" + }, + "roar": { + "CHS": "滚动,咆哮", + "ENG": "to shout something in a deep powerful voice" + }, + "armory": { + "CHS": "兵工厂,军械库" + }, + "tuck": { + "CHS": "卷起,大口的吃" + }, + "slippery": { + "CHS": "滑的,光滑的", + "ENG": "something that is slippery is difficult to hold, walk on etc because it is wet or greasy " + }, + "courtship": { + "CHS": "求爱, 求爱时期", + "ENG": "the period of time during which a man and woman have a romantic relationship before marrying" + }, + "sleek": { + "CHS": "圆滑的,使…光滑", + "ENG": "Sleek hair or fur is smooth and shiny and looks healthy" + }, + "corselet": { + "CHS": "盔甲,胸衣", + "ENG": "a piece of armour for the top part of the body " + }, + "keel": { + "CHS": "装以龙骨,倾覆" + }, + "needle": { + "CHS": "缝纫,刺激", + "ENG": "to deliberately annoy someone by making unkind remarks or jokes about them" + }, + "secrecy": { + "CHS": "秘密,保密", + "ENG": "the process of keeping something secret, or when something is kept a secret" + }, + "lira": { + "CHS": "里拉(意大利货币单位)", + "ENG": "the standard unit of money in Malta and Turkey, and used in Italy before the euro" + }, + "livelihood": { + "CHS": "生计,谋生", + "ENG": "the way you earn money in order to live" + }, + "impediment": { + "CHS": "妨碍,口吃, 障碍物", + "ENG": "a physical problem that makes speaking, hearing, or moving difficult" + }, + "bow": { + "CHS": "鞠躬,弯腰", + "ENG": "to bend the top part of your body forward in order to show respect for someone important, or as a way of thanking an audience " + }, + "nurture": { + "CHS": "养育,给与营养物", + "ENG": "to feed and take care of a child or a plant while it is growing" + }, + "silhouette": { + "CHS": "使…照出影子来" + }, + "inward": { + "CHS": "向内的,内在的", + "ENG": "felt or experienced in your own mind but not expressed to other people" + }, + "misinterpret": { + "CHS": "曲解", + "ENG": "to not understand the correct meaning of something that someone says or does, or of facts that you are considering" + }, + "marketable": { + "CHS": "市场的,可销售的", + "ENG": "marketable goods, skills etc can be sold easily because people want them" + }, + "mudstone": { + "CHS": "[地]泥岩", + "ENG": "a dark grey clay rock similar to shale but with the lamination less well developed " + }, + "carcass": { + "CHS": "(屠宰后)畜体", + "ENG": "the body of a dead animal" + }, + "subdivide": { + "CHS": "再分, 细分", + "ENG": "to divide into smaller parts something that is already divided" + }, + "meteoritic": { + "CHS": "陨星的,陨石的" + }, + "offshoot": { + "CHS": "分支, 支流", + "ENG": "something such as an organization which has developed from a larger or earlier one" + }, + "inborn": { + "CHS": "天生的,生来的", + "ENG": "an inborn quality or ability is one you have had naturally since birth" + }, + "stereotypical": { + "CHS": "老一套的,陈规的" + }, + "manipulation": { + "CHS": "处理,操纵" + }, + "lifelike": { + "CHS": "栩栩如生的,逼真的", + "ENG": "a lifelike picture, model etc looks exactly like a real person or thing" + }, + "bipedal": { + "CHS": "两足动物的,两足的" + }, + "antiquate": { + "CHS": "旧式的,过时的" + }, + "chondritic": { + "CHS": "球粒状陨石的" + }, + "replicate": { + "CHS": "复制的" + }, + "painful": { + "CHS": "疼痛的,使痛苦的", + "ENG": "if a part of your body is painful, it hurts" + }, + "weldon": { + "CHS": "韦尔登(男子名)" + }, + "scorch": { + "CHS": "烧焦,枯黄", + "ENG": "a mark made on something where its surface has been burnt" + }, + "stonework": { + "CHS": "石雕工艺, 做石工的场所" + }, + "shipwreck": { + "CHS": "使失事" + }, + "uncle": { + "CHS": "伯父,叔父,援助者", + "ENG": "used by children, in front of a first name, to address or refer to a man who is a close friend of their parents" + }, + "unanswered": { + "CHS": "未答复的,无反应的", + "ENG": "an unanswered question has not been answered" + }, + "misfortune": { + "CHS": "不幸, 灾祸", + "ENG": "very bad luck, or something that happens to you as a result of bad luck" + }, + "greet": { + "CHS": "问候,向致意", + "ENG": "to say hello to someone or welcome them" + }, + "aggregate": { + "CHS": "聚集, 集合", + "ENG": "to put different amounts, pieces of information etc together to form a group or a total" + }, + "journalist": { + "CHS": "新闻记者,从事新闻杂志业的人", + "ENG": "someone who writes news reports for newspapers, magazines, television, or radio" + }, + "mantel": { + "CHS": "壁炉架", + "ENG": "A mantel is a mantelpiece" + }, + "desalination": { + "CHS": "减少盐分, 脱盐作用", + "ENG": "the process of removing salt from sea water so that people can use it" + }, + "slit": { + "CHS": "裂缝, 狭长切口", + "ENG": "a long straight narrow cut or hole" + }, + "hydraulic": { + "CHS": "水力的,水压的", + "ENG": "moved or operated by the pressure of water or other liquid" + }, + "reappear": { + "CHS": "再出现", + "ENG": "to appear again after not being seen for some time" + }, + "carton": { + "CHS": "硬纸盒, 纸板箱", + "ENG": "a small box made of cardboard or plastic that contains food or a drink" + }, + "wan": { + "CHS": "(使)变苍白" + }, + "elegance": { + "CHS": "高雅,典雅" + }, + "horsepower": { + "CHS": "马力", + "ENG": "a unit for measuring the power of an engine, or the power of an engine measured like this" + }, + "quiver": { + "CHS": "颤抖,射中", + "ENG": "to shake slightly because you are cold, or because you feel very afraid, angry, excited etc" + }, + "airport": { + "CHS": "机场,航空站", + "ENG": "a place where planes take off and land, with buildings for passengers to wait in" + }, + "eternal": { + "CHS": "永恒的,永远的", + "ENG": "continuing for ever and having no end" + }, + "duchenne": { + "CHS": "杜氏营养不良症" + }, + "reopen": { + "CHS": "重开,再开始", + "ENG": "if a theatre, restaurant etc reopens, or if it is reopened, it opens again after a period when it was closed" + }, + "immutable": { + "CHS": "不变的,不可变的", + "ENG": "never changing or impossible to change" + }, + "pave": { + "CHS": "铺,安排", + "ENG": "to cover a path, road, area etc with a hard level surface such as blocks of stone or concrete " + }, + "permeability": { + "CHS": "渗透性", + "ENG": "the state or quality of being permeable " + }, + "afterwards": { + "CHS": "然后, 后来地", + "ENG": "after an event or time that has already been mentioned" + }, + "consolidation": { + "CHS": "巩固, 合并", + "ENG": "the act of consolidating or state of being consolidated " + }, + "waterfowl": { + "CHS": "水鸟, 水禽", + "ENG": "a wild bird that swims and lives near water" + }, + "efficacious": { + "CHS": "有效的,灵验的", + "ENG": "working in the way you intended" + }, + "permeable": { + "CHS": "有浸透性的, 能透过的", + "ENG": "material that is permeable allows water, gas etc to pass through it" + }, + "fanwise": { + "CHS": "呈扇形展开的" + }, + "riverbed": { + "CHS": "河床", + "ENG": "A riverbed is the ground which a river flows over" + }, + "destine": { + "CHS": "注定, 预定" + }, + "expertly": { + "CHS": "熟练地" + }, + "stipulate": { + "CHS": "规定, 保证", + "ENG": "if an agreement, law, or rule stipulates something, it must be done" + }, + "sandbar": { + "CHS": "沙洲", + "ENG": "A sandbar is a sandbank which is found especially at the mouth of a river or harbour" + }, + "contingent": { + "CHS": "偶然的事情" + }, + "congenial": { + "CHS": "意气相投的,性格相似的" + }, + "faucet": { + "CHS": "龙头, (连接管子的)插口", + "ENG": "the thing that you turn on and off to control the flow of water from a pipe" + }, + "alienate": { + "CHS": "疏远", + "ENG": "to do something that makes someone unfriendly or unwilling to support you" + }, + "implicit": { + "CHS": "暗示的,盲从的" + }, + "preponderance": { + "CHS": "优势,占优势", + "ENG": "if there is a preponderance of people or things of a particular type in a group, there are more of that type than of any other" + }, + "imperfect": { + "CHS": "未完成体", + "ENG": "the form of a verb which is used when talking about an action in the past that is not complete. For example, ‘I was eating’." + }, + "homeotherm": { + "CHS": "<主美>恒温动物" + }, + "envy": { + "CHS": "羡慕,嫉妒", + "ENG": "to wish that you had someone else’s possessions, abilities etc" + }, + "drape": { + "CHS": "使褶皱" + }, + "drip": { + "CHS": "(使)滴下", + "ENG": "to let liquid fall in drops" + }, + "jewel": { + "CHS": "宝石", + "ENG": "a valuable stone, such as a diamond" + }, + "practicality": { + "CHS": "实用性,实际", + "ENG": "the real facts of a situation rather than ideas about how it might be" + }, + "pictorial": { + "CHS": "画报" + }, + "bland": { + "CHS": "变得乏味" + }, + "mortal": { + "CHS": "必死的,致命的", + "ENG": "not able to live for ever" + }, + "unschooled": { + "CHS": "天生的,未受学校教育的", + "ENG": "An unschooled person has had no formal education" + }, + "harmless": { + "CHS": "无害的", + "ENG": "unable or unlikely to hurt anyone or cause damage" + }, + "burgeon": { + "CHS": "萌芽" + }, + "ashcan": { + "CHS": "垃圾桶, 深水炸弹", + "ENG": "a garbage can " + }, + "literalness": { + "CHS": "文字的,表面意义上的" + }, + "flyspeck": { + "CHS": "弄脏" + }, + "rennin": { + "CHS": "高血压蛋白原酶", + "ENG": "an enzyme that occurs in gastric juice and is a constituent of rennet" + }, + "hormonal": { + "CHS": "荷尔蒙的,激素的", + "ENG": "Hormonal means relating to or involving hormones" + }, + "angiotensin": { + "CHS": "[医]血管紧缩素", + "ENG": "a peptide of physiological importance that is capable of causing constriction of blood vessels, which raises blood pressure " + }, + "deprivation": { + "CHS": "剥夺", + "ENG": "If you suffer deprivation, you do not have or are prevented from having something that you want or need" + }, + "aldosterone": { + "CHS": "[生化]醛甾酮,醛固酮", + "ENG": "the principal mineralocorticoid secreted by the adrenal cortex. A synthesized form is used in the treatment of Addison's disease. Formula: C21H27O5 " + }, + "mandate": { + "CHS": "委任统治", + "ENG": "to give someone the right or power to do something" + }, + "henceforth": { + "CHS": "今后,自此以后", + "ENG": "from this time on" + }, + "mammalian": { + "CHS": "哺乳动物的", + "ENG": "In zoology, mammalian means relating to mammals" + }, + "unfairly": { + "CHS": "不公平地,不正当地" + }, + "irrelevant": { + "CHS": "不相干的,不切题的", + "ENG": "not useful or not relating to a particular situation, and therefore not important" + }, + "jury": { + "CHS": "[海]临时应急的", + "ENG": "makeshift " + }, + "burdensome": { + "CHS": "繁重的,难以承担的", + "ENG": "If you describe something as burdensome, you mean it is worrying or hard to deal with" + }, + "confederate": { + "CHS": "(使)联盟, 联合" + }, + "pardon": { + "CHS": "原谅", + "ENG": "used to say ‘sorry’ after you have made an impolite sound such as a burp " + }, + "convict": { + "CHS": "罪犯", + "ENG": "someone who has been proved to be guilty of a crime and sent to prison" + }, + "authorization": { + "CHS": "授权,认可", + "ENG": "official permission to do something, or the document giving this permission" + }, + "gymnastic": { + "CHS": "训练课程" + }, + "stagger": { + "CHS": "交错的" + }, + "peacetime": { + "CHS": "和平时期的" + }, + "readjust": { + "CHS": "重新调整,再调整", + "ENG": "to get used to a new situation, job, or way of life" + }, + "rivalry": { + "CHS": "竞争,竞赛,敌对", + "ENG": "a situation in which two or more people, teams, or companies are competing for something, especially over a long period of time, and the feeling of competition between them" + }, + "nobility": { + "CHS": "高贵,贵族", + "ENG": "the group of people in some countries who belong to the highest social class and have titles such as ‘Duke’ or ‘Countess’" + }, + "revive": { + "CHS": "苏醒, (使)复兴", + "ENG": "to bring something back after it has not been used or has not existed for a period of time" + }, + "ponderous": { + "CHS": "笨重的,沉闷的", + "ENG": "slow or awkward because of being very big and heavy" + }, + "thresher": { + "CHS": "打谷者, 打谷机, [鱼]长尾鲨", + "ENG": "a person who threshes " + }, + "utensil": { + "CHS": "器具", + "ENG": "a thing such as a knife, spoon etc that you use when you are cooking" + }, + "knight": { + "CHS": "授以爵位", + "ENG": "If someone is knighted, they are given a knighthood" + }, + "intentional": { + "CHS": "故意的,策划的", + "ENG": "done deliberately and usually intended to cause harm" + }, + "thrifty": { + "CHS": "节约的", + "ENG": "using money carefully and wisely" + }, + "enactment": { + "CHS": "设定,制定", + "ENG": "The enactment of a law is the process in a legislature by which the law is agreed upon and made official" + }, + "proclaim": { + "CHS": "宣布,声明,显露", + "ENG": "to say publicly or officially that something important is true or exists" + }, + "seafood": { + "CHS": "海产食品, 海味", + "ENG": "animals from the sea that you can eat, for example fish and shellfish " + }, + "besiege": { + "CHS": "围困,围攻", + "ENG": "to surround a city or castle with military force until the people inside let you take control" + }, + "unsubstantiated": { + "CHS": "未经证实的,无事实根据的", + "ENG": "not proved to be true" + }, + "unaware": { + "CHS": "不知道的, 没觉察到的", + "ENG": "not noticing or realizing what is happening" + }, + "semimolten": { + "CHS": "半熔的" + }, + "incinerate": { + "CHS": "把烧成灰,烧弃", + "ENG": "to burn something completely in order to destroy it" + }, + "topographical": { + "CHS": "地志的,地形学的", + "ENG": "A topographical survey or map relates to or shows the physical features of an area of land, for example, its hills, valleys, and rivers" + }, + "festival": { + "CHS": "节日的,快乐的" + }, + "canyon": { + "CHS": "<美>峡谷, 溪谷", + "ENG": "a deep valley with very steep sides of rock that usually has a river running through it" + }, + "falconer": { + "CHS": "以鹰狩猎者,养鹰者", + "ENG": "someone who trains falcons to hunt" + }, + "lien": { + "CHS": "留置权,抵押品所产生的利息", + "ENG": "the legal right to keep something that belongs to someone who owes you money, until the debt has been paid" + }, + "prejudice": { + "CHS": "损害,有偏见", + "ENG": "to influence someone so that they have an unfair or unreasonable opinion about someone or something" + }, + "starfish": { + "CHS": "海星", + "ENG": "a flat sea animal that has five arms forming the shape of a star" + }, + "extraordinarily": { + "CHS": "非常,格外地" + }, + "dismember": { + "CHS": "肢解,割断手足", + "ENG": "to cut a body into pieces or tear it apart" + }, + "unquestionably": { + "CHS": "无可非议地,确凿地", + "ENG": "used to emphasize that something is certainly true" + }, + "phylum": { + "CHS": "(生物分类学上的)门, 语群", + "ENG": "one of the large groups into which scientists divide plants, animals, and languages" + }, + "spinet": { + "CHS": "古时的小型竖琴, 小型立式钢琴", + "ENG": "a small upright piano " + }, + "avail": { + "CHS": "效用, 利益" + }, + "supremacy": { + "CHS": "地位最高的人,至高,霸权", + "ENG": "the position in which you are more powerful or advanced than anyone else" + }, + "rumor": { + "CHS": "谣传, 传闻" + }, + "passageway": { + "CHS": "过道,出入口", + "ENG": "a passage 1 " + }, + "Gothic": { + "CHS": "哥特式的,野蛮的", + "ENG": "the Gothic style of building was common in Western Europe between the 12th and 16th centuries and included tall pointed arches and windows and tall pillars " + }, + "bluff": { + "CHS": "诈骗", + "ENG": "to pretend something, especially in order to achieve what you want in a difficult or dangerous situation" + }, + "versatility": { + "CHS": "多功能性" + }, + "tonal": { + "CHS": "音调的", + "ENG": "relating to tones of colour or sound" + }, + "pedal": { + "CHS": "踩的踏板", + "ENG": "to turn or push the pedals on a bicycle or other machine with your feet" + }, + "inconvenient": { + "CHS": "不便的,打扰的", + "ENG": "causing problems, often in a way that is annoying" + }, + "contributor": { + "CHS": "贡献者,捐助者", + "ENG": "someone who gives money, help, ideas etc to something that a lot of other people are also involved in" + }, + "overcultivation": { + "CHS": "耕种过度" + }, + "penetration": { + "CHS": "穿过, 渗透, 突破", + "ENG": "when something or someone enters or passes through something, especially when this is difficult" + }, + "subtract": { + "CHS": "(~ from)减去, 减", + "ENG": "to take a number or an amount from a larger number or amount" + }, + "hearth": { + "CHS": "壁炉地面, 家庭(生活)", + "ENG": "the area of floor around a fireplace in a house" + }, + "saguaro": { + "CHS": "仙人掌之一种", + "ENG": "a giant cactus, Carnegiea gigantea, of desert regions of Arizona, S California, and Mexico, having white nocturnal flowers and edible red pulpy fruits " + }, + "transcend": { + "CHS": "超越, 胜过", + "ENG": "to go beyond the usual limits of something" + }, + "taproot": { + "CHS": "[植]主根, 直根", + "ENG": "the large main root of a plant, from which smaller roots grow" + }, + "firing": { + "CHS": "开火,烧制", + "ENG": "When a pot or clay object is fired, it is heated at a high temperature in a special oven, as part of the process of making it" + }, + "distributor": { + "CHS": "发行人,经销商", + "ENG": "a company or person that supplies shops and companies with goods" + }, + "signify": { + "CHS": "颇为重要, 意味", + "ENG": "If an event, a sign, or a symbol signifies something, it is a sign of that thing or represents that thing" + }, + "heed": { + "CHS": "注意,留意", + "ENG": "to pay attention to someone’s advice or warning" + }, + "seminar": { + "CHS": "研究会,讨论发表会", + "ENG": "a class at a university or college for a small group of students and a teacher to study or discuss a particular subject" + }, + "flavor": { + "CHS": "加味于" + }, + "dissatisfy": { + "CHS": "使感觉不满, 不满足", + "ENG": "to fail to satisfy; disappoint " + }, + "adequacy": { + "CHS": "适当, 足够", + "ENG": "Adequacy is the quality of being good enough or great enough in amount to be acceptable" + }, + "uninteresting": { + "CHS": "无趣味的,乏味的", + "ENG": "If you describe something or someone as uninteresting, you mean they have no special or exciting qualities" + }, + "minstrel": { + "CHS": "吟游诗人(或歌手)", + "ENG": "a singer or musician in the Middle Ages" + }, + "irreversible": { + "CHS": "不可逆的,不能取消的", + "ENG": "irreversible damage, change etc is so serious or so great that you cannot change something back to how it was before" + }, + "commend": { + "CHS": "称赞, 表扬, 推荐", + "ENG": "to praise or approve of someone or something publicly" + }, + "ling": { + "CHS": "鳕鱼, 石南之一种", + "ENG": "any of several gadoid food fishes of the northern coastal genus Molva, esp M" + }, + "phosphate": { + "CHS": "磷酸盐", + "ENG": "one of the various forms of a salt of phosphorus , often used in industry" + }, + "apiece": { + "CHS": "每个, 每人, 各", + "ENG": "costing or having a particular amount each" + }, + "walker": { + "CHS": "徒步者, 参加竞走者", + "ENG": "someone who walks for pleasure or exercise" + }, + "distinctly": { + "CHS": "清楚地, 显然", + "ENG": "clearly" + }, + "deteriorate": { + "CHS": "(使)恶化", + "ENG": "to become worse" + }, + "taut": { + "CHS": "使纠缠" + }, + "spur": { + "CHS": "鞭策, 刺激", + "ENG": "to make an improvement or change happen faster" + }, + "stretcher": { + "CHS": "担架, 延伸器", + "ENG": "a type of bed used for carrying someone who is too injured or ill to walk" + }, + "hoof": { + "CHS": "蹄 v踢", + "ENG": "the hard foot of an animal such as a horse, cow etc" + }, + "discolor": { + "CHS": "使脱色, (使)变色,(使)退色" + }, + "foreleg": { + "CHS": "前肢(指四肢或多肢动物的)前脚", + "ENG": "one of the two front legs of an animal with four legs" + }, + "buckskin": { + "CHS": "鹿皮裤, 鹿皮", + "ENG": "strong soft leather made from the skin of a deer or goat" + }, + "fortify": { + "CHS": "筑防御工事", + "ENG": "to build towers, walls etc around an area or city in order to defend it" + }, + "suspender": { + "CHS": "吊裤带, 悬挂物, 吊杆, 袜吊", + "ENG": "a part of a piece of women’s underwear that hangs down and can be attached to stocking s to hold them up" + }, + "buckle": { + "CHS": "带扣 v扣住, 变弯曲", + "ENG": "A buckle is a piece of metal or plastic attached to one end of a belt or strap, which is used to fasten it" + }, + "chafe": { + "CHS": "(将皮肤等)擦热, 使恼火", + "ENG": "to rub part of your body to make it warm" + }, + "tourniquet": { + "CHS": "止血带, 压脉器", + "ENG": "a band of cloth that is twisted tightly around an injured arm or leg to stop it bleeding" + }, + "bandanna": { + "CHS": "大手帕" + }, + "charm": { + "CHS": "迷人, 使陶醉" + }, + "vestigial": { + "CHS": "退化的,发育不全的", + "ENG": "a vestigial part of the body has never developed completely or has almost disappeared" + }, + "harem": { + "CHS": "(伊斯兰教教徒之)闺房, 为一个雄性动物所控制的许多雌性动物", + "ENG": "part of a Muslim house that is separate from the rest of the house, where only women live" + }, + "nonfunctional": { + "CHS": "不运行的" + }, + "everest": { + "CHS": "珠穆朗玛峰(世界最高峰)" + }, + "trench": { + "CHS": "掘沟, 挖战壕" + }, + "Monroe": { + "CHS": "门罗(m)" + }, + "concede": { + "CHS": "勉强, 承认, 退让 vi让步", + "ENG": "to admit that something is true or correct, although you wish it were not true" + }, + "jawbone": { + "CHS": "颚骨, 下颚骨, 信用 v赊买", + "ENG": "one of the bones that your teeth are in, especially the lower bone" + }, + "selective": { + "CHS": "选择的, 选择性的", + "ENG": "careful about what you choose to do, buy, allow etc" + }, + "Iraq": { + "CHS": "伊拉克共和国" + }, + "grande": { + "CHS": "重大的,显要的" + }, + "facelift": { + "CHS": "整容手术(除去面部皱纹)", + "ENG": "if you have a facelift, you have an operation in which doctors remove loose skin from your face in order to make you look younger" + }, + "donation": { + "CHS": "捐赠品, 捐款, 贡献", + "ENG": "something, especially money, that you give to a person or an organ-ization in order to help them" + }, + "massif": { + "CHS": "山丘", + "ENG": "a group of mountains forming one large solid shape" + }, + "atlas": { + "CHS": "地图, 地图集", + "ENG": "a book containing maps, especially of the whole world" + }, + "wireless": { + "CHS": "无线", + "ENG": "a radio" + }, + "sterilize": { + "CHS": "杀菌, 消毒, 使成不毛", + "ENG": "to make something completely clean by killing any bacteria in it" + }, + "reenter": { + "CHS": "重返" + }, + "retard": { + "CHS": "延迟" + }, + "logic": { + "CHS": "逻辑的" + }, + "rot": { + "CHS": "(使)腐烂, (使)腐败 n腐烂, 腐败", + "ENG": "to decay by a gradual natural process, or to make something do this" + }, + "satisfaction": { + "CHS": "满意, 满足, 令人满意的事物", + "ENG": "a feeling of happiness or pleasure because you have achieved something or got what you wanted" + }, + "rapport": { + "CHS": "和谐, 亲善" + }, + "elevate": { + "CHS": "举起, 提升的职位", + "ENG": "When someone or something achieves a more important rank or status, you can say that they are elevated to it" + }, + "gripe": { + "CHS": "握紧" + }, + "gossip": { + "CHS": "闲话, 闲谈", + "ENG": "a conversation in which you exchange information with someone about other people’s lives and things that have happened" + }, + "attendance": { + "CHS": "出席, 出席的人数", + "ENG": "the number of people who attend a game, concert, meeting etc" + }, + "socialization": { + "CHS": "社会化, 社会主义化", + "ENG": "the process by which people, especially children, are made to behave in a way that is acceptable in their society" + }, + "Irish": { + "CHS": "爱尔兰人(的),爱尔兰语(的)", + "ENG": "people from Ireland" + }, + "eyewitness": { + "CHS": "目击者, 见证人", + "ENG": "someone who has seen something such as a crime happen, and is able to describe it afterwards" + }, + "conglomerate": { + "CHS": "企业集团", + "ENG": "a large business organization consisting of several different companies that have joined together" + }, + "gang": { + "CHS": "(一)伙, (一)群", + "ENG": "a group of criminals who work together" + }, + "entail": { + "CHS": "[建]限定继承权" + }, + "punch": { + "CHS": "冲孔, 打孔", + "ENG": "to make a hole in something, using a metal tool or other sharp object" + }, + "railhead": { + "CHS": "铺设中的铁路末端, 终点", + "ENG": "the end of a railway line" + }, + "preferential": { + "CHS": "优先的;选择的", + "ENG": "preferential treatment, rates etc are deliberately different in order to give an advantage to particular people" + }, + "cerebral": { + "CHS": "脑的, 大脑的", + "ENG": "relating to or affecting your brain" + }, + "Kenya": { + "CHS": "肯尼亚" + }, + "alphabet": { + "CHS": "字母表", + "ENG": "a set of letters, arranged in a particular order, and used in writing" + }, + "cleanly": { + "CHS": "干净地, 清洁地", + "ENG": "quickly and smoothly with a single movement" + }, + "quina": { + "CHS": "[植]金鸡纳树皮, 奎宁" + }, + "unresolved": { + "CHS": "未解决的,未决定的", + "ENG": "an unresolved problem or question has not been answered or solved" + }, + "lunch": { + "CHS": "午餐", + "ENG": "a meal eaten in the middle of the day" + }, + "exhilarate": { + "CHS": "使高兴, 使愉快", + "ENG": "to make someone feel very excited and happy" + }, + "choreography": { + "CHS": "舞蹈术, 舞台舞蹈", + "ENG": "the art of arranging how dancers should move during a performance" + }, + "teem": { + "CHS": "大量出现" + }, + "lately": { + "CHS": "近来, 最近", + "ENG": "recently" + }, + "scarcity": { + "CHS": "缺乏, 不足", + "ENG": "a situation in which there is not enough of something" + }, + "premiere": { + "CHS": "杰出的" + }, + "screening": { + "CHS": "遮蔽,筛选", + "ENG": "If something is screened by another thing, it is behind it and hidden by it" + }, + "exemplary": { + "CHS": "典范的,惩戒性的", + "ENG": "an exemplary punishment is very severe and is intended to stop other people from committing the same crime" + }, + "Austrian": { + "CHS": "奥地利的, 奥地利人的", + "ENG": "relating to Austria or its people" + }, + "watershed": { + "CHS": "分水岭", + "ENG": "the time in the evening after which television programmes that are not considered suitable for children may be shown in Britain" + }, + "periodization": { + "CHS": "(历史等的)时期(或时代)划分", + "ENG": "the act or process of dividing history into periods " + }, + "homemaker": { + "CHS": "主妇", + "ENG": "a woman who works at home cleaning and cooking etc and does not have another job" + }, + "chronicle": { + "CHS": "编入编年史", + "ENG": "to describe events in the order in which they happened" + }, + "substrate": { + "CHS": "(土地)底层,基础", + "ENG": "the substance upon which an enzyme acts " + }, + "sustenance": { + "CHS": "食物, 生计, (受)支持", + "ENG": "food that people or animals need in order to live" + }, + "charitable": { + "CHS": "慈善事业的,慷慨的,仁慈的", + "ENG": "relating to giving help to the poor" + }, + "tremendously": { + "CHS": "非常地,可怕地,惊人地" + }, + "outlook": { + "CHS": "景色, 展望", + "ENG": "a view from a particular place" + }, + "perceptive": { + "CHS": "感知的,知觉的" + }, + "legacy": { + "CHS": "遗赠(物), 遗产", + "ENG": "something that happens or exists as a result of things that happened at an earlier time" + }, + "painstaking": { + "CHS": "辛苦的, 辛勤的" + }, + "unsure": { + "CHS": "没有自信的, 不确定的", + "ENG": "not certain about something or about what you have to do" + }, + "loess": { + "CHS": "黄土", + "ENG": "a light-coloured fine-grained accumulation of clay and silt particles that have been deposited by the wind " + }, + "reflectivity": { + "CHS": "反射率", + "ENG": "a measure of the ability of a surface to reflect radiation, equal to the reflectance of a layer of material sufficiently thick for the reflectance not to depend on the thickness " + }, + "dishabituate": { + "CHS": "使戒除(或放弃)习惯,使不习惯" + }, + "roughness": { + "CHS": "粗糙, 未加工, 粗糙程度" + }, + "responsiveness": { + "CHS": "响应能力,有同情心" + }, + "partition": { + "CHS": "区分, 分割 n分割, 划分", + "ENG": "to divide a country, building, or room into two or more parts" + }, + "electro": { + "CHS": "电镀物品, 电版" + }, + "neutrality": { + "CHS": "中立, 中性", + "ENG": "the state of not supporting either side in an argument or war" + }, + "alkaline": { + "CHS": "碱性的,碱的", + "ENG": "containing an alkali" + }, + "ballad": { + "CHS": "民歌, 流行歌曲", + "ENG": "a slow love song" + }, + "ratify": { + "CHS": "批准, 认可", + "ENG": "to make a written agreement official by signing it" + }, + "conflate": { + "CHS": "合并", + "ENG": "to combine two or more things to form a single new thing" + }, + "cardboard": { + "CHS": "纸板", + "ENG": "stiff thick brown paper, used especially for making boxes" + }, + "catechism": { + "CHS": "问答教学法, 问答集", + "ENG": "a set of questions and answers about the Christian religion that people learn in order to become full members of a church" + }, + "convection": { + "CHS": "传送, 对流", + "ENG": "the movement in a gas or liquid caused by warm gas or liquid rising, and cold gas or liquid sinking" + }, + "rewrite": { + "CHS": "重写, 改写", + "ENG": "to change something that has been written, especially in order to improve it, or because new information is available" + }, + "counterbalance": { + "CHS": "平衡量, 平衡力", + "ENG": "Something that is a counterbalance to something else counterbalances that thing" + }, + "creditor": { + "CHS": "债权人", + "ENG": "a person, bank, or company that you owe money to" + }, + "regionalization": { + "CHS": "分成地区, 按地区安排" + }, + "cany": { + "CHS": "藤的,状似手杖的" + }, + "telescopic": { + "CHS": "望远镜的,[眼科] 远视的", + "ENG": "making distant things look bigger, like a telescope does" + }, + "crayfish": { + "CHS": "小龙虾", + "ENG": "A crayfish is a small shellfish with five pairs of legs which lives in rivers and streams. You can eat some types of crayfish. " + }, + "geophysical": { + "CHS": "地球物理学的", + "ENG": "Geophysical means relating to geophysics" + }, + "ample": { + "CHS": "充足的, 丰富的", + "ENG": "more than enough" + }, + "synchronize": { + "CHS": "同步", + "ENG": "to happen at exactly the same time, or to arrange for two or more actions to happen at exactly the same time" + }, + "fluffy": { + "CHS": "绒毛似的, 蓬松的", + "ENG": "very light and soft to touch" + }, + "militarily": { + "CHS": "以武力, 以军事行动" + }, + "precision": { + "CHS": "精确, 精密度, 精度", + "ENG": "the quality of being very exact or correct" + }, + "clause": { + "CHS": "子句, 条款", + "ENG": "a part of a written law or legal document covering a particular subject of the whole law or document" + }, + "enforcer": { + "CHS": "实施者,强制执行者", + "ENG": "someone whose job is to make sure people do the things they should" + }, + "ostracize": { + "CHS": "(古希腊)贝壳放逐法, 放逐, 排斥", + "ENG": "If someone is ostracized, people deliberately behave in an unfriendly way toward them and do not allow them to take part in any of their social activities" + }, + "extracurricular": { + "CHS": "课外的, 业余的", + "ENG": "extracurricular activities are not part of the course that a student is doing at a school or college" + }, + "habitual": { + "CHS": "习惯的, 惯常的", + "ENG": "doing something from habit, and unable to stop doing it" + }, + "chronobiology": { + "CHS": "[生]时间生物学, 生物钟学", + "ENG": "the branch of biology concerned with the periodicity occurring in living organisms " + }, + "thinker": { + "CHS": "思想者, 思想家, 心智", + "ENG": "someone who thinks carefully about important subjects such as science or philosophy , especially someone who is famous for thinking of new ideas" + }, + "songwriter": { + "CHS": "歌曲作家,歌曲作者", + "ENG": "someone who writes the words and usually the music of songs" + }, + "spotlight": { + "CHS": "聚光灯", + "ENG": "a light with a very bright beam which can be directed at someone or something. Spotlights are often used to light a stage when actors or singers are performing" + }, + "inducement": { + "CHS": "诱因, 刺激物", + "ENG": "a reason for doing something, especially something that you will get as a result" + }, + "vogue": { + "CHS": "、a流行(的), 时髦(的)", + "ENG": "a popular and fashionable style, activity, method etc" + }, + "overgeneralize": { + "CHS": "太笼统地概括" + }, + "catalogue": { + "CHS": "目录", + "ENG": "a complete list of things that you can look at, buy, or use, for example in a library or at an art show" + }, + "keplerian": { + "CHS": "开普勒理论的,开普勒定律的" + }, + "grinder": { + "CHS": "磨工, 研磨者", + "ENG": "A grinder is a machine or tool for sharpening, smoothing, or polishing the surface of something" + }, + "Galilean": { + "CHS": "伽利略的, 加利利的(位于巴基斯坦北部)", + "ENG": "of Galilee " + }, + "align": { + "CHS": "排列,使结盟", + "ENG": "If you align yourself with a particular group, you support them because you have the same political aim" + }, + "diffusely": { + "CHS": "广泛地,扩散地" + }, + "caucasian": { + "CHS": "高加索的, 白种人的", + "ENG": "A Caucasian person is a white person" + }, + "Korean": { + "CHS": "韩国人, 韩国语 a朝鲜人的, 朝鲜语的", + "ENG": "A Korean is a North or South Korean citizen, or a person of North or South Korean origin" + }, + "crescent": { + "CHS": "新月, 月牙", + "ENG": "a curved shape that is wider in the middle and pointed at the ends" + }, + "dodge": { + "CHS": "/n避开, 躲避", + "ENG": "to move quickly to avoid someone or something" + }, + "surrender": { + "CHS": "放弃, 投降", + "ENG": "to say officially that you want to stop fighting, because you realize that you cannot win" + }, + "preach": { + "CHS": "鼓吹", + "ENG": "to talk about how good or important something is and try to persuade other people about this" + }, + "impatient": { + "CHS": "焦躁的,不耐心的" + }, + "gospel": { + "CHS": "〈圣经·新约〉福音书", + "ENG": "one of the four books in the Bible about Christ’s life" + }, + "thirst": { + "CHS": "渴望", + "ENG": "to be thirsty" + }, + "ductless": { + "CHS": "无导管的" + }, + "ridicule": { + "CHS": "嘲笑", + "ENG": "to laugh at a person, idea etc and say that they are stupid" + }, + "admiration": { + "CHS": "钦佩, 赞美, 羡慕", + "ENG": "a feeling of great respect and liking for something or someone" + }, + "garland": { + "CHS": "花环 vt戴花环", + "ENG": "a ring of flowers or leaves, worn on your head or around your neck for decoration or for a special ceremony" + }, + "recreate": { + "CHS": "(使)得到休养, (使)得到娱乐" + }, + "uncritical": { + "CHS": "无批判力的,不加批判的", + "ENG": "unable or unwilling to see faults in something or someone – used to show disapproval" + }, + "resonator": { + "CHS": "共鸣器", + "ENG": "a piece of equipment that makes the sound of a musical instrument louder" + }, + "Jewett": { + "CHS": "朱厄特(姓氏)" + }, + "chaotic": { + "CHS": "混乱的, 无秩序的", + "ENG": "a chaotic situation is one in which everything is happening in a confused way" + }, + "fen": { + "CHS": "沼泽, 沼池", + "ENG": "an area of low flat wet land, especially in eastern England" + }, + "toss": { + "CHS": "投, 掷", + "ENG": "to throw something, especially something light, with a quick gentle movement of your hand" + }, + "glance": { + "CHS": "/v一瞥,匆匆一看", + "ENG": "a quick look" + }, + "pretension": { + "CHS": "借口, 要求, 自负" + }, + "remuneration": { + "CHS": "报酬", + "ENG": "the pay you give someone for something they have done for you" + }, + "expressiveness": { + "CHS": "表现, 表示" + }, + "scant": { + "CHS": "缺乏的,不足的 v节省,减少", + "ENG": "not enough" + }, + "pancreatic": { + "CHS": "胰的,胰腺的", + "ENG": "Pancreatic means relating to or involving the pancreas" + }, + "pancreas": { + "CHS": "[解]胰腺", + "ENG": "a gland inside your body, near your stomach, that produces insulin and a liquid that helps your body to use the food that you eat" + }, + "juice": { + "CHS": "(水果)汁, 液", + "ENG": "the liquid that comes from fruit and vegetables, or a drink that is made from this" + }, + "celebratory": { + "CHS": "快乐的" + }, + "digestion": { + "CHS": "消化力, 领悟", + "ENG": "the process of digesting food" + }, + "endocrinology": { + "CHS": "内分泌学", + "ENG": "the branch of medical science concerned with the endocrine glands and their secretions " + }, + "intestinal": { + "CHS": "肠的", + "ENG": "Intestinal means relating to the intestines" + }, + "secretin": { + "CHS": "分泌素" + }, + "hamlin": { + "CHS": "哈姆林(姓氏)" + }, + "crustacean": { + "CHS": "甲壳纲动物", + "ENG": "an animal such as a lobster or a crab that has a hard outer shell and several pairs of legs, and usually lives in water" + }, + "dragon": { + "CHS": "龙, 凶暴的人", + "ENG": "a large imaginary animal that has wings and a long tail and can breathe out fire" + }, + "consultant": { + "CHS": "顾问, 商议者, 咨询者", + "ENG": "someone whose job is to give advice on a particular subject" + }, + "lobster": { + "CHS": "龙虾", + "ENG": "a sea animal with eight legs, a shell, and two large claws" + }, + "bliss": { + "CHS": "狂喜" + }, + "empress": { + "CHS": "皇后, 女皇帝, 皇太后, 极有权力的女人", + "ENG": "a female ruler of an empire, or the wife of an emperor" + }, + "pomegranate": { + "CHS": "[植]石榴", + "ENG": "a round fruit that has a lot of small juicy red seeds that you can eat and a thick reddish skin" + }, + "misunderstand": { + "CHS": "误解, 误会", + "ENG": "to fail to understand someone or something correctly" + }, + "spatter": { + "CHS": "溅污 n滴落", + "ENG": "if a liquid spatters, or if something spatters it, drops of it fall or are thrown all over a surface" + }, + "refurbish": { + "CHS": "再磨光, 刷新", + "ENG": "To refurbish a building or room means to clean it and decorate it and make it more attractive or better equipped" + }, + "mottle": { + "CHS": "使有斑点 n杂色, 斑点", + "ENG": "to colour with streaks or blotches of different shades " + }, + "indifferent": { + "CHS": "漠不关心的,中性的", + "ENG": "not at all interested in someone or something" + }, + "doubtful": { + "CHS": "可疑的, 不确的, 疑心的", + "ENG": "If it is doubtful that something will happen, it seems unlikely to happen or you are uncertain whether it will happen" + }, + "idealization": { + "CHS": "理想化, 理想化的事物", + "ENG": "the representation of something as ideal " + }, + "fidelity": { + "CHS": "忠实, 诚实, 忠诚, 保真度, (收音机, 录音设备等的)逼真度, 保真度, 重现精度", + "ENG": "when you are loyal to your husband, girlfriend etc, by not having sex with anyone else" + }, + "appreciably": { + "CHS": "略微, 有一点" + }, + "exceedingly": { + "CHS": "非常,极度地", + "ENG": "extremely" + }, + "immensely": { + "CHS": "极大地,无限地" + }, + "interdependent": { + "CHS": "相互依赖的,互助的", + "ENG": "depending on or necessary to each other" + }, + "understandably": { + "CHS": "可理解地" + }, + "misunderstanding": { + "CHS": "误会, 误解", + "ENG": "a problem caused by someone not understanding a question, situation, or instruction correctly" + }, + "emblem": { + "CHS": "用象征表示" + }, + "lyrical": { + "CHS": "抒情诗调的, 充满感情的", + "ENG": "beautifully expressed in words, poetry, or music" + }, + "module": { + "CHS": "模数, 模块", + "ENG": "one of several parts of a piece of computer software that does a particular job" + }, + "Yuan": { + "CHS": "元(中国货币单位)", + "ENG": "The yuan is the unit of money used in the People's Republic of China" + }, + "victimize": { + "CHS": "使牺牲,使受害", + "ENG": "to treat someone unfairly because you do not like them, their beliefs, or the race they belong to" + }, + "uppermost": { + "CHS": "至上的,最高的" + }, + "cheater": { + "CHS": "骗子, 欺诈者, 背叛者", + "ENG": "A cheater is someone who cheats" + }, + "beggar": { + "CHS": "乞丐", + "ENG": "someone who lives by asking people for food and money" + }, + "siliceous": { + "CHS": "硅酸的;硅土的", + "ENG": "of, relating to, or containing abundant silica " + }, + "grassy": { + "CHS": "绿色的, 象草的", + "ENG": "covered with grass" + }, + "ape": { + "CHS": "猿", + "ENG": "an animal that is similar to a monkey but has no tail or only a very short tail" + }, + "suburban": { + "CHS": "郊外的, 偏远的", + "ENG": "related to a suburb, or in a suburb" + }, + "edible": { + "CHS": "可食用的", + "ENG": "something that is edible can be eaten" + }, + "hiss": { + "CHS": "嘶嘶作声, 用嘘声表示", + "ENG": "To hiss means to make a sound like a long \"s.\" " + }, + "scramble": { + "CHS": "混乱, 攀爬", + "ENG": "to climb up, down, or over something quickly and with difficulty, especially using your hands to help you" + }, + "discontent": { + "CHS": "不满a不满的vt使不满", + "ENG": "a feeling of being unhappy and not satisfied with the situation you are in" + }, + "tressed": { + "CHS": "有一绺绺长发的" + }, + "rib": { + "CHS": "肋骨vt戏弄", + "ENG": "one of the 12 pairs of curved bones that surround your chest" + }, + "bongo": { + "CHS": "非洲产大羚羊, 一种用手指敲的小鼓", + "ENG": "A bongo is a small drum that you play with your hands" + }, + "recital": { + "CHS": "朗诵, 背诵, 独奏会" + }, + "restaurant": { + "CHS": "餐馆, 饭店", + "ENG": "a place where you can buy and eat a meal" + }, + "nursery": { + "CHS": "托儿所", + "ENG": "a place where young children are taken care of during the day while their parents are at work" + }, + "dizzy": { + "CHS": "使人晕眩的" + }, + "stir": { + "CHS": "搅拌,激起", + "ENG": "to move a liquid or substance around with a spoon or stick in order to mix it together" + }, + "woodwind": { + "CHS": "木管乐器", + "ENG": "musical instruments made of wood or metal that you play by blowing and that usually have finger holes or key s " + }, + "humble": { + "CHS": "使卑下, 挫" + }, + "unsuccessful": { + "CHS": "不成功的,失败的", + "ENG": "not having a successful result or not achieving what you wanted to achieve" + }, + "seeker": { + "CHS": "搜索者, 探求者", + "ENG": "someone who is trying to find or get something" + }, + "unfavorably": { + "CHS": "不利地,不适宜地" + }, + "spatial": { + "CHS": "空间的", + "ENG": "relating to the position, size, shape etc of things" + }, + "symphony": { + "CHS": "交响乐, 交响曲", + "ENG": "a long piece of music usually in four parts, written for an orchestra " + }, + "chronological": { + "CHS": "按年代顺序排列的", + "ENG": "arranged according to when things happened or were made" + }, + "superb": { + "CHS": "庄重的, 华丽的, 极好的", + "ENG": "extremely good" + }, + "pylon": { + "CHS": "塔门, 路标塔" + }, + "acquaintance": { + "CHS": "相识, 熟人", + "ENG": "someone you know, but who is not a close friend" + }, + "decease": { + "CHS": "死" + }, + "cult": { + "CHS": "祭仪, 礼拜式" + }, + "divine": { + "CHS": "神圣的, 非凡的 n牧师 v占卜", + "ENG": "You use divine to describe something that is provided by or relates to a god or goddess" + }, + "colonel": { + "CHS": "陆军上校, 团长", + "ENG": "a high rank in the army, Marines, or the US air force, or someone who has this rank" + }, + "marshal": { + "CHS": "元帅 v整顿, 排列", + "ENG": "an officer of the highest rank in the army or air force of some countries" + }, + "dilemma": { + "CHS": "进退两难的局面, 困难的选择", + "ENG": "a situation in which it is very difficult to decide what to do, because all the choices seem equally good or equally bad" + }, + "validity": { + "CHS": "有效性, 合法性, 正确性" + }, + "Militant": { + "CHS": "好战的n好斗者" + }, + "dismiss": { + "CHS": "解散, 下课, 解职,", + "ENG": "to tell someone that they are allowed to go, or are no longer needed" + }, + "superficial": { + "CHS": "表面的, 肤浅的n浅薄的人", + "ENG": "not studying or looking at something carefully and only seeing the most noticeable things" + }, + "federalist": { + "CHS": "联邦党,联邦制拥护者", + "ENG": "Federalist is also a noun" + }, + "biographical": { + "CHS": "传记的,传记体的", + "ENG": "Biographical facts, notes, or details are concerned with the events in someone's life" + }, + "magnetism": { + "CHS": "磁, 磁力, 吸引力, 磁学", + "ENG": "the physical force that makes two metal objects pull towards each other or push each other apart" + }, + "sonar": { + "CHS": "声纳, 声波定位仪", + "ENG": "equipment on a ship or submarine that uses sound waves to find out the position of objects under the water" + }, + "perennial": { + "CHS": "终年的, 长期的", + "ENG": "continuing or existing for a long time, or happening again and again" + }, + "infiltration": { + "CHS": "渗透" + }, + "breakage": { + "CHS": "破坏, 破损, 破损量", + "ENG": "Breakage is the act of breaking something" + }, + "bounce": { + "CHS": "(使)反跳, 弹起 n(球)跳起, 弹回", + "ENG": "if a ball or other object bounces, or you bounce it, it immediately moves up or away from a surface after hitting it" + }, + "apace": { + "CHS": "快速地, 急速地", + "ENG": "happening quickly" + }, + "herbicide": { + "CHS": "除草剂", + "ENG": "a substance used to kill unwanted plants" + }, + "compactness": { + "CHS": "紧密, 简洁" + }, + "pluck": { + "CHS": "勇气v拔, 采集", + "ENG": "courage and determination" + }, + "springboard": { + "CHS": "跳板vi利用跳板", + "ENG": "a strong board for jumping on or off, used when diving ( dive11 ) or doing gymnastics " + }, + "hurl": { + "CHS": "用力或猛烈的投掷v用力投掷" + }, + "genu": { + "CHS": "膝" + }, + "localization": { + "CHS": "地方化, 局限, 定位" + }, + "airborne": { + "CHS": "空运的, 空气传播的", + "ENG": "airborne soldiers are trained to fight in areas that they get to by jumping out of a plane" + }, + "catalyst": { + "CHS": "催化剂", + "ENG": "a substance that makes a chemical reaction happen more quickly without being changed itself" + }, + "rarity": { + "CHS": "稀有", + "ENG": "something that is valuable or interesting because it is rare" + }, + "fend": { + "CHS": "保护, 供养" + }, + "beneficiary": { + "CHS": "受惠者, 受益人", + "ENG": "someone who gets advantages from an action or change" + }, + "leaflet": { + "CHS": "小叶, 传单", + "ENG": "a small book or piece of paper advertising something or giving information on a particular subject" + }, + "genotype": { + "CHS": "基因型", + "ENG": "the genetic nature of one type of living thing" + }, + "affordable": { + "CHS": "负担得起的", + "ENG": "If something is affordable, most people have enough money to buy it" + }, + "myxoma": { + "CHS": "[医]粘液瘤", + "ENG": "a tumour composed of mucous connective tissue, usually situated in subcutaneous tissue " + }, + "reply": { + "CHS": "答复, 答辩v答复, 回击", + "ENG": "something that is said, written, or done as a way of replying" + }, + "importation": { + "CHS": "进口, 输入品", + "ENG": "the act of bringing something new or different to a place where it did not previously exist, or something that arrives in this way" + }, + "deny": { + "CHS": "否认, 拒绝", + "ENG": "to say that something is not true, or that you do not believe something" + }, + "intaglio": { + "CHS": "凹雕, 阴雕vt凹雕", + "ENG": "the art of cutting patterns into a hard substance, or the pattern that you get by doing this" + }, + "elaboration": { + "CHS": "苦心经营, 详尽的细节" + }, + "congenital": { + "CHS": "先天的,天生的,天赋的", + "ENG": "a congenital medical condition or disease has affected someone since they were born" + }, + "blockage": { + "CHS": "封锁, 妨碍" + }, + "photodissociation": { + "CHS": "[物][化]光离解,光解 (作用)" + }, + "survivor": { + "CHS": "生还者, 残存物", + "ENG": "someone who continues to live after an accident, war, or illness" + }, + "uninhabited": { + "CHS": "无人居住的,杳无人迹的", + "ENG": "an uninhabited place does not have anyone living there" + }, + "aphid": { + "CHS": "[动]蚜虫", + "ENG": "a type of small insect that feeds on the juices of plants" + }, + "weekend": { + "CHS": "周末, 周末休假 a周末的", + "ENG": "Saturday and Sunday, especially considered as time when you do not work" + }, + "Miami": { + "CHS": "迈阿密(美国佛罗里州达东南部港市)" + }, + "weekday": { + "CHS": "周日, 平日" + }, + "paralyze": { + "CHS": "使瘫痪, 使麻痹" + }, + "articulate": { + "CHS": "有关节的, 发音清晰的 v用关节连接, 接合", + "ENG": "writing or speech that is articulate is very clear and easy to understand even if the subject is difficult" + }, + "airway": { + "CHS": "空中航线, 通风孔", + "ENG": "an area of the sky that is regularly used by planes" + }, + "outgassing": { + "CHS": "除气 v除气 a释气的" + }, + "overrun": { + "CHS": "泛滥成灾 v超过, 泛滥", + "ENG": "Overrun is also a noun" + }, + "fever": { + "CHS": "发烧, 狂热 v(使)发烧, 狂热", + "ENG": "an illness or a medical condition in which you have a very high temperature" + }, + "loosen": { + "CHS": "解开, 放松, 松开", + "ENG": "to make something less tight or less firmly fastened, or to become less tight or less firmly fastened" + }, + "Netherland": { + "CHS": "荷兰" + }, + "incorrectly": { + "CHS": "错误地,不适当地" + }, + "Athens": { + "CHS": "雅典(希腊首都)" + }, + "tollgate": { + "CHS": "征收通行税的关卡, 关门" + }, + "bravely": { + "CHS": "勇敢地" + }, + "unwilling": { + "CHS": "不愿意的,不情愿的", + "ENG": "not wanting to do something and refusing to do it" + }, + "impressively": { + "CHS": "令人难忘地, 令人印象深刻地" + }, + "overkill": { + "CHS": "超量杀伤" + }, + "Athenian": { + "CHS": "/a雅典(人)(的)" + }, + "outskirt": { + "CHS": "外边, 郊区" + }, + "milligram": { + "CHS": "毫克", + "ENG": "a unit for measuring weight. There are 1,000 milligrams in one gram." + }, + "supplier": { + "CHS": "供应者, 补充者", + "ENG": "a company or person that provides a particular product" + }, + "closeness": { + "CHS": "紧闭, 狭窄" + }, + "stately": { + "CHS": "庄严的, 堂皇的", + "ENG": "done slowly and with a lot of ceremony" + }, + "infinitesimally": { + "CHS": "极小地" + }, + "viability": { + "CHS": "生存能力" + }, + "lyric": { + "CHS": "抒情诗, 歌词", + "ENG": "the words of a song" + }, + "dispose": { + "CHS": "处理,布置, 安排", + "ENG": "to arrange things or put them in their places" + }, + "uranus": { + "CHS": "天王星" + }, + "rocket": { + "CHS": "火箭", + "ENG": "a vehicle used for travelling or carrying things into space, which is shaped like a big tube" + }, + "insulator": { + "CHS": "绝缘体, 绝热器", + "ENG": "a material or object which does not allow electricity, heat, or sound to pass through it" + }, + "keelboat": { + "CHS": "一种河船" + }, + "manageable": { + "CHS": "易处理的,易管理的", + "ENG": "easy to control or deal with" + }, + "metaphor": { + "CHS": "隐喻, 暗喻", + "ENG": "a way of describing something by referring to it as something different and suggesting that it has similar qualities to that thing" + }, + "disaffection": { + "CHS": "不满", + "ENG": "Disaffection is the attitude that people have when they stop supporting something such as an organization or political ideal" + }, + "requisition": { + "CHS": "正式请求;征用", + "ENG": "A requisition is a written document which allows a person or organization to obtain goods" + }, + "reprint": { + "CHS": "再版", + "ENG": "to print a book, story, newspaper article etc again" + }, + "cheerful": { + "CHS": "愉快的, 高兴的", + "ENG": "happy, or behaving in a way that shows you are happy" + }, + "entwine": { + "CHS": "(使)缠住, (使)盘绕", + "ENG": "to twist two things together or to wind one thing around another" + }, + "untie": { + "CHS": "解开, 松开", + "ENG": "to take the knots out of something, or unfasten something that has been tied" + }, + "impermeable": { + "CHS": "不能渗透的", + "ENG": "not allowing liquids or gases to pass through" + }, + "condenses": { + "CHS": "浓缩, 压缩", + "ENG": "If you condense something, especially a piece of writing or a speech, you make it shorter, usually by including only the most important parts" + }, + "pork": { + "CHS": "猪肉,", + "ENG": "the meat from pigs" + }, + "looseness": { + "CHS": "松开, 解除" + }, + "anchor": { + "CHS": "锚 v抛锚", + "ENG": "a piece of heavy metal that is lowered to the bottom of the sea, a lake etc to prevent a ship or boat moving" + }, + "governmental": { + "CHS": "政府的", + "ENG": "of a government, or relating to government" + }, + "auction": { + "CHS": "/ vt拍卖", + "ENG": "a public meeting where land, buildings, paintings etc are sold to the person who offers the most money for them" + }, + "successively": { + "CHS": "一个接一个地" + }, + "obey": { + "CHS": "服从, 顺从", + "ENG": "to do what someone in authority tells you to do, or what a law or rule says you must do" + }, + "romanize": { + "CHS": "古罗马化, 用罗马字书写" + }, + "permeate": { + "CHS": "弥漫, 渗透", + "ENG": "if liquid, gas etc permeates something, it enters it and spreads through every part of it" + }, + "teacup": { + "CHS": "茶杯", + "ENG": "a cup that you serve tea in" + }, + "allay": { + "CHS": "减轻, 减少", + "ENG": "to make someone feel less afraid, worried etc" + }, + "characterization": { + "CHS": "描述, 人物之创造", + "ENG": "the way in which the character of a real person or thing is described" + }, + "earthen": { + "CHS": "土制的, 陶制的", + "ENG": "an earthen floor or wall is made of soil" + }, + "insistence": { + "CHS": "坚持, 坚决主张", + "ENG": "when you demand that something should happen and refuse to let anyone say no" + }, + "whence": { + "CHS": "从何处;从那里", + "ENG": "from where" + }, + "nonporous": { + "CHS": "无细孔的" + }, + "turnover": { + "CHS": "翻转,营业额", + "ENG": "the amount of business done during a particular period" + }, + "fork": { + "CHS": "叉, 叉状物 vi分叉", + "ENG": "a tool you use for picking up and eating food, with a handle and three or four points" + }, + "deed": { + "CHS": "行为,事迹;契约", + "ENG": "something someone does, especially something that is very good or very bad" + }, + "southernmost": { + "CHS": "最南的", + "ENG": "furthest south" + }, + "landless": { + "CHS": "无土地的,无陆地的", + "ENG": "owning no land" + }, + "enhancement": { + "CHS": "增进, 增加" + }, + "memorize": { + "CHS": "记住, 记忆", + "ENG": "to learn words, music etc so that you know them perfectly" + }, + "session": { + "CHS": "会议, 开庭", + "ENG": "a formal meeting or group of meetings, especially of a law court or parliament" + }, + "indeterminate": { + "CHS": "不确定的, 含混的", + "ENG": "impossible to know about definitely or exactly" + }, + "unbalance": { + "CHS": "使失衡,使精神紊乱n失衡", + "ENG": "to make someone slightly crazy" + }, + "conclusively": { + "CHS": "最后地, 确定地" + }, + "fortuitous": { + "CHS": "偶然的, 幸运的", + "ENG": "happening by chance, especially in a way that has a good result" + }, + "hieroglyph": { + "CHS": "象形文字, 图画文字", + "ENG": "a picture or symbol used to represent a word or part of a word, especially in the ancient Egyptian writing system" + }, + "admirable": { + "CHS": "令人钦佩的,令人赞赏的", + "ENG": "having many good qualities that you respect and admire" + }, + "democratization": { + "CHS": "民主化" + }, + "peacefully": { + "CHS": "平静地, 和平地" + }, + "upheaval": { + "CHS": "剧变", + "ENG": "a very big change that often causes problems" + }, + "inflection": { + "CHS": "变形", + "ENG": "the way in which a word changes its form to show a difference in its meaning or use" + }, + "stocking": { + "CHS": "长袜", + "ENG": "a thin close-fitting piece of clothing that covers a woman’s leg and foot" + }, + "radiometric": { + "CHS": "辐射测量的, 辐射度的" + }, + "balkan": { + "CHS": "巴尔干半岛(的)" + }, + "thwart": { + "CHS": "阻挠", + "ENG": "to prevent someone from doing what they are trying to do" + }, + "hieratic": { + "CHS": "僧侣的, 僧侣用的", + "ENG": "of or relating to priests " + }, + "cater": { + "CHS": "迎合,提供饮食及服务", + "ENG": "to provide and serve food and drinks at a party, meeting etc, usually as a business" + }, + "intonation": { + "CHS": "语调, 声调", + "ENG": "the way in which the level of your voice changes in order to add meaning to what you are saying, for example by going up at the end of a question" + }, + "composite": { + "CHS": "合成的, 复合的 n合成物", + "ENG": "made up of different parts or materials" + }, + "fibrous": { + "CHS": "含纤维的, 纤维性的", + "ENG": "consisting of many fibres or looking like fibres" + }, + "pedagogic": { + "CHS": "教师的, 教育学的, 教授法的" + }, + "floe": { + "CHS": "大浮冰, 浮殡冰块", + "ENG": "an ice floe " + }, + "bony": { + "CHS": "多骨的, 瘦骨嶙峋的", + "ENG": "someone or part of their body that is bony is very thin" + }, + "synonym": { + "CHS": "同义字", + "ENG": "a word with the same meaning as another word in the same language" + }, + "listener": { + "CHS": "收听者, 听众", + "ENG": "someone who listens to the radio" + }, + "conductivity": { + "CHS": "传导性, 传导率" + }, + "physiology": { + "CHS": "生理学", + "ENG": "the science that studies the way in which the bodies of living things work" + }, + "miocene": { + "CHS": "中新世的, 中新统的", + "ENG": "of, denoting, or formed in the fourth epoch of the Tertiary period, between the Oligocene and Pliocene epochs, which lasted for 19 million years " + }, + "eletricity": { + "CHS": "电, 电学" + }, + "nowhere": { + "CHS": "无处,任何地方都不", + "ENG": "not in any place or to any place" + }, + "depiction": { + "CHS": "描写, 叙述", + "ENG": "A depiction of something is a picture or a written description of it" + }, + "gun": { + "CHS": "炮, 枪,", + "ENG": "a metal weapon which shoots bullets or shells " + }, + "groom": { + "CHS": "刷洗 n新郎;马夫", + "ENG": "to clean and brush an animal, especially a horse" + }, + "unfair": { + "CHS": "不公平的", + "ENG": "not right or fair, especially because not everyone has an equal opportunity" + }, + "prickly": { + "CHS": "多刺的", + "ENG": "covered with thin sharp points" + }, + "recurrent": { + "CHS": "再发生的, 周期性的", + "ENG": "happening or appearing several times" + }, + "pear": { + "CHS": "梨子, 梨树", + "ENG": "a sweet juicy fruit that has a round base and is thinner near the top, or the tree that produces this fruit" + }, + "monoid": { + "CHS": "独异点" + }, + "affront": { + "CHS": "侮辱,冒犯", + "ENG": "to offend or insult someone, especially by not showing respect" + }, + "deflect": { + "CHS": "(使)偏斜, (使)偏转", + "ENG": "if someone or something deflects something that is moving, or if it deflects, it turns in a different direction" + }, + "harper": { + "CHS": "弹竖琴者, 竖琴师" + }, + "discernible": { + "CHS": "可辨别的", + "ENG": "If something is discernible, you can see it or recognize that it exists" + }, + "selfish": { + "CHS": "自私的", + "ENG": "caring only about yourself and not about other people – used to show disapproval" + }, + "Maine": { + "CHS": "缅因州(美国东北角的州)" + }, + "watery": { + "CHS": "(似)水的, 潮湿的", + "ENG": "full of water or relating to water" + }, + "fad": { + "CHS": "时尚, 一时流行的狂热", + "ENG": "something that people like or do for a short time, or that is fashionable for a short time" + }, + "secretary": { + "CHS": "秘书, 部长", + "ENG": "someone who works in an office typing letters, keeping records, answering telephone calls, arranging meetings etc" + }, + "shy": { + "CHS": "怕羞的, 畏缩的", + "ENG": "nervous and embarrassed about meeting and speaking to other people, especially people you do not know" + }, + "catchment": { + "CHS": "排水,集水", + "ENG": "In geography, catchment is the process of collecting water, in particular the process of water flowing from the ground and collecting in a river. Catchment is also the water that is collected in this way. " + }, + "underscore": { + "CHS": "画底线", + "ENG": "to draw a line under a word or phrase to show that it is important" + }, + "tambourine": { + "CHS": "小手鼓", + "ENG": "a circular musical instrument consisting of a frame covered with skin or plastic and small pieces of metal that hang around the edge. You shake it or hit it with your hand." + }, + "fluidity": { + "CHS": "流动性,变移性" + }, + "ongoing": { + "CHS": "正在进行的", + "ENG": "continuing, or continuing to develop" + }, + "unhindered": { + "CHS": "无阻的, 不受阻碍的", + "ENG": "without hindrance " + }, + "fleet": { + "CHS": "舰队 v疾驰,掠过", + "ENG": "a group of ships, or all the ships in a navy" + }, + "almanac": { + "CHS": "历书, 年鉴", + "ENG": "a book produced each year containing information about a particular subject, especially a sport, or important dates, times etc" + }, + "breathtaking": { + "CHS": "令人赞叹的, 壮观的", + "ENG": "very impressive, exciting, or surprising" + }, + "coniferous": { + "CHS": "松类的, 结球果的" + }, + "loyalist": { + "CHS": "忠诚的人, 反对独立者", + "ENG": "someone who continues to support a government or country, especially during a period of change" + }, + "pray": { + "CHS": "祈祷, 恳求", + "ENG": "to speak to God in order to ask for help or give thanks" + }, + "incoming": { + "CHS": "引入的" + }, + "unpredictably": { + "CHS": "不可预见地, 不能预料地" + }, + "scraping": { + "CHS": "刮,擦", + "ENG": "the act of scraping " + }, + "reorganize": { + "CHS": "改组, 整顿", + "ENG": "to arrange or organize something in a new way" + }, + "Turkic": { + "CHS": "土耳其语(的), 土耳其语系者(的)", + "ENG": "a branch or subfamily of the Altaic family of languages, including Turkish, Turkmen, Kirghiz, Tatar, etc, members of which are found from Turkey to NE China, esp in central Asia " + }, + "immature": { + "CHS": "不成熟的, 未完全发展的", + "ENG": "someone who is immature behaves or thinks in a way that is typical of someone much younger – used to show disapproval" + }, + "accuracy": { + "CHS": "精确性, 正确度", + "ENG": "the ability to do something in an exact way without making a mistake" + }, + "momentarily": { + "CHS": "暂时地, 立刻地", + "ENG": "for a very short time" + }, + "overconfident": { + "CHS": "自负的, 过于自信的", + "ENG": "excessively confident " + }, + "expansionist": { + "CHS": "扩张主义(的)" + }, + "bother": { + "CHS": "烦扰, 打扰 v", + "ENG": "to annoy someone, especially by interrupting them when they are trying to do something" + }, + "boss": { + "CHS": "老板, 上司 vt指挥", + "ENG": "the person who employs you or who is in charge of you at work" + }, + "crowbar": { + "CHS": "撬棍, 铁橇", + "ENG": "a heavy iron bar used to lift something or force it open" + }, + "interdependence": { + "CHS": "互相依赖", + "ENG": "a situation in which people or things depend on each other" + }, + "magnitude": { + "CHS": "大小, 数量,量级", + "ENG": "the force of an earthquake " + }, + "broaden": { + "CHS": "放宽, 变宽, 扩大, 加宽", + "ENG": "to affect or include more people or things, or to make something affect or include more people or things" + }, + "till": { + "CHS": "直到, 在以前", + "ENG": "until" + }, + "inappropriate": { + "CHS": "不适当的, 不合宜的", + "ENG": "not suitable or right for a particular purpose or in a particular situation" + }, + "jar": { + "CHS": "罐子 v刺激,震动" + }, + "residue": { + "CHS": "残渣, 剩余物", + "ENG": "a substance that remains on a surface, in a container etc and cannot be removed easily, or that remains after a chemical process" + }, + "enterprising": { + "CHS": "有事业心的, 有进取心的", + "ENG": "having the ability to think of new activities or ideas and make them work" + }, + "moisten": { + "CHS": "弄湿 vi变潮湿" + }, + "medicinal": { + "CHS": "药物的,治疗的", + "ENG": "used for treating medical problems" + }, + "tribespeople": { + "CHS": "部落(或宗族等)成员" + }, + "unattractive": { + "CHS": "无魅力的, 无吸引力的", + "ENG": "not attractive, pretty, or pleasant to look at" + }, + "tug": { + "CHS": "用力拉, 拖船", + "ENG": "to pull with one or more short, quick pulls" + }, + "envelope": { + "CHS": "信封, 封套", + "ENG": "a thin paper cover in which you put and send a letter" + }, + "crucible": { + "CHS": "坩锅, 严酷的考验", + "ENG": "Crucible is used to refer to a situation in which something is tested or a conflict takes place, often one which produces something new" + }, + "misty": { + "CHS": "有薄雾的", + "ENG": "misty weather is weather with a lot of mist" + }, + "unbreakable": { + "CHS": "不易破碎的, 牢不可破的", + "ENG": "not able to be broken" + }, + "thumb": { + "CHS": "拇指", + "ENG": "the part of your hand that is shaped like a thick short finger and helps you to hold things" + }, + "intermittently": { + "CHS": "间歇地" + }, + "flotation": { + "CHS": "浮选", + "ENG": "a container filled with air or gas, fixed to something to make it float" + }, + "healthful": { + "CHS": "有益健康的", + "ENG": "likely to make you healthy" + }, + "mesh": { + "CHS": "网,筛孔", + "ENG": "material made from threads or wires that have been woven together like a net, or a piece of this material" + }, + "hydration": { + "CHS": "水合作用" + }, + "leafcutter": { + "CHS": "[昆]南美切叶蚁" + }, + "zagros": { + "CHS": "扎格罗斯山脉[伊朗西南部]" + }, + "Arabian": { + "CHS": "阿拉伯人 a阿拉伯(人)的" + }, + "bypass": { + "CHS": "绕开, 忽视 n旁道", + "ENG": "to avoid obeying a rule, system, or someone in an official position" + }, + "segregate": { + "CHS": "隔离", + "ENG": "to separate one group of people from others, especially because they are of a different race, sex, or religion" + }, + "willingness": { + "CHS": "乐意, 愿意" + }, + "marketplace": { + "CHS": "集会场所, 市场", + "ENG": "the part of business activity that is concerned with buying and selling goods in competition with other companies" + }, + "revenue": { + "CHS": "收入,税收", + "ENG": "money that a business or organization receives over a period of time, especially from selling goods or services" + }, + "unconsciously": { + "CHS": "无意识地;不觉察地" + }, + "forebear": { + "CHS": "祖先, 祖宗", + "ENG": "someone who was a member of your family a long time in the past" + }, + "snail": { + "CHS": "蜗牛", + "ENG": "a small soft creature that moves very slowly and has a hard shell on its back" + }, + "topography": { + "CHS": "地形学", + "ENG": "the science of describing an area of land, or making maps of it" + }, + "clergyman": { + "CHS": "牧师, 教士", + "ENG": "a male member of the clergy" + }, + "perm": { + "CHS": "/n电烫(头发)", + "ENG": "to make straight hair curly by using chemicals" + }, + "Haiti": { + "CHS": "海地" + }, + "fatigue": { + "CHS": "疲劳,劳累 v(使)疲劳", + "ENG": "very great tiredness" + }, + "wreck": { + "CHS": "毁坏;使遇难 n失事(船等),残骸", + "ENG": "to damage something such as a building or vehicle so badly that it cannot be repaired" + }, + "disintegrate": { + "CHS": "分裂成小片,瓦解", + "ENG": "to break up, or make something break up, into very small pieces" + }, + "moody": { + "CHS": "易怒的, 情绪化的", + "ENG": "annoyed or unhappy" + }, + "faithful": { + "CHS": "守信的, 忠实的", + "ENG": "remaining loyal to a particular person, belief, political party etc and continuing to support them" + }, + "awesome": { + "CHS": "可怕的, 表示敬畏的", + "ENG": "extremely impressive, serious, or difficult so that you feel great respect, worry, or fear" + }, + "kink": { + "CHS": "结 v纠结,纽绞", + "ENG": "a twist in something that is normally straight" + }, + "hydroelectric": { + "CHS": "水力电气的", + "ENG": "using water power to produce electricity" + }, + "favorably": { + "CHS": "赞同地, 亲切地" + }, + "proud": { + "CHS": "自豪的, 得意的", + "ENG": "feeling pleased about something that you have done or something that you own, or about someone or something you are involved with or related to" + }, + "unemployment": { + "CHS": "失业, 失业人数", + "ENG": "the number of people in a particular country or area who cannot get a job" + }, + "preferably": { + "CHS": "更好地,宁愿" + }, + "driveway": { + "CHS": "车道", + "ENG": "the hard area or road between your house and the street" + }, + "spacecraft": { + "CHS": "太空船" + }, + "hermit": { + "CHS": "隐士, 隐居者", + "ENG": "someone who lives alone and has a simple way of life, usually for religious reasons" + }, + "hurry": { + "CHS": "赶紧,匆忙", + "ENG": "to do something or go somewhere more quickly than usual, especially because there is not much time" + }, + "grab": { + "CHS": "抢夺, 攫取", + "ENG": "to take hold of someone or something with a sudden or violent movement" + }, + "pathway": { + "CHS": "路, 径", + "ENG": "a path" + }, + "guideline": { + "CHS": "方针", + "ENG": "rules or instructions about the best way to do something" + }, + "November": { + "CHS": "十一月(略作Nov)", + "ENG": "the 11th month of the year, between October and December" + }, + "lvory": { + "CHS": "象牙" + }, + "deluge": { + "CHS": "洪水, 豪雨", + "ENG": "a large flood, or period when there is a lot of rain" + }, + "minutely": { + "CHS": "每分钟的,持续的" + }, + "landlocked": { + "CHS": "陆地包围的, 内陆水域的", + "ENG": "a landlocked country, state etc is surrounded by other countries, states etc and has no coast" + }, + "rape": { + "CHS": "掠夺, 强奸", + "ENG": "to force someone to have sex, especially by using violence" + }, + "monolithic": { + "CHS": "单片电路, 单块集成电路" + }, + "cohesiveness": { + "CHS": "粘合, 凝聚性" + }, + "peculiarly": { + "CHS": "古怪地, 特有地", + "ENG": "in a strange or unusual way" + }, + "cruise": { + "CHS": "巡游, 漫游", + "ENG": "If a car, ship, or aircraft cruises somewhere, it moves there at a steady comfortable speed" + }, + "oceanographic": { + "CHS": "海洋学的" + }, + "vicious": { + "CHS": "恶毒的,凶残的", + "ENG": "violent and cruel in a way that hurts someone physically" + }, + "turnip": { + "CHS": "[植]芜箐(甘蓝)", + "ENG": "a large round pale yellow vegetable that grows under the ground, or the plant that produces it" + }, + "deck": { + "CHS": "甲板, 舰板", + "ENG": "the outside top level of a ship that you can walk or sit on" + }, + "congestion": { + "CHS": "拥塞, 充血", + "ENG": "If there is congestion in a place, the place is extremely crowded and blocked with traffic or people" + }, + "engender": { + "CHS": "造成" + }, + "workplace": { + "CHS": "工作场所", + "ENG": "the room, building etc where you work" + }, + "meticulous": { + "CHS": "一丝不苟的, 缜密的", + "ENG": "very careful about small details, and always making sure that everything is done correctly" + }, + "fluent": { + "CHS": "流利的, 流畅的", + "ENG": "able to speak a language very well" + }, + "impermanence": { + "CHS": "暂时, 无常" + }, + "impenetrable": { + "CHS": "不能穿过的, 不可理喻的", + "ENG": "impossible to get through, see through, or get into" + }, + "expendable": { + "CHS": "消耗品, 可牺牲的" + }, + "undeniable": { + "CHS": "不可否认的, 无可辩驳的", + "ENG": "definitely true or certain" + }, + "conqueror": { + "CHS": "征服者, 胜利者", + "ENG": "The conquerors of a country or group of people are the people who have taken complete control of that country or group's land" + }, + "incur": { + "CHS": "招致", + "ENG": "if you incur a cost, debt, or a fine, you have to pay money because of something you have done" + }, + "backbreaking": { + "CHS": "非常辛苦的,极累人的", + "ENG": "backbreaking work is physically difficult and makes you very tired" + }, + "commercialize": { + "CHS": "使商业化", + "ENG": "to be more concerned with making money from something than about its quality - used to show disapproval" + }, + "landsman": { + "CHS": "同胞,同乡" + }, + "albedo": { + "CHS": "[天文](星体)反照率", + "ENG": "the ratio of the intensity of light reflected from an object, such as a planet, to that of the light it receives from the sun " + }, + "verbalizable": { + "CHS": "可用言辞表达的" + }, + "incompatibility": { + "CHS": "不两立, 不相容" + }, + "gist": { + "CHS": "要点, 要旨", + "ENG": "the main idea and meaning of what someone has said or written" + }, + "doll": { + "CHS": "洋娃娃, 玩偶", + "ENG": "a child’s toy that looks like a small person or baby" + }, + "forefront": { + "CHS": "最前部, 最前线", + "ENG": "If you are at the forefront of a campaign or other activity, you have a leading and influential position in it" + }, + "classicism": { + "CHS": "古典主义,古典风格", + "ENG": "a style of art, literature etc that is simple, regular, and does not show strong emotions" + }, + "foresight": { + "CHS": "远见, 深谋远虑", + "ENG": "the ability to imagine what is likely to happen and to consider this when planning for the future" + }, + "infertile": { + "CHS": "贫瘠的, 不能生育的", + "ENG": "unable to have babies" + }, + "horticultural": { + "CHS": "园艺的", + "ENG": "Horticultural means concerned with horticulture" + }, + "parcel": { + "CHS": "包裹 vt打包, 捆扎", + "ENG": "an object that has been wrapped in paper or put in a special envelope, especially so that it can be sent by post" + }, + "hospitalize": { + "CHS": "就医, 使住院" + }, + "scanty": { + "CHS": "缺乏的,不足的", + "ENG": "not enough" + }, + "verbally": { + "CHS": "用言辞地, 口头地" + }, + "juicy": { + "CHS": "多汁(液)的", + "ENG": "containing a lot of juice" + }, + "trim": { + "CHS": "修剪", + "ENG": "to make something look neater by cutting small pieces off it" + }, + "physiologically": { + "CHS": "生理上, 在生理学上" + }, + "viewpoint": { + "CHS": "观点", + "ENG": "a particular way of thinking about a problem or subject" + }, + "chipmunk": { + "CHS": "[动] 花栗鼠", + "ENG": "a small American animal similar to a squirrel with black lines on its fur" + }, + "birthday": { + "CHS": "生日", + "ENG": "your birthday is a day that is an exact number of years after the day you were born" + }, + "jay": { + "CHS": "松鸡;鸟", + "ENG": "a bird of the crow family that is noisy and brightly coloured" + }, + "kernel": { + "CHS": "果仁,核心", + "ENG": "the part of a nut or seed inside the shell, or the part inside the stone of some fruits" + }, + "wine": { + "CHS": "(葡萄)酒", + "ENG": "an alcoholic drink made from grapes, or a type of this drink" + }, + "incline": { + "CHS": "(使)倾斜;倾向于, n斜面", + "ENG": "if a situation, fact etc inclines you to do or think something, it influences you towards a particular action or opinion" + }, + "stereotype": { + "CHS": "老套,固定模式", + "ENG": "a belief or idea of what a particular type of person or thing is like. Stereotypes are often unfair or untrue." + }, + "magnet": { + "CHS": "磁体, 磁铁", + "ENG": "a piece of iron or steel that can stick to metal or make other metal objects move towards itself" + }, + "trivial": { + "CHS": "琐碎的,不重要的" + }, + "distortion": { + "CHS": "扭曲, 变形,曲解", + "ENG": "Distortion is the changing of something into something that is not true or not acceptable" + }, + "circumstantially": { + "CHS": "因情形地, 附随地" + }, + "repute": { + "CHS": "名誉, 名声 v认为", + "ENG": "reputation" + }, + "grizzly": { + "CHS": "灰(白)色的" + }, + "zoo": { + "CHS": "动物园", + "ENG": "a place, usually in a city, where animals of many kinds are kept so that people can go to look at them" + }, + "Americanism": { + "CHS": "美国所创, 美国风俗, 美国精神" + }, + "implicate": { + "CHS": "含意, 暗示" + }, + "shortwave": { + "CHS": "短波", + "ENG": "Shortwave is a range of short radio wavelengths used for broadcasting" + }, + "processor": { + "CHS": "加工业者;处理机", + "ENG": "the central part of a computer that deals with the commands and information it is given" + }, + "fleshy": { + "CHS": "肉的, 多肉的", + "ENG": "having a lot of flesh" + }, + "fallout": { + "CHS": "辐射微尘, 原子尘, 附带结果", + "ENG": "the results of a particular event, especially when they are unexpected" + }, + "pluralism": { + "CHS": "复数, 兼职" + }, + "alumnus": { + "CHS": "男毕业生, 男校友", + "ENG": "a former student of a school, college etc" + }, + "heritage": { + "CHS": "遗产, 继承权", + "ENG": "the traditional beliefs, values, customs etc of a family, country, or society" + }, + "tenet": { + "CHS": "原则", + "ENG": "a principle or belief, especially one that is part of a larger system of beliefs" + }, + "logger": { + "CHS": "樵夫, 圆木装车机" + }, + "geochemical": { + "CHS": "地球化学的" + }, + "cloudlike": { + "CHS": "云雾状的" + }, + "aide": { + "CHS": "助手, 副官", + "ENG": "someone whose job is to help someone who has an important job, especially a politician" + }, + "vegetative": { + "CHS": "植物生长的,植物人状态的", + "ENG": "relating to plants, and particularly to the way they grow or make new plants" + }, + "quickest": { + "CHS": "最快的" + }, + "overgrow": { + "CHS": "长满", + "ENG": "to grow over or across (an area, path, lawn, etc) " + }, + "enlargement": { + "CHS": "放大", + "ENG": "a photograph that has been printed again in a bigger size" + }, + "downhill": { + "CHS": "下坡;向下" + }, + "idiomatic": { + "CHS": "地道的 成语的", + "ENG": "typical of the natural way in which someone speaks or writes when they are using their own language" + }, + "reckon": { + "CHS": "计算,估计", + "ENG": "to guess a number or amount, without calculating it exactly" + }, + "chromosphere": { + "CHS": "色球", + "ENG": "a gaseous layer of the sun's atmosphere extending from the photosphere to the corona and visible during a total eclipse of the sun " + }, + "nonproductive": { + "CHS": "非生产性的", + "ENG": "(of workers) not directly responsible for producing goods " + }, + "traverse": { + "CHS": "横渡,横越", + "ENG": "to move across, over, or through something, especially an area of land or water" + }, + "grammar": { + "CHS": "文法", + "ENG": "the rules by which words change their forms and are combined into sentences, or the study or use of these rules" + }, + "caliber": { + "CHS": "口径, 才干" + }, + "junior": { + "CHS": "年少的;资历较浅的 n年少者;晚辈", + "ENG": "relating to sport for young people below a particular age" + }, + "photosphere": { + "CHS": "光球", + "ENG": "the visible surface of the sun, several hundred kilometres thick " + }, + "millet": { + "CHS": "[植]稷, 粟", + "ENG": "the small seeds of a plant similar to grass, used as food" + }, + "ruler": { + "CHS": "统治者, (直)尺", + "ENG": "someone such as a king or queen who has official power over a country or area" + }, + "intimacy": { + "CHS": "亲密, 隐私", + "ENG": "a state of having a close personal relationship with someone" + }, + "coalescence": { + "CHS": "合并, 接合" + }, + "tantamount": { + "CHS": "同等的,相当于", + "ENG": "If you say that one thing is tantamount to another, more serious thing, you are emphasizing how bad, unacceptable, or unfortunate the first thing is by comparing it to the second thing" + }, + "rag": { + "CHS": "抹布", + "ENG": "a small piece of old cloth, for example one used for cleaning things" + }, + "zero": { + "CHS": "零点, 零度", + "ENG": "the number 0" + }, + "inorganic": { + "CHS": "无机的, 非自然生长的", + "ENG": "not consisting of anything that is living" + }, + "forever": { + "CHS": "永远, 永恒", + "ENG": "for all future time" + }, + "preen": { + "CHS": "整理羽毛,(人)打扮修饰", + "ENG": "if a bird preens or preens itself, it cleans itself and makes its feathers smooth using its beak" + }, + "marvelously": { + "CHS": "奇迹般地,奇异地" + }, + "cavalry": { + "CHS": "骑兵", + "ENG": "the part of an army that fights on horses, especially in the past" + }, + "unacceptable": { + "CHS": "不能接受的, 不受欢迎的", + "ENG": "something that is unacceptable is so wrong or bad that you think it should not be allowed" + }, + "unprofitable": { + "CHS": "没有利润的, 无益的", + "ENG": "making no profit" + }, + "fray": { + "CHS": "磨破,恼火", + "ENG": "if cloth or other material frays, or if something frays it, the threads become loose because the material is old" + }, + "reradiate": { + "CHS": "再辐射(转播)" + }, + "forge": { + "CHS": "铸造, 伪造", + "ENG": "to illegally copy something, especially something printed or written, to make people think that it is real" + }, + "tinge": { + "CHS": "(清淡的)色调 vt给…着色" + }, + "weld": { + "CHS": "焊接,焊缝", + "ENG": "to join metals by melting their edges and pressing them together when they are hot" + }, + "fanners": { + "CHS": "电风扇,通风机" + }, + "attractiveness": { + "CHS": "魅力, 吸引力" + }, + "unparalleled": { + "CHS": "无比的, 空前的", + "ENG": "bigger, better, or worse than anything else" + }, + "saddle": { + "CHS": "鞍;(自行车)座 vt装鞍", + "ENG": "a leather seat that you sit on when you ride a horse" + }, + "contamination": { + "CHS": "污染, 污染物" + }, + "dyestuff": { + "CHS": "染料", + "ENG": "a substance that can be used as a dye or from which a dye can be obtained " + }, + "disadvantageous": { + "CHS": "不利的", + "ENG": "unfavourable and likely to cause problems for you" + }, + "southerner": { + "CHS": "南方人, 居住在南方的人", + "ENG": "someone from the southern part of a country" + }, + "drab": { + "CHS": "土褐色的, 单调的", + "ENG": "boring" + }, + "vicinity": { + "CHS": "邻近, 附近", + "ENG": "in the area around a particular place" + }, + "resourcefulness": { + "CHS": "足智多谋" + }, + "micronesian": { + "CHS": "密克罗尼西亚人(的)", + "ENG": "a native or inhabitant of Micronesia, more akin to the Polynesians than the Melanesians, but having Mongoloid traces " + }, + "outrigger": { + "CHS": "(承力外伸)支架", + "ENG": "a framework for supporting a pontoon outside and parallel to the hull of a boat to provide stability " + }, + "narration": { + "CHS": "叙述", + "ENG": "the act of telling a story" + }, + "ere": { + "CHS": "在…之前" + }, + "usable": { + "CHS": "[亦作useable] 可用的, 合用的", + "ENG": "something that is usable can be used" + }, + "harmonious": { + "CHS": "和谐的, 和睦的", + "ENG": "harmonious relationships are ones in which people are friendly and helpful to one another" + }, + "anew": { + "CHS": "重新, 再", + "ENG": "to begin a different job, start to live in a different place etc, especially after a difficult period in your life" + }, + "ironically": { + "CHS": "具有讽刺意味地;嘲讽地", + "ENG": "used when talking about a situation in which the opposite of what you expected happens or is true" + }, + "genre": { + "CHS": "类型, 流派", + "ENG": "a particular type of art, writing, music etc, which has certain features that all examples of this type share" + }, + "marginal": { + "CHS": "边缘的, 边际的", + "ENG": "relating to a change in cost, value etc when one more thing is produced, one more dollar is earned etc" + }, + "visually": { + "CHS": "在视觉上地, 真实地" + }, + "primacy": { + "CHS": "首位", + "ENG": "if someone or something has primacy, they are the best or most important person or thing" + }, + "sago": { + "CHS": "西米, 西米椰子", + "ENG": "small white grains obtained from some palm trees, used to make sweet dishes with milk" + }, + "breadfruit": { + "CHS": "面包果树", + "ENG": "a large tropical fruit that looks like bread when it is cooked" + }, + "taro": { + "CHS": "芋头", + "ENG": "a tropical plant grown for its thick root, which is boiled and eaten" + }, + "sugarcane": { + "CHS": "[植]甘蔗", + "ENG": "a tall tropical plant from whose stems sugar is obtained" + }, + "predetermine": { + "CHS": "预先确定", + "ENG": "to determine beforehand " + }, + "nobody": { + "CHS": "无人, 没有任何人", + "ENG": "no one" + }, + "hazardous": { + "CHS": "危险的, 冒险的", + "ENG": "dangerous, especially to people’s health or safety" + }, + "unsuspected": { + "CHS": "未知的, 未被怀疑的", + "ENG": "If you describe something as unsuspected, you mean that people do not realize it or are not aware of it" + }, + "missionary": { + "CHS": "传教士(的) ,传教的,", + "ENG": "someone who has been sent to a foreign country to teach people about Christianity and persuade them to become Christians" + }, + "underestimate": { + "CHS": "估计不足,低估", + "ENG": "to think or guess that something is smaller, cheaper, easier etc than it really is" + }, + "nitrate": { + "CHS": "[化]硝酸盐, 硝酸钾", + "ENG": "used in the name of substances containing nitrogen and oxygen. Nitrates are often used to improve soil." + }, + "exportation": { + "CHS": "出口", + "ENG": "the act, business, or process of exporting goods or services " + }, + "extremity": { + "CHS": "极度,绝境", + "ENG": "The extremity of a situation or of someone's behaviour is the degree to which it is severe, unusual, or unacceptable" + }, + "converse": { + "CHS": "交谈 n反面说法 a相反的", + "ENG": "to have a conversation with someone" + }, + "grounding": { + "CHS": "基础训练, 染色的底色, [电]接地", + "ENG": "a training in the basic parts of a subject or skill" + }, + "spillage": { + "CHS": "溢出, 溢出量", + "ENG": "a spill2 1 " + }, + "curiously": { + "CHS": "好奇地" + }, + "timely": { + "CHS": "及时的, 适时的", + "ENG": "done or happening at exactly the right time" + }, + "ashore": { + "CHS": "向岸地, 在岸上地", + "ENG": "on or towards the shore of a lake, river, sea etc" + }, + "redesign": { + "CHS": "重新设计", + "ENG": "If a building, vehicle, or system is redesigned, it is rebuilt according to a new design in order to improve it" + }, + "citizenry": { + "CHS": "公民成市民(集合称)", + "ENG": "all the citizens in a particular town, country, or state" + }, + "scenario": { + "CHS": "剧情说明书,剧本", + "ENG": "a written description of the characters, place, and things that will happen in a film, play etc" + }, + "duplicate": { + "CHS": "复制品 a复制的 vt复制,复印", + "ENG": "Duplicate is also a noun" + }, + "wad": { + "CHS": "填料 vt填塞" + }, + "smelter": { + "CHS": "熔炉, 熔炼工", + "ENG": "A smelter is a container for smelting metal" + }, + "diamond": { + "CHS": "钻石,金钢石", + "ENG": "a clear, very hard valuable stone, used in jewellery and in industry" + }, + "crook": { + "CHS": "使弯曲", + "ENG": "if you crook your finger or your arm, you bend it" + }, + "pennycress": { + "CHS": "[植]菥蓂" + }, + "resort": { + "CHS": "求助,采用", + "ENG": "what you will do if everything else fails" + }, + "hydroponically": { + "CHS": "水耕法, 水栽培" + }, + "petiole": { + "CHS": "叶柄, 柄部", + "ENG": "the stalk by which a leaf is attached to the rest of the plant " + }, + "mobilize": { + "CHS": "动员", + "ENG": "to encourage people to support something in an active way" + }, + "conveniently": { + "CHS": "方便地;合宜地", + "ENG": "in a way that is useful to you because it saves you time or does not spoil your plans or cause you problems" + }, + "roller": { + "CHS": "滚筒", + "ENG": "a piece of equipment consisting of a tube-shaped piece of wood, metal etc that rolls over and over, used for painting, crushing, making things smoother etc" + }, + "paramount": { + "CHS": "极为重要的", + "ENG": "more important than anything else" + }, + "Shoshone": { + "CHS": "美国休休尼族印第安人;休休尼语", + "ENG": "a member of a North American Indian people of the southwestern US, related to the Aztecs " + }, + "puff": { + "CHS": "喘气;抽烟", + "ENG": "to breathe quickly and with difficulty after the effort of running, carrying something heavy etc" + }, + "salmon": { + "CHS": "[鱼]鲑鱼, 大麻哈鱼", + "ENG": "a large fish with silver skin and pink flesh that lives in the sea but swims up rivers to lay its eggs" + }, + "oxfordshire": { + "CHS": "牛津郡[英国]" + }, + "Isle": { + "CHS": "( 小)岛" + }, + "gaslit": { + "CHS": "以煤气灯照明的" + }, + "londoner": { + "CHS": "伦敦人" + }, + "microbe": { + "CHS": "微生物, 细菌", + "ENG": "an extremely small living thing which you can only see if you use a microscope . Some microbes can cause diseases." + }, + "tepee": { + "CHS": "美国印第安人的圆锥形帐篷", + "ENG": "a round tent with a pointed top, used by some Native Americans" + }, + "Pawnee": { + "CHS": "波尼族人(语)", + "ENG": "a member of a confederacy of related North American Indian peoples, formerly living in Nebraska and Kansas, now chiefly in Oklahoma " + }, + "experimenter": { + "CHS": "实验者" + }, + "virtual": { + "CHS": "实质的, 虚拟的", + "ENG": "made, done, seen etc on the Internet or on a computer, rather than in the real world" + }, + "inter": { + "CHS": "埋葬", + "ENG": "to bury a dead person" + }, + "spare": { + "CHS": "备用的;多余的", + "ENG": "not being used or not needed at the present time" + }, + "inanimate": { + "CHS": "无生命的", + "ENG": "not living" + }, + "halve": { + "CHS": "二等分, 分享" + }, + "commentary": { + "CHS": "注释, 解说词" + }, + "handsomely": { + "CHS": "漂亮地,慷慨地" + }, + "outcrop": { + "CHS": "露出地面的岩层", + "ENG": "a rock or group of rocks above the surface of the ground" + }, + "breadth": { + "CHS": "宽度, (布的)幅宽, (船)幅", + "ENG": "the distance from one side of something to the other" + }, + "parish": { + "CHS": "教区", + "ENG": "the area that a priest in some Christian churches is responsible for" + }, + "nucleic": { + "CHS": "核的" + }, + "pavement": { + "CHS": "人行道, 公路", + "ENG": "a hard level surface or path at the side of a road for people to walk on" + }, + "avid": { + "CHS": "渴望的" + }, + "pity": { + "CHS": "可怜 n怜悯, 同情", + "ENG": "to feel sorry for someone because they are in a very bad situation" + }, + "ascribe": { + "CHS": "归因于, 归咎于", + "ENG": "If you ascribe an event or condition to a particular cause, you say or consider that it was caused by that thing" + }, + "innumerable": { + "CHS": "无数的,数不清的", + "ENG": "very many, or too many to be counted" + }, + "totality": { + "CHS": "全部,总数", + "ENG": "the whole of something" + }, + "emigration": { + "CHS": "移民出境, 侨居" + }, + "peck": { + "CHS": "啄,小口地吃", + "ENG": "if a bird pecks something or pecks at something, it makes quick repeated movements with its beak to try to eat part of it, make a hole in it etc" + }, + "patriarch": { + "CHS": "家长, 族长, 创办人", + "ENG": "an old man who is respected as the head of a family or tribe" + }, + "grandeur": { + "CHS": "庄严, 伟大" + }, + "everlasting": { + "CHS": "永恒的, 持久的", + "ENG": "continuing for ever, even after someone has died" + }, + "detritus": { + "CHS": "碎石", + "ENG": "pieces of waste that remain after something has been broken up or used" + }, + "hover": { + "CHS": "盘旋", + "ENG": "if a bird, insect, or helicopter hovers, it stays in one place in the air" + }, + "completion": { + "CHS": "完成", + "ENG": "the state of being finished" + }, + "abound": { + "CHS": "富于, 充满", + "ENG": "If things abound, or if a place abounds with things, there are very large numbers of them" + }, + "lipid": { + "CHS": "脂质, 油脂", + "ENG": "one of several types of fattysubstances in living things, such as fat, oil, or wax" + }, + "smoky": { + "CHS": "冒烟的, 烟状的", + "ENG": "producing too much smoke" + }, + "confer": { + "CHS": "授予, 协商", + "ENG": "to officially give someone a title etc, especially as a reward for something they have achieved" + }, + "primeval": { + "CHS": "原始的, 早期的", + "ENG": "very ancient" + }, + "viral": { + "CHS": "滤过性毒菌的", + "ENG": "A viral disease or infection is caused by a virus" + }, + "subtraction": { + "CHS": "减少", + "ENG": "the process of taking a number or amount from a larger number or amount" + }, + "concentric": { + "CHS": "同中心的, 同轴的", + "ENG": "having the same centre" + }, + "iconography": { + "CHS": "肖像学, 肖像画法" + }, + "mite": { + "CHS": "微小的东西,", + "ENG": "a very small particle, creature, or object " + }, + "innate": { + "CHS": "先天的, 天生的", + "ENG": "an innate quality or ability is something you are born with" + }, + "indigenous": { + "CHS": "本地的, 天生的", + "ENG": "indigenous people or things have always been in the place where they are, rather than being brought there from somewhere else" + }, + "fog": { + "CHS": "雾, 烟雾", + "ENG": "cloudy air near the ground which is difficult to see through" + }, + "remnant": { + "CHS": "残余, 剩余", + "ENG": "a small part of something that remains after the rest of it has been used, destroyed, or eaten" + }, + "graceful": { + "CHS": "优美的", + "ENG": "moving in a smooth and attractive way, or having an attractive shape or form" + }, + "toehold": { + "CHS": "(攀岩时的)立足点,(发展的)起点", + "ENG": "your first involvement in a particular activity, from which you can develop and become stronger" + }, + "wise": { + "CHS": "英明的, 明智的", + "ENG": "wise decisions and actions are sensible and based on good judgment" + }, + "eon": { + "CHS": "永世, 无数的年代" + }, + "planetary": { + "CHS": "行星的", + "ENG": "Planetary means relating to or belonging to planets" + }, + "cuspidor": { + "CHS": "痰盂" + }, + "activist": { + "CHS": "激进主义分子, 行动主义分子", + "ENG": "An activist is a person who works to bring about political or social changes by campaigning in public or working for an organization" + }, + "hue": { + "CHS": "色彩,色调", + "ENG": "a colour or type of colour" + }, + "identification": { + "CHS": "辨认, 鉴定", + "ENG": "when someone says officially that they know who someone else is, especially a criminal or a dead person" + }, + "weakly": { + "CHS": "虚弱地, 软弱地" + }, + "doorknob": { + "CHS": "门把手", + "ENG": "a round handle that you turn to open a door" + }, + "incessant": { + "CHS": "不断的, 无尽的", + "ENG": "continuing without stopping" + }, + "fancy": { + "CHS": "喜欢n爱好;想象力", + "ENG": "to like or want something, or want to do something" + }, + "widow": { + "CHS": "寡妇", + "ENG": "a woman whose husband has died and who has not married again" + }, + "preliminary": { + "CHS": "预备的, 初步的", + "ENG": "happening before something that is more important, often in order to prepare for it" + }, + "tieback": { + "CHS": "牵索, 拉条" + }, + "loyal": { + "CHS": "忠诚的, 忠心的", + "ENG": "always supporting your friends, principles, country etc" + }, + "afloat": { + "CHS": "飘浮的, 传播的" + }, + "mistrust": { + "CHS": "不信任, 猜疑", + "ENG": "the feeling that you cannot trust someone, especially because you think they may treat you unfairly or dishonestly" + }, + "interviewer": { + "CHS": "会见者" + }, + "affectional": { + "CHS": "情感上的, 爱情的" + }, + "southerly": { + "CHS": "向南方的 ad在南方", + "ENG": "towards or in the south" + }, + "covering": { + "CHS": "遮盖物", + "ENG": "something that covers or hides something" + }, + "abnormal": { + "CHS": "反常的, 变态的", + "ENG": "very different from usual in a way that seems strange, worrying, wrong, or dangerous" + }, + "shopper": { + "CHS": "购物者", + "ENG": "someone who buys things in shops" + }, + "correspondingly": { + "CHS": "相应地", + "ENG": "You use correspondingly when describing a situation which is closely connected with one you have just mentioned or is similar to it" + }, + "varicolored": { + "CHS": "杂色的, 多色的", + "ENG": "having many colours; variegated; motley " + }, + "flap": { + "CHS": "片状垂悬物;飘动 v飘动,拍动", + "ENG": "a thin flat piece of cloth, paper, skin etc that is fixed by one edge to a surface, which you can lift up easily" + }, + "psychoanalyst": { + "CHS": "心理分析学者", + "ENG": "A psychoanalyst is someone who treats people who have mental problems using psychoanalysis" + }, + "stagecraft": { + "CHS": "编剧才能,演出技术", + "ENG": "skill and experience in writing, or organizing the performance of, a play" + }, + "lifeblood": { + "CHS": "生命必须的血液, 活力的源泉", + "ENG": "your blood" + }, + "autobiography": { + "CHS": "自传", + "ENG": "a book in which someone writes about their own life, or books of this type" + }, + "bedpan": { + "CHS": "便盆, 睡床用脚炉", + "ENG": "a low wide container used as a toilet by someone who is too ill to get out of bed" + }, + "streak": { + "CHS": "条纹vi疾驶 vt加条纹", + "ENG": "a coloured line, especially one that is not straight or has been made accidentally" + }, + "duet": { + "CHS": "二重奏", + "ENG": "a piece of music for two singers or players" + }, + "daughter": { + "CHS": "女儿", + "ENG": "someone’s female child" + }, + "sentimentalized": { + "CHS": "流于感伤, 变多愁善感" + }, + "rentable": { + "CHS": "可出租的" + }, + "voluminous": { + "CHS": "卷数多的,大量的", + "ENG": "a voluminous container is very large and can hold a lot of things" + }, + "glare": { + "CHS": "闪耀光, 刺眼 v发眩光, 瞪视", + "ENG": "a bright unpleasant light which hurts your eyes" + }, + "stint": { + "CHS": "紧缩,节省" + }, + "glory": { + "CHS": "荣誉, 光荣", + "ENG": "the importance, honour, and praise that people give someone they admire a lot" + }, + "wand": { + "CHS": "魔杖;[乐]指挥棒", + "ENG": "a thin stick that you hold in your hand to do magic tricks" + }, + "cud": { + "CHS": "反刍的食物", + "ENG": "food that a cow or similar animal has chewed, swallowed, and brought back into its mouth to chew a second time" + }, + "inhibition": { + "CHS": "禁止, 阻止" + }, + "innocent": { + "CHS": "清白的, 无罪的, 天真的", + "ENG": "not guilty of a crime" + }, + "chomp": { + "CHS": "大声地咀嚼, 反复咀嚼" + }, + "civic": { + "CHS": "市的, 市民的", + "ENG": "relating to a town or city" + }, + "stout": { + "CHS": "发胖的;结实的", + "ENG": "strong and thick" + }, + "inconsistency": { + "CHS": "矛盾", + "ENG": "a situation in which two statements are different and cannot both be true" + }, + "perceivable": { + "CHS": "可知觉的" + }, + "posit": { + "CHS": "安置" + }, + "incompletely": { + "CHS": "不完全地" + }, + "subjugate": { + "CHS": "使屈服,征服", + "ENG": "to defeat a person or group and make them obey you" + }, + "lamina": { + "CHS": "薄板, 薄层" + }, + "uniformitarianism": { + "CHS": "[地质]均变论", + "ENG": "the concept that the earth's surface was shaped in the past by gradual processes, such as erosion, and by small sudden changes, such as earthquakes, of the type acting today rather than by the sudden divine acts, such as the flood survived by Noah (Genesis 6" + }, + "guidance": { + "CHS": "指导, 领导", + "ENG": "help and advice that is given to someone about their work, education, or personal life" + }, + "disappoint": { + "CHS": "使失望", + "ENG": "to make someone feel unhappy because something they hoped for did not happen or was not as good as they expected" + }, + "wit": { + "CHS": "智力, 才智", + "ENG": "your ability to think quickly and make the right decisions" + }, + "contributory": { + "CHS": "贡献的, 捐助的" + }, + "beloved": { + "CHS": "心爱的 n所爱的人", + "ENG": "loved very much by someone" + }, + "ration": { + "CHS": "定额, 定量", + "ENG": "a fixed amount of something that people are allowed to have when there is not enough, for example during a war" + }, + "sunshine": { + "CHS": "阳光", + "ENG": "the light and heat that come from the sun when there is no cloud" + }, + "exponent": { + "CHS": "阐述者,倡导者", + "ENG": "an exponent of an idea, belief etc tries to explain it and persuade others that it is good or useful" + }, + "intellectually": { + "CHS": "理智地, 与智力(或思维)有关地" + }, + "concoct": { + "CHS": "编造;调制", + "ENG": "to invent a clever story, excuse, or plan, especially in order to deceive someone" + }, + "darling": { + "CHS": "心爱的人, 亲爱的", + "ENG": "used when speaking to someone you love" + }, + "leaning": { + "CHS": "倾斜, 倾向", + "ENG": "a tendency to prefer or agree with a particular set of beliefs, opinions etc" + }, + "seclusion": { + "CHS": "隔离", + "ENG": "the state of being private and away from other people" + }, + "vulnerability": { + "CHS": "弱点, 攻击" + }, + "candid": { + "CHS": "率直的, 坦诚的", + "ENG": "telling the truth, even when the truth may be unpleasant or embarrassing" + }, + "puritan": { + "CHS": "清教徒 a清教徒的", + "ENG": "someone with strict moral views who thinks that pleasure is unnecessary and wrong" + }, + "regurgitate": { + "CHS": "反刍,(液体)回流", + "ENG": "to bring food that you have already swallowed, back into your mouth" + }, + "ruminate": { + "CHS": "反刍, 沉思", + "ENG": "to think carefully and deeply about something" + }, + "flatten": { + "CHS": "变平, 变单调", + "ENG": "to make something flat or flatter, or to become flat or flatter" + }, + "milkweed": { + "CHS": "乳草属植物", + "ENG": "any plant of the mostly North American genus Asclepias, having milky sap and pointed pods that split open to release tufted seeds: family Asclepiadaceae " + }, + "divergent": { + "CHS": "分歧的,分开的, 偏离的", + "ENG": "Divergent things are different from each other" + }, + "unproven": { + "CHS": "未经证明的, 未经检验的", + "ENG": "not proved or tested" + }, + "permafrost": { + "CHS": "[地]永久冻结带", + "ENG": "a layer of soil that is always frozen in countries where it is very cold" + }, + "stocky": { + "CHS": "矮壮的, 健壮结实的", + "ENG": "a stocky person is short and heavy and looks strong" + }, + "convergence": { + "CHS": "集中, 收敛" + }, + "conceivably": { + "CHS": "可想到地, 想象中" + }, + "rat": { + "CHS": "老鼠", + "ENG": "an animal that looks like a large mouse with a long tail" + }, + "statistical": { + "CHS": "统计的, 统计学的", + "ENG": "Statistical means relating to the use of statistics" + }, + "Venice": { + "CHS": "威尼斯(意大利港市)" + }, + "tiffany": { + "CHS": "纱的一种" + }, + "chase": { + "CHS": "追赶, 追逐", + "ENG": "to quickly follow someone or something in order to catch them" + }, + "hardware": { + "CHS": "五金器具", + "ENG": "equipment and tools for your home and garden" + }, + "bunch": { + "CHS": "串, 束 v捆成一束", + "ENG": "a group of things that are fastened, held, or growing together" + }, + "uproot": { + "CHS": "连根拔起, 根除" + }, + "refuge": { + "CHS": "庇护, 避难所", + "ENG": "shelter or protection from someone or something" + }, + "unnatural": { + "CHS": "不自然的, 反常的", + "ENG": "different from what you would normally expect" + }, + "powerfully": { + "CHS": "非常地,强有力地" + }, + "nursing": { + "CHS": "看护, 养育" + }, + "enamel": { + "CHS": "珐琅, 瓷釉", + "ENG": "a hard shiny substance that is put onto metal, clay etc for decoration or protection" + }, + "gossamer": { + "CHS": "蛛丝,薄纱 a轻而薄的", + "ENG": "a very light thin material" + }, + "unnecessarily": { + "CHS": "不必要地, 徒然" + }, + "cube": { + "CHS": "立方体, 立方", + "ENG": "a solid object with six equal square sides" + }, + "monogamous": { + "CHS": "一夫一妻的, 单配的" + }, + "unwieldy": { + "CHS": "笨重的,笨拙的", + "ENG": "an unwieldy object is big, heavy, and difficult to carry or use" + }, + "coloration": { + "CHS": "染色, 着色" + }, + "butler": { + "CHS": "仆役长, 男管家", + "ENG": "the main male servant of a house" + }, + "Caribbean": { + "CHS": "加勒比海", + "ENG": "The Caribbean is the sea which is between the West Indies, Central America and the north coast of South America" + }, + "anatomy": { + "CHS": "剖析, 解剖学", + "ENG": "the scientific study of the structure of human or animal bodies" + }, + "flop": { + "CHS": "猛落,惨败" + }, + "pulse": { + "CHS": "脉搏, 脉冲", + "ENG": "the regular beat that can be felt, for example at your wrist, as your heart pumps blood around your body" + }, + "genuinely": { + "CHS": "真正地, 由衷地" + }, + "bomb": { + "CHS": "炸弹 vt投弹于", + "ENG": "a weapon made of material that will explode" + }, + "flint": { + "CHS": "打火石, 燧石", + "ENG": "a type of smooth hard stone that makes a small flame when you hit it with steel" + }, + "vicissitude": { + "CHS": "变迁兴衰" + }, + "quantitative": { + "CHS": "数量的, 定量的", + "ENG": "relating to amounts rather than to the quality or standard of something" + }, + "suitably": { + "CHS": "合适地, 适宜地", + "ENG": "having the amount of a feeling or quality you would hope for in a particular situation" + }, + "colorless": { + "CHS": "无色的, 无趣味的" + }, + "cider": { + "CHS": "苹果酒", + "ENG": "an alcoholic drink made from apples, or a glass of this drink" + }, + "bard": { + "CHS": "吟游诗人", + "ENG": "a poet" + }, + "chop": { + "CHS": "砍,劈,斩", + "ENG": "to cut something into smaller pieces" + }, + "presage": { + "CHS": "预兆 v预示" + }, + "flatboat": { + "CHS": "(浅水)平底船", + "ENG": "any boat with a flat bottom, usually for transporting goods on a canal or river " + }, + "onion": { + "CHS": "洋葱", + "ENG": "a round white vegetable with a brown, red, or white skin and many layers. Onions have a strong taste and smell." + }, + "cleanliness": { + "CHS": "洁癖, 清洁", + "ENG": "the practice of keeping yourself or the things around you clean" + }, + "peal": { + "CHS": "钟声 v(使)鸣响", + "ENG": "the loud ringing sound made by a bell" + }, + "mow": { + "CHS": "割(草)", + "ENG": "to cut grass using a machine" + }, + "professionalism": { + "CHS": "职业水准或特性, 职业化", + "ENG": "the skill and high standards of behaviour expected of a professional person" + }, + "monochrome": { + "CHS": "单色 单色的" + }, + "incessantly": { + "CHS": "不间断地" + }, + "damper": { + "CHS": "风阀, 减音器", + "ENG": "a piece of equipment that stops a piano string from making a sound" + }, + "lightweight": { + "CHS": "轻量级选手, 不能胜任者", + "ENG": "a boxer who weighs less than 61.24 kilograms, and who is heavier than a featherweight but lighter than a welterweight" + }, + "polychrome": { + "CHS": "彩饰的 n多彩艺术品", + "ENG": "having various or changing colours; polychromatic " + }, + "coriander": { + "CHS": "[植]胡荽", + "ENG": "a herb, used especially in Asian and Mexican cooking" + }, + "tedium": { + "CHS": "厌烦, 沉闷" + }, + "foothill": { + "CHS": "山麓小丘, 丘陵地带", + "ENG": "one of the smaller hills below a group of high mountains" + }, + "momentous": { + "CHS": "重要的, 重大的", + "ENG": "a momentous event, change, or decision is very important because it will have a great influence on the future" + }, + "chateau": { + "CHS": "城堡", + "ENG": "a castle or large country house in France" + }, + "provincialism": { + "CHS": "地方风尚", + "ENG": "Provincialism is the holding of old-fashioned attitudes and opinions, which some people think is typical of people in areas away from the capital city or any large city of a country" + }, + "husk": { + "CHS": "外壳;v剥壳,削皮", + "ENG": "the dry outer part of corn, some grains, seeds, nuts etc" + }, + "seashell": { + "CHS": "海贝壳", + "ENG": "the empty shell of a small sea creature" + }, + "emigrant": { + "CHS": "移居外国者, 移民", + "ENG": "someone who leaves their own country to live in another" + }, + "quitter": { + "CHS": "轻易停止的人, 懦夫" + }, + "unsettle": { + "CHS": "不安", + "ENG": "to make someone feel slightly nervous, worried, or upset" + }, + "feasibility": { + "CHS": "可行性, 可能性" + }, + "unending": { + "CHS": "不断的, 不断重复的", + "ENG": "something, especially something bad, that is unending seems as if it will continue for ever" + }, + "dispatch": { + "CHS": "分派, 派遣", + "ENG": "to send someone or something somewhere for a particular purpose" + }, + "eradication": { + "CHS": "连根拔除, 根除" + }, + "fun": { + "CHS": "娱乐, 玩笑", + "ENG": "an experience or activity that is very enjoyable and exciting" + }, + "disapproval": { + "CHS": "不赞成", + "ENG": "an attitude that shows you think that someone or their behaviour, ideas etc are bad or not suitable" + }, + "junction": { + "CHS": "连接, 接合", + "ENG": "a place where one road, track etc joins another" + }, + "upriver": { + "CHS": "上游的 ad在上游", + "ENG": "Upriver is also an adjective" + }, + "reorient": { + "CHS": "重定的方向(或方位)" + }, + "portend": { + "CHS": "预示", + "ENG": "to be a sign that something is going to happen, especially something bad" + }, + "neatness": { + "CHS": "整洁, 干净" + }, + "nonnative": { + "CHS": "非本地的, 非本地人" + }, + "chug": { + "CHS": "发出轧轧声" + }, + "intercommunity": { + "CHS": "共同性, 共有" + }, + "shear": { + "CHS": "剪, 剪切", + "ENG": "to cut the wool off a sheep" + }, + "townspeople": { + "CHS": "市民, 镇民", + "ENG": "all the people who live in a particular town" + }, + "Utopian": { + "CHS": "乌托邦式的,梦想的", + "ENG": "Utopian is used to describe political or religious philosophies which claim that it is possible to build a new and perfect society in which everyone is happy" + }, + "intensely": { + "CHS": "激烈地;热切地" + }, + "biogeochemical": { + "CHS": "生物地球化学的" + }, + "loder": { + "CHS": "[计]装填器" + }, + "homespun": { + "CHS": "手织物" + }, + "unwelcome": { + "CHS": "不受欢迎的, 讨厌的", + "ENG": "unwelcome guests, visitors etc are people who you do not want in your home" + }, + "avoidable": { + "CHS": "可避免的", + "ENG": "something bad that is avoidable can be avoided or prevented" + }, + "referee": { + "CHS": "裁判员 v裁判, 仲裁", + "ENG": "someone who makes sure that the rules of a sport such as football, basketball , or boxing , are followed" + }, + "predetermined": { + "CHS": "预订的", + "ENG": "decided or arranged before something happens, so that it does not happen by chance" + }, + "unselective": { + "CHS": "非选择性的" + }, + "sensitively": { + "CHS": "易感知地, 神经过敏地" + }, + "authenticity": { + "CHS": "确实性, 真实性", + "ENG": "the quality of being real or true" + }, + "discredit": { + "CHS": "怀疑 n丧失名誉", + "ENG": "To discredit someone or something means to cause them to lose people's respect or trust" + }, + "superorganisms": { + "CHS": "[生]超个体(指群居昆虫等的群体)" + }, + "exclusion": { + "CHS": "排除, 除外", + "ENG": "when someone is not allowed to take part in something or enter a place" + }, + "floodplain": { + "CHS": "泛洪平原, 漫滩" + }, + "preservative": { + "CHS": "防腐剂", + "ENG": "a chemical substance that is used to prevent things from decaying, for example food or wood" + }, + "sill": { + "CHS": "基石(岩床底面)" + }, + "insightful": { + "CHS": "有深刻见解的, 富有洞察力的", + "ENG": "able to understand, or showing that you understand, what a situation or person is really like" + }, + "misdeed": { + "CHS": "罪行, 犯罪" + }, + "proficient": { + "CHS": "精通" + }, + "salmonberry": { + "CHS": "美洲大树莓", + "ENG": "a spineless raspberry bush, Rubus spectabilis, of North America, having reddish-purple flowers and large red or yellow edible fruits " + }, + "optimization": { + "CHS": "最佳化, 最优化" + }, + "snugly": { + "CHS": "舒适温暖地, 整洁地" + }, + "dripstone": { + "CHS": "滴水石" + }, + "counterexample": { + "CHS": "反例", + "ENG": "an example or fact that is inconsistent with a hypothesis and may be used in argument against it " + }, + "dapple": { + "CHS": "(使)有斑纹", + "ENG": "to mark something with spots of colour, light, or shade" + }, + "multifaceted": { + "CHS": "多层面的", + "ENG": "having many parts or sides" + }, + "flesh": { + "CHS": "肉,果肉", + "ENG": "the soft part of the body of a person or animal that is between the skin and the bones" + }, + "alluvial": { + "CHS": "冲积的, 淤积的", + "ENG": "made of soil left by rivers, lakes, floods etc" + }, + "welt": { + "CHS": "鞭痕, 贴边vt贴边于" + }, + "rootless": { + "CHS": "无根的, 无根据的", + "ENG": "having nowhere that you feel is really your home" + }, + "fecund": { + "CHS": "生殖力旺盛的, 多产的", + "ENG": "able to produce many children, young animals, or crops" + }, + "proliferation": { + "CHS": "增殖, 分芽繁殖", + "ENG": "a sudden increase in the amount or number of something" + }, + "loam": { + "CHS": "肥土", + "ENG": "good quality soil consisting of sand, clay, and decayed plants" + }, + "petticoat": { + "CHS": "衬裙, 裙子", + "ENG": "a piece of women’s underwear like a thin skirt or dress that is worn under a skirt or dress" + }, + "reluctant": { + "CHS": "不情愿的, 勉强的", + "ENG": "slow and unwilling" + }, + "stratify": { + "CHS": "(使)成层", + "ENG": "to form or be formed in layers or strata " + }, + "basketwork": { + "CHS": "编织物" + }, + "commercialization": { + "CHS": "商品化" + }, + "acidity": { + "CHS": "酸度, 酸性, [医]酸过多, 胃酸过多" + }, + "tray": { + "CHS": "盘, 碟", + "ENG": "a flat piece of plastic, metal, or wood, with raised edges, used for carrying things such as plates, food etc" + }, + "intently": { + "CHS": "专心地, 集中地" + }, + "excel": { + "CHS": "优秀, 胜过他人", + "ENG": "to do something very well, or much better than most people" + }, + "diligence": { + "CHS": "勤奋" + }, + "separable": { + "CHS": "可分离的, 可分的", + "ENG": "two things that are separable can be separated or considered separately" + }, + "breast": { + "CHS": "胸脯,乳房", + "ENG": "one of the two round raised parts on a woman’s chest that produce milk when she has a baby" + }, + "thimble": { + "CHS": "顶针;嵌环", + "ENG": "a small metal or plastic cap used to protect your finger when you are sewing" + }, + "overload": { + "CHS": "使超载 n超载", + "ENG": "to put too many things or people on or into something" + }, + "cyclic": { + "CHS": "循环的,周期性的", + "ENG": "happening in cycles" + }, + "worst": { + "CHS": "最坏(的),最差(的)" + }, + "buyer": { + "CHS": "买主, 顾客", + "ENG": "someone who buys something expensive such as a house or car" + }, + "dim": { + "CHS": "(使)暗淡,(使)模糊", + "ENG": "if a light dims, or if you dim it, it becomes less bright" + }, + "lop": { + "CHS": "剪去, 砍掉", + "ENG": "to cut something, especially branches from a tree, usually with a single strong movement" + }, + "harmfully": { + "CHS": "伤害地,有害地" + }, + "boxlike": { + "CHS": "象箱子一样的" + }, + "amazingly": { + "CHS": "惊奇地, 惊人地" + }, + "pinhole": { + "CHS": "针孔, 小孔", + "ENG": "a very small hole in something, especially one made by a pin" + }, + "admittedly": { + "CHS": "不可否认的, 公认地", + "ENG": "used when you are admitting that something is true" + }, + "maternal": { + "CHS": "母亲的, 母系的", + "ENG": "typical of the way a good mother behaves or feels" + }, + "wintertime": { + "CHS": "冬, 冬季", + "ENG": "the time when it is winter" + }, + "pliable": { + "CHS": "柔顺的", + "ENG": "able to bend without breaking or cracking" + }, + "anthropologically": { + "CHS": "人类学上" + }, + "cobble": { + "CHS": "修补", + "ENG": "to repair or make shoes" + }, + "bachelor": { + "CHS": "单身汉, 文理学士", + "ENG": "a man who has never been married" + }, + "literate": { + "CHS": "有读写能力的;有文化修养的", + "ENG": "able to read and write" + }, + "totemism": { + "CHS": "对图腾的信仰, 图腾制度", + "ENG": "the belief in kinship of groups or individuals having a common totem " + }, + "enigmatic": { + "CHS": "谜的, 莫明其妙的" + }, + "illiterate": { + "CHS": "文盲 a不识字的", + "ENG": "someone who has not learned to read or write" + }, + "allusion": { + "CHS": "提及, 暗示", + "ENG": "something said or written that mentions a subject, person etc indirectly" + }, + "inquire": { + "CHS": "询问, 查究", + "ENG": "to ask someone for information" + }, + "proclivity": { + "CHS": "倾向", + "ENG": "a tendency to behave in a particular way, or to like a particular thing – used especially about something bad" + }, + "awkwardly": { + "CHS": "笨拙地, 无技巧地" + }, + "contention": { + "CHS": "争夺, 争论", + "ENG": "argument and disagreement between people" + }, + "recount": { + "CHS": "叙述", + "ENG": "to tell someone a story or describe a series of events" + }, + "sorrow": { + "CHS": "悲哀, 悲痛", + "ENG": "a feeling of great sadness, usually because someone has died or because something terrible has happened to you" + }, + "escutcheon": { + "CHS": "有花纹的盾, 锁眼盖, 孔罩", + "ENG": "a shield, esp a heraldic one that displays a coat of arms " + }, + "horticulturalist": { + "CHS": "园艺家", + "ENG": "A horticulturalist is a person who grows flowers, fruit, and vegetables, especially as their job" + }, + "reunion": { + "CHS": "团圆, 重聚", + "ENG": "a social meeting of people who have not met for a long time, especially people who were at school or college together" + }, + "alphabetically": { + "CHS": "按字母表顺序地" + }, + "carelessly": { + "CHS": "粗心地;疏忽地", + "ENG": "If someone does something carelessly, they do it without much thought or effort" + }, + "supermodel": { + "CHS": "超级名模", + "ENG": "a very famous fashion model" + }, + "brusquely": { + "CHS": "唐突地, 粗率地" + }, + "stubble": { + "CHS": "短须, 麦茬", + "ENG": "short stiff hairs that grow on a man’s face if he does not shave " + }, + "solely": { + "CHS": "独自地, 单独地", + "ENG": "not involving anything or anyone else" + }, + "flout": { + "CHS": "轻视, 嘲笑", + "ENG": "If you flout something such as a law, an order, or an accepted way of behaving, you deliberately do not obey it or follow it" + }, + "chihuahua": { + "CHS": "吉娃娃(一种产于墨西哥的狗)", + "ENG": "A Chihuahua is a very small dog with short hair" + }, + "morphological": { + "CHS": "形态学的" + }, + "reactive": { + "CHS": "反应的, 反作用的", + "ENG": "reacting to events or situations rather than starting or doing new things yourself" + }, + "Philippine": { + "CHS": "菲律宾的, 菲律宾人的", + "ENG": "Philippine means belonging or relating to the Philippines, or to their people or culture" + }, + "geothermally": { + "CHS": "地热的" + }, + "inflow": { + "CHS": "流入, 流入物", + "ENG": "the movement of people, money, goods etc into a place" + }, + "subfreezing": { + "CHS": "低于冰点的" + }, + "anthropomorphism": { + "CHS": "拟人论,拟人观", + "ENG": "the belief that animals or objects have the same feelings and qualities as humans" + }, + "slot": { + "CHS": "狭缝;空位", + "ENG": "a long narrow hole in a surface, that you can put something into" + }, + "mansion": { + "CHS": "大厦, 官邸", + "ENG": "a very large house" + }, + "awkward": { + "CHS": "难使用的, 笨拙的", + "ENG": "making you feel embarrassed so that you are not sure what to do or say" + }, + "constraint": { + "CHS": "约束, 强制", + "ENG": "something that limits your freedom to do what you want" + }, + "linger": { + "CHS": "逗留, 闲荡", + "ENG": "to stay somewhere a little longer, especially because you do not want to leave" + }, + "confinement": { + "CHS": "限制, 禁闭", + "ENG": "the act of putting someone in a room, prison etc that they are not allowed to leave, or the state of being there" + }, + "centrally": { + "CHS": "在中心, 在中央" + }, + "adversity": { + "CHS": "灾祸, 逆境", + "ENG": "a situation in which you have a lot of problems that seem to be caused by bad luck" + }, + "imaginative": { + "CHS": "富有想象力的", + "ENG": "containing new and interesting ideas" + }, + "incapacitated": { + "CHS": "使不能", + "ENG": "If something incapacitates you, it weakens you in some way, so that you cannot do certain things" + }, + "onslaught": { + "CHS": "冲击", + "ENG": "a large violent attack by an army" + }, + "industrialist": { + "CHS": "工业家, 实业家,", + "ENG": "a person who owns or runs a factory or industrial company" + }, + "relay": { + "CHS": "接力赛;中继转播(设备) vt转述;转播", + "ENG": "a relay race" + }, + "soloist": { + "CHS": "独奏者, 独唱者", + "ENG": "a musician who performs alone or plays an instrument alone" + }, + "interstitial": { + "CHS": "空隙的, 裂缝的,", + "ENG": "of or relating to an interstice or interstices " + }, + "intertidal": { + "CHS": "潮间带(的)" + }, + "refreshment": { + "CHS": "点心, 精力恢复", + "ENG": "small amounts of food and drink that are provided at a meeting, sports event etc" + }, + "sickness": { + "CHS": "疾病, 呕吐", + "ENG": "the state of being ill" + }, + "distill": { + "CHS": "蒸馏, 滴下, 吸取", + "ENG": "to make a liquid such as water or alcohol more pure by heating it so that it becomes a gas and then letting it cool. Drinks such as whisky are made this way." + }, + "noble": { + "CHS": "高尚的,贵族的", + "ENG": "morally good or generous in a way that is admired" + }, + "patrol": { + "CHS": "出巡, 巡逻", + "ENG": "to go around the different parts of an area or building at regular times to check that there is no trouble or danger" + }, + "pony": { + "CHS": "矮种马,小马", + "ENG": "a small horse" + }, + "intertwine": { + "CHS": "(使)纠缠,(使)缠绕", + "ENG": "if two things intertwine, or if they are intertwined, they are twisted together(" + }, + "morale": { + "CHS": "士气, 民心", + "ENG": "the level of confidence and positive feelings that people have, especially people who work together, who belong to the same team etc" + }, + "incompatible": { + "CHS": "不相容的 ,矛盾的", + "ENG": "two people who are incompatible have such diffe-rent characters, beliefs etc that they cannot have a friendly relationship" + }, + "buddy": { + "CHS": "<美口>密友, 伙伴", + "ENG": "a friend" + }, + "pristine": { + "CHS": "质朴的" + }, + "sludge": { + "CHS": "软泥, 淤泥", + "ENG": "soft thick mud, especially at the bottom of a liquid" + }, + "Swiss": { + "CHS": "/ a瑞士(的), 瑞士人(的)", + "ENG": "people from Switzerland" + }, + "hallmark": { + "CHS": "特点", + "ENG": "an idea, method, or quality that is typical of a particular person or thing" + }, + "jean": { + "CHS": "牛仔裤" + }, + "beau": { + "CHS": "花花公子", + "ENG": "a fashionable well-dressed man" + }, + "vibrato": { + "CHS": "颤音, 振动", + "ENG": "a way of singing or playing a musical note so that it goes up and down very slightly in pitch" + }, + "sparrow": { + "CHS": "[鸟]麻雀", + "ENG": "a small brown bird, very common in many parts of the world" + }, + "blackbird": { + "CHS": "山鸟类" + }, + "rhythmic": { + "CHS": "节奏的, 合拍的", + "ENG": "having a strong rhythm" + }, + "waling": { + "CHS": "横撑" + }, + "lacuna": { + "CHS": "空白, 空隙" + }, + "enigma": { + "CHS": "谜, 难以理解的事物", + "ENG": "someone or something that is strange and difficult to understand" + }, + "tendon": { + "CHS": "[解]腱", + "ENG": "a thick strong string-like part of your body that connects a muscle to a bone" + }, + "fiddler": { + "CHS": "拉提琴的人,游手好闲的人", + "ENG": "someone who plays the violin , especially if they play folk music " + }, + "carnival": { + "CHS": "狂欢节, 饮宴狂欢", + "ENG": "A carnival is a public festival during which people play music and sometimes dance in the streets" + }, + "assemblage": { + "CHS": "集合, 集会", + "ENG": "a group of things collected together" + }, + "saucer": { + "CHS": "茶托, 碟子", + "ENG": "a small round plate that curves up at the edges, that you put a cup on" + }, + "dedication": { + "CHS": "贡献, 奉献", + "ENG": "hard work or effort that someone puts into a particular activity because they care about it a lot" + }, + "qualitatively": { + "CHS": "质量上" + }, + "redwing": { + "CHS": "[动](欧洲产的)红翼鸫", + "ENG": "a small European thrush, Turdus iliacus, having a speckled breast, reddish flanks, and brown back " + }, + "vigilance": { + "CHS": "警戒, 警惕", + "ENG": "careful attention that you give to what is happening, so that you will notice any danger or illegal activity" + }, + "adventurous": { + "CHS": "冒险的;惊险的", + "ENG": "eager to go to new places and do exciting or dangerous things" + }, + "telltale": { + "CHS": "泄密的", + "ENG": "signs etc that clearly show something has happened or exists, often something that is a secret" + }, + "ordinance": { + "CHS": "法令,条例", + "ENG": "a law, usually of a city or town, that forbids or restricts an activity" + }, + "tether": { + "CHS": "范围" + }, + "overestimate": { + "CHS": "评价过高", + "ENG": "to think something is better, more important etc than it really is" + }, + "syrup": { + "CHS": "糖浆, 果汁", + "ENG": "a thick sticky sweet liquid, eaten on top of or mixed with other foods" + }, + "gild": { + "CHS": "镀金", + "ENG": "to cover something with a thin layer of gold or with something that looks like gold" + }, + "ductile": { + "CHS": "易延展的, 易教导的", + "ENG": "ductile metals can be pressed or pulled into shape without needing to be heated" + }, + "anonymous": { + "CHS": "无名的;匿名的", + "ENG": "unknown by name" + }, + "grateful": { + "CHS": "感激的, 感谢的", + "ENG": "feeling that you want to thank someone because of something kind that they have done, or showing this feeling" + }, + "sewerage": { + "CHS": "排水设备, 污水", + "ENG": "the system by which waste material and used water are carried away in sewers and then treated to stop it being harmful" + }, + "dissolution": { + "CHS": "分解, 解散", + "ENG": "the act of formally ending a parliament, business, or marriage" + }, + "urbanity": { + "CHS": "有礼貌, 文雅" + }, + "avoidance": { + "CHS": "避免", + "ENG": "the act of avoiding someone or something" + }, + "permineralization": { + "CHS": "完全矿化" + }, + "amenable": { + "CHS": "顺从的;对…负有责任(义务)的", + "ENG": "willing to accept what someone says or does without arguing" + }, + "binge": { + "CHS": "狂闹, 狂欢" + }, + "immerse": { + "CHS": "沉浸, 使陷入", + "ENG": "to put someone or something deep into a liquid so that they are completely covered" + }, + "quicksand": { + "CHS": "流沙, 敏捷", + "ENG": "wet sand that is dangerous because you sink down into it if you try to walk on it" + }, + "modernization": { + "CHS": "现代化" + }, + "cabbage": { + "CHS": "[植]甘蓝, 卷心菜", + "ENG": "a large round vegetable with thick green or purple leaves" + }, + "malleable": { + "CHS": "有延展性的, 可锻的", + "ENG": "something that is malleable is easy to press or pull into a new shape" + }, + "einkorn": { + "CHS": "单粒小麦", + "ENG": "a variety of wheat, Triticum monococcum, of Greece and SW Asia, having pale red kernels, and cultivated in hilly regions as grain for horses " + }, + "carrot": { + "CHS": "胡萝卜", + "ENG": "a long pointed orange vegetable that grows under the ground" + }, + "unanticipated": { + "CHS": "不曾预料到的", + "ENG": "an unanticipated event or result is one that you did not expect" + }, + "pistachio": { + "CHS": "[植]阿月浑子树", + "ENG": "a small green nut" + }, + "dredge": { + "CHS": "挖泥机 v挖掘,", + "ENG": "a machine, in the form of a bucket ladder, grab, or suction device, used to remove material from a riverbed, channel, etc " + }, + "propriety": { + "CHS": "适当", + "ENG": "correctness of social or moral behaviour" + }, + "glassware": { + "CHS": "玻璃器具类", + "ENG": "glass objects, especially ones used for drinking and eating" + }, + "affluent": { + "CHS": "丰富的, 富裕的", + "ENG": "having plenty of money, nice houses, expensive things etc" + }, + "courtyard": { + "CHS": "庭院, 院子", + "ENG": "an open space that is completely or partly surrounded by buildings" + }, + "singleton": { + "CHS": "一个, 独身" + }, + "wrestle": { + "CHS": "/v摔跤, 角力" + }, + "nationalistic": { + "CHS": "国家主义的", + "ENG": "someone who is nationalistic believes that their country is better than other countries" + }, + "soothe": { + "CHS": "缓和, 安慰", + "ENG": "to make someone feel calmer and less anxious, upset, or angry" + }, + "deteriorates": { + "CHS": "恶化,变坏", + "ENG": "If something deteriorates, it becomes worse in some way" + }, + "stabilization": { + "CHS": "稳定性" + }, + "aspire": { + "CHS": "热望, 立志", + "ENG": "to desire and work towards achieving something important" + }, + "joinery": { + "CHS": "木工职业", + "ENG": "the trade and work of a joiner" + }, + "mechanically": { + "CHS": "机械地;无意识地" + }, + "stride": { + "CHS": "大步走(过), 跨过", + "ENG": "to walk quickly with long steps" + }, + "windswept": { + "CHS": "风刮的, 被风吹扫的", + "ENG": "a place that is windswept is often windy because there are not many trees or buildings to protect it" + }, + "swiftness": { + "CHS": "迅速,敏捷" + }, + "radioactivity": { + "CHS": "放射能", + "ENG": "the sending out of radiation (= a form of energy ) when the nucleus (= central part ) of an atom has broken apart" + }, + "seabird": { + "CHS": "海鸟(如海鸥)", + "ENG": "a bird that lives near the sea and finds food in it" + }, + "Reykjavik": { + "CHS": "雷克雅末(冰岛首都)" + }, + "brook": { + "CHS": "小溪 vt容忍", + "ENG": "a small stream" + }, + "polarize": { + "CHS": "(使)偏振, (使)极化", + "ENG": "to divide into clearly separate groups with opposite beliefs, ideas, or opinions, or to make people do this" + }, + "degas": { + "CHS": "除去瓦斯" + }, + "midnight": { + "CHS": "午夜", + "ENG": "12 o’clock at night" + }, + "Utah": { + "CHS": "犹他州(略作Ut,UT)" + }, + "trickle": { + "CHS": "滴流", + "ENG": "if liquid trickles somewhere, it flows slowly in drops or in a thin stream" + }, + "admiral": { + "CHS": "海军上将, 舰队司令", + "ENG": "a high rank in the British or US navy, or someone with this rank" + }, + "slat": { + "CHS": "板条v打击", + "ENG": "a thin flat piece of wood, plastic etc, used especially in furniture" + }, + "hydrosphere": { + "CHS": "水圈, 水气", + "ENG": "the watery part of the earth's surface, including oceans, lakes, water vapour in the atmosphere, etc " + }, + "geyser": { + "CHS": "天然热喷泉" + }, + "stabilizer": { + "CHS": "稳定器, 安定装置", + "ENG": "a chemical that helps something such as a food to stay in the same state, for example to prevent it from separating into different liquids" + }, + "exoskeleton": { + "CHS": "[动] 外骨骼", + "ENG": "the hard parts on the outside of the body of creatures such as insects and crabs" + }, + "dimply": { + "CHS": "有酒窝的, 有凹处的" + }, + "clamor": { + "CHS": "喧闹" + }, + "mob": { + "CHS": "暴民 vt成群围住,聚众袭击", + "ENG": "a large noisy crowd, especially one that is angry and violent" + }, + "enjoyable": { + "CHS": "有趣的, 愉快的", + "ENG": "something enjoyable gives you pleasure" + }, + "reluctantly": { + "CHS": "不情愿地;勉强地" + }, + "overbalance": { + "CHS": "失去平衡", + "ENG": "to fall over or nearly fall over because you lose balance" + }, + "carbonization": { + "CHS": "碳化(物)" + }, + "marshland": { + "CHS": "沼泽地", + "ENG": "an area of low wet ground that is always soft" + }, + "viscera": { + "CHS": "内脏,内部的东西", + "ENG": "the large organs inside your body, such as your heart, lungs, and stomach" + }, + "lethal": { + "CHS": "致命的 n致死因子", + "ENG": "causing death, or able to cause death" + }, + "superbly": { + "CHS": "雄伟地, 壮丽地" + }, + "shipwright": { + "CHS": "造船者", + "ENG": "someone who builds or repairs ships" + }, + "ghostly": { + "CHS": "可怕的", + "ENG": "Something that is ghostly seems unreal or unnatural and may be frightening because of this" + }, + "thrift": { + "CHS": "节俭", + "ENG": "wise and careful use of money, so that none is wasted" + }, + "conservatism": { + "CHS": "保守主义", + "ENG": "dislike of change and new ideas" + }, + "leaky": { + "CHS": "漏的", + "ENG": "a container, roof etc that is leaky has a hole or crack in it so that liquid or gas passes through it" + }, + "blacken": { + "CHS": "使变黑, 诽谤", + "ENG": "To blacken something means to make it black or very dark in colour. Something that blackens becomes black or very dark in colour. " + }, + "fiercely": { + "CHS": "猛烈地, 厉害地" + }, + "fox": { + "CHS": "狐狸 v奸狡地行动", + "ENG": "a wild animal like a dog with reddish-brown fur, a pointed face, and a thick tail" + }, + "verb": { + "CHS": "[语]动词", + "ENG": "a word or group of words that describes an action, experience, or state, such as ‘come’, ‘see’, and ‘put on’" + }, + "faultfinding": { + "CHS": "找茬,挑剔" + }, + "steadfastly": { + "CHS": "踏实地, 不变地" + }, + "untold": { + "CHS": "未说过的,未透露的" + }, + "intolerant": { + "CHS": "不宽容的, 偏狭的", + "ENG": "not willing to accept ways of thinking and behaving that are different from your own" + }, + "venue": { + "CHS": "审判地, 集合地" + }, + "encapsulate": { + "CHS": "装入胶囊,压缩", + "ENG": "to express or show something in a short way" + }, + "evanescent": { + "CHS": "迅速消失的, 短暂的", + "ENG": "something that is evanescent does not last very long" + }, + "archipelago": { + "CHS": "群岛, 多岛海", + "ENG": "a group of small islands" + }, + "usefully": { + "CHS": "有用地" + }, + "encyclopedia": { + "CHS": "百科全书", + "ENG": "a book or cd, or a set of these, containing facts about many different subjects, or containing detailed facts about one subject" + }, + "multivolume": { + "CHS": "多卷的" + }, + "supportive": { + "CHS": "支持的", + "ENG": "giving help or encouragement, especially to someone who is in a difficult situation – used to show approval" + }, + "anathema": { + "CHS": "诅咒" + }, + "patty": { + "CHS": "小馅饼,", + "ENG": "small, flat pieces of cooked meat or other food" + }, + "workmanship": { + "CHS": "手艺, 技艺", + "ENG": "skill in making things, especially in a way that makes them look good" + }, + "documentary": { + "CHS": "记录片 a纪录的, 文件的", + "ENG": "a film or television or a radio programme that gives detailed information about a particular subject" + }, + "untraditional": { + "CHS": "非传统的,不符合传统的" + }, + "thoughtless": { + "CHS": "欠考虑的", + "ENG": "not thinking about the needs and feelings of other people, especially because you are thinking about what you want" + }, + "modernist": { + "CHS": "现代主义者, 现代人" + }, + "bergere": { + "CHS": "围手椅" + }, + "mainstream": { + "CHS": "主流", + "ENG": "the most usual ideas or methods, or the people who have these ideas or methods" + }, + "photojournalism": { + "CHS": "摄影新闻工作", + "ENG": "the job or activity of reporting news stories in newspapers and magazines using mainly photographs instead of words" + }, + "souvenir": { + "CHS": "纪念品", + "ENG": "an object that you buy or keep to remind yourself of a special occasion or a place you have visited" + }, + "regionalist": { + "CHS": "地方主义者, 地方主义作家" + }, + "reportedly": { + "CHS": "据传说, 据传闻", + "ENG": "according to what some people say" + }, + "reachable": { + "CHS": "可达成的, 可获得的" + }, + "paradox": { + "CHS": "似非而是的论点, 自相矛盾的话", + "ENG": "a situation that seems strange because it involves two ideas or qualities that are very different" + }, + "stratosphere": { + "CHS": "平流层, 高层次", + "ENG": "the outer part of the air surrounding the Earth, from 10 to 50 kilometres above the Earth" + }, + "Americana": { + "CHS": "有关美国的文物, 史料", + "ENG": "Objects that come from or relate to America are referred to as Americana, especially when they are in a collection" + }, + "desirability": { + "CHS": "愿望, 希求" + }, + "inflexibly": { + "CHS": "不弯曲地, 不屈地" + }, + "implausible": { + "CHS": "难信的, 似乎不合情理的", + "ENG": "difficult to believe and therefore unlikely to be true" + }, + "convincingly": { + "CHS": "令人信服地, 有说服力地" + }, + "unwillingness": { + "CHS": "不愿意, 不情愿" + }, + "generically": { + "CHS": "属类地, 属类上" + }, + "stronghold": { + "CHS": "要塞, 据点", + "ENG": "an area where there is a lot of support for a particular way of life, political party etc" + }, + "drench": { + "CHS": "湿透", + "ENG": "to make something or someone extremely wet" + }, + "industrially": { + "CHS": "企业[工业]地" + }, + "vitality": { + "CHS": "活力, 生命力", + "ENG": "great energy and eagerness to do things" + }, + "restatement": { + "CHS": "再声明, 重述", + "ENG": "A restatement of something that has been said or written is another statement that repeats it, usually in a slightly different form" + }, + "constituency": { + "CHS": "(选区的)选民, 支持者", + "ENG": "an area of a country that elects a representative to a parliament" + }, + "eclectic": { + "CHS": "折衷主义者" + }, + "preparedness": { + "CHS": "有准备, 已准备", + "ENG": "when someone is ready for something" + }, + "wrinkle": { + "CHS": "皱纹 v使皱", + "ENG": "wrinkles are lines on your face and skin that you get when you are old" + }, + "eyeball": { + "CHS": "眼球, 眼珠子", + "ENG": "the round ball that forms the whole of your eye, including the part inside your head" + }, + "persuasive": { + "CHS": "说服者a善说服的" + }, + "seedy": { + "CHS": "多种子的, 结籽的" + }, + "thoughtfully": { + "CHS": "思虑地, 仔细地" + }, + "unbiased": { + "CHS": "公正的", + "ENG": "unbiased information, opinions, advice etc is fair because the person giving it is not influenced by their own or other people’s opinions" + }, + "square": { + "CHS": "正方形的,平方的 n正方形;广场", + "ENG": "having four straight equal sides and 90˚ angles at the corners" + }, + "plethora": { + "CHS": "过剩,过量", + "ENG": "a very large number of something, usually more than you need" + }, + "openly": { + "CHS": "不隐瞒地, 公然地", + "ENG": "in a way that does not hide your feelings, opinions, or the facts" + }, + "conditioner": { + "CHS": "调节者, 调节装置" + }, + "dung": { + "CHS": "粪 vt施粪肥于", + "ENG": "Dung is faeces from animals, especially from large animals such as cattle and horses" + }, + "substantive": { + "CHS": "独立存在的,直接的" + }, + "automatic": { + "CHS": "自动机械 a自动的,机械的", + "ENG": "a weapon that can fire bullets continuously" + }, + "replenishment": { + "CHS": "补给, 补充", + "ENG": "Replenishment is the process by which something is made full or complete again" + }, + "fanner": { + "CHS": "通风机" + }, + "globally": { + "CHS": "世界上, 全世界" + }, + "invigorate": { + "CHS": "鼓舞", + "ENG": "to make the people in an organization or group feel excited again, so that they want to make something successful" + }, + "civet": { + "CHS": "[动物]麝猫", + "ENG": "any catlike viverrine mammal of the genus Viverra and related genera, of Africa and S Asia, typically having blotched or spotted fur and secreting a powerfully smelling fluid from anal glands " + }, + "drown": { + "CHS": "溺死, 淹没", + "ENG": "to die from being under water for too long, or to kill someone in this way" + }, + "setup": { + "CHS": "装备, 安装,计划", + "ENG": "The setup of computer hardware or software is the process of installing it and making it ready to use" + }, + "untrue": { + "CHS": "不真实的, 不正确的", + "ENG": "not based on facts that are correct" + }, + "dolphin": { + "CHS": "海豚", + "ENG": "a very intelligent sea animal like a fish with a long grey pointed nose" + }, + "rephrase": { + "CHS": "改述", + "ENG": "If you rephrase a question or statement, you ask it or say it again in a different way" + }, + "overproduction": { + "CHS": "生产过剩", + "ENG": "the act of producing more of something than people want or need" + }, + "moat": { + "CHS": "护城河, 城壕", + "ENG": "a deep wide hole, usually filled with water, dug around a castle as a defence" + }, + "replica": { + "CHS": "复制品", + "ENG": "an exact copy of something, especially a building, a gun, or a work of art" + }, + "minority": { + "CHS": "少数, 少数民族", + "ENG": "a small group of people or things within a much larger group" + }, + "forum": { + "CHS": "讨论会, 论坛", + "ENG": "an organization, meeting, TV programme etc where people have a chance to publicly discuss an important subject" + }, + "aridity": { + "CHS": "干旱, 乏味" + }, + "purge": { + "CHS": "清洗(除) n清洗", + "ENG": "to force people to leave a place or organization because the people in power do not like them" + }, + "therapist": { + "CHS": "临床医学家" + }, + "attacker": { + "CHS": "攻击者", + "ENG": "a person who deliberately uses violence to hurt someone" + }, + "regrettable": { + "CHS": "可惜的, 遗憾的", + "ENG": "something that is regrettable is unpleasant, and you wish things could be different" + }, + "cheer": { + "CHS": "欢呼", + "ENG": "a shout of happiness, praise, approval, or encouragement" + }, + "schist": { + "CHS": "[地]片岩", + "ENG": "a type of rock that naturally breaks apart into thin flat pieces" + }, + "Thai": { + "CHS": "泰国人, 泰国语", + "ENG": "A Thai is a citizen of Thailand, or a person of Thai origin" + }, + "rime": { + "CHS": "结晶, v使蒙霜" + }, + "loyally": { + "CHS": "忠诚" + }, + "artiste": { + "CHS": "技艺家", + "ENG": "An artiste is a professional entertainer, for example, a singer or a dancer" + }, + "symbolically": { + "CHS": "象征(性)地" + }, + "misinterprete": { + "CHS": "误解" + }, + "controllable": { + "CHS": "可管理的, 可控制的", + "ENG": "able to be controlled" + }, + "categorically": { + "CHS": "断然地, 明确地", + "ENG": "in such a sure and certain way that there is no doubt" + }, + "outwit": { + "CHS": "瞒骗, 以智取胜", + "ENG": "to gain an advantage over someone using tricks or clever plans" + }, + "intelligently": { + "CHS": "聪明地;理智地" + }, + "problematic": { + "CHS": "问题的, 有疑问的", + "ENG": "involving problems and difficult to deal with" + }, + "restlessness": { + "CHS": "辗转不安, 烦躁不安" + }, + "bearing": { + "CHS": "举止,风度", + "ENG": "the way in which you move, stand, or behave, especially when this shows your character" + }, + "clutch": { + "CHS": "抓住, 攫住", + "ENG": "to suddenly take hold of someone or something because you are frightened, in pain, or in danger" + }, + "uncarved": { + "CHS": "没雕刻的" + }, + "macaque": { + "CHS": "短尾猿", + "ENG": "any of various Old World monkeys of the genus Macaca, inhabiting wooded or rocky regions of Asia and Africa" + }, + "villager": { + "CHS": "村民", + "ENG": "someone who lives in a village" + }, + "fallacy": { + "CHS": "谬误, 谬论", + "ENG": "a false idea or belief, especially one that a lot of people believe is true" + }, + "vitascope": { + "CHS": "老式放映机", + "ENG": "an early type of film projector " + }, + "unfocused": { + "CHS": "未聚焦的,无焦点的", + "ENG": "not dealing with or paying attention to the most important ideas, causes etc" + }, + "anyplace": { + "CHS": "任何地方", + "ENG": "Anyplace means the same as " + }, + "stealthy": { + "CHS": "鬼鬼祟祟的, 秘密的", + "ENG": "moving or doing something quietly and secretly" + }, + "beng": { + "CHS": "大麻" + }, + "hut": { + "CHS": "小屋, 棚屋", + "ENG": "a small simple building with only one or two rooms" + }, + "douse": { + "CHS": "熄灭;浸,洒", + "ENG": "to stop a fire from burning by pouring water on it" + }, + "silvery": { + "CHS": "含银的,银色光泽的", + "ENG": "shiny and silver in colour" + }, + "healer": { + "CHS": "医治者, 治病术士", + "ENG": "A healer is a person who heals people, especially a person who heals through prayer and religious faith" + }, + "holy": { + "CHS": "神圣的, 圣洁的", + "ENG": "connected with God and religion" + }, + "diviner": { + "CHS": "占卜者, 占卦的人" + }, + "panhandle": { + "CHS": "狭长地带 v乞讨", + "ENG": "a long, thin area of land that sticks out from a larger area" + }, + "belter": { + "CHS": "非常好, 出色的例子" + }, + "foe": { + "CHS": "敌人,危害物", + "ENG": "an enemy" + }, + "terylene": { + "CHS": "涤纶", + "ENG": "a synthetic polyester fibre or fabric based on terephthalic acid, characterized by lightness and crease resistance and used for clothing, sheets, ropes, sails, etc " + }, + "humorously": { + "CHS": "幽默地, 滑稽地" + }, + "nylon": { + "CHS": "尼龙", + "ENG": "a strong artificial material that is used to make plastics, clothes, rope etc" + }, + "elimination": { + "CHS": "排除,消除", + "ENG": "the removal or destruction of something" + }, + "nowadays": { + "CHS": "现今, 现在", + "ENG": "now, compared with what happened in the past" + }, + "permission": { + "CHS": "许可, 允许", + "ENG": "If someone who has authority over you gives you permission to do something, they say that they will allow you to do it" + }, + "crease": { + "CHS": "折缝,皱褶 v(使)起皱", + "ENG": "a line on a piece of cloth, paper etc where it has been folded, crushed, or pressed" + }, + "rayon": { + "CHS": "人造丝, 人造纤维", + "ENG": "a smooth artificial cloth used for making clothes" + }, + "olive": { + "CHS": "橄榄树", + "ENG": "a small bitter egg-shaped black or green fruit, used as food and for making oil" + }, + "indigo": { + "CHS": "靛, 靛青", + "ENG": "a dark purple-blue colour" + }, + "woad": { + "CHS": "[植]菘蓝", + "ENG": "a European plant, Isatis tinctoria, formerly cultivated for its leaves, which yield a blue dye: family Brassicaceae (crucifers) " + }, + "needlelike": { + "CHS": "针状的" + }, + "mote": { + "CHS": "尘埃, 微粒", + "ENG": "a very small piece of dust" + }, + "salal": { + "CHS": "[植](产于北美洲太平洋沿岸的)沙龙白珠树" + }, + "abnormality": { + "CHS": "变态 畸形", + "ENG": "an abnormal feature, especially something that is wrong with part of someone’s body" + }, + "hugely": { + "CHS": "巨大地, 非常地" + }, + "acetate": { + "CHS": "[化]醋酸盐", + "ENG": "a chemical made from acetic acid" + }, + "micronutrient": { + "CHS": "[生]微量营养素", + "ENG": "any substance, such as a vitamin or trace element, essential for healthy growth and development but required only in minute amounts " + }, + "turmeric": { + "CHS": "[植]姜黄, 姜黄根, 姜黄根粉末", + "ENG": "a yellow powder used to give a special colour or taste to food, especially curry " + }, + "christian": { + "CHS": "/a基督徒,基督教的", + "ENG": "A Christian is someone who follows the teachings of Jesus Christ" + }, + "saffron": { + "CHS": "[植]藏红花", + "ENG": "a bright yellow spice that is used in cooking to give food a special taste and colour. It is sold as a powder or in thin pieces." + }, + "overprint": { + "CHS": "套印, 印戳", + "ENG": "to print (additional matter or another colour) on a sheet of paper " + }, + "religiously": { + "CHS": "虔诚地, 笃信地", + "ENG": "If you do something religiously, you do it very regularly because you feel you have to" + }, + "deem": { + "CHS": "认为, 相信", + "ENG": "to think of something in a particular way or as having a particular quality" + }, + "storyteller": { + "CHS": "说故事的人, 作家", + "ENG": "someone who tells stories, especially to children" + }, + "ritualize": { + "CHS": "使仪式化, 奉行仪式主义", + "ENG": "to engage in ritualism or devise rituals " + }, + "teller": { + "CHS": "讲话的人, 告诉的人" + }, + "abruptness": { + "CHS": "唐突,粗鲁" + }, + "pantomimic": { + "CHS": "哑剧的" + }, + "slider": { + "CHS": "滑雪者, 滑冰者" + }, + "subglacial": { + "CHS": "冰川下的", + "ENG": "formed or occurring at the bottom of a glacier " + }, + "cute": { + "CHS": "可爱的, 聪明的", + "ENG": "very pretty or attractive" + }, + "hike": { + "CHS": "徒步旅行", + "ENG": "a long walk in the mountains or countryside" + }, + "rhythmically": { + "CHS": "有节奏地" + }, + "sincerity": { + "CHS": "诚挚, 真实", + "ENG": "when someone is sincere and really means what they are saying" + }, + "cleverness": { + "CHS": "聪明, 机灵" + }, + "bombardment": { + "CHS": "炮击, 轰击", + "ENG": "a continuous attack on a place by big guns and bombs" + }, + "lounger": { + "CHS": "漫步的人, 懒人" + }, + "northward": { + "CHS": "向北的", + "ENG": "Northward is also an adjective" + }, + "dugout": { + "CHS": "防空洞, 独木舟", + "ENG": "a small boat made by cutting out a hollow space in a tree trunk" + }, + "moccasin": { + "CHS": "鹿皮鞋, 软拖鞋", + "ENG": "a flat comfortable shoe made of soft leather" + }, + "interruption": { + "CHS": "中断, 打断" + }, + "chronologically": { + "CHS": "按年代的" + }, + "activate": { + "CHS": "激活, 使活动", + "ENG": "to make an electrical system or chemical process start working" + }, + "episodic": { + "CHS": "插曲式的,短暂的" + }, + "fiord": { + "CHS": "(尤指挪威的)海湾, 峡湾" + }, + "esteem": { + "CHS": "/ vt尊重,敬重", + "ENG": "a feeling of respect for someone, or a good opinion of someone" + }, + "colosseum": { + "CHS": "罗马圆形大剧场(建于公元80年,耗时5年,至今大部分尚存)" + }, + "holder": { + "CHS": "持有者, 占有者", + "ENG": "someone who owns or controls something" + }, + "achievable": { + "CHS": "做得成的, 可完成的", + "ENG": "If you say that something you are trying to do is achievable, you mean that it is possible for you to succeed in doing it" + }, + "fixation": { + "CHS": "固定, 注视" + }, + "acknowledge": { + "CHS": "承认, 答谢", + "ENG": "to admit or accept that something is true or that a situation exists" + }, + "uncooperative": { + "CHS": "不合作的, 不配合的", + "ENG": "not willing to work with or help someone" + }, + "hub": { + "CHS": "中心,轮轴", + "ENG": "the central and most important part of an area, system, activity etc, which all the other parts are connected to" + }, + "meteoroid": { + "CHS": "流星体", + "ENG": "any of the small celestial bodies that are thought to orbit the sun, possibly as the remains of comets" + }, + "threadlike": { + "CHS": "线状的" + }, + "pulp": { + "CHS": "酱;果肉;纸浆", + "ENG": "the soft inside part of a fruit or vegetable" + }, + "physician": { + "CHS": "医师, 内科医师", + "ENG": "a doctor" + }, + "sod": { + "CHS": "草地", + "ENG": "a piece of earth or the layer of earth with grass and roots growing in it" + }, + "clench": { + "CHS": "捏紧;紧紧握住", + "ENG": "to hold your hands, teeth etc together tightly, usually because you feel angry or determined" + }, + "fist": { + "CHS": "拳头", + "ENG": "the hand when it is tightly closed, so that the fingers are curled in towards the palm . People close their hand in a fist when they are angry or are going to hit someone." + }, + "supplementation": { + "CHS": "增补,补充", + "ENG": "Supplementation is the use of pills or special types of food in order to improve your health" + }, + "disrepute": { + "CHS": "坏名声", + "ENG": "a situation in which people no longer admire or trust someone or something" + }, + "syndrome": { + "CHS": "综合病症", + "ENG": "an illness which consists of a set of physical or mental problems – often used in the name of illnesses" + }, + "rectify": { + "CHS": "矫正, 调整", + "ENG": "to correct something that is wrong" + }, + "herein": { + "CHS": "在此处, 此中", + "ENG": "in this place, situation, document etc" + }, + "denial": { + "CHS": "否认,谢绝", + "ENG": "a statement saying that something is not true" + }, + "sugarlike": { + "CHS": "类糖的(糖似的)" + }, + "rake": { + "CHS": "耙子, 斜度", + "ENG": "a gardening tool with a row of metal teeth at the end of a long handle, used for making soil level, gathering up dead leaves etc" + }, + "survivability": { + "CHS": "残存性" + }, + "theological": { + "CHS": "神学(上)的" + }, + "dorsal": { + "CHS": "背的, 脊的", + "ENG": "on or relating to the back of an animal or fish" + }, + "irritability": { + "CHS": "过敏性, 兴奋性" + }, + "neurilemmal": { + "CHS": "神经膜的, 神经鞘的" + }, + "neuroglia": { + "CHS": "[解]神经胶(质)" + }, + "mushroom": { + "CHS": "蘑菇", + "ENG": "one of several kinds of fungus with stems and round tops, some of which can be eaten" + }, + "breakdown": { + "CHS": "崩溃, 衰弱", + "ENG": "the failure of a relationship or system" + }, + "yeast": { + "CHS": "酵母, 发酵粉", + "ENG": "a type of fungus used for producing alcohol in beer and wine, and for making bread rise" + }, + "concurrent": { + "CHS": "一致的;同时的", + "ENG": "existing or happening at the same time" + }, + "stratification": { + "CHS": "分层, 成层法", + "ENG": "when society is divided into separate social classes" + }, + "microcosm": { + "CHS": "微观世界", + "ENG": "a small group, society, or place that has the same qualities as a much larger one" + }, + "unsureness": { + "CHS": "不确定, 缺乏自信" + }, + "fright": { + "CHS": "惊骇, 吃惊", + "ENG": "Fright is a sudden feeling of fear, especially the fear that you feel when something unpleasant surprises you" + }, + "belie": { + "CHS": "掩饰", + "ENG": "to give someone a false idea about something" + }, + "hesitant": { + "CHS": "迟疑的, 犹豫不定的", + "ENG": "uncertain about what to do or say because you are nervous or unwilling" + }, + "sewer": { + "CHS": "排水沟,下水道", + "ENG": "a pipe or passage under the ground that carries away waste material and used water from houses, factories etc" + }, + "slum": { + "CHS": "贫民窟", + "ENG": "a house or an area of a city that is in very bad condition, where very poor people live" + }, + "detection": { + "CHS": "察觉, 侦查", + "ENG": "when something is found that is not easy to see, hear etc, or the process of looking for it" + }, + "glider": { + "CHS": "滑行(或物), 滑翔机", + "ENG": "a light plane that flies without an engine" + }, + "anytime": { + "CHS": "任何时候, 无论何时", + "ENG": "at any time" + }, + "intuitive": { + "CHS": "有直觉力的,直觉到的", + "ENG": "an intuitive idea is based on a feeling rather than on knowledge or facts" + }, + "undernutrition": { + "CHS": "营养不良" + }, + "urgent": { + "CHS": "急迫的, 紧急的", + "ENG": "very important and needing to be dealt with immediately" + }, + "hohokam": { + "CHS": "霍霍坎文化的" + }, + "irresponsible": { + "CHS": "不负责任的, 不可靠的", + "ENG": "doing careless things without thinking or worrying about the possible bad results" + }, + "retrospect": { + "CHS": "回顾", + "ENG": "thinking back to a time in the past, especially with the advantage of knowing more now than you did then" + }, + "chronic": { + "CHS": "慢性的, 延续很长的", + "ENG": "a chronic disease or illness is one that continues for a long time and cannot be cured" + }, + "index": { + "CHS": "索引, 指数", + "ENG": "an alphabetical list of names, subjects etc at the back of a book, with the numbers of the pages where they can be found" + }, + "flatfish": { + "CHS": "比目鱼", + "ENG": "a type of sea fish with a thin flat body, such as cod or plaice " + }, + "attic": { + "CHS": "阁楼", + "ENG": "a space or room just below the roof of a house, often used for storing things" + }, + "sundial": { + "CHS": "日昝仪, 日规", + "ENG": "an object used in the past for telling the time. The shadow of a pointed piece of metal shows the time and moves round as the sun moves." + }, + "butte": { + "CHS": "孤立的丘" + }, + "lightly": { + "CHS": "轻轻地, 轻松地", + "ENG": "with only a small amount of weight or force" + }, + "uneducated": { + "CHS": "没受教育的;文盲的", + "ENG": "not educated to the usual level, or showing that someone is not well educated" + }, + "securely": { + "CHS": "安全地;无疑地", + "ENG": "in a way that protects something from being stolen or lost" + }, + "uncorrupt": { + "CHS": "不腐败的;廉洁的" + }, + "landscapist": { + "CHS": "风景画家", + "ENG": "a painter of landscapes " + }, + "scenery": { + "CHS": "风景, 景色", + "ENG": "the natural features of a particular part of a country that you can see, such as mountains, forests, deserts etc" + }, + "complimentary": { + "CHS": "称赞的;免费的", + "ENG": "given free to people" + }, + "incorporation": { + "CHS": "合并;组建公司" + }, + "sobriquet": { + "CHS": "假名, 绰号", + "ENG": "an unofficial title or name" + }, + "socialize": { + "CHS": "使社会化, 使社会主义化", + "ENG": "to train someone to behave in a way that is acceptable in the society they are living in" + }, + "rename": { + "CHS": "重新命名, 改名", + "ENG": "to give something a new name" + }, + "awaken": { + "CHS": "唤醒, 醒来", + "ENG": "to wake up or to make someone wake up" + }, + "afflict": { + "CHS": "使痛苦, 折磨", + "ENG": "to affect someone or something in an unpleasant way, and make them suffer" + }, + "governance": { + "CHS": "统治, 管理", + "ENG": "the act or process of governing" + }, + "methodically": { + "CHS": "有条不紊地, 有方法地" + }, + "feverishly": { + "CHS": "兴奋地, 发热地" + }, + "personnel": { + "CHS": "人员, 职员", + "ENG": "the people who work in a company, organization, or military force" + }, + "antifungal": { + "CHS": "抗真菌的, 杀真菌的", + "ENG": "inhibiting the growth of fungi " + }, + "senior": { + "CHS": "年长的, 资格较老的", + "ENG": "having a higher position, level, or rank" + }, + "flashy": { + "CHS": "浮华的", + "ENG": "someone who is flashy wears expensive clothes, jewellery etc in a way that is intended to be impressive – used to show disapproval" + }, + "dimly": { + "CHS": "微暗, 朦胧" + }, + "earthward": { + "CHS": "向地球, 向地面" + }, + "justice": { + "CHS": "正义, 公平", + "ENG": "fairness in the way people are treated" + }, + "overwhelmingly": { + "CHS": "压倒性地, 不可抵抗地" + }, + "assembly": { + "CHS": "集会,集合;组装", + "ENG": "the meeting together of a group of people for a particular purpose" + }, + "stressful": { + "CHS": "紧张的, 压力重的", + "ENG": "a job, experience, or situation that is stressful makes you worry a lot" + }, + "exertion": { + "CHS": "努力, 发挥,运用", + "ENG": "the use of power, influence etc to make something happen" + }, + "deformity": { + "CHS": "残缺, 畸形", + "ENG": "a condition in which part of someone’s body is not the normal shape" + }, + "disruptive": { + "CHS": "使破裂的, 分裂性的" + }, + "girder": { + "CHS": "梁", + "ENG": "a strong beam, made of iron or steel, that supports a floor, roof, or bridge" + }, + "bustle": { + "CHS": "匆匆忙忙", + "ENG": "to move around quickly, looking very busy" + }, + "unforeseen": { + "CHS": "无法预料的", + "ENG": "an unforeseen situation is one that you did not expect to happen" + }, + "conversational": { + "CHS": "会话的, 对话的", + "ENG": "a conversational style, phrase etc is informal and commonly used in conversation" + }, + "governor": { + "CHS": "统治者, 管理者", + "ENG": "the person in charge of an institution" + }, + "abbreviate": { + "CHS": "缩写, 简化" + }, + "restrain": { + "CHS": "抑制, 制止", + "ENG": "to stop someone from doing something, often by using physical force" + }, + "broadcaster": { + "CHS": "播送设备, 广播员", + "ENG": "someone who speaks on radio or television programmes" + }, + "adviser": { + "CHS": "顾问,", + "ENG": "someone whose job is to give advice because they know a lot about a subject, especially in business, law, or politics" + }, + "clarification": { + "CHS": "澄清, 净化", + "ENG": "the act of making something clearer or easier to understand, or an explanation that makes something clearer" + }, + "awful": { + "CHS": "可怕的, 威严的," + }, + "speechwriter": { + "CHS": "演讲稿撰写人", + "ENG": "someone whose job is to write speeches for other people" + }, + "televisual": { + "CHS": "电视的", + "ENG": "relating to television" + }, + "electrify": { + "CHS": "使充电, 使通电", + "ENG": "to change a railway so that it uses electrical power, or to supply a building or area with electricity" + }, + "legislative": { + "CHS": "立法的, 立法机关的", + "ENG": "concerned with making laws" + }, + "melodic": { + "CHS": "有旋律的,调子美妙的", + "ENG": "something that sounds melodic sounds like music or has a pleasant tune" + }, + "predictably": { + "CHS": "可预言地, 不出所料地" + }, + "climatically": { + "CHS": "气候上, 风土上" + }, + "lethargic": { + "CHS": "昏睡的" + }, + "chicken": { + "CHS": "小鸡", + "ENG": "a common farm bird that is kept for its meat and eggs" + }, + "compute": { + "CHS": "计算, 估计", + "ENG": "to calculate a result, answer, sum etc" + }, + "pathology": { + "CHS": "病理学", + "ENG": "the study of the causes and effects of illnesses" + }, + "offend": { + "CHS": "犯罪, 冒犯", + "ENG": "to make someone angry or upset by doing or saying something that they think is rude, unkind etc" + }, + "disk": { + "CHS": "磁盘,圆盘", + "ENG": "a small flat piece of plastic or metal which is used for storing computer or electronic information" + }, + "helper": { + "CHS": "帮忙者, 助手", + "ENG": "someone who helps another person" + }, + "triangular": { + "CHS": "三角形的, 三人间的", + "ENG": "shaped like a triangle" + }, + "counsel": { + "CHS": "律师 vt劝告,提议", + "ENG": "a type of lawyer who represents you in court" + }, + "programme": { + "CHS": "程序, 编程", + "ENG": "a course of study" + }, + "curvature": { + "CHS": "弯曲, 曲率", + "ENG": "the state of being curved, or the degree to which something is curved" + }, + "endpoint": { + "CHS": "端点" + }, + "vocational": { + "CHS": "职业的,业务的", + "ENG": "teaching or relating to the skills you need to do a particular job" + }, + "datebase": { + "CHS": "数据库, 资料库" + }, + "compulsory": { + "CHS": "强制的, 义务的", + "ENG": "something that is compulsory must be done because it is the law or because someone in authority orders you to" + }, + "shyness": { + "CHS": "羞怯, 胆怯" + }, + "lethargy": { + "CHS": "无生气" + }, + "hostility": { + "CHS": "敌意, 不友善", + "ENG": "when someone is unfriendly and full of anger towards another person" + }, + "credential": { + "CHS": "外交使节所递的国书, 信任状" + }, + "disorientation": { + "CHS": "迷失方向, 迷惑" + }, + "additionally": { + "CHS": "另外, 同时", + "ENG": "You use additionally to introduce something extra such as an extra fact or reason" + }, + "uninterrupted": { + "CHS": "不停的, 连续的", + "ENG": "continuous" + }, + "bureaucratization": { + "CHS": "官化" + }, + "excursion": { + "CHS": "远足,短途旅行", + "ENG": "a short journey arranged so that a group of people can visit a place, especially while they are on holiday" + }, + "dissension": { + "CHS": "意见不同, 纠纷", + "ENG": "disagreement among a group of people" + }, + "embryonic": { + "CHS": "胚胎的,萌芽期的", + "ENG": "at a very early stage of development" + }, + "breakup": { + "CHS": "破裂, 崩溃", + "ENG": "the act of ending a marriage or relationship" + }, + "necklace": { + "CHS": "项链", + "ENG": "a string of jewels, beads etc or a thin gold or silver chain to wear around the neck" + }, + "bylaw": { + "CHS": "附则, 法规", + "ENG": "a law made by a local government that people in that area must obey" + }, + "republish": { + "CHS": "再版, 重新发表" + }, + "publicly": { + "CHS": "公然地, 舆论上", + "ENG": "involving the ordinary people in a country or city" + }, + "distantly": { + "CHS": "疏远的, 遥远的" + }, + "oily": { + "CHS": "油的, 油滑的", + "ENG": "covered with oil" + }, + "assault": { + "CHS": "攻击, 袭击", + "ENG": "a military attack to take control of a place controlled by the enemy" + }, + "fierce": { + "CHS": "凶猛的, 猛烈的", + "ENG": "done with a lot of energy and strong feelings, and sometimes violence" + }, + "categorize": { + "CHS": "加以类别, 分类", + "ENG": "If you categorize people or things, you divide them into sets or you say which set they belong to" + }, + "severity": { + "CHS": "严肃, 严格" + }, + "definitively": { + "CHS": "决定性地, 最后地" + }, + "lineage": { + "CHS": "血统, 世系", + "ENG": "the way in which members of a family are descended from other members" + }, + "slam": { + "CHS": "砰地关上(放下)", + "ENG": "if a door, gate etc slams, or if someone slams it, it shuts with a loud noise" + }, + "flaming": { + "CHS": "熊熊燃烧的;热情的", + "ENG": "covered with flames" + }, + "pique": { + "CHS": "生气, 愤怒", + "ENG": "a feeling of being annoyed or upset, especially because someone has ignored you or insulted you" + }, + "internet": { + "CHS": "国际互联网,因特网", + "ENG": "The Internet is the network that allows computer users to connect with computers all over the world, and that carries e-mail" + }, + "newscast": { + "CHS": "<美>新闻广播", + "ENG": "a news programme on radio or television" + }, + "fateful": { + "CHS": "重大的;不幸的", + "ENG": "having an important, especially bad, effect on future events" + }, + "antipathy": { + "CHS": "憎恶, 反感", + "ENG": "a feeling of strong dislike towards someone or something" + }, + "hurtle": { + "CHS": "急飞", + "ENG": "if something, especially something big or heavy, hurtles somewhere, it moves or falls very fast" + }, + "glisten": { + "CHS": "闪光", + "ENG": "to shine and look wet or oily" + }, + "predate": { + "CHS": "提早日期, 居先", + "ENG": "If you say that one thing predated another, you mean that the first thing happened or existed some time before the second thing" + }, + "Finnish": { + "CHS": "芬兰的", + "ENG": "Finnish means belonging or relating to Finland or to its people, language, or culture" + }, + "cenote": { + "CHS": "天然井", + "ENG": "(esp in the Yucatán peninsula) a natural well formed by the collapse of an overlying limestone crust: often used as a sacrificial site by the Mayas " + }, + "empathy": { + "CHS": "移情作用, 共鸣", + "ENG": "the ability to understand other people’s feelings and problems" + }, + "hardwood": { + "CHS": "硬木, 阔叶树", + "ENG": "strong heavy wood from trees such as oak, used for making furniture" + }, + "sash": { + "CHS": "腰带,肩带", + "ENG": "a long piece of cloth that you wear around your waist like a belt" + }, + "prohibit": { + "CHS": "禁止, 阻止", + "ENG": "to say that an action is illegal or not allowed" + }, + "foment": { + "CHS": "[医]热敷" + }, + "gesture": { + "CHS": "姿态, 手势", + "ENG": "a movement of part of your body, especially your hands or head, to show what you mean or how you feel" + }, + "pretentious": { + "CHS": "自命不凡的,自负的", + "ENG": "if someone or something is pretentious, they try to seem more important, intelligent, or high class than they really are in order to be impressive" + }, + "heredity": { + "CHS": "遗传, 形质遗传", + "ENG": "the process by which mental and physical qualities are passed from a parent to a child before the child is born" + }, + "yean": { + "CHS": "生产, 生育" + }, + "dining": { + "CHS": "吃饭" + }, + "amenity": { + "CHS": "宜人, 礼仪" + }, + "changeover": { + "CHS": "转换, 大变更", + "ENG": "a change from one activity, system, or way of working to another" + }, + "meander": { + "CHS": "蜿蜒而行", + "ENG": "if a river, stream, road etc meanders, it has a lot of bends rather than going in a straight line" + }, + "skylight": { + "CHS": "天窗", + "ENG": "a window in the roof of a building" + }, + "palatable": { + "CHS": "味美的", + "ENG": "palatable food or drink has a pleasant or acceptable taste" + }, + "contender": { + "CHS": "竞争者", + "ENG": "someone or something that is in competition with other people or things" + }, + "invariable": { + "CHS": "不变的, 永恒的" + }, + "depreciation": { + "CHS": "贬值, 减价", + "ENG": "a reduction in the value or price of something" + }, + "unspecified": { + "CHS": "未详细说明的", + "ENG": "not known or not stated" + }, + "disability": { + "CHS": "无力, 残疾", + "ENG": "A disability is a permanent injury, illness, or physical or mental condition that tends to restrict the way that someone can live their life" + }, + "helplessness": { + "CHS": "无能为力" + }, + "retentive": { + "CHS": "有记忆力的", + "ENG": "a retentive memory or mind is able to hold facts and remember them" + }, + "amplifier": { + "CHS": "扩音器, 放大器", + "ENG": "a piece of electrical equipment that makes sound louder" + }, + "scan": { + "CHS": "扫描;浏览", + "ENG": "to read something quickly" + }, + "unfailingly": { + "CHS": "无穷尽地, 可靠地" + }, + "swell": { + "CHS": "(使)膨胀, 增大", + "ENG": "to increase in amount or number" + }, + "needless": { + "CHS": "不需要的, 不必要的", + "ENG": "needless troubles, suffering, loss etc are unnecessary because they could easily have been avoided" + }, + "bulge": { + "CHS": "膨胀,鼓起", + "ENG": "a curved mass on the surface of something, usually caused by something under or inside it" + }, + "undiscovered": { + "CHS": "未被发现的", + "ENG": "Something that is undiscovered has not been discovered or noticed" + }, + "helplessly": { + "CHS": "无能为力地" + }, + "overnight": { + "CHS": "(在)整夜(的);突然(的)" + }, + "dentist": { + "CHS": "牙科医生", + "ENG": "someone whose job is to treat people’s teeth" + }, + "optometrist": { + "CHS": "验光师, 视力测定者", + "ENG": "someone who tests people’s eyes and orders glasses for them" + }, + "merciless": { + "CHS": "残忍的;无情的", + "ENG": "cruel and showing no kindness or forgiveness" + }, + "strenuous": { + "CHS": "奋发的, 费力的, 积极的", + "ENG": "needing a lot of effort or strength" + }, + "passion": { + "CHS": "激情,热情", + "ENG": "a very strong belief or feeling about something" + }, + "emancipate": { + "CHS": "释放, 解放", + "ENG": "to give someone the political or legal rights that they did not have before" + }, + "protagonist": { + "CHS": "提倡者,支持者", + "ENG": "one of the most important supporters of a social or political idea" + }, + "leo": { + "CHS": "[天]狮子座,狮子宫", + "ENG": "Leo is one of the twelve signs of the zodiac. Its symbol is a lion. People who are born between approximately the 23rd of July and the 22nd of August come under this sign. " + }, + "cruel": { + "CHS": "残酷的, 悲惨的", + "ENG": "making someone suffer or feel unhappy" + }, + "grimly": { + "CHS": "严格地,冷酷地" + }, + "apportion": { + "CHS": "分配", + "ENG": "to decide how something should be shared among various people" + }, + "commentator": { + "CHS": "评论员, 解说员", + "ENG": "someone who knows a lot about a particular subject, and who writes about it or discusses it on the television or radio" + }, + "repay": { + "CHS": "偿还, 报答", + "ENG": "to pay back money that you have borrowed" + }, + "earning": { + "CHS": "所得,收入" + }, + "bankruptcy": { + "CHS": "破产", + "ENG": "the state of being unable to pay your debts" + }, + "subjugation": { + "CHS": "镇压, 平息" + }, + "uncontrollably": { + "CHS": "无法管束的, 控制不住的" + }, + "lazily": { + "CHS": "懒洋洋地" + }, + "radioactive": { + "CHS": "放射性的,有辐射能的", + "ENG": "a radioactive substance is dangerous because it contains radiation (= a form of energy that can harm living things ) " + }, + "consortium": { + "CHS": "财团, 联合, 合伙", + "ENG": "a group of companies or organizations who are working together to do something" + }, + "preventive": { + "CHS": "预防性的", + "ENG": "intended to stop something you do not want to happen, such as illness, from happening" + }, + "supplementary": { + "CHS": "增补的,补充的", + "ENG": "provided in addition to what already exists" + }, + "multidirectional": { + "CHS": "多方向的" + }, + "booklet": { + "CHS": "小册子", + "ENG": "a very short book that usually contains information on one particular subject" + }, + "curio": { + "CHS": "古董, 古玩", + "ENG": "a small object that is interesting because it is beautiful or rare" + }, + "chandler": { + "CHS": "杂货零售商" + }, + "speck": { + "CHS": "斑点", + "ENG": "a very small mark, spot, or piece of something" + }, + "stair": { + "CHS": "楼梯", + "ENG": "a set of steps built for going from one level of a building to another" + }, + "encircle": { + "CHS": "环绕, 围绕", + "ENG": "to surround someone or something completely" + }, + "surmount": { + "CHS": "克服;置于…顶上", + "ENG": "to succeed in dealing with a problem or difficulty" + }, + "heading": { + "CHS": "标题", + "ENG": "the title written at the beginning of a piece of writing, or at the beginning of part of a book" + }, + "Californian": { + "CHS": "加利福尼亚州人 a加州的" + }, + "reaumur": { + "CHS": "列氏温度计(的)" + }, + "mycology": { + "CHS": "[植]真菌学", + "ENG": "the study of different types of fungus " + }, + "glean": { + "CHS": "拾落穗, 收集", + "ENG": "to collect grain that has been left behind after the crops have been cut" + }, + "nevus": { + "CHS": "[医]痣", + "ENG": "any congenital growth or pigmented blemish on the skin; birthmark or mole " + }, + "watcher": { + "CHS": "监票员, 看守人" + }, + "filament": { + "CHS": "细丝, 灯丝", + "ENG": "a very thin thread or wire" + }, + "thermal": { + "CHS": "热的, 热量的", + "ENG": "relating to or caused by heat" + }, + "ostrich": { + "CHS": "鸵鸟", + "ENG": "a large African bird with long legs, that runs very quickly but cannot fly" + }, + "faintly": { + "CHS": "微弱地, 朦胧地" + }, + "dazzlingly": { + "CHS": "灿烂地, 耀眼地" + }, + "tint": { + "CHS": "色彩", + "ENG": "a small amount of a particular colour" + }, + "varve": { + "CHS": "[地质]纹泥", + "ENG": "a typically thin band of sediment deposited annually in glacial lakes, consisting of a light layer and a dark layer deposited at different seasons " + }, + "server": { + "CHS": "服务器", + "ENG": "someone whose job is to bring you your food in a restaurant" + }, + "benign": { + "CHS": "仁慈的, 温和的, 良性的", + "ENG": "a benign tumour (= unnatural growth in the body ) is not caused by cancer " + }, + "feathery": { + "CHS": "生有羽毛的,柔软如羽毛的", + "ENG": "looking or feeling light and soft, like a feather" + }, + "churn": { + "CHS": "搅拌, 搅动", + "ENG": "If something churns water, mud, or dust, it moves it about violently" + }, + "awhile": { + "CHS": "片刻, 一会儿", + "ENG": "for a short time" + }, + "proudly": { + "CHS": "骄傲地" + }, + "pedestrian": { + "CHS": "步行者,行人", + "ENG": "someone who is walking, especially along a street or other place used by cars" + }, + "oilskin": { + "CHS": "油布, 防水布", + "ENG": "special cloth that has had oil put on it so that it has a smooth surface and water cannot go through it" + }, + "splash": { + "CHS": "溅, 飞溅", + "ENG": "if a liquid splashes, it hits or falls on something and makes a noise" + }, + "unnoticed": { + "CHS": "不被注意的, 被忽视的", + "ENG": "without being noticed" + }, + "thunderous": { + "CHS": "打雷的, 雷鸣般的", + "ENG": "extremely loud" + }, + "faraway": { + "CHS": "遥远的", + "ENG": "a long distance away" + }, + "ploy": { + "CHS": "花招,手段", + "ENG": "a clever and dishonest way of tricking someone so that you can get an advantage" + }, + "noisily": { + "CHS": "吵闹地" + }, + "squeak": { + "CHS": "吱吱叫", + "ENG": "to make a short high noise or cry that is not loud" + }, + "crouch": { + "CHS": "蜷缩, 蹲伏", + "ENG": "to lower your body close to the ground by bending your knees completely" + }, + "regain": { + "CHS": "收回;恢复", + "ENG": "to get something back, especially an ability or quality, that you have lost" + }, + "outcome": { + "CHS": "结果, 成果", + "ENG": "the final result of a meeting, discussion, war etc – used especially when no one knows what it will be until it actually happens" + }, + "heroism": { + "CHS": "英雄品质, 英雄主义", + "ENG": "Heroism is great courage and bravery" + }, + "inconspicuously": { + "CHS": "难以觉察地, 不显著地" + }, + "matron": { + "CHS": "主妇;护士长", + "ENG": "an older married woman" + }, + "suspension": { + "CHS": "暂停, 中止", + "ENG": "when something is officially stopped for a period of time" + }, + "stratagem": { + "CHS": "战略, 计谋", + "ENG": "a trick or plan to deceive an enemy or gain an advantage" + }, + "brood": { + "CHS": "沉思;孵蛋 n一窝", + "ENG": "to keep thinking about something that you are worried or upset about" + }, + "vole": { + "CHS": "田鼠", + "ENG": "a small animal like a mouse with a short tail that lives in fields and woods and near rivers" + }, + "mimic": { + "CHS": "模仿, 模拟", + "ENG": "to copy the way someone speaks or behaves, especially in order to make people laugh" + }, + "unmanageable": { + "CHS": "难处理的, 难控制的", + "ENG": "difficult to control or deal with" + }, + "rivet": { + "CHS": "铆钉 v固定", + "ENG": "a metal pin used to fasten pieces of metal together" + }, + "hairy": { + "CHS": "毛发的,多毛的", + "ENG": "a hairy person or animal has a lot of hair on their body" + }, + "reception": { + "CHS": "招待会;接受", + "ENG": "a large formal party to celebrate an event or to welcome someone" + }, + "flyway": { + "CHS": "候鸟迁徙所经的路径" + }, + "nozzle": { + "CHS": "管口, 喷嘴", + "ENG": "a part that is fitted to the end of a hose, pipe etc to direct and control the stream of liquid or gas pouring out" + }, + "bonanza": { + "CHS": "走运,发财", + "ENG": "a lucky or successful situation where people can make a lot of money" + }, + "electrician": { + "CHS": "电工, 电学家", + "ENG": "someone whose job is to connect or repair electrical wires or equipment" + }, + "overburden": { + "CHS": "装载过多, 负担过多", + "ENG": "to give an organization, person, or system more work or problems than they can deal with" + }, + "lavish": { + "CHS": "无节制的;浪费的 vt慷慨给予,挥霍", + "ENG": "very generous" + }, + "bravery": { + "CHS": "勇敢", + "ENG": "actions, behaviour, or an attitude that shows courage and confidence" + }, + "creek": { + "CHS": "小溪, 小河,", + "ENG": "a small narrow stream or river" + }, + "waster": { + "CHS": "挥霍者, 废品" + }, + "Stamford": { + "CHS": "斯坦福德[美国康涅狄格州西南部城市]" + }, + "gallon": { + "CHS": "加仑", + "ENG": "a unit for measuring liquids, equal to eight pints. In Britain this is 4.55 litres, and in the US it is 3.79 litres." + }, + "beer": { + "CHS": "啤酒", + "ENG": "an alcoholic drink made from malt and hop s " + }, + "tact": { + "CHS": "机智, 手法" + }, + "trapper": { + "CHS": "捕兽者, 捕捉器", + "ENG": "someone who traps wild animals, especially for their fur" + }, + "romantically": { + "CHS": "浪漫地, 空想地" + }, + "prosecute": { + "CHS": "起(公)诉,告发", + "ENG": "to charge someone with a crime and try to show that they are guilty of it in a court of law" + }, + "sonic": { + "CHS": "音速的", + "ENG": "relating to sound, sound waves , or the speed of sound" + }, + "enthusiast": { + "CHS": "热心家, 狂热者", + "ENG": "someone who is very interested in a particular activity or subject" + }, + "smoothly": { + "CHS": "平稳地", + "ENG": "in a steady way, without stopping and starting again" + }, + "gingham": { + "CHS": "条纹棉布", + "ENG": "cotton cloth that has a pattern of small white and coloured squares on it" + }, + "slipper": { + "CHS": "拖鞋", + "ENG": "a light soft shoe that you wear at home" + }, + "instantaneous": { + "CHS": "瞬间的,即刻的", + "ENG": "happening immediately" + }, + "shoeshine": { + "CHS": "鞋油, 擦皮鞋", + "ENG": "an occasion when someone polishes your shoes for money" + }, + "politely": { + "CHS": "有礼貌地" + }, + "modestly": { + "CHS": "谨慎地, 适当地" + }, + "balcony": { + "CHS": "阳台, 包厢", + "ENG": "a structure that you can stand on, that is attached to the outside wall of a building, above ground level" + }, + "loudspeaker": { + "CHS": "扩音器, 喇叭", + "ENG": "a piece of equipment used to make sounds louder" + }, + "confluence": { + "CHS": "汇合", + "ENG": "the place where two or more rivers flow together" + }, + "crunch": { + "CHS": "嘎吱嘎吱地响(声)", + "ENG": "a noise like the sound of something being crushed" + }, + "juggle": { + "CHS": "玩杂耍", + "ENG": "to keep three or more objects moving through the air by throwing and catching them very quickly" + }, + "seize": { + "CHS": "抓住,夺取", + "ENG": "to take hold of something suddenly and violently" + }, + "mormon": { + "CHS": "摩门教徒, 一夫多妻主义者", + "ENG": "Mormons are people who are Mormon" + }, + "atheist": { + "CHS": "无神论者", + "ENG": "An atheist is a person who believes that there is no God. Compare . " + }, + "gallop": { + "CHS": "/v疾驰, 飞奔", + "ENG": "a very fast speed" + }, + "trestle": { + "CHS": "架柱, 支架", + "ENG": "an A-shaped frame used as one of the two supports for a temporary table" + }, + "ravine": { + "CHS": "沟壑, 峡谷", + "ENG": "a deep narrow valley with steep sides" + }, + "spidery": { + "CHS": "蜘蛛(网)一般的, 细长足的" + }, + "wildcatter": { + "CHS": "投机份子" + }, + "onlooker": { + "CHS": "旁观者", + "ENG": "someone who watches something happening without being involved in it" + }, + "folly": { + "CHS": "愚蠢, 荒唐事", + "ENG": "a very stupid thing to do, especially one that is likely to have serious results" + }, + "lubricate": { + "CHS": "润滑 v加润滑油", + "ENG": "to put a lubricant on something in order to make it move more smoothly" + }, + "trespasser": { + "CHS": "侵入者, 侵犯者" + }, + "waxes": { + "CHS": "蜡,蜂蜡 vt给…上蜡", + "ENG": "Wax is a solid, slightly shiny substance made of fat or oil that is used to make candles and polish. It melts when it is heated. " + }, + "grocery": { + "CHS": "食品杂货店", + "ENG": "food and other goods that are sold by a grocer or a supermarket" + }, + "refiner": { + "CHS": "精炼者, 精炼机", + "ENG": "Refiners are people or organizations that refine substances such as oil or sugar in order to sell them" + }, + "richly": { + "CHS": "富裕地, 丰富地", + "ENG": "If you are richly rewarded for doing something, you get something very valuable or pleasant in return for doing it" + }, + "remodel": { + "CHS": "重新塑造, 改造", + "ENG": "To remodel something such as a building or a room means to give it a different form or shape" + }, + "kier": { + "CHS": "漂煮锅", + "ENG": "a vat in which cloth is bleached " + }, + "seepage": { + "CHS": "渗流, 渗出的量", + "ENG": "a gradual flow of liquid or gas through small spaces or holes" + }, + "cooperative": { + "CHS": "合作的, 协力的", + "ENG": "willing to cooperate" + }, + "ponytail": { + "CHS": "马尾辫(一种发型)", + "ENG": "hair tied together at the back of your head and falling like a horse’s tail" + }, + "disuse": { + "CHS": "废弃, 废止", + "ENG": "a situation in which something is no longer used" + }, + "adequately": { + "CHS": "充分地" + }, + "wither": { + "CHS": "凋谢,枯萎", + "ENG": "if plants wither, they become drier and smaller and start to die" + }, + "facsimile": { + "CHS": "摹写, 传真", + "ENG": "an exact copy of a picture, piece of writing etc" + }, + "unproductive": { + "CHS": "不生产的, 徒劳的", + "ENG": "not achieving very much" + }, + "methodical": { + "CHS": "有条理的,井然的", + "ENG": "a methodical way of doing something is careful and uses an ordered system" + }, + "contest": { + "CHS": "论争, 竞赛", + "ENG": "a competition or a situation in which two or more people or groups are competing with each other" + }, + "bike": { + "CHS": "脚踏车, 自行车", + "ENG": "a bicycle" + }, + "indulge": { + "CHS": "纵容", + "ENG": "to let someone have or do whatever they want, even if it is bad for them" + }, + "unnoticeable": { + "CHS": "不引人注意的(", + "ENG": "not easily seen or detected; imperceptible " + }, + "termination": { + "CHS": "终止", + "ENG": "the act of ending something, or the end of something" + }, + "dismay": { + "CHS": "沮丧, 绝望", + "ENG": "the worry, disappoint-ment, or unhappiness you feel when something unpleasant happens" + }, + "irreparable": { + "CHS": "无法修复的,不能挽回的", + "ENG": "irreparable damage, harm etc is so bad that it can never be repaired or made better" + }, + "birthright": { + "CHS": "生来就有的权利, 长子继承权", + "ENG": "something such as a right, property, money etc that you believe you should have because of the family or country you belong to" + }, + "negotiation": { + "CHS": "商议, 谈判", + "ENG": "official discussions between the repre­sentatives of opposing groups who are trying to reach an agreement, especially in business or politics" + }, + "fruitless": { + "CHS": "不结果实的", + "ENG": "failing to achieve what was wanted, especially after a lot of effort" + }, + "conscription": { + "CHS": "征召", + "ENG": "when people are made to join the army, navy etc" + }, + "aloof": { + "CHS": "冷漠的", + "ENG": "unfriendly and deliberately not talking to other people" + }, + "downtown": { + "CHS": "市区的", + "ENG": "Downtown places are in or toward the centre of a large town or city, where the stores and places of business are" + }, + "delectable": { + "CHS": "使人愉快的", + "ENG": "If you describe something, especially food or drink, as delectable, you mean that it is very pleasant" + }, + "intermittent": { + "CHS": "间歇的,断断续续的", + "ENG": "stopping and starting often and for short periods" + }, + "hatchery": { + "CHS": "孵卵所", + "ENG": "A hatchery is a place where people control the hatching of eggs, especially fish eggs" + }, + "doggedly": { + "CHS": "固执地, 顽强地" + }, + "depot": { + "CHS": "贮藏所, 仓库", + "ENG": "A depot is a place where large amounts of raw materials, equipment, arms, or other supplies are kept until they are needed" + }, + "Minnesota": { + "CHS": "明尼苏达州(美国州名)" + }, + "erupt": { + "CHS": "喷出 vi爆发", + "ENG": "if a volcano erupts, it explodes and sends smoke, fire, and rock into the sky" + }, + "truck": { + "CHS": "卡车, 敞棚货车", + "ENG": "a large road vehicle used to carry goods" + }, + "phonetic": { + "CHS": "语音的,语音学的", + "ENG": "relating to the sounds of human speech" + }, + "lap": { + "CHS": "舔(食);拍打", + "ENG": "if water laps something or laps against something such as the shore or a boat, it moves against it or hits it in small waves" + }, + "chic": { + "CHS": "别致的, 时髦的", + "ENG": "very fashionable and expensive, and showing good judgement of what is attractive and good style" + }, + "executive": { + "CHS": "主管,行政官a行政的", + "ENG": "a manager in an organization or company who helps make important decisions" + }, + "slapstick": { + "CHS": "闹剧, 趣剧", + "ENG": "humorous acting in which the performers fall over, throw things at each other etc" + }, + "hairdo": { + "CHS": "发型", + "ENG": "the style in which someone’s hair is cut or shaped" + }, + "maraca": { + "CHS": "[音]沙球" + }, + "beater": { + "CHS": "搅拌器", + "ENG": "an object that is designed to beat something" + }, + "picnic": { + "CHS": "野餐", + "ENG": "if you have a picnic, you take food and eat it outdoors, especially in the country" + }, + "craze": { + "CHS": "狂热", + "ENG": "a fashion, game, type of music etc that becomes very popular for a short time" + }, + "synthesizer": { + "CHS": "综合者, [电子]合成器", + "ENG": "an electronic instrument that produces the sounds of various musical instruments" + }, + "liberation": { + "CHS": "释放, 解放" + }, + "thunder": { + "CHS": "雷,雷声", + "ENG": "the loud noise that you hear during a storm, usually after a flash of lightning" + }, + "blip": { + "CHS": "(在雷达屏幕显示出的)物体光点, 尖音信号", + "ENG": "A blip is a small spot of light, sometimes occurring with a short, high-pitched sound, which flashes on and off regularly on a piece of equipment such as a radar screen" + }, + "excessively": { + "CHS": "过分地, 过度地, 极度地" + }, + "indiscernible": { + "CHS": "看不清的", + "ENG": "very difficult to see, hear, or notice" + }, + "lopsided": { + "CHS": "倾向一方的, 不平衡的", + "ENG": "unequal or uneven, especially in an unfair way" + }, + "hippopotamus": { + "CHS": "河马", + "ENG": "a large grey African animal with a big head and mouth that lives near water" + }, + "laugh": { + "CHS": "笑, 笑声", + "ENG": "to make sounds with your voice, usually while you are smiling, because you think something is funny" + }, + "groan": { + "CHS": "呻吟, 叹息", + "ENG": "to make a long deep sound because you are in pain, upset, or disappointed, or because something is very enjoyable" + }, + "sneeze": { + "CHS": "喷嚏 vi打喷嚏", + "ENG": "the act or sound of sneezing" + }, + "tapir": { + "CHS": "[动]貘", + "ENG": "an animal like a pig with thick legs, a short tail, and a long nose, that lives in tropical America and Southeast Asia" + }, + "scream": { + "CHS": "/n尖声叫, 尖叫声", + "ENG": "to make a loud high noise with your voice because you are hurt, frightened, excited etc" + }, + "horsefly": { + "CHS": "马蝇", + "ENG": "a large fly that bites horses and cattle" + }, + "nonelectronic": { + "CHS": "非电子的" + }, + "vestige": { + "CHS": "痕迹", + "ENG": "a small part or amount of something that remains when most of it no longer exists" + }, + "baseball": { + "CHS": "棒球(运动)", + "ENG": "an outdoor game between two teams of nine players, in which players try to get points by hitting a ball and running around four base s " + }, + "reverently": { + "CHS": "恭敬地, 虔诚地" + }, + "homeless": { + "CHS": "无家的, 无家可归的", + "ENG": "without a home" + }, + "mystify": { + "CHS": "迷惑", + "ENG": "if something mystifies you, it is so strange or confusing that you cannot understand or explain it" + }, + "mesmerize": { + "CHS": "施催眠术" + }, + "undifferentiated": { + "CHS": "无差别的, 一致的", + "ENG": "something which is undifferentiated is not split into parts, or has different parts but you cannot tell the difference between them" + }, + "gravitation": { + "CHS": "地心吸力, 引力作用", + "ENG": "the force that causes two objects such as planets to move towards each other because of their mass " + }, + "springtime": { + "CHS": "春天, 春季", + "ENG": "the time of the year when it is spring" + }, + "sled": { + "CHS": "(小)雪撬", + "ENG": "A sled is the same as a " + }, + "ski": { + "CHS": "滑雪板 vi滑雪", + "ENG": "one of a pair of long thin narrow pieces of wood or plastic that you fasten to your boots and use for moving on snow or on water" + }, + "swampy": { + "CHS": "沼泽的,似沼泽的" + }, + "pickaxe": { + "CHS": "鹤嘴锄, 手镐", + "ENG": "a large tool that you use for breaking up the ground. It consists of a curved iron bar with a sharp point on each end and a long handle." + }, + "cubic": { + "CHS": "立方体的, 立方的", + "ENG": "relating to a measurement of space which is calculated by multiplying the length of something by its width and height" + }, + "taint": { + "CHS": "感染 n污点", + "ENG": "to damage something by adding an unwanted substance to it" + }, + "pestilential": { + "CHS": "引起瘟疫的, 有害的", + "ENG": "causing disease" + }, + "miasmic": { + "CHS": "毒气的, 瘴气的" + }, + "onstage": { + "CHS": "台上的,舞台表演区的", + "ENG": "on the stage in a theatre" + }, + "holm": { + "CHS": "(河,湖中的)小岛", + "ENG": "an island in a river, lake, or estuary " + }, + "anymore": { + "CHS": "不再, 再也不", + "ENG": "not any longer" + }, + "trainload": { + "CHS": "装载量, 列车载重" + }, + "ziggurat": { + "CHS": "古代亚述及巴比伦之金字形神塔(顶上有神殿)", + "ENG": "an ancient Middle Eastern structure which has smaller and smaller upper levels and a temple on top" + }, + "shapeless": { + "CHS": "不成形的, 无定形的", + "ENG": "not having a clear or definite shape" + }, + "troupe": { + "CHS": "剧团", + "ENG": "a group of singers, actors, dancers etc who work together" + }, + "postmodern": { + "CHS": "后现代主义的", + "ENG": "relating to or influenced by postmodernism" + }, + "expressionless": { + "CHS": "无表情的", + "ENG": "an expressionless face or voice does not show what someone thinks or feels" + }, + "clumsy": { + "CHS": "笨拙的", + "ENG": "moving or doing things in a careless way, especially so that you drop things, knock into things etc" + }, + "foghorn": { + "CHS": "[航海]雾角,尖而响的声音", + "ENG": "a loud horn on a ship, used in fog to warn other ships of its position" + }, + "majestic": { + "CHS": "雄伟的,壮丽的", + "ENG": "very big, impressive, or beautiful" + }, + "viennese": { + "CHS": "维也纳人(语)(的)" + }, + "commissioner": { + "CHS": "委员, 专员", + "ENG": "a member of a commission" + }, + "plum": { + "CHS": "[植] 李子, 洋李", + "ENG": "a small round juicy fruit which is dark red, purple, or yellow and has a single hard seed, or the tree that produces this fruit" + }, + "seaman": { + "CHS": "海员, 水手", + "ENG": "a sailor on a ship or in the navy who is not an officer" + }, + "stilt": { + "CHS": "高跷, 支柱", + "ENG": "one of two poles which you can stand on and walk high above the ground" + }, + "stele": { + "CHS": "石碑, 匾额", + "ENG": "an upright stone slab or column decorated with figures or inscriptions, common in prehistoric times " + }, + "chronology": { + "CHS": "年代学, 年表", + "ENG": "an account of events in the order in which they happened" + }, + "overt": { + "CHS": "明显的, 公然的", + "ENG": "overt actions are done publicly, without trying to hide anything" + }, + "colorfully": { + "CHS": "华美的, 富有色彩的" + }, + "eminence": { + "CHS": "出众, 显赫", + "ENG": "the quality of being famous and important" + }, + "beacon": { + "CHS": "信号灯,闪光灯", + "ENG": "a light that is put somewhere to warn or guide people, ships, vehicles, or aircraft" + }, + "stubbornness": { + "CHS": "倔强, 顽强" + }, + "prearrange": { + "CHS": "预先安排", + "ENG": "If you prearrange something, you plan or arrange it before the time when it actually happens" + }, + "persevere": { + "CHS": "坚持", + "ENG": "to continue trying to do something in a very determined way in spite of difficulties – use this to show approval" + }, + "softball": { + "CHS": "垒球运动, 垒球", + "ENG": "a game similar to baseball but played on a smaller field with a slightly larger and softer ball" + }, + "Shakespeare": { + "CHS": "莎士比亚(1564-1616,英国剧作家,诗人)" + }, + "abuse": { + "CHS": "滥用, 虐待,辱骂", + "ENG": "cruel or violent treatment of someone" + }, + "cither": { + "CHS": "齐特拉琴(古希腊一种类似竖琴的古乐器)" + }, + "modernistic": { + "CHS": "现代的, 现代主义的", + "ENG": "designed in a way that looks very modern and very different from previous styles" + }, + "wick": { + "CHS": "蜡烛心, 灯芯", + "ENG": "the piece of thread in a candle, that burns when you light it" + }, + "corp": { + "CHS": "公司" + }, + "sturdiness": { + "CHS": "强健, 雄壮, 坚固" + }, + "wicker": { + "CHS": "柳条 a柳条制的", + "ENG": "Wicker is long thin sticks, stems, or reeds that have been woven together to make things such as baskets and furniture" + }, + "austere": { + "CHS": "简朴的, 严厉的", + "ENG": "plain and simple and without any decoration" + }, + "nationwide": { + "CHS": "全国性的", + "ENG": "happening or existing in every part of the country" + }, + "astrological": { + "CHS": "占星的, 占星术的" + }, + "mirage": { + "CHS": "海市蜃楼,幻想", + "ENG": "an effect caused by hot air in a desert, which makes you think that you can see objects when they are not actually there" + }, + "repertory": { + "CHS": "仓库" + }, + "rescue": { + "CHS": "/ n营救,救援", + "ENG": "to save someone or something from a situation of danger or harm" + }, + "nearness": { + "CHS": "靠近, 接近" + }, + "pavlova": { + "CHS": "奶油水果蛋白饼", + "ENG": "a light cake made of meringue , cream and fruit" + }, + "nourishment": { + "CHS": "食物, 营养品", + "ENG": "the food and other substances that people and other living things need to live, grow, and stay healthy" + }, + "schoolroom": { + "CHS": "教室", + "ENG": "a room used for teaching in a small school" + }, + "helpless": { + "CHS": "无助的,没用的", + "ENG": "unable to look after yourself or to do anything to help yourself" + }, + "grandparents": { + "CHS": "外祖父母, 祖父母", + "ENG": "Your grandparents are the parents of your father or mother" + }, + "fruitfulness": { + "CHS": "多产, 肥沃" + }, + "cathedral": { + "CHS": "大教堂", + "ENG": "the main church of a particular area under the control of a bishop " + }, + "ignition": { + "CHS": "点火, 点燃", + "ENG": "the electrical part of a vehicle’s engine that makes it start working" + }, + "midwestern": { + "CHS": "美国中西部的", + "ENG": "Midwestern means belonging or relating to the Midwest" + }, + "interject": { + "CHS": "插嘴, 突然插入", + "ENG": "to interrupt what someone else is saying with a sudden remark" + }, + "lightness": { + "CHS": "轻盈, 灵活" + }, + "idyllic": { + "CHS": "田园短诗的, 牧歌的" + }, + "resonance": { + "CHS": "共鸣, 反响", + "ENG": "the special meaning or importance that something has for you because it relates to your own experiences" + }, + "allegory": { + "CHS": "寓言", + "ENG": "a story, painting etc in which the events and characters represent ideas or teach a moral lesson" + }, + "rainbow": { + "CHS": "彩虹", + "ENG": "a large curve of different colours that can appear in the sky when there is both sun and rain" + }, + "pretense": { + "CHS": "借口,伪装,自吹" + }, + "gratuitous": { + "CHS": "无缘无故的;免费的", + "ENG": "said or done without a good reason, in a way that offends someone" + }, + "liveliness": { + "CHS": "活泼" + }, + "stench": { + "CHS": "恶臭, 臭气", + "ENG": "a very strong bad smell" + }, + "slime": { + "CHS": "粘土, 粘液" + }, + "tern": { + "CHS": "三个一组, [鸟]燕鸥", + "ENG": "a black and white sea bird that has long wings and a tail with two points" + }, + "starlike": { + "CHS": "星形的, 星般闪烁的" + }, + "slimy": { + "CHS": "黏滑的, 卑劣的", + "ENG": "covered with slime , or wet and slippery like slime" + }, + "germ": { + "CHS": "微生物, 细菌", + "ENG": "a very small living thing that can make you ill" + }, + "storeroom": { + "CHS": "储藏室, 库房", + "ENG": "a room where goods are stored" + }, + "Oakland": { + "CHS": "奥克兰(美国加利福尼亚州西部城市)" + }, + "allude": { + "CHS": "暗指,提及", + "ENG": "If you allude to something, you mention it in an indirect way" + }, + "sunburst": { + "CHS": "从云隙射下的阳光" + }, + "lordly": { + "CHS": "高贵的;高傲的", + "ENG": "behaving in a way that shows you think you are better or more important than other people" + }, + "ditch": { + "CHS": "沟, 壕沟", + "ENG": "a long narrow hole dug at the side of a field, road etc to hold or remove unwanted water" + }, + "rebellious": { + "CHS": "反抗的,难控制的", + "ENG": "deliberately not obeying people in authority or rules of behaviour" + }, + "disciple": { + "CHS": "信徒, 弟子", + "ENG": "someone who believes in the ideas of a great teacher or leader, especially a religious one" + }, + "arctic": { + "CHS": "北极的 n北极(圈)", + "ENG": "If you describe a place or the weather as arctic, you are emphasizing that it is extremely cold" + }, + "tadpole": { + "CHS": "[动]蝌蚪", + "ENG": "a small creature that has a long tail, lives in water, and grows into a frog or toad " + }, + "propensity": { + "CHS": "倾向", + "ENG": "a natural tendency to behave in a particular way" + }, + "wildflower": { + "CHS": "野花", + "ENG": "Wildflowers are flowers that grow naturally in the countryside, rather than being grown by people in gardens" + }, + "stifle": { + "CHS": "窒息, 抑制", + "ENG": "to stop something from happening or developing" + }, + "whip": { + "CHS": "鞭子 v鞭打", + "ENG": "a long thin piece of rope or leather with a handle, that you hit animals with to make them move or that you hit someone with to punish them" + }, + "debut": { + "CHS": "首次演出,初次露面", + "ENG": "the first public appearance of an entertainer, sports player etc or of something new and important" + }, + "sufficiency": { + "CHS": "充足;充裕", + "ENG": "the state of being or having enough" + }, + "rebel": { + "CHS": "反叛;反对", + "ENG": "to oppose or fight against someone in authority or against an idea or situation which you do not agree with" + }, + "foray": { + "CHS": "突袭,偷袭", + "ENG": "a short sudden attack by a group of soldiers, especially in order to get food or supplies" + }, + "pupil": { + "CHS": "小学生", + "ENG": "someone who is being taught, especially a child" + }, + "lacquer": { + "CHS": "漆, 漆器", + "ENG": "a liquid painted onto metal or wood to form a hard shiny surface" + }, + "gobi": { + "CHS": "戈壁" + }, + "maiden": { + "CHS": "少女, 处女", + "ENG": "a young girl, or a woman who is not married" + }, + "academically": { + "CHS": "学业上" + }, + "vaccinate": { + "CHS": "接种疫苗,给…打防疫针", + "ENG": "to protect a person or animal from a disease by giving them a vaccine" + }, + "summarization": { + "CHS": "摘要, 概要" + }, + "flu": { + "CHS": "流感", + "ENG": "a common illness that makes you feel very tired and weak, gives you a sore throat, and makes you cough and have to clear your nose a lot" + }, + "haphazardly": { + "CHS": "不规则地, 随意地" + }, + "geometrically": { + "CHS": "成几何级数(图形)地" + }, + "solidly": { + "CHS": "坚硬地, 稳固地" + }, + "timid": { + "CHS": "胆小的, 羞怯的", + "ENG": "not having courage or confidence" + }, + "embroider": { + "CHS": "刺绣,修饰", + "ENG": "to decorate cloth by sewing a pattern, picture, or words on it with coloured threads" + }, + "drugstore": { + "CHS": "药房, 杂货店", + "ENG": "a shop where you can buy medicines, beauty products etc" + }, + "speckle": { + "CHS": "小斑点 vt点缀" + }, + "gentlemanly": { + "CHS": "绅士派头的", + "ENG": "a man who is gentlemanly speaks and behaves politely, and treats other people with respect" + }, + "gamble": { + "CHS": "(打)赌;投机,冒险", + "ENG": "to risk money or possessions on the result of something such as a game or a race, when you do not know for certain what the result will be" + }, + "override": { + "CHS": "不顾,否决", + "ENG": "to use your power or authority to change someone else’s decision" + }, + "citadel": { + "CHS": "根据地, 大本营" + }, + "fresher": { + "CHS": "大学一年级新生, 新鲜人", + "ENG": "a student who has just started at a college or university" + }, + "outcry": { + "CHS": "大声疾呼" + }, + "edit": { + "CHS": "编辑, 校订", + "ENG": "to prepare a book, piece of film etc for printing or broadcasting by removing mistakes or parts that are not acceptable" + }, + "postgraduate": { + "CHS": "研究生", + "ENG": "someone who is studying at a university to get a master’s degree or a phd " + }, + "manifesto": { + "CHS": "宣言, 声明", + "ENG": "a written statement by a political party, saying what they believe in and what they intend to do" + }, + "treasurer": { + "CHS": "司库,财务主管", + "ENG": "someone who is officially responsible for the money for an organization, club, political party etc" + }, + "gnaw": { + "CHS": "啃,咬", + "ENG": "to keep biting something hard" + }, + "endear": { + "CHS": "使亲密" + }, + "industrious": { + "CHS": "勤劳的, 勤奋的", + "ENG": "someone who is industrious works hard" + }, + "participator": { + "CHS": "参加者" + }, + "trespass": { + "CHS": "侵犯,擅自进入", + "ENG": "to go onto some-one’s private land without their permission" + }, + "darn": { + "CHS": "缝补,补缀", + "ENG": "to repair a hole in a piece of clothing by stitching wool over it" + }, + "irony": { + "CHS": "反话, 讽刺", + "ENG": "a situation that is unusual or amusing because something strange happens, or the opposite of what is expected happens or is true" + }, + "cheerless": { + "CHS": "不快活的", + "ENG": "cheerless weather, places,or times make you feel sad, bored, or uncomfortable" + }, + "sovereignty": { + "CHS": "君主, 主权", + "ENG": "complete freedom and power to govern" + }, + "renunciation": { + "CHS": "放弃,抛弃", + "ENG": "when someone makes a formal decision to no longer believe in something, live in a particular way etc" + }, + "Calvinist": { + "CHS": "加尔文教徒(见Calvin)", + "ENG": "A Calvinist is a member of the Calvinist church" + }, + "sociability": { + "CHS": "好交际,善于交际" + }, + "frivolity": { + "CHS": "轻薄,轻浮", + "ENG": "behaviour or activities that are not serious or sensible, especially when you should be serious or sensible" + }, + "womanhood": { + "CHS": "女人,女人气质", + "ENG": "women in general" + }, + "stern": { + "CHS": "船尾", + "ENG": "the back of a ship" + }, + "patriarchal": { + "CHS": "家长的, 族长的", + "ENG": "relating to being a patriarch, ortypical of a patriarch" + }, + "disinterest": { + "CHS": "无兴趣, 不关心", + "ENG": "a lack of interest" + }, + "grip": { + "CHS": "握紧,抓牢", + "ENG": "to hold something very tightly" + }, + "luce": { + "CHS": "一种成鱼" + }, + "writhe": { + "CHS": "翻滚,扭动", + "ENG": "to twist your body from side to side violently, especially because you are suffering pain" + }, + "overhead": { + "CHS": "在头顶上(的)" + }, + "embroidery": { + "CHS": "刺绣(品)", + "ENG": "a pattern sewn onto cloth, or cloth with patterns sewn onto it" + }, + "hobby": { + "CHS": "业余爱好", + "ENG": "an activity that you enjoy doing in your free time" + }, + "radish": { + "CHS": "[植]萝卜", + "ENG": "a small vegetable whose red or white root is eaten raw and has a strong spicy taste" + }, + "ventilation": { + "CHS": "通风, 流通空气" + }, + "babble": { + "CHS": "说蠢话,牙牙学语" + }, + "belle": { + "CHS": "美女", + "ENG": "a beautiful girl or woman" + }, + "fragility": { + "CHS": "脆弱, 虚弱" + }, + "innocence": { + "CHS": "清白", + "ENG": "the fact of being not guilty of a crime" + }, + "nonconformity": { + "CHS": "不信奉国教" + }, + "cardinal": { + "CHS": "主要的, 最重要的", + "ENG": "very important or basic" + }, + "willingly": { + "CHS": "自动地, 欣然地" + }, + "fervor": { + "CHS": "热情, 热烈" + }, + "undergraduate": { + "CHS": "(尚未取得学位的)大学生", + "ENG": "a student at college or university, who is working for their first degree" + }, + "rosy": { + "CHS": "蔷薇色的, 玫瑰红色的", + "ENG": "pink" + }, + "telecommuter": { + "CHS": "远程工作者", + "ENG": "someone who works at home using a computer connected to a company’s main office" + }, + "seduce": { + "CHS": "勾引;引诱", + "ENG": "to persuade someone to have sex with you, especially in a way that is attractive and not too direct" + }, + "programmer": { + "CHS": "程序师, 程序规划员", + "ENG": "someone whose job is to write computer programs" + }, + "paycheck": { + "CHS": "薪水支票, 工资" + }, + "disillusion": { + "CHS": "醒悟", + "ENG": "to make someone realize that something which they thought was true or good is not really true or good" + }, + "accountant": { + "CHS": "会计(员), 会计师", + "ENG": "someone whose job is to keep and check financial accounts, calculate taxes etc" + }, + "tranquil": { + "CHS": "安静的", + "ENG": "pleasantly calm, quiet, and peaceful" + }, + "solitude": { + "CHS": "孤独", + "ENG": "when you are alone, especially when this is what you enjoy" + }, + "chary": { + "CHS": "小心的,审慎的", + "ENG": "unwilling to risk doing something" + }, + "farmhand": { + "CHS": "农业工人,农场工人", + "ENG": "someone who works on a farm" + }, + "tardiness": { + "CHS": "缓慢" + }, + "harvester": { + "CHS": "收割机", + "ENG": "someone who gathers crops" + }, + "reliant": { + "CHS": "信赖的, 依靠的", + "ENG": "dependent on someone or something" + }, + "facet": { + "CHS": "小平面, 方面, 刻面", + "ENG": "one of several parts of someone’s character, a situation etc" + }, + "transpose": { + "CHS": "调换, 颠倒顺序", + "ENG": "to change the order or position of two or more things" + }, + "culturally": { + "CHS": "人文地, 文化地", + "ENG": "in a way that is related to the ideas, beliefs, or customs of a society" + }, + "iconographic": { + "CHS": "肖像的, 图像材料的" + }, + "earnestness": { + "CHS": "坚定, 认真" + }, + "folkloric": { + "CHS": "民间传说的, 民俗的" + }, + "vibrant": { + "CHS": "震动的;明亮的", + "ENG": "a vibrant colour is bright and strong" + }, + "unfold": { + "CHS": "展开,显露,展现", + "ENG": "if a story unfolds, or if someone unfolds it, it is told" + }, + "coherence": { + "CHS": "一致", + "ENG": "when something such as a piece of writing is easy to understand because its parts are connected in a clear and reasonable way" + }, + "reprieve": { + "CHS": "缓刑,暂时解救", + "ENG": "a delay before something bad happens or continues to happen" + }, + "malfunction": { + "CHS": "故障", + "ENG": "a fault in the way a machine or part of someone’s body works" + }, + "eloquent": { + "CHS": "雄辩的, 有口才的", + "ENG": "able to express your ideas and opinions well, especially in a way that influences people" + }, + "introspective": { + "CHS": "反省的", + "ENG": "tending to think deeply about your own thoughts, feelings, or behaviour" + }, + "etching": { + "CHS": "蚀刻版画", + "ENG": "a picture made by printing from an etched metal plate" + }, + "gouache": { + "CHS": "树胶水彩画", + "ENG": "a method of painting using colours that are mixed with water and made thicker with a type of glue" + }, + "frisky": { + "CHS": "活泼的, 欢闹的", + "ENG": "full of energy and fun" + }, + "yelp": { + "CHS": "咆哮" + }, + "barrelful": { + "CHS": "一桶之量, 大量" + }, + "chorus": { + "CHS": "合唱(队)", + "ENG": "a large group of people who sing together" + }, + "unwell": { + "CHS": "不舒服的", + "ENG": "ill, especially for a short time" + }, + "displacement": { + "CHS": "移置, 转移, 取代", + "ENG": "Displacement is the removal of something from its usual place or position by something which then occupies that place or position" + }, + "chaotically": { + "CHS": "浑沌地" + }, + "bathe": { + "CHS": "洗澡" + }, + "fearsome": { + "CHS": "可怕的", + "ENG": "very frightening" + }, + "scour": { + "CHS": "四处搜索;洗涤", + "ENG": "If you scour something such as a place or a book, you make a thorough search of it to try to find what you are looking for" + }, + "philology": { + "CHS": "语言学, 文献学", + "ENG": "the study of words and of the way words and languages develop" + }, + "gentleman": { + "CHS": "阁下, 先生", + "ENG": "a polite word for a man, used especially when talking to or about a man you do not know" + }, + "unobservable": { + "CHS": "不可见的" + }, + "sluggishly": { + "CHS": "缓慢的, 懒惰的" + }, + "balsam": { + "CHS": "香液", + "ENG": " balm , or the tree that produces it" + }, + "weightily": { + "CHS": "沉重地, 重要地" + }, + "zoology": { + "CHS": "动物学, 生态", + "ENG": "the scientific study of animals and their behaviour" + }, + "horseback": { + "CHS": "马背, 隆起的条状地带", + "ENG": "If you do something on horseback, you do it while riding a horse" + }, + "replant": { + "CHS": "再植, 改种", + "ENG": "to plant again " + }, + "nonessential": { + "CHS": "非本质的", + "ENG": "Nonessential means not absolutely necessary" + }, + "grammatical": { + "CHS": "语法的,合乎文法的", + "ENG": "concerning grammar" + }, + "sensational": { + "CHS": "轰动的, 耸人听闻的", + "ENG": "very interesting, exciting, and surprising" + }, + "filmy": { + "CHS": "薄膜的, 朦胧的", + "ENG": "A filmy fabric or substance is very thin and almost transparent" + }, + "pearly": { + "CHS": "珍珠似的", + "ENG": "pale in colour and shiny, like a pearl" + }, + "arrest": { + "CHS": "逮捕, 拘留", + "ENG": "if the police arrest someone, the person is taken to a police station because the police think they have done something illegal" + }, + "nationally": { + "CHS": "全国性地, 在全国范围内", + "ENG": "by or to everyone in the nation" + }, + "listless": { + "CHS": "倦怠的, 冷漠的", + "ENG": "feeling tired and not interested in things" + }, + "aloft": { + "CHS": "在高处, 在上", + "ENG": "high up in the air" + }, + "hacienda": { + "CHS": "庄园", + "ENG": "a large farm in Spanish-speaking countries" + }, + "vaguest": { + "CHS": "含糊的,不明确的" + }, + "furnishing": { + "CHS": "供给(装备)" + }, + "oversight": { + "CHS": "疏忽, 看管", + "ENG": "a mistake in which you forget something or do not notice something" + }, + "veteran": { + "CHS": "经验丰富的" + }, + "stinger": { + "CHS": "刺激者, 讽刺者", + "ENG": "a person, plant, animal, etc, that stings or hurts " + }, + "inundate": { + "CHS": "淹没", + "ENG": "to cover an area with a large amount of water" + }, + "dusty": { + "CHS": "满是灰尘的, 粉状的", + "ENG": "covered with dust" + }, + "suffice": { + "CHS": "使满足", + "ENG": "to be enough" + }, + "luster": { + "CHS": "光彩, 光泽" + }, + "housewares": { + "CHS": "家用器皿", + "ENG": "small things used in the home, for example plates, lamps etc, or the department of a large shop that sells these things" + }, + "drainpipe": { + "CHS": "排水管", + "ENG": "a pipe that carries rainwater away from the roof of a building" + }, + "trash": { + "CHS": "垃圾, 废物", + "ENG": "things that you throw away, such as empty bottles, used papers, food that has gone bad etc" + }, + "clayware": { + "CHS": "黏土制品" + }, + "weedy": { + "CHS": "杂草多的", + "ENG": "full of unwanted wild plants" + }, + "mermaid": { + "CHS": "美人鱼", + "ENG": "in stories, a woman who has a fish’s tail instead of legs and who lives in the sea" + }, + "hart": { + "CHS": "雄赤鹿", + "ENG": "a male deer" + }, + "chant": { + "CHS": "圣歌", + "ENG": "a regularly repeated tune, often with many words sung on one note, especially used for religious prayers" + }, + "plaza": { + "CHS": "广场,集市", + "ENG": "a public square or market place surrounded by buildings, especially in towns in Spanish-speaking countries" + }, + "slay": { + "CHS": "杀死,宰杀", + "ENG": "to kill someone – used especially in newspapers" + }, + "falsely": { + "CHS": "虚伪地, 错误地" + }, + "emergent": { + "CHS": "紧急的" + }, + "landownership": { + "CHS": "土地所有" + }, + "metaphysical": { + "CHS": "形而上学的, 纯粹哲学的", + "ENG": "concerned with the study of metaphysics" + }, + "feeble": { + "CHS": "虚弱的, 衰弱的", + "ENG": "extremely weak" + }, + "joyous": { + "CHS": "快乐的, 高兴的", + "ENG": "very happy, or likely to make people very happy" + }, + "forceful": { + "CHS": "有力的, 强烈的", + "ENG": "a forceful person expresses their opinions very strongly and clearly and people are easily persuaded by them" + }, + "reluctance": { + "CHS": "不愿, 勉强", + "ENG": "when someone is unwilling to do something, or when they do something slowly to show that they are not very willing" + }, + "engagement": { + "CHS": "约会, 婚约", + "ENG": "an agreement between two people to marry, or the period of time they are engaged" + }, + "swear": { + "CHS": "宣誓, 发誓", + "ENG": "to say very strongly that what you are saying is true" + }, + "lover": { + "CHS": "爱人, 爱好者", + "ENG": "someone’s lover is the person they are having a sexual relationship with but who they are not married to" + }, + "epithet": { + "CHS": "绰号, 称号" + }, + "collapsible": { + "CHS": "可折叠的;可拆卸的", + "ENG": "something collapsible can be folded so that it uses less space" + }, + "scruffy": { + "CHS": "肮脏的,不洁的", + "ENG": "dirty and untidy" + }, + "derisive": { + "CHS": "嘲笑的", + "ENG": "showing that you think someone or something is stupid or silly" + }, + "messy": { + "CHS": "肮脏的, 凌乱的", + "ENG": "dirty or untidy" + }, + "misery": { + "CHS": "痛苦, 苦恼", + "ENG": "great suffering that is caused for example by being very poor or very sick" + }, + "fragmentary": { + "CHS": "由碎片组成的", + "ENG": "consisting of many different small parts" + }, + "oxidizable": { + "CHS": "可氧化的" + }, + "difluoride": { + "CHS": "二氟化物" + }, + "zirconium": { + "CHS": "锆", + "ENG": "a greyish-white metallic element, occurring chiefly in zircon, that is exceptionally corrosion-resistant and has low neutron absorption. It is used as a coating in nuclear and chemical plants, as a deoxidizer in steel, and alloyed with niobium in superconductive magnets. Symbol: Zr; atomic no: 40; atomic wt: 91.224; valency: 2, 3, or 4; relative density: 6.506; melting pt: 1855±2°C; boiling pt: 4409°C " + }, + "publicity": { + "CHS": "公开", + "ENG": "When the news media and the public show a lot of interest in something, you can say that it is receiving publicity" + }, + "relict": { + "CHS": "残遗物", + "ENG": "a group of animals or plants that exists as a remnant of a formerly widely distributed group in an environment different from that in which it originated " + }, + "effortlessly": { + "CHS": "毫不费力地, 轻易地" + }, + "defensible": { + "CHS": "可防御的", + "ENG": "a defensible building or area is easy to protect against attack" + }, + "idealistic": { + "CHS": "理想主义的, 空想的", + "ENG": "believing that you should live according to high standards and principles, even if they cannot really be achieved, or showing this belief" + }, + "blister": { + "CHS": "水泡", + "ENG": "a swelling on your skin containing clear liquid, caused, for example, by a burn or continuous rubbing" + }, + "statuette": { + "CHS": "小雕像", + "ENG": "a very small statue that can be put on a table or shelf" + }, + "featureless": { + "CHS": "无特色的, 平凡的", + "ENG": "a featureless place has no interesting parts to notice" + }, + "creed": { + "CHS": "信条", + "ENG": "a set of beliefs or principles" + }, + "scraggly": { + "CHS": "零乱的, 锯齿状的" + }, + "zeal": { + "CHS": "热心, 热情", + "ENG": "eagerness to do something, especially to achieve a particular religious or political aim" + }, + "slapdash": { + "CHS": "匆促的", + "ENG": "careless and done too quickly" + }, + "badge": { + "CHS": "徽章, 证章", + "ENG": "a small piece of metal, cloth, or plastic with a picture or words on it, worn to show rank, membership of a group, support for a political idea etc" + }, + "shrubby": { + "CHS": "灌木的", + "ENG": "A shrubby plant is like a shrub" + }, + "brutal": { + "CHS": "残忍的, 兽性的", + "ENG": "very cruel and violent" + }, + "impinge": { + "CHS": "撞击", + "ENG": "Something that impinges on you affects you to some extent" + }, + "scrubbiness": { + "CHS": "褴褛的,灌木丛生的" + }, + "flavin": { + "CHS": "[化]黄素, 四羟酮醇" + }, + "mountainside": { + "CHS": "山腹, 山腰", + "ENG": "the side of a mountain" + }, + "sunbaked": { + "CHS": "晒干的" + }, + "testimony": { + "CHS": "证词, 宣言", + "ENG": "a formal statement saying that something is true, especially one a witness makes in a court of law" + }, + "alumina": { + "CHS": "[化]氧化铝(亦称矾土)" + }, + "hairlike": { + "CHS": "毛一般的, 细微的" + }, + "coating": { + "CHS": "被覆, 衣料" + }, + "wee": { + "CHS": "很少的, 微小的", + "ENG": "very small – used especially in Scottish English" + }, + "watertight": { + "CHS": "不漏水的, 无懈可击的", + "ENG": "an argument, plan etc that is watertight is made very carefully so that people cannot find any mistakes in it" + }, + "rationalism": { + "CHS": "理性主义, 唯理论", + "ENG": "the belief that your actions should be based on scientific thinking rather than emotions or religious beliefs" + }, + "willful": { + "CHS": "任性的, 故意的" + }, + "worthiness": { + "CHS": "价值,值得" + }, + "moralistic": { + "CHS": "狭隘道德观的, 说教的", + "ENG": "with very strong beliefs about what is right and wrong, especially when this makes you judge other people’s behaviour" + }, + "conscientious": { + "CHS": "认真的,勤勤恳恳的", + "ENG": "careful to do everything that it is your job or duty to do" + }, + "syntax": { + "CHS": "语法, 句法", + "ENG": "the way words are arranged to form sentences or phrases, or the rules of grammar which control this" + }, + "nonsense": { + "CHS": "胡说, 废话", + "ENG": "ideas, opinions, statements etc that are not true or that seem very stupid" + }, + "loudness": { + "CHS": "大声, 喧闹" + }, + "terminate": { + "CHS": "停止, 终止", + "ENG": "if something terminates, or if you terminate it, it ends" + }, + "playful": { + "CHS": "爱玩耍的;幽默的", + "ENG": "very active, happy, and wanting to have fun" + }, + "discontinuity": { + "CHS": "不连续, 中断", + "ENG": "when a process is not continuous" + }, + "prosaic": { + "CHS": "单调乏味的,平淡的", + "ENG": "boring or ordinary" + }, + "discrimination": { + "CHS": "歧视;辨别力", + "ENG": "the practice of treating one person or group differently from another in an unfair way" + }, + "vowel": { + "CHS": "元音(的)", + "ENG": "one of the human speech sounds that you make by letting your breath flow out without closing any part of your mouth or throat" + }, + "dew": { + "CHS": "露水", + "ENG": "the small drops of water that form on outdoor surfaces during the night" + }, + "shroud": { + "CHS": "用裹尸布裹, 遮蔽" + }, + "fearless": { + "CHS": "不怕的,无畏的", + "ENG": "not afraid of anything" + }, + "doom": { + "CHS": "注定,命定 n厄运", + "ENG": "to make someone or something certain to fail, die, be destroyed etc" + }, + "install": { + "CHS": "安装, 安置", + "ENG": "to put a piece of equipment somewhere and connect it so that it is ready to be used" + }, + "landholder": { + "CHS": "地主, 土地拥有者" + }, + "emergency": { + "CHS": "紧急情况, 突然事件", + "ENG": "an unexpected and dangerous situation that must be dealt with immediately" + }, + "workable": { + "CHS": "可经营的, 可使用的", + "ENG": "a workable system, plan etc will be practical and effective" + }, + "moralism": { + "CHS": "道德主义, 说教", + "ENG": "the habit or practice of moralizing " + }, + "dune": { + "CHS": "沙丘", + "ENG": "a hill made of sand near the sea or in the desert" + }, + "monarchy": { + "CHS": "君主政体, 君主国", + "ENG": "the system in which a country is ruled by a king or queen" + }, + "nationalism": { + "CHS": "民族主义, 国家主义", + "ENG": "the desire by a group of people of the same race, origin, language etc to form an independent country" + }, + "flowerpot": { + "CHS": "花盆, 花钵", + "ENG": "a plastic or clay pot in which you grow plants" + }, + "resale": { + "CHS": "再贩卖, 转售", + "ENG": "the activity of selling goods that you have bought from someone else" + }, + "dubious": { + "CHS": "可疑的, 不确定的", + "ENG": "probably not honest, true, right etc" + }, + "centralization": { + "CHS": "集中, 中央集权化" + }, + "profusion": { + "CHS": "丰富", + "ENG": "a very large amount of something" + }, + "seacoast": { + "CHS": "海滨", + "ENG": "land bordering on the sea; a coast " + }, + "lush": { + "CHS": "茂盛的, 丰富的", + "ENG": "plants that are lush grow many leaves and look healthy and strong" + }, + "champagne": { + "CHS": "香槟酒", + "ENG": "a French white wine with a lot of bubble s , drunk on special occasions" + }, + "pesky": { + "CHS": "讨厌的,烦人的", + "ENG": "annoying" + }, + "sorrowful": { + "CHS": "悲伤的,使人伤心的", + "ENG": "very sad" + }, + "overtone": { + "CHS": "寓意;眩外音;暗示", + "ENG": "signs of an emotion or attitude that is not expressed directly" + }, + "towel": { + "CHS": "毛巾", + "ENG": "a piece of cloth that you use for drying your skin or for drying things such as dishes" + }, + "purposefully": { + "CHS": "有目的地, 蓄意地" + }, + "dislodge": { + "CHS": "驱逐", + "ENG": "to make someone leave a place or lose a position of power" + }, + "lint": { + "CHS": "绷带用麻布", + "ENG": "Lint is cotton or linen fabric which you can put on your skin if you have a cut" + }, + "shortness": { + "CHS": "短缺" + }, + "softness": { + "CHS": "柔和, 温柔" + }, + "domestically": { + "CHS": "家庭式地,国内地" + }, + "behaviorist": { + "CHS": "行为主义者, 行为科学家" + }, + "foil": { + "CHS": "箔, 金属薄片", + "ENG": "metal sheets that are as thin as paper, used for wrapping food" + }, + "newsworthy": { + "CHS": "有报导价值的", + "ENG": "important or interesting enough to be reported in newspapers, on the radio, or on television" + }, + "imminent": { + "CHS": "逼近的, 即将发生的", + "ENG": "an event that is imminent, especially an unpleasant one, will happen very soon" + }, + "proficiently": { + "CHS": "熟练地" + }, + "locomotor": { + "CHS": "运动的", + "ENG": "of or relating to locomotion " + }, + "cloudy": { + "CHS": "多云的, 阴天的", + "ENG": "a cloudy sky, day etc is dark because there are a lot of clouds" + }, + "wirephoto": { + "CHS": "有线传真", + "ENG": "a facsimile of a photograph transmitted electronically via a telephone system " + }, + "attractively": { + "CHS": "有吸引力地,诱人地" + }, + "snowy": { + "CHS": "雪的, 多雪的", + "ENG": "with a lot of snow" + }, + "inaugurate": { + "CHS": "开始;举行就职典礼", + "ENG": "to hold an official ceremony when someone starts doing an important job in government" + }, + "kit": { + "CHS": "成套工具, 用具包", + "ENG": "a set of tools, equipment etc that you use for a particular purpose or activity" + }, + "comminute": { + "CHS": "使成粉末,粉碎" + }, + "indebted": { + "CHS": "受惠的, 负债的", + "ENG": "owing money to someone" + }, + "cache": { + "CHS": "贮藏,隐藏 n藏物处", + "ENG": "to hide something in a secret place, especially weapons" + }, + "germination": { + "CHS": "萌芽, 发生" + }, + "unseen": { + "CHS": "未见过的", + "ENG": "not noticed or seen" + }, + "guest": { + "CHS": "客人, 来宾", + "ENG": "someone who is invited to an event or special occasion" + }, + "cognition": { + "CHS": "认识", + "ENG": "the process of knowing, understanding, and learning something" + }, + "forelimb": { + "CHS": "前肢", + "ENG": "either of the front or anterior limbs of a four-limbed vertebrate: a foreleg, flipper, or wing " + }, + "limy": { + "CHS": "含石灰的, 石灰似的" + }, + "lithographic": { + "CHS": "石版印刷的, 石版的" + }, + "lagoon": { + "CHS": "泻湖 礁湖", + "ENG": "a lake of sea water that is partly separated from the sea by rocks, sand, or coral" + }, + "numeral": { + "CHS": "数字", + "ENG": "a written sign such as 1, 2, or 3 that represents a number" + }, + "eloquently": { + "CHS": "雄辩地, 有口才地" + }, + "extravagantly": { + "CHS": "挥霍无度地" + }, + "crest": { + "CHS": "浪尖, 冠", + "ENG": "a group of feathers that stick up on the top of a bird’s head" + }, + "centrality": { + "CHS": "中心, 中央", + "ENG": "the state or condition of being central " + }, + "insatiable": { + "CHS": "不知足的, 贪求无厌的", + "ENG": "always wanting more and more of something" + }, + "prospective": { + "CHS": "预期的", + "ENG": "You use prospective to describe someone who wants to be the thing mentioned or who is likely to be the thing mentioned" + }, + "bewilder": { + "CHS": "使迷惑,使难住", + "ENG": "to confuse someone" + }, + "obstruction": { + "CHS": "阻塞, 妨碍", + "ENG": "when something blocks a road, passage, tube etc, or the thing that blocks it" + }, + "procure": { + "CHS": "获得, 取得", + "ENG": "to obtain something, especially something that is difficult to get" + }, + "subsidiary": { + "CHS": "辅助的, 补充的", + "ENG": "If something is subsidiary, it is less important than something else with which it is connected" + }, + "putrefaction": { + "CHS": "腐败, 腐败物" + }, + "pasteurization": { + "CHS": "加热杀菌法, 巴斯德杀菌法", + "ENG": "the process of heating beverages, such as milk, beer, wine, or cider, or solid foods, such as cheese or crab meat, to destroy harmful or undesirable microorganisms or to limit the rate of fermentation by the application of controlled heat " + }, + "summertime": { + "CHS": "夏季", + "ENG": "the season when it is summer" + }, + "meltdown": { + "CHS": "彻底垮台" + }, + "chlorate": { + "CHS": "[化]氯酸盐", + "ENG": "any salt of chloric acid, containing the monovalent ion ClO3" + }, + "intersection": { + "CHS": "交集, 交叉点", + "ENG": "a place where roads, lines etc cross each other, especially where two roads meet" + }, + "stepper": { + "CHS": "行走的人或动物, 跳舞者", + "ENG": "a person who or animal that steps, esp a horse or a dancer " + }, + "supposition": { + "CHS": "假定, 想象", + "ENG": "something that you think is true, even though you are not certain and cannot prove it" + }, + "smoothness": { + "CHS": "平坦, 光滑" + }, + "vertically": { + "CHS": "垂直地" + }, + "dichotomy": { + "CHS": "两分, 二分法" + }, + "clipper": { + "CHS": "大剪刀, 快速帆船修剪者", + "ENG": "a special tool with two blades, used for cutting small pieces from something" + }, + "fruitful": { + "CHS": "果实结得多的, 多产的", + "ENG": "land that is fruitful produces a lot of crops" + }, + "flag": { + "CHS": "旗,旗帜", + "ENG": "a piece of cloth with a coloured pattern or picture on it that represents a country or organization" + }, + "acoustical": { + "CHS": "听觉的, 声学的" + }, + "kitchenware": { + "CHS": "厨房用具", + "ENG": "pots, pans, and other things used for cooking" + }, + "intimidate": { + "CHS": "胁迫", + "ENG": "to frighten or threaten someone into making them do what you want" + }, + "serviceable": { + "CHS": "有用地,耐用的", + "ENG": "ready or able to be used" + }, + "chalky": { + "CHS": "白垩的", + "ENG": "similar to chalk or containing chalk" + }, + "Yorkshire": { + "CHS": "约克郡,约克夏(英国英格兰原郡名)" + }, + "royalty": { + "CHS": "皇室, 王权", + "ENG": "members of a royal family" + }, + "renowned": { + "CHS": "有名的, 有声誉的", + "ENG": "known and admired by a lot of people, especially for a special skill, achievement, or quality" + }, + "worthy": { + "CHS": "值得的,有价值的", + "ENG": "deserving respect from people" + }, + "kinfolk": { + "CHS": "亲属", + "ENG": "Your kinfolk or kinsfolk are the people who are related to you" + }, + "prompt": { + "CHS": "推动;提示", + "ENG": "to help a speaker who pauses, by suggesting how to continue" + }, + "nonliving": { + "CHS": "无生命的, 非活体的" + }, + "impervious": { + "CHS": "不透的;不受影响的", + "ENG": "not affected or influenced by something and seeming not to notice it" + }, + "deceptive": { + "CHS": "骗人的,造成假象的", + "ENG": "something that is deceptive seems to be one thing but is in fact very different" + }, + "wok": { + "CHS": "锅,炒菜锅", + "ENG": "a wide pan shaped like a bowl, used in Chinese cooking" + }, + "appraisal": { + "CHS": "估计, 评估", + "ENG": "a statement or opinion judging the worth, value, or condition of something" + }, + "lone": { + "CHS": "孤独的,寂寞的", + "ENG": "used to talk about the only person or thing in a place, or the only person or thing that does something" + }, + "dissenter": { + "CHS": "持异议者", + "ENG": "a person or organization that disagrees with an official decision or accepted opinion" + }, + "enure": { + "CHS": "变得更有利" + }, + "conformity": { + "CHS": "一致, 符合", + "ENG": "in a way that obeys rules, customs etc" + }, + "unanimity": { + "CHS": "全体一致", + "ENG": "a state or situation of complete agreement among a group of people" + }, + "pedagogical": { + "CHS": "教学(法)的", + "ENG": "relating to teaching methods or the practice of teaching" + }, + "hopper": { + "CHS": "单足跳者" + }, + "affirm": { + "CHS": "断言, 确认", + "ENG": "to state publicly that something is true" + }, + "scientifically": { + "CHS": "科学地, 系统地" + }, + "modus": { + "CHS": "方法, 形式" + }, + "laborsaving": { + "CHS": "节省劳力的;省力气的" + }, + "spontaneity": { + "CHS": "自发性", + "ENG": "Spontaneity is spontaneous, natural behaviour" + }, + "respectable": { + "CHS": "可敬的;有身价的", + "ENG": "You can say that something is respectable when you mean that it is good enough or acceptable" + }, + "paperback": { + "CHS": "平装本, 纸面本", + "ENG": "A paperback is a book with a thin cardboard or paper cover. Compare . " + }, + "strap": { + "CHS": "用带捆扎", + "ENG": "to fasten something or someone in place with one or more straps" + }, + "topical": { + "CHS": "有关时事的", + "ENG": "Topical is used to describe something that concerns or relates to events that are happening at the present time" + }, + "exclaim": { + "CHS": "呼喊, 惊叫", + "ENG": "to say something suddenly and loudly because you are surprised, angry, or excited" + }, + "ratchet": { + "CHS": "棘轮, 棘齿", + "ENG": "a machine part consisting of a wheel or bar with teeth on it, which allows movement in only one direction" + }, + "humiliate": { + "CHS": "羞辱, 使丢脸", + "ENG": "to make someone feel ashamed or stupid, especially when other people are present" + }, + "conduction": { + "CHS": "传导", + "ENG": "the passage of electricity through wires, heat through metal, water through pipes etc" + }, + "indefinitely": { + "CHS": "不确定地", + "ENG": "without giving clear or exact details" + }, + "unused": { + "CHS": "不用的;未消耗的", + "ENG": "not being used, or never used" + }, + "ala": { + "CHS": "(昆虫的)翼, 翅", + "ENG": "a wing or flat winglike process or structure, such as a part of some bones and cartilages " + }, + "virgin": { + "CHS": "处女, 未婚女子", + "ENG": "someone who has never had sex" + }, + "terrifyingly": { + "CHS": "恐怖地" + }, + "conference": { + "CHS": "会议, 讨论会", + "ENG": "a large formal meeting where a lot of people discuss important matters such as business, politics, or science, especially for several days" + }, + "kinsman": { + "CHS": "男性亲戚, 同族者", + "ENG": "a male relative" + }, + "Norman": { + "CHS": "法国诺曼第人(的)", + "ENG": "The Normans were the people who came from northern France and took control of England in 1066, or their descendants" + }, + "chaste": { + "CHS": "贞洁的, 朴素的", + "ENG": "not having sex with anyone, or not with anyone except your husband or wife" + }, + "sully": { + "CHS": "玷污", + "ENG": "to spoil or reduce the value of something that was perfect" + }, + "incapable": { + "CHS": "无能力的", + "ENG": "not able to do something" + }, + "mouldy": { + "CHS": "发霉的, 腐朽的, 旧式的", + "ENG": "covered with mould " + }, + "condemn": { + "CHS": "判刑,谴责", + "ENG": "to say very strongly that you do not approve of something or someone, especially because you think it is morally wrong" + }, + "handicap": { + "CHS": "妨碍", + "ENG": "to make it difficult for someone to do something that they want or need to do" + }, + "dumb": { + "CHS": "哑的,沉默的", + "ENG": "someone who is dumb is not able to speak at all. Many people think that this use is offensive" + }, + "hygiene": { + "CHS": "卫生, 卫生学", + "ENG": "the practice of keeping yourself and the things around you clean in order to prevent diseases" + }, + "happily": { + "CHS": "幸福地, 愉快地", + "ENG": "in a happy way" + }, + "slothful": { + "CHS": "偷懒的", + "ENG": "lazy or not active" + }, + "forefather": { + "CHS": "祖先, 祖宗", + "ENG": "the people, especially men, who were part of your family a long time ago in the past" + }, + "soundly": { + "CHS": "完全地, 健全地", + "ENG": "If you sleep soundly, you sleep deeply and do not wake during your sleep" + }, + "asleep": { + "CHS": "睡着的", + "ENG": "sleeping" + }, + "torpor": { + "CHS": "麻木,不活泼", + "ENG": "Torpor is the state of being completely inactive mentally or physically, for example, because of illness or laziness" + }, + "lull": { + "CHS": "缓和 n暂时的平息" + }, + "lash": { + "CHS": "鞭打", + "ENG": "to hit a person or animal very hard with a whip, stick etc" + }, + "cementation": { + "CHS": "粘固" + }, + "anyway": { + "CHS": "无论如何, 总之", + "ENG": "used when you are ignoring details so that you can talk immediately about the most important thing" + }, + "trumpeter": { + "CHS": "喇叭手, 号兵", + "ENG": "A trumpeter is someone who plays a trumpet" + }, + "breathless": { + "CHS": "无声息的, 喘不过气来的", + "ENG": "having difficulty breathing, especially because you are very tired, excited, or frightened" + }, + "convene": { + "CHS": "召集, 集合", + "ENG": "if a group of people convene, or someone convenes them, they come together, especially for a formal meeting" + }, + "wingless": { + "CHS": "无翼的, 没有翅膀的", + "ENG": "having no wings or vestigial wings " + }, + "modal": { + "CHS": "模态的, 形态上的", + "ENG": "modal meanings are concerned with the attitude of the speaker to the hearer or to what is being said" + }, + "sweaty": { + "CHS": "出汗的, 吃力的", + "ENG": "covered or wet with sweat " + }, + "brawl": { + "CHS": "争吵, 怒骂", + "ENG": "to quarrel or fight in a noisy way, especially in a public place" + }, + "useable": { + "CHS": "可用的, 有效的" + }, + "operational": { + "CHS": "操作的, 运作的", + "ENG": "working and ready to be used" + }, + "clockmaker": { + "CHS": "制造或修理钟表者", + "ENG": "a person who makes or mends clocks, watches, etc " + }, + "linkage": { + "CHS": "联接", + "ENG": "a link 2 1 " + }, + "offensive": { + "CHS": "冒犯的, 无礼的", + "ENG": "very rude or insulting and likely to upset people" + }, + "midst": { + "CHS": "中部,中间", + "ENG": "in the middle of a place or a group of things or people" + }, + "multifunctional": { + "CHS": "多功能的", + "ENG": "having or able to perform many functions " + }, + "vigor": { + "CHS": "精力, 活力" + }, + "singular": { + "CHS": "单一的", + "ENG": "a singular noun, verb, form etc is used when writing or speaking about one person or thing" + }, + "parliament": { + "CHS": "国会, 议会", + "ENG": "the group of people who are elected to make a country’s laws and discuss important national affairs" + }, + "oust": { + "CHS": "剥夺,取代,罢免" + }, + "promptly": { + "CHS": "敏捷地, 迅速地", + "ENG": "without delay" + }, + "sage": { + "CHS": "智慧的 n智者" + }, + "rejoin": { + "CHS": "再结合, 再加入" + }, + "courage": { + "CHS": "勇气, 精神", + "ENG": "the quality of being brave when you are facing a difficult or dangerous situation or when you are very ill" + }, + "debtor": { + "CHS": "债务人", + "ENG": "a person, group, or organization that owes money" + }, + "penal": { + "CHS": "刑事的", + "ENG": "relating to the legal punishment of criminals, especially in prisons" + }, + "wrapper": { + "CHS": "包装材料,包装纸", + "ENG": "the piece of paper or plastic that covers something when it is sold" + }, + "outright": { + "CHS": "直率的, 彻底的 ad直率地, 彻底地", + "ENG": "clear and direct" + }, + "orphanage": { + "CHS": "孤儿院, 孤儿身份", + "ENG": "a large house where children who are orphans live and are taken care of" + }, + "authentic": { + "CHS": "可信的,真正的", + "ENG": "done or made in the traditional or original way" + }, + "florist": { + "CHS": "种花人", + "ENG": "a shop that sells flowers and indoor plants for the home" + }, + "fragrance": { + "CHS": "芬芳, 香气", + "ENG": "a pleasant smell" + }, + "daddy": { + "CHS": "爸爸", + "ENG": "father – used especially by children or when speaking to children" + }, + "eventual": { + "CHS": "最后的, 结局的", + "ENG": "happening at the end of a long period of time or after a lot of other things have happened" + }, + "agonize": { + "CHS": "使极度痛苦, 折磨" + }, + "oft": { + "CHS": "常常, 再三", + "ENG": "often" + }, + "horde": { + "CHS": "游牧部落" + }, + "primer": { + "CHS": "初级读本,原始物", + "ENG": "a school book that contains very basic facts about a subject" + }, + "revert": { + "CHS": "回复", + "ENG": "When people or things revert to a previous state, system, or type of behaviour, they go back to it" + }, + "copyright": { + "CHS": "版权, 著作权", + "ENG": "the legal right to be the only producer or seller of a book, play, film, or record for a specific length of time" + }, + "nephew": { + "CHS": "侄子, 外甥", + "ENG": "the son of your brother or sister, or the son of your husband’s or wife’s brother or sister" + }, + "Dutchman": { + "CHS": "荷兰人", + "ENG": "a man from the Netherlands" + }, + "van": { + "CHS": "有篷货车, 前驱 vt用车搬运", + "ENG": "a vehicle used especially for carrying goods, which is smaller than a truck and has a roof and usually no windows at the sides" + }, + "salesperson": { + "CHS": "售货员", + "ENG": "someone whose job is selling things" + }, + "jewellery": { + "CHS": "[总称]珠宝", + "ENG": "small things that you wear for decoration, such as rings or necklaces" + }, + "pelt": { + "CHS": "投掷, 毛皮 v剥的皮, 投掷", + "ENG": "the skin of a dead animal, especially with the fur or hair still on it" + }, + "Lowa": { + "CHS": "爱荷华州(美国中西部的一州)" + }, + "pella": { + "CHS": "斗篷" + }, + "goldsmith": { + "CHS": "金匠", + "ENG": "someone who makes or sells things made from gold" + }, + "saw": { + "CHS": "锯 v锯,锯开", + "ENG": "a tool that you use for cutting wood. It has a flat blade with an edge cut into many V shapes." + }, + "woodblock": { + "CHS": "木板 〈印〉木版", + "ENG": "a piece of wood with a shape cut on it, used for printing" + }, + "upwind": { + "CHS": "逆风的 ad逆风地", + "ENG": "Upwind is also an adjective" + }, + "volatility": { + "CHS": "挥发性" + }, + "nostalgic": { + "CHS": "乡愁的, 怀旧的", + "ENG": "if you feel nostalgic about a time in the past, you feel happy when you remember it, and in some ways you wish that things had not changed" + }, + "longing": { + "CHS": "渴望 a渴望的", + "ENG": "a strong feeling of wanting something or someone" + }, + "homesick": { + "CHS": "想家的,思乡病的", + "ENG": "feeling unhappy because you are a long way from your home" + }, + "pike": { + "CHS": "长枪, 梭子鱼 vt用矛刺穿", + "ENG": "a large fish that eats other fish and lives in rivers and lakes" + }, + "seaboard": { + "CHS": "海岸, 沿海地方 a海滨的", + "ENG": "the part of a country that is near the sea" + }, + "bench": { + "CHS": "长椅子,替补队员 vt给…以席位", + "ENG": "a long seat for two or more people, especially outdoors" + }, + "corrosive": { + "CHS": "腐蚀的, 蚀坏的 n腐蚀物", + "ENG": "a corrosive liquid such as an acid can destroy metal, plastic etc" + }, + "rut": { + "CHS": "定例, 惯例 v在形成车辙", + "ENG": "a deep narrow track left in soft ground by a wheel" + }, + "tenuous": { + "CHS": "纤细的,稀薄的", + "ENG": "very thin and easily broken" + }, + "guarantor": { + "CHS": "[律]保证人", + "ENG": "someone who promises to pay a debt if the person who should pay it does not" + }, + "omnipotent": { + "CHS": "全能的, 无所不能的", + "ENG": "able to do everything" + }, + "overland": { + "CHS": "/ad经过陆地的, 陆上的", + "ENG": "An overland journey is made across land rather than by ship or aeroplane" + }, + "Interstate": { + "CHS": "州际的", + "ENG": "Interstate means between states, especially the states of the United States" + }, + "carnation": { + "CHS": "荷兰石竹, 康乃馨, 粉红色", + "ENG": "a flower that smells sweet. Men often wear a carnation on their jacket on formal occasions." + }, + "priest": { + "CHS": "牧师", + "ENG": "someone who is specially trained to perform religious duties and ceremonies in the Christian church" + }, + "obedient": { + "CHS": "顺从的,孝顺的", + "ENG": "always doing what you are told to do, or what the law, a rule etc says you must do" + }, + "sty": { + "CHS": "猪栏 v住在猪圈里, 关入猪栏", + "ENG": "a place where pigs are kept" + }, + "undecided": { + "CHS": "未定的, (天气等)不稳定的", + "ENG": "not having made a decision about something important" + }, + "oasis": { + "CHS": "(沙漠中)绿洲,舒适的地方", + "ENG": "a place with water and trees in a desert" + }, + "irregularly": { + "CHS": "不规则地,不整齐地" + }, + "gregarious": { + "CHS": "社交的,群居的", + "ENG": "friendly and preferring to be with other people" + }, + "honey": { + "CHS": "(蜂)蜜,宝贝 a甜美的", + "ENG": "a sweet sticky substance produced by bees , used as food" + }, + "hitherto": { + "CHS": "迄今,至今", + "ENG": "up to this time" + }, + "heroic": { + "CHS": "英雄的, 英勇的", + "ENG": "extremely brave or determined, and admired by many people" + }, + "pervasive": { + "CHS": "普遍的,深入的", + "ENG": "existing everywhere" + }, + "uninhabitable": { + "CHS": "不适宜居住的", + "ENG": "if a place is uninhabitable, it is impossible to live in" + }, + "venom": { + "CHS": "(蛇的)毒液, 恶意 vt放毒, 使恶毒", + "ENG": "great anger or hatred" + }, + "placental": { + "CHS": "胎盘的 n有胎盘哺乳动物", + "ENG": "(esp of animals) having a placenta " + }, + "spiny": { + "CHS": "多剌的, 剌状的", + "ENG": "a spiny animal or plant has lots of stiff sharp points" + }, + "anteater": { + "CHS": "[动]食蚁动物", + "ENG": "an animal that has a very long nose and eats small insects" + }, + "postpone": { + "CHS": "推迟, 使延期", + "ENG": "to change the date or time of a planned event or action to a later one" + }, + "modulate": { + "CHS": "调整, 调节, (信号)调制", + "ENG": "to change the sound of your voice" + }, + "vagary": { + "CHS": "奇特行为, 奇想" + }, + "modulation": { + "CHS": "调制" + }, + "acoustic": { + "CHS": "有关声音的, 声学的", + "ENG": "relating to sound and the way people hear things" + }, + "marsupial": { + "CHS": "有袋动物 a有袋动物的", + "ENG": "an animal such as a kangaroo which carries its babies in a pocket of skin on its body" + }, + "dwindle": { + "CHS": "缩小", + "ENG": "to gradually become less and less or smaller and smaller" + }, + "outpouring": { + "CHS": "倾泄, 流出, 流露", + "ENG": "an expression of strong feelings" + }, + "beluga": { + "CHS": "(欧洲)白色大鳇鱼, 白鲸", + "ENG": "a large white sturgeon, Acipenser (or Huso) huso, of the Black and Caspian Seas: a source of caviar and isinglass " + }, + "insensitivity": { + "CHS": "感觉迟钝,不灵敏性" + }, + "anaerobic": { + "CHS": "厌氧的,厌气的", + "ENG": "not needing oxygen in order to live" + }, + "enrichment": { + "CHS": "发财致富, 丰富, 肥沃", + "ENG": "Enrichment is the act of enriching someone or something or the state of being enriched" + }, + "coincidence": { + "CHS": "一致, 同时发生或同时存在(尤指偶然)的事", + "ENG": "when two things happen at the same time, in the same place, or to the same people in a way that seems surprising or unusual" + }, + "advice": { + "CHS": "忠告, 建议", + "ENG": "an opinion you give someone about what they should do" + }, + "printmaker": { + "CHS": "版画复制匠" + }, + "lithography": { + "CHS": "平版印刷术", + "ENG": "a method of printing in which a pattern is cut into stone or metal so that ink sticks to some parts of it and not others" + }, + "rationale": { + "CHS": "基本原理", + "ENG": "The rationale for a course of action, practice, or belief is the set of reasons on which it is based" + }, + "serigraphy": { + "CHS": "绢印, 绢网印艺术" + }, + "curly": { + "CHS": "卷曲的, 弯曲的, (木材)有皱状纹理的", + "ENG": "having a lot of curls" + }, + "mayor": { + "CHS": "市长", + "ENG": "the person who has been elected to lead the government of a town or city" + }, + "chimp": { + "CHS": "(非洲)黑猩猩" + }, + "waterworks": { + "CHS": "自来水厂,供水系统", + "ENG": "the system of pipes and water supplies in a town or city" + }, + "lieu": { + "CHS": "场所" + }, + "parkway": { + "CHS": "公园道路, 驾车专用道路" + }, + "serene": { + "CHS": "平静的 n宁静", + "ENG": "very calm or peaceful" + }, + "boulevard": { + "CHS": "<美>林荫大道", + "ENG": "a wide road in a town or city, often with trees along the sides" + }, + "omission": { + "CHS": "冗长,疏漏" + }, + "implementation": { + "CHS": "执行" + }, + "multipurpose": { + "CHS": "多种用途的, 多目标的", + "ENG": "able to be used for many different purpose" + }, + "restful": { + "CHS": "宁静的", + "ENG": "peaceful and quiet, making you feel relaxed" + }, + "preexist": { + "CHS": "先前存在" + }, + "incipient": { + "CHS": "初期的,初始的", + "ENG": "starting to happen or exist" + }, + "metamorphic": { + "CHS": "变质的,变性的", + "ENG": "metamorphic rock is formed by the continuous effects of pressure, heat, or water" + }, + "sidewalk": { + "CHS": "人行道", + "ENG": "a hard surface or path at the side of a street for people to walk on" + }, + "libelous": { + "CHS": "诽谤的,损害名誉的" + }, + "broker": { + "CHS": "掮客, 经纪人", + "ENG": "someone who buys and sells things such as share s in companies or foreign money for other people" + }, + "Washingtonian": { + "CHS": "/a(美国)华盛顿市(或州)人" + }, + "sensationalism": { + "CHS": "追求轰动效应, 感觉论", + "ENG": "a way of reporting events or stories that makes them seem as strange, exciting, or shocking as possible – used in order to show disapproval" + }, + "aromatic": { + "CHS": "芬芳的", + "ENG": "having a strong pleasant smell" + }, + "unmistakable": { + "CHS": "明显的,不会弄错的", + "ENG": "easy to recognize" + }, + "weird": { + "CHS": "怪异的, 超自然的, 不可思议的", + "ENG": "very strange and unusual, and difficult to understand or explain" + }, + "pollinate": { + "CHS": "对授粉", + "ENG": "to give a flower or plant pollen so that it can produce seeds" + }, + "runway": { + "CHS": "飞机跑道, 斜坡跑道, 河道", + "ENG": "a long specially prepared hard surface like a road on which aircraft land and take off" + }, + "irresistible": { + "CHS": "不可抵抗的,不能压制的", + "ENG": "too strong or powerful to be stopped or prevented" + }, + "rampant": { + "CHS": "猖獗的, 蔓生的", + "ENG": "if something bad, such as crime or disease, is rampant, there is a lot of it and it is very difficult to control" + }, + "crossbreed": { + "CHS": "[生物]杂种 v异种交配", + "ENG": "an animal or plant that is a mixture of breeds" + }, + "gorgeous": { + "CHS": "华丽的, 灿烂的" + }, + "intrusion": { + "CHS": "闯入, 侵扰", + "ENG": "when someone does something, or something happens, that affects your private life or activities in an unwanted way" + }, + "pinch": { + "CHS": "捏, 撮 v夹痛,节省", + "ENG": "when you press someone’s skin between your finger and thumb" + }, + "inactivate": { + "CHS": "使不活泼, 阻止活动", + "ENG": "to render inactive " + }, + "degrade": { + "CHS": "(使)降级, (使)堕落" + }, + "pollination": { + "CHS": "授粉" + }, + "recognizable": { + "CHS": "可辨认的,可认识的", + "ENG": "If something can be easily recognized or identified, you can say that it is easily recognizable" + }, + "unwillingly": { + "CHS": "不情愿地,勉强地" + }, + "impartially": { + "CHS": "公平地,无私地" + }, + "dose": { + "CHS": "剂量, (一)剂 v(给)服药" + }, + "retrain": { + "CHS": "重新教育, 再教育" + }, + "irrationally": { + "CHS": "无理性地,不合理地" + }, + "boon": { + "CHS": "恩惠, 福利", + "ENG": "You can describe something as a boon when it makes life better or easier for someone" + }, + "democracy": { + "CHS": "民主政治, 民主主义", + "ENG": "a system of government in which every citizen in the country can vote to elect its government officials" + }, + "unavoidably": { + "CHS": "不可避免地,不得已地" + }, + "layman": { + "CHS": "外行", + "ENG": "someone who is not trained in a particular subject or type of work, especially when they are being compared with someone who is" + }, + "racetrack": { + "CHS": "(主要用于赛马, 赛狗的)跑道", + "ENG": "a track on which runners or cars race" + }, + "inoffensive": { + "CHS": "不触犯人的,无害的", + "ENG": "unlikely to offend or upset anyone" + }, + "boomer": { + "CHS": "生育高峰中出生的人" + }, + "cynthia": { + "CHS": "月亮女神, 月亮" + }, + "struggler": { + "CHS": "奋斗者,斗争者" + }, + "honorable": { + "CHS": "光荣的,高贵的" + }, + "impregnate": { + "CHS": "使怀孕, 使受精 a怀孕的, 充满的", + "ENG": "to make a woman or female animal pregnant" + }, + "enthusiastically": { + "CHS": "热心地,满腔热情地" + }, + "consecutive": { + "CHS": "连贯的,连续不断的", + "ENG": "consecutive numbers or periods of time follow one after the other without any interruptions" + }, + "needy": { + "CHS": "贫困的, 缺乏生活必需品的", + "ENG": "having very little food or money" + }, + "bequest": { + "CHS": "遗产, 遗赠", + "ENG": "money or property that you arrange to give to someone after your death" + }, + "childless": { + "CHS": "无儿女的", + "ENG": "having no children" + }, + "cuticle": { + "CHS": "表皮,角质层", + "ENG": "Your cuticles are the skin at the base of each of your nails" + }, + "spiky": { + "CHS": "大钉似的, 尖刻的", + "ENG": "Something that is spiky has one or more sharp points" + }, + "waxy": { + "CHS": "象蜡的,苍白的, 柔软的,", + "ENG": "like wax, or made of wax" + }, + "unpalatable": { + "CHS": "味道差的,难吃的", + "ENG": "unpalatable food tastes unpleasant" + }, + "epidermis": { + "CHS": "[生]表皮, 上皮", + "ENG": "the outside layer of your skin" + }, + "immobilize": { + "CHS": "固定不动", + "ENG": "to prevent someone or something from moving" + }, + "deterrent": { + "CHS": "威慑 a遏制的", + "ENG": "something that makes someone less likely to do something, by making them realize it will be difficult or have bad results" + }, + "infest": { + "CHS": "骚扰,大批滋生", + "ENG": "if insects, rats etc infest a place, there are a lot of them and they usually cause damage" + }, + "rancho": { + "CHS": "大牧场(或大农场)工人住的棚屋", + "ENG": "a hut or group of huts for housing ranch workers " + }, + "breach": { + "CHS": "破坏, 裂口 vt打破, 突破", + "ENG": "a serious disagreement between people, groups, or countries" + }, + "crayon": { + "CHS": "有色粉笔, 蜡笔", + "ENG": "a stick of coloured wax or chalk that children use to draw pictures" + }, + "unwary": { + "CHS": "粗心的, 不警惕的", + "ENG": "not knowing about possible problems or dangers, and therefore easily harmed or deceived" + }, + "sapiens": { + "CHS": "(拉)现代人的" + }, + "mastodon": { + "CHS": "[古生]乳齿象, 庞然大物", + "ENG": "any extinct elephant-like proboscidean mammal of the genus Mammut (or Mastodon), common in Pliocene times " + }, + "suspicion": { + "CHS": "猜疑, 怀疑" + }, + "preeminent": { + "CHS": "卓越的" + }, + "ingeniously": { + "CHS": "贤明地,有才能地" + }, + "daunt": { + "CHS": "沮丧" + }, + "monochromatic": { + "CHS": "单色的", + "ENG": "(of light or other electromagnetic radiation) having only one wavelength " + }, + "educable": { + "CHS": "可教育的, 可培养的", + "ENG": "able to learn or be educated" + }, + "tame": { + "CHS": "(指动物)驯服的,平淡的 v驯养, 驯服", + "ENG": "a tame animal or bird is not wild any longer, because it has been trained to live with people" + }, + "clever": { + "CHS": "机灵的, 聪明的", + "ENG": "able to learn and understand things quickly" + }, + "scam": { + "CHS": "诡计 v诓骗", + "ENG": "a clever but dishonest way to get money" + }, + "pin": { + "CHS": "钉, 栓 vt钉住, 牵制", + "ENG": "a thin piece of metal used to fasten things together, especially broken bones" + }, + "astute": { + "CHS": "机敏的, 狡猾的", + "ENG": "able to understand situations or behaviour very well and very quickly, especially so that you can get an advantage for yourself" + }, + "dash": { + "CHS": "冲撞, 破折号 v猛掷, 冲撞", + "ENG": "an occasion when someone runs somewhere very quickly in order to get away from something or someone, or in order to reach them" + }, + "emboss": { + "CHS": "饰以浮饰, 使浮雕出来" + }, + "yolk": { + "CHS": "蛋黄, [生物] 卵黄", + "ENG": "the yellow part in the centre of an egg" + }, + "embellish": { + "CHS": "修饰", + "ENG": "to make something more beautiful by adding decorations to it" + }, + "learner": { + "CHS": "学习者, 初学者", + "ENG": "someone who is learning to do something" + }, + "theft": { + "CHS": "偷, 行窃", + "ENG": "an act of stealing something" + }, + "unread": { + "CHS": "没有人看的, 无学问的" + }, + "reinterpretation": { + "CHS": "重新解释" + }, + "tread": { + "CHS": "踏, 步态 v踏, 跳", + "ENG": "the part of a stair that you put your foot on" + }, + "postdate": { + "CHS": "填迟的日期 n事后日期", + "ENG": "if you postdate a cheque, you write it with a date that is later than the actual date, so that it will not become effective until that time" + }, + "mania": { + "CHS": "[医]颠狂, 狂躁, 癖好, 狂热", + "ENG": "a strong desire for something or interest in something, especially one that affects a lot of people at the same time" + }, + "basement": { + "CHS": "地下室, 墙脚", + "ENG": "a room or area in a building that is under the level of the ground" + }, + "smuggle": { + "CHS": "走私, 偷带", + "ENG": "to take something or someone illegally from one country to another" + }, + "stash": { + "CHS": "存放 n隐藏处", + "ENG": "to store something secretly or safely somewhere" + }, + "quarrelsome": { + "CHS": "喜欢吵架的,好争论的", + "ENG": "someone who is quarrelsome quarrels a lot with people" + }, + "speedy": { + "CHS": "快的, 迅速的", + "ENG": "happening or done quickly or without delay" + }, + "prepay": { + "CHS": "预付", + "ENG": "to pay for something before you need it or use it" + }, + "loathsome": { + "CHS": "讨厌的", + "ENG": "very unpleasant or cruel" + }, + "counterfeit": { + "CHS": "赝品 a伪造的 v伪造", + "ENG": "Counterfeit is also a noun" + }, + "sender": { + "CHS": "寄件人,发送人", + "ENG": "the person who sent a particular letter, package, message etc" + }, + "affix": { + "CHS": "使附于, 粘贴 n[语]词缀" + }, + "obsess": { + "CHS": "迷住, 使困扰" + }, + "demolish": { + "CHS": "毁坏, 推翻, 粉碎", + "ENG": "to prove that an idea or opinion is completely wrong" + }, + "golf": { + "CHS": "高尔夫球 vi打高尔夫球", + "ENG": "a game in which the players hit a small white ball into holes in the ground with a set of golf clubs, using as few hits as possible" + }, + "glaciate": { + "CHS": "使结冰, 以冰(或冰河)覆盖", + "ENG": "to cover or become covered with glaciers or masses of ice " + }, + "ambience": { + "CHS": "周围环境, 气氛", + "ENG": "the qualities and character of a particular place and the way these make you feel" + }, + "cab": { + "CHS": "出租汽车", + "ENG": "a taxi" + }, + "frenzy": { + "CHS": "狂暴, 狂怒 vt使发狂", + "ENG": "a state of great anxiety or excitement, in which you cannot control your behaviour" + }, + "melodrama": { + "CHS": "情节剧", + "ENG": "a story or play in which very exciting or terrible things happen, and in which the characters and the emotions they show seem too strong to be real" + }, + "treasure": { + "CHS": "财宝, 财富 vt珍爱", + "ENG": "a group of valuable things such as gold, silver, jewels etc" + }, + "Cincinnati": { + "CHS": "辛辛那提(美国俄亥俄州西南部城市)" + }, + "trove": { + "CHS": "被发现的东西, 收藏的东西" + }, + "acronym": { + "CHS": "只取首字母的缩写词", + "ENG": "a word made up from the first letters of the name of something such as an organization. For example, NATO is an acronym for the North Atlantic Treaty Organization." + }, + "bet": { + "CHS": "赌, 打赌 v赌, 赌钱", + "ENG": "an agreement to risk money on the result of a race, game etc or on something happening, or the money that you risk" + }, + "vault": { + "CHS": "拱顶 v做成弧形", + "ENG": "a roof or ceiling that consists of several arches that are joined together, especially in a church" + }, + "labyrinth": { + "CHS": "迷路, 迷宫, 难解的事物", + "ENG": "a large network of paths or passages which cross each other, making it very difficult to find your way" + }, + "rubble": { + "CHS": "碎石", + "ENG": "broken stones or bricks from a building or wall that has been destroyed" + }, + "recipe": { + "CHS": "处方", + "ENG": "If you say that something is a recipe for a particular situation, you mean that it is likely to result in that situation" + }, + "rainer": { + "CHS": "人工降雨装置,喷灌装置" + }, + "yesteryear": { + "CHS": "去年 ad过去不久的岁月", + "ENG": "You use yesteryear to refer to the past, often a period in the past with a set of values or a way of life that no longer exists" + }, + "lore": { + "CHS": "学问,(动物的)眼光知识", + "ENG": "knowledge or information about a subject, for example nature or magic, that is not written down but is passed from person to person" + }, + "adjoin": { + "CHS": "邻接, 毗连", + "ENG": "a room, building, or piece of land that adjoins something is next to it and connected to it" + }, + "mortar": { + "CHS": "灰泥,迫击炮 vt用灰泥结合", + "ENG": "a heavy gun that fires bombs or shell s in a high curve" + }, + "incongruity": { + "CHS": "不调和的, 不适宜的", + "ENG": "the fact that something is strange, unusual, or unsuitable in a particular situation" + }, + "tableland": { + "CHS": "高原", + "ENG": "a large area of high flat land" + }, + "perfection": { + "CHS": "尽善尽美, 完美, 完成", + "ENG": "the state of being perfect" + }, + "fullness": { + "CHS": "满, 丰富, 成熟", + "ENG": "the quality of being large and round in an attractive way" + }, + "recoil": { + "CHS": "畏缩, 弹回 vi退却, 畏缩", + "ENG": "Recoil is also a noun" + }, + "musicologist": { + "CHS": "音乐学者" + }, + "forte": { + "CHS": "长处", + "ENG": "to be something that you do well or are skilled at" + }, + "percussive": { + "CHS": "冲击的,叩诊的", + "ENG": "Percussive sounds are like the sound of drums" + }, + "multistory": { + "CHS": "多层的,有多层楼的" + }, + "hammerhead": { + "CHS": "锤头 a锤头状的, 鲁钝的", + "ENG": "any shark of the genus Sphyrna and family Sphyrnidae, having a flattened hammer-shaped head " + }, + "induct": { + "CHS": "感应,引导" + }, + "coincident": { + "CHS": "一致的,符合的", + "ENG": "existing or happening at the same place or time" + }, + "assort": { + "CHS": "分类配全", + "ENG": "to arrange or distribute into groups of the same type; classify " + }, + "forgiveness": { + "CHS": "宽恕, 宽仁之心", + "ENG": "when someone forgives another person" + }, + "spoonful": { + "CHS": "一匙", + "ENG": "the amount that a spoon will hold" + }, + "oat": { + "CHS": "[植]燕麦, 麦片粥", + "ENG": "an erect annual grass, Avena sativa, grown in temperate regions for its edible seed " + }, + "differentiating": { + "CHS": "微分的" + }, + "symphonic": { + "CHS": "交响乐的, 和声的", + "ENG": "Symphonic means relating to or like a symphony" + }, + "sad": { + "CHS": "忧愁的, 悲哀的", + "ENG": "If you are sad, you feel unhappy, usually because something has happened that you do not like" + }, + "violinist": { + "CHS": "小提琴演奏者, 小提琴家", + "ENG": "someone who plays the violin" + }, + "cellist": { + "CHS": "大提琴演奏家", + "ENG": "someone who plays the cello" + }, + "upsurge": { + "CHS": "高潮 vi涌起" + }, + "phenomenal": { + "CHS": "现象的,显著的" + }, + "midocean": { + "CHS": "海洋中央" + }, + "deformation": { + "CHS": "变形", + "ENG": "a change in the usual shape of something, especially one that makes it worse, or the process of changing something’s shape" + }, + "omnibus": { + "CHS": "公共汽车, 精选集 a综合性的", + "ENG": "a bus" + }, + "accessibility": { + "CHS": "易接近, 可到达的" + }, + "unoccupied": { + "CHS": "空闲的,未占领的", + "ENG": "a seat, house, room etc that is unoccupied has no one in it" + }, + "catalyze": { + "CHS": "催化, 刺激, 促进" + }, + "vacant": { + "CHS": "空的, 头脑空虚的,空缺的", + "ENG": "a vacant seat, building, room or piece of land is empty and available for someone to use" + }, + "suite": { + "CHS": "(一批)随员, (一套)家具, 组", + "ENG": "a set of rooms, especially expensive ones in a hotel" + }, + "scavenge": { + "CHS": "打扫, 以(腐肉)为食", + "ENG": "if an animal scavenges, it eats anything that it can find" + }, + "subdivision": { + "CHS": "细分, 一部", + "ENG": "when something is subdivided, or the parts that result from doing this" + }, + "juvenile": { + "CHS": "青少年的 n青少年, 少年读物", + "ENG": "law relating to young people who are not yet adults" + }, + "betray": { + "CHS": "出卖, 背叛", + "ENG": "to be disloyal to someone who trusts you, so that they are harmed or upset" + }, + "sensible": { + "CHS": "有感觉的, 明智的", + "ENG": "reasonable, practical, and showing good judgment" + }, + "treetop": { + "CHS": "树稍", + "ENG": "the branches at the top of a tree" + }, + "ancestry": { + "CHS": "祖先(集合称), 血统", + "ENG": "the members of your family who lived a long time ago" + }, + "virginal": { + "CHS": "处女的, 无瑕的", + "ENG": "like a virgin" + }, + "dulcimer": { + "CHS": "[乐] 洋琴", + "ENG": "a musical instrument with up to 100 strings, played with light hammers" + }, + "unpublished": { + "CHS": "未公开出版的,未发表过的", + "ENG": "unpublished writing, information etc has never been published" + }, + "paddle": { + "CHS": "短桨, 划桨 v划桨,拌", + "ENG": "a short pole that is wide and flat at the end, used for moving a small boat in water" + }, + "twine": { + "CHS": "合股线 v织, (使)缠绕", + "ENG": "strong string made by twisting together two or more threads or strings" + }, + "jumble": { + "CHS": "混杂, 搞乱 n混乱", + "ENG": "to mix things together in an untidy way, without any order" + }, + "bituminous": { + "CHS": "沥青的,含沥青的" + }, + "practicable": { + "CHS": "可实行的,可用的", + "ENG": "a practicable way of doing something is possible in a particular situation" + }, + "acquaint": { + "CHS": "使熟知, 通知" + }, + "toil": { + "CHS": "苦工, 圈套 v费力地做" + }, + "insurmountable": { + "CHS": "不能克服的,不能超越的", + "ENG": "an insurmountable difficulty or problem is too large or difficult to deal with" + }, + "instantaneously": { + "CHS": "即刻,突如其来地" + }, + "prohibitively": { + "CHS": "禁止地,过分地" + }, + "video": { + "CHS": "录象, 视频 a视频的", + "ENG": "a digital recording of an event, for example one made using a mobile phone" + }, + "unprocessed": { + "CHS": "未被加工的", + "ENG": "(of food, oil, etc) not having undergone a process to preserve or purify " + }, + "standardize": { + "CHS": "使符合标准, 使标准化", + "ENG": "to make all the things of one particular type the same as each other" + }, + "uncooked": { + "CHS": "未煮过的", + "ENG": "food that is uncooked has not been cooked" + }, + "forecaster": { + "CHS": "预报员", + "ENG": "someone whose job is to say what is likely to happen in the future, especially what kind of weather is expected" + }, + "stormy": { + "CHS": "暴风雨的, 激烈的, 暴怒的", + "ENG": "with strong winds, heavy rain, and dark clouds" + }, + "untouched": { + "CHS": "未触及的, 未改变的", + "ENG": "not changed, damaged, or affected in any way" + }, + "mennonite": { + "CHS": "门诺派教徒", + "ENG": "Mennonites are members of a Protestant sect within the Christian church who do not baptize their children and who are opposed to military service" + }, + "police": { + "CHS": "警察 vt管辖 a警察的", + "ENG": "the people who work for an official organization whose job is to catch criminals and make sure that people obey the law" + }, + "humility": { + "CHS": "谦卑", + "ENG": "the quality of not being too proud about yourself – use this to show approval" + }, + "torrential": { + "CHS": "猛烈的,汹涌的" + }, + "dissipate": { + "CHS": "驱散, 消散", + "ENG": "to gradually become less or weaker before disappearing completely, or to make something do this" + }, + "advantageously": { + "CHS": "有利地,方便地" + }, + "merchandis": { + "CHS": "商品,货物 v买卖" + }, + "hospital": { + "CHS": "医院", + "ENG": "a large building where sick or injured people receive medical treatment" + }, + "proboscidean": { + "CHS": "长鼻类的 n长鼻目动物", + "ENG": "of, relating to, or belonging to the Proboscidea, an order of massive herbivorous placental mammals having tusks and a long trunk: contains the elephants " + }, + "sift": { + "CHS": "详审", + "ENG": "to examine information, documents etc carefully in order to find something out or decide what is important and what is not" + }, + "premium": { + "CHS": "额外费用, 奖金, 奖赏", + "ENG": "an additional amount of money, above a standard rate or amount" + }, + "neat": { + "CHS": "整洁的, 灵巧的, 优雅的", + "ENG": "tidy and carefully arranged" + }, + "precursor": { + "CHS": "先驱", + "ENG": "something that happened or existed before something else and influenced its development" + }, + "economize": { + "CHS": "节省, 有效地利用", + "ENG": "to reduce the amount of money, time, goods etc that you use" + }, + "haven": { + "CHS": "港口, 避难所", + "ENG": "a place where people or animals can live peacefully or go to in order to be safe" + }, + "tranquillity": { + "CHS": "宁静" + }, + "competitiveness": { + "CHS": "竞争力,好竞争", + "ENG": "the ability of a company, country, or a product to compete with others" + }, + "atomization": { + "CHS": "分离成原子, 雾化" + }, + "custodian": { + "CHS": "管理人", + "ENG": "someone who is responsible for looking after something important or valuable" + }, + "stagnate": { + "CHS": "(使)淤塞, (使)停滞, (使)沉滞, (使)变萧条", + "ENG": "If something such as a business or society stagnates, it stops changing or progressing" + }, + "emigrate": { + "CHS": "移居, 移民", + "ENG": "to leave your own country in order to live in another country" + }, + "regret": { + "CHS": "/v遗憾, 抱歉,后悔", + "ENG": "Regret is a feeling of sadness or disappointment, which is caused by something that has happened or something that you have done or not done" + }, + "civility": { + "CHS": "礼貌, 端庄", + "ENG": "polite behaviour which most people consider normal" + }, + "unbridgeable": { + "CHS": "不能架桥的,不能逾越的", + "ENG": "An unbridgeable gap or divide between two sides in an argument is so great that the two sides seem unlikely ever to agree" + }, + "determinedly": { + "CHS": "决然地,断然地" + }, + "abandonment": { + "CHS": "放弃", + "ENG": "The abandonment of a place, thing, or person is the act of leaving it permanently or for a long time, especially when you should not do so" + }, + "mimetic": { + "CHS": "模仿的,拟态的", + "ENG": "copying the movements or appearance of someone or something else" + }, + "fictive": { + "CHS": "虚构的, 想象上的", + "ENG": "imaginary and not real" + }, + "shudder": { + "CHS": "震动 vi战栗, 发抖" + }, + "violence": { + "CHS": "猛烈, 暴力, 暴虐", + "ENG": "behaviour that is intended to hurt other people physically" + }, + "insanity": { + "CHS": "精神错乱, 疯狂, 愚顽", + "ENG": "the state of being seriously mentally ill, so that you cannot live normally in society" + }, + "pinon": { + "CHS": "矮松, 矮松果" + }, + "juniper": { + "CHS": "[植]刺柏属丛木或树木", + "ENG": "a small bush that produces purple berries that can be used in cooking" + }, + "eke": { + "CHS": "补充, 增加" + }, + "hem": { + "CHS": "边,缘 v给缝边", + "ENG": "the edge of a piece of cloth that is turned under and stitched down, especially the lower edge of a skirt, trousers etc" + }, + "wring": { + "CHS": "绞, 扭, 折磨 n绞, 扭动", + "ENG": "to tightly twist a wet cloth or wet clothes in order to remove water" + }, + "briny": { + "CHS": "盐水的, 咸的, 海水的", + "ENG": "briny water is water that contains a lot of salt" + }, + "midlatitude": { + "CHS": "中间纬度" + }, + "regenerate": { + "CHS": "使新生, 重建 a新生的, 更新的", + "ENG": "to grow again, or make something grow again" + }, + "eviscerate": { + "CHS": "取出内脏, 除去精华", + "ENG": "to cut the organs out of a person’s or animal’s body" + }, + "sparingly": { + "CHS": "节俭地, 保守地" + }, + "squirt": { + "CHS": "喷出", + "ENG": "if you squirt liquid or if it squirts somewhere, it is forced out in a thin fast stream" + }, + "sanction": { + "CHS": "支持, 制裁 vt支持, 鼓励", + "ENG": "official orders or laws stopping trade, communication etc with another country, as a way of forcing its leaders to make political changes" + }, + "antagonistic": { + "CHS": "敌对的,对抗性的", + "ENG": "unfriendly; wanting to argue or disagree" + }, + "buggy": { + "CHS": "多虫的 n童车", + "ENG": "infested with bugs " + }, + "infrequently": { + "CHS": "罕见地, 稀少的", + "ENG": "not often" + }, + "quiescent": { + "CHS": "静止的", + "ENG": "not developing or doing anything, especially when this is only a temporary state" + }, + "inanity": { + "CHS": "空虚, 愚蠢" + }, + "romancer": { + "CHS": "传奇小说作家, 讲虚构故事的人" + }, + "strikingly": { + "CHS": "醒目地, 引人侧目地", + "ENG": "in a way that is very easy to notice" + }, + "akin": { + "CHS": "同类的", + "ENG": "very similar to something" + }, + "voracious": { + "CHS": "狼吞虎咽的, 贪婪的", + "ENG": "If you describe a person, or their appetite for something, as voracious, you mean that they want a lot of something" + }, + "gourmet": { + "CHS": "美食家", + "ENG": "someone who knows a lot about food and wine and who enjoys good food and wine" + }, + "supremely": { + "CHS": "无上地, 崇高地" + }, + "absurd": { + "CHS": "荒谬的, 可笑的", + "ENG": "completely stupid or unreasonable" + }, + "complacence": { + "CHS": "自满" + }, + "pleasantly": { + "CHS": "令人愉快地;舒适地" + }, + "supervision": { + "CHS": "监督, 管理", + "ENG": "when you supervise someone or something" + }, + "humanist": { + "CHS": "人道主义者, 人文主义者" + }, + "cannibalism": { + "CHS": "同类相食", + "ENG": "If a group of people practise cannibalism, they eat the flesh of other people" + }, + "satirist": { + "CHS": "讽刺作家", + "ENG": "someone who writes satire" + }, + "distend": { + "CHS": "(使)扩大, (使)扩张" + }, + "balmy": { + "CHS": "芳香的, 温和的", + "ENG": "balmy air, weather etc is warm and pleasant" + }, + "compo": { + "CHS": "组合物,混合涂料" + }, + "pressurize": { + "CHS": "增压, 密封", + "ENG": "to increase the pressure in (an enclosure, such as an aircraft cabin) in order to maintain approximately atmospheric pressure when the external pressure is low " + }, + "freshness": { + "CHS": "新鲜, 精神饱满" + }, + "wearer": { + "CHS": "穿用者, 佩带者", + "ENG": "someone who wears a particular type of clothing, jewellery etc" + }, + "dimensional": { + "CHS": "维度的, 空间的, 尺寸的" + }, + "dependably": { + "CHS": "可信任地" + }, + "reexamine": { + "CHS": "复试" + }, + "behalf": { + "CHS": "利益" + }, + "sanctimonious": { + "CHS": "伪装虔诚的, 道貌岸然的", + "ENG": "behaving as if you are morally better than other people, in a way that is annoying – used to show disapproval" + }, + "nominate": { + "CHS": "提名, 推荐", + "ENG": "to officially suggest someone or something for an important position, duty, or prize" + }, + "frenetic": { + "CHS": "发狂的, 狂热的", + "ENG": "frenetic activity is fast and not very organized" + }, + "distinctively": { + "CHS": "ad/ 区别地, 特殊地" + }, + "prod": { + "CHS": "刺", + "ENG": "to quickly push something or someone with your finger or a pointed object" + }, + "secondhand": { + "CHS": "a&ad 二手的, 间接的", + "ENG": "Secondhand things are not new and have been owned by someone else" + }, + "irreverence": { + "CHS": "不尊敬的" + }, + "briskness": { + "CHS": "敏捷, 活泼" + }, + "famine": { + "CHS": "饥荒,", + "ENG": "a situation in which a large number of people have little or no food for a long time and many people die" + }, + "ethically": { + "CHS": "伦理(学)上" + }, + "juxtaposition": { + "CHS": "毗邻, 并置", + "ENG": "The juxtaposition of two contrasting objects, images, or ideas is the fact that they are placed together or described together, so that the differences between them are emphasized" + }, + "platitudinous": { + "CHS": "平凡的, 陈腐的" + }, + "moralize": { + "CHS": "教化 ,说教", + "ENG": "to tell other people your ideas about right and wrong behaviour, especially when they have not asked for your opinion" + }, + "platitude": { + "CHS": "陈词滥调", + "ENG": "a statement that has been made many times before and is not interesting or clever – used to show disapproval" + }, + "irreverent": { + "CHS": "不敬的, 无礼的", + "ENG": "someone who is irreverent does not show respect for organizations, customs, beliefs etc that most other people respect – often used to show approval" + }, + "megalopolis": { + "CHS": "巨大都市, 人口稠密地带" + }, + "comer": { + "CHS": "来者, 新来者", + "ENG": "anyone who wants to take part in an activity, especially a sporting competition" + }, + "conurbation": { + "CHS": "有卫星城的大都市", + "ENG": "a group of towns that have spread and joined together to form an area with a high population, often with a large city as its centre" + }, + "elusive": { + "CHS": "难懂的, 难捉摸的", + "ENG": "an elusive result is difficult to achieve" + }, + "scowl": { + "CHS": "愁容, 皱眉 v皱眉" + }, + "subterranean": { + "CHS": "地下的", + "ENG": "beneath the surface of the earth" + }, + "ramble": { + "CHS": "漫步 vi闲逛;漫谈", + "ENG": "a walk in the countryside for pleasure" + }, + "pharmacy": { + "CHS": "药房, 药剂学", + "ENG": "the place where medicines are prepared in a hospital" + }, + "gyration": { + "CHS": "旋回, 回转" + }, + "miraculous": { + "CHS": "奇迹的,不可思议的", + "ENG": "very good, completely unexpected, and often very lucky" + }, + "grainy": { + "CHS": "粒状的, 木纹状的", + "ENG": "A grainy photograph looks as if it is made up of lots of spots, which make the lines or shapes in it difficult to see" + }, + "vagueness": { + "CHS": "暧昧, 含糊" + }, + "urbanize": { + "CHS": "使都市化, 使文雅", + "ENG": "to make (esp a predominantly rural area or country) more industrialized and urban " + }, + "miracle": { + "CHS": "奇迹, 奇事", + "ENG": "something very lucky or very good that happens which you did not expect to happen or did not think was possible" + }, + "quaint": { + "CHS": "离奇有趣的, 奇怪的" + }, + "counterclockwise": { + "CHS": "反时针方向(的)" + }, + "entanglement": { + "CHS": "纠缠", + "ENG": "when something becomes entangled in something" + }, + "diagonally": { + "CHS": "斜对地, 对角地" + }, + "rustproof": { + "CHS": "不锈的, 抗锈的", + "ENG": "metal that is rustproof will not rust " + }, + "enclosure": { + "CHS": "围住, 围栏", + "ENG": "an area surrounded by a wall or fence, and used for a particular purpose" + }, + "installation": { + "CHS": "安装, 装置", + "ENG": "when someone fits a piece of equipment somewhere" + }, + "galvanize": { + "CHS": "通电流于, 电镀" + }, + "matrilinear": { + "CHS": "母系的" + }, + "underworld": { + "CHS": "黑社会", + "ENG": "the criminals in a particular place and the criminal activities they are involved in" + }, + "oval": { + "CHS": "卵形(的), 椭圆(的)", + "ENG": "a shape like a circle, but wider in one direction than the other" + }, + "crimp": { + "CHS": "起皱, 卷曲, 抑制" + }, + "serrate": { + "CHS": "锯齿状的", + "ENG": "(of leaves) having a margin of forward pointing teeth " + }, + "convivial": { + "CHS": "好交际的, 愉快而随和的", + "ENG": "friendly and pleasantly cheerful" + }, + "foreshadow": { + "CHS": "预示", + "ENG": "to show or say that something will happen in the future" + }, + "plaint": { + "CHS": "[诗]悲叹, 抱怨", + "ENG": "A plaint is a complaint or a sad cry" + }, + "waterborne": { + "CHS": "水上的, 水运的" + }, + "amazement": { + "CHS": "惊愕, 惊异", + "ENG": "a feeling of great surprise" + }, + "urgency": { + "CHS": "紧急, 紧急的事" + }, + "unpromising": { + "CHS": "没有希望的(结果未必良好的)", + "ENG": "If you describe something as unpromising, you think that it is unlikely to be successful or produce anything good in the future" + }, + "deter": { + "CHS": "阻止", + "ENG": "to stop someone from doing something, by making them realize it will be difficult or have bad results" + }, + "bluntly": { + "CHS": "坦率地, 率直地", + "ENG": "speaking in a direct honest way that sometimes upsets people" + }, + "overcharge": { + "CHS": "讨价过高,夸张,过度充电" + }, + "calibration": { + "CHS": "标度, 刻度", + "ENG": "a set of marks on an instrument or tool used for measuring, or the act of making these marks correct" + }, + "subclass": { + "CHS": "[生]亚纲, 子集", + "ENG": "a principal subdivision of a class " + }, + "luminous": { + "CHS": "发光的,清楚的,明白易懂的", + "ENG": "shining in the dark" + }, + "simplistic": { + "CHS": "过分简单化的", + "ENG": "treating difficult subjects in a way that is too simple" + }, + "teapot": { + "CHS": "茶壶", + "ENG": "a container for making and serving tea, which has a handle and a spout 1 1 " + }, + "specification": { + "CHS": "详述, 规格", + "ENG": "a detailed instruction about how a car, building, piece of equipment etc should be made" + }, + "rationally": { + "CHS": "理性地" + }, + "prominence": { + "CHS": "突出, 显著", + "ENG": "the fact of being important and well known" + }, + "importer": { + "CHS": "输入者, 进口商", + "ENG": "a person, company, or country that buys goods from other countries so they can be sold in their own country" + }, + "foundry": { + "CHS": "铸造, 铸造场", + "ENG": "a place where metals are melted and poured into mould s (= hollow shapes ) to make parts for machines, tools etc" + }, + "systematize": { + "CHS": "系统化", + "ENG": "to put facts, numbers, ideas etc into a particular order" + }, + "persuasion": { + "CHS": "说服, 说服力", + "ENG": "the act of persuading someone to do something" + }, + "penalty": { + "CHS": "处罚, 罚款", + "ENG": "a punishment for breaking a law, rule, or legal agreement" + }, + "singly": { + "CHS": "单独地, 个别地", + "ENG": "alone, or one at a time" + }, + "gloss": { + "CHS": "光泽,注解", + "ENG": "a bright shine on a surface" + }, + "refinement": { + "CHS": "精致, 文雅", + "ENG": "Refinement is politeness and good manners" + }, + "guess": { + "CHS": "猜测, 推测", + "ENG": "to try to answer a question or form an opinion when you are not sure whether you will be correct" + }, + "gaze": { + "CHS": "盯, 凝视", + "ENG": "to look at someone or something for a long time, giving it all your attention, often without realizing you are doing so" + }, + "earthworm": { + "CHS": "蚯蚓", + "ENG": "a common type of long thin brown worm that lives in soil" + }, + "fantastic": { + "CHS": "幻想的, 奇异的", + "ENG": "a fantastic plan, suggestion etc is not likely to be possible" + }, + "lateral": { + "CHS": "侧部, 支线 a侧面的" + }, + "intimately": { + "CHS": "密切地, 亲密地" + }, + "nostril": { + "CHS": "鼻孔", + "ENG": "one of the two holes at the end of your nose, through which you breathe and smell things" + }, + "bis": { + "CHS": "二度, 二回" + }, + "uniqueness": { + "CHS": "唯一性, 独特性" + }, + "deferential": { + "CHS": "恭敬的, 顺从的", + "ENG": "Someone who is deferential is polite and respectful toward someone else" + }, + "shaper": { + "CHS": "造形者, 塑造者" + }, + "genial": { + "CHS": "亲切的", + "ENG": "friendly and happy" + }, + "avocational": { + "CHS": "娱乐, 消遣" + }, + "occupancy": { + "CHS": "占有", + "ENG": "the number of people who stay, work, or live in a room or building at the same time" + }, + "mildly": { + "CHS": "温和地, 适度地", + "ENG": "in a gentle way without being angry" + }, + "bundle": { + "CHS": "捆v捆扎", + "ENG": "a group of things such as papers, clothes, or sticks that are fastened or tied together" + }, + "ethnographic": { + "CHS": "民族志学的, 人种志学的", + "ENG": "Ethnographic refers to things that are connected with or relate to ethnography" + }, + "infinite": { + "CHS": "无限的,无穷的", + "ENG": "without limits in space or time" + }, + "wearability": { + "CHS": "耐磨性, 磨损性" + }, + "masthead": { + "CHS": "桅顶, 报头", + "ENG": "the name of a newspaper, magazine etc printed in a special design at the top of the first page" + }, + "gazette": { + "CHS": "报纸, 政府的公报", + "ENG": "an official newspaper, especially one from the government giving important lists of people who have been employed by them etc" + }, + "disc": { + "CHS": "圆盘, 唱片", + "ENG": "a round flat shape or object" + }, + "spheroidal": { + "CHS": "球状的", + "ENG": "shaped like an ellipsoid of revolution; approximately spherical " + }, + "flattish": { + "CHS": "有点平凡的, 稍平的", + "ENG": "somewhat flat " + }, + "businesswoman": { + "CHS": "妇女实业家", + "ENG": "a woman who works in business" + }, + "expo": { + "CHS": "博览会, 展览会", + "ENG": "an exposition2" + }, + "slander": { + "CHS": "诽谤", + "ENG": "a false spoken statement about someone, intended to damage the good opinion that people have of that person" + }, + "signer": { + "CHS": "签名人, (用手势) 示意者", + "ENG": "The signer of a document such as a contract is the person who has signed it" + }, + "silurian": { + "CHS": "〈地〉志留纪的", + "ENG": "of, denoting, or formed in the third period of the Palaeozoic era, between the Ordovician and Devonian periods, which lasted for 25 million years, during which fishes first appeared " + }, + "explosively": { + "CHS": "爆发地, 引起爆炸地" + }, + "lastly": { + "CHS": "最后, 终于", + "ENG": "used when telling someone the last thing at the end of a list or a series of statements" + }, + "radial": { + "CHS": "光线的, 放射状的", + "ENG": "arranged in a circular shape with bars or lines coming from the centre" + }, + "culminate": { + "CHS": "达到顶点" + }, + "restraint": { + "CHS": "抑制, 制止", + "ENG": "calm sensible controlled behaviour, especially in a situation when it is difficult to stay calm" + }, + "frill": { + "CHS": "皱边", + "ENG": "a decoration that consists of narrow piece of cloth that has many small folds in it" + }, + "facilitation": { + "CHS": "简易化, 助长" + }, + "provocative": { + "CHS": "煽动的 n刺激物" + }, + "megafossil": { + "CHS": "大化石" + }, + "cryptic": { + "CHS": "秘密的, 含义模糊的", + "ENG": "having a meaning that is mysterious or not easily understood" + }, + "inspect": { + "CHS": "检查, 视察", + "ENG": "to examine something carefully in order to find out more about it or to find out what is wrong with it" + }, + "genesis": { + "CHS": "起源", + "ENG": "the beginning or origin of something" + }, + "conspiracy": { + "CHS": "共谋, 阴谋", + "ENG": "a secret plan made by two or more people to do something that is harmful or illegal" + }, + "jobber": { + "CHS": "临时工, 批发商" + }, + "wholesaler": { + "CHS": "批发商", + "ENG": "a person or company who sells goods wholesale" + }, + "cigar": { + "CHS": "雪茄", + "ENG": "a thick tube-shaped thing that people smoke, and which is made from tobacco leaves that have been rolled up" + }, + "sweatshop": { + "CHS": "血汗工厂(指工人劳动条件差,工作时间长,工资低的工场或工厂)", + "ENG": "a small business, factory etc where people work hard in bad conditions for very little money – used to show disapproval" + }, + "retailer": { + "CHS": "零售商人", + "ENG": "a person or business that sells goods to customers in a shop" + }, + "cabinet": { + "CHS": "橱柜, a<美>内阁的", + "ENG": "the politicians with important positions in a government who meet to make decisions or advise the leader of the government" + }, + "orthopteran": { + "CHS": "直翅类的昆虫", + "ENG": "any orthopterous insect " + }, + "heyday": { + "CHS": "全盛时期", + "ENG": "the time when someone or something was most popular, successful, or powerful" + }, + "sideline": { + "CHS": "副业, 边界线", + "ENG": "an activity that you do as well as your main job or business, in order to earn more money" + }, + "modicum": { + "CHS": "少量, 一点点", + "ENG": "a small amount of something, especially a good quality" + }, + "handbook": { + "CHS": "手册, 便览", + "ENG": "a short book that gives information or instructions about something" + }, + "bitter": { + "CHS": "苦的, 痛苦的", + "ENG": "making you feel very unhappy and upset" + }, + "lonely": { + "CHS": "孤独的, 寂寞的", + "ENG": "unhappy because you are alone or do not have anyone to talk to" + }, + "shutter": { + "CHS": "百叶窗;(照相机的)快门", + "ENG": "one of a pair of wooden or metal covers on the outside of a window that can be closed to keep light out or prevent thieves from coming in" + }, + "shoulder": { + "CHS": "肩(部)t肩负, 承当", + "ENG": "one of the two parts of the body at each side of the neck where the arm is connected" + }, + "decorator": { + "CHS": "油漆工", + "ENG": "someone who paints houses and puts paper on the walls as their job" + }, + "wonderfully": { + "CHS": "令人惊讶地;奇妙地" + }, + "unimaginable": { + "CHS": "不能想象的, 想象不到的", + "ENG": "not possible to imagine" + }, + "ruthlessly": { + "CHS": "冷酷地, 残忍地" + }, + "unknowing": { + "CHS": "没查觉的, 无知的", + "ENG": "not realizing what you are doing or what is happening" + }, + "haste": { + "CHS": "匆忙, 急忙", + "ENG": "great speed in doing something, especially because you do not have enough time" + }, + "scruple": { + "CHS": "踌躇, 犹豫" + }, + "equitable": { + "CHS": "公平的, 公正的", + "ENG": "treating all people in a fair and equal way" + }, + "laurasia": { + "CHS": "[地质] 劳亚古大陆" + }, + "innkeeper": { + "CHS": "旅馆主人", + "ENG": "someone who owns or manages an inn" + }, + "buzz": { + "CHS": "嗡嗡声 v嗡嗡作响", + "ENG": "a continuous noise like the sound of a bee " + }, + "peddler": { + "CHS": "小贩, 传播者", + "ENG": "A drug peddler is a person who sells illegal drugs" + }, + "educationally": { + "CHS": "教育的, 有关教育的" + }, + "tractor": { + "CHS": "拖拉机", + "ENG": "a strong vehicle with large wheels, used for pulling farm machinery" + }, + "constellation": { + "CHS": "[天]星群, 星座", + "ENG": "a group of stars that forms a particular pattern and has a name" + }, + "exam": { + "CHS": "考试, 测验", + "ENG": "a spoken or written test of knowledge, especially an important one" + }, + "working": { + "CHS": "工作", + "ENG": "the way something such as a system, piece of equipment, or organization works" + }, + "inclusive": { + "CHS": "包含在内的", + "ENG": "After stating the first and last item in a set of things, you can add inclusive to make it clear that the items stated are included in the set" + }, + "grandparent": { + "CHS": "祖父或祖母, 祖父母", + "ENG": "one of the parents of your mother or father" + }, + "contractor": { + "CHS": "订约人, 承包人", + "ENG": "A contractor is a person or company that does work for other people or organizations" + }, + "cubism": { + "CHS": "立体派", + "ENG": "a 20th-century style of art, in which objects and people are represented by geometric shapes" + }, + "woodcarving": { + "CHS": "木雕, 木刻", + "ENG": "the process of shaping wood with special tools, or a piece of art produced in this way" + }, + "prodigy": { + "CHS": "惊人的事物, 天才", + "ENG": "A prodigy is someone young who has a great natural ability for something such as music, mathematics, or sports" + }, + "nonconformist": { + "CHS": "不信奉英国国教的 n非国教徒" + }, + "fascination": { + "CHS": "魔力, 魅力, 迷恋", + "ENG": "the state of being very interested in something, so that you want to look at it, learn about it etc" + }, + "rectangle": { + "CHS": "长方形, 矩形", + "ENG": "a shape that has four straight sides, two of which are usually longer than the other two, and four 90˚ angles at the corners" + }, + "aloud": { + "CHS": "大声地", + "ENG": "if you read, laugh, say something etc aloud, you read etc so that people can hear you" + }, + "walnut": { + "CHS": "胡桃, 胡桃木", + "ENG": "a nut that you can eat, shaped like a human brain" + }, + "profitability": { + "CHS": "收益性, 利益率" + }, + "renter": { + "CHS": "租贷人", + "ENG": "a person who lets his property in return for rent, esp a landlord " + }, + "claimant": { + "CHS": "要求者,申请者, 原告", + "ENG": "someone who claims something, especially money, from the government, a court etc because they think they have a right to it" + }, + "sadden": { + "CHS": "悲哀", + "ENG": "If something saddens you, it makes you feel sad" + }, + "beard": { + "CHS": "胡须", + "ENG": "hair that grows around a man’s chin and cheeks" + }, + "skeletally": { + "CHS": "骨骼的, 梗概的" + }, + "muscularly": { + "CHS": "肌肉的" + }, + "tinplate": { + "CHS": "镀锡铁皮, 马口铁", + "ENG": "very thin sheets of iron or steel covered with tin " + }, + "tomato": { + "CHS": "番茄, 西红柿", + "ENG": "a round soft red fruit eaten raw or cooked as a vegetable" + }, + "starch": { + "CHS": "淀粉", + "ENG": "a substance which provides your body with energy and is found in foods such as grain, rice, and potatoes, or a food that contains this substance" + }, + "grape": { + "CHS": "葡萄, 葡萄树", + "ENG": "one of a number of small round green or purple fruits that grow together on a vine . Grapes are often used for making wine" + }, + "packer": { + "CHS": "包装工人, 打包机", + "ENG": "someone who works in a factory, putting things into containers" + }, + "strawberry": { + "CHS": "[植]草莓", + "ENG": "a soft red juicy fruit with small seeds on its surface, or the plant that grows this fruit" + }, + "negate": { + "CHS": "否定, 打消", + "ENG": "to state that something does not exist or is untrue" + }, + "creeper": { + "CHS": "爬行者" + }, + "bluebird": { + "CHS": "北美产的蓝知更鸟", + "ENG": "a small blue bird that lives in North America" + }, + "lark": { + "CHS": "云雀, 百灵鸟", + "ENG": "a small brown singing bird with long pointed wings" + }, + "communally": { + "CHS": "共同地, 社区地" + }, + "rooster": { + "CHS": "雄禽," + }, + "sociably": { + "CHS": "和蔼可亲地" + }, + "perch": { + "CHS": "栖息处 v暂栖,停留", + "ENG": "a branch or stick where a bird sits" + }, + "geometrical": { + "CHS": "几何学的, 几何的" + }, + "awake": { + "CHS": "醒,唤醒 a警觉的, 醒的", + "ENG": "to wake up, or to make someone wake up" + }, + "radiate": { + "CHS": "放射, 辐射", + "ENG": "If things radiate out from a place, they form a pattern that is like lines drawn from the centre of a circle to various points on its edge" + }, + "obsolete": { + "CHS": "已废弃的, 过时的", + "ENG": "no longer useful, because something newer and better has been invented" + }, + "rarefy": { + "CHS": "稀薄", + "ENG": "to make or become rarer or less dense; thin out " + }, + "crossbones": { + "CHS": "交叉腿骨的图形" + }, + "figurehead": { + "CHS": "装饰船头的雕像, 破浪神", + "ENG": "a wooden model of a woman that used to be placed on the front of ships" + }, + "snipe": { + "CHS": "[鸟]鹬" + }, + "intricately": { + "CHS": "杂乱地, 复杂地" + }, + "icon": { + "CHS": "图标, 肖像", + "ENG": "a small sign or picture on a computer screen that is used to start a particular operation" + }, + "antelope": { + "CHS": "羚羊", + "ENG": "an animal with long horns that can run very fast and is very graceful" + }, + "interferometer": { + "CHS": "干涉计", + "ENG": "any acoustic, optical, or microwave instrument that uses interference patterns or fringes to make accurate measurements of wavelength, wave velocity, distance, etc " + }, + "hardworking": { + "CHS": "努力工作的, 勤奋的", + "ENG": "If you describe someone as hardworking, you mean that they work very hard" + }, + "proprietorship": { + "CHS": "所有权" + }, + "aie": { + "CHS": "急性包涵(体)脑炎" + }, + "imbibe": { + "CHS": "吸收", + "ENG": "to accept and be influenced by qualities, ideas, values etc" + }, + "agility": { + "CHS": "敏捷, 活泼" + }, + "delightful": { + "CHS": "令人愉快的, 可喜的", + "ENG": "very pleasant" + }, + "overheat": { + "CHS": "使过热, 变得过热", + "ENG": "to become too hot, or to make something too hot" + }, + "rehydrate": { + "CHS": "[化] 再水化, 再水合" + }, + "efficacy": { + "CHS": "功效, 效验", + "ENG": "the ability of something to produce the right result" + }, + "dilution": { + "CHS": "稀释", + "ENG": "A dilution is a liquid that has been diluted with water or another liquid, so that it becomes weaker" + }, + "festive": { + "CHS": "庆祝的, 喜庆的", + "ENG": "looking or feeling bright and cheerful in a way that seems suitable for celebrating something" + }, + "zealous": { + "CHS": "热心的", + "ENG": "someone who is zealous does or supports something with great energy" + }, + "bust": { + "CHS": "半身像, 胸像", + "ENG": "a model of someone’s head, shoulders, and upper chest, usually made of stone or metal" + }, + "equestrian": { + "CHS": "骑马的 n骑手", + "ENG": "relating to horse-riding" + }, + "urn": { + "CHS": "瓮, 缸", + "ENG": "a decorated container, especially one that is used for holding the ashes of a dead body" + }, + "timidity": { + "CHS": "胆怯" + }, + "stonemason": { + "CHS": "石匠", + "ENG": "someone whose job is cutting stone into pieces to be used in buildings" + }, + "biter": { + "CHS": "咬人的动物, 骗子" + }, + "bitterness": { + "CHS": "苦味, 辛酸" + }, + "plainspoken": { + "CHS": "老实说的,直言的", + "ENG": "saying exactly what you think, especially in a way that people think is honest rather than rude" + }, + "grit": { + "CHS": "粗砂 v研磨" + }, + "aero": { + "CHS": "航空的, 飞行的" + }, + "cheapen": { + "CHS": "减价, 跌价" + }, + "thorny": { + "CHS": "多刺的, 痛苦的", + "ENG": "a thorny bush, plant etc has thorns" + }, + "inchworm": { + "CHS": "[昆] 尺蠖" + }, + "escalator": { + "CHS": "电动扶梯", + "ENG": "a set of moving stairs that take people to different levels in a building" + }, + "voltage": { + "CHS": "[电工]电压, 伏特数", + "ENG": "electrical force measured in volts" + }, + "smite": { + "CHS": "重击", + "ENG": "to hit something with a lot of force" + }, + "follower": { + "CHS": "追随者, 信徒", + "ENG": "someone who believes in a particular system of ideas, or who supports a leader who teaches these ideas" + }, + "indifference": { + "CHS": "不关心", + "ENG": "lack of interest or concern" + }, + "eyelid": { + "CHS": "眼皮, 眼睑", + "ENG": "a piece of skin that covers your eye when it is closed" + }, + "comfortably": { + "CHS": "舒适地", + "ENG": "in a way that makes you feel physically relaxed, without any pain, or without being too hot, cold etc" + }, + "hatchet": { + "CHS": "短柄斧", + "ENG": "a small axe with a short handle" + }, + "axe": { + "CHS": "斧, (经费的)大削减", + "ENG": "a tool with a heavy metal blade on the end of a long handle, used to cut down trees or split pieces of wood" + }, + "ambidextrous": { + "CHS": "十分灵巧的", + "ENG": "able to use either hand equally well" + }, + "attributable": { + "CHS": "可归因于的", + "ENG": "likely to have been caused by something" + }, + "predominance": { + "CHS": "优势", + "ENG": "If there is a predominance of one type of person or thing, there are many more of that type than of any other type" + }, + "petrify": { + "CHS": "石化,吓呆" + }, + "polarity": { + "CHS": "极性", + "ENG": "the state of having either a positive or negative electric charge" + }, + "ax": { + "CHS": "斧头 vt削减" + }, + "ferromagnetic": { + "CHS": "铁磁的" + }, + "afterward": { + "CHS": "然后, 后来", + "ENG": "If you do something or if something happens afterward, you do it or it happens after a particular event or time that has already been mentioned" + }, + "occupant": { + "CHS": "占有者, 居住者", + "ENG": "someone who lives in a house, room etc" + }, + "inflexible": { + "CHS": "不可弯曲的, 僵硬的", + "ENG": "inflexible rules, arrangements etc are impossible to change" + }, + "lotus": { + "CHS": "贪图安乐的" + }, + "inexplicable": { + "CHS": "无法解释的,难理解的", + "ENG": "too unusual or strange to be explained or understood" + }, + "nineteen": { + "CHS": "十九", + "ENG": "the number 19" + }, + "therapeutic": { + "CHS": "治疗的, 治疗学的 n治疗剂, 治疗学家", + "ENG": "relating to the treatment or cure of an illness" + }, + "restrictive": { + "CHS": "限制性的", + "ENG": "something that is restrictive stops people doing what they want to do" + }, + "ail": { + "CHS": "生病,使苦恼" + }, + "unbind": { + "CHS": "解开, 解放", + "ENG": "If you unbind something or someone, you take off a piece of cloth, string, or rope that has been tied around them" + }, + "Grecian": { + "CHS": "希腊的, 希腊式的 n希腊学家", + "ENG": "from ancient Greece, or having a style or appearance that is considered typical of ancient Greece" + }, + "defender": { + "CHS": "防卫者, 拥护者", + "ENG": "someone who defends a particular idea, belief, person etc" + }, + "volcanism": { + "CHS": "火山作用", + "ENG": "those processes collectively that result in the formation of volcanoes and their products " + }, + "subduction": { + "CHS": "[地]潜没(指地壳的板块沉到另一板块之下)" + }, + "diverge": { + "CHS": "分歧", + "ENG": "if similar things diverge, they develop in different ways and so are no longer similar" + }, + "electrocardiogram": { + "CHS": "[医]心电图", + "ENG": "an ecg2" + }, + "grope": { + "CHS": "/ n摸索", + "ENG": "to try to find something that you cannot see by feeling with your hands" + }, + "hesitate": { + "CHS": "犹豫, 踌躇" + }, + "electroencephalogram": { + "CHS": "[医]脑电图", + "ENG": "an eeg2" + }, + "blackout": { + "CHS": "灯火管制,断电", + "ENG": "a period of darkness caused by a failure of the electricity supply" + }, + "jolt": { + "CHS": "(使)颠簸;震动", + "ENG": "to move suddenly and roughly, or to make someone or something move in this way" + }, + "bandleader": { + "CHS": "伴舞乐队的指挥", + "ENG": "someone who conduct s a band, especially a dance or jazz band" + }, + "ballroom": { + "CHS": "舞厅, 跳舞场", + "ENG": "a very large room used for dancing on formal occasions" + }, + "memorandum": { + "CHS": "备忘录, 便笺", + "ENG": "a memo " + }, + "nickname": { + "CHS": "绰号, 昵称", + "ENG": "a name given to someone, especially by their friends or family, that is not their real name and is often connected with what they look like or something they have done" + }, + "pepper": { + "CHS": "胡椒粉", + "ENG": "a powder that is used to add a hot taste to food" + }, + "accusation": { + "CHS": "谴责, [律]指控", + "ENG": "a statement saying that someone is guilty of a crime or of doing something wrong" + }, + "obligate": { + "CHS": "使负义务 a有责任的", + "ENG": "to make someone have to do something, because it is the law, their duty, or the right thing to do" + }, + "forbearance": { + "CHS": "自制,忍耐", + "ENG": "the quality of being patient, able to control your emotions, and willing to forgive someone who has upset you" + }, + "consent": { + "CHS": "同意,赞成", + "ENG": "agreement about something" + }, + "Thames": { + "CHS": "泰晤士河(流经牛津,伦敦等)" + }, + "maverick": { + "CHS": "标新立异的;持不同意见的" + }, + "commemorate": { + "CHS": "纪念", + "ENG": "to do something to show that you remember and respect someone important or an important event in the past" + }, + "blower": { + "CHS": "吹制工, 送风机", + "ENG": "a machine that blows out air, for example inside a car" + }, + "goldfish": { + "CHS": "金鱼", + "ENG": "a small shiny orange fish often kept as a pet" + }, + "decor": { + "CHS": "舞台装饰", + "ENG": "the way that the inside of a building is decorated" + }, + "fresco": { + "CHS": "壁画 vt作壁画于", + "ENG": "a painting made on a wall while the plaster is still wet" + }, + "rook": { + "CHS": "白嘴鸦;赌棍 vt骗", + "ENG": "a large black European bird like a crow " + }, + "fitting": { + "CHS": "适合的n试穿,装配", + "ENG": "right for a particular situation or occasion" + }, + "equilateral": { + "CHS": "等边的 n等边形", + "ENG": "A shape or figure that is equilateral has sides that are all the same length" + }, + "honeycomb": { + "CHS": "蜂房, 蜂巢", + "ENG": "a structure made by bees , which consists of many six-sided cells in which honey is stored" + }, + "romanticize": { + "CHS": "浪漫化, 传奇化", + "ENG": "to talk or think about things in a way that makes them seem more romantic or attractive than they really are" + }, + "misconception": { + "CHS": "误解", + "ENG": "an idea which is wrong or untrue, but which people believe because they do not understand the subject properly" + }, + "conviction": { + "CHS": "深信, 定罪", + "ENG": "a very strong belief or opinion" + }, + "poster": { + "CHS": "海报, 招贴", + "ENG": "a large printed notice, picture, or photograph, used to advertise something or as a decoration" + }, + "tessellation": { + "CHS": "棋盘形嵌石饰", + "ENG": "the act of tessellating " + }, + "victim": { + "CHS": "受害人,牺牲品", + "ENG": "someone who has been attacked, robbed, or murdered" + }, + "cate": { + "CHS": "佳肴, 美食" + }, + "arouse": { + "CHS": "睡醒", + "ENG": "to wake someone" + }, + "officeholder": { + "CHS": "官员,公务员" + }, + "pentagon": { + "CHS": "五角形, 五边形", + "ENG": "a flat shape with five sides and five angles" + }, + "corset": { + "CHS": "严格控制" + }, + "sheepskin": { + "CHS": "羊皮(革,纸), 毕业证书", + "ENG": "Sheepskin is the skin of a sheep with the wool still attached to it, used especially for making coats and rugs" + }, + "perimeter": { + "CHS": "[树数] 周长, 周界", + "ENG": "the border around an enclosed area such as a military camp" + }, + "denomination": { + "CHS": "面额,名称,教派", + "ENG": "a religious group that has different beliefs from other groups within the same religion" + }, + "breech": { + "CHS": "给…穿上裤子" + }, + "mitigate": { + "CHS": "减轻,缓和", + "ENG": "to make a situation or the effects of something less unpleasant, harmful, or serious" + }, + "mighty": { + "CHS": "有势力的", + "ENG": "very strong and powerful, or very big and impressive" + }, + "spaceship": { + "CHS": "太空船" + }, + "adventure": { + "CHS": "冒险,大胆说出来" + }, + "feud": { + "CHS": "长期争斗", + "ENG": "to continue quarrelling for a long time, often in a violent way" + }, + "ted": { + "CHS": "泰德" + }, + "venturesome": { + "CHS": "危险的,冒险的", + "ENG": "willing to take risks" + }, + "knuckle": { + "CHS": "开始工作" + }, + "receiver": { + "CHS": "接受者, 接收器, 收信机", + "ENG": "A receiver is the part of a radio or television that picks up signals and converts them into sound or pictures" + }, + "wrist": { + "CHS": "手腕, 腕关节", + "ENG": "the part of your body where your hand joins your arm" + }, + "familiarization": { + "CHS": "亲密, 熟悉, 精通" + }, + "bulldoze": { + "CHS": "威吓, 欺负" + }, + "mason": { + "CHS": "用砖瓦砌成" + }, + "woodlot": { + "CHS": "植林地(尤指附属林场地)", + "ENG": "an area restricted to the growing of trees " + }, + "profoundly": { + "CHS": "深深地, 衷心地" + }, + "hone": { + "CHS": "磨(刀)石vt用磨刀石磨", + "ENG": "a fine whetstone, esp for sharpening razors " + }, + "tele": { + "CHS": "电视" + }, + "uncounted": { + "CHS": "无数的,没有数过的", + "ENG": "unable to be counted; innumerable " + }, + "profiteer": { + "CHS": "牟取暴利" + }, + "arsenal": { + "CHS": "兵工厂, 军械库", + "ENG": "An arsenal is a building where weapons and military equipment are stored" + }, + "ordnance": { + "CHS": "军火", + "ENG": "weapons, explosives, and vehicles used in fighting" + }, + "tycoon": { + "CHS": "企业界大亨, 将军", + "ENG": "someone who is successful in business or industry and has a lot of money and power" + }, + "knit": { + "CHS": "编织物" + }, + "stickpin": { + "CHS": "领带夹(指插于领带上的装饰别针)", + "ENG": "a decorated pin worn as jewellery" + }, + "cane": { + "CHS": "以杖击, 以藤编制" + }, + "flamboyant": { + "CHS": "辉耀的,艳丽的", + "ENG": "behaving in a confident or exciting way that makes people notice you" + }, + "rumble": { + "CHS": "隆隆声, 吵嚷声", + "ENG": "a series of long low sounds" + }, + "gunfire": { + "CHS": "炮火", + "ENG": "the repeated shooting of guns, or the noise made by this" + }, + "shrill": { + "CHS": "尖声叫出", + "ENG": "to produce a very high and unpleasant sound" + }, + "ameliorate": { + "CHS": "改善, 改进", + "ENG": "to make a bad situation better or less harmful" + }, + "bugle": { + "CHS": "吹号集合", + "ENG": "to play or sound (on) a bugle " + }, + "heartbreak": { + "CHS": "心碎;伤心事", + "ENG": "great sadness or disappointment" + }, + "northerner": { + "CHS": "北国人, 北方人", + "ENG": "A northerner is a person who was born in or who lives in the north of a place or country" + }, + "tingle": { + "CHS": "造成麻刺的感觉,使感刺痛", + "ENG": "if a part of your body tingles, you feel a slight stinging feeling, especially on your skin" + }, + "achingly": { + "CHS": "极其,非常痛地", + "ENG": "You can use achingly for emphasis when you are referring to things that create feelings of wanting something very much, but of not being able to have it" + }, + "desolate": { + "CHS": "荒凉的, 无人烟的", + "ENG": "a place that is desolate is empty and looks sad because there are no people there" + }, + "helicopter": { + "CHS": "直升(飞)机, 直升机", + "ENG": "a type of aircraft with large metal blades on top which turn around very quickly to make it fly" + }, + "ankle": { + "CHS": "[解]踝", + "ENG": "the joint between your foot and your leg" + }, + "dishonest": { + "CHS": "不诚实的", + "ENG": "not honest, and so deceiving or cheating people" + }, + "shortcut": { + "CHS": "捷径", + "ENG": "A shortcut is a method of achieving something more quickly or more easily than if you use the usual methods" + }, + "roadway": { + "CHS": "车行道, 路面", + "ENG": "the part of the road used by vehicles" + }, + "royal": { + "CHS": "皇家的, 高贵的", + "ENG": "relating to or belonging to a king or queen" + }, + "promoter": { + "CHS": "促进者, 助长者" + }, + "hydra": { + "CHS": "[希神]九头怪蛇, 难以根除之祸害, [动]水螅", + "ENG": "a snake in ancient Greek stories with many heads that grow again when they are cut off" + }, + "coelenterate": { + "CHS": "腔肠动物的", + "ENG": "(loosely) any invertebrate of the phyla Cnidaria or Ctenophora " + }, + "plantlike": { + "CHS": "似植物的" + }, + "homeownership": { + "CHS": "房主" + }, + "acceleration": { + "CHS": "加速度,加速", + "ENG": "a process in which something happens more and more quickly" + }, + "traction": { + "CHS": "牵引,牵引力", + "ENG": "the process of treating a broken bone with special medical equipment that pulls it" + }, + "dictaphone": { + "CHS": "录音电话机(商标名称) [商标名] 录音机", + "ENG": "a tape recorder designed for recording dictation and later reproducing it for typing " + }, + "utter": { + "CHS": "发出, 发射", + "ENG": "to make a sound with your voice, especially with difficulty" + }, + "succinctly": { + "CHS": "简洁地, 简便地" + }, + "standpoint": { + "CHS": "立场, 观点", + "ENG": "a way of thinking about people, situations, ideas etc" + }, + "codify": { + "CHS": "把…编成法典, 编纂", + "ENG": "to arrange laws, principles, facts etc in a system" + }, + "soul": { + "CHS": "灵魂, 精髓", + "ENG": "the part of a person that is not physical, and that contains their character, thoughts, and feelings. Many people believe that a person’s soul continues to exist after they have died." + }, + "airy": { + "CHS": "通风的, 轻快的", + "ENG": "an airy room or building has plenty of fresh air because it is large or has a lot of windows" + }, + "dread": { + "CHS": "恐怖的" + }, + "sway": { + "CHS": "摇摆, 支配", + "ENG": "to move slowly from one side to another" + }, + "reconstitute": { + "CHS": "重新组成, 重新设立", + "ENG": "to form an organization or a group again in a different way" + }, + "overexploitation": { + "CHS": "(对资源等的)过度开采,(对工人等的)过度剥削" + }, + "designation": { + "CHS": "指示, 指定, 名称", + "ENG": "the act of choosing someone or something for a particular purpose, or of giving them a particular description" + }, + "wretched": { + "CHS": "可怜的, 恶劣的", + "ENG": "extremely bad or unpleasant" + }, + "entrench": { + "CHS": "以壕沟防护,保护" + }, + "thousandth": { + "CHS": "第一千的, 千分之一的" + }, + "woodworking": { + "CHS": "干木工活的", + "ENG": "of, relating to, or used in woodworking " + }, + "demolition": { + "CHS": "毁坏, 毁坏之遗迹", + "ENG": "The demolition of a structure, for example, a building, is the act of deliberately destroying it, often in order to build something else in its place" + }, + "magnification": { + "CHS": "扩大, 放大倍率", + "ENG": "the process of making something look bigger than it is" + }, + "bat": { + "CHS": "蝙蝠, 球棒 v用球棒击球", + "ENG": "a small animal like a mouse with wings that flies around at night" + }, + "sawyer": { + "CHS": "锯木匠, 漂流水中的树木", + "ENG": "a person who saws timber for a living " + }, + "wavy": { + "CHS": "波状的,不稳的", + "ENG": "wavy hair grows in waves" + }, + "cooper": { + "CHS": "制桶" + }, + "forestall": { + "CHS": "之前, 先(用先发制人的方法)预防, 阻止", + "ENG": "to prevent something from happening or prevent someone from doing something by doing something first" + }, + "melange": { + "CHS": "混合物, 杂录", + "ENG": "a mixture of different things" + }, + "waterside": { + "CHS": "水边(的),湖畔(的)" + }, + "irrational": { + "CHS": "无理数" + }, + "cherish": { + "CHS": "珍爱, 怀抱(希望等)", + "ENG": "to love someone or something very much and take care of them well" + }, + "improbable": { + "CHS": "不大可能的, 不像会发生的, 似不可信的" + }, + "kiosk": { + "CHS": "亭子" + }, + "cordwainer": { + "CHS": "鞋匠", + "ENG": "a shoemaker or worker in cordovan leather " + }, + "sear": { + "CHS": "烤焦,变干枯", + "ENG": "To sear something means to burn its surface with a sudden intense heat" + }, + "negligibly": { + "CHS": "可忽略不计地, 微不足道地, 极小地" + }, + "abut": { + "CHS": "邻接, 毗邻", + "ENG": "if one piece of land or a building abuts another, it is next to it or touches one side of it" + }, + "annex": { + "CHS": "并吞, 附加", + "ENG": "to take control of a country or area next to your own, especially by using force" + }, + "proliferate": { + "CHS": "繁殖,使激增, 使扩散", + "ENG": "if something proliferates, it increases quickly and spreads to many different places" + }, + "spank": { + "CHS": "拍击" + }, + "peart": { + "CHS": "有精神的, 快活的", + "ENG": "lively; spirited; brisk " + }, + "Indonesia": { + "CHS": "印尼(东南亚岛国)" + }, + "Thailand": { + "CHS": "泰国" + }, + "biodiversity": { + "CHS": "生物多样性", + "ENG": "the variety of plants and animals in a particular place" + }, + "gust": { + "CHS": "一阵狂风,(感情的)迸发,汹涌", + "ENG": "a sudden strong movement of wind, air, rain etc" + }, + "newberry": { + "CHS": "纽伯里" + }, + "keenly": { + "CHS": "敏锐地, 强烈地, 热心地" + }, + "captivate": { + "CHS": "迷住, 迷惑", + "ENG": "to attract someone very much, and hold their attention" + }, + "philanthropist": { + "CHS": "慈善家,博爱的人", + "ENG": "a rich person who gives a lot of money to help poor people" + }, + "purplish": { + "CHS": "略带紫色的", + "ENG": "slightly purple" + }, + "venerable": { + "CHS": "值得尊敬的, 庄严的", + "ENG": "formal a venerable person or thing is respected because of their great age, experience etc – often used humorously" + }, + "sargeant": { + "CHS": "萨金特" + }, + "unmarried": { + "CHS": "未婚的, 单身的", + "ENG": "not married" + }, + "gentility": { + "CHS": "文雅, 出身高贵, 有教养", + "ENG": "the quality of being polite, gentle, or graceful, and of seeming to belong to a high social class" + }, + "plasticity": { + "CHS": "可塑性, 塑性", + "ENG": "the quality of being easily made into any shape, and of staying in that shape until someone changes it" + }, + "carpet": { + "CHS": "地毯", + "ENG": "heavy woven material for covering floors or stairs, or a piece of this material" + }, + "adolescent": { + "CHS": "青少年", + "ENG": "a young person, usually between the ages of 12 and 18, who is developing into an adult" + }, + "regimentation": { + "CHS": "管辖,严格控制", + "ENG": "Regimentation is very strict control over the way a group of people behave or the way something is done" + }, + "rarer": { + "CHS": "稀罕的, 珍贵的" + }, + "jibe": { + "CHS": "嘲笑, 与一致, 使转向", + "ENG": "To jibe means to say something rude or insulting that is intended to make another person look foolish" + }, + "knead": { + "CHS": "揉(面等)成团, 按摩", + "ENG": "to press a mixture of flour and water many times with your hands" + }, + "nonchalant": { + "CHS": "若无其事的, 不关心的, 冷淡的", + "ENG": "behaving calmly and not seeming interested in anything or worried about anything" + }, + "humanlike": { + "CHS": "似人类的" + }, + "boron": { + "CHS": "[化]硼", + "ENG": "a very hard almost colourless crystalline metalloid element that in impure form exists as a brown amorphous powder. It occurs principally in borax and is used in hardening steel. The naturally occurring isotope boron-10 is used in nuclear control rods and neutron detection instruments. Symbol: B; atomic no: 5; atomic wt: 10.81; valency: 3; relative density: 2.34 (crystalline), 2.37 (amorphous); melting pt: 2092°C; boiling pt: 4002°C " + }, + "dump": { + "CHS": "堆存处" + }, + "topographically": { + "CHS": "地形地" + }, + "mandatory": { + "CHS": "命令的, 托管的" + }, + "scholarly": { + "CHS": "学者气质的, 学者风度的", + "ENG": "relating to serious study of a particular subject" + }, + "offering": { + "CHS": "提供, 奉献物" + }, + "chlorine": { + "CHS": "[化]氯", + "ENG": "a greenish-yellow gas with a strong smell that is used to keep the water in swimming pools clean. It is a chemical element: symbol Cl" + }, + "bromine": { + "CHS": "[化]溴", + "ENG": "a pungent dark red volatile liquid element of the halogen series that occurs in natural brine and is used in the production of chemicals, esp ethylene dibromide" + }, + "gush": { + "CHS": "迸发" + }, + "kea": { + "CHS": "食肉鹦鹉", + "ENG": "a large New Zealand parrot, Nestor notabilis, with brownish-green plumage " + }, + "hillbilly": { + "CHS": "山地内部的贫农,乡下人", + "ENG": "an insulting word meaning an uneducated poor person who lives in the mountains" + }, + "pont": { + "CHS": "(南非的)缆拉渡船", + "ENG": "(in South Africa) a river ferry, esp one that is guided by a cable from one bank to the other " + }, + "resettle": { + "CHS": "(使)重新定居,再坐下来", + "ENG": "to start using an area again as a place to live" + }, + "pivotal": { + "CHS": "重要的, 轴的" + }, + "untimely": { + "CHS": "不适时的, 不合时宜的" + }, + "sack": { + "CHS": "解雇, 洗劫", + "ENG": "to dismiss someone from their job" + }, + "pointe": { + "CHS": "(芭蕾舞中的)足尖舞", + "ENG": "if ballet dancers are on pointe, they are dancing on the ends of their toes with their feet in a vertical position" + }, + "woodcutting": { + "CHS": "伐木, 木刻" + }, + "chapter": { + "CHS": "(书籍)章,回", + "ENG": "one of the parts into which a book is divided" + }, + "homely": { + "CHS": "家常的,平凡的", + "ENG": "not very attractive" + }, + "circulatory": { + "CHS": "循环的, 循环系统的", + "ENG": "relating to the movement of blood around your body" + }, + "variance": { + "CHS": "不一致, 变化,", + "ENG": "the amount by which two or more things are different or by which they change" + }, + "affiliate": { + "CHS": "附属机构", + "ENG": "a company, organization etc that is connected with or controlled by a larger one" + }, + "unquestioning": { + "CHS": "无条件的, 不犹豫的", + "ENG": "an unquestioning faith, attitude etc is very certain and without doubts" + }, + "primatology": { + "CHS": "灵长类动物学", + "ENG": "the branch of zoology that is concerned with the study of primates " + }, + "demerit": { + "CHS": "缺点,过失", + "ENG": "a bad quality or feature of something" + }, + "inferiority": { + "CHS": "自卑, 次等" + }, + "tyrannical": { + "CHS": "暴虐的, 压制的, 残暴的", + "ENG": "behaving in a cruel and unfair way towards someone you have power over" + }, + "potentiality": { + "CHS": "(用复数)潜能,可能性", + "ENG": "an ability or quality that could develop in the future" + }, + "applicability": { + "CHS": "适用性, 适应性" + }, + "enlightenment": { + "CHS": "启迪, 教化", + "ENG": "Enlightenment means the act of enlightening or the state of being enlightened" + }, + "terrible": { + "CHS": "很糟的, 极坏的,骇人的", + "ENG": "very bad" + }, + "glossy": { + "CHS": "平滑的, 有光泽的", + "ENG": "shiny and smooth" + }, + "relevance": { + "CHS": "中肯, 适当" + }, + "wanderer": { + "CHS": "流浪者, 徘徊者, 迷路的动物", + "ENG": "a person who moves from place to place and has no permanent home" + }, + "rebirth": { + "CHS": "复活, 新生", + "ENG": "when an important idea, feeling, or organization becomes strong or popular again" + }, + "unfertilized": { + "CHS": "未施肥的, 未受精的", + "ENG": "(of an animal, plant, or egg cell) not fertilized " + }, + "untreated": { + "CHS": "未经处理的, 未经治疗的", + "ENG": "an untreated illness or injury has not had medical treatment" + }, + "folklore": { + "CHS": "民间传说, 民俗学", + "ENG": "the traditional stories, customs etc of a particular area or country" + }, + "fumigate": { + "CHS": "熏制, 以烟熏消毒", + "ENG": "to remove disease, bacteria , insects etc from somewhere using chemicals, smoke, or gas" + }, + "unverified": { + "CHS": "未经证实的, 未经核对的", + "ENG": "not having been confirmed, substantiated, or proven to be true " + }, + "veil": { + "CHS": "遮蔽, 掩饰", + "ENG": "to partly hide something so that it cannot be seen clearly" + }, + "uncontested": { + "CHS": "无争论的, 无异议的", + "ENG": "an uncontested action or statement is one that no one opposes or disagrees with" + }, + "inspector": { + "CHS": "检查员, 巡视员", + "ENG": "an official whose job is to check that something is satisfactory and that rules are being obeyed" + }, + "nutritionist": { + "CHS": "营养学家", + "ENG": "someone who has a special knowledge of nutrition" + }, + "dismal": { + "CHS": "阴沉的, 凄凉的n沼泽", + "ENG": "if a situation or a place is dismal, it is so bad that it makes you feel very unhappy and hopeless" + }, + "thicken": { + "CHS": "(使)变厚, (使)变粗", + "ENG": "to become thick, or make something thick" + }, + "courageous": { + "CHS": "勇敢的", + "ENG": "brave" + }, + "roe": { + "CHS": "鱼卵,獐鹿", + "ENG": "fish eggs eaten as a food" + }, + "unrecognizable": { + "CHS": "未被承认的, 无法识别的", + "ENG": "someone or something that is unrecognizable has changed or been damaged so much that you do not recognize them" + }, + "soup": { + "CHS": "汤", + "ENG": "cooked liquid food, often containing small pieces of meat, fish, or vegetables" + }, + "directive": { + "CHS": "指导的", + "ENG": "giving instructions" + }, + "september": { + "CHS": "九月(略作Sep)", + "ENG": "September is the ninth month of the year in the Western calendar" + }, + "unreachable": { + "CHS": "不能到达的, 不能得到的" + }, + "stew": { + "CHS": "炖, 焖", + "ENG": "to cook something slowly in liquid" + }, + "slowness": { + "CHS": "缓慢, 迟钝" + }, + "slavery": { + "CHS": "奴隶身分, 奴隶制度", + "ENG": "the system of having slaves" + }, + "herculean": { + "CHS": "极困难的,需要大力气的", + "ENG": "needing great strength or determination" + }, + "colossal": { + "CHS": "巨大的, <口>异常的", + "ENG": "used to emphasize that something is extremely large" + }, + "prudent": { + "CHS": "审慎的,小心谨慎的", + "ENG": "sensible and careful, especially by trying to avoid unnecessary risks" + }, + "liable": { + "CHS": "有责任的, 易的, 有倾向的", + "ENG": "legally responsible for the cost of something" + }, + "imprisonment": { + "CHS": "关押,监禁", + "ENG": "Imprisonment is the state of being imprisoned" + }, + "sour": { + "CHS": "变酸", + "ENG": "if a relationship or someone’s attitude sours, or if something sours it, it becomes unfriendly or unfavourable" + }, + "treason": { + "CHS": "叛逆, 通敌, 背信", + "ENG": "the crime of being disloyal to your country or its government, especially by helping its enemies or trying to remove the government using violence" + }, + "wold": { + "CHS": "无树木的山地, 荒野" + }, + "abalone": { + "CHS": "[动]鲍鱼(软体动物)", + "ENG": "a kind of shellfish which is used as food and whose shell contains mother-of-pearl " + }, + "mime": { + "CHS": "做哑剧表演", + "ENG": "to describe or express something, using movements not words" + }, + "dram": { + "CHS": "液量特兰(药衡系统中的容量单位), 少量", + "ENG": "a small alcoholic drink, especially whisky – used especially in Scotland" + }, + "desperate": { + "CHS": "不顾一切的, 拚死的, 令人绝望的", + "ENG": "willing to do anything to change a very bad situation, and not caring about danger" + }, + "retool": { + "CHS": "将机械重新整备, 重组", + "ENG": "to organize something in a new way" + }, + "urchin": { + "CHS": "顽童, [动物]刺猥, [动物]海胆" + }, + "relational": { + "CHS": "有关系的, 亲属的", + "ENG": "indicating or expressing syntactic relation, as for example the case endings in Latin " + }, + "demobilize": { + "CHS": "使复员, 使退伍, 遣散", + "ENG": "to send home the members of an army, navy etc, especially at the end of a war" + }, + "bid": { + "CHS": "投标,企图", + "ENG": "an offer to do work or provide services for a specific price" + }, + "palimpsest": { + "CHS": "重写本", + "ENG": "a manuscript on which two or more successive texts have been written, each one being erased to make room for the next " + }, + "hermetic": { + "CHS": "密封的, 与外界隔绝的", + "ENG": "If a container has a hermetic seal, the seal is very tight so that no air can get in or out" + }, + "lust": { + "CHS": "强烈欲望" + }, + "posthumously": { + "CHS": "在死后" + }, + "outfit": { + "CHS": "用具, 全套装配, vt配备, 装备", + "ENG": "a set of clothes worn together, especially for a special occasion" + }, + "revolt": { + "CHS": "反抗,反叛", + "ENG": "a refusal to accept someone’s authority or obey rules or laws" + }, + "maw": { + "CHS": "动物的胃,口部", + "ENG": "an animal’s mouth or throat" + }, + "utmost": { + "CHS": "极度的, 最远的", + "ENG": "You can use utmost to emphasize the importance or seriousness of something or to emphasize the way that it is done" + }, + "bryn": { + "CHS": "布琳" + }, + "consistency": { + "CHS": "坚固性, 浓度, 一致性", + "ENG": "Consistency is the quality or condition of being consistent" + }, + "sentimentalism": { + "CHS": "感情主义, 沉于情感", + "ENG": "the state or quality of being sentimental " + }, + "philosophic": { + "CHS": "哲学的, 哲学家的" + }, + "trilogy": { + "CHS": "三部剧, 三部曲", + "ENG": "a series of three plays, books etc that are about the same people or subject" + }, + "diction": { + "CHS": "措辞, 用语, 言语", + "ENG": "the choice and use of words and phrases to express meaning, especially in literature" + }, + "stylish": { + "CHS": "时髦的, 漂亮的, 流行的", + "ENG": "attractive in a fashionable way" + }, + "embarrass": { + "CHS": "使困窘, 使局促不安", + "ENG": "to make someone feel ashamed, nervous, or uncomfortable, especially in front of other people" + }, + "vocation": { + "CHS": "召唤,天职,职业", + "ENG": "a strong belief that you have been chosen by God to be a priest or a nun" + }, + "arena": { + "CHS": "竞技场, 舞台", + "ENG": "a building with a large flat central area surrounded by seats, where sports or entertainments take place" + }, + "waist": { + "CHS": "腰部, 衣服的上身部分", + "ENG": "the narrow part in the middle of the human body" + }, + "irritate": { + "CHS": "激怒, 使急躁", + "ENG": "to make someone feel annoyed or impatient, especially by doing something many times or for a long period of time" + }, + "storehouses": { + "CHS": "仓库, 储藏所, 宝藏", + "ENG": "A storehouse is a building in which things, usually food, are stored" + }, + "uncharted": { + "CHS": "地图上没标明的,未知的", + "ENG": "not marked on any maps" + }, + "hanker": { + "CHS": "渴望, 追求", + "ENG": "If you hanker after something, you want it very much" + }, + "rattlesnake": { + "CHS": "<美>[动]响尾蛇", + "ENG": "a poisonous American snake that shakes its tail to make a noise when it is angry" + }, + "glamorous": { + "CHS": "富有魅力的, 迷人的", + "ENG": "attractive, exciting, and related to wealth and success" + }, + "brim": { + "CHS": "注满", + "ENG": "if your eyes brim with tears, or if tears brim from your eyes, you start to cry" + }, + "boot": { + "CHS": "<美> (长统)靴", + "ENG": "a type of shoe that covers your whole foot and the lower part of your leg" + }, + "garb": { + "CHS": "装扮" + }, + "flannel": { + "CHS": "法兰绒(衣服)", + "ENG": "soft cloth, usually made of cotton or wool, used for making clothes" + }, + "thigh": { + "CHS": "大腿, 股", + "ENG": "the top part of your leg, between your knee and your hip " + }, + "collarless": { + "CHS": "无领的,无马轭(或颈圈)的", + "ENG": "a collarless jacket, shirt etc is one that does not have a collar" + }, + "cowhand": { + "CHS": "<美>(牧场的)牧牛工", + "ENG": "someone whose job is to care for cattle" + }, + "taxonomy": { + "CHS": "分类法, 分类学", + "ENG": "the process or a system of organizing things into different groups that show their natural relationships, especially plants or animals" + }, + "narrower": { + "CHS": "海峡" + }, + "waterfall": { + "CHS": "瀑布, 瀑布似的东西", + "ENG": "a place where water from a river or stream falls down over a cliff or rock" + }, + "hibernation": { + "CHS": "过冬, 冬眠, 避寒" + }, + "evenness": { + "CHS": "平均, 平等, 平坦" + }, + "poikilotherm": { + "CHS": "[动]变温动物,冷血动物" + }, + "unload": { + "CHS": "摆脱之负担", + "ENG": "to get rid of work or responsibility by giving it to someone else" + }, + "depositor": { + "CHS": "寄托者, 存款人", + "ENG": "someone who puts money in a bank or other financial organization" + }, + "lyrically": { + "CHS": "抒情地, 狂热地", + "ENG": "with beautiful language or music" + }, + "theatrically": { + "CHS": "戏剧化地" + }, + "splinter": { + "CHS": "分裂", + "ENG": "if something such as wood splinters, or if you splinter it, it breaks into thin sharp pieces" + }, + "tonnage": { + "CHS": "登记吨位, 排水量", + "ENG": "the size of a ship or the amount of goods it can carry, shown in tonnes " + }, + "seagoing": { + "CHS": "适于远航的,出海的", + "ENG": "built to travel on the sea" + }, + "jacket": { + "CHS": "给穿夹克" + }, + "fisherman": { + "CHS": "渔民, 渔夫", + "ENG": "someone who catches fish as a sport or as a job" + }, + "mainsheet": { + "CHS": "主桅帆操纵索", + "ENG": "the line used to control the angle of the mainsail to the wind " + }, + "oblivious": { + "CHS": "没注意到, 健忘的", + "ENG": "If you are oblivious to something or oblivious of it, you are not aware of it" + }, + "coaming": { + "CHS": "舱口栏板, 边材", + "ENG": "a raised frame around the cockpit or hatchway of a vessel for keeping out water " + }, + "lad": { + "CHS": "少年, 青年男子", + "ENG": "a boy or young man" + }, + "tilt": { + "CHS": "(使)倾斜, 以言词或文字抨击", + "ENG": "to move a part of your body, especially your head or chin, upwards or to the side" + }, + "choppy": { + "CHS": "(海等)波浪起伏的, (指风)不断改变方向的", + "ENG": "choppy water has a lot of waves and is not smooth to sail on" + }, + "illustrator": { + "CHS": "插图画家,说明者", + "ENG": "someone who draws pictures, especially for books" + }, + "ectothermic": { + "CHS": "变温动物" + }, + "poikilothermic": { + "CHS": "[动]变温的, 冷血动物的", + "ENG": "(of all animals except birds and mammals) having a body temperature that varies with the temperature of the surroundings " + }, + "locomote": { + "CHS": "移动, 行动" + }, + "inadequately": { + "CHS": "不够地, 不够好" + }, + "onetime": { + "CHS": "从前" + }, + "citation": { + "CHS": "引用,表扬", + "ENG": "a formal statement or piece of writing publicly praising someone’s actions or achievements" + }, + "stillness": { + "CHS": "静止, 沉静" + }, + "eyesight": { + "CHS": "视力, 目力", + "ENG": "your ability to see" + }, + "comical": { + "CHS": "好笑的, 滑稽的", + "ENG": "behaviour or situations that are comical are funny in a strange or unexpected way" + }, + "mollusk": { + "CHS": "[动]软体动物" + }, + "rediscover": { + "CHS": "重新发现", + "ENG": "If you rediscover something good or valuable that you had forgotten or lost, you become aware of it again or find it again" + }, + "eminent": { + "CHS": "著名的, 卓越的", + "ENG": "an eminent person is famous, important, and respected" + }, + "bleak": { + "CHS": "寒冷的,荒凉的, 黯淡的", + "ENG": "cold and without any pleasant or comfortable features" + }, + "silence": { + "CHS": "使沉默", + "ENG": "to make someone stop talking, or stop something making a noise" + }, + "sequester": { + "CHS": "使隐退, 扣押, 没收", + "ENG": "to sequestrate" + }, + "metazoan": { + "CHS": "[动]后生动物(的)", + "ENG": "any multicellular animal of the group Metazoa: includes all animals except sponges " + }, + "abreast": { + "CHS": "并肩地, 并排地", + "ENG": "to walk, ride etc next to each other, all facing the same way" + }, + "serum": { + "CHS": "浆液, 血清", + "ENG": "a liquid containing substances that fight infection or poison, that is put into a sick person’s blood" + }, + "adrenaline": { + "CHS": "肾上腺素(使激动兴奋等)" + }, + "milieu": { + "CHS": "周围, 环境", + "ENG": "the things and people that surround you and influence the way you live and think" + }, + "compensatory": { + "CHS": "赔偿的, 补偿的", + "ENG": "compensatory payments are paid to someone who has been harmed or hurt in some way" + }, + "unconventional": { + "CHS": "非传统的, 不合惯例的", + "ENG": "If you describe a person or their attitude or behaviour as unconventional, you mean that they do not behave in the same way as most other people in their society" + }, + "gibe": { + "CHS": "嘲笑" + }, + "proprietor": { + "CHS": "所有者, 经营者" + }, + "mess": { + "CHS": "弄乱", + "ENG": "to make something look untidy or dirty" + }, + "silly": { + "CHS": "愚蠢的, 可笑的", + "ENG": "not sensible, or showing bad judgment" + }, + "metric": { + "CHS": "米制的, 公制的", + "ENG": "using or connected with the metric system of weights and measures" + }, + "lintel": { + "CHS": "[建]楣, 过梁", + "ENG": "a piece of stone or wood across the top of a window or door, forming part of the frame" + }, + "untapped": { + "CHS": "塞子未开的, 未使用的", + "ENG": "an untapped supply, market, or talent is available but has not yet been used" + }, + "mysteriously": { + "CHS": "神秘地, 故弄玄虚地" + }, + "corral": { + "CHS": "关进畜栏", + "ENG": "to make animals move into a corral" + }, + "prevention": { + "CHS": "预防, 防止", + "ENG": "when something bad is stopped from happening" + }, + "playwright": { + "CHS": "剧作家", + "ENG": "someone who writes plays" + }, + "Cuban": { + "CHS": "古巴(人)的", + "ENG": "Cuban means belonging or relating to Cuba, or to its people or culture" + }, + "char": { + "CHS": "碳" + }, + "tavernkeeper": { + "CHS": "小餐馆老板" + }, + "upgrade": { + "CHS": "往上" + }, + "incident": { + "CHS": "附带的, 易于发生的" + }, + "slavish": { + "CHS": "奴隶的, 盲从的, 专横的", + "ENG": "obeying, supporting, or copying someone completely – used to show disapproval" + }, + "emotive": { + "CHS": "感情的, 引起强烈感情的" + }, + "physic": { + "CHS": "治愈" + }, + "synapsis": { + "CHS": "[生]染色体结合, 突触" + }, + "unsophisticated": { + "CHS": "不谙世故的, 不复杂的", + "ENG": "unsophisticated tools, methods, or processes are simple and do not have all the features of more modern ones" + }, + "unspoiled": { + "CHS": "未损坏的, 未宠坏的", + "ENG": "an unspoiled place is beautiful because it has not changed for a long time and does not have a lot of new buildings" + }, + "arthritis": { + "CHS": "关节炎", + "ENG": "a disease that causes the joints of your body to become swollen and very painful" + }, + "whim": { + "CHS": "一时的兴致, 奇想", + "ENG": "a sudden feeling that you would like to do or have something, especially when there is no important or good reason" + }, + "hospitable": { + "CHS": "好客的, 宜人的", + "ENG": "friendly, welcoming, and generous to visitors" + }, + "carnivorous": { + "CHS": "食肉的, 肉食性的", + "ENG": "Carnivorous animals eat meat" + }, + "depredation": { + "CHS": "掠夺, 破坏痕迹", + "ENG": "an act of taking or destroying something" + }, + "nostalgia": { + "CHS": "乡愁, 怀旧之情", + "ENG": "Nostalgia is an affectionate feeling you have for the past, especially for a particularly happy time" + }, + "stewpot": { + "CHS": "双把炖锅" + }, + "adolescence": { + "CHS": "青春期", + "ENG": "the time, usually between the ages of 12 and 18, when a young person is developing into an adult" + }, + "ministry": { + "CHS": "(政府的)部门", + "ENG": "a government department that is responsible for one of the areas of government work, such as education or health" + }, + "Toronto": { + "CHS": "多伦多(加拿大)" + }, + "narrowly": { + "CHS": "勉强地, 精细地", + "ENG": "by only a small amount" + }, + "proficiency": { + "CHS": "熟练, 精通, 熟练程度", + "ENG": "a good standard of ability and skill" + }, + "spar": { + "CHS": "争论,园材(如桅,桁等)", + "ENG": "a thick pole, especially one used on a ship to support sails or ropes" + }, + "hometown": { + "CHS": "故乡", + "ENG": "Someone's hometown is the town where they live or the town that they come from" + }, + "sociology": { + "CHS": "社会学", + "ENG": "the scientific study of societies and the behaviour of people in groups" + }, + "dough": { + "CHS": "生面团", + "ENG": "a mixture of flour and water ready to be baked into bread, pastry etc" + }, + "flair": { + "CHS": "才能, 本领", + "ENG": "a natural ability to do something very well" + }, + "esoteric": { + "CHS": "秘传的, 神秘的, 难懂的", + "ENG": "If you describe something as esoteric, you mean it is known, understood, or appreciated by only a small number of people" + }, + "potion": { + "CHS": "一服, 一剂", + "ENG": "A potion is a drink that contains medicine, poison, or something that is supposed to have magic powers" + }, + "laboriously": { + "CHS": "艰难地, 辛勤地" + }, + "elixir": { + "CHS": "炼金药, 不老长寿药", + "ENG": "a magical liquid that is supposed to cure people of illness, make them younger etc" + }, + "inextricably": { + "CHS": "分不开地, 无法摆脱地", + "ENG": "If two or more things are inextricably linked, they cannot be considered separately" + }, + "imprecise": { + "CHS": "不精确的", + "ENG": "not clear or exact" + }, + "bestow": { + "CHS": "给予,利用", + "ENG": "to give someone something of great value or importance" + }, + "bless": { + "CHS": "祝福, 保佑", + "ENG": "used to show that you are fond of someone, amused by them, or pleased by something they have done" + }, + "quaker": { + "CHS": "教友派信徒, 贵格会会员", + "ENG": "A Quaker is a person who belongs to a Christian group called the Society of Friends" + }, + "alternately": { + "CHS": "交替地,轮流地" + }, + "thermodynamic": { + "CHS": "热力学的, 使用热动力的", + "ENG": "of or concerned with thermodynamics " + }, + "uncrumple": { + "CHS": "去掉…的皱纹,使回复到平整状态" + }, + "dinner": { + "CHS": "正餐, 宴会", + "ENG": "the main meal of the day, eaten in the middle of the day or the evening" + }, + "untwist": { + "CHS": "拆开(搓合的绳,线等), 解开" + }, + "selfless": { + "CHS": "无私的", + "ENG": "caring about other people more than about yourself – used to show approval" + }, + "obligation": { + "CHS": "义务, 职责, 债务", + "ENG": "a moral or legal duty to do something" + }, + "fanatical": { + "CHS": "狂热的, 入迷的", + "ENG": "If you describe someone as fanatical, you disapprove of them because you consider their behaviour or opinions to be very extreme" + }, + "coax": { + "CHS": "巧妙地(耐心地)处理,哄", + "ENG": "to persuade someone to do something that they do not want to do by talking to them in a kind, gentle, and patient way" + }, + "flue": { + "CHS": "烟道, 暖气管", + "ENG": "a metal pipe or tube that lets smoke or heat from a fire out of a building" + }, + "pivot": { + "CHS": "在枢轴上转动", + "ENG": "to turn or balance on a central point, or to make something do this" + }, + "coordination": { + "CHS": "协调", + "ENG": "the way in which your muscles move together when you perform a movement" + } +} \ No newline at end of file diff --git a/modules/self_contained/wordle/words/words.txt b/modules/self_contained/wordle/words/words.txt new file mode 100644 index 00000000..296c6cc6 --- /dev/null +++ b/modules/self_contained/wordle/words/words.txt @@ -0,0 +1,466543 @@ +10-point +10th +11-point +12-point +16-point +18-point +1st +20-point +2D +2nd +30-30 +3D +3-D +3M +3rd +48-point +4-D +4GL +4H +4th +5-point +5-T +5th +6-point +6th +7-point +7th +8-point +8th +9-point +9th +a +a' +a- +A&M +A&P +A. +A.A.A. +A.B. +A.B.A. +A.C. +A.D. +A.D.C. +A.F. +A.F.A.M. +A.G. +A.H. +A.I. +A.I.A. +A.I.D. +A.L. +A.L.P. +A.M. +A.M.A. +A.M.D.G. +A.N. +a.p. +a.r. +A.R.C.S. +A.U. +A.U.C. +A.V. +a.w. +A.W.O.L. +A/C +A/F +A/O +A/P +A/V +A1 +A-1 +A4 +A5 +AA +AAA +AAAA +AAAAAA +AAAL +AAAS +Aaberg +Aachen +AAE +AAEE +AAF +AAG +aah +aahed +aahing +aahs +AAII +aal +Aalborg +Aalesund +aalii +aaliis +aals +Aalst +Aalto +AAM +AAMSI +Aandahl +A-and-R +Aani +AAO +AAP +AAPSS +Aaqbiye +Aar +Aara +Aarau +AARC +aardvark +aardvarks +aardwolf +aardwolves +Aaren +Aargau +aargh +Aarhus +Aarika +Aaron +Aaronic +Aaronical +Aaronite +Aaronitic +Aaron's-beard +Aaronsburg +Aaronson +AARP +aarrgh +aarrghh +Aaru +AAS +A'asia +aasvogel +aasvogels +AAU +AAUP +AAUW +AAVSO +AAX +A-axes +A-axis +AB +ab- +ABA +Ababa +Ababdeh +Ababua +abac +abaca +abacay +abacas +abacate +abacaxi +abaci +abacinate +abacination +abacisci +abaciscus +abacist +aback +abacli +Abaco +abacot +abacterial +abactinal +abactinally +abaction +abactor +abaculi +abaculus +abacus +abacuses +Abad +abada +Abadan +Abaddon +abadejo +abadengo +abadia +Abadite +abaff +abaft +Abagael +Abagail +Abagtha +abay +abayah +Abailard +abaisance +abaised +abaiser +abaisse +abaissed +abaka +Abakan +abakas +Abakumov +abalation +abalienate +abalienated +abalienating +abalienation +abalone +abalones +Abama +abamp +abampere +abamperes +abamps +Abana +aband +abandon +abandonable +abandoned +abandonedly +abandonee +abandoner +abandoners +abandoning +abandonment +abandonments +abandons +abandum +abanet +abanga +Abanic +abannition +Abantes +abapical +abaptiston +abaptistum +Abarambo +Abarbarea +Abaris +abarthrosis +abarticular +abarticulation +Abas +abase +abased +abasedly +abasedness +abasement +abasements +abaser +abasers +abases +Abasgi +abash +abashed +abashedly +abashedness +abashes +abashing +abashless +abashlessly +abashment +abashments +abasia +abasias +abasic +abasing +abasio +abask +abassi +Abassieh +Abassin +abastard +abastardize +abastral +abatable +abatage +Abate +abated +abatement +abatements +abater +abaters +abates +abatic +abating +abatis +abatised +abatises +abatjour +abatjours +abaton +abator +abators +ABATS +abattage +abattis +abattised +abattises +abattoir +abattoirs +abattu +abattue +Abatua +abature +abaue +abave +abaxial +abaxile +abaze +abb +Abba +abbacy +abbacies +abbacomes +Abbadide +Abbai +abbaye +abbandono +abbas +abbasi +Abbasid +abbassi +Abbassid +Abbasside +Abbate +abbatial +abbatical +abbatie +Abbe +Abbey +abbeys +abbey's +abbeystead +abbeystede +abbes +abbess +abbesses +abbest +Abbevilean +Abbeville +Abbevillian +Abbi +Abby +Abbie +Abbye +Abbyville +abboccato +abbogada +Abbot +abbotcy +abbotcies +abbotnullius +abbotric +abbots +abbot's +Abbotsen +Abbotsford +abbotship +abbotships +Abbotson +Abbotsun +Abbott +Abbottson +Abbottstown +Abboud +abbozzo +ABBR +abbrev +abbreviatable +abbreviate +abbreviated +abbreviately +abbreviates +abbreviating +abbreviation +abbreviations +abbreviator +abbreviatory +abbreviators +abbreviature +abbroachment +ABC +abcess +abcissa +abcoulomb +ABCs +abd +abdal +abdali +abdaria +abdat +Abdel +Abd-el-Kadir +Abd-el-Krim +Abdella +Abderhalden +Abderian +Abderite +Abderus +abdest +Abdias +abdicable +abdicant +abdicate +abdicated +abdicates +abdicating +abdication +abdications +abdicative +abdicator +Abdiel +abditive +abditory +abdom +abdomen +abdomens +abdomen's +abdomina +abdominal +Abdominales +abdominalia +abdominalian +abdominally +abdominals +abdominoanterior +abdominocardiac +abdominocentesis +abdominocystic +abdominogenital +abdominohysterectomy +abdominohysterotomy +abdominoposterior +abdominoscope +abdominoscopy +abdominothoracic +abdominous +abdomino-uterotomy +abdominovaginal +abdominovesical +Abdon +Abdu +abduce +abduced +abducens +abducent +abducentes +abduces +abducing +abduct +abducted +abducting +abduction +abductions +abduction's +abductor +abductores +abductors +abductor's +abducts +Abdul +Abdul-Aziz +Abdul-baha +Abdulla +Abe +a-be +abeam +abear +abearance +Abebi +abecedaire +abecedary +abecedaria +abecedarian +abecedarians +abecedaries +abecedarium +abecedarius +abed +abede +abedge +Abednego +abegge +Abey +abeyance +abeyances +abeyancy +abeyancies +abeyant +abeigh +ABEL +Abelard +abele +abeles +Abelia +Abelian +Abelicea +Abelite +Abell +Abelmoschus +abelmosk +abelmosks +abelmusk +Abelonian +Abelson +abeltree +Abencerrages +abend +abends +Abenezra +abenteric +Abeokuta +abepithymia +ABEPP +Abercromby +Abercrombie +Aberdare +aberdavine +Aberdeen +Aberdeenshire +aberdevine +Aberdonian +aberduvine +Aberfan +Aberglaube +Aberia +Aberystwyth +Abernant +Abernathy +abernethy +Abernon +aberr +aberrance +aberrancy +aberrancies +aberrant +aberrantly +aberrants +aberrate +aberrated +aberrating +aberration +aberrational +aberrations +aberrative +aberrator +aberrometer +aberroscope +Abert +aberuncate +aberuncator +abesse +abessive +abet +abetment +abetments +abets +abettal +abettals +abetted +abetter +abetters +abetting +abettor +abettors +Abeu +abevacuation +abfarad +abfarads +ABFM +Abgatha +ABHC +abhenry +abhenries +abhenrys +abhinaya +abhiseka +abhominable +abhor +abhorred +abhorrence +abhorrences +abhorrency +abhorrent +abhorrently +abhorrer +abhorrers +abhorrible +abhorring +abhors +Abhorson +ABI +aby +Abia +Abiathar +Abib +abichite +abidal +abidance +abidances +abidden +abide +abided +abider +abiders +abides +abidi +abiding +abidingly +abidingness +Abidjan +Abydos +Abie +abye +abied +abyed +abiegh +abience +abient +Abies +abyes +abietate +abietene +abietic +abietin +Abietineae +abietineous +abietinic +abietite +Abiezer +Abigael +Abigail +abigails +abigailship +Abigale +abigeat +abigei +abigeus +Abihu +abying +Abijah +Abyla +abilao +Abilene +abiliment +Abilyne +abilitable +ability +abilities +ability's +abilla +abilo +abime +Abimelech +Abineri +Abingdon +Abinger +Abington +Abinoam +Abinoem +abintestate +abiogeneses +abiogenesis +abiogenesist +abiogenetic +abiogenetical +abiogenetically +abiogeny +abiogenist +abiogenous +abiology +abiological +abiologically +abioses +abiosis +abiotic +abiotical +abiotically +abiotrophy +abiotrophic +Abipon +Abiquiu +abir +abirritant +abirritate +abirritated +abirritating +abirritation +abirritative +abys +Abisag +Abisha +Abishag +Abisia +abysm +abysmal +abysmally +abysms +Abyss +abyssa +abyssal +abysses +Abyssinia +Abyssinian +abyssinians +abyssobenthonic +abyssolith +abyssopelagic +abyss's +abyssus +abiston +abit +Abitibi +Abiu +abiuret +Abixah +abject +abjectedness +abjection +abjections +abjective +abjectly +abjectness +abjectnesses +abjoint +abjudge +abjudged +abjudging +abjudicate +abjudicated +abjudicating +abjudication +abjudicator +abjugate +abjunct +abjunction +abjunctive +abjuration +abjurations +abjuratory +abjure +abjured +abjurement +abjurer +abjurers +abjures +abjuring +abkar +abkari +abkary +Abkhas +Abkhasia +Abkhasian +Abkhaz +Abkhazia +Abkhazian +abl +abl. +ablach +ablactate +ablactated +ablactating +ablactation +ablaqueate +ablare +A-blast +ablastemic +ablastin +ablastous +ablate +ablated +ablates +ablating +ablation +ablations +ablatitious +ablatival +ablative +ablatively +ablatives +ablator +ablaut +ablauts +ablaze +able +able-bodied +able-bodiedness +ableeze +ablegate +ablegates +ablegation +able-minded +able-mindedness +ablend +ableness +ablepharia +ablepharon +ablepharous +Ablepharus +ablepsy +ablepsia +ableptical +ableptically +abler +ables +ablesse +ablest +ablet +ablewhackets +ably +ablings +ablins +ablock +abloom +ablow +ABLS +ablude +abluent +abluents +ablush +ablute +abluted +ablution +ablutionary +ablutions +abluvion +ABM +abmho +abmhos +abmodality +abmodalities +abn +Abnaki +Abnakis +abnegate +abnegated +abnegates +abnegating +abnegation +abnegations +abnegative +abnegator +abnegators +Abner +abnerval +abnet +abneural +abnormal +abnormalcy +abnormalcies +abnormalise +abnormalised +abnormalising +abnormalism +abnormalist +abnormality +abnormalities +abnormalize +abnormalized +abnormalizing +abnormally +abnormalness +abnormals +abnormity +abnormities +abnormous +abnumerable +Abo +aboard +aboardage +Abobra +abococket +abodah +abode +aboded +abodement +abodes +abode's +abody +aboding +abogado +abogados +abohm +abohms +aboideau +aboideaus +aboideaux +aboil +aboiteau +aboiteaus +aboiteaux +abolete +abolish +abolishable +abolished +abolisher +abolishers +abolishes +abolishing +abolishment +abolishments +abolishment's +abolition +abolitionary +abolitionise +abolitionised +abolitionising +abolitionism +abolitionist +abolitionists +abolitionize +abolitionized +abolitionizing +abolitions +abolla +abollae +aboma +abomas +abomasa +abomasal +abomasi +abomasum +abomasus +abomasusi +A-bomb +abominability +abominable +abominableness +abominably +abominate +abominated +abominates +abominating +abomination +abominations +abominator +abominators +abomine +abondance +Abongo +abonne +abonnement +aboon +aborad +aboral +aborally +abord +Aboriginal +aboriginality +aboriginally +aboriginals +aboriginary +Aborigine +aborigines +aborigine's +Abor-miri +Aborn +aborning +a-borning +aborsement +aborsive +abort +aborted +aborter +aborters +aborticide +abortient +abortifacient +abortin +aborting +abortion +abortional +abortionist +abortionists +abortions +abortion's +abortive +abortively +abortiveness +abortogenic +aborts +abortus +abortuses +abos +abote +Abott +abouchement +aboudikro +abought +Aboukir +aboulia +aboulias +aboulic +abound +abounded +abounder +abounding +aboundingly +abounds +Abourezk +about +about-face +about-faced +about-facing +abouts +about-ship +about-shipped +about-shipping +about-sledge +about-turn +above +aboveboard +above-board +above-cited +abovedeck +above-found +above-given +aboveground +abovementioned +above-mentioned +above-named +aboveproof +above-quoted +above-reported +aboves +abovesaid +above-said +abovestairs +above-water +above-written +abow +abox +Abp +ABPC +Abqaiq +abr +abr. +Abra +abracadabra +abrachia +abrachias +abradable +abradant +abradants +abrade +abraded +abrader +abraders +abrades +abrading +Abraham +Abrahamic +Abrahamidae +Abrahamite +Abrahamitic +Abraham-man +Abrahams +Abrahamsen +Abrahan +abray +abraid +Abram +Abramis +Abramo +Abrams +Abramson +Abran +abranchial +abranchialism +abranchian +Abranchiata +abranchiate +abranchious +abrasax +abrase +abrased +abraser +abrash +abrasing +abrasiometer +abrasion +abrasions +abrasion's +abrasive +abrasively +abrasiveness +abrasivenesses +abrasives +abrastol +abraum +abraxas +abrazite +abrazitic +abrazo +abrazos +abreact +abreacted +abreacting +abreaction +abreactions +abreacts +abreast +abreed +abrege +abreid +abrenounce +abrenunciate +abrenunciation +abreption +abret +abreuvoir +abri +abrico +abricock +abricot +abridgable +abridge +abridgeable +abridged +abridgedly +abridgement +abridgements +abridger +abridgers +abridges +abridging +abridgment +abridgments +abrim +abrin +abrine +abris +abristle +abroach +abroad +Abrocoma +abrocome +abrogable +abrogate +abrogated +abrogates +abrogating +abrogation +abrogations +abrogative +abrogator +abrogators +Abroma +Abroms +Abronia +abrood +abrook +abrosia +abrosias +abrotanum +abrotin +abrotine +abrupt +abruptedly +abrupter +abruptest +abruptio +abruption +abruptiones +abruptly +abruptness +Abrus +Abruzzi +ABS +abs- +Absa +Absalom +absampere +Absaraka +Absaroka +Absarokee +absarokite +ABSBH +abscam +abscess +abscessed +abscesses +abscessing +abscession +abscessroot +abscind +abscise +abscised +abscises +abscisin +abscising +abscisins +abscision +absciss +abscissa +abscissae +abscissas +abscissa's +abscisse +abscissin +abscission +abscissions +absconce +abscond +absconded +abscondedly +abscondence +absconder +absconders +absconding +absconds +absconsa +abscoulomb +abscound +Absecon +absee +absey +abseil +abseiled +abseiling +abseils +absence +absences +absence's +absent +absentation +absented +absentee +absenteeism +absentees +absentee's +absenteeship +absenter +absenters +absentia +absenting +absently +absentment +absentminded +absent-minded +absentmindedly +absent-mindedly +absentmindedness +absent-mindedness +absentmindednesses +absentness +absents +absfarad +abshenry +Abshier +Absi +absinth +absinthe +absinthes +absinthial +absinthian +absinthiate +absinthiated +absinthiating +absinthic +absinthiin +absinthin +absinthine +absinthism +absinthismic +absinthium +absinthol +absinthole +absinths +Absyrtus +absis +absist +absistos +absit +absmho +absohm +absoil +absolent +Absolute +absolutely +absoluteness +absoluter +absolutes +absolutest +absolution +absolutions +absolutism +absolutist +absolutista +absolutistic +absolutistically +absolutists +absolutive +absolutization +absolutize +absolutory +absolvable +absolvatory +absolve +absolved +absolvent +absolver +absolvers +absolves +absolving +absolvitor +absolvitory +absonant +absonous +absorb +absorbability +absorbable +absorbance +absorbancy +absorbant +absorbed +absorbedly +absorbedness +absorbefacient +absorbency +absorbencies +absorbent +absorbents +absorber +absorbers +absorbing +absorbingly +absorbition +absorbs +absorbtion +absorpt +absorptance +absorptiometer +absorptiometric +absorption +absorptional +absorptions +absorption's +absorptive +absorptively +absorptiveness +absorptivity +absquatulate +absquatulation +abstain +abstained +abstainer +abstainers +abstaining +abstainment +abstains +abstemious +abstemiously +abstemiousness +abstention +abstentionism +abstentionist +abstentions +abstentious +absterge +absterged +abstergent +absterges +absterging +absterse +abstersion +abstersive +abstersiveness +abstertion +abstinence +abstinences +abstinency +abstinent +abstinential +abstinently +abstort +abstr +abstract +abstractable +abstracted +abstractedly +abstractedness +abstracter +abstracters +abstractest +abstracting +abstraction +abstractional +abstractionism +abstractionist +abstractionists +abstractions +abstraction's +abstractitious +abstractive +abstractively +abstractiveness +abstractly +abstractness +abstractnesses +abstractor +abstractors +abstractor's +abstracts +abstrahent +abstrict +abstricted +abstricting +abstriction +abstricts +abstrude +abstruse +abstrusely +abstruseness +abstrusenesses +abstruser +abstrusest +abstrusion +abstrusity +abstrusities +absume +absumption +absurd +absurder +absurdest +absurdism +absurdist +absurdity +absurdities +absurdity's +absurdly +absurdness +absurds +absurdum +absvolt +abt +abterminal +abthain +abthainry +abthainrie +abthanage +abtruse +Abu +abubble +Abu-Bekr +Abucay +abucco +abuilding +Abukir +abuleia +Abulfeda +abulia +abulias +abulic +abulyeit +abulomania +abumbral +abumbrellar +Abuna +abundance +abundances +abundancy +abundant +Abundantia +abundantly +abune +abura +aburabozu +aburagiri +aburban +Abury +aburst +aburton +abusable +abusage +abuse +abused +abusedly +abusee +abuseful +abusefully +abusefulness +abuser +abusers +abuses +abush +abusing +abusion +abusious +abusive +abusively +abusiveness +abusivenesses +abut +Abuta +Abutilon +abutilons +abutment +abutments +abuts +abuttal +abuttals +abutted +abutter +abutters +abutter's +abutting +abuzz +abv +abvolt +abvolts +abwab +abwatt +abwatts +ac +ac- +a-c +AC/DC +ACAA +Acacallis +acacatechin +acacatechol +Acacea +Acaceae +acacetin +Acacia +Acacian +acacias +acaciin +acacin +acacine +acad +academe +academes +Academy +academia +academial +academian +academias +Academic +academical +academically +academicals +academician +academicians +academicianship +academicism +academics +academie +academies +academy's +academise +academised +academising +academism +academist +academite +academization +academize +academized +academizing +Academus +Acadia +acadialite +Acadian +Acadie +Acaena +acajou +acajous +acal +acalculia +acale +acaleph +Acalepha +Acalephae +acalephan +acalephe +acalephes +acalephoid +acalephs +Acalia +acalycal +acalycine +acalycinous +acalyculate +Acalypha +Acalypterae +Acalyptrata +Acalyptratae +acalyptrate +Acamar +Acamas +Acampo +acampsia +acana +acanaceous +acanonical +acanth +acanth- +acantha +Acanthaceae +acanthaceous +acanthad +Acantharia +acanthi +Acanthia +acanthial +acanthin +acanthine +acanthion +acanthite +acantho- +acanthocarpous +Acanthocephala +acanthocephalan +Acanthocephali +acanthocephalous +Acanthocereus +acanthocladous +Acanthodea +acanthodean +Acanthodei +Acanthodes +acanthodian +Acanthodidae +Acanthodii +Acanthodini +acanthoid +Acantholimon +acantholysis +acanthology +acanthological +acanthoma +acanthomas +Acanthomeridae +acanthon +Acanthopanax +Acanthophis +acanthophorous +acanthopod +acanthopodous +acanthopomatous +acanthopore +acanthopteran +Acanthopteri +acanthopterygian +Acanthopterygii +acanthopterous +acanthoses +acanthosis +acanthotic +acanthous +Acanthuridae +Acanthurus +acanthus +acanthuses +acanthuthi +acapnia +acapnial +acapnias +acappella +acapsular +acapu +Acapulco +acara +Acarapis +acarari +acardia +acardiac +acardite +acari +acarian +acariasis +acariatre +acaricidal +acaricide +acarid +Acarida +acaridae +acaridan +acaridans +Acaridea +acaridean +acaridomatia +acaridomatium +acarids +acariform +Acarina +acarine +acarines +acarinosis +Acarnan +acarocecidia +acarocecidium +acarodermatitis +acaroid +acarol +acarology +acarologist +acarophilous +acarophobia +acarotoxic +acarpellous +acarpelous +acarpous +Acarus +ACAS +acast +Acastus +acatalectic +acatalepsy +acatalepsia +acataleptic +acatallactic +acatamathesia +acataphasia +acataposis +acatastasia +acatastatic +acate +acategorical +acater +acatery +acates +acatharsy +acatharsia +acatholic +acaudal +acaudate +acaudelescent +acaulescence +acaulescent +acauline +acaulose +acaulous +ACAWS +ACB +ACBL +ACC +acc. +acca +accable +Accad +accademia +Accadian +Accalia +acce +accede +acceded +accedence +acceder +acceders +accedes +acceding +accel +accel. +accelerable +accelerando +accelerant +accelerate +accelerated +acceleratedly +accelerates +accelerating +acceleratingly +acceleration +accelerations +accelerative +accelerator +acceleratory +accelerators +accelerograph +accelerometer +accelerometers +accelerometer's +accend +accendibility +accendible +accensed +accension +accensor +accent +accented +accenting +accentless +accentor +accentors +accents +accentuable +accentual +accentuality +accentually +accentuate +accentuated +accentuates +accentuating +accentuation +accentuations +accentuator +accentus +accept +acceptability +acceptabilities +acceptable +acceptableness +acceptably +acceptance +acceptances +acceptance's +acceptancy +acceptancies +acceptant +acceptation +acceptavit +accepted +acceptedly +acceptee +acceptees +accepter +accepters +acceptilate +acceptilated +acceptilating +acceptilation +accepting +acceptingly +acceptingness +acception +acceptive +acceptor +acceptors +acceptor's +acceptress +accepts +accerse +accersition +accersitor +access +accessability +accessable +accessary +accessaries +accessarily +accessariness +accessaryship +accessed +accesses +accessibility +accessibilities +accessible +accessibleness +accessibly +accessing +accession +accessional +accessioned +accessioner +accessioning +accessions +accession's +accessit +accessive +accessively +accessless +accessor +accessory +accessorial +accessories +accessorii +accessorily +accessoriness +accessory's +accessorius +accessoriusorii +accessorize +accessorized +accessorizing +accessors +accessor's +acciaccatura +acciaccaturas +acciaccature +accidence +accidency +accidencies +accident +accidental +accidentalism +accidentalist +accidentality +accidentally +accidentalness +accidentals +accidentary +accidentarily +accidented +accidential +accidentiality +accidently +accident-prone +accidents +accidia +accidias +accidie +accidies +accinge +accinged +accinging +accipenser +accipient +Accipiter +accipitral +accipitrary +Accipitres +accipitrine +accipter +accise +accismus +accite +Accius +acclaim +acclaimable +acclaimed +acclaimer +acclaimers +acclaiming +acclaims +acclamation +acclamations +acclamator +acclamatory +acclimatable +acclimatation +acclimate +acclimated +acclimatement +acclimates +acclimating +acclimation +acclimations +acclimatisable +acclimatisation +acclimatise +acclimatised +acclimatiser +acclimatising +acclimatizable +acclimatization +acclimatizations +acclimatize +acclimatized +acclimatizer +acclimatizes +acclimatizing +acclimature +acclinal +acclinate +acclivity +acclivities +acclivitous +acclivous +accloy +accoast +accoy +accoyed +accoying +accoil +Accokeek +accolade +accoladed +accolades +accolated +accolent +accoll +accolle +accolled +accollee +Accomac +accombination +accommodable +accommodableness +accommodate +accommodated +accommodately +accommodateness +accommodates +accommodating +accommodatingly +accommodatingness +accommodation +accommodational +accommodationist +accommodations +accommodative +accommodatively +accommodativeness +accommodator +accommodators +accomodate +accompanable +accompany +accompanied +accompanier +accompanies +accompanying +accompanyist +accompaniment +accompanimental +accompaniments +accompaniment's +accompanist +accompanists +accompanist's +accomplement +accompletive +accompli +accomplice +accomplices +accompliceship +accomplicity +accomplis +accomplish +accomplishable +accomplished +accomplisher +accomplishers +accomplishes +accomplishing +accomplishment +accomplishments +accomplishment's +accomplisht +accompt +accord +accordable +accordance +accordances +accordancy +accordant +accordantly +accordatura +accordaturas +accordature +accorded +accorder +accorders +according +accordingly +accordion +accordionist +accordionists +accordions +accordion's +accords +accorporate +accorporation +accost +accostable +accosted +accosting +accosts +accouche +accouchement +accouchements +accoucheur +accoucheurs +accoucheuse +accoucheuses +accounsel +account +accountability +accountabilities +accountable +accountableness +accountably +accountancy +accountancies +accountant +accountants +accountant's +accountantship +accounted +accounter +accounters +accounting +accountings +accountment +accountrement +accounts +accouple +accouplement +accourage +accourt +accouter +accoutered +accoutering +accouterment +accouterments +accouters +accoutre +accoutred +accoutrement +accoutrements +accoutres +accoutring +Accoville +ACCRA +accrease +accredit +accreditable +accreditate +accreditation +accreditations +accredited +accreditee +accrediting +accreditment +accredits +accrementitial +accrementition +accresce +accrescence +accrescendi +accrescendo +accrescent +accretal +accrete +accreted +accretes +accreting +accretion +accretionary +accretions +accretion's +accretive +accriminate +Accrington +accroach +accroached +accroaching +accroachment +accroides +accruable +accrual +accruals +accrue +accrued +accruement +accruer +accrues +accruing +ACCS +ACCT +acct. +accts +accubation +accubita +accubitum +accubitus +accueil +accultural +acculturate +acculturated +acculturates +acculturating +acculturation +acculturational +acculturationist +acculturative +acculturize +acculturized +acculturizing +accum +accumb +accumbency +accumbent +accumber +accumulable +accumulate +accumulated +accumulates +accumulating +accumulation +accumulations +accumulativ +accumulative +accumulatively +accumulativeness +accumulator +accumulators +accumulator's +accupy +accur +accuracy +accuracies +accurate +accurately +accurateness +accuratenesses +accurre +accurse +accursed +accursedly +accursedness +accursing +accurst +accurtation +accus +accusable +accusably +accusal +accusals +accusant +accusants +accusation +accusations +accusation's +accusatival +accusative +accusative-dative +accusatively +accusativeness +accusatives +accusator +accusatory +accusatorial +accusatorially +accusatrix +accusatrixes +accuse +accused +accuser +accusers +accuses +accusing +accusingly +accusive +accusor +accustom +accustomation +accustomed +accustomedly +accustomedness +accustoming +accustomize +accustomized +accustomizing +accustoms +Accutron +ACD +ACDA +AC-DC +ACE +acea +aceacenaphthene +aceae +acean +aceanthrene +aceanthrenequinone +acecaffin +acecaffine +aceconitic +aced +acedy +acedia +acediamin +acediamine +acedias +acediast +ace-high +Acey +acey-deucy +aceite +aceituna +Aceldama +aceldamas +acellular +Acemetae +Acemetic +acemila +acenaphthene +acenaphthenyl +acenaphthylene +acenesthesia +acensuada +acensuador +acentric +acentrous +aceology +aceologic +aceous +acephal +Acephala +acephalan +Acephali +acephalia +Acephalina +acephaline +acephalism +acephalist +Acephalite +acephalocyst +acephalous +acephalus +acepots +acequia +acequiador +acequias +Acer +Aceraceae +aceraceous +Acerae +Acerata +acerate +acerated +Acerates +acerathere +Aceratherium +aceratosis +acerb +Acerbas +acerbate +acerbated +acerbates +acerbating +acerber +acerbest +acerbic +acerbically +acerbity +acerbityacerose +acerbities +acerbitude +acerbly +acerbophobia +acerdol +aceric +acerin +acerli +acerola +acerolas +acerose +acerous +acerra +acers +acertannin +acerval +acervate +acervately +acervatim +acervation +acervative +acervose +acervuli +acervuline +acervulus +aces +ace's +acescence +acescency +acescent +acescents +aceship +Acesius +acesodyne +acesodynous +Acessamenus +Acestes +acestoma +acet- +aceta +acetable +acetabula +acetabular +Acetabularia +acetabuliferous +acetabuliform +acetabulous +acetabulum +acetabulums +acetacetic +acetal +acetaldehydase +acetaldehyde +acetaldehydrase +acetaldol +acetalization +acetalize +acetals +acetamid +acetamide +acetamidin +acetamidine +acetamido +acetamids +acetaminol +Acetaminophen +acetanilid +acetanilide +acetanion +acetaniside +acetanisidide +acetanisidine +acetannin +acetary +acetarious +acetars +acetarsone +acetate +acetated +acetates +acetation +acetazolamide +acetbromamide +acetenyl +Acetes +acethydrazide +acetiam +acetic +acetify +acetification +acetified +acetifier +acetifies +acetifying +acetyl +acetylacetonates +acetylacetone +acetylamine +acetylaminobenzene +acetylaniline +acetylasalicylic +acetylate +acetylated +acetylating +acetylation +acetylative +acetylator +acetylbenzene +acetylbenzoate +acetylbenzoic +acetylbiuret +acetylcarbazole +acetylcellulose +acetylcholine +acetylcholinesterase +acetylcholinic +acetylcyanide +acetylenation +acetylene +acetylenediurein +acetylenes +acetylenic +acetylenyl +acetylenogen +acetylfluoride +acetylglycin +acetylglycine +acetylhydrazine +acetylic +acetylid +acetylide +acetyliodide +acetylizable +acetylization +acetylize +acetylized +acetylizer +acetylizing +acetylmethylcarbinol +acetylperoxide +acetylphenylhydrazine +acetylphenol +acetylrosaniline +acetyls +acetylsalicylate +acetylsalicylic +acetylsalol +acetyltannin +acetylthymol +acetyltropeine +acetylurea +acetimeter +acetimetry +acetimetric +acetin +acetine +acetins +acetite +acetize +acetla +acetmethylanilide +acetnaphthalide +aceto- +acetoacetanilide +acetoacetate +acetoacetic +acetoamidophenol +acetoarsenite +Acetobacter +acetobenzoic +acetobromanilide +acetochloral +acetocinnamene +acetoin +acetol +acetolysis +acetolytic +acetometer +acetometry +acetometric +acetometrical +acetometrically +acetomorphin +acetomorphine +acetonaemia +acetonaemic +acetonaphthone +acetonate +acetonation +acetone +acetonemia +acetonemic +acetones +acetonic +acetonyl +acetonylacetone +acetonylidene +acetonitrile +acetonization +acetonize +acetonuria +acetonurometer +acetophenetide +acetophenetidin +acetophenetidine +acetophenin +acetophenine +acetophenone +acetopiperone +acetopyrin +acetopyrine +acetosalicylic +acetose +acetosity +acetosoluble +acetostearin +acetothienone +acetotoluid +acetotoluide +acetotoluidine +acetous +acetoveratrone +acetoxyl +acetoxyls +acetoxim +acetoxime +acetoxyphthalide +acetphenetid +acetphenetidin +acetract +acettoluide +acetum +aceturic +ACF +ACGI +ac-globulin +ACH +Achab +Achad +Achaea +Achaean +Achaemenes +Achaemenian +Achaemenid +Achaemenidae +Achaemenides +Achaemenidian +Achaemenids +achaenocarp +Achaenodon +Achaeta +achaetous +Achaeus +achafe +achage +Achagua +Achaia +Achaian +Achakzai +achalasia +Achamoth +Achan +Achango +achape +achaque +achar +acharya +Achariaceae +Achariaceous +acharne +acharnement +Acharnians +achate +Achates +Achatina +Achatinella +Achatinidae +achatour +Achaz +ache +acheat +achech +acheck +ached +acheer +ACHEFT +acheilary +acheilia +acheilous +acheiria +acheirous +acheirus +Achelous +Achen +achene +achenes +achenia +achenial +achenium +achenocarp +achenodia +achenodium +acher +Acherman +Achernar +Acheron +Acheronian +Acherontic +Acherontical +aches +Acheson +achesoun +achete +Achetidae +Acheulean +Acheulian +acheweed +achy +achier +achiest +achievability +achievable +achieve +achieved +achievement +achievements +achievement's +achiever +achievers +achieves +achieving +ach-y-fi +achigan +achilary +achylia +Achill +Achille +Achillea +Achillean +achilleas +Achilleid +achillein +achilleine +Achilles +Achillize +achillobursitis +achillodynia +achilous +achylous +Achimaas +achime +Achimelech +Achimenes +achymia +achymous +Achinese +achiness +achinesses +aching +achingly +achiote +achiotes +achira +Achyranthes +achirite +Achyrodes +Achish +Achitophel +achkan +achlamydate +Achlamydeae +achlamydeous +achlorhydria +achlorhydric +achlorophyllous +achloropsia +achluophobia +Achmed +Achmetha +achoke +acholia +acholias +acholic +Acholoe +acholous +acholuria +acholuric +Achomawi +achondrite +achondritic +achondroplasia +achondroplastic +achoo +achor +achordal +Achordata +achordate +Achorion +Achorn +Achras +achree +achroacyte +Achroanthes +achrodextrin +achrodextrinase +achroglobin +achroiocythaemia +achroiocythemia +achroite +achroma +achromacyte +achromasia +achromat +achromat- +achromate +Achromatiaceae +achromatic +achromatically +achromaticity +achromatin +achromatinic +achromatisation +achromatise +achromatised +achromatising +achromatism +Achromatium +achromatizable +achromatization +achromatize +achromatized +achromatizing +achromatocyte +achromatolysis +achromatope +achromatophil +achromatophile +achromatophilia +achromatophilic +achromatopia +achromatopsy +achromatopsia +achromatosis +achromatous +achromats +achromaturia +achromia +achromic +Achromycin +Achromobacter +Achromobacterieae +achromoderma +achromophilous +achromotrichia +achromous +achronical +achronychous +achronism +achroo- +achroodextrin +achroodextrinase +achroous +achropsia +Achsah +achtehalber +achtel +achtelthaler +achter +achterveld +Achuas +achuete +acy +acyanoblepsia +acyanopsia +acichlorid +acichloride +acyclic +acyclically +acicula +aciculae +acicular +acicularity +acicularly +aciculas +aciculate +aciculated +aciculum +aciculums +acid +acidaemia +Acidalium +Acidanthera +Acidaspis +acid-binding +acidemia +acidemias +acider +acid-fast +acid-fastness +acid-forming +acidhead +acid-head +acidheads +acidy +acidic +acidiferous +acidify +acidifiable +acidifiant +acidific +acidification +acidified +acidifier +acidifiers +acidifies +acidifying +acidyl +acidimeter +acidimetry +acidimetric +acidimetrical +acidimetrically +acidite +acidity +acidities +acidize +acidized +acidizing +acidly +acidness +acidnesses +acidogenic +acidoid +acidolysis +acidology +acidometer +acidometry +acidophil +acidophile +acidophilic +acidophilous +acidophilus +acidoproteolytic +acidoses +acidosis +acidosteophyte +acidotic +acidproof +acids +acid-treat +acidulant +acidulate +acidulated +acidulates +acidulating +acidulation +acidulent +acidulous +acidulously +acidulousness +aciduria +acidurias +aciduric +Acie +acier +acierage +Acieral +acierate +acierated +acierates +acierating +acieration +acies +acyesis +acyetic +aciform +acyl +acylal +acylamido +acylamidobenzene +acylamino +acylase +acylate +acylated +acylates +acylating +acylation +aciliate +aciliated +Acilius +acylogen +acyloin +acyloins +acyloxy +acyloxymethane +acyls +Acima +acinaceous +acinaces +acinacifoliate +acinacifolious +acinaciform +acinacious +acinacity +acinar +acinary +acinarious +Acineta +Acinetae +acinetan +Acinetaria +acinetarian +acinetic +acinetiform +Acinetina +acinetinan +acing +acini +acinic +aciniform +acinose +acinotubular +acinous +acinuni +acinus +acious +Acipenser +Acipenseres +acipenserid +Acipenseridae +acipenserine +acipenseroid +Acipenseroidei +acyrology +acyrological +Acis +acystia +acitate +acity +aciurgy +ACK +ack-ack +ackee +ackees +ackey +ackeys +Acker +Ackerley +Ackerly +Ackerman +Ackermanville +Ackley +Ackler +ackman +ackmen +acknew +acknow +acknowing +acknowledge +acknowledgeable +acknowledged +acknowledgedly +acknowledgement +acknowledgements +acknowledger +acknowledgers +acknowledges +acknowledging +acknowledgment +acknowledgments +acknowledgment's +acknown +ack-pirate +ackton +Ackworth +ACL +aclastic +acle +acleidian +acleistocardia +acleistous +Aclemon +aclydes +aclidian +aclinal +aclinic +aclys +a-clock +acloud +ACLS +ACLU +ACM +Acmaea +Acmaeidae +acmaesthesia +acmatic +acme +acmes +acmesthesia +acmic +Acmispon +acmite +Acmon +acne +acned +acneform +acneiform +acnemia +acnes +Acnida +acnodal +acnode +acnodes +ACO +acoasm +acoasma +a-coast +Acocanthera +acocantherin +acock +acockbill +a-cock-bill +a-cock-horse +acocotl +Acoela +Acoelomata +acoelomate +acoelomatous +Acoelomi +acoelomous +acoelous +Acoemetae +Acoemeti +Acoemetic +acoenaesthesia +ACOF +acoin +acoine +Acol +Acolapissa +acold +Acolhua +Acolhuan +acolyctine +acolyte +acolytes +acolyth +acolythate +acolytus +acology +acologic +acolous +acoluthic +Acoma +acomia +acomous +a-compass +aconative +Aconcagua +acondylose +acondylous +acone +aconelline +aconic +aconin +aconine +aconital +aconite +aconites +aconitia +aconitic +aconitin +aconitine +Aconitum +aconitums +acontia +Acontias +acontium +Acontius +aconuresis +acool +acop +acopic +acopyrin +acopyrine +acopon +acor +acorea +acoria +acorn +acorned +acorns +acorn's +acorn-shell +Acorus +acosmic +acosmism +acosmist +acosmistic +acost +Acosta +acotyledon +acotyledonous +acouasm +acouchi +acouchy +acoumeter +acoumetry +acounter +acouometer +acouophonia +acoup +acoupa +acoupe +acousma +acousmas +acousmata +acousmatic +acoustic +acoustical +acoustically +acoustician +acoustico- +acousticolateral +Acousticon +acousticophobia +acoustics +acoustoelectric +ACP +acpt +acpt. +Acquah +acquaint +acquaintance +acquaintances +acquaintance's +acquaintanceship +acquaintanceships +acquaintancy +acquaintant +acquainted +acquaintedness +acquainting +acquaints +Acquaviva +acquent +acquereur +acquest +acquests +acquiesce +acquiesced +acquiescement +acquiescence +acquiescences +acquiescency +acquiescent +acquiescently +acquiescer +acquiesces +acquiescing +acquiescingly +acquiesence +acquiet +acquirability +acquirable +acquire +acquired +acquirement +acquirements +acquirenda +acquirer +acquirers +acquires +acquiring +acquisible +acquisita +acquisite +acquisited +acquisition +acquisitional +acquisitions +acquisition's +acquisitive +acquisitively +acquisitiveness +acquisitor +acquisitum +acquist +acquit +acquital +acquitment +acquits +acquittal +acquittals +acquittance +acquitted +acquitter +acquitting +acquophonia +acr- +Acra +Acrab +acracy +Acraea +acraein +Acraeinae +acraldehyde +Acrania +acranial +acraniate +acrasy +acrasia +Acrasiaceae +Acrasiales +acrasias +Acrasida +Acrasieae +acrasin +acrasins +Acraspeda +acraspedote +acratia +acraturesis +acrawl +acraze +Acre +acreable +acreage +acreages +acreak +acream +acred +acre-dale +Acredula +acre-foot +acre-inch +acreman +acremen +Acres +acre's +acrestaff +a-cry +acrid +acridan +acridane +acrider +acridest +acridian +acridic +acridid +Acrididae +Acridiidae +acridyl +acridin +acridine +acridines +acridinic +acridinium +acridity +acridities +Acridium +Acrydium +acridly +acridness +acridnesses +acridone +acridonium +acridophagus +acriflavin +acriflavine +acryl +acrylaldehyde +Acrilan +acrylate +acrylates +acrylic +acrylics +acrylyl +acrylonitrile +acrimony +acrimonies +acrimonious +acrimoniously +acrimoniousness +acrindolin +acrindoline +acrinyl +acrisy +acrisia +Acrisius +Acrita +acritan +acrite +acrity +acritical +acritochromacy +acritol +acritude +ACRNEMA +acro- +Acroa +acroaesthesia +acroama +acroamata +acroamatic +acroamatical +acroamatics +acroanesthesia +acroarthritis +acroasis +acroasphyxia +acroataxia +acroatic +acrobacy +acrobacies +acrobat +Acrobates +acrobatholithic +acrobatic +acrobatical +acrobatically +acrobatics +acrobatism +acrobats +acrobat's +acrobystitis +acroblast +acrobryous +Acrocarpi +acrocarpous +acrocentric +acrocephaly +acrocephalia +acrocephalic +acrocephalous +Acrocera +Acroceratidae +Acroceraunian +Acroceridae +Acrochordidae +Acrochordinae +acrochordon +acrocyanosis +acrocyst +acrock +Acroclinium +Acrocomia +acroconidium +acrocontracture +acrocoracoid +Acrocorinth +acrodactyla +acrodactylum +acrodermatitis +acrodynia +acrodont +acrodontism +acrodonts +acrodrome +acrodromous +Acrodus +acroesthesia +acrogamy +acrogamous +acrogen +acrogenic +acrogenous +acrogenously +acrogens +Acrogynae +acrogynous +acrography +acrolein +acroleins +acrolith +acrolithan +acrolithic +acroliths +acrology +acrologic +acrologically +acrologies +acrologism +acrologue +acromania +acromastitis +acromegaly +acromegalia +acromegalic +acromegalies +acromelalgia +acrometer +acromia +acromial +acromicria +acromimia +acromioclavicular +acromiocoracoid +acromiodeltoid +Acromyodi +acromyodian +acromyodic +acromyodous +acromiohyoid +acromiohumeral +acromion +acromioscapular +acromiosternal +acromiothoracic +acromyotonia +acromyotonus +acromonogrammatic +acromphalus +acron +acronal +acronarcotic +acroneurosis +acronic +acronyc +acronical +acronycal +acronically +acronycally +acronych +acronichal +acronychal +acronichally +acronychally +acronychous +Acronycta +acronyctous +acronym +acronymic +acronymically +acronymize +acronymized +acronymizing +acronymous +acronyms +acronym's +acronyx +acronomy +acrook +acroparalysis +acroparesthesia +acropathy +acropathology +acropetal +acropetally +acrophobia +acrophonetic +acrophony +acrophonic +acrophonically +acrophonies +acropodia +acropodium +acropoleis +Acropolis +acropolises +acropolitan +Acropora +acropore +acrorhagus +acrorrheuma +acrosarc +acrosarca +acrosarcum +acroscleriasis +acroscleroderma +acroscopic +acrose +acrosome +acrosomes +acrosphacelus +acrospire +acrospired +acrospiring +acrospore +acrosporous +across +across-the-board +acrostic +acrostical +acrostically +acrostichal +Acrosticheae +acrostichic +acrostichoid +Acrostichum +acrosticism +acrostics +acrostolia +acrostolion +acrostolium +acrotarsial +acrotarsium +acroteleutic +acroter +acroteral +acroteria +acroterial +acroteric +acroterion +acroterium +acroterteria +Acrothoracica +acrotic +acrotism +acrotisms +acrotomous +Acrotreta +Acrotretidae +acrotrophic +acrotrophoneurosis +Acrux +ACRV +ACS +ACSE +ACSNET +ACSU +ACT +Acta +actability +actable +Actaea +Actaeaceae +Actaeon +Actaeonidae +acted +actg +actg. +ACTH +Actiad +Actian +actify +actification +actifier +actin +actin- +actinal +actinally +actinautography +actinautographic +actine +actinenchyma +acting +acting-out +actings +Actinia +actiniae +actinian +actinians +Actiniaria +actiniarian +actinias +actinic +actinical +actinically +actinide +actinides +Actinidia +Actinidiaceae +actiniferous +actiniform +actinine +actiniochrome +actiniohematin +Actiniomorpha +actinism +actinisms +Actinistia +actinium +actiniums +actino- +actinobaccilli +actinobacilli +actinobacillosis +actinobacillotic +Actinobacillus +actinoblast +actinobranch +actinobranchia +actinocarp +actinocarpic +actinocarpous +actinochemical +actinochemistry +actinocrinid +Actinocrinidae +actinocrinite +Actinocrinus +actinocutitis +actinodermatitis +actinodielectric +actinodrome +actinodromous +actinoelectric +actinoelectrically +actinoelectricity +actinogonidiate +actinogram +actinograph +actinography +actinographic +actinoid +Actinoida +Actinoidea +actinoids +actinolite +actinolitic +actinology +actinologous +actinologue +actinomere +actinomeric +actinometer +actinometers +actinometry +actinometric +actinometrical +actinometricy +Actinomyces +actinomycese +actinomycesous +actinomycestal +Actinomycetaceae +actinomycetal +Actinomycetales +actinomycete +actinomycetous +actinomycin +actinomycoma +actinomycosis +actinomycosistic +actinomycotic +Actinomyxidia +Actinomyxidiida +actinomorphy +actinomorphic +actinomorphous +actinon +Actinonema +actinoneuritis +actinons +actinophone +actinophonic +actinophore +actinophorous +actinophryan +Actinophrys +actinopod +Actinopoda +actinopraxis +actinopteran +Actinopteri +actinopterygian +Actinopterygii +actinopterygious +actinopterous +actinoscopy +actinosoma +actinosome +Actinosphaerium +actinost +actinostereoscopy +actinostomal +actinostome +actinotherapeutic +actinotherapeutics +actinotherapy +actinotoxemia +actinotrichium +actinotrocha +actinouranium +Actinozoa +actinozoal +actinozoan +actinozoon +actins +actinula +actinulae +action +actionability +actionable +actionably +actional +actionary +actioner +actiones +actionist +actionize +actionized +actionizing +actionless +actions +action's +action-taking +actious +Actipylea +Actis +Actium +activable +activate +activated +activates +activating +activation +activations +activator +activators +activator's +active +active-bodied +actively +active-limbed +active-minded +activeness +actives +activin +activism +activisms +activist +activistic +activists +activist's +activital +activity +activities +activity's +activize +activized +activizing +actless +actomyosin +Acton +Actor +actory +Actoridae +actorish +actor-manager +actor-proof +actors +actor's +actorship +actos +ACTPU +actress +actresses +actressy +actress's +ACTS +ACTU +actual +actualisation +actualise +actualised +actualising +actualism +actualist +actualistic +actuality +actualities +actualization +actualizations +actualize +actualized +actualizes +actualizing +actually +actualness +actuals +actuary +actuarial +actuarially +actuarian +actuaries +actuaryship +actuate +actuated +actuates +actuating +actuation +actuator +actuators +actuator's +actuose +ACTUP +acture +acturience +actus +actutate +act-wait +ACU +acuaesthesia +Acuan +acuate +acuating +acuation +Acubens +acuchi +acuclosure +acuductor +acuerdo +acuerdos +acuesthesia +acuity +acuities +aculea +aculeae +Aculeata +aculeate +aculeated +aculei +aculeiform +aculeolate +aculeolus +aculeus +acumble +acumen +acumens +acuminate +acuminated +acuminating +acumination +acuminose +acuminous +acuminulate +acupress +acupressure +acupunctuate +acupunctuation +acupuncturation +acupuncturator +acupuncture +acupunctured +acupunctures +acupuncturing +acupuncturist +acupuncturists +acurative +Acus +acusection +acusector +acushla +Acushnet +acustom +acutance +acutances +acutangular +acutate +acute +acute-angled +acutely +acutenaculum +acuteness +acutenesses +acuter +acutes +acutest +acuti- +acutiator +acutifoliate +Acutilinguae +acutilingual +acutilobate +acutiplantar +acutish +acuto- +acutograve +acutonodose +acutorsion +ACV +ACW +ACWA +Acworth +ACWP +acxoyatl +ad +ad- +ADA +Adabel +Adabelle +Adachi +adactyl +adactylia +adactylism +adactylous +Adad +adage +adages +adagy +adagial +adagietto +adagiettos +adagio +adagios +adagissimo +Adah +Adaha +Adai +Aday +A-day +Adaiha +Adair +Adairsville +Adairville +adays +Adaize +Adal +Adala +Adalai +Adalard +adalat +Adalbert +Adalheid +Adali +Adalia +Adaliah +adalid +Adalie +Adaline +Adall +Adallard +Adam +Adama +adamance +adamances +adamancy +adamancies +Adam-and-Eve +adamant +adamantean +adamantine +adamantinoma +adamantly +adamantlies +adamantness +adamantoblast +adamantoblastoma +adamantoid +adamantoma +adamants +Adamas +Adamastor +Adamawa +Adamawa-Eastern +adambulacral +Adamec +Adamek +adamellite +Adamello +Adamhood +Adamic +Adamical +Adamically +Adamik +Adamina +Adaminah +adamine +Adamis +Adamite +Adamitic +Adamitical +Adamitism +Adamo +Adamok +Adams +Adamsbasin +Adamsburg +Adamsen +Adamsia +adamsite +adamsites +Adamski +Adam's-needle +Adamson +Adamstown +Adamsun +Adamsville +Adan +Adana +adance +a-dance +adangle +a-dangle +Adansonia +Adao +Adapa +adapid +Adapis +adapt +adaptability +adaptabilities +adaptable +adaptableness +adaptably +adaptation +adaptational +adaptationally +adaptations +adaptation's +adaptative +adapted +adaptedness +adapter +adapters +adapting +adaption +adaptional +adaptionism +adaptions +adaptitude +adaptive +adaptively +adaptiveness +adaptivity +adaptometer +adaptor +adaptorial +adaptors +adapts +Adar +Adara +adarbitrium +adarme +adarticulation +adat +adati +adaty +adatis +adatom +adaunt +Adaurd +adaw +adawe +adawlut +adawn +adaxial +adazzle +ADB +ADC +ADCCP +ADCI +adcon +adcons +adcraft +ADD +add. +Adda +addability +addable +add-add +Addam +Addams +addax +addaxes +ADDCP +addda +addebted +added +addedly +addeem +addend +addenda +addends +addendum +addendums +adder +adderbolt +adderfish +adders +adder's-grass +adder's-meat +adder's-mouth +adder's-mouths +adderspit +adders-tongue +adder's-tongue +adderwort +Addi +Addy +Addia +addibility +addible +addice +addicent +addict +addicted +addictedness +addicting +addiction +addictions +addiction's +addictive +addictively +addictiveness +addictives +addicts +Addie +Addiego +Addiel +Addieville +addiment +adding +Addington +addio +Addis +Addison +Addisonian +Addisoniana +Addyston +addita +additament +additamentary +additiment +addition +additional +additionally +additionary +additionist +additions +addition's +addititious +additive +additively +additives +additive's +additivity +additory +additum +additur +addle +addlebrain +addlebrained +addled +addlehead +addleheaded +addleheadedly +addleheadedness +addlement +addleness +addlepate +addlepated +addlepatedness +addleplot +addles +addling +addlings +addlins +addn +addnl +addoom +addorsed +addossed +addr +address +addressability +addressable +addressed +addressee +addressees +addressee's +addresser +addressers +addresses +addressful +addressing +Addressograph +addressor +addrest +adds +Addu +adduce +adduceable +adduced +adducent +adducer +adducers +adduces +adducible +adducing +adduct +adducted +adducting +adduction +adductive +adductor +adductors +adducts +addulce +ade +adead +a-dead +Adebayo +Adee +adeem +adeemed +adeeming +adeems +adeep +a-deep +Adey +Adel +Adela +Adelaida +Adelaide +Adelaja +adelantado +adelantados +adelante +Adelanto +Adelarthra +Adelarthrosomata +adelarthrosomatous +adelaster +Adelbert +Adele +Adelea +Adeleidae +Adelges +Adelheid +Adelia +Adelice +Adelina +Adelind +Adeline +adeling +adelite +Adeliza +Adell +Adella +Adelle +adelocerous +Adelochorda +adelocodonic +adelomorphic +adelomorphous +adelopod +Adelops +Adelphe +Adelphi +adelphia +Adelphian +adelphic +Adelpho +adelphogamy +Adelphoi +adelpholite +adelphophagy +adelphous +Adelric +ademonist +adempt +adempted +ademption +Aden +aden- +Adena +adenalgy +adenalgia +Adenanthera +adenase +adenasthenia +Adenauer +adendric +adendritic +adenectomy +adenectomies +adenectopia +adenectopic +adenemphractic +adenemphraxis +adenia +adeniform +adenyl +adenylic +adenylpyrophosphate +adenyls +adenin +adenine +adenines +adenitis +adenitises +adenization +adeno- +adenoacanthoma +adenoblast +adenocancroid +adenocarcinoma +adenocarcinomas +adenocarcinomata +adenocarcinomatous +adenocele +adenocellulitis +adenochondroma +adenochondrosarcoma +adenochrome +adenocyst +adenocystoma +adenocystomatous +adenodermia +adenodiastasis +adenodynia +adenofibroma +adenofibrosis +adenogenesis +adenogenous +adenographer +adenography +adenographic +adenographical +adenohypersthenia +adenohypophyseal +adenohypophysial +adenohypophysis +adenoid +adenoidal +adenoidectomy +adenoidectomies +adenoidism +adenoiditis +adenoids +adenolymphocele +adenolymphoma +adenoliomyofibroma +adenolipoma +adenolipomatosis +adenologaditis +adenology +adenological +adenoma +adenomalacia +adenomas +adenomata +adenomatome +adenomatous +adenomeningeal +adenometritis +adenomycosis +adenomyofibroma +adenomyoma +adenomyxoma +adenomyxosarcoma +adenoncus +adenoneural +adenoneure +adenopathy +adenopharyngeal +adenopharyngitis +adenophyllous +adenophyma +adenophlegmon +Adenophora +adenophore +adenophoreus +adenophorous +adenophthalmia +adenopodous +adenosarcoma +adenosarcomas +adenosarcomata +adenosclerosis +adenose +adenoses +adenosine +adenosis +adenostemonous +Adenostoma +adenotyphoid +adenotyphus +adenotome +adenotomy +adenotomic +adenous +adenoviral +adenovirus +adenoviruses +Adeodatus +Adeona +Adephaga +adephagan +adephagia +adephagous +adeps +adept +adepter +adeptest +adeption +adeptly +adeptness +adeptnesses +adepts +adeptship +adequacy +adequacies +adequate +adequately +adequateness +adequation +adequative +Ader +adermia +adermin +adermine +adesmy +adespota +adespoton +Adessenarian +adessive +Adest +adeste +adet +adeuism +adevism +ADEW +ADF +adfected +adffroze +adffrozen +adfiliate +adfix +adfluxion +adfreeze +adfreezing +ADFRF +adfroze +adfrozen +Adger +adglutinate +Adhafera +adhaka +Adham +adhamant +Adhamh +Adhara +adharma +adherant +adhere +adhered +adherence +adherences +adherency +adherend +adherends +adherent +adherently +adherents +adherent's +adherer +adherers +adheres +adherescence +adherescent +adhering +Adhern +adhesion +adhesional +adhesions +adhesive +adhesively +adhesivemeter +adhesiveness +adhesives +adhesive's +adhibit +adhibited +adhibiting +adhibition +adhibits +adhocracy +adhort +ADI +ady +adiabat +adiabatic +adiabatically +adiabolist +adiactinic +adiadochokinesia +adiadochokinesis +adiadokokinesi +adiadokokinesia +adiagnostic +adiamorphic +adiamorphism +Adiana +adiantiform +Adiantum +adiaphanous +adiaphanousness +adiaphon +adiaphonon +adiaphora +adiaphoral +adiaphoresis +adiaphoretic +adiaphory +adiaphorism +adiaphorist +adiaphoristic +adiaphorite +adiaphoron +adiaphorous +adiapneustia +adiate +adiated +adiathermal +adiathermancy +adiathermanous +adiathermic +adiathetic +adiating +adiation +Adib +adibasi +Adi-buddha +Adicea +adicity +Adie +Adiel +Adiell +adience +adient +adieu +adieus +adieux +Adige +Adyge +Adigei +Adygei +Adighe +Adyghe +adight +Adigranth +Adigun +Adila +Adim +Adin +Adina +adynamy +adynamia +adynamias +adynamic +Adine +Adinida +adinidan +adinole +adinvention +adion +adios +adipate +adipescent +adiphenine +adipic +adipyl +adipinic +adipocele +adipocellulose +adipocere +adipoceriform +adipocerite +adipocerous +adipocyte +adipofibroma +adipogenic +adipogenous +adipoid +adipolysis +adipolytic +adipoma +adipomata +adipomatous +adipometer +adiponitrile +adipopectic +adipopexia +adipopexic +adipopexis +adipose +adiposeness +adiposes +adiposis +adiposity +adiposities +adiposogenital +adiposuria +adipous +adipsy +adipsia +adipsic +adipsous +Adirondack +Adirondacks +Adis +adit +adyta +adital +Aditya +aditio +adyton +adits +adytta +adytum +aditus +Adivasi +ADIZ +adj +adj. +adjacence +adjacency +adjacencies +adjacent +adjacently +adjag +adject +adjection +adjectional +adjectitious +adjectival +adjectivally +adjective +adjectively +adjectives +adjective's +adjectivism +adjectivitis +adjiga +adjiger +adjoin +adjoinant +adjoined +adjoinedly +adjoiner +adjoining +adjoiningness +adjoins +adjoint +adjoints +adjourn +adjournal +adjourned +adjourning +adjournment +adjournments +adjourns +adjoust +adjt +adjt. +adjudge +adjudgeable +adjudged +adjudger +adjudges +adjudging +adjudgment +adjudicata +adjudicate +adjudicated +adjudicates +adjudicating +adjudication +adjudications +adjudication's +adjudicative +adjudicator +adjudicatory +adjudicators +adjudicature +adjugate +adjument +adjunct +adjunction +adjunctive +adjunctively +adjunctly +adjuncts +adjunct's +Adjuntas +adjuration +adjurations +adjuratory +adjure +adjured +adjurer +adjurers +adjures +adjuring +adjuror +adjurors +adjust +adjustability +adjustable +adjustable-pitch +adjustably +adjustage +adjustation +adjusted +adjuster +adjusters +adjusting +adjustive +adjustment +adjustmental +adjustments +adjustment's +adjustor +adjustores +adjustoring +adjustors +adjustor's +adjusts +adjutage +adjutancy +adjutancies +adjutant +adjutant-general +adjutants +adjutantship +adjutator +adjute +adjutor +adjutory +adjutorious +adjutrice +adjutrix +adjuvant +adjuvants +adjuvate +Adkins +Adlai +Adlay +Adlar +Adlare +Adlee +adlegation +adlegiare +Adlei +Adley +Adler +Adlerian +adless +adlet +ad-lib +ad-libbed +ad-libber +ad-libbing +Adlumia +adlumidin +adlumidine +adlumin +adlumine +ADM +Adm. +Admah +adman +admarginate +admass +admaxillary +ADMD +admeasure +admeasured +admeasurement +admeasurer +admeasuring +admedial +admedian +admen +admensuration +admerveylle +Admete +Admetus +admi +admin +adminicle +adminicula +adminicular +adminiculary +adminiculate +adminiculation +adminiculum +administer +administerd +administered +administerial +administering +administerings +administers +administrable +administrant +administrants +administrate +administrated +administrates +administrating +administration +administrational +administrationist +administrations +administration's +administrative +administratively +administrator +administrators +administrator's +administratorship +administratress +administratrices +administratrix +adminstration +adminstrations +admirability +admirable +admirableness +admirably +Admiral +admirals +admiral's +admiralship +admiralships +admiralty +Admiralties +admirance +admiration +admirations +admirative +admiratively +admirator +admire +admired +admiredly +admirer +admirers +admires +admiring +admiringly +admissability +admissable +admissibility +admissibilities +admissible +admissibleness +admissibly +admission +admissions +admission's +admissive +admissively +admissory +admit +admits +admittable +admittance +admittances +admittatur +admitted +admittedly +admittee +admitter +admitters +admitty +admittible +admitting +admix +admixed +admixes +admixing +admixt +admixtion +admixture +admixtures +admonish +admonished +admonisher +admonishes +admonishing +admonishingly +admonishment +admonishments +admonishment's +admonition +admonitioner +admonitionist +admonitions +admonition's +admonitive +admonitively +admonitor +admonitory +admonitorial +admonitorily +admonitrix +admortization +admov +admove +admrx +ADN +Adna +Adnah +Adnan +adnascence +adnascent +adnate +adnation +adnations +Adne +adnephrine +adnerval +adnescent +adneural +adnex +adnexa +adnexal +adnexed +adnexitis +adnexopexy +adnominal +adnominally +adnomination +Adnopoz +adnoun +adnouns +adnumber +ado +adobe +adobes +adobo +adobos +adod +adolesce +adolesced +adolescence +adolescences +adolescency +adolescent +adolescently +adolescents +adolescent's +adolescing +Adolf +Adolfo +Adolph +Adolphe +Adolpho +Adolphus +Adon +Adona +Adonai +Adonais +Adonean +Adonia +Adoniad +Adonian +Adonias +Adonic +Adonica +adonidin +Adonijah +adonin +Adoniram +Adonis +adonises +adonist +adonite +adonitol +adonize +adonized +adonizing +Adonoy +adoors +a-doors +adoperate +adoperation +adopt +adoptability +adoptabilities +adoptable +adoptant +adoptative +adopted +adoptedly +adoptee +adoptees +adopter +adopters +adoptian +adoptianism +adoptianist +adopting +adoption +adoptional +adoptionism +adoptionist +adoptions +adoption's +adoptious +adoptive +adoptively +adopts +ador +Adora +adorability +adorable +adorableness +adorably +adoral +adorally +adorant +Adorantes +adoration +adorations +adoratory +Adore +adored +Adoree +adorer +adorers +adores +Adoretus +adoring +adoringly +Adorl +adorn +adornation +Adorne +adorned +adorner +adorners +adorning +adorningly +adornment +adornments +adornment's +adorno +adornos +adorns +adorsed +ados +adosculation +adossed +adossee +Adoula +adoulie +Adowa +adown +Adoxa +Adoxaceae +adoxaceous +adoxy +adoxies +adoxography +adoze +ADP +adp- +adpao +ADPCM +adposition +adpress +adpromission +adpromissor +adq- +adrad +adradial +adradially +adradius +Adramelech +Adrammelech +Adrastea +Adrastos +Adrastus +Adrea +adread +adream +adreamed +adreamt +adrectal +Adrell +adren- +adrenal +adrenalcortical +adrenalectomy +adrenalectomies +adrenalectomize +adrenalectomized +adrenalectomizing +Adrenalin +adrenaline +adrenalize +adrenally +adrenalone +adrenals +adrench +adrenergic +adrenin +adrenine +adrenitis +adreno +adrenochrome +adrenocortical +adrenocorticosteroid +adrenocorticotrophic +adrenocorticotrophin +adrenocorticotropic +adrenolysis +adrenolytic +adrenomedullary +adrenosterone +adrenotrophin +adrenotropic +adrent +Adrestus +adret +adry +Adria +Adriaen +Adriaens +Adrial +adriamycin +Adrian +Adriana +Adriane +Adrianna +Adrianne +Adriano +Adrianople +Adrianopolis +Adriatic +Adriel +Adriell +Adrien +Adriena +Adriene +Adrienne +adrift +adrip +adrogate +adroit +adroiter +adroitest +adroitly +adroitness +adroitnesses +Adron +adroop +adrop +adrostal +adrostral +adrowse +adrue +ADS +adsbud +adscendent +adscititious +adscititiously +adscript +adscripted +adscription +adscriptitious +adscriptitius +adscriptive +adscripts +adsessor +adsheart +adsignify +adsignification +adsmith +adsmithing +adsorb +adsorbability +adsorbable +adsorbate +adsorbates +adsorbed +adsorbent +adsorbents +adsorbing +adsorbs +adsorption +adsorptive +adsorptively +adsorptiveness +ADSP +adspiration +ADSR +adstipulate +adstipulated +adstipulating +adstipulation +adstipulator +adstrict +adstringe +adsum +ADT +adterminal +adtevac +aduana +adular +adularescence +adularescent +adularia +adularias +adulate +adulated +adulates +adulating +adulation +adulator +adulatory +adulators +adulatress +adulce +Adullam +Adullamite +adult +adulter +adulterant +adulterants +adulterate +adulterated +adulterately +adulterateness +adulterates +adulterating +adulteration +adulterations +adulterator +adulterators +adulterer +adulterers +adulterer's +adulteress +adulteresses +adultery +adulteries +adulterine +adulterize +adulterous +adulterously +adulterousness +adulthood +adulthoods +adulticidal +adulticide +adultly +adultlike +adultness +adultoid +adultress +adults +adult's +adumbral +adumbrant +adumbrate +adumbrated +adumbrates +adumbrating +adumbration +adumbrations +adumbrative +adumbratively +adumbrellar +adunation +adunc +aduncate +aduncated +aduncity +aduncous +Adur +adure +adurent +Adurol +adusk +adust +adustion +adustiosis +adustive +Aduwa +adv +adv. +Advaita +advance +advanceable +advanced +advancedness +advancement +advancements +advancement's +advancer +advancers +advances +advancing +advancingly +advancive +advantage +advantaged +advantageous +advantageously +advantageousness +advantages +advantaging +advect +advected +advecting +advection +advectitious +advective +advects +advehent +advena +advenae +advene +advenience +advenient +Advent +advential +Adventism +Adventist +adventists +adventitia +adventitial +adventitious +adventitiously +adventitiousness +adventitiousnesses +adventive +adventively +adventry +advents +adventual +adventure +adventured +adventureful +adventurement +adventurer +adventurers +adventures +adventureship +adventuresome +adventuresomely +adventuresomeness +adventuresomes +adventuress +adventuresses +adventuring +adventurish +adventurism +adventurist +adventuristic +adventurous +adventurously +adventurousness +adverb +adverbial +adverbiality +adverbialize +adverbially +adverbiation +adverbless +adverbs +adverb's +adversa +adversant +adversary +adversaria +adversarial +adversaries +adversariness +adversarious +adversary's +adversative +adversatively +adverse +adversed +adversely +adverseness +adversifoliate +adversifolious +adversing +adversion +adversity +adversities +adversive +adversus +advert +adverted +advertence +advertency +advertent +advertently +adverting +advertisable +advertise +advertised +advertisee +advertisement +advertisements +advertisement's +advertiser +advertisers +advertises +advertising +advertisings +advertizable +advertize +advertized +advertizement +advertizer +advertizes +advertizing +adverts +advice +adviceful +advices +advisability +advisabilities +advisable +advisableness +advisably +advisal +advisatory +advise +advised +advisedly +advisedness +advisee +advisees +advisee's +advisement +advisements +adviser +advisers +advisership +advises +advisy +advising +advisive +advisiveness +adviso +advisor +advisory +advisories +advisorily +advisors +advisor's +advitant +advocaat +advocacy +advocacies +advocate +advocated +advocates +advocateship +advocatess +advocating +advocation +advocative +advocator +advocatory +advocatress +advocatrice +advocatrix +advoyer +advoke +advolution +advoteresse +advowee +advowry +advowsance +advowson +advowsons +advt +advt. +adward +adwesch +adz +adze +adzer +adzes +Adzharia +Adzharistan +adzooks +ae +ae- +ae. +AEA +Aeacidae +Aeacides +Aeacus +Aeaea +Aeaean +AEC +Aechmagoras +Aechmophorus +aecia +aecial +aecidia +Aecidiaceae +aecidial +aecidioform +Aecidiomycetes +aecidiospore +aecidiostage +aecidium +aeciospore +aeciostage +aeciotelia +aecioteliospore +aeciotelium +aecium +aedeagal +aedeagi +aedeagus +aedegi +Aedes +aedicula +aediculae +aedicule +Aedilberct +aedile +aediles +aedileship +aedilian +aedilic +aedility +aedilitian +aedilities +aedine +aedoeagi +aedoeagus +aedoeology +Aedon +Aeetes +AEF +aefald +aefaldy +aefaldness +aefauld +Aegaeon +aegagri +aegagropila +aegagropilae +aegagropile +aegagropiles +aegagrus +Aegates +Aegean +aegemony +aeger +Aegeria +aegerian +aegeriid +Aegeriidae +Aegesta +Aegeus +Aegia +Aegiale +Aegialeus +Aegialia +Aegialitis +Aegicores +aegicrania +aegilops +Aegimius +Aegina +Aeginaea +Aeginetan +Aeginetic +Aegiochus +Aegipan +aegyptilla +Aegyptus +Aegir +aegirine +aegirinolite +aegirite +aegyrite +AEGIS +aegises +Aegisthus +Aegithalos +Aegithognathae +aegithognathism +aegithognathous +Aegium +Aegle +aegophony +Aegopodium +Aegospotami +aegritude +aegrotant +aegrotat +aeipathy +Aekerly +Aelber +Aelbert +Aella +Aello +aelodicon +aeluroid +Aeluroidea +aelurophobe +aelurophobia +aeluropodous +aemia +aenach +Aenea +aenean +Aeneas +Aeneid +Aeneolithic +aeneous +Aeneus +Aeniah +aenigma +aenigmatite +Aenius +Aenneea +aeolharmonica +Aeolia +Aeolian +Aeolic +Aeolicism +aeolid +Aeolidae +Aeolides +Aeolididae +aeolight +aeolina +aeoline +aeolipile +aeolipyle +Aeolis +Aeolism +Aeolist +aeolistic +aeolo- +aeolodicon +aeolodion +aeolomelodicon +aeolopantalon +aeolotropy +aeolotropic +aeolotropism +aeolsklavier +Aeolus +aeon +aeonial +aeonian +aeonic +aeonicaeonist +aeonist +aeons +Aepyceros +Aepyornis +Aepyornithidae +Aepyornithiformes +Aepytus +aeq +Aequi +Aequian +Aequiculi +Aequipalpia +aequor +aequoreal +aequorin +aequorins +aer +aer- +aerage +aeraria +aerarian +aerarium +aerate +aerated +aerates +aerating +aeration +aerations +aerator +aerators +aerenchyma +aerenterectasia +aery +aeri- +Aeria +aerial +aerialist +aerialists +aeriality +aerially +aerialness +aerials +aerial's +aeric +aerical +Aerides +aerie +aeried +Aeriel +Aeriela +Aeriell +aerier +aeries +aeriest +aerifaction +aeriferous +aerify +aerification +aerified +aerifies +aerifying +aeriform +aerily +aeriness +aero +aero- +aeroacoustic +Aerobacter +aerobacteriology +aerobacteriological +aerobacteriologically +aerobacteriologist +aerobacters +aeroballistic +aeroballistics +aerobate +aerobated +aerobatic +aerobatics +aerobating +aerobe +aerobee +aerobes +aerobia +aerobian +aerobic +aerobically +aerobics +aerobiology +aerobiologic +aerobiological +aerobiologically +aerobiologist +aerobion +aerobiont +aerobioscope +aerobiosis +aerobiotic +aerobiotically +aerobious +aerobium +aeroboat +Aerobranchia +aerobranchiate +aerobus +aerocamera +aerocar +aerocartograph +aerocartography +Aerocharidae +aerocyst +aerocolpos +aerocraft +aerocurve +aerodermectasia +aerodynamic +aerodynamical +aerodynamically +aerodynamicist +aerodynamics +aerodyne +aerodynes +aerodone +aerodonetic +aerodonetics +aerodontalgia +aerodontia +aerodontic +aerodrome +aerodromes +aerodromics +aeroduct +aeroducts +aeroelastic +aeroelasticity +aeroelastics +aeroembolism +aeroenterectasia +Aeroflot +aerofoil +aerofoils +aerogel +aerogels +aerogen +aerogene +aerogenes +aerogenesis +aerogenic +aerogenically +aerogenous +aerogeography +aerogeology +aerogeologist +aerognosy +aerogram +aerogramme +aerograms +aerograph +aerographer +aerography +aerographic +aerographical +aerographics +aerographies +aerogun +aerohydrodynamic +aerohydropathy +aerohydroplane +aerohydrotherapy +aerohydrous +aeroyacht +aeroides +Aerojet +Aerol +aerolite +aerolites +aerolith +aerolithology +aeroliths +aerolitic +aerolitics +aerology +aerologic +aerological +aerologies +aerologist +aerologists +aeromaechanic +aeromagnetic +aeromancer +aeromancy +aeromantic +aeromarine +aeromechanic +aeromechanical +aeromechanics +aeromedical +aeromedicine +aerometeorograph +aerometer +aerometry +aerometric +aeromotor +aeron +aeron. +aeronat +aeronaut +aeronautic +aeronautical +aeronautically +aeronautics +aeronautism +aeronauts +aeronef +aeroneurosis +aeronomer +aeronomy +aeronomic +aeronomical +aeronomics +aeronomies +aeronomist +aero-otitis +aeropathy +aeropause +Aerope +aeroperitoneum +aeroperitonia +aerophagy +aerophagia +aerophagist +aerophane +aerophilately +aerophilatelic +aerophilatelist +aerophile +aerophilia +aerophilic +aerophilous +aerophysical +aerophysicist +aerophysics +aerophyte +aerophobia +aerophobic +aerophone +aerophor +aerophore +aerophoto +aerophotography +aerophotos +aeroplane +aeroplaner +aeroplanes +aeroplanist +aeroplankton +aeropleustic +aeroporotomy +aeropulse +aerosat +aerosats +aeroscepsy +aeroscepsis +aeroscope +aeroscopy +aeroscopic +aeroscopically +aerose +aerosiderite +aerosiderolite +aerosinusitis +Aerosol +aerosolization +aerosolize +aerosolized +aerosolizing +aerosols +aerospace +aerosphere +aerosporin +aerostat +aerostatic +aerostatical +aerostatics +aerostation +aerostats +aerosteam +aerotactic +aerotaxis +aerotechnical +aerotechnics +aerotherapeutics +aerotherapy +aerothermodynamic +aerothermodynamics +aerotonometer +aerotonometry +aerotonometric +aerotow +aerotropic +aerotropism +aeroview +aeruginous +aerugo +aerugos +AES +Aesacus +aesc +Aeschylean +Aeschylus +Aeschynanthus +Aeschines +aeschynite +Aeschynomene +aeschynomenous +Aesculaceae +aesculaceous +Aesculapian +Aesculapius +aesculetin +aesculin +Aesculus +Aesepus +Aeshma +Aesyetes +Aesir +Aesop +Aesopian +Aesopic +Aestatis +aestethic +aesthesia +aesthesics +aesthesio- +aesthesis +aesthesodic +aesthete +aesthetes +aesthetic +aesthetical +aesthetically +aesthetician +aestheticism +aestheticist +aestheticize +aesthetics +aesthetic's +aesthiology +aesthophysiology +aestho-physiology +Aestii +aestival +aestivate +aestivated +aestivates +aestivating +aestivation +aestivator +aestive +aestuary +aestuate +aestuation +aestuous +aesture +aestus +AET +aet. +aetat +aethalia +Aethalides +aethalioid +aethalium +Aethelbert +aetheling +aetheogam +aetheogamic +aetheogamous +aether +aethereal +aethered +Aetheria +aetheric +aethers +Aethylla +Aethionema +aethogen +aethon +Aethra +aethrioscope +Aethusa +Aetian +aetiogenic +aetiology +aetiological +aetiologically +aetiologies +aetiologist +aetiologue +aetiophyllin +aetiotropic +aetiotropically +aetites +Aetna +Aetobatidae +Aetobatus +Aetolia +Aetolian +Aetolus +Aetomorphae +aetosaur +aetosaurian +Aetosaurus +aettekees +AEU +aevia +aeviternal +aevum +AF +af- +Af. +AFA +aface +afaced +afacing +AFACTS +AFADS +afaint +AFAM +Afar +afara +afars +AFATDS +AFB +AFC +AFCAC +AFCC +afd +afdecho +afear +afeard +afeared +afebrile +Afenil +afer +afernan +afetal +aff +affa +affability +affabilities +affable +affableness +affably +affabrous +affair +affaire +affaires +affairs +affair's +affaite +affamish +affatuate +affect +affectability +affectable +affectate +affectation +affectationist +affectations +affectation's +affected +affectedly +affectedness +affecter +affecters +affectibility +affectible +affecting +affectingly +affection +affectional +affectionally +affectionate +affectionately +affectionateness +affectioned +affectionless +affections +affection's +affectious +affective +affectively +affectivity +affectless +affectlessness +affector +affects +affectual +affectum +affectuous +affectus +affeeble +affeer +affeerer +affeerment +affeeror +affeir +affenpinscher +affenspalte +Affer +affere +afferent +afferently +affettuoso +affettuosos +affy +affiance +affianced +affiancer +affiances +affiancing +affiant +affiants +affich +affiche +affiches +afficionado +affidare +affidation +affidavy +affydavy +affidavit +affidavits +affidavit's +affied +affies +affying +affile +affiliable +affiliate +affiliated +affiliates +affiliating +affiliation +affiliations +affinage +affinal +affination +affine +affined +affinely +affines +affing +affinitative +affinitatively +affinite +affinity +affinities +affinition +affinity's +affinitive +affirm +affirmable +affirmably +affirmance +affirmant +affirmation +affirmations +affirmation's +affirmative +affirmative-action +affirmatively +affirmativeness +affirmatives +affirmatory +affirmed +affirmer +affirmers +affirming +affirmingly +affirmly +affirms +affix +affixable +affixal +affixation +affixed +affixer +affixers +affixes +affixial +affixing +affixion +affixment +affixt +affixture +afflate +afflated +afflation +afflatus +afflatuses +afflict +afflicted +afflictedness +afflicter +afflicting +afflictingly +affliction +afflictionless +afflictions +affliction's +afflictive +afflictively +afflicts +affloof +afflue +affluence +affluences +affluency +affluent +affluently +affluentness +affluents +afflux +affluxes +affluxion +affodill +afforce +afforced +afforcement +afforcing +afford +affordable +afforded +affording +affords +afforest +afforestable +afforestation +afforestational +afforested +afforesting +afforestment +afforests +afformative +Affra +affray +affrayed +affrayer +affrayers +affraying +affrays +affranchise +affranchised +affranchisement +affranchising +affrap +affreight +affreighter +affreightment +affret +affrettando +affreux +Affrica +affricate +affricated +affricates +affrication +affricative +affriended +affright +affrighted +affrightedly +affrighter +affrightful +affrightfully +affrighting +affrightingly +affrightment +affrights +affront +affronte +affronted +affrontedly +affrontedness +affrontee +affronter +affronty +affronting +affrontingly +affrontingness +affrontive +affrontiveness +affrontment +affronts +afft +affuse +affusedaffusing +affusion +affusions +Afg +AFGE +Afgh +Afghan +afghanets +Afghani +afghanis +Afghanistan +afghans +afgod +AFI +afibrinogenemia +aficionada +aficionadas +aficionado +aficionados +afield +Afifi +afikomen +Afyon +AFIPS +afire +AFL +aflagellar +aflame +aflare +aflat +A-flat +aflatoxin +aflatus +aflaunt +AFLCIO +AFL-CIO +afley +Aflex +aflicker +a-flicker +aflight +afloat +aflow +aflower +afluking +aflush +aflutter +AFM +AFNOR +afoam +afocal +afoot +afore +afore-acted +afore-cited +afore-coming +afore-decried +afore-given +aforegoing +afore-going +afore-granted +aforehand +afore-heard +afore-known +aforementioned +afore-mentioned +aforenamed +afore-planned +afore-quoted +afore-running +aforesaid +afore-seeing +afore-seen +afore-spoken +afore-stated +aforethought +aforetime +aforetimes +afore-told +aforeward +afortiori +afoul +afounde +AFP +Afr +afr- +Afra +afray +afraid +afraidness +A-frame +Aframerican +Afrasia +Afrasian +afreet +afreets +afresca +afresh +afret +afrete +Afric +Africa +Africah +African +Africana +Africander +Africanderism +Africanism +Africanist +Africanization +Africanize +Africanized +Africanizing +Africanoid +africans +Africanthropus +Afridi +afright +Afrika +Afrikaans +Afrikah +Afrikander +Afrikanderdom +Afrikanderism +Afrikaner +Afrikanerdom +Afrikanerize +afrit +afrite +afrits +Afro +Afro- +Afro-American +Afro-Asian +Afroasiatic +Afro-Asiatic +Afro-chain +Afro-comb +Afro-Cuban +Afro-european +Afrogaea +Afrogaean +afront +afrormosia +afros +Afro-semitic +afrown +AFS +AFSC +AFSCME +Afshah +Afshar +AFSK +AFT +aftaba +after +after- +after-acquired +afteract +afterage +afterattack +afterbay +afterband +afterbeat +afterbirth +afterbirths +afterblow +afterbody +afterbodies +after-born +afterbrain +afterbreach +afterbreast +afterburner +afterburners +afterburning +aftercare +aftercareer +aftercast +aftercataract +aftercause +afterchance +afterchrome +afterchurch +afterclap +afterclause +aftercome +aftercomer +aftercoming +aftercooler +aftercost +aftercourse +after-course +aftercrop +aftercure +afterdays +afterdamp +afterdate +afterdated +afterdeal +afterdeath +afterdeck +afterdecks +after-described +after-designed +afterdinner +after-dinner +afterdischarge +afterdrain +afterdrops +aftereffect +aftereffects +aftereye +afterend +afterfall +afterfame +afterfeed +afterfermentation +afterform +afterfriend +afterfruits +afterfuture +aftergame +after-game +aftergas +afterglide +afterglow +afterglows +aftergo +aftergood +aftergrass +after-grass +aftergrave +aftergrief +aftergrind +aftergrowth +afterguard +after-guard +afterguns +afterhand +afterharm +afterhatch +afterheat +afterhelp +afterhend +afterhold +afterhope +afterhours +afteryears +afterimage +after-image +afterimages +afterimpression +afterings +afterking +afterknowledge +afterlife +after-life +afterlifes +afterlifetime +afterlight +afterlives +afterloss +afterlove +aftermark +aftermarket +aftermarriage +aftermass +aftermast +aftermath +aftermaths +aftermatter +aftermeal +after-mentioned +aftermilk +aftermost +after-named +afternight +afternoon +afternoons +afternoon's +afternose +afternote +afteroar +afterpain +after-pain +afterpains +afterpart +afterpast +afterpeak +afterpiece +afterplay +afterplanting +afterpotential +afterpressure +afterproof +afterrake +afterreckoning +afterrider +afterripening +afterroll +afters +afterschool +aftersend +aftersensation +aftershaft +aftershafted +aftershave +aftershaves +aftershine +aftership +aftershock +aftershocks +aftersong +aftersound +after-specified +afterspeech +afterspring +afterstain +after-stampable +afterstate +afterstorm +afterstrain +afterstretch +afterstudy +aftersupper +after-supper +afterswarm +afterswarming +afterswell +aftertan +aftertask +aftertaste +aftertastes +aftertax +after-theater +after-theatre +afterthinker +afterthought +afterthoughted +afterthoughts +afterthrift +aftertime +aftertimes +aftertouch +aftertreatment +aftertrial +afterturn +aftervision +afterwale +afterwar +afterward +afterwards +afterwash +afterwhile +afterwisdom +afterwise +afterwit +after-wit +afterwitted +afterword +afterwork +afterworking +afterworld +afterwort +afterwrath +afterwrist +after-written +aftmost +Afton +Aftonian +aftosa +aftosas +AFTRA +aftward +aftwards +afunction +afunctional +AFUU +afwillite +Afzelia +AG +ag- +aga +agabanee +Agabus +agacant +agacante +Agace +agacella +agacerie +Agaces +Agacles +agad +agada +Agade +agadic +Agadir +Agag +Agagianian +again +again- +againbuy +againsay +against +againstand +againward +agal +agalactia +agalactic +agalactous +agal-agal +agalawood +agalaxy +agalaxia +Agalena +Agalenidae +Agalinis +agalite +agalloch +agallochs +agallochum +agallop +agalma +agalmatolite +agalwood +agalwoods +Agama +Agamae +agamas +a-game +Agamede +Agamedes +Agamemnon +agamete +agametes +agami +agamy +agamian +agamic +agamically +agamid +Agamidae +agamis +agamist +agammaglobulinemia +agammaglobulinemic +agamobia +agamobium +agamogenesis +agamogenetic +agamogenetically +agamogony +agamoid +agamont +agamospermy +agamospore +agamous +Agan +Agana +aganglionic +Aganice +Aganippe +Aganus +Agao +Agaonidae +agapae +agapai +Agapanthus +agapanthuses +Agape +agapeic +agapeically +Agapemone +Agapemonian +Agapemonist +Agapemonite +agapetae +agapeti +agapetid +Agapetidae +agaphite +Agapornis +Agar +agar-agar +agaric +agaricaceae +agaricaceous +Agaricales +agaricic +agariciform +agaricin +agaricine +agaricinic +agaricoid +agarics +Agaricus +Agaristidae +agarita +agaroid +agarose +agaroses +agars +Agartala +Agarum +agarwal +agas +agasp +Agassiz +agast +Agastache +Agastya +Agastreae +agastric +agastroneuria +Agastrophus +Agata +Agate +agatelike +agates +agateware +Agatha +Agathaea +Agatharchides +Agathaumas +Agathe +Agathy +agathin +Agathyrsus +Agathis +agathism +agathist +Agatho +agatho- +Agathocles +agathodaemon +agathodaemonic +agathodemon +agathokakological +agathology +Agathon +Agathosma +agaty +agatiferous +agatiform +agatine +agatize +agatized +agatizes +agatizing +agatoid +Agau +Agave +agaves +agavose +Agawam +Agaz +agaze +agazed +agba +Agbogla +AGC +AGCA +agcy +agcy. +AGCT +AGD +Agdistis +age +ageable +age-adorning +age-bent +age-coeval +age-cracked +aged +age-despoiled +age-dispelling +agedly +agedness +agednesses +Agee +agee-jawed +age-encrusted +age-enfeebled +age-group +age-harden +age-honored +ageing +ageings +ageism +ageisms +ageist +ageists +Agelacrinites +Agelacrinitidae +Agelaius +agelast +age-lasting +Agelaus +ageless +agelessly +agelessness +agelong +age-long +Agen +Agena +Agenais +agency +agencies +agency's +agend +agenda +agendaless +agendas +agenda's +agendum +agendums +agene +agenes +ageneses +agenesia +agenesias +agenesic +agenesis +agenetic +agenize +agenized +agenizes +agenizing +agennesis +agennetic +Agenois +Agenor +agent +agentess +agent-general +agential +agenting +agentival +agentive +agentives +agentry +agentries +agents +agent's +agentship +age-old +ageometrical +age-peeled +ager +agerasia +Ageratum +ageratums +agers +ages +age-struck +aget +agete +ageusia +ageusic +ageustia +age-weary +age-weathered +age-worn +Aggada +Aggadah +Aggadic +Aggadoth +Aggappe +Aggappera +Aggappora +Aggarwal +aggelation +aggenerate +agger +aggerate +aggeration +aggerose +aggers +aggest +Aggeus +Aggi +Aggy +Aggie +aggies +aggiornamenti +aggiornamento +agglomerant +agglomerate +agglomerated +agglomerates +agglomeratic +agglomerating +agglomeration +agglomerations +agglomerative +agglomerator +agglutinability +agglutinable +agglutinant +agglutinate +agglutinated +agglutinates +agglutinating +agglutination +agglutinationist +agglutinations +agglutinative +agglutinatively +agglutinator +agglutinin +agglutinins +agglutinize +agglutinogen +agglutinogenic +agglutinoid +agglutinoscope +agglutogenic +aggrace +aggradation +aggradational +aggrade +aggraded +aggrades +aggrading +aggrammatism +aggrandise +aggrandised +aggrandisement +aggrandiser +aggrandising +aggrandizable +aggrandize +aggrandized +aggrandizement +aggrandizements +aggrandizer +aggrandizers +aggrandizes +aggrandizing +aggrate +aggravable +aggravate +aggravated +aggravates +aggravating +aggravatingly +aggravation +aggravations +aggravative +aggravator +aggregable +aggregant +Aggregata +Aggregatae +aggregate +aggregated +aggregately +aggregateness +aggregates +aggregating +aggregation +aggregational +aggregations +aggregative +aggregatively +aggregato- +aggregator +aggregatory +aggrege +aggress +aggressed +aggresses +aggressin +aggressing +aggression +aggressionist +aggressions +aggression's +aggressive +aggressively +aggressiveness +aggressivenesses +aggressivity +aggressor +aggressors +Aggri +aggry +aggrievance +aggrieve +aggrieved +aggrievedly +aggrievedness +aggrievement +aggrieves +aggrieving +aggro +aggros +aggroup +aggroupment +aggur +Agh +agha +Aghan +aghanee +aghas +aghast +aghastness +Aghlabite +Aghorapanthi +Aghori +agy +Agialid +Agib +agible +Agiel +Agyieus +agyiomania +agilawood +agile +agilely +agileness +agility +agilities +agillawood +agilmente +agin +agynary +agynarious +Agincourt +aging +agings +agynic +aginner +aginners +agynous +agio +agios +agiotage +agiotages +agyrate +agyria +agyrophobia +agism +agisms +agist +agistator +agisted +agister +agisting +agistment +agistor +agists +agit +agitability +agitable +agitant +agitate +agitated +agitatedly +agitates +agitating +agitation +agitational +agitationist +agitations +agitative +agitato +agitator +agitatorial +agitators +agitator's +agitatrix +agitprop +agitpropist +agitprops +agitpunkt +Agkistrodon +AGL +agla +Aglaia +aglance +Aglaonema +Aglaos +aglaozonia +aglare +Aglaspis +Aglauros +Aglaus +Agle +agleaf +agleam +aglee +agley +Agler +aglet +aglethead +aglets +agly +aglycon +aglycone +aglycones +aglycons +aglycosuric +aglimmer +a-glimmer +aglint +Aglipayan +Aglipayano +Aglypha +aglyphodont +Aglyphodonta +Aglyphodontia +aglyphous +aglisten +aglitter +aglobulia +aglobulism +Aglossa +aglossal +aglossate +aglossia +aglow +aglucon +aglucone +a-glucosidase +aglutition +AGM +AGMA +agmas +agmatine +agmatology +agminate +agminated +AGN +Agna +agnail +agnails +agname +agnamed +agnat +agnate +agnates +Agnatha +agnathia +agnathic +Agnathostomata +agnathostomatous +agnathous +agnatic +agnatical +agnatically +agnation +agnations +agnean +agneau +agneaux +agnel +Agnella +Agnes +Agnese +Agness +Agnesse +Agneta +Agnew +Agni +agnification +agnition +agnize +agnized +agnizes +agnizing +Agnoetae +Agnoete +Agnoetism +agnoiology +Agnoite +agnoites +Agnola +agnomen +agnomens +agnomical +agnomina +agnominal +agnomination +agnosy +agnosia +agnosias +agnosis +agnostic +agnostical +agnostically +agnosticism +agnostics +agnostic's +Agnostus +Agnotozoic +agnus +agnuses +ago +agog +agoge +agogic +agogics +agogue +agoho +agoing +agomensin +agomphiasis +agomphious +agomphosis +Agon +agonal +agone +agones +agony +agonia +agoniada +agoniadin +agoniatite +Agoniatites +agonic +agonied +agonies +agonise +agonised +agonises +agonising +agonisingly +agonist +Agonista +agonistarch +agonistic +agonistical +agonistically +agonistics +agonists +agonium +agonize +agonized +agonizedly +agonizer +agonizes +agonizing +agonizingly +agonizingness +Agonostomus +agonothet +agonothete +agonothetic +agons +a-good +agora +agorae +Agoraea +Agoraeus +agoramania +agoranome +agoranomus +agoraphobia +agoraphobiac +agoraphobic +agoras +a-gore-blood +agorot +agoroth +agos +agostadero +Agostini +Agostino +Agosto +agouara +agouta +agouti +agouty +agouties +agoutis +agpaite +agpaitic +AGR +agr. +Agra +agrace +Agraeus +agrafe +agrafes +agraffe +agraffee +agraffes +agrah +agral +Agram +agramed +agrammaphasia +agrammatica +agrammatical +agrammatism +agrammatologia +Agrania +agranulocyte +agranulocytosis +agranuloplastic +Agrapha +agraphia +agraphias +agraphic +agraria +agrarian +agrarianism +agrarianisms +agrarianize +agrarianly +agrarians +Agrauleum +Agraulos +agravic +agre +agreat +agreation +agreations +agree +agreeability +agreeable +agreeableness +agreeablenesses +agreeable-sounding +agreeably +agreed +agreeing +agreeingly +agreement +agreements +agreement's +agreer +agreers +agrees +agregation +agrege +agreges +agreing +agremens +agrement +agrements +agrest +agrestal +agrestial +agrestian +agrestic +agrestical +agrestis +Agretha +agria +agrias +agribusiness +agribusinesses +agric +agric. +agricere +Agricola +agricole +agricolist +agricolite +agricolous +agricultor +agricultural +agriculturalist +agriculturalists +agriculturally +agriculture +agriculturer +agricultures +agriculturist +agriculturists +agrief +Agrigento +Agrilus +agrimony +Agrimonia +agrimonies +agrimotor +agrin +Agrinion +Agriochoeridae +Agriochoerus +agriology +agriological +agriologist +Agrionia +agrionid +Agrionidae +Agriope +agriot +Agriotes +agriotype +Agriotypidae +Agriotypus +Agripina +agrypnia +agrypniai +agrypnias +agrypnode +agrypnotic +Agrippa +Agrippina +agrise +agrised +agrising +agrito +agritos +Agrius +agro- +agroan +agrobacterium +agrobiology +agrobiologic +agrobiological +agrobiologically +agrobiologist +agrodolce +agrogeology +agrogeological +agrogeologically +agrology +agrologic +agrological +agrologically +agrologies +agrologist +agrom +agromania +Agromyza +agromyzid +Agromyzidae +agron +agron. +agronome +agronomy +agronomial +agronomic +agronomical +agronomically +agronomics +agronomies +agronomist +agronomists +agroof +agrope +Agropyron +Agrostemma +agrosteral +agrosterol +Agrostis +agrostographer +agrostography +agrostographic +agrostographical +agrostographies +agrostology +agrostologic +agrostological +agrostologist +agrote +agrotechny +Agrotera +agrotype +Agrotis +aground +agrufe +agruif +AGS +agsam +agst +Agt +agtbasic +AGU +agua +aguacate +Aguacateca +Aguada +Aguadilla +aguador +Aguadulce +Aguayo +aguaji +aguamas +aguamiel +Aguanga +aguara +aguardiente +Aguascalientes +aguavina +Agudist +ague +Agueda +ague-faced +aguey +aguelike +ague-plagued +agueproof +ague-rid +agues +ague-sore +ague-struck +agueweed +agueweeds +aguglia +Aguie +Aguijan +Aguila +Aguilar +aguilarite +aguilawood +aguilt +Aguinaldo +aguinaldos +aguirage +Aguirre +aguise +aguish +aguishly +aguishness +Aguistin +agujon +Agulhas +agunah +Agung +agura +aguroth +agush +agust +Aguste +Agustin +Agway +AH +AHA +ahaaina +Ahab +ahamkara +ahankara +Ahantchuyuk +Aharon +ahartalav +Ahasuerus +ahaunch +Ahaz +Ahaziah +ahchoo +Ahders +AHE +ahead +aheap +Ahearn +ahey +a-hey +aheight +a-height +ahem +ahems +Ahepatokla +Ahern +Ahet +Ahgwahching +Ahhiyawa +ahi +Ahidjo +Ahiezer +a-high +a-high-lone +Ahimaaz +Ahimelech +ahimsa +ahimsas +ahind +ahint +ahypnia +Ahir +Ahira +Ahisar +Ahishar +ahistoric +ahistorical +Ahithophel +AHL +Ahlgren +ahluwalia +Ahmad +Ahmadabad +Ahmadi +Ahmadiya +Ahmadnagar +Ahmadou +Ahmadpur +Ahmar +Ahmed +Ahmedabad +ahmedi +Ahmednagar +Ahmeek +ahmet +Ahnfeltia +aho +ahoy +ahoys +Ahola +Aholah +ahold +a-hold +aholds +Aholla +aholt +Ahom +ahong +a-horizon +ahorse +ahorseback +a-horseback +Ahoskie +Ahoufe +Ahouh +Ahousaht +AHQ +Ahrendahronon +Ahrendt +Ahrens +Ahriman +Ahrimanian +Ahron +ahs +AHSA +Ahsahka +ahsan +Aht +Ahtena +ahu +ahuaca +ahuatle +ahuehuete +ahull +ahum +ahungered +ahungry +ahunt +a-hunt +ahura +Ahura-mazda +ahurewa +ahush +ahuula +Ahuzzath +Ahvaz +Ahvenanmaa +Ahwahnee +ahwal +Ahwaz +AI +AY +ay- +AIA +AIAA +ayacahuite +Ayacucho +ayah +ayahausca +ayahs +ayahuasca +Ayahuca +Ayala +ayapana +Aias +ayatollah +ayatollahs +Aiawong +aiblins +Aibonito +AIC +AICC +aichmophobia +Aycliffe +AID +Aida +aidable +Aidan +aidance +aidant +AIDDE +aid-de-camp +aide +aided +aide-de-camp +aide-de-campship +Aydelotte +aide-memoire +aide-mmoire +Aiden +Ayden +Aydendron +Aidenn +aider +aiders +Aides +aides-de-camp +aidful +Aidin +Aydin +aiding +Aidit +aidless +Aydlett +aidman +aidmanmen +aidmen +Aidoneus +Aidos +AIDS +aids-de-camp +aye +Aiea +aye-aye +a-year +aye-ceaseless +aye-during +aye-dwelling +AIEEE +ayegreen +aiel +aye-lasting +aye-living +Aiello +ayelp +a-yelp +ayen +ayenbite +ayens +ayenst +Ayer +ayer-ayer +aye-remaining +aye-renewed +aye-restless +aiery +aye-rolling +Ayers +aye-running +ayes +Ayesha +aye-sought +aye-troubled +aye-turning +aye-varied +aye-welcome +AIF +aiger +aigialosaur +Aigialosauridae +Aigialosaurus +aiglet +aiglets +aiglette +Aigneis +aigre +aigre-doux +ay-green +aigremore +aigret +aigrets +aigrette +aigrettes +aiguelle +aiguellette +aigue-marine +aiguiere +aiguille +aiguilles +aiguillesque +aiguillette +aiguilletted +AIH +AYH +ayield +ayin +Ayina +ayins +Ayyubid +aik +aikane +Aiken +aikido +aikidos +aikinite +aikona +aikuchi +ail +Aila +ailantery +ailanthic +Ailanthus +ailanthuses +ailantine +ailanto +Ailbert +Aile +ailed +Ailee +Aileen +Ailey +Ailene +aileron +ailerons +Aylesbury +ayless +aylet +Aylett +ailette +Aili +Ailie +Ailin +Ailyn +Ailina +ailing +Ailis +Ailleret +aillt +ayllu +Aylmar +ailment +ailments +ailment's +Aylmer +ails +Ailsa +ailsyte +Ailssa +Ailsun +Aylsworth +Ailuridae +ailuro +ailuroid +Ailuroidea +ailuromania +ailurophile +ailurophilia +ailurophilic +ailurophobe +ailurophobia +ailurophobic +Ailuropoda +Ailuropus +Ailurus +Aylward +ailweed +AIM +Aym +aimable +Aimak +aimara +Aymara +Aymaran +Aymaras +AIME +Ayme +aimed +Aimee +aimer +Aymer +aimers +aimful +aimfully +Aimil +aiming +aimless +aimlessly +aimlessness +aimlessnesses +Aimo +Aimore +Aymoro +AIMS +Aimwell +aimworthiness +Ain +Ayn +ainaleh +Aynat +AInd +Aindrea +aine +ayne +ainee +ainhum +ainoi +Aynor +ains +ainsell +ainsells +Ainslee +Ainsley +Ainslie +Ainsworth +aint +ain't +Aintab +Ayntab +Ainu +Ainus +Ayo +AIOD +aioli +aiolis +aion +ayond +aionial +ayont +ayous +AIPS +AIR +Ayr +Aira +airable +airampo +airan +airbag +airbags +air-balloon +airbill +airbills +air-bind +air-blasted +air-blown +airboat +airboats +airborn +air-born +airborne +air-borne +airbound +air-bound +airbrained +air-braked +airbrasive +air-braving +air-breathe +air-breathed +air-breather +air-breathing +air-bred +airbrick +airbrush +airbrushed +airbrushes +airbrushing +air-built +airburst +airbursts +airbus +airbuses +airbusses +air-chambered +aircheck +airchecks +air-cheeked +air-clear +aircoach +aircoaches +aircondition +air-condition +airconditioned +air-conditioned +airconditioning +air-conditioning +airconditions +air-conscious +air-conveying +air-cool +air-cooled +air-core +aircraft +aircraftman +aircraftmen +aircrafts +aircraftsman +aircraftsmen +aircraftswoman +aircraftswomen +aircraftwoman +aircrew +aircrewman +aircrewmen +aircrews +air-cure +air-cured +airdate +airdates +air-defiling +airdock +air-drawn +air-dry +Airdrie +air-dried +air-drying +air-driven +airdrome +airdromes +airdrop +airdropped +airdropping +airdrops +Aire +ayre +aired +Airedale +airedales +Airel +air-embraced +airer +airers +Aires +Ayres +airest +air-express +airfare +airfares +air-faring +airfield +airfields +airfield's +air-filled +air-floated +airflow +airflows +airfoil +airfoils +air-formed +airframe +airframes +airfreight +airfreighter +airglow +airglows +airgraph +airgraphics +air-hardening +airhead +airheads +air-heating +Airy +airier +airiest +airy-fairy +airiferous +airify +airified +airily +airiness +airinesses +airing +airings +air-insulated +air-intake +airish +Airla +air-lance +air-lanced +air-lancing +Airlee +airle-penny +airless +airlessly +airlessness +Airlia +Airliah +Airlie +airlift +airlifted +airlifting +airlifts +airlift's +airlight +airlike +airline +air-line +airliner +airliners +airlines +airling +airlock +airlocks +airlock's +air-logged +airmail +air-mail +airmailed +airmailing +airmails +airman +airmanship +airmark +airmarker +airmass +airmen +air-minded +air-mindedness +airmobile +airmonger +airn +airns +airohydrogen +airometer +airpark +airparks +air-pervious +airphobia +airplay +airplays +airplane +airplaned +airplaner +airplanes +airplane's +airplaning +airplanist +airplot +airport +airports +airport's +airpost +airposts +airproof +airproofed +airproofing +airproofs +air-raid +airs +airscape +airscapes +airscrew +airscrews +air-season +air-seasoned +airshed +airsheds +airsheet +air-shy +airship +airships +airship's +Ayrshire +airsick +airsickness +air-slake +air-slaked +air-slaking +airsome +airspace +airspaces +airspeed +airspeeds +air-spray +air-sprayed +air-spun +air-stirring +airstream +airstrip +airstrips +airstrip's +air-swallowing +airt +airted +airth +airthed +airthing +air-threatening +airths +airtight +airtightly +airtightness +airtime +airtimes +airting +air-to-air +air-to-ground +air-to-surface +air-trampling +airts +air-twisted +air-vessel +airview +Airville +airway +airwaybill +airwayman +airways +airway's +airward +airwards +airwash +airwave +airwaves +airwise +air-wise +air-wiseness +airwoman +airwomen +airworthy +airworthier +airworthiest +airworthiness +AIS +ays +aischrolatreia +aiseweed +Aisha +AISI +aisle +aisled +aisleless +aisles +aisling +Aisne +Aisne-Marne +Aissaoua +Aissor +aisteoir +aistopod +Aistopoda +Aistopodes +ait +aitch +aitchbone +aitch-bone +aitches +aitchless +aitchpiece +aitesis +aith +Aythya +aithochroi +aitiology +aition +aitiotropic +aitis +Aitken +Aitkenite +Aitkin +aits +Aitutakian +ayu +Ayubite +ayudante +Ayudhya +ayuyu +ayuntamiento +ayuntamientos +Ayurveda +ayurvedas +Ayurvedic +Ayuthea +Ayuthia +Ayutthaya +aiver +aivers +aivr +aiwain +aiwan +aywhere +AIX +Aix-en-Provence +Aix-la-Chapelle +Aix-les-Bains +aizle +Aizoaceae +aizoaceous +Aizoon +AJ +AJA +Ajaccio +Ajay +Ajaja +ajangle +Ajani +Ajanta +ajar +ajari +Ajatasatru +ajava +Ajax +AJC +ajee +ajenjo +ajhar +ajimez +Ajit +ajitter +ajiva +ajivas +Ajivika +Ajmer +Ajo +Ajodhya +ajog +ajoint +ajonjoli +ajoure +ajourise +ajowan +ajowans +Ajuga +ajugas +ajutment +AK +AKA +akaakai +Akaba +Akademi +Akal +akala +Akali +akalimba +akamai +akamatsu +Akamnik +Akan +Akanekunik +Akania +Akaniaceae +Akanke +akaroa +akasa +akasha +Akaska +Akas-mukhi +Akawai +akazga +akazgin +akazgine +Akbar +AKC +akcheh +ake +akeake +akebi +Akebia +aked +akee +akees +akehorne +akey +Akeyla +Akeylah +akeki +Akel +Akela +akelas +Akeldama +Akeley +akemboll +akenbold +akene +akenes +akenobeite +akepiro +akepiros +Aker +Akerboom +akerite +Akerley +Akers +aketon +Akh +Akha +Akhaia +akhara +Akhenaten +Akhetaton +akhyana +Akhisar +Akhissar +Akhlame +Akhmatova +Akhmimic +Akhnaton +akhoond +akhrot +akhund +akhundzada +Akhziv +akia +Akyab +Akiachak +Akiak +Akiba +Akihito +Akiyenik +Akili +Akim +akimbo +Akimovsky +Akin +akindle +akinesia +akinesic +akinesis +akinete +akinetic +aking +Akins +Akira +Akiskemikinik +Akita +Akka +Akkad +Akkadian +Akkadist +Akkerman +Akkra +Aklog +akmite +Akmolinsk +akmudar +akmuddar +aknee +aknow +ako +akoasm +akoasma +akolouthia +akoluthia +akonge +Akontae +Akoulalion +akov +akpek +Akra +Akrabattine +akre +akroasis +akrochordite +Akron +akroter +akroteria +akroterial +akroterion +akrteria +Aksel +Aksoyn +Aksum +aktiebolag +Aktiengesellschaft +Aktistetae +Aktistete +Aktyubinsk +Aktivismus +Aktivist +aku +akuammin +akuammine +akule +akund +Akure +Akutagawa +Akutan +akvavit +akvavits +Akwapim +al +al- +al. +ALA +Ala. +Alabama +Alabaman +Alabamian +alabamians +alabamide +alabamine +alabandine +alabandite +alabarch +Alabaster +alabasters +alabastoi +alabastos +alabastra +alabastrian +alabastrine +alabastrites +alabastron +alabastrons +alabastrum +alabastrums +alablaster +alacha +alachah +Alachua +alack +alackaday +alacran +alacreatine +alacreatinin +alacreatinine +alacrify +alacrious +alacriously +alacrity +alacrities +alacritous +Alactaga +alada +Aladdin +Aladdinize +Aladfar +Aladinist +alae +alagao +alagarto +alagau +Alage +Alagez +Alagoas +Alagoz +alahee +Alai +alay +alaihi +Alain +Alaine +Alayne +Alain-Fournier +Alair +alaite +Alakanuk +Alake +Alaki +Alala +Alalcomeneus +alalia +alalite +alaloi +alalonga +alalunga +alalus +Alamance +Alamanni +Alamannian +Alamannic +alambique +Alameda +alamedas +Alamein +Alaminos +alamiqui +alamire +Alamo +alamodality +alamode +alamodes +Alamogordo +alamonti +alamort +alamos +Alamosa +alamosite +Alamota +alamoth +Alan +Alana +Alan-a-dale +Alanah +Alanbrooke +Aland +alands +Alane +alang +alang-alang +alange +Alangiaceae +alangin +alangine +Alangium +alani +alanyl +alanyls +alanin +alanine +alanines +alanins +Alanna +alannah +Alano +Alanreed +Alans +Alansen +Alanson +alant +alantic +alantin +alantol +alantolactone +alantolic +alants +ALAP +alapa +Alapaha +Alar +Alarbus +Alarcon +Alard +alares +alarge +alary +Alaria +Alaric +Alarice +Alarick +Alarise +alarm +alarmable +alarmclock +alarmed +alarmedly +alarming +alarmingly +alarmingness +alarmism +alarmisms +alarmist +alarmists +alarms +Alarodian +alarum +alarumed +alaruming +alarums +Alas +Alas. +alasas +Alascan +Alasdair +Alaska +alaskaite +Alaskan +alaskans +alaskas +alaskite +Alastair +Alasteir +Alaster +Alastor +alastors +alastrim +alate +Alatea +alated +alatern +alaternus +alates +Alathia +alation +alations +Alauda +Alaudidae +alaudine +alaund +Alaunian +alaunt +Alawi +alazor +Alb +Alb. +Alba +albacea +Albacete +albacora +albacore +albacores +albahaca +Albay +Albainn +Albamycin +Alban +Albana +Albanenses +Albanensian +Albanese +Albany +Albania +Albanian +albanians +albanite +albarco +albardine +albarelli +albarello +albarellos +albarium +Albarran +albas +albaspidin +albata +albatas +Albategnius +albation +Albatros +albatross +albatrosses +albe +albedo +albedoes +albedograph +albedometer +albedos +Albee +albeit +Albemarle +Alben +Albeniz +Alber +alberca +Alberene +albergatrice +alberge +alberghi +albergo +Alberic +Alberich +Alberik +Alberoni +Albers +Albert +Alberta +Alberti +albertin +Albertina +Albertine +Albertinian +albertype +Albertist +albertite +Albertlea +Alberto +Alberton +Albertson +alberttype +albert-type +albertustaler +Albertville +albescence +albescent +albespine +albespyne +albeston +albetad +Albi +Alby +Albia +Albian +albicans +albicant +albication +albicore +albicores +albiculi +Albie +albify +albification +albificative +albified +albifying +albiflorous +Albigenses +Albigensian +Albigensianism +Albin +Albyn +Albina +albinal +albines +albiness +albinic +albinism +albinisms +albinistic +albino +albinoism +Albinoni +albinos +albinotic +albinuria +Albinus +Albion +Albireo +albite +albites +albitic +albitical +albitite +albitization +albitophyre +albizia +albizias +Albizzia +albizzias +ALBM +Albniz +ALBO +albocarbon +albocinereous +Albococcus +albocracy +Alboin +albolite +albolith +albopannin +albopruinose +alborada +alborak +Alboran +alboranite +Alborn +Albrecht +Albric +albricias +Albright +Albrightsville +albronze +Albruna +albs +Albuca +Albuginaceae +albuginea +albugineous +albugines +albuginitis +albugo +album +albumean +albumen +albumeniizer +albumenisation +albumenise +albumenised +albumeniser +albumenising +albumenization +albumenize +albumenized +albumenizer +albumenizing +albumenoid +albumens +albumimeter +albumin +albuminate +albuminaturia +albuminiferous +albuminiform +albuminimeter +albuminimetry +albuminiparous +albuminise +albuminised +albuminising +albuminization +albuminize +albuminized +albuminizing +albumino- +albuminocholia +albuminofibrin +albuminogenous +albuminoid +albuminoidal +albuminolysis +albuminometer +albuminometry +albuminone +albuminorrhea +albuminoscope +albuminose +albuminosis +albuminous +albuminousness +albumins +albuminuria +albuminuric +albuminurophobia +albumoid +albumoscope +albumose +albumoses +albumosuria +albums +Albuna +Albunea +Albuquerque +Albur +Alburg +Alburga +Albury +alburn +Alburnett +alburnous +alburnum +alburnums +Alburtis +albus +albutannin +ALC +Alca +Alcaaba +alcabala +alcade +alcades +Alcae +Alcaeus +alcahest +alcahests +Alcaic +alcaiceria +Alcaics +alcaid +alcaide +alcayde +alcaides +alcaydes +Alcaids +Alcalde +alcaldes +alcaldeship +alcaldia +alcali +Alcaligenes +alcalizate +Alcalzar +alcamine +Alcandre +alcanna +Alcantara +Alcantarines +alcapton +alcaptonuria +alcargen +alcarraza +Alcathous +alcatras +Alcatraz +alcavala +alcazaba +Alcazar +alcazars +alcazava +alce +Alcedines +Alcedinidae +Alcedininae +Alcedo +alcelaphine +Alcelaphus +Alces +Alceste +Alcester +Alcestis +alchem +alchemy +alchemic +alchemical +alchemically +alchemies +Alchemilla +alchemise +alchemised +alchemising +alchemist +alchemister +alchemistic +alchemistical +alchemistry +alchemists +alchemize +alchemized +alchemizing +alchera +alcheringa +alchim- +alchym- +alchimy +alchymy +alchymies +alchitran +alchochoden +Alchornea +Alchuine +Alcibiadean +Alcibiades +Alcicornium +alcid +Alcidae +Alcide +Alcides +Alcidice +alcidine +alcids +Alcimede +Alcimedes +Alcimedon +Alcina +Alcine +Alcinia +Alcinous +alcyon +Alcyonacea +alcyonacean +Alcyonaria +alcyonarian +Alcyone +Alcyones +Alcyoneus +Alcyoniaceae +alcyonic +alcyoniform +Alcyonium +alcyonoid +Alcippe +Alcis +Alcithoe +alclad +Alcmaeon +Alcman +Alcmaon +Alcmena +Alcmene +Alco +Alcoa +alcoate +Alcock +alcogel +alcogene +alcohate +alcohol +alcoholate +alcoholature +alcoholdom +alcoholemia +alcoholic +alcoholically +alcoholicity +alcoholics +alcoholic's +alcoholimeter +alcoholisation +alcoholise +alcoholised +alcoholising +alcoholysis +alcoholism +alcoholisms +alcoholist +alcoholytic +alcoholizable +alcoholization +alcoholize +alcoholized +alcoholizing +alcoholmeter +alcoholmetric +alcoholomania +alcoholometer +alcoholometry +alcoholometric +alcoholometrical +alcoholophilia +alcohols +alcohol's +alcoholuria +Alcolu +Alcon +alconde +alco-ometer +alco-ometry +alco-ometric +alco-ometrical +alcoothionic +Alcor +Alcoran +Alcoranic +Alcoranist +alcornoco +alcornoque +alcosol +Alcot +Alcotate +Alcott +Alcova +alcove +alcoved +alcoves +alcove's +alcovinometer +Alcuin +Alcuinian +alcumy +Alcus +Ald +Ald. +Alda +Aldabra +alday +aldamin +aldamine +Aldan +aldane +Aldarcy +Aldarcie +Aldas +aldazin +aldazine +aldea +aldeament +Aldebaran +aldebaranium +Alded +aldehydase +aldehyde +aldehydes +aldehydic +aldehydine +aldehydrol +aldehol +aldeia +Alden +Aldenville +Alder +alder- +Alderamin +Aldercy +alderfly +alderflies +alder-leaved +alderliefest +alderling +Alderman +aldermanate +aldermancy +aldermaness +aldermanic +aldermanical +aldermanity +aldermanly +aldermanlike +aldermanry +aldermanries +alderman's +aldermanship +Aldermaston +aldermen +aldern +Alderney +alders +Aldershot +Alderson +alderwoman +alderwomen +Aldhafara +Aldhafera +aldide +Aldie +aldim +aldime +aldimin +aldimine +Aldin +Aldine +Aldington +Aldis +alditol +Aldm +Aldo +aldoheptose +aldohexose +aldoketene +aldol +aldolase +aldolases +aldolization +aldolize +aldolized +aldolizing +aldols +Aldon +aldononose +aldopentose +Aldora +Aldos +aldose +aldoses +aldoside +aldosterone +aldosteronism +Aldous +aldovandi +aldoxime +Aldred +Aldredge +Aldric +Aldrich +Aldridge +Aldridge-Brownhills +Aldrin +aldrins +Aldrovanda +Alduino +Aldus +Aldwin +Aldwon +ale +Alea +aleak +Aleardi +aleatory +aleatoric +alebench +aleberry +Alebion +ale-blown +ale-born +alebush +Alec +Alecia +alecithal +alecithic +alecize +Aleck +aleconner +alecost +alecs +Alecto +Alectoria +alectoriae +Alectorides +alectoridine +alectorioid +Alectoris +alectoromachy +alectoromancy +Alectoromorphae +alectoromorphous +Alectoropodes +alectoropodous +alectryomachy +alectryomancy +Alectrion +Alectryon +Alectrionidae +alecup +Aleda +Aledo +alee +Aleece +Aleedis +Aleen +Aleetha +alef +ale-fed +alefnull +alefs +aleft +alefzero +alegar +alegars +aleger +Alegre +Alegrete +alehoof +alehouse +alehouses +Aley +aleyard +Aleichem +Aleydis +aleikoum +aleikum +aleiptes +aleiptic +Aleyrodes +aleyrodid +Aleyrodidae +Aleixandre +Alejandra +Alejandrina +Alejandro +Alejo +Alejoa +Alek +Alekhine +Aleknagik +aleknight +Aleksandr +Aleksandropol +Aleksandrov +Aleksandrovac +Aleksandrovsk +Alekseyevska +Aleksin +Alem +Aleman +alemana +Alemanni +Alemannian +Alemannic +Alemannish +Alembert +alembic +alembicate +alembicated +alembics +alembroth +Alemite +alemmal +alemonger +alen +Alena +Alencon +alencons +Alene +alenge +alength +Alenson +Alentejo +alentours +alenu +Aleochara +Alep +aleph +aleph-null +alephs +alephzero +aleph-zero +alepidote +alepine +alepole +alepot +Aleppine +Aleppo +Aleras +alerce +alerion +Aleris +Aleron +alerse +alert +alerta +alerted +alertedly +alerter +alerters +alertest +alerting +alertly +alertness +alertnesses +alerts +ales +alesan +Alesandrini +aleshot +Alesia +Alessandra +Alessandri +Alessandria +Alessandro +alestake +ale-swilling +Aleta +aletap +aletaster +Aletes +Aletha +Alethea +Alethia +alethic +alethiology +alethiologic +alethiological +alethiologist +alethopteis +alethopteroid +alethoscope +aletocyte +Aletris +Aletta +Alette +aleucaemic +aleucemic +aleukaemic +aleukemic +Aleurites +aleuritic +Aleurobius +Aleurodes +Aleurodidae +aleuromancy +aleurometer +aleuron +aleuronat +aleurone +aleurones +aleuronic +aleurons +aleuroscope +Aleus +Aleut +Aleutian +Aleutians +Aleutic +aleutite +alevin +alevins +Alevitsa +alew +ale-washed +alewhap +alewife +ale-wife +alewives +Alex +Alexa +Alexander +alexanders +Alexanderson +Alexandr +Alexandra +Alexandre +Alexandreid +Alexandretta +Alexandria +Alexandrian +Alexandrianism +Alexandrina +Alexandrine +alexandrines +Alexandrinus +alexandrite +Alexandro +Alexandropolis +Alexandros +Alexandroupolis +Alexas +Alexei +Alexi +Alexia +Alexian +Alexiares +alexias +alexic +Alexicacus +alexin +Alexina +Alexine +alexines +alexinic +alexins +Alexio +alexipharmacon +alexipharmacum +alexipharmic +alexipharmical +alexipyretic +ALEXIS +Alexishafen +alexiteric +alexiterical +Alexius +alezan +Alf +ALFA +Alfadir +alfaje +alfaki +alfakis +alfalfa +alfalfas +alfaqui +alfaquin +alfaquins +alfaquis +Alfarabius +alfarga +alfas +ALFE +Alfedena +alfenide +Alfeo +alferes +alferez +alfet +Alfeus +Alfheim +Alfi +Alfy +Alfie +Alfieri +alfilaria +alfileria +alfilerilla +alfilerillo +alfin +alfiona +alfione +Alfirk +alfoncino +Alfons +Alfonse +alfonsin +Alfonso +Alfonson +Alfonzo +Alford +alforge +alforja +alforjas +Alfraganus +Alfred +Alfreda +Alfredo +alfresco +Alfric +alfridary +alfridaric +Alfur +Alfurese +Alfuro +al-Fustat +Alg +alg- +Alg. +alga +algae +algaecide +algaeology +algaeological +algaeologist +algaesthesia +algaesthesis +algal +algal-algal +Algalene +algalia +Algar +algarad +algarde +algaroba +algarobas +algarot +Algaroth +algarroba +algarrobilla +algarrobin +Algarsyf +Algarsife +Algarve +algas +algate +algates +algazel +Al-Gazel +Algebar +algebra +algebraic +algebraical +algebraically +algebraist +algebraists +algebraization +algebraize +algebraized +algebraizing +algebras +algebra's +algebrization +Algeciras +Algedi +algedo +algedonic +algedonics +algefacient +Algenib +Alger +Algeria +Algerian +algerians +algerienne +Algerine +algerines +algerita +algerite +Algernon +algesia +algesic +algesimeter +algesiometer +algesireceptor +algesis +algesthesis +algetic +Alghero +Algy +algia +Algic +algicidal +algicide +algicides +algid +algidity +algidities +algidness +Algie +Algieba +Algiers +algific +algin +alginate +alginates +algine +alginic +algins +alginuresis +algiomuscular +algist +algivorous +algo- +algocyan +algodon +algodoncillo +algodonite +algoesthesiometer +algogenic +algoid +ALGOL +algolagny +algolagnia +algolagnic +algolagnist +algology +algological +algologically +algologies +algologist +Algoma +Algoman +algometer +algometry +algometric +algometrical +algometrically +Algomian +Algomic +Algona +Algonac +Algonkian +Algonkin +Algonkins +Algonquian +Algonquians +Algonquin +Algonquins +algophagous +algophilia +algophilist +algophobia +algor +Algorab +Algores +algorism +algorismic +algorisms +algorist +algoristic +algorithm +algorithmic +algorithmically +algorithms +algorithm's +algors +algosis +algous +algovite +algraphy +algraphic +Algren +alguacil +alguazil +alguifou +Alguire +algum +algums +alhacena +Alhagi +Alhambra +Alhambraic +Alhambresque +alhandal +Alhazen +Alhena +alhenna +alhet +ALI +aly +ali- +Alia +Alya +Aliacensis +aliamenta +alias +aliased +aliases +aliasing +Alyattes +Alibamu +alibangbang +Aliber +alibi +alibied +alibies +alibiing +alibility +alibis +alibi's +alible +Alic +Alica +Alicant +Alicante +Alice +Alyce +Alicea +Alice-in-Wonderland +Aliceville +alichel +Alichino +Alicia +alicyclic +Alick +alicoche +alycompaine +alictisal +alicula +aliculae +Alida +Alyda +alidad +alidada +alidade +alidades +alidads +Alydar +Alidia +Alidis +Alids +Alidus +Alie +Alief +alien +alienability +alienabilities +alienable +alienage +alienages +alienate +alienated +alienates +alienating +alienation +alienations +alienator +aliency +aliene +aliened +alienee +alienees +aliener +alieners +alienicola +alienicolae +alienigenate +aliening +alienism +alienisms +alienist +alienists +alienize +alienly +alienness +alienor +alienors +aliens +alien's +alienship +Alyeska +aliesterase +aliet +aliethmoid +aliethmoidal +alif +Alifanfaron +alife +aliferous +aliform +alifs +Aligarh +aligerous +alight +alighted +alighten +alighting +alightment +alights +align +aligned +aligner +aligners +aligning +alignment +alignments +aligns +aligreek +alii +aliya +aliyah +aliyahs +aliyas +aliyos +aliyot +aliyoth +aliipoe +Alika +alike +Alikee +alikeness +alikewise +Alikuluf +Alikulufan +alilonghi +alima +alimenation +aliment +alimental +alimentally +alimentary +alimentariness +alimentation +alimentative +alimentatively +alimentativeness +alimented +alimenter +alimentic +alimenting +alimentive +alimentiveness +alimentotherapy +aliments +alimentum +alimony +alimonied +alimonies +alymphia +alymphopotent +alin +Alina +alinasal +Aline +A-line +alineation +alined +alinement +aliner +aliners +alines +alingual +alining +alinit +Alinna +alinota +alinotum +alintatao +aliofar +Alyose +Alyosha +Alioth +alipata +aliped +alipeds +aliphatic +alipin +alypin +alypine +aliptae +alipteria +alipterion +aliptes +aliptic +aliptteria +alypum +aliquant +aliquid +Aliquippa +aliquot +aliquots +Alis +Alys +Alisa +Alysa +Alisan +Alisander +alisanders +Alyse +Alisen +aliseptal +alish +Alisha +Alisia +Alysia +alisier +Al-Iskandariyah +Alisma +Alismaceae +alismaceous +alismad +alismal +Alismales +Alismataceae +alismoid +aliso +Alison +Alyson +alisonite +alisos +Alysoun +alisp +alispheno +alisphenoid +alisphenoidal +Alyss +Alissa +Alyssa +alysson +Alyssum +alyssums +alist +Alistair +Alister +Alisun +ALIT +Alita +Alitalia +alytarch +alite +aliter +Alytes +Alitha +Alithea +Alithia +ality +alitrunk +Alitta +aliturgic +aliturgical +aliunde +Alius +alive +aliveness +alives +alivincular +Alyworth +Alix +Aliza +alizarate +alizari +alizarin +alizarine +alizarins +aljama +aljamado +aljamia +aljamiado +aljamiah +aljoba +aljofaina +alk +alk. +Alkabo +alkahest +alkahestic +alkahestica +alkahestical +alkahests +Alkaid +alkalamide +alkalemia +alkalescence +alkalescency +alkalescent +alkali +alkalic +alkalies +alkaliferous +alkalify +alkalifiable +alkalified +alkalifies +alkalifying +alkaligen +alkaligenous +alkalimeter +alkalimetry +alkalimetric +alkalimetrical +alkalimetrically +alkalin +alkaline +alkalinisation +alkalinise +alkalinised +alkalinising +alkalinity +alkalinities +alkalinization +alkalinize +alkalinized +alkalinizes +alkalinizing +alkalinuria +alkalis +alkali's +alkalisable +alkalisation +alkalise +alkalised +alkaliser +alkalises +alkalising +alkalizable +alkalizate +alkalization +alkalize +alkalized +alkalizer +alkalizes +alkalizing +alkaloid +alkaloidal +alkaloids +alkaloid's +alkalometry +alkalosis +alkalous +Alkalurops +alkamin +alkamine +alkanal +alkane +alkanes +alkanet +alkanethiol +alkanets +Alkanna +alkannin +alkanol +Alkaphrah +alkapton +alkaptone +alkaptonuria +alkaptonuric +alkargen +alkarsin +alkarsine +Alka-Seltzer +alkatively +alkedavy +alkekengi +alkene +alkenes +alkenyl +alkenna +alkermes +Alkes +Alkhimovo +alky +alkyd +alkide +alkyds +alkies +alkyl +alkylamine +alkylamino +alkylarylsulfonate +alkylate +alkylated +alkylates +alkylating +alkylation +alkylbenzenesulfonate +alkylbenzenesulfonates +alkylene +alkylic +alkylidene +alkylize +alkylogen +alkylol +alkyloxy +alkyls +alkin +alkine +alkyne +alkines +alkynes +alkitran +Alkmaar +Alkol +alkool +Alkoran +Alkoranic +alkoxy +alkoxid +alkoxide +alkoxyl +all +all- +Alla +all-abhorred +all-able +all-absorbing +allabuta +all-accomplished +allachesthesia +all-acting +allactite +all-admired +all-admiring +all-advised +allaeanthus +all-affecting +all-afflicting +all-aged +allagite +allagophyllous +allagostemonous +Allah +Allahabad +allah's +allay +allayed +allayer +allayers +allaying +allayment +Allain +Allayne +all-air +allays +allalinite +Allamanda +all-amazed +All-american +allamonti +all-a-mort +allamoth +allamotti +Allamuchy +Allan +Allana +Allan-a-Dale +allanite +allanites +allanitic +Allanson +allantiasis +all'antica +allantochorion +allantoic +allantoid +allantoidal +Allantoidea +allantoidean +allantoides +allantoidian +allantoin +allantoinase +allantoinuria +allantois +allantoxaidin +allanturic +all-appaled +all-appointing +all-approved +all-approving +Allard +Allardt +Allare +allargando +all-armed +all-around +all-arraigning +all-arranging +Allasch +all-assistless +allassotonic +al-Lat +allative +all-atoning +allatrate +all-attempting +all-availing +all-bearing +all-beauteous +all-beautiful +Allbee +all-beholding +all-bestowing +all-binding +all-bitter +all-black +all-blasting +all-blessing +allbone +all-bounteous +all-bountiful +all-bright +all-brilliant +All-british +All-caucasian +all-changing +all-cheering +all-collected +all-colored +all-comfortless +all-commander +all-commanding +all-compelling +all-complying +all-composing +all-comprehending +all-comprehensive +all-comprehensiveness +all-concealing +all-conceiving +all-concerning +all-confounding +all-conquering +all-conscious +all-considering +all-constant +all-constraining +all-consuming +all-content +all-controlling +all-convincing +all-convincingly +Allcot +all-covering +all-creating +all-creator +all-curing +all-day +all-daring +all-dazzling +all-deciding +all-defiance +all-defying +all-depending +all-designing +all-desired +all-despising +all-destroyer +all-destroying +all-devastating +all-devouring +all-dimming +all-directing +all-discerning +all-discovering +all-disgraced +all-dispensing +all-disposer +all-disposing +all-divine +all-divining +all-dreaded +all-dreadful +all-drowsy +Alle +all-earnest +all-eating +allecret +allect +allectory +Alledonia +Alleen +Alleene +all-efficacious +all-efficient +Allegan +Allegany +allegata +allegate +allegation +allegations +allegation's +allegator +allegatum +allege +allegeable +alleged +allegedly +allegement +alleger +allegers +alleges +Alleghany +Alleghanian +Allegheny +Alleghenian +Alleghenies +allegiance +allegiances +allegiance's +allegiancy +allegiant +allegiantly +allegiare +alleging +allegory +allegoric +allegorical +allegorically +allegoricalness +allegories +allegory's +allegorisation +allegorise +allegorised +allegoriser +allegorising +allegorism +allegorist +allegorister +allegoristic +allegorists +allegorization +allegorize +allegorized +allegorizer +allegorizing +Allegra +Allegre +allegresse +allegretto +allegrettos +allegretto's +allegro +allegros +allegro's +Alley +alleyed +all-eyed +alleyite +Alleyn +Alleyne +alley-oop +alleys +alley's +alleyway +alleyways +alleyway's +allele +alleles +alleleu +allelic +allelism +allelisms +allelocatalytic +allelomorph +allelomorphic +allelomorphism +allelopathy +all-eloquent +allelotropy +allelotropic +allelotropism +Alleluia +alleluiah +alleluias +alleluiatic +alleluja +allelvia +Alleman +allemand +allemande +allemandes +allemands +all-embracing +all-embracingness +allemontite +Allen +allenarly +Allenby +all-encompasser +all-encompassing +Allendale +Allende +all-ending +Allendorf +all-enduring +Allene +all-engrossing +all-engulfing +Allenhurst +alleniate +all-enlightened +all-enlightening +Allenport +all-enraged +Allensville +allentando +allentato +Allentiac +Allentiacan +Allenton +Allentown +all-envied +Allenwood +Alleppey +aller +Alleras +allergen +allergenic +allergenicity +allergens +allergy +allergia +allergic +allergies +allergin +allergins +allergy's +allergist +allergists +allergology +Allerie +allerion +Alleris +aller-retour +Allerton +Allerus +all-essential +allesthesia +allethrin +alleve +alleviant +alleviate +alleviated +alleviater +alleviaters +alleviates +alleviating +alleviatingly +alleviation +alleviations +alleviative +alleviator +alleviatory +alleviators +all-evil +all-excellent +all-expense +all-expenses-paid +allez +allez-vous-en +all-fair +All-father +All-fatherhood +All-fatherly +all-filling +all-fired +all-firedest +all-firedly +all-flaming +all-flotation +all-flower-water +all-foreseeing +all-forgetful +all-forgetting +all-forgiving +all-forgotten +all-fullness +all-gas +all-giver +all-glorious +all-golden +Allgood +all-governing +allgovite +all-gracious +all-grasping +all-great +all-guiding +Allhallow +all-hallow +all-hallowed +Allhallowmas +Allhallows +Allhallowtide +all-happy +allheal +all-healing +allheals +all-hearing +all-heeding +all-helping +all-hiding +all-holy +all-honored +all-hoping +all-hurting +Alli +ally +alliable +alliably +Alliaceae +alliaceous +alliage +Alliance +allianced +alliancer +alliances +alliance's +alliancing +Allianora +alliant +Alliaria +Alliber +allicampane +allice +Allyce +allicholly +alliciency +allicient +allicin +allicins +allicit +all-idolizing +Allie +all-year +Allied +Allier +Allies +alligate +alligated +alligating +alligation +alligations +alligator +alligatored +alligatorfish +alligatorfishes +alligatoring +alligators +alligator's +allyic +allying +allyl +allylamine +allylate +allylation +allylene +allylic +all-illuminating +allyls +allylthiourea +all-imitating +all-important +all-impressive +Allin +all-in +Allyn +Allina +all-including +all-inclusive +all-inclusiveness +All-india +Allyne +allineate +allineation +all-infolding +all-informing +all-in-one +all-interesting +all-interpreting +all-invading +all-involving +Allionia +Allioniaceae +allyou +Allis +Allys +Allisan +allision +Allison +Allyson +Allissa +Allista +Allister +Allistir +all'italiana +alliteral +alliterate +alliterated +alliterates +alliterating +alliteration +alliterational +alliterationist +alliterations +alliteration's +alliterative +alliteratively +alliterativeness +alliterator +allituric +Allium +alliums +allivalite +Allix +all-jarred +all-judging +all-just +all-justifying +all-kind +all-knavish +all-knowing +all-knowingness +all-land +all-lavish +all-licensed +all-lovely +all-loving +all-maintaining +all-maker +all-making +all-maturing +all-meaningness +all-merciful +all-metal +all-might +all-miscreative +Allmon +allmouth +allmouths +all-murdering +allness +all-night +all-noble +all-nourishing +allo +allo- +Alloa +alloantibody +allobar +allobaric +allobars +all-obedient +all-obeying +all-oblivious +Allobroges +allobrogical +all-obscuring +allocability +allocable +allocaffeine +allocatable +allocate +allocated +allocatee +allocates +allocating +allocation +allocations +allocator +allocators +allocator's +allocatur +allocheiria +allochetia +allochetite +allochezia +allochiral +allochirally +allochiria +allochlorophyll +allochroic +allochroite +allochromatic +allochroous +allochthon +allochthonous +allocyanine +allocinnamic +Allock +alloclase +alloclasite +allocochick +allocryptic +allocrotonic +allocthonous +allocute +allocution +allocutive +allod +allodelphite +allodesmism +allodge +allody +allodia +allodial +allodialism +allodialist +allodiality +allodially +allodian +allodiary +allodiaries +allodies +allodification +allodium +allods +alloeosis +alloeostropha +alloeotic +alloerotic +alloerotism +allogamy +allogamies +allogamous +allogene +allogeneic +allogeneity +allogeneous +allogenic +allogenically +allograft +allograph +allographic +alloy +alloyage +alloyed +alloying +all-oil +alloimmune +alloiogenesis +alloiometry +alloiometric +alloys +alloy's +alloisomer +alloisomeric +alloisomerism +allokinesis +allokinetic +allokurtic +allolalia +allolalic +allomerism +allomerization +allomerize +allomerized +allomerizing +allomerous +allometry +allometric +allomorph +allomorphic +allomorphism +allomorphite +allomucic +allonge +allonges +allonym +allonymous +allonymously +allonyms +allonomous +Allons +alloo +allo-octaploid +allopalladium +allopath +allopathetic +allopathetically +allopathy +allopathic +allopathically +allopathies +allopathist +allopaths +allopatry +allopatric +allopatrically +allopelagic +allophanamid +allophanamide +allophanate +allophanates +allophane +allophanic +allophyle +allophylian +allophylic +Allophylus +allophite +allophytoid +allophone +allophones +allophonic +allophonically +allophore +alloplasm +alloplasmatic +alloplasmic +alloplast +alloplasty +alloplastic +alloploidy +allopolyploid +allopolyploidy +allopsychic +allopurinol +alloquy +alloquial +alloquialism +all-ordering +allorhythmia +all-or-none +allorrhyhmia +allorrhythmic +allosaur +Allosaurus +allose +allosematic +allosyndesis +allosyndetic +allosome +allosteric +allosterically +allot +alloted +allotee +allotelluric +allotheism +allotheist +allotheistic +Allotheria +allothigene +allothigenetic +allothigenetically +allothigenic +allothigenous +allothimorph +allothimorphic +allothogenic +allothogenous +allotype +allotypes +allotypy +allotypic +allotypical +allotypically +allotypies +allotment +allotments +allotment's +allotransplant +allotransplantation +allotrylic +allotriodontia +Allotriognathi +allotriomorphic +allotriophagy +allotriophagia +allotriuria +allotrope +allotropes +allotrophic +allotropy +allotropic +allotropical +allotropically +allotropicity +allotropies +allotropism +allotropize +allotropous +allots +allottable +all'ottava +allotted +allottee +allottees +allotter +allottery +allotters +allotting +Allouez +all-out +allover +all-over +all-overish +all-overishness +all-overpowering +allovers +all-overs +all-overtopping +allow +allowable +allowableness +allowably +Alloway +allowance +allowanced +allowances +allowance's +allowancing +allowed +allowedly +allower +allowing +allows +alloxan +alloxanate +alloxanic +alloxans +alloxantin +alloxy +alloxyproteic +alloxuraemia +alloxuremia +alloxuric +allozooid +all-panting +all-parent +all-pass +all-patient +all-peaceful +all-penetrating +all-peopled +all-perceptive +all-perfect +all-perfection +all-perfectness +all-perficient +all-persuasive +all-pervading +all-pervadingness +all-pervasive +all-pervasiveness +all-piercing +all-pitying +all-pitiless +all-pondering +Allport +all-possessed +all-potency +all-potent +all-potential +all-power +all-powerful +all-powerfully +all-powerfulness +all-praised +all-praiseworthy +all-presence +all-present +all-prevailing +all-prevailingness +all-prevalency +all-prevalent +all-preventing +all-prolific +all-protecting +all-provident +all-providing +all-puissant +all-pure +all-purpose +all-quickening +all-rail +all-rapacious +all-reaching +Allred +all-red +all-redeeming +all-relieving +all-rending +all-righteous +allround +all-round +all-roundedness +all-rounder +all-rubber +Allrud +all-ruling +All-russia +All-russian +alls +all-sacred +all-sayer +all-sanctifying +all-satiating +all-satisfying +all-saving +all-sea +all-searching +allseed +allseeds +all-seeing +all-seeingly +all-seeingness +all-seer +all-shaking +all-shamed +all-shaped +all-shrouding +all-shunned +all-sided +all-silent +all-sized +all-sliming +all-soothing +Allsopp +all-sorts +all-soul +All-southern +allspice +allspices +all-spreading +all-star +all-stars +Allstate +all-steel +Allston +all-strangling +all-subduing +all-submissive +all-substantial +all-sufficiency +all-sufficient +all-sufficiently +all-sufficing +Allsun +all-surpassing +all-surrounding +all-surveying +all-sustainer +all-sustaining +all-swaying +all-swallowing +all-telling +all-terrible +allthing +allthorn +all-thorny +all-time +all-tolerating +all-transcending +all-triumphing +all-truth +alltud +all-turned +all-turning +allude +alluded +alludes +alluding +allumette +allumine +alluminor +all-understanding +all-unwilling +all-upholder +all-upholding +allurance +allure +allured +allurement +allurements +allurer +allurers +allures +alluring +alluringly +alluringness +allusion +allusions +allusion's +allusive +allusively +allusiveness +allusivenesses +allusory +allutterly +alluvia +alluvial +alluvials +alluviate +alluviation +alluvio +alluvion +alluvions +alluvious +alluvium +alluviums +alluvivia +alluviviums +Allvar +all-various +all-vast +Allveta +all-watched +all-water +all-weak +all-weather +all-weight +Allwein +allwhere +allwhither +all-whole +all-wisdom +all-wise +all-wisely +all-wiseness +all-wondrous +all-wood +all-wool +allwork +all-working +all-worshiped +Allworthy +all-worthy +all-wrongness +Allx +ALM +Alma +Alma-Ata +almacantar +almacen +almacenista +Almach +almaciga +almacigo +Almad +Almada +Almaden +almadia +almadie +Almagest +almagests +almagra +almah +almahs +Almain +almaine +almain-rivets +Almallah +alma-materism +al-Mamoun +Alman +almanac +almanacs +almanac's +almander +almandine +almandines +almandite +almanner +Almanon +almas +Alma-Tadema +alme +Almeda +Almeeta +almeh +almehs +Almeida +almeidina +Almelo +almemar +almemars +almemor +Almena +almendro +almendron +Almera +almery +Almeria +Almerian +Almeric +almeries +almeriite +almes +Almeta +almice +almicore +Almida +almight +Almighty +almightily +almightiness +almique +Almira +Almyra +almirah +Almire +almistry +Almita +almner +almners +Almo +almochoden +almocrebe +almogavar +Almohad +Almohade +Almohades +almoign +almoin +Almon +almonage +Almond +almond-eyed +almond-furnace +almondy +almond-leaved +almondlike +almonds +almond's +almond-shaped +almoner +almoners +almonership +almoning +almonry +almonries +Almont +Almoravid +Almoravide +Almoravides +almose +almost +almous +alms +alms-dealing +almsdeed +alms-fed +almsfolk +almsful +almsgiver +almsgiving +almshouse +alms-house +almshouses +almsman +almsmen +almsmoney +almswoman +almswomen +almucantar +almuce +almuces +almud +almude +almudes +almuds +almuerzo +almug +almugs +Almund +Almuredin +almury +almuten +aln +Alna +alnage +alnager +alnagership +Alnaschar +Alnascharism +alnath +alnein +Alnico +alnicoes +Alnilam +alniresinol +Alnitak +Alnitham +alniviridol +alnoite +alnuin +Alnus +Alo +Aloadae +Alocasia +alochia +alod +aloddia +Alodee +Alodi +alody +alodia +alodial +alodialism +alodialist +alodiality +alodially +alodialty +alodian +alodiary +alodiaries +Alodie +alodies +alodification +alodium +aloe +aloed +aloedary +aloe-emodin +aloelike +aloemodin +aloeroot +aloes +aloesol +aloeswood +aloetic +aloetical +Aloeus +aloewood +aloft +Alogi +alogy +alogia +Alogian +alogical +alogically +alogism +alogotrophy +Aloha +alohas +aloyau +aloid +Aloidae +Aloin +aloins +Alois +Aloys +Aloise +Aloisia +Aloysia +aloisiite +Aloisius +Aloysius +Aloke +aloma +alomancy +Alon +alone +alonely +aloneness +along +alongships +alongshore +alongshoreman +alongside +alongst +Alonso +Alonsoa +Alonzo +aloof +aloofe +aloofly +aloofness +aloose +alop +alopathic +Alope +alopecia +Alopecias +alopecic +alopecist +alopecoid +Alopecurus +Alopecus +alopekai +alopeke +alophas +Alopias +Alopiidae +alorcinic +Alorton +Alosa +alose +Alost +Alouatta +alouatte +aloud +Alouette +alouettes +alout +alow +alowe +Aloxe-Corton +Aloxite +ALP +alpaca +alpacas +alpargata +alpasotes +Alpaugh +Alpax +alpeen +Alpen +Alpena +alpenglow +alpenhorn +alpenhorns +alpenstock +alpenstocker +alpenstocks +Alper +Alpers +Alpert +Alpes-de-Haute-Provence +Alpes-Maritimes +alpestral +alpestrian +alpestrine +Alpetragius +Alpha +alpha-amylase +alphabet +alphabetary +alphabetarian +alphabeted +alphabetic +alphabetical +alphabetically +alphabetics +alphabetiform +alphabeting +alphabetisation +alphabetise +alphabetised +alphabetiser +alphabetising +alphabetism +alphabetist +alphabetization +alphabetize +alphabetized +alphabetizer +alphabetizers +alphabetizes +alphabetizing +alphabetology +alphabets +alphabet's +alpha-cellulose +Alphaea +alpha-eucaine +alpha-hypophamine +alphameric +alphamerical +alphamerically +alpha-naphthylamine +alpha-naphthylthiourea +alpha-naphthol +alphanumeric +alphanumerical +alphanumerically +alphanumerics +Alphard +Alpharetta +alphas +Alphatype +alpha-tocopherol +alphatoluic +alpha-truxilline +Alphean +Alphecca +alphenic +Alpheratz +Alphesiboea +Alpheus +alphyl +alphyls +alphin +alphyn +alphitomancy +alphitomorphous +alphol +Alphonist +Alphons +Alphonsa +Alphonse +alphonsin +Alphonsine +Alphonsism +Alphonso +Alphonsus +alphorn +alphorns +alphos +alphosis +alphosises +Alpian +Alpid +alpieu +alpigene +Alpine +alpinely +alpinery +alpines +alpinesque +Alpinia +Alpiniaceae +Alpinism +alpinisms +Alpinist +alpinists +alpist +alpiste +ALPO +Alpoca +Alps +Alpujarra +alqueire +alquier +alquifou +alraun +already +alreadiness +Alric +Alrich +Alrick +alright +alrighty +Alroi +Alroy +alroot +ALRU +alruna +alrune +AlrZc +ALS +Alsace +Alsace-Lorraine +Alsace-lorrainer +al-Sahih +Alsatia +Alsatian +alsbachite +Alsea +Alsey +Alsen +Alshain +alsifilm +alsike +alsikes +Alsinaceae +alsinaceous +Alsine +Alsip +alsmekill +Also +Alson +alsoon +Alsop +Alsophila +also-ran +Alstead +Alston +Alstonia +alstonidine +alstonine +alstonite +Alstroemeria +alsweill +alswith +Alsworth +alt +alt. +Alta +Alta. +Altadena +Altaf +Altai +Altay +Altaian +Altaic +Altaid +Altair +altaite +Altaloma +altaltissimo +Altamahaw +Altamira +Altamont +altar +altarage +altared +altarist +altarlet +altarpiece +altarpieces +altars +altar's +altarwise +Altavista +altazimuth +Altdorf +Altdorfer +Alten +Altenburg +alter +alterability +alterable +alterableness +alterably +alterant +alterants +alterate +alteration +alterations +alteration's +alterative +alteratively +altercate +altercated +altercating +altercation +altercations +altercation's +altercative +altered +alteregoism +alteregoistic +alterer +alterers +altering +alterity +alterius +alterman +altern +alternacy +alternamente +alternance +alternant +Alternanthera +Alternaria +alternariose +alternat +alternate +alternated +alternate-leaved +alternately +alternateness +alternater +alternates +alternating +alternatingly +alternation +alternationist +alternations +alternative +alternatively +alternativeness +alternatives +alternativity +alternativo +alternator +alternators +alternator's +alterne +alterni- +alternifoliate +alternipetalous +alternipinnate +alternisepalous +alternity +alternize +alterocentric +alters +alterum +Altes +altesse +alteza +altezza +Altgeld +Altha +Althaea +althaeas +althaein +Althaemenes +Althea +altheas +Althee +Altheimer +althein +altheine +Altheta +Althing +althionic +altho +althorn +althorns +although +alti- +Altica +Alticamelus +altify +altigraph +altilik +altiloquence +altiloquent +altimeter +altimeters +altimetry +altimetrical +altimetrically +altimettrically +altin +altincar +Altingiaceae +altingiaceous +altininck +altiplanicie +Altiplano +alti-rilievi +Altis +altiscope +altisonant +altisonous +altissimo +altitonant +altitude +altitudes +altitudinal +altitudinarian +altitudinous +Altman +Altmar +alto +alto- +altocumulus +alto-cumulus +alto-cumulus-castellatus +altogether +altogetherness +altoist +altoists +altometer +Alton +Altona +Altoona +alto-relievo +alto-relievos +alto-rilievo +altos +alto's +altostratus +alto-stratus +altoun +altrices +altricial +Altrincham +Altro +altropathy +altrose +altruism +altruisms +altruist +altruistic +altruistically +altruists +alts +altschin +altumal +altun +Altura +Alturas +alture +Altus +ALU +Aluco +Aluconidae +Aluconinae +aludel +aludels +Aludra +Aluin +Aluino +alula +alulae +alular +alulet +Alulim +alum +alum. +Alumbank +alumbloom +alumbrado +Alumel +alumen +alumetize +alumian +alumic +alumiferous +alumin +alumina +aluminaphone +aluminas +aluminate +alumine +alumines +aluminic +aluminide +aluminiferous +aluminiform +aluminyl +aluminio- +aluminise +aluminised +aluminish +aluminising +aluminite +aluminium +aluminize +aluminized +aluminizes +aluminizing +alumino- +aluminoferric +aluminography +aluminographic +aluminose +aluminosilicate +aluminosis +aluminosity +aluminothermy +aluminothermic +aluminothermics +aluminotype +aluminous +alumins +aluminum +aluminums +alumish +alumite +alumium +alumna +alumnae +alumnal +alumna's +alumni +alumniate +Alumnol +alumnus +alumohydrocalcite +alumroot +alumroots +alums +alumstone +alun-alun +Alundum +aluniferous +alunite +alunites +alunogen +alupag +Alur +Alurd +alure +alurgite +Alurta +alushtite +aluta +alutaceous +al-Uzza +Alva +Alvada +Alvadore +Alvah +Alvan +Alvar +Alvarado +Alvarez +Alvaro +Alvaton +alveary +alvearies +alvearium +alveated +alvelos +alveloz +alveola +alveolae +alveolar +alveolary +alveolariform +alveolarly +alveolars +alveolate +alveolated +alveolation +alveole +alveolectomy +alveoli +alveoliform +alveolite +Alveolites +alveolitis +alveolo- +alveoloclasia +alveolocondylean +alveolodental +alveololabial +alveololingual +alveolonasal +alveolosubnasal +alveolotomy +alveolus +Alver +Alvera +Alverda +Alverson +Alverta +Alverton +Alves +Alveta +alveus +Alvy +alvia +Alviani +alviducous +Alvie +Alvin +Alvina +alvine +Alvinia +Alvino +Alvira +Alvis +Alviso +Alviss +Alvissmal +Alvita +alvite +Alvito +Alvo +Alvord +Alvordton +alvus +alw +alway +always +Alwin +Alwyn +alwise +alwite +Alwitt +Alzada +alzheimer +AM +Am. +AMA +amaas +Amabel +Amabella +Amabelle +Amabil +amabile +amability +amable +amacratic +amacrinal +amacrine +AMACS +amadan +Amadas +amadavat +amadavats +amadelphous +Amadeo +Amadeus +Amadi +Amadis +Amado +Amador +amadou +amadous +Amadus +Amaethon +Amafingo +amaga +Amagansett +Amagasaki +Amagon +amah +amahs +Amahuaca +amay +Amaya +Amaigbo +amain +amaine +amaist +amaister +amakebe +Amakosa +Amal +amala +amalaita +amalaka +Amalbena +Amalberga +Amalbergas +Amalburga +Amalea +Amalee +Amalek +Amalekite +Amaleta +amalett +Amalfian +Amalfitan +amalg +amalgam +amalgamable +amalgamate +amalgamated +amalgamater +amalgamates +amalgamating +amalgamation +amalgamationist +amalgamations +amalgamative +amalgamatize +amalgamator +amalgamators +amalgamist +amalgamization +amalgamize +amalgams +amalgam's +Amalia +amalic +Amalie +Amalings +Amalita +Amalle +Amalrician +amaltas +Amalthaea +Amalthea +Amaltheia +amamau +Amampondo +Aman +Amana +Amand +Amanda +amande +Amandi +Amandy +Amandie +amandin +amandine +Amando +Amandus +amang +amani +amania +Amanist +Amanita +amanitas +amanitin +amanitine +amanitins +Amanitopsis +Amann +amanori +amanous +amant +amantadine +amante +amantillo +amanuenses +amanuensis +Amap +Amapa +Amapondo +Amar +Amara +amaracus +Amara-kosha +Amaral +Amarant +Amarantaceae +amarantaceous +amaranth +Amaranthaceae +amaranthaceous +amaranthine +amaranthoid +amaranth-purple +amaranths +Amaranthus +amarantine +amarantite +Amarantus +Amaras +AMARC +amarelle +amarelles +Amarette +amaretto +amarettos +amarevole +Amargo +amargosa +amargoso +amargosos +Amari +Amary +Amaryl +Amarillas +amaryllid +Amaryllidaceae +amaryllidaceous +amaryllideous +Amarillis +Amaryllis +amaryllises +Amarillo +amarillos +amarin +Amarynceus +amarine +Amaris +amarity +amaritude +Amarna +amaroid +amaroidal +amarth +amarthritis +amarvel +amas +Amasa +AMASE +amasesis +Amasias +amass +amassable +amassed +amasser +amassers +amasses +amassette +amassing +amassment +amassments +Amasta +amasthenic +amasty +amastia +AMAT +Amata +amate +amated +Amatembu +Amaterasu +amaterialistic +amateur +amateurish +amateurishly +amateurishness +amateurism +amateurisms +amateurs +amateur's +amateurship +Amathi +Amathist +Amathiste +amathophobia +Amati +Amaty +amating +amatito +amative +amatively +amativeness +Amato +amatol +amatols +amatory +amatorial +amatorially +amatorian +amatories +amatorio +amatorious +AMATPS +amatrice +Amatruda +Amatsumara +amatungula +amaurosis +amaurotic +amaut +Amawalk +amaxomania +amaze +amazed +amazedly +amazedness +amazeful +amazement +amazements +amazer +amazers +amazes +amazia +Amaziah +Amazilia +amazing +amazingly +Amazon +Amazona +Amazonas +Amazonia +Amazonian +Amazonis +Amazonism +amazonite +Amazonomachia +amazons +amazon's +amazonstone +Amazulu +Amb +AMBA +ambach +ambage +ambages +ambagiosity +ambagious +ambagiously +ambagiousness +ambagitory +ambay +Ambala +ambalam +amban +ambar +ambaree +ambarella +ambari +ambary +ambaries +ambaris +ambas +ambash +ambassade +Ambassadeur +ambassador +ambassador-at-large +ambassadorial +ambassadorially +ambassadors +ambassador's +ambassadors-at-large +ambassadorship +ambassadorships +ambassadress +ambassage +ambassy +ambassiate +ambatch +ambatoarinite +ambe +Ambedkar +ambeer +ambeers +Amber +amber-clear +amber-colored +amber-days +amber-dropping +amberfish +amberfishes +Amberg +ambergrease +ambergris +ambergrises +amber-headed +amber-hued +ambery +amberies +amberiferous +amber-yielding +amberina +amberite +amberjack +amberjacks +Amberley +Amberly +amberlike +amber-locked +amberoid +amberoids +amberous +ambers +Amberson +Ambert +amber-tinted +amber-tipped +amber-weeping +amber-white +Amby +ambi- +Ambia +ambiance +ambiances +ambicolorate +ambicoloration +ambidexter +ambidexterity +ambidexterities +ambidexterous +ambidextral +ambidextrous +ambidextrously +ambidextrousness +Ambie +ambience +ambiences +ambiency +ambiens +ambient +ambients +ambier +ambigenal +ambigenous +ambigu +ambiguity +ambiguities +ambiguity's +ambiguous +ambiguously +ambiguousness +ambilaevous +ambil-anak +ambilateral +ambilateralaterally +ambilaterality +ambilaterally +ambilevous +ambilian +ambilogy +ambiopia +ambiparous +ambisextrous +ambisexual +ambisexuality +ambisexualities +ambisyllabic +ambisinister +ambisinistrous +ambisporangiate +Ambystoma +Ambystomidae +ambit +ambital +ambitendency +ambitendencies +ambitendent +ambition +ambitioned +ambitioning +ambitionist +ambitionless +ambitionlessly +ambitions +ambition's +ambitious +ambitiously +ambitiousness +ambits +ambitty +ambitus +ambivalence +ambivalences +ambivalency +ambivalent +ambivalently +ambiversion +ambiversive +ambivert +ambiverts +Amble +ambled +ambleocarpus +Ambler +amblers +ambles +amblyacousia +amblyaphia +Amblycephalidae +Amblycephalus +amblychromatic +Amblydactyla +amblygeusia +amblygon +amblygonal +amblygonite +ambling +amblingly +amblyocarpous +Amblyomma +amblyope +amblyopia +amblyopic +Amblyopsidae +Amblyopsis +amblyoscope +amblypod +Amblypoda +amblypodous +Amblyrhynchus +amblystegite +Amblystoma +amblosis +amblotic +ambo +amboceptoid +amboceptor +Ambocoelia +ambodexter +Amboy +Amboina +amboyna +amboinas +amboynas +Amboinese +Amboise +ambolic +ambomalleal +Ambon +ambones +ambonite +Ambonnay +ambos +ambosexous +ambosexual +ambracan +ambrain +ambreate +ambreic +ambrein +ambrette +ambrettolide +ambry +Ambrica +ambries +ambrite +Ambrogino +Ambrogio +ambroid +ambroids +Ambroise +ambrology +Ambros +Ambrosane +Ambrose +Ambrosi +Ambrosia +ambrosiac +Ambrosiaceae +ambrosiaceous +ambrosial +ambrosially +Ambrosian +ambrosias +ambrosiate +ambrosin +Ambrosine +Ambrosio +Ambrosius +ambrosterol +ambrotype +ambsace +ambs-ace +ambsaces +ambulacra +ambulacral +ambulacriform +ambulacrum +ambulance +ambulanced +ambulancer +ambulances +ambulance's +ambulancing +ambulant +ambulante +ambulantes +ambulate +ambulated +ambulates +ambulating +ambulatio +ambulation +ambulative +ambulator +ambulatory +Ambulatoria +ambulatorial +ambulatories +ambulatorily +ambulatorium +ambulatoriums +ambulators +ambulia +ambuling +ambulomancy +Ambur +amburbial +Amburgey +ambury +ambuscade +ambuscaded +ambuscader +ambuscades +ambuscading +ambuscado +ambuscadoed +ambuscados +ambush +ambushed +ambusher +ambushers +ambushes +ambushing +ambushlike +ambushment +ambustion +AMC +Amchitka +amchoor +AMD +amdahl +AMDG +amdt +AME +Ameagle +ameba +amebae +ameban +amebas +amebean +amebian +amebiasis +amebic +amebicidal +amebicide +amebid +amebiform +amebobacter +amebocyte +ameboid +ameboidism +amebous +amebula +Amedeo +AMEDS +ameed +ameen +ameer +ameerate +ameerates +ameers +ameiosis +ameiotic +Ameiuridae +Ameiurus +Ameiva +Ameizoeira +amel +Amelanchier +ameland +amelcorn +amelcorns +amelet +Amelia +Amelie +amelification +Amelina +Ameline +ameliorable +ameliorableness +ameliorant +ameliorate +ameliorated +ameliorates +ameliorating +amelioration +ameliorations +ameliorativ +ameliorative +amelioratively +ameliorator +amelioratory +Amelita +amellus +ameloblast +ameloblastic +amelu +amelus +Amen +Amena +amenability +amenable +amenableness +amenably +amenage +amenance +Amend +amendable +amendableness +amendatory +amende +amended +amende-honorable +amender +amenders +amending +amendment +amendments +amendment's +amends +amene +Amenia +Amenism +Amenite +amenity +amenities +amenorrhea +amenorrheal +amenorrheic +amenorrho +amenorrhoea +amenorrhoeal +amenorrhoeic +Amen-Ra +amens +ament +amenta +amentaceous +amental +Amenti +amenty +amentia +amentias +Amentiferae +amentiferous +amentiform +aments +amentula +amentulum +amentum +amenuse +Amer +Amer. +Amerada +amerce +amerceable +amerced +amercement +amercements +amercer +amercers +amerces +amerciable +amerciament +amercing +Amery +America +American +Americana +Americanese +Americanisation +Americanise +Americanised +Americaniser +Americanising +Americanism +americanisms +Americanist +Americanistic +Americanitis +Americanization +Americanize +Americanized +Americanizer +americanizes +Americanizing +Americanly +Americano +Americano-european +Americanoid +Americanos +americans +american's +americanum +americanumancestors +americas +america's +Americaward +Americawards +americium +americo- +Americomania +Americophobe +Americus +Amerigo +Amerika +amerikani +Amerimnon +AmerInd +Amerindian +amerindians +Amerindic +amerinds +amerism +ameristic +AMERITECH +Amero +Amersfoort +Amersham +AmerSp +amerveil +Ames +amesace +ames-ace +amesaces +Amesbury +amesite +Ameslan +amess +Amesville +Ametabola +ametabole +ametaboly +ametabolia +ametabolian +ametabolic +ametabolism +ametabolous +ametallous +Amethi +Amethist +Amethyst +amethystine +amethystlike +amethysts +amethodical +amethodically +ametoecious +ametria +ametrometer +ametrope +ametropia +ametropic +ametrous +AMEX +Amfortas +amgarn +amhar +Amhara +Amharic +Amherst +Amherstdale +amherstite +amhran +AMI +Amy +Amia +amiability +amiabilities +amiable +amiableness +amiably +amiant +amianth +amianthiform +amianthine +Amianthium +amianthoid +amianthoidal +amianthus +amiantus +amiantuses +Amias +Amyas +amyatonic +amic +amicability +amicabilities +amicable +amicableness +amicably +amical +AMICE +amiced +amices +AMIChemE +amici +amicicide +Amick +Amyclaean +Amyclas +amicous +amicrobic +amicron +amicronucleate +amyctic +amictus +amicus +Amycus +amid +amid- +Amida +Amidah +amidase +amidases +amidate +amidated +amidating +amidation +amide +amides +amidic +amidid +amidide +amidin +amidine +amidines +amidins +Amidism +Amidist +amidmost +amido +amido- +amidoacetal +amidoacetic +amidoacetophenone +amidoaldehyde +amidoazo +amidoazobenzene +amidoazobenzol +amidocaffeine +amidocapric +amidocyanogen +amidofluorid +amidofluoride +amidogen +amidogens +amidoguaiacol +amidohexose +amidoketone +Amidol +amidols +amidomyelin +Amidon +amydon +amidone +amidones +amidophenol +amidophosphoric +amidopyrine +amidoplast +amidoplastid +amidosuccinamic +amidosulphonal +amidothiazole +amido-urea +amidoxy +amidoxyl +amidoxime +amidrazone +amids +amidship +amidships +amidst +amidstream +amidulin +amidward +Amie +Amye +Amiel +amyelencephalia +amyelencephalic +amyelencephalous +amyelia +amyelic +amyelinic +amyelonic +amyelotrophy +amyelous +Amiens +amies +Amieva +amiga +amigas +amygdal +amygdala +Amygdalaceae +amygdalaceous +amygdalae +amygdalase +amygdalate +amygdale +amygdalectomy +amygdales +amygdalic +amygdaliferous +amygdaliform +amygdalin +amygdaline +amygdalinic +amygdalitis +amygdaloid +amygdaloidal +amygdalolith +amygdaloncus +amygdalopathy +amygdalothripsis +amygdalotome +amygdalotomy +amygdalo-uvular +Amygdalus +amygdonitrile +amygdophenin +amygdule +amygdules +Amigen +amigo +amigos +Amii +Amiidae +Amil +amyl +amyl- +amylaceous +amylamine +amylan +amylase +amylases +amylate +Amilcare +amildar +amylemia +amylene +amylenes +amylenol +Amiles +amylic +amylidene +amyliferous +amylin +amylo +amylo- +amylocellulose +amyloclastic +amylocoagulase +amylodextrin +amylodyspepsia +amylogen +amylogenesis +amylogenic +amylogens +amylohydrolysis +amylohydrolytic +amyloid +amyloidal +amyloidoses +amyloidosis +amyloids +amyloleucite +amylolysis +amylolytic +amylom +amylome +amylometer +amylon +amylopectin +amylophagia +amylophosphate +amylophosphoric +amyloplast +amyloplastic +amyloplastid +amylopsase +amylopsin +amylose +amyloses +amylosynthesis +amylosis +Amiloun +amyls +amylum +amylums +amyluria +AMIMechE +amimia +amimide +Amymone +Amin +amin- +aminase +aminate +aminated +aminating +amination +aminded +amine +amines +amini +aminic +aminish +aminity +aminities +aminization +aminize +amino +amino- +aminoacetal +aminoacetanilide +aminoacetic +aminoacetone +aminoacetophenetidine +aminoacetophenone +aminoacidemia +aminoaciduria +aminoanthraquinone +aminoazo +aminoazobenzene +aminobarbituric +aminobenzaldehyde +aminobenzamide +aminobenzene +aminobenzine +aminobenzoic +aminocaproic +aminodiphenyl +Amynodon +amynodont +aminoethionic +aminoformic +aminogen +aminoglutaric +aminoguanidine +aminoid +aminoketone +aminolipin +aminolysis +aminolytic +aminomalonic +aminomyelin +amino-oxypurin +aminopeptidase +aminophenol +aminopherase +aminophylline +aminopyrine +aminoplast +aminoplastic +aminopolypeptidase +aminopropionic +aminopurine +aminoquin +aminoquinoline +aminosis +aminosuccinamic +aminosulphonic +aminothiophen +aminotransferase +aminotriazole +aminovaleric +aminoxylol +amins +Aminta +Amintor +Amyntor +Amintore +Amioidei +amyosthenia +amyosthenic +amyotaxia +amyotonia +amyotrophy +amyotrophia +amyotrophic +amyous +Amir +amiray +amiral +Amyraldism +Amyraldist +Amiranha +amirate +amirates +amire +Amiret +Amyridaceae +amyrin +Amyris +amyrol +amyroot +amirs +amirship +Amis +Amish +Amishgo +amiss +amissibility +amissible +amissing +amission +amissness +Amissville +Amistad +amit +Amita +Amitabha +Amytal +amitate +Amite +Amythaon +Amity +Amitie +amities +Amityville +amitoses +amitosis +amitotic +amitotically +amitriptyline +amitrole +amitroles +Amittai +amitular +amixia +amyxorrhea +amyxorrhoea +Amizilis +amla +amlacra +amlet +amli +amlikar +Amlin +Amling +amlong +AMLS +Amma +Ammadas +Ammadis +Ammamaria +Amman +Ammanati +Ammanite +Ammann +ammelide +ammelin +ammeline +ammeos +ammer +Ammerman +ammeter +ammeters +Ammi +Ammiaceae +ammiaceous +Ammianus +AmMIEE +ammine +ammines +ammino +amminochloride +amminolysis +amminolytic +ammiolite +ammiral +Ammisaddai +Ammishaddai +ammites +ammo +ammo- +Ammobium +ammocete +ammocetes +ammochaeta +ammochaetae +ammochryse +ammocoete +ammocoetes +ammocoetid +Ammocoetidae +ammocoetiform +ammocoetoid +ammodyte +Ammodytes +Ammodytidae +ammodytoid +Ammon +ammonal +ammonals +ammonate +ammonation +Ammonea +ammonia +ammoniac +ammoniacal +ammoniaco- +ammoniacs +ammoniacum +ammoniaemia +ammonias +ammoniate +ammoniated +ammoniating +ammoniation +ammonic +ammonical +ammoniemia +ammonify +ammonification +ammonified +ammonifier +ammonifies +ammonifying +ammonio- +ammoniojarosite +ammonion +ammonionitrate +Ammonite +Ammonites +Ammonitess +ammonitic +ammoniticone +ammonitiferous +Ammonitish +ammonitoid +Ammonitoidea +ammonium +ammoniums +ammoniuret +ammoniureted +ammoniuria +ammonization +ammono +ammonobasic +ammonocarbonic +ammonocarbonous +ammonoid +Ammonoidea +ammonoidean +ammonoids +ammonolyses +ammonolysis +ammonolitic +ammonolytic +ammonolyze +ammonolyzed +ammonolyzing +Ammophila +ammophilous +ammoresinol +ammoreslinol +ammos +ammotherapy +ammu +ammunition +ammunitions +amnemonic +amnesia +amnesiac +amnesiacs +amnesias +amnesic +amnesics +amnesty +amnestic +amnestied +amnesties +amnestying +amnia +amniac +amniatic +amnic +Amnigenia +amninia +amninions +amnioallantoic +amniocentesis +amniochorial +amnioclepsis +amniomancy +amnion +Amnionata +amnionate +amnionia +amnionic +amnions +amniorrhea +amnios +Amniota +amniote +amniotes +amniotic +amniotin +amniotitis +amniotome +amn't +Amo +Amoakuh +amobarbital +amober +amobyr +Amoco +amoeba +amoebae +Amoebaea +amoebaean +amoebaeum +amoebalike +amoeban +amoebas +amoeba's +amoebean +amoebeum +amoebian +amoebiasis +amoebic +amoebicidal +amoebicide +amoebid +Amoebida +Amoebidae +amoebiform +Amoebobacter +Amoebobacterieae +amoebocyte +Amoebogeniae +amoeboid +amoeboidism +amoebous +amoebula +Amoy +Amoyan +amoibite +Amoyese +amoinder +amok +amoke +amoks +amole +amoles +amolilla +amolish +amollish +amomal +Amomales +Amomis +amomum +Amon +Amonate +among +amongst +Amon-Ra +amontillado +amontillados +Amopaon +Amor +Amora +amorado +amoraic +amoraim +amoral +amoralism +amoralist +amorality +amoralize +amorally +AMORC +Amores +Amoret +Amoreta +Amorete +Amorette +Amoretti +amoretto +amorettos +Amoreuxia +Amorgos +Amory +amorini +amorino +amorism +amorist +amoristic +amorists +Amorita +Amorite +Amoritic +Amoritish +Amoritta +amornings +amorosa +amorosity +amoroso +amorous +amorously +amorousness +amorousnesses +amorph +Amorpha +amorphi +amorphy +amorphia +amorphic +amorphinism +amorphism +amorpho- +Amorphophallus +amorphophyte +amorphotae +amorphous +amorphously +amorphousness +amorphozoa +amorphus +a-morrow +amort +amortisable +amortise +amortised +amortises +amortising +amortissement +amortisseur +amortizable +amortization +amortizations +amortize +amortized +amortizement +amortizes +amortizing +Amorua +Amos +amosite +Amoskeag +amotion +amotions +amotus +Amou +amouli +amount +amounted +amounter +amounters +amounting +amounts +amour +amouret +amourette +amourist +amour-propre +amours +amovability +amovable +amove +amoved +amoving +amowt +AMP +amp. +ampalaya +ampalea +ampangabeite +amparo +AMPAS +ampasimenite +ampassy +Ampelidaceae +ampelidaceous +Ampelidae +ampelideous +Ampelis +ampelite +ampelitic +ampelography +ampelographist +ampelograpny +ampelopsidin +ampelopsin +Ampelopsis +Ampelos +Ampelosicyos +ampelotherapy +amper +amperage +amperages +Ampere +ampere-foot +ampere-hour +amperemeter +ampere-minute +amperes +ampere-second +ampere-turn +ampery +Amperian +amperometer +amperometric +ampersand +ampersands +ampersand's +Ampex +amphanthia +amphanthium +ampheclexis +ampherotoky +ampherotokous +amphetamine +amphetamines +amphi +amphi- +Amphiaraus +amphiarthrodial +amphiarthroses +amphiarthrosis +amphiaster +amphib +amphibali +amphibalus +Amphibia +amphibial +amphibian +amphibians +amphibian's +amphibichnite +amphibiety +amphibiology +amphibiological +amphibion +amphibiontic +amphibiotic +Amphibiotica +amphibious +amphibiously +amphibiousness +amphibium +amphiblastic +amphiblastula +amphiblestritis +Amphibola +amphibole +amphiboles +amphiboly +amphibolia +amphibolic +amphibolies +amphiboliferous +amphiboline +amphibolite +amphibolitic +amphibology +amphibological +amphibologically +amphibologies +amphibologism +amphibolostylous +amphibolous +amphibrach +amphibrachic +amphibryous +Amphicarpa +Amphicarpaea +amphicarpia +amphicarpic +amphicarpium +amphicarpogenous +amphicarpous +amphicarpus +amphicentric +amphichroic +amphichrom +amphichromatic +amphichrome +amphichromy +Amphicyon +Amphicyonidae +amphicyrtic +amphicyrtous +amphicytula +amphicoelian +amphicoelous +amphicome +Amphicondyla +amphicondylous +amphicrania +amphicreatinine +amphicribral +Amphictyon +amphictyony +amphictyonian +amphictyonic +amphictyonies +amphictyons +amphid +Amphidamas +amphide +amphidesmous +amphidetic +amphidiarthrosis +amphidiploid +amphidiploidy +amphidisc +Amphidiscophora +amphidiscophoran +amphidisk +amphidromia +amphidromic +amphierotic +amphierotism +Amphigaea +amphigaean +amphigam +Amphigamae +amphigamous +amphigastria +amphigastrium +amphigastrula +amphigean +amphigen +amphigene +amphigenesis +amphigenetic +amphigenous +amphigenously +amphigony +amphigonia +amphigonic +amphigonium +amphigonous +amphigory +amphigoric +amphigories +amphigouri +amphigouris +amphikaryon +amphikaryotic +Amphilochus +amphilogy +amphilogism +amphimacer +Amphimachus +Amphimarus +amphimictic +amphimictical +amphimictically +amphimixes +amphimixis +amphimorula +amphimorulae +Amphinesian +Amphineura +amphineurous +Amphinome +Amphinomus +amphinucleus +Amphion +Amphionic +Amphioxi +Amphioxidae +Amphioxides +Amphioxididae +amphioxis +amphioxus +amphioxuses +amphipeptone +amphiphithyra +amphiphloic +amphipyrenin +amphiplatyan +Amphipleura +amphiploid +amphiploidy +amphipneust +Amphipneusta +amphipneustic +Amphipnous +amphipod +Amphipoda +amphipodal +amphipodan +amphipodiform +amphipodous +amphipods +amphiprostylar +amphiprostyle +amphiprotic +Amphirhina +amphirhinal +amphirhine +amphisarca +amphisbaena +amphisbaenae +amphisbaenas +amphisbaenian +amphisbaenic +amphisbaenid +Amphisbaenidae +amphisbaenoid +amphisbaenous +amphiscians +amphiscii +Amphisile +Amphisilidae +amphispermous +amphisporangiate +amphispore +Amphissa +Amphissus +amphistylar +amphistyly +amphistylic +Amphistoma +amphistomatic +amphistome +amphistomoid +amphistomous +Amphistomum +amphitene +amphithalami +amphithalamus +amphithalmi +amphitheater +amphitheatered +amphitheaters +amphitheater's +amphitheatral +amphitheatre +amphitheatric +amphitheatrical +amphitheatrically +amphitheccia +amphithecia +amphithecial +amphithecium +amphithect +Amphithemis +amphithere +amphithyra +amphithyron +amphithyrons +amphithura +amphithuron +amphithurons +amphithurthura +amphitokal +amphitoky +amphitokous +amphitriaene +amphitricha +amphitrichate +amphitrichous +Amphitryon +Amphitrite +amphitron +amphitropal +amphitropous +Amphitruo +Amphiuma +Amphiumidae +Amphius +amphivasal +amphivorous +Amphizoidae +amphodarch +amphodelite +amphodiplopia +amphogeny +amphogenic +amphogenous +ampholyte +ampholytic +amphopeptone +amphophil +amphophile +amphophilic +amphophilous +amphora +amphorae +amphoral +amphoras +amphore +amphorette +amphoric +amphoricity +amphoriloquy +amphoriskoi +amphoriskos +amphorophony +amphorous +amphoteric +amphotericin +Amphoterus +Amphrysian +ampyces +Ampycides +ampicillin +Ampycus +ampitheater +Ampyx +ampyxes +ample +amplect +amplectant +ampleness +ampler +amplest +amplex +amplexation +amplexicaudate +amplexicaul +amplexicauline +amplexifoliate +amplexus +amplexuses +amply +ampliate +ampliation +ampliative +amplication +amplicative +amplidyne +amplify +amplifiable +amplificate +amplification +amplifications +amplificative +amplificator +amplificatory +amplified +amplifier +amplifiers +amplifies +amplifying +amplitude +amplitudes +amplitude's +amplitudinous +ampollosity +ampongue +ampoule +ampoules +ampoule's +AMPS +ampul +ampulate +ampulated +ampulating +ampule +ampules +ampulla +ampullaceous +ampullae +ampullar +ampullary +Ampullaria +Ampullariidae +ampullate +ampullated +ampulliform +ampullitis +ampullosity +ampullula +ampullulae +ampuls +ampus-and +amputate +amputated +amputates +amputating +amputation +amputational +amputations +amputative +amputator +amputee +amputees +Amr +amra +AMRAAM +Amram +Amratian +Amravati +amreeta +amreetas +amrelle +Amri +amrit +Amrita +amritas +Amritsar +Amroati +AMROC +AMS +AMSAT +amsath +Amschel +Amsden +amsel +Amsha-spand +Amsha-spend +Amsonia +Amsterdam +Amsterdamer +Amston +AMSW +AMT +amt. +amtman +amtmen +Amtorg +amtrac +amtrack +amtracks +amtracs +Amtrak +AMU +Amuchco +amuck +amucks +Amueixa +amugis +amuguis +amuyon +amuyong +amula +amulae +amulas +amulet +amuletic +amulets +Amulius +amulla +amunam +Amund +Amundsen +Amur +amurca +amurcosity +amurcous +Amurru +amus +amusable +amuse +amused +amusedly +amusee +amusement +amusements +amusement's +amuser +amusers +amuses +amusette +Amusgo +amusia +amusias +amusing +amusingly +amusingness +amusive +amusively +amusiveness +amutter +amuze +amuzzle +AMVET +amvis +Amvrakikos +amzel +an +an- +an. +ana +ana- +an'a +Anabaena +anabaenas +Anabal +anabantid +Anabantidae +Anabaptism +Anabaptist +Anabaptistic +Anabaptistical +Anabaptistically +Anabaptistry +anabaptists +anabaptist's +anabaptize +anabaptized +anabaptizing +Anabas +Anabase +anabases +anabasin +anabasine +anabasis +anabasse +anabata +anabathmoi +anabathmos +anabathrum +anabatic +Anabel +Anabella +Anabelle +anaberoga +anabia +anabibazon +anabiosis +anabiotic +Anablepidae +Anableps +anablepses +anabo +anabohitsite +anaboly +anabolic +anabolin +anabolism +anabolite +anabolitic +anabolize +anabong +anabranch +anabrosis +anabrotic +ANAC +anacahuita +anacahuite +anacalypsis +anacampsis +anacamptic +anacamptically +anacamptics +anacamptometer +anacanth +anacanthine +Anacanthini +anacanthous +anacara +anacard +Anacardiaceae +anacardiaceous +anacardic +Anacardium +anacatadidymus +anacatharsis +anacathartic +anacephalaeosis +anacephalize +Anaces +Anacharis +anachoret +anachorism +anachromasis +anachronic +anachronical +anachronically +anachronism +anachronismatical +anachronisms +anachronism's +anachronist +anachronistic +anachronistical +anachronistically +anachronize +anachronous +anachronously +anachueta +Anacyclus +anacid +anacidity +Anacin +anack +anaclasis +anaclastic +anaclastics +Anaclete +anacletica +anacleticum +Anacletus +anaclinal +anaclisis +anaclitic +Anacoco +anacoenoses +anacoenosis +anacolutha +anacoluthia +anacoluthic +anacoluthically +anacoluthon +anacoluthons +anacoluttha +Anaconda +anacondas +Anacortes +Anacostia +anacoustic +Anacreon +Anacreontic +Anacreontically +anacrisis +Anacrogynae +anacrogynous +anacromyodian +anacrotic +anacrotism +anacruses +anacrusis +anacrustic +anacrustically +anaculture +anacusia +anacusic +anacusis +Anadarko +anadem +anadems +anadenia +anadesm +anadicrotic +anadicrotism +anadidymus +Anadyomene +anadiplosis +anadipsia +anadipsic +Anadyr +anadrom +anadromous +anaematosis +anaemia +anaemias +anaemic +anaemotropy +anaeretic +anaerobation +anaerobe +anaerobes +anaerobia +anaerobian +anaerobic +anaerobically +anaerobies +anaerobion +anaerobiont +anaerobiosis +anaerobiotic +anaerobiotically +anaerobious +anaerobism +anaerobium +anaerophyte +anaeroplasty +anaeroplastic +anaesthatic +anaesthesia +anaesthesiant +anaesthesiology +anaesthesiologist +anaesthesis +anaesthetic +anaesthetically +anaesthetics +anaesthetist +anaesthetization +anaesthetize +anaesthetized +anaesthetizer +anaesthetizing +anaesthyl +anaetiological +anagalactic +Anagallis +anagap +anagenesis +anagenetic +anagenetical +anagennesis +anagep +anagignoskomena +anagyrin +anagyrine +Anagyris +anaglyph +anaglyphy +anaglyphic +anaglyphical +anaglyphics +anaglyphoscope +anaglyphs +anaglypta +anaglyptic +anaglyptical +anaglyptics +anaglyptograph +anaglyptography +anaglyptographic +anaglypton +Anagni +anagnorises +anagnorisis +Anagnos +anagnost +anagnostes +anagoge +anagoges +anagogy +anagogic +anagogical +anagogically +anagogics +anagogies +anagram +anagrammatic +anagrammatical +anagrammatically +anagrammatise +anagrammatised +anagrammatising +anagrammatism +anagrammatist +anagrammatization +anagrammatize +anagrammatized +anagrammatizing +anagrammed +anagramming +anagrams +anagram's +anagraph +anagua +anahao +anahau +Anaheim +Anahita +Anahola +Anahuac +anay +Anaitis +Anakes +Anakim +anakinesis +anakinetic +anakinetomer +anakinetomeric +anakoluthia +anakrousis +anaktoron +anal +anal. +analabos +analagous +analav +analcime +analcimes +analcimic +analcimite +analcite +analcites +analcitite +analecta +analectic +analects +analemma +analemmas +analemmata +analemmatic +analepses +analepsy +analepsis +analeptic +analeptical +analgen +analgene +analgesia +analgesic +analgesics +Analgesidae +analgesis +analgesist +analgetic +analgia +analgias +analgic +analgize +Analiese +analysability +analysable +analysand +analysands +analysation +Analise +analyse +analysed +analyser +analysers +analyses +analysing +analysis +analyst +analysts +analyst's +analyt +anality +analytic +analytical +analytically +analyticity +analyticities +analytico-architectural +analytics +analities +analytique +analyzability +analyzable +analyzation +analyze +analyzed +analyzer +analyzers +analyzes +analyzing +analkalinity +anallagmatic +anallagmatis +anallantoic +Anallantoidea +anallantoidean +anallergic +Anallese +anally +Anallise +analog +analoga +analogal +analogy +analogia +analogic +analogical +analogically +analogicalness +analogice +analogies +analogion +analogions +analogy's +analogise +analogised +analogising +analogism +analogist +analogistic +analogize +analogized +analogizing +analogon +analogous +analogously +analogousness +analogs +analogue +analogues +analogue's +Analomink +analphabet +analphabete +analphabetic +analphabetical +analphabetism +Anam +anama +Anambra +Anamelech +anamesite +anametadromous +Anamirta +anamirtin +Anamite +Anammelech +anammonid +anammonide +anamneses +Anamnesis +anamnestic +anamnestically +Anamnia +Anamniata +Anamnionata +anamnionic +Anamniota +anamniote +anamniotic +Anamoose +anamorphic +anamorphism +anamorphoscope +anamorphose +anamorphoses +anamorphosis +anamorphote +anamorphous +Anamosa +anan +Anana +ananaplas +ananaples +ananas +Anand +Ananda +anandrarious +anandria +anandrious +anandrous +ananepionic +anangioid +anangular +Ananias +ananym +Ananism +Ananite +anankastic +ananke +anankes +Ananna +Anansi +Ananta +ananter +anantherate +anantherous +ananthous +ananthropism +anapaest +anapaestic +anapaestical +anapaestically +anapaests +anapaganize +anapaite +anapanapa +anapeiratic +anapes +anapest +anapestic +anapestically +anapests +anaphalantiasis +Anaphalis +anaphase +anaphases +anaphasic +Anaphe +anaphia +anaphylactic +anaphylactically +anaphylactin +anaphylactogen +anaphylactogenic +anaphylactoid +anaphylatoxin +anaphylaxis +anaphyte +anaphora +anaphoral +anaphoras +anaphoria +anaphoric +anaphorical +anaphorically +anaphrodisia +anaphrodisiac +anaphroditic +anaphroditous +anaplasia +anaplasis +anaplasm +Anaplasma +anaplasmoses +anaplasmosis +anaplasty +anaplastic +anapleroses +anaplerosis +anaplerotic +anapnea +anapneic +anapnoeic +anapnograph +anapnoic +anapnometer +anapodeictic +Anapolis +anapophyses +anapophysial +anapophysis +anapsid +Anapsida +anapsidan +Anapterygota +anapterygote +anapterygotism +anapterygotous +anaptychi +anaptychus +anaptyctic +anaptyctical +anaptyxes +anaptyxis +Anaptomorphidae +Anaptomorphus +anaptotic +Anapurna +anaqua +anarcestean +Anarcestes +anarch +anarchal +anarchy +anarchial +anarchic +anarchical +anarchically +anarchies +anarchism +anarchisms +anarchist +anarchistic +anarchists +anarchist's +anarchize +anarcho +anarchoindividualist +anarchosyndicalism +anarcho-syndicalism +anarchosyndicalist +anarcho-syndicalist +anarchosocialist +anarchs +anarcotin +anareta +anaretic +anaretical +anargyroi +anargyros +anarya +Anaryan +anarithia +anarithmia +anarthria +anarthric +anarthropod +Anarthropoda +anarthropodous +anarthrosis +anarthrous +anarthrously +anarthrousness +anartismos +Anas +Anasa +anasarca +anasarcas +anasarcous +Anasazi +Anasazis +anaschistic +Anasco +anaseismic +Anasitch +anaspadias +anaspalin +anaspid +Anaspida +Anaspidacea +Anaspides +anastalsis +anastaltic +Anastas +Anastase +anastases +Anastasia +Anastasian +Anastasie +anastasimon +anastasimos +Anastasio +anastasis +Anastasius +Anastassia +anastate +anastatic +Anastatica +Anastatius +Anastatus +Anastice +anastigmat +anastigmatic +anastomos +anastomose +anastomosed +anastomoses +anastomosing +anastomosis +anastomotic +Anastomus +Anastos +anastrophe +anastrophy +Anastrophia +Anat +anat. +anatabine +anatase +anatases +anatexes +anatexis +anathem +anathema +anathemas +anathemata +anathematic +anathematical +anathematically +anathematisation +anathematise +anathematised +anathematiser +anathematising +anathematism +anathematization +anathematize +anathematized +anathematizer +anathematizes +anathematizing +anatheme +anathemize +Anatherum +Anatidae +anatifa +Anatifae +anatifer +anatiferous +Anatinacea +Anatinae +anatine +anatira +anatman +anatocism +Anatol +Anatola +Anatole +anatoly +Anatolia +Anatolian +Anatolic +Anatolio +Anatollo +anatomy +anatomic +anatomical +anatomically +anatomicals +anatomico- +anatomicobiological +anatomicochirurgical +anatomicomedical +anatomicopathologic +anatomicopathological +anatomicophysiologic +anatomicophysiological +anatomicosurgical +anatomies +anatomiless +anatomisable +anatomisation +anatomise +anatomised +anatomiser +anatomising +anatomism +anatomist +anatomists +anatomizable +anatomization +anatomize +anatomized +anatomizer +anatomizes +anatomizing +anatomopathologic +anatomopathological +Anatone +anatopism +anatosaurus +anatox +anatoxin +anatoxins +anatreptic +anatripsis +anatripsology +anatriptic +anatron +anatropal +anatropia +anatropous +anatta +anatto +anattos +Anatum +anaudia +anaudic +anaunter +anaunters +anauxite +Anawalt +Anax +Anaxagoras +Anaxagorean +Anaxagorize +Anaxarete +anaxial +Anaxibia +Anaximander +Anaximandrian +Anaximenes +Anaxo +anaxon +anaxone +Anaxonia +anazoturia +anba +anbury +ANC +Ancaeus +Ancalin +ance +Ancel +Ancelin +Anceline +Ancell +Ancerata +ancestor +ancestorial +ancestorially +ancestors +ancestor's +ancestral +ancestrally +ancestress +ancestresses +ancestry +ancestrial +ancestrian +ancestries +Ancha +Anchat +Anchesmius +Anchiale +Anchie +Anchietea +anchietin +anchietine +anchieutectic +anchylose +anchylosed +anchylosing +anchylosis +anchylotic +anchimonomineral +Anchinoe +Anchisaurus +Anchises +Anchistea +Anchistopoda +anchithere +anchitherioid +anchoic +Anchong-Ni +anchor +anchorable +Anchorage +anchorages +anchorage's +anchorate +anchored +anchorer +anchoress +anchoresses +anchoret +anchoretic +anchoretical +anchoretish +anchoretism +anchorets +anchorhold +anchory +anchoring +anchorite +anchorites +anchoritess +anchoritic +anchoritical +anchoritically +anchoritish +anchoritism +anchorless +anchorlike +anchorman +anchormen +anchors +anchor-shaped +Anchorville +anchorwise +anchoveta +anchovy +anchovies +Anchtherium +Anchusa +anchusas +anchusin +anchusine +anchusins +ancy +ancien +ancience +anciency +anciennete +anciens +ancient +ancienter +ancientest +ancienty +ancientism +anciently +ancientness +ancientry +ancients +Ancier +ancile +ancilia +Ancilin +ancilla +ancillae +ancillary +ancillaries +ancillas +ancille +Ancyloceras +Ancylocladus +Ancylodactyla +ancylopod +Ancylopoda +ancylose +Ancylostoma +ancylostome +ancylostomiasis +Ancylostomum +Ancylus +ancipital +ancipitous +Ancyrean +Ancyrene +ancyroid +Ancistrocladaceae +ancistrocladaceous +Ancistrocladus +ancistrodon +ancistroid +Ancius +ancle +Anco +ancodont +Ancohuma +ancoly +ancome +Ancon +Ancona +anconad +anconagra +anconal +anconas +ancone +anconeal +anconei +anconeous +ancones +anconeus +ancony +anconitis +anconoid +ancor +ancora +ancoral +Ancram +Ancramdale +ancraophobia +ancre +ancress +ancresses +and +and- +and/or +anda +anda-assu +andabata +andabatarian +andabatism +Andale +Andalusia +Andalusian +andalusite +Andaman +Andamanese +andamenta +andamento +andamentos +andante +andantes +andantini +andantino +andantinos +Andaqui +Andaquian +Andarko +Andaste +Ande +Andean +anded +Andee +Andeee +Andel +Andelee +Ander +Anderea +Anderegg +Anderer +Anderlecht +Anders +Andersen +Anderson +Andersonville +Anderssen +Anderstorp +Andert +anderun +Andes +Andesic +andesine +andesinite +andesite +andesyte +andesites +andesytes +andesitic +Andevo +ANDF +Andhra +Andi +Andy +andia +Andian +Andie +Andikithira +Andine +anding +Andy-over +Andira +andirin +andirine +andiroba +andiron +andirons +Andizhan +Ando +Andoche +Andoke +Andonis +andor +andorite +andoroba +Andorobo +Andorra +Andorran +Andorre +andouille +andouillet +andouillette +Andover +Andr +andr- +Andra +Andrade +andradite +andragogy +andranatomy +andrarchy +Andras +Andrassy +Andre +Andrea +Andreaea +Andreaeaceae +Andreaeales +Andreana +Andreas +Andree +Andrei +Andrey +Andreyev +Andreyevka +Andrej +Andrel +Andrena +andrenid +Andrenidae +Andreotti +Andres +Andrew +andrewartha +Andrewes +Andrews +andrewsite +Andri +andry +Andria +Andriana +Andrias +Andric +Andryc +Andrien +andries +Andriette +Andrija +Andris +andrite +andro- +androcentric +androcephalous +androcephalum +androcyte +androclclinia +Androclea +Androcles +androclinia +androclinium +Androclus +androconia +androconium +androcracy +Androcrates +androcratic +androdynamous +androdioecious +androdioecism +androeccia +androecia +androecial +androecium +androgametangium +androgametophore +androgamone +androgen +androgenesis +androgenetic +androgenic +androgenous +androgens +Androgeus +androgyn +androgynal +androgynary +androgyne +androgyneity +androgyny +androgynia +androgynic +androgynies +androgynism +androginous +androgynous +androgynus +androgone +androgonia +androgonial +androgonidium +androgonium +Andrographis +andrographolide +android +androidal +androides +androids +androkinin +androl +androlepsy +androlepsia +Andromache +Andromada +andromania +Andromaque +andromed +Andromeda +Andromede +andromedotoxin +andromonoecious +andromonoecism +andromorphous +Andron +Andronicus +andronitis +andropetalar +andropetalous +androphagous +androphyll +androphobia +androphonomania +Androphonos +androphore +androphorous +androphorum +Andropogon +Andros +Androsace +Androscoggin +androseme +androsin +androsphinges +androsphinx +androsphinxes +androsporangium +androspore +androsterone +androtauric +androtomy +Androuet +androus +Androw +Andrsy +Andrus +ands +Andvar +Andvare +Andvari +ane +Aneale +anear +aneared +anearing +anears +aneath +anecdysis +anecdota +anecdotage +anecdotal +anecdotalism +anecdotalist +anecdotally +anecdote +anecdotes +anecdote's +anecdotic +anecdotical +anecdotically +anecdotist +anecdotists +anechoic +Aney +anelace +anelastic +anelasticity +anele +anelectric +anelectrode +anelectrotonic +anelectrotonus +aneled +aneles +aneling +anelytrous +anem- +anematize +anematized +anematizing +anematosis +Anemia +anemias +anemic +anemically +anemious +anemo- +anemobiagraph +anemochord +anemochore +anemochoric +anemochorous +anemoclastic +anemogram +anemograph +anemography +anemographic +anemographically +anemology +anemologic +anemological +anemometer +anemometers +anemometer's +anemometry +anemometric +anemometrical +anemometrically +anemometrograph +anemometrographic +anemometrographically +anemonal +anemone +Anemonella +anemones +anemony +anemonin +anemonol +anemopathy +anemophile +anemophily +anemophilous +Anemopsis +anemoscope +anemoses +anemosis +anemotactic +anemotaxis +Anemotis +anemotropic +anemotropism +anencephaly +anencephalia +anencephalic +anencephalotrophia +anencephalous +anencephalus +anend +an-end +anenergia +anenst +anent +anenterous +anepia +anepigraphic +anepigraphous +anepiploic +anepithymia +anerethisia +aneretic +anergy +anergia +anergias +anergic +anergies +anerythroplasia +anerythroplastic +anerly +aneroid +aneroidograph +aneroids +anerotic +anes +Anesidora +anesis +anesone +Anestassia +anesthesia +anesthesiant +anesthesias +anesthesimeter +anesthesiology +anesthesiologies +anesthesiologist +anesthesiologists +anesthesiometer +anesthesis +anesthetic +anesthetically +anesthetics +anesthetic's +anesthetist +anesthetists +anesthetization +anesthetize +anesthetized +anesthetizer +anesthetizes +anesthetizing +anesthyl +anestri +anestrous +anestrus +Anet +Aneta +Aneth +anethene +anethol +anethole +anetholes +anethols +Anethum +anetic +anetiological +Aneto +Anett +Anetta +Anette +aneuch +aneuploid +aneuploidy +aneuria +aneuric +aneurilemmic +Aneurin +aneurine +aneurins +aneurism +aneurysm +aneurismal +aneurysmal +aneurismally +aneurysmally +aneurismatic +aneurysmatic +aneurisms +aneurysms +anew +Anezeh +ANF +anfeeld +anfract +anfractuose +anfractuosity +anfractuous +anfractuousness +anfracture +Anfuso +ANG +anga +Angadreme +Angadresma +angakok +angakoks +angakut +Angami +Angami-naga +Angang +Angara +angaralite +angareb +angareeb +angarep +angary +angaria +angarias +angariation +angaries +Angarsk +Angarstroi +angas +Angdistis +Ange +angeyok +angekkok +angekok +angekut +Angel +Angela +angelate +angel-borne +angel-bright +angel-builded +angeldom +Angele +angeled +angeleen +angel-eyed +angeleyes +Angeleno +Angelenos +Angeles +angelet +angel-faced +angelfish +angelfishes +angel-guarded +angel-heralded +angelhood +Angeli +Angelia +Angelic +Angelica +Angelical +angelically +angelicalness +Angelican +angelica-root +angelicas +angelicic +angelicize +angelicness +Angelico +Angelika +angelim +angelin +Angelyn +Angelina +Angeline +angelinformal +angeling +Angelique +Angelis +Angelita +angelito +angelize +angelized +angelizing +Angell +Angelle +angellike +angel-noble +Angelo +angelocracy +angelographer +angelolater +angelolatry +angelology +angelologic +angelological +angelomachy +angelon +Angelonia +angelophany +angelophanic +angelot +angels +angel's +angel-seeming +angelship +angels-on-horseback +angel's-trumpet +Angelus +angeluses +angel-warned +anger +Angerboda +angered +angering +angerless +angerly +Angerona +Angeronalia +Angeronia +Angers +Angetenar +Angevin +Angevine +Angi +Angy +angi- +angia +angiasthenia +angico +Angie +angiectasis +angiectopia +angiemphraxis +Angier +angiitis +Angil +angild +angili +angilo +angina +anginal +anginas +anginiform +anginoid +anginophobia +anginose +anginous +angio- +angioasthenia +angioataxia +angioblast +angioblastic +angiocardiography +angiocardiographic +angiocardiographies +angiocarditis +angiocarp +angiocarpy +angiocarpian +angiocarpic +angiocarpous +angiocavernous +angiocholecystitis +angiocholitis +angiochondroma +angiocyst +angioclast +angiodermatitis +angiodiascopy +angioelephantiasis +angiofibroma +angiogenesis +angiogeny +angiogenic +angioglioma +angiogram +angiograph +angiography +angiographic +angiohemophilia +angiohyalinosis +angiohydrotomy +angiohypertonia +angiohypotonia +angioid +angiokeratoma +angiokinesis +angiokinetic +angioleucitis +angiolymphitis +angiolymphoma +angiolipoma +angiolith +angiology +angioma +angiomalacia +angiomas +angiomata +angiomatosis +angiomatous +angiomegaly +angiometer +angiomyocardiac +angiomyoma +angiomyosarcoma +angioneoplasm +angioneurosis +angioneurotic +angionoma +angionosis +angioparalysis +angioparalytic +angioparesis +angiopathy +angiophorous +angioplany +angioplasty +angioplerosis +angiopoietic +angiopressure +angiorrhagia +angiorrhaphy +angiorrhea +angiorrhexis +angiosarcoma +angiosclerosis +angiosclerotic +angioscope +angiosymphysis +angiosis +angiospasm +angiospastic +angiosperm +Angiospermae +angiospermal +angiospermatous +angiospermic +angiospermous +angiosperms +angiosporous +angiostegnosis +angiostenosis +angiosteosis +angiostomy +angiostomize +angiostrophy +angiotasis +angiotelectasia +angiotenosis +angiotensin +angiotensinase +angiothlipsis +angiotome +angiotomy +angiotonase +angiotonic +angiotonin +angiotribe +angiotripsy +angiotrophic +angiport +Angka +angkhak +ang-khak +Angkor +Angl +Angl. +anglaise +Angle +angleberry +angled +angledog +Angledozer +angled-toothed +anglehook +Angleinlet +anglemeter +angle-off +anglepod +anglepods +angler +anglers +Angles +Anglesey +anglesite +anglesmith +Angleton +angletouch +angletwitch +anglewing +anglewise +angleworm +angleworms +Anglia +angliae +Anglian +anglians +Anglic +Anglican +Anglicanism +anglicanisms +Anglicanize +Anglicanly +anglicans +Anglicanum +Anglice +Anglicisation +Anglicise +Anglicised +Anglicising +Anglicism +anglicisms +Anglicist +Anglicization +Anglicize +Anglicized +anglicizes +Anglicizing +Anglify +Anglification +Anglified +Anglifying +Anglim +anglimaniac +angling +anglings +Anglish +Anglist +Anglistics +Anglo +Anglo- +Anglo-abyssinian +Anglo-afghan +Anglo-african +Anglo-america +Anglo-American +Anglo-Americanism +Anglo-asian +Anglo-asiatic +Anglo-australian +Anglo-austrian +Anglo-belgian +Anglo-boer +Anglo-brazilian +Anglo-canadian +Anglo-Catholic +AngloCatholicism +Anglo-Catholicism +Anglo-chinese +Anglo-danish +Anglo-dutch +Anglo-dutchman +Anglo-ecclesiastical +Anglo-ecuadorian +Anglo-egyptian +Anglo-French +Anglogaea +Anglogaean +Anglo-Gallic +Anglo-german +Anglo-greek +Anglo-hibernian +angloid +Anglo-Indian +Anglo-Irish +Anglo-irishism +Anglo-israel +Anglo-israelism +Anglo-israelite +Anglo-italian +Anglo-japanese +Anglo-jewish +Anglo-judaic +Anglo-latin +Anglo-maltese +Angloman +Anglomane +Anglomania +Anglomaniac +Anglomaniacal +Anglo-manx +Anglo-mexican +Anglo-mohammedan +Anglo-Norman +Anglo-norwegian +Anglo-nubian +Anglo-persian +Anglophil +Anglophile +anglophiles +anglophily +Anglophilia +Anglophiliac +Anglophilic +anglophilism +Anglophobe +anglophobes +Anglophobia +Anglophobiac +Anglophobic +Anglophobist +Anglophone +Anglo-portuguese +Anglo-russian +Anglos +Anglo-Saxon +Anglo-saxondom +Anglo-saxonic +Anglo-saxonism +Anglo-scottish +Anglo-serbian +Anglo-soviet +Anglo-spanish +Anglo-swedish +Anglo-swiss +Anglo-teutonic +Anglo-turkish +Anglo-venetian +ango +angoise +Angola +angolan +angolans +angolar +Angolese +angor +Angora +angoras +Angostura +Angouleme +Angoumian +Angoumois +Angraecum +Angrbodha +angry +angry-eyed +angrier +angriest +angrily +angry-looking +angriness +Angrist +angrite +angst +angster +Angstrom +angstroms +angsts +anguid +Anguidae +Anguier +anguiform +Anguilla +Anguillaria +anguille +Anguillidae +anguilliform +anguilloid +Anguillula +anguillule +Anguillulidae +Anguimorpha +anguine +anguineal +anguineous +Anguinidae +anguiped +Anguis +anguish +anguished +anguishes +anguishful +anguishing +anguishous +anguishously +angula +angular +angulare +angularia +angularity +angularities +angularization +angularize +angularly +angularness +angular-toothed +angulate +angulated +angulately +angulateness +angulates +angulating +angulation +angulato- +angulatogibbous +angulatosinuous +angule +anguliferous +angulinerved +angulo- +Anguloa +angulodentate +angulometer +angulose +angulosity +anguloso- +angulosplenial +angulous +angulus +Angurboda +anguria +Angus +anguses +angust +angustate +angusti- +angustia +angusticlave +angustifoliate +angustifolious +angustirostrate +angustisellate +angustiseptal +angustiseptate +angustura +angwantibo +angwich +Angwin +Anh +anhaematopoiesis +anhaematosis +anhaemolytic +anhalamine +anhaline +anhalonidine +anhalonin +anhalonine +Anhalonium +anhalouidine +Anhalt +anhang +Anhanga +anharmonic +anhedonia +anhedonic +anhedral +anhedron +anhelation +anhele +anhelose +anhelous +anhematopoiesis +anhematosis +anhemitonic +anhemolytic +Anheuser +anhyd +anhydraemia +anhydraemic +anhydrate +anhydrated +anhydrating +anhydration +anhydremia +anhydremic +anhydric +anhydride +anhydrides +anhydridization +anhydridize +anhydrite +anhydrization +anhydrize +anhydro- +anhydroglocose +anhydromyelia +anhidrosis +anhydrosis +anhidrotic +anhydrotic +anhydrous +anhydrously +anhydroxime +anhima +Anhimae +Anhimidae +anhinga +anhingas +anhysteretic +anhistic +anhistous +anhungered +anhungry +Anhwei +ANI +Any +Ania +Anya +Anyah +Aniak +Aniakchak +Aniakudo +Anyang +Aniba +anybody +anybodyd +anybody'd +anybodies +Anica +anicca +Anice +Anicetus +Anychia +aniconic +aniconism +anicular +anicut +anidian +anidiomatic +anidiomatical +anidrosis +Aniela +Aniellidae +aniente +anientise +ANIF +anigh +anight +anights +anyhow +any-kyn +Anil +anilao +anilau +anile +anileness +anilic +anilid +anilide +anilidic +anilidoxime +aniliid +anilin +anilinctus +aniline +anilines +anilingus +anilinism +anilino +anilinophile +anilinophilous +anilins +anility +anilities +anilla +anilopyrin +anilopyrine +anils +anim +anim. +anima +animability +animable +animableness +animacule +animadversal +animadversion +animadversional +animadversions +animadversive +animadversiveness +animadvert +animadverted +animadverter +animadverting +animadverts +animal +animala +animalcula +animalculae +animalcular +animalcule +animalcules +animalculine +animalculism +animalculist +animalculous +animalculum +animalhood +Animalia +animalian +animalic +animalier +animalillio +animalisation +animalise +animalised +animalish +animalising +animalism +animalist +animalistic +animality +animalities +Animalivora +animalivore +animalivorous +animalization +animalize +animalized +animalizing +animally +animallike +animalness +animals +animal's +animal-sized +animando +animant +Animas +animastic +animastical +animate +animated +animatedly +animately +animateness +animater +animaters +animates +animating +animatingly +animation +animations +animatism +animatist +animatistic +animative +animato +animatograph +animator +animators +animator's +anime +animes +animetta +animi +Animikean +animikite +animine +animis +animism +animisms +animist +animistic +animists +animize +animized +animo +anymore +animose +animoseness +animosity +animosities +animoso +animotheism +animous +animus +animuses +anion +anyone +anionic +anionically +anionics +anions +anion's +anyplace +aniridia +Anis +anis- +anisado +anisal +anisalcohol +anisaldehyde +anisaldoxime +anisamide +anisandrous +anisanilide +anisanthous +anisate +anisated +anischuria +anise +aniseed +aniseeds +aniseikonia +aniseikonic +aniselike +aniseroot +anises +anisette +anisettes +anisic +anisidin +anisidine +anisidino +anisil +anisyl +anisilic +anisylidene +aniso- +anisobranchiate +anisocarpic +anisocarpous +anisocercal +anisochromatic +anisochromia +anisocycle +anisocytosis +anisocoria +anisocotyledonous +anisocotyly +anisocratic +anisodactyl +Anisodactyla +anisodactyle +Anisodactyli +anisodactylic +anisodactylous +anisodont +anisogamete +anisogametes +anisogametic +anisogamy +anisogamic +anisogamous +anisogeny +anisogenous +anisogynous +anisognathism +anisognathous +anisoiconia +anisoyl +anisoin +anisokonia +anisol +anisole +anisoles +anisoleucocytosis +Anisomeles +anisomelia +anisomelus +anisomeric +anisomerous +anisometric +anisometrope +anisometropia +anisometropic +anisomyarian +Anisomyodi +anisomyodian +anisomyodous +anisopetalous +anisophylly +anisophyllous +anisopia +anisopleural +anisopleurous +anisopod +Anisopoda +anisopodal +anisopodous +anisopogonous +Anisoptera +anisopteran +anisopterous +anisosepalous +anisospore +anisostaminous +anisostemonous +anisosthenic +anisostichous +Anisostichus +anisostomous +anisotonic +anisotropal +anisotrope +anisotropy +anisotropic +anisotropical +anisotropically +anisotropies +anisotropism +anisotropous +Anissa +Anystidae +anisum +anisuria +Anita +anither +anything +anythingarian +anythingarianism +anythings +anytime +anitinstitutionalism +anitos +Anitra +anitrogenous +Anius +Aniwa +anyway +anyways +Aniweta +anywhen +anywhence +anywhere +anywhereness +anywheres +anywhy +anywhither +anywise +anywither +Anjali +anjan +Anjanette +Anjela +Anjou +Ankara +ankaramite +ankaratrite +ankee +Ankeny +anker +ankerhold +ankerite +ankerites +ankh +ankhs +ankylenteron +ankyloblepharon +ankylocheilia +ankylodactylia +ankylodontia +ankyloglossia +ankylomele +ankylomerism +ankylophobia +ankylopodia +ankylopoietic +ankyloproctia +ankylorrhinia +ankylos +ankylosaur +Ankylosaurus +ankylose +ankylosed +ankyloses +ankylosing +ankylosis +ankylostoma +ankylostomiasis +ankylotia +ankylotic +ankylotome +ankylotomy +ankylurethria +Anking +ankyroid +ankle +anklebone +anklebones +ankled +ankle-deep +anklejack +ankle-jacked +ankles +ankle's +anklet +anklets +ankling +anklong +anklung +Ankney +Ankoli +Ankou +ankus +ankuses +ankush +ankusha +ankushes +ANL +anlace +anlaces +Anlage +anlagen +anlages +anlas +anlases +anlaut +anlaute +anlet +anlia +anmia +Anmoore +Ann +ann. +Anna +Annaba +Annabal +Annabel +Annabela +Annabell +Annabella +Annabelle +annabergite +Annada +Annadiana +Anna-Diana +Annadiane +Anna-Diane +annal +Annale +Annalee +Annalen +annaly +annalia +Annaliese +annaline +Annalise +annalism +annalist +annalistic +annalistically +annalists +annalize +annals +Annam +Annamaria +Anna-Maria +Annamarie +Annamese +Annamite +Annamitic +Annam-Muong +Annandale +Annapolis +Annapurna +Annarbor +annard +annary +annas +annat +annates +Annatol +annats +annatto +annattos +Annawan +Anne +anneal +annealed +annealer +annealers +annealing +anneals +Annecy +Annecorinne +Anne-Corinne +annect +annectant +annectent +annection +annelid +Annelida +annelidan +Annelides +annelidian +annelidous +annelids +Anneliese +Annelise +annelism +Annellata +anneloid +Annemanie +Annemarie +Anne-Marie +Annenski +Annensky +annerodite +annerre +Anneslia +annet +Annetta +Annette +annex +annexa +annexable +annexal +annexation +annexational +annexationism +annexationist +annexations +annexe +annexed +annexer +annexes +annexing +annexion +annexionist +annexitis +annexive +annexment +annexure +Annfwn +Anni +Anny +Annia +Annibale +Annice +annicut +annidalin +Annie +Anniellidae +annihil +annihilability +annihilable +annihilate +annihilated +annihilates +annihilating +annihilation +annihilationism +annihilationist +annihilationistic +annihilationistical +annihilations +annihilative +annihilator +annihilatory +annihilators +Anniken +Annis +Annissa +Annist +Anniston +annite +anniv +anniversalily +anniversary +anniversaries +anniversarily +anniversariness +anniversary's +anniverse +Annmaria +Annmarie +Ann-Marie +Annnora +anno +annodated +annoy +annoyance +annoyancer +annoyances +annoyance's +annoyed +annoyer +annoyers +annoyful +annoying +annoyingly +annoyingness +annoyment +annoyous +annoyously +annoys +annominate +annomination +Annona +Annonaceae +annonaceous +annonce +Annora +Annorah +annot +annotate +annotated +annotater +annotates +annotating +annotation +annotations +annotative +annotatively +annotativeness +annotator +annotatory +annotators +annotine +annotinous +annotto +announce +announceable +announced +announcement +announcements +announcement's +announcer +announcers +announces +announcing +annual +annualist +annualize +annualized +annually +annuals +annuary +annuation +annueler +annueller +annuent +annuisance +annuitant +annuitants +annuity +annuities +annul +annular +annulary +Annularia +annularity +annularly +Annulata +annulate +annulated +annulately +annulation +annulations +annule +annuler +annulet +annulets +annulettee +annuli +annulism +annullable +annullate +annullation +annulled +annuller +annulli +annulling +annulment +annulments +annulment's +annuloid +Annuloida +Annulosa +annulosan +annulose +annuls +annulus +annuluses +annum +annumerate +annunciable +annunciade +Annunciata +annunciate +annunciated +annunciates +annunciating +Annunciation +annunciations +annunciative +annunciator +annunciatory +annunciators +Annunziata +annus +Annville +Annwfn +Annwn +ano- +anoa +anoas +Anobiidae +anobing +anocarpous +anocathartic +anociassociation +anociation +anocithesia +anococcygeal +anodal +anodally +anode +anodendron +anodes +anode's +anodic +anodically +anodine +anodyne +anodynes +anodynia +anodynic +anodynous +anodization +anodize +anodized +anodizes +anodizing +Anodon +Anodonta +anodontia +anodos +anoegenetic +anoesia +anoesis +anoestrous +anoestrum +anoestrus +anoetic +anogenic +anogenital +Anogra +anoia +anoil +anoine +anoint +anointed +anointer +anointers +anointing +anointment +anointments +anoints +Anoka +anole +anoles +anoli +anolian +Anolympiad +Anolis +anolyte +anolytes +anomal +Anomala +anomaly +anomalies +anomaliflorous +anomaliped +anomalipod +anomaly's +anomalism +anomalist +anomalistic +anomalistical +anomalistically +anomalo- +anomalocephalus +anomaloflorous +Anomalogonatae +anomalogonatous +Anomalon +anomalonomy +Anomalopteryx +anomaloscope +anomalotrophy +anomalous +anomalously +anomalousness +anomalure +Anomaluridae +Anomalurus +Anomatheca +anomer +anomy +Anomia +Anomiacea +anomic +anomie +anomies +Anomiidae +anomite +anomo- +anomocarpous +anomodont +Anomodontia +Anomoean +Anomoeanism +anomoeomery +anomophyllous +anomorhomboid +anomorhomboidal +anomouran +anomphalous +Anomura +anomural +anomuran +anomurous +anon +anon. +anonaceous +anonad +anonang +anoncillo +anonychia +anonym +anonyma +anonyme +anonymity +anonymities +anonymous +anonymously +anonymousness +anonyms +anonymuncule +anonol +anoopsia +anoopsias +anoperineal +anophele +Anopheles +Anophelinae +anopheline +anophyte +anophoria +anophthalmia +anophthalmos +Anophthalmus +anopia +anopias +anopisthograph +anopisthographic +anopisthographically +Anopla +Anoplanthus +anoplocephalic +anoplonemertean +Anoplonemertini +anoplothere +Anoplotheriidae +anoplotherioid +Anoplotherium +anoplotheroid +Anoplura +anopluriform +anopsy +anopsia +anopsias +anopubic +Anora +anorak +anoraks +anorchi +anorchia +anorchism +anorchous +anorchus +anorectal +anorectic +anorectous +anoretic +anorexy +anorexia +anorexiant +anorexias +anorexic +anorexics +anorexies +anorexigenic +anorgana +anorganic +anorganism +anorganology +anormal +anormality +anorn +anorogenic +anorth +anorthic +anorthite +anorthite-basalt +anorthitic +anorthitite +anorthoclase +anorthography +anorthographic +anorthographical +anorthographically +anorthophyre +anorthopia +anorthoscope +anorthose +anorthosite +anoscope +anoscopy +Anosia +anosmatic +anosmia +anosmias +anosmic +anosognosia +anosphrasia +anosphresia +anospinal +anostosis +Anostraca +anoterite +Another +another-gates +anotherguess +another-guess +another-guise +anotherkins +another's +anotia +anotropia +anotta +anotto +anotus +Anouilh +anounou +anour +anoura +anoure +anourous +Anous +ANOVA +anovesical +anovulant +anovular +anovulatory +anoxaemia +anoxaemic +anoxemia +anoxemias +anoxemic +anoxia +anoxias +anoxybiosis +anoxybiotic +anoxic +anoxidative +anoxyscope +anp- +ANPA +anquera +anre +ans +ansa +ansae +Ansar +Ansarian +Ansarie +ansate +ansated +ansation +Anschauung +Anschluss +Anse +Anseis +Ansel +Ansela +Ansell +Anselm +Anselma +Anselme +Anselmi +Anselmian +Anselmo +Anser +anserated +Anseres +Anseriformes +anserin +Anserinae +anserine +anserines +Ansermet +anserous +Ansgarius +Anshan +Anshar +ANSI +Ansilma +Ansilme +Ansley +Anson +Ansonia +Ansonville +anspessade +Ansted +Anstice +anstoss +anstosse +Anstus +ansu +ansulate +answer +answerability +answerable +answerableness +answerably +answer-back +answered +answerer +answerers +answering +answeringly +answerless +answerlessly +answers +ant +ant- +an't +ant. +ANTA +Antabus +Antabuse +antacid +antacids +antacrid +antadiform +antae +Antaea +Antaean +Antaeus +antagony +antagonisable +antagonisation +antagonise +antagonised +antagonising +antagonism +antagonisms +antagonist +antagonistic +antagonistical +antagonistically +antagonists +antagonist's +antagonizable +antagonization +antagonize +antagonized +antagonizer +antagonizes +antagonizing +Antagoras +Antaimerina +Antaios +Antaiva +Antakya +Antakiya +Antal +antalgesic +antalgic +antalgics +antalgol +Antalya +antalkali +antalkalies +antalkaline +antalkalis +antambulacral +antanacathartic +antanaclasis +antanagoge +Antananarivo +Antanandro +antanemic +antapex +antapexes +antaphrodisiac +antaphroditic +antapices +antapocha +antapodosis +antapology +antapoplectic +Antar +Antara +antarala +antaranga +antarchy +antarchism +antarchist +antarchistic +antarchistical +Antarctalia +Antarctalian +Antarctic +Antarctica +antarctical +antarctically +Antarctogaea +Antarctogaean +Antares +antarthritic +antas +antasphyctic +antasthenic +antasthmatic +antatrophic +antbird +antdom +ante +ante- +anteact +ante-acted +anteal +anteambulate +anteambulation +ante-ambulo +anteater +ant-eater +anteaters +anteater's +Ante-babylonish +antebaptismal +antebath +antebellum +ante-bellum +Antebi +antebrachia +antebrachial +antebrachium +antebridal +antecabinet +antecaecal +antecardium +antecavern +antecedal +antecedaneous +antecedaneously +antecede +anteceded +antecedence +antecedency +antecedent +antecedental +antecedently +antecedents +antecedent's +antecedes +anteceding +antecell +antecessor +antechamber +antechambers +antechapel +ante-chapel +Antechinomys +antechoir +antechoirs +Ante-christian +ante-Christum +antechurch +anteclassical +antecloset +antecolic +antecommunion +anteconsonantal +antecornu +antecourt +antecoxal +antecubital +antecurvature +Ante-cuvierian +anted +antedate +antedated +antedates +antedating +antedawn +antediluvial +antediluvially +antediluvian +Antedon +antedonin +antedorsal +ante-ecclesiastical +anteed +ante-eternity +antefact +antefebrile +antefix +antefixa +antefixal +antefixes +anteflected +anteflexed +anteflexion +antefurca +antefurcae +antefurcal +antefuture +antegarden +Ante-gothic +antegrade +antehall +Ante-hieronymian +antehypophysis +antehistoric +antehuman +anteing +anteinitial +antejentacular +antejudiciary +antejuramentum +Ante-justinian +antelabium +antelation +antelegal +antelocation +antelope +antelopes +antelope's +antelopian +antelopine +antelucan +antelude +anteluminary +antemarginal +antemarital +antemask +antemedial +antemeridian +antemetallic +antemetic +antemillennial +antemingent +antemortal +antemortem +ante-mortem +Ante-mosaic +Ante-mosaical +antemundane +antemural +antenarial +antenatal +antenatalitial +antenati +antenatus +antenave +ante-Nicaean +Ante-nicene +antenna +antennae +antennal +antennary +Antennaria +antennariid +Antennariidae +Antennarius +antennas +antenna's +Antennata +antennate +antennifer +antenniferous +antenniform +antennula +antennular +antennulary +antennule +antenodal +antenoon +Antenor +Ante-norman +antenumber +antenuptial +anteoccupation +anteocular +anteopercle +anteoperculum +anteorbital +ante-orbital +Antep +antepagment +antepagmenta +antepagments +antepalatal +antepartum +ante-partum +antepaschal +antepaschel +antepast +antepasts +antepatriarchal +antepectoral +antepectus +antependia +antependium +antependiums +antepenuit +antepenult +antepenultima +antepenultimate +antepenults +antephialtic +antepileptic +antepyretic +antepirrhema +antepone +anteporch +anteport +anteportico +anteporticoes +anteporticos +anteposition +anteposthumous +anteprandial +antepredicament +antepredicamental +antepreterit +antepretonic +anteprohibition +anteprostate +anteprostatic +antequalm +antereformation +antereformational +anteresurrection +anterethic +anterevolutional +anterevolutionary +antergic +anteri +anteriad +anterin +anterioyancer +anterior +anteriority +anteriorly +anteriorness +anteriors +antero- +anteroclusion +anterodorsal +anteroexternal +anterofixation +anteroflexion +anterofrontal +anterograde +anteroinferior +anterointerior +anterointernal +anterolateral +anterolaterally +anteromedial +anteromedian +anteroom +ante-room +anterooms +anteroparietal +anteropygal +anteroposterior +anteroposteriorly +Anteros +anterospinal +anterosuperior +anteroventral +anteroventrally +Anterus +antes +antescript +Antesfort +antesignani +antesignanus +antespring +antestature +antesternal +antesternum +antesunrise +antesuperior +antetemple +ante-temple +antethem +antetype +antetypes +Anteva +antevenient +anteversion +antevert +anteverted +anteverting +anteverts +Ante-victorian +antevocalic +Antevorta +antewar +anth- +Anthas +anthdia +Anthe +Anthea +anthecology +anthecological +anthecologist +Antheia +Antheil +anthela +anthelae +anthelia +anthelices +anthelion +anthelions +anthelix +Anthelme +anthelminthic +anthelmintic +anthem +anthema +anthemas +anthemata +anthemed +anthemene +anthemy +anthemia +Anthemideae +antheming +anthemion +Anthemis +anthems +anthem's +anthemwise +anther +Antheraea +antheral +Anthericum +antherid +antheridia +antheridial +antheridiophore +antheridium +antherids +antheriferous +antheriform +antherine +antherless +antherogenous +antheroid +antherozoid +antherozoidal +antherozooid +antherozooidal +anthers +antheses +anthesis +Anthesteria +Anthesteriac +anthesterin +Anthesterion +anthesterol +Antheus +antheximeter +Anthia +Anthiathia +Anthicidae +Anthidium +anthill +Anthyllis +anthills +Anthinae +anthine +anthypnotic +anthypophora +anthypophoretic +antho- +anthobian +anthobiology +anthocarp +anthocarpous +anthocephalous +Anthoceros +Anthocerotaceae +Anthocerotales +anthocerote +anthochlor +anthochlorine +anthocyan +anthocyanidin +anthocyanin +anthoclinium +anthodia +anthodium +anthoecology +anthoecological +anthoecologist +anthogenesis +anthogenetic +anthogenous +anthography +anthoid +anthokyan +anthol +antholysis +antholite +Antholyza +anthology +anthological +anthologically +anthologies +anthologion +anthologise +anthologised +anthologising +anthologist +anthologists +anthologize +anthologized +anthologizer +anthologizes +anthologizing +anthomania +anthomaniac +Anthomedusae +anthomedusan +Anthomyia +anthomyiid +Anthomyiidae +Anthon +Anthony +Anthonin +Anthonomus +anthood +anthophagy +anthophagous +Anthophila +anthophile +anthophilian +anthophyllite +anthophyllitic +anthophilous +Anthophyta +anthophyte +anthophobia +Anthophora +anthophore +Anthophoridae +anthophorous +anthorine +anthos +anthosiderite +Anthospermum +anthotaxy +anthotaxis +anthotropic +anthotropism +anthoxanthin +Anthoxanthum +Anthozoa +anthozoan +anthozoic +anthozooid +anthozoon +anthra- +anthracaemia +anthracemia +anthracene +anthraceniferous +anthraces +anthrachrysone +anthracia +anthracic +anthraciferous +anthracyl +anthracin +anthracite +anthracites +anthracitic +anthracitiferous +anthracitious +anthracitism +anthracitization +anthracitous +anthracnose +anthracnosis +anthracocide +anthracoid +anthracolithic +anthracomancy +Anthracomarti +anthracomartian +Anthracomartus +anthracometer +anthracometric +anthraconecrosis +anthraconite +Anthracosaurus +anthracosilicosis +anthracosis +anthracothere +Anthracotheriidae +Anthracotherium +anthracotic +anthracoxen +anthradiol +anthradiquinone +anthraflavic +anthragallol +anthrahydroquinone +anthralin +anthramin +anthramine +anthranil +anthranyl +anthranilate +anthranilic +anthranoyl +anthranol +anthranone +anthraphenone +anthrapyridine +anthrapurpurin +anthraquinol +anthraquinone +anthraquinonyl +anthrarufin +anthrasilicosis +anthratetrol +anthrathiophene +anthratriol +anthrax +anthraxylon +anthraxolite +Anthrenus +anthribid +Anthribidae +anthryl +anthrylene +Anthriscus +anthrohopobiological +anthroic +anthrol +anthrone +anthrop +anthrop- +anthrop. +anthrophore +anthropic +anthropical +Anthropidae +anthropo- +anthropobiology +anthropobiologist +anthropocentric +anthropocentrically +anthropocentricity +anthropocentrism +anthropoclimatology +anthropoclimatologist +anthropocosmic +anthropodeoxycholic +Anthropodus +anthropogenesis +anthropogenetic +anthropogeny +anthropogenic +anthropogenist +anthropogenous +anthropogeographer +anthropogeography +anthropogeographic +anthropogeographical +anthropoglot +anthropogony +anthropography +anthropographic +anthropoid +anthropoidal +Anthropoidea +anthropoidean +anthropoids +anthropol +anthropol. +anthropolater +anthropolatry +anthropolatric +anthropolite +anthropolith +anthropolithic +anthropolitic +anthropology +anthropologic +anthropological +anthropologically +anthropologies +anthropologist +anthropologists +anthropologist's +anthropomancy +anthropomantic +anthropomantist +anthropometer +anthropometry +anthropometric +anthropometrical +anthropometrically +anthropometrist +anthropomophitism +anthropomorph +Anthropomorpha +anthropomorphic +anthropomorphical +anthropomorphically +Anthropomorphidae +anthropomorphisation +anthropomorphise +anthropomorphised +anthropomorphising +anthropomorphism +anthropomorphisms +anthropomorphist +anthropomorphite +anthropomorphitic +anthropomorphitical +anthropomorphitism +anthropomorphization +anthropomorphize +anthropomorphized +anthropomorphizing +anthropomorphology +anthropomorphological +anthropomorphologically +anthropomorphosis +anthropomorphotheist +anthropomorphous +anthropomorphously +anthroponym +anthroponomy +anthroponomical +anthroponomics +anthroponomist +anthropopathy +anthropopathia +anthropopathic +anthropopathically +anthropopathism +anthropopathite +anthropophagi +anthropophagy +anthropophagic +anthropophagical +anthropophaginian +anthropophagism +anthropophagist +anthropophagistic +anthropophagit +anthropophagite +anthropophagize +anthropophagous +anthropophagously +anthropophagus +anthropophilous +anthropophysiography +anthropophysite +anthropophobia +anthropophuism +anthropophuistic +Anthropopithecus +anthropopsychic +anthropopsychism +Anthropos +anthroposcopy +anthroposociology +anthroposociologist +anthroposomatology +anthroposophy +anthroposophic +anthroposophical +anthroposophist +anthropoteleoclogy +anthropoteleological +anthropotheism +anthropotheist +anthropotheistic +anthropotomy +anthropotomical +anthropotomist +anthropotoxin +Anthropozoic +anthropurgic +anthroropolith +anthroxan +anthroxanic +anththeridia +Anthurium +Anthus +Anti +anti- +Antia +antiabolitionist +antiabortion +antiabrasion +antiabrin +antiabsolutist +antiacademic +antiacid +anti-acid +antiadiaphorist +antiaditis +antiadministration +antiae +antiaesthetic +antiager +antiagglutinant +antiagglutinating +antiagglutination +antiagglutinative +antiagglutinin +antiaggression +antiaggressionist +antiaggressive +antiaggressively +antiaggressiveness +antiaircraft +anti-aircraft +antialbumid +antialbumin +antialbumose +antialcoholic +antialcoholism +antialcoholist +antialdoxime +antialexin +antialien +Anti-ally +Anti-allied +antiamboceptor +Anti-american +Anti-americanism +antiamylase +antiamusement +antianaphylactogen +antianaphylaxis +antianarchic +antianarchist +Anti-anglican +antiangular +antiannexation +antiannexationist +antianopheline +antianthrax +antianthropocentric +antianthropomorphism +antiantibody +antiantidote +antiantienzyme +antiantitoxin +antianxiety +antiapartheid +antiaphrodisiac +antiaphthic +antiapoplectic +antiapostle +antiaquatic +antiar +Anti-arab +Antiarcha +Antiarchi +Anti-arian +antiarin +antiarins +Antiaris +antiaristocracy +antiaristocracies +antiaristocrat +antiaristocratic +antiaristocratical +antiaristocratically +Anti-aristotelian +anti-Aristotelianism +Anti-armenian +Anti-arminian +Anti-arminianism +antiarrhythmic +antiars +antiarthritic +antiascetic +antiasthmatic +antiastronomical +Anti-athanasian +antiatheism +antiatheist +antiatheistic +antiatheistical +antiatheistically +Anti-athenian +antiatom +antiatoms +antiatonement +antiattrition +anti-attrition +anti-Australian +anti-Austria +Anti-austrian +antiauthoritarian +antiauthoritarianism +antiautolysin +antiauxin +Anti-babylonianism +antibacchic +antibacchii +antibacchius +antibacterial +antibacteriolytic +antiballistic +antiballooner +antibalm +antibank +antibaryon +Anti-bartholomew +antibasilican +antibenzaldoxime +antiberiberin +Antibes +antibias +anti-Bible +Anti-biblic +Anti-biblical +anti-Biblically +antibibliolatry +antibigotry +antibilious +antibiont +antibiosis +antibiotic +antibiotically +antibiotics +Anti-birmingham +antibishop +antiblack +antiblackism +antiblastic +antiblennorrhagic +antiblock +antiblue +antibody +antibodies +Anti-bohemian +antiboycott +Anti-bolshevik +anti-Bolshevism +Anti-bolshevist +anti-Bolshevistic +Anti-bonapartist +antiboss +antibourgeois +antiboxing +antibrachial +antibreakage +antibridal +Anti-british +Anti-britishism +antibromic +antibubonic +antibug +antibureaucratic +Antiburgher +antiburglar +antiburglary +antibusiness +antibusing +antic +antica +anticachectic +Anti-caesar +antical +anticalcimine +anticalculous +antically +anticalligraphic +Anti-calvinism +Anti-calvinist +Anti-calvinistic +anti-Calvinistical +Anti-calvinistically +anticamera +anticancer +anticancerous +anticapital +anticapitalism +anticapitalist +anticapitalistic +anticapitalistically +anticapitalists +anticar +anticardiac +anticardium +anticarious +anticarnivorous +anticaste +anticatalase +anticatalyst +anticatalytic +anticatalytically +anticatalyzer +anticatarrhal +Anti-cathedralist +anticathexis +anticathode +anticatholic +Anti-catholic +anti-Catholicism +anticausotic +anticaustic +anticensorial +anticensorious +anticensoriously +anticensoriousness +anticensorship +anticentralism +anticentralist +anticentralization +anticephalalgic +anticeremonial +anticeremonialism +anticeremonialist +anticeremonially +anticeremonious +anticeremoniously +anticeremoniousness +antichamber +antichance +anticheater +antichymosin +antichlor +antichlorine +antichloristic +antichlorotic +anticholagogue +anticholinergic +anticholinesterase +antichoromanic +antichorus +antichreses +antichresis +antichretic +Antichrist +antichristian +Anti-christian +antichristianism +Anti-christianism +antichristianity +Anti-christianity +Anti-christianize +antichristianly +Anti-christianly +antichrists +antichrome +antichronical +antichronically +antichronism +antichthon +antichthones +antichurch +antichurchian +anticyclic +anticyclical +anticyclically +anticyclogenesis +anticyclolysis +anticyclone +anticyclones +anticyclonic +anticyclonically +anticigarette +anticynic +anticynical +anticynically +anticynicism +anticipant +anticipatable +anticipate +anticipated +anticipates +anticipating +anticipatingly +anticipation +anticipations +anticipative +anticipatively +anticipator +anticipatory +anticipatorily +anticipators +anticity +anticytolysin +anticytotoxin +anticivic +anticivil +anticivilian +anticivism +anticize +antick +anticked +anticker +anticking +anticks +antickt +anticlactic +anticlassical +anticlassicalism +anticlassicalist +anticlassically +anticlassicalness +anticlassicism +anticlassicist +anticlastic +Anticlea +anticlergy +anticlerical +anticlericalism +anticlericalist +anticly +anticlimactic +anticlimactical +anticlimactically +anticlimax +anticlimaxes +anticlinal +anticline +anticlines +anticlinoria +anticlinorium +anticlnoria +anticlockwise +anticlogging +anticnemion +anticness +anticoagulan +anticoagulant +anticoagulants +anticoagulate +anticoagulating +anticoagulation +anticoagulative +anticoagulator +anticoagulin +anticodon +anticogitative +anticoincidence +anticold +anticolic +anticollision +anticolonial +anticombination +anticomet +anticomment +anticommercial +anticommercialism +anticommercialist +anticommercialistic +anticommerciality +anticommercially +anticommercialness +anticommunism +anticommunist +anticommunistic +anticommunistical +anticommunistically +anticommunists +anticommutative +anticompetitive +anticomplement +anticomplementary +anticomplex +anticonceptionist +anticonductor +anticonfederationism +anticonfederationist +anticonfederative +anticonformist +anticonformity +anticonformities +anticonscience +anticonscription +anticonscriptive +anticonservation +anticonservationist +anticonservatism +anticonservative +anticonservatively +anticonservativeness +anticonstitution +anticonstitutional +anticonstitutionalism +anticonstitutionalist +anticonstitutionally +anticonsumer +anticontagion +anticontagionist +anticontagious +anticontagiously +anticontagiousness +anticonvellent +anticonvention +anticonventional +anticonventionalism +anticonventionalist +anticonventionally +anticonvulsant +anticonvulsive +anticor +anticorn +anticorona +anticorrosion +anticorrosive +anticorrosively +anticorrosiveness +anticorrosives +anticorruption +anticorset +anticosine +anticosmetic +anticosmetics +Anticosti +anticouncil +anticourt +anticourtier +anticous +anticovenanter +anticovenanting +anticreation +anticreational +anticreationism +anticreationist +anticreative +anticreatively +anticreativeness +anticreativity +anticreator +anticreep +anticreeper +anticreeping +anticrepuscular +anticrepuscule +anticrime +anticryptic +anticryptically +anticrisis +anticritic +anticritical +anticritically +anticriticalness +anticritique +anticrochet +anticrotalic +anticruelty +antics +antic's +anticularia +anticult +anticultural +anticum +anticus +antidactyl +antidancing +antidandruff +anti-Darwin +Anti-darwinian +Anti-darwinism +anti-Darwinist +antidecalogue +antideflation +antidemocracy +antidemocracies +antidemocrat +antidemocratic +antidemocratical +antidemocratically +antidemoniac +antidepressant +anti-depressant +antidepressants +antidepressive +antiderivative +antidetonant +antidetonating +antidiabetic +antidiastase +Antidicomarian +Antidicomarianite +antidictionary +antidiffuser +antidynamic +antidynasty +antidynastic +antidynastical +antidynastically +antidinic +antidiphtheria +antidiphtheric +antidiphtherin +antidiphtheritic +antidisciplinarian +antidyscratic +antidiscrimination +antidysenteric +antidisestablishmentarian +antidisestablishmentarianism +antidysuric +antidiuretic +antidivine +antidivorce +Antido +Anti-docetae +antidogmatic +antidogmatical +antidogmatically +antidogmatism +antidogmatist +antidomestic +antidomestically +antidominican +antidora +Antidorcas +antidoron +antidotal +antidotally +antidotary +antidote +antidoted +antidotes +antidote's +antidotical +antidotically +antidoting +antidotism +antidraft +antidrag +Anti-dreyfusard +antidromal +antidromy +antidromic +antidromically +antidromous +antidrug +antiduke +antidumping +antieavesdropping +antiecclesiastic +antiecclesiastical +antiecclesiastically +antiecclesiasticism +antiedemic +antieducation +antieducational +antieducationalist +antieducationally +antieducationist +antiegoism +antiegoist +antiegoistic +antiegoistical +antiegoistically +antiegotism +antiegotist +antiegotistic +antiegotistical +antiegotistically +antieyestrain +antiejaculation +antielectron +antielectrons +antiemetic +anti-emetic +antiemetics +antiemperor +antiempiric +antiempirical +antiempirically +antiempiricism +antiempiricist +antiendotoxin +antiendowment +antienergistic +Anti-english +antient +Anti-entente +antienthusiasm +antienthusiast +antienthusiastic +antienthusiastically +antienvironmentalism +antienvironmentalist +antienvironmentalists +antienzymatic +antienzyme +antienzymic +antiepicenter +antiepileptic +antiepiscopal +antiepiscopist +antiepithelial +antierysipelas +antierosion +antierosive +antiestablishment +Antietam +anti-ethmc +antiethnic +antieugenic +anti-Europe +Anti-european +anti-Europeanism +antievangelical +antievolution +antievolutional +antievolutionally +antievolutionary +antievolutionist +antievolutionistic +antiexpansion +antiexpansionism +antiexpansionist +antiexporting +antiexpressionism +antiexpressionist +antiexpressionistic +antiexpressive +antiexpressively +antiexpressiveness +antiextreme +antiface +antifaction +antifame +antifanatic +antifascism +Anti-fascism +antifascist +Anti-fascist +Anti-fascisti +antifascists +antifat +antifatigue +antifebrile +antifebrin +antifederal +Antifederalism +Antifederalist +anti-federalist +antifelon +antifelony +antifemale +antifeminine +antifeminism +antifeminist +antifeministic +antiferment +antifermentative +antiferroelectric +antiferromagnet +antiferromagnetic +antiferromagnetism +antifertility +antifertilizer +antifeudal +antifeudalism +antifeudalist +antifeudalistic +antifeudalization +antifibrinolysin +antifibrinolysis +antifideism +antifire +antiflash +antiflattering +antiflatulent +antiflux +antifoam +antifoaming +antifoggant +antifogmatic +antiforeign +antiforeigner +antiforeignism +antiformant +antiformin +antifouler +antifouling +Anti-fourierist +antifowl +anti-France +antifraud +antifreeze +antifreezes +antifreezing +Anti-french +anti-Freud +Anti-freudian +anti-Freudianism +antifriction +antifrictional +antifrost +antifundamentalism +antifundamentalist +antifungal +antifungin +antifungus +antigay +antigalactagogue +antigalactic +anti-gallic +Anti-gallican +anti-gallicanism +antigambling +antiganting +antigen +antigene +antigenes +antigenic +antigenically +antigenicity +antigens +antigen's +Anti-german +anti-Germanic +Anti-germanism +anti-Germanization +antighostism +antigigmanic +antigyrous +antiglare +antiglyoxalase +antiglobulin +antignostic +Anti-gnostic +antignostical +Antigo +antigod +anti-god +Antigone +antigonococcic +Antigonon +antigonorrheal +antigonorrheic +Antigonus +antigorite +Anti-gothicist +antigovernment +antigovernmental +antigovernmentally +antigraft +antigrammatical +antigrammatically +antigrammaticalness +antigraph +antigraphy +antigravitate +antigravitation +antigravitational +antigravitationally +antigravity +anti-Greece +anti-Greek +antigropelos +antigrowth +Antigua +Antiguan +antiguerilla +antiguggler +anti-guggler +antigun +antihalation +Anti-hanoverian +antiharmonist +antihectic +antihelices +antihelix +antihelixes +antihelminthic +antihemagglutinin +antihemisphere +antihemoglobin +antihemolysin +antihemolytic +antihemophilic +antihemorrhagic +antihemorrheidal +antihero +anti-hero +antiheroes +antiheroic +anti-heroic +antiheroism +antiheterolysin +antihydrophobic +antihydropic +antihydropin +antihidrotic +antihierarchal +antihierarchy +antihierarchic +antihierarchical +antihierarchically +antihierarchies +antihierarchism +antihierarchist +antihygienic +antihygienically +antihijack +antihylist +antihypertensive +antihypertensives +antihypnotic +antihypnotically +antihypochondriac +antihypophora +antihistamine +antihistamines +antihistaminic +antihysteric +antihistorical +anti-hog-cholera +antiholiday +antihomosexual +antihormone +antihuff +antihum +antihuman +antihumanism +antihumanist +antihumanistic +antihumanity +antihumbuggist +antihunting +Anti-ibsenite +anti-icer +anti-icteric +anti-idealism +anti-idealist +anti-idealistic +anti-idealistically +anti-idolatrous +anti-immigration +anti-immigrationist +anti-immune +anti-imperialism +anti-imperialist +anti-imperialistic +anti-incrustator +anti-indemnity +anti-induction +anti-inductive +anti-inductively +anti-inductiveness +anti-infallibilist +anti-infantal +antiinflammatory +antiinflammatories +anti-innovationist +antiinstitutionalist +antiinstitutionalists +antiinsurrectionally +antiinsurrectionists +anti-intellectual +anti-intellectualism +anti-intellectualist +anti-intellectuality +anti-intermediary +anti-Irish +Anti-irishism +anti-isolation +anti-isolationism +anti-isolationist +anti-isolysin +Anti-italian +anti-Italianism +anti-jacobin +anti-jacobinism +antijam +antijamming +Anti-jansenist +Anti-japanese +Anti-japanism +Anti-jesuit +anti-Jesuitic +anti-Jesuitical +anti-Jesuitically +anti-Jesuitism +anti-Jesuitry +Anti-jewish +Anti-judaic +Anti-judaism +anti-Judaist +anti-Judaistic +Antikamnia +antikathode +antikenotoxin +antiketogen +antiketogenesis +antiketogenic +antikinase +antiking +antikings +Antikythera +Anti-klan +Anti-klanism +antiknock +antiknocks +antilabor +antilaborist +antilacrosse +antilacrosser +antilactase +anti-laissez-faire +Anti-lamarckian +antilapsarian +antilapse +Anti-latin +anti-Latinism +Anti-laudism +antileague +anti-leaguer +antileak +Anti-Lebanon +anti-lecomption +anti-lecomptom +antileft +antilegalist +antilegomena +antilemic +antilens +antilepsis +antileptic +antilepton +antilethargic +antileukemic +antileveling +antilevelling +Antilia +antiliberal +Anti-liberal +antiliberalism +antiliberalist +antiliberalistic +antiliberally +antiliberalness +antiliberals +antilibration +antilife +antilift +antilynching +antilipase +antilipoid +antiliquor +antilysin +antilysis +antilyssic +antilithic +antilytic +antilitter +antilittering +antiliturgy +antiliturgic +antiliturgical +antiliturgically +antiliturgist +Antillean +Antilles +antilobium +Antilocapra +Antilocapridae +Antilochus +antiloemic +antilog +antilogarithm +antilogarithmic +antilogarithms +antilogy +antilogic +antilogical +antilogies +antilogism +antilogistic +antilogistically +antilogous +antilogs +antiloimic +Antilope +Antilopinae +antilopine +antiloquy +antilottery +antiluetic +antiluetin +antimacassar +antimacassars +Anti-macedonian +Anti-macedonianism +antimachination +antimachine +antimachinery +Antimachus +antimagistratical +antimagnetic +antimalaria +antimalarial +antimale +antimallein +Anti-malthusian +anti-Malthusianism +antiman +antimanagement +antimaniac +antimaniacal +anti-maniacal +Antimarian +antimark +antimartyr +antimask +antimasker +antimasks +Antimason +Anti-Mason +Antimasonic +Anti-Masonic +Antimasonry +Anti-Masonry +antimasque +antimasquer +antimasquerade +antimaterialism +antimaterialist +antimaterialistic +antimaterialistically +antimatrimonial +antimatrimonialist +antimatter +antimechanism +antimechanist +antimechanistic +antimechanistically +antimechanization +antimediaeval +antimediaevalism +antimediaevalist +antimediaevally +antimedical +antimedically +antimedication +antimedicative +antimedicine +antimedieval +antimedievalism +antimedievalist +antimedievally +antimelancholic +antimellin +antimeningococcic +antimensia +antimension +antimensium +antimephitic +antimere +antimeres +antimerger +antimerging +antimeric +Antimerina +antimerism +antimeristem +antimesia +antimeson +Anti-messiah +antimetabole +antimetabolite +antimetathesis +antimetathetic +antimeter +antimethod +antimethodic +antimethodical +antimethodically +antimethodicalness +antimetrical +antimetropia +antimetropic +Anti-mexican +antimiasmatic +antimycotic +antimicrobial +antimicrobic +antimilitary +antimilitarism +antimilitarist +antimilitaristic +antimilitaristically +antiministerial +antiministerialist +antiministerially +antiminsia +antiminsion +antimiscegenation +antimissile +antimission +antimissionary +antimissioner +antimystic +antimystical +antimystically +antimysticalness +antimysticism +antimythic +antimythical +antimitotic +antimixing +antimnemonic +antimodel +antimodern +antimodernism +antimodernist +antimodernistic +antimodernization +antimodernly +antimodernness +Anti-mohammedan +antimonarch +antimonarchal +antimonarchally +antimonarchy +antimonarchial +antimonarchic +antimonarchical +antimonarchically +antimonarchicalness +antimonarchism +antimonarchist +antimonarchistic +antimonarchists +antimonate +Anti-mongolian +antimony +antimonial +antimoniate +antimoniated +antimonic +antimonid +antimonide +antimonies +antimoniferous +anti-mony-yellow +antimonyl +antimonioso- +antimonious +antimonite +antimonium +antimoniuret +antimoniureted +antimoniuretted +antimonopoly +antimonopolism +antimonopolist +antimonopolistic +antimonopolization +antimonous +antimonsoon +antimoral +antimoralism +antimoralist +antimoralistic +antimorality +Anti-mosaical +antimosquito +antimusical +antimusically +antimusicalness +Antin +antinarcotic +antinarcotics +antinarrative +antinational +antinationalism +antinationalist +Anti-nationalist +antinationalistic +antinationalistically +antinationalists +antinationalization +antinationally +antinatural +antinaturalism +antinaturalist +antinaturalistic +antinaturally +antinaturalness +anti-nebraska +antinegro +anti-Negro +anti-Negroes +antinegroism +anti-Negroism +antineologian +antineoplastic +antinephritic +antinepotic +antineuralgic +antineuritic +antineurotoxin +antineutral +antineutralism +antineutrality +antineutrally +antineutrino +antineutrinos +antineutron +antineutrons +anting +anting-anting +antings +antinial +anti-nicaean +antinicotine +antinihilism +antinihilist +Anti-nihilist +antinihilistic +antinion +Anti-noahite +antinodal +antinode +antinodes +antinoise +antinome +antinomy +antinomian +antinomianism +antinomians +antinomic +antinomical +antinomies +antinomist +antinoness +Anti-nordic +antinormal +antinormality +antinormalness +Antinos +antinosarian +Antinous +antinovel +anti-novel +antinovelist +anti-novelist +antinovels +antinucleon +antinucleons +antinuke +antiobesity +Antioch +Antiochene +Antiochian +Antiochianism +Antiochus +antiodont +antiodontalgic +anti-odontalgic +Antiope +antiopelmous +anti-open-shop +antiophthalmic +antiopium +antiopiumist +antiopiumite +antioptimism +antioptimist +antioptimistic +antioptimistical +antioptimistically +antioptionist +antiorgastic +anti-orgastic +Anti-oriental +anti-Orientalism +anti-Orientalist +antiorthodox +antiorthodoxy +antiorthodoxly +anti-over +antioxidant +antioxidants +antioxidase +antioxidizer +antioxidizing +antioxygen +antioxygenating +antioxygenation +antioxygenator +antioxygenic +antiozonant +antipacifism +antipacifist +antipacifistic +antipacifists +antipapacy +antipapal +antipapalist +antipapism +antipapist +antipapistic +antipapistical +antiparabema +antiparabemata +antiparagraphe +antiparagraphic +antiparalytic +antiparalytical +antiparallel +antiparallelogram +antiparasitic +antiparasitical +antiparasitically +antiparastatitis +antiparliament +antiparliamental +antiparliamentary +antiparliamentarian +antiparliamentarians +antiparliamentarist +antiparliamenteer +antipart +antiparticle +antiparticles +Antipas +Antipasch +Antipascha +antipass +antipasti +antipastic +antipasto +antipastos +Antipater +Antipatharia +antipatharian +antipathetic +antipathetical +antipathetically +antipatheticalness +antipathy +antipathic +Antipathida +antipathies +antipathist +antipathize +antipathogen +antipathogene +antipathogenic +antipatriarch +antipatriarchal +antipatriarchally +antipatriarchy +antipatriot +antipatriotic +antipatriotically +antipatriotism +Anti-paul +Anti-pauline +antipedal +Antipedobaptism +Antipedobaptist +antipeduncular +Anti-pelagian +antipellagric +antipendium +antipepsin +antipeptone +antiperiodic +antiperistalsis +antiperistaltic +antiperistasis +antiperistatic +antiperistatical +antiperistatically +antipersonnel +antiperspirant +antiperspirants +antiperthite +antipestilence +antipestilent +antipestilential +antipestilently +antipetalous +antipewism +antiphagocytic +antipharisaic +antipharmic +Antiphas +antiphase +Antiphates +Anti-philippizing +antiphylloxeric +antiphilosophy +antiphilosophic +antiphilosophical +antiphilosophically +antiphilosophies +antiphilosophism +antiphysic +antiphysical +antiphysically +antiphysicalness +antiphysician +antiphlogistian +antiphlogistic +antiphlogistin +antiphon +antiphona +antiphonal +antiphonally +antiphonary +antiphonaries +antiphoner +antiphonetic +antiphony +antiphonic +antiphonical +antiphonically +antiphonies +antiphonon +antiphons +antiphrases +antiphrasis +antiphrastic +antiphrastical +antiphrastically +antiphthisic +antiphthisical +Antiphus +antipyic +antipyics +antipill +antipyonin +antipyresis +antipyretic +antipyretics +antipyryl +antipyrin +Antipyrine +antipyrotic +antiplague +antiplanet +antiplastic +antiplatelet +anti-Plato +Anti-platonic +anti-Platonically +anti-Platonism +anti-Platonist +antipleion +antiplenist +antiplethoric +antipleuritic +antiplurality +antipneumococcic +antipodagric +antipodagron +antipodal +antipode +antipodean +antipodeans +Antipodes +antipode's +antipodic +antipodism +antipodist +Antipoenus +antipoetic +antipoetical +antipoetically +antipoints +antipolar +antipole +antipolemist +antipoles +antipolice +antipolygamy +antipolyneuritic +Anti-polish +antipolitical +antipolitically +antipolitics +antipollution +antipolo +antipool +antipooling +antipope +antipopery +antipopes +antipopular +antipopularization +antipopulationist +antipopulism +anti-Populist +antipornography +antipornographic +antiportable +antiposition +antipot +antipoverty +antipragmatic +antipragmatical +antipragmatically +antipragmaticism +antipragmatism +antipragmatist +antiprecipitin +antipredeterminant +anti-pre-existentiary +antiprelate +antiprelatic +antiprelatism +antiprelatist +antipreparedness +antiprestidigitation +antipriest +antipriestcraft +antipriesthood +antiprime +antiprimer +antipriming +antiprinciple +antiprism +antiproductionist +antiproductive +antiproductively +antiproductiveness +antiproductivity +antiprofiteering +antiprogressive +antiprohibition +antiprohibitionist +antiprojectivity +antiprophet +antiprostate +antiprostatic +antiprostitution +antiprotease +antiproteolysis +Anti-protestant +anti-Protestantism +antiproton +antiprotons +antiprotozoal +antiprudential +antipruritic +antipsalmist +antipsychiatry +antipsychotic +antipsoric +antiptosis +antipudic +antipuritan +anti-Puritan +anti-Puritanism +Antipus +antiputrefaction +antiputrefactive +antiputrescent +antiputrid +antiq +antiq. +antiqua +antiquary +antiquarian +antiquarianism +antiquarianize +antiquarianly +antiquarians +antiquarian's +antiquaries +antiquarism +antiquarium +antiquartan +antiquate +antiquated +antiquatedness +antiquates +antiquating +antiquation +antique +antiqued +antiquely +antiqueness +antiquer +antiquers +antiques +antique's +antiquing +antiquist +antiquitarian +antiquity +antiquities +antiquum +antirabic +antirabies +antiracemate +antiracer +antirachitic +antirachitically +antiracial +antiracially +antiracing +antiracism +antiracketeering +antiradiant +antiradiating +antiradiation +antiradical +antiradicalism +antiradically +antiradicals +antirailwayist +antirape +antirational +antirationalism +antirationalist +antirationalistic +antirationality +antirationally +antirattler +antireacting +antireaction +antireactionary +antireactionaries +antireactive +antirealism +antirealist +antirealistic +antirealistically +antireality +antirebating +antirecession +antirecruiting +antired +antiredeposition +antireducer +antireducing +antireduction +antireductive +antireflexive +antireform +antireformer +antireforming +antireformist +antireligion +antireligionist +antireligiosity +antireligious +antireligiously +Antiremonstrant +antirennet +antirennin +antirent +antirenter +antirentism +antirepublican +Anti-republican +antirepublicanism +antireservationist +antiresonance +antiresonator +antirestoration +antireticular +antirevisionist +antirevolution +antirevolutionary +antirevolutionaries +antirevolutionist +antirheumatic +antiricin +antirickets +antiriot +antiritual +antiritualism +antiritualist +antiritualistic +antirobbery +antirobin +antiroyal +antiroyalism +antiroyalist +antiroll +Anti-roman +antiromance +Anti-romanist +antiromantic +antiromanticism +antiromanticist +Antirrhinum +antirumor +antirun +Anti-ruskinian +anti-Russia +Anti-russian +antirust +antirusts +antis +antisabbatarian +Anti-sabbatarian +Anti-sabian +antisacerdotal +antisacerdotalist +antisag +antisaloon +antisalooner +Antisana +antisavage +Anti-saxonism +antiscabious +antiscale +anti-Scandinavia +antisceptic +antisceptical +antiscepticism +antischolastic +antischolastically +antischolasticism +antischool +antiscia +antiscians +antiscience +antiscientific +antiscientifically +antiscii +antiscion +antiscolic +antiscorbutic +antiscorbutical +antiscriptural +Anti-scriptural +anti-Scripture +antiscripturism +Anti-scripturism +Anti-scripturist +antiscrofulous +antisegregation +antiseismic +antiselene +antisemite +Anti-semite +antisemitic +Anti-semitic +Anti-semitically +antisemitism +Anti-semitism +antisensitivity +antisensitizer +antisensitizing +antisensuality +antisensuous +antisensuously +antisensuousness +antisepalous +antisepsin +antisepsis +antiseptic +antiseptical +antiseptically +antisepticise +antisepticised +antisepticising +antisepticism +antisepticist +antisepticize +antisepticized +antisepticizing +antiseptics +antiseption +antiseptize +antisera +Anti-serb +antiserum +antiserums +antiserumsera +antisex +antisexist +antisexual +Anti-shelleyan +Anti-shemite +Anti-shemitic +Anti-shemitism +antiship +antishipping +antishoplifting +Antisi +antisialagogue +antisialic +antisiccative +antisideric +antisilverite +antisymmetry +antisymmetric +antisymmetrical +antisimoniacal +antisyndicalism +antisyndicalist +antisyndication +antisine +antisynod +antisyphilitic +antisyphillis +antisiphon +antisiphonal +antiskeptic +antiskeptical +antiskepticism +antiskid +antiskidding +Anti-slav +antislavery +antislaveryism +anti-Slavic +antislickens +antislip +Anti-slovene +antismog +antismoking +antismuggling +antismut +antisnapper +antisnob +antisocial +antisocialist +antisocialistic +antisocialistically +antisociality +antisocially +Anti-socinian +anti-Socrates +anti-Socratic +antisolar +antisophism +antisophist +antisophistic +antisophistication +antisophistry +antisoporific +Anti-soviet +antispace +antispadix +anti-Spain +Anti-spanish +antispasis +antispasmodic +antispasmodics +antispast +antispastic +antispectroscopic +antispeculation +antispending +antispermotoxin +antispiritual +antispiritualism +antispiritualist +antispiritualistic +antispiritually +antispirochetic +antisplasher +antisplenetic +antisplitting +antispreader +antispreading +antisquama +antisquatting +antistadholder +antistadholderian +antistalling +antistaphylococcic +antistat +antistate +antistater +antistatic +antistatism +antistatist +antisteapsin +antisterility +antistes +Antisthenes +antistimulant +antistimulation +antistock +antistreptococcal +antistreptococcic +antistreptococcin +antistreptococcus +antistrike +antistriker +antistrophal +antistrophe +antistrophic +antistrophically +antistrophize +antistrophon +antistrumatic +antistrumous +antistudent +antisubmarine +antisubstance +antisubversion +antisubversive +antisudoral +antisudorific +antisuffrage +antisuffragist +antisuicide +antisun +antisupernatural +antisupernaturalism +antisupernaturalist +antisupernaturalistic +antisurplician +anti-Sweden +anti-Swedish +antitabetic +antitabloid +antitangent +antitank +antitarnish +antitarnishing +antitartaric +antitax +antitaxation +antitechnology +antitechnological +antiteetotalism +antitegula +antitemperance +antiterrorism +antiterrorist +antitetanic +antitetanolysin +Anti-teuton +Anti-teutonic +antithalian +antitheft +antitheism +antitheist +antitheistic +antitheistical +antitheistically +antithenar +antitheology +antitheologian +antitheological +antitheologizing +antithermic +antithermin +antitheses +antithesis +antithesism +antithesize +antithet +antithetic +antithetical +antithetically +antithetics +antithyroid +antithrombic +antithrombin +antitintinnabularian +antitypal +antitype +antitypes +antityphoid +antitypy +antitypic +antitypical +antitypically +antitypous +antityrosinase +antitobacco +antitobacconal +antitobacconist +antitonic +antitorpedo +antitotalitarian +antitoxic +antitoxin +antitoxine +antitoxins +antitoxin's +antitrade +anti-trade +antitrades +antitradition +antitraditional +antitraditionalist +antitraditionally +antitragal +antitragi +antitragic +antitragicus +antitragus +Anti-tribonian +antitrinitarian +Anti-trinitarian +anti-Trinitarianism +antitrypsin +antitryptic +antitrismus +antitrochanter +antitropal +antitrope +antitropy +antitropic +antitropical +antitropous +antitrust +antitruster +antitubercular +antituberculin +antituberculosis +antituberculotic +antituberculous +antitumor +antitumoral +Anti-turkish +antiturnpikeism +antitussive +antitwilight +antiuating +antiulcer +antiunemployment +antiunion +antiunionist +Anti-unitarian +antiuniversity +antiuratic +antiurban +antiurease +antiusurious +antiutilitarian +antiutilitarianism +antivaccination +antivaccinationist +antivaccinator +antivaccinist +antivandalism +antivariolous +antivenefic +antivenene +antivenereal +antivenin +antivenine +antivenins +Anti-venizelist +antivenom +antivenomous +antivermicular +antivibrating +antivibrator +antivibratory +antivice +antiviolence +antiviral +antivirotic +antivirus +antivitalist +antivitalistic +antivitamin +antivivisection +antivivisectionist +antivivisectionists +antivolition +Anti-volstead +Anti-volsteadian +antiwar +antiwarlike +antiwaste +antiwear +antiwedge +antiweed +Anti-whig +antiwhite +antiwhitism +Anti-wycliffist +Anti-wycliffite +antiwiretapping +antiwit +antiwoman +antiworld +anti-worlds +antixerophthalmic +antizealot +antizymic +antizymotic +Anti-zionism +Anti-zionist +antizoea +Anti-zwinglian +antjar +antler +antlered +antlerite +antlerless +Antlers +Antlia +Antliae +antliate +Antlid +antlike +antling +antlion +antlions +antlophobia +antluetic +Antntonioni +antocular +antodontalgic +antoeci +antoecian +antoecians +Antofagasta +Antoine +Antoinetta +Antoinette +Anton +Antonchico +Antone +Antonella +Antonescu +Antonet +Antonetta +Antoni +Antony +Antonia +Antonie +Antonietta +antonym +antonymy +antonymic +antonymies +antonymous +antonyms +Antonin +Antonina +antoniniani +antoninianus +Antonino +Antoninus +Antonio +Antony-over +Antonito +Antonius +antonomasy +antonomasia +antonomastic +antonomastical +antonomastically +Antonovich +antonovics +Antons +antorbital +antozone +antozonite +ant-pipit +antproof +antra +antral +antralgia +antre +antrectomy +antres +Antrim +antrin +antritis +antrocele +antronasal +antrophore +antrophose +antrorse +antrorsely +antroscope +antroscopy +Antrostomus +antrotympanic +antrotympanitis +antrotome +antrotomy +antroversion +antrovert +antrum +antrums +antrustion +antrustionship +ants +ant's +antship +antshrike +antsy +antsier +antsiest +antsigne +antsy-pantsy +Antsirane +antthrush +ant-thrush +ANTU +Antum +Antung +Antwerp +Antwerpen +antwise +ANU +anubin +anubing +Anubis +anucleate +anucleated +anukabiet +Anukit +anuloma +Anunaki +anunder +Anunnaki +Anura +Anuradhapura +Anurag +anural +anuran +anurans +anureses +anuresis +anuretic +anury +anuria +anurias +anuric +anurous +anus +anuses +anusim +Anuska +anusvara +anutraminosa +anvasser +Anvers +Anvik +anvil +anvil-drilling +anviled +anvil-faced +anvil-facing +anvil-headed +anviling +anvilled +anvilling +anvils +anvil's +anvilsmith +anviltop +anviltops +anxiety +anxieties +anxietude +anxiolytic +anxious +anxiously +anxiousness +Anza +Anzac +Anzanian +Anzanite +Anzengruber +Anzio +Anzovin +ANZUS +AO +AOA +aob +AOCS +Aoede +aogiri +Aoide +Aoife +A-OK +Aoki +AOL +aoli +Aomori +aonach +A-one +Aonian +AOP +AOPA +AOQ +aor +Aorangi +aorist +aoristic +aoristically +aorists +Aornis +Aornum +aorta +aortae +aortal +aortarctia +aortas +aortectasia +aortectasis +aortic +aorticorenal +aortism +aortitis +aortoclasia +aortoclasis +aortography +aortographic +aortographies +aortoiliac +aortolith +aortomalacia +aortomalaxis +aortopathy +aortoptosia +aortoptosis +aortorrhaphy +aortosclerosis +aortostenosis +aortotomy +AOS +aosmic +AOSS +Aosta +Aotea +Aotearoa +Aotes +Aotus +AOU +aouad +aouads +aoudad +aoudads +Aouellimiden +Aoul +AOW +AP +ap- +APA +apabhramsa +apace +Apache +Apaches +Apachette +apachism +apachite +apadana +apaesthesia +apaesthetic +apaesthetize +apaestically +apagoge +apagoges +apagogic +apagogical +apagogically +apagogue +apay +Apayao +apaid +apair +apaise +Apalachee +Apalachicola +Apalachin +apalit +Apama +apanage +apanaged +apanages +apanaging +apandry +Apanteles +Apantesis +apanthropy +apanthropia +apar +apar- +Aparai +aparaphysate +aparavidya +apardon +aparejo +aparejos +Apargia +aparithmesis +Aparri +apart +apartado +Apartheid +apartheids +aparthrosis +apartment +apartmental +apartments +apartment's +apartness +apasote +apass +apast +apastra +apastron +apasttra +apatan +Apatela +apatetic +apathaton +apatheia +apathetic +apathetical +apathetically +apathy +apathia +apathic +apathies +apathism +apathist +apathistical +apathize +apathogenic +Apathus +apatite +apatites +Apatornis +Apatosaurus +Apaturia +APB +APC +APDA +APDU +APE +apeak +apectomy +aped +apedom +apeek +ape-headed +apehood +apeiron +apeirophobia +apel- +Apeldoorn +apelet +apelike +apeling +Apelles +apellous +apeman +ape-man +Apemantus +ape-men +Apemius +Apemosyne +apen- +Apennine +Apennines +apenteric +Apepi +apepsy +apepsia +apepsinia +apeptic +aper +aper- +aperch +apercu +apercus +aperea +apery +aperient +aperients +aperies +aperiodic +aperiodically +aperiodicity +aperispermic +aperistalsis +aperitif +aperitifs +aperitive +apers +apersee +apert +apertion +apertly +apertness +apertometer +apertum +apertural +aperture +apertured +apertures +Aperu +aperulosid +apes +apesthesia +apesthetic +apesthetize +apet- +Apetalae +apetaly +apetalies +apetaloid +apetalose +apetalous +apetalousness +apex +apexed +apexes +apexing +Apfel +Apfelstadt +APG +Apgar +aph +aph- +aphacia +aphacial +aphacic +aphaeresis +aphaeretic +aphagia +aphagias +aphakia +aphakial +aphakic +Aphanapteryx +Aphanes +aphanesite +Aphaniptera +aphanipterous +aphanisia +aphanisis +aphanite +aphanites +aphanitic +aphanitism +Aphanomyces +aphanophyre +aphanozygous +Aphareus +Apharsathacites +aphasia +aphasiac +aphasiacs +aphasias +aphasic +aphasics +aphasiology +Aphelandra +Aphelenchus +aphelia +aphelian +aphelilia +aphelilions +Aphelinus +aphelion +apheliotropic +apheliotropically +apheliotropism +Aphelops +aphemia +aphemic +aphengescope +aphengoscope +aphenoscope +apheresis +apheretic +apheses +aphesis +Aphesius +apheta +aphetic +aphetically +aphetism +aphetize +aphicidal +aphicide +aphid +Aphidas +aphides +aphidian +aphidians +aphidicide +aphidicolous +aphidid +Aphididae +Aphidiinae +aphidious +Aphidius +aphidivorous +aphidlion +aphid-lion +aphidolysin +aphidophagous +aphidozer +aphydrotropic +aphydrotropism +aphids +aphid's +aphilanthropy +aphylly +aphyllies +aphyllose +aphyllous +aphyric +Aphis +aphislion +aphis-lion +aphizog +aphlaston +aphlebia +aphlogistic +aphnology +aphodal +aphodi +aphodian +Aphodius +aphodus +apholate +apholates +aphony +aphonia +aphonias +aphonic +aphonics +aphonous +aphoria +aphorise +aphorised +aphoriser +aphorises +aphorising +aphorism +aphorismatic +aphorismer +aphorismic +aphorismical +aphorismos +aphorisms +aphorism's +aphorist +aphoristic +aphoristical +aphoristically +aphorists +aphorize +aphorized +aphorizer +aphorizes +aphorizing +Aphoruridae +aphotaxis +aphotic +aphototactic +aphototaxis +aphototropic +aphototropism +Aphra +aphrasia +aphrite +aphrizite +aphrodesiac +aphrodisia +aphrodisiac +aphrodisiacal +aphrodisiacs +aphrodisian +aphrodisiomania +aphrodisiomaniac +aphrodisiomaniacal +Aphrodision +Aphrodistic +Aphrodite +Aphroditeum +aphroditic +Aphroditidae +aphroditous +Aphrogeneia +aphrolite +aphronia +aphronitre +aphrosiderite +aphtha +aphthae +Aphthartodocetae +Aphthartodocetic +Aphthartodocetism +aphthic +aphthitalite +aphthoid +aphthong +aphthongal +aphthongia +aphthonite +aphthous +API +Apia +Apiaca +Apiaceae +apiaceous +Apiales +apian +Apianus +apiararies +apiary +apiarian +apiarians +apiaries +apiarist +apiarists +apiator +apicad +apical +apically +apicals +Apicella +apices +apicial +Apician +apicifixed +apicilar +apicillary +apicitis +apickaback +apickback +apickpack +apico-alveolar +apico-dental +apicoectomy +apicolysis +APICS +apicula +apicular +apiculate +apiculated +apiculation +apiculi +apicultural +apiculture +apiculturist +apiculus +Apidae +apiece +apieces +a-pieces +Apiezon +apigenin +apii +apiin +apikores +apikoros +apikorsim +apilary +apili +apimania +apimanias +Apina +Apinae +Apinage +apinch +a-pinch +aping +apinoid +apio +Apioceridae +apiocrinite +apioid +apioidal +apiol +apiole +apiolin +apiology +apiologies +apiologist +apyonin +apionol +Apios +apiose +Apiosoma +apiphobia +apyrase +apyrases +apyrene +apyretic +apyrexy +apyrexia +apyrexial +apyrotype +apyrous +Apis +apish +apishamore +apishly +apishness +apism +Apison +apitong +apitpat +Apium +apivorous +APJ +apjohnite +Apl +aplace +aplacental +Aplacentalia +Aplacentaria +Aplacophora +aplacophoran +aplacophorous +aplanat +aplanatic +aplanatically +aplanatism +Aplanobacter +aplanogamete +aplanospore +aplasia +aplasias +aplastic +Aplectrum +aplenty +a-plenty +Aplington +Aplysia +aplite +aplites +aplitic +aplobasalt +aplodiorite +Aplodontia +Aplodontiidae +aplomb +aplombs +aplome +Aplopappus +aploperistomatous +aplostemonous +aplotaxene +aplotomy +Apluda +aplustra +aplustre +aplustria +APM +apnea +apneal +apneas +apneic +apneumatic +apneumatosis +Apneumona +apneumonous +apneusis +apneustic +apnoea +apnoeal +apnoeas +apnoeic +APO +apo- +apoaconitine +apoapsides +apoapsis +apoatropine +apobiotic +apoblast +Apoc +Apoc. +apocaffeine +Apocalypse +apocalypses +apocalypst +apocalypt +apocalyptic +apocalyptical +apocalyptically +apocalypticism +apocalyptism +apocalyptist +apocamphoric +apocarp +apocarpy +apocarpies +apocarpous +apocarps +apocatastasis +apocatastatic +apocatharsis +apocathartic +apocenter +apocentre +apocentric +apocentricity +apocha +apochae +apocholic +apochromat +apochromatic +apochromatism +Apocynaceae +apocynaceous +apocinchonine +apocyneous +apocynthion +apocynthions +Apocynum +apocyte +apocodeine +apocopate +apocopated +apocopating +apocopation +apocope +apocopes +apocopic +Apocr +apocrenic +apocrine +apocryph +Apocrypha +apocryphal +apocryphalist +apocryphally +apocryphalness +apocryphate +apocryphon +apocrisiary +Apocrita +apocrustic +apod +Apoda +apodal +apodan +apodedeipna +apodeictic +apodeictical +apodeictically +apodeipna +apodeipnon +apodeixis +apodema +apodemal +apodemas +apodemata +apodematal +apodeme +Apodes +Apodia +apodiabolosis +apodictic +apodictical +apodictically +apodictive +Apodidae +apodioxis +Apodis +apodyteria +apodyterium +apodixis +apodoses +apodosis +apodous +apods +apoembryony +apoenzyme +apofenchene +apoferritin +apogaeic +apogaic +apogalacteum +apogamy +apogamic +apogamically +apogamies +apogamous +apogamously +apogeal +apogean +apogee +apogees +apogeic +apogeny +apogenous +apogeotropic +apogeotropically +apogeotropism +Apogon +apogonid +Apogonidae +apograph +apographal +apographic +apographical +apoharmine +apohyal +Apoidea +apoikia +apoious +apoise +apojove +apokatastasis +apokatastatic +apokrea +apokreos +apolar +apolarity +apolaustic +A-pole +apolegamic +Apolysin +apolysis +Apolista +Apolistan +apolitical +apolitically +apolytikion +Apollinaire +Apollinarian +Apollinarianism +Apollinaris +Apolline +apollinian +Apollyon +Apollo +Apollon +Apollonia +Apollonian +Apollonic +apollonicon +Apollonistic +Apollonius +Apollos +Apolloship +Apollus +apolog +apologal +apologer +apologete +apologetic +apologetical +apologetically +apologetics +apology +apologia +apologiae +apologias +apological +apologies +apology's +apologise +apologised +apologiser +apologising +apologist +apologists +apologist's +apologize +apologized +apologizer +apologizers +apologizes +apologizing +apologs +apologue +apologues +apolousis +apolune +apolunes +apolusis +apomecometer +apomecometry +apometaboly +apometabolic +apometabolism +apometabolous +apomict +apomictic +apomictical +apomictically +apomicts +Apomyius +apomixes +apomixis +apomorphia +apomorphin +apomorphine +aponeurology +aponeurorrhaphy +aponeuroses +aponeurosis +aponeurositis +aponeurotic +aponeurotome +aponeurotomy +aponia +aponic +Aponogeton +Aponogetonaceae +aponogetonaceous +apoop +a-poop +apopemptic +apopenptic +apopetalous +apophantic +apophasis +apophatic +apophyeeal +apophyge +apophyges +apophylactic +apophylaxis +apophyllite +apophyllous +Apophis +apophysary +apophysate +apophyseal +apophyses +apophysial +apophysis +apophysitis +apophlegm +apophlegmatic +apophlegmatism +apophony +apophonia +apophonic +apophonies +apophorometer +apophthegm +apophthegmatic +apophthegmatical +apophthegmatist +apopyle +Apopka +apoplasmodial +apoplastogamous +apoplectic +apoplectical +apoplectically +apoplectiform +apoplectoid +apoplex +apoplexy +apoplexies +apoplexious +apoquinamine +apoquinine +aporetic +aporetical +aporhyolite +aporia +aporiae +aporias +Aporobranchia +aporobranchian +Aporobranchiata +Aporocactus +Aporosa +aporose +aporphin +aporphine +Aporrhaidae +Aporrhais +aporrhaoid +aporrhea +aporrhegma +aporrhiegma +aporrhoea +aport +aportlast +aportoise +aposafranine +aposaturn +aposaturnium +aposelene +aposematic +aposematically +aposepalous +aposia +aposiopeses +aposiopesis +aposiopestic +aposiopetic +apositia +apositic +aposoro +apospory +aposporic +apospories +aposporogony +aposporous +apostacy +apostacies +apostacize +apostasy +apostasies +apostasis +apostate +apostates +apostatic +apostatical +apostatically +apostatise +apostatised +apostatising +apostatism +apostatize +apostatized +apostatizes +apostatizing +apostaxis +apostem +apostemate +apostematic +apostemation +apostematous +aposteme +aposteriori +aposthia +aposthume +apostil +apostille +apostils +apostle +apostlehood +Apostles +apostle's +apostleship +apostleships +apostoile +apostolate +apostoless +apostoli +Apostolian +Apostolic +apostolical +apostolically +apostolicalness +Apostolici +apostolicism +apostolicity +apostolize +Apostolos +apostrophal +apostrophation +apostrophe +apostrophes +apostrophi +Apostrophia +apostrophic +apostrophied +apostrophise +apostrophised +apostrophising +apostrophize +apostrophized +apostrophizes +apostrophizing +apostrophus +apostume +Apotactic +Apotactici +apotactite +apotelesm +apotelesmatic +apotelesmatical +apothec +apothecal +apothecarcaries +apothecary +apothecaries +apothecaryship +apothece +apotheces +apothecia +apothecial +apothecium +apothegm +apothegmatic +apothegmatical +apothegmatically +apothegmatist +apothegmatize +apothegms +apothem +apothems +apotheose +apotheoses +apotheosis +apotheosise +apotheosised +apotheosising +apotheosize +apotheosized +apotheosizing +apothesine +apothesis +apothgm +apotihecal +apotype +apotypic +apotome +apotracheal +apotropaic +apotropaically +apotropaion +apotropaism +apotropous +apoturmeric +apout +apoxesis +Apoxyomenos +apozem +apozema +apozemical +apozymase +APP +app. +appay +appair +appal +Appalachia +Appalachian +Appalachians +appale +appall +appalled +appalling +appallingly +appallingness +appallment +appalls +appalment +Appaloosa +appaloosas +appals +appalto +appanage +appanaged +appanages +appanaging +appanagist +appar +apparail +apparance +apparat +apparatchik +apparatchiki +apparatchiks +apparation +apparats +apparatus +apparatuses +apparel +appareled +appareling +apparelled +apparelling +apparelment +apparels +apparence +apparency +apparencies +apparens +apparent +apparentation +apparentement +apparentements +apparently +apparentness +apparition +apparitional +apparitions +apparition's +apparitor +appartement +appassionata +appassionatamente +appassionate +appassionato +appast +appaume +appaumee +APPC +appd +appeach +appeacher +appeachment +appeal +appealability +appealable +appealed +appealer +appealers +appealing +appealingly +appealingness +appeals +appear +appearance +appearanced +appearances +appeared +appearer +appearers +appearing +appears +appeasable +appeasableness +appeasably +appease +appeased +appeasement +appeasements +appeaser +appeasers +appeases +appeasing +appeasingly +appeasive +Appel +appellability +appellable +appellancy +appellant +appellants +appellant's +appellate +appellation +appellational +appellations +appellative +appellatived +appellatively +appellativeness +appellatory +appellee +appellees +appellor +appellors +appels +appenage +append +appendage +appendaged +appendages +appendage's +appendalgia +appendance +appendancy +appendant +appendectomy +appendectomies +appended +appendence +appendency +appendent +appender +appenders +appendical +appendicalgia +appendicate +appendice +appendiceal +appendicectasis +appendicectomy +appendicectomies +appendices +appendicial +appendicious +appendicitis +appendicle +appendicocaecostomy +appendico-enterostomy +appendicostomy +appendicular +Appendicularia +appendicularian +Appendiculariidae +Appendiculata +appendiculate +appendiculated +appending +appenditious +appendix +appendixed +appendixes +appendixing +appendix's +appendorontgenography +appendotome +appends +appennage +appense +appentice +Appenzell +apperceive +apperceived +apperceiving +apperception +apperceptionism +apperceptionist +apperceptionistic +apperceptive +apperceptively +appercipient +appere +apperil +appersonation +appersonification +appert +appertain +appertained +appertaining +appertainment +appertains +appertinent +appertise +appestat +appestats +appet +appete +appetence +appetency +appetencies +appetent +appetently +appetibility +appetible +appetibleness +appetiser +appetising +appetisse +appetit +appetite +appetites +appetite's +appetition +appetitional +appetitious +appetitive +appetitiveness +appetitost +appetize +appetized +appetizement +appetizer +appetizers +appetizing +appetizingly +Appia +Appian +appinite +Appius +appl +applanate +applanation +applaud +applaudable +applaudably +applauded +applauder +applauders +applauding +applaudingly +applauds +applause +applauses +applausive +applausively +Apple +appleberry +Appleby +appleblossom +applecart +apple-cheeked +appled +Appledorf +appledrane +appledrone +apple-eating +apple-faced +apple-fallow +Applegate +applegrower +applejack +applejacks +applejohn +apple-john +applemonger +applenut +apple-pie +apple-polish +apple-polisher +apple-polishing +appleringy +appleringie +appleroot +apples +apple's +applesauce +apple-scented +Appleseed +apple-shaped +applesnits +apple-stealing +Appleton +apple-twig +applewife +applewoman +applewood +apply +appliable +appliableness +appliably +appliance +appliances +appliance's +appliant +applicability +applicabilities +applicable +applicableness +applicably +applicancy +applicancies +applicant +applicants +applicant's +applicate +application +applications +application's +applicative +applicatively +applicator +applicatory +applicatorily +applicators +applicator's +applied +appliedly +applier +appliers +applies +applying +applyingly +applyment +Appling +applique +appliqued +appliqueing +appliques +applosion +applosive +applot +applotment +appmt +appoggiatura +appoggiaturas +appoggiature +appoint +appointable +appointe +appointed +appointee +appointees +appointee's +appointer +appointers +appointing +appointive +appointively +appointment +appointments +appointment's +appointor +appoints +Appolonia +Appomatox +Appomattoc +Appomattox +apport +apportion +apportionable +apportionate +apportioned +apportioner +apportioning +apportionment +apportionments +apportions +apposability +apposable +appose +apposed +apposer +apposers +apposes +apposing +apposiopestic +apposite +appositely +appositeness +apposition +appositional +appositionally +appositions +appositive +appositively +apppetible +appraisable +appraisal +appraisals +appraisal's +appraise +appraised +appraisement +appraiser +appraisers +appraises +appraising +appraisingly +appraisive +apprecate +appreciable +appreciably +appreciant +appreciate +appreciated +appreciates +appreciating +appreciatingly +appreciation +appreciational +appreciations +appreciativ +appreciative +appreciatively +appreciativeness +appreciator +appreciatory +appreciatorily +appreciators +appredicate +apprehend +apprehendable +apprehended +apprehender +apprehending +apprehendingly +apprehends +apprehensibility +apprehensible +apprehensibly +apprehension +apprehensions +apprehension's +apprehensive +apprehensively +apprehensiveness +apprehensivenesses +apprend +apprense +apprentice +apprenticed +apprenticehood +apprenticement +apprentices +apprenticeship +apprenticeships +apprenticing +appress +appressed +appressor +appressoria +appressorial +appressorium +apprest +appreteur +appreve +apprise +apprised +appriser +apprisers +apprises +apprising +apprizal +apprize +apprized +apprizement +apprizer +apprizers +apprizes +apprizing +appro +approach +approachability +approachabl +approachable +approachableness +approached +approacher +approachers +approaches +approaching +approachless +approachment +approbate +approbated +approbating +approbation +approbations +approbative +approbativeness +approbator +approbatory +apprompt +approof +appropinquate +appropinquation +appropinquity +appropre +appropriable +appropriament +appropriate +appropriated +appropriately +appropriateness +appropriates +appropriating +appropriation +Appropriations +appropriative +appropriativeness +appropriator +appropriators +appropriator's +approvability +approvable +approvableness +approvably +approval +approvals +approval's +approvance +approve +approved +approvedly +approvedness +approvement +approver +approvers +approves +approving +approvingly +approx +approx. +approximable +approximal +approximant +approximants +approximate +approximated +approximately +approximates +approximating +approximation +approximations +approximative +approximatively +approximativeness +approximator +Apps +appt +apptd +appui +appulse +appulses +appulsion +appulsive +appulsively +appunctuation +appurtenance +appurtenances +appurtenant +APR +Apr. +APRA +apractic +apraxia +apraxias +apraxic +apreynte +aprendiz +apres +Apresoline +apricate +aprication +aprickle +apricot +apricot-kernal +apricots +apricot's +April +Aprile +Aprilesque +Aprilette +April-gowk +Apriline +Aprilis +apriori +apriorism +apriorist +aprioristic +aprioristically +apriority +apritif +Aprocta +aproctia +aproctous +apron +aproned +aproneer +apronful +aproning +apronless +apronlike +aprons +apron's +apron-squire +apronstring +apron-string +apropos +aprosexia +aprosopia +aprosopous +aproterodont +aprowl +APS +APSA +Apsaras +Apsarases +APSE +apselaphesia +apselaphesis +apses +apsychia +apsychical +apsid +apsidal +apsidally +apsides +apsidiole +apsinthion +Apsyrtus +apsis +Apsu +APT +apt. +Aptal +aptate +Aptenodytes +apter +Aptera +apteral +apteran +apteria +apterial +Apteryges +apterygial +Apterygidae +Apterygiformes +Apterygogenea +Apterygota +apterygote +apterygotous +apteryla +apterium +Apteryx +apteryxes +apteroid +apterous +aptest +Apthorp +aptyalia +aptyalism +Aptian +Aptiana +aptychus +aptitude +aptitudes +aptitudinal +aptitudinally +aptly +aptness +aptnesses +Aptos +aptote +aptotic +apts +APU +Apul +Apuleius +Apulia +Apulian +apulmonic +apulse +Apure +Apurimac +apurpose +Apus +apx +AQ +Aqaba +AQL +aqua +aquabelle +aquabib +aquacade +aquacades +aquacultural +aquaculture +aquadag +aquaduct +aquaducts +aquae +aquaemanale +aquaemanalia +aquafer +aquafortis +aquafortist +aquage +aquagreen +aquake +aqualung +Aqua-Lung +aqualunger +aquamanale +aquamanalia +aquamanile +aquamaniles +aquamanilia +aquamarine +aquamarines +aquameter +aquanaut +aquanauts +aquaphobia +aquaplane +aquaplaned +aquaplaner +aquaplanes +aquaplaning +aquapuncture +aquaregia +aquarelle +aquarelles +aquarellist +aquaria +aquarial +Aquarian +aquarians +Aquarid +Aquarii +aquariia +aquariist +aquariiums +aquarist +aquarists +aquarium +aquariums +Aquarius +aquarter +a-quarter +aquas +Aquasco +aquascope +aquascutum +Aquashicola +aquashow +aquate +aquatic +aquatical +aquatically +aquatics +aquatile +aquatint +aquatinta +aquatinted +aquatinter +aquatinting +aquatintist +aquatints +aquation +aquativeness +aquatone +aquatones +aquavalent +aquavit +aqua-vitae +aquavits +Aquebogue +aqueduct +aqueducts +aqueduct's +aqueity +aquench +aqueo- +aqueoglacial +aqueoigneous +aqueomercurial +aqueous +aqueously +aqueousness +aquerne +Aqueus +aquiclude +aquicolous +aquicultural +aquiculture +aquiculturist +aquifer +aquiferous +aquifers +Aquifoliaceae +aquifoliaceous +aquiform +aquifuge +Aquila +Aquilae +Aquilaria +aquilawood +aquilege +Aquilegia +Aquileia +aquilia +Aquilian +Aquilid +aquiline +aquiline-nosed +aquilinity +aquilino +Aquilla +Aquilo +aquilon +Aquinas +aquincubital +aquincubitalism +Aquinist +aquintocubital +aquintocubitalism +aquiparous +Aquitaine +Aquitania +Aquitanian +aquiver +a-quiver +aquo +aquocapsulitis +aquocarbonic +aquocellolitis +aquo-ion +Aquone +aquopentamminecobaltic +aquose +aquosity +aquotization +aquotize +ar +ar- +Ar. +ARA +Arab +Arab. +araba +araban +arabana +Arabeila +Arabel +Arabela +Arabele +Arabella +Arabelle +arabesk +arabesks +Arabesque +arabesquely +arabesquerie +arabesques +Arabi +Araby +Arabia +Arabian +Arabianize +arabians +Arabic +arabica +Arabicism +Arabicize +Arabidopsis +arabiyeh +arability +arabin +arabine +arabinic +arabinose +arabinosic +arabinoside +Arabis +Arabism +Arabist +arabit +arabite +arabitol +Arabize +arabized +arabizes +arabizing +arable +arables +Arabo-byzantine +Arabophil +arabs +arab's +araca +Aracaj +Aracaju +Aracana +aracanga +aracari +Aracatuba +arace +Araceae +araceous +arach +arache +arachic +arachide +arachidic +arachidonic +arachin +Arachis +arachnactis +Arachne +arachnean +arachnephobia +arachnid +Arachnida +arachnidan +arachnidial +arachnidism +arachnidium +arachnids +arachnid's +arachnism +Arachnites +arachnitis +arachnoid +arachnoidal +Arachnoidea +arachnoidean +arachnoiditis +arachnology +arachnological +arachnologist +Arachnomorphae +arachnophagous +arachnopia +Arad +aradid +Aradidae +arado +Arae +araeometer +araeosystyle +araeostyle +araeotic +Arafat +Arafura +Aragallus +Aragats +arage +Arago +Aragon +Aragonese +Aragonian +aragonite +aragonitic +aragonspath +Araguaia +Araguaya +araguane +Araguari +araguato +araignee +arain +arayne +Arains +araire +araise +Arak +Arakan +Arakanese +Arakawa +arakawaite +arake +a-rake +Araks +Aralac +Araldo +Arales +Aralia +Araliaceae +araliaceous +araliad +Araliaephyllum +aralie +Araliophyllum +aralkyl +aralkylated +Arallu +Aralu +Aram +Aramaean +Aramaic +Aramaicize +aramayoite +Aramaism +Aramanta +Aramburu +Aramean +Aramen +Aramenta +aramid +Aramidae +aramids +aramina +Araminta +ARAMIS +Aramitess +Aramu +Aramus +Aran +Arand +Aranda +Arandas +Aranea +Araneae +araneid +Araneida +araneidal +araneidan +araneids +araneiform +Araneiformes +Araneiformia +aranein +Araneina +Araneoidea +araneology +araneologist +araneose +araneous +aranga +arango +arangoes +Aranha +Arany +Aranyaka +Aranyaprathet +arank +aranzada +arapahite +Arapaho +Arapahoe +Arapahoes +Arapahos +arapaima +arapaimas +Arapesh +Arapeshes +araphorostic +araphostic +araponga +arapunga +Araquaju +arar +Arara +araracanga +ararao +Ararat +ararauna +arariba +araroba +ararobas +araru +Aras +arase +Arathorn +arati +aratinga +aration +aratory +Aratus +Araua +Arauan +Araucan +Araucania +Araucanian +Araucano +Araucaria +Araucariaceae +araucarian +Araucarioxylon +Araujia +Arauna +Arawa +Arawak +Arawakan +Arawakian +Arawaks +Arawn +Araxa +Araxes +arb +arba +Arbacia +arbacin +arbalest +arbalester +arbalestre +arbalestrier +arbalests +arbalist +arbalister +arbalists +arbalo +arbalos +Arbe +Arbela +Arbela-Gaugamela +arbelest +Arber +Arbil +arbinose +Arbyrd +arbiter +arbiters +arbiter's +arbith +arbitrable +arbitrage +arbitrager +arbitragers +arbitrages +arbitrageur +arbitragist +arbitral +arbitrament +arbitraments +arbitrary +arbitraries +arbitrarily +arbitrariness +arbitrarinesses +arbitrate +arbitrated +arbitrates +arbitrating +arbitration +arbitrational +arbitrationist +arbitrations +arbitrative +arbitrator +arbitrators +arbitrator's +arbitratorship +arbitratrix +arbitre +arbitrement +arbitrer +arbitress +arbitry +Arblay +arblast +Arboles +arboloco +Arbon +arbor +arboraceous +arboral +arborary +arborator +arborea +arboreal +arboreally +arborean +arbored +arboreous +arborer +arbores +arborescence +arborescent +arborescently +arboresque +arboret +arboreta +arboretum +arboretums +arbory +arborical +arboricole +arboricoline +arboricolous +arboricultural +arboriculture +arboriculturist +arboriform +arborise +arborist +arborists +arborization +arborize +arborized +arborizes +arborizing +arboroid +arborolater +arborolatry +arborous +arbors +arbor's +arborvitae +arborvitaes +arborway +arbota +arbour +arboured +arbours +Arbovale +arbovirus +Arbroath +arbs +arbtrn +Arbuckle +arbuscle +arbuscles +arbuscula +arbuscular +arbuscule +arbust +arbusta +arbusterin +arbusterol +arbustum +arbutase +arbute +arbutean +arbutes +Arbuthnot +arbutin +arbutinase +arbutus +arbutuses +ARC +arca +arcabucero +Arcacea +arcade +arcaded +arcades +arcade's +Arcady +Arcadia +Arcadian +Arcadianism +Arcadianly +arcadians +arcadias +Arcadic +arcading +arcadings +arcae +arcana +arcanal +arcane +Arcangelo +arcanist +arcanite +Arcanum +arcanums +Arcaro +Arcas +Arcata +arcate +arcato +arcature +arcatures +arc-back +arcboutant +arc-boutant +arccos +arccosine +Arce +arced +Arcella +arces +Arcesilaus +Arcesius +Arceuthobium +arcform +arch +arch- +Arch. +archabomination +archae +archae- +Archaean +archaecraniate +archaeo- +Archaeoceti +Archaeocyathid +Archaeocyathidae +Archaeocyathus +archaeocyte +archaeogeology +archaeography +archaeographic +archaeographical +archaeohippus +archaeol +archaeol. +archaeolater +archaeolatry +archaeolith +archaeolithic +archaeologer +archaeology +archaeologian +archaeologic +archaeological +archaeologically +archaeologies +archaeologist +archaeologists +archaeologist's +archaeomagnetism +Archaeopithecus +Archaeopterygiformes +Archaeopteris +Archaeopteryx +Archaeornis +Archaeornithes +archaeostoma +Archaeostomata +archaeostomatous +archaeotherium +Archaeozoic +archaeus +archagitator +archai +Archaic +archaical +archaically +archaicism +archaicness +Archaimbaud +archaise +archaised +archaiser +archaises +archaising +archaism +archaisms +archaist +archaistic +archaists +archaize +archaized +archaizer +archaizes +archaizing +Archambault +Ar-chang +Archangel +archangelic +Archangelica +archangelical +archangels +archangel's +archangelship +archantagonist +archanthropine +archantiquary +archapostate +archapostle +archarchitect +archarios +archartist +Archbald +archbanc +archbancs +archband +archbeacon +archbeadle +archbishop +archbishopess +archbishopry +archbishopric +archbishoprics +archbishops +Archbold +archbotcher +archboutefeu +Archbp +arch-brahman +archbuffoon +archbuilder +arch-butler +arch-buttress +Archcape +archchampion +arch-chanter +archchaplain +archcharlatan +archcheater +archchemic +archchief +arch-christendom +arch-christianity +archchronicler +archcity +archconfraternity +archconfraternities +archconsoler +archconspirator +archcorrupter +archcorsair +archcount +archcozener +archcriminal +archcritic +archcrown +archcupbearer +Archd +archdapifer +archdapifership +archdeacon +archdeaconate +archdeaconess +archdeaconry +archdeaconries +archdeacons +archdeaconship +archdean +archdeanery +archdeceiver +archdefender +archdemon +archdepredator +archdespot +archdetective +archdevil +archdiocesan +archdiocese +archdioceses +archdiplomatist +archdissembler +archdisturber +archdivine +archdogmatist +archdolt +archdruid +archducal +archduchess +archduchesses +archduchy +archduchies +archduke +archdukedom +archdukes +archduxe +arche +archeal +Archean +archearl +archebanc +archebancs +archebiosis +archecclesiastic +archecentric +arched +archegay +Archegetes +archegone +archegony +archegonia +archegonial +Archegoniata +Archegoniatae +archegoniate +archegoniophore +archegonium +Archegosaurus +archeion +Archelaus +Archelenis +Archelochus +archelogy +Archelon +archemastry +Archemorus +archemperor +Archencephala +archencephalic +archenemy +arch-enemy +archenemies +archengineer +archenia +archenteric +archenteron +archeocyte +archeol +archeolithic +archeology +archeologian +archeologic +archeological +archeologically +archeologies +archeologist +archeopteryx +archeostome +Archeozoic +Archeptolemus +Archer +archeress +archerfish +archerfishes +archery +archeries +archers +archership +Arches +arches-court +archespore +archespores +archesporia +archesporial +archesporium +archespsporia +archest +archetypal +archetypally +archetype +archetypes +archetypic +archetypical +archetypically +archetypist +archetto +archettos +archeunuch +archeus +archexorcist +archfelon +Archfiend +arch-fiend +archfiends +archfire +archflamen +arch-flamen +archflatterer +archfoe +arch-foe +archfool +archform +archfounder +archfriend +archgenethliac +archgod +archgomeral +archgovernor +archgunner +archhead +archheart +archheresy +archheretic +arch-heretic +archhypocrisy +archhypocrite +archhost +archhouse +archhumbug +archy +archi- +Archiannelida +Archias +archiater +Archibald +Archibaldo +archibenthal +archibenthic +archibenthos +archiblast +archiblastic +archiblastoma +archiblastula +Archibold +Archibuteo +archical +archicantor +archicarp +archicerebra +archicerebrum +Archichlamydeae +archichlamydeous +archicyte +archicytula +archicleistogamy +archicleistogamous +archicoele +archicontinent +Archidamus +Archidiaceae +archidiaconal +archidiaconate +archididascalian +archididascalos +Archidiskodon +Archidium +archidome +archidoxis +Archie +archiepiscopacy +archiepiscopal +archiepiscopality +archiepiscopally +archiepiscopate +archiereus +archigaster +archigastrula +archigenesis +archigony +archigonic +archigonocyte +archiheretical +archikaryon +archil +archilithic +archilla +Archilochian +Archilochus +archilowe +archils +archilute +archimage +Archimago +archimagus +archimandrite +archimandrites +Archimedean +Archimedes +Archimycetes +archimime +archimorphic +archimorula +archimperial +archimperialism +archimperialist +archimperialistic +archimpressionist +archin +archine +archines +archineuron +archinfamy +archinformer +arching +archings +archipallial +archipallium +archipelagian +archipelagic +archipelago +archipelagoes +archipelagos +Archipenko +archiphoneme +archipin +archiplasm +archiplasmic +Archiplata +archiprelatical +archipresbyter +archipterygial +archipterygium +archisymbolical +archisynagogue +archisperm +Archispermae +archisphere +archispore +archistome +archisupreme +archit +archit. +Archytas +architect +architective +architectonic +Architectonica +architectonically +architectonics +architectress +architects +architect's +architectural +architecturalist +architecturally +architecture +architectures +architecture's +architecturesque +architecure +Architeuthis +architypographer +architis +architraval +architrave +architraved +architraves +architricline +archival +archivault +archive +archived +archiver +archivers +archives +archiving +archivist +archivists +archivolt +archizoic +archjockey +archking +archknave +Archle +archleader +archlecher +archlet +archleveler +archlexicographer +archly +archliar +archlute +archmachine +archmagician +archmagirist +archmarshal +archmediocrity +archmessenger +archmilitarist +archmime +archminister +archmystagogue +archmock +archmocker +archmockery +archmonarch +archmonarchy +archmonarchist +archmugwump +archmurderer +archness +archnesses +archocele +archocystosyrinx +archology +archon +archons +archonship +archonships +archont +archontate +Archontia +archontic +archoplasm +archoplasma +archoplasmic +archoptoma +archoptosis +archorrhagia +archorrhea +archosyrinx +archostegnosis +archostenosis +archoverseer +archpall +archpapist +archpastor +archpatriarch +archpatron +archphylarch +archphilosopher +archpiece +archpilferer +archpillar +archpirate +archplagiary +archplagiarist +archplayer +archplotter +archplunderer +archplutocrat +archpoet +arch-poet +archpolitician +archpontiff +archpractice +archprelate +arch-prelate +archprelatic +archprelatical +archpresbyter +arch-presbyter +archpresbyterate +archpresbytery +archpretender +archpriest +archpriesthood +archpriestship +archprimate +archprince +archprophet +arch-protestant +archprotopope +archprototype +archpublican +archpuritan +archradical +archrascal +archreactionary +archrebel +archregent +archrepresentative +archrobber +archrogue +archruler +archsacrificator +archsacrificer +archsaint +archsatrap +archscoundrel +arch-sea +archseducer +archsee +archsewer +archshepherd +archsin +archsynagogue +archsnob +archspy +archspirit +archsteward +archswindler +archt +archt. +archtempter +archthief +archtyrant +archtraitor +arch-traitor +archtreasurer +archtreasurership +archturncoat +archurger +archvagabond +archvampire +archvestryman +archvillain +arch-villain +archvillainy +archvisitor +archwag +archway +archways +archwench +arch-whig +archwife +archwise +archworker +archworkmaster +Arcidae +Arcifera +arciferous +arcifinious +arciform +Arcimboldi +arcing +Arciniegas +Arcite +arcked +arcking +arclength +arclike +ARCM +ARCNET +ARCO +arcocentrous +arcocentrum +arcograph +Arcola +Arcos +arcose +arcosolia +arcosoliulia +arcosolium +arc-over +ARCS +arcs-boutants +arc-shaped +arcsin +arcsine +arcsines +Arctalia +Arctalian +Arctamerican +arctan +arctangent +arctation +Arctia +arctian +Arctic +arctically +arctician +arcticize +arcticized +arcticizing +arctico-altaic +arcticology +arcticologist +arctics +arcticward +arcticwards +arctiid +Arctiidae +Arctisca +arctitude +Arctium +Arctocephalus +Arctogaea +Arctogaeal +Arctogaean +Arctogaeic +Arctogea +Arctogean +Arctogeic +arctoid +Arctoidea +arctoidean +Arctomys +Arctos +Arctosis +Arctostaphylos +Arcturia +Arcturian +Arcturus +arcual +arcuale +arcualia +arcuate +arcuated +arcuately +arcuation +arcubalist +arcubalister +arcubos +arcula +arculite +arcus +arcuses +ard +Arda +Ardara +ardass +ardassine +Ardath +Arde +Ardea +Ardeae +ardeb +ardebs +Ardeche +Ardeen +Ardeha +Ardehs +ardeid +Ardeidae +Ardel +Ardelia +ardelio +Ardelis +Ardell +Ardella +ardellae +Ardelle +Arden +ardency +ardencies +Ardene +Ardenia +Ardennes +ardennite +ardent +ardently +ardentness +Ardenvoir +arder +Ardeth +Ardhamagadhi +Ardhanari +Ardy +Ardyce +Ardie +Ardi-ea +ardilla +Ardin +Ardine +Ardis +Ardys +ardish +Ardisia +Ardisiaceae +Ardisj +Ardith +Ardyth +arditi +ardito +Ardme +Ardmore +Ardmored +Ardoch +ardoise +Ardolino +ardor +ardors +ardour +ardours +Ardra +Ardrey +ardri +ardrigh +Ardsley +ardu +arduinite +arduous +arduously +arduousness +arduousnesses +ardure +ardurous +Ardussi +ARE +area +areach +aread +aready +areae +areal +areality +areally +Arean +arear +areas +area's +areason +areasoner +areaway +areaways +areawide +Areca +Arecaceae +arecaceous +arecaidin +arecaidine +arecain +arecaine +Arecales +arecas +areche +Arecibo +arecolidin +arecolidine +arecolin +arecoline +Arecuna +ared +Aredale +areek +areel +arefact +arefaction +arefy +areg +aregenerative +aregeneratory +areic +Areithous +areito +Areius +Arel +Arela +Arelia +Arella +Arelus +aren +ARENA +arenaceo- +arenaceous +arenae +Arenaria +arenariae +arenarious +arenas +arena's +arenation +arend +arendalite +arendator +Arends +Arendt +Arendtsville +Arene +areng +Arenga +Arenicola +arenicole +arenicolite +arenicolor +arenicolous +Arenig +arenilitic +arenite +arenites +arenoid +arenose +arenosity +arenoso- +arenous +Arensky +arent +aren't +arenulous +Arenzville +areo- +areocentric +areographer +areography +areographic +areographical +areographically +areola +areolae +areolar +areolas +areolate +areolated +areolation +areole +areoles +areolet +areology +areologic +areological +areologically +areologies +areologist +areometer +areometry +areometric +areometrical +areopagy +Areopagist +Areopagite +Areopagitic +Areopagitica +Areopagus +areosystyle +areostyle +areotectonics +Arequipa +arere +arerola +areroscope +Ares +Areskutan +arest +Aret +Areta +aretaics +aretalogy +Arete +aretes +Aretha +Arethusa +arethusas +Arethuse +Aretina +Aretinian +Aretino +Aretta +Arette +Aretus +Areus +arew +Arezzini +Arezzo +ARF +arfillite +arfs +arfvedsonite +Arg +Arg. +Argades +argaile +argal +argala +argalas +argali +argalis +Argall +argals +argan +argand +argans +Argante +Argas +argasid +Argasidae +Argean +argeers +Argeiphontes +argel +Argelander +argema +Argemone +argemony +argenol +Argent +Argenta +argental +argentamid +argentamide +argentamin +argentamine +argentan +argentarii +argentarius +argentate +argentation +argenteous +argenter +Argenteuil +argenteum +Argentia +argentic +argenticyanide +argentide +argentiferous +argentin +Argentina +Argentine +Argentinean +argentineans +argentines +Argentinian +Argentinidae +argentinitrate +Argentinize +Argentino +argention +argentite +argento- +argentojarosite +argentol +argentometer +argentometry +argentometric +argentometrically +argenton +argentoproteinum +argentose +argentous +argentry +argents +argentum +argentums +argent-vive +Arges +Argestes +argh +arghan +arghel +arghool +arghoul +Argia +argy-bargy +argy-bargied +argy-bargies +argy-bargying +Argid +argify +argil +Argile +Argyle +argyles +Argyll +argillaceo- +argillaceous +argillic +argilliferous +Argillite +argillitic +argillo- +argilloarenaceous +argillocalcareous +argillocalcite +argilloferruginous +argilloid +argillomagnesian +argillous +argylls +Argyllshire +argils +argin +arginase +arginases +argine +arginine +argininephosphoric +arginines +Argynnis +Argiope +Argiopidae +Argiopoidea +Argiphontes +argyr- +Argyra +argyranthemous +argyranthous +Argyraspides +Argyres +argyria +argyric +argyrite +argyrythrose +argyrocephalous +argyrodite +Argyrol +Argyroneta +Argyropelecus +argyrose +argyrosis +Argyrosomus +Argyrotoxus +Argive +argle +argle-bargie +arglebargle +argle-bargle +arglebargled +arglebargling +argled +argles +argling +Argo +Argoan +argol +argolet +argoletier +Argolian +Argolic +Argolid +Argolis +argols +argon +Argonaut +Argonauta +Argonautic +argonautid +argonauts +Argonia +Argonne +argonon +argons +Argos +argosy +argosies +argosine +Argostolion +argot +argotic +argots +Argovian +Argovie +arguable +arguably +argue +argue-bargue +argued +Arguedas +arguendo +arguer +arguers +argues +argufy +argufied +argufier +argufiers +argufies +argufying +arguing +arguitively +Argulus +argument +argumenta +argumental +argumentation +argumentatious +argumentative +argumentatively +argumentativeness +argumentator +argumentatory +argumentive +argumentMaths +arguments +argument's +argumentum +Argus +Argus-eyed +arguses +argusfish +argusfishes +Argusianus +Arguslike +Argusville +arguta +argutation +argute +argutely +arguteness +arh- +arhar +Arhat +arhats +Arhatship +Arhauaco +arhythmia +arhythmic +arhythmical +arhythmically +Arhna +Ari +ary +Aria +Arya +Ariadaeus +Ariadna +Ariadne +Aryaman +arian +Aryan +Ariana +Ariane +Arianie +Aryanise +Aryanised +Aryanising +Arianism +Aryanism +arianist +Arianistic +Arianistical +arianists +Aryanization +Arianize +Aryanize +Aryanized +Arianizer +Aryanizing +Arianna +Arianne +Arianrhod +aryans +arias +aryballi +aryballoi +aryballoid +aryballos +aryballus +arybballi +aribin +aribine +ariboflavinosis +Aribold +Aric +Arica +Arician +aricin +aricine +Arick +arid +Aridatha +Arided +arider +aridest +aridge +aridian +aridity +aridities +aridly +aridness +aridnesses +Arie +Ariege +ariegite +Ariel +Ariela +Ariella +Arielle +ariels +arienzo +aryepiglottic +aryepiglottidean +Aries +arietate +arietation +Arietid +arietinous +Arietis +arietta +ariettas +ariette +ariettes +Ariew +aright +arightly +arigue +Ariidae +Arikara +ariki +aril +aryl +arylamine +arylamino +arylate +arylated +arylating +arylation +ariled +arylide +arillary +arillate +arillated +arilled +arilli +arilliform +arillode +arillodes +arillodium +arilloid +arillus +arils +aryls +Arimasp +Arimaspian +Arimaspians +Arimathaea +Arimathaean +Arimathea +Arimathean +Ariminum +Arimo +Arin +Aryn +Ario +Ariocarpus +Aryo-dravidian +Arioi +Arioian +Aryo-indian +ariolate +ariole +Arion +ariose +ariosi +arioso +ariosos +Ariosto +ariot +a-riot +arious +Ariovistus +Aripeka +aripple +a-ripple +ARIS +Arisaema +arisaid +arisard +Arisbe +arise +arised +arisen +ariser +arises +arish +arising +arisings +Arispe +Arissa +arist +Arista +aristae +Aristaeus +Aristarch +aristarchy +Aristarchian +aristarchies +Aristarchus +aristas +aristate +ariste +Aristeas +aristeia +Aristes +Aristida +Aristide +Aristides +Aristillus +Aristippus +Aristo +aristo- +aristocracy +aristocracies +aristocrat +aristocratic +aristocratical +aristocratically +aristocraticalness +aristocraticism +aristocraticness +aristocratism +aristocrats +aristocrat's +aristodemocracy +aristodemocracies +aristodemocratical +Aristodemus +aristogenesis +aristogenetic +aristogenic +aristogenics +aristoi +Aristol +Aristolochia +Aristolochiaceae +aristolochiaceous +Aristolochiales +aristolochin +aristolochine +aristology +aristological +aristologist +Aristomachus +aristomonarchy +Aristophanes +Aristophanic +aristorepublicanism +aristos +Aristotelean +Aristoteles +Aristotelian +Aristotelianism +Aristotelic +Aristotelism +aristotype +Aristotle +aristulate +Arita +arite +aryteno- +arytenoepiglottic +aryteno-epiglottic +arytenoid +arytenoidal +arith +arithmancy +arithmetic +arithmetical +arithmetically +arithmetician +arithmeticians +arithmetico-geometric +arithmetico-geometrical +arithmetics +arithmetization +arithmetizations +arithmetize +arithmetized +arithmetizes +arythmia +arythmias +arithmic +arythmic +arythmical +arythmically +arithmo- +arithmocracy +arithmocratic +arithmogram +arithmograph +arithmography +arithmomancy +arithmomania +arithmometer +arithromania +Ariton +arium +Arius +Arivaca +Arivaipa +Ariz +Ariz. +Arizona +Arizonan +arizonans +Arizonian +arizonians +arizonite +Arjay +Arjan +Arjun +Arjuna +Ark +Ark. +Arkab +Arkabutla +Arkadelphia +Arkansan +arkansans +Arkansas +Arkansaw +Arkansawyer +Arkansian +arkansite +Arkdale +Arkhangelsk +Arkie +Arkite +Arkoma +arkose +arkoses +arkosic +Arkport +arks +arksutite +Arkville +Arkwright +Arlan +Arlana +Arlberg +arle +Arlee +Arleen +Arley +Arleyne +Arlen +Arlena +Arlene +Arleng +arlequinade +Arles +arless +Arleta +Arlette +Arly +Arlie +Arliene +Arlin +Arlyn +Arlina +Arlinda +Arline +Arlyne +arling +Arlington +Arlynne +Arlis +Arliss +Arlo +Arlon +arloup +Arluene +ARM +Arm. +Arma +Armada +armadas +armadilla +Armadillididae +Armadillidium +armadillo +armadillos +Armado +Armageddon +Armageddonist +Armagh +Armagnac +armagnacs +Armalda +Armalla +Armallas +armament +armamentary +armamentaria +armamentarium +armaments +armament's +Arman +Armand +Armanda +Armando +armangite +armary +armaria +armarian +armaries +armariolum +armarium +armariumaria +Armata +Armatoles +Armatoli +armature +armatured +armatures +armaturing +Armavir +armband +armbands +armbone +Armbrecht +Armbrust +Armbruster +armchair +arm-chair +armchaired +armchairs +armchair's +Armco +armed +Armelda +Armen +Armenia +armeniaceous +Armenian +armenians +Armenic +armenite +Armenize +Armenoid +Armeno-turkish +Armenti +Armentieres +armer +Armeria +Armeriaceae +armers +armet +armets +armful +armfuls +armgaunt +arm-great +armguard +arm-headed +armhole +arm-hole +armholes +armhoop +army +Armida +armied +armies +armiferous +armiger +armigeral +armigeri +armigero +armigeros +armigerous +armigers +Armil +Armilda +armill +Armilla +armillae +armillary +Armillaria +Armillas +armillate +armillated +Armillda +Armillia +Armin +Armyn +Armina +arm-in-arm +armine +arming +armings +Armington +Arminian +Arminianism +Arminianize +Arminianizer +Arminius +armipotence +armipotent +army's +armisonant +armisonous +armistice +armistices +armit +Armitage +armitas +armyworm +armyworms +armless +armlessly +armlessness +armlet +armlets +armlike +arm-linked +armload +armloads +armlock +armlocks +armoire +armoires +armomancy +Armona +Armond +armoniac +armonica +armonicas +Armonk +armor +Armoracia +armorbearer +armor-bearer +armor-clad +armored +Armorel +armorer +armorers +armory +armorial +armorially +armorials +Armoric +Armorica +Armorican +Armorician +armoried +armories +armoring +armorist +armorless +armor-piercing +armor-plate +armorplated +armor-plated +armorproof +armors +armorwise +Armouchiquois +Armour +armourbearer +armour-bearer +armour-clad +armoured +armourer +armourers +armoury +armouries +armouring +armour-piercing +armour-plate +armours +armozeen +armozine +armpad +armpiece +armpit +armpits +armpit's +armplate +armrack +armrest +armrests +arms +armscye +armseye +armsful +arm-shaped +armsize +Armstrong +Armstrong-Jones +Armuchee +armure +armures +arn +arna +Arnaeus +Arnaldo +arnatta +arnatto +arnattos +Arnaud +Arnaudville +Arnaut +arnberry +Arndt +Arne +Arneb +Arnebia +arnee +Arnegard +Arney +Arnel +Arnelle +arnement +Arnett +Arnhem +Arni +Arny +arnica +arnicas +Arnie +Arnim +Arno +Arnold +Arnoldist +Arnoldo +Arnoldsburg +Arnoldson +Arnoldsville +Arnon +Arnoseris +Arnot +arnotta +arnotto +arnottos +Arnst +ar'n't +Arnuad +Arnulf +Arnulfo +Arnusian +arnut +ARO +aroar +a-roar +aroast +Arock +Aroda +aroeira +aroid +aroideous +Aroides +aroids +aroint +aroynt +arointed +aroynted +arointing +aroynting +aroints +aroynts +Arola +arolia +arolium +arolla +aroma +aromacity +aromadendrin +aromal +Aromas +aromata +aromatic +aromatical +aromatically +aromaticity +aromaticness +aromatics +aromatise +aromatised +aromatiser +aromatising +aromatitae +aromatite +aromatites +aromatization +aromatize +aromatized +aromatizer +aromatizing +aromatophor +aromatophore +aromatous +Aron +Arona +Arondel +Arondell +Aronia +Aronoff +Aronow +Aronson +a-room +aroon +Aroostook +a-root +aroph +Aroras +Arosaguntacook +arose +around +around-the-clock +arousable +arousal +arousals +arouse +aroused +arousement +arouser +arousers +arouses +arousing +arow +a-row +aroxyl +ARP +ARPA +ARPANET +arpeggiando +arpeggiated +arpeggiation +arpeggio +arpeggioed +arpeggios +arpeggio's +arpen +arpens +arpent +arpenteur +arpents +Arpin +ARQ +arquated +arquebus +arquebuses +arquebusier +arquerite +arquifoux +Arquit +arr +arr. +arracach +arracacha +Arracacia +arrace +arrach +arrack +arracks +arrage +Arragon +arragonite +arrah +array +arrayal +arrayals +arrayan +arrayed +arrayer +arrayers +arraign +arraignability +arraignable +arraignableness +arraigned +arraigner +arraigning +arraignment +arraignments +arraignment's +arraigns +arraying +arrayment +arrays +arrame +Arran +arrand +arrange +arrangeable +arranged +arrangement +arrangements +arrangement's +arranger +arrangers +arranges +arranging +arrant +arrantly +arrantness +Arras +arrased +arrasene +arrases +arrastra +arrastre +arras-wise +arratel +Arratoon +Arrau +arrear +arrearage +arrearages +arrear-guard +arrears +arrear-ward +arrect +arrectary +arrector +Arrey +arrendation +arrendator +arrenotoky +arrenotokous +arrent +arrentable +arrentation +Arrephoria +Arrephoroi +Arrephoros +arreption +arreptitious +arrest +arrestable +arrestant +arrestation +arrested +arrestee +arrestees +arrester +arresters +arresting +arrestingly +arrestive +arrestment +arrestor +arrestors +arrestor's +arrests +arret +arretez +Arretine +Arretium +arrgt +arrha +arrhal +arrhenal +Arrhenatherum +Arrhenius +arrhenoid +arrhenotoky +arrhenotokous +Arrhephoria +arrhinia +arrhythmy +arrhythmia +arrhythmias +arrhythmic +arrhythmical +arrhythmically +arrhythmous +arrhizal +arrhizous +Arri +Arry +Arria +arriage +Arriba +arribadas +arricci +arricciati +arricciato +arricciatos +arriccio +arriccioci +arriccios +arride +arrided +arridge +arriding +arrie +arriere +arriere-ban +arriere-pensee +arriero +Arries +Arriet +Arrigny +Arrigo +Arryish +arrimby +Arrington +Arrio +arris +arrises +arrish +arrisways +arriswise +arrythmia +arrythmic +arrythmical +arrythmically +arrivage +arrival +arrivals +arrival's +arrivance +arrive +arrived +arrivederci +arrivederla +arriver +arrivers +arrives +arriving +arrivism +arrivisme +arrivist +arriviste +arrivistes +ARRL +arroba +arrobas +arrode +arrogance +arrogances +arrogancy +arrogant +arrogantly +arrogantness +arrogate +arrogated +arrogates +arrogating +arrogatingly +arrogation +arrogations +arrogative +arrogator +arroya +arroyo +arroyos +arroyuelo +arrojadite +Arron +arrondi +arrondissement +arrondissements +arrope +arrosion +arrosive +arround +arrouse +arrow +arrow-back +arrow-bearing +arrowbush +arrowed +arrow-grass +arrowhead +arrow-head +arrowheaded +arrowheads +arrowhead's +arrowy +arrowing +arrowleaf +arrow-leaved +arrowless +arrowlet +arrowlike +arrowplate +arrowroot +arrow-root +arrowroots +arrows +arrow-shaped +arrow-slain +Arrowsmith +arrow-smitten +arrowstone +arrow-toothed +arrowweed +arrowwood +arrow-wood +arrowworm +arrow-wounded +arroz +arrtez +Arruague +ARS +ARSA +Arsacid +Arsacidan +arsanilic +ARSB +arse +arsedine +arsefoot +arsehole +arsen- +arsenal +arsenals +arsenal's +arsenate +arsenates +arsenation +arseneted +arsenetted +arsenfast +arsenferratose +arsenhemol +Arseny +arseniasis +arseniate +arsenic +arsenic- +arsenical +arsenicalism +arsenicate +arsenicated +arsenicating +arsenicism +arsenicize +arsenicked +arsenicking +arsenicophagy +arsenics +arsenide +arsenides +arseniferous +arsenyl +arsenillo +arsenio- +arseniopleite +arseniosiderite +arsenious +arsenism +arsenite +arsenites +arsenium +arseniuret +arseniureted +arseniuretted +arsenization +arseno +arseno- +arsenobenzene +arsenobenzol +arsenobismite +arsenoferratin +arsenofuran +arsenohemol +arsenolite +arsenophagy +arsenophen +arsenophenylglycin +arsenophenol +arsenopyrite +arsenostyracol +arsenotherapy +arsenotungstates +arsenotungstic +arsenous +arsenoxide +arses +arsesmart +arsheen +Arshile +arshin +arshine +arshins +arsyl +arsylene +arsine +arsines +arsinic +arsino +Arsinoe +Arsinoitherium +Arsinous +Arsippe +arsis +arsy-varsy +arsy-varsiness +arsyversy +arsy-versy +arsle +ARSM +arsmetik +arsmetry +arsmetrik +arsmetrike +arsnicker +arsoite +arson +arsonate +arsonation +arsonic +arsonist +arsonists +arsonite +arsonium +arsono +arsonous +arsons +arsonvalization +arsphenamine +Arst +art +art. +Arta +artaba +artabe +Artacia +Artair +artal +Artamas +Artamidae +Artamus +artar +artarin +artarine +Artas +Artaud +ARTCC +art-colored +art-conscious +artcraft +Arte +artefac +artefact +artefacts +artel +artels +Artema +Artemas +Artemia +ARTEMIS +Artemisa +Artemisia +artemisic +artemisin +Artemision +Artemisium +artemon +Artemovsk +Artemus +arter +artery +arteri- +arteria +arteriac +arteriae +arteriagra +arterial +arterialisation +arterialise +arterialised +arterialising +arterialization +arterialize +arterialized +arterializing +arterially +arterials +arteriarctia +arteriasis +arteriectasia +arteriectasis +arteriectomy +arteriectopia +arteried +arteries +arterying +arterin +arterio- +arterioarctia +arteriocapillary +arteriococcygeal +arteriodialysis +arteriodiastasis +arteriofibrosis +arteriogenesis +arteriogram +arteriograph +arteriography +arteriographic +arteriolar +arteriole +arterioles +arteriole's +arteriolith +arteriology +arterioloscleroses +arteriolosclerosis +arteriomalacia +arteriometer +arteriomotor +arterionecrosis +arteriopalmus +arteriopathy +arteriophlebotomy +arterioplania +arterioplasty +arteriopressor +arteriorenal +arteriorrhagia +arteriorrhaphy +arteriorrhexis +arterioscleroses +arteriosclerosis +arteriosclerotic +arteriosympathectomy +arteriospasm +arteriostenosis +arteriostosis +arteriostrepsis +arteriotome +arteriotomy +arteriotomies +arteriotrepsis +arterious +arteriovenous +arterioversion +arterioverter +artery's +arteritis +Artesia +Artesian +artesonado +artesonados +Arteveld +Artevelde +artful +artfully +artfulness +artfulnesses +Artgum +Artha +Arthaud +arthel +arthemis +Arther +arthogram +arthr- +arthra +arthragra +arthral +arthralgia +arthralgic +arthrectomy +arthrectomies +arthredema +arthrempyesis +arthresthesia +arthritic +arthritical +arthritically +arthriticine +arthritics +arthritides +arthritis +arthritism +arthro- +Arthrobacter +arthrobacterium +arthrobranch +arthrobranchia +arthrocace +arthrocarcinoma +arthrocele +arthrochondritis +arthroclasia +arthrocleisis +arthroclisis +arthroderm +arthrodesis +arthrodia +arthrodiae +arthrodial +arthrodic +arthrodymic +arthrodynia +arthrodynic +Arthrodira +arthrodiran +arthrodire +arthrodirous +Arthrodonteae +arthroempyema +arthroempyesis +arthroendoscopy +Arthrogastra +arthrogastran +arthrogenous +arthrography +arthrogryposis +arthrolite +arthrolith +arthrolithiasis +arthrology +arthromeningitis +arthromere +arthromeric +arthrometer +arthrometry +arthron +arthroncus +arthroneuralgia +arthropathy +arthropathic +arthropathology +arthrophyma +arthrophlogosis +arthropyosis +arthroplasty +arthroplastic +arthropleura +arthropleure +arthropod +Arthropoda +arthropodal +arthropodan +arthropody +arthropodous +arthropods +arthropod's +Arthropomata +arthropomatous +arthropterous +arthrorheumatism +arthrorrhagia +arthrosclerosis +arthroses +arthrosia +arthrosynovitis +arthrosyrinx +arthrosis +arthrospore +arthrosporic +arthrosporous +arthrosteitis +arthrosterigma +arthrostome +arthrostomy +Arthrostraca +arthrotyphoid +arthrotome +arthrotomy +arthrotomies +arthrotrauma +arthrotropic +arthrous +arthroxerosis +Arthrozoa +arthrozoan +arthrozoic +Arthur +Arthurdale +Arthurian +Arthuriana +Arty +artiad +artic +artichoke +artichokes +artichoke's +article +articled +articles +article's +articling +Articodactyla +arty-crafty +arty-craftiness +articulability +articulable +articulacy +articulant +articular +articulare +articulary +articularly +articulars +Articulata +articulate +articulated +articulately +articulateness +articulatenesses +articulates +articulating +articulation +articulationes +articulationist +articulations +articulative +articulator +articulatory +articulatorily +articulators +articulite +articulus +Artie +artier +artiest +artifact +artifactitious +artifacts +artifact's +artifactual +artifactually +artifex +artifice +artificer +artificers +artificership +artifices +artificial +artificialism +artificiality +artificialities +artificialize +artificially +artificialness +artificialnesses +artificious +Artigas +artily +artilize +artiller +artillery +artilleries +artilleryman +artillerymen +artilleryship +artillerist +artillerists +Artima +Artimas +Artina +artiness +artinesses +artinite +Artinskian +artiodactyl +Artiodactyla +artiodactylous +artiphyllous +artisan +artisanal +artisanry +artisans +artisan's +artisanship +artist +artistdom +artiste +artiste-peintre +artistes +artistess +artistic +artistical +artistically +artist-in-residence +artistry +artistries +artists +artist's +artize +artless +artlessly +artlessness +artlessnesses +artlet +artly +artlike +art-like +art-minded +artmobile +Artocarpaceae +artocarpad +artocarpeous +artocarpous +Artocarpus +Artois +artolater +artolatry +artophagous +artophophoria +artophoria +artophorion +artotype +artotypy +Artotyrite +artou +arts +art's +artsy +Artsybashev +artsy-craftsy +artsy-craftsiness +artsier +artsiest +artsman +arts-man +arts-master +Artukovic +Artur +Arturo +Artus +artware +artwork +artworks +Artzybasheff +Artzybashev +ARU +Aruabea +Aruac +Aruba +arugola +arugolas +arugula +arugulas +arui +aruke +Arulo +Arum +arumin +arumlike +arums +Arun +Aruncus +Arundel +Arundell +arundiferous +arundinaceous +Arundinaria +arundineous +Arundo +Aruns +Arunta +Aruntas +arupa +Aruru +arusa +Arusha +aruspex +aruspice +aruspices +aruspicy +arustle +Arutiunian +Aruwimi +ARV +Arva +Arvad +Arvada +Arval +Arvales +ArvArva +arvejon +arvel +Arvell +Arverni +Arvy +Arvicola +arvicole +Arvicolinae +arvicoline +arvicolous +arviculture +Arvid +Arvida +Arvie +Arvilla +Arvin +Arvind +Arvo +Arvol +Arvonia +Arvonio +arvos +arx +Arzachel +arzan +Arzava +Arzawa +arzrunite +arzun +AS +as +as- +a's +ASA +ASA/BS +Asabi +asaddle +Asael +asafetida +asafoetida +Asag +Asahel +Asahi +Asahigawa +Asahikawa +ASAIGAC +asak +asale +a-sale +asamblea +asana +Asante +Asantehene +ASAP +Asaph +asaphia +Asaphic +asaphid +Asaphidae +Asaphus +asaprol +Asapurna +Asar +asarabacca +Asaraceae +Asare +Asarh +asarin +asarite +asaron +asarone +asarota +asarotum +asarta +Asarum +asarums +Asat +asb +Asben +asbest +asbestic +asbestiform +asbestine +asbestinize +asbestoid +asbestoidal +asbestos +asbestos-coated +asbestos-corrugated +asbestos-covered +asbestoses +Asbestosis +asbestos-packed +asbestos-protected +asbestos-welded +asbestous +asbestus +asbestuses +Asbjornsen +asbolan +asbolane +asbolin +asboline +asbolite +Asbury +ASC +asc- +Ascabart +Ascalabota +Ascalabus +Ascalaphus +ascan +Ascanian +Ascanius +ASCAP +Ascapart +ascape +ascare +ascared +ascariasis +ascaricidal +ascaricide +ascarid +Ascaridae +ascarides +Ascaridia +ascaridiasis +ascaridol +ascaridole +ascarids +Ascaris +ascaron +ASCC +ascebc +Ascella +ascelli +ascellus +ascence +ascend +ascendable +ascendance +ascendancy +ascendancies +ascendant +ascendantly +ascendants +ascended +ascendence +ascendency +ascendent +ascender +ascenders +ascendible +ascending +ascendingly +ascends +Ascenez +ascenseur +Ascension +ascensional +ascensionist +ascensions +Ascensiontide +ascensive +ascensor +ascent +ascents +ascertain +ascertainability +ascertainable +ascertainableness +ascertainably +ascertained +ascertainer +ascertaining +ascertainment +ascertains +ascescency +ascescent +asceses +ascesis +ascetic +ascetical +ascetically +asceticism +asceticisms +ascetics +ascetic's +Ascetta +Asch +Aschaffenburg +aschaffite +Ascham +Aschelminthes +ascher +Aschim +aschistic +asci +ascian +ascians +ascicidia +Ascidia +Ascidiacea +Ascidiae +ascidian +ascidians +ascidiate +ascidicolous +ascidiferous +ascidiform +ascidiia +ascidioid +Ascidioida +Ascidioidea +Ascidiozoa +ascidiozooid +ascidium +asciferous +ascigerous +ASCII +ascill +ascyphous +Ascyrum +ascitan +ascitb +ascite +ascites +ascitic +ascitical +ascititious +asclent +Asclepi +Asclepiad +Asclepiadaceae +asclepiadaceous +Asclepiadae +Asclepiade +Asclepiadean +asclepiadeous +Asclepiadic +Asclepian +Asclepias +asclepidin +asclepidoid +Asclepieion +asclepin +Asclepius +Asco +asco- +ascocarp +ascocarpous +ascocarps +Ascochyta +ascogenous +ascogone +ascogonia +ascogonial +ascogonidia +ascogonidium +ascogonium +ascolichen +Ascolichenes +ascoma +ascomata +ascomycetal +ascomycete +Ascomycetes +ascomycetous +ascon +Ascones +asconia +asconoid +A-scope +Ascophyllum +ascophore +ascophorous +ascorbate +ascorbic +ascospore +ascosporic +ascosporous +Ascot +Ascothoracica +ascots +ASCQ +ascry +ascribable +ascribe +ascribed +ascribes +ascribing +ascript +ascription +ascriptions +ascriptitii +ascriptitious +ascriptitius +ascriptive +ascrive +ascula +asculae +Ascupart +Ascus +Ascutney +ASDIC +asdics +ASDSP +ase +asea +a-sea +ASEAN +asearch +asecretory +aseethe +a-seethe +Aseyev +aseismatic +aseismic +aseismicity +aseitas +aseity +a-seity +Asel +aselar +aselgeia +asellate +Aselli +Asellidae +Aselline +Asellus +asem +asemasia +asemia +asemic +Asenath +Aseneth +asepalous +asepses +asepsis +aseptate +aseptic +aseptically +asepticism +asepticize +asepticized +asepticizing +aseptify +aseptol +aseptolin +Aser +asexual +asexualisation +asexualise +asexualised +asexualising +asexuality +asexualization +asexualize +asexualized +asexualizing +asexually +asexuals +asfast +asfetida +ASG +Asgard +Asgardhr +Asgarth +asgd +Asgeir +Asgeirsson +asgmt +Ash +Asha +Ashab +ashake +a-shake +ashame +ashamed +ashamedly +ashamedness +ashamnu +Ashangos +Ashantee +Ashanti +A-shaped +Asharasi +A-sharp +Ashaway +Ashbaugh +Ashbey +ash-bellied +ashberry +Ashby +ash-blond +ash-blue +Ashburn +Ashburnham +Ashburton +ashcake +ashcan +ashcans +Ashchenaz +ash-colored +Ashcroft +Ashdod +Ashdown +Ashe +Asheboro +ashed +Ashely +Ashelman +ashen +ashen-hued +Asher +Asherah +Asherahs +ashery +asheries +Asherim +Asherite +Asherites +Asherton +Ashes +ashet +Asheville +ashfall +Ashfield +Ashford +ash-free +ash-gray +ashy +Ashia +Ashien +ashier +ashiest +Ashikaga +Ashil +ashily +ashimmer +ashine +a-shine +ashiness +ashing +ashipboard +a-shipboard +Ashippun +Ashir +ashiver +a-shiver +Ashjian +ashkey +Ashkenaz +Ashkenazi +Ashkenazic +Ashkenazim +Ashkhabad +ashkoko +Ashkum +Ashla +Ashlan +Ashland +ashlar +ashlared +ashlaring +ashlars +ash-leaved +Ashlee +Ashley +Ashleigh +Ashlen +ashler +ashlered +ashlering +ashlers +ashless +Ashli +Ashly +Ashlie +Ashlin +Ashling +ash-looking +Ashluslay +Ashman +Ashmead +ashmen +Ashmolean +Ashmore +Ashochimi +Ashok +ashore +ashot +ashpan +ashpit +ashplant +ashplants +ASHRAE +Ashraf +ashrafi +ashram +ashrama +ashrams +ash-staved +ashstone +Ashtabula +ashthroat +ash-throated +Ashti +Ashton +Ashton-under-Lyne +Ashtoreth +ashtray +ashtrays +ashtray's +Ashuelot +Ashur +Ashurbanipal +ashvamedha +Ashville +ash-wednesday +ashweed +Ashwell +ash-white +Ashwin +Ashwood +ashwort +ASI +Asia +As-yakh +asialia +Asian +Asianic +Asianism +asians +Asiarch +Asiarchate +Asiatic +Asiatical +Asiatically +Asiatican +Asiaticism +Asiaticization +Asiaticize +Asiatize +ASIC +aside +asidehand +asiden +asideness +asiderite +asides +asideu +asiento +asyla +asylabia +asyle +asilid +Asilidae +asyllabia +asyllabic +asyllabical +Asilomar +asylum +asylums +Asilus +asymbiotic +asymbolia +asymbolic +asymbolical +asimen +Asimina +asimmer +a-simmer +asymmetral +asymmetranthous +asymmetry +asymmetric +asymmetrical +asymmetrically +asymmetries +asymmetrocarpous +Asymmetron +asymptomatic +asymptomatically +asymptote +asymptotes +asymptote's +asymptotic +asymptotical +asymptotically +asymtote +asymtotes +asymtotic +asymtotically +asynapsis +asynaptic +asynartete +asynartetic +async +asynchrony +asynchronism +asynchronisms +asynchronous +asynchronously +asyndesis +asyndeta +asyndetic +asyndetically +asyndeton +asyndetons +Asine +asinego +asinegoes +asynergy +asynergia +asyngamy +asyngamic +asinine +asininely +asininity +asininities +Asynjur +asyntactic +asyntrophy +ASIO +asiphonate +asiphonogama +Asir +asis +asystematic +asystole +asystolic +asystolism +asitia +Asius +Asyut +asyzygetic +ASK +askable +askance +askant +askapart +askar +askarel +Askari +askaris +asked +Askelon +asker +askers +askeses +askesis +askew +askewgee +askewness +askile +asking +askingly +askings +askip +Askja +asklent +Asklepios +askoi +askoye +askos +Askov +Askr +asks +Askwith +aslake +Aslam +aslant +aslantwise +aslaver +asleep +ASLEF +aslop +aslope +a-slug +aslumber +ASM +asmack +asmalte +Asmara +ASME +asmear +a-smear +asmile +Asmodeus +asmoke +asmolder +Asmonaean +Asmonean +a-smoulder +ASN +ASN1 +Asni +Asnieres +asniffle +asnort +a-snort +Aso +asoak +a-soak +ASOC +asocial +asok +Asoka +asomatophyte +asomatous +asonant +asonia +asop +Asopus +asor +Asosan +Asotin +asouth +a-south +ASP +Aspa +ASPAC +aspace +aspalathus +Aspalax +asparagic +asparagyl +asparagin +asparagine +asparaginic +asparaginous +asparagus +asparaguses +asparamic +asparkle +a-sparkle +Aspartame +aspartate +aspartic +aspartyl +aspartokinase +Aspasia +Aspatia +ASPCA +aspect +aspectable +aspectant +aspection +aspects +aspect's +aspectual +ASPEN +aspens +asper +asperate +asperated +asperates +asperating +asperation +aspergation +asperge +asperger +Asperges +asperggilla +asperggilli +aspergil +aspergill +aspergilla +Aspergillaceae +Aspergillales +aspergilli +aspergilliform +aspergillin +aspergilloses +aspergillosis +aspergillum +aspergillums +aspergillus +Asperifoliae +asperifoliate +asperifolious +asperite +asperity +asperities +asperly +aspermatic +aspermatism +aspermatous +aspermia +aspermic +Aspermont +aspermous +aspern +asperness +asperous +asperously +Aspers +asperse +aspersed +asperser +aspersers +asperses +aspersing +aspersion +aspersions +aspersion's +aspersive +aspersively +aspersoir +aspersor +aspersory +aspersoria +aspersorium +aspersoriums +aspersors +Asperugo +Asperula +asperuloside +asperulous +Asphalius +asphalt +asphalt-base +asphalted +asphaltene +asphalter +asphaltic +asphalting +asphaltite +asphaltlike +asphalts +asphaltum +asphaltums +asphaltus +aspheric +aspherical +aspheterism +aspheterize +asphyctic +asphyctous +asphyxy +asphyxia +asphyxial +asphyxiant +asphyxias +asphyxiate +asphyxiated +asphyxiates +asphyxiating +asphyxiation +asphyxiations +asphyxiative +asphyxiator +asphyxied +asphyxies +asphodel +Asphodelaceae +Asphodeline +asphodels +Asphodelus +aspy +Aspia +aspic +aspics +aspiculate +aspiculous +aspidate +aspide +aspidiaria +aspidinol +Aspidiotus +Aspidiske +Aspidistra +aspidistras +aspidium +Aspidobranchia +Aspidobranchiata +aspidobranchiate +Aspidocephali +Aspidochirota +Aspidoganoidei +aspidomancy +Aspidosperma +aspidospermine +Aspinwall +aspiquee +aspirant +aspirants +aspirant's +aspirata +aspiratae +aspirate +aspirated +aspirates +aspirating +aspiration +aspirations +aspiration's +aspirator +aspiratory +aspirators +aspire +aspired +aspiree +aspirer +aspirers +aspires +aspirin +aspiring +aspiringly +aspiringness +aspirins +aspis +aspises +aspish +asplanchnic +Asplenieae +asplenioid +Asplenium +asporogenic +asporogenous +asporous +asport +asportation +asporulate +aspout +a-spout +asprawl +a-sprawl +aspread +a-spread +Aspredinidae +Aspredo +asprete +aspring +asprout +a-sprout +asps +asquare +asquat +a-squat +asqueal +asquint +asquirm +a-squirm +Asquith +ASR +asrama +asramas +ASRM +Asroc +ASRS +ASS +assacu +Assad +assafetida +assafoetida +assagai +assagaied +assagaiing +assagais +assahy +assai +assay +assayable +assayed +assayer +assayers +assaying +assail +assailability +assailable +assailableness +assailant +assailants +assailant's +assailed +assailer +assailers +assailing +assailment +assails +assais +assays +assalto +Assam +Assama +assamar +Assamese +Assamites +assapan +assapanic +assapanick +Assaracus +assary +Assaria +assarion +assart +Assassin +assassinate +assassinated +assassinates +assassinating +assassination +assassinations +assassinative +assassinator +assassinatress +assassinist +assassins +assassin's +assate +assation +assaugement +assault +assaultable +assaulted +assaulter +assaulters +assaulting +assaultive +assaults +assausive +assaut +Assawoman +assbaa +ass-backwards +ass-chewing +asse +asseal +ass-ear +assecuration +assecurator +assecure +assecution +assedat +assedation +assegai +assegaied +assegaiing +assegaing +assegais +asseize +asself +assembl +assemblable +assemblage +assemblages +assemblage's +assemblagist +assemblance +assemble +assembled +assemblee +assemblement +assembler +assemblers +assembles +Assembly +assemblies +assemblyman +assemblymen +assembling +assembly's +assemblywoman +assemblywomen +Assen +assent +assentaneous +assentation +assentatious +assentator +assentatory +assentatorily +assented +assenter +assenters +assentient +assenting +assentingly +assentive +assentiveness +assentor +assentors +assents +asseour +Asser +assert +asserta +assertable +assertative +asserted +assertedly +asserter +asserters +assertible +asserting +assertingly +assertion +assertional +assertions +assertion's +assertive +assertively +assertiveness +assertivenesses +assertor +assertory +assertorial +assertorially +assertoric +assertorical +assertorically +assertorily +assertors +assertress +assertrix +asserts +assertum +asserve +asservilize +asses +assess +assessable +assessably +assessed +assessee +assesses +assessing +assession +assessionary +assessment +assessments +assessment's +assessor +assessory +assessorial +assessors +assessorship +asset +asseth +assets +asset's +asset-stripping +assever +asseverate +asseverated +asseverates +asseverating +asseveratingly +asseveration +asseverations +asseverative +asseveratively +asseveratory +assewer +asshead +ass-head +ass-headed +assheadedness +asshole +assholes +Asshur +assi +assibilate +assibilated +assibilating +assibilation +Assidaean +Assidean +assident +assidual +assidually +assiduate +assiduity +assiduities +assiduous +assiduously +assiduousness +assiduousnesses +assiege +assientist +assiento +assiette +assify +assign +assignability +assignable +assignably +assignat +assignation +assignations +assignats +assigned +assignee +assignees +assignee's +assigneeship +assigner +assigners +assigning +assignment +assignments +assignment's +assignor +assignors +assigns +assilag +assimilability +assimilable +assimilate +assimilated +assimilates +assimilating +assimilation +assimilationist +assimilations +assimilative +assimilativeness +assimilator +assimilatory +assimulate +assinego +Assiniboin +Assiniboine +Assiniboins +assyntite +assinuate +Assyr +Assyr. +Assyria +Assyrian +Assyrianize +assyrians +Assyriology +Assyriological +Assyriologist +Assyriologue +Assyro-Babylonian +Assyroid +assis +assisa +Assisan +assise +assish +assishly +assishness +Assisi +assist +assistance +assistances +assistant +assistanted +assistants +assistant's +assistantship +assistantships +assisted +assistency +assister +assisters +assistful +assisting +assistive +assistless +assistor +assistors +assists +assith +assyth +assythment +Assiut +Assyut +assize +assized +assizement +assizer +assizes +assizing +ass-kisser +ass-kissing +ass-licker +ass-licking +asslike +assman +Assmannshausen +Assmannshauser +assmanship +Assn +assn. +assobre +assoc +assoc. +associability +associable +associableness +associate +associated +associatedness +associates +associateship +associating +association +associational +associationalism +associationalist +associationism +associationist +associationistic +associations +associative +associatively +associativeness +associativity +associator +associatory +associators +associator's +associe +assoil +assoiled +assoiling +assoilment +assoils +assoilzie +assoin +assoluto +assonance +assonanced +assonances +assonant +assonantal +assonantic +assonantly +assonants +assonate +Assonet +Assonia +assoria +assort +assortative +assortatively +assorted +assortedness +assorter +assorters +assorting +assortive +assortment +assortments +assortment's +assorts +assot +Assouan +ASSR +ass-reaming +ass's +asssembler +ass-ship +asst +asst. +assuade +assuagable +assuage +assuaged +assuagement +assuagements +assuager +assuages +assuaging +Assuan +assuasive +assubjugate +assuefaction +Assuerus +assuetude +assumable +assumably +assume +assumed +assumedly +assument +assumer +assumers +assumes +assuming +assumingly +assumingness +assummon +assumpsit +assumpt +Assumption +Assumptionist +assumptions +assumption's +assumptious +assumptiousness +assumptive +assumptively +assumptiveness +Assur +assurable +assurance +assurances +assurance's +assurant +assurate +Assurbanipal +assurd +assure +assured +assuredly +assuredness +assureds +assurer +assurers +assures +assurge +assurgency +assurgent +assuring +assuringly +assuror +assurors +asswage +asswaged +asswages +asswaging +ast +Asta +astable +astacian +Astacidae +Astacus +astay +a-stay +Astaire +a-stays +Astakiwi +astalk +astarboard +a-starboard +astare +a-stare +astart +a-start +Astarte +Astartian +Astartidae +astasia +astasia-abasia +astasias +astate +astatic +astatically +astaticism +astatine +astatines +astatize +astatized +astatizer +astatizing +Astatula +asteam +asteatosis +asteep +asteer +asteism +astel +astely +astelic +aster +Astera +Asteraceae +asteraceous +Asterales +Asterella +astereognosis +Asteria +asteriae +asterial +Asterias +asteriated +Asteriidae +asterikos +asterin +Asterina +Asterinidae +asterioid +Asterion +Asterionella +asteriscus +asteriscuses +asterisk +asterisked +asterisking +asteriskless +asteriskos +asterisks +asterisk's +asterism +asterismal +asterisms +asterite +Asterius +asterixis +astern +asternal +Asternata +asternia +Asterochiton +Asterodia +asteroid +asteroidal +Asteroidea +asteroidean +asteroids +asteroid's +Asterolepidae +Asterolepis +Asteropaeus +Asterope +asterophyllite +Asterophyllites +Asterospondyli +asterospondylic +asterospondylous +Asteroxylaceae +Asteroxylon +Asterozoa +asters +aster's +astert +asterwort +asthamatic +astheny +asthenia +asthenias +asthenic +asthenical +asthenics +asthenies +asthenobiosis +asthenobiotic +asthenolith +asthenology +asthenope +asthenophobia +asthenopia +asthenopic +asthenosphere +asthma +asthmas +asthmatic +asthmatical +asthmatically +asthmatics +asthmatoid +asthmogenic +asthore +asthorin +Asti +Astian +Astyanax +astichous +Astydamia +astigmat +astigmatic +astigmatical +astigmatically +astigmatism +astigmatisms +astigmatizer +astigmatometer +astigmatometry +astigmatoscope +astigmatoscopy +astigmatoscopies +astigmia +astigmias +astigmic +astigmism +astigmometer +astigmometry +astigmoscope +astylar +Astilbe +astyllen +Astylospongia +Astylosternus +astint +astipulate +astipulation +astir +Astispumante +astite +ASTM +ASTMS +astogeny +Astolat +astomatal +astomatous +astomia +astomous +Aston +astond +astone +astoned +astony +astonied +astonies +astonying +astonish +astonished +astonishedly +astonisher +astonishes +astonishing +astonishingly +astonishingness +astonishment +astonishments +astoop +Astor +astore +Astoria +astound +astoundable +astounded +astounding +astoundingly +astoundment +astounds +astr +astr- +astr. +Astra +Astrabacus +Astrachan +astracism +astraddle +a-straddle +Astraea +Astraean +astraeid +Astraeidae +astraeiform +Astraeus +astragal +astragalar +astragalectomy +astragali +astragalocalcaneal +astragalocentral +astragalomancy +astragalonavicular +astragaloscaphoid +astragalotibial +astragals +Astragalus +Astrahan +astray +astrain +a-strain +astrakanite +Astrakhan +astral +astrally +astrals +astrand +a-strand +Astrangia +Astrantia +astraphobia +astrapophobia +Astrateia +astre +Astrea +astream +astrean +Astred +astrer +Astri +astrict +astricted +astricting +astriction +astrictive +astrictively +astrictiveness +astricts +Astrid +astride +astrier +astriferous +astrild +astringe +astringed +astringence +astringency +astringencies +astringent +astringently +astringents +astringer +astringes +astringing +astrion +astrionics +Astrix +astro- +astroalchemist +astrobiology +astrobiological +astrobiologically +astrobiologies +astrobiologist +astrobiologists +astroblast +astrobotany +Astrocaryum +astrochemist +astrochemistry +astrochronological +astrocyte +astrocytic +astrocytoma +astrocytomas +astrocytomata +astrocompass +astrodiagnosis +astrodynamic +astrodynamics +astrodome +astrofel +astrofell +astrogate +astrogated +astrogating +astrogation +astrogational +astrogator +astrogeny +astrogeology +astrogeologist +astroglia +astrognosy +astrogony +astrogonic +astrograph +astrographer +astrography +astrographic +astrohatch +astroid +astroite +astrol +astrol. +astrolabe +astrolabes +astrolabical +astrolater +astrolatry +astrolithology +astrolog +astrologaster +astrologe +astrologer +astrologers +astrology +astrologian +astrologic +astrological +astrologically +astrologies +astrologist +astrologistic +astrologists +astrologize +astrologous +astromancer +astromancy +astromantic +astromeda +astrometeorology +astro-meteorology +astrometeorological +astrometeorologist +astrometer +astrometry +astrometric +astrometrical +astron +astronaut +Astronautarum +astronautic +astronautical +astronautically +astronautics +Astronauts +astronaut's +astronavigation +astronavigator +astronomer +astronomers +astronomer's +astronomy +astronomic +astronomical +astronomically +astronomics +astronomien +astronomize +Astropecten +Astropectinidae +astrophel +astrophil +astrophyllite +astrophysical +astrophysicist +astrophysicists +astrophysics +Astrophyton +astrophobia +astrophotographer +astrophotography +astrophotographic +astrophotometer +astrophotometry +astrophotometrical +astroscope +astroscopy +Astroscopus +astrose +astrospectral +astrospectroscopic +astrosphere +astrospherecentrosomic +astrotheology +Astroturf +astructive +astrut +a-strut +Astto +astucious +astuciously +astucity +Astur +Asturian +Asturias +astute +astutely +astuteness +astutious +ASU +asuang +asudden +a-sudden +Asunci +Asuncion +asunder +Asur +Asura +Asuri +ASV +Asvins +ASW +asway +a-sway +aswail +Aswan +aswarm +a-swarm +aswash +a-swash +asweat +a-sweat +aswell +asweve +aswim +a-swim +aswing +a-swing +aswirl +aswithe +aswoon +a-swoon +aswooned +aswough +Asz +AT +at- +AT&T +at. +At/m +At/Wb +ATA +atabal +Atabalipa +atabals +atabeg +atabek +Atabyrian +Atabrine +Atacaman +Atacamenan +Atacamenian +Atacameno +atacamite +ATACC +atactic +atactiform +Ataentsic +atafter +ataghan +ataghans +Atahualpa +Ataigal +Ataiyal +Atakapa +Atakapas +atake +Atal +Atalaya +Atalayah +atalayas +Atalan +Atalanta +Atalante +Atalanti +atalantis +Atalee +Atalya +Ataliah +Atalie +Atalissa +ataman +atamans +atamasco +atamascos +atame +Atamosco +atangle +atap +ataps +atar +ataractic +Atarax +ataraxy +ataraxia +ataraxias +ataraxic +ataraxics +ataraxies +Atascadero +Atascosa +Atat +atatschite +Ataturk +ataunt +ataunto +atavi +atavic +atavism +atavisms +atavist +atavistic +atavistically +atavists +atavus +ataxaphasia +ataxy +ataxia +ataxiagram +ataxiagraph +ataxiameter +ataxiaphasia +ataxias +ataxic +ataxics +ataxies +ataxinomic +ataxite +ataxonomic +ataxophemia +atazir +ATB +Atbara +atbash +ATC +Atcheson +Atchison +Atcliffe +Atco +ATDA +ATDRS +ate +ate- +Ateba +atebrin +atechny +atechnic +atechnical +ated +atees +ateeter +atef +atef-crown +ateknia +atelectasis +atelectatic +ateleiosis +atelene +ateleological +Ateles +atelestite +atelets +ately +atelic +atelier +ateliers +ateliosis +ateliotic +Atellan +atelo +atelo- +atelocardia +atelocephalous +ateloglossia +atelognathia +atelomyelia +atelomitic +atelophobia +atelopodia +ateloprosopia +atelorachidia +atelostomia +atemoya +atemporal +a-temporal +Aten +Atenism +Atenist +A-tent +ater- +Aterian +ates +Ateste +Atestine +ateuchi +ateuchus +ATF +Atfalati +Atglen +ATH +Athabasca +Athabascan +Athabaska +Athabaskan +Athal +athalamous +Athalee +Athalia +Athaliah +Athalie +Athalla +Athallia +athalline +Athamantid +athamantin +Athamas +athamaunte +athanasy +athanasia +Athanasian +Athanasianism +Athanasianist +athanasies +Athanasius +athanor +Athapascan +Athapaskan +athar +Atharvan +Atharva-Veda +athbash +Athecae +Athecata +athecate +Athey +atheism +atheisms +atheist +atheistic +atheistical +atheistically +atheisticalness +atheisticness +atheists +atheist's +atheize +atheizer +Athel +Athelbert +athelia +atheling +athelings +Athelred +Athelstan +Athelstane +athematic +Athena +Athenaea +Athenaeum +athenaeums +Athenaeus +Athenagoras +Athenai +Athene +athenee +atheneum +atheneums +Athenian +Athenianly +athenians +Athenienne +athenor +Athens +atheology +atheological +atheologically +atheous +Athericera +athericeran +athericerous +atherine +Atherinidae +Atheriogaea +Atheriogaean +Atheris +athermancy +athermanous +athermic +athermous +atherogenesis +atherogenic +atheroma +atheromas +atheromasia +atheromata +atheromatosis +atheromatous +atheroscleroses +atherosclerosis +atherosclerotic +atherosclerotically +Atherosperma +Atherton +Atherurus +athetesis +atheticize +athetize +athetized +athetizing +athetoid +athetoids +athetosic +athetosis +athetotic +Athie +athymy +athymia +athymic +athing +athink +athyreosis +athyria +athyrid +Athyridae +Athyris +Athyrium +athyroid +athyroidism +athyrosis +athirst +Athiste +athlete +athletehood +athletes +athlete's +athletic +athletical +athletically +athleticism +athletics +athletism +athletocracy +athlothete +athlothetes +athodyd +athodyds +athogen +Athol +athold +at-home +at-homeish +at-homeishness +at-homeness +athonite +athort +Athos +athrepsia +athreptic +athrill +a-thrill +athrive +athrob +a-throb +athrocyte +athrocytosis +athrogenic +athrong +a-throng +athrough +athumia +athwart +athwarthawse +athwartship +athwartships +athwartwise +ATI +Atiana +atic +Atik +Atikokania +Atila +atile +atilt +atimy +Atymnius +atimon +ating +atinga +atingle +atinkle +ation +atip +atypy +atypic +atypical +atypicality +atypically +atiptoe +a-tiptoe +ATIS +Atys +ative +ATK +Atka +Atkins +Atkinson +Atlanta +atlantad +atlantal +Atlante +Atlantean +atlantes +Atlantic +Atlantica +Atlantid +Atlantides +Atlantis +atlantite +atlanto- +atlantoaxial +atlantodidymus +atlantomastoid +Atlanto-mediterranean +atlantoodontoid +Atlantosaurus +at-large +ATLAS +Atlas-Agena +Atlasburg +Atlas-Centaur +atlases +Atlaslike +Atlas-Score +atlatl +atlatls +atle +Atlee +Atli +atlo- +atloaxoid +atloid +atloidean +atloidoaxoid +atloido-occipital +atlo-odontoid +ATM +atm. +atma +Atman +atmans +atmas +atmiatry +atmiatrics +atmid +atmidalbumin +atmidometer +atmidometry +atmo +atmo- +atmocausis +atmocautery +atmoclastic +atmogenic +atmograph +atmolyses +atmolysis +atmolyzation +atmolyze +atmolyzer +atmology +atmologic +atmological +atmologist +atmometer +atmometry +atmometric +atmophile +Atmore +atmos +atmosphere +atmosphered +atmosphereful +atmosphereless +atmospheres +atmosphere's +atmospheric +atmospherical +atmospherically +atmospherics +atmospherium +atmospherology +atmostea +atmosteal +atmosteon +ATMS +ATN +Atnah +ATO +atocha +atocia +Atoka +atokal +atoke +atokous +atole +a-tolyl +atoll +atolls +atoll's +atom +atomatic +atom-bomb +atom-chipping +atomechanics +atomerg +atomy +atomic +atomical +atomically +atomician +atomicism +atomicity +atomics +atomies +atomiferous +atomisation +atomise +atomised +atomises +atomising +atomism +atomisms +atomist +atomistic +atomistical +atomistically +atomistics +atomists +atomity +atomization +atomize +atomized +atomizer +atomizers +atomizes +atomizing +atomology +atom-rocket +ATOMS +atom's +atom-smashing +atom-tagger +atom-tagging +Aton +atonable +atonal +atonalism +atonalist +atonalistic +atonality +atonally +atone +atoneable +atoned +atonement +atonements +atoneness +atoner +atoners +atones +atony +atonia +atonic +atonicity +atonics +atonies +atoning +atoningly +Atonsah +atop +atopen +Atophan +atopy +atopic +atopies +atopite +ator +Atorai +atory +Atossa +atour +atoxic +Atoxyl +ATP +ATP2 +ATPCO +atpoints +ATR +atrabilaire +atrabilar +atrabilarian +atrabilarious +atrabile +atrabiliar +atrabiliary +atrabiliarious +atrabilious +atrabiliousness +atracheate +Atractaspis +Atragene +Atrahasis +atrail +atrament +atramental +atramentary +atramentous +atraumatic +Atrax +atrazine +atrazines +Atrebates +atrede +Atremata +atremate +atrematous +atremble +a-tremble +atren +atrenne +atrepsy +atreptic +atresy +atresia +atresias +atresic +atretic +Atreus +atry +a-try +atria +atrial +atrible +Atrice +atrichia +atrichic +atrichosis +atrichous +atrickle +Atridae +Atridean +atrienses +atriensis +atriocoelomic +atrioporal +atriopore +atrioventricular +atrip +a-trip +Atrypa +Atriplex +atrypoid +atrium +atriums +atro- +atroce +atroceruleous +atroceruleus +atrocha +atrochal +atrochous +atrocious +atrociously +atrociousness +atrociousnesses +atrocity +atrocities +atrocity's +atrocoeruleus +atrolactic +Atronna +Atropa +atropaceous +atropal +atropamine +Atropatene +atrophy +atrophia +atrophias +atrophiated +atrophic +atrophied +atrophies +atrophying +atrophoderma +atrophous +atropia +atropic +Atropidae +atropin +atropine +atropines +atropinism +atropinization +atropinize +atropins +atropism +atropisms +Atropos +atropous +atrorubent +atrosanguineous +atroscine +atrous +ATRS +ATS +atsara +Atsugi +ATT +att. +Atta +attababy +attabal +attaboy +Attacapan +attacca +attacco +attach +attachable +attachableness +attache +attached +attachedly +attacher +attachers +attaches +attacheship +attaching +attachment +attachments +attachment's +attack +attackable +attacked +attacker +attackers +attacking +attackingly +attackman +attacks +attacolite +Attacus +attagal +attagen +attaghan +attagirl +Attah +attain +attainability +attainabilities +attainable +attainableness +attainably +attainder +attainders +attained +attainer +attainers +attaining +attainment +attainments +attainment's +attainor +attains +attaint +attainted +attainting +attaintment +attaints +attainture +attal +Attalanta +Attalea +attaleh +Attalid +Attalie +Attalla +attame +attapulgite +Attapulgus +attar +attargul +attars +attask +attaste +attatched +attatches +ATTC +ATTCOM +atte +atteal +attemper +attemperament +attemperance +attemperate +attemperately +attemperation +attemperator +attempered +attempering +attempers +attempre +attempt +attemptability +attemptable +attempted +attempter +attempters +attempting +attemptive +attemptless +attempts +Attenborough +attend +attendance +attendances +attendance's +attendancy +attendant +attendantly +attendants +attendant's +attended +attendee +attendees +attendee's +attender +attenders +attending +attendingly +attendings +attendment +attendress +attends +attensity +attent +attentat +attentate +attention +attentional +attentionality +attention-getting +attentions +attention's +attentive +attentively +attentiveness +attentivenesses +attently +attenuable +attenuant +attenuate +attenuated +attenuates +attenuating +attenuation +attenuations +attenuative +attenuator +attenuators +attenuator's +Attenweiler +atter +Atterbury +attercop +attercrop +attery +atterminal +attermine +attermined +atterminement +attern +atterr +atterrate +attest +attestable +attestant +attestation +attestations +attestative +attestator +attested +attester +attesters +attesting +attestive +attestor +attestors +attests +Atthia +atty +atty. +Attic +Attica +Attical +attice +Atticise +Atticised +Atticising +Atticism +atticisms +Atticist +atticists +Atticize +Atticized +Atticizing +atticomastoid +attics +attic's +attid +Attidae +Attila +attinge +attingence +attingency +attingent +attirail +attire +attired +attirement +attirer +attires +attiring +ATTIS +attitude +attitudes +attitude's +attitudinal +attitudinarian +attitudinarianism +attitudinise +attitudinised +attitudiniser +attitudinising +attitudinize +attitudinized +attitudinizer +attitudinizes +attitudinizing +attitudist +Attius +Attiwendaronk +attle +Attleboro +Attlee +attn +attntrp +atto- +attollent +attomy +attorn +attornare +attorned +attorney +attorney-at-law +attorneydom +attorney-generalship +attorney-in-fact +attorneyism +attorneys +attorney's +attorneys-at-law +attorneyship +attorneys-in-fact +attorning +attornment +attorns +attouchement +attour +attourne +attract +attractability +attractable +attractableness +attractance +attractancy +attractant +attractants +attracted +attracted-disk +attracter +attractile +attracting +attractingly +attraction +attractionally +attractions +attraction's +attractive +attractively +attractiveness +attractivenesses +attractivity +attractor +attractors +attractor's +attracts +attrahent +attrap +attrectation +attry +attrib +attrib. +attributable +attributal +attribute +attributed +attributer +attributes +attributing +attribution +attributional +attributions +attributive +attributively +attributiveness +attributives +attributor +attrist +attrite +attrited +attriteness +attriting +attrition +attritional +attritive +attritus +attriutively +attroopment +attroupement +Attu +attune +attuned +attunely +attunement +attunes +attuning +atturn +Attwood +atua +Atuami +Atul +atule +Atum +atumble +a-tumble +atune +ATV +atveen +atwain +a-twain +Atwater +atweel +atween +Atwekk +atwin +atwind +atwirl +atwist +a-twist +atwitch +atwite +atwitter +a-twitter +atwixt +atwo +a-two +Atwood +Atworth +AU +AUA +auantic +aubade +aubades +aubain +aubaine +Aubanel +Aubarta +Aube +aubepine +Auber +Auberbach +Auberge +auberges +aubergine +aubergiste +aubergistes +Auberon +Auberry +Aubert +Auberta +Aubervilliers +Aubigny +Aubin +Aubyn +Aubine +Aubree +Aubrey +Aubreir +aubretia +aubretias +Aubrette +Aubry +Aubrie +aubrieta +aubrietas +Aubrietia +aubrite +Auburn +Auburndale +auburn-haired +auburns +Auburntown +Auburta +Aubusson +AUC +Auca +Aucan +Aucaner +Aucanian +Auchenia +auchenium +Auchincloss +Auchinleck +auchlet +aucht +Auckland +auctary +auction +auctionary +auctioned +auctioneer +auctioneers +auctioneer's +auctioning +auctions +auctor +auctorial +auctorizate +auctors +Aucuba +aucubas +aucupate +aud +aud. +audace +audacious +audaciously +audaciousness +audacity +audacities +audad +audads +Audaean +Aude +Auden +Audette +Audhumbla +Audhumla +Audi +Audy +Audian +Audibertia +audibility +audible +audibleness +audibles +audibly +Audie +audience +audience-proof +audiencer +audiences +audience's +audiencia +audiencier +audient +audients +audile +audiles +auding +audings +audio +audio- +audioemission +audio-frequency +audiogenic +audiogram +audiograms +audiogram's +audiology +audiological +audiologies +audiologist +audiologists +audiologist's +audiometer +audiometers +audiometry +audiometric +audiometrically +audiometries +audiometrist +Audion +audiophile +audiophiles +audios +audiotape +audiotapes +audiotypist +audiovisual +audio-visual +audio-visually +audiovisuals +audiphone +audit +auditable +audited +auditing +audition +auditioned +auditioning +auditions +audition's +auditive +auditives +auditor +auditor-general +auditory +auditoria +auditorial +auditorially +auditories +auditorily +auditorium +auditoriums +auditors +auditor's +auditors-general +auditorship +auditotoria +auditress +audits +auditual +audivise +audiviser +audivision +AUDIX +Audley +Audly +Audra +Audras +Audre +Audrey +Audres +Audri +Audry +Audrie +Audrye +Audris +Audrit +Audsley +Audubon +Audubonistic +Audun +Audwen +Audwin +Auer +Auerbach +Aueto +AUEW +auf +aufait +aufgabe +Aufklarung +Aufklrung +Aufmann +auftakt +Aug +Aug. +auganite +Auge +Augean +Augeas +augelite +Augelot +augen +augend +augends +augen-gabbro +augen-gneiss +auger +augerer +auger-nose +augers +auger's +auger-type +auget +augh +aught +aughtlins +aughts +Augy +Augie +Augier +augite +augite-porphyry +augite-porphyrite +augites +augitic +augitite +augitophyre +augment +augmentable +augmentation +augmentationer +augmentations +augmentative +augmentatively +augmented +augmentedly +augmenter +augmenters +augmenting +augmentive +augmentor +augments +Augres +augrim +Augsburg +augur +augural +augurate +auguration +augure +augured +augurer +augurers +augury +augurial +auguries +auguring +augurous +augurs +augurship +August +Augusta +augustal +Augustales +Augustan +Auguste +auguster +augustest +Augusti +Augustin +Augustina +Augustine +Augustinian +Augustinianism +Augustinism +augustly +augustness +Augusto +Augustus +auh +auhuhu +AUI +Auk +auklet +auklets +auks +auksinai +auksinas +auksinu +aul +aula +aulacocarpous +Aulacodus +Aulacomniaceae +Aulacomnium +aulae +Aulander +Aulard +aularian +aulas +auld +aulder +auldest +auld-farran +auld-farrand +auld-farrant +auldfarrantlike +auld-warld +Aulea +auletai +aulete +auletes +auletic +auletrides +auletris +aulic +aulical +aulicism +Auliffe +Aulis +aullay +auln- +auloi +aulophyte +aulophobia +aulos +Aulostoma +Aulostomatidae +Aulostomi +aulostomid +Aulostomidae +Aulostomus +Ault +Aultman +aulu +AUM +aumaga +aumail +aumakua +aumbry +aumbries +aumery +aumil +aumildar +aummbulatory +aumoniere +aumous +aumrie +Aumsville +Aun +aunc- +auncel +Aundrea +aune +Aunjetitz +Aunson +aunt +aunter +aunters +aunthood +aunthoods +aunty +auntie +aunties +auntish +auntly +auntlier +auntliest +auntlike +auntre +auntrous +aunts +aunt's +auntsary +auntship +AUP +aupaka +aur- +AURA +aurae +Aural +aurally +auramin +auramine +aurang +Aurangzeb +aurantia +Aurantiaceae +aurantiaceous +Aurantium +aurar +auras +aura's +aurata +aurate +aurated +Aurea +aureal +aureate +aureately +aureateness +aureation +aurei +aureity +Aurel +Aurelea +Aurelia +Aurelian +Aurelie +Aurelio +Aurelius +aurene +Aureocasidium +aureola +aureolae +aureolas +aureole +aureoled +aureoles +aureolin +aureoline +aureoling +Aureomycin +aureous +aureously +Aures +auresca +aureus +Auria +auribromide +Auric +aurichalcite +aurichalcum +aurichloride +aurichlorohydric +auricyanhydric +auricyanic +auricyanide +auricle +auricled +auricles +auricomous +Auricula +auriculae +auricular +auriculare +auriculares +Auricularia +Auriculariaceae +auriculariae +Auriculariales +auricularian +auricularias +auricularis +auricularly +auriculars +auriculas +auriculate +auriculated +auriculately +Auriculidae +auriculo +auriculocranial +auriculoid +auriculo-infraorbital +auriculo-occipital +auriculoparietal +auriculotemporal +auriculoventricular +auriculovertical +auride +Aurie +auriferous +aurifex +aurify +aurific +aurification +aurified +aurifying +auriflamme +auriform +Auriga +Aurigae +aurigal +aurigation +aurigerous +Aurigid +Aurignac +Aurignacian +aurigo +aurigraphy +auri-iodide +auryl +aurilave +Aurilia +aurin +aurinasal +aurine +Auriol +auriphone +auriphrygia +auriphrygiate +auripigment +auripuncture +aurir +auris +auriscalp +auriscalpia +auriscalpium +auriscope +auriscopy +auriscopic +auriscopically +aurist +aurists +Aurita +aurite +aurited +aurivorous +Aurlie +auro- +auroauric +aurobromide +auroch +aurochloride +aurochs +aurochses +aurocyanide +aurodiamine +auronal +Auroora +aurophobia +aurophore +Aurora +aurorae +auroral +aurorally +auroras +Aurore +aurorean +Aurorian +aurorium +aurotellurite +aurothiosulphate +aurothiosulphuric +aurous +aurrescu +Aurthur +aurulent +Aurum +aurums +aurung +Aurungzeb +aurure +AUS +Aus. +Ausable +Auschwitz +auscult +auscultascope +auscultate +auscultated +auscultates +auscultating +auscultation +auscultations +auscultative +auscultator +auscultatory +Auscultoscope +Ause +ausform +ausformed +ausforming +ausforms +ausgespielt +Ausgleich +Ausgleiche +Aushar +Auslander +auslaut +auslaute +Auslese +Ausones +Ausonian +Ausonius +auspex +auspicate +auspicated +auspicating +auspice +auspices +auspicy +auspicial +auspicious +auspiciously +auspiciousness +Aussie +aussies +Aust +Aust. +Austafrican +austausch +Austell +austemper +Austen +austenite +austenitic +austenitize +austenitized +austenitizing +Auster +austere +austerely +austereness +austerer +austerest +austerity +austerities +Austerlitz +austerus +Austin +Austina +Austinburg +Austine +Austinville +Auston +austr- +Austral +Austral. +Australanthropus +Australasia +Australasian +Australe +australene +Austral-english +Australia +Australian +Australiana +Australianism +Australianize +Australian-oak +australians +Australic +Australioid +Australis +australite +Australoid +Australopithecinae +Australopithecine +Australopithecus +Australorp +australs +Austrasia +Austrasian +Austreng +Austria +Austria-Hungary +Austrian +Austrianize +austrians +Austric +austrine +austringer +austrium +Austro- +Austroasiatic +Austro-Asiatic +Austro-columbia +Austro-columbian +Austrogaea +Austrogaean +Austro-Hungarian +Austro-malayan +austromancy +Austronesia +Austronesian +Austrophil +Austrophile +Austrophilism +Austroriparian +Austro-swiss +Austwell +ausu +ausubo +ausubos +aut- +autacoid +autacoidal +autacoids +autaesthesy +autallotriomorphic +autantitypy +autarch +autarchy +autarchic +autarchical +autarchically +autarchies +autarchist +Autarchoglossa +autarky +autarkic +autarkical +autarkically +autarkies +autarkik +autarkikal +autarkist +Autaugaville +aute +autechoscope +autecy +autecious +auteciously +auteciousness +autecism +autecisms +autecology +autecologic +autecological +autecologically +autecologist +autem +autere +Auteuil +auteur +auteurism +auteurs +autexousy +auth +auth. +authentic +authentical +authentically +authenticalness +authenticatable +authenticate +authenticated +authenticates +authenticating +authentication +authentications +authenticator +authenticators +authenticity +authenticities +authenticly +authenticness +authigene +authigenetic +authigenic +authigenous +Authon +author +authorcraft +author-created +authored +author-entry +authoress +authoresses +authorhood +authorial +authorially +authoring +authorisable +authorisation +authorise +authorised +authoriser +authorish +authorising +authorism +authoritarian +authoritarianism +authoritarianisms +authoritarians +authoritative +authoritatively +authoritativeness +authority +authorities +authority's +authorizable +authorization +authorizations +authorization's +authorize +authorized +authorizer +authorizers +authorizes +authorizing +authorless +authorly +authorling +author-publisher +author-ridden +authors +author's +authorship +authorships +authotype +autism +autisms +autist +autistic +auto +auto- +auto. +autoabstract +autoactivation +autoactive +autoaddress +autoagglutinating +autoagglutination +autoagglutinin +autoalarm +auto-alarm +autoalkylation +autoallogamy +autoallogamous +autoanalysis +autoanalytic +autoantibody +autoanticomplement +autoantitoxin +autoasphyxiation +autoaspiration +autoassimilation +auto-audible +Autobahn +autobahnen +autobahns +autobasidia +Autobasidiomycetes +autobasidiomycetous +autobasidium +Autobasisii +autobiographal +autobiographer +autobiographers +autobiography +autobiographic +autobiographical +autobiographically +autobiographies +autobiography's +autobiographist +autobiology +autoblast +autoboat +autoboating +autobolide +autobus +autobuses +autobusses +autocab +autocade +autocades +autocall +autocamp +autocamper +autocamping +autocar +autocarist +autocarp +autocarpian +autocarpic +autocarpous +autocatalepsy +autocatalyses +autocatalysis +autocatalytic +autocatalytically +autocatalyze +autocatharsis +autocatheterism +autocephaly +autocephalia +autocephalic +autocephality +autocephalous +autoceptive +autochanger +autochemical +autocholecystectomy +autochrome +autochromy +autochronograph +autochthon +autochthonal +autochthones +autochthony +autochthonic +autochthonism +autochthonous +autochthonously +autochthonousness +autochthons +autochton +autocycle +autocide +autocinesis +autocystoplasty +autocytolysis +autocytolytic +autoclasis +autoclastic +autoclave +autoclaved +autoclaves +autoclaving +autocoder +autocoenobium +autocoherer +autocoid +autocoids +autocollimate +autocollimation +autocollimator +autocollimators +autocolony +autocombustible +autocombustion +autocomplexes +autocondensation +autoconduction +autoconvection +autoconverter +autocopist +autocoprophagous +autocorrelate +autocorrelation +autocorrosion +autocosm +autocracy +autocracies +autocrat +autocratic +autocratical +autocratically +autocraticalness +autocrator +autocratoric +autocratorical +autocratrix +autocrats +autocrat's +autocratship +autocremation +autocriticism +autocross +autocue +auto-da-f +auto-dafe +auto-da-fe +autodecomposition +autodecrement +autodecremented +autodecrements +autodepolymerization +autodermic +autodestruction +autodetector +autodiagnosis +autodiagnostic +autodiagrammatic +autodial +autodialed +autodialer +autodialers +autodialing +autodialled +autodialling +autodials +autodidact +autodidactic +autodidactically +autodidacts +autodifferentiation +autodiffusion +autodigestion +autodigestive +AUTODIN +autodynamic +autodyne +autodynes +autodrainage +autodrome +autoecholalia +autoecy +autoecic +autoecious +autoeciously +autoeciousness +autoecism +autoecous +autoed +autoeducation +autoeducative +autoelectrolysis +autoelectrolytic +autoelectronic +autoelevation +autoepigraph +autoepilation +autoerotic +autoerotically +autoeroticism +autoerotism +autoette +autoexcitation +autofecundation +autofermentation +autofluorescence +autoformation +autofrettage +autogamy +autogamic +autogamies +autogamous +autogauge +autogeneal +autogeneses +autogenesis +autogenetic +autogenetically +autogeny +autogenic +autogenies +autogenous +autogenously +autogenuous +Autogiro +autogyro +autogiros +autogyros +autognosis +autognostic +autograft +autografting +autogram +autograph +autographal +autographed +autographer +autography +autographic +autographical +autographically +autographing +autographism +autographist +autographometer +autographs +autogravure +Autoharp +autoheader +autohemic +autohemolysin +autohemolysis +autohemolytic +autohemorrhage +autohemotherapy +autoheterodyne +autoheterosis +autohexaploid +autohybridization +autohypnosis +autohypnotic +autohypnotically +autohypnotism +autohypnotization +autoicous +autoignition +autoimmune +autoimmunity +autoimmunities +autoimmunization +autoimmunize +autoimmunized +autoimmunizing +autoincrement +autoincremented +autoincrements +autoindex +autoindexing +autoinduction +autoinductive +autoinfection +auto-infection +autoinfusion +autoing +autoinhibited +auto-inoculability +autoinoculable +auto-inoculable +autoinoculation +auto-inoculation +autointellectual +autointoxicant +autointoxication +autoionization +autoirrigation +autoist +autojigger +autojuggernaut +autokinesy +autokinesis +autokinetic +autokrator +autolaryngoscope +autolaryngoscopy +autolaryngoscopic +autolater +autolatry +autolavage +autolesion +Autolycus +autolimnetic +autolysate +autolysate-precipitate +autolyse +autolysin +autolysis +autolith +autolithograph +autolithographer +autolithography +autolithographic +autolytic +Autolytus +autolyzate +autolyze +autolyzed +autolyzes +autolyzing +autoloader +autoloaders +autoloading +autology +autological +autologist +autologous +autoluminescence +autoluminescent +automa +automacy +automaker +automan +automania +automanipulation +automanipulative +automanual +automat +automata +automatable +automate +automateable +automated +automates +automatic +automatical +automatically +automaticity +automatics +automatictacessing +automatin +automating +automation +automations +automatism +automatist +automative +automatization +automatize +automatized +automatizes +automatizing +automatograph +automaton +automatonlike +automatons +automatonta +automatontons +automatous +automats +automechanical +automechanism +Automedon +automelon +automen +autometamorphosis +autometry +autometric +automysophobia +automobile +automobiled +automobiles +automobile's +automobiling +automobilism +automobilist +automobilistic +automobilists +automobility +automolite +automonstration +automorph +automorphic +automorphically +automorphic-granular +automorphism +automotive +automotor +automower +autompne +autonavigator +autonavigators +autonavigator's +autonegation +autonephrectomy +autonephrotoxin +autonetics +autoneurotoxin +autonym +autonitridation +Autonoe +autonoetic +autonomasy +autonomy +autonomic +autonomical +autonomically +autonomies +autonomist +autonomize +autonomous +autonomously +autonomousness +auto-objective +auto-observation +auto-omnibus +auto-ophthalmoscope +auto-ophthalmoscopy +autooxidation +auto-oxidation +auto-oxidize +autoparasitism +autopathy +autopathic +autopathography +autopelagic +autopepsia +autophagi +autophagy +autophagia +autophagous +autophyllogeny +autophyte +autophytic +autophytically +autophytograph +autophytography +autophoby +autophobia +autophon +autophone +autophony +autophonoscope +autophonous +autophotoelectric +autophotograph +autophotometry +autophthalmoscope +autopilot +autopilots +autopilot's +autopyotherapy +autopista +autoplagiarism +autoplasmotherapy +autoplast +autoplasty +autoplastic +autoplastically +autoplasties +autopneumatic +autopoint +autopoisonous +autopolar +autopolyploid +autopolyploidy +autopolo +autopoloist +autopore +autoportrait +autoportraiture +Autopositive +autopotamic +autopotent +autoprogressive +autoproteolysis +autoprothesis +autopsy +autopsic +autopsical +autopsychic +autopsychoanalysis +autopsychology +autopsychorhythmia +autopsychosis +autopsied +autopsies +autopsying +autopsist +autoptic +autoptical +autoptically +autopticity +autoput +autor +autoracemization +autoradiogram +autoradiograph +autoradiography +autoradiographic +autorail +autoreduction +autoreflection +autoregenerator +autoregressive +autoregulation +autoregulative +autoregulatory +autoreinfusion +autoretardation +autorhythmic +autorhythmus +auto-rickshaw +auto-rifle +autoriser +autorotate +autorotation +autorotational +autoroute +autorrhaphy +autos +auto's +Autosauri +Autosauria +autoschediasm +autoschediastic +autoschediastical +autoschediastically +autoschediaze +autoscience +autoscope +autoscopy +autoscopic +autosender +autosensitization +autosensitized +autosepticemia +autoserotherapy +autoserum +autosexing +autosight +autosign +autosymbiontic +autosymbolic +autosymbolical +autosymbolically +autosymnoia +Autosyn +autosyndesis +autosite +autositic +autoskeleton +autosled +autoslip +autosomal +autosomally +autosomatognosis +autosomatognostic +autosome +autosomes +autosoteric +autosoterism +autospore +autosporic +autospray +autostability +autostage +autostandardization +autostarter +autostethoscope +autostyly +autostylic +autostylism +autostoper +autostrada +autostradas +autosuggest +autosuggestibility +autosuggestible +autosuggestion +autosuggestionist +autosuggestions +autosuggestive +autosuppression +autota +autotelegraph +autotelic +autotelism +autotetraploid +autotetraploidy +autothaumaturgist +autotheater +autotheism +autotheist +autotherapeutic +autotherapy +autothermy +autotimer +autotype +autotypes +autotyphization +autotypy +autotypic +autotypies +autotypography +autotomy +autotomic +autotomies +autotomise +autotomised +autotomising +autotomize +autotomized +autotomizing +autotomous +autotoxaemia +autotoxemia +autotoxic +autotoxication +autotoxicity +autotoxicosis +autotoxin +autotoxis +autotractor +autotransformer +autotransfusion +autotransplant +autotransplantation +autotrepanation +autotriploid +autotriploidy +autotroph +autotrophy +autotrophic +autotrophically +autotropic +autotropically +autotropism +autotruck +autotuberculin +autoturning +autourine +autovaccination +autovaccine +autovalet +autovalve +autovivisection +AUTOVON +autoxeny +autoxidation +autoxidation-reduction +autoxidator +autoxidizability +autoxidizable +autoxidize +autoxidizer +autozooid +Autrain +Autrans +autre +autrefois +Autrey +Autry +Autryville +Autum +Autumn +autumnal +autumnally +autumn-brown +Autumni +autumnian +autumnity +autumns +autumn's +autumn-spring +Autun +Autunian +autunite +autunites +auturgy +Auvergne +Auvil +Auwers +AUX +aux. +auxamylase +auxanogram +auxanology +auxanometer +auxeses +auxesis +auxetic +auxetical +auxetically +auxetics +AUXF +Auxier +auxil +auxiliar +auxiliary +auxiliaries +auxiliarly +auxiliate +auxiliation +auxiliator +auxiliatory +auxilytic +auxilium +auxillary +auximone +auxin +auxinic +auxinically +auxins +Auxo +auxoaction +auxoamylase +auxoblast +auxobody +auxocardia +auxochrome +auxochromic +auxochromism +auxochromous +auxocyte +auxoflore +auxofluor +auxograph +auxographic +auxohormone +auxology +auxometer +auxospore +auxosubstance +auxotonic +auxotox +auxotroph +auxotrophy +auxotrophic +Auxvasse +Auzout +AV +av- +a-v +av. +Ava +avadana +avadavat +avadavats +avadhuta +avahi +avail +availabile +availability +availabilities +available +availableness +availably +availed +availer +availers +availing +availingly +availment +avails +aval +avalanche +avalanched +avalanches +avalanching +avale +avalent +Avallon +Avalokita +Avalokitesvara +Avalon +avalvular +Avan +avance +Avanguardisti +avania +avanious +avanyu +Avant +avant- +avantage +avant-courier +avanters +avantgarde +avant-garde +avant-gardism +avant-gardist +Avanti +avantlay +avant-propos +avanturine +Avar +Avaradrano +avaram +avaremotemo +Avaria +Avarian +avarice +avarices +avaricious +avariciously +avariciousness +Avarish +avaritia +Avars +avascular +avast +avatar +avatara +avatars +avaunt +Avawam +AVC +AVD +avdp +avdp. +Ave +Ave. +Avebury +Aveiro +Aveyron +Avelin +Avelina +Aveline +avell +Avella +avellan +avellane +Avellaneda +avellaneous +avellano +Avellino +avelonge +aveloz +Avena +avenaceous +avenage +Avenal +avenalin +avenant +avenary +Avenel +avener +avenery +avenge +avenged +avengeful +avengement +avenger +avengeress +avengers +avenges +avenging +avengingly +aveny +avenida +aveniform +avenin +avenine +avenolith +avenous +avens +avenses +aventail +aventayle +aventails +Aventine +aventre +aventure +aventurin +aventurine +avenue +avenues +avenue's +aver +aver- +Avera +average +averaged +averagely +averageness +averager +averages +averaging +averah +Averell +Averi +Avery +averia +Averil +Averyl +Averill +averin +Averir +averish +averment +averments +avern +Avernal +Averno +Avernus +averrable +averral +averred +averrer +Averrhoa +Averrhoism +Averrhoist +Averrhoistic +averring +Averroes +Averroism +Averroist +Averroistic +averruncate +averruncation +averruncator +avers +aversant +aversation +averse +aversely +averseness +aversion +aversions +aversion's +aversive +avert +avertable +averted +avertedly +averter +avertible +avertiment +Avertin +averting +avertive +averts +Aves +Avesta +Avestan +avestruz +aveugle +avg +avg. +avgas +avgases +avgasses +Avi +aviador +avyayibhava +avian +avianization +avianize +avianized +avianizes +avianizing +avians +aviararies +aviary +aviaries +aviarist +aviarists +aviate +aviated +aviates +aviatic +aviating +aviation +aviational +aviations +aviator +aviatory +aviatorial +aviatoriality +aviators +aviator's +aviatress +aviatrice +aviatrices +aviatrix +aviatrixes +Avice +Avicebron +Avicenna +Avicennia +Avicenniaceae +Avicennism +avichi +avicide +avick +avicolous +Avictor +Avicula +avicular +Avicularia +avicularian +Aviculariidae +Avicularimorphae +avicularium +Aviculidae +aviculture +aviculturist +avid +avidya +avidin +avidins +avidious +avidiously +avidity +avidities +avidly +avidness +avidnesses +avidous +Avie +Aviemore +aview +avifauna +avifaunae +avifaunal +avifaunally +avifaunas +avifaunistic +avigate +avigation +avigator +avigators +Avigdor +Avignon +Avignonese +avijja +Avikom +Avila +avilaria +avile +avilement +Avilion +Avilla +avine +Avinger +aviolite +avion +avion-canon +avionic +avionics +avions +avirulence +avirulent +Avis +avys +Avisco +avision +aviso +avisos +Aviston +avital +avitaminoses +avitaminosis +avitaminotic +avitic +Avitzur +Aviv +Aviva +Avivah +avives +avizandum +AVLIS +Avlona +AVM +avn +avn. +Avner +Avo +Avoca +avocado +avocadoes +avocados +avocat +avocate +avocation +avocational +avocationally +avocations +avocation's +avocative +avocatory +avocet +avocets +avodire +avodires +avogadrite +Avogadro +avogram +avoy +avoid +avoidable +avoidably +avoidance +avoidances +avoidant +avoided +avoider +avoiders +avoiding +avoidless +avoidment +avoids +avoidupois +avoidupoises +avoyer +avoyership +avoir +avoir. +avoirdupois +avoke +avolate +avolation +avolitional +Avon +Avondale +avondbloem +Avonmore +Avonne +avos +avoset +avosets +avouch +avouchable +avouched +avoucher +avouchers +avouches +avouching +avouchment +avoue +avour +avoure +avourneen +avouter +avoutry +avow +avowable +avowableness +avowably +avowal +avowals +avowance +avowant +avowe +avowed +avowedly +avowedness +avower +avowers +avowing +avowry +avowries +avows +avowter +Avra +Avraham +Avram +Avril +Avrit +Avrom +Avron +Avruch +Avshar +avulse +avulsed +avulses +avulsing +avulsion +avulsions +avuncular +avunculate +avunculize +AW +aw- +awa +Awabakal +awabi +AWACS +Awad +Awadhi +awaft +awag +away +away-going +awayness +awaynesses +aways +await +awaited +awaiter +awaiters +awaiting +Awaitlala +awaits +awakable +awake +awakeable +awaked +awaken +awakenable +awakened +awakener +awakeners +awakening +awakeningly +awakenings +awakenment +awakens +awakes +awaking +awakings +awald +awalim +awalt +Awan +awane +awanyu +awanting +awapuhi +A-war +award +awardable +awarded +awardee +awardees +awarder +awarders +awarding +awardment +awards +aware +awaredom +awareness +awarn +awarrant +awaruite +awash +awaste +awat +awatch +awater +awave +AWB +awber +awd +awe +AWEA +A-weapons +aweary +awearied +aweather +a-weather +awe-awakening +aweband +awe-band +awe-bound +awe-commanding +awe-compelling +awed +awedly +awedness +awee +aweek +a-week +aweel +awe-filled +aweigh +aweing +awe-inspired +awe-inspiring +awe-inspiringly +aweless +awelessness +Awellimiden +Awendaw +awes +awesome +awesomely +awesomeness +awest +a-west +awestricken +awe-stricken +awestrike +awe-strike +awestruck +awe-struck +aweto +awfu +awful +awful-eyed +awful-gleaming +awfuller +awfullest +awfully +awful-looking +awfulness +awful-voiced +AWG +awhape +awheel +a-wheels +awheft +awhet +a-whet +awhile +a-whiles +awhir +a-whir +awhirl +a-whirl +awide +awiggle +awikiwiki +awin +awing +a-wing +awingly +awink +a-wink +awiwi +AWK +awkly +awkward +awkwarder +awkwardest +awkwardish +awkwardly +awkwardness +awkwardnesses +AWL +awless +awlessness +awl-fruited +awl-leaved +awls +awl's +awl-shaped +awlwort +awlworts +awm +awmbrie +awmous +awn +awned +awner +awny +awning +awninged +awnings +awning's +awnless +awnlike +awns +a-wobble +awoke +awoken +AWOL +Awolowo +awols +awonder +awork +a-work +aworry +aworth +a-wrack +awreak +a-wreak +awreck +awry +awrist +awrong +Awshar +AWST +AWU +awunctive +Ax +ax. +Axa +ax-adz +AXAF +axal +axanthopsia +axbreaker +Axe +axebreaker +axe-breaker +axed +Axel +axels +axeman +axemaster +axemen +axenic +axenically +axer +axerophthol +axers +axes +axfetch +axhammer +axhammered +axhead +axial +axial-flow +axiality +axialities +axially +axiate +axiation +Axifera +axiferous +axiform +axifugal +axil +axile +axilemma +axilemmas +axilemmata +axilla +axillae +axillant +axillar +axillary +axillaries +axillars +axillas +axils +axin +axine +axing +axiniform +axinite +axinomancy +axiolite +axiolitic +axiology +axiological +axiologically +axiologies +axiologist +axiom +axiomatic +axiomatical +axiomatically +axiomatization +axiomatizations +axiomatization's +axiomatize +axiomatized +axiomatizes +axiomatizing +axioms +axiom's +axion +axiopisty +Axiopoenus +Axis +axised +axises +axisymmetry +axisymmetric +axisymmetrical +axisymmetrically +axite +axites +axle +axle-bending +axle-boring +axle-centering +axled +axle-forging +axles +axle's +axlesmith +axle-tooth +axletree +axle-tree +axletrees +axlike +axmaker +axmaking +axman +axmanship +axmaster +axmen +Axminster +axodendrite +axofugal +axogamy +axoid +axoidean +axolemma +axolysis +axolotl +axolotls +axolotl's +axometer +axometry +axometric +axon +axonal +axone +axonemal +axoneme +axonemes +axones +axoneure +axoneuron +Axonia +axonic +Axonolipa +axonolipous +axonometry +axonometric +Axonophora +axonophorous +Axonopus +axonost +axons +axon's +axopetal +axophyte +axoplasm +axoplasmic +axoplasms +axopodia +axopodium +axospermous +axostyle +axotomous +axseed +axseeds +ax-shaped +Axson +axstone +Axtel +Axtell +Axton +axtree +Axum +Axumite +axunge +axweed +axwise +axwort +AZ +az- +aza- +azadirachta +azadrachta +azafran +azafrin +Azal +Azalea +Azaleah +azaleamum +azaleas +azalea's +Azalia +Azan +Azana +Azande +azans +Azar +Azarcon +Azaria +Azariah +azarole +Azarria +azaserine +azathioprine +Azazel +Azbine +azedarac +azedarach +Azeglio +Azeito +azelaic +azelate +Azelea +Azelfafage +azeotrope +azeotropy +azeotropic +azeotropism +Azerbaidzhan +Azerbaijan +Azerbaijanese +Azerbaijani +Azerbaijanian +Azerbaijanis +Azeria +Azha +Azide +azides +azido +aziethane +azygo- +Azygobranchia +Azygobranchiata +azygobranchiate +azygomatous +azygos +azygoses +azygosperm +azygospore +azygote +azygous +Azikiwe +Azilian +Azilian-tardenoisian +azilut +azyme +Azimech +azimene +azimethylene +azimide +azimin +azimine +azimino +aziminobenzene +azymite +azymous +azimuth +azimuthal +azimuthally +azimuths +azimuth's +azine +azines +azinphosmethyl +aziola +Aziza +azlactone +Azle +azlon +azlons +Aznavour +azo +azo- +azobacter +azobenzene +azobenzil +azobenzoic +azobenzol +azoblack +azoch +azocyanide +azocyclic +azocochineal +azocoralline +azocorinth +azodicarboxylic +azodiphenyl +azodisulphonic +azoeosin +azoerythrin +Azof +azofy +azofication +azofier +azoflavine +azoformamide +azoformic +azogallein +azogreen +azogrenadine +azohumic +azoic +azoimide +azoisobutyronitrile +azole +azoles +azolitmin +Azolla +azomethine +azon +azonal +azonaphthalene +azonic +azonium +azons +azoology +azo-orange +azo-orchil +azo-orseilline +azoospermia +azoparaffin +azophen +azophenetole +azophenyl +azophenylene +azophenine +azophenol +Azophi +azophosphin +azophosphore +azoprotein +Azor +Azores +Azorian +Azorin +azorite +azorubine +azosulphine +azosulphonic +azotaemia +azotate +azote +azotea +azoted +azotemia +azotemias +azotemic +azotenesis +azotes +azotetrazole +azoth +azothionium +azoths +azotic +azotin +azotine +azotise +azotised +azotises +azotising +azotite +azotize +azotized +azotizes +azotizing +Azotobacter +Azotobacterieae +azotoluene +azotometer +azotorrhea +azotorrhoea +Azotos +azotous +azoturia +azoturias +Azov +azovernine +azox +azoxazole +azoxy +azoxyanisole +azoxybenzene +azoxybenzoic +azoxime +azoxynaphthalene +azoxine +azoxyphenetole +azoxytoluidine +azoxonium +Azpurua +Azrael +Azral +Azriel +Aztec +Azteca +Aztecan +aztecs +azthionium +Azuela +Azuero +azulejo +azulejos +azulene +azuline +azulite +azulmic +azumbre +azure +azurean +azure-blazoned +azure-blue +azure-canopied +azure-circled +azure-colored +azured +azure-domed +azure-eyed +azure-footed +azure-inlaid +azure-mantled +azureness +azureous +azure-penciled +azure-plumed +azures +azure-tinted +azure-vaulted +azure-veined +azury +azurine +azurite +azurites +azurmalachite +azurous +Azusa +B +B- +B.A. +B.A.A. +B.Arch. +B.B.C. +B.C. +B.C.E. +B.C.L. +B.Ch. +B.D. +B.D.S. +B.E. +B.E.F. +B.E.M. +B.Ed. +b.f. +B.L. +B.Litt. +B.M. +B.Mus. +B.O. +B.O.D. +B.P. +B.Phil. +B.R.C.S. +B.S. +B.S.S. +B.Sc. +B.T.U. +B.V. +B.V.M. +B/B +B/C +B/D +B/E +B/F +B/L +B/O +B/P +B/R +B/S +B/W +B911 +BA +BAA +baaed +baahling +baaing +Baal +Baalath +Baalbeer +Baalbek +Baal-berith +Baalim +Baalish +Baalism +baalisms +Baalist +Baalistic +Baalite +Baalitical +Baalize +Baalized +Baalizing +Baalman +baals +Baalshem +baar +baas +baases +baaskaap +baaskaaps +baaskap +Baastan +Bab +Baba +babacoote +babai +babaylan +babaylanes +babajaga +babakoto +baba-koto +Babar +Babara +babas +babasco +babassu +babassus +babasu +Babb +Babbage +Babbette +Babby +Babbie +babbishly +babbit +babbit-metal +Babbitry +Babbitt +babbitted +babbitter +Babbittess +Babbittian +babbitting +Babbittish +Babbittism +Babbittry +babbitts +babblative +babble +babbled +babblement +babbler +babblers +babbles +babblesome +babbly +babbling +babblingly +babblings +babblish +babblishly +babbool +babbools +Babcock +Babe +babe-faced +babehood +Babel +Babeldom +babelet +Babelic +babelike +Babelisation +Babelise +Babelised +Babelish +Babelising +Babelism +Babelization +Babelize +Babelized +Babelizing +babels +babel's +Baber +babery +babes +babe's +babeship +Babesia +babesias +babesiasis +babesiosis +Babette +Babeuf +Babhan +Babi +baby +Babiana +baby-blue-eyes +Baby-bouncer +baby-browed +babiche +babiches +baby-doll +babydom +babied +babies +babies'-breath +baby-face +baby-faced +baby-featured +babyfied +babyhood +babyhoods +babyhouse +babying +babyish +babyishly +babyishness +Babiism +babyism +baby-kissing +babylike +babillard +Babylon +Babylonia +Babylonian +babylonians +Babylonic +Babylonish +Babylonism +Babylonite +Babylonize +Babine +babingtonite +babyolatry +babion +babirousa +babiroussa +babirusa +babirusas +babirussa +babis +babysat +baby-sat +baby's-breath +babish +babished +babyship +babishly +babishness +babysit +baby-sit +babysitter +baby-sitter +babysitting +baby-sitting +baby-sized +Babism +baby-snatching +baby's-slippers +Babist +Babita +Babite +baby-tears +Babits +Baby-walker +babka +babkas +bablah +bable +babloh +baboen +Babol +Babongo +baboo +baboodom +babooism +babool +babools +baboon +baboonery +baboonish +baboonroot +baboons +baboos +baboosh +baboot +babouche +Babouvism +Babouvist +babracot +babroot +Babs +Babson +babu +Babua +babudom +babuina +babuism +babul +babuls +Babuma +Babungera +Babur +baburd +babus +babushka +babushkas +Bac +bacaba +bacach +bacalao +bacalaos +bacao +Bacardi +Bacau +bacauan +bacbakiri +BAcc +bacca +baccaceous +baccae +baccalaurean +baccalaureat +baccalaureate +baccalaureates +baccalaureus +baccar +baccara +baccaras +baccarat +baccarats +baccare +baccate +baccated +Bacchae +bacchanal +Bacchanalia +bacchanalian +bacchanalianism +bacchanalianly +Bacchanalias +bacchanalism +bacchanalization +bacchanalize +bacchanals +bacchant +bacchante +bacchantes +bacchantic +bacchants +bacchar +baccharis +baccharoid +baccheion +Bacchelli +bacchiac +bacchian +Bacchic +Bacchical +Bacchides +bacchii +Bacchylides +bacchiuchii +bacchius +Bacchus +Bacchuslike +baccy +baccies +bacciferous +bacciform +baccilla +baccilli +baccillla +baccillum +Baccio +baccivorous +BACH +Bacharach +Bache +bached +bachel +Bacheller +bachelor +bachelor-at-arms +bachelordom +bachelorette +bachelorhood +bachelorhoods +bachelorism +bachelorize +bachelorly +bachelorlike +bachelors +bachelor's +bachelors-at-arms +bachelor's-button +bachelor's-buttons +bachelorship +bachelorwise +bachelry +baches +Bachichi +baching +Bachman +bach's +bacilary +bacile +Bacillaceae +bacillar +bacillary +Bacillariaceae +bacillariaceous +Bacillariales +Bacillarieae +Bacillariophyta +bacillemia +bacilli +bacillian +bacillicidal +bacillicide +bacillicidic +bacilliculture +bacilliform +bacilligenic +bacilliparous +bacillite +bacillogenic +bacillogenous +bacillophobia +bacillosis +bacilluria +bacillus +bacin +Bacis +bacitracin +back +back- +backache +backaches +backache's +backachy +backaching +back-acting +backadation +backage +back-alley +back-and-forth +back-angle +backare +backarrow +backarrows +backband +backbar +backbear +backbearing +backbeat +backbeats +backbencher +back-bencher +backbenchers +backbend +backbends +backbend's +backberand +backberend +back-berend +backbit +backbite +backbiter +backbiters +backbites +backbiting +back-biting +backbitingly +backbitten +back-blocker +backblocks +backblow +back-blowing +backboard +back-board +backboards +backbone +backboned +backboneless +backbonelessness +backbones +backbone's +backbrand +backbreaker +backbreaking +back-breaking +back-breathing +back-broken +back-burner +backcap +backcast +backcasts +backchain +backchat +backchats +back-check +backcloth +back-cloth +back-cloths +backcomb +back-coming +back-connected +backcountry +back-country +backcourt +backcourtman +backcross +backdate +backdated +backdates +backdating +backdoor +back-door +backdown +back-drawing +back-drawn +backdrop +backdrops +backdrop's +backed +backed-off +backen +back-end +backened +backening +Backer +backers +backers-up +backer-up +backet +back-face +back-facing +backfall +back-fanged +backfatter +backfield +backfields +backfill +backfilled +backfiller +back-filleted +backfilling +backfills +backfire +back-fire +backfired +backfires +backfiring +backflap +backflash +backflip +backflow +backflowing +back-flowing +back-flung +back-focused +backfold +back-formation +backframe +backfriend +backfurrow +backgame +backgammon +backgammons +backgeared +back-geared +back-glancing +back-going +background +backgrounds +background's +backhand +back-hand +backhanded +back-handed +backhandedly +backhandedness +backhander +back-hander +backhanding +backhands +backhatch +backhaul +backhauled +backhauling +backhauls +Backhaus +backheel +backhoe +backhoes +backhooker +backhouse +backhouses +backy +backyard +backyarder +backyards +backyard's +backie +backiebird +backing +backing-off +backings +backjaw +backjoint +backland +backlands +backlash +back-lash +backlashed +backlasher +backlashers +backlashes +backlashing +back-leaning +Backler +backless +backlet +backliding +back-light +back-lighted +backlighting +back-lighting +back-lying +backlings +backlins +backlist +back-list +backlists +backlit +back-lit +backlog +back-log +backlogged +backlogging +backlogs +backlog's +back-looking +backlotter +back-making +backmost +back-number +backoff +backorder +backout +backouts +backpack +backpacked +backpacker +backpackers +backpacking +backpacks +backpack's +back-paddle +back-paint +back-palm +backpedal +back-pedal +backpedaled +back-pedaled +backpedaling +back-pedaling +back-pedalled +back-pedalling +backpiece +back-piece +backplane +backplanes +backplane's +back-plaster +backplate +back-plate +backpointer +backpointers +backpointer's +back-pulling +back-putty +back-racket +back-raking +backrest +backrests +backrope +backropes +backrun +backrush +backrushes +Backs +backsaw +backsaws +backscatter +backscattered +backscattering +backscatters +backscraper +backscratcher +back-scratcher +backscratching +back-scratching +backseat +backseats +backsey +back-sey +backset +back-set +backsets +backsetting +backsettler +back-settler +backsheesh +backshift +backshish +backside +backsides +backsight +backsite +back-slang +back-slanging +backslap +backslapped +backslapper +backslappers +backslapping +back-slapping +backslaps +backslash +backslashes +backslid +backslidden +backslide +backslided +backslider +backsliders +backslides +backsliding +backslidingness +backspace +backspaced +backspacefile +backspacer +backspaces +backspacing +backspang +backspear +backspeer +backspeir +backspier +backspierer +back-spiker +backspin +backspins +backsplice +backspliced +backsplicing +backspread +backspringing +backstab +backstabbed +backstabber +backstabbing +backstaff +back-staff +backstage +backstay +backstair +backstairs +backstays +backstamp +back-starting +Backstein +back-stepping +backster +backstick +backstitch +back-stitch +backstitched +backstitches +backstitching +backstone +backstop +back-stope +backstopped +backstopping +backstops +backstrap +backstrapped +back-strapped +backstreet +back-streeter +backstretch +backstretches +backstring +backstrip +backstroke +back-stroke +backstroked +backstrokes +backstroking +backstromite +back-surging +backswept +backswimmer +backswing +backsword +back-sword +backswording +backswordman +backswordmen +backswordsman +backtack +backtalk +back-talk +back-tan +backtender +backtenter +back-titrate +back-titration +back-to-back +back-to-front +backtrace +backtrack +backtracked +backtracker +backtrackers +backtracking +backtracks +backtrail +back-trailer +backtrick +back-trip +backup +back-up +backups +Backus +backveld +backvelder +backway +back-way +backwall +backward +back-ward +backwardation +backwardly +backwardness +backwardnesses +backwards +backwash +backwashed +backwasher +backwashes +backwashing +backwater +backwatered +backwaters +backwater's +backwind +backwinded +backwinding +backwood +backwoods +backwoodser +backwoodsy +backwoodsiness +backwoodsman +backwoodsmen +backword +backworm +backwort +backwrap +backwraps +baclava +Bacliff +baclin +Baco +Bacolod +Bacon +bacon-and-eggs +baconer +bacony +Baconian +Baconianism +Baconic +Baconism +Baconist +baconize +bacons +Baconton +baconweed +Bacopa +Bacova +bacquet +bact +bact. +bacteraemia +bacteremia +bacteremic +bacteri- +bacteria +Bacteriaceae +bacteriaceous +bacteriaemia +bacterial +bacterially +bacterian +bacteric +bactericholia +bactericidal +bactericidally +bactericide +bactericides +bactericidin +bacterid +bacteriemia +bacteriform +bacterin +bacterins +bacterio- +bacterioagglutinin +bacterioblast +bacteriochlorophyll +bacteriocidal +bacteriocin +bacteriocyte +bacteriodiagnosis +bacteriofluorescin +bacteriogenic +bacteriogenous +bacteriohemolysin +bacterioid +bacterioidal +bacteriol +bacteriol. +bacteriolysin +bacteriolysis +bacteriolytic +bacteriolyze +bacteriology +bacteriologic +bacteriological +bacteriologically +bacteriologies +bacteriologist +bacteriologists +bacterio-opsonic +bacterio-opsonin +bacteriopathology +bacteriophage +bacteriophages +bacteriophagy +bacteriophagia +bacteriophagic +bacteriophagous +bacteriophobia +bacterioprecipitin +bacterioprotein +bacteriopsonic +bacteriopsonin +bacteriopurpurin +bacteriorhodopsin +bacterioscopy +bacterioscopic +bacterioscopical +bacterioscopically +bacterioscopist +bacteriosis +bacteriosolvent +bacteriostasis +bacteriostat +bacteriostatic +bacteriostatically +bacteriotherapeutic +bacteriotherapy +bacteriotoxic +bacteriotoxin +bacteriotrypsin +bacteriotropic +bacteriotropin +bacterious +bacteririum +bacteritic +bacterium +bacteriuria +bacterization +bacterize +bacterized +bacterizing +bacteroid +bacteroidal +Bacteroideae +Bacteroides +bactetiophage +Bactra +Bactria +Bactrian +Bactris +Bactrites +bactriticone +bactritoid +bacubert +bacula +bacule +baculere +baculi +baculiferous +baculiform +baculine +baculite +Baculites +baculitic +baculiticone +baculoid +baculo-metry +baculum +baculums +baculus +bacury +bad +Badacsonyi +Badaga +Badajoz +Badakhshan +Badalona +badan +Badarian +badarrah +badass +badassed +badasses +badaud +Badawi +Badaxe +Badb +badchan +baddeleyite +badder +badderlocks +baddest +baddy +baddie +baddies +baddish +baddishly +baddishness +baddock +bade +Baden +Baden-Baden +badenite +Baden-Powell +Baden-Wtemberg +badge +badged +badgeless +badgeman +badgemen +Badger +badgerbrush +badgered +badgerer +badgering +badgeringly +badger-legged +badgerly +badgerlike +badgers +badger's +badgerweed +badges +badging +badgir +badhan +bad-headed +bad-hearted +bad-humored +badiaga +badian +badigeon +Badin +badinage +badinaged +badinages +badinaging +badiner +badinerie +badineur +badious +badju +badland +badlands +badly +badling +bad-looking +badman +badmash +badmen +BAdmEng +bad-minded +badminton +badmintons +badmouth +bad-mouth +badmouthed +badmouthing +badmouths +badness +badnesses +Badoeng +Badoglio +Badon +Badr +badrans +bads +bad-smelling +bad-tempered +Baduhenna +BAE +bae- +Baecher +BAEd +Baeda +Baedeker +Baedekerian +baedekers +Baeyer +Baekeland +Bael +Baelbeer +Baer +Baeria +Baerl +Baerman +Baese +baetyl +baetylic +baetylus +baetuli +baetulus +baetzner +Baez +bafaro +baff +baffed +baffeta +baffy +baffies +Baffin +baffing +baffle +baffled +bafflement +bafflements +baffleplate +baffler +bafflers +baffles +baffling +bafflingly +bafflingness +baffs +Bafyot +BAFO +baft +bafta +baftah +BAg +baga +Baganda +bagani +bagass +bagasse +bagasses +bagataway +bagatelle +bagatelles +bagatelle's +Bagatha +bagatine +bagattini +bagattino +Bagaudae +bag-bearing +bag-bedded +bag-bundling +bag-cheeked +bag-closing +bag-cutting +Bagdad +Bagdi +BAgE +Bagehot +bagel +bagels +bagel's +bag-filling +bag-flower +bag-folding +bagful +bagfuls +baggage +baggageman +baggagemaster +baggager +baggages +baggage-smasher +baggala +bagganet +Baggara +bagge +bagged +Bagger +baggers +bagger's +Baggett +baggy +baggie +baggier +baggies +baggiest +baggily +bagginess +bagging +baggings +baggyrinkle +baggit +baggywrinkle +Baggott +Baggs +bagh +Baghdad +Bagheera +Bagheli +baghla +Baghlan +baghouse +bagie +Baginda +bagio +bagios +Bagirmi +bagle +bagleaves +Bagley +baglike +bagmaker +bagmaking +bagman +bagmen +bagne +Bagnes +bagnet +bagnette +bagnio +bagnios +bagnut +bago +Bagobo +bagonet +bagong +bagoong +bagpipe +bagpiped +bagpiper +bagpipers +bagpipes +bagpipe's +bagpiping +bagplant +bagpod +bag-printing +bagpudding +Bagpuize +BAgr +Bagram +bagrationite +bagre +bagreef +bag-reef +Bagritski +bagroom +bags +bag's +BAgSc +bag-sewing +bagsful +bag-shaped +bagtikan +baguet +baguets +baguette +baguettes +Baguio +baguios +bagwash +Bagwell +bagwig +bag-wig +bagwigged +bagwigs +bagwyn +bagwoman +bagwomen +bagwork +bagworm +bagworms +bah +bahada +bahadur +bahadurs +Bahai +Baha'i +bahay +Bahaism +Bahaist +Baham +Bahama +Bahamas +Bahamian +bahamians +bahan +bahar +Bahaullah +Baha'ullah +Bahawalpur +bahawder +bahera +Bahia +bahiaite +Bahima +bahisti +Bahmani +Bahmanid +Bahner +bahnung +baho +bahoe +bahoo +Bahr +Bahrain +Bahrein +baht +bahts +Bahuma +bahur +bahut +bahuts +Bahutu +bahuvrihi +bahuvrihis +Bai +Bay +Baya +bayadeer +bayadeers +bayadere +bayaderes +Baiae +bayal +Bayam +Bayamo +Bayamon +bayamos +Baianism +bayano +Bayar +Bayard +bayardly +bayards +bay-bay +bayberry +bayberries +baybolt +Bayboro +bay-breasted +baybush +bay-colored +baycuru +Bayda +baidak +baidar +baidarka +baidarkas +Baidya +Bayeau +bayed +Baiel +Bayer +Baiera +Bayern +Bayesian +bayeta +bayete +Bayfield +baygall +baiginet +baign +baignet +baigneuse +baigneuses +baignoire +Bayh +bayhead +baying +bayish +Baikal +baikalite +baikerinite +baikerite +baikie +Baikonur +Bail +bailable +bailage +Bailar +bail-dock +bayldonite +baile +Bayle +bailed +bailee +bailees +Bailey +Bayley +baileys +Baileyton +Baileyville +bailer +bailers +Bayless +baylet +Baily +Bayly +bailiary +bailiaries +Bailie +bailiery +bailieries +bailies +bailieship +bailiff +bailiffry +bailiffs +bailiff's +bailiffship +bailiffwick +baylike +bailing +Baylis +bailiwick +bailiwicks +Baillaud +bailli +Bailly +bailliage +Baillie +Baillieu +baillone +Baillonella +bailment +bailments +bailo +bailor +Baylor +bailors +bailout +bail-out +bailouts +bailpiece +bails +bailsman +bailsmen +bailwood +bayman +baymen +Bayminette +Bain +Bainbridge +Bainbrudge +Baynebridge +bayness +bainie +Baining +bainite +bain-marie +Bains +bains-marie +Bainter +Bainville +baioc +baiocchi +baiocco +Bayogoula +bayok +bayonet +bayoneted +bayoneteer +bayoneting +bayonets +bayonet's +bayonetted +bayonetting +bayong +Bayonne +bayou +Bayougoula +bayous +bayou's +Baypines +Bayport +bairagi +Bairam +Baird +Bairdford +bairdi +Bayreuth +bairn +bairnie +bairnish +bairnishness +bairnly +bairnlier +bairnliest +bairnliness +bairns +Bairnsfather +bairnteam +bairnteem +bairntime +bairnwort +Bairoil +Bais +Bays +Baisakh +bay-salt +Baisden +baisemain +Bayshore +Bayside +baysmelt +baysmelts +Baiss +baister +bait +baited +baiter +baiters +baitfish +baith +baitylos +baiting +Baytown +baits +baittle +Bayview +Bayville +bay-window +bay-winged +baywood +baywoods +bayz +baiza +baizas +baize +baized +baizes +baizing +Baja +bajada +Bajadero +Bajaj +Bajan +Bajardo +bajarigar +Bajau +Bajer +bajocco +bajochi +Bajocian +bajoire +bajonado +BAJour +bajra +bajree +bajri +bajulate +bajury +Bak +baka +Bakairi +bakal +Bakalai +Bakalei +Bakatan +bake +bakeapple +bakeboard +baked +baked-apple +bakehead +bakehouse +bakehouses +Bakelite +bakelize +Bakeman +bakemeat +bake-meat +bakemeats +Bakemeier +baken +bake-off +bakeout +bakeoven +bakepan +Baker +bakerdom +bakeress +bakery +bakeries +bakery's +bakerite +baker-knee +baker-kneed +baker-leg +baker-legged +bakerless +bakerly +bakerlike +Bakerman +bakers +Bakersfield +bakership +Bakerstown +Bakersville +Bakerton +Bakes +bakeshop +bakeshops +bakestone +bakeware +Bakewell +Bakhmut +Bakhtiari +bakie +baking +bakingly +bakings +Bakke +Bakki +baklava +baklavas +baklawa +baklawas +bakli +Bakongo +bakra +Bakshaish +baksheesh +baksheeshes +bakshi +bakshis +bakshish +bakshished +bakshishes +bakshishing +Bakst +baktun +Baku +Bakuba +bakula +Bakunda +Bakunin +Bakuninism +Bakuninist +bakupari +Bakutu +Bakwiri +BAL +bal. +Bala +Balaam +Balaamite +Balaamitical +balabos +Balac +balachan +balachong +Balaclava +balada +baladine +Balaena +Balaenicipites +balaenid +Balaenidae +balaenoid +Balaenoidea +balaenoidean +Balaenoptera +Balaenopteridae +balafo +balagan +balaghat +balaghaut +balai +Balaic +balayeuse +Balak +Balakirev +Balaklava +balalaika +balalaikas +balalaika's +Balan +Balance +balanceable +balanced +balancedness +balancelle +balanceman +balancement +balancer +balancers +balances +balancewise +Balanchine +balancing +balander +balandra +balandrana +balaneutics +Balanga +balangay +balanic +balanid +Balanidae +balaniferous +balanism +balanite +Balanites +balanitis +balanoblennorrhea +balanocele +Balanoglossida +Balanoglossus +balanoid +Balanophora +Balanophoraceae +balanophoraceous +balanophore +balanophorin +balanoplasty +balanoposthitis +balanopreputial +Balanops +Balanopsidaceae +Balanopsidales +balanorrhagia +balant +Balanta +Balante +balantidial +balantidiasis +balantidic +balantidiosis +Balantidium +Balanus +Balao +balaos +balaphon +Balarama +balarao +Balas +balases +balat +balata +balatas +balate +Balaton +balatong +balatron +balatronic +balatte +balau +balausta +balaustine +balaustre +Balawa +Balawu +Balbinder +Balbo +Balboa +balboas +balbriggan +Balbuena +Balbur +balbusard +balbutiate +balbutient +balbuties +Balcer +Balch +balche +Balcke +balcon +balcone +balconet +balconette +balcony +balconied +balconies +balcony's +Bald +baldacchini +baldacchino +baldachin +baldachined +baldachini +baldachino +baldachinos +baldachins +Baldad +baldakin +baldaquin +Baldassare +baldberry +baldcrown +balded +balden +Balder +balder-brae +balderdash +balderdashes +balder-herb +baldest +baldfaced +bald-faced +baldhead +baldheaded +bald-headed +bald-headedness +baldheads +baldy +baldicoot +Baldie +baldies +balding +baldish +baldly +baldling +baldmoney +baldmoneys +baldness +baldnesses +Baldomero +baldoquin +baldpate +baldpated +bald-pated +baldpatedness +bald-patedness +baldpates +Baldr +baldrib +baldric +baldrick +baldricked +baldricks +baldrics +baldricwise +Baldridge +balds +balducta +balductum +Balduin +Baldur +Baldwin +Baldwyn +Baldwinsville +Baldwinville +Bale +baleare +Baleares +Balearian +Balearic +Balearica +balebos +baled +baleen +baleens +balefire +bale-fire +balefires +baleful +balefully +balefulness +balei +baleys +baleise +baleless +Balenciaga +Baler +balers +bales +balestra +balete +Balewa +balewort +Balf +Balfore +Balfour +Bali +balian +balibago +balibuntal +balibuntl +Balija +Balikpapan +Balilla +balimbing +baline +Balinese +baling +balinger +balinghasay +Baliol +balisaur +balisaurs +balisier +balistarii +balistarius +balister +Balistes +balistid +Balistidae +balistraria +balita +balitao +baliti +Balius +balize +balk +Balkan +Balkanic +Balkanise +Balkanised +Balkanising +Balkanism +Balkanite +Balkanization +Balkanize +Balkanized +Balkanizing +balkans +Balkar +balked +balker +balkers +Balkh +Balkhash +balky +balkier +balkiest +balkily +Balkin +balkiness +balking +balkingly +Balkis +balkish +balkline +balklines +Balko +balks +Ball +Balla +ballad +ballade +balladeer +balladeers +ballader +balladeroyal +ballades +balladic +balladical +balladier +balladise +balladised +balladising +balladism +balladist +balladize +balladized +balladizing +balladlike +balladling +balladmonger +balladmongering +balladry +balladries +balladromic +ballads +ballad's +balladwise +ballahoo +ballahou +ballam +ballan +Ballance +ballant +Ballantine +ballarag +Ballarat +Ballard +ballas +ballast +ballastage +ballast-cleaning +ballast-crushing +ballasted +ballaster +ballastic +ballasting +ballast-loading +ballasts +ballast's +ballat +ballata +ballate +ballaton +ballatoon +ball-bearing +ballbuster +ballcarrier +ball-carrier +balldom +balldress +balled +balled-up +Ballengee +Ballentine +baller +ballerina +ballerinas +ballerina's +ballerine +ballers +ballet +balletic +balletically +balletomane +balletomanes +balletomania +ballets +ballet's +ballett +ballfield +ballflower +ball-flower +ballgame +ballgames +ballgown +ballgowns +ballgown's +Ballhausplatz +ballhawk +ballhawks +ballhooter +ball-hooter +balli +Bally +balliage +Ballico +ballies +Balliett +ballyhack +ballyhoo +ballyhooed +ballyhooer +ballyhooing +ballyhoos +Ballyllumford +Balling +Ballinger +Ballington +Balliol +ballyrag +ballyragged +ballyragging +ballyrags +ballised +ballism +ballismus +ballist +ballista +ballistae +ballistic +ballistically +ballistician +ballisticians +ballistics +Ballistite +ballistocardiogram +ballistocardiograph +ballistocardiography +ballistocardiographic +ballistophobia +ballium +ballywack +ballywrack +ball-jasper +Ballman +ballmine +ballo +ballock +ballocks +balloen +ballogan +ballon +ballone +ballones +ballonet +ballonets +ballonette +ballonne +ballonnes +ballons +ballon-sonde +balloon +balloonation +balloon-berry +balloon-berries +ballooned +ballooner +balloonery +ballooners +balloonet +balloonfish +balloonfishes +balloonflower +balloonful +ballooning +balloonish +balloonist +balloonists +balloonlike +balloons +ballot +Ballota +ballotade +ballotage +ballote +balloted +balloter +balloters +balloting +ballotist +ballots +ballot's +ballottable +ballottement +ballottine +ballottines +Ballou +Ballouville +ballow +ballpark +ball-park +ballparks +ballpark's +ballplayer +ballplayers +ballplayer's +ball-planting +Ballplatz +ballpoint +ball-point +ballpoints +ballproof +ballroom +ballrooms +ballroom's +balls +ball-shaped +ballsy +ballsier +ballsiest +ballstock +balls-up +ball-thrombus +ballup +ballute +ballutes +ballweed +Ballwin +balm +balmacaan +Balmain +balm-apple +Balmarcodes +Balmat +Balmawhapple +balm-breathing +balm-cricket +balmy +balmier +balmiest +balmily +balminess +balminesses +balm-leaved +balmlike +balmony +balmonies +Balmont +Balmoral +balmorals +Balmorhea +balms +balm's +balm-shed +Balmunc +Balmung +Balmuth +balnea +balneae +balneal +balneary +balneation +balneatory +balneographer +balneography +balneology +balneologic +balneological +balneologist +balneophysiology +balneotechnics +balneotherapeutics +balneotherapy +balneotherapia +balneum +Balnibarbi +Baloch +Balochi +Balochis +Baloghia +Balolo +balon +balonea +baloney +baloneys +baloo +Balopticon +Balor +Baloskion +Baloskionaceae +balotade +Balough +balourdise +balow +BALPA +balr +bals +balsa +Balsam +balsamaceous +balsamation +Balsamea +Balsameaceae +balsameaceous +balsamed +balsamer +balsamy +balsamic +balsamical +balsamically +balsamiferous +balsamina +Balsaminaceae +balsaminaceous +balsamine +balsaming +balsamitic +balsamiticness +balsamize +balsamo +Balsamodendron +Balsamorrhiza +balsamous +balsamroot +balsams +balsamum +balsamweed +balsas +balsawood +Balshem +Balt +Balt. +Balta +Baltassar +baltei +balter +baltetei +balteus +Balthasar +Balthazar +baltheus +Balti +Baltic +Baltimore +Baltimorean +baltimorite +Baltis +Balto-slav +Balto-Slavic +Balto-Slavonic +balu +Baluba +Baluch +Baluchi +Baluchis +Baluchistan +baluchithere +baluchitheria +Baluchitherium +Baluga +BALUN +Balunda +balushai +baluster +balustered +balusters +balustrade +balustraded +balustrades +balustrade's +balustrading +balut +balwarra +balza +Balzac +Balzacian +balzarine +BAM +BAMAF +bamah +Bamako +Bamalip +Bamangwato +bambacciata +bamban +Bambara +Bamberg +Bamberger +Bambi +Bamby +Bambie +bambini +bambino +bambinos +bambocciade +bambochade +bamboche +bamboo +bamboos +bamboozle +bamboozled +bamboozlement +bamboozler +bamboozlers +bamboozles +bamboozling +Bambos +bamboula +Bambuba +bambuco +bambuk +Bambusa +Bambuseae +Bambute +Bamford +Bamian +Bamileke +bammed +bamming +bamoth +bams +BAMusEd +Ban +Bana +banaba +Banach +banago +banagos +banak +banakite +banal +banality +banalities +banalize +banally +banalness +banana +Bananaland +Bananalander +bananaquit +bananas +banana's +Banande +bananist +bananivorous +Banaras +Banares +Banat +Banate +banatite +banausic +Banba +Banbury +banc +banca +bancal +bancales +bancha +banchi +Banco +bancos +Bancroft +BANCS +bancus +band +Banda +bandage +bandaged +bandager +bandagers +bandages +bandaging +bandagist +bandaid +Band-Aid +bandaite +bandaka +bandala +bandalore +Bandana +bandanaed +bandanas +bandanna +bandannaed +bandannas +bandar +Bandaranaike +bandarlog +Bandar-log +bandbox +bandboxes +bandboxy +bandboxical +bandcase +bandcutter +bande +bandeau +bandeaus +bandeaux +banded +Bandeen +bandel +bandelet +bandelette +Bandello +bandeng +Bander +Bandera +banderilla +banderillas +banderillero +banderilleros +banderlog +Banderma +banderol +banderole +banderoled +banderoles +banderoling +banderols +banders +bandersnatch +bandfile +bandfiled +bandfiling +bandfish +band-gala +bandgap +bandh +bandhava +bandhook +Bandhor +bandhu +bandi +bandy +bandyball +bandy-bandy +bandicoy +bandicoot +bandicoots +bandido +bandidos +bandie +bandied +bandies +bandying +bandikai +bandylegged +bandy-legged +bandyman +Bandinelli +bandiness +banding +bandit +banditism +Bandytown +banditry +banditries +bandits +bandit's +banditti +Bandjarmasin +Bandjermasin +Bandkeramik +bandle +bandleader +Bandler +bandless +bandlessly +bandlessness +bandlet +bandlimit +bandlimited +bandlimiting +bandlimits +bandman +bandmaster +bandmasters +bando +bandobust +Bandoeng +bandog +bandogs +bandoleer +bandoleered +bandoleers +bandolerismo +bandolero +bandoleros +bandolier +bandoliered +bandoline +Bandon +bandonion +Bandor +bandora +bandoras +bandore +bandores +bandos +bandpass +bandrol +bands +bandsaw +bandsawed +band-sawyer +bandsawing +band-sawing +bandsawn +band-shaped +bandsman +bandsmen +bandspreading +bandstand +bandstands +bandstand's +bandster +bandstop +bandstring +band-tailed +Bandundu +Bandung +Bandur +bandura +bandurria +bandurrias +Bandusia +Bandusian +bandwagon +bandwagons +bandwagon's +bandwidth +bandwidths +bandwork +bandworm +bane +baneberry +baneberries +Banebrudge +Banecroft +baned +baneful +banefully +banefulness +Banerjea +Banerjee +banes +banewort +Banff +Banffshire +Bang +banga +Bangala +bangalay +Bangall +Bangalore +bangalow +Bangash +bang-bang +bangboard +bange +banged +banged-up +banger +bangers +banghy +bangy +Bangia +Bangiaceae +bangiaceous +Bangiales +banging +Bangka +Bangkok +bangkoks +Bangladesh +bangle +bangled +bangles +bangle's +bangling +Bangor +bangos +Bangs +bangster +bangtail +bang-tail +bangtailed +bangtails +Bangui +bangup +bang-up +Bangwaketsi +Bangweulu +bani +bania +banya +Banyai +banian +banyan +banians +banyans +Banias +banig +baniya +banilad +baning +Banyoro +banish +banished +banisher +banishers +banishes +banishing +banishment +banishments +banister +banister-back +banisterine +banisters +banister's +Banyuls +Baniva +baniwa +banjara +Banjermasin +banjo +banjoes +banjoist +banjoists +banjo-picker +banjore +banjorine +banjos +banjo's +banjo-uke +banjo-ukulele +banjo-zither +banjuke +Banjul +banjulele +Bank +Banka +bankable +Bankalachi +bank-bill +bankbook +bank-book +bankbooks +bankcard +bankcards +banked +banker +bankera +bankerdom +bankeress +banker-mark +banker-out +bankers +banket +bankfull +bank-full +Bankhead +bank-high +Banky +Banking +banking-house +bankings +bankman +bankmen +banknote +bank-note +banknotes +bankrider +bank-riding +bankroll +bankrolled +bankroller +bankrolling +bankrolls +bankrupcy +bankrupt +bankruptcy +bankruptcies +bankruptcy's +bankrupted +bankrupting +bankruptism +bankruptly +bankruptlike +bankrupts +bankruptship +bankrupture +Banks +bankshall +Banksia +Banksian +banksias +Bankside +bank-side +bank-sided +banksides +banksman +banksmen +Bankston +bankweed +bank-wound +banlieu +banlieue +Banlon +Bann +Banna +bannack +Bannasch +bannat +banned +Banner +bannered +bannerer +banneret +bannerets +bannerette +banner-fashioned +bannerfish +bannerless +bannerlike +bannerline +Bannerman +bannermen +bannerol +bannerole +bannerols +banners +banner's +banner-shaped +bannerwise +bannet +bannets +bannimus +Banning +Bannister +bannisters +bannition +Bannock +Bannockburn +bannocks +Bannon +banns +bannut +Banon +banovina +banque +Banquer +banquet +Banquete +banqueted +banqueteer +banqueteering +banqueter +banqueters +banqueting +banquetings +banquets +banquette +banquettes +Banquo +bans +ban's +bansalague +bansela +banshee +banshees +banshee's +banshie +banshies +Banstead +banstickle +bant +bantay +bantayan +Bantam +bantamize +bantams +bantamweight +bantamweights +banteng +banter +bantered +banterer +banterers +bantery +bantering +banteringly +banters +Banthine +banty +banties +bantin +Banting +Bantingism +bantingize +bantings +bantling +bantlings +Bantoid +Bantry +Bantu +Bantus +Bantustan +banuyo +banus +Banville +Banwell +banxring +banzai +banzais +BAO +baobab +baobabs +BAOR +Bap +BAPCO +BAPCT +Baphia +Baphomet +Baphometic +bapistery +BAppArts +Bapt +Baptanodon +baptise +baptised +baptises +Baptisia +baptisias +baptisin +baptising +baptism +baptismal +baptismally +baptisms +baptism's +Baptist +Baptista +Baptiste +baptistery +baptisteries +Baptistic +Baptistown +baptistry +baptistries +baptistry's +baptists +baptist's +baptizable +baptize +baptized +baptizee +baptizement +baptizer +baptizers +baptizes +baptizing +Baptlsta +Baptornis +BAR +bar- +bar. +Bara +barabara +Barabas +Barabbas +Baraboo +barabora +Barabra +Barac +Baraca +Barack +Baracoa +barad +baradari +Baraga +baragnosis +baragouin +baragouinish +Barahona +Baray +Barayon +baraita +Baraithas +Barajas +barajillo +Barak +baraka +Baralipton +Baram +Baramika +baramin +bar-and-grill +barandos +barangay +barani +Barany +Baranov +bara-picklet +bararesque +bararite +Baras +Barashit +barasingha +barat +Barataria +barathea +baratheas +barathra +barathron +barathrum +barato +baratte +barauna +baraza +Barb +barba +Barbabas +Barbabra +barbacan +Barbacoa +Barbacoan +barbacou +Barbadian +barbadoes +Barbados +barbal +barbaloin +barbar +Barbara +Barbaraanne +Barbara-Anne +barbaralalia +Barbarea +Barbaresco +Barbarese +Barbaresi +barbaresque +Barbary +Barbarian +barbarianism +barbarianize +barbarianized +barbarianizing +barbarians +barbarian's +barbaric +barbarical +barbarically +barbarious +barbariousness +barbarisation +barbarise +barbarised +barbarising +barbarism +barbarisms +barbarity +barbarities +barbarization +barbarize +barbarized +barbarizes +barbarizing +Barbarossa +barbarous +barbarously +barbarousness +barbas +barbasco +barbascoes +barbascos +barbastel +barbastelle +barbate +barbated +barbatimao +Barbe +Barbeau +barbecue +barbecued +barbecueing +barbecuer +barbecues +barbecuing +barbed +barbedness +Barbee +Barbey +Barbeyaceae +barbeiro +barbel +barbeled +barbell +barbellate +barbells +barbell's +barbellula +barbellulae +barbellulate +barbels +barbeque +barbequed +barbequing +Barber +Barbera +barbered +barberess +barberfish +barbery +barbering +barberish +barberite +barbermonger +barbero +barberry +barberries +barbers +barbershop +barbershops +barber-surgeon +Barberton +Barberville +barbes +barbet +barbets +Barbette +barbettes +Barbi +Barby +Barbica +barbican +barbicanage +barbicans +barbicel +barbicels +Barbie +barbierite +barbigerous +barbing +barbion +Barbirolli +barbita +barbital +barbitalism +barbitals +barbiton +barbitone +barbitos +barbituism +barbiturate +barbiturates +barbituric +barbiturism +Barbizon +barble +barbless +barblet +barboy +barbola +barbone +barbotine +barbotte +barbouillage +Barbour +Barboursville +Barbourville +Barboza +Barbra +barbre +barbs +barbu +Barbuda +barbudo +barbudos +Barbula +barbulate +barbule +barbules +barbulyie +Barbur +Barbusse +barbut +barbute +Barbuto +barbuts +barbwire +barbwires +Barca +Barcan +barcarole +barcaroles +barcarolle +barcas +Barce +barcella +Barcellona +Barcelona +barcelonas +Barceloneta +BArch +barchan +barchans +BArchE +Barclay +Barco +barcolongo +barcone +Barcoo +Barcot +Barcroft +Barcus +Bard +bardane +bardash +bardcraft +Barde +barded +bardee +Bardeen +bardel +bardelle +Barden +bardes +Bardesanism +Bardesanist +Bardesanite +bardess +bardy +Bardia +bardic +bardie +bardier +bardiest +bardiglio +bardily +bardiness +barding +bardings +bardish +bardism +bardlet +bardlike +bardling +Bardo +bardocucullus +Bardolater +Bardolatry +Bardolino +Bardolph +Bardolphian +Bardot +bards +bard's +bardship +Bardstown +Bardulph +Bardwell +Bare +Barea +bare-ankled +bare-armed +bare-ass +bare-assed +bareback +barebacked +bare-backed +bare-bitten +bareboat +bareboats +barebone +bareboned +bare-boned +barebones +bare-bosomed +bare-branched +bare-breasted +bareca +bare-chested +bare-clawed +bared +barefaced +bare-faced +barefacedly +barefacedness +bare-fingered +barefisted +barefit +Barefoot +barefooted +barege +bareges +bare-gnawn +barehanded +bare-handed +barehead +bareheaded +bare-headed +bareheadedness +Bareilly +bareka +bare-kneed +bareknuckle +bareknuckled +barelegged +bare-legged +Bareli +barely +Barenboim +barenecked +bare-necked +bareness +barenesses +Barents +bare-picked +barer +bare-ribbed +bares +baresark +baresarks +bare-skinned +bare-skulled +baresma +barest +baresthesia +baret +bare-throated +bare-toed +baretta +bare-walled +bare-worn +barf +barfed +barff +barfy +barfing +barfish +barfly +barflies +barfly's +barfs +barful +Barfuss +bargain +bargainable +bargain-basement +bargain-counter +bargained +bargainee +bargainer +bargainers +bargain-hunting +bargaining +bargainor +bargains +bargainwise +bargander +barge +bargeboard +barge-board +barge-couple +barge-course +barged +bargee +bargeer +bargees +bargeese +bargehouse +barge-laden +bargelike +bargelli +bargello +bargellos +bargeload +bargeman +bargemaster +bargemen +bargepole +Barger +barge-rigged +Bargersville +barges +bargestone +barge-stone +bargh +bargham +barghest +barghests +barging +bargir +bargoose +bar-goose +barguest +barguests +barhal +Barhamsville +barhop +barhopped +barhopping +barhops +Bari +Bary +baria +bariatrician +bariatrics +baric +barycenter +barycentre +barycentric +barid +barie +Barye +baryecoia +baryes +baryglossia +barih +barylalia +barile +barylite +barilla +barillas +Bariloche +Barimah +Barina +Barinas +Baring +bariolage +baryon +baryonic +baryons +baryphony +baryphonia +baryphonic +Baryram +baris +barish +barysilite +barysphere +barit +barit. +baryta +barytas +barite +baryte +baritenor +barites +barytes +barythymia +barytic +barytine +baryto- +barytocalcite +barytocelestine +barytocelestite +baryton +baritonal +baritone +barytone +baritones +baritone's +barytones +barytons +barytophyllite +barytostrontianite +barytosulphate +barium +bariums +bark +barkan +barkantine +barkary +bark-bared +barkbound +barkcutter +bark-cutting +barked +barkeep +barkeeper +barkeepers +barkeeps +barkey +barken +barkened +barkening +barkentine +barkentines +Barker +barkery +barkers +barkevikite +barkevikitic +bark-formed +bark-galled +bark-galling +bark-grinding +barkhan +barky +barkier +barkiest +Barking +barkingly +Barkinji +Barkla +barkle +Barkley +Barkleigh +barkless +barklyite +barkometer +barkpeel +barkpeeler +barkpeeling +barks +Barksdale +bark-shredding +barksome +barkstone +bark-tanned +Barlach +barlafumble +barlafummil +barleduc +Bar-le-duc +barleducs +barley +barleybird +barleybrake +barleybreak +barley-break +barley-bree +barley-broo +barley-cap +barley-clipping +Barleycorn +barley-corn +barley-fed +barley-grinding +barleyhood +barley-hood +barley-hulling +barleymow +barleys +barleysick +barley-sugar +barless +Barletta +barly +Barling +barlock +Barlow +barlows +barm +barmaid +barmaids +barman +barmaster +barmbrack +barmcloth +Barmecidal +Barmecide +Barmen +barmfel +barmy +barmybrained +barmie +barmier +barmiest +barming +barmkin +barmote +barms +barmskin +Barn +Barna +Barnaba +Barnabas +Barnabe +Barnaby +Barnabite +Barna-brahman +barnacle +barnacle-back +barnacled +barnacle-eater +barnacles +barnacling +barnage +Barnaise +Barnard +Barnardo +Barnardsville +Barnaul +barnbrack +barn-brack +Barnburner +Barncard +barndoor +barn-door +Barnebas +Barnegat +Barney +barney-clapper +barneys +Barnes +Barnesboro +Barneston +Barnesville +Barnet +Barnett +Barneveld +Barneveldt +barnful +Barnhard +barnhardtite +Barnhart +Barny +barnyard +barnyards +barnyard's +Barnie +barnier +barniest +barnlike +barnman +barnmen +barn-raising +barns +barn's +barns-breaking +Barnsdall +Barnsley +Barnstable +Barnstead +Barnstock +barnstorm +barnstormed +barnstormer +barnstormers +barnstorming +barnstorms +Barnum +Barnumesque +Barnumism +Barnumize +Barnwell +baro- +Barocchio +barocco +barocyclonometer +Barocius +baroclinicity +baroclinity +Baroco +Baroda +barodynamic +barodynamics +barognosis +barogram +barograms +barograph +barographic +barographs +baroi +Baroja +baroko +Barolet +Barolo +barology +Barolong +baromacrometer +barometer +barometers +barometer's +barometry +barometric +barometrical +barometrically +barometrograph +barometrography +barometz +baromotor +Baron +baronage +baronages +baronduki +baroness +baronesses +baronet +baronetage +baronetcy +baronetcies +baroneted +baronethood +baronetical +baroneting +baronetise +baronetised +baronetising +baronetize +baronetized +baronetizing +baronets +baronetship +barong +Baronga +barongs +baroni +barony +baronial +baronies +barony's +baronize +baronized +baronizing +baronne +baronnes +baronry +baronries +barons +baron's +baronship +barophobia +Baroque +baroquely +baroqueness +baroques +baroreceptor +baroscope +baroscopic +baroscopical +barosinusitis +barosinusitus +Barosma +barosmin +barostat +baroswitch +barotactic +barotaxy +barotaxis +barothermogram +barothermograph +barothermohygrogram +barothermohygrograph +baroto +barotrauma +barotraumas +barotraumata +barotropy +barotropic +Barotse +Barotseland +barouche +barouches +barouchet +barouchette +Barouni +baroxyton +Barozzi +barpost +barquantine +barque +barquentine +Barquero +barques +barquest +barquette +Barquisimeto +Barr +Barra +barrabkie +barrable +barrabora +barracan +barrace +barrack +barracked +barracker +barracking +barracks +Barrackville +barraclade +barracoon +barracouta +barracoutas +barracuda +barracudas +barracudina +barrad +Barrada +barragan +barrage +barraged +barrages +barrage's +barraging +barragon +Barram +barramunda +barramundas +barramundi +barramundies +barramundis +barranca +Barrancabermeja +barrancas +barranco +barrancos +barrandite +Barranquilla +Barranquitas +barras +barrat +barrater +barraters +barrator +barrators +barratry +barratries +barratrous +barratrously +Barrault +Barraza +Barre +barred +Barree +barrel +barrelage +barrel-bellied +barrel-boring +barrel-branding +barrel-chested +barrel-driving +barreled +barreleye +barreleyes +barreler +barrelet +barrelfish +barrelfishes +barrelful +barrelfuls +barrelhead +barrel-heading +barrelhouse +barrelhouses +barreling +barrelled +barrelling +barrelmaker +barrelmaking +barrel-packing +barrel-roll +barrels +barrel's +barrelsful +barrel-shaped +barrel-vaulted +barrelwise +Barren +barrener +barrenest +barrenly +barrenness +barrennesses +barrens +barrenwort +barrer +barrera +barrer-off +Barres +Barret +barretor +barretors +barretry +barretries +barrets +Barrett +barrette +barretter +barrettes +Barri +Barry +barry-bendy +barricade +barricaded +barricader +barricaders +barricades +barricade's +barricading +barricado +barricadoed +barricadoes +barricadoing +barricados +barrico +barricoes +barricos +Barrie +Barrientos +barrier +barriers +barrier's +barriguda +barrigudo +barrigudos +barrikin +Barrymore +barry-nebuly +barriness +barring +barringer +Barrington +Barringtonia +barrio +barrio-dwellers +Barrios +barry-pily +Barris +barrister +barrister-at-law +barristerial +barristers +barristership +barristress +Barryton +Barrytown +Barryville +barry-wavy +BARRNET +Barron +Barronett +barroom +barrooms +Barros +Barrow +barrow-boy +barrowcoat +barrowful +Barrow-in-Furness +Barrowist +barrowman +barrow-man +barrow-men +barrows +barrulee +barrulet +barrulety +barruly +Barrus +bars +bar's +Barsac +barse +Barsky +barsom +barspoon +barstool +barstools +Barstow +Bart +Bart. +Barta +bar-tailed +Bartel +Bartelso +bartend +bartended +bartender +bartenders +bartender's +bartending +bartends +barter +bartered +barterer +barterers +bartering +barters +Barth +Barthel +Barthelemy +Barthian +Barthianism +barthite +Barthol +Barthold +Bartholdi +Bartholemy +bartholinitis +Bartholomean +Bartholomeo +Bartholomeus +Bartholomew +Bartholomewtide +Bartholomite +Barthou +Barty +Bartie +bartisan +bartisans +bartizan +bartizaned +bartizans +Bartko +Bartle +Bartley +Bartlemy +Bartlesville +Bartlet +Bartlett +bartletts +Barto +Bartok +Bartolemo +Bartolome +Bartolomeo +Bartolommeo +Bartolozzi +Barton +Bartonella +Bartonia +Bartonsville +Bartonville +Bartosch +Bartow +Bartram +Bartramia +Bartramiaceae +Bartramian +bartree +Bartsia +baru +Baruch +barukhzy +Barundi +baruria +barvel +barvell +Barvick +barway +barways +barwal +barware +barwares +Barwick +barwin +barwing +barwise +barwood +bar-wound +Barzani +BAS +basad +basal +basale +basalia +basally +basal-nerved +basalt +basaltes +basaltic +basaltiform +basaltine +basaltoid +basalt-porphyry +basalts +basaltware +basan +basanite +basaree +basat +BASc +bascinet +Bascio +Basco +Bascology +Bascom +Bascomb +basculation +bascule +bascules +bascunan +Base +baseball +base-ball +baseballdom +baseballer +baseballs +baseball's +baseband +base-begged +base-begot +baseboard +baseboards +baseboard's +baseborn +base-born +basebred +baseburner +base-burner +basecoat +basecourt +base-court +based +base-forming +basehearted +baseheartedness +Basehor +Basel +baselard +Baseler +baseless +baselessly +baselessness +baselevel +basely +baselike +baseline +baseliner +baselines +baseline's +Basella +Basellaceae +basellaceous +Basel-Land +Basel-Mulhouse +Basel-Stadt +baseman +basemen +basement +basementless +basements +basement's +basementward +base-mettled +base-minded +base-mindedly +base-mindedness +basename +baseness +basenesses +basenet +Basenji +basenjis +baseplate +baseplug +basepoint +baser +baserunning +bases +base-souled +base-spirited +base-spiritedness +basest +base-witted +bas-fond +BASH +bashalick +Basham +Bashan +bashara +bashaw +bashawdom +bashawism +bashaws +bashawship +bashed +Bashee +Bashemath +Bashemeth +basher +bashers +bashes +bashful +bashfully +bashfulness +bashfulnesses +bashibazouk +bashi-bazouk +bashi-bazoukery +Bashilange +bashyle +bashing +Bashkir +Bashkiria +bashless +bashlik +bashlyk +bashlyks +bashment +Bashmuric +Basho +Bashuk +basi- +Basia +basial +basialveolar +basiarachnitis +basiarachnoiditis +basiate +basiated +basiating +basiation +Basibracteolate +basibranchial +basibranchiate +basibregmatic +BASIC +basically +basicerite +basichromatic +basichromatin +basichromatinic +basichromiole +basicity +basicities +basicytoparaplastin +basic-lined +basicranial +basics +basic's +basidia +basidial +basidigital +basidigitale +basidigitalia +basidiocarp +basidiogenetic +basidiolichen +Basidiolichenes +basidiomycete +Basidiomycetes +basidiomycetous +basidiophore +basidiospore +basidiosporous +basidium +basidorsal +Basie +Basye +basifacial +basify +basification +basified +basifier +basifiers +basifies +basifying +basifixed +basifugal +basigamy +basigamous +basigenic +basigenous +basigynium +basiglandular +basihyal +basihyoid +Basil +basyl +Basilan +basilar +Basilarchia +basilard +basilary +basilateral +Basildon +Basile +basilect +basileis +basilemma +basileus +Basilian +basilic +Basilica +Basilicae +basilical +basilicalike +basilican +basilicas +Basilicata +basilicate +basilicock +basilicon +Basilics +basilidan +Basilidian +Basilidianism +Basiliensis +basilinna +Basilio +basiliscan +basiliscine +Basiliscus +basilysis +basilisk +basilisks +basilissa +basilyst +Basilius +Basilosauridae +Basilosaurus +basils +basilweed +basimesostasis +basin +basinal +basinasal +basinasial +basined +basinerved +basinet +basinets +basinful +basing +Basingstoke +basinlike +basins +basin's +basioccipital +basion +basions +basiophitic +basiophthalmite +basiophthalmous +basiotribe +basiotripsy +basiparachromatin +basiparaplastin +basipetal +basipetally +basiphobia +basipodite +basipoditic +basipterygial +basipterygium +basipterygoid +Basir +basiradial +basirhinal +basirostral +basis +basiscopic +basisidia +basisolute +basisphenoid +basisphenoidal +basitemporal +basitting +basiventral +basivertebral +bask +baske +basked +basker +Baskerville +basket +basketball +basket-ball +basketballer +basketballs +basketball's +basket-bearing +basketful +basketfuls +basket-hilted +basketing +basketlike +basketmaker +basketmaking +basket-of-gold +basketry +basketries +baskets +basket's +basket-star +Baskett +basketware +basketweaving +basketwoman +basketwood +basketwork +basketworm +Baskin +basking +Baskish +Baskonize +basks +Basle +basnat +basnet +Basoche +basocyte +Basoga +basoid +Basoko +Basom +Basommatophora +basommatophorous +bason +Basonga-mina +Basongo +basophil +basophile +basophilia +basophilic +basophilous +basophils +basophobia +basos +basote +Basotho +Basotho-Qwaqwa +Basov +Basque +basqued +basques +basquine +Basra +bas-relief +Bas-Rhin +Bass +Bassa +Bassalia +Bassalian +bassan +bassanello +bassanite +Bassano +bassara +bassarid +Bassaris +Bassariscus +bassarisk +bass-bar +Bassein +Basse-Normandie +Bassenthwaite +basses +Basses-Alpes +Basses-Pyrn +Basset +basse-taille +basseted +Basseterre +Basse-Terre +basset-horn +basseting +bassetite +bassets +Bassett +bassetta +bassette +bassetted +bassetting +Bassetts +Bassfield +bass-horn +bassi +bassy +Bassia +bassie +bassine +bassinet +bassinets +bassinet's +bassing +bassirilievi +bassi-rilievi +bassist +bassists +bassly +bassness +bassnesses +Basso +basson +bassoon +bassoonist +bassoonists +bassoons +basso-relievo +basso-relievos +basso-rilievo +bassorin +bassos +bass-relief +bass's +bassus +bass-viol +basswood +bass-wood +basswoods +Bast +basta +Bastaard +Bastad +bastant +Bastard +bastarda +bastard-cut +bastardy +bastardice +bastardies +bastardisation +bastardise +bastardised +bastardising +bastardism +bastardization +bastardizations +bastardize +bastardized +bastardizes +bastardizing +bastardly +bastardliness +bastardry +bastards +bastard's +bastard-saw +bastard-sawed +bastard-sawing +bastard-sawn +baste +basted +bastel-house +basten +baster +basters +bastes +basti +Bastia +Bastian +bastide +Bastien +bastile +bastiles +Bastille +bastilles +bastillion +bastiment +bastinade +bastinaded +bastinades +bastinading +bastinado +bastinadoed +bastinadoes +bastinadoing +basting +bastings +bastion +bastionary +bastioned +bastionet +bastions +bastion's +bastite +bastnaesite +bastnasite +basto +Bastogne +baston +bastonet +bastonite +Bastrop +basts +basural +basurale +Basuto +Basutoland +Basutos +Bat +Bataan +Bataan-Corregidor +batable +batad +Batak +batakan +bataleur +batamote +Batan +Batanes +Batangas +batara +batarde +batardeau +batata +Batatas +batatilla +Batavi +Batavia +Batavian +batboy +batboys +batch +batched +Batchelder +Batchelor +batcher +batchers +batches +batching +Batchtown +Bate +batea +bat-eared +bateau +bateaux +bated +bateful +Batekes +batel +bateleur +batell +Bateman +batement +Baten +bater +Bates +Batesburg +Batesland +Batesville +batete +Batetela +batfish +batfishes +batfowl +bat-fowl +batfowled +batfowler +batfowling +batfowls +batful +Bath +bath- +Batha +Bathala +bathe +batheable +bathed +Bathelda +bather +bathers +bathes +Bathesda +bathetic +bathetically +bathflower +bathhouse +bathhouses +bathy- +bathyal +bathyanesthesia +bathybian +bathybic +bathybius +bathic +bathycentesis +bathychrome +bathycolpian +bathycolpic +bathycurrent +bathyesthesia +bathygraphic +bathyhyperesthesia +bathyhypesthesia +bathyl +Bathilda +bathylimnetic +bathylite +bathylith +bathylithic +bathylitic +bathymeter +bathymetry +bathymetric +bathymetrical +bathymetrically +Bathinette +bathing +bathing-machine +bathyorographical +bathypelagic +bathyplankton +bathyscape +bathyscaph +bathyscaphe +bathyscaphes +bathyseism +bathysmal +bathysophic +bathysophical +bathysphere +bathyspheres +bathythermogram +bathythermograph +bathkol +bathless +bath-loving +bathman +bathmat +bathmats +bathmic +bathmism +bathmotropic +bathmotropism +batho- +bathochromatic +bathochromatism +bathochrome +bathochromy +bathochromic +bathoflore +bathofloric +batholite +batholith +batholithic +batholiths +batholitic +Batholomew +bathomania +bathometer +bathometry +Bathonian +bathool +bathophobia +bathorse +bathos +bathoses +bathrobe +bathrobes +bathrobe's +bathroom +bathroomed +bathrooms +bathroom's +bathroot +baths +Bathsheb +Bathsheba +Bath-sheba +Bathsheeb +bathtub +bathtubful +bathtubs +bathtub's +bathukolpian +bathukolpic +Bathulda +Bathurst +bathvillite +bathwater +bathwort +Batia +Batidaceae +batidaceous +batik +batiked +batiker +batiking +batiks +batikulin +batikuling +Batilda +bating +batino +batyphone +Batis +Batish +Batista +batiste +batistes +batitinan +batlan +Batley +batler +batlet +batlike +batling +batlon +Batman +batmen +bat-minded +bat-mindedness +bat-mule +Batna +Batocrinidae +Batocrinus +Batodendron +batoid +Batoidei +Batoka +Baton +batoneer +Batonga +batonist +batonistic +batonne +batonnier +batons +baton's +batoon +batophobia +Bator +Batory +Batrachia +batrachian +batrachians +batrachiate +Batrachidae +batrachite +Batrachium +batracho- +batrachoid +Batrachoididae +batrachophagous +Batrachophidia +batrachophobia +batrachoplasty +Batrachospermum +batrachotoxin +Batruk +bats +bat's +BATSE +Batsheva +bats-in-the-belfry +batsman +batsmanship +batsmen +Batson +batster +batswing +batt +Batta +battable +battailant +battailous +Battak +Battakhin +battalia +battalias +battalion +battalions +battalion's +Battambang +battarism +battarismus +Battat +batteau +batteaux +batted +battel +batteled +batteler +batteling +Battelle +Battelmatt +battels +battement +battements +batten +Battenburg +battened +battener +batteners +battening +battens +batter +batterable +battercake +batterdock +battered +batterer +batterfang +Battery +battery-charging +batterie +batteried +batteries +batteryman +battering +battering-ram +battery-powered +battery's +battery-testing +batterman +batter-out +batters +Battersea +batteuse +Batty +battycake +Batticaloa +battier +batties +Battiest +battik +battiks +battiness +batting +battings +Battipaglia +battish +Battista +Battiste +battle +battle-ax +battle-axe +Battleboro +battled +battledore +battledored +battledores +battledoring +battle-fallen +battlefield +battlefields +battlefield's +battlefront +battlefronts +battlefront's +battleful +battleground +battlegrounds +battleground's +battlement +battlemented +battlements +battlement's +battlepiece +battleplane +battler +battlers +battles +battle-scarred +battleship +battleships +battleship's +battle-slain +battlesome +battle-spent +battlestead +Battletown +battlewagon +battleward +battlewise +battle-writhen +battling +battology +battological +battologise +battologised +battologising +battologist +battologize +battologized +battologizing +batton +batts +battu +battue +battues +batture +Battus +battuta +battutas +battute +battuto +battutos +batukite +batule +Batum +Batumi +batuque +Batussi +Batwa +batwing +batwoman +batwomen +batz +batzen +BAU +baubee +baubees +bauble +baublery +baubles +bauble's +baubling +Baubo +bauch +Bauchi +bauchle +Baucis +bauckie +bauckiebird +baud +baudekin +baudekins +Baudelaire +baudery +Baudette +Baudin +Baudoin +Baudouin +baudrons +baudronses +bauds +Bauer +Bauera +Bauernbrot +baufrey +bauge +Baugh +Baughman +Bauhaus +Bauhinia +bauhinias +bauk +Baul +bauld +baulea +bauleah +baulk +baulked +baulky +baulkier +baulkiest +baulking +baulks +Baum +Baumann +Baumbaugh +Baume +Baumeister +baumhauerite +baumier +Baun +bauno +Baure +Bauru +Bausch +Bauske +Bausman +bauson +bausond +bauson-faced +bauta +Bautain +Bautista +Bautram +bautta +Bautzen +bauxite +bauxites +bauxitic +bauxitite +Bav +bavardage +bavary +Bavaria +Bavarian +bavaroy +bavarois +bavaroise +bavenite +bavette +baviaantje +Bavian +baviere +bavin +Bavius +Bavon +bavoso +baw +bawarchi +bawbee +bawbees +bawble +bawcock +bawcocks +bawd +bawdy +bawdier +bawdies +bawdiest +bawdyhouse +bawdyhouses +bawdily +bawdiness +bawdinesses +bawdry +bawdric +bawdrick +bawdrics +bawdries +bawds +bawdship +bawdstrot +bawhorse +bawke +bawl +bawled +bawley +bawler +bawlers +bawly +bawling +bawling-out +bawls +bawn +bawneen +Bawra +bawrel +bawsint +baws'nt +bawsunt +bawty +bawtie +bawties +Bax +B-axes +Baxy +Baxie +B-axis +Baxley +Baxter +Baxterian +Baxterianism +baxtone +bazaar +bazaars +bazaar's +Bazaine +Bazar +bazars +Bazatha +baze +Bazigar +Bazil +Bazin +Bazine +Baziotes +Bazluke +bazoo +bazooka +bazookaman +bazookamen +bazookas +bazooms +bazoos +bazzite +BB +BBA +BBB +BBC +BBL +bbl. +bbls +BBN +bbs +BBXRT +BC +BCBS +BCC +BCD +BCDIC +BCE +BCerE +bcf +BCh +Bchar +BChE +bchs +BCL +BCM +BCom +BComSc +BCP +BCPL +BCR +BCS +BCWP +BCWS +BD +bd. +BDA +BDC +BDD +Bde +bdellatomy +bdellid +Bdellidae +bdellium +bdelliums +bdelloid +Bdelloida +bdellometer +Bdellostoma +Bdellostomatidae +Bdellostomidae +bdellotomy +Bdelloura +Bdellouridae +bdellovibrio +BDes +BDF +bdft +bdl +bdl. +bdle +bdls +bdrm +BDS +BDSA +BDT +BE +be- +BEA +Beach +Beacham +beachboy +Beachboys +beachcomb +beachcomber +beachcombers +beachcombing +beachdrops +beached +beacher +beaches +beachfront +beachhead +beachheads +beachhead's +beachy +beachie +beachier +beachiest +beaching +beachlamar +Beach-la-Mar +beachless +beachman +beachmaster +beachmen +beach-sap +beachside +beachward +beachwear +Beachwood +beacon +beaconage +beaconed +beaconing +beaconless +beacons +beacon's +Beaconsfield +beaconwise +bead +beaded +beaded-edge +beadeye +bead-eyed +beadeyes +beader +beadflush +bead-hook +beadhouse +beadhouses +beady +beady-eyed +beadier +beadiest +beadily +beadiness +beading +beadings +Beadle +beadledom +beadlehood +beadleism +beadlery +beadles +beadle's +beadleship +beadlet +beadlike +bead-like +beadman +beadmen +beadroll +bead-roll +beadrolls +beadrow +bead-ruby +bead-rubies +beads +bead-shaped +beadsman +beadsmen +beadswoman +beadswomen +beadwork +beadworks +Beagle +beagles +beagle's +beagling +beak +beak-bearing +beaked +beaker +beakerful +beakerman +beakermen +beakers +beakful +beakhead +beak-head +beaky +beakier +beakiest +beakiron +beak-iron +beakless +beaklike +beak-like +beak-nosed +beaks +beak-shaped +Beal +beala +bealach +Beale +Bealeton +bealing +Beall +be-all +beallach +Bealle +Beallsville +Beals +bealtared +Bealtine +Bealtuinn +beam +beamage +Beaman +beam-bending +beambird +beamed +beam-end +beam-ends +beamer +beamers +beamfilling +beamful +beamhouse +beamy +beamier +beamiest +beamily +beaminess +beaming +beamingly +beamish +beamishly +beamless +beamlet +beamlike +beamman +beamroom +beams +beamsman +beamsmen +beamster +beam-straightening +beam-tree +beamwork +Bean +beanbag +bean-bag +beanbags +beanball +beanballs +bean-cleaning +beancod +bean-crushing +Beane +beaned +Beaner +beanery +beaneries +beaners +beanfeast +bean-feast +beanfeaster +bean-fed +beanfest +beanfield +beany +beanie +beanier +beanies +beaniest +beaning +beanlike +beano +beanos +bean-planting +beanpole +beanpoles +bean-polishing +beans +beansetter +bean-shaped +beanshooter +beanstalk +beanstalks +beant +beanweed +beaproned +Bear +bearability +bearable +bearableness +bearably +bearance +bearbaiter +bearbaiting +bear-baiting +bearbane +bearberry +bearberries +bearbind +bearbine +bearbush +bearcat +bearcats +Bearce +bearcoot +Beard +bearded +beardedness +Bearden +bearder +beardfish +beardfishes +beardy +beardie +bearding +beardless +beardlessness +beardlike +beardom +beards +Beardsley +Beardstown +beardtongue +Beare +beared +bearer +bearer-off +bearers +bearess +bearfoot +bearfoots +bearherd +bearhide +bearhound +bearhug +bearhugs +bearing +bearings +bearish +bearishly +bearishness +bear-lead +bear-leader +bearleap +bearlet +bearlike +bearm +Bearnaise +Bearnard +bearpaw +bears +bear's-breech +bear's-ear +bear's-foot +bear's-foots +bearship +bearskin +bearskins +bear's-paw +Bearsville +beartongue +bear-tree +bearward +bearwood +bearwoods +bearwort +Beasley +Beason +beast +beastbane +beastdom +beasthood +beastie +beasties +beastily +beastings +beastish +beastishness +beastly +beastlier +beastliest +beastlike +beastlily +beastliness +beastlinesses +beastling +beastlings +beastman +Beaston +beasts +beastship +beat +Beata +beatable +beatably +beatae +beatas +beat-beat +beatee +beaten +beater +beaterman +beatermen +beater-out +beaters +beaters-up +beater-up +beath +beati +beatify +beatific +beatifical +beatifically +beatificate +beatification +beatifications +beatified +beatifies +beatifying +beatille +beatinest +beating +beatings +beating-up +Beatitude +beatitudes +beatitude's +Beatles +beatless +beatnik +beatnikism +beatniks +beatnik's +Beaton +Beatrice +Beatrisa +Beatrix +Beatriz +beats +beatster +Beatty +Beattie +Beattyville +beat-up +beatus +beatuti +Beau +Beauchamp +Beauclerc +beauclerk +beaucoup +Beaudoin +beaued +beauetry +Beaufert +beaufet +beaufin +Beauford +Beaufort +beaugregory +beaugregories +Beauharnais +beau-ideal +beau-idealize +beauing +beauish +beauism +Beaujolais +Beaujolaises +Beaulieu +Beaumarchais +beaume +beau-monde +Beaumont +Beaumontia +Beaune +beaupere +beaupers +beau-pleader +beau-pot +Beauregard +beaus +beau's +beauseant +beauship +beausire +beaut +beauteous +beauteously +beauteousness +beauti +beauty +beauty-beaming +beauty-berry +beauty-blind +beauty-blooming +beauty-blushing +beauty-breathing +beauty-bright +beauty-bush +beautician +beauticians +beauty-clad +beautydom +beautied +beauties +beautify +beautification +beautifications +beautified +beautifier +beautifiers +beautifies +beautifying +beauty-fruit +beautiful +beautifully +beautifulness +beautihood +beautiless +beauty-loving +beauty-proof +beauty's +beautyship +beauty-waning +beauts +Beauvais +Beauvoir +beaux +Beaux-Arts +beaux-esprits +beauxite +BEAV +Beaver +Beaverboard +Beaverbrook +Beaverdale +beavered +beaverette +beavery +beaveries +beavering +beaverish +beaverism +beaverite +beaverize +Beaverkill +beaverkin +Beaverlett +beaverlike +beaverpelt +beaverroot +beavers +beaver's +beaverskin +beaverteen +Beaverton +Beavertown +beaver-tree +Beaverville +beaverwood +beback +bebay +bebait +beballed +bebang +bebannered +bebar +bebaron +bebaste +bebat +bebathe +bebatter +Bebe +bebeast +bebed +bebeerin +bebeerine +bebeeru +bebeerus +Bebel +bebelted +Beberg +bebilya +Bebington +bebite +bebization +beblain +beblear +bebled +bebleed +bebless +beblister +beblood +beblooded +beblooding +bebloods +bebloom +beblot +beblotch +beblubber +beblubbered +bebog +bebop +bebopper +beboppers +bebops +beboss +bebotch +bebothered +bebouldered +bebrave +bebreech +Bebryces +bebrine +bebrother +bebrush +bebump +Bebung +bebusy +bebuttoned +bec +becafico +becall +becalm +becalmed +becalming +becalmment +becalms +became +becap +becapped +becapping +becaps +becard +becarpet +becarpeted +becarpeting +becarpets +becarve +becasse +becassine +becassocked +becater +because +Becca +beccabunga +beccaccia +beccafico +beccaficoes +beccaficos +Beccaria +becchi +becco +becense +bechained +bechalk +bechalked +bechalking +bechalks +bechamel +bechamels +bechance +bechanced +bechances +bechancing +becharm +becharmed +becharming +becharms +bechase +bechatter +bechauffeur +beche +becheck +Beche-de-Mer +beche-le-mar +becher +bechern +Bechet +bechic +bechignoned +bechirp +Bechler +Becht +Bechtel +Bechtelsville +Bechtler +Bechuana +Bechuanaland +Bechuanas +becircled +becivet +Beck +Becka +becked +beckelite +Beckemeyer +Becker +Beckerman +Becket +beckets +Beckett +Beckford +Becki +Becky +Beckie +becking +beckiron +Beckley +Beckman +Beckmann +beckon +beckoned +beckoner +beckoners +beckoning +beckoningly +beckons +becks +Beckville +Beckwith +beclad +beclamor +beclamored +beclamoring +beclamors +beclamour +beclang +beclap +beclart +beclasp +beclasped +beclasping +beclasps +beclatter +beclaw +beclip +becloak +becloaked +becloaking +becloaks +beclog +beclogged +beclogging +beclogs +beclose +beclothe +beclothed +beclothes +beclothing +becloud +beclouded +beclouding +beclouds +beclout +beclown +beclowned +beclowning +beclowns +becluster +becobweb +becoiffed +becollier +becolme +becolor +becombed +become +becomed +becomes +becometh +becoming +becomingly +becomingness +becomings +becomma +becompass +becompliment +becoom +becoresh +becost +becousined +becovet +becoward +becowarded +becowarding +becowards +Becquer +Becquerel +becquerelite +becram +becramp +becrampon +becrawl +becrawled +becrawling +becrawls +becreep +becry +becrime +becrimed +becrimes +becriming +becrimson +becrinolined +becripple +becrippled +becrippling +becroak +becross +becrowd +becrowded +becrowding +becrowds +becrown +becrush +becrust +becrusted +becrusting +becrusts +becudgel +becudgeled +becudgeling +becudgelled +becudgelling +becudgels +becuffed +becuiba +becumber +becuna +becurl +becurry +becurse +becursed +becurses +becursing +becurst +becurtained +becushioned +becut +BED +bedabble +bedabbled +bedabbles +bedabbling +Bedad +bedaff +bedaggered +bedaggle +beday +bedamn +bedamned +bedamning +bedamns +bedamp +bedangled +bedare +bedark +bedarken +bedarkened +bedarkening +bedarkens +bedash +bedaub +bedaubed +bedaubing +bedaubs +bedawee +bedawn +bedaze +bedazed +bedazement +bedazzle +bedazzled +bedazzlement +bedazzles +bedazzling +bedazzlingly +bedboard +bedbug +bedbugs +bedbug's +bedcap +bedcase +bedchair +bedchairs +bedchamber +bedclothes +bed-clothes +bedclothing +bedcord +bedcover +bedcovers +beddable +bed-davenport +bedded +bedder +bedders +bedder's +beddy-bye +bedding +beddingroll +beddings +Beddoes +Bede +bedead +bedeaf +bedeafen +bedeafened +bedeafening +bedeafens +bedebt +bedeck +bedecked +bedecking +bedecks +bedecorate +bedeen +bedegar +bedeguar +bedehouse +bedehouses +bedel +Bedelia +Bedell +bedells +bedels +bedelve +bedeman +bedemen +beden +bedene +bedesman +bedesmen +bedeswoman +bedeswomen +bedevil +bedeviled +bedeviling +bedevilled +bedevilling +bedevilment +bedevils +bedew +bedewed +bedewer +bedewing +bedewoman +bedews +bedfast +bedfellow +bedfellows +bedfellowship +bed-fere +bedflower +bedfoot +Bedford +Bedfordshire +bedframe +bedframes +bedgery +bedgoer +bedgown +bedgowns +bed-head +bediademed +bediamonded +bediaper +bediapered +bediapering +bediapers +Bedias +bedye +bedight +bedighted +bedighting +bedights +bedikah +bedim +bedimmed +bedimming +bedimple +bedimpled +bedimples +bedimplies +bedimpling +bedims +bedin +bedip +bedirt +bedirter +bedirty +bedirtied +bedirties +bedirtying +bedismal +Bedivere +bedizen +bedizened +bedizening +bedizenment +bedizens +bedkey +bedlam +bedlamer +Bedlamic +bedlamise +bedlamised +bedlamising +bedlamism +bedlamite +bedlamitish +bedlamize +bedlamized +bedlamizing +bedlamp +bedlamps +bedlams +bedlar +bedless +bedlids +bedlight +bedlike +Bedlington +Bedlingtonshire +bedmaker +bed-maker +bedmakers +bedmaking +bedman +bedmate +bedmates +Bedminster +bednighted +bednights +bedoctor +bedog +bedoyo +bedolt +bedot +bedote +bedotted +Bedouin +Bedouinism +Bedouins +bedouse +bedown +bedpad +bedpan +bedpans +bedplate +bedplates +bedpost +bedposts +bedpost's +bedquilt +bedquilts +bedrabble +bedrabbled +bedrabbling +bedraggle +bedraggled +bedragglement +bedraggles +bedraggling +bedrail +bedrails +bedral +bedrape +bedraped +bedrapes +bedraping +bedravel +bedread +bedrel +bedrench +bedrenched +bedrenches +bedrenching +bedress +bedribble +bedrid +bedridden +bedriddenness +bedrift +bedright +bedrip +bedrite +bedrivel +bedriveled +bedriveling +bedrivelled +bedrivelling +bedrivels +bedrizzle +bedrock +bedrocks +bedrock's +bedroll +bedrolls +bedroom +bedrooms +bedroom's +bedrop +bedrown +bedrowse +bedrug +bedrugged +bedrugging +bedrugs +Beds +bed's +bedscrew +bedsheet +bedsheets +bedsick +bedside +bedsides +bedsit +bedsite +bedsitter +bed-sitter +bed-sitting-room +bedsock +bedsonia +bedsonias +bedsore +bedsores +bedspread +bedspreads +bedspread's +bedspring +bedsprings +bedspring's +bedstaff +bedstand +bedstands +bedstaves +bedstead +bedsteads +bedstead's +bedstock +bedstraw +bedstraws +bedstring +bedswerver +bedtick +bedticking +bedticks +bedtime +bedtimes +bedub +beduchess +beduck +Beduin +Beduins +beduke +bedull +bedumb +bedumbed +bedumbing +bedumbs +bedunce +bedunced +bedunces +bedunch +beduncing +bedung +bedur +bedusk +bedust +bedway +bedways +bedward +bedwards +bedwarf +bedwarfed +bedwarfing +bedwarfs +bedwarmer +Bedwell +bed-wetting +Bedworth +BEE +beearn +be-east +Beeb +beeball +Beebe +beebee +beebees +beebread +beebreads +bee-butt +beech +Beecham +Beechbottom +beechdrops +beechen +Beecher +beeches +beech-green +beechy +beechier +beechiest +Beechmont +beechnut +beechnuts +beechwood +beechwoods +Beeck +Beedeville +beedged +beedi +beedom +Beedon +bee-eater +beef +beefalo +beefaloes +beefalos +beef-brained +beefburger +beefburgers +beefcake +beefcakes +beefeater +beefeaters +beef-eating +beefed +beefed-up +beefer +beefers +beef-faced +beefhead +beefheaded +beefy +beefier +beefiest +beefily +beefin +beefiness +beefing +beefing-up +beefish +beefishness +beefless +beeflower +beefs +beefsteak +beef-steak +beefsteaks +beeftongue +beef-witted +beef-wittedly +beef-wittedness +beefwood +beef-wood +beefwoods +beegerite +beehead +beeheaded +bee-headed +beeherd +Beehive +beehives +beehive's +beehive-shaped +Beehouse +beeyard +beeish +beeishness +beek +beekeeper +beekeepers +beekeeping +beekite +Beekman +Beekmantown +beelbow +beele +Beeler +beelike +beeline +beelines +beelol +bee-loud +Beelzebub +Beelzebubian +Beelzebul +beeman +beemaster +beemen +Beemer +been +beennut +beent +beento +beep +beeped +beeper +beepers +beeping +beeps +Beer +Beera +beerage +beerbachite +beerbelly +beerbibber +Beerbohm +beeregar +beerhouse +beerhouses +beery +beerier +beeriest +beerily +beeriness +beerish +beerishly +beermaker +beermaking +beermonger +Beernaert +beerocracy +Beerothite +beerpull +Beers +Beersheba +Beersheeba +beer-up +bees +Beesley +Beeson +beest +beesting +beestings +beestride +beeswax +bees-wax +beeswaxes +beeswing +beeswinged +beeswings +beet +beetewk +beetfly +beeth +Beethoven +Beethovenian +Beethovenish +Beethovian +beety +beetiest +beetle +beetle-browed +beetle-crusher +beetled +beetle-green +beetlehead +beetleheaded +beetle-headed +beetleheadedness +beetler +beetlers +beetles +beetle's +beetlestock +beetlestone +beetleweed +beetlike +beetling +beetmister +Beetner +Beetown +beetrave +beet-red +beetroot +beetrooty +beetroots +beets +beet's +beeve +beeves +Beeville +beevish +beeway +beeware +beeweed +beewinged +beewise +beewort +beezer +beezers +BEF +befall +befallen +befalling +befalls +befame +befamilied +befamine +befan +befancy +befanned +befathered +befavor +befavour +befeather +befell +beferned +befetished +befetter +befezzed +Beffrey +beffroy +befiddle +befilch +befile +befilleted +befilmed +befilth +Befind +befinger +befingered +befingering +befingers +befire +befist +befit +befits +befit's +befitted +befitting +befittingly +befittingness +beflag +beflagged +beflagging +beflags +beflannel +beflap +beflatter +beflea +befleaed +befleaing +befleas +befleck +beflecked +beflecking +beflecks +beflounce +beflour +beflout +beflower +beflowered +beflowering +beflowers +beflum +befluster +befoam +befog +befogged +befogging +befogs +befool +befoolable +befooled +befooling +befoolment +befools +befop +before +before-cited +before-created +before-delivered +before-going +beforehand +beforehandedness +before-known +beforementioned +before-mentioned +before-named +beforeness +before-noticed +before-recited +beforesaid +before-said +beforested +before-tasted +before-thought +beforetime +beforetimes +before-told +before-warned +before-written +befortune +befoul +befouled +befouler +befoulers +befoulier +befouling +befoulment +befouls +befountained +befraught +befreckle +befreeze +befreight +befret +befrets +befretted +befretting +befriend +befriended +befriender +befriending +befriendment +befriends +befrill +befrilled +befringe +befringed +befringes +befringing +befriz +befrocked +befrogged +befrounce +befrumple +befuddle +befuddled +befuddlement +befuddlements +befuddler +befuddlers +befuddles +befuddling +befume +befur +befurbelowed +befurred +beg +Bega +begabled +begad +begay +begall +begalled +begalling +begalls +began +begani +begar +begari +begary +begarie +begarlanded +begarnish +begartered +begash +begass +begat +begats +begattal +begaud +begaudy +begaze +begazed +begazes +begazing +begeck +begem +begemmed +begemming +beget +begets +begettal +begetter +begetters +begetting +Begga +beggable +beggar +beggardom +beggared +beggarer +beggaress +beggarhood +beggary +beggaries +beggaring +beggarism +beggarly +beggarlice +beggar-lice +beggarlike +beggarliness +beggarman +beggar-my-neighbor +beggar-my-neighbour +beggar-patched +beggars +beggar's-lice +beggar's-tick +beggar's-ticks +beggar-tick +beggar-ticks +beggarweed +beggarwise +beggarwoman +begged +begger +Beggiatoa +Beggiatoaceae +beggiatoaceous +begging +beggingly +beggingwise +Beggs +Beghard +Beghtol +begift +begiggle +begild +Begin +beginger +beginner +beginners +beginner's +beginning +beginnings +beginning's +begins +begird +begirded +begirding +begirdle +begirdled +begirdles +begirdling +begirds +begirt +beglad +begladded +begladding +beglads +beglamour +beglare +beglerbeg +beglerbeglic +beglerbeglik +beglerbegluc +beglerbegship +beglerbey +beglew +beglic +beglide +beglitter +beglobed +begloom +begloomed +beglooming +beglooms +begloze +begluc +beglue +begnaw +begnawed +begnawn +bego +begob +begobs +begod +begoggled +begohm +begone +begonia +Begoniaceae +begoniaceous +Begoniales +begonias +begorah +begorra +begorrah +begorry +begot +begotten +begottenness +begoud +begowk +begowned +begrace +begray +begrain +begrave +begrease +begreen +begrett +begrim +begrime +begrimed +begrimer +begrimes +begriming +begrimmed +begrimming +begrims +begripe +begroan +begroaned +begroaning +begroans +begrown +begrudge +begrudged +begrudger +begrudges +begrudging +begrudgingly +begruntle +begrutch +begrutten +begs +begster +beguard +beguess +beguile +beguiled +beguileful +beguilement +beguilements +beguiler +beguilers +beguiles +beguiling +beguilingly +beguilingness +Beguin +Beguine +beguines +begulf +begulfed +begulfing +begulfs +begum +begummed +begumming +begums +begun +begunk +begut +Behah +Behaim +behale +behalf +behallow +behalves +behammer +Behan +behang +behap +Behar +behatted +behav +behave +behaved +behaver +behavers +behaves +behaving +behavior +behavioral +behaviorally +behaviored +behaviorism +behaviorist +behavioristic +behavioristically +behaviorists +behaviors +behaviour +behavioural +behaviourally +behaviourism +behaviourist +behaviours +behead +beheadal +beheaded +beheader +beheading +beheadlined +beheads +behear +behears +behearse +behedge +beheira +beheld +behelp +behemoth +behemothic +behemoths +behen +behenate +behenic +behest +behests +behew +behight +behymn +behind +behinder +behindhand +behinds +behindsight +behint +behypocrite +Behistun +behither +Behka +Behl +Behlau +Behlke +Behm +Behmen +Behmenism +Behmenist +Behmenite +Behn +Behnken +behold +beholdable +beholden +beholder +beholders +beholding +beholdingness +beholds +behoney +behoof +behooped +behoot +behoove +behooved +behooveful +behoovefully +behoovefulness +behooves +behooving +behoovingly +behorn +behorror +behove +behoved +behovely +behoves +behoving +behowl +behowled +behowling +behowls +Behre +Behrens +Behring +Behrman +behung +behusband +bey +Beica +beice +Beichner +Beid +Beiderbecke +beydom +Beyer +beyerite +beige +beigel +beiges +beigy +beignet +beignets +Beijing +beild +Beyle +Beylic +beylical +beylics +beylik +beyliks +Beilul +Bein +being +beingless +beingness +beings +beinked +beinly +beinness +Beyo +Beyoglu +beyond +beyondness +beyonds +Beira +beyrichite +Beirne +Beyrouth +Beirut +beys +beisa +beisance +Beisel +beyship +Beitch +Beitnes +Beitris +Beitz +Beja +bejabbers +bejabers +bejade +bejan +bejant +bejape +bejaundice +bejazz +bejel +bejeled +bejeling +bejelled +bejelling +bejesuit +bejesus +bejewel +bejeweled +bejeweling +bejewelled +bejewelling +bejewels +bejezebel +bejig +Bejou +bejuco +bejuggle +bejumble +bejumbled +bejumbles +bejumbling +Beka +Bekaa +Bekah +Bekelja +Beker +bekerchief +Bekha +bekick +bekilted +beking +bekinkinite +bekiss +bekissed +bekisses +bekissing +Bekki +bekko +beknave +beknight +beknighted +beknighting +beknights +beknit +beknived +beknot +beknots +beknotted +beknottedly +beknottedness +beknotting +beknow +beknown +Bel +Bela +belabor +belabored +belaboring +belabors +belabour +belaboured +belabouring +belabours +bel-accoil +belace +belaced +belady +beladied +beladies +beladying +beladle +Belafonte +belage +belah +belay +belayed +belayer +belaying +Belayneh +Belair +belays +Belait +Belaites +Belak +Belalton +belam +Belamcanda +Bel-ami +Belamy +belamour +belanda +belander +Belanger +belap +belar +belard +Belasco +belash +belast +belat +belate +belated +belatedly +belatedness +belating +Belatrix +belatticed +belaud +belauded +belauder +belauding +belauds +Belaunde +belavendered +belch +belched +Belcher +belchers +Belchertown +belches +belching +Belcourt +beld +Belda +beldam +beldame +beldames +beldams +beldamship +Belden +Beldenville +belder +belderroot +Belding +belduque +beleaf +beleaguer +beleaguered +beleaguerer +beleaguering +beleaguerment +beleaguers +beleap +beleaped +beleaping +beleaps +beleapt +beleave +belection +belecture +beledgered +belee +beleed +beleft +Belem +belemnid +belemnite +Belemnites +belemnitic +Belemnitidae +belemnoid +Belemnoidea +Belen +beleper +belesprit +bel-esprit +beletter +beleve +Belfair +Belfast +belfather +Belfield +Belford +Belfort +belfry +belfried +belfries +belfry's +Belg +Belg. +belga +Belgae +belgard +belgas +Belgaum +Belgian +belgians +belgian's +Belgic +Belgique +Belgium +Belgophile +Belgorod-Dnestrovski +Belgrade +Belgrano +Belgravia +Belgravian +Bely +Belia +Belial +Belialic +Belialist +belibel +belibeled +belibeling +Belicia +belick +belicoseness +belie +belied +belief +beliefful +belieffulness +beliefless +beliefs +belief's +Belier +beliers +belies +believability +believable +believableness +believably +believe +belie-ve +believed +believer +believers +believes +believeth +believing +believingly +belight +beliing +belying +belyingly +belike +beliked +belikely +Belili +belime +belimousined +Belinda +Belington +Belinuridae +Belinurus +belion +beliquor +beliquored +beliquoring +beliquors +Belis +Belisarius +Belita +belite +Belitoeng +Belitong +belitter +belittle +belittled +belittlement +belittler +belittlers +belittles +belittling +Belitung +belive +Belize +Belk +Belknap +Bell +Bella +Bellabella +Bellacoola +belladonna +belladonnas +Bellaghy +Bellay +Bellaire +Bellamy +Bellanca +bellarmine +Bellarthur +Bellatrix +Bellaude +bell-bearer +bellbind +bellbinder +bellbine +bellbird +bell-bird +bellbirds +bellboy +bellboys +bellboy's +bellbottle +bell-bottom +bell-bottomed +bell-bottoms +Bellbrook +Bellbuckle +BELLCORE +bell-cranked +bell-crowned +Bellda +Belldame +Belldas +Belle +Bellechasse +belled +belledom +Belleek +belleeks +Bellefonte +bellehood +Bellelay +Bellemead +Bellemina +Belleplaine +Beller +belleric +Bellerive +Bellerophon +Bellerophontes +Bellerophontic +Bellerophontidae +Bellerose +belles +belle's +belles-lettres +belleter +belletrist +belletristic +belletrists +Bellevernon +Belleview +Belleville +Bellevue +Bellew +bell-faced +Bellflower +bell-flower +bell-flowered +bellhanger +bellhanging +bell-hooded +bellhop +bellhops +bellhop's +bellhouse +bell-house +belli +belly +bellyache +bellyached +bellyacher +bellyaches +bellyaching +bellyband +belly-band +belly-beaten +belly-blind +bellibone +belly-bound +belly-bumper +bellybutton +bellybuttons +bellic +bellical +belly-cheer +bellicism +bellicist +bellicose +bellicosely +bellicoseness +bellicosity +bellicosities +belly-devout +bellied +bellyer +bellies +belly-fed +belliferous +bellyfish +bellyflaught +belly-flop +belly-flopped +belly-flopping +bellyful +belly-ful +bellyfull +bellyfulls +bellyfuls +belligerence +belligerences +belligerency +belligerencies +belligerent +belligerently +belligerents +belligerent's +belly-god +belly-gulled +belly-gun +belly-helve +bellying +belly-laden +bellyland +belly-land +belly-landing +bellylike +bellyman +Bellina +belly-naked +belling +Bellingham +Bellini +Bellinzona +bellypiece +belly-piece +bellypinch +belly-pinched +bellipotent +belly-proud +Bellis +belly's +belly-sprung +bellite +belly-timber +belly-wash +belly-whop +belly-whopped +belly-whopping +belly-worshiping +bell-less +bell-like +bell-magpie +bellmaker +bellmaking +bellman +bellmanship +bellmaster +Bellmead +bellmen +bell-metal +Bellmont +Bellmore +bellmouth +bellmouthed +bell-mouthed +bell-nosed +Bello +Belloc +Belloir +bellon +Bellona +Bellonian +bellonion +belloot +Bellot +bellota +bellote +Bellotto +Bellovaci +Bellow +bellowed +bellower +bellowers +bellowing +Bellows +bellowsful +bellowslike +bellowsmaker +bellowsmaking +bellowsman +Bellport +bellpull +bellpulls +bellrags +bell-ringer +Bells +bell's +bell-shaped +belltail +bell-tongue +belltopper +belltopperdom +belluine +bellum +bell-up +Bellvale +Bellville +Bellvue +bellware +bellwaver +bellweather +bellweed +bellwether +bell-wether +bellwethers +bellwether's +bellwind +bellwine +Bellwood +bellwort +bellworts +Belmar +Bel-Merodach +Belmond +Belmondo +Belmont +Belmonte +Belmopan +beloam +belock +beloeilite +beloid +Beloit +belomancy +Belone +belonephobia +belonesite +belong +belonged +belonger +belonging +belongings +belongs +belonid +Belonidae +belonite +belonoid +belonosphaerite +belook +belord +Belorussia +Belorussian +Belostok +Belostoma +Belostomatidae +Belostomidae +belotte +belouke +belout +belove +beloved +beloveds +Belovo +below +belowdecks +belowground +belows +belowstairs +belozenged +Belpre +Bel-Ridge +bels +Belsano +Belsen +Belshazzar +Belshazzaresque +Belshin +belsire +Belsky +belswagger +belt +Beltane +belt-coupled +beltcourse +belt-cutting +belt-driven +belted +Beltene +Belter +belter-skelter +Belteshazzar +belt-folding +Beltian +beltie +beltine +belting +beltings +Beltir +Beltis +beltless +beltline +beltlines +beltmaker +beltmaking +beltman +beltmen +Belton +Beltrami +Beltran +belt-repairing +belts +belt-sanding +belt-sewing +Beltsville +belt-tightening +Beltu +beltway +beltways +beltwise +Beluchi +Belucki +belue +beluga +belugas +belugite +Belus +belute +Belva +belve +Belvedere +belvedered +belvederes +Belverdian +Belvia +Belvidere +Belview +Belvue +belzebub +belzebuth +Belzoni +BEM +BEMA +bemad +bemadam +bemadamed +bemadaming +bemadams +bemadden +bemaddened +bemaddening +bemaddens +bemail +bemaim +bemajesty +beman +bemangle +bemantle +bemar +bemartyr +bemas +bemask +bemaster +bemat +bemata +bemaul +bemazed +Bemba +Bembas +Bembecidae +Bemberg +Bembex +beme +bemeal +bemean +bemeaned +bemeaning +bemeans +bemedaled +bemedalled +bemeet +Bemelmans +Bement +bementite +bemercy +bemete +Bemidji +bemingle +bemingled +bemingles +bemingling +beminstrel +bemire +bemired +bemirement +bemires +bemiring +bemirror +bemirrorment +Bemis +bemist +bemisted +bemisting +bemistress +bemists +bemitered +bemitred +bemix +bemixed +bemixes +bemixing +bemixt +bemoan +bemoanable +bemoaned +bemoaner +bemoaning +bemoaningly +bemoans +bemoat +bemock +bemocked +bemocking +bemocks +bemoil +bemoisten +bemol +bemole +bemolt +bemonster +bemoon +bemotto +bemoult +bemourn +bemouth +bemuck +bemud +bemuddy +bemuddle +bemuddled +bemuddlement +bemuddles +bemuddling +bemuffle +bemurmur +bemurmure +bemurmured +bemurmuring +bemurmurs +bemuse +bemused +bemusedly +bemusement +bemuses +bemusing +bemusk +bemuslined +bemuzzle +bemuzzled +bemuzzles +bemuzzling +Ben +Bena +benab +Benacus +Benadryl +bename +benamed +benamee +benames +benami +benamidar +benaming +Benares +Benarnold +benasty +Benavides +benben +Benbow +Benbrook +bench +benchboard +benched +bencher +benchers +benchership +benches +benchfellow +benchful +bench-hardened +benchy +benching +bench-kneed +benchland +bench-legged +Benchley +benchless +benchlet +bench-made +benchman +benchmar +benchmark +bench-mark +benchmarked +benchmarking +benchmarks +benchmark's +benchmen +benchwarmer +bench-warmer +benchwork +Bencion +bencite +Benco +Bend +Benda +bendability +bendable +benday +bendayed +bendaying +bendays +bended +bendee +bendees +Bendel +bendell +Bendena +Bender +benders +Bendersville +bendy +Bendick +Bendict +Bendicta +Bendicty +bendies +Bendigo +bending +bendingly +bendys +Bendite +bendy-wavy +Bendix +bendlet +bends +bendsome +bendways +bendwise +Bene +beneaped +beneath +beneception +beneceptive +beneceptor +Benedetta +Benedetto +Benedic +Benedicite +Benedick +benedicks +Benedict +Benedicta +Benedictine +Benedictinism +benediction +benedictional +benedictionale +benedictionary +benedictions +benediction's +benedictive +benedictively +Benedicto +benedictory +benedicts +Benedictus +benedight +Benedikt +Benedikta +Benediktov +Benedix +benefact +benefaction +benefactions +benefactive +benefactor +benefactory +benefactors +benefactor's +benefactorship +benefactress +benefactresses +benefactrices +benefactrix +benefactrixes +benefic +benefice +beneficed +benefice-holder +beneficeless +beneficence +beneficences +beneficency +beneficent +beneficential +beneficently +benefices +beneficiaire +beneficial +beneficially +beneficialness +beneficiary +beneficiaries +beneficiaryship +beneficiate +beneficiated +beneficiating +beneficiation +beneficience +beneficient +beneficing +beneficium +benefit +benefited +benefiter +benefiting +benefits +benefitted +benefitting +benegro +beneighbored +BENELUX +beneme +Benemid +benempt +benempted +Benenson +beneplacit +beneplacity +beneplacito +Benes +Benet +Benet-Mercie +Benetnasch +Benetta +benetted +benetting +benettle +beneurous +Beneventan +Beneventana +Benevento +benevolence +benevolences +benevolency +benevolent +benevolently +benevolentness +benevolist +Benezett +Benfleet +BEng +Beng. +Bengal +Bengalese +Bengali +Bengalic +bengaline +bengals +Bengasi +Benge +Benghazi +Bengkalis +Bengola +Bengt +Benguela +Ben-Gurion +Benham +Benhur +Beni +Benia +Benyamin +Beniamino +benic +Benicia +benight +benighted +benightedly +benightedness +benighten +benighter +benighting +benightmare +benightment +benign +benignancy +benignancies +benignant +benignantly +benignity +benignities +benignly +benignness +Beni-israel +Benil +Benilda +Benildas +Benildis +benim +Benin +Benincasa +Benioff +Benis +Benisch +beniseed +benison +benisons +Benita +benitier +Benito +benitoite +benj +Benjamen +Benjamin +benjamin-bush +Benjamin-Constant +Benjaminite +benjamins +Benjamite +Benji +Benjy +Benjie +benjoin +Benkelman +Benkley +Benkulen +Benld +Benlomond +benmost +Benn +benne +bennel +bennes +Bennet +bennets +Bennett +Bennettitaceae +bennettitaceous +Bennettitales +Bennettites +Bennettsville +bennetweed +Benni +Benny +Bennie +bennies +Bennington +Bennink +Bennion +Bennir +bennis +benniseed +Bennu +Beno +Benoit +Benoite +benomyl +benomyls +Benoni +Ben-oni +benorth +benote +bens +bensail +Bensalem +bensall +bensel +bensell +Bensen +Bensenville +bensh +benshea +benshee +benshi +bensil +Bensky +Benson +Bent +bentang +ben-teak +bentgrass +benthal +Bentham +Benthamic +Benthamism +Benthamite +benthic +benthon +benthonic +benthopelagic +benthos +benthoscope +benthoses +benty +Bentinck +Bentincks +bentiness +benting +Bentlee +Bentley +Bentleyville +bentlet +Bently +Benton +Bentonia +bentonite +bentonitic +Bentonville +Bentree +bents +bentstar +bent-taildog +bentwood +bentwoods +Benu +Benue +Benue-Congo +benumb +benumbed +benumbedness +benumbing +benumbingly +benumbment +benumbs +Benvenuto +benward +benweed +Benwood +Benz +benz- +benzacridine +benzal +benzalacetone +benzalacetophenone +benzalaniline +benzalazine +benzalcyanhydrin +benzalcohol +benzaldehyde +benzaldiphenyl +benzaldoxime +benzalethylamine +benzalhydrazine +benzalphenylhydrazone +benzalphthalide +benzamide +benzamido +benzamine +benzaminic +benzamino +benzanalgen +benzanilide +benzanthracene +benzanthrone +benzantialdoxime +benzazide +benzazimide +benzazine +benzazole +benzbitriazole +benzdiazine +benzdifuran +benzdioxazine +benzdioxdiazine +benzdioxtriazine +Benzedrine +benzein +Benzel +benzene +benzeneazobenzene +benzenediazonium +benzenes +benzenyl +benzenoid +benzhydrol +benzhydroxamic +benzidin +benzidine +benzidino +benzidins +benzil +benzyl +benzylamine +benzilic +benzylic +benzylidene +benzylpenicillin +benzyls +benzimidazole +benziminazole +benzin +benzinduline +benzine +benzines +benzins +benzo +benzo- +benzoate +benzoated +benzoates +benzoazurine +benzobis +benzocaine +benzocoumaran +benzodiazine +benzodiazole +benzoflavine +benzofluorene +benzofulvene +benzofuran +benzofuryl +benzofuroquinoxaline +benzoglycolic +benzoglyoxaline +benzohydrol +benzoic +benzoid +benzoyl +benzoylate +benzoylated +benzoylating +benzoylation +benzoylformic +benzoylglycine +benzoyls +benzoin +benzoinated +benzoins +benzoiodohydrin +benzol +benzolate +benzole +benzoles +benzoline +benzolize +benzols +benzomorpholine +benzonaphthol +Benzonia +benzonitrile +benzonitrol +benzoperoxide +benzophenanthrazine +benzophenanthroline +benzophenazine +benzophenol +benzophenone +benzophenothiazine +benzophenoxazine +benzophloroglucinol +benzophosphinic +benzophthalazine +benzopinacone +benzopyran +benzopyranyl +benzopyrazolone +benzopyrene +benzopyrylium +benzoquinoline +benzoquinone +benzoquinoxaline +benzosulfimide +benzosulphimide +benzotetrazine +benzotetrazole +benzothiazine +benzothiazole +benzothiazoline +benzothiodiazole +benzothiofuran +benzothiophene +benzothiopyran +benzotoluide +benzotriazine +benzotriazole +benzotrichloride +benzotrifluoride +benzotrifuran +benzoxate +benzoxy +benzoxyacetic +benzoxycamphor +benzoxyphenanthrene +benzpinacone +benzpyrene +benzthiophen +benztrioxazine +Ben-Zvi +beode +Beograd +Beora +Beore +Beothuk +Beothukan +Beowawe +Beowulf +BEP +bepaid +Bepaint +bepainted +bepainting +bepaints +bepale +bepaper +beparch +beparody +beparse +bepart +bepaste +bepastured +bepat +bepatched +bepaw +bepearl +bepelt +bepen +bepepper +beperiwigged +bepester +bepewed +bephilter +bephrase +bepicture +bepiece +bepierce +bepile +bepill +bepillared +bepimple +bepimpled +bepimples +bepimpling +bepinch +bepistoled +bepity +beplague +beplaided +beplaster +beplumed +bepommel +bepowder +bepray +bepraise +bepraisement +bepraiser +beprank +bepranked +bepreach +bepress +bepretty +bepride +beprose +bepuddle +bepuff +bepuffed +bepun +bepurple +bepuzzle +bepuzzlement +Beqaa +bequalm +bequeath +bequeathable +bequeathal +bequeathed +bequeather +bequeathing +bequeathment +bequeaths +bequest +bequests +bequest's +bequirtle +bequote +beqwete +BER +beray +berain +berairou +berakah +berake +beraked +berakes +beraking +berakot +berakoth +Beranger +berapt +Berar +Berard +Berardo +berascal +berascaled +berascaling +berascals +berat +berate +berated +berates +berating +berattle +beraunite +berbamine +Berber +Berbera +Berberi +berbery +berberia +Berberian +berberid +Berberidaceae +berberidaceous +berberin +berberine +berberins +Berberis +berberry +berbers +berceau +berceaunette +bercelet +berceuse +berceuses +Berchemia +Berchta +Berchtesgaden +Bercy +Berck +Berclair +Bercovici +berdache +berdaches +berdash +Berdyaev +Berdyayev +Berdichev +bere +Berea +Berean +bereareft +bereason +bereave +bereaved +bereavement +bereavements +bereaven +bereaver +bereavers +bereaves +bereaving +Berecyntia +berede +bereft +Berey +berend +berendo +Berengaria +Berengarian +Berengarianism +berengelite +berengena +Berenice +Berenices +Berenson +Beresford +Bereshith +beresite +Beret +berets +beret's +Beretta +berettas +berewick +Berezina +Berezniki +Berfield +Berg +Berga +bergalith +bergall +Bergama +bergamasca +bergamasche +Bergamask +Bergamee +bergamiol +Bergamo +Bergamos +Bergamot +bergamots +bergander +bergaptene +Bergdama +Bergeman +Bergen +Bergen-Belsen +Bergenfield +Berger +Bergerac +bergere +bergeres +bergeret +bergerette +Bergeron +Bergess +Berget +bergfall +berggylt +Bergh +berghaan +Berghoff +Bergholz +bergy +bergylt +Bergin +berginization +berginize +Bergius +Bergland +berglet +Berglund +Bergman +Bergmann +bergmannite +Bergmans +bergomask +Bergoo +Bergquist +Bergren +bergs +bergschrund +Bergsma +Bergson +Bergsonian +Bergsonism +Bergstein +Bergstrom +Bergton +bergut +Bergwall +berhyme +berhymed +berhymes +berhyming +Berhley +Beri +Beria +beribanded +beribbon +beribboned +beriber +beriberi +beriberic +beriberis +beribers +berycid +Berycidae +beryciform +berycine +berycoid +Berycoidea +berycoidean +Berycoidei +Berycomorphi +beride +berigora +Beryl +berylate +beryl-blue +Beryle +beryl-green +beryline +beryllate +beryllia +berylline +berylliosis +beryllium +berylloid +beryllonate +beryllonite +beryllosis +beryls +berime +berimed +berimes +beriming +Bering +beringed +beringite +beringleted +berinse +Berio +Beriosova +Berit +Berith +Berytidae +Beryx +Berk +Berke +Berkey +Berkeley +Berkeleian +Berkeleianism +Berkeleyism +Berkeleyite +berkelium +Berky +Berkie +Berkin +Berkley +Berkly +Berkman +berkovets +berkovtsi +Berkow +Berkowitz +Berks +Berkshire +Berkshires +Berl +Berlauda +berley +Berlen +Berlichingen +Berlin +Berlyn +berlina +Berlinda +berline +Berlyne +berline-landaulet +Berliner +berliners +berlines +Berlinguer +berlinite +Berlinize +berlin-landaulet +berlins +Berlioz +Berlitz +Berlon +berloque +berm +Berman +berme +Bermejo +bermensch +bermes +berms +Bermuda +Bermudan +Bermudas +Bermudian +bermudians +bermudite +Bern +Berna +bernacle +Bernadene +Bernadette +Bernadina +Bernadine +Bernadotte +Bernal +Bernalillo +Bernanos +Bernard +Bernardi +Bernardina +Bernardine +Bernardino +Bernardo +Bernardston +Bernardsville +Bernarr +Bernat +Berne +Bernelle +Berner +Berners +Bernese +Bernet +Berneta +Bernete +Bernetta +Bernette +Bernhard +Bernhardi +Bernhardt +Berni +Berny +Bernice +Bernicia +bernicle +bernicles +Bernie +Berniece +Bernina +Berninesque +Bernini +Bernis +Bernita +Bernj +Bernkasteler +bernoo +Bernouilli +Bernoulli +Bernoullian +Berns +Bernstein +Bernstorff +Bernt +Bernville +berob +berobed +Beroe +berogue +Beroida +Beroidae +beroll +Berossos +Berosus +berouged +Beroun +beround +Berra +berreave +berreaved +berreaves +berreaving +Berrellez +berrendo +berret +berretta +berrettas +berrettino +Berri +Berry +berry-bearing +berry-brown +berrybush +berrichon +berrichonne +Berrie +berried +berrier +berries +berry-formed +berrigan +berrying +berryless +berrylike +Berriman +Berryman +berry-on-bone +berrypicker +berrypicking +berry's +Berrysburg +berry-shaped +Berryton +Berryville +berrugate +bersagliere +bersaglieri +berseem +berseems +berserk +berserker +berserks +Bersiamite +Bersil +bersim +berskin +berstel +Berstine +BERT +Berta +Bertasi +Bertat +Bertaud +Berte +Bertelli +Bertero +Berteroa +berth +Bertha +berthage +berthas +Berthe +berthed +berther +berthierite +berthing +Berthold +Bertholletia +Berthoud +berths +Berti +Berty +Bertie +Bertila +Bertilla +Bertillon +bertillonage +bertin +Bertina +Bertine +Bertle +Bertoia +Bertold +Bertolde +Bertolonia +Bertolt +Bertolucci +Berton +Bertram +Bertrand +bertrandite +Bertrando +Bertrant +bertrum +Bertsche +beruffed +beruffled +berun +berust +bervie +Berwick +Berwickshire +Berwick-upon-Tweed +Berwyn +Berwind +berzelianite +berzeliite +Berzelius +BES +bes- +besa +besagne +besague +besaiel +besaile +besayle +besaint +besan +Besancon +besanctify +besand +Besant +bes-antler +besauce +bescab +bescarf +bescatter +bescent +bescorch +bescorched +bescorches +bescorching +bescorn +bescoundrel +bescour +bescoured +bescourge +bescouring +bescours +bescramble +bescrape +bescratch +bescrawl +bescreen +bescreened +bescreening +bescreens +bescribble +bescribbled +bescribbling +bescurf +bescurvy +bescutcheon +beseam +besee +beseech +beseeched +beseecher +beseechers +beseeches +beseeching +beseechingly +beseechingness +beseechment +beseek +beseem +beseemed +beseeming +beseemingly +beseemingness +beseemly +beseemliness +beseems +beseen +beseige +Beseleel +beset +besetment +besets +besetter +besetters +besetting +besew +beshackle +beshade +beshadow +beshadowed +beshadowing +beshadows +beshag +beshake +beshame +beshamed +beshames +beshaming +beshawled +beshear +beshell +beshield +beshine +beshiver +beshivered +beshivering +beshivers +beshlik +beshod +Beshore +beshout +beshouted +beshouting +beshouts +beshow +beshower +beshrew +beshrewed +beshrewing +beshrews +beshriek +beshrivel +beshroud +beshrouded +beshrouding +beshrouds +BeShT +besiclometer +beside +besides +besiege +besieged +besiegement +besieger +besiegers +besieges +besieging +besiegingly +Besier +besigh +besilver +besin +besing +besiren +besit +beslab +beslabber +beslap +beslash +beslave +beslaved +beslaver +besleeve +beslime +beslimed +beslimer +beslimes +besliming +beslings +beslipper +beslobber +beslow +beslubber +besluit +beslur +beslushed +besmear +besmeared +besmearer +besmearing +besmears +besmell +besmile +besmiled +besmiles +besmiling +besmirch +besmirched +besmircher +besmirchers +besmirches +besmirching +besmirchment +besmoke +besmoked +besmokes +besmoking +besmooth +besmoothed +besmoothing +besmooths +besmother +besmottered +besmouch +besmudge +besmudged +besmudges +besmudging +besmut +be-smut +besmutch +be-smutch +besmuts +besmutted +besmutting +Besnard +besnare +besneer +besnivel +besnow +besnowed +besnowing +besnows +besnuff +besodden +besogne +besognier +besoil +besoin +besom +besomer +besoms +besonio +besonnet +besoot +besoothe +besoothed +besoothement +besoothes +besoothing +besort +besot +besotment +besots +besotted +besottedly +besottedness +besotter +besotting +besottingly +besought +besoul +besour +besouth +bespake +bespangle +bespangled +bespangles +bespangling +bespate +bespatter +bespattered +bespatterer +bespattering +bespatterment +bespatters +bespawl +bespeak +bespeakable +bespeaker +bespeaking +bespeaks +bespecked +bespeckle +bespeckled +bespecklement +bespectacled +besped +bespeech +bespeed +bespell +bespelled +bespend +bespete +bespew +bespy +bespice +bespill +bespin +bespirit +bespit +besplash +besplatter +besplit +bespoke +bespoken +bespot +bespotted +bespottedness +bespotting +bespouse +bespoused +bespouses +bespousing +bespout +bespray +bespread +bespreading +bespreads +bespreng +besprent +bespring +besprinkle +besprinkled +besprinkler +besprinkles +besprinkling +besprizorni +bespurred +bespurt +besputter +besqueeze +besquib +besquirt +besra +Bess +Bessarabia +Bessarabian +Bessarion +Besse +Bessel +Besselian +Bessemer +Bessemerize +bessemerized +bessemerizing +Bessera +besses +Bessi +Bessy +Bessie +Bessye +BEST +bestab +best-able +best-abused +best-accomplished +bestad +best-agreeable +bestay +bestayed +bestain +bestamp +bestand +bestar +bestare +best-armed +bestarve +bestatued +best-ball +best-beloved +best-bred +best-built +best-clad +best-conditioned +best-conducted +best-considered +best-consulted +best-cultivated +best-dressed +bestead +besteaded +besteading +besteads +besteal +bested +besteer +bestench +bester +best-established +best-esteemed +best-formed +best-graced +best-grounded +best-hated +best-humored +bestial +bestialise +bestialised +bestialising +bestialism +bestialist +bestiality +bestialities +bestialize +bestialized +bestializes +bestializing +bestially +bestials +bestian +bestiary +bestiarian +bestiarianism +bestiaries +bestiarist +bestick +besticking +bestill +best-informed +besting +bestink +best-intentioned +bestir +bestirred +bestirring +bestirs +best-known +best-laid +best-learned +best-liked +best-loved +best-made +best-managed +best-meaning +best-meant +best-minded +best-natured +bestness +best-nourishing +bestock +bestore +bestorm +bestove +bestow +bestowable +bestowage +bestowal +bestowals +bestowed +bestower +bestowing +bestowment +bestows +best-paid +best-paying +best-pleasing +best-preserved +best-principled +bestraddle +bestraddled +bestraddling +bestrapped +bestraught +bestraw +best-read +bestreak +bestream +best-resolved +bestrew +bestrewed +bestrewing +bestrewment +bestrewn +bestrews +bestrid +bestridden +bestride +bestrided +bestrides +bestriding +bestripe +bestrode +bestrow +bestrowed +bestrowing +bestrown +bestrows +bestrut +bests +bestseller +bestsellerdom +bestsellers +bestseller's +bestselling +best-selling +best-sighted +best-skilled +best-tempered +best-trained +bestubble +bestubbled +bestuck +bestud +bestudded +bestudding +bestuds +bestuur +besugar +besugo +besuit +besully +beswarm +beswarmed +beswarming +beswarms +besweatered +besweeten +beswelter +beswim +beswinge +beswink +beswitch +bet +bet. +Beta +beta-amylase +betacaine +betacism +betacismus +beta-eucaine +betafite +betag +beta-glucose +betail +betailor +betain +betaine +betaines +betainogen +betake +betaken +betakes +betaking +betalk +betallow +beta-naphthyl +beta-naphthylamine +betanaphthol +beta-naphthol +Betancourt +betangle +betanglement +beta-orcin +beta-orcinol +betas +betask +betassel +betatron +betatrons +betatter +betattered +betattering +betatters +betaxed +bete +beteach +betear +beteela +beteem +betel +Betelgeuse +Betelgeux +betell +betelnut +betelnuts +betels +beterschap +betes +Beth +bethabara +Bethalto +Bethany +Bethania +bethank +bethanked +bethanking +bethankit +bethanks +Bethanna +Bethanne +Bethe +Bethel +bethels +Bethena +Bethera +Bethesda +bethesdas +Bethesde +Bethezel +bethflower +bethylid +Bethylidae +Bethina +bethink +bethinking +bethinks +Bethlehem +Bethlehemite +bethorn +bethorned +bethorning +bethorns +bethought +Bethpage +bethrall +bethreaten +bethroot +beths +Bethsabee +Bethsaida +Bethuel +bethumb +bethump +bethumped +bethumping +bethumps +bethunder +Bethune +bethwack +bethwine +betide +betided +betides +betiding +betimber +betime +betimes +betinge +betipple +betire +betis +betise +betises +betitle +Betjeman +betocsin +Betoya +Betoyan +betoil +betoken +betokened +betokener +betokening +betokenment +betokens +beton +betone +betongue +betony +Betonica +betonies +betons +betook +betorcin +betorcinol +betorn +betoss +betowel +betowered +betrace +betray +betrayal +betrayals +betrayed +betrayer +betrayers +betraying +betra'ying +betrail +betrayment +betrays +betraise +betrample +betrap +betravel +betread +betrend +betrim +betrinket +betroth +betrothal +betrothals +betrothed +betrotheds +betrothing +betrothment +betroths +betrough +betrousered +BETRS +betrumpet +betrunk +betrust +bets +bet's +Betsey +Betsi +Betsy +Betsileos +Betsimisaraka +betso +Bett +Betta +bettas +Bette +Betteann +Bette-Ann +Betteanne +betted +Bettencourt +Bettendorf +better +better-advised +better-affected +better-balanced +better-becoming +better-behaved +better-born +better-bred +better-considered +better-disposed +better-dressed +bettered +betterer +bettergates +better-humored +better-informed +bettering +better-knowing +better-known +betterly +better-liked +better-liking +better-meant +betterment +betterments +bettermost +better-natured +betterness +better-omened +better-principled +better-regulated +betters +better-seasoned +better-taught +Betterton +better-witted +Betthel +Betthezel +Betthezul +Betti +Betty +Bettye +betties +Bettina +Bettine +betting +Bettinus +bettong +bettonga +Bettongia +bettor +bettors +Bettsville +Bettzel +betuckered +Betula +Betulaceae +betulaceous +betulin +betulinamaric +betulinic +betulinol +Betulites +betumbled +beturbaned +betusked +betutor +betutored +betwattled +between +betweenbrain +between-deck +between-decks +betweenity +betweenmaid +between-maid +betweenness +betweens +betweentimes +betweenwhiles +between-whiles +betwine +betwit +betwixen +betwixt +Betz +beudanite +beudantite +Beulah +Beulaville +beuncled +beuniformed +beurre +Beuthel +Beuthen +Beutler +Beutner +BeV +Bevan +bevaring +Bevash +bevatron +bevatrons +beveil +bevel +beveled +bevel-edged +beveler +bevelers +beveling +bevelled +beveller +bevellers +bevelling +bevelment +bevels +bevenom +Bever +beverage +beverages +beverage's +Beveridge +Beverie +Beverle +Beverlee +Beverley +Beverly +Beverlie +Bevers +beverse +bevesseled +bevesselled +beveto +bevy +Bevier +bevies +bevil +bevillain +bevilled +Bevin +bevined +Bevington +Bevinsville +Bevis +bevoiled +bevomit +bevomited +bevomiting +bevomits +Bevon +bevor +bevors +bevue +Bevus +Bevvy +BEW +bewail +bewailable +bewailed +bewailer +bewailers +bewailing +bewailingly +bewailment +bewails +bewaitered +bewake +bewall +beware +bewared +bewares +bewary +bewaring +bewash +bewaste +bewater +beweary +bewearied +bewearies +bewearying +beweep +beweeper +beweeping +beweeps +bewelcome +bewelter +bewend +bewept +bewest +bewet +bewhig +bewhisker +bewhiskered +bewhisper +bewhistle +bewhite +bewhiten +bewhore +Bewick +bewidow +bewield +bewig +bewigged +bewigging +bewigs +bewilder +bewildered +bewilderedly +bewilderedness +bewildering +bewilderingly +bewilderment +bewilderments +bewilders +bewimple +bewinged +bewinter +bewired +bewit +bewitch +bewitched +bewitchedness +bewitcher +bewitchery +bewitches +bewitchful +bewitching +bewitchingly +bewitchingness +bewitchment +bewitchments +bewith +bewizard +bewonder +bework +beworm +bewormed +beworming +beworms +beworn +beworry +beworried +beworries +beworrying +beworship +bewpers +bewray +bewrayed +bewrayer +bewrayers +bewraying +bewrayingly +bewrayment +bewrays +bewrap +bewrapped +bewrapping +bewraps +bewrapt +bewrathed +bewreak +bewreath +bewreck +bewry +bewrite +bewrought +bewwept +Bexar +Bexhill-on-Sea +Bexley +Bezae +Bezaleel +Bezaleelian +bezan +Bezanson +bezant +bezante +bezantee +bezanty +bez-antler +bezants +bezazz +bezazzes +bezel +bezels +bezesteen +bezetta +bezette +Beziers +bezil +bezils +bezique +beziques +bezoar +bezoardic +bezoars +bezonian +Bezpopovets +Bezwada +bezzant +bezzants +bezzi +bezzle +bezzled +bezzling +bezzo +BF +BFA +BFAMus +BFD +BFDC +BFHD +B-flat +BFR +BFS +BFT +BG +BGE +BGeNEd +B-girl +Bglr +BGP +BH +BHA +bhabar +Bhabha +Bhadgaon +Bhadon +Bhaga +Bhagalpur +bhagat +Bhagavad-Gita +bhagavat +bhagavata +Bhai +bhaiachara +bhaiachari +Bhayani +bhaiyachara +Bhairava +Bhairavi +bhajan +bhakta +Bhaktapur +bhaktas +bhakti +bhaktimarga +bhaktis +bhalu +bhandar +bhandari +bhang +bhangi +bhangs +Bhar +bhara +bharal +Bharat +Bharata +Bharatiya +bharti +bhat +Bhatpara +Bhatt +Bhaunagar +bhava +Bhavabhuti +bhavan +Bhavani +Bhave +Bhavnagar +BHC +bhd +bheesty +bheestie +bheesties +bhikhari +Bhikku +Bhikkuni +Bhikshu +Bhil +Bhili +Bhima +bhindi +bhishti +bhisti +bhistie +bhisties +BHL +bhoy +b'hoy +Bhojpuri +bhokra +Bhola +Bhoodan +bhoosa +bhoot +bhoots +Bhopal +b-horizon +Bhotia +Bhotiya +Bhowani +BHP +BHT +Bhubaneswar +Bhudan +Bhudevi +Bhumibol +bhumidar +Bhumij +bhunder +bhungi +bhungini +bhut +Bhutan +Bhutanese +Bhutani +Bhutatathata +bhut-bali +Bhutia +bhuts +Bhutto +BI +by +bi- +by- +Bia +biabo +biacetyl +biacetylene +biacetyls +biacid +biacromial +biacuminate +biacuru +Biadice +Biafra +Biafran +Biagi +Biagio +Biayenda +biajaiba +Biak +bialate +biali +bialy +Bialik +bialis +bialys +Bialystok +bialystoker +by-alley +biallyl +by-altar +bialveolar +Byam +Biamonte +Bianca +Biancha +Bianchi +Bianchini +bianchite +Bianco +by-and-by +by-and-large +biangular +biangulate +biangulated +biangulous +bianisidine +Bianka +biannual +biannually +biannulate +biarchy +biarcuate +biarcuated +byard +Biarritz +Byars +biarticular +biarticulate +biarticulated +Bias +biased +biasedly +biases +biasing +biasness +biasnesses +biassed +biassedly +biasses +biassing +biasteric +biasways +biaswise +biathlon +biathlons +biatomic +biaural +biauricular +biauriculate +biaxal +biaxial +biaxiality +biaxially +biaxillary +Bib +Bib. +bibacious +bibaciousness +bibacity +bibasic +bibasilar +bibation +bibb +bibbed +bibber +bibbery +bibberies +bibbers +Bibby +Bibbie +Bibbye +Bibbiena +bibbing +bibble +bibble-babble +bibbled +bibbler +bibbling +bibbons +bibbs +bibcock +bibcocks +Bibeau +Bybee +bibelot +bibelots +bibenzyl +biberon +Bibi +by-bid +by-bidder +by-bidding +Bibiena +Bibio +bibionid +Bibionidae +bibiri +bibiru +bibitory +bi-bivalent +Bibl +Bibl. +Bible +Bible-basher +bible-christian +bible-clerk +bibles +bible's +bibless +BiblHeb +Biblic +Biblical +Biblicality +Biblically +Biblicism +Biblicist +Biblicistic +biblico- +Biblicolegal +Biblicoliterary +Biblicopsychological +Byblidaceae +biblike +biblio- +biblioclasm +biblioclast +bibliofilm +bibliog +bibliog. +bibliogenesis +bibliognost +bibliognostic +bibliogony +bibliograph +bibliographer +bibliographers +bibliography +bibliographic +bibliographical +bibliographically +bibliographies +bibliography's +bibliographize +bibliokelpt +biblioklept +bibliokleptomania +bibliokleptomaniac +bibliolater +bibliolatry +bibliolatrist +bibliolatrous +bibliology +bibliological +bibliologies +bibliologist +bibliomancy +bibliomane +bibliomania +bibliomaniac +bibliomaniacal +bibliomanian +bibliomanianism +bibliomanism +bibliomanist +bibliopegy +bibliopegic +bibliopegically +bibliopegist +bibliopegistic +bibliopegistical +bibliophage +bibliophagic +bibliophagist +bibliophagous +bibliophil +bibliophile +bibliophiles +bibliophily +bibliophilic +bibliophilism +bibliophilist +bibliophilistic +bibliophobe +bibliophobia +bibliopolar +bibliopole +bibliopolery +bibliopoly +bibliopolic +bibliopolical +bibliopolically +bibliopolism +bibliopolist +bibliopolistic +bibliosoph +bibliotaph +bibliotaphe +bibliotaphic +bibliothec +bibliotheca +bibliothecae +bibliothecaire +bibliothecal +bibliothecary +bibliothecarial +bibliothecarian +bibliothecas +bibliotheke +bibliotheque +bibliotherapeutic +bibliotherapy +bibliotherapies +bibliotherapist +bibliothetic +bibliothque +bibliotic +bibliotics +bibliotist +Byblis +Biblism +Biblist +biblists +biblos +Byblos +by-blow +biblus +by-boat +biborate +bibracteate +bibracteolate +bibs +bib's +bibulosity +bibulosities +bibulous +bibulously +bibulousness +Bibulus +Bicakci +bicalcarate +bicalvous +bicameral +bicameralism +bicameralist +bicamerist +bicapitate +bicapsular +bicarb +bicarbide +bicarbonate +bicarbonates +bicarbs +bicarbureted +bicarburetted +bicarinate +bicarpellary +bicarpellate +bicaudal +bicaudate +bicched +Bice +bicellular +bicentenary +bicentenaries +bicentenarnaries +bicentennial +bicentennially +bicentennials +bicentral +bicentric +bicentrically +bicentricity +bicep +bicephalic +bicephalous +biceps +bicep's +bicepses +bices +bicetyl +by-channel +Bichat +Bichelamar +Biche-la-mar +bichy +by-child +bichir +bichloride +bichlorides +by-chop +bichord +bichos +bichromate +bichromated +bichromatic +bichromatize +bichrome +bichromic +bicyanide +bicycle +bicycle-built-for-two +bicycled +bicycler +bicyclers +bicycles +bicyclic +bicyclical +bicycling +bicyclism +bicyclist +bicyclists +bicyclo +bicycloheptane +bicycular +biciliate +biciliated +bicylindrical +bicipital +bicipitous +bicircular +bicirrose +Bick +Bickart +bicker +bickered +bickerer +bickerers +bickering +bickern +bickers +bickiron +bick-iron +Bickleton +Bickmore +Bicknell +biclavate +biclinia +biclinium +by-cock +bycoket +Bicol +bicollateral +bicollaterality +bicolligate +bicolor +bicolored +bicolorous +bicolors +bicolour +bicoloured +bicolourous +bicolours +Bicols +by-common +bicompact +biconcave +biconcavity +biconcavities +bicondylar +biconditional +bicone +biconic +biconical +biconically +biconjugate +biconnected +biconsonantal +biconvex +biconvexity +biconvexities +Bicorn +bicornate +bicorne +bicorned +by-corner +bicornes +bicornous +bicornuate +bicornuous +bicornute +bicorporal +bicorporate +bicorporeal +bicostate +bicrenate +bicrescentic +bicrofarad +bicron +bicrons +bicrural +BICS +bicuculline +bicultural +biculturalism +bicursal +bicuspid +bicuspidal +bicuspidate +bicuspids +BID +Bida +bid-a-bid +bidactyl +bidactyle +bidactylous +by-day +bid-ale +bidar +bidarka +bidarkas +bidarkee +bidarkees +Bidault +bidcock +biddability +biddable +biddableness +biddably +biddance +Biddeford +Biddelian +bidden +bidder +biddery +bidders +bidder's +Biddy +biddy-bid +biddy-biddy +Biddick +Biddie +biddies +bidding +biddings +Biddle +Biddulphia +Biddulphiaceae +bide +bided +bidene +Bidens +bident +bidental +bidentalia +bidentate +bidented +bidential +bidenticulate +by-dependency +bider +bidery +biders +bides +by-design +bidet +bidets +bidgee-widgee +Bidget +Bydgoszcz +bidi +bidiagonal +bidialectal +bidialectalism +bidigitate +bidimensional +biding +bidirectional +bidirectionally +bidiurnal +Bidle +by-doing +by-doingby-drinking +bidonville +Bidpai +bidree +bidri +bidry +by-drinking +bids +bid's +bidstand +biduous +Bidwell +by-dweller +BIE +bye +Biebel +Bieber +bieberite +bye-bye +bye-byes +bye-blow +Biedermann +Biedermeier +byee +bye-election +bieennia +by-effect +byegaein +Biegel +Biel +Biela +byelaw +byelaws +bielby +bielbrief +bield +bielded +bieldy +bielding +bields +by-election +bielectrolysis +Bielefeld +bielenite +Bielersee +Byelgorod-Dnestrovski +Bielid +Bielka +Bielorouss +Byelorussia +Bielo-russian +Byelorussian +byelorussians +Byelostok +Byelovo +bye-low +Bielsko-Biala +byeman +bien +by-end +bienly +biennale +biennales +Bienne +bienness +biennia +biennial +biennially +biennials +biennium +bienniums +biens +bienseance +bientt +bienvenu +bienvenue +Bienville +byepath +bier +bierbalk +Bierce +byerite +bierkeller +byerlite +Bierman +Biernat +biers +Byers +bierstube +bierstuben +bierstubes +byes +bye-stake +biestings +byestreet +Byesville +biethnic +bietle +bye-turn +bye-water +bye-wood +byeworker +byeworkman +biface +bifaces +bifacial +bifanged +bifara +bifarious +bifariously +by-fellow +by-fellowship +bifer +biferous +biff +Biffar +biffed +biffy +biffies +biffin +biffing +biffins +biffs +bifid +bifidate +bifidated +bifidity +bifidities +bifidly +Byfield +bifilar +bifilarly +bifistular +biflabellate +biflagelate +biflagellate +biflecnode +biflected +biflex +biflorate +biflorous +bifluorid +bifluoride +bifocal +bifocals +bifoil +bifold +bifolia +bifoliate +bifoliolate +bifolium +bifollicular +biforate +biforin +biforine +biforked +biforking +biform +by-form +biformed +biformity +biforous +bifront +bifrontal +bifronted +Bifrost +bifteck +bifunctional +bifurcal +bifurcate +bifurcated +bifurcately +bifurcates +bifurcating +bifurcation +bifurcations +bifurcous +big +biga +bigae +bigam +bigamy +bigamic +bigamies +bigamist +bigamistic +bigamistically +bigamists +bigamize +bigamized +bigamizing +bigamous +bigamously +bygane +byganging +big-antlered +bigarade +bigarades +big-armed +bigaroon +bigaroons +Bigarreau +bigas +bigate +big-bearded +big-bellied +bigbloom +big-bodied +big-boned +big-bosomed +big-breasted +big-bulked +bigbury +big-chested +big-eared +bigeye +big-eyed +bigeyes +Bigelow +bigemina +bigeminal +bigeminate +bigeminated +bigeminy +bigeminies +bigeminum +Big-endian +bigener +bigeneric +bigential +bigfeet +bigfoot +big-footed +bigfoots +Bigford +big-framed +Bigg +biggah +big-gaited +bigged +biggen +biggened +biggening +bigger +biggest +biggety +biggy +biggie +biggies +biggin +bigging +biggings +biggins +biggish +biggishness +biggity +biggonet +Biggs +bigha +big-handed +bighead +bigheaded +big-headed +bigheads +bighearted +big-hearted +bigheartedly +bigheartedness +big-hoofed +Bighorn +Bighorns +bight +bighted +bighting +bights +bight's +big-jawed +big-laden +biglandular +big-league +big-leaguer +big-leaved +biglenoid +Bigler +bigly +big-looking +biglot +bigmitt +bigmouth +bigmouthed +big-mouthed +bigmouths +big-name +Bigner +bigness +bignesses +Bignonia +Bignoniaceae +bignoniaceous +bignoniad +bignonias +big-nosed +big-note +bignou +bygo +Bigod +bygoing +by-gold +bygone +bygones +bigoniac +bigonial +Bigot +bigoted +bigotedly +bigotedness +bigothero +bigotish +bigotry +bigotries +bigots +bigot's +bigotty +bigram +big-rich +bigroot +big-souled +big-sounding +big-swollen +Bigtha +bigthatch +big-ticket +big-time +big-timer +biguanide +bi-guy +biguttate +biguttulate +big-voiced +big-waisted +bigwig +bigwigged +bigwiggedness +bigwiggery +bigwiggism +bigwigs +Bihai +Byhalia +bihalve +Biham +bihamate +byhand +Bihar +Bihari +biharmonic +bihydrazine +by-hour +bihourly +Bihzad +biyearly +bi-iliac +by-interest +by-your-leave +bi-ischiadic +bi-ischiatic +Biisk +Biysk +by-issue +bija +Bijapur +bijasal +bijection +bijections +bijection's +bijective +bijectively +by-job +bijou +bijous +bijouterie +bijoux +bijugate +bijugous +bijugular +bijwoner +Bik +Bikales +Bikaner +bike +biked +biker +bikers +bikes +bike's +bikeway +bikeways +bikh +bikhaconitine +bikie +bikies +Bikila +biking +Bikini +bikinied +bikinis +bikini's +bikkurim +Bikol +Bikols +Bikram +Bikukulla +Bil +Bilaan +bilabe +bilabial +bilabials +bilabiate +Bilac +bilaciniate +bilayer +bilayers +bilalo +bilamellar +bilamellate +bilamellated +bilaminar +bilaminate +bilaminated +biland +byland +by-land +bilander +bylander +bilanders +by-lane +Bylas +bilateral +bilateralism +bilateralistic +bilaterality +bilateralities +bilaterally +bilateralness +Bilati +bylaw +by-law +bylawman +bylaws +bylaw's +Bilbao +Bilbe +bilberry +bilberries +bilbi +bilby +bilbie +bilbies +bilbo +bilboa +bilboas +bilboes +bilboquet +bilbos +bilch +bilcock +Bildad +bildar +bilder +bilders +Bildungsroman +bile +by-lead +bilection +Bilek +Byler +bilertinned +Biles +bilestone +bileve +bilewhit +bilge +bilged +bilge-hoop +bilge-keel +bilges +bilge's +bilgeway +bilgewater +bilge-water +bilgy +bilgier +bilgiest +bilging +Bilhah +Bilharzia +bilharzial +bilharziasis +bilharzic +bilharziosis +Bili +bili- +bilianic +biliary +biliate +biliation +bilic +bilicyanin +Bilicki +bilifaction +biliferous +bilify +bilification +bilifuscin +bilihumin +bilimbi +bilimbing +bilimbis +biliment +Bilin +bylina +byline +by-line +bilinear +bilineate +bilineated +bylined +byliner +byliners +bylines +byline's +bilingual +bilingualism +bilinguality +bilingually +bilinguar +bilinguist +byliny +bilinigrin +bylining +bilinite +bilio +bilious +biliously +biliousness +biliousnesses +bilipyrrhin +biliprasin +bilipurpurin +bilirubin +bilirubinemia +bilirubinic +bilirubinuria +biliteral +biliteralism +bilith +bilithon +by-live +biliverdic +biliverdin +bilixanthin +bilk +bilked +bilker +bilkers +bilking +bilkis +bilks +Bill +billa +billable +billabong +billage +bill-and-cooers +billard +Billat +billback +billbeetle +Billbergia +billboard +billboards +billboard's +bill-broker +billbroking +billbug +billbugs +Bille +billed +Billen +biller +Billerica +billers +billet +billet-doux +billete +billeted +billeter +billeters +billethead +billety +billeting +billets +billets-doux +billette +billetty +billetwood +billfish +billfishes +billfold +billfolds +billhead +billheading +billheads +billholder +billhook +bill-hook +billhooks +Billi +Billy +billian +billiard +billiardist +billiardly +billiards +billyboy +billy-button +billycan +billycans +billycock +Billie +Billye +billyer +billies +billy-goat +billyhood +Billiken +billikin +billing +Billings +Billingsgate +Billingsley +billyo +billion +billionaire +billionaires +billionism +billions +billionth +billionths +Billiton +billitonite +billywix +Billjim +bill-like +billman +billmen +Billmyre +billon +billons +billot +billow +billowed +billowy +billowier +billowiest +billowiness +billowing +Billows +bill-patched +billposter +billposting +Billroth +Bills +bill-shaped +billsticker +billsticking +billtong +bilo +bilobate +bilobated +bilobe +bilobed +bilobiate +bilobular +bilocation +bilocellate +bilocular +biloculate +Biloculina +biloculine +bilophodont +biloquist +bilos +Bilow +Biloxi +bilsh +Bilski +Bilskirnir +bilsted +bilsteds +Biltmore +biltong +biltongs +biltongue +BIM +BIMA +bimaculate +bimaculated +bimah +bimahs +bimalar +Bimana +bimanal +bimane +bimanous +bimanual +bimanually +bimarginate +bimarine +bimas +bimasty +bimastic +bimastism +bimastoid +by-matter +bimaxillary +bimbashi +bimbil +Bimbisara +Bimble +bimbo +bimboes +bimbos +bimeby +bimedial +bimensal +bimester +bimesters +bimestrial +bimetal +bimetalic +bimetalism +bimetallic +bimetallism +bimetallist +bimetallistic +bimetallists +bimetals +bimethyl +bimethyls +bimillenary +bimillenial +bimillenium +bimillennia +bimillennium +bimillenniums +bimillionaire +bimilllennia +Bimini +Biminis +Bimmeler +bimodal +bimodality +bimodule +bimodulus +bimolecular +bimolecularly +bimong +bimonthly +bimonthlies +bimorph +bimorphemic +bimorphs +by-motive +bimotor +bimotored +bimotors +bimucronate +bimuscular +bin +bin- +Bina +Binah +binal +Binalonen +byname +by-name +bynames +binaphthyl +binapthyl +binary +binaries +binarium +binate +binately +bination +binational +binationalism +binationalisms +binaural +binaurally +binauricular +binbashi +bin-burn +Binchois +BIND +bindable +bind-days +BIndEd +binder +bindery +binderies +binders +bindheimite +bindi +bindi-eye +binding +bindingly +bindingness +bindings +bindis +bindle +bindles +bindlet +Bindman +bindoree +binds +bindweb +bindweed +bindweeds +bindwith +bindwood +bine +bynedestin +binervate +bines +Binet +Binetta +Binette +bineweed +Binford +binful +Bing +Byng +binge +binged +bingee +bingey +bingeing +bingeys +Bingen +Binger +binges +Bingham +Binghamton +binghi +bingy +bingies +binging +bingle +bingo +bingos +binh +Binhdinh +Bini +Bynin +biniodide +Binyon +biniou +binit +Binitarian +Binitarianism +binits +Bink +Binky +binman +binmen +binna +binnacle +binnacles +binned +Binni +Binny +Binnie +binning +Binnings +binnite +binnogue +bino +binocle +binocles +binocs +binocular +binocularity +binocularly +binoculars +binoculate +binodal +binode +binodose +binodous +binomen +binomenclature +binomy +binomial +binomialism +binomially +binomials +binominal +binominated +binominous +binormal +binotic +binotonous +binous +binoxalate +binoxide +bins +bin's +bint +bintangor +bints +binturong +binuclear +binucleate +binucleated +binucleolate +binukau +Bynum +Binzuru +bio +BYO +bio- +bioaccumulation +bioacoustics +bioactivity +bioactivities +bio-aeration +bioassay +bio-assay +bioassayed +bioassaying +bioassays +bioastronautical +bioastronautics +bioavailability +biobibliographer +biobibliography +biobibliographic +biobibliographical +biobibliographies +bioblast +bioblastic +BIOC +biocatalyst +biocatalytic +biocellate +biocenology +biocenosis +biocenotic +biocentric +biochemy +biochemic +biochemical +biochemically +biochemicals +biochemics +biochemist +biochemistry +biochemistries +biochemists +biochore +biochron +biocycle +biocycles +biocidal +biocide +biocides +bioclean +bioclimatic +bioclimatician +bioclimatology +bioclimatological +bioclimatologically +bioclimatologies +bioclimatologist +biocoenose +biocoenoses +biocoenosis +biocoenotic +biocontrol +biod +biodegradability +biodegradabilities +biodegradable +biodegradation +biodegradations +biodegrade +biodegraded +biodegrades +biodegrading +biodynamic +biodynamical +biodynamics +biodyne +bioecology +bioecologic +bioecological +bioecologically +bioecologies +bioecologist +bio-economic +bioelectric +bio-electric +bioelectrical +bioelectricity +bioelectricities +bioelectrogenesis +bio-electrogenesis +bioelectrogenetic +bioelectrogenetically +bioelectronics +bioenergetics +bio-energetics +bioengineering +bioenvironmental +bioenvironmentaly +bioethic +bioethics +biofeedback +by-office +bioflavinoid +bioflavonoid +biofog +biog +biog. +biogas +biogases +biogasses +biogen +biogenase +biogenesis +biogenesist +biogenetic +biogenetical +biogenetically +biogenetics +biogeny +biogenic +biogenies +biogenous +biogens +biogeochemical +biogeochemistry +biogeographer +biogeographers +biogeography +biogeographic +biogeographical +biogeographically +biognosis +biograph +biographee +biographer +biographers +biographer's +biography +biographic +biographical +biographically +biographies +biography's +biographist +biographize +biohazard +bioherm +bioherms +bioinstrument +bioinstrumentation +biokinetics +biol +biol. +Biola +biolinguistics +biolyses +biolysis +biolite +biolith +biolytic +biologese +biology +biologic +biological +biologically +biologicohumanistic +biologics +biologies +biologism +biologist +biologistic +biologists +biologist's +biologize +bioluminescence +bioluminescent +biomagnetic +biomagnetism +biomass +biomasses +biomaterial +biomathematics +biome +biomechanical +biomechanics +biomedical +biomedicine +biomes +biometeorology +biometer +biometry +biometric +biometrical +biometrically +biometrician +biometricist +biometrics +biometries +Biometrika +biometrist +biomicroscope +biomicroscopy +biomicroscopies +biomorphic +Bion +byon +bionditional +Biondo +bionergy +bionic +bionics +bionomy +bionomic +bionomical +bionomically +bionomics +bionomies +bionomist +biont +biontic +bionts +bio-osmosis +bio-osmotic +biophagy +biophagism +biophagous +biophilous +biophysic +biophysical +biophysically +biophysicist +biophysicists +biophysicochemical +biophysics +biophysiography +biophysiology +biophysiological +biophysiologist +biophyte +biophor +biophore +biophotometer +biophotophone +biopic +biopyribole +bioplasm +bioplasmic +bioplasms +bioplast +bioplastic +biopoesis +biopoiesis +biopotential +bioprecipitation +biopsy +biopsic +biopsychic +biopsychical +biopsychology +biopsychological +biopsychologies +biopsychologist +biopsies +bioptic +bioral +biorbital +biordinal +byordinar +byordinary +bioreaction +bioresearch +biorgan +biorhythm +biorhythmic +biorhythmicity +biorhythmicities +biorythmic +BIOS +Biosatellite +biosatellites +bioscience +biosciences +bioscientific +bioscientist +bioscope +bioscopes +bioscopy +bioscopic +bioscopies +biose +biosensor +bioseston +biosyntheses +biosynthesis +biosynthesize +biosynthetic +biosynthetically +biosis +biosystematy +biosystematic +biosystematics +biosystematist +biosocial +biosociology +biosociological +biosome +biospeleology +biosphere +biospheres +biostatic +biostatical +biostatics +biostatistic +biostatistics +biosterin +biosterol +biostratigraphy +biostrome +Biot +Biota +biotas +biotaxy +biotech +biotechnics +biotechnology +biotechnological +biotechnologicaly +biotechnologically +biotechnologies +biotechs +biotelemetry +biotelemetric +biotelemetries +biotherapy +biotic +biotical +biotically +biotics +biotin +biotins +biotype +biotypes +biotypic +biotypology +biotite +biotites +biotitic +biotome +biotomy +biotope +biotopes +biotoxin +biotoxins +biotransformation +biotron +biotrons +byous +byously +biovular +biovulate +bioxalate +bioxide +biozone +byp +bipack +bipacks +bipaleolate +Bipaliidae +Bipalium +bipalmate +biparasitic +biparental +biparentally +biparietal +biparous +biparted +biparty +bipartible +bipartient +bipartile +bipartisan +bipartisanism +bipartisanship +bipartite +bipartitely +bipartition +bipartizan +bipaschal +bypass +by-pass +by-passage +bypassed +by-passed +bypasser +by-passer +bypasses +bypassing +by-passing +bypast +by-past +bypath +by-path +bypaths +by-paths +bipectinate +bipectinated +biped +bipedal +bipedality +bipedism +bipeds +bipeltate +bipennate +bipennated +bipenniform +biperforate +bipersonal +bipetalous +biphase +biphasic +biphenyl +biphenylene +biphenyls +biphenol +bipinnaria +bipinnariae +bipinnarias +bipinnate +bipinnated +bipinnately +bipinnatifid +bipinnatiparted +bipinnatipartite +bipinnatisect +bipinnatisected +bipyramid +bipyramidal +bipyridyl +bipyridine +biplace +byplace +by-place +byplay +by-play +byplays +biplanal +biplanar +biplane +biplanes +biplane's +biplicate +biplicity +biplosion +biplosive +by-plot +bipod +bipods +bipolar +bipolarity +bipolarization +bipolarize +Bipont +Bipontine +biporose +biporous +bipotentiality +bipotentialities +Bippus +biprism +Bypro +byproduct +by-product +byproducts +byproduct's +biprong +bipropellant +bipunctal +bipunctate +bipunctual +bipupillate +by-purpose +biquadrantal +biquadrate +biquadratic +biquarterly +biquartz +biquintile +biracial +biracialism +biracially +biradial +biradiate +biradiated +Byram +biramose +biramous +Byran +Byrann +birational +Birch +Birchard +birchbark +Birchdale +birched +birchen +Bircher +birchers +Birches +birching +Birchism +Birchite +Birchleaf +birchman +Birchrunville +Birchtree +Birchwood +Birck +Bird +Byrd +birdbander +birdbanding +birdbath +birdbaths +birdbath's +bird-batting +birdberry +birdbrain +birdbrained +bird-brained +birdbrains +birdcage +bird-cage +birdcages +birdcall +birdcalls +birdcatcher +birdcatching +birdclapper +birdcraft +bird-dog +bird-dogged +bird-dogging +birddom +birde +birded +birdeen +Birdeye +bird-eyed +Birdell +Birdella +birder +birders +bird-faced +birdfarm +birdfarms +bird-fingered +bird-foot +bird-foots +birdglue +birdhood +birdhouse +birdhouses +birdy +birdyback +Birdie +Byrdie +birdieback +birdied +birdieing +birdies +birdikin +birding +birdings +Birdinhand +bird-in-the-bush +birdland +birdless +birdlet +birdlife +birdlike +birdlime +bird-lime +birdlimed +birdlimes +birdliming +birdling +birdlore +birdman +birdmen +birdmouthed +birdnest +bird-nest +birdnester +bird-nesting +bird-ridden +Birds +bird's +birdsall +Birdsboro +birdseed +birdseeds +Birdseye +bird's-eye +birdseyes +bird's-eyes +bird's-foot +bird's-foots +birdshot +birdshots +birds-in-the-bush +birdsnest +bird's-nest +birdsong +birdstone +Byrdstown +Birdt +birdwatch +bird-watch +bird-watcher +birdweed +birdwise +birdwitted +bird-witted +birdwoman +birdwomen +byre +by-reaction +Birecree +birectangular +birefracting +birefraction +birefractive +birefringence +birefringent +byreman +byre-man +bireme +byre-men +biremes +byres +by-respect +by-result +biretta +birettas +byrewards +byrewoman +birgand +Birgit +Birgitta +Byrgius +Birgus +biri +biriani +biriba +birimose +Birk +Birkbeck +birken +Birkenhead +Birkenia +Birkeniidae +Birkett +Birkhoff +birky +birkie +birkies +Birkle +Birkner +birkremite +birks +birl +Byrl +byrlady +byrlakin +byrlaw +byrlawman +byrlawmen +birle +Byrle +birled +byrled +birler +birlers +birles +birlie +birlieman +birling +byrling +birlings +birlinn +birls +byrls +birma +Birmingham +Birminghamize +birn +Byrn +Birnamwood +birne +Byrne +Byrnedale +Birney +Byrnes +birny +byrnie +byrnies +Biro +byroad +by-road +byroads +Birobidzhan +Birobijan +Birobizhan +birodo +Byrom +Birome +Byromville +Biron +Byron +Byronesque +Byronian +Byroniana +Byronic +Byronically +Byronics +Byronish +Byronism +Byronist +Byronite +Byronize +by-room +birostrate +birostrated +birota +birotation +birotatory +by-route +birr +birred +Birrell +birretta +birrettas +Byrrh +birri +byrri +birring +birrotch +birrs +birrus +byrrus +birse +birses +birsy +birsit +birsle +Byrsonima +Birt +birth +birthbed +birthday +birthdays +birthday's +birthdate +birthdates +birthdom +birthed +birthy +birthing +byrthynsak +birthland +birthless +birthmark +birthmarks +birthmate +birthnight +birthplace +birthplaces +birthrate +birthrates +birthright +birthrights +birthright's +birthroot +births +birthstone +birthstones +birthstool +birthwort +Birtwhistle +Birzai +BIS +bys +bis- +bisabol +bisaccate +Bysacki +bisacromial +bisagre +Bisayan +Bisayans +Bisayas +bisalt +Bisaltae +bisannual +bisantler +bisaxillary +Bisbee +bisbeeite +biscacha +Biscay +Biscayan +Biscayanism +biscayen +Biscayner +Biscanism +bischofite +Biscoe +biscot +biscotin +biscuit +biscuit-brained +biscuit-colored +biscuit-fired +biscuiting +biscuitlike +biscuitmaker +biscuitmaking +biscuitry +biscuitroot +biscuits +biscuit's +biscuit-shaped +biscutate +bisdiapason +bisdimethylamino +BISDN +bise +bisect +bisected +bisecting +bisection +bisectional +bisectionally +bisections +bisection's +bisector +bisectors +bisector's +bisectrices +bisectrix +bisects +bisegment +bisellia +bisellium +bysen +biseptate +biserial +biserially +biseriate +biseriately +biserrate +bises +biset +bisetose +bisetous +bisexed +bisext +bisexual +bisexualism +bisexuality +bisexually +bisexuals +bisexuous +bisglyoxaline +Bish +Bishareen +Bishari +Bisharin +bishydroxycoumarin +Bishop +bishopbird +bishopdom +bishoped +bishopess +bishopful +bishophood +bishoping +bishopless +bishoplet +bishoplike +bishopling +bishopric +bishoprics +bishops +bishop's +bishopscap +bishop's-cap +bishopship +bishopstool +bishop's-weed +Bishopville +bishopweed +bisie +bisiliac +bisilicate +bisiliquous +bisyllabic +bisyllabism +bisimine +bisymmetry +bisymmetric +bisymmetrical +bisymmetrically +BISYNC +bisinuate +bisinuation +bisischiadic +bisischiatic +by-sitter +Bisitun +Bisk +biskop +Biskra +bisks +Bisley +bislings +bysmalith +bismanol +bismar +Bismarck +Bismarckian +Bismarckianism +bismarine +Bismark +bisme +bismer +bismerpund +bismethyl +bismillah +bismite +Bismosol +bismuth +bismuthal +bismuthate +bismuthic +bismuthide +bismuthiferous +bismuthyl +bismuthine +bismuthinite +bismuthite +bismuthous +bismuths +bismutite +bismutoplagionite +bismutosmaltite +bismutosphaerite +bisnaga +bisnagas +bisognio +bison +bisonant +bisons +bison's +bisontine +BISP +by-speech +by-spel +byspell +bisphenoid +bispinose +bispinous +bispore +bisporous +bisque +bisques +bisquette +byss +bissabol +byssaceous +byssal +Bissau +Bissell +bissellia +Bisset +bissext +bissextile +bissextus +Bysshe +byssi +byssiferous +byssin +byssine +Byssinosis +bisso +byssogenous +byssoid +byssolite +bisson +bissonata +byssus +byssuses +bist +bistable +by-stake +bystander +bystanders +bystander's +bistate +bistephanic +bister +bistered +bisters +bistetrazole +bisti +bistipular +bistipulate +bistipuled +bistort +Bistorta +bistorts +bistoury +bistouries +bistournage +bistratal +bistratose +bistre +bistred +bystreet +by-street +bystreets +bistres +bistriate +bistriazole +bistro +bistroic +by-stroke +bistros +bisubstituted +bisubstitution +bisulc +bisulcate +bisulcated +bisulfate +bisulfid +bisulfide +bisulfite +bisulphate +bisulphide +bisulphite +Bisutun +BIT +bitable +bitake +bytalk +by-talk +bytalks +bitangent +bitangential +bitanhol +bitartrate +bit-by-bit +bitbrace +Bitburg +bitch +bitched +bitchery +bitcheries +bitches +bitchy +bitchier +bitchiest +bitchily +bitchiness +bitching +bitch-kitty +bitch's +bite +byte +biteable +biteche +bited +biteless +Bitely +bitemporal +bitentaculate +biter +by-term +biternate +biternately +biters +bites +bytes +byte's +bitesheep +bite-sheep +bite-tongue +bitewing +bitewings +byth +by-the-bye +bitheism +by-the-way +Bithia +by-thing +Bithynia +Bithynian +by-throw +by-thrust +biti +bityite +bytime +by-time +biting +bitingly +bitingness +bitypic +Bitis +bitless +bitmap +bitmapped +BITNET +bito +bitolyl +Bitolj +Bytom +Biton +bitonal +bitonality +bitonalities +by-tone +bitore +bytownite +bytownitite +by-track +by-trail +bitreadle +bi-tri- +bitripartite +bitripinnatifid +bitriseptate +bitrochanteric +BITS +bit's +bitser +bitsy +bitstalk +bitstock +bitstocks +bitstone +bitt +bittacle +bitte +bitted +bitten +Bittencourt +bitter +bitter- +bitterbark +bitter-biting +bitterblain +bitterbloom +bitterbrush +bitterbump +bitterbur +bitterbush +bittered +bitter-end +bitterender +bitter-ender +bitter-enderism +bitter-endism +bitterer +bitterest +bitterful +bitterhead +bitterhearted +bitterheartedness +bittering +bitterish +bitterishness +bitterless +bitterly +bitterling +bittern +bitterness +bitternesses +bitterns +bitternut +bitter-rinded +bitterroot +bitters +bittersweet +bitter-sweet +bitter-sweeting +bittersweetly +bittersweetness +bittersweets +bitter-tasting +bitter-tongued +bitterweed +bitterwood +bitterworm +bitterwort +bitthead +Bitthia +bitty +bittie +bittier +bittiest +bitting +Bittinger +bittings +Bittium +Bittner +Bitto +bittock +bittocks +bittor +bitts +bitubercular +bituberculate +bituberculated +Bitulithic +bitume +bitumed +bitumen +bitumens +bituminate +bituminiferous +bituminisation +bituminise +bituminised +bituminising +bituminization +bituminize +bituminized +bituminizing +bituminoid +bituminosis +bituminous +by-turning +bitwise +bit-wise +BIU +BYU +biune +biunial +biunique +biuniquely +biuniqueness +biunity +biunivocal +biurate +biurea +biuret +bivalence +bivalency +bivalencies +bivalent +bivalents +bivalve +bivalved +bivalves +bivalve's +Bivalvia +bivalvian +bivalvous +bivalvular +bivane +bivariant +bivariate +bivascular +bivaulted +bivector +biventer +biventral +biverb +biverbal +bivial +by-view +bivinyl +bivinyls +Bivins +bivious +bivittate +bivium +bivocal +bivocalized +bivoltine +bivoluminous +bivouac +bivouaced +bivouacked +bivouacking +bivouacks +bivouacs +bivvy +biw- +biwa +Biwabik +byway +by-way +byways +bywalk +by-walk +bywalker +bywalking +by-walking +byward +by-wash +by-water +Bywaters +biweekly +biweeklies +by-west +biwinter +by-wipe +bywoner +by-wood +Bywoods +byword +by-word +bywords +byword's +bywork +by-work +byworks +BIX +Bixa +Bixaceae +bixaceous +Bixby +bixbyite +bixin +Bixler +biz +Byz +Byz. +bizant +byzant +Byzantian +Byzantine +Byzantinesque +Byzantinism +Byzantinize +Byzantium +byzants +bizardite +bizarre +bizarrely +bizarreness +bizarrerie +bizarres +Byzas +bizcacha +bize +bizel +Bizen +Bizerta +Bizerte +bizes +Bizet +bizygomatic +biznaga +biznagas +bizonal +bizone +bizones +Bizonia +Biztha +bizz +bizzarro +Bjart +Bjneborg +Bjoerling +Bjork +Bjorn +bjorne +Bjornson +Bk +bk. +bkbndr +bkcy +bkcy. +bkg +bkg. +bkgd +bklr +bkpr +bkpt +bks +bks. +bkt +BL +bl. +BLA +blaasop +blab +blabbed +blabber +blabbered +blabberer +blabbering +blabbermouth +blabbermouths +blabbers +blabby +blabbing +blabmouth +blabs +Blacher +Blachly +blachong +Black +blackacre +blackamoor +blackamoors +black-and-blue +black-and-tan +black-and-white +black-aproned +blackarm +black-a-viced +black-a-visaged +black-a-vised +blackback +black-backed +blackball +black-ball +blackballed +blackballer +blackballing +blackballs +blackband +black-banded +Blackbeard +black-bearded +blackbeetle +blackbelly +black-bellied +black-belt +blackberry +black-berried +blackberries +blackberrylike +blackberry's +black-billed +blackbine +blackbird +blackbirder +blackbirding +blackbirds +blackbird's +black-blooded +black-blue +blackboard +blackboards +blackboard's +blackbody +black-bodied +black-boding +blackboy +blackboys +black-bordered +black-boughed +blackbreast +black-breasted +black-browed +black-brown +blackbrush +blackbuck +Blackburn +blackbush +blackbutt +blackcap +black-capped +blackcaps +black-chinned +black-clad +blackcoat +black-coated +blackcock +blackcod +blackcods +black-colored +black-cornered +black-crested +black-crowned +blackcurrant +blackdamp +Blackduck +black-eared +black-ears +blacked +black-edged +Blackey +blackeye +black-eyed +blackeyes +blacken +blackened +blackener +blackeners +blackening +blackens +blacker +blackest +blacketeer +Blackett +blackface +black-faced +black-favored +black-feathered +Blackfeet +blackfellow +blackfellows +black-figure +blackfigured +black-figured +blackfin +blackfins +blackfire +blackfish +blackfisher +blackfishes +blackfishing +blackfly +blackflies +Blackfoot +black-footed +Blackford +Blackfriars +black-fruited +black-gowned +blackguard +blackguardism +blackguardize +blackguardly +blackguardry +blackguards +blackgum +blackgums +black-hafted +black-haired +Blackhander +Blackhawk +blackhead +black-head +black-headed +blackheads +blackheart +blackhearted +black-hearted +blackheartedly +blackheartedness +black-hilted +black-hole +black-hooded +black-hoofed +blacky +blackie +blackies +blacking +blackings +Blackington +blackish +blackishly +blackishness +blackit +blackjack +blackjacked +blackjacking +blackjacks +blackjack's +blackland +blacklead +blackleg +black-leg +blacklegged +black-legged +blackleggery +blacklegging +blacklegism +blacklegs +black-letter +blackly +Blacklick +black-lidded +blacklight +black-lipped +blacklist +blacklisted +blacklister +blacklisting +blacklists +black-locked +black-looking +blackmail +blackmailed +blackmailer +blackmailers +blackmailing +blackmails +Blackman +black-maned +black-margined +black-market +black-marketeer +Blackmore +black-mouth +black-mouthed +Blackmun +Blackmur +blackneb +black-neb +blackneck +black-necked +blackness +blacknesses +blacknob +black-nosed +blackout +black-out +blackouts +blackout's +blackpatch +black-peopled +blackplate +black-plumed +blackpoll +Blackpool +blackpot +black-pot +blackprint +blackrag +black-red +black-robed +blackroot +black-rooted +blacks +black-sander +Blacksburg +blackseed +Blackshear +Blackshirt +blackshirted +black-shouldered +black-skinned +blacksmith +blacksmithing +blacksmiths +blacksnake +black-snake +black-spotted +blackstick +Blackstock +black-stoled +Blackstone +blackstrap +Blacksville +blacktail +black-tail +black-tailed +blackthorn +black-thorn +blackthorns +black-throated +black-tie +black-toed +blacktongue +black-tongued +blacktop +blacktopped +blacktopping +blacktops +blacktree +black-tressed +black-tufted +black-veiled +Blackville +black-visaged +blackware +blackwash +black-wash +blackwasher +blackwashing +Blackwater +blackweed +Blackwell +black-whiskered +Blackwood +black-wood +blackwork +blackwort +blad +bladder +bladderet +bladdery +bladderless +bladderlike +bladdernose +bladdernut +bladderpod +bladders +bladder's +bladderseed +bladderweed +bladderwort +bladderwrack +blade +bladebone +bladed +bladeless +bladelet +bladelike +Bladen +Bladenboro +Bladensburg +blade-point +Blader +blades +blade's +bladesmith +bladewise +blady +bladygrass +blading +bladish +Bladon +blae +blaeberry +blaeberries +blaeness +Blaeu +Blaeuw +Blaew +blaewort +blaff +blaffert +blaflum +Blagg +blaggard +Blagonravov +Blagoveshchensk +blague +blagueur +blah +blah-blah +blahlaut +blahs +blay +Blaydon +blayk +Blain +Blaine +Blayne +Blainey +blains +Blair +Blaire +blairmorite +Blairs +Blairsburg +Blairsden +Blairstown +Blairsville +Blaisdell +Blaise +Blayze +Blake +blakeberyed +blakeite +Blakelee +Blakeley +Blakely +Blakemore +Blakesburg +Blakeslee +Blalock +blam +blamability +blamable +blamableness +blamably +blame +blameable +blameableness +blameably +blamed +blameful +blamefully +blamefulness +Blamey +blameless +blamelessly +blamelessness +blamer +blamers +blames +blame-shifting +blameworthy +blameworthiness +blameworthinesses +blaming +blamingly +blams +blan +Blanc +Blanca +Blancanus +blancard +Blanch +Blancha +Blanchard +Blanchardville +Blanche +blanched +blancher +blanchers +blanches +Blanchester +Blanchette +blanchi +blanchimeter +blanching +blanchingly +Blanchinus +blancmange +blancmanger +blancmanges +Blanco +blancs +Bland +blanda +BLandArch +blandation +Blandburg +blander +blandest +Blandford +Blandfordia +Blandy-les-Tours +blandiloquence +blandiloquious +blandiloquous +Blandina +Blanding +Blandinsville +blandish +blandished +blandisher +blandishers +blandishes +blandishing +blandishingly +blandishment +blandishments +blandly +blandness +blandnesses +Blandon +Blandville +Blane +Blanford +Blank +Blanka +blankard +blankbook +blanked +blankeel +blank-eyed +Blankenship +blanker +blankest +blanket +blanketed +blanketeer +blanketer +blanketers +blanketflower +blanket-flower +blankety +blankety-blank +blanketing +blanketless +blanketlike +blanketmaker +blanketmaking +blanketry +blankets +blanket-stitch +blanketweed +blanky +blanking +blankish +Blankit +blankite +blankly +blank-looking +blankminded +blank-minded +blankmindedness +blankness +blanknesses +Blanks +blanque +blanquette +blanquillo +blanquillos +Blantyre +Blantyre-Limbe +blaoner +blaoners +blare +blared +blares +Blarina +blaring +blarney +blarneyed +blarneyer +blarneying +blarneys +blarny +blarnid +blart +BLAS +Blasdell +Blase +Blaseio +blaseness +blash +blashy +Blasia +Blasien +Blasius +blason +blaspheme +blasphemed +blasphemer +blasphemers +blasphemes +blasphemy +blasphemies +blaspheming +blasphemous +blasphemously +blasphemousness +blast +blast- +blastaea +blast-borne +blasted +blastema +blastemal +blastemas +blastemata +blastematic +blastemic +blaster +blasters +blast-freeze +blast-freezing +blast-frozen +blastful +blast-furnace +blasthole +blasty +blastic +blastid +blastide +blastie +blastier +blasties +blastiest +blasting +blastings +blastman +blastment +blasto- +blastocarpous +blastocele +blastocheme +blastochyle +blastocyst +blastocyte +blastocoel +blastocoele +blastocoelic +blastocolla +blastoderm +blastodermatic +blastodermic +blastodisc +blastodisk +blastoff +blast-off +blastoffs +blastogenesis +blastogenetic +blastogeny +blastogenic +blastogranitic +blastoid +Blastoidea +blastoma +blastomas +blastomata +blastomere +blastomeric +Blastomyces +blastomycete +Blastomycetes +blastomycetic +blastomycetous +blastomycin +blastomycosis +blastomycotic +blastoneuropore +Blastophaga +blastophyllum +blastophitic +blastophoral +blastophore +blastophoric +blastophthoria +blastophthoric +blastoporal +blastopore +blastoporic +blastoporphyritic +blastosphere +blastospheric +blastostylar +blastostyle +blastozooid +blastplate +blasts +blastula +blastulae +blastular +blastulas +blastulation +blastule +blat +blatancy +blatancies +blatant +blatantly +blatch +blatchang +blate +blately +blateness +blateration +blateroon +blather +blathered +blatherer +blathery +blathering +blathers +blatherskite +blatherskites +blatiform +blatjang +Blatman +blats +Blatt +Blatta +Blattariae +blatted +blatter +blattered +blatterer +blattering +blatters +blatti +blattid +Blattidae +blattiform +blatting +Blattodea +blattoid +Blattoidea +Blatz +Blau +blaubok +blauboks +Blaugas +blaunner +blautok +Blauvelt +blauwbok +Blavatsky +blaver +blaw +blawed +Blawenburg +blawing +blawn +blawort +blaws +Blaze +blazed +blazer +blazers +blazes +blazy +blazing +blazingly +blazon +blazoned +blazoner +blazoners +blazoning +blazonment +blazonry +blazonries +blazons +Blcher +bld +bldg +bldg. +BldgE +bldr +BLDS +ble +blea +bleaberry +bleach +bleachability +bleachable +bleached +bleached-blond +bleacher +bleachery +bleacheries +bleacherite +bleacherman +bleachers +bleaches +bleachfield +bleachground +bleachhouse +bleachyard +bleaching +bleachman +bleachs +bleachworks +bleak +bleaker +bleakest +bleaky +bleakish +bleakly +bleakness +bleaknesses +bleaks +blear +bleared +blearedness +bleareye +bleareyed +blear-eyed +blear-eyedness +bleary +bleary-eyed +blearyeyedness +blearier +bleariest +blearily +bleariness +blearing +blearness +blears +blear-witted +bleat +bleated +bleater +bleaters +bleaty +bleating +bleatingly +bleats +bleaunt +bleb +blebby +blebs +blechnoid +Blechnum +bleck +bled +Bledsoe +blee +bleed +bleeder +bleeders +bleeding +bleedings +bleeds +bleekbok +Bleeker +bleep +bleeped +bleeping +bleeps +bleery +bleeze +bleezy +Bleiblerville +Bleier +bleymes +bleinerite +blellum +blellums +blemish +blemished +blemisher +blemishes +blemishing +blemishment +blemish's +blemmatrope +Blemmyes +Blen +blench +blenched +blencher +blenchers +blenches +blenching +blenchingly +Blencoe +blencorn +blend +Blenda +blendcorn +blende +blended +blender +blenders +blendes +blending +blendor +blends +blendure +blendwater +blend-word +Blenheim +blenk +Blenker +blennadenitis +blennemesis +blennenteria +blennenteritis +blenny +blennies +blenniid +Blenniidae +blenniiform +Blenniiformes +blennymenitis +blennioid +Blennioidea +blenno- +blennocele +blennocystitis +blennoemesis +blennogenic +blennogenous +blennoid +blennoma +blennometritis +blennophlogisma +blennophlogosis +blennophobia +blennophthalmia +blennoptysis +blennorhea +blennorrhagia +blennorrhagic +blennorrhea +blennorrheal +blennorrhinia +blennorrhoea +blennosis +blennostasis +blennostatic +blennothorax +blennotorrhea +blennuria +blens +blent +bleo +bleomycin +blephar- +blephara +blepharadenitis +blepharal +blepharanthracosis +blepharedema +blepharelcosis +blepharemphysema +blepharydatis +Blephariglottis +blepharism +blepharitic +blepharitis +blepharo- +blepharoadenitis +blepharoadenoma +blepharoatheroma +blepharoblennorrhea +blepharocarcinoma +Blepharocera +Blepharoceridae +blepharochalasis +blepharochromidrosis +blepharoclonus +blepharocoloboma +blepharoconjunctivitis +blepharodiastasis +blepharodyschroia +blepharohematidrosis +blepharolithiasis +blepharomelasma +blepharoncosis +blepharoncus +blepharophyma +blepharophimosis +blepharophryplasty +blepharophthalmia +blepharopyorrhea +blepharoplast +blepharoplasty +blepharoplastic +blepharoplegia +blepharoptosis +blepharorrhaphy +blepharosymphysis +blepharosyndesmitis +blepharosynechia +blepharospasm +blepharospath +blepharosphincterectomy +blepharostat +blepharostenosis +blepharotomy +Blephillia +BLER +blere +Bleriot +BLERT +blesbok +bles-bok +blesboks +blesbuck +blesbucks +blesmol +bless +blesse +blessed +blesseder +blessedest +blessedly +blessedness +blessednesses +blesser +blessers +blesses +Blessing +blessingly +blessings +Blessington +blest +blet +blethe +blether +bletheration +blethered +blethering +blethers +bletherskate +Bletia +Bletilla +bletonism +blets +bletted +bletting +bleu +Bleuler +Blevins +blew +blewits +BLF +BLFE +BLI +Bly +bliaut +blibe +blick +blickey +blickeys +blicky +blickie +blickies +Blida +blier +bliest +Bligh +Blighia +Blight +blightbird +blighted +blighter +blighters +Blighty +blighties +blighting +blightingly +blights +blijver +Blim +blimbing +blimey +blimy +Blimp +blimpish +blimpishly +blimpishness +blimps +blimp's +blin +blind +blindage +blindages +blind-alley +blindball +blindcat +blinded +blindedly +blindeyes +blinder +blinders +blindest +blindfast +blindfish +blindfishes +blindfold +blindfolded +blindfoldedly +blindfoldedness +blindfolder +blindfolding +blindfoldly +blindfolds +blind-head +Blindheim +blinding +blindingly +blind-your-eyes +blindish +blindism +blindless +blindly +blindling +blind-loaded +blindman +blind-man's-buff +blind-nail +blindness +blindnesses +blind-nettle +blind-pigger +blind-pigging +blind-punch +blinds +blind-stamp +blind-stamped +blindstitch +blindstorey +blindstory +blindstories +blind-tool +blind-tooled +blindweed +blindworm +blind-worm +blinger +blini +bliny +blinis +blink +blinkard +blinkards +blinked +blink-eyed +blinker +blinkered +blinkering +blinkers +blinky +blinking +blinkingly +blinks +Blinn +Blynn +Blinni +Blinny +Blinnie +blinter +blintz +blintze +blintzes +blip +blype +blypes +blipped +blippers +blipping +blips +blip's +blirt +Bliss +Blisse +blissed +blisses +Blissfield +blissful +blissfully +blissfulness +blissing +blissless +blissom +blist +blister +blistered +blistery +blistering +blisteringly +blisterous +blisters +blisterweed +blisterwort +BLit +blite +blites +Blyth +Blithe +Blythe +blithebread +Blythedale +blitheful +blithefully +blithehearted +blithely +blithelike +blithe-looking +blithemeat +blithen +blitheness +blither +blithered +blithering +blithers +blithesome +blithesomely +blithesomeness +blithest +Blytheville +Blythewood +BLitt +blitter +Blitum +Blitz +blitzbuggy +blitzed +blitzes +blitzing +blitzkrieg +blitzkrieged +blitzkrieging +blitzkriegs +blitz's +Blitzstein +Blixen +blizz +blizzard +blizzardy +blizzardly +blizzardous +blizzards +blizzard's +blk +blk. +blksize +BLL +BLM +blo +bloat +bloated +bloatedness +bloater +bloaters +bloating +bloats +blob +blobbed +blobber +blobber-lipped +blobby +blobbier +blobbiest +blobbiness +blobbing +BLOBS +blob's +bloc +blocage +Bloch +Block +blockade +blockaded +blockader +blockaders +blockade-runner +blockaderunning +blockade-running +blockades +blockading +blockage +blockages +blockage's +blockboard +block-book +blockbuster +blockbusters +blockbusting +block-caving +blocked +blocked-out +Blocker +blocker-out +blockers +blockhead +blockheaded +blockheadedly +blockheadedness +blockheadish +blockheadishness +blockheadism +blockheads +blockhole +blockholer +blockhouse +blockhouses +blocky +blockier +blockiest +blockiness +blocking +blockish +blockishly +blockishness +blocklayer +blocklike +blockline +blockmaker +blockmaking +blockman +blockout +blockpate +block-printed +blocks +block's +block-saw +Blocksburg +block-serifed +blockship +Blockton +Blockus +blockwood +blocs +bloc's +Blodenwedd +Blodget +Blodgett +blodite +bloedite +Bloem +Bloemfontein +Blois +Blok +bloke +blokes +bloke's +blolly +bloman +Blomberg +Blomkest +Blomquist +blomstrandine +blond +blonde +Blondel +Blondell +Blondelle +blondeness +blonder +blondes +blonde's +blondest +blond-haired +blond-headed +Blondy +Blondie +blondine +blondish +blondness +blonds +blond's +Blood +bloodalley +bloodalp +blood-and-guts +blood-and-thunder +bloodbath +bloodbeat +blood-bedabbled +bloodberry +blood-bespotted +blood-besprinkled +bloodbird +blood-boltered +blood-bought +blood-cemented +blood-colored +blood-consuming +bloodcurdler +bloodcurdling +bloodcurdlingly +blood-defiled +blood-dyed +blood-discolored +blood-drenched +blooddrop +blooddrops +blood-drunk +blooded +bloodedness +blood-extorting +blood-faced +blood-filled +bloodfin +bloodfins +blood-fired +blood-flecked +bloodflower +blood-frozen +bloodguilt +bloodguilty +blood-guilty +bloodguiltiness +bloodguiltless +blood-gushing +blood-heat +blood-hot +bloodhound +bloodhounds +bloodhound's +blood-hued +bloody +bloody-back +bloodybones +bloody-bones +bloodied +bloody-eyed +bloodier +bloodies +bloodiest +bloody-faced +bloody-handed +bloody-hearted +bloodying +bloodily +bloody-minded +bloody-mindedness +bloody-mouthed +bloodiness +blooding +bloodings +bloody-nosed +bloody-red +bloody-sceptered +bloody-veined +bloodleaf +bloodless +bloodlessly +bloodlessness +bloodletter +blood-letter +bloodletting +blood-letting +bloodlettings +bloodlike +bloodline +bloodlines +blood-loving +bloodlust +bloodlusting +blood-mad +bloodmobile +bloodmobiles +blood-money +bloodmonger +bloodnoun +blood-plashed +blood-polluted +blood-polluting +blood-raw +bloodred +blood-red +blood-relation +bloodripe +bloodripeness +bloodroot +blood-root +bloodroots +bloods +blood-scrawled +blood-shaken +bloodshed +bloodshedder +bloodshedding +bloodsheds +bloodshot +blood-shot +bloodshotten +blood-shotten +blood-sized +blood-spattered +blood-spavin +bloodspiller +bloodspilling +bloodstain +blood-stain +bloodstained +bloodstainedness +bloodstains +bloodstain's +bloodstanch +blood-stirring +blood-stirringness +bloodstock +bloodstone +blood-stone +bloodstones +blood-strange +bloodstream +bloodstreams +bloodstroke +bloodsuck +blood-suck +bloodsucker +blood-sucker +bloodsuckers +bloodsucking +bloodsuckings +blood-swelled +blood-swoln +bloodtest +bloodthirst +bloodthirster +bloodthirsty +bloodthirstier +bloodthirstiest +bloodthirstily +bloodthirstiness +bloodthirstinesses +bloodthirsting +blood-tinctured +blood-type +blood-vascular +blood-vessel +blood-warm +bloodweed +bloodwit +bloodwite +blood-wite +blood-won +bloodwood +bloodworm +blood-worm +bloodwort +blood-wort +bloodworthy +blooey +blooie +Bloom +bloomage +Bloomburg +bloom-colored +Bloomdale +bloomed +Bloomer +Bloomery +Bloomeria +bloomeries +bloomerism +bloomers +bloomfell +bloom-fell +Bloomfield +Bloomfieldian +bloomy +bloomy-down +bloomier +bloomiest +blooming +Bloomingburg +Bloomingdale +bloomingly +bloomingness +Bloomingrose +Bloomington +bloomkin +bloomless +blooms +Bloomsburg +Bloomsbury +Bloomsburian +Bloomsdale +bloom-shearing +Bloomville +bloop +blooped +blooper +bloopers +blooping +bloops +blooth +blore +blosmy +Blossburg +Blossom +blossom-bearing +blossombill +blossom-billed +blossom-bordered +blossom-crested +blossomed +blossom-faced +blossomhead +blossom-headed +blossomy +blossoming +blossom-laden +blossomless +blossom-nosed +blossomry +blossoms +blossomtime +Blossvale +blot +blotch +blotched +blotches +blotchy +blotchier +blotchiest +blotchily +blotchiness +blotching +blotch-shaped +blote +blotless +blotlessness +blots +blot's +blotted +blotter +blotters +blottesque +blottesquely +blotty +blottier +blottiest +blotting +blottingly +blotto +blottto +bloubiskop +Blount +Blountstown +Blountsville +Blountville +blouse +bloused +blouselike +blouses +blouse's +blousy +blousier +blousiest +blousily +blousing +blouson +blousons +blout +bloviate +bloviated +bloviates +bloviating +Blow +blow- +blowback +blowbacks +blowball +blowballs +blowby +blow-by +blow-by-blow +blow-bies +blowbys +blowcase +blowcock +blowdown +blow-dry +blowed +blowen +blower +blowers +blower-up +blowess +blowfish +blowfishes +blowfly +blow-fly +blowflies +blowgun +blowguns +blowhard +blow-hard +blowhards +blowhole +blow-hole +blowholes +blowy +blowie +blowier +blowiest +blow-in +blowiness +blowing +blowings +blowiron +blow-iron +blowjob +blowjobs +blowlamp +blowline +blow-molded +blown +blown-in-the-bottle +blown-mold +blown-molded +blown-out +blown-up +blowoff +blowoffs +blowout +blowouts +blowpipe +blow-pipe +blowpipes +blowpit +blowpoint +blowproof +blows +blowse +blowsed +blowsy +blowsier +blowsiest +blowsily +blowspray +blowth +blow-through +blowtorch +blowtorches +blowtube +blowtubes +blowup +blow-up +blowups +blow-wave +blowze +blowzed +blowzy +blowzier +blowziest +blowzily +blowziness +blowzing +Bloxberg +Bloxom +Blriot +BLS +BLT +blub +blubbed +blubber +blubber-cheeked +blubbered +blubberer +blubberers +blubber-fed +blubberhead +blubbery +blubbering +blubberingly +blubberman +blubberous +blubbers +blubbing +Blucher +bluchers +bludge +bludged +bludgeon +bludgeoned +bludgeoneer +bludgeoner +bludgeoning +bludgeons +bludger +bludging +Blue +blue-annealed +blue-aproned +blueback +blue-backed +Blueball +blueballs +blue-banded +bluebead +Bluebeard +Bluebeardism +Bluebell +bluebelled +blue-bellied +bluebells +blue-belt +blueberry +blue-berried +blueberries +blueberry's +bluebill +blue-billed +bluebills +bluebird +blue-bird +bluebirds +bluebird's +blueblack +blue-black +blue-blackness +blueblaw +blue-blind +blueblood +blue-blooded +blueblossom +blue-blossom +blue-bloused +bluebonnet +bluebonnets +bluebonnet's +bluebook +bluebooks +bluebottle +blue-bottle +bluebottles +bluebreast +blue-breasted +bluebuck +bluebush +bluebutton +bluecap +blue-cap +bluecaps +blue-checked +blue-cheeked +blue-chip +bluecoat +bluecoated +blue-coated +bluecoats +blue-collar +blue-colored +blue-crested +blue-cross +bluecup +bluecurls +blue-curls +blued +blue-devilage +blue-devilism +blue-eared +Blueeye +blue-eye +blue-eyed +blue-faced +Bluefarb +Bluefield +Bluefields +bluefin +bluefins +bluefish +blue-fish +bluefishes +blue-flowered +blue-footed +blue-fronted +bluegill +bluegills +blue-glancing +blue-glimmering +bluegown +blue-gray +bluegrass +blue-green +bluegum +bluegums +blue-haired +bluehead +blue-headed +blueheads +bluehearted +bluehearts +blue-hearts +Bluehole +blue-hot +Bluey +blue-yellow +blue-yellow-blind +blueing +blueings +blueys +blueish +bluejack +bluejacket +bluejackets +bluejacks +Bluejay +bluejays +blue-john +bluejoint +blue-leaved +blueleg +bluelegs +bluely +blueline +blue-lined +bluelines +blue-mantled +blue-molded +blue-molding +Bluemont +blue-mottled +blue-mouthed +blueness +bluenesses +bluenose +blue-nose +bluenosed +blue-nosed +Bluenoser +bluenoses +blue-pencil +blue-penciled +blue-penciling +blue-pencilled +blue-pencilling +bluepoint +bluepoints +blueprint +blueprinted +blueprinter +blueprinting +blueprints +blueprint's +bluer +blue-rayed +blue-red +blue-ribbon +blue-ribboner +blue-ribbonism +blue-ribbonist +blue-roan +blue-rolled +blues +blue-sailors +bluesy +bluesides +bluesier +blue-sighted +blue-sky +blue-slate +bluesman +bluesmen +blue-spotted +bluest +blue-stained +blue-starry +bluestem +blue-stemmed +bluestems +bluestocking +blue-stocking +bluestockingish +bluestockingism +bluestockings +bluestone +bluestoner +blue-striped +Bluet +blue-tailed +blueth +bluethroat +blue-throated +bluetick +blue-tinted +bluetit +bluetongue +blue-tongued +bluetop +bluetops +bluets +blue-veined +blue-washed +Bluewater +blue-water +blue-wattled +blueweed +blueweeds +blue-white +bluewing +blue-winged +bluewood +bluewoods +bluff +bluffable +bluff-bowed +Bluffdale +bluffed +bluffer +bluffers +bluffest +bluff-headed +bluffy +bluffing +bluffly +bluffness +Bluffs +Bluffton +Bluford +blufter +bluggy +Bluh +Bluhm +bluing +bluings +bluish +bluish-green +bluishness +bluism +bluisness +Blum +Bluma +blume +Blumea +blumed +Blumenfeld +Blumenthal +blumes +bluming +blunder +Blunderbore +blunderbuss +blunderbusses +blundered +blunderer +blunderers +blunderful +blunderhead +blunderheaded +blunderheadedness +blundering +blunderingly +blunderings +blunders +blundersome +blunge +blunged +blunger +blungers +blunges +blunging +Blunk +blunker +blunket +blunks +blunnen +Blunt +blunt-angled +blunted +blunt-edged +blunt-ended +blunter +bluntest +blunt-faced +blunthead +blunt-headed +blunthearted +bluntie +blunting +bluntish +bluntishness +blunt-leaved +bluntly +blunt-lobed +bluntness +bluntnesses +blunt-nosed +blunt-pointed +blunts +blunt-spoken +blunt-witted +blup +blur +blurb +blurbed +blurbing +blurbist +blurbs +blurping +blurred +blurredly +blurredness +blurrer +blurry +blurrier +blurriest +blurrily +blurriness +blurring +blurringly +blurs +blur's +blurt +blurted +blurter +blurters +blurting +blurts +Blus +blush +blush-colored +blush-compelling +blushed +blusher +blushers +blushes +blushet +blush-faced +blushful +blushfully +blushfulness +blushy +blushiness +blushing +blushingly +blushless +blush-suffused +blusht +blush-tinted +blushwort +bluster +blusteration +blustered +blusterer +blusterers +blustery +blustering +blusteringly +blusterous +blusterously +blusters +blutwurst +BLV +Blvd +BM +BMA +BMarE +BME +BMEd +BMet +BMetE +BMEWS +BMG +BMgtE +BMI +BMJ +BMO +BMOC +BMP +BMR +BMS +BMT +BMus +BMV +BMW +BN +Bn. +BNC +BNET +BNF +BNFL +BNS +BNSC +BNU +BO +boa +Boabdil +BOAC +boa-constrictor +Boadicea +Boaedon +boagane +Boak +Boalsburg +Boanbura +boanergean +Boanerges +boanergism +boanthropy +Boar +boarcite +board +boardable +board-and-roomer +board-and-shingle +boardbill +boarded +boarder +boarders +boarder-up +boardy +boarding +boardinghouse +boardinghouses +boardinghouse's +boardings +boardly +boardlike +Boardman +boardmanship +boardmen +boardroom +boards +board-school +boardsmanship +board-wages +boardwalk +boardwalks +Boarer +boarfish +boar-fish +boarfishes +boarhound +boar-hunting +boarish +boarishly +boarishness +boars +boarship +boarskin +boarspear +boarstaff +boart +boarts +boarwood +Boas +boast +boasted +boaster +boasters +boastful +boastfully +boastfulness +boasting +boastingly +boastings +boastive +boastless +boasts +boat +boatable +boatage +boatbill +boat-bill +boatbills +boatbuilder +boatbuilding +boated +boatel +boatels +Boaten +boater +boaters +boatfalls +boat-fly +boatful +boat-green +boat-handler +boathead +boatheader +boathook +boathouse +boathouses +boathouse's +boatyard +boatyards +boatyard's +boatie +boating +boatings +boation +boatkeeper +boatless +boatly +boatlike +boatlip +boatload +boatloader +boatloading +boatloads +boatload's +boat-lowering +boatman +boatmanship +boatmaster +boatmen +boatowner +boat-race +boats +boatsetter +boat-shaped +boatshop +boatside +boatsman +boatsmanship +boatsmen +boatsteerer +boatswain +boatswains +boatswain's +boattail +boat-tailed +boatward +boatwise +boatwoman +boat-woman +Boatwright +Boaz +Bob +boba +bobac +bobache +bobachee +Bobadil +Bobadilian +Bobadilish +Bobadilism +Bobadilla +bobance +Bobbe +bobbed +Bobbee +bobbejaan +bobber +bobbery +bobberies +bobbers +Bobbette +Bobbi +Bobby +bobby-dazzler +Bobbie +Bobbye +Bobbielee +bobbies +bobbin +bobbiner +bobbinet +bobbinets +bobbing +Bobbinite +bobbin-net +bobbins +bobbin's +bobbinwork +bobbish +bobbishly +bobby-socker +bobbysocks +bobbysoxer +bobby-soxer +bobbysoxers +bobble +bobbled +bobbles +bobbling +bobcat +bobcats +bob-cherry +bobcoat +bobeche +bobeches +bobet +Bobette +bobfly +bobflies +bobfloat +bob-haired +bobierrite +Bobina +Bobine +Bobinette +bobization +bobjerom +Bobker +boblet +Bobo +Bo-Bo +Bobo-Dioulasso +bobol +bobolink +bobolinks +bobolink's +bobooti +bobotee +bobotie +bobowler +bobs +bob's +Bobseine +bobsy-die +bobsled +bob-sled +bobsledded +bobsledder +bobsledders +bobsledding +bobsleded +bobsleding +bobsleds +bobsleigh +bobstay +bobstays +bobtail +bob-tail +bobtailed +bobtailing +bobtails +Bobtown +Bobwhite +bob-white +bobwhites +bobwhite's +bob-wig +bobwood +BOC +Boca +bocaccio +bocaccios +bocage +bocal +bocardo +bocasin +bocasine +bocca +Boccaccio +boccale +boccarella +boccaro +bocce +bocces +Boccherini +bocci +boccia +boccias +boccie +boccies +Boccioni +boccis +Bocconia +boce +bocedization +Boche +bocher +boches +Bochism +Bochum +bochur +Bock +bockey +bockerel +bockeret +bocking +bocklogged +bocks +Bockstein +Bocock +bocoy +bocstaff +BOD +bodach +bodacious +bodaciously +Bodanzky +Bodb +bodd- +boddagh +boddhisattva +boddle +Bode +boded +bodeful +bodefully +bodefulness +Bodega +bodegas +bodegon +bodegones +bodement +bodements +boden +bodenbenderite +Bodenheim +Bodensee +boder +bodes +bodewash +bodeword +Bodfish +bodge +bodger +bodgery +bodgie +bodhi +Bodhidharma +bodhisat +Bodhisattva +bodhisattwa +Bodi +Body +bodybending +body-breaking +bodybuild +body-build +bodybuilder +bodybuilders +bodybuilder's +bodybuilding +bodice +bodiced +bodicemaker +bodicemaking +body-centered +body-centred +bodices +bodycheck +bodied +bodier +bodieron +bodies +bodyguard +body-guard +bodyguards +bodyguard's +bodyhood +bodying +body-killing +bodikin +bodykins +bodiless +bodyless +bodilessness +bodily +body-line +bodiliness +bodilize +bodymaker +bodymaking +bodiment +body-mind +Bodine +boding +bodingly +bodings +bodyplate +bodyshirt +body-snatching +bodysuit +bodysuits +bodysurf +bodysurfed +bodysurfer +bodysurfing +bodysurfs +bodywear +bodyweight +bodywise +bodywood +bodywork +bodyworks +bodken +Bodkin +bodkins +bodkinwise +bodle +Bodley +Bodleian +Bodmin +Bodnar +Bodo +bodock +Bodoni +bodonid +bodrag +bodrage +Bodrogi +bods +bodstick +Bodwell +bodword +boe +Boebera +Boece +Boedromion +Boedromius +Boehike +Boehme +Boehmenism +Boehmenist +Boehmenite +Boehmer +Boehmeria +Boehmian +Boehmist +Boehmite +boehmites +Boeing +Boeke +Boelter +Boelus +boeotarch +Boeotia +Boeotian +Boeotic +Boeotus +Boer +Boerdom +Boerhavia +Boerne +boers +Boesch +Boeschen +Boethian +Boethius +Boethusian +Boetius +Boettiger +boettner +BOF +Boff +Boffa +boffin +boffins +boffo +boffola +boffolas +boffos +boffs +Bofors +bog +boga +bogach +Bogalusa +Bogan +bogans +Bogard +Bogarde +Bogart +Bogata +bogatyr +bogbean +bogbeans +bogberry +bogberries +bog-bred +bog-down +Bogey +bogeyed +bog-eyed +bogey-hole +bogeying +bogeyman +bogeymen +bogeys +boget +bogfern +boggard +boggart +bogged +Boggers +boggy +boggier +boggiest +boggin +bogginess +bogging +boggish +boggishness +boggle +bogglebo +boggled +boggle-dy-botch +boggler +bogglers +boggles +boggling +bogglingly +bogglish +Boggs +Boggstown +Boghazkeui +Boghazkoy +boghole +bog-hoose +bogy +bogydom +Bogie +bogieman +bogier +bogies +bogyism +bogyisms +Bogijiab +bogyland +bogyman +bogymen +bogys +bogland +boglander +bogle +bogled +bogledom +bogles +boglet +bogman +bogmire +Bogo +Bogoch +Bogomil +Bogomile +Bogomilian +Bogomilism +bogong +Bogor +Bogosian +Bogot +Bogota +bogotana +bog-rush +bogs +bog's +bogsucker +bogtrot +bog-trot +bogtrotter +bog-trotter +bogtrotting +Bogue +Boguechitto +bogued +boguing +bogum +bogus +Boguslawsky +bogusness +Bogusz +bogway +bogwood +bogwoods +bogwort +boh +Bohairic +Bohannon +Bohaty +bohawn +Bohea +boheas +Bohemia +Bohemia-Moravia +Bohemian +Bohemianism +bohemians +Bohemian-tartar +bohemias +bohemium +bohereen +Bohi +bohireen +Bohlen +Bohlin +Bohm +Bohman +Bohme +Bohmerwald +bohmite +Bohnenberger +Bohner +boho +Bohol +Bohon +bohor +bohora +bohorok +Bohr +Bohrer +Bohs +Bohun +bohunk +bohunks +Bohuslav +Boy +boyang +boyar +boyard +boyardism +Boiardo +boyardom +boyards +boyarism +boyarisms +boyars +boyau +boyaus +boyaux +Boice +Boyce +Boycey +Boiceville +Boyceville +boychick +boychicks +boychik +boychiks +Boycie +boycott +boycottage +boycotted +boycotter +boycotting +boycottism +boycotts +boid +Boyd +Boidae +boydekyn +Boyden +boydom +Boyds +Boydton +Boieldieu +Boyer +Boyers +Boyertown +Boyes +boiette +boyfriend +boyfriends +boyfriend's +boyg +boigid +Boigie +boiguacu +boyhood +boyhoods +Boii +boyish +boyishly +boyishness +boyishnesses +boyism +Boykin +Boykins +Boiko +boil +boyla +boilable +Boylan +boylas +boildown +Boyle +Boileau +boiled +boiler +boiler-cleaning +boilerful +boilerhouse +boilery +boilerless +boilermaker +boilermakers +boilermaking +boilerman +boiler-off +boiler-out +boilerplate +boilers +boilersmith +boiler-testing +boiler-washing +boilerworks +boily +boylike +boylikeness +boiling +boiling-house +boilingly +boilinglike +boiloff +boil-off +boiloffs +boilover +boils +Boylston +boy-meets-girl +Boyne +Boiney +boing +Boynton +boyo +boyology +boyos +Bois +Boys +boy's +bois-brl +Boisdarc +Boise +Boyse +boysenberry +boysenberries +boiserie +boiseries +boyship +Bois-le-Duc +boisseau +boisseaux +Boissevain +boist +boisterous +boisterously +boisterousness +boistous +boistously +boistousness +Boystown +Boyt +boite +boites +boithrin +Boito +boyuna +Bojardo +Bojer +Bojig-ngiji +bojite +bojo +Bok +bokadam +bokard +bokark +Bokchito +boke +Bokeelia +Bokhara +Bokharan +Bokm' +bokmakierie +boko +bokom +bokos +Bokoshe +Bokoto +Bol +Bol. +bola +Bolag +Bolan +Boland +Bolanger +bolar +bolas +bolases +bolbanac +bolbonac +Bolboxalis +Bolckow +bold +boldacious +bold-beating +bolded +bolden +bolder +Bolderian +boldest +boldface +bold-face +boldfaced +bold-faced +boldfacedly +bold-facedly +boldfacedness +bold-facedness +boldfaces +boldfacing +bold-following +boldhearted +boldheartedly +boldheartedness +boldin +boldine +bolding +boldly +bold-looking +bold-minded +boldness +boldnesses +boldo +boldoine +boldos +bold-spirited +Boldu +bole +bolection +bolectioned +boled +Boley +Boleyn +boleite +Bolelia +bolelike +Bolen +bolero +boleros +Boles +Boleslaw +Boletaceae +boletaceous +bolete +boletes +boleti +boletic +Boletus +boletuses +boleweed +bolewort +Bolger +Bolyai +Bolyaian +boliche +bolide +bolides +Boligee +bolimba +Bolinas +Boling +Bolingbroke +Bolinger +bolis +bolita +Bolitho +Bolivar +bolivares +bolivarite +bolivars +Bolivia +Bolivian +boliviano +bolivianos +bolivians +bolivias +bolk +Boll +Bollay +Bolland +Bollandist +Bollandus +bollard +bollards +bolled +Bollen +boller +bolly +bollies +Bolling +Bollinger +bollito +bollix +bollixed +bollixes +bollixing +bollock +bollocks +bollox +bolloxed +bolloxes +bolloxing +bolls +bollworm +bollworms +Bolme +Bolo +boloball +bolo-bolo +boloed +Bologna +Bolognan +bolognas +Bologne +Bolognese +bolograph +bolography +bolographic +bolographically +boloing +Boloism +boloman +bolomen +bolometer +bolometric +bolometrically +boloney +boloneys +boloroot +bolos +Bolshevik +Bolsheviki +Bolshevikian +Bolshevikism +Bolsheviks +bolshevik's +Bolshevism +Bolshevist +Bolshevistic +Bolshevistically +bolshevists +Bolshevization +Bolshevize +Bolshevized +Bolshevizing +Bolshy +Bolshie +Bolshies +Bolshoi +bolson +bolsons +bolster +bolstered +bolsterer +bolsterers +bolstering +bolsters +bolsterwork +Bolt +bolt-action +boltage +boltant +boltcutter +bolt-cutting +Bolte +bolted +boltel +Bolten +bolter +bolter-down +bolters +bolters-down +bolters-up +bolter-up +bolt-forging +bolthead +bolt-head +boltheader +boltheading +boltheads +bolthole +bolt-hole +boltholes +bolti +bolty +boltin +bolting +boltings +boltless +boltlike +boltmaker +boltmaking +Bolton +Boltonia +boltonias +boltonite +bolt-pointing +boltrope +bolt-rope +boltropes +bolts +bolt-shaped +boltsmith +boltspreet +boltstrake +bolt-threading +bolt-turning +boltuprightness +boltwork +Boltzmann +bolus +boluses +Bolzano +BOM +Boma +Bomarc +Bomarea +bomb +bombable +Bombacaceae +bombacaceous +bombace +Bombay +bombard +bombarde +bombarded +bombardelle +bombarder +bombardier +bombardiers +bombarding +bombardman +bombardmen +bombardment +bombardments +bombardo +bombardon +bombards +bombasine +bombast +bombaster +bombastic +bombastical +bombastically +bombasticness +bombastry +bombasts +Bombax +bombazeen +bombazet +bombazette +bombazine +bombe +bombed +bomber +bombernickel +bombers +bombes +bombesin +bombesins +bombic +bombiccite +bombycid +Bombycidae +bombycids +bombyciform +Bombycilla +Bombycillidae +Bombycina +bombycine +bombycinous +Bombidae +bombilate +bombilation +Bombyliidae +bombylious +bombilla +bombillas +Bombinae +bombinate +bombinating +bombination +bombing +bombings +Bombyx +bombyxes +bomb-ketch +bomble +bombline +bombload +bombloads +bombo +bombola +bombonne +bombora +bombous +bombproof +bomb-proof +bombs +bombshell +bomb-shell +bombshells +bombsight +bombsights +bomb-throwing +Bombus +BOMFOG +bomi +Bomke +Bomont +bomos +Bomoseen +Bomu +Bon +Bona +Bonacci +bon-accord +bonace +bonaci +bonacis +Bonadoxin +bona-fide +bonagh +bonaght +bonailie +Bonair +Bonaire +bonairly +bonairness +bonally +bonamano +bonang +bonanza +bonanzas +bonanza's +Bonaparte +Bonapartean +Bonapartism +Bonapartist +Bonaqua +Bonar +bona-roba +Bonasa +bonassus +bonasus +bonaught +bonav +Bonaventura +Bonaventure +Bonaventurism +Bonaveria +bonavist +Bonbo +bonbon +bon-bon +bonbonniere +bonbonnieres +bonbons +Boncarbo +bonce +bonchief +Bond +bondable +bondage +bondager +bondages +bondar +bonded +Bondelswarts +bonder +bonderize +bonderman +bonders +Bondes +bondfolk +bondhold +bondholder +bondholders +bondholding +Bondy +Bondie +bondieuserie +bonding +bondings +bondland +bond-land +bondless +bondmaid +bondmaids +bondman +bondmanship +bondmen +bondminder +bondoc +Bondon +bonds +bondservant +bond-servant +bondship +bondslave +bondsman +bondsmen +bondstone +Bondsville +bondswoman +bondswomen +bonduc +bonducnut +bonducs +Bonduel +Bondurant +Bondville +bondwoman +bondwomen +Bone +bone-ace +boneache +bonebinder +boneblack +bonebreaker +bone-breaking +bone-bred +bone-bruising +bone-carving +bone-crushing +boned +bonedog +bonedry +bone-dry +bone-dryness +bone-eater +boneen +bonefish +bonefishes +boneflower +bone-grinding +bone-hard +bonehead +boneheaded +boneheadedness +boneheads +Boney +boneyard +boneyards +bone-idle +bone-lace +bone-laced +bone-lazy +boneless +bonelessly +bonelessness +bonelet +bonelike +Bonellia +bonemeal +bone-piercing +boner +bone-rotting +boners +bones +boneset +bonesets +bonesetter +bone-setter +bonesetting +boneshaker +boneshave +boneshaw +Bonesteel +bonetail +bonete +bone-tired +bonetta +Boneville +bone-weary +bone-white +bonewood +bonework +bonewort +bone-wort +Bonfield +bonfire +bonfires +bonfire's +bong +bongar +bonged +bonging +Bongo +bongoes +bongoist +bongoists +bongos +bongrace +bongs +Bonham +Bonheur +bonheur-du-jour +bonheurs-du-jour +Bonhoeffer +bonhomie +bonhomies +Bonhomme +bonhommie +bonhomous +bonhomously +Boni +bony +boniata +bonier +boniest +Boniface +bonifaces +Bonifay +bonify +bonification +bonyfish +boniform +bonilass +Bonilla +Bonina +Bonine +boniness +boninesses +boning +Bonington +boninite +Bonis +bonism +Bonita +bonytail +bonitary +bonitarian +bonitas +bonity +bonito +bonitoes +bonitos +bonjour +bonk +bonked +bonkers +bonking +bonks +Bonlee +Bonn +Bonnard +Bonnaz +Bonne +Bonneau +Bonnee +Bonney +Bonnell +Bonner +Bonnerdale +bonnering +Bonnes +Bonnesbosq +Bonnet +bonneted +bonneter +Bonneterre +bonnethead +bonnet-headed +bonnetiere +bonnetieres +bonneting +bonnetless +bonnetlike +bonnetman +bonnetmen +bonnets +Bonnette +Bonneville +Bonni +Bonny +bonnibel +Bonnibelle +Bonnice +bonnyclabber +bonny-clabber +Bonnie +bonnier +bonniest +Bonnieville +bonnyish +bonnily +Bonnyman +bonniness +bonnive +bonnyvis +bonnne +bonnnes +bonnock +bonnocks +Bonns +bonnwis +Bono +Bononcini +Bononian +bonorum +bonos +Bonpa +Bonpland +bons +bonsai +Bonsall +Bonsecour +bonsela +bonser +bonsoir +bonspell +bonspells +bonspiel +bonspiels +bontebok +bonteboks +bontebuck +bontebucks +bontee +Bontempelli +bontequagga +Bontoc +Bontocs +Bontok +Bontoks +bon-ton +Bonucci +bonum +bonus +bonuses +bonus's +bon-vivant +Bonwier +bonxie +bonze +bonzer +bonzery +bonzes +bonzian +boo +boob +boobed +boobery +booby +boobialla +boobyalla +boobie +boobies +boobyish +boobyism +boobily +boobing +boobish +boobishness +booby-trap +booby-trapped +booby-trapping +booboisie +booboo +boo-boo +boobook +booboos +boo-boos +boobs +bood +boodh +Boody +boodie +Boodin +boodle +boodled +boodledom +boodleism +boodleize +boodler +boodlers +boodles +boodling +booed +boof +boogaloo +boogeyman +boogeymen +booger +boogerman +boogers +boogy +boogie +boogied +boogies +boogiewoogie +boogie-woogie +boogying +boogyman +boogymen +boogum +boohoo +boohooed +boohooing +boohoos +booing +boojum +Book +bookable +bookbind +bookbinder +bookbindery +bookbinderies +bookbinders +bookbinding +bookboard +bookcase +book-case +bookcases +bookcase's +bookcraft +book-craft +bookdealer +bookdom +booked +bookend +bookends +Booker +bookery +bookers +bookfair +book-fed +book-fell +book-flat +bookfold +book-folder +bookful +bookfuls +bookholder +bookhood +booky +bookie +bookies +bookie's +bookiness +booking +bookings +bookish +bookishly +bookishness +bookism +bookit +bookkeep +bookkeeper +book-keeper +bookkeepers +bookkeeper's +bookkeeping +book-keeping +bookkeepings +bookkeeps +bookland +book-latin +booklear +book-learned +book-learning +bookless +booklet +booklets +booklet's +booklice +booklift +booklike +book-lined +bookling +booklists +booklore +book-lore +booklores +booklouse +booklover +book-loving +bookmaker +book-maker +bookmakers +bookmaking +bookmakings +Bookman +bookmark +bookmarker +bookmarks +book-match +bookmate +bookmen +book-minded +bookmobile +bookmobiles +bookmonger +bookplate +book-plate +bookplates +bookpress +bookrack +bookracks +book-read +bookrest +bookrests +bookroom +books +bookseller +booksellerish +booksellerism +booksellers +bookseller's +bookselling +book-sewer +book-sewing +bookshelf +bookshelfs +bookshelf's +bookshelves +bookshop +bookshops +booksy +bookstack +bookstall +bookstand +book-stealer +book-stitching +bookstore +bookstores +bookstore's +book-taught +bookways +book-ways +bookward +bookwards +book-wing +bookwise +book-wise +bookwork +book-work +bookworm +book-worm +bookworms +bookwright +bool +Boole +boolean +booleans +booley +booleys +booly +boolya +Boolian +boolies +boom +Booma +boomable +boomage +boomah +boom-and-bust +boomboat +boombox +boomboxes +boomdas +boomed +boom-ended +Boomer +boomerang +boomeranged +boomeranging +boomerangs +boomerang's +boomers +boomy +boomier +boomiest +boominess +booming +boomingly +boomkin +boomkins +boomless +boomlet +boomlets +boomorah +booms +boomslang +boomslange +boomster +boomtown +boomtowns +boomtown's +boon +boondock +boondocker +boondocks +boondoggle +boondoggled +boondoggler +boondogglers +boondoggles +boondoggling +Boone +Booneville +boonfellow +boong +boongary +Boony +Boonie +boonies +boonk +boonless +boons +Boonsboro +Boonton +Boonville +Boophilus +boopic +boopis +Boor +boordly +Boorer +boorga +boorish +boorishly +boorishness +Boorman +boors +boor's +boort +boos +boose +boosy +boosies +boost +boosted +booster +boosterism +boosters +boosting +boosts +Boot +bootable +bootblack +bootblacks +bootboy +boot-cleaning +Boote +booted +bootee +bootees +booter +bootery +booteries +Bootes +bootful +Booth +boothage +boothale +boot-hale +Boothe +bootheel +boother +boothes +Boothia +Boothian +boothite +Boothman +bootholder +boothose +booths +Boothville +booty +Bootid +bootie +bootied +booties +bootikin +bootikins +bootyless +booting +bootjack +bootjacks +bootlace +bootlaces +Bootle +bootle-blade +bootleg +boot-leg +bootleger +bootlegged +bootlegger +bootleggers +bootlegger's +bootlegging +bootlegs +bootless +bootlessly +bootlessness +bootlick +bootlicked +bootlicker +bootlickers +bootlicking +bootlicks +bootloader +bootmaker +bootmaking +bootman +bootprint +Boots +bootstrap +bootstrapped +bootstrapping +bootstraps +bootstrap's +boottop +boottopping +boot-topping +Booz +Booze +boozed +boozehound +boozer +boozers +boozes +booze-up +boozy +boozier +booziest +boozify +boozily +booziness +boozing +Bop +Bopeep +Bo-peep +Bophuthatswana +bopyrid +Bopyridae +bopyridian +Bopyrus +Bopp +bopped +bopper +boppers +bopping +boppist +bops +bopster +BOQ +Boqueron +BOR +Bor' +bor- +bor. +Bora +borable +boraces +borachio +boracic +boraciferous +boracite +boracites +boracium +boracous +borage +borages +Boraginaceae +boraginaceous +boragineous +Borago +Borah +Borak +boral +borals +Boran +Borana +borane +boranes +Borani +boras +borasca +borasco +borasque +borasqueborate +Borassus +borate +borated +borates +borating +borax +boraxes +borazon +borazons +Borboridae +borborygm +borborygmatic +borborygmi +borborygmic +borborygmies +borborygmus +Borborus +Borchers +Borchert +Bord +Borda +bordage +bord-and-pillar +bordar +bordarius +Bordeaux +bordel +Bordelais +Bordelaise +bordello +bordellos +bordello's +Bordelonville +bordels +Borden +Bordentown +Border +bordereau +bordereaux +bordered +borderer +borderers +Borderies +bordering +borderings +borderism +borderland +border-land +borderlander +borderlands +borderland's +borderless +borderlight +borderline +borderlines +bordermark +borders +Borderside +Bordet +Bordy +Bordie +Bordiuk +bord-land +bord-lode +bordman +bordrag +bordrage +bordroom +Bordulac +bordun +bordure +bordured +bordures +Bore +boreable +boread +Boreadae +Boreades +Boreal +Borealis +borean +Boreas +borecole +borecoles +bored +boredness +boredom +boredoms +boree +boreen +boreens +boregat +borehole +boreholes +Boreiad +boreism +Borek +Borel +borele +Borer +borers +Bores +boresight +boresome +boresomely +boresomeness +Boreum +Boreus +Borg +Borger +Borgerhout +Borges +Borgeson +borgh +borghalpenny +Borghese +borghi +Borghild +Borgholm +Borgia +Borglum +borh +Bori +boric +borickite +borid +boride +borides +boryl +borine +Boring +boringly +boringness +borings +Borinqueno +Boris +borish +Borislav +borism +borith +bority +borities +borize +Bork +Borlase +borley +Borlow +Borman +Born +bornan +bornane +borne +Bornean +Borneo +borneol +borneols +Bornholm +Bornie +bornyl +borning +bornite +bornites +bornitic +Bornstein +Bornu +Boro +boro- +Borocaine +borocalcite +borocarbide +borocitrate +Borodankov +Borodin +Borodino +borofluohydric +borofluoric +borofluoride +borofluorin +boroglycerate +boroglyceride +boroglycerine +borohydride +borolanite +boron +boronatrocalcite +Borongan +Boronia +boronic +borons +borophenylic +borophenol +Bororo +Bororoan +borosalicylate +borosalicylic +borosilicate +borosilicic +Borotno +borotungstate +borotungstic +borough +Borough-english +borough-holder +boroughlet +borough-man +boroughmaster +borough-master +boroughmonger +boroughmongery +boroughmongering +borough-reeve +boroughs +boroughship +borough-town +boroughwide +borowolframic +borracha +borrachio +Borras +borrasca +borrel +Borrelia +Borrell +Borrelomycetaceae +Borreri +Borreria +Borrichia +Borries +Borroff +Borromean +Borromini +Borroughs +Borrovian +Borrow +borrowable +borrowed +borrower +borrowers +borrowing +borrows +Bors +Borsalino +borsch +borsches +borscht +borschts +borsholder +borsht +borshts +borstal +borstall +borstals +Borszcz +bort +borty +Bortman +borts +bortsch +Bortz +bortzes +Boru +Boruca +Borup +Borussian +borwort +Borzicactus +borzoi +borzois +BOS +Bosanquet +Bosc +boscage +boscages +Bosch +boschbok +boschboks +Boschneger +boschvark +boschveld +Boscobel +Boscovich +Bose +bosey +Boselaphus +Boser +bosh +Boshas +boshbok +boshboks +bosher +boshes +boshvark +boshvarks +BOSIX +Bosjesman +bosk +boskage +boskages +bosker +bosket +boskets +bosky +boskier +boskiest +boskiness +Boskop +boskopoid +bosks +Bosler +bosn +bos'n +bo's'n +Bosnia +Bosniac +Bosniak +Bosnian +Bosnisch +bosom +bosom-breathing +bosom-deep +bosomed +bosomer +bosom-felt +bosom-folded +bosomy +bosominess +bosoming +bosoms +bosom's +bosom-stricken +boson +Bosone +bosonic +bosons +Bosphorus +Bosporan +Bosporanic +Bosporian +Bosporus +Bosque +bosques +bosquet +bosquets +BOSS +bossa +bossage +bossboy +bossdom +bossdoms +bossed +bosseyed +boss-eyed +bosselated +bosselation +bosser +bosses +bosset +bossy +bossier +bossies +bossiest +bossily +bossiness +bossing +bossism +bossisms +bosslet +Bosson +bossship +Bossuet +bostal +bostangi +bostanji +bosthoon +Bostic +Boston +Bostonese +Bostonian +bostonians +bostonian's +bostonite +bostons +Bostow +bostrychid +Bostrychidae +bostrychoid +bostrychoidal +bostryx +Bostwick +bosun +bosuns +Boswall +Boswell +Boswellia +Boswellian +Boswelliana +Boswellism +Boswellize +boswellized +boswellizing +Bosworth +BOT +bot. +bota +botan +botany +botanic +botanica +botanical +botanically +botanicas +botanics +botanies +botanise +botanised +botaniser +botanises +botanising +botanist +botanists +botanist's +botanize +botanized +botanizer +botanizes +botanizing +botano- +botanomancy +botanophile +botanophilist +botargo +botargos +botas +Botaurinae +Botaurus +botch +botched +botchedly +botched-up +botcher +botchery +botcheries +botcherly +botchers +botches +botchy +botchier +botchiest +botchily +botchiness +botching +botchka +botchwork +bote +Botein +botel +boteler +botella +botels +boterol +boteroll +Botes +botete +botfly +botflies +both +Botha +Bothe +Bothell +bother +botheration +bothered +botherer +botherheaded +bothering +botherment +bothers +bothersome +bothersomely +bothersomeness +both-handed +both-handedness +both-hands +bothy +bothie +bothies +bothlike +Bothnia +Bothnian +Bothnic +bothrenchyma +bothria +bothridia +bothridium +bothridiums +Bothriocephalus +Bothriocidaris +Bothriolepis +bothrium +bothriums +Bothrodendron +bothroi +bothropic +Bothrops +bothros +bothsided +bothsidedness +boththridia +bothway +Bothwell +boti +Botkin +Botkins +botling +Botnick +Botocudo +botoyan +botone +botonee +botong +botony +botonn +botonnee +botonny +bo-tree +botry +Botrychium +botrycymose +Botrydium +botrylle +Botryllidae +Botryllus +botryogen +botryoid +botryoidal +botryoidally +botryolite +Botryomyces +botryomycoma +botryomycosis +botryomycotic +Botryopteriaceae +botryopterid +Botryopteris +botryose +botryotherapy +Botrytis +botrytises +bots +Botsares +Botsford +Botswana +bott +Bottali +botte +bottega +bottegas +botteghe +bottekin +Bottger +Botti +Botticelli +Botticellian +bottier +bottine +Bottineau +bottle +bottle-bellied +bottlebird +bottle-blowing +bottlebrush +bottle-brush +bottle-butted +bottle-capping +bottle-carrying +bottle-cleaning +bottle-corking +bottled +bottle-fed +bottle-feed +bottle-filling +bottleflower +bottleful +bottlefuls +bottle-green +bottlehead +bottle-head +bottleholder +bottle-holder +bottlelike +bottlemaker +bottlemaking +bottleman +bottleneck +bottlenecks +bottleneck's +bottlenest +bottlenose +bottle-nose +bottle-nosed +bottle-o +bottler +bottle-rinsing +bottlers +bottles +bottlesful +bottle-shaped +bottle-soaking +bottle-sterilizing +bottlestone +bottle-tailed +bottle-tight +bottle-washer +bottle-washing +bottling +bottom +bottomchrome +bottomed +bottomer +bottomers +bottoming +bottomland +bottomless +bottomlessly +bottomlessness +bottommost +bottomry +bottomried +bottomries +bottomrying +bottoms +bottom-set +bottonhook +Bottrop +botts +bottstick +bottu +botuliform +botulin +botulinal +botulins +botulinum +botulinus +botulinuses +botulism +botulisms +botulismus +Botvinnik +Botzow +Bouak +Bouake +Bouar +boubas +boubou +boubous +boucan +bouch +bouchal +bouchaleen +Bouchard +boucharde +Bouche +bouchee +bouchees +Boucher +boucherism +boucherize +Bouches-du-Rh +bouchette +Bouchier +bouchon +bouchons +Boucicault +Bouckville +boucl +boucle +boucles +boud +bouderie +boudeuse +Boudicca +boudin +boudoir +boudoiresque +boudoirs +Boudreaux +bouet +Boufarik +bouffage +bouffancy +bouffant +bouffante +bouffants +bouffe +bouffes +bouffon +Bougainvillaea +bougainvillaeas +Bougainville +Bougainvillea +Bougainvillia +Bougainvilliidae +bougar +bouge +bougee +bougeron +bouget +Bough +boughed +boughy +boughless +boughpot +bough-pot +boughpots +boughs +bough's +bought +boughten +bougie +bougies +Bouguer +Bouguereau +bouillabaisse +bouilli +bouillon +bouillone +bouillons +bouk +boukit +boul +Boulanger +boulangerite +Boulangism +Boulangist +Boulder +bouldered +boulderhead +bouldery +bouldering +boulders +boulder's +boulder-stone +boulder-strewn +Bouldon +Boule +Boule-de-suif +Bouley +boules +bouleuteria +bouleuterion +boulevard +boulevardier +boulevardiers +boulevardize +boulevards +boulevard's +bouleverse +bouleversement +boulework +Boulez +boulimy +boulimia +boulle +boulles +boullework +Boulogne +Boulogne-Billancourt +Boulogne-sur-Mer +Boulogne-sur-Seine +Boult +boultel +boultell +boulter +boulterer +Boumdienne +boun +bounce +bounceable +bounceably +bounceback +bounced +bouncer +bouncers +bounces +bouncy +bouncier +bounciest +bouncily +bounciness +bouncing +bouncingly +Bound +boundable +boundary +boundaries +boundary-marking +boundary's +Boundbrook +bounded +boundedly +boundedness +bounden +bounder +bounderish +bounderishly +bounders +bounding +boundingly +boundless +boundlessly +boundlessness +boundlessnesses +boundly +boundness +Bounds +boundure +bounteous +bounteously +bounteousness +Bounty +bountied +bounties +bounty-fed +Bountiful +bountifully +bountifulness +bountihead +bountyless +bountiousness +bounty's +bountith +bountree +Bouphonia +bouquet +bouquetiere +bouquetin +bouquets +bouquet's +bouquiniste +bour +bourage +bourasque +Bourbaki +Bourbon +Bourbonesque +Bourbonian +Bourbonic +Bourbonism +Bourbonist +bourbonize +Bourbonnais +bourbons +bourd +bourder +bourdis +bourdon +bourdons +bourette +Bourg +bourgade +Bourgeois +bourgeoise +bourgeoises +bourgeoisie +bourgeoisies +bourgeoisify +bourgeoisitic +bourgeon +bourgeoned +bourgeoning +bourgeons +Bourges +Bourget +Bourgogne +bourgs +Bourguiba +bourguignonne +Bourignian +Bourignianism +Bourignianist +Bourignonism +Bourignonist +Bourke +bourkha +bourlaw +Bourn +Bourne +Bournemouth +bournes +Bourneville +bournless +bournonite +bournous +bourns +bourock +Bourout +Bourque +bourr +bourran +bourrasque +bourre +bourreau +bourree +bourrees +bourrelet +bourride +bourrides +Bourse +bourses +Boursin +bourtree +bourtrees +Bouse +boused +bouser +bouses +bousy +bousing +bousouki +bousoukia +bousoukis +Boussingault +Boussingaultia +boussingaultite +boustrophedon +boustrophedonic +bout +boutade +boutefeu +boutel +boutell +Bouteloua +bouteria +bouteselle +boutylka +boutique +boutiques +Boutis +bouto +Bouton +boutonniere +boutonnieres +boutons +boutre +bouts +bout's +bouts-rimes +Boutte +Boutwell +Bouvard +Bouvardia +bouvier +bouviers +Bouvines +bouw +bouzouki +bouzoukia +bouzoukis +Bouzoun +Bovard +bovarism +bovarysm +bovarist +bovaristic +bovate +Bove +Bovey +bovenland +Bovensmilde +Bovet +Bovgazk +bovicide +boviculture +bovid +Bovidae +bovids +boviform +Bovill +Bovina +bovine +bovinely +bovines +bovinity +bovinities +Bovista +bovld +bovoid +bovovaccination +bovovaccine +Bovril +bovver +Bow +bowable +bowback +bow-back +bow-backed +bow-beaked +bow-bearer +Bow-bell +Bowbells +bow-bending +bowbent +bowboy +bow-compass +Bowden +Bowdichia +bow-dye +bow-dyer +Bowditch +Bowdle +bowdlerisation +bowdlerise +bowdlerised +bowdlerising +bowdlerism +bowdlerization +bowdlerizations +bowdlerize +bowdlerized +bowdlerizer +bowdlerizes +bowdlerizing +Bowdoin +Bowdoinham +Bowdon +bow-draught +bowdrill +Bowe +bowed +bowed-down +bowedness +bowel +boweled +boweling +Bowell +bowelled +bowelless +bowellike +bowelling +bowels +bowel's +Bowen +bowenite +Bower +bowerbird +bower-bird +bowered +Bowery +boweries +Boweryish +bowering +bowerlet +bowerly +bowerlike +bowermay +bowermaiden +Bowerman +Bowers +Bowerston +Bowersville +bowerwoman +Bowes +bowess +bowet +bowfin +bowfins +bowfront +bowge +bowgrace +bow-hand +bowhead +bowheads +bow-houghd +bowyang +bowyangs +Bowie +bowieful +bowie-knife +Bowyer +bowyers +bowing +bowingly +bowings +bow-iron +bowk +bowkail +bowker +bowknot +bowknots +bowl +bowla +bowlder +bowlderhead +bowldery +bowldering +bowlders +Bowlds +bowle +bowled +bowleg +bowlegged +bow-legged +bowleggedness +Bowlegs +Bowler +bowlers +Bowles +bowless +bow-less +bowlful +bowlfuls +bowly +bowlike +bowlin +bowline +bowlines +bowline's +bowling +bowlings +bowllike +bowlmaker +bowls +bowl-shaped +Bowlus +bowmaker +bowmaking +Bowman +Bowmansdale +Bowmanstown +Bowmansville +bowmen +bown +Bowne +bow-necked +bow-net +bowpin +bowpot +bowpots +Bowra +Bowrah +bowralite +Bowring +bows +bowsaw +bowse +bowsed +bowser +bowsery +bowses +bow-shaped +bowshot +bowshots +bowsie +bowsing +bowsman +bowsprit +bowsprits +bowssen +bowstaff +bowstave +bow-street +bowstring +bow-string +bowstringed +bowstringing +bowstrings +bowstring's +bowstrung +bowtel +bowtell +bowtie +bow-window +bow-windowed +bowwoman +bowwood +bowwort +bowwow +bow-wow +bowwowed +bowwows +Box +boxball +boxberry +boxberries +boxboard +boxboards +box-bordered +box-branding +boxbush +box-calf +boxcar +boxcars +boxcar's +box-cleating +box-covering +boxed +box-edged +boxed-in +Boxelder +boxen +Boxer +Boxerism +boxer-off +boxers +boxer-up +boxes +boxfish +boxfishes +Boxford +boxful +boxfuls +boxhaul +box-haul +boxhauled +boxhauling +boxhauls +boxhead +boxholder +Boxholm +boxy +boxiana +boxier +boxiest +boxiness +boxinesses +boxing +boxing-day +boxing-in +boxings +boxkeeper +box-leaved +boxlike +box-locking +boxmaker +boxmaking +boxman +box-nailing +box-office +box-plaited +boxroom +box-shaped +box-strapping +boxthorn +boxthorns +boxty +boxtop +boxtops +boxtop's +boxtree +box-tree +box-trimming +box-turning +boxwallah +boxwood +boxwoods +boxwork +Boz +boza +bozal +Bozcaada +Bozeman +Bozen +bozine +Bozman +bozo +Bozoo +bozos +Bozovich +Bozrah +Bozuwa +Bozzaris +bozze +bozzetto +BP +bp. +BPA +BPC +BPDPA +BPE +BPetE +BPH +BPharm +BPhil +BPI +BPOC +BPOE +BPPS +BPS +BPSS +bpt +BR +Br. +Bra +Braasch +braata +brab +brabagious +Brabancon +Brabant +Brabanter +Brabantine +Brabazon +brabble +brabbled +brabblement +brabbler +brabblers +brabbles +brabbling +brabblingly +Brabejum +Braca +bracae +braccae +braccate +Bracci +braccia +bracciale +braccianite +braccio +Brace +braced +Bracey +bracelet +braceleted +bracelets +bracelet's +bracer +bracery +bracero +braceros +bracers +braces +Braceville +brach +brache +Brachelytra +brachelytrous +bracherer +brachering +braches +brachet +brachets +brachy- +brachia +brachial +brachialgia +brachialis +brachials +Brachiata +brachiate +brachiated +brachiating +brachiation +brachiator +brachyaxis +brachycardia +brachycatalectic +brachycephal +brachycephales +brachycephali +brachycephaly +brachycephalic +brachycephalies +brachycephalism +brachycephalization +brachycephalize +brachycephalous +Brachycera +brachyceral +brachyceric +brachycerous +brachychronic +brachycnemic +Brachycome +brachycrany +brachycranial +brachycranic +brachydactyl +brachydactyly +brachydactylia +brachydactylic +brachydactylism +brachydactylous +brachydiagonal +brachydodrome +brachydodromous +brachydomal +brachydomatic +brachydome +brachydont +brachydontism +brachyfacial +brachiferous +brachigerous +brachyglossal +brachygnathia +brachygnathism +brachygnathous +brachygrapher +brachygraphy +brachygraphic +brachygraphical +brachyhieric +brachylogy +brachylogies +brachymetropia +brachymetropic +Brachinus +brachio- +brachiocephalic +brachio-cephalic +brachiocyllosis +brachiocrural +brachiocubital +brachiofacial +brachiofaciolingual +brachioganoid +Brachioganoidei +brachiolaria +brachiolarian +brachiopod +Brachiopoda +brachiopode +brachiopodist +brachiopodous +brachioradial +brachioradialis +brachiorrhachidian +brachiorrheuma +brachiosaur +Brachiosaurus +brachiostrophosis +brachiotomy +Brachyoura +brachyphalangia +Brachyphyllum +brachypinacoid +brachypinacoidal +brachypyramid +brachypleural +brachypnea +brachypodine +brachypodous +brachyprism +brachyprosopic +brachypterous +brachyrrhinia +brachysclereid +brachyskelic +brachysm +brachystaphylic +Brachystegia +brachisto- +brachistocephali +brachistocephaly +brachistocephalic +brachistocephalous +brachistochrone +brachystochrone +brachistochronic +brachistochronous +Brachystomata +brachystomatous +brachystomous +brachytic +brachytypous +brachytmema +brachium +Brachyura +brachyural +brachyuran +brachyuranic +brachyure +brachyurous +Brachyurus +brachman +brachs +brachtmema +bracing +bracingly +bracingness +bracings +braciola +braciolas +braciole +bracioles +brack +brackebuschite +bracked +Brackely +bracken +brackened +Brackenridge +brackens +bracker +bracket +bracketed +bracketing +brackets +Brackett +bracketted +Brackettville +bracketwise +bracky +bracking +brackish +brackishness +brackmard +Brackney +Bracknell +Bracon +braconid +Braconidae +braconids +braconniere +bracozzo +bract +bractea +bracteal +bracteate +bracted +bracteiform +bracteolate +bracteole +bracteose +bractless +bractlet +bractlets +bracts +Brad +Bradan +bradawl +bradawls +Bradbury +Bradburya +bradded +bradding +Braddyville +Braddock +Brade +Braden +bradenhead +Bradenton +Bradenville +Bradeord +Brader +Bradford +Bradfordsville +Brady +brady- +bradyacousia +bradyauxesis +bradyauxetic +bradyauxetically +bradycardia +bradycardic +bradycauma +bradycinesia +bradycrotic +bradydactylia +bradyesthesia +bradyglossia +bradykinesia +bradykinesis +bradykinetic +bradykinin +bradylalia +bradylexia +bradylogia +bradynosus +bradypepsy +bradypepsia +bradypeptic +bradyphagia +bradyphasia +bradyphemia +bradyphrasia +bradyphrenia +bradypnea +bradypnoea +bradypod +bradypode +Bradypodidae +bradypodoid +Bradypus +bradyseism +bradyseismal +bradyseismic +bradyseismical +bradyseismism +bradyspermatism +bradysphygmia +bradystalsis +bradyteleocinesia +bradyteleokinesis +bradytely +bradytelic +bradytocia +bradytrophic +bradyuria +Bradyville +Bradlee +Bradley +Bradleianism +Bradleigh +Bradleyville +Bradly +bradmaker +Bradman +Bradney +Bradner +bradoon +bradoons +brads +Bradshaw +Bradski +bradsot +Bradstreet +Bradway +Bradwell +brae +braeface +braehead +braeman +braes +brae's +braeside +Braeunig +Brag +Braga +bragas +Bragdon +Brage +brager +Bragg +braggadocian +braggadocianism +Braggadocio +braggadocios +braggardism +braggart +braggartism +braggartly +braggartry +braggarts +braggat +bragged +bragger +braggery +braggers +braggest +bragget +braggy +braggier +braggiest +bragging +braggingly +braggish +braggishly +braggite +braggle +Braggs +Bragi +bragite +bragless +bragly +bragozzo +brags +braguette +bragwort +Braham +Brahe +Brahear +Brahm +Brahma +brahmachari +Brahmahood +Brahmaic +Brahmajnana +Brahmaloka +Brahman +Brahmana +Brahmanaspati +Brahmanda +Brahmanee +Brahmaness +Brahmanhood +Brahmani +Brahmany +Brahmanic +Brahmanical +Brahmanis +Brahmanism +Brahmanist +Brahmanistic +brahmanists +Brahmanize +Brahmans +brahmapootra +Brahmaputra +brahmas +Brahmi +Brahmic +Brahmin +brahminee +Brahminic +Brahminical +Brahminism +Brahminist +brahminists +Brahmins +brahmism +Brahmoism +Brahms +Brahmsian +Brahmsite +Brahui +Bray +braid +braided +braider +braiders +braiding +braidings +Braidism +Braidist +braids +Braidwood +braye +brayed +brayer +brayera +brayerin +brayers +braies +brayette +braying +brail +Braila +brailed +Brayley +brailing +Braille +Brailled +brailler +brailles +Braillewriter +Brailling +Braillist +Brailowsky +brails +Braymer +brain +brainache +Brainard +Braynard +Brainardsville +brain-begot +brain-born +brain-breaking +brain-bred +braincap +braincase +brainchild +brain-child +brainchildren +brainchild's +brain-cracked +braincraft +brain-crazed +brain-crumpled +brain-damaged +brained +brainer +Brainerd +brainfag +brain-fevered +brain-fretting +brainge +brainy +brainier +brainiest +brainily +braininess +braining +brain-injured +brainish +brainless +brainlessly +brainlessness +brainlike +brainpan +brainpans +brainpower +brain-purging +brains +brainsick +brainsickly +brainsickness +brain-smoking +brain-spattering +brain-spun +brainstem +brainstems +brainstem's +brainstone +brainstorm +brainstormer +brainstorming +brainstorms +brainstorm's +brain-strong +brainteaser +brain-teaser +brainteasers +brain-tire +Braintree +brain-trust +brainward +brainwash +brain-wash +brainwashed +brainwasher +brainwashers +brainwashes +brainwashing +brain-washing +brainwashjng +brainwater +brainwave +brainwood +brainwork +brainworker +braird +brairded +brairding +braireau +brairo +brays +braise +braised +braises +braising +braystone +Braithwaite +Brayton +braize +braizes +brake +brakeage +brakeages +braked +brakehand +brakehead +brakeless +brakeload +brakemaker +brakemaking +brakeman +brakemen +braker +brakeroot +brakes +brakesman +brakesmen +brake-testing +brake-van +braky +brakie +brakier +brakiest +braking +Brakpan +Brale +braless +Bram +Bramah +Braman +Bramante +Bramantesque +Bramantip +bramble +brambleberry +brambleberries +bramblebush +brambled +brambles +bramble's +brambly +bramblier +brambliest +brambling +brambrack +brame +Bramia +Bramley +Bramwell +Bran +Brana +Branca +brancard +brancardier +branch +branchage +branch-bearing +branch-building +branch-charmed +branch-climber +Branchdale +branched +branchedness +Branchellion +branch-embellished +brancher +branchery +branches +branchful +branchi +branchy +branchia +branchiae +branchial +Branchiata +branchiate +branchicolous +branchier +branchiest +branchiferous +branchiform +branchihyal +branchiness +branching +branchings +branchio- +Branchiobdella +branchiocardiac +branchiogenous +branchiomere +branchiomeric +branchiomerism +branchiopallial +branchiopneustic +branchiopod +Branchiopoda +branchiopodan +branchiopodous +branchiopoo +Branchiopulmonata +branchiopulmonate +branchiosaur +Branchiosauria +branchiosaurian +Branchiosaurus +branchiostegal +branchiostegan +branchiostege +Branchiostegidae +branchiostegite +branchiostegous +Branchiostoma +branchiostomid +Branchiostomidae +branchiostomous +Branchipodidae +Branchipus +branchireme +Branchiura +branchiurous +Branchland +branchless +branchlet +branchlike +branchling +branchman +Branchport +branch-rent +branchstand +branch-strewn +Branchton +Branchus +Branchville +branchway +Brancusi +Brand +brandade +Brandais +Brandamore +Brande +Brandea +branded +bran-deer +Brandeis +Branden +Brandenburg +Brandenburger +brandenburgh +brandenburgs +Brander +brandering +branders +Brandes +brand-goose +Brandi +Brandy +brandyball +brandy-bottle +brandy-burnt +Brandice +Brandie +brandied +brandies +brandy-faced +brandify +brandying +brandyman +Brandyn +branding +brandy-pawnee +brandiron +Brandise +brandish +brandished +brandisher +brandishers +brandishes +brandishing +brandisite +Brandywine +brandle +brandless +brandling +brand-mark +brand-new +brand-newness +Brando +Brandon +Brandonville +brandreth +brandrith +brands +brandsolder +Brandsville +Brandt +Brandtr +Brandwein +Branen +Branford +Branger +brangle +brangled +branglement +brangler +brangling +Brangus +Branguses +Branham +branial +Braniff +brank +branky +brankie +brankier +brankiest +brank-new +branks +brankursine +brank-ursine +branle +branles +branned +branner +brannerite +branners +bran-new +branny +brannier +branniest +brannigan +branniness +branning +Brannon +Brans +Branscum +Bransford +bransle +bransles +bransolder +Branson +Branstock +Brant +Branta +brantail +brantails +brantcorn +Brantford +brant-fox +Branting +Brantingham +brantle +Brantley +brantness +brants +Brantsford +Brantwood +branular +Branwen +Braque +braquemard +brarow +bras +bra's +Brasca +bras-dessus-bras-dessous +Braselton +brasen +Brasenia +brasero +braseros +brash +Brashear +brasher +brashes +brashest +brashy +brashier +brashiest +brashiness +brashly +brashness +Brasia +brasier +brasiers +Brasil +brasilein +brasilete +brasiletto +Brasilia +brasilin +brasilins +brasils +Brasov +brasque +brasqued +brasquing +Brass +brassage +brassages +brassard +brassards +brass-armed +brassart +brassarts +brassate +Brassavola +brass-bold +brassbound +brassbounder +brass-browed +brass-cheeked +brass-colored +brasse +brassed +brassey +brass-eyed +brasseys +brasser +brasserie +brasseries +brasses +brasset +brass-finishing +brass-fitted +brass-footed +brass-fronted +brass-handled +brass-headed +brass-hilted +brass-hooved +brassy +Brassia +brassic +Brassica +Brassicaceae +brassicaceous +brassicas +brassidic +brassie +brassier +brassiere +brassieres +brassies +brassiest +brassily +brassylic +brassiness +brassing +brassish +brasslike +brass-lined +brass-melting +brass-mounted +Brasso +brass-plated +brass-renting +brass-shapen +brass-smith +brass-tipped +Brasstown +brass-visaged +brassware +brasswork +brassworker +brass-working +brassworks +brast +Braswell +BRAT +bratchet +Brathwaite +Bratianu +bratina +Bratislava +bratling +brats +brat's +bratstva +bratstvo +brattach +Brattain +bratty +brattice +bratticed +bratticer +brattices +bratticing +brattie +brattier +brattiest +brattiness +brattish +brattishing +brattle +Brattleboro +brattled +brattles +brattling +Bratton +Bratwurst +Brauhaus +Brauhauser +braula +Braun +brauna +Brauneberger +Brauneria +Braunfels +braunite +braunites +Braunschweig +Braunschweiger +Braunstein +Brauronia +Brauronian +Brause +Brautlied +Brava +bravade +bravado +bravadoed +bravadoes +bravadoing +bravadoism +bravados +Bravar +bravas +brave +braved +bravehearted +brave-horsed +bravely +brave-looking +brave-minded +braveness +braver +bravery +braveries +bravers +braves +brave-sensed +brave-showing +brave-souled +brave-spirited +brave-spiritedness +bravest +bravi +Bravin +braving +bravish +bravissimo +bravo +bravoed +bravoes +bravoing +bravoite +bravos +bravura +bravuraish +bravuras +bravure +braw +brawer +brawest +brawl +brawled +Brawley +brawler +brawlers +brawly +brawlie +brawlier +brawliest +brawling +brawlingly +brawlis +brawlys +brawls +brawlsome +brawn +brawned +brawnedness +Brawner +brawny +brawnier +brawniest +brawnily +brawniness +brawns +braws +braxy +braxies +Braxton +Braz +Braz. +braza +brazas +braze +Brazeau +brazed +Brazee +braze-jointed +brazen +brazen-barking +brazen-browed +brazen-clawed +brazen-colored +brazened +brazenface +brazen-face +brazenfaced +brazen-faced +brazenfacedly +brazen-facedly +brazenfacedness +brazen-fisted +brazen-floored +brazen-footed +brazen-fronted +brazen-gated +brazen-headed +brazen-hilted +brazen-hoofed +brazen-imaged +brazening +brazen-leaved +brazenly +brazen-lunged +brazen-mailed +brazen-mouthed +brazenness +brazennesses +brazen-pointed +brazens +brazer +brazera +brazers +brazes +brazier +braziery +braziers +brazier's +Brazil +brazilein +brazilette +braziletto +Brazilian +brazilianite +brazilians +brazilin +brazilins +brazilite +Brazil-nut +brazils +brazilwood +brazing +Brazoria +Brazos +Brazzaville +BRC +BRCA +BRCS +BRE +Brea +breach +breached +breacher +breachers +breaches +breachful +breachy +breaching +bread +bread-and-butter +bread-baking +breadbasket +bread-basket +breadbaskets +breadberry +breadboard +breadboards +breadboard's +breadbox +breadboxes +breadbox's +bread-corn +bread-crumb +bread-crumbing +bread-cutting +breadearner +breadearning +bread-eating +breaded +breaden +bread-faced +breadfruit +bread-fruit +breadfruits +breading +breadless +breadlessness +breadline +bread-liner +breadmaker +breadmaking +breadman +breadness +breadnut +breadnuts +breadroot +breads +breadseller +breadstitch +bread-stitch +breadstuff +bread-stuff +breadstuffs +breadth +breadthen +breadthless +breadthriders +breadths +breadthways +breadthwise +bread-tree +breadwinner +bread-winner +breadwinners +breadwinner's +breadwinning +bread-wrapping +breaghe +break +break- +breakability +breakable +breakableness +breakables +breakably +breakage +breakages +breakaway +breakax +breakaxe +breakback +break-back +breakbone +breakbones +break-circuit +breakdown +break-down +breakdowns +breakdown's +breaker +breaker-down +breakerman +breakermen +breaker-off +breakers +breaker-up +break-even +breakfast +breakfasted +breakfaster +breakfasters +breakfasting +breakfastless +breakfasts +breakfront +break-front +breakfronts +break-in +breaking +breaking-in +breakings +breakless +breaklist +breakneck +break-neck +breakoff +break-off +breakout +breakouts +breakover +breakpoint +breakpoints +breakpoint's +break-promise +Breaks +breakshugh +breakstone +breakthrough +break-through +breakthroughes +breakthroughs +breakthrough's +breakup +break-up +breakups +breakwater +breakwaters +breakwater's +breakweather +breakwind +Bream +breamed +breaming +breams +Breana +Breanne +Brear +breards +breast +breastband +breastbeam +breast-beam +breast-beater +breast-beating +breast-board +breastbone +breastbones +breast-deep +Breasted +breaster +breastfast +breast-fed +breast-feed +breastfeeding +breast-feeding +breastful +breastheight +breast-high +breasthook +breast-hook +breastie +breasting +breastless +breastmark +breastpiece +breastpin +breastplate +breast-plate +breastplates +breastplough +breast-plough +breastplow +breastrail +breast-rending +breastrope +breasts +breaststroke +breaststroker +breaststrokes +breastsummer +breastweed +breast-wheel +breastwise +breastwood +breastwork +breastworks +breastwork's +breath +breathability +breathable +breathableness +breathalyse +Breathalyzer +breath-bereaving +breath-blown +breathe +breatheableness +breathed +breather +breathers +breathes +breathful +breath-giving +breathy +breathier +breathiest +breathily +breathiness +breathing +breathingly +Breathitt +breathless +breathlessly +breathlessness +breaths +breathseller +breath-stopping +breath-sucking +breath-tainted +breathtaking +breath-taking +breathtakingly +breba +Breban +Brebner +breccia +breccial +breccias +brecciate +brecciated +brecciating +brecciation +brecham +brechams +brechan +brechans +Brecher +Brechites +Brecht +Brechtel +brechtian +brecia +breck +brecken +Breckenridge +Breckinridge +Brecknockshire +Brecksville +Brecon +Breconshire +Bred +Breda +bredbergite +brede +bredes +bredestitch +bredi +bred-in-the-bone +bredstitch +Bree +Breech +breechblock +breechcloth +breechcloths +breechclout +breeched +breeches +breechesflower +breechesless +breeching +breechless +breechloader +breech-loader +breechloading +breech-loading +breech's +Breed +breedable +breedbate +Breeden +breeder +breeders +breedy +breediness +Breeding +breedings +breedling +breeds +Breedsville +breek +breekless +breeks +breekums +Breen +Breena +breenge +breenger +brees +Breese +Breesport +Breeze +breeze-borne +breezed +breeze-fanned +breezeful +breezeless +breeze-lifted +breezelike +breezes +breeze's +breeze-shaken +breeze-swept +breezeway +breezeways +Breezewood +breeze-wooing +breezy +breezier +breeziest +breezily +breeziness +breezing +Bregenz +Breger +bregma +bregmata +bregmate +bregmatic +brehon +brehonia +brehonship +brei +Brey +Breinigsville +breird +Breislak +breislakite +Breithablik +breithauptite +brekky +brekkle +brelan +brelaw +Brelje +breloque +brember +Bremble +breme +bremely +Bremen +bremeness +Bremer +Bremerhaven +Bremerton +Bremia +Bremond +Bremser +bremsstrahlung +Bren +Brena +Brenan +Brenda +Brendan +brended +Brendel +Brenden +brender +brendice +Brendin +Brendis +Brendon +Brengun +Brenham +Brenk +Brenn +Brenna +brennage +Brennan +Brennen +Brenner +Brennschluss +brens +Brent +Brentano +Brentford +Brenthis +brent-new +Brenton +brents +Brentt +Brentwood +Brenza +brephic +brepho- +br'er +brerd +brere +Bres +Brescia +Brescian +Bresee +Breshkovsky +Breskin +Breslau +Bress +bressomer +Bresson +bressummer +Brest +Bret +Bretagne +bretelle +bretesse +bret-full +breth +brethel +brethren +brethrenism +Breton +Bretonian +bretons +Bretschneideraceae +Brett +Bretta +brettice +Bretwalda +Bretwaldadom +Bretwaldaship +Bretz +breu- +Breuer +Breugel +Breughel +breunnerite +brev +breva +Brevard +breve +breves +brevet +brevetcy +brevetcies +brevete +breveted +breveting +brevets +brevetted +brevetting +brevi +brevi- +breviary +breviaries +breviate +breviature +brevicauda +brevicaudate +brevicipitid +Brevicipitidae +brevicomis +breviconic +brevier +breviers +brevifoliate +breviger +brevilingual +breviloquence +breviloquent +breviped +brevipen +brevipennate +breviradiate +brevirostral +brevirostrate +Brevirostrines +brevis +brevit +brevity +brevities +Brew +brewage +brewages +brewed +Brewer +brewery +breweries +brewery's +brewers +brewership +Brewerton +brewhouse +brewhouses +brewing +brewings +brewis +brewises +brewmaster +brews +brewst +Brewster +brewsterite +Brewton +Brezhnev +Brezin +BRG +BRI +bry- +Bria +Bryaceae +bryaceous +Bryales +Brian +Bryan +Briana +Bryana +Briand +Brianhead +Bryanism +Bryanite +Brianna +Brianne +Briano +Bryansk +Briant +Bryant +Bryanthus +Bryanty +Bryantown +Bryantsville +Bryantville +briar +briarberry +Briard +briards +Briarean +briared +Briareus +briar-hopper +briary +briarroot +briars +briar's +briarwood +bribability +bribable +bribe +bribeability +bribeable +bribed +bribe-devouring +bribee +bribees +bribe-free +bribegiver +bribegiving +bribeless +bribemonger +briber +bribery +briberies +bribers +bribes +bribetaker +bribetaking +bribeworthy +bribing +Bribri +bric-a-brac +bric-a-brackery +Brice +Bryce +Bryceland +Bricelyn +Briceville +Bryceville +brichen +brichette +Brick +brick-barred +brickbat +brickbats +brickbatted +brickbatting +brick-bound +brick-building +brick-built +brick-burning +brick-colored +brickcroft +brick-cutting +brick-drying +brick-dust +brick-earth +bricked +Brickeys +brickel +bricken +Bricker +brickfield +brick-field +brickfielder +brick-fronted +brick-grinding +brick-hemmed +brickhood +bricky +brickyard +brickier +brickiest +bricking +brickish +brickkiln +brick-kiln +bricklay +bricklayer +bricklayers +bricklayer's +bricklaying +bricklayings +brickle +brickleness +brickles +brickly +bricklike +brickliner +bricklining +brickmaker +brickmaking +brickmason +brick-nogged +brick-paved +brickred +brick-red +bricks +brickset +bricksetter +brick-testing +bricktimber +bricktop +brickwall +brick-walled +brickwise +brickwork +bricole +bricoles +brid +bridal +bridale +bridaler +bridally +bridals +bridalty +Bridalveil +Bride +bride-ale +bridebed +bridebowl +bridecake +bridechamber +bridecup +bride-cup +bridegod +bridegroom +bridegrooms +bridegroomship +bridehead +bridehood +bridehouse +Bridey +brideknot +bridelace +bride-lace +brideless +bridely +bridelike +bridelope +bridemaid +bridemaiden +bridemaidship +brideman +brides +bride's +brideship +bridesmaid +bridesmaiding +bridesmaids +bridesmaid's +bridesman +bridesmen +bridestake +bride-to-be +bridewain +brideweed +bridewell +bridewort +Bridge +bridgeable +bridgeables +bridgeboard +bridgebote +bridgebuilder +bridgebuilding +bridged +Bridgehampton +bridgehead +bridgeheads +bridgehead's +bridge-house +bridgekeeper +Bridgeland +bridgeless +bridgelike +bridgemaker +bridgemaking +bridgeman +bridgemaster +bridgemen +Bridgeport +bridgepot +Bridger +Bridges +Bridget +bridgetin +Bridgeton +Bridgetown +bridgetree +Bridgette +Bridgeville +bridgeway +bridgewall +bridgeward +bridgewards +Bridgewater +bridgework +bridgework's +Bridgid +bridging +bridgings +Bridgman +Bridgton +Bridgwater +Bridie +bridle +bridled +bridleless +bridleman +bridler +bridlers +bridles +bridlewise +bridle-wise +bridling +bridoon +bridoons +Bridport +Bridwell +Brie +BRIEF +briefcase +briefcases +briefcase's +briefed +briefer +briefers +briefest +briefing +briefings +briefing's +briefless +brieflessly +brieflessness +briefly +briefness +briefnesses +briefs +Brielle +Brien +Brier +brierberry +briered +Brierfield +briery +brierroot +briers +brierwood +bries +Brieta +Brietta +Brieux +brieve +Brig +Brig. +brigade +brigaded +brigades +brigade's +brigadier +brigadiers +brigadier's +brigadiership +brigading +brigalow +brigand +brigandage +brigander +brigandine +brigandish +brigandishly +brigandism +brigands +Brigantes +Brigantia +Brigantine +brigantines +brigatry +brigbote +Brigette +brigetty +Brigg +Briggs +Briggsdale +Briggsian +Briggsville +Brigham +Brighella +Brighid +Brighouse +Bright +bright-bloomed +bright-cheeked +bright-colored +bright-dyed +bright-eyed +Brighteyes +brighten +brightened +brightener +brighteners +brightening +brightens +brighter +brightest +bright-faced +bright-featured +bright-field +bright-flaming +bright-haired +bright-headed +bright-hued +brightish +bright-leaved +brightly +Brightman +bright-minded +brightness +brightnesses +Brighton +bright-robed +brights +brightsmith +brightsome +brightsomeness +bright-spotted +bright-striped +bright-studded +bright-tinted +Brightwaters +bright-witted +Brightwood +brightwork +Brigid +Brigida +Brigit +Brigitta +Brigitte +Brigittine +brigous +brig-rigged +brigs +brig's +brigsail +brigue +brigued +briguer +briguing +Brihaspati +brike +Brill +brillante +Brillat-Savarin +brilliance +brilliances +brilliancy +brilliancies +brilliandeer +Brilliant +brilliant-cut +brilliantine +brilliantined +brilliantly +brilliantness +brilliants +brilliantwise +brilliolette +Brillion +brillolette +Brillouin +brills +brim +brimborion +brimborium +Brimfield +brimful +brimfull +brimfully +brimfullness +brimfulness +Brimhall +briming +Brimley +brimless +brimly +brimmed +brimmer +brimmered +brimmering +brimmers +brimmimg +brimming +brimmingly +Brimo +brims +brimse +Brimson +brimstone +brimstones +brimstonewort +brimstony +brin +Bryn +Brina +Bryna +Brynathyn +brince +brinded +Brindell +Brindisi +Brindle +brindled +brindles +brindlish +bryndza +Brine +brine-bound +brine-cooler +brine-cooling +brined +brine-dripping +brinehouse +Briney +brineless +brineman +brine-pumping +briner +Bryner +briners +brines +brine-soaked +Bring +bringal +bringall +bringdown +bringed +bringela +bringer +bringers +bringer-up +bringeth +Bringhurst +bringing +bringing-up +brings +bringsel +Brynhild +Briny +brinie +brinier +brinies +briniest +brininess +brininesses +brining +brinish +brinishness +brinjal +brinjaree +brinjarry +brinjarries +brinjaul +Brinje +Brink +Brinkema +Brinkley +brinkless +Brinklow +brinkmanship +brinks +brinksmanship +Brinktown +Brynmawr +Brinn +Brynn +Brinna +Brynna +Brynne +brinny +Brinnon +brins +brinsell +Brinsmade +Brinson +brinston +Brynza +brio +brioche +brioches +bryogenin +briolet +briolette +briolettes +bryology +bryological +bryologies +bryologist +Brion +Bryon +Brioni +briony +bryony +Bryonia +bryonidin +brionies +bryonies +bryonin +brionine +Bryophyllum +Bryophyta +bryophyte +bryophytes +bryophytic +brios +Brioschi +Bryozoa +bryozoan +bryozoans +bryozoon +bryozoum +brique +briquet +briquets +briquette +briquetted +briquettes +briquetting +bris +brys- +brisa +brisance +brisances +brisant +Brisbane +Brisbin +Briscoe +briscola +brise +Briseis +brisement +brises +brise-soleil +Briseus +Brisingamen +brisk +brisked +brisken +briskened +briskening +brisker +briskest +brisket +briskets +brisky +brisking +briskish +briskly +briskness +brisknesses +brisks +brisling +brislings +Bryson +brisque +briss +brisses +Brissotin +Brissotine +brist +bristle +bristlebird +bristlecone +bristled +bristle-faced +bristle-grass +bristleless +bristlelike +bristlemouth +bristlemouths +bristle-pointed +bristler +bristles +bristle-stalked +bristletail +bristle-tailed +bristle-thighed +bristle-toothed +bristlewort +bristly +bristlier +bristliest +bristliness +bristling +Bristo +Bristol +bristols +Bristolville +Bristow +brisure +Brit +Brit. +Brita +Britain +britany +Britannia +Britannian +Britannic +Britannica +Britannically +Britannicus +britchel +britches +britchka +brite +Brith +brither +Brython +Brythonic +Briticism +British +Britisher +britishers +Britishhood +Britishism +British-israel +Britishly +Britishness +Britney +Britni +Brito-icelandic +Britomartis +Briton +Britoness +britons +briton's +brits +britska +britskas +Britt +Britta +Brittain +Brittan +Brittaney +Brittani +Brittany +Britte +Britten +Britteny +brittle +brittlebush +brittled +brittlely +brittleness +brittler +brittles +brittlest +brittle-star +brittlestem +brittlewood +brittlewort +brittly +brittling +Brittne +Brittnee +Brittney +Brittni +Britton +Brittonic +britts +britzka +britzkas +britzska +britzskas +Bryum +Brix +Brixey +Briza +Brize +Brizo +brizz +BRL +BRM +BRN +Brnaba +Brnaby +Brno +Bro +broach +broached +broacher +broachers +broaches +broaching +Broad +broadacre +Broadalbin +broad-arrow +broadax +broadaxe +broad-axe +broadaxes +broad-backed +broadband +broad-based +broad-beamed +Broadbent +broadbill +broad-billed +broad-bladed +broad-blown +broad-bodied +broad-bosomed +broad-bottomed +broad-boughed +broad-bowed +broad-breasted +Broadbrim +broad-brim +broad-brimmed +Broadbrook +broad-built +broadcast +broadcasted +broadcaster +broadcasters +broadcasting +broadcastings +broadcasts +broad-chested +broad-chinned +broadcloth +broadcloths +broad-crested +Broaddus +broad-eared +broad-eyed +broaden +broadened +broadener +broadeners +broadening +broadenings +broadens +broader +broadest +broad-faced +broad-flapped +Broadford +broad-fronted +broadgage +broad-gage +broad-gaged +broad-gauge +broad-gauged +broad-guage +broad-handed +broadhead +broad-headed +broadhearted +broad-hoofed +broadhorn +broad-horned +broadish +broad-jump +Broadlands +Broadleaf +broad-leafed +broad-leaved +broadleaves +broadly +broad-limbed +broadling +broadlings +broad-lipped +broad-listed +broadloom +broadlooms +broad-margined +broad-minded +broadmindedly +broad-mindedly +broad-mindedness +Broadmoor +broadmouth +broad-mouthed +broadness +broadnesses +broad-nosed +broadpiece +broad-piece +broad-ribbed +broad-roomed +Broadrun +Broads +broad-set +broadshare +broadsheet +broad-shouldered +broadside +broadsided +broadsider +broadsides +broadsiding +broad-skirted +broad-souled +broad-spectrum +broad-spoken +broadspread +broad-spreading +broad-sterned +broad-striped +broadsword +broadswords +broadtail +broad-tailed +broad-thighed +broadthroat +broad-tired +broad-toed +broad-toothed +Broadus +Broadview +Broadway +broad-wayed +Broadwayite +broadways +Broadwater +Broadwell +broad-wheeled +broadwife +broad-winged +broadwise +broadwives +brob +Brobdingnag +Brobdingnagian +Broca +brocade +brocaded +brocades +brocading +brocage +brocard +brocardic +brocatel +brocatelle +brocatello +brocatels +Broccio +broccoli +broccolis +broch +brochan +brochant +brochantite +broche +brochette +brochettes +brochidodromous +brocho +brochophony +brocht +brochure +brochures +brochure's +Brock +brockage +brockages +brocked +Brocken +Brocket +brockets +brock-faced +Brocky +Brockie +brockish +brockle +Brocklin +Brockport +brocks +Brockton +Brockway +Brockwell +brocoli +brocolis +Brocton +Brod +brodder +Broddy +Broddie +broddle +brodee +brodeglass +Brodehurst +brodekin +Brodench +brodequin +Broder +broderer +Broderic +Broderick +broderie +Brodeur +Brodhead +Brodheadsville +Brody +Brodiaea +brodyaga +brodyagi +Brodie +Brodnax +Brodsky +broeboe +Broeder +Broederbond +Broek +Broeker +brog +Brogan +brogans +brogger +broggerite +broggle +brogh +Brogle +Broglie +Brogue +brogued +brogueful +brogueneer +broguer +broguery +brogueries +brogues +broguing +broguish +Brohard +Brohman +broid +Broida +broiden +broider +broidered +broiderer +broideress +broidery +broideries +broidering +broiders +broigne +broil +broiled +broiler +broilery +broilers +broiling +broilingly +broils +Brok +brokage +brokages +Brokaw +broke +broken +broken-arched +broken-backed +broken-bellied +Brokenbow +broken-check +broken-down +broken-ended +broken-footed +broken-fortuned +broken-handed +broken-headed +brokenhearted +broken-hearted +brokenheartedly +broken-heartedly +brokenheartedness +broken-heartedness +broken-hipped +broken-hoofed +broken-in +broken-kneed +broken-legged +brokenly +broken-minded +broken-mouthed +brokenness +broken-nosed +broken-paced +broken-record +broken-shanked +broken-spirited +broken-winded +broken-winged +broker +brokerage +brokerages +brokered +brokeress +brokery +brokerly +brokers +brokership +brokes +broking +broletti +broletto +brolga +broll +brolly +brollies +brolly-hop +Brom +brom- +broma +bromacetanilide +bromacetate +bromacetic +bromacetone +bromal +bromalbumin +bromals +bromamide +bromargyrite +bromate +bromated +bromates +bromating +bromatium +bromatology +bromaurate +bromauric +brombenzamide +brombenzene +brombenzyl +Bromberg +bromcamphor +bromcresol +Brome +bromegrass +bromeigon +Bromeikon +Bromelia +Bromeliaceae +bromeliaceous +bromeliad +bromelin +bromelins +bromellite +bromeosin +bromes +bromethyl +bromethylene +Bromfield +bromgelatin +bromhydrate +bromhydric +bromhidrosis +Bromian +bromic +bromid +bromide +bromides +bromide's +bromidic +bromidically +bromidrosiphobia +bromidrosis +bromids +bromin +brominate +brominated +brominating +bromination +bromindigo +bromine +bromines +brominism +brominize +bromins +bromiodide +Bromios +bromyrite +bromisation +bromise +bromised +bromising +bromism +bromisms +bromite +Bromius +bromization +bromize +bromized +bromizer +bromizes +bromizing +Bromley +Bromleigh +bromlite +bromo +bromo- +bromoacetone +bromoaurate +bromoaurates +bromoauric +bromobenzene +bromobenzyl +bromocamphor +bromochloromethane +bromochlorophenol +bromocyanid +bromocyanidation +bromocyanide +bromocyanogen +bromocresol +bromodeoxyuridine +bromoethylene +bromoform +bromogelatin +bromohydrate +bromohydrin +bromoil +bromoiodid +bromoiodide +bromoiodism +bromoiodized +bromoketone +bromol +bromomania +bromomenorrhea +bromomethane +bromometry +bromometric +bromometrical +bromometrically +bromonaphthalene +bromophenol +bromopicrin +bromopikrin +bromopnea +bromoprotein +bromos +bromothymol +bromouracil +bromous +bromphenol +brompicrin +Bromsgrove +bromthymol +bromuret +Bromus +bromvoel +bromvogel +Bron +Bronaugh +bronc +bronch- +bronchadenitis +bronchi +bronchia +bronchial +bronchially +bronchiarctia +bronchiectasis +bronchiectatic +bronchiloquy +bronchio- +bronchiocele +bronchiocrisis +bronchiogenic +bronchiolar +bronchiole +bronchioles +bronchiole's +bronchioli +bronchiolitis +bronchiolus +bronchiospasm +bronchiostenosis +bronchitic +bronchitis +bronchium +broncho +broncho- +bronchoadenitis +bronchoalveolar +bronchoaspergillosis +bronchoblennorrhea +bronchobuster +bronchocavernous +bronchocele +bronchocephalitis +bronchoconstriction +bronchoconstrictor +bronchodilatation +bronchodilator +bronchoegophony +bronchoesophagoscopy +bronchogenic +bronchography +bronchographic +bronchohemorrhagia +broncholemmitis +broncholith +broncholithiasis +bronchomycosis +bronchomotor +bronchomucormycosis +bronchopathy +bronchophony +bronchophonic +bronchophthisis +bronchoplasty +bronchoplegia +bronchopleurisy +bronchopneumonia +bronchopneumonic +bronchopulmonary +bronchorrhagia +bronchorrhaphy +bronchorrhea +bronchos +bronchoscope +Bronchoscopy +bronchoscopic +bronchoscopically +bronchoscopist +bronchospasm +bronchostenosis +bronchostomy +bronchostomies +bronchotetany +bronchotyphoid +bronchotyphus +bronchotome +bronchotomy +bronchotomist +bronchotracheal +bronchovesicular +bronchus +bronco +broncobuster +broncobusters +broncobusting +broncos +broncs +Bronder +Bronez +brongniardite +Bronislaw +Bronk +Bronny +Bronnie +Bronson +Bronston +bronstrops +Bront +Bronte +Bronteana +bronteon +brontephobia +Brontes +Brontesque +bronteum +brontide +brontides +brontogram +brontograph +brontolite +brontolith +brontology +brontometer +brontophobia +Brontops +brontosaur +brontosauri +brontosaurs +Brontosaurus +brontosauruses +brontoscopy +brontothere +Brontotherium +Brontozoum +Bronwen +Bronwyn +Bronwood +Bronx +Bronxite +Bronxville +bronze +bronze-bearing +bronze-bound +bronze-brown +bronze-casting +bronze-clad +bronze-colored +bronze-covered +bronzed +bronze-foreheaded +bronze-gilt +bronze-gleaming +bronze-golden +bronze-haired +bronze-yellow +bronzelike +bronzen +bronze-purple +bronzer +bronzers +bronzes +bronze-shod +bronzesmith +bronzewing +bronze-winged +bronzy +bronzier +bronziest +bronzify +bronzine +bronzing +bronzings +Bronzino +bronzite +bronzitite +broo +brooch +brooched +brooches +brooching +brooch's +brood +brooded +brooder +brooders +broody +broodier +broodiest +broodily +broodiness +brooding +broodingly +broodless +broodlet +broodling +broodmare +broods +broodsac +Brook +brookable +Brookdale +Brooke +brooked +Brookeland +Brooker +Brookes +Brookesmith +Brookeville +Brookfield +brookflower +Brookhaven +Brookhouse +brooky +brookie +brookier +brookiest +Brooking +Brookings +brookite +brookites +Brookland +Brooklandville +Brooklawn +brookless +Brooklet +brooklets +brooklike +brooklime +Brooklin +Brooklyn +Brookline +Brooklynese +Brooklynite +Brookneal +Brookner +Brookport +Brooks +Brookshire +brookside +Brookston +Brooksville +Brookton +Brooktondale +Brookview +Brookville +brookweed +Brookwood +brool +broom +Broomall +broomball +broomballer +broombush +broomcorn +Broome +broomed +broomer +Broomfield +broomy +broomier +broomiest +brooming +broom-leaved +broommaker +broommaking +broomrape +broomroot +brooms +broom's +broom-sewing +broomshank +broomsquire +broomstaff +broomstick +broomsticks +broomstick's +broomstraw +broomtail +broomweed +broomwood +broomwort +broon +Broonzy +broos +broose +Brooten +broozled +broquery +broquineer +Bros +bros. +Brose +Broseley +broses +Brosy +Brosimum +Brosine +brosot +brosse +Brost +brot +brotan +brotany +brotchen +Brote +Broteas +brotel +broth +brothe +brothel +brotheler +brothellike +brothelry +brothels +brothel's +Brother +brothered +brother-german +brotherhood +brotherhoods +brother-in-arms +brothering +brother-in-law +brotherless +brotherly +brotherlike +brotherliness +brotherlinesses +brotherred +Brothers +brother's +brothership +brothers-in-law +Brotherson +Brotherton +brotherwort +brothy +brothier +brothiest +broths +brotocrystal +Brott +Brottman +Brotula +brotulid +Brotulidae +brotuliform +Broucek +brouette +brough +brougham +brougham-landaulet +broughams +brought +broughta +broughtas +Broughton +brouhaha +brouhahas +brouille +brouillon +Broun +Broussard +Broussonetia +Brout +Brouwer +brouze +brow +browache +Browallia +browband +browbands +browbeat +browbeaten +browbeater +browbeating +browbeats +brow-bent +browbound +browd +browden +Browder +browed +Brower +Browerville +browet +browis +browless +browman +Brown +brown-armed +brownback +brown-backed +brown-banded +brown-barreled +brown-bearded +brown-berried +brown-colored +brown-complexioned +Browne +browned +browned-off +brown-eyed +Brownell +browner +brownest +brown-faced +Brownfield +brown-green +brown-haired +brown-headed +browny +Brownian +Brownie +brownier +brownies +brownie's +browniest +browniness +Browning +Browningesque +brownish +brownish-yellow +brownishness +brownish-red +Brownism +Brownist +Brownistic +Brownistical +brown-leaved +Brownlee +Brownley +brownly +brown-locked +brownness +brownnose +brown-nose +brown-nosed +brownnoser +brown-noser +brown-nosing +brownout +brownouts +brownprint +brown-purple +brown-red +brown-roofed +Browns +brown-sailed +Brownsboro +Brownsburg +Brownsdale +brownshirt +brown-skinned +brown-sleeve +Brownson +brown-spotted +brown-state +brown-stemmed +brownstone +brownstones +Brownstown +brown-strained +Brownsville +browntail +brown-tailed +Brownton +browntop +Browntown +Brownville +brown-washed +brownweed +Brownwood +brownwort +browpiece +browpost +brows +brow's +browsability +browsage +browse +browsed +browser +browsers +browses +browsick +browsing +browst +brow-wreathed +browzer +Broxton +Broz +Brozak +brr +brrr +BRS +BRT +bruang +Bruant +Brubaker +Brubeck +brubru +brubu +Bruce +Brucella +brucellae +brucellas +brucellosis +Bruceton +Brucetown +Bruceville +Bruch +bruchid +Bruchidae +Bruchus +brucia +Brucie +brucin +brucina +brucine +brucines +brucins +brucite +bruckle +bruckled +bruckleness +Bruckner +Bructeri +Bruegel +Brueghel +Bruell +bruet +Brufsky +Bruges +Brugge +brugh +brughs +brugnatellite +Bruhn +bruyere +Bruyeres +Bruin +Bruyn +Bruington +bruins +Bruis +bruise +bruised +bruiser +bruisers +bruises +bruisewort +bruising +bruisingly +bruit +bruited +bruiter +bruiters +bruiting +bruits +bruja +brujas +brujeria +brujo +brujos +bruke +Brule +brulee +brules +brulyie +brulyiement +brulyies +brulot +brulots +brulzie +brulzies +brum +Brumaire +brumal +Brumalia +brumbee +brumby +brumbie +brumbies +brume +brumes +Brumidi +Brumley +Brummagem +brummagen +Brummell +brummer +brummy +Brummie +brumous +brumstane +brumstone +Brunanburh +brunch +brunched +brunches +brunching +brunch-word +Brundidge +Brundisium +brune +Bruneau +Brunei +Brunel +Brunell +Brunella +Brunelle +Brunelleschi +Brunellesco +Brunellia +Brunelliaceae +brunelliaceous +Bruner +brunet +Brunetiere +brunetness +brunets +brunette +brunetteness +brunettes +Brunfelsia +Brunhild +Brunhilda +Brunhilde +Bruni +Bruning +brunion +brunissure +Brunistic +brunizem +brunizems +Brunk +Brunn +brunneous +Brunner +Brunnhilde +Brunnichia +Bruno +Brunonia +Brunoniaceae +Brunonian +Brunonism +Bruns +Brunson +Brunsville +Brunswick +brunt +brunts +Brusa +bruscha +bruscus +Brusett +Brush +brushability +brushable +brushback +brushball +brushbird +brush-breaking +brushbush +brushcut +brushed +brusher +brusher-off +brushers +brusher-up +brushes +brushet +brushfire +brush-fire +brushfires +brushfire's +brush-footed +brushful +brushy +brushier +brushiest +brushiness +brushing +brushite +brushland +brushless +brushlessness +brushlet +brushlike +brushmaker +brushmaking +brushman +brushmen +brushoff +brush-off +brushoffs +brushpopper +brushproof +brush-shaped +brush-tail +brush-tailed +Brushton +brush-tongued +brush-treat +brushup +brushups +brushwood +brushwork +brusk +brusker +bruskest +bruskly +bruskness +Brusly +brusque +brusquely +brusqueness +brusquer +brusquerie +brusquest +Brussel +Brussels +brustle +brustled +brustling +brusure +Brut +Bruta +brutage +brutal +brutalisation +brutalise +brutalised +brutalising +brutalism +brutalist +brutalitarian +brutalitarianism +brutality +brutalities +brutalization +brutalize +brutalized +brutalizes +brutalizing +brutally +brutalness +brute +bruted +brutedom +brutely +brutelike +bruteness +brutes +brute's +brutify +brutification +brutified +brutifies +brutifying +bruting +brutish +brutishly +brutishness +brutism +brutisms +brutter +Brutus +Bruxelles +bruxism +bruxisms +bruzz +Brzegiem +BS +b's +Bs/L +BSA +BSAA +BSAdv +BSAE +BSAeE +BSAgE +BSAgr +BSArch +BSArchE +BSArchEng +BSBA +BSBH +BSBus +BSBusMgt +BSC +BSCE +BSCh +BSChE +BSchMusic +BSCM +BSCom +B-scope +BSCP +BSD +BSDes +BSDHyg +BSE +BSEc +BSEd +BSEE +BSEEngr +BSElE +BSEM +BSEng +BSEP +BSES +BSF +BSFM +BSFMgt +BSFS +BSFT +BSGE +BSGeNEd +BSGeolE +BSGMgt +BSGph +bsh +BSHA +B-shaped +BSHE +BSHEc +BSHEd +BSHyg +BSI +BSIE +BSIndEd +BSIndEngr +BSIndMgt +BSIR +BSIT +BSJ +bskt +BSL +BSLabRel +BSLArch +BSLM +BSLS +BSM +BSME +BSMedTech +BSMet +BSMetE +BSMin +BSMT +BSMTP +BSMusEd +BSN +BSNA +BSO +BSOC +BSOrNHort +BSOT +BSP +BSPA +BSPE +BSPH +BSPhar +BSPharm +BSPHN +BSPhTh +BSPT +BSRec +BSRet +BSRFS +BSRT +BSS +BSSA +BSSc +BSSE +BSSS +BST +BSTIE +BSTJ +BSTrans +BSW +BT +Bt. +BTAM +BTCh +BTE +BTh +BTHU +B-type +btise +BTL +btl. +BTN +BTO +BTOL +btry +btry. +BTS +BTU +BTW +BU +bu. +BuAer +bual +buat +Buatti +buaze +Bub +buba +bubal +bubale +bubales +bubaline +Bubalis +bubalises +Bubalo +bubals +bubas +Bubastid +Bubastite +Bubb +Bubba +bubber +bubby +bubbybush +bubbies +bubble +bubble-and-squeak +bubblebow +bubble-bow +bubbled +bubbleless +bubblelike +bubblement +bubbler +bubblers +bubbles +bubbletop +bubbletops +bubbly +bubblier +bubblies +bubbliest +bubbly-jock +bubbliness +bubbling +bubblingly +bubblish +Bube +Buber +bubinga +bubingas +Bubo +buboed +buboes +Bubona +bubonalgia +bubonic +Bubonidae +bubonocele +bubonoceze +bubos +bubs +bubukle +bucayo +Bucaramanga +bucare +bucca +buccal +buccally +buccan +buccaned +buccaneer +buccaneering +buccaneerish +buccaneers +buccaning +buccanned +buccanning +buccaro +buccate +Buccellarius +bucchero +buccheros +buccin +buccina +buccinae +buccinal +buccinator +buccinatory +Buccinidae +bucciniform +buccinoid +Buccinum +Bucco +buccobranchial +buccocervical +buccogingival +buccolabial +buccolingual +bucconasal +Bucconidae +Bucconinae +buccopharyngeal +buccula +bucculae +Bucculatrix +Bucelas +Bucella +bucellas +bucentaur +bucentur +Bucephala +Bucephalus +Buceros +Bucerotes +Bucerotidae +Bucerotinae +Buch +Buchalter +Buchan +Buchanan +Buchanite +Bucharest +Buchbinder +Buchenwald +Bucher +Buchheim +buchite +Buchloe +Buchman +Buchmanism +Buchmanite +Buchner +Buchnera +buchnerite +buchonite +Buchtel +buchu +Buchwald +Bucyrus +Buck +buckayro +buckayros +buck-and-wing +buckaroo +buckaroos +buckass +Buckatunna +buckbean +buck-bean +buckbeans +buckberry +buckboard +buckboards +buckboard's +buckbrush +buckbush +Buckden +bucked +buckeen +buckeens +buckeye +buck-eye +buckeyed +buck-eyed +buckeyes +Buckeystown +Buckels +bucker +buckeroo +buckeroos +buckers +bucker-up +bucket +bucketed +bucketeer +bucket-eyed +bucketer +bucketful +bucketfull +bucketfuls +buckety +bucketing +bucketmaker +bucketmaking +bucketman +buckets +bucket's +bucketsful +bucket-shaped +bucketshop +bucket-shop +Buckfield +Buckhannon +Buckhead +Buckholts +buckhorn +buck-horn +buckhound +buck-hound +buckhounds +Bucky +Buckie +bucking +Buckingham +Buckinghamshire +buckish +buckishly +buckishness +buckism +buckjump +buck-jump +buckjumper +Buckland +bucklandite +Buckle +buckle-beggar +buckled +Buckley +Buckleya +buckleless +Buckler +bucklered +buckler-fern +buckler-headed +bucklering +bucklers +buckler-shaped +buckles +Bucklin +buckling +bucklum +Buckman +buck-mast +Bucknell +Buckner +bucko +buckoes +buckone +buck-one +buck-passing +buckplate +buckpot +buckra +buckram +buckramed +buckraming +buckrams +buckras +Bucks +bucksaw +bucksaws +bucks-beard +buckshee +buckshees +buck's-horn +buckshot +buck-shot +buckshots +buckskin +buckskinned +buckskins +Bucksport +buckstay +buckstall +buck-stall +buckstone +bucktail +bucktails +buckteeth +buckthorn +bucktooth +buck-tooth +bucktoothed +buck-toothed +bucktooths +bucku +buckwagon +buckwash +buckwasher +buckwashing +buck-washing +buckwheat +buckwheater +buckwheatlike +buckwheats +Bucoda +bucoliast +bucolic +bucolical +bucolically +bucolicism +Bucolics +Bucolion +Bucorvinae +Bucorvus +Bucovina +bucrane +bucrania +bucranium +bucrnia +Bucure +Bucuresti +Bud +Buda +Budapest +budbreak +Budd +buddage +buddah +Budde +budded +Buddenbrooks +budder +budders +Buddh +Buddha +Buddha-field +Buddhahood +Buddhaship +buddhi +Buddhic +Buddhism +Buddhist +Buddhistic +Buddhistical +Buddhistically +buddhists +Buddhology +Buddhological +Buddy +buddy-boy +buddy-buddy +Buddie +buddied +buddies +buddying +Budding +buddings +buddy's +buddle +buddled +Buddleia +buddleias +buddleman +buddler +buddles +buddling +Bude +Budenny +Budennovsk +Buderus +Budge +budge-barrel +budged +budger +budgeree +budgereegah +budgerigah +budgerygah +budgerigar +budgerigars +budgero +budgerow +budgers +budges +Budget +budgetary +budgeted +budgeteer +budgeter +budgeters +budgetful +budgeting +budgets +budgy +budgie +budgies +budging +Budh +budless +budlet +budlike +budling +budmash +Budorcas +buds +bud's +budtime +Budukha +Buduma +Budweis +Budweiser +Budwig +budwood +budworm +budworms +Budworth +budzart +budzat +Bueche +Buehler +Buehrer +Bueyeros +Buell +Buellton +Buena +buenas +Buenaventura +Bueno +Buenos +Buerger +Bueschel +Buettneria +Buettneriaceae +BUF +bufagin +Buff +buffa +buffability +buffable +Buffalo +buffaloback +buffaloed +buffaloes +buffalofish +buffalofishes +buffalo-headed +buffaloing +buffalos +buff-backed +buffball +buffbar +buff-bare +buff-breasted +buff-citrine +buffcoat +buff-colored +buffe +buffed +buffer +buffered +Bufferin +buffering +bufferrer +bufferrers +bufferrer's +buffers +buffer's +Buffet +buffeted +buffeter +buffeters +buffeting +buffetings +buffets +buffi +Buffy +buff-yellow +buffier +buffiest +buffin +buffing +buffle +bufflehead +buffleheaded +buffle-headed +bufflehorn +Buffo +Buffon +buffone +buffont +buffoon +buffoonery +buffooneries +buffoonesque +buffoonish +buffoonishness +buffoonism +buffoons +buffoon's +buff-orange +buffos +buffs +buff's +buff-tipped +Buffum +buffware +buff-washed +bufidin +bufo +bufonid +Bufonidae +bufonite +Buford +bufotalin +bufotenin +bufotenine +bufotoxin +Bug +bugaboo +bugaboos +Bugayev +bugala +bugan +Buganda +bugara +Bugas +bugbane +bugbanes +bugbear +bugbeardom +bugbearish +bugbears +Bugbee +bugbite +bugdom +bugeye +bugeyed +bug-eyed +bugeyes +bug-eyes +bugfish +buggane +bugged +bugger +buggered +buggery +buggeries +buggering +buggers +bugger's +buggess +buggy +buggier +buggies +buggiest +buggyman +buggymen +bugginess +bugging +buggy's +bughead +bughouse +bughouses +bught +Bugi +Buginese +Buginvillaea +bug-juice +bugle +bugled +bugle-horn +bugler +buglers +bugles +buglet +bugleweed +bugle-weed +buglewort +bugling +bugloss +buglosses +bugology +bugologist +bugong +bugout +bugproof +bugre +bugs +bug's +bugseed +bugseeds +bugsha +bugshas +bugweed +bug-word +bugwort +Buhl +buhlbuhl +Buhler +buhls +buhlwork +buhlworks +buhr +buhrmill +buhrs +buhrstone +Bui +buy +Buia +buyable +buyback +buybacks +buibui +Buick +buicks +Buyer +Buyers +buyer's +Buyides +buying +build +buildable +builded +builder +builders +building +buildingless +buildings +buildress +builds +buildup +build-up +buildups +buildup's +built +builtin +built-in +built-up +Buine +buyout +buyouts +buirdly +Buiron +buys +Buyse +Buisson +buist +Buitenzorg +Bujumbura +Buka +Bukat +Bukavu +Buke +Bukeyef +bukh +Bukhara +Bukharin +Bukidnon +Bukittinggi +bukk- +Bukovina +bukshee +bukshi +Bukum +Bul +bul. +Bula +Bulacan +bulak +Bulan +Bulanda +Bulawayo +bulb +bulbaceous +bulbar +bulbed +bulbel +bulbels +bulby +bulbier +bulbiest +bulbiferous +bulbiform +bulbil +Bulbilis +bulbilla +bulbils +bulbine +bulbless +bulblet +bulblets +bulblike +bulbo- +bulbocapnin +bulbocapnine +bulbocavernosus +bulbocavernous +Bulbochaete +Bulbocodium +bulbomedullary +bulbomembranous +bulbonuclear +Bulbophyllum +bulborectal +bulbose +bulbospinal +bulbotuber +bulbourethral +bulbo-urethral +bulbous +bulbously +bulbous-rooted +bulbs +bulb's +bulb-tee +bulbul +bulbule +bulbuls +bulbus +bulchin +bulder +Bulfinch +Bulg +Bulg. +Bulganin +Bulgar +Bulgari +Bulgaria +Bulgarian +bulgarians +Bulgaric +Bulgarophil +Bulge +bulged +Bulger +bulgers +bulges +bulgy +bulgier +bulgiest +bulginess +bulging +bulgingly +bulgur +bulgurs +bulies +bulimy +bulimia +bulimiac +bulimias +bulimic +bulimiform +bulimoid +Bulimulidae +Bulimus +bulk +bulkage +bulkages +bulked +bulker +bulkhead +bulkheaded +bulkheading +bulkheads +bulkhead's +bulky +bulkier +bulkiest +bulkily +bulkin +bulkiness +bulking +bulkish +bulk-pile +bulks +Bull +bull- +bull. +bulla +bullace +bullaces +bullae +bullalaria +bullamacow +bullan +Bullard +bullary +bullaria +bullaries +bullarium +bullate +bullated +bullation +bullback +bull-bait +bull-baiter +bullbaiting +bull-baiting +bullbat +bullbats +bull-bearing +bullbeggar +bull-beggar +bullberry +bullbird +bull-bitch +bullboat +bull-bragging +bull-browed +bullcart +bullcomber +bulldog +bull-dog +bulldogged +bulldoggedness +bulldogger +bulldoggy +bulldogging +bulldoggish +bulldoggishly +bulldoggishness +bulldogism +bulldogs +bulldog's +bull-dose +bulldoze +bulldozed +bulldozer +bulldozers +bulldozes +bulldozing +bulldust +bulled +Bulley +Bullen +bullen-bullen +Buller +bullescene +bullet +bulleted +bullethead +bullet-head +bulletheaded +bulletheadedness +bullet-hole +bullety +bulletin +bulletined +bulleting +bulletining +bulletins +bulletin's +bulletless +bulletlike +bulletmaker +bulletmaking +bulletproof +bulletproofed +bulletproofing +bulletproofs +bullets +bullet's +bulletwood +bull-faced +bullfeast +bullfice +bullfight +bull-fight +bullfighter +bullfighters +bullfighting +bullfights +bullfinch +bullfinches +bullfist +bullflower +bullfoot +bullfrog +bull-frog +bullfrogs +bull-fronted +bullgine +bull-god +bull-grip +bullhead +bullheaded +bull-headed +bullheadedly +bullheadedness +bullheads +bullhide +bullhoof +bullhorn +bull-horn +bullhorns +Bully +bullyable +Bullialdus +bullyboy +bullyboys +Bullidae +bullydom +bullied +bullier +bullies +bulliest +bulliform +bullyhuff +bullying +bullyingly +bullyism +bullimong +bulling +bully-off +Bullion +bullionism +bullionist +bullionless +bullions +bullyrag +bullyragged +bullyragger +bullyragging +bullyrags +bullyrock +bully-rock +bullyrook +Bullis +bullish +bullishly +bullishness +bullism +bullit +bullition +Bullitt +Bullivant +bulllike +bull-like +bull-man +bull-mastiff +bull-mouthed +bullneck +bullnecked +bull-necked +bullnecks +bullnose +bull-nosed +bullnoses +bullnut +Bullock +bullocker +bullocky +Bullockite +bullockman +bullocks +bullock's-heart +Bullom +bullose +Bullough +bullous +bullpates +bullpen +bullpens +bullpoll +bullpout +bullpouts +Bullpup +bullragged +bullragging +bullring +bullrings +bullroarer +bull-roarer +bull-roaring +bull-run +bull-running +bullrush +bullrushes +bulls +bullseye +bull's-eye +bull's-eyed +bull's-eyes +bullshit +bullshits +bullshitted +bullshitting +Bullshoals +bullshot +bullshots +bullskin +bullsnake +bullsticker +bullsucker +bullswool +bullterrier +bull-terrier +bulltoad +bull-tongue +bull-tongued +bull-tonguing +bull-trout +bullule +Bullville +bull-voiced +bullweed +bullweeds +bullwhack +bull-whack +bullwhacker +bullwhip +bull-whip +bullwhipped +bullwhipping +bullwhips +bullwork +bullwort +Bulmer +bulnbuln +Bulolo +Bulow +Bulpitt +bulreedy +bulrush +bulrushes +bulrushy +bulrushlike +bulse +bult +bultey +bultell +bulten +bulter +Bultman +Bultmann +bultong +bultow +bulwand +bulwark +bulwarked +bulwarking +bulwarks +Bulwer +Bulwer-Lytton +Bum +bum- +bumaloe +bumaree +bumbailiff +bumbailiffship +bumbard +bumbarge +bumbass +bumbaste +bumbaze +bumbee +bumbelo +bumbershoot +bumble +bumblebee +bumble-bee +bumblebeefish +bumblebeefishes +bumblebees +bumblebee's +bumbleberry +bumblebomb +bumbled +Bumbledom +bumblefoot +bumblekite +bumblepuppy +bumble-puppy +bumbler +bumblers +bumbles +bumbling +bumblingly +bumblingness +bumblings +bumbo +bumboat +bumboatman +bumboatmen +bumboats +bumboatwoman +bumclock +Bumelia +bumf +bumfeg +bumfs +bumfuzzle +Bumgardner +bumicky +bumkin +bumkins +bummack +bummalo +bummalos +bummaree +bummed +bummel +bummer +bummery +bummerish +bummers +bummest +bummie +bummil +bumming +bummle +bummler +bummock +bump +bumped +bumpee +bumper +bumpered +bumperette +bumpering +bumpers +bumph +bumphs +bumpy +bumpier +bumpiest +bumpily +bumpiness +bumping +bumpingly +bumping-off +bumpity +bumpkin +bumpkinet +bumpkinish +bumpkinly +bumpkins +bumpoff +bump-off +bumpology +bumps +bumpsy +bump-start +bumptious +bumptiously +bumptiousness +bums +bum's +bumsucking +bumtrap +bumwood +bun +Buna +Bunaea +buncal +Bunce +Bunceton +Bunch +bunchbacked +bunch-backed +bunchberry +bunchberries +Bunche +bunched +buncher +bunches +bunchflower +bunchy +bunchier +bunchiest +bunchily +bunchiness +bunching +bunch-word +bunco +buncoed +buncoing +Buncombe +buncombes +buncos +Bund +Bunda +Bundaberg +Bundahish +Bunde +Bundeli +Bundelkhand +Bunder +Bundesrat +Bundesrath +Bundestag +bundh +Bundy +bundies +Bundist +bundists +bundle +bundled +bundler +bundlerooted +bundle-rooted +bundlers +bundles +bundlet +bundling +bundlings +bundobust +bundoc +bundocks +bundook +Bundoora +bunds +bundt +bundts +Bundu +bundweed +bunemost +bung +Bunga +bungaloid +bungalow +bungalows +bungalow's +bungarum +Bungarus +bunged +bungee +bungey +bunger +bungerly +bungfu +bungfull +bung-full +bunghole +bungholes +bungy +bunging +bungle +bungled +bungler +bunglers +bungles +bunglesome +bungling +bunglingly +bunglings +bungmaker +bungo +bungos +bungs +bungstarter +bungtown +bungwall +Bunia +bunya +bunya-bunya +bunyah +Bunyan +Bunyanesque +bunyas +bunyip +Bunin +Buninahua +bunion +bunions +bunion's +Bunyoro +bunjara +bunji-bunji +bunk +bunked +Bunker +bunkerage +bunkered +bunkery +bunkering +bunkerman +bunkermen +bunkers +bunker's +Bunkerville +bunkhouse +bunkhouses +bunkhouse's +Bunky +Bunkie +bunking +bunkload +bunkmate +bunkmates +bunkmate's +bunko +bunkoed +bunkoing +bunkos +bunks +bunkum +bunkums +Bunn +Bunnell +Bunni +Bunny +bunnia +Bunnie +bunnies +bunnymouth +bunning +bunny's +Bunns +bunodont +Bunodonta +Bunola +bunolophodont +Bunomastodontidae +bunoselenodont +Bunow +bunraku +bunrakus +buns +bun's +Bunsen +bunsenite +bunt +buntal +bunted +Bunter +bunters +bunty +buntine +Bunting +buntings +buntline +buntlines +bunton +bunts +Bunuel +bunuelo +Bunus +buoy +buoyage +buoyages +buoyance +buoyances +buoyancy +buoyancies +buoyant +buoyantly +buoyantness +buoyed +buoyed-up +buoying +buoys +buoy-tender +buonamani +buonamano +Buonaparte +Buonarroti +Buonomo +Buononcini +Buote +Buphaga +Buphagus +Buphonia +buphthalmia +buphthalmic +buphthalmos +Buphthalmum +bupleurol +Bupleurum +buplever +buprestid +Buprestidae +buprestidan +Buprestis +buqsha +buqshas +BUR +Bur. +bura +Burack +Burayan +Buraydah +Buran +burans +burao +Buraq +Buras +Burbage +Burbank +burbankian +Burbankism +burbark +Burberry +Burberries +burble +burbled +burbler +burblers +burbles +burbly +burblier +burbliest +burbling +burbolt +burbot +burbots +burbs +burbush +Burch +Burchard +Burchett +Burchfield +Burck +Burckhardt +Burd +burdalone +burd-alone +burdash +Burdelle +burden +burdenable +burdened +burdener +burdeners +burdening +burdenless +burdenous +burdens +burdensome +burdensomely +burdensomeness +Burdett +Burdette +Burdick +burdie +burdies +Burdigalian +Burdine +burdock +burdocks +burdon +burds +Bure +bureau +bureaucracy +bureaucracies +bureaucracy's +bureaucrat +bureaucratese +bureaucratic +bureaucratical +bureaucratically +bureaucratism +bureaucratist +bureaucratization +bureaucratize +bureaucratized +bureaucratizes +bureaucratizing +bureaucrats +bureaucrat's +bureaus +bureau's +bureaux +burel +burelage +burele +burely +burelle +burelly +Buren +buret +burets +burette +burettes +burez +burfish +Burford +Burfordville +Burg +burga +burgage +burgages +burgality +burgall +burgamot +burganet +Burgas +burgau +burgaudine +Burgaw +burg-bryce +burge +burgee +burgees +Burgener +Burgenland +burgensic +burgeon +burgeoned +burgeoning +burgeons +Burger +burgers +Burgess +burgessdom +burgesses +burgess's +burgess-ship +Burget +Burgettstown +burggrave +burgh +burghal +burghalpenny +burghal-penny +burghbote +burghemot +burgh-english +burgher +burgherage +burgherdom +burgheress +burgherhood +burgheristh +burghermaster +burghers +burgher's +burghership +Burghley +burghmaster +burghmoot +burghmote +burghs +Burgin +burglar +burglary +burglaries +burglarious +burglariously +burglary's +burglarise +burglarised +burglarising +burglarize +burglarized +burglarizes +burglarizing +burglarproof +burglarproofed +burglarproofing +burglarproofs +burglars +burglar's +burgle +burgled +burgles +burgling +Burgoyne +burgomaster +burgomasters +burgomastership +burgonet +burgonets +burgoo +Burgoon +burgoos +Burgos +burgout +burgouts +burgrave +burgraves +burgraviate +burgs +burgul +burgullian +Burgundy +Burgundian +Burgundies +burgus +burgware +Burgwell +burgwere +burh +Burhans +burhead +burhel +Burhinidae +Burhinus +burhmoot +Buri +Bury +buriable +burial +burial-ground +burial-place +burials +burian +Buriat +Buryat +Buryats +buried +buriels +burier +buriers +buries +burying +burying-ground +burying-place +burin +burinist +burins +burion +burys +buriti +Burk +burka +Burkburnett +Burke +burked +burkei +burker +burkers +burkes +Burkesville +Burket +Burkett +Burkettsville +Burkeville +burkha +Burkhard +Burkhardt +Burkhart +burking +burkite +burkites +Burkitt +Burkittsville +Burkle +Burkley +burkundauze +burkundaz +Burkville +Burl +burlace +burladero +burlap +burlaps +burlecue +burled +Burley +burleycue +Burleigh +burleys +burler +burlers +burlesk +burlesks +Burleson +burlesque +burlesqued +burlesquely +burlesquer +burlesques +burlesquing +burlet +burletta +burly +burly-boned +Burlie +burlier +burlies +burliest +burly-faced +burly-headed +burlily +burliness +burling +Burlingame +Burlingham +Burlington +Burlison +burls +Burma +Burman +Burmannia +Burmanniaceae +burmanniaceous +Burmans +Burmese +burmite +Burmo-chinese +Burn +burn- +Burna +Burnaby +burnable +Burnard +burnbeat +burn-beat +Burne +burned +burned-out +burned-over +Burney +Burneyville +Burne-Jones +Burner +burner-off +burners +Burnet +burnetize +burnets +Burnett +burnettize +burnettized +burnettizing +Burnettsville +burnewin +burnfire +Burnham +Burny +Burnie +burniebee +burnies +Burnight +burning +burning-bush +burning-glass +burningly +burnings +burning-wood +Burnips +burnish +burnishable +burnished +burnished-gold +burnisher +burnishers +burnishes +burnishing +burnishment +Burnley +burn-nose +burnoose +burnoosed +burnooses +burnous +burnoused +burnouses +burnout +burnouts +burnover +Burns +Burnsed +Burnsian +Burnside +burnsides +Burnsville +burnt +burnt-child +Burntcorn +burn-the-wind +burntly +burntness +burnt-out +burnt-umber +burnt-up +burntweed +burnup +burn-up +burnut +burnweed +Burnwell +burnwood +buro +Buroker +buroo +BURP +burped +burping +burps +Burr +Burra +burrah +burras-pipe +burratine +burrawang +burrbark +burred +burree +bur-reed +burrel +burrel-fly +Burrell +burrel-shot +burrer +burrers +burrfish +burrfishes +burrgrailer +burrhead +burrheaded +burrheadedness +burrhel +burry +burrier +burriest +Burrill +burring +burrio +Burris +burrish +burrito +burritos +burrknot +burro +burro-back +burrobrush +burrock +burros +burro's +Burroughs +Burrow +burrow-duck +burrowed +burroweed +burrower +burrowers +burrowing +Burrows +burrowstown +burrows-town +burr-pump +burrs +burr's +burrstone +burr-stone +Burrton +Burrus +burs +Bursa +bursae +bursal +bursar +bursary +bursarial +bursaries +bursars +bursarship +bursas +bursate +bursati +bursattee +bursautee +bursch +Burschenschaft +Burschenschaften +burse +bursectomy +burseed +burseeds +Bursera +Burseraceae +Burseraceous +burses +bursicle +bursiculate +bursiform +bursitis +bursitises +bursitos +Burson +burst +burst-cow +bursted +burster +bursters +bursty +burstiness +bursting +burstone +burstones +bursts +burstwort +bursula +Burt +Burta +burthen +burthened +burthening +burthenman +burthens +burthensome +Burty +Burtie +Burtis +Burton +burtonization +burtonize +burtons +Burtonsville +Burton-upon-Trent +burtree +Burtrum +Burtt +burucha +Burundi +burundians +Burushaski +Burut +burweed +burweeds +Burwell +BUS +bus. +Busaos +busbar +busbars +Busby +busbies +busboy +busboys +busboy's +buscarl +buscarle +Busch +Buschi +Busching +Buseck +bused +Busey +busera +buses +Bush +bushbaby +bushbashing +bushbeater +bushbeck +bushbody +bushbodies +bushboy +bushbuck +bushbucks +bushcraft +bushed +Bushey +Bushel +bushelage +bushelbasket +busheled +busheler +bushelers +bushelful +bushelfuls +busheling +bushelled +busheller +bushelling +bushelman +bushelmen +bushels +bushel's +bushelwoman +busher +bushers +bushes +bushet +bushfighter +bush-fighter +bushfighting +bushfire +bushfires +bushful +bushgoat +bushgoats +bushgrass +bush-grown +bush-haired +bushhammer +bush-hammer +bush-harrow +bush-head +bush-headed +bushi +bushy +bushy-bearded +bushy-browed +Bushido +bushidos +bushie +bushy-eared +bushier +bushiest +bushy-haired +bushy-headed +bushy-legged +bushily +bushiness +bushing +bushings +Bushire +bushy-tailed +bushy-whiskered +bushy-wigged +Bushkill +Bushland +bushlands +bush-league +bushless +bushlet +bushlike +bushmaker +bushmaking +Bushman +bushmanship +bushmaster +bushmasters +bushmen +bushment +Bushnell +Bushongo +Bushore +bushpig +bushranger +bush-ranger +bushranging +bushrope +bush-rope +bush-shrike +bush-skirted +bush-tailed +bushtit +bushtits +Bushton +Bushveld +bushwa +bushwack +bushwah +bushwahs +bushwalking +bushwas +Bushweller +bushwhack +bushwhacked +bushwhacker +bushwhackers +bushwhacking +bushwhacks +bushwife +bushwoman +Bushwood +busy +busybody +busybodied +busybodies +busybodyish +busybodyism +busybodyness +busy-brained +Busycon +busied +Busiek +busier +busies +busiest +busy-fingered +busyhead +busy-headed +busy-idle +busying +busyish +busily +busine +business +busyness +businesses +busynesses +businessese +businesslike +businesslikeness +businessman +businessmen +business's +businesswoman +businesswomen +busing +busings +Busiris +busy-tongued +busywork +busyworks +busk +busked +busker +buskers +busket +busky +buskin +buskined +busking +buskins +Buskirk +buskle +busks +Buskus +busload +busman +busmen +Busoni +Busra +Busrah +buss +bussed +Bussey +busser +busser-in +busses +Bussy +bussing +bussings +bussock +bussu +Bust +bustard +bustards +bustard's +busted +bustee +Buster +busters +busthead +busti +busty +bustian +bustic +busticate +bustics +bustier +bustiers +bustiest +busting +bustle +bustled +bustler +bustlers +bustles +bustling +bustlingly +busto +busts +bust-up +busulfan +busulfans +busuuti +busway +BUT +but- +butacaine +butadiene +butadiyne +butanal +but-and-ben +butane +butanes +butanoic +butanol +butanolid +butanolide +butanols +butanone +butanones +butat +Butazolidin +Butch +butcha +Butcher +butcherbird +butcher-bird +butcherbroom +butcherdom +butchered +butcherer +butcheress +butchery +butcheries +butchering +butcherless +butcherly +butcherliness +butcherous +butcher-row +butchers +butcher's +butcher's-broom +butches +Bute +Butea +butein +Butenandt +but-end +butene +butenes +butenyl +Buteo +buteonine +buteos +Butes +Buteshire +butic +Butyl +butylamine +butylate +butylated +butylates +butylating +butylation +butyl-chloral +butylene +butylenes +butylic +butyls +butin +Butyn +butine +butyne +butyr +butyr- +butyraceous +butyral +butyraldehyde +butyrals +butyrate +butyrates +butyric +butyrically +butyryl +butyryls +butyrin +butyrinase +butyrins +butyro- +butyrochloral +butyrolactone +butyrometer +butyrometric +butyrone +butyrous +butyrousness +butle +butled +Butler +butlerage +butlerdom +butleress +butlery +butleries +butlerism +butlerlike +butlers +butler's +butlership +Butlerville +butles +butling +butment +Butner +butolism +Butomaceae +butomaceous +Butomus +butoxy +butoxyl +buts +buts-and-bens +Butsu +butsudan +Butt +Butta +buttal +buttals +Buttaro +Butte +butted +butter +butteraceous +butter-and-eggs +butterback +butterball +butterbill +butter-billed +butterbird +butterboat-bill +butterboat-billed +butterbough +butterbox +butter-box +butterbump +butter-bump +butterbur +butterburr +butterbush +butter-colored +buttercup +buttercups +butter-cutting +buttered +butterer +butterers +butterfat +butterfats +Butterfield +butterfingered +butter-fingered +butterfingers +butterfish +butterfishes +butterfly +butterflied +butterflyer +butterflies +butterflyfish +butterflyfishes +butterfly-flower +butterflying +butterflylike +butterfly-pea +butterfly's +butterflower +butterhead +buttery +butterier +butteries +butteriest +butteryfingered +butterine +butteriness +buttering +butteris +butterjags +butterless +butterlike +buttermaker +buttermaking +butterman +Buttermere +buttermilk +buttermonger +buttermouth +butter-mouthed +butternose +butternut +butter-nut +butternuts +butterpaste +butter-print +butter-rigged +butterroot +butter-rose +Butters +butterscotch +butterscotches +butter-smooth +butter-toothed +butterweed +butterwife +butterwoman +butterworker +butterwort +Butterworth +butterwright +buttes +buttgenbachite +butt-headed +butty +butties +buttyman +butt-in +butting +butting-in +butting-joint +buttinski +buttinsky +buttinskies +buttle +buttled +buttling +buttock +buttocked +buttocker +buttocks +buttock's +Button +buttonball +buttonbur +buttonbush +button-covering +button-down +button-eared +buttoned +buttoner +buttoners +buttoner-up +button-fastening +button-headed +buttonhold +button-hold +buttonholder +button-holder +buttonhole +button-hole +buttonholed +buttonholer +buttonholes +buttonhole's +buttonholing +buttonhook +buttony +buttoning +buttonless +buttonlike +buttonmold +buttonmould +buttons +button-sewing +button-shaped +button-slitting +button-tufting +buttonweed +Buttonwillow +buttonwood +buttress +buttressed +buttresses +buttressing +buttressless +buttresslike +Buttrick +butts +butt's +buttstock +butt-stock +buttstrap +buttstrapped +buttstrapping +buttwoman +buttwomen +buttwood +Buttzville +Butung +butut +bututs +Butzbach +buvette +Buxaceae +buxaceous +Buxbaumia +Buxbaumiaceae +buxeous +buxerry +buxerries +buxine +buxom +buxomer +buxomest +buxomly +buxomness +Buxtehude +Buxton +Buxus +buz +buzane +buzylene +buzuki +buzukia +buzukis +Buzz +Buzzard +buzzardly +buzzardlike +buzzards +buzzard's +buzzbomb +buzzed +Buzzell +buzzer +buzzerphone +buzzers +buzzes +buzzgloak +buzzy +buzzier +buzzies +buzziest +buzzing +buzzingly +buzzle +buzzsaw +buzzwig +buzzwigs +buzzword +buzzwords +buzzword's +BV +BVA +BVC +BVD +BVDs +BVE +BVY +BVM +bvt +BW +bwana +bwanas +BWC +BWG +BWI +BWM +BWR +BWT +BWTS +BWV +BX +bx. +bxs +Bz +Bziers +C +C. +C.A. +C.A.F. +C.B. +C.B.D. +C.B.E. +C.C. +C.D. +C.E. +C.F. +C.G. +c.h. +C.I. +C.I.O. +c.m. +C.M.G. +C.O. +C.O.D. +C.P. +C.R. +C.S. +C.T. +C.V.O. +c.w.o. +c/- +C/A +C/D +c/f +C/L +c/m +C/N +C/O +C3 +CA +ca' +ca. +CAA +Caaba +caam +caama +caaming +Caanthus +caapeba +caatinga +CAB +caba +cabaa +cabaan +caback +Cabaeus +cabaho +Cabal +cabala +cabalas +cabalassou +cabaletta +cabalic +cabalism +cabalisms +cabalist +cabalistic +cabalistical +cabalistically +cabalists +Caball +caballed +caballer +caballeria +caballero +caballeros +caballine +caballing +Caballo +caballos +cabals +caban +cabana +cabanas +Cabanatuan +cabane +Cabanis +cabaret +cabaretier +cabarets +cabas +cabasa +cabasset +cabassou +Cabazon +cabbage +cabbaged +cabbagehead +cabbageheaded +cabbageheadedness +cabbagelike +cabbages +cabbage's +cabbagetown +cabbage-tree +cabbagewood +cabbageworm +cabbagy +cabbaging +cabbala +cabbalah +cabbalahs +cabbalas +cabbalism +cabbalist +cabbalistic +cabbalistical +cabbalistically +cabbalize +cabbed +cabber +cabby +cabbie +cabbies +cabbing +cabble +cabbled +cabbler +cabbling +cabda +cabdriver +cabdriving +Cabe +cabecera +cabecudo +Cabeiri +cabeliau +Cabell +cabellerote +caber +Cabery +Cabernet +cabernets +cabers +cabestro +cabestros +Cabet +cabezon +cabezone +cabezones +cabezons +cabful +cabiai +cabildo +cabildos +cabilliau +Cabimas +cabin +cabin-class +Cabinda +cabined +cabinet +cabineted +cabineting +cabinetmake +cabinetmaker +cabinet-maker +cabinetmakers +cabinetmaking +cabinetmakings +cabinetry +cabinets +cabinet's +cabinetted +cabinetwork +cabinetworker +cabinetworking +cabinetworks +cabining +cabinlike +Cabins +cabin's +cabio +Cabirean +Cabiri +Cabiria +Cabirian +Cabiric +Cabiritic +Cable +cable-car +cablecast +cabled +cablegram +cablegrams +cablelaid +cable-laid +cableless +cablelike +cableman +cablemen +cabler +cables +cablese +cable-stitch +cablet +cablets +cableway +cableways +cabling +cablish +cabman +cabmen +cabob +cabobs +caboceer +caboche +caboched +cabochon +cabochons +cabocle +caboclo +caboclos +Cabomba +Cabombaceae +cabombas +caboodle +caboodles +cabook +Cabool +caboose +cabooses +Caborojo +caboshed +cabossed +Cabot +cabotage +cabotages +cabotin +cabotinage +cabots +cabouca +Cabral +cabre +cabree +Cabrera +cabrerite +cabresta +cabrestas +cabresto +cabrestos +cabret +cabretta +cabrettas +cabreuva +cabrie +cabrilla +cabrillas +Cabrini +cabriole +cabrioles +cabriolet +cabriolets +cabrit +cabrito +CABS +cab's +cabstand +cabstands +cabuya +cabuyas +cabuja +cabulla +cabureiba +caburn +CAC +cac- +Caca +ca-ca +cacaesthesia +cacafuego +cacafugo +Cacajao +Cacak +Cacalia +cacam +Cacan +Cacana +cacanapa +ca'canny +cacanthrax +cacao +cacaos +Cacara +cacas +Cacatua +Cacatuidae +Cacatuinae +cacaxte +Caccabis +caccagogue +caccia +caccias +cacciatora +cacciatore +Caccini +Cacciocavallo +cace +cacei +cacemphaton +cacesthesia +cacesthesis +cachaca +cachaemia +cachaemic +cachalot +cachalote +cachalots +cachaza +cache +cache-cache +cachectic +cachectical +cached +cachemia +cachemic +cachepot +cachepots +caches +cache's +cachespell +cachet +cacheted +cachetic +cacheting +cachets +cachexy +cachexia +cachexias +cachexic +cachexies +cachibou +cachila +cachimailla +cachina +cachinate +caching +cachinnate +cachinnated +cachinnating +cachinnation +cachinnator +cachinnatory +cachoeira +cacholong +cachot +cachou +cachous +cachrys +cachua +cachucha +cachuchas +cachucho +cachunde +caci +Cacia +Cacicus +cacidrosis +Cacie +Cacilia +Cacilie +cacimbo +cacimbos +caciocavallo +cacique +caciques +caciqueship +caciquism +cack +Cacka +cacked +cackerel +cack-handed +cacking +cackle +cackled +cackler +cacklers +cackles +cackling +cacks +CACM +caco- +cacochylia +cacochymy +cacochymia +cacochymic +cacochymical +cacocholia +cacochroia +cacocnemia +cacodaemon +cacodaemoniac +cacodaemonial +cacodaemonic +cacodemon +cacodemonia +cacodemoniac +cacodemonial +cacodemonic +cacodemonize +cacodemonomania +cacodyl +cacodylate +cacodylic +cacodyls +cacodontia +cacodorous +cacodoxy +cacodoxian +cacodoxical +cacoeconomy +cacoenthes +cacoepy +cacoepist +cacoepistic +cacoethes +cacoethic +cacogalactia +cacogastric +cacogenesis +cacogenic +cacogenics +cacogeusia +cacoglossia +cacographer +cacography +cacographic +cacographical +cacolet +cacolike +cacology +cacological +cacomagician +cacomelia +cacomistle +cacomixl +cacomixle +cacomixls +cacomorphia +cacomorphosis +caconychia +caconym +caconymic +cacoon +cacopathy +cacopharyngia +cacophony +cacophonia +cacophonic +cacophonical +cacophonically +cacophonies +cacophonist +cacophonists +cacophonize +cacophonous +cacophonously +cacophthalmia +cacoplasia +cacoplastic +cacoproctia +cacorhythmic +cacorrhachis +cacorrhinia +cacosmia +cacospermia +cacosplanchnia +cacostomia +cacothansia +cacothelin +cacotheline +cacothes +cacothesis +cacothymia +cacotype +cacotopia +cacotrichia +cacotrophy +cacotrophia +cacotrophic +cacoxene +cacoxenite +cacozeal +caco-zeal +cacozealous +cacozyme +cacqueteuse +cacqueteuses +Cactaceae +cactaceous +cactal +Cactales +cacti +cactiform +cactoid +Cactus +cactuses +cactuslike +cacumen +cacuminal +cacuminate +cacumination +cacuminous +cacur +Cacus +CAD +Cadal +cadalene +cadamba +cadaster +cadasters +cadastral +cadastrally +cadastration +cadastre +cadastres +cadaver +cadaveric +cadaverin +cadaverine +cadaverize +cadaverous +cadaverously +cadaverousness +cadavers +cadbait +cadbit +cadbote +CADD +Caddaric +cadded +caddesse +caddy +caddice +caddiced +caddicefly +caddices +Caddie +caddied +caddies +caddiing +caddying +cadding +caddis +caddised +caddises +caddisfly +caddisflies +caddish +caddishly +caddishness +caddishnesses +caddisworm +caddle +Caddo +Caddoan +caddow +Caddric +cade +cadeau +cadee +Cadel +Cadell +cadelle +cadelles +Cadena +Cadence +cadenced +cadences +cadency +cadencies +cadencing +cadenette +cadent +cadential +Cadenza +cadenzas +cader +caderas +cadere +Cades +cadesse +Cadet +cadetcy +cadets +cadetship +cadette +cadettes +cadew +cadge +cadged +cadger +cadgers +cadges +cadgy +cadgily +cadginess +cadging +cadi +Cady +cadie +cadying +cadilesker +Cadillac +cadillacs +cadillo +cadinene +cadis +cadish +cadism +cadiueio +Cadyville +Cadiz +cadjan +cadlock +Cadman +Cadmann +Cadmar +Cadmarr +Cadmean +cadmia +cadmic +cadmide +cadmiferous +cadmium +cadmiumize +cadmiums +Cadmopone +Cadmus +Cadogan +Cadorna +cados +Cadott +cadouk +cadrans +cadre +cadres +cads +cadua +caduac +caduca +caducary +caducean +caducecei +caducei +caduceus +caduciary +caduciaries +caducibranch +Caducibranchiata +caducibranchiate +caducicorn +caducity +caducities +caducous +caduke +cadus +CADV +Cadwal +Cadwallader +cadweed +Cadwell +Cadzand +CAE +cae- +caeca +caecal +caecally +caecectomy +caecias +caeciform +Caecilia +Caeciliae +caecilian +Caeciliidae +caecity +caecitis +caecocolic +caecostomy +caecotomy +caecum +Caedmon +Caedmonian +Caedmonic +Caeli +Caelian +caelometer +Caelum +Caelus +Caen +caen- +Caeneus +Caenis +Caenogaea +Caenogaean +caenogenesis +caenogenetic +caenogenetically +Caenolestes +caenostyly +caenostylic +Caenozoic +caen-stone +caeoma +caeomas +caeremoniarius +Caerleon +Caernarfon +Caernarvon +Caernarvonshire +Caerphilly +Caesalpinia +Caesalpiniaceae +caesalpiniaceous +Caesar +Caesaraugusta +Caesardom +Caesarea +Caesarean +Caesareanize +caesareans +Caesaria +Caesarian +Caesarism +Caesarist +caesarists +Caesarize +caesaropapacy +caesaropapism +caesaropapist +caesaropopism +Caesarotomy +caesars +Caesarship +caesious +caesium +caesiums +caespitose +caespitosely +caestus +caestuses +caesura +caesurae +caesural +caesuras +caesuric +Caetano +CAF +cafard +cafardise +CAFE +cafeneh +cafenet +cafes +cafe's +cafe-society +cafetal +cafeteria +cafeterias +cafetiere +cafetorium +caff +caffa +caffeate +caffeic +caffein +caffeina +caffeine +caffeines +caffeinic +caffeinism +caffeins +caffeism +caffeol +caffeone +caffetannic +caffetannin +caffiaceous +caffiso +caffle +caffled +caffling +caffoy +caffoline +caffre +Caffrey +cafh +Cafiero +cafila +cafiz +cafoy +caftan +caftaned +caftans +cafuso +cag +Cagayan +cagayans +Cage +caged +cageful +cagefuls +cagey +cageyness +cageless +cagelike +cageling +cagelings +cageman +cageot +cager +cager-on +cagers +cages +cagester +cagework +caggy +cag-handed +cagy +cagier +cagiest +cagily +caginess +caginesses +caging +cagit +Cagle +Cagliari +Cagliostro +cagmag +Cagn +Cagney +cagot +Cagoulard +Cagoulards +cagoule +CAGR +Caguas +cagui +Cahan +Cahenslyism +cahier +cahiers +Cahill +Cahilly +cahincic +Cahita +cahiz +Cahn +Cahnite +Cahokia +Cahone +cahoot +cahoots +Cahors +cahot +cahow +cahows +Cahra +Cahuapana +cahuy +Cahuilla +cahuita +CAI +cay +Caia +Cayapa +Caiaphas +Cayapo +caiarara +caic +Cayce +caickle +Caicos +caid +caids +Caye +Cayey +Cayenne +cayenned +cayennes +Cayes +Cayla +cailcedra +Cailean +Cayley +Cayleyan +caille +Cailleac +cailleach +Cailly +cailliach +Caylor +caimacam +caimakam +caiman +cayman +caimans +caymans +caimitillo +caimito +Cain +caynard +Cain-colored +caine +Caines +Caingang +Caingangs +caingin +Caingua +ca'ing-whale +Cainian +Cainish +Cainism +Cainite +Cainitic +cainogenesis +Cainozoic +cains +Cainsville +cayos +caiper-callie +caique +caiquejee +caiques +cair +Cairba +Caird +cairds +Cairene +Cairistiona +cairn +Cairnbrook +cairned +cairngorm +cairngorum +cairn-headed +cairny +Cairns +Cairo +CAIS +cays +Cayser +caisse +caisson +caissoned +caissons +Caitanyas +Caite +Caithness +caitif +caitiff +caitiffs +caitifty +Caitlin +Caitrin +Cayubaba +Cayubaban +cayuca +cayuco +Cayucos +Cayuga +Cayugan +Cayugas +Caius +Cayuse +cayuses +Cayuta +Cayuvava +caixinha +Cajan +cajang +Cajanus +cajaput +cajaputs +cajava +cajeput +cajeputol +cajeputole +cajeputs +cajeta +cajole +cajoled +cajolement +cajolements +cajoler +cajolery +cajoleries +cajolers +cajoles +cajoling +cajolingly +cajon +cajones +cajou +cajuela +Cajun +cajuns +cajuput +cajuputene +cajuputol +cajuputs +Cakavci +Cakchikel +cake +cakebox +cakebread +caked +cake-eater +cakehouse +cakey +cakemaker +cakemaking +cake-mixing +caker +cakes +cakette +cakewalk +cakewalked +cakewalker +cakewalking +cakewalks +caky +cakier +cakiest +Cakile +caking +cakra +cakravartin +Cal +Cal. +calaba +Calabar +calabar-bean +Calabari +Calabasas +calabash +calabashes +calabaza +calabazilla +calaber +calaboose +calabooses +calabozo +calabrasella +Calabrese +Calabresi +Calabria +Calabrian +calabrians +calabur +calade +Caladium +caladiums +Calah +calahan +Calais +calaite +Calakmul +calalu +Calama +Calamagrostis +calamanco +calamancoes +calamancos +calamander +calamansi +calamar +calamari +calamary +Calamariaceae +calamariaceous +Calamariales +calamarian +calamaries +calamarioid +calamarmar +calamaroid +calamars +calambac +calambour +calami +calamiferious +calamiferous +calamiform +calaminary +calaminaris +calamine +calamined +calamines +calamining +calamint +Calamintha +calamints +calamistral +calamistrate +calamistrum +calamite +calamitean +Calamites +calamity +calamities +calamity's +calamitoid +calamitous +calamitously +calamitousness +calamitousnesses +Calamodendron +calamondin +Calamopitys +Calamospermae +Calamostachys +calamumi +calamus +Calan +calander +calando +Calandra +calandre +Calandria +Calandridae +Calandrinae +Calandrinia +calangay +calanid +calanque +calantas +Calantha +Calanthe +Calapan +calapite +calapitte +Calappa +Calappidae +Calas +calascione +calash +calashes +calastic +Calathea +calathi +calathian +calathidia +calathidium +calathiform +calathisci +calathiscus +calathos +calaththi +calathus +Calatrava +calavance +calaverite +Calbert +calbroben +calc +calc- +calcaemia +calcaire +calcanea +calcaneal +calcanean +calcanei +calcaneoastragalar +calcaneoastragaloid +calcaneocuboid +calcaneofibular +calcaneonavicular +calcaneoplantar +calcaneoscaphoid +calcaneotibial +calcaneum +calcaneus +calcannea +calcannei +calc-aphanite +calcar +calcarate +calcarated +Calcarea +calcareo- +calcareoargillaceous +calcareobituminous +calcareocorneous +calcareosiliceous +calcareosulphurous +calcareous +calcareously +calcareousness +calcaria +calcariferous +calcariform +calcarine +calcarium +calcars +calcate +calcavella +calceate +calced +calcedon +calcedony +calceiform +calcemia +Calceolaria +calceolate +calceolately +calces +calce-scence +calceus +Calchaqui +Calchaquian +Calchas +calche +calci +calci- +calcic +calciclase +calcicole +calcicolous +calcicosis +Calcydon +calciferol +Calciferous +calcify +calcific +calcification +calcifications +calcified +calcifies +calcifying +calciform +calcifugal +calcifuge +calcifugous +calcigenous +calcigerous +calcimeter +calcimine +calcimined +calciminer +calcimines +calcimining +calcinable +calcinate +calcination +calcinator +calcinatory +calcine +calcined +calciner +calcines +calcining +calcinize +calcino +calcinosis +calcio- +calciobiotite +calciocarnotite +calcioferrite +calcioscheelite +calciovolborthite +calcipexy +calciphylactic +calciphylactically +calciphylaxis +calciphile +calciphilia +calciphilic +calciphilous +calciphyre +calciphobe +calciphobic +calciphobous +calciprivic +calcisponge +Calcispongiae +calcite +calcites +calcitestaceous +calcitic +calcitonin +calcitrant +calcitrate +calcitration +calcitreation +calcium +calciums +calcivorous +calco- +calcographer +calcography +calcographic +calcomp +calcrete +calcsinter +calc-sinter +calcspar +calc-spar +calcspars +calctufa +calc-tufa +calctufas +calctuff +calc-tuff +calctuffs +calculability +calculabilities +calculable +calculableness +calculably +Calculagraph +calcular +calculary +calculate +calculated +calculatedly +calculatedness +calculates +calculating +calculatingly +calculation +calculational +calculations +calculative +calculator +calculatory +calculators +calculator's +calculer +calculi +calculiform +calculifrage +calculist +calculous +calculus +calculuses +Calcutta +caldadaria +caldaria +caldarium +Caldeira +calden +Calder +Caldera +calderas +Calderca +calderium +Calderon +CaldoraCaldwell +caldron +caldrons +Caldwell +Cale +calean +Caleb +Calebite +calebites +caleche +caleches +Caledonia +Caledonian +caledonite +calef +calefacient +calefaction +calefactive +calefactor +calefactory +calefactories +calefy +calelectric +calelectrical +calelectricity +calembour +Calemes +Calen +calenda +calendal +calendar +calendared +calendarer +calendarial +calendarian +calendaric +calendaring +calendarist +calendar-making +calendars +calendar's +calendas +Calender +calendered +calenderer +calendering +calenders +Calendra +Calendre +calendry +calendric +calendrical +calends +Calendula +calendulas +calendulin +calentural +calenture +calentured +calenturing +calenturish +calenturist +calepin +Calera +calesa +calesas +calescence +calescent +calesero +calesin +Calesta +Caletor +Calexico +calf +calfbound +calfdozer +calfhood +calfish +calfkill +calfless +calflike +calfling +calfret +calfs +calf's-foot +calfskin +calf-skin +calfskins +Calgary +calgon +Calhan +Calhoun +Cali +cali- +Calia +Caliban +Calibanism +caliber +calibered +calibers +calybite +calibogus +calibrate +calibrated +calibrater +calibrates +calibrating +calibration +calibrations +calibrator +calibrators +calibre +calibred +calibres +Caliburn +Caliburno +calic +Calica +calycanth +Calycanthaceae +calycanthaceous +calycanthemy +calycanthemous +calycanthin +calycanthine +Calycanthus +calicate +calycate +Calyce +calyceal +Calyceraceae +calyceraceous +calices +calyces +caliche +caliches +calyciferous +calycifloral +calyciflorate +calyciflorous +caliciform +calyciform +calycinal +calycine +calicle +calycle +calycled +calicles +calycles +calycli +calico +calicoback +Calycocarpum +calicoed +calicoes +calycoid +calycoideous +Calycophora +Calycophorae +calycophoran +calicos +Calycozoa +calycozoan +calycozoic +calycozoon +calicular +calycular +caliculate +calyculate +calyculated +calycule +caliculi +calyculi +caliculus +calyculus +Calicut +calid +Calida +calidity +Calydon +Calydonian +caliduct +Calie +Caliente +Calif +Calif. +califate +califates +Califon +California +Californian +californiana +californians +californicus +californite +Californium +califs +caliga +caligate +caligated +caligation +caliginosity +caliginous +caliginously +caliginousness +caligo +caligrapher +caligraphy +Caligula +caligulism +calili +calimanco +calimancos +Calymene +Calimere +Calimeris +calymma +calin +calina +Calinago +calinda +calindas +caline +Calinog +calinut +Calio +caliology +caliological +caliologist +Calion +calyon +calipash +calipashes +Calipatria +calipee +calipees +caliper +calipered +caliperer +calipering +calipers +calipeva +caliph +caliphal +caliphate +caliphates +calyphyomy +caliphs +caliphship +calippic +Calippus +calypsist +Calypso +calypsoes +calypsonian +Calypsos +calypter +Calypterae +calypters +Calyptoblastea +calyptoblastic +Calyptorhynchus +calyptra +Calyptraea +Calyptranthes +calyptras +Calyptrata +Calyptratae +calyptrate +calyptriform +calyptrimorphous +calyptro +calyptrogen +Calyptrogyne +Calisa +calisaya +calisayas +Calise +Calista +Calysta +Calystegia +calistheneum +calisthenic +calisthenical +calisthenics +Calistoga +Calite +caliver +calix +calyx +calyxes +Calixtin +Calixtine +Calixto +Calixtus +calk +calkage +calked +calker +calkers +calkin +calking +Calkins +calks +Call +Calla +calla- +callable +callaesthetic +Callaghan +Callahan +callainite +callais +callaloo +callaloos +Callan +Callands +callans +callant +callants +Callao +Callas +callat +callate +Callaway +callback +callbacks +call-board +callboy +callboys +call-down +Calle +Callean +called +Calley +Callender +Callensburg +caller +Callery +callers +Calles +callet +callets +call-fire +Calli +Cally +calli- +Callianassa +Callianassidae +Calliandra +Callicarpa +Callicebus +Callicoon +Callicrates +callid +Callida +Callidice +callidity +callidness +Callie +calligram +calligraph +calligrapha +calligrapher +calligraphers +calligraphy +calligraphic +calligraphical +calligraphically +calligraphist +Calliham +Callimachus +calling +calling-down +calling-over +callings +Callynteria +Callionymidae +Callionymus +Calliope +calliopean +calliopes +calliophone +Calliopsis +callipash +callipee +callipees +calliper +callipered +calliperer +callipering +callipers +Calliphora +calliphorid +Calliphoridae +calliphorine +callipygian +callipygous +Callipolis +callippic +Callippus +Callipus +Callirrhoe +Callisaurus +callisection +callis-sand +Callista +Calliste +callisteia +Callistemon +Callistephus +callisthenic +callisthenics +Callisto +Callithrix +callithump +callithumpian +callitype +callityped +callityping +Callitrichaceae +callitrichaceous +Callitriche +Callitrichidae +Callitris +callo +call-off +calloo +callop +Callorhynchidae +Callorhynchus +callosal +callose +calloses +callosity +callosities +callosomarginal +callosum +Callot +callous +calloused +callouses +callousing +callously +callousness +callousnesses +callout +call-out +call-over +Callovian +callow +Calloway +callower +callowest +callowman +callowness +callownesses +calls +Callum +Calluna +Calluori +call-up +callus +callused +calluses +callusing +calm +calmant +Calmar +Calmas +calmative +calmato +calmecac +calmed +calm-eyed +calmer +calmest +calmy +calmier +calmierer +calmiest +calming +calmingly +calmly +calm-minded +calmness +calmnesses +calms +calm-throated +calo- +Calocarpum +Calochortaceae +Calochortus +calodaemon +calodemon +calodemonial +calogram +calography +caloyer +caloyers +calomba +calombigas +calombo +calomel +calomels +calomorphic +Calondra +Calonectria +Calonyction +Calon-segur +calool +Calophyllum +Calopogon +calor +Calore +caloreceptor +calorescence +calorescent +calory +caloric +calorically +caloricity +calorics +caloriduct +Calorie +calorie-counting +calories +calorie's +calorifacient +calorify +calorific +calorifical +calorifically +calorification +calorifics +calorifier +calorigenic +calorimeter +calorimeters +calorimetry +calorimetric +calorimetrical +calorimetrically +calorimotor +caloris +calorisator +calorist +Calorite +calorize +calorized +calorizer +calorizes +calorizing +Calosoma +Calotermes +calotermitid +Calotermitidae +Calothrix +calotin +calotype +calotypic +calotypist +calotte +calottes +calp +calpac +calpack +calpacked +calpacks +calpacs +Calpe +calpolli +calpul +calpulli +Calpurnia +calque +calqued +calques +calquing +CALRS +CALS +calsouns +Caltanissetta +Caltech +Caltha +calthrop +calthrops +caltrap +caltraps +caltrop +caltrops +calumba +Calumet +calumets +calumny +calumnia +calumniate +calumniated +calumniates +calumniating +calumniation +calumniations +calumniative +calumniator +calumniatory +calumniators +calumnies +calumnious +calumniously +calumniousness +caluptra +Calusa +calusar +calutron +calutrons +Calv +Calva +Calvados +calvadoses +calvaire +Calvano +Calvary +calvaria +calvarial +calvarias +Calvaries +calvarium +Calvatia +Calve +calved +calver +Calvert +Calverton +calves +Calvin +Calvina +calving +Calvinian +Calvinism +Calvinist +Calvinistic +Calvinistical +Calvinistically +calvinists +Calvinize +Calvinna +calvish +calvity +calvities +Calvo +calvous +calvus +calx +calxes +calzada +calzone +calzoneras +calzones +calzoons +CAM +CAMA +CAMAC +camaca +Camacan +camacey +camachile +Camacho +Camag +camagon +Camaguey +camay +camaieu +camail +camaile +camailed +camails +Camak +camaka +Camala +Camaldolensian +Camaldolese +Camaldolesian +Camaldolite +Camaldule +Camaldulian +camalig +camalote +caman +camanay +camanchaca +Camanche +camansi +camara +camarada +camarade +camaraderie +camaraderies +Camarasaurus +Camarata +camarera +Camargo +camarilla +camarillas +Camarillo +camarin +camarine +camaron +Camas +camases +camass +camasses +Camassia +camata +camatina +camauro +camauros +Camaxtli +Camb +Camb. +Cambay +cambaye +Camball +Cambalo +Cambarus +camber +cambered +cambering +camber-keeled +cambers +Camberwell +Cambeva +Camby +cambia +cambial +cambiata +cambibia +cambiform +cambio +cambiogenetic +cambion +Cambyses +cambism +cambisms +cambist +cambistry +cambists +cambium +cambiums +Cambyuskan +camblet +Cambodia +Cambodian +cambodians +camboge +cambogia +cambogias +Cambon +camboose +Camborne-Redruth +cambouis +Cambra +Cambrai +cambrel +cambresine +Cambria +Cambrian +Cambric +cambricleaf +cambrics +Cambridge +Cambridgeport +Cambridgeshire +Cambro-briton +Cambs +cambuca +Cambuscan +Camden +Camdenton +Came +Camey +cameist +Camel +camelback +camel-backed +cameleer +cameleers +cameleon +camel-faced +camel-grazing +camelhair +camel-hair +camel-haired +camelia +camel-yarn +camelias +Camelid +Camelidae +Camelina +cameline +camelion +camelish +camelishness +camelkeeper +camel-kneed +Camella +Camellia +Camelliaceae +camellias +camellike +camellin +Camellus +camelman +cameloid +Cameloidea +camelopard +Camelopardalis +camelopardel +Camelopardid +Camelopardidae +camelopards +Camelopardus +Camelot +camelry +camels +camel's +camel's-hair +camel-shaped +Camelus +Camembert +Camena +Camenae +Camenes +Cameo +cameoed +cameograph +cameography +cameoing +cameos +camera +camerae +camera-eye +cameral +cameralism +cameralist +cameralistic +cameralistics +cameraman +cameramen +cameras +camera's +camera-shy +Camerata +camerate +camerated +cameration +camerawork +camery +camerier +cameriera +camerieri +Camerina +camerine +Camerinidae +camerist +camerlengo +camerlengos +camerlingo +camerlingos +Cameron +Cameronian +cameronians +Cameroon +cameroonian +cameroonians +Cameroons +Cameroun +cames +Camestres +Camfort +Cami +camias +Camiguin +camiknickers +Camila +Camile +Camilia +Camilla +Camille +Camillo +Camillus +Camilo +Camino +camion +camions +Camirus +camis +camisa +camisade +camisades +camisado +camisadoes +camisados +Camisard +camisas +camiscia +camise +camises +camisia +camisias +camisole +camisoles +camister +camize +camla +camlet +camleted +camleteen +camletine +camleting +camlets +camletted +camletting +CAMM +Cammaerts +Cammal +Cammarum +cammas +cammed +Cammi +Cammy +Cammie +cammock +cammocky +camoca +Camoens +camogie +camois +camomile +camomiles +camooch +camoodi +camoodie +Camorist +Camorra +camorras +Camorrism +Camorrist +Camorrista +camorristi +camote +camoudie +camouflage +camouflageable +camouflaged +camouflager +camouflagers +camouflages +camouflagic +camouflaging +camouflet +camoufleur +camoufleurs +CAMP +Campa +campagi +Campagna +Campagne +campagnol +campagnols +campagus +campaign +campaigned +campaigner +campaigners +campaigning +campaigns +campal +campana +campane +campanella +campanero +Campania +Campanian +campaniform +campanile +campaniles +campanili +campaniliform +campanilla +campanini +campanist +campanistic +campanologer +campanology +campanological +campanologically +campanologist +campanologists +Campanula +Campanulaceae +campanulaceous +Campanulales +campanular +Campanularia +Campanulariae +campanularian +Campanularidae +Campanulatae +campanulate +campanulated +campanulous +Campanus +Campari +Campaspe +Campball +Campbell +Campbell-Bannerman +Campbellism +campbellisms +Campbellite +campbellites +Campbellsburg +Campbellsville +Campbellton +Campbelltown +Campbeltown +campcraft +Campe +Campeche +camped +campement +Campephagidae +campephagine +Campephilus +camper +campers +campership +campesino +campesinos +campestral +campestrian +campfight +camp-fight +campfire +campfires +campground +campgrounds +camph- +camphane +camphanic +camphanyl +camphanone +camphene +camphenes +camphylene +camphine +camphines +camphire +camphires +campho +camphocarboxylic +camphoid +camphol +campholic +campholide +campholytic +camphols +camphor +camphoraceous +camphorate +camphorated +camphorates +camphorating +camphory +camphoric +camphoryl +camphorize +camphoroyl +camphorone +camphoronic +camphorphorone +camphors +camphorweed +camphorwood +campi +Campy +campier +campiest +Campignian +campilan +campily +campylite +campylodrome +campylometer +Campyloneuron +campylospermous +campylotropal +campylotropous +campimeter +campimetry +campimetrical +Campinas +Campine +campiness +camping +campings +Campion +campions +campit +cample +Campman +campmaster +camp-meeting +Campney +Campo +Campobello +Campodea +campodean +campodeid +Campodeidae +campodeiform +campodeoid +campody +Campoformido +campong +campongs +Camponotus +campoo +campoody +Camporeale +camporee +camporees +Campos +campout +camp-out +camps +campshed +campshedding +camp-shedding +campsheeting +campshot +camp-shot +campsite +camp-site +campsites +campstool +campstools +Campti +camptodrome +Campton +camptonite +Camptonville +Camptosorus +Camptown +campulitropal +campulitropous +campus +campused +campuses +campus's +campusses +campward +Campwood +CAMRA +cams +camshach +camshachle +camshaft +camshafts +camstane +camsteary +camsteery +camstone +camstrary +Camuy +camuning +Camus +camuse +camused +camuses +camwood +cam-wood +CAN +Can. +Cana +Canaan +Canaanite +canaanites +Canaanitess +Canaanitic +Canaanitish +canaba +canabae +Canace +Canacee +canacuas +Canad +Canad. +Canada +Canadensis +Canadian +Canadianism +canadianisms +Canadianization +Canadianize +Canadianized +Canadianizing +canadians +canadine +Canadys +canadite +canadol +canafistola +canafistolo +canafistula +canafistulo +canaglia +canaigre +canaille +canailles +Canajoharie +canajong +canakin +canakins +Canakkale +canal +canalage +canalatura +canalboat +canal-bone +canal-built +Canale +canaled +canaler +canales +canalete +Canaletto +canali +canalicular +canaliculate +canaliculated +canaliculation +canaliculi +canaliculization +canaliculus +canaliferous +canaliform +canaling +canalis +canalisation +canalise +canalised +canalises +canalising +canalization +canalizations +canalize +canalized +canalizes +canalizing +canalla +canalled +canaller +canallers +canalling +canalman +Canalou +canals +canal's +canalside +Canamary +canamo +Cananaean +Canandaigua +Canandelabrum +Cananea +Cananean +Cananga +Canangium +canap +canape +canapes +canapina +Canara +canard +canards +Canarese +Canari +Canary +Canarian +canary-bird +Canaries +canary-yellow +canarin +canarine +Canariote +canary's +Canarium +Canarsee +Canaseraga +canasta +canastas +canaster +Canastota +canaut +Canavali +Canavalia +canavalin +Canaveral +can-beading +Canberra +Canby +can-boxing +can-buoy +can-burnishing +canc +canc. +cancan +can-can +cancans +can-capping +canccelli +cancel +cancelability +cancelable +cancelation +canceled +canceleer +canceler +cancelers +cancelier +canceling +cancellability +cancellable +cancellarian +cancellarius +cancellate +cancellated +cancellation +cancellations +cancellation's +cancelled +canceller +cancelli +cancelling +cancellous +cancellus +cancelment +cancels +Cancer +cancerate +cancerated +cancerating +canceration +cancerdrops +cancered +cancerigenic +cancerin +cancerism +cancerite +cancerization +cancerlog +cancerogenic +cancerophobe +cancerophobia +cancerous +cancerously +cancerousness +cancerphobia +cancerroot +cancers +cancer's +cancerweed +cancerwort +canch +cancha +canchalagua +canchas +Canchi +canchito +cancion +cancionero +canciones +can-cleaning +can-closing +Cancri +Cancrid +cancriform +can-crimping +cancrine +cancrinite +cancrinite-syenite +cancrisocial +cancrivorous +cancrizans +cancroid +cancroids +cancrophagous +cancrum +cancrums +Cancun +Cand +Candace +candareen +Candee +candela +candelabra +candelabras +candelabrum +candelabrums +candelas +candelilla +candency +candent +candescence +candescent +candescently +Candi +Candy +Candia +Candice +Candyce +candid +Candida +candidacy +candidacies +candidas +candidate +candidated +candidates +candidate's +candidateship +candidating +candidature +candidatures +Candide +candider +candidest +candidiasis +candidly +candidness +candidnesses +candids +Candie +candied +candiel +candier +candies +candify +candyfloss +candyh +candying +candil +candylike +candymaker +candymaking +Candiot +Candiote +candiru +Candis +candys +candystick +candy-striped +candite +candytuft +candyweed +candle +candleball +candlebeam +candle-beam +candle-bearing +candleberry +candleberries +candlebomb +candlebox +candle-branch +candled +candle-dipper +candle-end +candlefish +candlefishes +candle-foot +candleholder +candle-holder +candle-hour +candlelight +candlelighted +candlelighter +candle-lighter +candlelighting +candlelights +candlelit +candlemaker +candlemaking +Candlemas +candle-meter +candlenut +candlepin +candlepins +candlepower +Candler +candlerent +candle-rent +candlers +candles +candle-shaped +candleshine +candleshrift +candle-snuff +candlesnuffer +Candless +candlestand +candlestick +candlesticked +candlesticks +candlestick's +candlestickward +candle-tapering +candle-tree +candlewaster +candle-waster +candlewasting +candlewick +candlewicking +candlewicks +candlewood +candle-wood +candlewright +candling +Cando +candock +can-dock +Candolle +Candollea +Candolleaceae +candolleaceous +Candor +candors +candour +candours +Candra +candroy +candroys +canduc +cane +Canea +Caneadea +cane-backed +cane-bottomed +Canebrake +canebrakes +caned +Caneghem +Caney +Caneyville +canel +canela +canelas +canelike +canell +canella +Canellaceae +canellaceous +canellas +canelle +Canelo +canelos +Canens +caneology +canephor +canephora +canephorae +canephore +canephori +canephoroe +canephoroi +canephoros +canephors +canephorus +cane-phorus +canephroi +canepin +caner +caners +canes +canescence +canescene +canescent +cane-seated +Canestrato +caneton +canette +caneva +Canevari +caneware +canewares +canewise +canework +canezou +CanF +Canfield +canfieldite +canfields +can-filling +can-flanging +canful +canfuls +cangan +cangenet +cangy +cangia +cangica-wood +cangle +cangler +cangue +cangues +canham +can-heading +can-hook +canhoop +cany +Canica +Canice +Canichana +Canichanan +canicide +canicola +Canicula +canicular +canicule +canid +Canidae +Canidia +canids +Caniff +canikin +canikins +canille +caninal +canine +canines +caning +caniniform +caninity +caninities +caninus +canion +Canyon +canioned +canions +canyons +canyon's +canyonside +Canyonville +Canis +Canisiana +canistel +Canisteo +canister +canisters +Canistota +canities +canjac +Canjilon +cank +canker +cankerberry +cankerbird +canker-bit +canker-bitten +cankereat +canker-eaten +cankered +cankeredly +cankeredness +cankerflower +cankerfret +canker-hearted +cankery +cankering +canker-mouthed +cankerous +cankerroot +cankers +canker-toothed +cankerweed +cankerworm +cankerworms +cankerwort +can-labeling +can-lacquering +canli +can-lining +canmaker +canmaking +canman +can-marking +Canmer +Cann +Canna +cannabic +cannabidiol +cannabin +Cannabinaceae +cannabinaceous +cannabine +cannabinol +cannabins +Cannabis +cannabises +cannabism +Cannaceae +cannaceous +cannach +canna-down +Cannae +cannaled +cannalling +Cannanore +cannas +cannat +canned +cannel +cannelated +cannel-bone +Cannelburg +cannele +Cannell +cannellate +cannellated +cannelle +cannelloni +cannelon +cannelons +cannels +Cannelton +cannelure +cannelured +cannequin +canner +cannery +canneries +canners +canner's +Cannes +cannet +cannetille +canny +cannibal +cannibalean +cannibalic +cannibalish +cannibalism +cannibalisms +cannibalistic +cannibalistically +cannibality +cannibalization +cannibalize +cannibalized +cannibalizes +cannibalizing +cannibally +cannibals +cannibal's +Cannice +cannie +cannier +canniest +cannikin +cannikins +cannily +canniness +canninesses +Canning +cannings +cannister +cannisters +cannister's +Cannizzaro +Cannock +cannoli +Cannon +cannonade +cannonaded +cannonades +cannonading +cannonarchy +cannonball +cannon-ball +cannonballed +cannonballing +cannonballs +cannoned +cannoneer +cannoneering +cannoneers +cannonier +cannoning +Cannonism +cannonproof +cannon-proof +cannonry +cannonries +cannon-royal +cannons +cannon's +Cannonsburg +cannon-shot +Cannonville +cannophori +cannot +Cannstatt +cannula +cannulae +cannular +cannulas +Cannulate +cannulated +cannulating +cannulation +canoe +canoed +canoeing +Canoeiro +canoeist +canoeists +canoeload +canoeman +canoes +canoe's +canoewood +Canoga +canoing +Canon +canoncito +Canones +canoness +canonesses +canonic +canonical +canonicalization +canonicalize +canonicalized +canonicalizes +canonicalizing +canonically +canonicalness +canonicals +canonicate +canonici +canonicity +canonics +canonisation +canonise +canonised +canoniser +canonises +canonising +canonist +canonistic +canonistical +canonists +canonizant +canonization +canonizations +canonize +canonized +canonizer +canonizes +canonizing +canonlike +canonry +canonries +canons +canon's +Canonsburg +canonship +canoodle +canoodled +canoodler +canoodles +canoodling +can-opener +can-opening +canopy +Canopic +canopid +canopied +canopies +canopying +Canopus +canorous +canorously +canorousness +canos +Canossa +Canotas +canotier +Canova +Canovanas +can-polishing +can-quaffing +canreply +Canrobert +canroy +canroyer +cans +can's +can-salting +can-scoring +can-sealing +can-seaming +cansful +can-slitting +Canso +can-soldering +cansos +can-squeezing +canst +can-stamping +can-sterilizing +canstick +Cant +can't +Cant. +Cantab +cantabank +cantabile +Cantabri +Cantabrian +Cantabrigian +Cantabrize +Cantacuzene +cantador +Cantal +cantala +cantalas +cantalever +cantalite +cantaliver +cantaloup +cantaloupe +cantaloupes +cantando +cantankerous +cantankerously +cantankerousness +cantankerousnesses +cantar +cantara +cantare +cantaro +cantata +cantatas +Cantate +cantation +cantative +cantator +cantatory +cantatrice +cantatrices +cantatrici +cantboard +cantdog +cantdogs +canted +canteen +canteens +cantefable +cantel +Canter +Canterbury +Canterburian +Canterburianism +canterburies +cantered +canterelle +canterer +cantering +canters +can-testing +canthal +Cantharellus +canthari +cantharic +Cantharidae +cantharidal +cantharidate +cantharidated +cantharidating +cantharidean +cantharides +cantharidian +cantharidin +cantharidism +cantharidize +cantharidized +cantharidizing +cantharis +cantharophilous +cantharus +canthathari +canthectomy +canthi +canthitis +cantholysis +canthoplasty +canthorrhaphy +canthotomy +Canthus +canthuthi +Canty +cantic +canticle +Canticles +cantico +cantiga +Cantigny +Cantil +cantilated +cantilating +cantilena +cantilene +cantilenes +cantilever +cantilevered +cantilevering +cantilevers +cantily +cantillate +cantillated +cantillating +cantillation +Cantillon +cantina +cantinas +cantiness +canting +cantingly +cantingness +cantinier +cantino +cantion +cantish +cantle +cantles +cantlet +cantline +cantling +Cantlon +canto +Canton +cantonal +cantonalism +Cantone +cantoned +cantoner +Cantonese +cantoning +cantonize +Cantonment +cantonments +cantons +canton's +cantoon +Cantor +cantoral +cantoria +cantorial +Cantorian +cantoris +cantorous +cantors +cantor's +cantorship +Cantos +cantraip +cantraips +Cantrall +cantrap +cantraps +cantred +cantref +Cantril +cantrip +cantrips +cants +Cantu +Cantuar +cantus +cantut +cantuta +cantwise +Canuck +canula +canulae +canular +canulas +canulate +canulated +canulates +canulating +canun +Canute +Canutillo +canvas +canvasado +canvasback +canvas-back +canvasbacks +canvas-covered +canvased +canvaser +canvasers +canvases +canvasing +canvaslike +canvasman +canvass +canvas's +canvassed +canvasser +canvassers +canvasses +canvassy +canvassing +can-washing +can-weighing +can-wiping +can-wrapping +canzo +canzon +canzona +canzonas +canzone +canzones +canzonet +canzonets +canzonetta +canzoni +canzos +caoba +Caodaism +Caodaist +caoine +caon +caoutchin +caoutchouc +caoutchoucin +CAP +cap. +capa +capability +capabilities +capability's +Capablanca +capable +capableness +capabler +capablest +capably +Capac +capacify +capacious +capaciously +capaciousness +capacitance +capacitances +capacitate +capacitated +capacitates +capacitating +capacitation +capacitations +capacitative +capacitativly +capacitator +capacity +capacities +capacitive +capacitively +capacitor +capacitors +capacitor's +Capaneus +capanna +capanne +cap-a-pie +caparison +caparisoned +caparisoning +caparisons +capataces +capataz +capax +capcase +cap-case +Cape +capeador +capeadores +capeadors +caped +Capefair +Capek +capel +capelan +capelans +capelet +capelets +capelin +capeline +capelins +Capella +capellane +capellet +capelline +Capello +capelocracy +Capels +Capemay +cape-merchant +Capeneddick +caper +caperbush +capercailye +capercaillie +capercailzie +capercally +capercut +caper-cut +caperdewsie +capered +caperer +caperers +capering +caperingly +Capernaism +Capernaite +Capernaitic +Capernaitical +Capernaitically +Capernaitish +Capernaum +capernoited +capernoity +capernoitie +capernutie +capers +capersome +capersomeness +caperwort +capes +capeskin +capeskins +Capet +Capetian +Capetonian +Capetown +capette +Capeville +capeweed +capewise +capework +capeworks +cap-flash +capful +capfuls +Caph +Cap-Haitien +caphar +capharnaism +Caphaurus +caphite +caphs +Caphtor +Caphtorim +capias +capiases +capiatur +capibara +capybara +capybaras +capicha +capilaceous +capillaceous +capillaire +capillament +capillarectasia +capillary +capillaries +capillarily +capillarimeter +capillariness +capillariomotor +capillarity +capillarities +capillaritis +capillation +capillatus +capilli +capilliculture +capilliform +capillitia +capillitial +capillitium +capillose +capillus +capilotade +caping +cap-in-hand +Capys +Capistrano +capistrate +capita +capital +capitaldom +capitaled +capitaling +capitalisable +capitalise +capitalised +capitaliser +capitalising +capitalism +capitalist +capitalistic +capitalistically +capitalists +capitalist's +capitalizable +capitalization +capitalizations +capitalize +capitalized +capitalizer +capitalizers +capitalizes +capitalizing +capitally +capitalness +capitals +Capitan +capitana +capitano +capitare +capitasti +capitate +capitated +capitatim +capitation +capitations +capitative +capitatum +capite +capiteaux +capitella +capitellar +capitellate +capitelliform +capitellum +capitle +Capito +Capitol +Capitola +Capitolian +Capitoline +Capitolium +capitols +capitol's +Capitonidae +Capitoninae +capitoul +capitoulate +capitula +capitulant +capitular +capitulary +capitularies +capitularly +capitulars +capitulate +capitulated +capitulates +capitulating +capitulation +capitulations +capitulator +capitulatory +capituliform +capitulum +capiturlary +capivi +Capiz +capkin +Caplan +capless +caplet +caplets +caplin +capling +caplins +caplock +capmaker +capmakers +capmaking +capman +capmint +Cap'n +Capnodium +Capnoides +capnomancy +capnomor +capo +capoc +capocchia +capoche +Capodacqua +capomo +Capon +caponata +caponatas +Capone +caponette +caponier +caponiere +caponiers +caponisation +caponise +caponised +caponiser +caponising +caponization +caponize +caponized +caponizer +caponizes +caponizing +caponniere +capons +caporal +caporals +Caporetto +capos +capot +capotasto +capotastos +Capote +capotes +capouch +capouches +CAPP +cappadine +cappadochio +Cappadocia +Cappadocian +cappae +cappagh +cap-paper +capparid +Capparidaceae +capparidaceous +Capparis +capped +cappelenite +Cappella +cappelletti +Cappello +capper +cappers +cappy +cappie +cappier +cappiest +capping +cappings +capple +capple-faced +Cappotas +Capps +cappuccino +Capra +caprate +Caprella +Caprellidae +caprelline +capreol +capreolar +capreolary +capreolate +capreoline +Capreolus +capreomycin +capretto +Capri +capric +capriccetto +capriccettos +capricci +capriccio +capriccios +capriccioso +Caprice +caprices +capricious +capriciously +capriciousness +Capricorn +Capricorni +Capricornid +capricorns +Capricornus +caprid +caprificate +caprification +caprificator +caprifig +caprifigs +caprifoil +caprifole +Caprifoliaceae +caprifoliaceous +Caprifolium +capriform +caprigenous +capryl +caprylate +caprylene +caprylic +caprylyl +caprylin +caprylone +Caprimulgi +Caprimulgidae +Caprimulgiformes +caprimulgine +Caprimulgus +caprin +caprine +caprinic +Capriola +capriole +caprioled +caprioles +caprioling +Capriote +capriped +capripede +Capris +caprizant +caproate +caprock +caprocks +caproic +caproyl +caproin +Capromys +Capron +caprone +capronic +capronyl +caps +cap's +caps. +capsa +capsaicin +Capsella +Capshaw +capsheaf +capshore +Capsian +capsicin +capsicins +Capsicum +capsicums +capsid +Capsidae +capsidal +capsids +capsizable +capsizal +capsize +capsized +capsizes +capsizing +capsomer +capsomere +capsomers +capstan +capstan-headed +capstans +capstone +cap-stone +capstones +capsula +capsulae +capsular +capsulate +capsulated +capsulation +capsule +capsulectomy +capsuled +capsuler +capsules +capsuli- +capsuliferous +capsuliform +capsuligerous +capsuling +capsulitis +capsulize +capsulized +capsulizing +capsulociliary +capsulogenous +capsulolenticular +capsulopupillary +capsulorrhaphy +capsulotome +capsulotomy +capsumin +Capt +Capt. +captacula +captaculum +CAPTAIN +captaincy +captaincies +Captaincook +captained +captainess +captain-generalcy +captaining +captainly +captain-lieutenant +captainry +captainries +captains +captainship +captainships +captan +captance +captandum +captans +captate +captation +caption +captioned +captioning +captionless +captions +caption's +captious +captiously +captiousness +Captiva +captivance +captivate +captivated +captivately +captivates +captivating +captivatingly +captivation +captivations +captivative +captivator +captivators +captivatrix +captive +captived +captives +captive's +captiving +captivity +captivities +captor +captors +captor's +captress +capturable +capture +captured +capturer +capturers +captures +capturing +Capua +Capuan +Capuanus +capuche +capuched +capuches +Capuchin +capuchins +capucine +Capulet +capuli +Capulin +caput +Caputa +caputium +Caputo +Caputto +Capuzzo +Capwell +caque +Caquet +caqueterie +caqueteuse +caqueteuses +Caquetio +caquetoire +caquetoires +CAR +Cara +Carabancel +carabao +carabaos +carabeen +carabid +Carabidae +carabidan +carabideous +carabidoid +carabids +carabin +carabine +carabineer +carabiner +carabinero +carabineros +carabines +Carabini +carabinier +carabiniere +carabinieri +carabins +caraboa +caraboid +Carabus +caracal +Caracalla +caracals +caracara +caracaras +Caracas +carack +caracks +caraco +caracoa +caracol +caracole +caracoled +caracoler +caracoles +caracoli +caracoling +caracolite +caracolled +caracoller +caracolling +caracols +caracora +caracore +caract +Caractacus +caracter +caracul +caraculs +Caradoc +Caradon +carafe +carafes +carafon +Caragana +caraganas +carageen +carageens +caragheen +Caraguata +Caraho +Carayan +caraibe +Caraipa +caraipe +caraipi +Caraja +Carajas +carajo +carajura +Caralie +caramba +carambola +carambole +caramboled +caramboling +caramel +caramelan +caramelen +caramelin +caramelisation +caramelise +caramelised +caramelising +caramelization +caramelize +caramelized +caramelizes +caramelizing +caramels +caramoussal +Caramuel +carancha +carancho +caranda +caranday +Carandas +carane +Caranga +carangid +Carangidae +carangids +carangin +carangoid +Carangus +caranna +Caranx +carap +Carapa +carapace +carapaced +carapaces +Carapache +Carapacho +carapacial +carapacic +carapato +carapax +carapaxes +Carapidae +carapine +carapo +Carapus +Carara +Caras +carassow +carassows +carat +caratacus +caratch +carate +carates +Caratinga +carats +Caratunk +carauna +caraunda +Caravaggio +caravan +caravaned +caravaneer +caravaner +caravaning +caravanist +caravanned +caravanner +caravanning +caravans +caravan's +caravansary +caravansaries +caravanserai +caravanserial +caravel +caravelle +caravels +Caravette +Caraviello +caraway +caraways +Caraz +carb +carb- +carbachol +carbacidometer +carbamate +carbamic +carbamide +carbamidine +carbamido +carbamyl +carbamyls +carbamine +carbamino +carbamoyl +carbanil +carbanilic +carbanilid +carbanilide +carbanion +carbaryl +carbaryls +carbarn +carbarns +carbasus +carbazic +carbazide +carbazylic +carbazin +carbazine +carbazole +carbeen +carbene +Carberry +carbethoxy +carbethoxyl +carby +carbide +carbides +carbyl +carbylamine +carbimide +carbin +carbine +carbineer +carbineers +carbines +carbinyl +carbinol +carbinols +Carbo +carbo- +carboazotine +carbocer +carbocyclic +carbocinchomeronic +carbodiimide +carbodynamite +carbogelatin +carbohemoglobin +carbohydrase +carbohydrate +carbo-hydrate +carbohydrates +carbohydraturia +carbohydrazide +carbohydride +carbohydrogen +carboy +carboyed +carboys +carbolate +carbolated +carbolating +carbolfuchsin +carbolic +carbolics +carboline +carbolineate +Carbolineum +carbolise +carbolised +carbolising +carbolize +carbolized +carbolizes +carbolizing +Carboloy +carboluria +carbolxylol +carbomethene +carbomethoxy +carbomethoxyl +carbomycin +carbon +Carbona +carbonaceous +carbonade +Carbonado +carbonadoed +carbonadoes +carbonadoing +carbonados +Carbonari +Carbonarism +Carbonarist +Carbonaro +carbonatation +carbonate +carbonated +carbonates +carbonating +carbonation +carbonations +carbonatization +carbonator +carbonators +Carboncliff +Carbondale +Carbone +carboned +carbonemia +carbonero +carbones +Carboni +carbonic +carbonide +Carboniferous +carbonify +carbonification +carbonigenous +carbonyl +carbonylate +carbonylated +carbonylating +carbonylation +carbonylene +carbonylic +carbonyls +carbonimeter +carbonimide +carbonisable +carbonisation +carbonise +carbonised +carboniser +carbonising +carbonite +carbonitride +carbonium +carbonizable +carbonization +carbonize +carbonized +carbonizer +carbonizers +carbonizes +carbonizing +carbonless +Carbonnieux +carbonometer +carbonometry +carbonous +carbons +carbon's +carbonuria +carbophilous +carbora +carboras +car-borne +Carborundum +carbosilicate +carbostyril +carboxy +carboxide +Carboxydomonas +carboxyhemoglobin +carboxyl +carboxylase +carboxylate +carboxylated +carboxylating +carboxylation +carboxylic +carboxyls +carboxypeptidase +Carbrey +carbro +carbromal +carbs +carbuilder +carbuncle +carbuncled +carbuncles +carbuncular +carbunculation +carbungi +carburan +carburant +carburate +carburated +carburating +carburation +carburator +carbure +carburet +carburetant +carbureted +carbureter +carburetest +carbureting +carburetion +carburetor +carburetors +carburets +carburetted +carburetter +carburetting +carburettor +carburisation +carburise +carburised +carburiser +carburising +carburization +carburize +carburized +carburizer +carburizes +carburizing +carburometer +carcajou +carcajous +carcake +carcan +carcanet +carcaneted +carcanets +carcanetted +Carcas +carcase +carcased +carcases +carcasing +carcass +carcassed +carcasses +carcassing +carcassless +Carcassonne +carcass's +Carcavelhos +Carce +carceag +carcel +carcels +carcer +carceral +carcerate +carcerated +carcerating +carceration +carcerist +Carcharhinus +Carcharias +carchariid +Carchariidae +carcharioid +Carcharodon +carcharodont +Carchemish +carcin- +carcinemia +carcinogen +carcinogeneses +carcinogenesis +carcinogenic +carcinogenicity +carcinogenics +carcinogens +carcinoid +carcinolysin +carcinolytic +carcinology +carcinological +carcinologist +carcinoma +carcinomas +carcinomata +carcinomatoid +carcinomatosis +carcinomatous +carcinomorphic +carcinophagous +carcinophobia +carcinopolypus +carcinosarcoma +carcinosarcomas +carcinosarcomata +Carcinoscorpius +carcinosis +carcinus +carcoon +Card +Card. +cardaissin +Cardale +Cardamine +cardamom +cardamoms +cardamon +cardamons +cardamum +cardamums +Cardanic +cardanol +Cardanus +cardboard +cardboards +card-carrier +card-carrying +cardcase +cardcases +cardcastle +card-counting +card-cut +card-cutting +card-devoted +Cardea +cardecu +carded +cardel +Cardenas +Carder +carders +Cardew +cardholder +cardholders +cardhouse +cardi- +cardia +cardiac +cardiacal +Cardiacea +cardiacean +cardiacle +cardiacs +cardiae +cardiagra +cardiagram +cardiagraph +cardiagraphy +cardial +cardialgy +cardialgia +cardialgic +cardiameter +cardiamorphia +cardianesthesia +cardianeuria +cardiant +cardiaplegia +cardiarctia +cardias +cardiasthenia +cardiasthma +cardiataxia +cardiatomy +cardiatrophia +cardiauxe +Cardiazol +cardicentesis +Cardie +cardiectasis +cardiectomy +cardiectomize +cardielcosis +cardiemphraxia +Cardiff +cardiform +Cardiga +Cardigan +cardigans +Cardiganshire +Cardiidae +Cardijn +Cardin +Cardinal +cardinalate +cardinalated +cardinalates +cardinal-bishop +cardinal-deacon +cardinalfish +cardinalfishes +cardinal-flower +cardinalic +Cardinalis +cardinalism +cardinalist +cardinality +cardinalitial +cardinalitian +cardinalities +cardinality's +cardinally +cardinal-priest +cardinal-red +cardinals +cardinalship +Cardinas +card-index +cardines +carding +cardings +Cardington +cardio- +cardioaccelerator +cardio-aortic +cardioarterial +cardioblast +cardiocarpum +cardiocele +cardiocentesis +cardiocirrhosis +cardioclasia +cardioclasis +cardiod +cardiodilator +cardiodynamics +cardiodynia +cardiodysesthesia +cardiodysneuria +cardiogenesis +cardiogenic +cardiogram +cardiograms +cardiograph +cardiographer +cardiography +cardiographic +cardiographies +cardiographs +cardiohepatic +cardioid +cardioids +cardio-inhibitory +cardiokinetic +cardiolysis +cardiolith +cardiology +cardiologic +cardiological +cardiologies +cardiologist +cardiologists +cardiomalacia +cardiomegaly +cardiomegalia +cardiomelanosis +cardiometer +cardiometry +cardiometric +cardiomyoliposis +cardiomyomalacia +cardiomyopathy +cardiomotility +cardioncus +cardionecrosis +cardionephric +cardioneural +cardioneurosis +cardionosus +cardioparplasis +cardiopath +cardiopathy +cardiopathic +cardiopericarditis +cardiophobe +cardiophobia +cardiophrenia +cardiopyloric +cardioplasty +cardioplegia +cardiopneumatic +cardiopneumograph +cardioptosis +cardiopulmonary +cardiopuncture +cardiorenal +cardiorespiratory +cardiorrhaphy +cardiorrheuma +cardiorrhexis +cardioschisis +cardiosclerosis +cardioscope +cardiosymphysis +cardiospasm +Cardiospermum +cardiosphygmogram +cardiosphygmograph +cardiotherapy +cardiotherapies +cardiotomy +cardiotonic +cardiotoxic +cardiotoxicity +cardiotoxicities +cardiotrophia +cardiotrophotherapy +cardiovascular +cardiovisceral +cardipaludism +cardipericarditis +cardisophistical +cardita +carditic +carditis +carditises +Cardito +Cardium +cardlike +cardmaker +cardmaking +cardo +cardol +Cardon +cardona +cardoncillo +cardooer +cardoon +cardoons +cardophagus +cardosanto +Cardozo +card-perforating +cardplayer +cardplaying +card-printing +cardroom +cards +cardshark +cardsharp +cardsharper +cardsharping +cardsharps +card-sorting +cardstock +Carduaceae +carduaceous +Carducci +cardueline +Carduelis +car-dumping +Carduus +Cardville +Cardwell +CARE +Careaga +care-bewitching +care-bringing +care-charming +carecloth +care-cloth +care-crazed +care-crossed +cared +care-defying +care-dispelling +care-eluding +careen +careenage +care-encumbered +careened +careener +careeners +careening +careens +career +careered +careerer +careerers +careering +careeringly +careerism +careerist +careeristic +careers +career's +carefox +care-fraught +carefree +carefreeness +careful +carefull +carefuller +carefullest +carefully +carefulness +carefulnesses +Carey +careys +Careywood +care-killing +Carel +care-laden +careless +carelessly +carelessness +carelessnesses +care-lined +careme +Caren +Carena +Carencro +carene +Carenton +carer +carers +cares +Caresa +care-scorched +caress +Caressa +caressable +caressant +Caresse +caressed +caresser +caressers +caresses +caressing +caressingly +caressive +caressively +carest +caret +caretake +caretaken +caretaker +care-taker +caretakers +caretakes +caretaking +care-tired +caretook +carets +Caretta +Carettochelydidae +care-tuned +Carew +careworn +care-wounded +Carex +carf +carfare +carfares +carfax +carfloat +carfour +carfuffle +carfuffled +carfuffling +carful +carfuls +carga +cargador +cargadores +cargason +Cargian +Cargill +cargo +cargoes +cargoose +cargos +cargued +Carhart +carhop +carhops +carhouse +Cari +Cary +cary- +Caria +Carya +cariacine +Cariacus +cariama +Cariamae +Carian +caryatic +caryatid +caryatidal +caryatidean +caryatides +caryatidic +caryatids +Caryatis +Carib +Caribal +Cariban +Caribbean +caribbeans +Caribbee +Caribbees +caribe +caribed +Caribees +caribes +Caribi +caribing +Caribisi +Caribou +Caribou-eater +caribous +Caribs +Carica +Caricaceae +caricaceous +caricatura +caricaturable +caricatural +caricature +caricatured +caricatures +caricaturing +caricaturist +caricaturists +carices +caricetum +caricographer +caricography +caricology +caricologist +caricous +carid +Carida +Caridea +caridean +carideer +caridoid +Caridomorpha +Carie +caried +carien +caries +cariform +CARIFTA +Carignan +Cariyo +Carijona +Caril +Caryl +Carilyn +Caryll +Carilla +carillon +carilloneur +carillonned +carillonneur +carillonneurs +carillonning +carillons +Carin +Caryn +Carina +carinae +carinal +Carinaria +carinas +Carinatae +carinate +carinated +carination +Carine +caring +Cariniana +cariniform +Carinthia +Carinthian +carinula +carinulate +carinule +caryo- +Carioca +Cariocan +Caryocar +Caryocaraceae +caryocaraceous +cariocas +cariogenic +cariole +carioles +carioling +Caryophyllaceae +caryophyllaceous +caryophyllene +caryophylleous +caryophyllin +caryophyllous +Caryophyllus +caryopilite +caryopses +caryopsides +caryopsis +Caryopteris +cariosity +Caryota +caryotin +caryotins +Cariotta +carious +cariousness +caripeta +Caripuna +Cariri +Caririan +Carisa +carisoprodol +Carissa +Carissimi +Carita +caritas +caritative +carites +carity +caritive +Caritta +Carius +Caryville +cark +carked +carking +carkingly +carkled +carks +Carl +Carla +carlage +Carland +carle +Carlee +Carleen +Carley +Carlen +Carlene +carles +carless +carlet +Carleta +Carleton +Carli +Carly +Carlick +Carlie +Carlye +Carlile +Carlyle +Carlylean +Carlyleian +Carlylese +Carlylesque +Carlylian +Carlylism +Carlin +Carlyn +Carlina +Carline +Carlyne +carlines +Carling +carlings +Carlini +Carlynn +Carlynne +carlino +carlins +Carlinville +carlish +carlishness +Carlisle +Carlism +Carlist +Carlita +Carlo +carload +carloading +carloadings +carloads +Carlock +Carlos +carlot +Carlota +Carlotta +Carlovingian +Carlow +carls +Carlsbad +Carlsborg +Carlson +Carlstadt +Carlstrom +Carlton +Carludovica +Carma +carmagnole +carmagnoles +carmaker +carmakers +carmalum +Carman +Carmania +Carmanians +Carmanor +Carmarthen +Carmarthenshire +Carme +Carmel +Carmela +carmele +Carmelia +Carmelina +Carmelita +Carmelite +Carmelitess +Carmella +Carmelle +Carmelo +carmeloite +Carmen +Carmena +Carmencita +Carmenta +Carmentis +carmetta +Carmi +Carmichael +Carmichaels +car-mile +Carmina +carminate +carminative +carminatives +Carmine +carmines +carminette +carminic +carminite +carminophilous +Carmita +carmoisin +Carmon +carmot +Carn +Carnac +Carnacian +carnage +carnaged +carnages +Carnahan +Carnay +carnal +carnalism +carnalite +carnality +carnalities +carnalize +carnalized +carnalizing +carnally +carnallite +carnal-minded +carnal-mindedness +carnalness +Carnap +carnaptious +carnary +Carnaria +Carnarvon +Carnarvonshire +carnassial +carnate +Carnatic +Carnation +carnationed +carnationist +carnation-red +carnations +carnauba +carnaubas +carnaubic +carnaubyl +carne +Carneades +carneau +Carnegie +Carnegiea +Carney +carneyed +carneys +carnel +carnelian +carnelians +carneol +carneole +carneous +Carnes +Carnesville +carnet +carnets +Carneus +Carny +carnic +carnie +carnied +carnies +carniferous +carniferrin +carnifex +carnifexes +carnify +carnification +carnifices +carnificial +carnified +carnifies +carnifying +carniform +Carniola +Carniolan +carnitine +Carnival +carnivaler +carnivalesque +carnivaller +carnivallike +carnivals +carnival's +Carnivora +carnivoracity +carnivoral +carnivore +carnivores +carnivorism +carnivority +carnivorous +carnivorously +carnivorousness +carnivorousnesses +carnose +carnosin +carnosine +carnosity +carnosities +carnoso- +Carnot +carnotite +carnous +Carnoustie +Carnovsky +carns +Carnus +Caro +caroa +caroach +caroaches +carob +caroba +carobs +caroch +caroche +caroches +Caroid +caroigne +Carol +Carola +Carolan +Carolann +Carole +Carolean +caroled +Carolee +Caroleen +caroler +carolers +caroli +Carolin +Carolyn +Carolina +carolinas +carolina's +Caroline +Carolyne +carolines +Caroling +Carolingian +Carolinian +carolinians +Carolynn +Carolynne +carolitic +Caroljean +Carol-Jean +Carolle +carolled +caroller +carollers +carolling +carols +carol's +Carolus +caroluses +carom +carombolette +caromed +caromel +caroming +caroms +Caron +Carona +carone +caronic +caroome +caroon +carosella +carosse +CAROT +caroteel +carotene +carotenes +carotenoid +Carothers +carotic +carotid +carotidal +carotidean +carotids +carotin +carotinaemia +carotinemia +carotinoid +carotins +carotol +carotte +carouba +caroubier +carousal +carousals +carouse +caroused +carousel +carousels +carouser +carousers +carouses +carousing +carousingly +carp +carp- +Carpaccio +carpaine +carpal +carpale +carpalia +carpals +Carpathia +Carpathian +Carpathians +Carpatho-russian +Carpatho-ruthenian +Carpatho-Ukraine +carpe +Carpeaux +carped +carpel +carpellary +carpellate +carpellum +carpels +carpent +Carpentaria +Carpenter +carpentered +Carpenteria +carpentering +carpenters +carpenter's +carpentership +Carpentersville +carpenterworm +Carpentier +carpentry +carpentries +Carper +carpers +Carpet +carpetbag +carpet-bag +carpetbagged +carpetbagger +carpet-bagger +carpetbaggery +carpetbaggers +carpetbagging +carpetbaggism +carpetbagism +carpetbags +carpetbeater +carpet-covered +carpet-cut +carpeted +carpeting +carpet-knight +carpetlayer +carpetless +carpetmaker +carpetmaking +carpetmonger +carpets +carpet-smooth +carpet-sweeper +carpetweb +carpetweed +carpetwork +carpetwoven +Carphiophiops +carpholite +carphology +Carphophis +carphosiderite +carpi +carpic +carpid +carpidium +carpincho +carping +carpingly +carpings +Carpinteria +carpintero +Carpinus +Carpio +Carpiodes +carpitis +carpium +Carpo +carpo- +carpocace +Carpocapsa +carpocarpal +carpocephala +carpocephalum +carpocerite +carpocervical +Carpocratian +Carpodacus +Carpodetus +carpogam +carpogamy +carpogenic +carpogenous +carpognia +carpogone +carpogonia +carpogonial +carpogonium +Carpoidea +carpolite +carpolith +carpology +carpological +carpologically +carpologist +carpomania +carpometacarpal +carpometacarpi +carpometacarpus +carpompi +carpool +carpo-olecranal +carpools +carpopedal +Carpophaga +carpophagous +carpophalangeal +carpophyl +carpophyll +carpophyte +carpophore +Carpophorus +carpopodite +carpopoditic +carpoptosia +carpoptosis +carport +carports +carpos +carposperm +carposporangia +carposporangial +carposporangium +carpospore +carposporic +carposporous +carpostome +carpous +carps +carpsucker +carpus +carpuspi +carquaise +Carr +Carrabelle +Carracci +carrack +carracks +carrageen +carrageenan +carrageenin +carragheen +carragheenin +Carranza +Carrara +Carraran +carrat +carraway +carraways +Carrboro +carreau +Carree +carrefour +Carrel +carrell +Carrelli +carrells +carrels +car-replacing +Carrere +carreta +carretela +carretera +carreton +carretta +Carrew +Carri +Carry +carriable +carryable +carriage +carriageable +carriage-free +carriageful +carriageless +carriages +carriage's +carriagesmith +carriageway +carryall +carry-all +carryalls +carry-back +Carrick +carrycot +Carrie +carried +carryed +Carrier +Carriere +carrier-free +carrier-pigeon +carriers +carries +carry-forward +carrigeen +carry-in +carrying +carrying-on +carrying-out +carryings +carryings-on +carryke +Carrillo +carry-log +Carrington +carriole +carrioles +carrion +carryon +carry-on +carrions +carryons +carryout +carryouts +carryover +carry-over +carryovers +carrys +Carrissa +carrytale +carry-tale +carritch +carritches +carriwitchet +Carrizo +Carrizozo +Carrnan +Carrobili +carrocci +carroccio +carroch +carroches +Carrol +Carroll +carrollite +Carrolls +Carrollton +Carrolltown +carrom +carromata +carromatas +carromed +carroming +carroms +carronade +carroon +carrosserie +carrot +carrotage +carrot-colored +carroter +carrot-head +carrot-headed +Carrothers +carroty +carrotier +carrotiest +carrotin +carrotiness +carroting +carrotins +carrot-pated +carrots +carrot's +carrot-shaped +carrottop +carrot-top +carrotweed +carrotwood +carrousel +carrousels +carrow +carrozza +carrs +Carrsville +carrus +Carruthers +cars +car's +carse +carses +carshop +carshops +carsick +carsickness +carsmith +Carson +Carsonville +carsten +Carstensz +carstone +CART +cartable +cartaceous +cartage +Cartagena +cartages +Cartago +Cartan +cartboot +cartbote +Carte +carted +carte-de-visite +cartel +cartelism +cartelist +cartelistic +cartelization +cartelize +cartelized +cartelizing +cartellist +cartels +Carter +Carteret +carterly +carters +Cartersburg +Cartersville +Carterville +cartes +Cartesian +Cartesianism +cartful +Carthage +Carthaginian +Carthal +carthame +carthamic +carthamin +Carthamus +Carthy +carthorse +Carthusian +carty +Cartie +Cartier +Cartier-Bresson +cartiest +cartilage +cartilages +cartilaginean +Cartilaginei +cartilagineous +Cartilagines +cartilaginification +cartilaginoid +cartilaginous +carting +cartisane +Cartist +cartload +cartloads +cartmaker +cartmaking +cartman +cartobibliography +cartogram +cartograph +cartographer +cartographers +cartography +cartographic +cartographical +cartographically +cartographies +cartomancy +cartomancies +carton +cartoned +cartoner +cartonful +cartoning +cartonnage +cartonnier +cartonniers +carton-pierre +cartons +carton's +cartoon +cartooned +cartooning +cartoonist +cartoonists +cartoons +cartoon's +cartop +cartopper +cartouch +cartouche +cartouches +cartridge +cartridges +cartridge's +cart-rutted +carts +cartsale +cartulary +cartularies +cartway +cartware +Cartwell +cartwheel +cart-wheel +cartwheeler +cartwheels +cartwhip +Cartwright +cartwrighting +carua +caruage +carucage +carucal +carucarius +carucate +carucated +Carum +caruncle +caruncles +caruncula +carunculae +caruncular +carunculate +carunculated +carunculous +Carupano +carus +Caruso +Caruthers +Caruthersville +carvacryl +carvacrol +carvage +carval +carve +carved +Carvey +carvel +carvel-built +carvel-planked +carvels +carven +carvene +Carver +carvers +carvership +Carversville +carves +carvestrene +carvy +carvyl +Carville +carving +carvings +carvist +carvoeira +carvoepra +carvol +carvomenthene +carvone +carwash +carwashes +carwitchet +carzey +CAS +Casa +casaba +casabas +casabe +Casabianca +Casablanca +Casabonne +Casadesus +Casady +casal +Casaleggio +Casals +casalty +Casamarca +Casandra +Casanova +Casanovanic +casanovas +casaque +casaques +casaquin +Casar +casas +Casasia +casate +Casatus +Casaubon +casaun +casava +Casavant +casavas +casave +casavi +Casbah +casbahs +cascabel +cascabels +cascable +cascables +cascadable +cascade +cascade-connect +cascaded +cascades +Cascadia +Cascadian +cascading +cascadite +cascado +Cascais +cascalho +cascalote +cascan +cascara +cascaras +cascarilla +cascaron +cascavel +caschielawis +caschrom +Cascilla +Casco +cascol +cascrom +cascrome +CASE +Casearia +casease +caseases +caseate +caseated +caseates +caseating +caseation +casebearer +case-bearer +casebook +casebooks +casebound +case-bound +casebox +caseconv +cased +casefy +casefied +casefies +casefying +caseful +caseharden +case-harden +casehardened +case-hardened +casehardening +casehardens +Casey +caseic +casein +caseinate +caseine +caseinogen +caseins +Caseyville +casekeeper +case-knife +Casel +caseless +caselessly +caseload +caseloads +caselty +casemaker +casemaking +casemate +casemated +casemates +Casement +casemented +casements +casement's +caseolysis +caseose +caseoses +caseous +caser +caser-in +caserio +caserios +casern +caserne +casernes +caserns +Caserta +cases +case-shot +casette +casettes +caseum +Caseville +caseweed +case-weed +casewood +casework +caseworker +case-worker +caseworkers +caseworks +caseworm +case-worm +caseworms +Cash +casha +cashable +cashableness +cash-and-carry +cashaw +cashaws +cashboy +cashbook +cash-book +cashbooks +cashbox +cashboxes +cashcuttee +cashdrawer +cashed +casheen +cashel +casher +cashers +cashes +cashew +cashews +cashgirl +Cashibo +cashier +cashiered +cashierer +cashiering +cashierment +Cashiers +cashier's +cashing +Cashion +cashkeeper +cashless +cashment +Cashmere +cashmeres +cashmerette +Cashmerian +Cashmirian +cashoo +cashoos +cashou +Cashton +Cashtown +Casi +Casia +Casie +Casilda +Casilde +casimere +casimeres +Casimir +Casimire +casimires +Casimiroa +casina +casinet +casing +casing-in +casings +casini +casino +casinos +casiri +casita +casitas +cask +caskanet +casked +casket +casketed +casketing +casketlike +caskets +casket's +casky +casking +casklike +casks +cask's +cask-shaped +Caslon +Casmalia +Casmey +Casnovia +Cason +Caspar +Casparian +Casper +Caspian +casque +casqued +casques +casquet +casquetel +casquette +Cass +cassaba +cassabanana +cassabas +cassabully +cassada +Cassadaga +Cassady +cassalty +cassan +Cassander +Cassandra +Cassandra-like +Cassandran +cassandras +Cassandre +Cassandry +Cassandrian +cassapanca +cassare +cassareep +cassata +cassatas +cassate +cassation +Cassatt +Cassaundra +cassava +cassavas +Casscoe +casse +Cassegrain +Cassegrainian +Cassey +Cassel +Casselberry +Cassell +Cassella +casselty +Casselton +cassena +casserole +casseroled +casseroles +casserole's +casseroling +casse-tete +cassette +cassettes +casshe +Cassi +Cassy +Cassia +Cassiaceae +Cassian +Cassiani +cassias +cassican +Cassicus +Cassida +cassideous +Cassidy +cassidid +Cassididae +Cassidinae +cassidoine +cassidony +Cassidulina +cassiduloid +Cassiduloidea +Cassie +Cassiepea +Cassiepean +Cassiepeia +Cassil +Cassilda +cassimere +cassina +cassine +Cassinese +cassinette +Cassini +Cassinian +Cassino +cassinoid +cassinos +cassioberry +Cassiodorus +Cassiope +Cassiopea +Cassiopean +Cassiopeia +Cassiopeiae +Cassiopeian +Cassiopeid +cassiopeium +cassique +Cassirer +cassiri +CASSIS +cassises +Cassite +cassiterite +cassites +Cassytha +Cassythaceae +Cassius +cassock +cassocked +cassocks +Cassoday +cassolette +casson +cassonade +Cassondra +cassone +cassoni +cassons +cassoon +Cassopolis +cassoulet +cassowary +cassowaries +Casstown +cassumunar +cassumuniar +Cassville +cast +Casta +castable +castagnole +Castalia +Castalian +Castalides +Castalio +Castana +castane +Castanea +castanean +castaneous +castanet +castanets +castanian +castano +Castanopsis +Castanospermum +Castara +castaway +castaways +cast-back +cast-by +caste +Casteau +casted +Casteel +casteism +casteisms +casteless +castelet +Castell +Castella +castellan +castellany +castellanies +castellano +Castellanos +castellans +castellanship +castellanus +castellar +castellate +castellated +castellation +castellatus +castellet +castelli +Castellna +castellum +Castelnuovo-Tedesco +Castelvetro +casten +Caster +Castera +caste-ridden +casterless +caster-off +casters +castes +casteth +casthouse +castice +castigable +castigate +castigated +castigates +castigating +castigation +castigations +castigative +castigator +castigatory +castigatories +castigators +Castiglione +Castile +Castilian +Castilla +Castilleja +Castillo +Castilloa +Castine +casting +castings +cast-iron +cast-iron-plant +Castle +Castleberry +castle-builder +castle-building +castle-built +castle-buttressed +castle-crowned +castled +Castledale +Castleford +castle-guard +castle-guarded +castlelike +Castlereagh +castlery +castles +castlet +Castleton +castleward +castlewards +castlewise +Castlewood +castling +cast-me-down +castock +castoff +cast-off +castoffs +Castor +Castora +castor-bean +Castores +castoreum +castory +castorial +Castoridae +castorin +Castorina +castorite +castorized +Castorland +Castoroides +castors +Castra +castral +castrametation +castrate +castrated +castrater +castrates +castrati +castrating +castration +castrations +castrato +castrator +castratory +castrators +castrensial +castrensian +Castries +Castro +Castroism +Castroist +Castroite +Castrop-Rauxel +Castroville +castrum +casts +cast's +cast-steel +castuli +cast-weld +CASU +casual +casualism +casualist +casuality +casually +casualness +casualnesses +casuals +casualty +casualties +casualty's +casuary +Casuariidae +Casuariiformes +Casuarina +Casuarinaceae +casuarinaceous +Casuarinales +Casuarius +casuist +casuistess +casuistic +casuistical +casuistically +casuistry +casuistries +casuists +casula +casule +casus +casusistry +Caswell +caswellite +Casziel +CAT +cat. +cata- +catabaptist +catabases +catabasion +catabasis +catabatic +catabibazon +catabiotic +catabolic +catabolically +catabolin +catabolism +catabolite +catabolize +catabolized +catabolizing +catacaustic +catachreses +catachresis +catachresti +catachrestic +catachrestical +catachrestically +catachthonian +catachthonic +catacylsmic +cataclasis +cataclasm +cataclasmic +cataclastic +cataclinal +cataclysm +cataclysmal +cataclysmatic +cataclysmatist +cataclysmic +cataclysmically +cataclysmist +cataclysms +catacomb +catacombic +catacombs +catacorner +catacorolla +catacoustics +catacromyodian +catacrotic +catacrotism +catacumba +catacumbal +catadicrotic +catadicrotism +catadioptric +catadioptrical +catadioptrics +catadrome +catadromous +catadupe +Cataebates +catafalco +catafalque +catafalques +catagenesis +catagenetic +catagmatic +catagories +Cataian +catakinesis +catakinetic +catakinetomer +catakinomeric +Catalan +Catalanganes +Catalanist +catalase +catalases +catalatic +Catalaunian +Cataldo +catalecta +catalectic +catalecticant +catalects +catalepsy +catalepsies +catalepsis +cataleptic +cataleptically +cataleptics +cataleptiform +cataleptize +cataleptoid +catalexes +catalexis +Catalin +Catalina +catalineta +catalinite +catalyse +catalyses +catalysis +catalyst +catalysts +catalyst's +catalyte +catalytic +catalytical +catalytically +catalyzator +catalyze +catalyzed +catalyzer +catalyzers +catalyzes +catalyzing +catallactic +catallactically +catallactics +catallum +catalo +cataloes +catalog +cataloged +cataloger +catalogers +catalogia +catalogic +catalogical +cataloging +catalogist +catalogistic +catalogize +catalogs +catalogue +catalogued +cataloguer +cataloguers +catalogues +cataloguing +cataloguish +cataloguist +cataloguize +Catalonia +Catalonian +cataloon +catalos +catalowne +Catalpa +catalpas +catalufa +catalufas +catamaran +catamarans +Catamarca +Catamarcan +Catamarenan +catamenia +catamenial +catamite +catamited +catamites +catamiting +Catamitus +catamneses +catamnesis +catamnestic +catamount +catamountain +cat-a-mountain +catamounts +catan +catanadromous +Catananche +cat-and-dog +cat-and-doggish +Catania +Catano +Catanzaro +catapan +catapasm +catapetalous +cataphasia +cataphatic +cataphyll +cataphylla +cataphyllary +cataphyllum +cataphysic +cataphysical +cataphonic +cataphonics +cataphora +cataphoresis +cataphoretic +cataphoretically +cataphoria +cataphoric +cataphract +Cataphracta +cataphracted +Cataphracti +cataphractic +cataphrenia +cataphrenic +Cataphrygian +cataphrygianism +cataplane +cataplasia +cataplasis +cataplasm +cataplastic +catapleiite +cataplexy +catapuce +catapult +catapulted +catapultic +catapultier +catapulting +catapults +cataract +cataractal +cataracted +cataracteg +cataractine +cataractous +cataracts +cataractwise +cataria +Catarina +catarinite +catarrh +catarrhal +catarrhally +catarrhed +Catarrhina +catarrhine +catarrhinian +catarrhous +catarrhs +catasarka +Catasauqua +Catasetum +cataspilite +catasta +catastaltic +catastases +catastasis +catastate +catastatic +catasterism +catastrophal +catastrophe +catastrophes +catastrophic +catastrophical +catastrophically +catastrophism +catastrophist +catathymic +catatony +catatonia +catatoniac +catatonias +catatonic +catatonics +Cataula +Cataumet +Catavi +catawampous +catawampously +catawamptious +catawamptiously +catawampus +Catawba +catawbas +Catawissa +cat-bed +catberry +catbird +catbirds +catboat +catboats +catbrier +catbriers +cat-built +catcall +catcalled +catcaller +catcalling +catcalls +catch +catch- +catch-22 +catchable +catchall +catch-all +catchalls +catch-as-catch-can +catch-cord +catchcry +catched +catcher +catchers +catches +catchfly +catchflies +catchy +catchie +catchier +catchiest +catchiness +catching +catchingly +catchingness +catchland +catchlight +catchline +catchment +catchments +cat-chop +catchpenny +catchpennies +catchphrase +catchplate +catchpole +catchpoled +catchpolery +catchpoleship +catchpoling +catchpoll +catchpolled +catchpollery +catchpolling +catchup +catch-up +catchups +catchwater +catchweed +catchweight +catchword +catchwords +catchwork +catclaw +cat-clover +catdom +Cate +catecheses +catechesis +catechetic +catechetical +catechetically +catechin +catechins +catechisable +catechisation +catechise +catechised +catechiser +catechising +Catechism +catechismal +catechisms +catechist +catechistic +catechistical +catechistically +catechists +catechizable +catechization +catechize +catechized +catechizer +catechizes +catechizing +catechol +catecholamine +catecholamines +catechols +catechu +catechumen +catechumenal +catechumenate +catechumenical +catechumenically +catechumenism +catechumens +catechumenship +catechus +catechutannic +categorem +categorematic +categorematical +categorematically +category +categorial +categoric +categorical +categorically +categoricalness +categories +category's +categorisation +categorise +categorised +categorising +categorist +categorization +categorizations +categorize +categorized +categorizer +categorizers +categorizes +categorizing +cateye +cat-eyed +catel +catelectrode +catelectrotonic +catelectrotonus +catella +catena +catenae +catenane +catenary +catenarian +catenaries +catenas +catenate +catenated +catenates +catenating +catenation +catenative +catenoid +catenoids +catenulate +catepuce +cater +cateran +caterans +caterbrawl +catercap +catercorner +cater-corner +catercornered +cater-cornered +catercornerways +catercousin +cater-cousin +cater-cousinship +catered +caterer +caterers +caterership +cateress +cateresses +catery +Caterina +catering +cateringly +Caterpillar +caterpillared +caterpillarlike +caterpillars +caterpillar's +caters +caterva +caterwaul +caterwauled +caterwauler +caterwauling +caterwauls +Cates +Catesbaea +catesbeiana +Catesby +catface +catfaced +catfaces +catfacing +catfall +catfalls +catfight +catfish +cat-fish +catfishes +catfoot +cat-foot +catfooted +catgut +catguts +Cath +cath- +Cath. +Catha +Cathay +Cathayan +cat-hammed +Cathar +catharan +Cathari +Catharina +Catharine +Catharism +Catharist +Catharistic +catharization +catharize +catharized +catharizing +Catharpin +cat-harpin +catharping +cat-harpings +Cathars +catharses +catharsis +Catharsius +Cathartae +Cathartes +cathartic +cathartical +cathartically +catharticalness +cathartics +Cathartidae +Cathartides +cathartin +Cathartolinum +Cathe +cathead +cat-head +catheads +cathect +cathected +cathectic +cathecting +cathection +cathects +cathedra +cathedrae +cathedral +cathedraled +cathedralesque +cathedralic +cathedrallike +cathedral-like +cathedrals +cathedral's +cathedralwise +cathedras +cathedrated +cathedratic +cathedratica +cathedratical +cathedratically +cathedraticum +Cathee +Cathey +cathepsin +catheptic +Cather +catheretic +Catherin +Catheryn +Catherina +Catherine +cathern +Catherwood +catheter +catheterisation +catheterise +catheterised +catheterising +catheterism +catheterization +catheterize +catheterized +catheterizes +catheterizing +catheters +catheti +cathetometer +cathetometric +cathetus +cathetusti +cathexes +cathexion +cathexis +Cathi +Cathy +cathidine +Cathie +Cathyleen +cathin +cathine +cathinine +cathion +cathisma +cathismata +Cathlamet +Cathleen +Cathlene +cathodal +cathode +cathodegraph +cathodes +cathode's +cathodic +cathodical +cathodically +cathodofluorescence +cathodograph +cathodography +cathodoluminescence +cathodoluminescent +cathodo-luminescent +cathograph +cathography +cathole +cat-hole +Catholic +catholical +catholically +catholicalness +catholicate +catholici +catholicisation +catholicise +catholicised +catholiciser +catholicising +Catholicism +catholicist +Catholicity +catholicization +catholicize +catholicized +catholicizer +catholicizing +catholicly +catholicness +catholico- +catholicoi +catholicon +catholicos +catholicoses +catholics +catholic's +catholicus +catholyte +Cathomycin +cathood +cathop +cathouse +cathouses +Cathrin +Cathryn +Cathrine +cathro +ca'-thro' +cathud +Cati +Caty +catydid +Catie +Catilinarian +Catiline +Catima +Catina +cating +cation +cation-active +cationic +cationically +cations +CATIS +cativo +catjang +catkin +catkinate +catkins +Catlaina +catlap +cat-lap +CATLAS +Catlee +Catlett +Catlettsburg +catlike +cat-like +Catlin +catline +catling +catlings +catlinite +catlins +cat-locks +catmalison +catmint +catmints +catnache +catnap +catnaper +catnapers +catnapped +catnapper +catnapping +catnaps +catnep +catnip +catnips +Cato +catoblepas +Catocala +catocalid +catocarthartic +catocathartic +catochus +Catoctin +Catodon +catodont +catogene +catogenic +Catoism +cat-o'-mountain +Caton +Catonian +Catonic +Catonically +cat-o'-nine-tails +cat-o-nine-tails +Catonism +Catonsville +Catoosa +catoptric +catoptrical +catoptrically +catoptrics +catoptrite +catoptromancy +catoptromantic +Catoquina +catostomid +Catostomidae +catostomoid +Catostomus +catouse +catpiece +catpipe +catproof +Catreus +catrigged +cat-rigged +Catrina +Catriona +Catron +cats +cat's +cat's-claw +cat's-cradle +cat's-ear +cat's-eye +cat's-eyes +cat's-feet +cat's-foot +cat's-head +Catskill +Catskills +catskin +catskinner +catslide +catso +catsos +catspaw +cat's-paw +catspaws +cat's-tail +catstane +catstep +catstick +cat-stick +catstitch +catstitcher +catstone +catsup +catsups +Catt +cattabu +cattail +cattails +cattalo +cattaloes +cattalos +Cattan +Cattaraugus +catted +Cattegat +Cattell +catter +cattery +catteries +Catti +Catty +catty-co +cattycorner +catty-corner +cattycornered +catty-cornered +cattie +Cattier +catties +cattiest +cattily +Cattima +cattyman +cattimandoo +cattiness +cattinesses +catting +cattyphoid +cattish +cattishly +cattishness +cattle +cattlebush +cattlefold +cattlegate +cattle-grid +cattle-guard +cattlehide +Cattleya +cattleyak +cattleyas +cattleless +cattleman +cattlemen +cattle-plague +cattle-ranching +cattleship +cattle-specked +Catto +Catton +cat-train +Catullian +Catullus +catur +CATV +catvine +catwalk +catwalks +cat-whistles +catwise +cat-witted +catwood +catwort +catzerie +CAU +caubeen +cauboge +Cauca +Caucasia +Caucasian +caucasians +Caucasic +Caucasoid +caucasoids +Caucasus +Caucete +cauch +cauchemar +Cauchy +cauchillo +caucho +Caucon +caucus +caucused +caucuses +caucusing +caucussed +caucusses +caucussing +cauda +caudad +caudae +caudaite +caudal +caudally +caudalward +Caudata +caudate +caudated +caudates +caudation +caudatolenticular +caudatory +caudatum +Caudebec +caudebeck +caudex +caudexes +caudices +caudicle +caudiform +caudillism +Caudillo +caudillos +caudle +caudles +caudocephalad +caudodorsal +caudofemoral +caudolateral +caudotibial +caudotibialis +cauf +caufle +Caughey +Caughnawaga +caught +cauk +cauked +cauking +caul +cauld +cauldrife +cauldrifeness +cauldron +cauldrons +caulds +Caulerpa +Caulerpaceae +caulerpaceous +caules +caulescent +Caulfield +cauli +caulicle +caulicles +caulicole +caulicolous +caulicule +cauliculi +cauliculus +cauliferous +cauliflory +cauliflorous +cauliflower +cauliflower-eared +cauliflowers +cauliform +cauligenous +caulinar +caulinary +cauline +caulis +Caulite +caulivorous +caulk +caulked +caulker +caulkers +caulking +caulkings +caulks +caulo- +caulocarpic +caulocarpous +caulome +caulomer +caulomic +Caulonia +caulophylline +Caulophyllum +Caulopteris +caulosarc +caulotaxy +caulotaxis +caulote +cauls +caum +cauma +caumatic +caunch +Caundra +Caunos +caunter +Caunus +caup +caupo +cauponate +cauponation +caupones +cauponize +Cauquenes +Cauqui +caurale +Caurus +caus +caus. +causa +causability +causable +causae +causal +causaless +causalgia +causality +causalities +causally +causals +causans +causata +causate +causation +causational +causationism +causationist +causations +causation's +causative +causatively +causativeness +causativity +causator +causatum +cause +cause-and-effect +caused +causeful +Causey +causeys +causeless +causelessly +causelessness +causer +causerie +causeries +causers +causes +causeur +causeuse +causeuses +causeway +causewayed +causewaying +causewayman +causeways +causeway's +causidical +causing +causingness +causon +causse +causson +caustic +caustical +caustically +causticiser +causticism +causticity +causticization +causticize +causticized +causticizer +causticizing +causticly +causticness +caustics +caustify +caustification +caustified +caustifying +Causus +cautel +cautela +cautelous +cautelously +cautelousness +cauter +cauterant +cautery +cauteries +cauterisation +cauterise +cauterised +cauterising +cauterism +cauterization +cauterizations +cauterize +cauterized +cauterizer +cauterizes +cauterizing +Cauthornville +cautio +caution +cautionary +cautionaries +cautioned +cautioner +cautioners +cautiones +cautioning +cautionings +cautionry +cautions +cautious +cautiously +cautiousness +cautiousnesses +cautivo +Cauvery +CAV +Cav. +cava +cavae +cavaedia +cavaedium +Cavafy +cavayard +caval +cavalcade +cavalcaded +cavalcades +cavalcading +Cavalerius +cavalero +cavaleros +Cavalier +cavaliere +cavaliered +cavalieres +Cavalieri +cavaliering +cavalierish +cavalierishness +cavalierism +cavalierly +cavalierness +cavaliernesses +cavaliero +cavaliers +cavaliership +cavalla +Cavallaro +cavallas +cavally +cavallies +cavalry +cavalries +cavalryman +cavalrymen +Cavan +Cavanagh +Cavanaugh +cavascope +cavate +cavated +cavatina +cavatinas +cavatine +cavdia +Cave +cavea +caveae +caveat +caveated +caveatee +caveating +caveator +caveators +caveats +caveat's +caved +cavefish +cavefishes +cave-guarded +cavey +cave-in +cavekeeper +cave-keeping +cavel +cavelet +cavelike +Cavell +cave-lodged +cave-loving +caveman +cavemen +Cavendish +caver +cavern +cavernal +caverned +cavernicolous +caverning +cavernitis +cavernlike +cavernoma +cavernous +cavernously +caverns +cavern's +cavernulous +cavers +Caves +cavesson +Cavetown +cavetti +cavetto +cavettos +cavy +Cavia +caviar +caviare +caviares +caviars +cavicorn +Cavicornia +Cavidae +cavie +cavies +caviya +cavyyard +Cavil +caviled +caviler +cavilers +caviling +cavilingly +cavilingness +Cavill +cavillation +cavillatory +cavilled +caviller +cavillers +cavilling +cavillingly +cavillingness +cavillous +cavils +cavin +Cavina +Caviness +caving +cavings +cavi-relievi +cavi-rilievi +cavish +Cavit +cavitary +cavitate +cavitated +cavitates +cavitating +cavitation +cavitations +Cavite +caviteno +cavity +cavitied +cavities +cavity's +cavo-relievo +cavo-relievos +cavo-rilievo +cavort +cavorted +cavorter +cavorters +cavorting +cavorts +Cavour +CAVU +cavum +Cavuoto +cavus +caw +Cawdrey +cawed +cawing +cawk +cawker +cawky +cawl +Cawley +cawney +cawny +cawnie +Cawnpore +Cawood +cawquaw +caws +c-axes +Caxias +caxiri +c-axis +caxon +Caxton +Caxtonian +Caz +caza +Cazadero +Cazenovia +cazibi +cazimi +cazique +caziques +Cazzie +CB +CBC +CBD +CBDS +CBE +CBEL +CBEMA +CBI +C-bias +CBR +CBS +CBW +CBX +CC +cc. +CCA +CCAFS +CCC +CCCCM +CCCI +CCD +CCDS +Cceres +ccesser +CCF +CCH +Cchaddie +cchaddoorck +Cchakri +CCI +ccid +CCIM +CCIP +CCIR +CCIS +CCITT +cckw +CCL +CCls +ccm +CCNC +CCNY +Ccoya +CCP +CCR +CCRP +CCS +CCSA +CCT +CCTA +CCTAC +CCTV +CCU +Ccuta +CCV +CCW +ccws +CD +cd. +CDA +CDAR +CDB +CDC +CDCF +Cdenas +CDEV +CDF +cdg +CDI +CDIAC +Cdiz +CDN +CDO +Cdoba +CDP +CDPR +CDR +Cdr. +Cdre +CDROM +CDS +CDSF +CDT +CDU +CE +CEA +Ceanothus +Cear +Ceara +cearin +cease +ceased +cease-fire +ceaseless +ceaselessly +ceaselessness +ceases +ceasing +ceasmic +Ceausescu +Ceb +Cebalrai +Cebatha +cebell +cebian +cebid +Cebidae +cebids +cebil +cebine +ceboid +ceboids +Cebolla +cebollite +Cebriones +Cebu +cebur +Cebus +CEC +ceca +cecal +cecally +cecca +cecchine +Cece +Cecelia +Cechy +cecidiology +cecidiologist +cecidium +cecidogenous +cecidology +cecidologist +cecidomyian +cecidomyiid +Cecidomyiidae +cecidomyiidous +Cecil +Cecile +Cecyle +Ceciley +Cecily +Cecilia +Cecilio +cecilite +Cecilius +Cecilla +Cecillia +cecils +Cecilton +cecity +cecitis +cecograph +Cecomorphae +cecomorphic +cecopexy +cecostomy +cecotomy +Cecropia +Cecrops +cecum +cecums +cecutiency +CED +Cedalion +Cedar +cedarbird +Cedarbrook +cedar-brown +Cedarburg +cedar-colored +Cedarcrest +cedared +Cedaredge +Cedarhurst +cedary +Cedarkey +Cedarlane +cedarn +Cedars +Cedartown +Cedarvale +Cedarville +cedarware +cedarwood +cede +ceded +Cedell +cedens +cedent +ceder +ceders +cedes +cedi +cedilla +cedillas +ceding +cedis +cedr- +cedrat +cedrate +cedre +Cedreatis +Cedrela +cedrene +cedry +Cedric +cedrin +cedrine +cedriret +cedrium +cedrol +cedron +Cedrus +cedula +cedulas +cedule +ceduous +cee +ceennacuelum +CEERT +cees +Ceevah +Ceevee +CEF +Cefis +CEGB +CEI +Ceiba +ceibas +ceibo +ceibos +Ceil +ceylanite +ceile +ceiled +ceiler +ceilers +ceilidh +ceilidhe +ceiling +ceilinged +ceilings +ceiling's +ceilingward +ceilingwards +ceilometer +Ceylon +Ceylonese +ceylonite +ceils +ceint +ceinte +ceinture +ceintures +ceyssatite +Ceyx +ceja +Cela +Celadon +celadonite +celadons +Celaeno +Celaya +celandine +celandines +Celanese +Celarent +Celastraceae +celastraceous +Celastrus +celation +celative +celature +cele +celeb +celebe +Celebes +Celebesian +celebrant +celebrants +celebrate +celebrated +celebratedly +celebratedness +celebrater +celebrates +celebrating +celebration +celebrationis +celebrations +celebrative +celebrator +celebratory +celebrators +celebre +celebres +celebret +Celebrezze +celebrious +celebrity +celebrities +celebrity's +celebs +celemin +celemines +Celene +celeomorph +Celeomorphae +celeomorphic +celery +celeriac +celeriacs +celeries +celery-leaved +celerity +celerities +celery-topped +Celeski +Celesta +celestas +Celeste +celestes +Celestia +celestial +celestiality +celestialize +celestialized +celestially +celestialness +celestify +Celestyn +Celestina +Celestyna +Celestine +Celestinian +celestite +celestitude +celeusma +Celeuthea +Celia +celiac +celiacs +celiadelphus +celiagra +celialgia +celibacy +celibacies +celibataire +celibatarian +celibate +celibates +celibatic +celibatist +celibatory +celidographer +celidography +Celie +celiectasia +celiectomy +celiemia +celiitis +Celik +Celin +Celina +Celinda +Celine +Celinka +Celio +celiocele +celiocentesis +celiocyesis +celiocolpotomy +celiodynia +celioelytrotomy +celioenterotomy +celiogastrotomy +celiohysterotomy +celiolymph +celiomyalgia +celiomyodynia +celiomyomectomy +celiomyomotomy +celiomyositis +celioncus +celioparacentesis +celiopyosis +celiorrhaphy +celiorrhea +celiosalpingectomy +celiosalpingotomy +celioschisis +celioscope +celioscopy +celiotomy +celiotomies +Celisse +celite +Celka +cell +cella +cellae +cellager +cellar +cellarage +cellared +cellarer +cellarers +cellaress +cellaret +cellarets +cellarette +cellaring +cellarless +cellarman +cellarmen +cellarous +cellars +cellar's +cellarway +cellarwoman +cellated +cellblock +cell-blockade +cellblocks +Celle +celled +Cellepora +cellepore +Cellfalcicula +celli +celliferous +celliform +cellifugal +celling +Cellini +cellipetal +cellist +cellists +cellist's +Cellite +cell-like +cellmate +cellmates +Cello +cellobiose +cellocut +celloid +celloidin +celloist +cellophane +cellophanes +cellos +cellose +cells +cell-shaped +Cellucotton +cellular +cellularity +cellularly +cellulase +cellulate +cellulated +cellulating +cellulation +cellule +cellules +cellulicidal +celluliferous +cellulifugal +cellulifugally +cellulin +cellulipetal +cellulipetally +cellulitis +cellulo- +cellulocutaneous +cellulofibrous +Celluloid +celluloided +cellulolytic +Cellulomonadeae +Cellulomonas +cellulose +cellulosed +celluloses +cellulosic +cellulosing +cellulosity +cellulosities +cellulotoxic +cellulous +Cellvibrio +Cel-o-Glass +celom +celomata +celoms +celo-navigation +Celoron +celoscope +Celosia +celosias +Celotex +celotomy +celotomies +Cels +Celsia +celsian +celsitude +Celsius +CELSS +Celt +Celt. +Celtdom +Celtiberi +Celtiberian +Celtic +Celtically +Celtic-Germanic +Celticism +Celticist +Celticize +Celtidaceae +celtiform +Celtillyrians +Celtis +Celtish +Celtism +Celtist +celtium +Celtization +celto- +Celto-Germanic +Celto-ligyes +Celtologist +Celtologue +Celtomaniac +Celtophil +Celtophobe +Celtophobia +Celto-roman +Celto-slavic +Celto-thracians +celts +celtuce +celure +Cemal +cembali +cembalist +cembalo +cembalon +cembalos +cement +cementa +cemental +cementation +cementations +cementatory +cement-coated +cement-covered +cement-drying +cemented +cementer +cementers +cement-faced +cement-forming +cementification +cementin +cementing +cementite +cementitious +cementless +cementlike +cement-lined +cement-lining +cementmaker +cementmaking +cementoblast +cementoma +Cementon +cements +cement-temper +cementum +cementwork +cemetary +cemetaries +cemetery +cemeterial +cemeteries +cemetery's +CEN +cen- +cen. +Cenac +cenacle +cenacles +cenaculum +Cenaean +Cenaeum +cenanthy +cenanthous +cenation +cenatory +Cence +cencerro +cencerros +Cenchrias +Cenchrus +Cenci +cendre +cene +cenesthesia +cenesthesis +cenesthetic +Cenis +cenizo +cenobe +cenoby +cenobian +cenobies +cenobite +cenobites +cenobitic +cenobitical +cenobitically +cenobitism +cenobium +cenogamy +cenogenesis +cenogenetic +cenogenetically +cenogonous +Cenomanian +cenosite +cenosity +cenospecies +cenospecific +cenospecifically +cenotaph +cenotaphy +cenotaphic +cenotaphies +cenotaphs +cenote +cenotes +Cenozoic +cenozoology +CENS +cense +censed +censer +censerless +censers +censes +censing +censitaire +censive +censor +censorable +censorate +censored +censorial +censorian +censoring +Censorinus +censorious +censoriously +censoriousness +censoriousnesses +censors +censorship +censorships +censual +censurability +censurable +censurableness +censurably +censure +censured +censureless +censurer +censurers +censures +censureship +censuring +census +censused +censuses +censusing +census's +cent +cent. +centage +centai +cental +centals +centare +centares +centas +centaur +centaurdom +Centaurea +centauress +Centauri +centaury +centaurial +centaurian +centauric +Centaurid +Centauridium +centauries +Centaurium +centauromachy +centauromachia +centauro-triton +centaurs +Centaurus +centavo +centavos +centena +centenar +Centenary +centenarian +centenarianism +centenarians +centenaries +centenier +centenionales +centenionalis +centennia +centennial +centennially +centennials +centennium +Centeno +Center +centerable +centerboard +centerboards +centered +centeredly +centeredness +centerer +center-fire +centerfold +centerfolds +centering +centerless +centerline +centermost +centerpiece +centerpieces +centerpiece's +centerpunch +centers +center's +center-sawed +center-second +centervelic +Centerville +centerward +centerwise +centeses +centesimal +centesimally +centesimate +centesimation +centesimi +centesimo +centesimos +centesis +centesm +Centetes +centetid +Centetidae +centgener +centgrave +centi +centi- +centiar +centiare +centiares +centibar +centiday +centifolious +centigrade +centigrado +centigram +centigramme +centigrams +centile +centiles +centiliter +centiliters +centilitre +centillion +centillions +centillionth +Centiloquy +Centimani +centime +centimes +centimeter +centimeter-gram +centimeter-gram-second +centimeters +centimetre +centimetre-gramme-second +centimetre-gram-second +centimetres +centimo +centimolar +centimos +centinel +centinody +centinormal +centipedal +centipede +centipedes +centipede's +centiplume +centipoise +centistere +centistoke +centner +centners +CENTO +centon +centones +centonical +centonism +centonization +Centonze +centos +centr- +centra +centrad +Centrahoma +central +centrale +centraler +Centrales +centralest +central-fire +Centralia +centralisation +centralise +centralised +centraliser +centralising +centralism +centralist +centralistic +centralists +centrality +centralities +centralization +centralizations +centralize +centralized +centralizer +centralizers +centralizes +centralizing +centrally +centralness +centrals +centranth +Centranthus +centrarchid +Centrarchidae +centrarchoid +centration +Centraxonia +centraxonial +Centre +centreboard +Centrechinoida +centred +centref +centre-fire +centrefold +Centrehall +centreless +centremost +centrepiece +centrer +centres +centrev +Centreville +centrex +centry +centri- +centric +Centricae +centrical +centricality +centrically +centricalness +centricipital +centriciput +centricity +centriffed +centrifugal +centrifugalisation +centrifugalise +centrifugalization +centrifugalize +centrifugalized +centrifugalizing +centrifugaller +centrifugally +centrifugate +centrifugation +centrifuge +centrifuged +centrifugence +centrifuges +centrifuging +centring +centrings +centriole +centripetal +centripetalism +centripetally +centripetence +centripetency +centriscid +Centriscidae +centrisciform +centriscoid +Centriscus +centrism +centrisms +centrist +centrists +centro +centro- +centroacinar +centrobaric +centrobarical +centroclinal +centrode +centrodesmose +centrodesmus +centrodorsal +centrodorsally +centroid +centroidal +centroids +centrolecithal +Centrolepidaceae +centrolepidaceous +centrolinead +centrolineal +centromere +centromeric +centronote +centronucleus +centroplasm +Centropomidae +Centropomus +Centrosema +centrosymmetry +centrosymmetric +centrosymmetrical +Centrosoyus +centrosome +centrosomic +Centrospermae +centrosphere +Centrotus +centrum +centrums +centrutra +cents +centum +centums +centumvir +centumviral +centumvirate +Centunculus +centuple +centupled +centuples +centuply +centuplicate +centuplicated +centuplicating +centuplication +centupling +centure +Century +Centuria +centurial +centuriate +centuriation +centuriator +centuried +centuries +centurion +centurions +century's +centurist +CEO +ceonocyte +ceorl +ceorlish +ceorls +cep +cepa +cepaceous +cepe +cepes +cephadia +cephaeline +Cephaelis +cephal- +cephala +Cephalacanthidae +Cephalacanthus +cephalad +cephalagra +cephalalgy +cephalalgia +cephalalgic +cephalanthium +cephalanthous +Cephalanthus +Cephalaspis +Cephalata +cephalate +cephaldemae +cephalemia +cephaletron +Cephaleuros +cephalexin +cephalhematoma +cephalhydrocele +cephalic +cephalically +cephalin +Cephalina +cephaline +cephalins +cephalism +cephalitis +cephalization +cephalo- +cephaloauricular +cephalob +Cephalobranchiata +cephalobranchiate +cephalocathartic +cephalocaudal +cephalocele +cephalocentesis +cephalocercal +Cephalocereus +cephalochord +Cephalochorda +cephalochordal +Cephalochordata +cephalochordate +cephalocyst +cephaloclasia +cephaloclast +cephalocone +cephaloconic +cephalodia +cephalodymia +cephalodymus +cephalodynia +cephalodiscid +Cephalodiscida +Cephalodiscus +cephalodium +cephalofacial +cephalogenesis +cephalogram +cephalograph +cephalohumeral +cephalohumeralis +cephaloid +cephalology +cephalom +cephalomancy +cephalomant +cephalomelus +cephalomenia +cephalomeningitis +cephalomere +cephalometer +cephalometry +cephalometric +cephalomyitis +cephalomotor +cephalon +cephalonasal +Cephalonia +cephalopagus +cephalopathy +cephalopharyngeal +cephalophyma +cephalophine +cephalophorous +Cephalophus +cephaloplegia +cephaloplegic +cephalopod +Cephalopoda +cephalopodan +cephalopodic +cephalopodous +Cephalopterus +cephalorachidian +cephalorhachidian +cephaloridine +cephalosome +cephalospinal +cephalosporin +Cephalosporium +cephalostyle +Cephalotaceae +cephalotaceous +Cephalotaxus +cephalotheca +cephalothecal +cephalothoraces +cephalothoracic +cephalothoracopagus +cephalothorax +cephalothoraxes +cephalotome +cephalotomy +cephalotractor +cephalotribe +cephalotripsy +cephalotrocha +Cephalotus +cephalous +cephalus +Cephas +Cephei +Cepheid +cepheids +cephen +Cepheus +cephid +Cephidae +Cephus +Cepolidae +Ceporah +cepous +ceps +cepter +ceptor +CEQ +cequi +cera +ceraceous +cerago +ceral +Cerallua +Ceram +ceramal +ceramals +cerambycid +Cerambycidae +Cerambus +Ceramiaceae +ceramiaceous +ceramic +ceramicist +ceramicists +ceramicite +ceramics +ceramidium +ceramist +ceramists +Ceramium +ceramography +ceramographic +cerargyrite +ceras +cerasein +cerasin +cerastes +Cerastium +Cerasus +cerat +cerat- +cerata +cerate +ceratectomy +cerated +cerates +ceratiasis +ceratiid +Ceratiidae +ceratin +ceratinous +ceratins +ceratioid +ceration +ceratite +Ceratites +ceratitic +Ceratitidae +Ceratitis +ceratitoid +Ceratitoidea +Ceratium +cerato- +Ceratobatrachinae +ceratoblast +ceratobranchial +ceratocystis +ceratocricoid +Ceratodidae +Ceratodontidae +Ceratodus +ceratoduses +ceratofibrous +ceratoglossal +ceratoglossus +ceratohyal +ceratohyoid +ceratoid +ceratomandibular +ceratomania +Ceratonia +Ceratophyllaceae +ceratophyllaceous +Ceratophyllum +Ceratophyta +ceratophyte +Ceratophrys +Ceratops +Ceratopsia +ceratopsian +ceratopsid +Ceratopsidae +Ceratopteridaceae +ceratopteridaceous +Ceratopteris +ceratorhine +Ceratosa +Ceratosaurus +Ceratospongiae +ceratospongian +Ceratostomataceae +Ceratostomella +ceratotheca +ceratothecae +ceratothecal +Ceratozamia +ceraunia +ceraunics +ceraunite +ceraunogram +ceraunograph +ceraunomancy +ceraunophone +ceraunoscope +ceraunoscopy +Cerbberi +Cerberean +Cerberi +Cerberic +Cerberus +Cerberuses +cercal +cercaria +cercariae +cercarial +cercarian +cercarias +cercariform +cercelee +cerci +Cercidiphyllaceae +Cercyon +Cercis +cercises +cercis-leaf +cercle +Cercocebus +Cercolabes +Cercolabidae +cercomonad +Cercomonadidae +Cercomonas +Cercopes +cercopid +Cercopidae +cercopithecid +Cercopithecidae +Cercopithecoid +Cercopithecus +cercopod +Cercospora +Cercosporella +cercus +Cerdonian +CerE +cereal +cerealian +cerealin +cerealism +cerealist +cerealose +cereals +cereal's +cerebbella +cerebella +cerebellar +cerebellifugal +cerebellipetal +cerebellitis +cerebellocortex +cerebello-olivary +cerebellopontile +cerebellopontine +cerebellorubral +cerebellospinal +cerebellum +cerebellums +cerebr- +cerebra +cerebral +cerebralgia +cerebralism +cerebralist +cerebralization +cerebralize +cerebrally +cerebrals +cerebrasthenia +cerebrasthenic +cerebrate +cerebrated +cerebrates +cerebrating +cerebration +cerebrational +cerebrations +Cerebratulus +cerebri +cerebric +cerebricity +cerebriform +cerebriformly +cerebrifugal +cerebrin +cerebripetal +cerebritis +cerebrize +cerebro- +cerebrocardiac +cerebrogalactose +cerebroganglion +cerebroganglionic +cerebroid +cerebrology +cerebroma +cerebromalacia +cerebromedullary +cerebromeningeal +cerebromeningitis +cerebrometer +cerebron +cerebronic +cerebro-ocular +cerebroparietal +cerebropathy +cerebropedal +cerebrophysiology +cerebropontile +cerebropsychosis +cerebrorachidian +cerebrosclerosis +cerebroscope +cerebroscopy +cerebrose +cerebrosensorial +cerebroside +cerebrosis +cerebrospinal +cerebro-spinal +cerebrospinant +cerebrosuria +cerebrotomy +cerebrotonia +cerebrotonic +cerebrovascular +cerebrovisceral +cerebrum +cerebrums +cerecloth +cerecloths +cered +Ceredo +cereless +Cerelia +Cerell +Cerelly +Cerellia +cerement +cerements +ceremony +ceremonial +ceremonialism +ceremonialist +ceremonialists +ceremonialize +ceremonially +ceremonialness +ceremonials +ceremoniary +ceremonies +ceremonious +ceremoniously +ceremoniousness +ceremony's +Cerenkov +cereous +cerer +cererite +Ceres +Ceresco +ceresin +ceresine +Cereus +cereuses +cerevis +cerevisial +cereza +Cerf +cerfoil +Cery +ceria +Cerialia +cerianthid +Cerianthidae +cerianthoid +Cerianthus +cerias +ceric +ceride +ceriferous +cerigerous +Cerigo +ceryl +cerilla +cerillo +ceriman +cerimans +cerin +cerine +Cerynean +cering +Cerinthe +Cerinthian +Ceriomyces +Cerion +Cerionidae +ceriops +Ceriornis +ceriph +ceriphs +Cerys +cerise +cerises +cerite +cerites +Cerithiidae +cerithioid +Cerithium +cerium +ceriums +Ceryx +CERMET +cermets +CERN +Cernauti +cerned +cerning +cerniture +Cernuda +cernuous +cero +cero- +cerograph +cerographer +cerography +cerographic +cerographical +cerographies +cerographist +ceroid +ceroline +cerolite +ceroma +ceromancy +ceromez +ceroon +cerophilous +ceroplast +ceroplasty +ceroplastic +ceroplastics +ceros +cerosin +ceroso- +cerotate +cerote +cerotene +cerotic +cerotin +cerotype +cerotypes +cerous +ceroxyle +Ceroxylon +Cerracchio +cerrero +cerre-tree +cerrial +Cerrillos +cerris +Cerritos +Cerro +Cerrogordo +CERT +cert. +certain +certainer +certainest +certainly +certainness +certainty +certainties +certes +Certhia +Certhiidae +certy +Certie +certif +certify +certifiability +certifiable +certifiableness +certifiably +certificate +certificated +certificates +certificating +certification +certifications +certificative +certificator +certificatory +certified +certifier +certifiers +certifies +certifying +certiorari +certiorate +certiorating +certioration +certis +certitude +certitudes +certosa +certose +certosina +certosino +cerule +cerulean +ceruleans +cerulein +ceruleite +ceruleo- +ceruleolactite +ceruleous +cerulescent +ceruleum +cerulific +cerulignol +cerulignone +ceruloplasmin +cerumen +cerumens +ceruminal +ceruminiferous +ceruminous +cerumniparous +ceruse +ceruses +cerusite +cerusites +cerussite +cervalet +Cervantes +cervantic +Cervantist +cervantite +cervelas +cervelases +cervelat +cervelats +cerveliere +cervelliere +Cerveny +cervical +Cervicapra +cervicaprine +cervicectomy +cervices +cervicicardiac +cervicide +cerviciplex +cervicispinal +cervicitis +cervico- +cervicoauricular +cervicoaxillary +cervicobasilar +cervicobrachial +cervicobregmatic +cervicobuccal +cervicodynia +cervicodorsal +cervicofacial +cervicohumeral +cervicolabial +cervicolingual +cervicolumbar +cervicomuscular +cerviconasal +cervico-occipital +cervico-orbicular +cervicorn +cervicoscapular +cervicothoracic +cervicovaginal +cervicovesical +cervid +Cervidae +Cervin +Cervinae +cervine +cervisia +cervisial +cervix +cervixes +cervoid +cervuline +Cervulus +Cervus +Cesar +Cesare +Cesarean +cesareans +cesarevitch +Cesaria +Cesarian +cesarians +Cesaro +cesarolite +Cesena +Cesya +cesious +cesium +cesiums +cespititious +cespititous +cespitose +cespitosely +cespitulose +cess +cessant +cessantly +cessation +cessations +cessation's +cessative +cessavit +cessed +cesser +cesses +cessible +cessing +cessio +cession +cessionaire +cessionary +cessionaries +cessionee +cessions +cessment +Cessna +cessor +cesspipe +cesspit +cesspits +cesspool +cesspools +cest +cesta +Cestar +cestas +ceste +Cesti +Cestida +Cestidae +Cestoda +Cestodaria +cestode +cestodes +cestoi +cestoid +Cestoidea +cestoidean +cestoids +ceston +cestos +Cestracion +cestraciont +Cestraciontes +Cestraciontidae +cestraction +Cestrian +Cestrinus +Cestrum +cestui +cestuy +cestus +cestuses +cesura +cesurae +cesural +cesuras +cesure +CET +cet- +Ceta +Cetacea +cetacean +cetaceans +cetaceous +cetaceum +cetane +cetanes +Cete +cetene +ceteosaur +cetera +ceterach +cetes +Ceti +cetic +ceticide +Cetid +cetyl +cetylene +cetylic +cetin +Cetinje +Cetiosauria +cetiosaurian +Cetiosaurus +Ceto +cetology +cetological +cetologies +cetologist +Cetomorpha +cetomorphic +Cetonia +cetonian +Cetoniides +Cetoniinae +cetorhinid +Cetorhinidae +cetorhinoid +Cetorhinus +cetotolite +Cetraria +cetraric +cetrarin +Cetura +Cetus +Ceuta +CEV +cevadilla +cevadilline +cevadine +Cevdet +Cevennes +Cevennian +Cevenol +Cevenole +CEVI +cevian +ceviche +ceviches +cevine +cevitamic +Cezanne +Cezannesque +CF +cf. +CFA +CFB +CFC +CFCA +CFD +CFE +CFF +cfh +CFHT +CFI +CFL +cfm +CFO +CFP +CFR +cfs +CG +cg. +CGA +CGCT +CGE +CGI +CGIAR +CGM +CGN +CGS +CGX +CH +ch. +Ch.B. +Ch.E. +CHA +chaa +Cha'ah +chab +chabasie +chabasite +chabazite +chaber +Chabichou +Chablis +Chabot +chabouk +chabouks +Chabrier +Chabrol +chabuk +chabuks +chabutra +Chac +chacate +chac-chac +chaccon +Chace +Cha-cha +cha-cha-cha +cha-chaed +cha-chaing +chachalaca +chachalakas +Chachapuya +cha-chas +chack +chack-bird +Chackchiuma +chacker +chackle +chackled +chackler +chackling +chacma +chacmas +Chac-mool +Chaco +chacoli +Chacon +chacona +chaconne +chaconnes +chacra +chacte +chacun +Chad +Chadabe +chadacryst +chadar +chadarim +chadars +Chadbourn +Chadbourne +Chadburn +Chadd +Chadderton +Chaddy +Chaddie +Chaddsford +chadelle +Chader +Chadic +chadless +chadlock +chador +chadors +chadri +Chadron +chads +Chadwick +Chadwicks +Chae +Chaenactis +Chaenolobus +Chaenomeles +Chaeronea +chaeta +chaetae +chaetal +Chaetangiaceae +Chaetangium +Chaetetes +Chaetetidae +Chaetifera +chaetiferous +Chaetites +Chaetitidae +Chaetochloa +Chaetodon +chaetodont +chaetodontid +Chaetodontidae +chaetognath +Chaetognatha +chaetognathan +chaetognathous +chaetophobia +Chaetophora +Chaetophoraceae +chaetophoraceous +Chaetophorales +chaetophorous +chaetopod +Chaetopoda +chaetopodan +chaetopodous +chaetopterin +Chaetopterus +chaetosema +Chaetosoma +Chaetosomatidae +Chaetosomidae +chaetotactic +chaetotaxy +Chaetura +chafe +chafed +Chafee +chafer +chafery +chaferies +chafers +chafes +chafewax +chafe-wax +chafeweed +chaff +chaffcutter +chaffed +Chaffee +chaffer +chaffered +chafferer +chafferers +chaffery +chaffering +chaffers +chaffeur-ship +chaff-flower +chaffy +chaffier +chaffiest +Chaffin +Chaffinch +chaffinches +chaffiness +chaffing +chaffingly +chaffless +chafflike +chaffman +chaffron +chaffs +chaffseed +chaffwax +chaffweed +chaff-weed +chafing +chaft +chafted +Chaga +chagal +Chagall +chagan +Chagatai +Chagga +chagigah +chagoma +Chagres +chagrin +chagrined +chagrining +chagrinned +chagrinning +chagrins +chaguar +chagul +Chahab +Chahar +chahars +chai +chay +chaya +chayaroot +Chayefsky +Chaiken +Chaikovski +Chaille +Chailletiaceae +Chaillot +Chaim +Chayma +Chain +chainage +chain-bag +chainbearer +chainbreak +chain-bridge +chain-driven +chain-drooped +chaine +chained +Chainey +chainer +chaines +chainette +Chaing +Chaingy +chaining +chainless +chainlet +chainlike +chainmaker +chainmaking +chainman +chainmen +chainomatic +chainon +chainplate +chain-pump +chain-react +chain-reacting +chains +chain-shaped +chain-shot +chainsman +chainsmen +chainsmith +chain-smoke +chain-smoked +chain-smoker +chain-smoking +chain-spotted +chainstitch +chain-stitch +chain-stitching +chain-swung +chain-testing +chainwale +chain-wale +chain-welding +chainwork +chain-work +Chayota +chayote +chayotes +chair +chairborne +chaired +chairer +chair-fast +chairing +chairlady +chairladies +chairless +chairlift +chairmaker +chairmaking +chairman +chairmaned +chairmaning +chairmanned +chairmanning +chairmans +chairmanship +chairmanships +chairmen +chairmender +chairmending +chair-mortising +chayroot +chairperson +chairpersons +chairperson's +chairs +chair-shaped +chairway +chairwarmer +chair-warmer +chairwoman +chairwomen +chais +chays +chaise +chaiseless +chaise-longue +chaise-marine +chaises +Chait +chaitya +chaityas +chaitra +chaja +Chak +chaka +Chakales +chakar +chakari +Chakavski +chakazi +chakdar +Chaker +chakobu +chakra +chakram +chakras +chakravartin +chaksi +Chal +chalaco +chalah +chalahs +chalana +chalastic +Chalastogastra +chalaza +chalazae +chalazal +chalazas +chalaze +chalazia +chalazian +chalaziferous +chalazion +chalazium +chalazogam +chalazogamy +chalazogamic +chalazoidite +chalazoin +chalcanth +chalcanthite +Chalcedon +chalcedony +Chalcedonian +chalcedonic +chalcedonies +chalcedonyx +chalcedonous +chalchihuitl +chalchuite +chalcid +Chalcidian +Chalcidic +chalcidica +Chalcidice +chalcidicum +chalcidid +Chalcididae +chalcidiform +chalcidoid +Chalcidoidea +chalcids +Chalcioecus +Chalciope +Chalcis +chalcites +chalco- +chalcocite +chalcogen +chalcogenide +chalcograph +chalcographer +chalcography +chalcographic +chalcographical +chalcographist +chalcolite +Chalcolithic +chalcomancy +chalcomenite +chalcon +chalcone +chalcophanite +chalcophile +chalcophyllite +chalcopyrite +chalcosiderite +chalcosine +chalcostibite +chalcotrichite +chalcotript +chalcus +Chald +Chaldaei +Chaldae-pahlavi +Chaldaic +Chaldaical +Chaldaism +Chaldea +Chaldean +Chaldee +chalder +chaldese +chaldron +chaldrons +chaleh +chalehs +chalet +chalets +Chalfont +Chaliapin +Chalybean +chalybeate +chalybeous +Chalybes +chalybite +chalice +chaliced +chalices +chalice's +chalicosis +chalicothere +chalicotheriid +Chalicotheriidae +chalicotherioid +Chalicotherium +Chalina +Chalinidae +chalinine +Chalinitis +chalk +chalkboard +chalkboards +chalkcutter +chalk-eating +chalked +chalk-eyed +chalker +chalky +chalkier +chalkiest +chalkiness +chalking +chalklike +chalkline +chalkography +chalkone +chalkos +chalkosideric +chalkotheke +chalkpit +chalkrail +chalks +chalkstone +chalk-stone +chalkstony +chalk-talk +chalk-white +chalkworker +challa +challah +challahs +challas +challengable +challenge +challengeable +challenged +challengee +challengeful +challenger +challengers +challenges +challenging +challengingly +Chally +challie +challies +challiho +challihos +Challis +challises +challot +challote +challoth +Chalmer +Chalmers +Chalmette +chalon +chalone +chalones +Chalonnais +Chalons +Chalons-sur-Marne +Chalon-sur-Sa +chalot +chaloth +chaloupe +chalque +chalta +chaluka +Chalukya +Chalukyan +chalumeau +chalumeaux +chalutz +chalutzim +Cham +Chama +Chamacea +Chamacoco +chamade +chamades +Chamaebatia +Chamaecyparis +Chamaecistus +chamaecranial +Chamaecrista +Chamaedaphne +Chamaeleo +Chamaeleon +Chamaeleontidae +Chamaeleontis +Chamaelirium +Chamaenerion +Chamaepericlymenum +chamaephyte +chamaeprosopic +Chamaerops +chamaerrhine +Chamaesaura +Chamaesyce +Chamaesiphon +Chamaesiphonaceae +Chamaesiphonaceous +Chamaesiphonales +chamal +Chamar +chambellan +chamber +chamberdeacon +chamber-deacon +chambered +chamberer +chamberfellow +Chambery +chambering +Chamberino +Chamberlain +chamberlainry +chamberlains +chamberlain's +chamberlainship +chamberlet +chamberleted +chamberletted +Chamberlin +chambermaid +chambermaids +chamber-master +Chambers +Chambersburg +Chambersville +Chambertin +chamberwoman +Chambioa +Chamblee +Chambord +chambray +chambrays +chambranle +chambre +chambrel +Chambry +chambul +Chamdo +chamecephaly +chamecephalic +chamecephalous +chamecephalus +chameleon +chameleonic +chameleonize +chameleonlike +chameleons +chametz +chamfer +chamfered +chamferer +chamfering +chamfers +chamfrain +chamfron +chamfrons +Chamian +Chamicuro +Chamidae +Chaminade +Chamyne +Chamisal +chamise +chamises +chamiso +chamisos +Chamite +Chamizal +Chamkanni +Chamkis +chamlet +chamm +chamma +chammy +chammied +chammies +chammying +chamois +chamoised +chamoises +Chamoisette +chamoising +chamoisite +chamoix +chamoline +chamomile +Chamomilla +Chamonix +Chamorro +Chamorros +Chamos +chamosite +chamotte +Chamouni +Champ +Champa +champac +champaca +champacol +champacs +Champagne +Champagne-Ardenne +champagned +champagneless +champagnes +champagning +champagnize +champagnized +champagnizing +Champaign +Champaigne +champain +champak +champaka +champaks +champart +champe +champed +Champenois +champer +champerator +champers +champert +champerty +champerties +champertor +champertous +champy +champian +Champigny-sur-Marne +champignon +champignons +champine +champing +champion +championed +championess +championing +championize +championless +championlike +champions +championship +championships +championship's +Champlain +Champlainic +champlev +champleve +Champlin +Champollion +champs +chams +Cham-selung +chamsin +Chamuel +Chan +Ch'an +Chana +Chanaan +Chanabal +Chanc +Chanca +Chancay +Chance +chanceable +chanceably +chanced +chance-dropped +chanceful +chancefully +chancefulness +chance-hit +chance-hurt +Chancey +chancel +chanceled +chanceless +chancelled +chancellery +chancelleries +Chancellor +chancellorate +chancelloress +chancellory +chancellories +chancellorism +chancellors +chancellorship +chancellorships +Chancellorsville +Chancelor +chancelry +chancels +chanceman +chance-medley +chancemen +chance-met +chance-poised +chancer +chancered +chancery +chanceries +chancering +chances +chance-shot +chance-sown +chance-taken +chancewise +chance-won +Chan-chan +chanche +chanchito +chancy +chancier +chanciest +chancily +chanciness +chancing +chancito +chanco +chancre +chancres +chancriform +chancroid +chancroidal +chancroids +chancrous +Chanda +Chandal +chandala +chandam +Chandarnagar +chandelier +chandeliers +chandelier's +chandelle +chandelled +chandelles +chandelling +Chandernagor +Chandernagore +Chandi +Chandigarh +Chandler +chandleress +chandlery +chandleries +chandlering +chandlerly +chandlers +Chandlersville +Chandlerville +Chandless +chandoo +Chandos +Chandra +Chandragupta +chandrakanta +chandrakhi +chandry +chandu +chandui +chanduy +chandul +Chane +Chaney +Chanel +chaneled +chaneling +chanelled +chanfrin +chanfron +chanfrons +Chang +changa +changable +Changan +changar +Changaris +Changchiakow +Changchow +Changchowfu +Changchun +change +changeability +changeable +changeableness +changeably +changeabout +changed +changedale +changedness +changeful +changefully +changefulness +change-house +changeless +changelessly +changelessness +changeling +changelings +changemaker +changement +changeover +change-over +changeovers +changepocket +changer +change-ringing +changer-off +changers +changes +change-up +Changewater +changing +Changoan +Changos +changs +Changsha +Changteh +Changuina +Changuinan +Chanhassen +Chany +Chanidae +chank +chankings +Channa +Channahon +Channel +channelbill +channeled +channeler +channeling +channelization +channelize +channelized +channelizes +channelizing +channelled +channeller +channellers +channeller's +channelly +channelling +channels +channelure +channelwards +channer +Channing +chanoyu +chanson +chansonette +chansonnette +chansonnier +chansonniers +chansons +Chansoo +chanst +chant +chantable +chantage +chantages +Chantal +Chantalle +chantant +chantecler +chanted +chantefable +chante-fable +chante-fables +chantey +chanteyman +chanteys +chantepleure +chanter +chanterelle +chanters +chantership +chanteur +chanteuse +chanteuses +chanty +chanticleer +chanticleers +chanticleer's +chantier +chanties +Chantilly +chanting +chantingly +chantlate +chantment +chantor +chantors +chantress +chantry +chantries +chants +Chanukah +Chanute +Chao +Chaoan +Chaochow +Chaochowfu +chaogenous +chaology +Chaon +chaori +chaos +chaoses +chaotic +chaotical +chaotically +chaoticness +chaoua +Chaouia +Chaource +chaoush +CHAP +chap. +Chapa +Chapacura +Chapacuran +chapah +Chapanec +chapapote +chaparajos +chaparejos +chaparral +chaparrals +chaparraz +chaparro +chapati +chapaties +chapatis +chapatti +chapatty +chapatties +chapattis +chapbook +chap-book +chapbooks +chape +chapeau +chapeaus +chapeaux +chaped +Chapei +Chapel +chapeled +chapeless +chapelet +chapelgoer +chapelgoing +chapeling +chapelize +Chapell +chapellage +chapellany +chapelled +chapelling +chapelman +chapelmaster +chapelry +chapelries +chapels +chapel's +chapelward +Chapen +chaperno +chaperon +chaperonage +chaperonages +chaperone +chaperoned +chaperones +chaperoning +chaperonless +chaperons +chapes +chapfallen +chap-fallen +chapfallenly +Chapin +chapiter +chapiters +chapitle +chapitral +chaplain +chaplaincy +chaplaincies +chaplainry +chaplains +chaplain's +chaplainship +Chapland +chaplanry +chapless +chaplet +chapleted +chaplets +Chaplin +Chapman +Chapmansboro +chapmanship +Chapmanville +chapmen +chap-money +Chapnick +chapon +chapote +chapourn +chapournet +chapournetted +chappal +Chappaqua +Chappaquiddick +chappaul +chappe +chapped +Chappelka +Chappell +Chappells +chapper +Chappy +Chappie +chappies +chappin +chapping +chappow +chaprasi +chaprassi +chaps +chap's +chapstick +chapt +chaptalization +chaptalize +chaptalized +chaptalizing +chapter +chapteral +chaptered +chapterful +chapterhouse +chaptering +chapters +chapter's +Chaptico +chaptrel +Chapultepec +chapwoman +chaqueta +chaquetas +Char +char- +CHARA +charabanc +char-a-banc +charabancer +charabancs +char-a-bancs +charac +Characeae +characeous +characetum +characid +characids +characin +characine +characinid +Characinidae +characinoid +characins +charact +character +charactered +characterful +charactery +characterial +characterical +characteries +charactering +characterisable +characterisation +characterise +characterised +characteriser +characterising +characterism +characterist +characteristic +characteristical +characteristically +characteristicalness +characteristicness +characteristics +characteristic's +characterizable +characterization +characterizations +characterization's +characterize +characterized +characterizer +characterizers +characterizes +characterizing +characterless +characterlessness +characterology +characterological +characterologically +characterologist +characters +character's +characterstring +charactonym +charade +charades +Charadrii +Charadriidae +charadriiform +Charadriiformes +charadrine +charadrioid +Charadriomorphae +Charadrius +Charales +charango +charangos +chararas +charas +charases +charbocle +charbon +Charbonneau +Charbonnier +charbroil +charbroiled +charbroiling +charbroils +Charca +Charcas +Charchemish +charcia +charco +charcoal +charcoal-burner +charcoaled +charcoal-gray +charcoaly +charcoaling +charcoalist +charcoals +Charcot +charcuterie +charcuteries +charcutier +charcutiers +Chard +Chardin +chardock +Chardon +Chardonnay +Chardonnet +chards +chare +chared +charely +Charente +Charente-Maritime +Charenton +charer +chares +charet +chareter +charette +chargable +charga-plate +charge +chargeability +chargeable +chargeableness +chargeably +chargeant +charge-a-plate +charged +chargedness +chargee +chargeful +chargehouse +charge-house +chargeless +chargeling +chargeman +CHARGEN +charge-off +charger +chargers +charges +chargeship +chargfaires +charging +Chari +chary +Charybdian +Charybdis +Charicleia +Chariclo +Charie +charier +chariest +Charil +Charyl +charily +Charin +chariness +charing +Chari-Nile +Chariot +charioted +chariotee +charioteer +charioteers +charioteership +charioting +chariotlike +chariotman +chariotry +chariots +chariot's +chariot-shaped +chariotway +Charis +charism +charisma +charismas +charismata +charismatic +charisms +Charissa +Charisse +charisticary +Charita +charitable +charitableness +charitably +charitative +Charites +Charity +charities +charityless +charity's +Chariton +charivan +charivari +charivaried +charivariing +charivaris +chark +charka +charkas +charked +charkha +charkhana +charkhas +charking +charks +Charla +charlady +charladies +charlatan +charlatanic +charlatanical +charlatanically +charlatanish +charlatanism +charlatanistic +charlatanry +charlatanries +charlatans +charlatanship +Charlean +Charlee +Charleen +Charley +charleys +Charlemagne +Charlemont +Charlena +Charlene +Charleroi +Charleroy +Charles +Charleston +charlestons +Charlestown +charlesworth +Charlet +Charleton +Charleville-Mzi +Charlevoix +Charlie +Charlye +charlies +Charlyn +Charline +Charlyne +Charlo +charlock +charlocks +Charlot +Charlotta +Charlotte +Charlottenburg +Charlottesville +Charlottetown +Charlotteville +Charlton +charm +Charmain +Charmaine +Charmane +charm-bound +charm-built +Charmco +charmed +charmedly +charmel +charm-engirdled +charmer +charmers +Charmeuse +charmful +charmfully +charmfulness +Charmian +Charminar +Charmine +charming +charminger +charmingest +charmingly +charmingness +Charmion +charmless +charmlessly +charmonium +charms +charm-struck +charmwise +charneco +charnel +charnels +charnockite +charnockites +charnu +Charo +Charolais +Charollais +Charon +Charonian +Charonic +Charontas +Charophyta +Charops +charoses +charoset +charoseth +charpai +charpais +Charpentier +charpie +charpit +charpoy +charpoys +charque +charqued +charqui +charquid +charquis +charr +charras +charre +charred +charrette +Charry +charrier +charriest +charring +charro +Charron +charros +charrs +Charruan +Charruas +chars +charshaf +charsingha +chart +Charta +chartable +chartaceous +chartae +charted +charter +charterable +charterage +chartered +charterer +charterers +Charterhouse +Charterhouses +chartering +Charteris +charterism +Charterist +charterless +chartermaster +charter-party +Charters +charthouse +charting +chartings +Chartism +Chartist +chartists +Chartley +chartless +chartlet +chartographer +chartography +chartographic +chartographical +chartographically +chartographist +chartology +chartometer +chartophylacia +chartophylacium +chartophylax +chartophylaxes +Chartres +Chartreuse +chartreuses +Chartreux +chartroom +charts +chartula +chartulae +chartulary +chartularies +chartulas +charuk +Charvaka +charvet +charwoman +charwomen +Chas +chasable +Chase +chaseable +Chaseburg +chased +chase-hooped +chase-hooping +Chaseley +chase-mortised +chaser +chasers +chases +chashitsu +Chasid +Chasidic +Chasidim +Chasidism +chasing +chasings +Chaska +Chasles +chasm +chasma +chasmal +chasmed +chasmy +chasmic +chasmogamy +chasmogamic +chasmogamous +chasmophyte +chasms +chasm's +chass +Chasse +chassed +chasseing +Chasselas +Chassell +chasse-maree +chassepot +chassepots +chasses +chasseur +chasseurs +chassignite +Chassin +chassis +Chastacosta +Chastain +chaste +chastelain +chastely +chasten +chastened +chastener +chasteners +chasteness +chastenesses +chastening +chasteningly +chastenment +chastens +chaster +chastest +chasteweed +chasty +chastiment +chastisable +chastise +chastised +chastisement +chastisements +chastiser +chastisers +chastises +chastising +Chastity +chastities +chastize +chastizer +chasuble +chasubled +chasubles +chat +Chataignier +chataka +Chatav +Chatawa +chatchka +chatchkas +chatchke +chatchkes +Chateau +Chateaubriand +Chateaugay +chateaugray +Chateauneuf-du-Pape +Chateauroux +chateaus +chateau's +Chateau-Thierry +chateaux +chatelain +chatelaine +chatelaines +chatelainry +chatelains +chatelet +chatellany +chateus +Chatfield +Chatham +chathamite +chathamites +chati +Chatillon +Chatino +chatoyance +chatoyancy +chatoyant +Chatom +chaton +chatons +Chatot +chats +chatsome +Chatsworth +chatta +chattable +chattack +chattah +Chattahoochee +Chattanooga +Chattanoogan +Chattanoogian +Chattaroy +chattation +chatted +chattel +chattelhood +chattelism +chattelization +chattelize +chattelized +chattelizing +chattels +chattelship +chatter +chatteration +chatterbag +chatterbox +chatterboxes +chattered +chatterer +chatterers +chattererz +chattery +chattering +chatteringly +Chatterjee +chattermag +chattermagging +chatters +Chatterton +Chattertonian +Chatti +chatty +chattier +chatties +chattiest +chattily +chattiness +chatting +chattingly +Chatwin +chatwood +Chaucer +Chaucerian +Chauceriana +Chaucerianism +Chaucerism +Chauchat +chaudfroid +chaud-froid +chaud-melle +Chaudoin +chaudron +chaufer +chaufers +chauffage +chauffer +chauffers +chauffeur +chauffeured +chauffeuring +chauffeurs +chauffeurship +chauffeuse +chauffeuses +Chaui +chauk +chaukidari +chauldron +chaule +Chauliodes +chaulmaugra +chaulmoogra +chaulmoograte +chaulmoogric +chaulmugra +chaum +chaumer +chaumiere +Chaumont +chaumontel +Chaumont-en-Bassigny +chaun- +Chauna +Chaunce +Chauncey +chaunoprockt +chaunt +chaunted +chaunter +chaunters +chaunting +chaunts +chauri +chaus +chausse +chaussee +chausseemeile +chaussees +chausses +Chausson +chaussure +chaussures +Chautauqua +Chautauquan +chaute +Chautemps +chauth +chauve +Chauvin +chauvinism +chauvinisms +chauvinist +chauvinistic +chauvinistically +chauvinists +Chavannes +Chavante +Chavantean +Chavaree +chave +Chavey +chavel +chavender +chaver +Chaves +Chavez +chavibetol +chavicin +chavicine +chavicol +Chavies +Chavignol +Chavin +chavish +chaw +chawan +chawbacon +chaw-bacon +chawbone +chawbuck +chawdron +chawed +chawer +chawers +Chawia +chawing +chawk +chawl +chawle +chawn +Chaworth +chaws +chawstick +chaw-stick +chazan +chazanim +chazans +chazanut +Chazy +chazzan +chazzanim +chazzans +chazzanut +chazzen +chazzenim +chazzens +ChB +ChE +Cheadle +Cheam +cheap +cheapen +cheapened +cheapener +cheapening +cheapens +cheaper +cheapery +cheapest +cheapie +cheapies +cheaping +cheapish +cheapishly +cheapjack +Cheap-jack +cheap-john +cheaply +cheapness +cheapnesses +cheapo +cheapos +cheaps +Cheapside +cheapskate +cheapskates +cheare +cheat +cheatable +cheatableness +cheated +cheatee +cheater +cheatery +cheateries +cheaters +Cheatham +cheating +cheatingly +cheatry +cheatrie +cheats +Cheb +Chebacco +Chebanse +chebec +chebeck +chebecs +chebel +chebog +Cheboygan +Cheboksary +chebule +chebulic +chebulinic +Checani +chechako +chechakos +Chechehet +chechem +Chechen +chechia +che-choy +check +check- +checkable +checkage +checkback +checkbird +checkbit +checkbite +checkbits +checkbook +checkbooks +checkbook's +check-canceling +checke +checked +checked-out +check-endorsing +checker +checkerbelly +checkerbellies +checkerberry +checker-berry +checkerberries +checkerbloom +checkerboard +checkerboarded +checkerboarding +checkerboards +checkerbreast +checker-brick +checkered +checkery +checkering +checkerist +checker-roll +checkers +checkerspot +checker-up +checkerwise +checkerwork +check-flood +checkhook +checky +check-in +checking +checklaton +checkle +checkless +checkline +checklist +checklists +checkman +checkmark +checkmate +checkmated +checkmates +checkmating +checkoff +checkoffs +checkout +check-out +checkouts +check-over +check-perforating +checkpoint +checkpointed +checkpointing +checkpoints +checkpoint's +checkrack +checkrail +checkrein +checkroll +check-roll +checkroom +checkrooms +checkrope +checkrow +checkrowed +checkrower +checkrowing +checkrows +checks +checkstone +check-stone +checkstrap +checkstring +check-string +checksum +checksummed +checksumming +checksums +checksum's +checkup +checkups +checkweigher +checkweighman +checkweighmen +checkwork +checkwriter +check-writing +Checotah +chedar +Cheddar +cheddaring +cheddars +cheddite +cheddites +cheder +cheders +chedite +chedites +chedlock +chedreux +CheE +cheecha +cheechaco +cheechako +cheechakos +chee-chee +cheeful +cheefuller +cheefullest +cheek +cheek-by-jowl +cheekbone +cheekbones +cheeked +cheeker +cheekful +cheekfuls +cheeky +cheekier +cheekiest +cheekily +cheekiness +cheeking +cheekish +cheekless +cheekpiece +cheeks +cheek's +Cheektowaga +cheeney +cheep +cheeped +cheeper +cheepers +cheepy +cheepier +cheepiest +cheepily +cheepiness +cheeping +cheeps +cheer +cheered +cheerer +cheerers +cheerful +cheerfulize +cheerfuller +cheerfullest +cheerfully +cheerfulness +cheerfulnesses +cheerfulsome +cheery +cheerier +cheeriest +cheerily +cheeriness +cheerinesses +cheering +cheeringly +cheerio +cheerios +cheerlead +cheerleader +cheerleaders +cheerleading +cheerled +cheerless +cheerlessly +cheerlessness +cheerlessnesses +cheerly +cheero +cheeros +cheers +cheer-up +cheese +cheeseboard +cheesebox +cheeseburger +cheeseburgers +cheesecake +cheesecakes +cheesecloth +cheesecloths +cheesecurd +cheesecutter +cheesed +cheeseflower +cheese-head +cheese-headed +cheeselep +cheeselip +cheesemaker +cheesemaking +cheesemonger +cheesemongery +cheesemongering +cheesemongerly +cheeseparer +cheeseparing +cheese-paring +cheeser +cheesery +cheeses +cheese's +cheesewood +cheesy +cheesier +cheesiest +cheesily +cheesiness +cheesing +cheet +cheetah +cheetahs +cheetal +cheeter +cheetie +cheetul +cheewink +cheezit +chef +Chefang +chef-d' +chef-d'oeuvre +chefdom +chefdoms +cheffed +Cheffetz +cheffing +Chefoo +Chefornak +Chefrinia +chefs +chef's +chefs-d'oeuvre +chego +chegoe +chegoes +chegre +Chehalis +cheiceral +Cheyenne +Cheyennes +cheil- +Cheilanthes +cheilion +cheilitis +Cheilodipteridae +Cheilodipterus +cheiloplasty +cheiloplasties +Cheilostomata +cheilostomatous +cheilotomy +cheilotomies +cheimaphobia +cheimatophobia +Cheyne +Cheyney +cheyneys +cheir +cheir- +cheiragra +Cheiranthus +cheiro- +Cheirogaleus +Cheiroglossa +cheirognomy +cheirography +cheirolin +cheiroline +cheirology +cheiromancy +cheiromegaly +Cheiron +cheiropatagium +cheiropod +cheiropody +cheiropodist +cheiropompholyx +Cheiroptera +cheiropterygium +cheirosophy +cheirospasm +Cheirotherium +Cheju +Cheka +chekan +Cheke +cheken +Chekhov +Chekhovian +cheki +Chekiang +Chekist +chekker +chekmak +chela +chelae +Chelan +chelas +chelaship +chelatable +chelate +chelated +chelates +chelating +chelation +chelator +chelators +chelem +chelerythrin +chelerythrine +Chelyabinsk +chelicer +chelicera +chelicerae +cheliceral +chelicerate +chelicere +chelide +Chelydidae +Chelidon +chelidonate +chelidonian +chelidonic +chelidonin +chelidonine +Chelidonium +Chelidosaurus +Chelydra +chelydre +Chelydridae +chelydroid +chelifer +Cheliferidea +cheliferous +cheliform +chelinga +chelingas +chelingo +chelingos +cheliped +chelys +Chelyuskin +Chellean +Chellman +chello +Chelmno +Chelmsford +Chelodina +chelodine +cheloid +cheloids +chelone +Chelonia +chelonian +chelonid +Chelonidae +cheloniid +Cheloniidae +chelonin +chelophore +chelp +Chelsae +Chelsea +Chelsey +Chelsy +Chelsie +Cheltenham +Chelton +Chelura +Chem +chem- +chem. +Chema +Chemakuan +Chemar +Chemaram +Chemarin +Chemash +chemasthenia +chemawinite +ChemE +Chemehuevi +Chemesh +chemesthesis +chemiatry +chemiatric +chemiatrist +chemic +chemical +chemicalization +chemicalize +chemically +chemicals +chemick +chemicked +chemicker +chemicking +chemico- +chemicoastrological +chemicobiology +chemicobiologic +chemicobiological +chemicocautery +chemicodynamic +chemicoengineering +chemicoluminescence +chemicoluminescent +chemicomechanical +chemicomineralogical +chemicopharmaceutical +chemicophysical +chemicophysics +chemicophysiological +chemicovital +chemics +chemiculture +chemigraph +chemigrapher +chemigraphy +chemigraphic +chemigraphically +chemiloon +chemiluminescence +chemiluminescent +chemin +cheminee +chemins +chemiotactic +chemiotaxic +chemiotaxis +chemiotropic +chemiotropism +chemiphotic +chemis +chemise +chemises +chemisette +chemism +chemisms +chemisorb +chemisorption +chemisorptive +chemist +chemistry +chemistries +chemists +chemist's +chemitype +chemitypy +chemitypies +chemizo +chemmy +Chemnitz +chemo- +chemoautotrophy +chemoautotrophic +chemoautotrophically +chemoceptor +chemokinesis +chemokinetic +chemolysis +chemolytic +chemolyze +chemonite +chemopallidectomy +chemopallidectomies +chemopause +chemophysiology +chemophysiological +chemoprophyalctic +chemoprophylactic +chemoprophylaxis +chemoreception +chemoreceptive +chemoreceptivity +chemoreceptivities +chemoreceptor +chemoreflex +chemoresistance +chemosensitive +chemosensitivity +chemosensitivities +chemoserotherapy +chemoses +Chemosh +chemosynthesis +chemosynthetic +chemosynthetically +chemosis +chemosmoic +chemosmoses +chemosmosis +chemosmotic +chemosorb +chemosorption +chemosorptive +chemosphere +chemospheric +chemostat +chemosterilant +chemosterilants +chemosurgery +chemosurgical +chemotactic +chemotactically +chemotaxy +chemotaxis +chemotaxonomy +chemotaxonomic +chemotaxonomically +chemotaxonomist +chemotherapeutic +chemotherapeutical +chemotherapeutically +chemotherapeuticness +chemotherapeutics +chemotherapy +chemotherapies +chemotherapist +chemotherapists +chemotic +chemotroph +chemotrophic +chemotropic +chemotropically +chemotropism +chempaduk +Chemstrand +Chemulpo +Chemult +Chemung +chemurgy +chemurgic +chemurgical +chemurgically +chemurgies +Chemush +Chen +chena +Chenab +Chenay +chenar +chende +cheneau +cheneaus +cheneaux +Chenee +Cheney +Cheneyville +chenet +chenevixite +chenfish +Cheng +chengal +Chengchow +Chengteh +Chengtu +chenica +Chenier +chenille +cheniller +chenilles +Chennault +Chenoa +chenopod +Chenopodiaceae +chenopodiaceous +Chenopodiales +Chenopodium +chenopods +Chenoweth +cheongsam +cheoplastic +Cheops +Chepachet +Chephren +chepster +cheque +chequebook +chequeen +chequer +chequerboard +chequer-chamber +chequered +chequering +Chequers +chequerwise +chequer-wise +chequerwork +chequer-work +cheques +chequy +chequin +chequinn +Cher +Chera +Cheraw +Cherbourg +cherchez +chercock +Chere +Cherey +cherely +cherem +Cheremis +Cheremiss +Cheremissian +Cheremkhovo +Cherenkov +chergui +Cheri +Chery +Cheria +Cherian +Cherianne +Cheribon +Cherice +Cherida +Cherie +Cherye +Cheries +Cheryl +Cherylene +Cherilyn +Cherilynn +cherimoya +cherimoyer +cherimolla +Cherin +Cherise +Cherish +cherishable +cherished +cherisher +cherishers +cherishes +cherishing +cherishingly +cherishment +Cheriton +Cherkess +Cherkesser +Cherlyn +Chermes +Chermidae +Chermish +cherna +chernites +Chernobyl +Chernomorish +Chernovtsy +Chernow +chernozem +chernozemic +cherogril +Cherokee +Cherokees +cheroot +cheroots +Cherri +Cherry +cherryblossom +cherry-bob +cherry-cheeked +cherry-colored +cherry-crimson +cherried +cherries +Cherryfield +cherry-flavored +cherrying +cherrylike +cherry-lipped +Cherrylog +cherry-merry +cherry-pie +cherry-red +cherry-ripe +cherry-rose +cherry's +cherrystone +cherrystones +Cherrita +Cherrytree +Cherryvale +Cherryville +cherry-wood +Chersydridae +chersonese +chert +cherte +cherty +chertier +chertiest +cherts +Chertsey +cherub +cherubfish +cherubfishes +cherubic +cherubical +cherubically +Cherubicon +Cherubikon +cherubim +cherubimic +cherubimical +cherubin +Cherubini +cherublike +cherubs +cherub's +cherup +Cherusci +Chervante +chervil +chervils +chervonei +chervonets +chervonetz +chervontsi +Ches +Chesaning +Chesapeake +chesboil +chesboll +chese +cheselip +Cheshire +Cheshunt +Cheshvan +chesil +cheskey +cheskeys +cheslep +Cheslie +Chesna +Chesnee +Chesney +Chesnut +cheson +chesoun +chess +Chessa +chess-apple +chessart +chessboard +chessboards +chessdom +chessel +chesser +chesses +chesset +Chessy +chessylite +chessist +chessman +chessmen +chess-men +chessner +chessom +chessplayer +chessplayers +chesstree +chess-tree +chest +chest-deep +chested +chesteine +Chester +chesterbed +Chesterfield +Chesterfieldian +chesterfields +Chesterland +chesterlite +Chesterton +Chestertown +Chesterville +chest-foundered +chestful +chestfuls +chesty +chestier +chestiest +chestily +chestiness +chestnut +chestnut-backed +chestnut-bellied +chestnut-brown +chestnut-collared +chestnut-colored +chestnut-crested +chestnut-crowned +chestnut-red +chestnut-roan +chestnuts +chestnut's +chestnut-sided +chestnutty +chestnut-winged +Cheston +chest-on-chest +chests +Cheswick +Cheswold +Chet +chetah +chetahs +Chetek +cheth +cheths +chetif +chetive +Chetnik +Chetopa +chetopod +chetrum +chetrums +chetty +chettik +Chetumal +chetverik +chetvert +Cheung +Cheux +Chev +chevachee +chevachie +chevage +Chevak +cheval +cheval-de-frise +chevalet +chevalets +cheval-glass +Chevalier +Chevalier-Montrachet +chevaliers +chevaline +Chevallier +chevance +chevaux +chevaux-de-frise +cheve +chevee +cheveys +chevelure +cheven +chevener +cheventayn +cheverel +cheveret +cheveril +Cheverly +cheveron +cheverons +Cheves +chevesaile +chevesne +chevet +chevetaine +Chevy +chevied +chevies +chevying +cheville +chevin +Cheviot +cheviots +chevisance +chevise +chevon +chevre +chevres +Chevret +chevrette +chevreuil +Chevrier +Chevrolet +chevrolets +chevron +chevrone +chevroned +chevronel +chevronelly +chevrony +chevronny +chevrons +chevron-shaped +chevronwise +chevrotain +Chevrotin +chevvy +Chew +Chewa +chewable +Chewalla +chewbark +chewed +Chewelah +cheweler +chewer +chewers +chewet +chewy +chewie +chewier +chewiest +chewing +chewing-out +chewink +chewinks +chews +chewstick +Chewsville +chez +chg +chg. +chhatri +Chhnang +CHI +chia +Chia-Chia +chiack +chyack +Chiayi +chyak +Chiaki +Chiam +Chian +Chiang +Chiangling +Chiangmai +Chianti +chiao +Chiapanec +Chiapanecan +Chiapas +Chiaretto +Chiari +chiarooscurist +chiarooscuro +chiarooscuros +chiaroscurist +chiaroscuro +chiaroscuros +Chiarra +chias +chiasm +chiasma +chiasmal +chiasmas +chiasmata +chiasmatic +chiasmatype +chiasmatypy +chiasmi +chiasmic +Chiasmodon +chiasmodontid +Chiasmodontidae +chiasms +chiasmus +Chiasso +chiastic +chiastolite +chiastoneural +chiastoneury +chiastoneurous +chiaus +chiauses +chiave +chiavetta +chyazic +Chiba +Chibcha +Chibchan +Chibchas +chibinite +chibol +chibouk +chibouks +chibouque +chibrit +Chic +chica +chicadee +Chicago +Chicagoan +chicagoans +chicayote +chicalote +chicane +chicaned +chicaner +chicanery +chicaneries +chicaners +chicanes +chicaning +Chicano +Chicanos +chicaric +chiccory +chiccories +chicer +chicest +chich +Chicha +chicharra +Chichester +chichevache +Chichewa +chichi +chichicaste +Chichihaerh +Chichihar +chichili +Chichimec +chichimecan +chichipate +chichipe +chichis +chichituna +Chichivache +chichling +Chick +chickabiddy +chickadee +chickadees +chickadee's +Chickahominy +Chickamauga +chickaree +Chickasaw +Chickasaws +Chickasha +chickee +chickees +chickell +chicken +chickenberry +chickenbill +chicken-billed +chicken-brained +chickenbreasted +chicken-breasted +chicken-breastedness +chickened +chicken-farming +chicken-hazard +chickenhearted +chicken-hearted +chickenheartedly +chicken-heartedly +chickenheartedness +chicken-heartedness +chickenhood +chickening +chicken-livered +chicken-liveredness +chicken-meat +chickenpox +chickens +chickenshit +chicken-spirited +chickens-toes +chicken-toed +chickenweed +chickenwort +chicker +chickery +chickhood +Chicky +Chickie +chickies +chickling +chickory +chickories +chickpea +chick-pea +chickpeas +chicks +chickstone +chickweed +chickweeds +chickwit +Chiclayo +chicle +chiclero +chicles +chicly +chicness +chicnesses +Chico +Chicoine +Chicomecoatl +Chicopee +Chicora +chicory +chicories +chicos +chicot +Chicota +chicote +chicqued +chicquer +chicquest +chicquing +chics +chid +chidden +chide +chided +chider +chiders +chides +Chidester +chiding +chidingly +chidingness +chidra +chief +chiefage +chiefdom +chiefdoms +chiefer +chiefery +chiefess +chiefest +chiefish +chief-justiceship +Chiefland +chiefless +chiefly +chiefling +chief-pledge +chiefry +chiefs +chiefship +chieftain +chieftaincy +chieftaincies +chieftainess +chieftainry +chieftainries +chieftains +chieftain's +chieftainship +chieftainships +chieftess +chiefty +chiel +chield +chields +chiels +Chiemsee +Chien +Chiengmai +Chiengrai +chierete +chievance +chieve +chiffchaff +chiff-chaff +chiffer +chifferobe +chiffon +chiffonade +chiffony +chiffonier +chiffoniers +chiffonnier +chiffonnieres +chiffonniers +chiffons +chifforobe +chifforobes +chiffre +chiffrobe +Chifley +chigetai +chigetais +chigga +chiggak +chigger +chiggers +chiggerweed +Chignik +chignon +chignoned +chignons +chigoe +chigoe-poison +chigoes +Chigwell +chih +chihfu +Chihli +Chihuahua +chihuahuas +Chikamatsu +chikara +chikee +Chikmagalur +Chil +chilacayote +chilacavote +chylaceous +chilalgia +chylangioma +chylaqueous +chilaria +chilarium +chilblain +chilblained +chilblains +Chilcat +Chilcats +Chilcoot +Chilcote +Child +childage +childbear +childbearing +child-bearing +childbed +childbeds +child-bereft +childbirth +child-birth +childbirths +childcrowing +Childe +childed +Childermas +Childers +Childersburg +childes +child-fashion +child-god +child-hearted +child-heartedness +childhood +childhoods +childing +childish +childishly +childishness +childishnesses +childkind +childless +childlessness +childlessnesses +childly +childlier +childliest +childlike +childlikeness +child-loving +child-minded +child-mindedness +childminder +childness +childproof +childre +children +childrenite +children's +Childress +childridden +Childs +childship +childward +childwife +childwite +Childwold +Chile +chyle +Chilean +Chileanization +Chileanize +chileans +chilectropion +chylemia +chilenite +Chiles +chyles +Chilhowee +Chilhowie +chili +chiliad +chiliadal +chiliadic +chiliadron +chiliads +chiliaedron +chiliagon +chiliahedron +chiliarch +chiliarchy +chiliarchia +chiliasm +chiliasms +chiliast +chiliastic +chiliasts +chilicote +chilicothe +chilidium +chilidog +chilidogs +chylidrosis +chilies +chylifaction +chylifactive +chylifactory +chyliferous +chylify +chylific +chylification +chylificatory +chylified +chylifying +chyliform +Chi-lin +Chilina +chilindre +Chilinidae +chilio- +chiliomb +Chilion +chilipepper +chilitis +Chilkat +Chilkats +Chill +chilla +chillagite +Chillan +chill-cast +chilled +chiller +chillers +chillest +chilli +chilly +Chillicothe +chillier +chillies +chilliest +chillily +chilliness +chillinesses +chilling +chillingly +chillis +chillish +Chilliwack +chillness +chillo +chilloes +Chillon +chillroom +chills +chillsome +chillum +chillumchee +chillums +Chilmark +Chilo +chilo- +chylo- +chylocauly +chylocaulous +chylocaulously +chylocele +chylocyst +chilodon +chilognath +Chilognatha +chilognathan +chilognathous +chilogrammo +chyloid +chiloma +Chilomastix +chilomata +chylomicron +Chilomonas +Chilon +chiloncus +chylopericardium +chylophylly +chylophyllous +chylophyllously +chiloplasty +chilopod +Chilopoda +chilopodan +chilopodous +chilopods +chylopoetic +chylopoiesis +chylopoietic +Chilopsis +Chiloquin +chylosis +Chilostoma +Chilostomata +chilostomatous +chilostome +chylothorax +chilotomy +chilotomies +chylous +Chilpancingo +Chilson +Chilt +chilte +Chiltern +Chilton +Chilung +chyluria +chilver +chym- +chimachima +Chimacum +chimaera +chimaeras +chimaerid +Chimaeridae +chimaeroid +Chimaeroidei +Chimayo +Chimakuan +Chimakum +Chimalakwe +Chimalapa +Chimane +chimango +Chimaphila +chymaqueous +chimar +Chimarikan +Chimariko +chimars +chymase +chimb +chimbe +chimble +chimbley +chimbleys +chimbly +chimblies +Chimborazo +Chimbote +chimbs +chime +chyme +chimed +Chimene +chimer +chimera +chimeral +chimeras +chimere +chimeres +chimeric +chimerical +chimerically +chimericalness +chimerism +chimers +chimes +chime's +chymes +chimesmaster +chymia +chymic +chymics +chymiferous +chymify +chymification +chymified +chymifying +chimin +chiminage +chiming +Chimique +chymist +chymistry +chymists +Chimkent +chimla +chimlas +chimley +chimleys +Chimmesyan +chimney +chimneyed +chimneyhead +chimneying +chimneyless +chimneylike +chimneyman +chimneypiece +chimney-piece +chimneypot +chimneys +chimney's +chymo- +Chimonanthus +chimopeelagic +chimopelagic +chymosin +chymosinogen +chymosins +chymotrypsin +chymotrypsinogen +chymous +chimp +chimpanzee +chimpanzees +chimps +Chimu +Chimus +Chin +Ch'in +Chin. +China +chinaberry +chinaberries +chinafy +chinafish +Chinagraph +chinalike +Chinaman +chinamania +china-mania +chinamaniac +Chinamen +chinampa +Chinan +chinanta +Chinantecan +Chinantecs +chinaphthol +chinar +chinaroot +chinas +Chinatown +chinaware +chinawoman +chinband +chinbeak +chin-bearded +chinbone +chin-bone +chinbones +chincapin +chinch +chincha +chinchayote +Chinchasuyu +chinche +chincher +chincherinchee +chincherinchees +chinches +chinchy +chinchier +chinchiest +chinchilla +chinchillas +chinchillette +chin-chin +chinchiness +chinching +chin-chinned +chin-chinning +chinchona +Chin-Chou +chincloth +chincof +chincona +Chincoteague +chincough +chindee +chin-deep +chindi +Chindit +Chindwin +chine +chined +Chinee +chinela +chinenses +chines +Chinese +Chinese-houses +Chinesery +chinfest +Ching +Ch'ing +Chinghai +Ch'ing-yan +chingma +Chingpaw +Chingtao +Ching-tu +Ching-t'u +chin-high +Chin-Hsien +Chinhwan +chinik +chiniks +chinin +chining +chiniofon +Chink +chinkapin +chinkara +chink-backed +chinked +chinker +chinkerinchee +chinkers +chinky +Chinkiang +chinkier +chinkiest +chinking +chinkle +chinks +Chinle +chinles +chinless +chinnam +Chinnampo +chinned +chinner +chinners +chinny +chinnier +chinniest +chinning +Chino +Chino- +chinoa +chinoidin +chinoidine +chinois +chinoiserie +Chino-japanese +chinol +chinoleine +chinoline +chinologist +chinone +chinones +Chinook +Chinookan +Chinooks +chinos +chinotoxine +chinotti +chinotto +chinovnik +chinpiece +chinquapin +chins +chin's +chinse +chinsed +chinsing +chint +chints +chintses +chintz +chintze +chintzes +chintzy +chintzier +chintziest +chintziness +Chinua +chin-up +chinwag +chin-wag +chinwood +Chiococca +chiococcine +Chiogenes +chiolite +chyometer +chionablepsia +Chionanthus +Chionaspis +Chione +Chionididae +Chionis +Chionodoxa +chionophobia +chiopin +Chios +Chiot +chiotilla +Chiou +Chyou +Chip +chipboard +chipchap +chipchop +Chipewyan +chipyard +Chipley +chiplet +chipling +Chipman +chipmuck +chipmucks +chipmunk +chipmunks +chipmunk's +chipolata +chippable +chippage +chipped +Chippendale +chipper +chippered +chippering +chippers +chipper-up +Chippewa +Chippeway +Chippeways +Chippewas +chippy +chippie +chippier +chippies +chippiest +chipping +chippings +chipproof +chip-proof +chypre +chips +chip's +chipwood +chiquero +chiquest +Chiquia +Chiquinquira +Chiquita +Chiquitan +Chiquito +chir- +Chirac +chiragra +chiragrical +chirayta +chiral +chiralgia +chirality +Chiran +chirapsia +chirarthritis +chirata +Chirau +Chireno +Chi-Rho +Chi-Rhos +Chiriana +Chiricahua +Chirico +Chiriguano +Chirikof +chirimen +chirimia +chirimoya +chirimoyer +Chirino +chirinola +chiripa +Chiriqui +chirivita +chirk +chirked +chirker +chirkest +chirking +chirks +chirl +Chirlin +chirm +chirmed +chirming +chirms +chiro +chiro- +chirocosmetics +chirogale +chirogymnast +chirognomy +chirognomic +chirognomically +chirognomist +chirognostic +chirograph +chirographary +chirographer +chirographers +chirography +chirographic +chirographical +chirolas +chirology +chirological +chirologically +chirologies +chirologist +chiromance +chiromancer +chiromancy +chiromancist +chiromant +chiromantic +chiromantical +Chiromantis +chiromegaly +chirometer +Chiromyidae +Chiromys +Chiron +chironym +chironomy +chironomic +chironomid +Chironomidae +Chironomus +chiropatagium +chiroplasty +chiropod +chiropody +chiropodial +chiropodic +chiropodical +chiropodies +chiropodist +chiropodistry +chiropodists +chiropodous +chiropompholyx +chiropractic +chiropractics +chiropractor +chiropractors +chiropraxis +chiropter +Chiroptera +chiropteran +chiropterygian +chiropterygious +chiropterygium +chiropterite +chiropterophilous +chiropterous +chiros +chirosophist +chirospasm +Chirotes +chirotherian +Chirotherium +chirothesia +chirotype +chirotony +chirotonsor +chirotonsory +chirp +chirped +chirper +chirpers +chirpy +chirpier +chirpiest +chirpily +chirpiness +chirping +chirpingly +chirpling +chirps +chirr +chirre +chirred +chirres +chirring +chirrs +chirrup +chirruped +chirruper +chirrupy +chirruping +chirrupper +chirrups +chirt +chiru +chirurgeon +chirurgeonly +chirurgery +chirurgy +chirurgic +chirurgical +chis +Chisedec +chisel +chisel-cut +chiseled +chisel-edged +chiseler +chiselers +chiseling +chiselled +chiseller +chisellers +chiselly +chisellike +chiselling +chiselmouth +chisel-pointed +chisels +chisel-shaped +Chishima +Chisholm +Chisimaio +Chisin +chisled +chi-square +chistera +chistka +chit +Chita +chitak +chital +chitarra +chitarrino +chitarrone +chitarroni +chitchat +chit-chat +chitchats +chitchatted +chitchatty +chitchatting +chithe +Chitimacha +Chitimachan +chitin +Chitina +chitinization +chitinized +chitino-arenaceous +chitinocalcareous +chitinogenous +chitinoid +chitinous +chitins +Chitkara +chitlin +chitling +chitlings +chitlins +chiton +chitons +chitosamine +chitosan +chitosans +chitose +chitra +chytra +Chitragupta +Chitrali +chytrid +Chytridiaceae +chytridiaceous +chytridial +Chytridiales +chytridiose +chytridiosis +Chytridium +Chytroi +chits +Chi-tse +chittack +Chittagong +chittak +chittamwood +chitted +Chittenango +Chittenden +chitter +chitter-chatter +chittered +chittering +chitterling +chitterlings +chitters +chitty +chitties +chitty-face +chitting +Chi-tzu +chiule +chiurm +Chiusi +chiv +chivachee +chivage +chivalresque +chivalry +chivalric +chivalries +chivalrous +chivalrously +chivalrousness +chivalrousnesses +chivaree +chivareed +chivareeing +chivarees +chivareing +chivari +chivaried +chivariing +chivaring +chivaris +chivarra +chivarras +chivarro +chive +chivey +chiver +chiveret +Chivers +chives +chivy +chiviatite +chivied +chivies +chivying +Chivington +chivvy +chivvied +chivvies +chivvying +chivw +Chiwere +chizz +chizzel +chkalik +Chkalov +chkfil +chkfile +Chladek +Chladni +chladnite +chlamyd +chlamydate +chlamydeous +chlamydes +Chlamydia +Chlamydobacteriaceae +chlamydobacteriaceous +Chlamydobacteriales +Chlamydomonadaceae +Chlamydomonadidae +Chlamydomonas +chlamydophore +Chlamydosaurus +Chlamydoselachidae +Chlamydoselachus +chlamydospore +chlamydosporic +Chlamydozoa +chlamydozoan +chlamyphore +Chlamyphorus +chlamys +chlamyses +Chleuh +Chlidanope +Chlo +chloanthite +chloasma +chloasmata +Chlodwig +Chloe +Chloette +Chlons-sur-Marne +chlor +chlor- +chloracetate +chloracne +chloraemia +chloragen +chloragogen +chloragogue +chloral +chloralformamide +chloralide +chloralism +chloralization +chloralize +chloralized +chloralizing +chloralose +chloralosed +chlorals +chloralum +chlorambucil +chloramide +chloramin +chloramine +chloramine-T +chloramphenicol +chloranaemia +chloranemia +chloranemic +chloranhydride +chloranil +Chloranthaceae +chloranthaceous +chloranthy +Chloranthus +chlorapatite +chlorargyrite +Chloras +chlorastrolite +chlorate +chlorates +chlorazide +chlorcosane +chlordan +chlordane +chlordans +chlordiazepoxide +chlore +chlored +Chlorella +Chlorellaceae +chlorellaceous +chloremia +chloremic +chlorenchyma +Chlores +chlorguanide +chlorhexidine +chlorhydrate +chlorhydric +Chlori +chloriamb +chloriambus +chloric +chlorid +chloridate +chloridated +chloridation +chloride +Chloridella +Chloridellidae +chlorider +chlorides +chloridic +chloridize +chloridized +chloridizing +chlorids +chloryl +chlorimeter +chlorimetry +chlorimetric +chlorin +chlorinate +chlorinated +chlorinates +chlorinating +chlorination +chlorinations +chlorinator +chlorinators +chlorine +chlorines +chlorinity +chlorinize +chlorinous +chlorins +chloriodide +Chlorion +Chlorioninae +Chloris +chlorite +chlorites +chloritic +chloritization +chloritize +chloritoid +chlorize +chlormethane +chlormethylic +chlornal +chloro +chloro- +chloroacetate +chloroacetic +chloroacetone +chloroacetophenone +chloroamide +chloroamine +chloroanaemia +chloroanemia +chloroaurate +chloroauric +chloroaurite +chlorobenzene +chlorobromide +chlorobromomethane +chlorocalcite +chlorocarbon +chlorocarbonate +chlorochromates +chlorochromic +chlorochrous +Chlorococcaceae +Chlorococcales +Chlorococcum +Chlorococcus +chlorocresol +chlorocruorin +chlorodyne +chlorodize +chlorodized +chlorodizing +chloroethene +chloroethylene +chlorofluorocarbon +chlorofluoromethane +chloroform +chloroformate +chloroformed +chloroformic +chloroforming +chloroformism +chloroformist +chloroformization +chloroformize +chloroforms +chlorogenic +chlorogenine +chloroguanide +chlorohydrin +chlorohydrocarbon +chlorohydroquinone +chloroid +chloroiodide +chloroleucite +chloroma +chloromata +chloromelanite +chlorometer +chloromethane +chlorometry +chlorometric +Chloromycetin +chloronaphthalene +chloronitrate +chloropal +chloropalladates +chloropalladic +chlorophaeite +chlorophane +chlorophenol +chlorophenothane +Chlorophyceae +chlorophyceous +chlorophyl +chlorophyll +chlorophyllaceous +chlorophyllan +chlorophyllase +chlorophyllian +chlorophyllide +chlorophylliferous +chlorophylligenous +chlorophylligerous +chlorophyllin +chlorophyllite +chlorophylloid +chlorophyllose +chlorophyllous +chlorophylls +chlorophoenicite +Chlorophora +chloropia +chloropicrin +chloroplast +chloroplastic +chloroplastid +chloroplasts +chloroplast's +chloroplatinate +chloroplatinic +chloroplatinite +chloroplatinous +chloroprene +chloropsia +chloroquine +chlorosilicate +chlorosis +chlorospinel +chlorosulphonic +chlorothiazide +chlorotic +chlorotically +chlorotrifluoroethylene +chlorotrifluoromethane +chlorous +chlorozincate +chlorpheniramine +chlorphenol +chlorpicrin +chlorpikrin +chlorpromazine +chlorpropamide +chlorprophenpyridamine +chlorsalol +chlortetracycline +Chlor-Trimeton +ChM +chm. +Chmielewski +chmn +chn +Chnier +Chnuphis +Cho +choachyte +choak +choana +choanae +choanate +Choanephora +choanite +choanocytal +choanocyte +Choanoflagellata +choanoflagellate +Choanoflagellida +Choanoflagellidae +choanoid +choanophorous +choanosomal +choanosome +Choapas +Choate +choaty +chob +chobdar +chobie +Chobot +choca +chocalho +chocard +Choccolocco +Chocho +chochos +choc-ice +chock +chockablock +chock-a-block +chocked +chocker +chockful +chockfull +chock-full +chocking +chockler +chockman +chocks +chock's +chockstone +Choco +Chocoan +chocolate +chocolate-box +chocolate-brown +chocolate-coated +chocolate-colored +chocolate-flower +chocolatey +chocolate-red +chocolates +chocolate's +chocolaty +chocolatier +chocolatiere +Chocorua +Chocowinity +Choctaw +choctaw-root +Choctaws +choel +choenix +Choephori +Choeropsis +Choes +choffer +choga +chogak +Chogyal +chogset +choy +choya +Choiak +choyaroot +choice +choice-drawn +choiceful +choiceless +choicelessness +choicely +choiceness +choicer +choices +choicest +choicy +choicier +choiciest +choil +choile +choiler +choir +choirboy +choirboys +choired +choirgirl +choiring +choirlike +choirman +choirmaster +choirmasters +choyroot +choirs +choir's +choirwise +choise +Choiseul +Choisya +chok +chokage +choke +choke- +chokeable +chokeberry +chokeberries +chokebore +choke-bore +chokecherry +chokecherries +choked +chokedamp +choke-full +chokey +chokeys +choker +chokered +chokerman +chokers +chokes +chokestrap +chokeweed +choky +chokidar +chokier +chokies +chokiest +choking +chokingly +Chokio +choko +Chokoloskee +chokra +Chol +chol- +Chola +cholaemia +cholagogic +cholagogue +cholalic +cholam +Cholame +cholane +cholangiography +cholangiographic +cholangioitis +cholangitis +cholanic +cholanthrene +cholate +cholates +chold +chole- +choleate +cholecalciferol +cholecyanin +cholecyanine +cholecyst +cholecystalgia +cholecystectasia +cholecystectomy +cholecystectomies +cholecystectomized +cholecystenterorrhaphy +cholecystenterostomy +cholecystgastrostomy +cholecystic +cholecystis +cholecystitis +cholecystnephrostomy +cholecystocolostomy +cholecystocolotomy +cholecystoduodenostomy +cholecystogastrostomy +cholecystogram +cholecystography +cholecystoileostomy +cholecystojejunostomy +cholecystokinin +cholecystolithiasis +cholecystolithotripsy +cholecystonephrostomy +cholecystopexy +cholecystorrhaphy +cholecystostomy +cholecystostomies +cholecystotomy +cholecystotomies +choledoch +choledochal +choledochectomy +choledochitis +choledochoduodenostomy +choledochoenterostomy +choledocholithiasis +choledocholithotomy +choledocholithotripsy +choledochoplasty +choledochorrhaphy +choledochostomy +choledochostomies +choledochotomy +choledochotomies +choledography +cholee +cholehematin +choleic +choleine +choleinic +cholelith +cholelithiasis +cholelithic +cholelithotomy +cholelithotripsy +cholelithotrity +cholemia +cholent +cholents +choleokinase +cholepoietic +choler +cholera +choleraic +choleras +choleric +cholerically +cholericly +cholericness +choleriform +cholerigenous +cholerine +choleroid +choleromania +cholerophobia +cholerrhagia +cholers +cholestane +cholestanol +cholesteatoma +cholesteatomatous +cholestene +cholesterate +cholesteremia +cholesteric +cholesteryl +cholesterin +cholesterinemia +cholesterinic +cholesterinuria +cholesterol +cholesterolemia +cholesterols +cholesteroluria +cholesterosis +choletelin +choletherapy +choleuria +choli +choliamb +choliambic +choliambist +cholic +cholick +choline +cholinergic +cholines +cholinesterase +cholinic +cholinolytic +cholla +chollas +choller +chollers +Cholo +cholo- +cholochrome +cholocyanine +Choloepus +chologenetic +choloid +choloidic +choloidinic +chololith +chololithic +Cholon +Cholonan +Cholones +cholophaein +cholophein +cholorrhea +Cholos +choloscopy +cholralosed +cholterheaded +choltry +Cholula +cholum +choluria +Choluteca +chomage +chomer +chomp +chomped +chomper +chompers +chomping +chomps +Chomsky +Chon +chonchina +chondr- +chondral +chondralgia +chondrarsenite +chondre +chondrectomy +chondrenchyma +chondri +chondria +chondric +Chondrichthyes +chondrify +chondrification +chondrified +chondrigen +chondrigenous +Chondrilla +chondrin +chondrinous +chondriocont +chondrioma +chondriome +chondriomere +chondriomite +chondriosomal +chondriosome +chondriosomes +chondriosphere +chondrite +chondrites +chondritic +chondritis +chondro- +chondroadenoma +chondroalbuminoid +chondroangioma +chondroarthritis +chondroblast +chondroblastoma +chondrocarcinoma +chondrocele +chondrocyte +chondroclasis +chondroclast +chondrocoracoid +chondrocostal +chondrocranial +chondrocranium +chondrodynia +chondrodystrophy +chondrodystrophia +chondrodite +chondroditic +chondroendothelioma +chondroepiphysis +chondrofetal +chondrofibroma +chondrofibromatous +Chondroganoidei +chondrogen +chondrogenesis +chondrogenetic +chondrogeny +chondrogenous +chondroglossal +chondroglossus +chondrography +chondroid +chondroitic +chondroitin +chondroitin-sulphuric +chondrolipoma +chondrology +chondroma +chondromalacia +chondromas +chondromata +chondromatous +Chondromyces +chondromyoma +chondromyxoma +chondromyxosarcoma +chondromucoid +chondro-osseous +chondropharyngeal +chondropharyngeus +chondrophyte +chondrophore +chondroplast +chondroplasty +chondroplastic +chondroprotein +chondropterygian +Chondropterygii +chondropterygious +chondrosamine +chondrosarcoma +chondrosarcomas +chondrosarcomata +chondrosarcomatous +chondroseptum +chondrosin +chondrosis +chondroskeleton +chondrostean +Chondrostei +chondrosteoma +chondrosteous +chondrosternal +chondrotome +chondrotomy +chondroxiphoid +chondrule +chondrules +chondrus +Chong +Chongjin +chonicrite +Chonju +chonk +chonolith +chonta +Chontal +Chontalan +Chontaquiro +chontawood +Choo +choochoo +choo-choo +choo-chooed +choo-chooing +chook +chooky +chookie +chookies +choom +Choong +choop +choora +choosable +choosableness +choose +chooseable +choosey +chooser +choosers +chooses +choosy +choosier +choosiest +choosiness +choosing +choosingly +chop +chopa +chopas +chopboat +chop-cherry +chop-chop +chop-church +chopdar +chopfallen +chop-fallen +chophouse +chop-house +chophouses +Chopin +chopine +chopines +chopins +choplogic +chop-logic +choplogical +chopped +chopped-off +chopper +choppered +choppers +chopper's +choppy +choppier +choppiest +choppily +choppin +choppiness +choppinesses +chopping +chops +chopstick +chop-stick +Chopsticks +chop-suey +Chopunnish +Chor +Chora +choragi +choragy +choragic +choragion +choragium +choragus +choraguses +Chorai +choral +choralcelo +chorale +choraleon +chorales +choralist +chorally +chorals +Chorasmian +chord +chorda +Chordaceae +chordacentrous +chordacentrum +chordaceous +chordal +chordally +chordamesoderm +chordamesodermal +chordamesodermic +Chordata +chordate +chordates +chorded +chordee +Chordeiles +chording +chorditis +chordoid +chordomesoderm +chordophone +chordotomy +chordotonal +chords +chord's +chore +chorea +choreal +choreas +choreatic +chored +choree +choregi +choregy +choregic +choregrapher +choregraphy +choregraphic +choregraphically +choregus +choreguses +chorei +choreic +choreiform +choreman +choremen +choreo- +choreodrama +choreograph +choreographed +choreographer +choreographers +choreography +choreographic +choreographical +choreographically +choreographies +choreographing +choreographs +choreoid +choreomania +chorepiscopal +chorepiscope +chorepiscopus +chores +choreus +choreutic +chorgi +chori- +chorial +choriamb +choriambi +choriambic +choriambize +choriambs +choriambus +choriambuses +choribi +choric +chorically +chorine +chorines +choring +chorio +chorioadenoma +chorioallantoic +chorioallantoid +chorioallantois +choriocapillary +choriocapillaris +choriocarcinoma +choriocarcinomas +choriocarcinomata +choriocele +chorioepithelioma +chorioepitheliomas +chorioepitheliomata +chorioid +chorioidal +chorioiditis +chorioidocyclitis +chorioidoiritis +chorioidoretinitis +chorioids +chorioma +choriomas +choriomata +chorion +chorionepithelioma +chorionic +chorions +Chorioptes +chorioptic +chorioretinal +chorioretinitis +choryos +Choripetalae +choripetalous +choriphyllous +chorisepalous +chorisis +chorism +choriso +chorisos +chorist +choristate +chorister +choristers +choristership +choristic +choristoblastoma +choristoma +choristoneura +choristry +chorization +chorizo +c-horizon +chorizont +chorizontal +chorizontes +chorizontic +chorizontist +chorizos +Chorley +chorobates +chorogi +chorograph +chorographer +chorography +chorographic +chorographical +chorographically +chorographies +choroid +choroidal +choroidea +choroiditis +choroidocyclitis +choroidoiritis +choroidoretinitis +choroids +chorology +chorological +chorologist +choromania +choromanic +chorometry +chorook +Chorotega +Choroti +chorous +chort +chorten +Chorti +chortle +chortled +chortler +chortlers +chortles +chortling +chortosterol +chorus +chorused +choruser +choruses +chorusing +choruslike +chorusmaster +chorussed +chorusses +chorussing +Chorwat +Chorwon +Chorz +Chorzow +chose +Chosen +choses +chosing +Chosn +Chosunilbo +Choteau +CHOTS +chott +chotts +Chou +Chouan +Chouanize +choucroute +Choudrant +Chouest +chouette +choufleur +chou-fleur +chough +choughs +chouka +Choukoutien +choule +choultry +choultries +chounce +choup +choupic +chouquette +chous +chouse +choused +chouser +chousers +chouses +choush +choushes +chousing +chousingha +chout +Chouteau +choux +Chow +Chowanoc +Chowchilla +chowchow +chow-chow +chowchows +chowder +chowdered +chowderhead +chowderheaded +chowderheadedness +chowdering +chowders +chowed +chowhound +chowing +chowk +chowry +chowries +chows +chowse +chowsed +chowses +chowsing +chowtime +chowtimes +Chozar +CHP +CHQ +Chr +Chr. +chrematheism +chrematist +chrematistic +chrematistics +chremsel +chremzel +chremzlach +chreotechnics +chresard +chresards +chresmology +chrestomathy +chrestomathic +chrestomathics +chrestomathies +Chretien +chry +chria +Chriesman +chrimsel +Chris +chrys- +Chrysa +chrysal +chrysalid +chrysalida +chrysalidal +chrysalides +chrysalidian +chrysaline +chrysalis +chrysalises +chrysaloid +chrysamine +chrysammic +chrysamminic +Chrysamphora +chrysanilin +chrysaniline +chrysanisic +chrysanthemin +chrysanthemum +chrysanthemums +chrysanthous +Chrysaor +chrysarobin +chrysatropic +chrysazin +chrysazol +Chryseis +chryselectrum +chryselephantine +Chrysemys +chrysene +chrysenic +Chryses +Chrisy +chrysid +Chrysidella +chrysidid +Chrysididae +chrysin +Chrysippus +Chrysis +Chrysler +chryslers +chrism +chrisma +chrismal +chrismale +Chrisman +chrismary +chrismatine +chrismation +chrismatite +chrismatize +chrismatory +chrismatories +chrismon +chrismons +chrisms +Chrisney +chryso- +chrysoaristocracy +Chrysobalanaceae +Chrysobalanus +chrysoberyl +chrysobull +chrysocale +chrysocarpous +chrysochlore +Chrysochloridae +Chrysochloris +chrysochlorous +chrysochrous +chrysocolla +chrysocracy +chrysoeriol +chrysogen +chrysograph +chrysographer +chrysography +chrysohermidin +chrysoidine +chrysolite +chrysolitic +chrysology +Chrysolophus +chrisom +chrysome +chrysomelid +Chrysomelidae +Chrysomyia +chrisomloosing +chrysomonad +Chrysomonadales +Chrysomonadina +chrysomonadine +chrisoms +Chrysopa +chrysopal +chrysopee +chrysophan +chrysophane +chrysophanic +Chrysophanus +chrysophenin +chrysophenine +chrysophilist +chrysophilite +chrysophyll +Chrysophyllum +chrysophyte +Chrysophlyctis +chrysopid +Chrysopidae +chrysopoeia +chrysopoetic +chrysopoetics +chrysoprase +chrysoprasus +Chrysops +Chrysopsis +chrysorin +chrysosperm +Chrysosplenium +Chrysostom +chrysostomic +Chrysostomus +Chrysothamnus +Chrysothemis +chrysotherapy +Chrysothrix +chrysotile +Chrysotis +Chrisoula +chrisroot +Chrissa +Chrisse +Chryssee +Chrissy +Chrissie +Christ +Christa +Christabel +Christabella +Christabelle +Christadelphian +Christadelphianism +Christal +Chrystal +Christalle +Christan +Christ-borne +Christchurch +Christ-confessing +christcross +christ-cross +christcross-row +christ-cross-row +Christdom +Chryste +Christean +Christed +Christel +Chrystel +Christen +Christendie +Christendom +christened +christener +christeners +christenhead +christening +christenings +Christenmas +christens +Christensen +Christenson +Christ-given +Christ-hymning +Christhood +Christi +Christy +Christiaan +Christiad +Christian +Christiana +Christiane +Christiania +Christianiadeal +Christianisation +Christianise +Christianised +Christianiser +Christianising +Christianism +christianite +Christianity +Christianities +Christianization +Christianize +Christianized +Christianizer +christianizes +Christianizing +Christianly +Christianlike +Christianna +Christianness +Christiano +christiano- +Christianogentilism +Christianography +Christianomastix +Christianopaganism +Christiano-platonic +christians +christian's +Christiansand +Christiansburg +Christiansen +Christian-socialize +Christianson +Christiansted +Christicide +Christie +Christye +Christies +Christiform +Christ-imitating +Christin +Christina +Christyna +Christine +Christ-inspired +Christis +Christless +Christlessness +Christly +Christlike +christ-like +Christlikeness +Christliness +Christmann +Christmas +Christmasberry +Christmasberries +christmases +Christmasy +Christmasing +Christmastide +Christmastime +Christo- +Christocentric +Christocentrism +chrystocrene +christofer +Christoff +Christoffel +Christoffer +Christoforo +Christogram +Christolatry +Christology +Christological +Christologies +Christologist +Christoper +Christoph +Christophany +Christophanic +Christophanies +Christophe +Christopher +Christophorus +Christos +Christoval +Christ-professing +christs +Christ's-thorn +Christ-taught +christ-tide +christward +chroatol +Chrobat +chrom- +chroma +chroma-blind +chromaffin +chromaffinic +chromamamin +chromammine +chromaphil +chromaphore +chromas +chromascope +chromat- +chromate +chromates +chromatic +chromatical +chromatically +chromatician +chromaticism +chromaticity +chromaticness +chromatics +chromatid +chromatin +chromatinic +Chromatioideae +chromatype +chromatism +chromatist +Chromatium +chromatize +chromato- +chromatocyte +chromatodysopia +chromatogenous +chromatogram +chromatograph +chromatography +chromatographic +chromatographically +chromatoid +chromatolysis +chromatolytic +chromatology +chromatologies +chromatometer +chromatone +chromatopathy +chromatopathia +chromatopathic +chromatophil +chromatophile +chromatophilia +chromatophilic +chromatophilous +chromatophobia +chromatophore +chromatophoric +chromatophorous +chromatoplasm +chromatopsia +chromatoptometer +chromatoptometry +chromatoscope +chromatoscopy +chromatosis +chromatosphere +chromatospheric +chromatrope +chromaturia +chromazurine +chromdiagnosis +chrome +chromed +Chromel +chromene +chrome-nickel +chromeplate +chromeplated +chromeplating +chromes +chromesthesia +chrome-tanned +chrometophobia +chromhidrosis +chromy +chromic +chromicize +chromicizing +chromid +Chromidae +chromide +Chromides +chromidial +Chromididae +chromidiogamy +chromidiosome +chromidium +chromidrosis +chromiferous +chromyl +chromyls +chrominance +chroming +chromiole +chromism +chromite +chromites +chromitite +chromium +chromium-plate +chromium-plated +chromiums +chromize +chromized +chromizes +chromizing +Chromo +chromo- +chromo-arsenate +Chromobacterieae +Chromobacterium +chromoblast +chromocenter +chromocentral +chromochalcography +chromochalcographic +chromocyte +chromocytometer +chromocollograph +chromocollography +chromocollographic +chromocollotype +chromocollotypy +chromocratic +chromoctye +chromodermatosis +chromodiascope +chromogen +chromogene +chromogenesis +chromogenetic +chromogenic +chromogenous +chromogram +chromograph +chromoisomer +chromoisomeric +chromoisomerism +chromoleucite +chromolipoid +chromolysis +chromolith +chromolithic +chromolithograph +chromolithographer +chromolithography +chromolithographic +chromomere +chromomeric +chromometer +chromone +chromonema +chromonemal +chromonemata +chromonematal +chromonematic +chromonemic +chromoparous +chromophage +chromophane +chromophil +chromophyl +chromophile +chromophilia +chromophilic +chromophyll +chromophilous +chromophobe +chromophobia +chromophobic +chromophor +chromophore +chromophoric +chromophorous +chromophotograph +chromophotography +chromophotographic +chromophotolithograph +chromoplasm +chromoplasmic +chromoplast +chromoplastid +chromoprotein +chromopsia +chromoptometer +chromoptometrical +chromos +chromosantonin +chromoscope +chromoscopy +chromoscopic +chromosomal +chromosomally +chromosome +chromosomes +chromosomic +chromosphere +chromospheres +chromospheric +chromotherapy +chromotherapist +chromotype +chromotypy +chromotypic +chromotypography +chromotypographic +chromotrope +chromotropy +chromotropic +chromotropism +chromous +chromoxylograph +chromoxylography +chromule +Chron +chron- +Chron. +chronal +chronanagram +chronaxy +chronaxia +chronaxie +chronaxies +chroncmeter +chronic +chronica +chronical +chronically +chronicity +chronicle +chronicled +chronicler +chroniclers +Chronicles +chronicling +chronicon +chronics +chronique +chronisotherm +chronist +Chronium +chrono- +chronobarometer +chronobiology +chronocarator +chronocyclegraph +chronocinematography +chronocrator +chronodeik +chronogeneous +chronogenesis +chronogenetic +chronogram +chronogrammatic +chronogrammatical +chronogrammatically +chronogrammatist +chronogrammic +chronograph +chronographer +chronography +chronographic +chronographical +chronographically +chronographs +chronoisothermal +chronol +chronologer +chronology +chronologic +chronological +chronologically +chronologies +chronology's +chronologist +chronologists +chronologize +chronologizing +chronomancy +chronomantic +chronomastix +chronometer +chronometers +chronometry +chronometric +chronometrical +chronometrically +chronon +chrononomy +chronons +chronopher +chronophotograph +chronophotography +chronophotographic +Chronos +chronoscope +chronoscopy +chronoscopic +chronoscopically +chronoscopv +chronosemic +chronostichon +chronothermal +chronothermometer +Chronotron +chronotropic +chronotropism +Chroococcaceae +chroococcaceous +Chroococcales +chroococcoid +Chroococcus +chroous +Chrosperma +Chrotoem +chrotta +chs +chs. +Chtaura +chteau +Chteauroux +Chteau-Thierry +chthonian +chthonic +Chthonius +chthonophagy +chthonophagia +Chu +Chuadanga +Chuah +Chualar +chuana +Chuanchow +chub +chubasco +chubascos +Chubb +chubbed +chubbedness +chubby +chubbier +chubbiest +chubby-faced +chubbily +chubbiness +chubbinesses +chub-faced +chubs +chubsucker +Chuch +Chuchchi +Chuchchis +Chucho +Chuchona +Chuck +chuck-a-luck +chuckawalla +Chuckchi +Chuckchis +chucked +Chuckey +chucker +chucker-out +chuckers-out +chuckfarthing +chuck-farthing +chuckfull +chuck-full +chuckhole +chuckholes +chucky +chucky-chuck +chucky-chucky +chuckie +chuckies +chucking +chuckingly +chuckle +chuckled +chucklehead +chuckleheaded +chuckleheadedness +chuckler +chucklers +chuckles +chucklesome +chuckling +chucklingly +chuck-luck +chuckram +chuckrum +chucks +chuck's +chuckstone +chuckwalla +chuck-will's-widow +Chud +chuddah +chuddahs +chuddar +chuddars +chudder +chudders +Chude +Chudic +chuet +Chueta +chufa +chufas +chuff +chuffed +chuffer +chuffest +chuffy +chuffier +chuffiest +chuffily +chuffiness +chuffing +chuffs +chug +chugalug +chug-a-lug +chugalugged +chugalugging +chugalugs +chug-chug +chugged +chugger +chuggers +chugging +chughole +Chugiak +chugs +Chugwater +chuhra +Chui +Chuipek +Chuje +chukar +chukars +Chukchee +Chukchees +Chukchi +Chukchis +chukka +chukkar +chukkars +chukkas +chukker +chukkers +chukor +Chula +chulan +chulha +chullo +chullpa +chulpa +chultun +chum +chumar +Chumash +Chumashan +Chumashim +Chumawi +chumble +Chumley +chummage +chummed +chummer +chummery +chummy +chummier +chummies +chummiest +chummily +chumminess +chumming +chump +chumpa +chumpaka +chumped +chumpy +chumpiness +chumping +chumpish +chumpishness +Chumpivilca +chumps +chums +chumship +chumships +Chumulu +Chun +chunam +chunari +Chuncho +Chunchula +chundari +chunder +chunderous +Chung +chunga +Chungking +Chunichi +chunk +chunked +chunkhead +chunky +chunkier +chunkiest +chunkily +chunkiness +chunking +chunks +chunk's +Chunnel +chunner +chunnia +chunter +chuntered +chuntering +chunters +chupa-chupa +chupak +chupatti +chupatty +chupon +chuppah +chuppahs +chuppoth +chuprassi +chuprassy +chuprassie +Chuquicamata +Chur +Chura +churada +Church +church-ale +churchanity +church-chopper +churchcraft +churchdom +church-door +churched +churches +churchful +church-gang +church-garth +churchgo +churchgoer +churchgoers +churchgoing +churchgoings +church-government +churchgrith +churchy +churchianity +churchyard +churchyards +churchyard's +churchier +churchiest +churchified +Churchill +Churchillian +churchiness +churching +churchish +churchism +churchite +churchless +churchlet +churchly +churchlier +churchliest +churchlike +churchliness +Churchman +churchmanly +churchmanship +churchmaster +churchmen +church-papist +churchreeve +churchscot +church-scot +churchshot +church-soken +Churchton +Churchville +churchway +churchward +church-ward +churchwarden +churchwardenism +churchwardenize +churchwardens +churchwardenship +churchwards +churchwise +churchwoman +churchwomen +Churdan +churel +churidars +churinga +churingas +churl +churled +churlhood +churly +churlier +churliest +churlish +churlishly +churlishness +churls +churm +churn +churnability +churnable +churn-butted +churned +churner +churners +churnful +churning +churnings +churnmilk +churns +churnstaff +Churoya +Churoyan +churr +churrasco +churred +churrigueresco +Churrigueresque +churring +churrip +churro +churr-owl +churrs +churruck +churrus +churrworm +churr-worm +Churubusco +chuse +chuser +chusite +chut +Chute +chuted +chuter +chutes +chute's +chute-the-chute +chute-the-chutes +chuting +chutist +chutists +chutnee +chutnees +chutney +chutneys +chuttie +chutzpa +chutzpadik +chutzpah +chutzpahs +chutzpanik +chutzpas +Chuu +chuumnapm +Chuvash +chuvashes +Chuvashi +chuzwi +Chwana +Chwang-tse +chwas +CI +cy +ci- +CIA +cya- +cyaathia +CIAC +Ciales +cyamelid +cyamelide +cyamid +cyamoid +Ciampino +Cyamus +cyan +cyan- +cyanacetic +Cyanamid +cyanamide +cyanamids +cyananthrol +Cyanastraceae +Cyanastrum +cyanate +cyanates +cyanaurate +cyanauric +cyanbenzyl +cyan-blue +Cianca +cyancarbonic +Cyane +Cyanea +cyanean +Cyanee +cyanemia +cyaneous +cyanephidrosis +cyanformate +cyanformic +cyanhydrate +cyanhydric +cyanhydrin +cyanhidrosis +cyanic +cyanicide +cyanid +cyanidation +cyanide +cyanided +cyanides +cyanidin +cyanidine +cyaniding +cyanidrosis +cyanids +cyanimide +cyanin +cyanine +cyanines +cyanins +cyanite +cyanites +cyanitic +cyanize +cyanized +cyanizing +cyanmethemoglobin +Ciano +cyano +cyano- +cyanoacetate +cyanoacetic +cyanoacrylate +cyanoaurate +cyanoauric +cyanobenzene +cyanocarbonic +cyanochlorous +cyanochroia +cyanochroic +Cyanocitta +cyanocobalamin +cyanocobalamine +cyanocrystallin +cyanoderma +cyanoethylate +cyanoethylation +cyanogen +cyanogenamide +cyanogenesis +cyanogenetic +cyanogenic +cyanogens +cyanoguanidine +cyanohermidin +cyanohydrin +cyanol +cyanole +cyanomaclurin +cyanometer +cyanomethaemoglobin +cyanomethemoglobin +cyanometry +cyanometric +cyanometries +cyanopathy +cyanopathic +Cyanophyceae +cyanophycean +cyanophyceous +cyanophycin +cyanophil +cyanophile +cyanophilous +cyanophoric +cyanophose +cyanopia +cyanoplastid +cyanoplatinite +cyanoplatinous +cyanopsia +cyanose +cyanosed +cyanoses +cyanosis +cyanosite +Cyanospiza +cyanotic +cyanotype +cyanotrichite +cyans +cyanuramide +cyanurate +cyanuret +cyanuric +cyanurin +cyanurine +cyanus +ciao +Ciapas +Ciapha +cyaphenine +Ciaphus +Ciardi +cyath +Cyathaspis +Cyathea +Cyatheaceae +cyatheaceous +cyathi +cyathia +cyathiform +cyathium +cyathoid +cyatholith +Cyathophyllidae +cyathophylline +cyathophylloid +Cyathophyllum +cyathos +cyathozooid +cyathus +CIB +Cyb +cibaria +cibarial +cibarian +cibaries +cibarious +cibarium +cibation +cibbaria +Cibber +cibboria +Cybebe +Cybele +cybercultural +cyberculture +cybernate +cybernated +cybernating +cybernation +cybernetic +cybernetical +cybernetically +cybernetician +cyberneticist +cyberneticists +cybernetics +cybernion +Cybil +Cybill +Cibis +Cybister +cibol +Cibola +Cibolan +cibolero +Cibolo +cibols +Ciboney +cibophobia +cibophobiafood +cyborg +cyborgs +cibory +ciboria +ciborium +ciboule +ciboules +CIC +cyc +CICA +cicad +cycad +cicada +Cycadaceae +cycadaceous +cicadae +Cycadales +cicadas +cycadean +Cicadellidae +cycadeoid +Cycadeoidea +cycadeous +cicadid +Cicadidae +cycadiform +cycadite +cycadlike +cycadofilicale +Cycadofilicales +Cycadofilices +cycadofilicinean +Cycadophyta +cycadophyte +cycads +cicala +cicalas +cicale +Cycas +cycases +cycasin +cycasins +cicatrice +cicatrices +cicatricial +cicatricle +cicatricose +cicatricula +cicatriculae +cicatricule +cicatrisant +cicatrisate +cicatrisation +cicatrise +cicatrised +cicatriser +cicatrising +cicatrisive +cicatrix +cicatrixes +cicatrizant +cicatrizate +cicatrization +cicatrize +cicatrized +cicatrizer +cicatrizing +cicatrose +Ciccia +Cicely +cicelies +Cicenia +cicer +Cicero +ciceronage +cicerone +cicerones +ciceroni +Ciceronian +Ciceronianism +ciceronianisms +ciceronianist +ciceronianists +Ciceronianize +ciceronians +Ciceronic +Ciceronically +ciceroning +ciceronism +ciceronize +ciceros +cichar +cichlid +Cichlidae +cichlids +cichloid +Cichocki +cichoraceous +Cichoriaceae +cichoriaceous +Cichorium +Cychosz +cich-pea +Cychreus +Cichus +Cicily +Cicindela +cicindelid +cicindelidae +cicisbei +cicisbeism +cicisbeo +cycl +cycl- +Cyclades +Cycladic +cyclamate +cyclamates +cyclamen +cyclamens +Cyclamycin +cyclamin +cyclamine +cyclammonium +cyclane +Cyclanthaceae +cyclanthaceous +Cyclanthales +Cyclanthus +cyclar +cyclarthrodial +cyclarthrosis +cyclarthrsis +cyclas +cyclase +cyclases +ciclatoun +cyclazocine +cycle +cyclecar +cyclecars +cycled +cycledom +cyclene +cycler +cyclery +cyclers +cycles +cyclesmith +Cycliae +cyclian +cyclic +cyclical +cyclicality +cyclically +cyclicalness +cyclicism +cyclicity +cyclicly +cyclide +cyclindroid +cycling +cyclings +cyclism +cyclist +cyclistic +cyclists +cyclitic +cyclitis +cyclitol +cyclitols +cyclization +cyclize +cyclized +cyclizes +cyclizing +Ciclo +cyclo +cyclo- +cycloacetylene +cycloaddition +cycloaliphatic +cycloalkane +Cyclobothra +cyclobutane +cyclocephaly +cyclocoelic +cyclocoelous +Cycloconium +cyclo-cross +cyclode +cyclodiene +cyclodiolefin +cyclodiolefine +cycloganoid +Cycloganoidei +cyclogenesis +cyclogram +cyclograph +cyclographer +cycloheptane +cycloheptanone +cyclohexadienyl +cyclohexane +cyclohexanol +cyclohexanone +cyclohexatriene +cyclohexene +cyclohexyl +cyclohexylamine +cycloheximide +cycloid +cycloidal +cycloidally +cycloidean +Cycloidei +cycloidian +cycloidotrope +cycloids +cycloid's +cyclolysis +cyclolith +Cycloloma +cyclomania +cyclometer +cyclometers +cyclometry +cyclometric +cyclometrical +cyclometries +Cyclomyaria +cyclomyarian +cyclonal +cyclone +cyclone-proof +cyclones +cyclone's +cyclonic +cyclonical +cyclonically +cyclonist +cyclonite +cyclonology +cyclonologist +cyclonometer +cyclonoscope +cycloolefin +cycloolefine +cycloolefinic +cyclop +cyclopaedia +cyclopaedias +cyclopaedic +cyclopaedically +cyclopaedist +cycloparaffin +cyclope +Cyclopean +cyclopedia +cyclopedias +cyclopedic +cyclopedical +cyclopedically +cyclopedist +cyclopentadiene +cyclopentane +cyclopentanone +cyclopentene +Cyclopes +cyclophoria +cyclophoric +Cyclophorus +cyclophosphamide +cyclophosphamides +cyclophrenia +cyclopy +cyclopia +Cyclopic +cyclopism +cyclopite +cycloplegia +cycloplegic +cyclopoid +cyclopropane +Cyclops +Cyclopteridae +cyclopteroid +cyclopterous +cyclorama +cycloramas +cycloramic +Cyclorrhapha +cyclorrhaphous +cyclos +cycloscope +cyclose +cycloserine +cycloses +cyclosilicate +cyclosis +cyclospermous +Cyclospondyli +cyclospondylic +cyclospondylous +Cyclosporales +Cyclosporeae +Cyclosporinae +cyclosporous +cyclostylar +cyclostyle +Cyclostoma +Cyclostomata +cyclostomate +Cyclostomatidae +cyclostomatous +cyclostome +Cyclostomes +Cyclostomi +Cyclostomidae +cyclostomous +cyclostrophic +Cyclotella +cyclothem +cyclothyme +cyclothymia +cyclothymiac +cyclothymic +cyclothure +cyclothurine +Cyclothurus +cyclotome +cyclotomy +cyclotomic +cyclotomies +Cyclotosaurus +cyclotrimethylenetrinitramine +cyclotron +cyclotrons +cyclovertebral +cyclus +Cycnus +cicone +Cicones +Ciconia +Ciconiae +ciconian +Ciconians +ciconiform +ciconiid +Ciconiidae +ciconiiform +Ciconiiformes +ciconine +ciconioid +cicoree +cicorees +cicrumspections +CICS +CICSVS +cicurate +Cicuta +cicutoxin +CID +Cyd +Cida +cidal +cidarid +Cidaridae +cidaris +Cidaroida +cide +cider +cyder +ciderish +ciderist +ciderkin +ciderlike +ciders +cyders +ci-devant +CIDIN +Cydippe +cydippian +cydippid +Cydippida +Cidney +Cydnus +cydon +Cydonia +Cydonian +cydonium +Cidra +CIE +Ciel +cienaga +cienega +Cienfuegos +cierge +cierzo +cierzos +cyeses +cyesiology +cyesis +cyetic +CIF +cig +cigala +cigale +cigar +cigaresque +cigaret +cigarets +cigarette +cigarettes +cigarette's +cigarette-smoker +cigarfish +cigar-flower +cigarillo +cigarillos +cigarito +cigaritos +cigarless +cigar-loving +cigars +cigar's +cigar-shaped +cigar-smoker +cygneous +Cygnet +cygnets +Cygni +Cygnid +Cygninae +cygnine +Cygnus +CIGS +cigua +ciguatera +CII +Ciitroen +Cykana +cyke +cyl +cyl. +Cila +cilantro +cilantros +cilectomy +Cyler +cilery +cilia +ciliary +Ciliata +ciliate +ciliated +ciliate-leaved +ciliately +ciliates +ciliate-toothed +ciliation +cilice +cilices +cylices +Cilicia +Cilician +cilicious +Cilicism +ciliectomy +ciliella +ciliferous +ciliform +ciliiferous +ciliiform +ciliium +cylinder +cylinder-bored +cylinder-boring +cylinder-dried +cylindered +cylinderer +cylinder-grinding +cylindering +cylinderlike +cylinders +cylinder's +cylinder-shaped +cylindraceous +cylindrarthrosis +Cylindrella +cylindrelloid +cylindrenchema +cylindrenchyma +cylindric +cylindrical +cylindricality +cylindrically +cylindricalness +cylindric-campanulate +cylindric-fusiform +cylindricity +cylindric-oblong +cylindric-ovoid +cylindric-subulate +cylindricule +cylindriform +cylindrite +cylindro- +cylindro-cylindric +cylindrocellular +cylindrocephalic +cylindroconical +cylindroconoidal +cylindrodendrite +cylindrograph +cylindroid +cylindroidal +cylindroma +cylindromata +cylindromatous +cylindrometric +cylindroogival +Cylindrophis +Cylindrosporium +cylindruria +Cilioflagellata +cilioflagellate +ciliograde +ciliola +ciliolate +ciliolum +Ciliophora +cilioretinal +cilioscleral +ciliospinal +ciliotomy +Cilissa +cilium +Cilix +cylix +Cilka +cill +Cilla +Cyllene +Cyllenian +Cyllenius +cylloses +cillosis +cyllosis +Cillus +Cilo +cilo-spinal +Cilurzo +Cylvia +CIM +Cym +CIMA +Cyma +Cimabue +cymae +cymagraph +Cimah +cimaise +cymaise +cymaphen +cymaphyte +cymaphytic +cymaphytism +cymar +cymarin +cimaroon +Cimarosa +cymarose +Cimarron +cymars +cymas +cymatia +cymation +cymatium +cymba +cymbaeform +cimbal +cymbal +Cymbalaria +cymbaled +cymbaleer +cymbaler +cymbalers +cymbaline +cymbalist +cymbalists +cymballed +cymballike +cymballing +cymbalo +cimbalom +cymbalom +cimbaloms +cymbalon +cymbals +cymbal's +cymbate +cymbel +Cymbeline +Cymbella +cimbia +cymbid +cymbidia +cymbidium +cymbiform +Cymbium +cymblin +cymbling +cymblings +cymbocephaly +cymbocephalic +cymbocephalous +Cymbopogon +cimborio +Cymbre +Cimbri +Cimbrian +Cimbric +Cimbura +cimcumvention +cyme +cymelet +cimelia +cimeliarch +cimelium +cymene +cymenes +cymes +cimeter +cimex +cimices +cimicid +Cimicidae +cimicide +cimiciform +Cimicifuga +cimicifugin +cimicoid +cimier +cymiferous +ciminite +cymlin +cimline +cymling +cymlings +cymlins +cimmaron +Cimmeria +Cimmerian +Cimmerianism +Cimmerium +cimnel +cymobotryose +Cymodoce +Cymodoceaceae +cymogene +cymogenes +cymograph +cymographic +cymoid +Cymoidium +cymol +cimolite +cymols +cymometer +Cimon +cymophane +cymophanous +cymophenol +cymophobia +cymoscope +cymose +cymosely +cymotrichy +cymotrichous +cymous +Cymraeg +Cymry +Cymric +cymrite +cymtia +cymule +cymulose +Cyn +Cyna +cynanche +Cynanchum +cynanthropy +Cynar +Cynara +cynaraceous +cynarctomachy +cynareous +cynaroid +Cynarra +C-in-C +cinch +cincha +cinched +cincher +cinches +cinching +cincholoipon +cincholoiponic +cinchomeronic +Cinchona +Cinchonaceae +cinchonaceous +cinchonamin +cinchonamine +cinchonas +cinchonate +Cinchonero +cinchonia +cinchonic +cinchonicin +cinchonicine +cinchonidia +cinchonidine +cinchonin +cinchonine +cinchoninic +cinchonisation +cinchonise +cinchonised +cinchonising +cinchonism +cinchonization +cinchonize +cinchonized +cinchonizing +cinchonology +cinchophen +cinchotine +cinchotoxine +cincinatti +cincinnal +Cincinnati +Cincinnatia +Cincinnatian +Cincinnatus +cincinni +cincinnus +Cinclidae +cinclides +Cinclidotus +cinclis +Cinclus +cinct +cincture +cinctured +cinctures +cincturing +Cinda +Cynde +Cindee +Cindelyn +cinder +cindered +Cinderella +cindery +cindering +cinderlike +cinderman +cinderous +cinders +cinder's +Cindi +Cindy +Cyndi +Cyndy +Cyndia +Cindie +Cyndie +Cindylou +Cindra +cine +cine- +cyne- +cineangiocardiography +cineangiocardiographic +cineangiography +cineangiographic +cineast +cineaste +cineastes +cineasts +Cinebar +cynebot +cinecamera +cinefaction +cinefilm +cynegetic +cynegetics +cynegild +cinel +Cinelli +cinema +cinemactic +cinemagoer +cinemagoers +cinemas +CinemaScope +CinemaScopic +cinematheque +cinematheques +cinematic +cinematical +cinematically +cinematics +cinematize +cinematized +cinematizing +cinematograph +cinematographer +cinematographers +cinematography +cinematographic +cinematographical +cinematographically +cinematographies +cinematographist +cinemelodrama +cinemese +cinemize +cinemograph +cinenchym +cinenchyma +cinenchymatous +cinene +cinenegative +cineol +cineole +cineoles +cineolic +cineols +cinephone +cinephotomicrography +cineplasty +cineplastics +Cynera +cineraceous +cineradiography +Cinerama +cinerararia +cinerary +Cineraria +cinerarias +cinerarium +cineration +cinerator +cinerea +cinereal +cinereous +cinerin +cinerins +cineritious +cinerous +cines +cinevariety +Cynewulf +Cingalese +cynghanedd +cingle +cingula +cingular +cingulate +cingulated +cingulectomy +cingulectomies +cingulum +cynhyena +Cini +Cynias +cyniatria +cyniatrics +Cynic +Cynical +cynically +cynicalness +Cynicism +cynicisms +cynicist +cynics +ciniphes +cynipid +Cynipidae +cynipidous +cynipoid +Cynipoidea +Cynips +Cinyras +cynism +Cinna +cinnabar +cinnabaric +cinnabarine +cinnabars +cinnamal +cinnamaldehyde +cinnamate +cinnamein +cinnamene +cinnamenyl +cinnamic +cinnamyl +cinnamylidene +cinnamyls +Cinnamodendron +cinnamoyl +cinnamol +cinnamomic +Cinnamomum +Cinnamon +cinnamoned +cinnamonic +cinnamonlike +cinnamonroot +cinnamons +cinnamonwood +cinnyl +cinnolin +cinnoline +cyno- +cynocephalic +cynocephalous +cynocephalus +cynoclept +Cynocrambaceae +cynocrambaceous +Cynocrambe +cynodictis +Cynodon +cynodont +Cynodontia +cinofoil +Cynogale +cynogenealogy +cynogenealogist +Cynoglossum +Cynognathus +cynography +cynoid +Cynoidea +cynology +Cynomys +cynomolgus +Cynomoriaceae +cynomoriaceous +Cynomorium +Cynomorpha +cynomorphic +cynomorphous +cynophile +cynophilic +cynophilist +cynophobe +cynophobia +Cynopithecidae +cynopithecoid +cynopodous +cynorrhoda +cynorrhodon +Cynortes +Cynosarges +Cynoscephalae +Cynoscion +Cynosura +cynosural +cynosure +cynosures +Cynosurus +cynotherapy +Cynoxylon +cinquain +cinquains +cinquanter +cinque +cinquecentism +cinquecentist +cinquecento +cinquedea +cinquefoil +cinquefoiled +cinquefoils +cinquepace +cinques +cinque-spotted +cinter +Cynth +Cynthea +Cynthy +Cynthia +Cynthian +Cynthiana +Cynthie +Cynthiidae +Cynthius +Cynthla +cintre +Cinura +cinuran +cinurous +Cynurus +Cynwyd +Cynwulf +Cinzano +CIO +CYO +Cioban +Cioffred +cion +cionectomy +cionitis +cionocranial +cionocranian +cionoptosis +cionorrhaphia +cionotome +cionotomy +cions +cioppino +cioppinos +CIP +cyp +cipaye +Cipango +Cyparissia +Cyparissus +Cyperaceae +cyperaceous +Cyperus +cyphella +cyphellae +cyphellate +cipher +cypher +cipherable +cipherdom +ciphered +cyphered +cipherer +cipherhood +ciphering +cyphering +ciphers +cipher's +cyphers +ciphertext +ciphertexts +Cyphomandra +cyphonautes +ciphony +ciphonies +cyphonism +cyphosis +cipo +cipolin +cipolins +cipollino +cippi +cippus +Cypraea +cypraeid +Cypraeidae +cypraeiform +cypraeoid +cypre +cypres +cypreses +cypress +cypressed +cypresses +Cypressinn +cypressroot +Cypria +Ciprian +Cyprian +cyprians +cyprid +Cyprididae +Cypridina +Cypridinidae +cypridinoid +Cyprina +cyprine +cyprinid +Cyprinidae +cyprinids +cypriniform +cyprinin +cyprinine +cyprinodont +Cyprinodontes +Cyprinodontidae +cyprinodontoid +cyprinoid +Cyprinoidea +cyprinoidean +Cyprinus +Cyprio +Cypriot +Cypriote +cypriotes +cypriots +cypripedin +Cypripedium +Cypris +Cypro +cyproheptadine +Cypro-Minoan +Cypro-phoenician +cyproterone +Cyprus +cypruses +cypsela +cypselae +Cypseli +Cypselid +Cypselidae +cypseliform +Cypseliformes +cypseline +cypseloid +cypselomorph +Cypselomorphae +cypselomorphic +cypselous +Cypselus +cyptozoic +Cipus +cir +cir. +Cyra +Cyrano +circ +CIRCA +circadian +Circaea +Circaeaceae +Circaean +Circaetus +circar +Circassia +Circassian +Circassic +Circe +Circean +Circensian +circinal +circinate +circinately +circination +Circini +Circinus +circiter +circle +circle-branching +circled +circle-in +circle-out +circler +circlers +circles +circle-shearing +circle-squaring +circlet +circleting +circlets +Circleville +circlewise +circle-wise +circline +circling +circling-in +circling-out +Circlorama +circocele +Circosta +circovarian +circs +circue +circuit +circuitable +circuital +circuited +circuiteer +circuiter +circuity +circuities +circuiting +circuition +circuitman +circuitmen +circuitor +circuitous +circuitously +circuitousness +circuitry +circuit-riding +circuitries +circuits +circuit's +circuituously +circulable +circulant +circular +circular-cut +circularisation +circularise +circularised +circulariser +circularising +circularism +circularity +circularities +circularization +circularizations +circularize +circularized +circularizer +circularizers +circularizes +circularizing +circular-knit +circularly +circularness +circulars +circularwise +circulatable +circulate +circulated +circulates +circulating +circulation +circulations +circulative +circulator +circulatory +circulatories +circulators +circule +circulet +circuli +circulin +circulus +circum +circum- +circumaction +circumadjacent +circumagitate +circumagitation +circumambages +circumambagious +circumambience +circumambiency +circumambiencies +circumambient +circumambiently +circumambulate +circumambulated +circumambulates +circumambulating +circumambulation +circumambulations +circumambulator +circumambulatory +circumanal +circumantarctic +circumarctic +Circum-arean +circumarticular +circumaviate +circumaviation +circumaviator +circumaxial +circumaxile +circumaxillary +circumbasal +circumbendibus +circumbendibuses +circumboreal +circumbuccal +circumbulbar +circumcallosal +Circumcellion +circumcenter +circumcentral +circumcinct +circumcincture +circumcircle +circumcise +circumcised +circumciser +circumcises +circumcising +circumcision +circumcisions +circumcission +Circum-cytherean +circumclude +circumclusion +circumcolumnar +circumcone +circumconic +circumcorneal +circumcrescence +circumcrescent +circumdate +circumdenudation +circumdiction +circumduce +circumducing +circumduct +circumducted +circumduction +circumesophagal +circumesophageal +circumfer +circumference +circumferences +circumferent +circumferential +circumferentially +circumferentor +circumflant +circumflect +circumflex +circumflexes +circumflexion +circumfluence +circumfluent +circumfluous +circumforaneous +circumfulgent +circumfuse +circumfused +circumfusile +circumfusing +circumfusion +circumgenital +circumgestation +circumgyrate +circumgyration +circumgyratory +circumhorizontal +circumincession +circuminsession +circuminsular +circumintestinal +circumitineration +circumjacence +circumjacency +circumjacencies +circumjacent +circumjovial +Circum-jovial +circumlental +circumlitio +circumlittoral +circumlocute +circumlocution +circumlocutional +circumlocutionary +circumlocutionist +circumlocutions +circumlocution's +circumlocutory +circumlunar +Circum-mercurial +circummeridian +circum-meridian +circummeridional +circummigrate +circummigration +circummundane +circummure +circummured +circummuring +circumnatant +circumnavigable +circumnavigate +circumnavigated +circumnavigates +circumnavigating +circumnavigation +circumnavigations +circumnavigator +circumnavigatory +Circum-neptunian +circumneutral +circumnuclear +circumnutate +circumnutated +circumnutating +circumnutation +circumnutatory +circumocular +circumoesophagal +circumoral +circumorbital +circumpacific +circumpallial +circumparallelogram +circumpentagon +circumplanetary +circumplect +circumplicate +circumplication +circumpolar +circumpolygon +circumpose +circumposition +circumquaque +circumradii +circumradius +circumradiuses +circumrenal +circumrotate +circumrotated +circumrotating +circumrotation +circumrotatory +circumsail +Circum-saturnal +circumsaturnian +Circum-saturnian +circumsciss +circumscissile +circumscribable +circumscribe +circumscribed +circumscriber +circumscribes +circumscribing +circumscript +circumscription +circumscriptions +circumscriptive +circumscriptively +circumscriptly +circumscrive +circumsession +circumsinous +circumsolar +circumspangle +circumspatial +circumspect +circumspection +circumspections +circumspective +circumspectively +circumspectly +circumspectness +circumspheral +circumsphere +circumstance +circumstanced +circumstances +circumstance's +circumstancing +circumstant +circumstantiability +circumstantiable +circumstantial +circumstantiality +circumstantialities +circumstantially +circumstantialness +circumstantiate +circumstantiated +circumstantiates +circumstantiating +circumstantiation +circumstantiations +circumstellar +circumtabular +circumterraneous +circumterrestrial +circumtonsillar +circumtropical +circumumbilical +circumundulate +circumundulation +Circum-uranian +circumvallate +circumvallated +circumvallating +circumvallation +circumvascular +circumvent +circumventable +circumvented +circumventer +circumventing +circumvention +circumventions +circumventive +circumventor +circumvents +circumvest +circumviate +circumvoisin +circumvolant +circumvolute +circumvolution +circumvolutory +circumvolve +circumvolved +circumvolving +circumzenithal +circus +circuses +circusy +circus's +circut +circuted +circuting +circuts +cire +Cyrena +Cyrenaic +Cirenaica +Cyrenaica +Cyrenaicism +Cirencester +Cyrene +Cyrenian +cire-perdue +cires +Ciri +Cyrie +Cyril +Cyrill +Cirilla +Cyrilla +Cyrillaceae +cyrillaceous +Cyrille +Cyrillian +Cyrillianism +Cyrillic +Cirillo +Cyrillus +Cirilo +cyriologic +cyriological +cirl +cirmcumferential +Ciro +Cirone +cirque +cirque-couchant +cirques +cirr- +cirrate +cirrated +Cirratulidae +Cirratulus +cirrh- +Cirrhopetalum +cirrhopod +cirrhose +cirrhosed +cirrhoses +cirrhosis +cirrhotic +cirrhous +cirrhus +Cirri +cirribranch +cirriferous +cirriform +cirrigerous +cirrigrade +cirriped +cirripede +Cirripedia +cirripedial +cirripeds +CIRRIS +cirro- +cirrocumular +cirro-cumular +cirrocumulative +cirro-cumulative +cirrocumulous +cirro-cumulous +cirrocumulus +cirro-cumulus +cirro-fillum +cirro-filum +cirrolite +cirro-macula +cirro-nebula +cirropodous +cirrose +cirrosely +cirrostome +cirro-stome +Cirrostomi +cirrostrative +cirro-strative +cirro-stratous +cirrostratus +cirro-stratus +cirrous +cirro-velum +cirrus +cirsectomy +cirsectomies +Cirsium +cirsocele +cirsoid +cirsomphalos +cirsophthalmia +cirsotome +cirsotomy +cirsotomies +Cyrtandraceae +cirterion +Cyrtidae +cyrto- +cyrtoceracone +Cyrtoceras +cyrtoceratite +cyrtoceratitic +cyrtograph +cyrtolite +cyrtometer +Cyrtomium +cyrtopia +cyrtosis +cyrtostyle +ciruela +cirurgian +Cyrus +ciruses +CIS +cis- +Cisalpine +Cisalpinism +cisandine +cisatlantic +Cysatus +CISC +Ciscaucasia +Cisco +ciscoes +ciscos +cise +ciseaux +cisele +ciseleur +ciseleurs +cis-elysian +cis-Elizabethan +ciselure +ciselures +cisgangetic +cising +cisium +cisjurane +Ciskei +cisleithan +cislunar +cismarine +Cismontane +Cismontanism +Cisne +cisoceanic +cispadane +cisplatine +cispontine +Cis-reformation +cisrhenane +Cissaea +Cissampelos +Cissy +Cissie +Cissiee +cissies +cissing +cissoid +cissoidal +cissoids +Cissus +cist +cyst +cyst- +cista +Cistaceae +cistaceous +cystadenoma +cystadenosarcoma +cistae +cystal +cystalgia +cystamine +cystaster +cystathionine +cystatrophy +cystatrophia +cysteamine +cystectasy +cystectasia +cystectomy +cystectomies +cisted +cysted +cystein +cysteine +cysteines +cysteinic +cysteins +cystelcosis +cystenchyma +cystenchymatous +cystenchyme +cystencyte +Cistercian +Cistercianism +cysterethism +cistern +cisterna +cisternae +cisternal +cisterns +cistern's +cysti- +cistic +cystic +cysticarpic +cysticarpium +cysticercerci +cysticerci +cysticercoid +cysticercoidal +cysticercosis +cysticercus +cysticerus +cysticle +cysticolous +cystid +Cystidea +cystidean +cystidia +cystidicolous +cystidium +cystidiums +cystiferous +cystiform +cystigerous +Cystignathidae +cystignathine +cystin +cystine +cystines +cystinosis +cystinuria +cystirrhea +cystis +cystitides +cystitis +cystitome +cysto- +cystoadenoma +cystocarcinoma +cystocarp +cystocarpic +cystocele +cystocyte +cystocolostomy +cystodynia +cystoelytroplasty +cystoenterocele +cystoepiplocele +cystoepithelioma +cystofibroma +Cystoflagellata +cystoflagellate +cystogenesis +cystogenous +cystogram +cystoid +Cystoidea +cystoidean +cystoids +cystolith +cystolithectomy +cystolithiasis +cystolithic +cystoma +cystomas +cystomata +cystomatous +cystometer +cystomyoma +cystomyxoma +cystomorphous +Cystonectae +cystonectous +cystonephrosis +cystoneuralgia +cystoparalysis +Cystophora +cystophore +cistophori +cistophoric +cistophorus +cystophotography +cystophthisis +cystopyelitis +cystopyelography +cystopyelonephritis +cystoplasty +cystoplegia +cystoproctostomy +Cystopteris +cystoptosis +Cystopus +cystoradiography +cistori +cystorrhagia +cystorrhaphy +cystorrhea +cystosarcoma +cystoschisis +cystoscope +cystoscopy +cystoscopic +cystoscopies +cystose +cystosyrinx +cystospasm +cystospastic +cystospore +cystostomy +cystostomies +cystotome +cystotomy +cystotomies +cystotrachelotomy +cystoureteritis +cystourethritis +cystourethrography +cystous +cis-trans +cistron +cistronic +cistrons +cists +cysts +Cistudo +Cistus +cistuses +cistvaen +Ciszek +CIT +cyt- +cit. +Cita +citable +citadel +citadels +citadel's +cital +Citarella +cytase +cytasic +cytaster +cytasters +Citation +citational +citations +citation's +citator +citatory +citators +citatum +cite +cyte +citeable +cited +citee +Citellus +citer +citers +cites +citess +Cithaeron +Cithaeronian +cithara +citharas +Citharexylum +citharist +citharista +citharoedi +citharoedic +citharoedus +cither +Cythera +Cytherea +Cytherean +Cytherella +Cytherellidae +cithern +citherns +cithers +cithren +cithrens +City +city-born +city-bound +city-bred +citybuster +citicism +citycism +city-commonwealth +citicorp +cytidine +cytidines +citydom +citied +cities +citify +citification +citified +cityfied +citifies +citifying +cityfolk +cityful +city-god +Citigradae +citigrade +cityish +cityless +citylike +Cytinaceae +cytinaceous +cityness +citynesses +citing +Cytinus +cytioderm +cytioderma +city's +cityscape +cityscapes +cytisine +Cytissorus +city-state +Cytisus +cytitis +cityward +citywards +citywide +city-wide +citizen +citizendom +citizeness +citizenhood +citizenish +citizenism +citizenize +citizenized +citizenizing +citizenly +citizenry +citizenries +citizens +citizen's +citizenship +citizenships +Citlaltepetl +Citlaltpetl +cyto- +cytoanalyzer +cytoarchitectural +cytoarchitecturally +cytoarchitecture +cytoblast +cytoblastema +cytoblastemal +cytoblastematous +cytoblastemic +cytoblastemous +cytocentrum +cytochalasin +cytochemical +cytochemistry +cytochylema +cytochrome +cytocide +cytocyst +cytoclasis +cytoclastic +cytococci +cytococcus +cytode +cytodendrite +cytoderm +cytodiagnosis +cytodieresis +cytodieretic +cytodifferentiation +cytoecology +cytogamy +cytogene +cytogenesis +cytogenetic +cytogenetical +cytogenetically +cytogeneticist +cytogenetics +cytogeny +cytogenic +cytogenies +cytogenous +cytoglobin +cytoglobulin +cytohyaloplasm +cytoid +citoyen +citoyenne +citoyens +cytokinesis +cytokinetic +cytokinin +cytol +citola +citolas +citole +citoler +citolers +citoles +cytolymph +cytolysin +cytolysis +cytolist +cytolytic +cytology +cytologic +cytological +cytologically +cytologies +cytologist +cytologists +cytoma +cytome +cytomegalic +cytomegalovirus +cytomere +cytometer +cytomicrosome +cytomitome +cytomorphology +cytomorphological +cytomorphosis +cyton +cytone +cytons +cytopahgous +cytoparaplastin +cytopathic +cytopathogenic +cytopathogenicity +cytopathology +cytopathologic +cytopathological +cytopathologically +cytopenia +Cytophaga +cytophagy +cytophagic +cytophagous +cytopharynges +cytopharynx +cytopharynxes +cytophil +cytophilic +cytophysics +cytophysiology +cytopyge +cytoplasm +cytoplasmic +cytoplasmically +cytoplast +cytoplastic +cytoproct +cytoreticulum +cytoryctes +cytosin +cytosine +cytosines +cytosol +cytosols +cytosome +cytospectrophotometry +Cytospora +Cytosporina +cytost +cytostatic +cytostatically +cytostomal +cytostome +cytostroma +cytostromatic +cytotactic +cytotaxis +cytotaxonomy +cytotaxonomic +cytotaxonomically +cytotechnology +cytotechnologist +cytotoxic +cytotoxicity +cytotoxin +cytotrophy +cytotrophoblast +cytotrophoblastic +cytotropic +cytotropism +cytovirin +cytozymase +cytozyme +cytozoa +cytozoic +cytozoon +cytozzoa +citr- +Citra +citra- +citraconate +citraconic +citral +citrals +citramide +citramontane +citrange +citrangeade +citrate +citrated +citrates +citrean +citrene +citreous +citric +citriculture +citriculturist +citril +citrylidene +citrin +citrination +citrine +citrines +citrinin +citrinins +citrinous +citrins +citrocola +Citroen +citrometer +Citromyces +Citron +citronade +citronalis +citron-colored +citronella +citronellal +Citronelle +citronellic +citronellol +citron-yellow +citronin +citronize +citrons +citronwood +Citropsis +citropten +citrous +citrul +citrullin +citrulline +Citrullus +Citrus +citruses +cittern +citternhead +citterns +Cittticano +citua +cytula +cytulae +CIU +Ciudad +cyul +civ +civ. +cive +civet +civet-cat +civetlike +civetone +civets +civy +Civia +civic +civical +civically +civicism +civicisms +civic-minded +civic-mindedly +civic-mindedness +civics +civie +civies +civil +civile +civiler +civilest +civilian +civilianization +civilianize +civilians +civilian's +civilisable +civilisation +civilisational +civilisations +civilisatory +civilise +civilised +civilisedness +civiliser +civilises +civilising +civilist +civilite +civility +civilities +civilizable +civilizade +civilization +civilizational +civilizationally +civilizations +civilization's +civilizatory +civilize +civilized +civilizedness +civilizee +civilizer +civilizers +civilizes +civilizing +civil-law +civilly +civilness +civil-rights +civism +civisms +Civitan +civitas +civite +civory +civvy +civvies +cywydd +ciwies +cixiid +Cixiidae +Cixo +cizar +cize +Cyzicene +Cyzicus +CJ +ck +ckw +CL +cl. +clabber +clabbered +clabbery +clabbering +clabbers +clablaria +Clabo +clabularia +clabularium +clach +clachan +clachans +clachs +clack +Clackama +Clackamas +clackdish +clacked +clacker +clackers +clacket +clackety +clacking +Clackmannan +Clackmannanshire +clacks +Clacton +Clactonian +clad +cladanthous +cladautoicous +cladding +claddings +clade +cladine +cladistic +clado- +cladocarpous +Cladocera +cladoceran +cladocerans +cladocerous +cladode +cladodes +cladodial +cladodium +cladodont +cladodontid +Cladodontidae +Cladodus +cladogenesis +cladogenetic +cladogenetically +cladogenous +Cladonia +Cladoniaceae +cladoniaceous +cladonioid +cladophyll +cladophyllum +Cladophora +Cladophoraceae +cladophoraceous +Cladophorales +cladoptosis +cladose +Cladoselache +Cladoselachea +cladoselachian +Cladoselachidae +cladosiphonic +Cladosporium +Cladothrix +Cladrastis +clads +cladus +claes +Claflin +clag +clagged +claggy +clagging +claggum +clags +Clay +claybank +claybanks +Clayberg +Claiborn +Clayborn +Claiborne +Clayborne +Claibornian +clay-bound +Claybourne +claybrained +clay-built +clay-cold +clay-colored +clay-digging +clay-dimmed +clay-drying +claye +clayed +clayey +clayen +clayer +clay-faced +clay-filtering +clay-forming +clay-grinding +Clayhole +clayier +clayiest +clayiness +claying +clayish +claik +claylike +clay-lined +claim +claimable +clayman +claimant +claimants +claimant's +claimed +claimer +claimers +claiming +clay-mixing +claim-jumper +claim-jumping +claimless +Claymont +claymore +claymores +claims +claimsman +claimsmen +Clayoquot +claypan +claypans +Claypool +Clair +clairaudience +clairaudient +clairaudiently +Clairaut +clairce +Claire +clairecole +clairecolle +claires +Clairfield +clair-obscure +clairschach +clairschacher +clairseach +clairseacher +clairsentience +clairsentient +Clairton +clairvoyance +clairvoyances +clairvoyancy +clairvoyancies +clairvoyant +clairvoyantly +clairvoyants +clays +clay's +Claysburg +Clayson +claystone +Claysville +clay-tempering +claith +claithes +Clayton +Claytonia +Claytonville +claiver +clayver-grass +Clayville +clayware +claywares +clay-washing +clayweed +clay-wrapped +clake +Clallam +clam +Claman +clamant +clamantly +clamaroo +clamation +clamative +Clamatores +clamatory +clamatorial +clamb +clambake +clambakes +clamber +clambered +clamberer +clambering +clambers +clamcracker +clame +clamehewit +clamer +clamflat +clamjamfery +clamjamfry +clamjamphrie +clamlike +clammed +clammer +clammers +clammersome +clammy +clammier +clammiest +clammily +clamminess +clamminesses +clamming +clammish +clammyweed +clamor +clamored +clamorer +clamorers +clamoring +clamorist +clamorous +clamorously +clamorousness +clamors +clamorsome +clamour +clamoured +clamourer +clamouring +clamourist +clamourous +clamours +clamoursome +clamp +clampdown +clamped +clamper +clampers +clamping +clamps +clams +clam's +clamshell +clamshells +clamworm +clamworms +clan +Clance +Clancy +clancular +clancularly +clandestine +clandestinely +clandestineness +clandestinity +clanfellow +clang +clanged +clanger +clangers +clangful +clanging +clangingly +clangor +clangored +clangoring +clangorous +clangorously +clangorousness +clangors +clangour +clangoured +clangouring +clangours +clangs +Clangula +clanjamfray +clanjamfrey +clanjamfrie +clanjamphrey +clank +clanked +clankety +clanking +clankingly +clankingness +clankless +clanks +clankum +clanless +clanned +clanning +clannish +clannishly +clannishness +clannishnesses +clans +clansfolk +clanship +clansman +clansmanship +clansmen +clanswoman +clanswomen +Clanton +Claosaurus +clap +clapboard +clapboarding +clapboards +clapbread +clapcake +clapdish +clape +Clapeyron +clapholt +clapmatch +clapnest +clapnet +clap-net +clapotis +Clapp +clappe +clapped +Clapper +clapperboard +clapperclaw +clapper-claw +clapperclawer +clapperdudgeon +clappered +clappering +clappermaclaw +clappers +clapping +claps +clapstick +clap-stick +clapt +Clapton +claptrap +claptraps +clapwort +claque +claquer +claquers +claques +claqueur +claqueurs +clar +Clara +clarabella +Clarabelle +clarain +Claramae +Clarance +Clarcona +Clardy +Clare +Clarey +Claremont +Claremore +Clarence +clarences +Clarenceux +Clarenceuxship +Clarencieux +Clarendon +clare-obscure +clares +Claresta +claret +Clareta +Claretian +clarets +Claretta +Clarette +Clarhe +Clari +Clary +Claribel +claribella +Clarice +clarichord +Clarie +claries +clarify +clarifiable +clarifiant +clarificant +clarification +clarifications +clarified +clarifier +clarifiers +clarifies +clarifying +clarigate +clarigation +clarigold +clarin +clarina +Clarinda +Clarine +clarinet +clarinetist +clarinetists +clarinets +clarinettist +clarinettists +Clarington +clarini +clarino +clarinos +Clarion +clarioned +clarionet +clarioning +clarions +clarion-voiced +Clarisa +Clarise +Clarissa +Clarisse +clarissimo +Clarist +Clarita +clarity +clarities +claritude +Claryville +Clark +Clarkdale +Clarke +Clarkedale +clarkeite +clarkeites +Clarkesville +Clarkfield +Clarkia +clarkias +Clarkin +Clarks +Clarksboro +Clarksburg +Clarksdale +Clarkson +Clarkston +Clarksville +Clarkton +claro +claroes +Claromontane +Claromontanus +claros +clarre +clarsach +clarseach +clarsech +clarseth +clarshech +clart +clarty +clartier +clartiest +clarts +clase +clash +clashed +clashee +clasher +clashers +clashes +clashy +clashing +clashingly +clasmatocyte +clasmatocytic +clasmatosis +CLASP +clasped +clasper +claspers +clasping +clasping-leaved +clasps +claspt +CLASS +class. +classable +classbook +class-cleavage +class-conscious +classed +classer +classers +classes +classfellow +classy +classic +classical +classicalism +classicalist +classicality +classicalities +classicalize +classically +classicalness +classicise +classicised +classicising +classicism +classicisms +classicist +classicistic +classicists +classicize +classicized +classicizing +classico +classico- +classicolatry +classico-lombardic +classics +classier +classiest +classify +classifiable +classific +classifically +classification +classificational +classifications +classificator +classificatory +classified +classifier +classifiers +classifies +classifying +classily +classiness +classing +classis +classism +classisms +classist +classists +classless +classlessness +classman +classmanship +classmate +classmates +classmate's +classmen +classroom +classrooms +classroom's +classwise +classwork +clast +clastic +clastics +clasts +clat +clatch +clatchy +Clathraceae +clathraceous +Clathraria +clathrarian +clathrate +Clathrina +Clathrinidae +clathroid +clathrose +clathrulate +Clathrus +Clatonia +Clatskanie +Clatsop +clatter +clattered +clatterer +clattery +clattering +clatteringly +clatters +clattertrap +clattertraps +clatty +clauber +claucht +Claud +Clauddetta +Claude +Claudel +Claudell +Claudelle +claudent +claudetite +claudetites +Claudetta +Claudette +Claudy +Claudia +Claudian +Claudianus +claudicant +claudicate +claudication +Claudie +Claudina +Claudine +Claudio +Claudius +Claudville +claught +claughted +claughting +claughts +Claunch +Claus +clausal +clause +Clausen +clauses +clause's +Clausewitz +Clausilia +Clausiliidae +Clausius +clauster +clausthalite +claustra +claustral +claustration +claustrophilia +claustrophobe +claustrophobia +claustrophobiac +claustrophobias +claustrophobic +claustrum +clausula +clausulae +clausular +clausule +clausum +clausure +claut +Clava +clavacin +clavae +claval +Clavaria +Clavariaceae +clavariaceous +clavate +clavated +clavately +clavatin +clavation +clave +clavecin +clavecinist +clavel +clavelization +clavelize +clavellate +clavellated +claver +Claverack +clavered +clavering +clavers +claves +clavi +clavy +clavial +claviature +clavicembali +clavicembalist +clavicembalo +Claviceps +clavichord +clavichordist +clavichordists +clavichords +clavicylinder +clavicymbal +clavicytheria +clavicytherium +clavicithern +clavicythetheria +clavicittern +clavicle +clavicles +clavicor +clavicorn +clavicornate +Clavicornes +Clavicornia +clavicotomy +clavicular +clavicularium +claviculate +claviculo-humeral +claviculus +clavier +clavierist +clavieristic +clavierists +claviers +claviform +claviger +clavigerous +claviharp +clavilux +claviol +claviole +clavipectoral +clavis +clavises +Clavius +clavodeltoid +clavodeltoideus +clavola +clavolae +clavolet +clavus +clavuvi +claw +clawback +clawed +clawer +clawers +claw-footed +clawhammer +clawing +clawk +clawker +clawless +clawlike +claws +clawsick +Clawson +claw-tailed +claxon +claxons +Claxton +CLDN +cle +Clea +cleach +clead +cleaded +cleading +cleam +cleamer +clean +clean- +cleanable +clean-appearing +clean-armed +clean-boled +clean-bred +clean-built +clean-complexioned +clean-cut +cleaned +cleaner +cleaner-off +cleaner-out +cleaners +cleaner's +cleaner-up +cleanest +clean-faced +clean-feeding +clean-fingered +clean-grained +cleanhanded +clean-handed +cleanhandedness +cleanhearted +cleaning +cleanings +cleanish +clean-legged +cleanly +cleanlier +cleanliest +cleanlily +clean-limbed +cleanliness +cleanlinesses +clean-lived +clean-living +clean-looking +clean-made +clean-minded +clean-moving +cleanness +cleannesses +cleanout +cleans +cleansable +clean-saying +clean-sailing +cleanse +cleansed +clean-seeming +cleanser +cleansers +cleanses +clean-shanked +clean-shaped +clean-shaved +clean-shaven +cleansing +cleanskin +clean-skin +clean-skinned +cleanskins +clean-smelling +clean-souled +clean-speaking +clean-sweeping +Cleanth +Cleantha +Cleanthes +clean-thinking +clean-timbered +cleanup +cleanups +clean-washed +clear +clearable +clearage +clearance +clearances +clearance's +clear-boled +Clearbrook +Clearchus +clearcole +clear-cole +clear-complexioned +clear-crested +clear-cut +clear-cutness +clear-cutting +cleared +clearedness +clear-eye +clear-eyed +clear-eyes +clearer +clearers +clearest +clear-faced +clear-featured +Clearfield +clearheaded +clear-headed +clearheadedly +clearheadedness +clearhearted +Cleary +clearing +clearinghouse +clearinghouses +clearings +clearing's +clearish +clearly +clearminded +clear-minded +clear-mindedness +Clearmont +clearness +clearnesses +clear-obscure +clears +clearsighted +clear-sighted +clear-sightedly +clearsightedness +clear-sightedness +Clearsite +clear-skinned +clearskins +clear-spirited +clearstarch +clear-starch +clearstarcher +clear-starcher +clear-stemmed +clearstory +clear-story +clearstoried +clearstories +clear-sunned +clear-throated +clear-tinted +clear-toned +clear-up +Clearview +Clearville +clear-visioned +clear-voiced +clearway +clear-walled +Clearwater +clearweed +clearwing +clear-witted +Cleasta +cleat +cleated +cleating +Cleaton +cleats +cleavability +cleavable +cleavage +cleavages +Cleave +cleaved +cleaveful +cleavelandite +cleaver +cleavers +cleaverwort +Cleaves +cleaving +cleavingly +Cleavland +Cleburne +cleche +clechee +clechy +cleck +cled +cledde +cledge +cledgy +cledonism +clee +cleech +cleek +cleeked +cleeky +cleeking +cleeks +Cleelum +Cleethorpes +CLEF +clefs +cleft +clefted +cleft-footed +cleft-graft +clefting +clefts +cleft's +cleg +Cleghorn +CLEI +cleidagra +cleidarthritis +cleidocostal +cleidocranial +cleidohyoid +cleidoic +cleidomancy +cleidomastoid +cleido-mastoid +cleido-occipital +cleidorrhexis +cleidoscapular +cleidosternal +cleidotomy +cleidotripsy +Clein +Cleisthenes +cleistocarp +cleistocarpous +cleistogamy +cleistogamic +cleistogamically +cleistogamous +cleistogamously +cleistogene +cleistogeny +cleistogenous +cleistotcia +cleistothecia +cleistothecium +Cleistothecopsis +cleithral +cleithrum +Clela +Cleland +Clellan +Clem +Clematis +clematises +clematite +Clemclemalats +Clemen +Clemence +Clemenceau +Clemency +clemencies +Clemens +Clement +Clementas +Clemente +Clementi +Clementia +Clementina +Clementine +Clementis +Clementius +clemently +clementness +Clementon +Clements +clemmed +Clemmy +Clemmie +clemming +Clemmons +Clemon +Clemons +Clemson +clench +clench-built +clenched +clencher +clenchers +clenches +clenching +Clendenin +Cleo +Cleobis +Cleobulus +Cleodaeus +Cleodal +Cleodel +Cleodell +cleoid +Cleome +cleomes +Cleon +Cleone +Cleopatra +Cleopatre +Cleostratus +Cleota +Cleothera +clep +clepe +cleped +clepes +cleping +clepsydra +clepsydrae +clepsydras +Clepsine +clept +cleptobioses +cleptobiosis +cleptobiotic +cleptomania +cleptomaniac +Clerc +Clercq +Clere +Cleres +clerestory +clerestoried +clerestories +clerete +clergess +clergy +clergyable +clergies +clergylike +clergyman +clergymen +clergion +clergywoman +clergywomen +cleric +clerical +clericalism +clericalist +clericalists +clericality +clericalize +clerically +clericals +clericate +clericature +clericism +clericity +clerico- +clerico-political +clerics +clericum +clerid +Cleridae +clerids +clerihew +clerihews +clerisy +clerisies +Clerissa +Clerk +clerkage +clerk-ale +clerkdom +clerkdoms +clerked +clerkery +clerkess +clerkhood +clerking +clerkish +clerkless +clerkly +clerklier +clerkliest +clerklike +clerkliness +clerks +clerkship +clerkships +Clermont +Clermont-Ferrand +clernly +clero- +Clerodendron +cleromancy +cleronomy +clerstory +cleruch +cleruchy +cleruchial +cleruchic +cleruchies +clerum +Clerus +Clervaux +Cleta +cletch +Clete +Clethra +Clethraceae +clethraceous +clethrionomys +Cleti +Cletis +Cletus +cleuch +cleuk +cleuks +Cleva +Cleve +Clevey +cleveite +cleveites +Cleveland +Clevenger +clever +cleverality +clever-clever +Cleverdale +cleverer +cleverest +clever-handed +cleverish +cleverishly +cleverly +cleverness +clevernesses +Cleves +Clevie +clevis +clevises +clew +clewed +clewgarnet +clewing +Clewiston +clews +CLI +Cly +cliack +clianthus +clich +cliche +cliched +cliche-ridden +cliches +cliche's +Clichy +Clichy-la-Garenne +click +click-clack +clicked +clicker +clickers +clicket +clickety-clack +clickety-click +clicky +clicking +clickless +clicks +CLID +Clidastes +Clide +Clyde +Clydebank +Clydesdale +Clydeside +Clydesider +Clie +cliency +client +clientage +cliental +cliented +clientelage +clientele +clienteles +clientless +clientry +clients +client's +clientship +clyer +clyers +clyfaker +clyfaking +Cliff +cliff-bound +cliff-chafed +cliffed +Cliffes +cliff-girdled +cliffhang +cliffhanger +cliff-hanger +cliffhangers +cliffhanging +cliff-hanging +cliffy +cliffier +cliffiest +cliffing +cliffless +clifflet +clifflike +cliff-marked +Clifford +cliffs +cliff's +cliffside +cliffsman +cliffweed +Cliffwood +cliff-worn +Clift +Clifty +Clifton +Cliftonia +cliftonite +clifts +Clim +clima +Climaciaceae +climaciaceous +Climacium +climacter +climactery +climacterial +climacteric +climacterical +climacterically +climacterics +climactic +climactical +climactically +climacus +Clyman +climant +climata +climatal +climatarchic +climate +climates +climate's +climath +climatic +climatical +climatically +Climatius +climatize +climatography +climatographical +climatology +climatologic +climatological +climatologically +climatologist +climatologists +climatometer +climatotherapeutics +climatotherapy +climatotherapies +climature +climax +climaxed +climaxes +climaxing +climb +climbable +climb-down +climbed +climber +climbers +climbing +climbingfish +climbingfishes +climbs +clime +Clymene +Clymenia +Clymenus +Clymer +climes +clime's +climograph +clin +clin- +clinah +clinal +clinally +clinamen +clinamina +clinandrdria +clinandria +clinandrium +clinanthia +clinanthium +clinch +clinch-built +Clinchco +clinched +clincher +clincher-built +clinchers +clinches +Clinchfield +clinching +clinchingly +clinchingness +clinchpoop +cline +clines +Clynes +cling +Clingan +clinged +clinger +clingers +clingfish +clingfishes +clingy +clingier +clingiest +clinginess +clinging +clingingly +clingingness +cling-rascal +clings +clingstone +clingstones +clinia +clinic +clinical +clinically +clinician +clinicians +clinicist +clinicopathologic +clinicopathological +clinicopathologically +clinics +clinic's +clinid +Clinis +clinium +clink +clinkant +clink-clank +clinked +clinker +clinker-built +clinkered +clinkerer +clinkery +clinkering +clinkers +clinkety-clink +clinking +clinks +clinkstone +clinkum +clino- +clinoaxis +clinocephaly +clinocephalic +clinocephalism +clinocephalous +clinocephalus +clinochlore +clinoclase +clinoclasite +clinodiagonal +clinodomatic +clinodome +clinograph +clinographic +clinohedral +clinohedrite +clinohumite +clinoid +clinology +clinologic +clinometer +clinometry +clinometria +clinometric +clinometrical +clinophobia +clinopinacoid +clinopinacoidal +clinopyramid +clinopyroxene +Clinopodium +clinoprism +clinorhombic +clinospore +clinostat +clinous +clinquant +Clint +clinty +clinting +Clintock +Clinton +Clintondale +Clintonia +clintonite +Clintonville +clints +Clintwood +Clio +Clyo +Cliona +Clione +clip +clipboard +clipboards +clip-clop +clype +clypeal +Clypeaster +Clypeastridea +Clypeastrina +clypeastroid +Clypeastroida +Clypeastroidea +clypeate +clypeated +clip-edged +clipei +clypei +clypeiform +clypeo- +clypeola +clypeolar +clypeolate +clypeole +clipeus +clypeus +clip-fed +clip-marked +clip-on +clippable +Clippard +clipped +clipper +clipper-built +clipperman +clippers +clipper's +clippety-clop +clippie +clipping +clippingly +clippings +clipping's +clips +clip's +clipse +clipsheet +clipsheets +clipsome +clipt +clip-winged +clique +cliqued +cliquedom +cliquey +cliqueier +cliqueiest +cliqueyness +cliqueless +cliques +clique's +cliquy +cliquier +cliquiest +cliquing +cliquish +cliquishly +cliquishness +cliquism +cliseometer +clisere +clyses +clish-clash +clishmaclaver +clish-ma-claver +Clisiocampa +clysis +clysma +clysmian +clysmic +clyssus +clyster +clysterize +clysters +Clisthenes +clistocarp +clistocarpous +Clistogastra +clistothcia +clistothecia +clistothecium +clit +Clytaemnesra +clitch +Clite +Clyte +clitella +clitellar +clitelliferous +clitelline +clitellum +clitellus +Clytemnestra +clites +clithe +Clitherall +clithral +clithridiate +clitia +Clytia +clitic +Clytie +clition +Clytius +Clitocybe +clitoral +Clitoria +clitoric +clitoridauxe +clitoridean +clitoridectomy +clitoridectomies +clitoriditis +clitoridotomy +clitoris +clitorises +clitorism +clitoritis +clitoromania +clitoromaniac +clitoromaniacal +clitter +clitterclatter +Clitus +cliv +clival +Clive +Clyve +cliver +clivers +Clivia +clivias +clivis +clivises +clivus +Clywd +clk +CLLI +Cllr +CLNP +Clo +cloaca +cloacae +cloacal +cloacaline +cloacas +cloacean +cloacinal +cloacinean +cloacitis +cloak +cloakage +cloak-and-dagger +cloak-and-suiter +cloak-and-sword +cloaked +cloakedly +cloak-fashion +cloaking +cloakless +cloaklet +cloakmaker +cloakmaking +cloakroom +cloak-room +cloakrooms +cloaks +cloak's +cloakwise +cloam +cloamen +cloamer +Cloanthus +clobber +clobbered +clobberer +clobbering +clobbers +clochan +clochard +clochards +cloche +clocher +cloches +clochette +clock +clockbird +clockcase +clocked +clocker +clockers +clockface +clock-hour +clockhouse +clocking +clockings +clockkeeper +clockless +clocklike +clockmaker +clockmaking +clock-making +clock-minded +clockmutch +clockroom +clocks +clocksmith +Clockville +clockwatcher +clock-watcher +clock-watching +clockwise +clockwork +clock-work +clockworked +clockworks +clod +clodbreaker +clod-brown +clodded +clodder +cloddy +cloddier +cloddiest +cloddily +cloddiness +clodding +cloddish +cloddishly +cloddishness +clodhead +clodhopper +clod-hopper +clodhopperish +clodhoppers +clodhopping +clodknocker +clodlet +clodlike +clodpate +clod-pate +clodpated +clodpates +clodpole +clodpoles +clodpoll +clod-poll +clodpolls +clods +clod's +clod-tongued +Cloe +Cloelia +cloes +Cloete +clof +cloff +clofibrate +clog +clogdogdo +clogged +clogger +cloggy +cloggier +cloggiest +cloggily +clogginess +clogging +cloghad +cloghaun +cloghead +cloglike +clogmaker +clogmaking +clogs +clog's +clogwheel +clogwyn +clogwood +cloy +cloyed +cloyedness +cloyer +cloying +cloyingly +cloyingness +cloyless +cloyment +cloine +cloyne +cloiochoanitic +Clois +cloys +cloysome +cloison +cloisonless +cloisonn +cloisonne +cloisonnism +Cloisonnisme +Cloisonnist +cloister +cloisteral +cloistered +cloisterer +cloistering +cloisterless +cloisterly +cloisterlike +cloisterliness +cloisters +cloister's +cloisterwise +cloistral +cloistress +cloit +cloke +cloky +clokies +clomb +clomben +clomiphene +clomp +clomped +clomping +clomps +clon +clonal +clonally +clone +cloned +cloner +cloners +clones +clong +clonic +clonicity +clonicotonic +cloning +clonings +clonism +clonisms +clonk +clonked +clonking +clonks +clonorchiasis +Clonorchis +clonos +Clonothrix +clons +Clontarf +clonus +clonuses +cloof +cloop +cloot +clootie +Cloots +clop +clop-clop +clopped +clopping +clops +Clopton +cloque +cloques +Cloquet +cloragen +clorargyrite +clorinator +Clorinda +Clorinde +cloriodid +Cloris +Clorox +CLOS +closable +Close +closeable +close-annealed +close-at-hand +close-banded +close-barred +close-by +close-bitten +close-bodied +close-bred +close-buttoned +close-clad +close-clapped +close-clipped +close-coifed +close-compacted +close-connected +close-couched +close-coupled +close-cropped +closecross +close-curled +close-curtained +close-cut +closed +closed-circuit +closed-coil +closed-door +closed-end +closed-in +closed-minded +closed-out +closedown +close-drawn +close-eared +close-fertilization +close-fertilize +close-fibered +close-fights +closefisted +close-fisted +closefistedly +closefistedness +closefitting +close-fitting +close-gleaning +close-grain +close-grained +close-grated +closehanded +close-handed +close-haul +closehauled +close-hauled +close-headed +closehearted +close-herd +close-hooded +close-in +close-jointed +close-kept +close-knit +close-latticed +close-legged +closely +close-lying +closelipped +close-lipped +close-meshed +close-minded +closemouth +closemouthed +close-mouthed +closen +closeness +closenesses +closeout +close-out +closeouts +close-packed +close-partnered +close-pent +close-piled +close-pressed +closer +close-reef +close-reefed +close-ribbed +close-rounded +closers +closes +close-set +close-shanked +close-shaven +close-shut +close-soled +closest +close-standing +close-sticking +closestool +close-stool +closet +closeted +close-tempered +close-textured +closetful +close-thinking +closeting +close-tongued +closets +closeup +close-up +closeups +close-visaged +close-winded +closewing +close-woven +close-written +closh +closing +closings +closish +closkey +closky +Closplint +Closter +Closterium +clostridia +clostridial +clostridian +Clostridium +closure +closured +closures +closure's +closuring +clot +clot-bird +clotbur +clot-bur +clote +cloth +cloth-backed +clothbound +cloth-calendering +cloth-covered +cloth-cropping +cloth-cutting +cloth-dyeing +cloth-drying +clothe +cloth-eared +clothed +clothes +clothesbag +clothesbasket +clothesbrush +clothes-conscious +clothes-consciousness +clothes-drier +clothes-drying +clotheshorse +clotheshorses +clothesyard +clothesless +clothesline +clotheslines +clothesman +clothesmen +clothesmonger +clothes-peg +clothespin +clothespins +clothespress +clothes-press +clothespresses +clothes-washing +cloth-faced +cloth-finishing +cloth-folding +clothy +cloth-yard +clothier +clothiers +clothify +Clothilda +Clothilde +clothing +clothings +cloth-inserted +cloth-laying +clothlike +cloth-lined +clothmaker +cloth-maker +clothmaking +cloth-measuring +Clotho +cloth-of-gold +cloths +cloth-shearing +cloth-shrinking +cloth-smoothing +cloth-sponger +cloth-spreading +cloth-stamping +cloth-testing +cloth-weaving +cloth-winding +clothworker +Clotilda +Clotilde +clot-poll +clots +clottage +clotted +clottedness +clotter +clotty +clotting +cloture +clotured +clotures +cloturing +clotweed +clou +CLOUD +cloudage +cloud-ascending +cloud-barred +cloudberry +cloudberries +cloud-born +cloud-built +cloudburst +cloudbursts +cloudcap +cloud-capped +cloud-compacted +cloud-compeller +cloud-compelling +cloud-covered +cloud-crammed +Cloudcroft +cloud-crossed +Cloudcuckooland +Cloud-cuckoo-land +cloud-curtained +cloud-dispelling +cloud-dividing +cloud-drowned +cloud-eclipsed +clouded +cloud-enveloped +cloud-flecked +cloudful +cloud-girt +cloud-headed +cloud-hidden +cloudy +cloudier +cloudiest +cloudily +cloudiness +cloudinesses +clouding +cloud-kissing +cloud-laden +cloudland +cloud-led +cloudless +cloudlessly +cloudlessness +cloudlet +cloudlets +cloudlike +cloudling +cloudology +cloud-piercing +cloud-rocked +Clouds +cloud-scaling +cloudscape +cloud-seeding +cloud-shaped +cloudship +cloud-surmounting +cloud-surrounded +cloud-topped +cloud-touching +cloudward +cloudwards +cloud-woven +cloud-wrapped +clouee +Clouet +Clough +Clougher +cloughs +clour +cloured +clouring +clours +clout +clouted +clouter +clouterly +clouters +clouty +Cloutierville +clouting +Cloutman +clouts +clout-shoe +Clova +Clovah +clove +clove-gillyflower +cloven +clovene +cloven-footed +cloven-footedness +cloven-hoofed +Clover +Cloverdale +clovered +clover-grass +clovery +cloverlay +cloverleaf +cloverleafs +cloverleaves +cloverley +cloveroot +Cloverport +cloverroot +clovers +clover-sick +clover-sickness +cloves +clove-strip +clovewort +Clovis +clow +clowder +clowders +Clower +clow-gilofre +clown +clownade +clownage +clowned +clownery +clowneries +clownheal +clowning +clownish +clownishly +clownishness +clownishnesses +clowns +clownship +clowre +clowring +cloxacillin +cloze +clozes +CLR +CLRC +CLS +CLTP +CLU +club +clubability +clubable +club-armed +Clubb +clubbability +clubbable +clubbed +clubber +clubbers +clubby +clubbier +clubbiest +clubbily +clubbiness +clubbing +clubbish +clubbishness +clubbism +clubbist +clubdom +club-ended +clubfeet +clubfellow +clubfist +club-fist +clubfisted +clubfoot +club-foot +clubfooted +club-footed +clubhand +clubhands +clubhaul +club-haul +clubhauled +clubhauling +clubhauls +club-headed +club-high +clubhouse +clubhouses +clubionid +Clubionidae +clubland +club-law +clubman +club-man +clubmate +clubmen +clubmobile +clubmonger +club-moss +clubridden +club-riser +clubroom +clubrooms +clubroot +clubroots +club-rush +clubs +club's +club-shaped +clubstart +clubster +clubweed +clubwoman +clubwomen +clubwood +cluck +clucked +clucky +clucking +clucks +cludder +clue +clued +clueing +clueless +clues +clue's +cluff +cluing +Cluj +clum +clumber +clumbers +clump +clumped +clumper +clumpy +clumpier +clumpiest +clumping +clumpish +clumpishness +clumplike +clumproot +clumps +clumpst +clumse +clumsy +clumsier +clumsiest +clumsy-fisted +clumsily +clumsiness +clumsinesses +clunch +Clune +clung +Cluny +Cluniac +Cluniacensian +Clunisian +Clunist +clunk +clunked +clunker +clunkers +clunky +clunkier +clunking +clunks +clunter +clupanodonic +Clupea +clupeid +Clupeidae +clupeids +clupeiform +clupein +clupeine +clupeiod +Clupeodei +clupeoid +clupeoids +clupien +cluppe +cluricaune +Clurman +Clusia +Clusiaceae +clusiaceous +Clusium +cluster +clusterberry +clustered +clusterfist +clustery +clustering +clusteringly +clusterings +clusters +CLUT +clutch +clutched +clutcher +clutches +clutchy +clutching +clutchingly +clutchman +Clute +cluther +Clutier +clutter +cluttered +clutterer +cluttery +cluttering +clutterment +clutters +CLV +Clwyd +CM +CMA +CMAC +CMC +CMCC +CMD +CMDF +cmdg +Cmdr +Cmdr. +CMDS +CMF +CMG +CM-glass +CMH +CMI +CMYK +CMIP +CMIS +CMISE +c-mitosis +CML +cml. +CMMU +Cmon +CMOS +CMOT +CMRR +CMS +CMSGT +CMT +CMTC +CMU +CMW +CN +cn- +CNA +CNAA +CNAB +CNC +CNCC +CND +cnemapophysis +cnemial +cnemic +cnemides +cnemidium +Cnemidophorus +cnemis +Cneoraceae +cneoraceous +Cneorum +CNES +CNI +cnibophore +cnicin +Cnicus +cnida +cnidae +Cnidaria +cnidarian +Cnidean +Cnidia +Cnidian +cnidoblast +cnidocell +cnidocil +cnidocyst +cnidogenous +cnidophobia +cnidophore +cnidophorous +cnidopod +cnidosac +Cnidoscolus +cnidosis +Cnidus +CNM +CNMS +CNN +CNO +Cnossian +Cnossus +C-note +CNR +CNS +CNSR +Cnut +CO +co- +Co. +coabode +coabound +coabsume +coacceptor +coacervate +coacervated +coacervating +coacervation +coach +coachability +coachable +coach-and-four +coach-box +coachbuilder +coachbuilding +coach-built +coached +coachee +Coachella +coacher +coachers +coaches +coachfellow +coachful +coachy +coaching +coachlet +coachmaker +coachmaking +coachman +coachmanship +coachmaster +coachmen +coachs +coachsmith +coachsmithing +coachway +coachwhip +coach-whip +coachwise +coachwoman +coachwood +coachwork +coachwright +coact +coacted +coacting +coaction +coactions +coactive +coactively +coactivity +coactor +coactors +coacts +Coad +coadamite +coadapt +coadaptation +co-adaptation +coadaptations +coadapted +coadapting +coadequate +Coady +coadjacence +coadjacency +coadjacent +coadjacently +coadjudicator +coadjument +coadjust +co-adjust +coadjustment +coadjutant +coadjutator +coadjute +coadjutement +coadjutive +coadjutor +coadjutors +coadjutorship +coadjutress +coadjutrice +coadjutrices +coadjutrix +coadjuvancy +coadjuvant +coadjuvate +coadminister +coadministration +coadministrator +coadministratrix +coadmiration +coadmire +coadmired +coadmires +coadmiring +coadmit +coadmits +coadmitted +coadmitting +coadnate +coadore +coadsorbent +coadunate +coadunated +coadunating +coadunation +coadunative +coadunatively +coadunite +coadventure +co-adventure +coadventured +coadventurer +coadventuress +coadventuring +coadvice +coae- +coaeval +coaevals +coaffirmation +coafforest +co-afforest +coaged +coagel +coagency +co-agency +coagencies +coagent +coagents +coaggregate +coaggregated +coaggregation +coagitate +coagitator +coagment +coagmentation +coagonize +coagriculturist +coagula +coagulability +coagulable +coagulant +coagulants +coagulase +coagulate +coagulated +coagulates +coagulating +coagulation +coagulations +coagulative +coagulator +coagulatory +coagulators +coagule +coagulin +coaguline +coagulometer +coagulose +coagulum +coagulums +Coahoma +Coahuila +Coahuiltecan +coaid +coaita +coak +coakum +coal +coala +coalas +coalbag +coalbagger +coal-bearing +coalbin +coalbins +coal-black +coal-blue +coal-boring +coalbox +coalboxes +coal-breaking +coal-burning +coal-cutting +Coaldale +coal-dark +coaldealer +coal-dumping +coaled +coal-eyed +coal-elevating +coaler +coalers +coalesce +coalesced +coalescence +coalescency +coalescent +coalesces +coalescing +coalface +coal-faced +Coalfield +coalfields +coal-fired +coalfish +coal-fish +coalfishes +coalfitter +coal-gas +Coalgood +coal-handling +coalheugh +coalhole +coalholes +coal-house +coaly +coalyard +coalyards +coalier +coaliest +coalify +coalification +coalified +coalifies +coalifying +Coaling +Coalinga +Coalisland +Coalite +coalition +coalitional +coalitioner +coalitionist +coalitions +coalize +coalized +coalizer +coalizing +coal-laden +coalless +coal-leveling +co-ally +co-allied +coal-loading +coal-man +coal-measure +coal-meter +coalmonger +Coalmont +coalmouse +coal-picking +coalpit +coal-pit +coalpits +Coalport +coal-producing +coal-pulverizing +coalrake +coals +Coalsack +coal-sack +coalsacks +coal-scuttle +coalshed +coalsheds +coal-sifting +coal-stone +coal-tar +coalternate +coalternation +coalternative +coal-tester +coal-tit +coaltitude +Coalton +Coalville +coal-whipper +coal-whipping +Coalwood +coal-works +COAM +coambassador +coambulant +coamiable +coaming +coamings +Coamo +Coan +Coanda +coanimate +coannex +coannexed +coannexes +coannexing +coannihilate +coapostate +coapparition +coappear +co-appear +coappearance +coappeared +coappearing +coappears +coappellee +coapprehend +coapprentice +coappriser +coapprover +coapt +coaptate +coaptation +coapted +coapting +coapts +coaration +co-aration +coarb +coarbiter +coarbitrator +coarct +coarctate +coarctation +coarcted +coarcting +coardent +coarrange +coarrangement +coarse +coarse-featured +coarse-fibered +Coarsegold +coarse-grained +coarse-grainedness +coarse-haired +coarse-handed +coarsely +coarse-lipped +coarse-minded +coarsen +coarsened +coarseness +coarsenesses +coarsening +coarsens +coarser +coarse-skinned +coarse-spoken +coarse-spun +coarsest +coarse-textured +coarse-tongued +coarse-toothed +coarse-wrought +coarsish +coart +coarticulate +coarticulation +coascend +coassert +coasserter +coassession +coassessor +co-assessor +coassignee +coassist +co-assist +coassistance +coassistant +coassisted +coassisting +coassists +coassume +coassumed +coassumes +coassuming +coast +coastal +coastally +coasted +coaster +coasters +coast-fishing +Coastguard +coastguardman +coastguardsman +coastguardsmen +coasting +coastings +coastland +coastline +coastlines +coastman +coastmen +coasts +coastside +coastways +coastwaiter +coastward +coastwards +coastwise +coat +coat-armour +Coatbridge +coat-card +coatdress +coated +coatee +coatees +coater +coaters +Coates +Coatesville +coathangers +coati +coatie +coati-mondi +coatimondie +coatimundi +coati-mundi +coating +coatings +coation +coatis +coatless +coat-money +coatrack +coatracks +coatroom +coatrooms +Coats +Coatsburg +Coatsville +Coatsworth +coattail +coat-tail +coattailed +coattails +coattend +coattended +coattending +coattends +coattest +co-attest +coattestation +coattestator +coattested +coattesting +coattests +coaudience +coauditor +coaugment +coauthered +coauthor +coauthored +coauthoring +coauthority +coauthors +coauthorship +coauthorships +coawareness +coax +co-ax +coaxal +coaxation +coaxed +coaxer +coaxers +coaxes +coaxy +coaxial +coaxially +coaxing +coaxingly +coazervate +coazervation +COB +cobaea +cobalamin +cobalamine +cobalt +cobaltamine +cobaltammine +cobalti- +cobaltic +cobalticyanic +cobalticyanides +cobaltiferous +cobaltine +cobaltinitrite +cobaltite +cobalto- +cobaltocyanic +cobaltocyanide +cobaltous +cobalts +Coban +cobang +Cobb +cobbed +cobber +cobberer +cobbers +Cobbett +Cobby +Cobbie +cobbier +cobbiest +cobbin +cobbing +cobble +cobbled +cobbler +cobblerfish +cobblery +cobblerism +cobblerless +cobblers +cobbler's +cobblership +cobbles +cobblestone +cobble-stone +cobblestoned +cobblestones +cobbly +cobbling +cobbra +cobbs +Cobbtown +cobcab +Cobden +Cobdenism +Cobdenite +COBE +cobego +cobelief +cobeliever +cobelligerent +Coben +cobenignity +coberger +cobewail +Cobh +Cobham +cobhead +cobhouse +cobia +cobias +cobiron +cob-iron +cobishop +co-bishop +Cobitidae +Cobitis +coble +cobleman +Coblentzian +Coblenz +cobles +Cobleskill +cobless +cobloaf +cobnut +cob-nut +cobnuts +COBOL +cobola +coboss +coboundless +cobourg +Cobra +cobra-hooded +cobras +cobreathe +cobridgehead +cobriform +cobrother +co-brother +cobs +cobstone +cob-swan +Coburg +coburgess +coburgher +coburghership +Coburn +Cobus +cobweb +cobwebbed +cobwebbery +cobwebby +cobwebbier +cobwebbiest +cobwebbing +cobwebs +cobweb's +cobwork +COC +coca +cocaceous +Coca-Cola +cocaigne +cocain +cocaine +cocaines +cocainisation +cocainise +cocainised +cocainising +cocainism +cocainist +cocainization +cocainize +cocainized +cocainizing +cocainomania +cocainomaniac +cocains +Cocalus +Cocama +Cocamama +cocamine +Cocanucos +cocao +cocaptain +cocaptains +cocarboxylase +cocarde +cocas +cocash +cocashweed +cocause +cocautioner +Coccaceae +coccaceous +coccagee +coccal +Cocceian +Cocceianism +coccerin +cocci +coccy- +coccic +coccid +Coccidae +coccidia +coccidial +coccidian +Coccidiidea +coccydynia +coccidioidal +Coccidioides +coccidioidomycosis +Coccidiomorpha +coccidiosis +coccidium +coccidology +coccids +cocciferous +cocciform +coccygalgia +coccygeal +coccygean +coccygectomy +coccigenic +coccygeo-anal +coccygeo-mesenteric +coccygerector +coccyges +coccygeus +coccygine +Coccygius +coccygo- +coccygodynia +coccygomorph +Coccygomorphae +coccygomorphic +coccygotomy +coccin +coccinella +coccinellid +Coccinellidae +coccineous +coccyodynia +coccionella +coccyx +coccyxes +Coccyzus +cocco +coccobaccilli +coccobacilli +coccobacillus +coccochromatic +Coccogonales +coccogone +Coccogoneae +coccogonium +coccoid +coccoidal +coccoids +coccolite +coccolith +coccolithophorid +Coccolithophoridae +Coccoloba +Coccolobis +Coccomyces +coccosphere +coccostean +coccosteid +Coccosteidae +Coccosteus +Coccothraustes +coccothraustine +Coccothrinax +coccous +coccule +cocculiferous +Cocculus +coccus +cocentric +coch +Cochabamba +cochair +cochaired +cochairing +cochairman +cochairmanship +cochairmen +cochairs +cochal +cochampion +cochampions +Cochard +Cochecton +cocher +cochero +cochief +cochylis +Cochin +Cochin-China +Cochinchine +cochineal +cochins +Cochise +cochlea +cochleae +cochlear +cochleare +cochleary +Cochlearia +cochlearifoliate +cochleariform +cochleas +cochleate +cochleated +cochleiform +cochleitis +cochleleae +cochleleas +cochleous +cochlidiid +Cochlidiidae +cochliodont +Cochliodontidae +Cochliodus +cochlite +cochlitis +Cochlospermaceae +cochlospermaceous +Cochlospermum +cochon +Cochran +Cochrane +Cochranea +Cochranton +Cochranville +cochromatography +cochurchwarden +cocillana +cocin +cocinera +cocineras +cocinero +cocircular +cocircularity +Cocytean +cocitizen +cocitizenship +Cocytus +Cock +cock-a +cockabondy +cockade +cockaded +cockades +cock-a-doodle +cockadoodledoo +cock-a-doodle-doo +cock-a-doodle--dooed +cock-a-doodle--dooing +cock-a-doodle-doos +cock-a-hoop +cock-a-hooping +cock-a-hoopish +cock-a-hoopness +Cockaigne +Cockayne +cockal +cockalan +cockaleekie +cock-a-leekie +cockalorum +cockamamy +cockamamie +cockamaroo +cock-and-bull +cock-and-bull-story +cockandy +cock-and-pinch +cockapoo +cockapoos +cockard +cockarouse +cock-as-hoop +cockateel +cockatiel +cockatoo +cockatoos +cockatrice +cockatrices +cockawee +cock-awhoop +cock-a-whoop +cockbell +cockbill +cock-bill +cockbilled +cockbilling +cockbills +cockbird +cockboat +cock-boat +cockboats +cockbrain +cock-brain +cock-brained +Cockburn +cockchafer +Cockcroft +cockcrow +cock-crow +cockcrower +cockcrowing +cock-crowing +cockcrows +Cocke +cocked +cockeye +cock-eye +cockeyed +cock-eyed +cockeyedly +cockeyedness +cockeyes +Cockeysville +Cocker +cockered +cockerel +cockerels +cockerie +cockering +cockermeg +cockernony +cockernonnie +cockerouse +cockers +cocket +cocketed +cocketing +cock-feathered +cock-feathering +cockfight +cock-fight +cockfighter +cockfighting +cock-fighting +cockfights +cockhead +cockhorse +cock-horse +cockhorses +cocky +cockie +cockieleekie +cockie-leekie +cockier +cockies +cockiest +cocky-leeky +cockily +cockiness +cockinesses +cocking +cockyolly +cockish +cockishly +cockishness +cock-laird +cockle +cockleboat +cockle-bread +cocklebur +cockled +cockle-headed +cockler +cockles +cockleshell +cockle-shell +cockleshells +cocklet +cocklewife +cockly +cocklight +cocklike +cockling +cockloche +cockloft +cock-loft +cocklofts +cockmaster +cock-master +cockmatch +cock-match +cockmate +Cockney +cockneian +cockneybred +cockneydom +cockneyese +cockneyess +cockneyfy +cockneyfication +cockneyfied +cockneyfying +cockneyish +cockneyishly +cockneyism +cockneyize +cockneyland +cockneylike +cockneys +cockneyship +cockneity +cock-nest +cock-of-the-rock +cockpaddle +cock-paddle +cock-penny +cockpit +cockpits +cockroach +cockroaches +cock-road +Cocks +cockscomb +cock's-comb +cockscombed +cockscombs +cocksfoot +cock's-foot +cockshead +cock's-head +cockshy +cock-shy +cockshies +cockshying +cockshoot +cockshot +cockshut +cock-shut +cockshuts +cocksy +cocks-of-the-rock +cocksparrow +cock-sparrowish +cockspur +cockspurs +cockstone +cock-stride +cocksure +cock-sure +cocksuredom +cocksureism +cocksurely +cocksureness +cocksurety +cockswain +cocktail +cocktailed +cock-tailed +cocktailing +cocktails +cocktail's +cock-throppled +cockthrowing +cockup +cock-up +cockups +cockweed +co-clause +Cocle +coclea +Cocles +Coco +cocoa +cocoa-brown +cocoach +cocoa-colored +cocoanut +cocoanuts +cocoas +cocoawood +cocobola +cocobolas +cocobolo +cocobolos +cocodette +cocoyam +Cocolalla +Cocolamus +COCOM +CoComanchean +cocomat +cocomats +cocomposer +cocomposers +cocona +Coconino +coconnection +coconqueror +coconscious +coconsciously +coconsciousness +coconsecrator +coconspirator +co-conspirator +coconspirators +coconstituent +cocontractor +Coconucan +Coconuco +coconut +coconuts +coconut's +cocoon +cocooned +cocoonery +cocooneries +cocooning +cocoons +cocoon's +cocopan +cocopans +coco-plum +cocorico +cocoroot +Cocos +COCOT +cocotte +cocottes +cocovenantor +cocowood +cocowort +cocozelle +cocreate +cocreated +cocreates +cocreating +cocreator +cocreators +cocreatorship +cocreditor +cocrucify +coct +Cocteau +coctile +coction +coctoantigen +coctoprecipitin +cocuyo +cocuisa +cocuiza +cocullo +cocurator +cocurrent +cocurricular +cocus +cocuswood +COD +coda +codable +Codacci-Pisanelli +codal +codamin +codamine +codas +CODASYL +cod-bait +codbank +CODCF +Codd +codded +codder +codders +coddy +coddy-moddy +Codding +Coddington +coddle +coddled +coddler +coddlers +coddles +coddling +code +codebook +codebooks +codebreak +codebreaker +codebtor +codebtors +CODEC +codeclination +codecree +codecs +coded +Codee +codefendant +co-defendant +codefendants +codeia +codeias +codein +codeina +codeinas +codeine +codeines +codeins +Codel +codeless +codelight +codelinquency +codelinquent +Codell +Coden +codenization +codens +codeposit +coder +coderive +coderived +coderives +coderiving +coders +codes +codescendant +codesign +codesigned +codesigner +codesigners +codesigning +codesigns +codespairer +codetermination +codetermine +codetta +codettas +codette +codevelop +codeveloped +codeveloper +codevelopers +codeveloping +codevelops +codeword +codewords +codeword's +codex +codfish +cod-fish +codfisher +codfishery +codfisheries +codfishes +codfishing +codger +codgers +codhead +codheaded +Codi +Cody +Codiaceae +codiaceous +Codiaeum +Codiales +codical +codices +codicil +codicilic +codicillary +codicils +codicology +codictatorship +Codie +codify +codifiability +codification +codifications +codification's +codified +codifier +codifiers +codifier's +codifies +codifying +codilla +codille +coding +codings +codiniac +codirect +codirected +codirecting +codirectional +codirector +codirectors +codirectorship +codirects +codiscoverer +codiscoverers +codisjunct +codist +Codium +codivine +codlin +codline +codling +codlings +codlins +codlins-and-cream +codman +codo +codol +codomain +codomestication +codominant +codon +codons +Codorus +codpiece +cod-piece +codpieces +codpitchings +codrive +codriven +codriver +co-driver +codrives +codrove +Codrus +cods +codshead +cod-smack +codswallop +codworm +COE +Coeburn +coecal +coecum +coed +co-ed +coedit +coedited +coediting +coeditor +coeditors +coeditorship +coedits +coeds +coeducate +coeducation +co-education +coeducational +coeducationalism +coeducationalize +coeducationally +coeducations +COEES +coef +coeff +coeffect +co-effect +coeffects +coefficacy +co-efficacy +coefficient +coefficiently +coefficients +coefficient's +coeffluent +coeffluential +coehorn +Coeymans +coel- +coelacanth +coelacanthid +Coelacanthidae +coelacanthine +Coelacanthini +coelacanthoid +coelacanthous +coelanaglyphic +coelar +coelarium +Coelastraceae +coelastraceous +Coelastrum +Coelata +coelder +coeldership +coele +Coelebogyne +coelect +coelection +coelector +coelectron +coelelminth +Coelelminthes +coelelminthic +Coelentera +Coelenterata +coelenterate +coelenterates +coelenteric +coelenteron +coelestial +coelestine +coelevate +coelho +coelia +coeliac +coelialgia +coelian +Coelicolae +Coelicolist +coeligenous +coelin +coeline +coelio- +coeliomyalgia +coeliorrhea +coeliorrhoea +coelioscopy +coeliotomy +Coello +coelo- +coeloblastic +coeloblastula +Coelococcus +coelodont +coelogastrula +Coelogyne +Coeloglossum +coelom +coeloma +Coelomata +coelomate +coelomatic +coelomatous +coelome +coelomes +coelomesoblast +coelomic +Coelomocoela +coelomopore +coeloms +coelonavigation +coelongated +coeloplanula +coeloscope +coelosperm +coelospermous +coelostat +coelozoic +coeltera +coemanate +coembedded +coembody +coembodied +coembodies +coembodying +coembrace +coeminency +coemperor +coemploy +coemployed +coemployee +coemploying +coemployment +coemploys +coempt +coempted +coempting +coemptio +coemption +coemptional +coemptionator +coemptive +coemptor +coempts +coen- +coenacle +coenact +coenacted +coenacting +coenactor +coenacts +coenacula +coenaculous +coenaculum +coenaesthesis +coenamor +coenamored +coenamoring +coenamorment +coenamors +coenamourment +coenanthium +coendear +Coendidae +Coendou +coendure +coendured +coendures +coenduring +coenenchym +coenenchyma +coenenchymal +coenenchymata +coenenchymatous +coenenchyme +coenesthesia +coenesthesis +coenflame +coengage +coengager +coenjoy +coenla +coeno +coeno- +coenobe +coenoby +coenobiar +coenobic +coenobiod +coenobioid +coenobite +coenobitic +coenobitical +coenobitism +coenobium +coenoblast +coenoblastic +coenocentrum +coenocyte +coenocytic +coenodioecism +coenoecial +coenoecic +coenoecium +coenogamete +coenogenesis +coenogenetic +coenomonoecism +coenosarc +coenosarcal +coenosarcous +coenosite +coenospecies +coenospecific +coenospecifically +coenosteal +coenosteum +coenotype +coenotypic +coenotrope +coenthrone +coenunuri +coenure +coenures +coenuri +coenurus +coenzymatic +coenzymatically +coenzyme +coenzymes +coequal +coequality +coequalize +coequally +coequalness +coequals +coequate +co-equate +coequated +coequates +coequating +coequation +COER +coerce +coerceable +coerced +coercement +coercend +coercends +coercer +coercers +coerces +coercibility +coercible +coercibleness +coercibly +coercing +coercion +coercionary +coercionist +coercions +coercitive +coercive +coercively +coerciveness +coercivity +Coerebidae +coerect +coerected +coerecting +coerects +coeruleolactite +coes +coesite +coesites +coessential +coessentiality +coessentially +coessentialness +coestablishment +co-establishment +coestate +co-estate +coetanean +coetaneity +coetaneous +coetaneously +coetaneousness +coeternal +coeternally +coeternity +coetus +Coeus +coeval +coevality +coevally +coevalneity +coevalness +coevals +coevolution +coevolutionary +coevolve +coevolved +coevolves +coevolving +coexchangeable +coexclusive +coexecutant +coexecutor +co-executor +coexecutors +coexecutrices +coexecutrix +coexert +coexerted +coexerting +coexertion +coexerts +coexist +co-exist +coexisted +coexistence +coexistences +coexistency +coexistent +coexisting +coexists +coexpand +coexpanded +coexperiencer +coexpire +coexplosion +coextend +coextended +coextending +coextends +coextension +coextensive +coextensively +coextensiveness +coextent +cofactor +cofactors +Cofane +cofaster +cofather +cofathership +cofeature +cofeatures +cofeoffee +co-feoffee +coferment +cofermentation +COFF +Coffea +Coffee +coffee-and +coffeeberry +coffeeberries +coffee-blending +coffee-brown +coffeebush +coffeecake +coffeecakes +coffee-cleaning +coffee-color +coffee-colored +coffeecup +coffee-faced +coffee-grading +coffee-grinding +coffeegrower +coffeegrowing +coffeehouse +coffee-house +coffeehoused +coffeehouses +coffeehousing +coffee-imbibing +coffee-klatsch +coffeeleaf +coffee-making +coffeeman +Coffeen +coffee-planter +coffee-planting +coffee-polishing +coffeepot +coffeepots +coffee-roasting +coffeeroom +coffee-room +coffees +coffee's +coffee-scented +coffeetime +Coffeeville +coffeeweed +coffeewood +Coffey +Coffeyville +Coffeng +coffer +cofferdam +coffer-dam +cofferdams +coffered +cofferer +cofferfish +coffering +cofferlike +coffers +coffer's +cofferwork +coffer-work +coff-fronted +Coffin +coffined +coffin-fashioned +coffing +coffin-headed +coffining +coffinite +coffinless +coffinmaker +coffinmaking +coffins +coffin's +coffin-shaped +coffle +coffled +coffles +coffling +Coffman +coffret +coffrets +coffs +Cofield +cofighter +cofinal +cofinance +cofinanced +cofinances +cofinancing +coforeknown +coformulator +cofound +cofounded +cofounder +cofounders +cofounding +cofoundress +cofounds +cofreighter +Cofsky +coft +cofunction +cog +cog. +Cogan +cogboat +Cogen +cogence +cogences +cogency +cogencies +cogener +cogeneration +cogeneric +cogenial +cogent +cogently +Coggan +cogged +cogger +coggers +coggie +cogging +coggle +coggledy +cogglety +coggly +Coggon +coghle +cogida +cogie +cogit +cogitability +cogitable +cogitabund +cogitabundity +cogitabundly +cogitabundous +cogitant +cogitantly +cogitate +cogitated +cogitates +cogitating +cogitatingly +cogitation +cogitations +cogitative +cogitatively +cogitativeness +cogitativity +cogitator +cogitators +cogito +cogitos +coglorify +coglorious +cogman +cogmen +Cognac +cognacs +cognate +cognately +cognateness +cognates +cognati +cognatic +cognatical +cognation +cognatus +cognisability +cognisable +cognisableness +cognisably +cognisance +cognisant +cognise +cognised +cogniser +cognises +cognising +cognition +cognitional +cognitions +cognitive +cognitively +cognitives +cognitivity +Cognitum +cognizability +cognizable +cognizableness +cognizably +cognizance +cognizances +cognizant +cognize +cognized +cognizee +cognizer +cognizers +cognizes +cognizing +cognizor +cognomen +cognomens +cognomina +cognominal +cognominally +cognominate +cognominated +cognomination +cognosce +cognoscent +cognoscente +cognoscenti +cognoscibility +cognoscible +cognoscing +cognoscitive +cognoscitively +cognovit +cognovits +cogon +cogonal +cogons +cogovernment +cogovernor +cogracious +cograil +cogrediency +cogredient +cogroad +cogs +Cogswell +Cogswellia +coguarantor +coguardian +co-guardian +cogue +cogway +cogways +cogware +cogweel +cogweels +cogwheel +cog-wheel +cogwheels +cogwood +cog-wood +Coh +cohabit +cohabitancy +cohabitant +cohabitate +cohabitation +cohabitations +cohabited +cohabiter +cohabiting +cohabits +Cohagen +Cohan +Cohanim +cohanims +coharmonious +coharmoniously +coharmonize +Cohasset +Cohbath +Cohberg +Cohbert +Cohby +Cohdwell +Cohe +cohead +coheaded +coheading +coheads +coheartedness +coheir +coheiress +coheiresses +coheirs +coheirship +cohelper +cohelpership +Coheman +Cohen +cohenite +Cohens +coherald +cohere +cohered +coherence +coherences +coherency +coherent +coherently +coherer +coherers +coheres +coheretic +cohering +coheritage +coheritor +cohert +cohesibility +cohesible +cohesion +cohesionless +cohesions +cohesive +cohesively +cohesiveness +Cohette +cohibit +cohibition +cohibitive +cohibitor +Cohin +cohitre +Cohl +Cohla +Cohleen +Cohlette +Cohlier +Cohligan +Cohn +coho +cohob +cohoba +cohobate +cohobated +cohobates +cohobating +cohobation +cohobator +Cohoctah +Cohocton +Cohoes +cohog +cohogs +cohol +coholder +coholders +cohomology +Co-hong +cohorn +cohort +cohortation +cohortative +cohorts +cohos +cohosh +cohoshes +cohost +cohosted +cohostess +cohostesses +cohosting +cohosts +cohow +cohue +cohune +cohunes +cohusband +Cohutta +COI +Coy +coyan +Coyanosa +Coibita +coidentity +coydog +coydogs +coyed +coyer +coyest +coif +coifed +coiffe +coiffed +coiffes +coiffeur +coiffeurs +coiffeuse +coiffeuses +coiffing +coiffure +coiffured +coiffures +coiffuring +coifing +coifs +coign +coigne +coigned +coignes +coigny +coigning +coigns +coigue +coying +coyish +coyishness +coil +Coila +coilability +Coyle +coiled +coiler +coilers +coil-filling +coyly +coilyear +coiling +coillen +coils +coilsmith +coil-testing +coil-winding +Coimbatore +Coimbra +coimmense +coimplicant +coimplicate +coimplore +coin +coyn +coinable +coinage +coinages +coincide +coincided +coincidence +coincidences +coincidence's +coincidency +coincident +coincidental +coincidentally +coincidently +coincidents +coincider +coincides +coinciding +coinclination +coincline +coin-clipper +coin-clipping +coinclude +coin-controlled +coincorporate +coin-counting +coindicant +coindicate +coindication +coindwelling +coined +coiner +coiners +coyness +coynesses +coinfeftment +coinfer +coinferred +coinferring +coinfers +coinfinite +co-infinite +coinfinity +coing +coinhabit +co-inhabit +coinhabitant +coinhabitor +coinhere +co-inhere +coinhered +coinherence +coinherent +coinheres +coinhering +coinheritance +coinheritor +co-inheritor +coiny +coynye +coining +coinitial +Coinjock +coin-made +coinmaker +coinmaking +coinmate +coinmates +coin-op +coin-operated +coin-operating +coinquinate +coins +coin-separating +coin-shaped +coinspire +coinstantaneity +coinstantaneous +coinstantaneously +coinstantaneousness +coinsurable +coinsurance +coinsure +coinsured +coinsurer +coinsures +coinsuring +cointense +cointension +cointensity +cointer +cointerest +cointerred +cointerring +cointers +cointersecting +cointise +Cointon +Cointreau +coinvent +coinventor +coinventors +coinvestigator +coinvestigators +coinvolve +coin-weighing +coyo +coyol +Coyolxauhqui +coyos +coyote +coyote-brush +coyote-bush +Coyotero +coyotes +coyote's +coyotillo +coyotillos +coyoting +coypou +coypous +coypu +coypus +coir +Coire +coirs +coys +Coysevox +coislander +coisns +coistrel +coystrel +coistrels +coistril +coistrils +Coit +coital +coitally +coition +coitional +coitions +coitophobia +coiture +coitus +coituses +coyure +Coyville +Coix +cojoin +cojoined +cojoins +cojones +cojudge +cojudices +cojuror +cojusticiar +Cokato +Coke +Cokeburg +coked +Cokedale +cokey +cokelike +cokeman +cokeney +Coker +cokery +cokernut +cokers +coker-sack +cokes +Cokeville +cokewold +coky +cokie +coking +cokneyfy +cokuloris +Col +col- +Col. +COLA +colaborer +co-labourer +colacobioses +colacobiosis +colacobiotic +Colada +colage +colalgia +colament +Colan +colander +colanders +colane +colaphize +Colares +colarin +Colas +colascione +colasciones +colascioni +colat +colate +colation +colatitude +co-latitude +colatorium +colature +colauxe +Colaxais +colazione +Colb +colback +Colbaith +Colbert +colberter +colbertine +Colbertism +Colby +Colbye +Colburn +colcannon +Colchester +Colchian +Colchicaceae +colchicia +colchicin +colchicine +Colchicum +Colchis +colchyte +Colcine +Colcord +colcothar +Cold +coldblood +coldblooded +cold-blooded +cold-bloodedly +coldbloodedness +cold-bloodedness +cold-braving +Coldbrook +cold-catching +cold-chisel +cold-chiseled +cold-chiseling +cold-chiselled +cold-chiselling +coldcock +cold-complexioned +cold-cream +cold-draw +cold-drawing +cold-drawn +cold-drew +Colden +cold-engendered +colder +coldest +cold-faced +coldfinch +cold-finch +cold-flow +cold-forge +cold-hammer +cold-hammered +cold-head +coldhearted +cold-hearted +coldheartedly +cold-heartedly +coldheartedness +cold-heartedness +coldish +coldly +cold-natured +coldness +coldnesses +cold-nipped +coldong +cold-pack +cold-patch +cold-pated +cold-press +cold-producing +coldproof +cold-roll +cold-rolled +colds +cold-saw +cold-short +cold-shortness +cold-shoulder +cold-shut +cold-slain +coldslaw +cold-spirited +cold-storage +cold-store +Coldstream +Cold-streamers +cold-swage +cold-sweat +cold-taking +cold-type +coldturkey +Coldwater +cold-water +cold-weld +cold-white +cold-work +cold-working +Cole +colead +coleader +coleads +Colebrook +colecannon +colectomy +colectomies +coled +Coleen +colegatee +colegislator +cole-goose +coley +Coleman +colemanite +colemouse +Colen +colen-bell +Colene +colent +Coleochaetaceae +coleochaetaceous +Coleochaete +Coleophora +Coleophoridae +coleopter +Coleoptera +coleopteral +coleopteran +coleopterist +coleopteroid +coleopterology +coleopterological +coleopteron +coleopterous +coleoptile +coleoptilum +coleopttera +coleorhiza +coleorhizae +Coleosporiaceae +Coleosporium +coleplant +cole-prophet +colera +Colerain +Coleraine +cole-rake +Coleridge +Coleridge-Taylor +Coleridgian +Coles +Colesburg +coleseed +coleseeds +coleslaw +cole-slaw +coleslaws +colessee +co-lessee +colessees +colessor +colessors +cole-staff +Colet +Coleta +coletit +cole-tit +Coletta +Colette +coleur +Coleus +coleuses +Coleville +colewort +coleworts +Colfax +Colfin +colfox +Colgate +coli +coly +coliander +Colias +colyba +colibacillosis +colibacterin +colibert +colibertus +colibri +colic +colical +colichemarde +colicin +colicine +colicines +colicins +colicystitis +colicystopyelitis +colicker +colicky +colicolitis +colicroot +colics +colicweed +colicwort +Colier +Colyer +colies +co-life +coliform +coliforms +Coligni +Coligny +Coliidae +Coliiformes +colilysin +Colima +Colymbidae +colymbiform +colymbion +Colymbriformes +Colymbus +Colin +colinear +colinearity +colinephritis +Colinette +coling +colins +Colinson +Colinus +colyone +colyonic +coliphage +colipyelitis +colipyuria +coliplication +colipuncture +Colis +colisepsis +Coliseum +coliseums +colistin +colistins +colitic +colytic +colitis +colitises +colitoxemia +colyum +colyumist +coliuria +Colius +colk +coll +coll- +coll. +Colla +collab +collabent +collaborate +collaborated +collaborates +collaborateur +collaborating +collaboration +collaborationism +collaborationist +collaborationists +collaborations +collaborative +collaboratively +collaborativeness +collaborator +collaborators +collaborator's +collada +colladas +collage +collaged +collagen +collagenase +collagenic +collagenous +collagens +collages +collagist +Collayer +collapsability +collapsable +collapsar +collapse +collapsed +collapses +collapsibility +collapsible +collapsing +Collar +collarband +collarbird +collarbone +collar-bone +collarbones +collar-bound +collar-cutting +collard +collards +collare +collared +collaret +collarets +collarette +collaring +collarino +collarinos +collarless +collarman +collars +collar-shaping +collar-to-collar +collar-wearing +collat +collat. +collatable +collate +collated +collatee +collateral +collaterality +collateralize +collateralized +collateralizing +collaterally +collateralness +collaterals +collates +collating +collation +collational +collationer +collations +collatitious +collative +collator +collators +collatress +collaud +collaudation +Collbaith +Collbran +colleague +colleagued +colleagues +colleague's +colleagueship +colleaguesmanship +colleaguing +Collect +collectability +collectable +collectables +collectanea +collectarium +collected +collectedly +collectedness +collectibility +collectible +collectibles +collecting +collection +collectional +collectioner +collections +collection's +collective +collectively +collectiveness +collectives +collectivise +collectivism +collectivist +collectivistic +collectivistically +collectivists +collectivity +collectivities +collectivization +collectivize +collectivized +collectivizes +collectivizing +collectivum +collector +collectorate +collectors +collector's +collectorship +collectress +collects +Colleen +colleens +collegatary +college +college-bred +college-preparatory +colleger +collegers +colleges +college's +collegese +collegia +collegial +collegialism +collegiality +collegially +collegian +collegianer +collegians +Collegiant +collegiate +collegiately +collegiateness +collegiation +collegiugia +collegium +collegiums +Colley +Colleyville +Collembola +collembolan +collembole +collembolic +collembolous +Collen +collenchyma +collenchymatic +collenchymatous +collenchyme +collencytal +collencyte +Colleri +Collery +Colleries +collet +colletarium +Collete +colleted +colleter +colleterial +colleterium +Colletes +Colletia +colletic +Colletidae +colletin +colleting +Colletotrichum +collets +colletside +Collette +Collettsville +Colly +collyba +collibert +Collybia +collybist +collicle +colliculate +colliculus +collide +collided +collides +collidin +collidine +colliding +Collie +collied +collielike +Collier +Collyer +colliery +collieries +Colliers +Colliersville +Collierville +collies +collieshangie +colliflower +colliform +Colligan +colligance +colligate +colligated +colligating +colligation +colligative +colligible +collying +collylyria +collimate +collimated +collimates +collimating +collimation +collimator +collimators +Collimore +Collin +collinal +Colline +collinear +collinearity +collinearly +collineate +collineation +colling +collingly +Collingswood +collingual +Collingwood +Collins +collinses +Collinsia +collinsite +Collinsonia +Collinston +Collinsville +Collinwood +colliquable +colliquament +colliquate +colliquation +colliquative +colliquativeness +colliquefaction +collyr +collyria +Collyridian +collyrie +collyrite +collyrium +collyriums +Collis +collision +collisional +collision-proof +collisions +collision's +collisive +Collison +collywest +collyweston +collywobbles +collo- +colloblast +collobrierite +collocal +Collocalia +collocate +collocated +collocates +collocating +collocation +collocationable +collocational +collocations +collocative +collocatory +collochemistry +collochromate +collock +collocution +collocutor +collocutory +Collodi +collodio- +collodiochloride +collodion +collodionization +collodionize +collodiotype +collodium +collogen +collogue +collogued +collogues +colloguing +colloid +colloidal +colloidality +colloidally +colloider +colloidize +colloidochemical +colloids +Collomia +collop +colloped +collophane +collophanite +collophore +collops +Colloq +colloq. +colloque +colloquy +colloquia +colloquial +colloquialism +colloquialisms +colloquialist +colloquiality +colloquialize +colloquializer +colloquially +colloquialness +colloquies +colloquiquia +colloquiquiums +colloquist +colloquium +colloquiums +colloquize +colloquized +colloquizing +colloququia +collossians +collothun +collotype +collotyped +collotypy +collotypic +collotyping +collow +colloxylin +colluctation +collude +colluded +colluder +colluders +colludes +colluding +Collum +collumelliaceous +collun +collunaria +collunarium +collusion +collusions +collusive +collusively +collusiveness +collusory +collut +collution +collutory +collutoria +collutories +collutorium +colluvia +colluvial +colluvies +colluvium +colluviums +Colman +Colmar +colmars +Colmer +Colmesneil +colmose +Coln +colnaria +Colner +Colo +colo- +Colo. +colob +colobi +colobin +colobium +coloboma +Colobus +Colocasia +colocate +colocated +colocates +colocating +colocentesis +Colocephali +colocephalous +colocynth +colocynthin +coloclysis +colocola +colocolic +colocolo +colodyspepsia +coloenteritis +colog +cologarithm +Cologne +cologned +colognes +cologs +colola +cololite +Coloma +colomb +Colomb-Bchar +Colombes +Colombi +Colombia +Colombian +colombians +colombier +colombin +Colombina +Colombo +Colome +colometry +colometric +colometrically +Colon +Colona +colonaded +colonalgia +colonate +colone +colonel +colonelcy +colonelcies +colonel-commandantship +colonels +colonel's +colonelship +colonelships +coloner +colones +colonette +colongitude +coloni +colony +colonial +colonialise +colonialised +colonialising +colonialism +colonialist +colonialistic +colonialists +colonialization +colonialize +colonialized +colonializing +colonially +colonialness +colonials +colonic +colonical +colonics +Colonie +Colonies +colony's +colonisability +colonisable +colonisation +colonisationist +colonise +colonised +coloniser +colonises +colonising +colonist +colonists +colonist's +colonitis +colonizability +colonizable +colonization +colonizationist +colonizations +colonize +colonized +colonizer +colonizers +colonizes +colonizing +colonnade +colonnaded +colonnades +colonnette +colonopathy +colonopexy +colonoscope +colonoscopy +colons +colon's +Colonsay +colonus +colopexy +colopexia +colopexotomy +coloph- +colophan +colophane +colophany +colophene +colophenic +Colophon +colophonate +colophony +Colophonian +colophonic +colophonist +colophonite +colophonium +colophons +coloplication +coloppe +coloproctitis +coloptosis +colopuncture +coloquies +coloquintid +coloquintida +color +Colora +colorability +colorable +colorableness +colorably +Coloradan +coloradans +Colorado +Coloradoan +coloradoite +colorant +colorants +colorate +coloration +colorational +colorationally +colorations +colorative +coloratura +coloraturas +colorature +colorbearer +color-bearer +colorblind +color-blind +colorblindness +colorbreed +colorcast +colorcasted +colorcaster +colorcasting +colorcasts +colorectitis +colorectostomy +colored +coloreds +colorer +colorers +color-fading +colorfast +colorfastness +color-free +colorful +colorfully +colorfulness +color-grinding +colory +colorific +colorifics +colorimeter +colorimetry +colorimetric +colorimetrical +colorimetrically +colorimetrics +colorimetrist +colorin +coloring +colorings +colorism +colorisms +colorist +coloristic +coloristically +colorists +colorization +colorize +colorless +colorlessly +colorlessness +colormaker +colormaking +colorman +color-matching +coloroto +colorrhaphy +colors +color-sensitize +color-testing +colortype +Colorum +color-washed +coloslossi +coloslossuses +coloss +Colossae +colossal +colossality +colossally +colossean +Colosseum +colossi +Colossian +Colossians +colosso +Colossochelys +colossus +colossuses +Colossuswise +colostomy +colostomies +colostral +colostration +colostric +colostrous +colostrum +colotyphoid +colotomy +colotomies +colour +colourability +colourable +colourableness +colourably +colouration +colourational +colourationally +colourative +colour-blind +colour-box +Coloured +colourer +colourers +colourfast +colourful +colourfully +colourfulness +coloury +colourific +colourifics +colouring +colourist +colouristic +colourize +colourless +colourlessly +colourlessness +colourman +colours +colourtype +colous +colove +Colp +colpenchyma +colpeo +colpeurynter +colpeurysis +colpheg +Colpin +colpindach +colpitis +colpitises +colpo- +colpocele +colpocystocele +Colpoda +colpohyperplasia +colpohysterotomy +colpoperineoplasty +colpoperineorrhaphy +colpoplasty +colpoplastic +colpoptosis +colporrhagia +colporrhaphy +colporrhea +colporrhexis +colport +colportage +colporter +colporteur +colporteurs +colposcope +colposcopy +colpostat +colpotomy +colpotomies +colpus +Colquitt +Colrain +cols +Colson +colstaff +Colston +Colstrip +COLT +Coltee +colter +colters +colt-herb +colthood +Coltin +coltish +coltishly +coltishness +coltlike +Colton +coltoria +coltpixy +coltpixie +colt-pixie +Coltrane +colts +colt's +coltsfoot +coltsfoots +coltskin +Coltson +colt's-tail +Coltun +Coltwood +colubaria +Coluber +colubrid +Colubridae +colubrids +colubriform +Colubriformes +Colubriformia +Colubrina +Colubrinae +colubrine +colubroid +colugo +colugos +Colum +Columba +columbaceous +Columbae +Columban +Columbanian +columbary +columbaria +columbaries +columbarium +columbate +columbeia +columbeion +Columbella +Columbia +columbiad +Columbian +Columbiana +Columbiaville +columbic +Columbid +Columbidae +columbier +columbiferous +Columbiformes +columbin +Columbine +Columbyne +columbines +columbite +columbium +columbo +columboid +columbotantalate +columbotitanate +columbous +Columbus +columel +columella +columellae +columellar +columellate +Columellia +Columelliaceae +columelliform +columels +column +columna +columnal +columnar +columnarian +columnarity +columnarized +columnate +columnated +columnates +columnating +columnation +columnea +columned +columner +columniation +columniferous +columniform +columning +columnist +columnistic +columnists +columnization +columnize +columnized +columnizes +columnizing +columns +column's +columnwise +colunar +colure +colures +Colusa +colusite +Colutea +Colver +Colvert +Colville +Colvin +Colwell +Colwen +Colwich +Colwin +Colwyn +colza +colzas +COM +com- +Com. +coma +comacine +comade +comae +Comaetho +comagistracy +comagmatic +comake +comaker +comakers +comakes +comaking +comal +comales +comals +comamie +Coman +comanage +comanagement +comanagements +comanager +comanagers +Comanche +Comanchean +Comanches +comandante +comandantes +comandanti +Comandra +Comaneci +comanic +comarca +comart +co-mart +co-martyr +Comarum +COMAS +comate +co-mate +comates +comatic +comatik +comatiks +comatose +comatosely +comatoseness +comatosity +comatous +comatula +comatulae +comatulid +comb +comb. +combaron +combasou +combat +combatable +combatant +combatants +combatant's +combated +combater +combaters +combating +combative +combatively +combativeness +combativity +combats +combattant +combattants +combatted +combatter +combatting +comb-back +comb-broach +comb-brush +comb-building +Combe +Combe-Capelle +combed +comber +combers +Combes +combfish +combfishes +combflower +comb-footed +comb-grained +comby +combinability +combinable +combinableness +combinably +combinant +combinantive +combinate +combination +combinational +combinations +combination's +combinative +combinator +combinatory +combinatorial +combinatorially +combinatoric +combinatorics +combinators +combinator's +combind +combine +combined +combinedly +combinedness +combinement +combiner +combiners +combines +combing +combings +combining +combite +comble +combless +comblessness +comblike +combmaker +combmaking +combo +comboy +comboloio +combos +comb-out +combre +Combretaceae +combretaceous +Combretum +Combs +comb-shaped +combure +comburendo +comburent +comburgess +comburimeter +comburimetry +comburivorous +combust +combusted +combustibility +combustibilities +combustible +combustibleness +combustibles +combustibly +combusting +combustion +combustions +combustious +combustive +combustively +combustor +combusts +combwise +combwright +comd +COMDEX +comdg +comdg. +comdia +Comdr +Comdr. +Comdt +Comdt. +come +come-all-ye +come-along +come-at-ability +comeatable +come-at-able +come-at-ableness +comeback +come-back +comebacker +comebacks +come-between +come-by-chance +Comecon +Comecrudo +comeddle +comedy +comedia +comedial +comedian +comedians +comedian's +comediant +comedic +comedical +comedically +comedienne +comediennes +comedies +comedietta +comediettas +comediette +comedy's +comedist +comedo +comedones +comedos +comedown +come-down +comedowns +come-hither +come-hithery +comely +comelier +comeliest +comely-featured +comelily +comeliness +comeling +comendite +comenic +Comenius +come-off +come-on +come-out +come-outer +comephorous +Comer +Comerio +comers +comes +comessation +comestible +comestibles +comestion +comet +cometary +cometaria +cometarium +Cometes +cometh +comether +comethers +cometic +cometical +cometlike +cometographer +cometography +cometographical +cometoid +cometology +comets +comet's +cometwise +comeupance +comeuppance +comeuppances +comfy +comfier +comfiest +comfily +comfiness +comfit +comfits +comfiture +Comfort +comfortability +comfortabilities +comfortable +comfortableness +comfortably +comfortation +comfortative +comforted +Comforter +comforters +comfortful +comforting +comfortingly +comfortless +comfortlessly +comfortlessness +comfortress +comfortroot +comforts +Comfrey +comfreys +Comiakin +comic +comical +comicality +comically +comicalness +comices +comic-iambic +comico- +comicocynical +comicocratic +comicodidactic +comicography +comicoprosaic +comicotragedy +comicotragic +comicotragical +comicry +comics +comic's +Comid +comida +comiferous +Comilla +COMINCH +Comines +Cominform +Cominformist +cominformists +coming +coming-forth +comingle +coming-on +comings +comino +Comins +Comyns +Comintern +comique +comism +Comiso +Comitadji +comital +comitant +comitatensian +comitative +comitatus +comite +comites +comity +comitia +comitial +comities +Comitium +comitiva +comitje +comitragedy +comix +coml +COMM +comm. +comma +Commack +commaes +Commager +commaing +command +commandable +commandant +commandants +commandant's +commandatory +commanded +commandedness +commandeer +commandeered +commandeering +commandeers +commander +commandery +commanderies +commanders +commandership +commanding +commandingly +commandingness +commandite +commandless +commandment +commandments +commandment's +commando +commandoes +commandoman +commandos +commandress +commandry +commandrie +commandries +commands +command's +commark +commas +comma's +commassation +commassee +commata +commaterial +commatic +commation +commatism +comme +commeasurable +commeasure +commeasured +commeasuring +commeddle +Commelina +Commelinaceae +commelinaceous +commem +commemorable +commemorate +commemorated +commemorates +commemorating +commemoration +commemorational +commemorations +commemorative +commemoratively +commemorativeness +commemorator +commemoratory +commemorators +commemorize +commemorized +commemorizing +commence +commenceable +commenced +commencement +commencements +commencement's +commencer +commences +commencing +commend +commenda +commendable +commendableness +commendably +commendador +commendam +commendatary +commendation +commendations +commendation's +commendator +commendatory +commendatories +commendatorily +commended +commender +commending +commendingly +commendment +commends +commensal +commensalism +commensalist +commensalistic +commensality +commensally +commensals +commensurability +commensurable +commensurableness +commensurably +commensurate +commensurated +commensurately +commensurateness +commensurating +commensuration +commensurations +comment +commentable +commentary +commentarial +commentarialism +commentaries +commentary's +commentate +commentated +commentating +commentation +commentative +commentator +commentatorial +commentatorially +commentators +commentator's +commentatorship +commented +commenter +commenting +commentitious +comments +Commerce +commerced +commerceless +commercer +commerces +commercia +commerciable +commercial +commercialisation +commercialise +commercialised +commercialising +commercialism +commercialist +commercialistic +commercialists +commerciality +commercialization +commercializations +commercialize +commercialized +commercializes +commercializing +commercially +commercialness +commercials +commercing +commercium +commerge +commers +commesso +commy +commie +commies +commigration +commilitant +comminate +comminated +comminating +commination +comminative +comminator +comminatory +Commines +commingle +commingled +comminglement +commingler +commingles +commingling +comminister +comminuate +comminute +comminuted +comminuting +comminution +comminutor +Commiphora +commis +commisce +commise +commiserable +commiserate +commiserated +commiserates +commiserating +commiseratingly +commiseration +commiserations +commiserative +commiseratively +commiserator +Commiskey +commissar +commissary +commissarial +commissariat +commissariats +commissaries +commissaryship +commissars +commission +commissionaire +commissional +commissionary +commissionate +commissionated +commissionating +commissioned +commissioner +commissioner-general +commissioners +commissionership +commissionerships +commissioning +commissions +commissionship +commissive +commissively +commissoria +commissural +commissure +commissurotomy +commissurotomies +commistion +commit +commitment +commitments +commitment's +commits +committable +committal +committals +committed +committedly +committedness +committee +committeeism +committeeman +committeemen +committees +committee's +committeeship +committeewoman +committeewomen +committent +committer +committible +committing +committitur +committment +committor +commix +commixed +commixes +commixing +commixt +commixtion +commixture +commo +commodata +commodatary +commodate +commodation +commodatum +commode +commoderate +commodes +commodious +commodiously +commodiousness +commoditable +commodity +commodities +commodity's +commodore +commodores +commodore's +Commodus +commoigne +commolition +common +commonable +commonage +commonality +commonalities +commonalty +commonalties +commonance +commoned +commonefaction +commoney +commoner +commoners +commoner's +commonership +commonest +commoning +commonish +commonition +commonize +common-law +commonly +commonness +commonplace +commonplaceism +commonplacely +commonplaceness +commonplacer +commonplaces +common-room +Commons +commonsense +commonsensible +commonsensibly +commonsensical +commonsensically +commonty +common-variety +commonweal +commonweals +Commonwealth +commonwealthism +commonwealths +commorancy +commorancies +commorant +commorient +commorse +commorth +commos +commot +commote +commotion +commotional +commotions +commotive +commove +commoved +commoves +commoving +commulation +commulative +communa +communal +communalisation +communalise +communalised +communaliser +communalising +communalism +communalist +communalistic +communality +communalization +communalize +communalized +communalizer +communalizing +communally +Communard +communbus +Commune +communed +communer +communes +communicability +communicable +communicableness +communicably +communicant +communicants +communicant's +communicate +communicated +communicatee +communicates +communicating +communication +communicational +communications +communicative +communicatively +communicativeness +communicator +communicatory +communicators +communicator's +communing +Communion +communionable +communional +communionist +communions +communiqu +communique +communiques +communis +communisation +communise +communised +communising +communism +Communist +communistery +communisteries +communistic +communistical +communistically +communists +communist's +communital +communitary +communitarian +communitarianism +community +communities +community's +communitive +communitywide +communitorium +communization +communize +communized +communizing +commutability +commutable +commutableness +commutant +commutate +commutated +commutating +commutation +commutations +commutative +commutatively +commutativity +commutator +commutators +commute +commuted +commuter +commuters +commutes +commuting +commutual +commutuality +Comnenian +Comnenus +Como +comodato +comodo +comoedia +comoedus +comoid +comolecule +comonomer +comonte +comoquer +comorado +Comorin +comortgagee +comose +comourn +comourner +comournful +comous +Comox +comp +comp. +compaa +COMPACT +compactability +compactable +compacted +compactedly +compactedness +compacter +compactest +compactible +compactify +compactification +compactile +compacting +compaction +compactions +compactly +compactness +compactnesses +compactor +compactors +compactor's +compacts +compacture +compadre +compadres +compage +compages +compaginate +compagination +Compagnie +compagnies +companable +companage +companator +compander +companero +companeros +company +compania +companiable +companias +companied +companies +companying +companyless +companion +companionability +companionable +companionableness +companionably +companionage +companionate +companioned +companioning +companionize +companionized +companionizing +companionless +companions +companion's +companionship +companionships +companionway +companionways +company's +compar +compar. +comparability +comparable +comparableness +comparably +comparascope +comparate +comparatist +comparatival +comparative +comparatively +comparativeness +comparatives +comparativist +comparator +comparators +comparator's +comparcioner +compare +compared +comparer +comparers +compares +comparing +comparison +comparisons +comparison's +comparition +comparograph +comparsa +compart +comparted +compartimenti +compartimento +comparting +compartition +compartment +compartmental +compartmentalization +compartmentalize +compartmentalized +compartmentalizes +compartmentalizing +compartmentally +compartmentation +compartmented +compartmentize +compartments +compartner +comparts +compass +compassability +compassable +compassed +compasser +Compasses +compass-headed +compassing +compassion +compassionable +compassionate +compassionated +compassionately +compassionateness +compassionating +compassionless +compassions +compassive +compassivity +compassless +compassment +compatability +compatable +compaternity +compathy +compatibility +compatibilities +compatibility's +compatible +compatibleness +compatibles +compatibly +compatience +compatient +compatriot +compatriotic +compatriotism +compatriots +Compazine +compd +compear +compearance +compearant +comped +compeer +compeered +compeering +compeers +compel +compellability +compellable +compellably +compellation +compellative +compelled +compellent +compeller +compellers +compelling +compellingly +compels +compend +compendency +compendent +compendia +compendiary +compendiate +compendious +compendiously +compendiousness +compendium +compendiums +compends +compenetrate +compenetration +compensability +compensable +compensate +compensated +compensates +compensating +compensatingly +compensation +compensational +compensations +compensative +compensatively +compensativeness +compensator +compensatory +compensators +compense +compenser +compere +compered +comperes +compering +compert +compesce +compester +compete +competed +competence +competences +competency +competencies +competent +competently +competentness +competer +competes +competible +competing +competingly +competition +competitioner +competitions +competition's +competitive +competitively +competitiveness +competitor +competitory +competitors +competitor's +competitorship +competitress +competitrix +Compi +Compiegne +compilable +compilation +compilations +compilation's +compilator +compilatory +compile +compileable +compiled +compilement +compiler +compilers +compiler's +compiles +compiling +comping +compinge +compital +Compitalia +compitum +complacence +complacences +complacency +complacencies +complacent +complacential +complacentially +complacently +complain +complainable +complainant +complainants +complained +complainer +complainers +complaining +complainingly +complainingness +complains +complaint +complaintful +complaintive +complaintiveness +complaints +complaint's +complaisance +complaisant +complaisantly +complaisantness +complanar +complanate +complanation +complant +compleat +compleated +complect +complected +complecting +complection +complects +complement +complemental +complementally +complementalness +complementary +complementaries +complementarily +complementariness +complementarism +complementarity +complementation +complementative +complement-binding +complemented +complementer +complementers +complement-fixing +complementing +complementizer +complementoid +complements +completable +complete +completed +completedness +completely +completement +completeness +completenesses +completer +completers +completes +completest +completing +completion +completions +completive +completively +completory +completories +complex +complexation +complexed +complexedness +complexer +complexes +complexest +complexify +complexification +complexing +complexion +complexionably +complexional +complexionally +complexionary +complexioned +complexionist +complexionless +complexions +complexity +complexities +complexive +complexively +complexly +complexness +complexometry +complexometric +complexus +comply +compliable +compliableness +compliably +compliance +compliances +compliancy +compliancies +compliant +compliantly +complicacy +complicacies +complicant +complicate +complicated +complicatedly +complicatedness +complicates +complicating +complication +complications +complicative +complicator +complicators +complicator's +complice +complices +complicity +complicities +complicitous +complied +complier +compliers +complies +complying +compliment +complimentable +complimental +complimentally +complimentalness +complimentary +complimentarily +complimentariness +complimentarity +complimentation +complimentative +complimented +complimenter +complimenters +complimenting +complimentingly +compliments +complin +compline +complines +complins +complish +complot +complotment +complots +complotted +complotter +complotting +Complutensian +compluvia +compluvium +compo +Compoboard +compoed +compoer +compoing +compole +compone +componed +componency +componendo +component +componental +componented +componential +componentry +components +component's +componentwise +compony +comport +comportable +comportance +comported +comporting +comportment +comportments +comports +compos +composable +composal +Composaline +composant +compose +composed +composedly +composedness +composer +composers +composes +composing +composit +composita +Compositae +composite +composite-built +composited +compositely +compositeness +composites +compositing +composition +compositional +compositionally +compositions +compositive +compositively +compositor +compositorial +compositors +compositous +compositure +composograph +compossibility +compossible +compost +composted +Compostela +composting +composts +composture +composure +compot +compotation +compotationship +compotator +compotatory +compote +compotes +compotier +compotiers +compotor +compound +compoundable +compound-complex +compounded +compoundedness +compounder +compounders +compounding +compoundness +compounds +compound-wound +comprachico +comprachicos +comprador +compradore +comprecation +compreg +compregnate +comprehend +comprehended +comprehender +comprehendible +comprehending +comprehendingly +comprehends +comprehense +comprehensibility +comprehensible +comprehensibleness +comprehensibly +comprehension +comprehensions +comprehensive +comprehensively +comprehensiveness +comprehensivenesses +comprehensives +comprehensor +comprend +compresbyter +compresbyterial +compresence +compresent +compress +compressed +compressedly +compresses +compressibility +compressibilities +compressible +compressibleness +compressibly +compressing +compressingly +compression +compressional +compression-ignition +compressions +compressive +compressively +compressometer +compressor +compressors +compressure +comprest +compriest +comprint +comprisable +comprisal +comprise +comprised +comprises +comprising +comprizable +comprizal +comprize +comprized +comprizes +comprizing +comprobate +comprobation +comproduce +compromis +compromisable +compromise +compromised +compromiser +compromisers +compromises +compromising +compromisingly +compromissary +compromission +compromissorial +compromit +compromitment +compromitted +compromitting +comprovincial +comps +Compsilura +Compsoa +Compsognathus +Compsothlypidae +compt +Comptche +Compte +Comptean +compted +COMPTEL +compter +comptible +comptie +compting +comptly +comptness +comptoir +Comptom +Comptometer +Compton +Compton-Burnett +Comptonia +comptonite +comptrol +comptroller +comptrollers +comptroller's +comptrollership +compts +compulsative +compulsatively +compulsatory +compulsatorily +compulse +compulsed +compulsion +compulsions +compulsion's +compulsitor +compulsive +compulsively +compulsiveness +compulsives +compulsivity +compulsory +compulsorily +compulsoriness +compunct +compunction +compunctionary +compunctionless +compunctions +compunctious +compunctiously +compunctive +compupil +compurgation +compurgator +compurgatory +compurgatorial +compursion +computability +computable +computably +computate +computation +computational +computationally +computations +computation's +computative +computatively +computativeness +compute +computed +computer +computerese +computerise +computerite +computerizable +computerization +computerize +computerized +computerizes +computerizing +computerlike +computernik +computers +computer's +computes +computing +computist +computus +Comr +Comr. +comrade +comrade-in-arms +comradely +comradeliness +comradery +comrades +comradeship +comradeships +comrado +Comras +comrogue +COMS +COMSAT +comsymp +comsymps +Comsomol +Comstock +comstockery +comstockeries +Comte +comtemplate +comtemplated +comtemplates +comtemplating +comtes +Comtesse +comtesses +Comtian +Comtism +Comtist +comunidad +comurmurer +Comus +comvia +Con +con- +Con. +conable +conacaste +conacre +Conah +Conakry +Conal +conalbumin +Conall +conamarin +conamed +Conan +conand +Conant +Conard +conarial +conario- +conarium +Conasauga +conation +conational +conationalistic +conations +conative +conatural +conatus +Conaway +conaxial +conbinas +conc +conc. +concactenated +concamerate +concamerated +concameration +Concan +concanavalin +concannon +concaptive +concarnation +Concarneau +concassation +concatenary +concatenate +concatenated +concatenates +concatenating +concatenation +concatenations +concatenator +concatervate +concaulescence +concausal +concause +concavation +concave +concaved +concavely +concaveness +concaver +concaves +concaving +concavity +concavities +concavo +concavo- +concavo-concave +concavo-convex +conceal +concealable +concealed +concealedly +concealedness +concealer +concealers +concealing +concealingly +concealment +concealments +conceals +concede +conceded +concededly +conceder +conceders +concedes +conceding +conceit +conceited +conceitedly +conceitedness +conceity +conceiting +conceitless +conceits +conceivability +conceivable +conceivableness +conceivably +conceive +conceived +conceiver +conceivers +conceives +conceiving +concelebrate +concelebrated +concelebrates +concelebrating +concelebration +concelebrations +concent +concenter +concentered +concentering +concentive +concento +concentralization +concentralize +concentrate +concentrated +concentrates +concentrating +concentration +concentrations +concentrative +concentrativeness +concentrator +concentrators +concentre +concentred +concentric +concentrical +concentrically +concentricate +concentricity +concentring +concents +concentual +concentus +Concepci +Concepcion +concept +conceptacle +conceptacular +conceptaculum +conceptible +conception +conceptional +conceptionist +conceptions +conception's +conceptism +conceptive +conceptiveness +concepts +concept's +conceptual +conceptualisation +conceptualise +conceptualised +conceptualising +conceptualism +conceptualist +conceptualistic +conceptualistically +conceptualists +conceptuality +conceptualization +conceptualizations +conceptualization's +conceptualize +conceptualized +conceptualizer +conceptualizes +conceptualizing +conceptually +conceptus +concern +concernancy +concerned +concernedly +concernedness +concerning +concerningly +concerningness +concernment +concerns +concert +concertante +concertantes +concertanti +concertanto +concertati +concertation +concertato +concertatos +concerted +concertedly +concertedness +Concertgebouw +concertgoer +concerti +concertina +concertinas +concerting +concertini +concertinist +concertino +concertinos +concertion +concertise +concertised +concertiser +concertising +concertist +concertize +concertized +concertizer +concertizes +concertizing +concertmaster +concertmasters +concertmeister +concertment +concerto +concertos +concerts +concertstck +concertstuck +Concesio +concessible +concession +concessionaire +concessionaires +concessional +concessionary +concessionaries +concessioner +concessionist +concessions +concession's +concessit +concessive +concessively +concessiveness +concessor +concessory +concetti +Concettina +concettism +concettist +concetto +conch +conch- +Concha +conchae +conchal +conchate +conche +conched +concher +conches +conchfish +conchfishes +conchy +conchie +conchies +Conchifera +conchiferous +conchiform +conchyle +conchylia +conchyliated +conchyliferous +conchylium +conchinin +conchinine +conchiolin +Conchita +conchite +conchitic +conchitis +Concho +Conchobar +Conchobor +conchoid +conchoidal +conchoidally +conchoids +conchol +conchology +conchological +conchologically +conchologist +conchologize +conchometer +conchometry +conchospiral +Conchostraca +conchotome +conchs +Conchubar +Conchucu +conchuela +conciator +concyclic +concyclically +concierge +concierges +concile +conciliable +conciliabule +conciliabulum +conciliar +conciliarism +conciliarly +conciliate +conciliated +conciliates +conciliating +conciliatingly +conciliation +conciliationist +conciliations +conciliative +conciliator +conciliatory +conciliatorily +conciliatoriness +conciliators +concilium +concinnate +concinnated +concinnating +concinnity +concinnities +concinnous +concinnously +concio +concion +concional +concionary +concionate +concionator +concionatory +conciousness +concipiency +concipient +concise +concisely +conciseness +concisenesses +conciser +concisest +concision +concitation +concite +concitizen +conclamant +conclamation +conclave +conclaves +conclavist +concludable +conclude +concluded +concludence +concludency +concludendi +concludent +concludently +concluder +concluders +concludes +concludible +concluding +concludingly +conclusible +conclusion +conclusional +conclusionally +conclusions +conclusion's +conclusive +conclusively +conclusiveness +conclusory +conclusum +concn +concoagulate +concoagulation +concoct +concocted +concocter +concocting +concoction +concoctions +concoctive +concoctor +concocts +Concoff +concolor +concolorous +concolour +concomitance +concomitancy +concomitant +concomitantly +concomitants +concomitate +concommitant +concommitantly +conconscious +Conconully +Concord +concordable +concordably +concordal +concordance +concordancer +concordances +concordancy +concordant +concordantial +concordantly +concordat +concordatory +concordats +concordatum +Concorde +concorder +Concordia +concordial +concordist +concordity +concordly +concords +Concordville +concorporate +concorporated +concorporating +concorporation +Concorrezanes +concours +concourse +concourses +concreate +concredit +concremation +concrement +concresce +concrescence +concrescences +concrescent +concrescible +concrescive +concrete +concreted +concretely +concreteness +concreter +concretes +concreting +concretion +concretional +concretionary +concretions +concretism +concretist +concretive +concretively +concretization +concretize +concretized +concretizing +concretor +concrew +concrfsce +concubinage +concubinal +concubinary +concubinarian +concubinaries +concubinate +concubine +concubinehood +concubines +concubitancy +concubitant +concubitous +concubitus +conculcate +conculcation +concumbency +concupy +concupiscence +concupiscent +concupiscible +concupiscibleness +concur +concurbit +concurred +concurrence +concurrences +concurrency +concurrencies +concurrent +concurrently +concurrentness +concurring +concurringly +concurs +concursion +concurso +concursus +concuss +concussant +concussation +concussed +concusses +concussing +concussion +concussional +concussions +concussive +concussively +concutient +Cond +Conda +Condalia +Condamine +Conde +condecent +condemn +condemnable +condemnably +condemnate +condemnation +condemnations +condemnatory +condemned +condemner +condemners +condemning +condemningly +condemnor +condemns +condensability +condensable +condensance +condensary +condensaries +condensate +condensates +condensation +condensational +condensations +condensative +condensator +condense +condensed +condensedly +condensedness +condenser +condensery +condenseries +condensers +condenses +condensible +condensing +condensity +conder +condescend +condescended +condescendence +condescendent +condescender +condescending +condescendingly +condescendingness +condescends +condescension +condescensions +condescensive +condescensively +condescensiveness +condescent +condiction +condictious +condiddle +condiddled +condiddlement +condiddling +condign +condigness +condignity +condignly +condignness +condylar +condylarth +Condylarthra +condylarthrosis +condylarthrous +condyle +condylectomy +condyles +condylion +Condillac +condyloid +condyloma +condylomas +condylomata +condylomatous +condylome +condylopod +Condylopoda +condylopodous +condylos +condylotomy +Condylura +condylure +condiment +condimental +condimentary +condiments +condisciple +condistillation +Condit +condite +condition +conditionable +conditional +conditionalism +conditionalist +conditionality +conditionalities +conditionalize +conditionally +conditionals +conditionate +conditione +conditioned +conditioner +conditioners +conditioning +conditions +condititivia +conditivia +conditivium +conditory +conditoria +conditorium +conditotoria +condivision +condo +condoes +condog +condolatory +condole +condoled +condolement +condolence +condolences +condolent +condoler +condolers +condoles +condoling +condolingly +condom +condominate +condominial +condominiia +condominiiums +condominium +condominiums +condoms +Condon +condonable +condonance +condonation +condonations +condonative +condone +condoned +condonement +condoner +condoners +condones +condoning +condor +Condorcet +condores +condors +condos +condottiere +condottieri +conduce +conduceability +conduced +conducement +conducent +conducer +conducers +conduces +conducible +conducibleness +conducibly +conducing +conducingly +conducive +conduciveness +conduct +conducta +conductance +conductances +conducted +conductibility +conductible +conductility +conductimeter +conductimetric +conducting +conductio +conduction +conductional +conductions +conductitious +conductive +conductively +conductivity +conductivities +conduct-money +conductometer +conductometric +conductor +conductory +conductorial +conductorless +conductors +conductor's +conductorship +conductress +conducts +conductus +condue +conduit +conduits +conduplicate +conduplicated +conduplication +condurangin +condurango +condurrite +cone +cone-billed +coned +coneen +coneflower +Conehatta +conehead +cone-headed +Coney +coneighboring +cone-in-cone +coneine +coneys +Conejos +conelet +conelike +Conelrad +conelrads +conemaker +conemaking +Conemaugh +conenchyma +conenose +cone-nose +conenoses +conepate +conepates +conepatl +conepatls +coner +cones +cone's +cone-shaped +conessine +Conestee +Conestoga +Conesus +Conesville +Conetoe +conf +conf. +confab +confabbed +confabbing +confabs +confabular +confabulate +confabulated +confabulates +confabulating +confabulation +confabulations +confabulator +confabulatory +confact +confarreate +confarreated +confarreation +confated +confect +confected +confecting +confection +confectionary +confectionaries +confectioner +confectionery +confectioneries +confectioners +confectiones +confections +confectory +confects +confecture +Confed +confeder +Confederacy +confederacies +confederal +confederalist +Confederate +confederated +confederater +confederates +confederating +confederatio +Confederation +confederationism +confederationist +confederations +confederatism +confederative +confederatize +confederator +confelicity +confer +conferee +conferees +conference +conferences +conference's +conferencing +conferential +conferment +conferrable +conferral +conferred +conferree +conferrence +conferrer +conferrers +conferrer's +conferring +conferruminate +confers +conferted +Conferva +Confervaceae +confervaceous +confervae +conferval +Confervales +confervalike +confervas +confervoid +Confervoideae +confervous +confess +confessable +confessant +confessary +confessarius +confessed +confessedly +confesser +confesses +confessing +confessingly +confession +confessional +confessionalian +confessionalism +confessionalist +confessionally +confessionals +confessionary +confessionaries +confessionist +confessions +confession's +confessor +confessory +confessors +confessor's +confessorship +confest +confetti +confetto +conficient +confidant +confidante +confidantes +confidants +confidant's +confide +confided +confidence +confidences +confidency +confident +confidente +confidential +confidentiality +confidentially +confidentialness +confidentiary +confidently +confidentness +confider +confiders +confides +confiding +confidingly +confidingness +configurable +configural +configurate +configurated +configurating +configuration +configurational +configurationally +configurationism +configurationist +configurations +configuration's +configurative +configure +configured +configures +configuring +confinable +confine +confineable +confined +confinedly +confinedness +confineless +confinement +confinements +confinement's +confiner +confiners +confines +confining +confinity +confirm +confirmability +confirmable +confirmand +confirmation +confirmational +confirmations +confirmation's +confirmative +confirmatively +confirmatory +confirmatorily +confirmed +confirmedly +confirmedness +confirmee +confirmer +confirming +confirmingly +confirmity +confirmment +confirmor +confirms +confiscable +confiscatable +confiscate +confiscated +confiscates +confiscating +confiscation +confiscations +confiscator +confiscatory +confiscators +confiserie +confisk +confisticating +confit +confitent +Confiteor +confiture +confix +confixed +confixing +conflab +conflagrant +conflagrate +conflagrated +conflagrating +conflagration +conflagrations +conflagrative +conflagrator +conflagratory +conflate +conflated +conflates +conflating +conflation +conflexure +conflict +conflicted +conflictful +conflicting +conflictingly +confliction +conflictive +conflictless +conflictory +conflicts +conflictual +conflow +Confluence +confluences +confluent +confluently +conflux +confluxes +confluxibility +confluxible +confluxibleness +confocal +confocally +conforbably +conform +conformability +conformable +conformableness +conformably +conformal +conformance +conformant +conformate +conformation +conformational +conformationally +conformations +conformator +conformed +conformer +conformers +conforming +conformingly +conformism +conformist +conformists +conformity +conformities +conforms +confort +confound +confoundable +confounded +confoundedly +confoundedness +confounder +confounders +confounding +confoundingly +confoundment +confounds +confr +confract +confraction +confragose +confrater +confraternal +confraternity +confraternities +confraternization +confrere +confreres +confrerie +confriar +confricamenta +confricamentum +confrication +confront +confrontal +confrontation +confrontational +confrontationism +confrontationist +confrontations +confrontation's +confronte +confronted +confronter +confronters +confronting +confrontment +confronts +Confucian +Confucianism +Confucianist +confucians +Confucius +confusability +confusable +confusably +confuse +confused +confusedly +confusedness +confuser +confusers +confuses +confusing +confusingly +confusion +confusional +confusions +confusive +confusticate +confustication +confutability +confutable +confutation +confutations +confutative +confutator +confute +confuted +confuter +confuters +confutes +confuting +Cong +Cong. +conga +congaed +congaing +congas +Congdon +conge +congeable +congeal +congealability +congealable +congealableness +congealed +congealedness +congealer +congealing +congealment +congeals +conged +congee +congeed +congeeing +congees +congeing +congelation +congelative +congelifract +congelifraction +congeliturbate +congeliturbation +congenator +congener +congeneracy +congeneric +congenerical +congenerous +congenerousness +congeners +congenetic +congenial +congeniality +congenialities +congenialize +congenially +congenialness +congenital +congenitally +congenitalness +congenite +congeon +Conger +congeree +conger-eel +congery +congerie +congeries +Congers +Congerville +conges +congession +congest +congested +congestedness +congestible +congesting +congestion +congestions +congestive +congests +congestus +congiary +congiaries +congii +congius +conglaciate +conglobate +conglobated +conglobately +conglobating +conglobation +conglobe +conglobed +conglobes +conglobing +conglobulate +conglomerate +conglomerated +conglomerates +conglomeratic +conglomerating +conglomeration +conglomerations +conglomerative +conglomerator +conglomeritic +conglutin +conglutinant +conglutinate +conglutinated +conglutinating +conglutination +conglutinative +conglution +Congo +congoes +Congoese +Congolese +Congoleum +Congonhas +congoni +congos +congou +congous +congrats +congratulable +congratulant +congratulate +congratulated +congratulates +congratulating +congratulation +congratulational +congratulations +congratulator +congratulatory +congredient +congree +congreet +congregable +congreganist +congregant +congregants +congregate +congregated +congregates +congregating +congregation +congregational +Congregationalism +Congregationalist +congregationalists +congregationalize +congregationally +Congregationer +congregationist +congregations +congregative +congregativeness +congregator +congresional +Congreso +Congress +congressed +congresser +congresses +congressing +congressional +congressionalist +congressionally +congressionist +congressist +congressive +Congressman +congressman-at-large +congressmen +congressmen-at-large +Congresso +congress's +congresswoman +congresswomen +Congreve +congrid +Congridae +congrio +congroid +congrue +congruence +congruences +congruency +congruencies +congruent +congruential +congruently +congruism +congruist +congruistic +congruity +congruities +congruous +congruously +congruousness +congustable +conhydrin +conhydrine +coni +Cony +conia +Coniacian +Coniah +Conias +conic +conical +conicality +conically +conicalness +conical-shaped +cony-catch +conycatcher +conicein +coniceine +conichalcite +conicine +conicity +conicities +conicle +conico- +conico-cylindrical +conico-elongate +conico-hemispherical +conicoid +conico-ovate +conico-ovoid +conicopoly +conico-subhemispherical +conico-subulate +conics +Conidae +conidia +conidial +conidian +conidiiferous +conidioid +conidiophore +conidiophorous +conidiospore +conidium +Conyers +conies +conifer +Coniferae +coniferin +coniferophyte +coniferous +conifers +conification +coniform +conyger +coniine +coniines +conylene +Conilurus +conima +conimene +conin +conine +conines +coning +conynge +Conyngham +coninidia +conins +Coniogramme +coniology +coniomycetes +Coniophora +Coniopterygidae +Conioselinum +conioses +coniosis +coniospermous +Coniothyrium +conyrin +conyrine +coniroster +conirostral +Conirostres +conisance +conite +Conium +coniums +conyza +conj +conj. +conject +conjective +conjecturable +conjecturableness +conjecturably +conjectural +conjecturalist +conjecturality +conjecturally +conjecture +conjectured +conjecturer +conjectures +conjecturing +conjee +conjegates +conjobble +conjoin +conjoined +conjoinedly +conjoiner +conjoining +conjoins +conjoint +conjointly +conjointment +conjointness +conjoints +conjon +conjubilant +conjuctiva +conjugable +conjugably +conjugacy +conjugal +Conjugales +conjugality +conjugally +conjugant +conjugata +Conjugatae +conjugate +conjugated +conjugately +conjugateness +conjugates +conjugating +conjugation +conjugational +conjugationally +conjugations +conjugative +conjugato- +conjugato-palmate +conjugato-pinnate +conjugator +conjugators +conjugial +conjugium +conjunct +conjuncted +conjunction +conjunctional +conjunctionally +conjunction-reduction +conjunctions +conjunction's +conjunctiva +conjunctivae +conjunctival +conjunctivas +conjunctive +conjunctively +conjunctiveness +conjunctives +conjunctivitis +conjunctly +conjuncts +conjunctur +conjunctural +conjuncture +conjunctures +conjuration +conjurations +conjurator +conjure +conjured +conjurement +conjurer +conjurers +conjurership +conjures +conjury +conjuring +conjurison +conjuror +conjurors +conk +conkanee +conked +conker +conkers +conky +conking +Conklin +conks +Conlan +Conlee +Conley +Conlen +conli +Conlin +Conlon +CONN +Conn. +connach +Connacht +connaisseur +Connally +Connaraceae +connaraceous +connarite +Connarus +connascency +connascent +connatal +connate +connately +connateness +connate-perfoliate +connation +connatural +connaturality +connaturalize +connaturally +connaturalness +connature +Connaught +Conneaut +Conneautville +connect +connectable +connectant +connected +connectedly +connectedness +connecter +connecters +connectibility +connectible +connectibly +Connecticut +connecting +connection +connectional +connectionism +connectionless +connections +connection's +connectival +connective +connectively +connectives +connective's +connectivity +connector +connectors +connector's +connects +conned +Connee +Conney +Connel +Connell +Connelley +Connelly +connellite +Connellsville +Connemara +Conner +Conners +Connersville +Connerville +Connett +connex +connexes +connexion +connexional +connexionalism +connexity +connexities +connexiva +connexive +connexivum +connexure +connexus +Conni +Conny +Connie +connies +conning +conniption +conniptions +connivance +connivances +connivancy +connivant +connivantly +connive +connived +connivence +connivent +connivently +conniver +connivery +connivers +connives +conniving +connivingly +connixation +Connochaetes +connoissance +connoisseur +connoisseurs +connoisseur's +connoisseurship +Connolly +Connor +Connors +connotate +connotation +connotational +connotations +connotative +connotatively +connote +connoted +connotes +connoting +connotive +connotively +conns +connu +connubial +connubialism +connubiality +connubially +connubiate +connubium +connumerate +connumeration +connusable +conocarp +Conocarpus +Conocephalum +Conocephalus +conoclinium +conocuneus +conodont +conodonts +Conoy +conoid +conoidal +conoidally +conoidic +conoidical +conoidically +conoido-hemispherical +conoido-rotundate +conoids +Conolophus +conominee +co-nominee +Conon +cononintelligent +Conopholis +conopid +Conopidae +conoplain +conopodium +Conopophaga +Conopophagidae +Conor +Conorhinus +conormal +conoscente +conoscenti +conoscope +conoscopic +conourish +Conover +Conowingo +conphaseolin +conplane +conquassate +conquedle +conquer +conquerable +conquerableness +conquered +conquerer +conquerers +conqueress +conquering +conqueringly +conquerment +Conqueror +conquerors +conqueror's +conquers +Conquest +conquests +conquest's +conquian +conquians +conquinamine +conquinine +conquisition +conquistador +conquistadores +conquistadors +Conrad +Conrade +Conrado +Conrail +Conral +Conran +Conrath +conrector +conrectorship +conred +conrey +Conringia +Conroe +Conroy +CONS +Cons. +consacre +Consalve +consanguine +consanguineal +consanguinean +consanguineous +consanguineously +consanguinity +consanguinities +consarcinate +consarn +consarned +conscience +conscienceless +consciencelessly +consciencelessness +conscience-proof +consciences +conscience's +conscience-smitten +conscience-stricken +conscience-striken +consciencewise +conscient +conscientious +conscientiously +conscientiousness +conscionable +conscionableness +conscionably +conscious +consciously +consciousness +consciousnesses +consciousness-expanding +consciousness-expansion +conscive +conscribe +conscribed +conscribing +conscript +conscripted +conscripting +conscription +conscriptional +conscriptionist +conscriptions +conscriptive +conscripts +conscripttion +consderations +consecrate +consecrated +consecratedness +consecrater +consecrates +consecrating +Consecration +consecrations +consecrative +consecrator +consecratory +consectary +consecute +consecution +consecutive +consecutively +consecutiveness +consecutives +consence +consenescence +consenescency +consension +consensual +consensually +consensus +consensuses +consent +consentable +consentaneity +consentaneous +consentaneously +consentaneousness +consentant +consented +consenter +consenters +consentful +consentfully +consentience +consentient +consentiently +consenting +consentingly +consentingness +consentive +consentively +consentment +consents +consequence +consequences +consequence's +consequency +consequent +consequential +consequentiality +consequentialities +consequentially +consequentialness +consequently +consequents +consertal +consertion +conservable +conservacy +conservancy +conservancies +conservant +conservate +conservation +conservational +conservationism +conservationist +conservationists +conservationist's +conservations +conservation's +Conservatism +conservatisms +conservatist +Conservative +conservatively +conservativeness +conservatives +conservatize +conservatoire +conservatoires +conservator +conservatory +conservatorial +conservatories +conservatorio +conservatorium +conservators +conservatorship +conservatrix +conserve +conserved +conserver +conservers +conserves +conserving +Consett +Conshohocken +consy +consider +considerability +considerable +considerableness +considerably +considerance +considerate +considerately +considerateness +consideratenesses +consideration +considerations +considerative +consideratively +considerativeness +considerator +considered +considerer +considering +consideringly +considers +consign +consignable +consignatary +consignataries +consignation +consignatory +consigne +consigned +consignee +consignees +consigneeship +consigner +consignify +consignificant +consignificate +consignification +consignificative +consignificator +consignified +consignifying +consigning +consignment +consignments +consignor +consignors +consigns +consiliary +consilience +consilient +consimilar +consimilarity +consimilate +consimilated +consimilating +consimile +consisently +consist +consisted +consistence +consistences +consistency +consistencies +consistent +consistently +consistible +consisting +consistory +consistorial +consistorian +consistories +consists +consition +consitutional +consociate +consociated +consociating +consociation +consociational +consociationism +consociative +consocies +consol +consolable +consolableness +consolably +Consolamentum +consolan +Consolata +consolate +consolation +consolations +consolation's +Consolato +consolator +consolatory +consolatorily +consolatoriness +consolatrix +console +consoled +consolement +consoler +consolers +consoles +consolette +consolidant +consolidate +consolidated +consolidates +consolidating +consolidation +consolidationist +consolidations +consolidative +consolidator +consolidators +consoling +consolingly +consolitorily +consolitoriness +consols +consolute +consomm +consomme +consommes +consonance +consonances +consonancy +consonant +consonantal +consonantalize +consonantalized +consonantalizing +consonantally +consonantic +consonantise +consonantised +consonantising +consonantism +consonantize +consonantized +consonantizing +consonantly +consonantness +consonants +consonant's +consonate +consonous +consopite +consort +consortable +consorted +consorter +consortia +consortial +consorting +consortion +consortism +consortitia +consortium +consortiums +consorts +consortship +consoude +consound +conspecies +conspecific +conspecifics +conspect +conspection +conspectuity +conspectus +conspectuses +consperg +consperse +conspersion +conspicuity +conspicuous +conspicuously +conspicuousness +conspiracy +conspiracies +conspiracy's +conspirant +conspiration +conspirational +conspirative +conspirator +conspiratory +conspiratorial +conspiratorially +conspirators +conspirator's +conspiratress +conspire +conspired +conspirer +conspirers +conspires +conspiring +conspiringly +conspissate +conspue +conspurcate +Const +Constable +constablery +constables +constable's +constableship +constabless +Constableville +constablewick +constabular +constabulary +constabularies +Constance +constances +Constancy +Constancia +constancies +Constant +Constanta +constantan +Constantia +Constantin +Constantina +Constantine +Constantinian +Constantino +Constantinople +Constantinopolitan +constantly +constantness +constants +constat +constatation +constatations +constate +constative +constatory +constellate +constellated +constellating +constellation +constellations +constellation's +constellatory +conster +consternate +consternated +consternating +consternation +consternations +constipate +constipated +constipates +constipating +constipation +constipations +constituency +constituencies +constituency's +constituent +constituently +constituents +constituent's +constitute +constituted +constituter +constitutes +constituting +constitution +constitutional +constitutionalism +constitutionalist +constitutionality +constitutionalization +constitutionalize +constitutionally +constitutionals +constitutionary +constitutioner +constitutionist +constitutionless +constitutions +constitutive +constitutively +constitutiveness +constitutor +constr +constr. +constrain +constrainable +constrained +constrainedly +constrainedness +constrainer +constrainers +constraining +constrainingly +constrainment +constrains +constraint +constraints +constraint's +constrict +constricted +constricting +constriction +constrictions +constrictive +constrictor +constrictors +constricts +constringe +constringed +constringency +constringent +constringing +construability +construable +construal +construct +constructable +constructed +constructer +constructibility +constructible +constructing +construction +constructional +constructionally +constructionism +constructionist +constructionists +constructions +construction's +constructive +constructively +constructiveness +Constructivism +Constructivist +constructor +constructors +constructor's +constructorship +constructs +constructure +construe +construed +construer +construers +construes +construing +constuctor +constuprate +constupration +consubsist +consubsistency +consubstantial +consubstantialism +consubstantialist +consubstantiality +consubstantially +consubstantiate +consubstantiated +consubstantiating +consubstantiation +consubstantiationist +consubstantive +Consuela +Consuelo +consuete +consuetitude +consuetude +consuetudinal +consuetudinary +consul +consulage +consular +consulary +consularity +consulate +consulated +consulates +consulate's +consulating +consuls +consul's +consulship +consulships +consult +consulta +consultable +consultancy +consultant +consultants +consultant's +consultantship +consultary +consultation +consultations +consultation's +consultative +consultatively +consultatory +consulted +consultee +consulter +consulting +consultive +consultively +consulto +consultor +consultory +consults +consumable +consumables +consumate +consumated +consumating +consumation +consume +consumed +consumedly +consumeless +consumer +consumerism +consumerist +consumers +consumer's +consumership +consumes +consuming +consumingly +consumingness +consummate +consummated +consummately +consummates +consummating +consummation +consummations +consummative +consummatively +consummativeness +consummator +consummatory +consumo +consumpt +consumpted +consumptible +consumption +consumptional +consumptions +consumption's +consumptive +consumptively +consumptiveness +consumptives +consumptivity +Consus +consute +Cont +cont. +contabescence +contabescent +CONTAC +contact +contactant +contacted +contactile +contacting +contaction +contactor +contacts +contactual +contactually +contadino +contaggia +contagia +contagion +contagioned +contagionist +contagions +contagiosity +contagious +contagiously +contagiousness +contagium +contain +containable +contained +containedly +container +containerboard +containerization +containerize +containerized +containerizes +containerizing +containerport +containers +containership +containerships +containing +containment +containments +containment's +contains +contakia +contakion +contakionkia +contam +contaminable +contaminant +contaminants +contaminate +contaminated +contaminates +contaminating +contamination +contaminations +contaminative +contaminator +contaminous +contangential +contango +contangoes +contangos +contchar +contd +contd. +Conte +conteck +conte-crayon +contect +contection +contek +conteke +contemn +contemned +contemner +contemnible +contemnibly +contemning +contemningly +contemnor +contemns +contemp +contemp. +contemper +contemperate +contemperature +contemplable +contemplamen +contemplance +contemplant +contemplate +contemplated +contemplatedly +contemplates +contemplating +contemplatingly +contemplation +contemplations +contemplatist +contemplative +contemplatively +contemplativeness +contemplator +contemplators +contemplature +contemple +contemporanean +contemporaneity +contemporaneous +contemporaneously +contemporaneousness +contemporary +contemporaries +contemporarily +contemporariness +contemporise +contemporised +contemporising +contemporize +contemporized +contemporizing +contempt +contemptful +contemptibility +contemptible +contemptibleness +contemptibly +contempts +contemptuous +contemptuously +contemptuousness +contend +contended +contendent +contender +contendere +contenders +contending +contendingly +contendress +contends +contenement +content +contentable +contentation +contented +contentedly +contentedness +contentednesses +contentful +contenting +contention +contentional +contentions +contention's +contentious +contentiously +contentiousness +contentless +contently +contentment +contentments +contentness +contents +contenu +conter +conterminable +conterminal +conterminant +conterminate +contermine +conterminous +conterminously +conterminousness +conterraneous +contes +contessa +contesseration +contest +contestability +contestable +contestableness +contestably +contestant +contestants +contestate +contestation +contested +contestee +contester +contesters +contesting +contestingly +contestless +contests +conteur +contex +context +contextive +contexts +context's +contextual +contextualize +contextually +contextural +contexture +contextured +contg +Conti +conticent +contignate +contignation +contiguate +contiguity +contiguities +contiguous +contiguously +contiguousness +contin +continence +continences +continency +Continent +Continental +Continentaler +continentalism +continentalist +continentality +Continentalize +continentally +continentals +continently +continents +continent's +continent-wide +contineu +contingence +contingency +contingencies +contingency's +contingent +contingential +contingentialness +contingentiam +contingently +contingentness +contingents +contingent's +continua +continuable +continual +continuality +continually +continualness +continuance +continuances +continuance's +continuancy +continuando +continuant +continuantly +continuate +continuately +continuateness +continuation +continuations +continuation's +continuative +continuatively +continuativeness +continuator +continue +continued +continuedly +continuedness +continuer +continuers +continues +continuing +continuingly +continuist +continuity +continuities +continuo +continuos +continuous +continuousity +continuousities +continuously +continuousness +continuua +continuum +continuums +contise +contline +cont-line +conto +contoid +contoise +Contoocook +contorniate +contorniates +contorno +contorsion +contorsive +contort +contorta +Contortae +contorted +contortedly +contortedness +contorting +contortion +contortional +contortionate +contortioned +contortionist +contortionistic +contortionists +contortions +contortive +contortively +contorts +contortuplicate +contos +contour +contoured +contouring +contourne +contours +contour's +contr +contr. +contra +contra- +contra-acting +contra-approach +contraband +contrabandage +contrabandery +contrabandism +contrabandist +contrabandista +contrabands +contrabass +contrabassist +contrabasso +contrabassoon +contrabassoonist +contracapitalist +contraception +contraceptionist +contraceptions +contraceptive +contraceptives +contracyclical +contracivil +contraclockwise +contract +contractable +contractant +contractation +contracted +contractedly +contractedness +contractee +contracter +contractibility +contractible +contractibleness +contractibly +contractile +contractility +contracting +contraction +contractional +contractionist +contractions +contraction's +contractive +contractively +contractiveness +contractly +contractor +contractors +contractor's +contracts +contractu +contractual +contractually +contracture +contractured +contractus +contrada +contradance +contra-dance +contrade +contradebt +contradict +contradictable +contradicted +contradictedness +contradicter +contradicting +contradiction +contradictional +contradictions +contradiction's +contradictious +contradictiously +contradictiousness +contradictive +contradictively +contradictiveness +contradictor +contradictory +contradictories +contradictorily +contradictoriness +contradicts +contradiscriminate +contradistinct +contradistinction +contradistinctions +contradistinctive +contradistinctively +contradistinctly +contradistinguish +contradivide +contrafacture +contrafagotto +contrafissura +contrafissure +contraflexure +contraflow +contrafocal +contragredience +contragredient +contrahent +contrayerva +contrail +contrails +contraindicant +contra-indicant +contraindicate +contra-indicate +contraindicated +contraindicates +contraindicating +contraindication +contra-indication +contraindications +contraindicative +contra-ion +contrair +contraire +contralateral +contra-lode +contralti +contralto +contraltos +contramarque +contramure +contranatural +contrantiscion +contraoctave +contraorbital +contraorbitally +contraparallelogram +contrapletal +contraplete +contraplex +contrapolarization +contrapone +contraponend +Contraposaune +contrapose +contraposed +contraposing +contraposit +contraposita +contraposition +contrapositive +contrapositives +contrapposto +contrappostos +contraprogressist +contraprop +contraproposal +contraprops +contraprovectant +contraption +contraptions +contraption's +contraptious +contrapuntal +contrapuntalist +contrapuntally +contrapuntist +contrapunto +contrarational +contraregular +contraregularity +contra-related +contraremonstrance +contraremonstrant +contra-remonstrant +contrarevolutionary +contrary +contrariant +contrariantly +contraries +contrariety +contrarieties +contrarily +contrary-minded +contrariness +contrarious +contrariously +contrariousness +contrariwise +contrarotation +contra-rotation +contras +contrascriptural +contrast +contrastable +contrastably +contraste +contrasted +contrastedly +contraster +contrasters +contrasty +contrastimulant +contrastimulation +contrastimulus +contrasting +contrastingly +contrastive +contrastively +contrastiveness +contrastment +contrasts +contrasuggestible +contratabular +contrate +contratempo +contratenor +contratulations +contravalence +contravallation +contravariant +contravene +contravened +contravener +contravenes +contravening +contravention +contraversion +contravindicate +contravindication +contrawise +contre- +contrecoup +contrectation +contre-dance +contredanse +contredanses +contreface +contrefort +contrepartie +contre-partie +contretemps +contrib +contrib. +contributable +contributary +contribute +contributed +contributes +contributing +contribution +contributional +contributions +contributive +contributively +contributiveness +contributor +contributory +contributorial +contributories +contributorily +contributors +contributor's +contributorship +contrist +contrite +contritely +contriteness +contrition +contritions +contriturate +contrivable +contrivance +contrivances +contrivance's +contrivancy +contrive +contrived +contrivedly +contrivement +contriver +contrivers +contrives +contriving +control +controled +controling +controllability +controllable +controllableness +controllable-pitch +controllably +controlled +controller +controllers +controller's +controllership +controlless +controlling +controllingly +controlment +controls +control's +controversal +controverse +controversed +controversy +controversial +controversialism +controversialist +controversialists +controversialize +controversially +controversies +controversion +controversional +controversionalism +controversionalist +controversy's +controvert +controverted +controverter +controvertibility +controvertible +controvertibly +controverting +controvertist +controverts +contrude +conttinua +contubernal +contubernial +contubernium +contumaceous +contumacy +contumacies +contumacious +contumaciously +contumaciousness +contumacity +contumacities +contumax +contumely +contumelies +contumelious +contumeliously +contumeliousness +contund +contune +conturb +conturbation +contuse +contused +contuses +contusing +contusion +contusioned +contusions +contusive +conubium +Conularia +conule +conumerary +conumerous +conundrum +conundrumize +conundrums +conundrum's +conurbation +conurbations +conure +Conuropsis +Conurus +CONUS +conusable +conusance +conusant +conusee +conuses +conusor +conutrition +conuzee +conuzor +conv +Convair +convalesce +convalesced +convalescence +convalescences +convalescency +convalescent +convalescently +convalescents +convalesces +convalescing +convallamarin +Convallaria +Convallariaceae +convallariaceous +convallarin +convally +convect +convected +convecting +convection +convectional +convections +convective +convectively +convector +convects +convey +conveyability +conveyable +conveyal +conveyance +conveyancer +conveyances +conveyance's +conveyancing +conveyed +conveyer +conveyers +conveying +conveyor +conveyorization +conveyorize +conveyorized +conveyorizer +conveyorizing +conveyors +conveys +convell +convenable +convenably +convenance +convenances +convene +convened +convenee +convener +convenery +conveneries +conveners +convenership +convenes +convenience +convenienced +conveniences +convenience's +conveniency +conveniencies +conveniens +convenient +conveniently +convenientness +convening +convenor +convent +convented +conventical +conventically +conventicle +conventicler +conventicles +conventicular +conventing +convention +conventional +conventionalisation +conventionalise +conventionalised +conventionalising +conventionalism +conventionalist +conventionality +conventionalities +conventionalization +conventionalize +conventionalized +conventionalizes +conventionalizing +conventionally +conventionary +conventioneer +conventioneers +conventioner +conventionism +conventionist +conventionize +conventions +convention's +convento +convents +convent's +Conventual +conventually +converge +converged +convergement +convergence +convergences +convergency +convergencies +convergent +convergently +converges +convergescence +converginerved +converging +Convery +conversable +conversableness +conversably +conversance +conversancy +conversant +conversantly +conversation +conversationable +conversational +conversationalism +conversationalist +conversationalists +conversationally +conversationism +conversationist +conversationize +conversations +conversation's +conversative +conversazione +conversaziones +conversazioni +Converse +conversed +conversely +converser +converses +conversi +conversibility +conversible +conversing +conversion +conversional +conversionary +conversionism +conversionist +conversions +conversive +converso +conversus +conversusi +convert +convertable +convertaplane +converted +convertend +converter +converters +convertibility +convertible +convertibleness +convertibles +convertibly +converting +convertingness +convertiplane +convertise +convertism +convertite +convertive +convertoplane +convertor +convertors +converts +conveth +convex +convex-concave +convexed +convexedly +convexedness +convexes +convexity +convexities +convexly +convexness +convexo +convexo- +convexoconcave +convexo-concave +convexo-convex +convexo-plane +conviciate +convicinity +convict +convictable +convicted +convictfish +convictfishes +convictible +convicting +conviction +convictional +convictions +conviction's +convictism +convictive +convictively +convictiveness +convictment +convictor +convicts +convince +convinced +convincedly +convincedness +convincement +convincer +convincers +convinces +convincibility +convincible +convincing +convincingly +convincingness +convite +convito +convival +convive +convives +convivial +convivialist +conviviality +convivialities +convivialize +convivially +convivio +convocant +convocate +convocated +convocating +convocation +convocational +convocationally +convocationist +convocations +convocative +convocator +convoy +convoyed +convoying +convoys +convoke +convoked +convoker +convokers +convokes +convoking +Convoluta +convolute +convoluted +convolutedly +convolutedness +convolutely +convoluting +convolution +convolutional +convolutionary +convolutions +convolutive +convolve +convolved +convolvement +convolves +convolving +Convolvulaceae +convolvulaceous +convolvulad +convolvuli +convolvulic +convolvulin +convolvulinic +convolvulinolic +Convolvulus +convolvuluses +convulsant +convulse +convulsed +convulsedly +convulses +convulsibility +convulsible +convulsing +convulsion +convulsional +convulsionary +convulsionaries +convulsionism +convulsionist +convulsions +convulsion's +convulsive +convulsively +convulsiveness +Conway +COO +cooba +coobah +co-obligant +co-oblige +co-obligor +cooboo +cooboos +co-occupant +co-occupy +co-occurrence +cooch +cooches +coocoo +coo-coo +coodle +Cooe +cooed +cooee +cooeed +cooeeing +cooees +cooey +cooeyed +cooeying +cooeys +cooer +cooers +coof +coofs +cooghneiorvlt +Coohee +cooing +cooingly +cooja +Cook +cookable +cookbook +cookbooks +cookdom +Cooke +cooked +cooked-up +cookee +cookey +cookeys +cookeite +cooker +cookery +cookeries +cookers +Cookeville +cook-general +cookhouse +cookhouses +Cooky +Cookie +cookies +cookie's +cooking +cooking-range +cookings +cookish +cookishly +cookless +cookmaid +cookout +cook-out +cookouts +cookroom +Cooks +Cooksburg +cooks-general +cookshack +cookshop +cookshops +Cookson +cookstove +Cookstown +Cooksville +Cookville +cookware +cookwares +cool +coolabah +coolaman +coolamon +coolant +coolants +cooled +Cooleemee +Cooley +coolen +cooler +coolerman +coolers +cooler's +coolest +coolheaded +cool-headed +coolheadedly +cool-headedly +coolheadedness +cool-headedness +coolhouse +cooly +coolibah +Coolidge +coolie +coolies +coolie's +cooliman +Coolin +cooling +cooling-card +coolingly +coolingness +cooling-off +coolish +coolly +coolness +coolnesses +cools +coolth +coolths +coolung +Coolville +coolweed +coolwort +coom +coomb +coombe +coombes +Coombs +coom-ceiled +coomy +co-omnipotent +co-omniscient +coon +Coonan +cooncan +cooncans +cooner +coonhound +coonhounds +coony +coonier +cooniest +coonily +cooniness +coonjine +coonroot +coons +coon's +coonskin +coonskins +coontah +coontail +coontie +coonties +Coop +co-op +coop. +cooped +cooped-in +coopee +Cooper +co-operable +cooperage +cooperancy +co-operancy +cooperant +co-operant +cooperate +co-operate +cooperated +cooperates +cooperating +cooperatingly +cooperation +co-operation +cooperationist +co-operationist +cooperations +cooperative +co-operative +cooperatively +co-operatively +cooperativeness +co-operativeness +cooperatives +cooperator +co-operator +cooperators +cooperator's +co-operculum +coopered +coopery +Cooperia +cooperies +coopering +cooperite +Cooperman +coopers +Coopersburg +Coopersmith +Cooperstein +Cooperstown +Coopersville +cooper's-wood +cooping +coops +coopt +co-opt +cooptate +co-optate +cooptation +co-optation +cooptative +co-optative +coopted +coopting +cooption +co-option +cooptions +cooptive +co-optive +coopts +coordain +co-ordain +co-ordainer +co-order +co-ordinacy +coordinal +co-ordinal +co-ordinance +co-ordinancy +coordinate +co-ordinate +coordinated +coordinately +co-ordinately +coordinateness +co-ordinateness +coordinates +coordinating +coordination +co-ordination +coordinations +coordinative +co-ordinative +coordinator +co-ordinator +coordinatory +co-ordinatory +coordinators +coordinator's +cooree +Coorg +co-organize +coorie +cooried +coorieing +coories +co-origin +co-original +co-originality +Coors +co-orthogonal +co-orthotomic +cooruptibly +Coos +Coosa +Coosada +cooser +coosers +coosify +co-ossify +co-ossification +coost +Coosuc +coot +cootch +Cooter +cootfoot +coot-footed +cooth +coothay +cooty +cootie +cooties +coots +co-owner +co-ownership +COP +copa +copable +copacetic +copaene +copaiba +copaibas +copaibic +Copaifera +copaiye +copain +Copaiva +copaivic +Copake +copal +copalche +copalchi +copalcocote +copaliferous +copaline +copalite +copaljocote +copalm +copalms +copals +Copan +coparallel +coparcenar +coparcenary +coparcener +coparceny +coparenary +coparent +coparents +copart +copartaker +coparty +copartiment +copartner +copartnery +copartners +copartnership +copartnerships +copasetic +copassionate +copastor +copastorate +copastors +copatain +copataine +copatentee +copatriot +co-patriot +copatron +copatroness +copatrons +Cope +copeck +copecks +coped +Copehan +copei +copeia +Copeland +Copelata +Copelatae +copelate +copelidine +copellidine +copeman +copemate +copemates +Copemish +copen +copending +copenetrate +Copenhagen +copens +Copeognatha +copepod +Copepoda +copepodan +copepodous +copepods +coper +coperception +coperiodic +Copernican +Copernicanism +copernicans +Copernicia +Copernicus +coperose +copers +coperta +copes +copesetic +copesettic +copesman +copesmate +copestone +cope-stone +copetitioner +Copeville +cophasal +Cophetua +cophosis +cophouse +Copht +copy +copia +copiability +copiable +Copiague +copiapite +Copiapo +copyboy +copyboys +copybook +copybooks +copycat +copycats +copycatted +copycatting +copycutter +copydesk +copydesks +copied +copyedit +copy-edit +copier +copiers +copies +copyfitter +copyfitting +copygraph +copygraphed +copyhold +copyholder +copyholders +copyholding +copyholds +copihue +copihues +copying +copyism +copyist +copyists +copilot +copilots +copyman +coping +copings +copingstone +copintank +copiopia +copiopsia +copiosity +copious +copiously +copiousness +copiousnesses +copyread +copyreader +copyreaders +copyreading +copyright +copyrightable +copyrighted +copyrighter +copyrighting +copyrights +copyright's +copis +copist +copita +copywise +copywriter +copywriters +copywriting +Coplay +coplaintiff +coplanar +coplanarity +coplanarities +coplanation +Copland +copleased +Copley +Coplin +coplot +coplots +coplotted +coplotter +coplotting +coploughing +coplowing +copolar +copolymer +copolymeric +copolymerism +copolymerization +copolymerizations +copolymerize +copolymerized +copolymerizing +copolymerous +copolymers +copopoda +copopsia +coportion +copout +cop-out +copouts +Copp +coppa +coppaelite +Coppard +coppas +copped +Coppelia +Coppell +copper +copperah +copperahs +copper-alloyed +copperas +copperases +copper-bearing +copper-belly +copper-bellied +copperbottom +copper-bottomed +copper-coated +copper-colored +copper-covered +coppered +copperer +copper-faced +copper-fastened +Copperfield +copperhead +copper-headed +Copperheadism +copperheads +coppery +coppering +copperish +copperytailed +coppery-tailed +copperization +copperize +copperleaf +copper-leaf +copper-leaves +copper-lined +copper-melting +Coppermine +coppernose +coppernosed +Copperopolis +copperplate +copper-plate +copperplated +copperproof +copper-red +coppers +copper's +coppersidesman +copperskin +copper-skinned +copper-smelting +coppersmith +copper-smith +coppersmithing +copper-toed +copperware +copperwing +copperworks +copper-worm +coppet +coppy +coppice +coppiced +coppice-feathered +coppices +coppice-topped +coppicing +coppin +copping +Coppinger +Coppins +copple +copplecrown +copple-crown +copple-crowned +coppled +copple-stone +coppling +Coppock +Coppola +coppra +coppras +copps +copr +copr- +copra +copraemia +copraemic +coprah +coprahs +copras +coprecipitate +coprecipitated +coprecipitating +coprecipitation +copremia +copremias +copremic +copresbyter +copresence +co-presence +copresent +copresident +copresidents +Copreus +Coprides +Coprinae +coprince +coprincipal +coprincipals +coprincipate +Coprinus +coprisoner +coprisoners +copro- +coprocessing +coprocessor +coprocessors +coprodaeum +coproduce +coproduced +coproducer +coproducers +coproduces +coproducing +coproduct +coproduction +coproductions +coproite +coprojector +coprolagnia +coprolagnist +coprolalia +coprolaliac +coprolite +coprolith +coprolitic +coprology +copromisor +copromote +copromoted +copromoter +copromoters +copromotes +copromoting +coprophagan +coprophagy +coprophagia +coprophagist +coprophagous +coprophilia +coprophiliac +coprophilic +coprophilism +coprophilous +coprophyte +coprophobia +coprophobic +coproprietor +coproprietors +coproprietorship +coproprietorships +coprose +cop-rose +Coprosma +coprostanol +coprostasia +coprostasis +coprostasophobia +coprosterol +coprozoic +COPS +cop's +copse +copse-clad +copse-covered +copses +copsewood +copsewooded +copsy +copsing +copsole +Copt +copter +copters +Coptic +coptine +Coptis +copublish +copublished +copublisher +copublishers +copublishes +copublishing +copula +copulable +copulae +copular +copularium +copulas +copulate +copulated +copulates +copulating +copulation +copulations +copulative +copulatively +copulatives +copulatory +copunctal +copurchaser +copurify +copus +COQ +coque +coquecigrue +coquelicot +Coquelin +coqueluche +coquet +coquetoon +coquetry +coquetries +coquets +coquette +coquetted +coquettes +coquetting +coquettish +coquettishly +coquettishness +coquicken +Coquilhatville +coquilla +coquillage +Coquille +coquilles +coquimbite +Coquimbo +coquin +coquina +coquinas +coquita +Coquitlam +coquito +coquitos +Cor +cor- +Cor. +Cora +Corabeca +Corabecan +Corabel +Corabella +Corabelle +corach +Coraciae +coracial +Coracias +Coracii +Coraciidae +coraciiform +Coraciiformes +coracine +coracle +coracler +coracles +coraco- +coracoacromial +coracobrachial +coracobrachialis +coracoclavicular +coracocostal +coracohyoid +coracohumeral +coracoid +coracoidal +coracoids +coracomandibular +coracomorph +Coracomorphae +coracomorphic +coracopectoral +coracoradialis +coracoscapular +coracosteon +coracovertebral +coradical +coradicate +co-radicate +corage +coraggio +coragio +corah +Coray +coraise +coraji +Coral +coral-beaded +coralbells +coralberry +coralberries +coral-bound +coral-built +coralbush +coral-buttoned +coral-colored +coraled +coralene +coral-fishing +coralflower +coral-girt +Coralie +Coralye +Coralyn +Coraline +coralist +coralita +coralla +corallet +Corallian +corallic +Corallidae +corallidomous +coralliferous +coralliform +Coralligena +coralligenous +coralligerous +corallike +corallin +Corallina +Corallinaceae +corallinaceous +coralline +corallita +corallite +Corallium +coralloid +coralloidal +Corallorhiza +corallum +Corallus +coral-making +coral-plant +coral-producing +coral-red +coralroot +coral-rooted +corals +coral-secreting +coral-snake +coral-tree +Coralville +coral-wood +coralwort +Coram +Corambis +Coramine +coran +corance +coranoch +Corantijn +coranto +corantoes +corantos +Coraopolis +Corapeake +coraveca +corban +corbans +corbe +corbeau +corbed +Corbeil +corbeille +corbeilles +corbeils +corbel +corbeled +corbeling +corbelled +corbelling +corbels +Corbet +Corbett +Corbettsville +Corby +corbicula +corbiculae +corbiculate +corbiculum +Corbie +corbies +corbiestep +corbie-step +Corbin +corbina +corbinas +corbleu +corblimey +corblimy +corbovinum +corbula +Corbusier +corcass +corchat +Corchorus +corcir +Corcyra +Corcyraean +corcle +corcopali +Corcoran +Corcovado +Cord +cordage +cordages +Corday +Cordaitaceae +cordaitaceous +cordaitalean +Cordaitales +cordaitean +Cordaites +cordal +Cordalia +cordant +cordate +cordate-amplexicaul +cordate-lanceolate +cordately +cordate-oblong +cordate-sagittate +cordax +Cordeau +corded +Cordeelia +Cordey +cordel +Cordele +Cordelia +Cordelie +Cordelier +cordeliere +Cordeliers +Cordell +cordelle +cordelled +cordelling +Corder +Cordery +corders +Cordesville +cordewane +Cordi +Cordy +Cordia +cordial +cordiality +cordialities +cordialize +cordially +cordialness +cordials +cordycepin +cordiceps +Cordyceps +cordicole +Cordie +Cordier +cordierite +cordies +cordiform +cordigeri +cordyl +Cordylanthus +Cordyline +cordillera +Cordilleran +Cordilleras +cordinar +cordiner +cording +cordings +cordis +cordite +cordites +corditis +Cordle +cordleaf +cordless +cordlessly +cordlike +cordmaker +Cordoba +cordoban +cordobas +cordon +cordonazo +cordonazos +cordoned +cordoning +cordonnet +cordons +Cordova +Cordovan +cordovans +cords +Cordula +corduroy +corduroyed +corduroying +corduroys +cordwain +cordwainer +cordwainery +cordwains +cordwood +cordwoods +CORE +core- +Corea +core-baking +corebel +corebox +coreceiver +corecipient +corecipients +coreciprocal +corectome +corectomy +corector +core-cutting +cored +coredeem +coredeemed +coredeemer +coredeeming +coredeems +coredemptress +core-drying +coreductase +Coree +Coreen +coreflexed +coregence +coregency +coregent +co-regent +coregnancy +coregnant +coregonid +Coregonidae +coregonine +coregonoid +Coregonus +Corey +coreid +Coreidae +coreign +coreigner +coreigns +core-jarring +corejoice +Corel +corelate +corelated +corelates +corelating +corelation +co-relation +corelational +corelative +corelatively +coreless +coreligionist +co-religionist +corelysis +Corell +Corella +Corelli +Corema +coremaker +coremaking +coremia +coremium +coremiumia +coremorphosis +Corena +Corenda +Corene +corenounce +coreometer +Coreopsis +coreplasty +coreplastic +corepressor +corequisite +corer +corers +cores +coresidence +coresident +coresidents +coresidual +coresign +coresonant +coresort +corespect +corespondency +corespondent +co-respondent +corespondents +Coresus +coretomy +Coretta +Corette +coreveler +coreveller +corevolve +corf +Corfam +Corfiote +Corflambo +Corfu +corge +corgi +corgis +Cori +Cory +coria +coriaceous +corial +coriamyrtin +coriander +corianders +coriandrol +Coriandrum +Coriaria +Coriariaceae +coriariaceous +Coryat +Coryate +coriaus +Corybant +Corybantes +Corybantian +corybantiasm +Corybantic +Corybantine +corybantish +Corybants +corybulbin +corybulbine +corycavamine +corycavidin +corycavidine +corycavine +Corycia +Corycian +Coricidin +corydalin +corydaline +Corydalis +Coryden +corydine +Coridon +Corydon +corydora +Corie +Coryell +coriin +coryl +Corylaceae +corylaceous +corylet +corylin +Corilla +Corylopsis +Corylus +corymb +corymbed +corymbiate +corymbiated +corymbiferous +corymbiform +corymblike +corymbose +corymbosely +corymbous +corymbs +Corimelaena +Corimelaenidae +Corin +Corina +corindon +Corine +corynebacteria +corynebacterial +Corynebacterium +coryneform +Corynetes +Coryneum +Corineus +coring +corynid +corynine +corynite +Corinna +Corinne +Corynne +Corynocarpaceae +corynocarpaceous +Corynocarpus +corynteria +Corinth +corinthes +corinthiac +Corinthian +Corinthianesque +Corinthianism +Corinthianize +Corinthians +Corinthus +Coriolanus +coriparian +coryph +Corypha +Coryphaea +coryphaei +Coryphaena +coryphaenid +Coryphaenidae +coryphaenoid +Coryphaenoididae +coryphaeus +Coryphasia +coryphee +coryphees +coryphene +coryphylly +Coryphodon +coryphodont +corypphaei +Coriss +Corissa +corystoid +corita +Corythus +corytuberine +corium +co-rival +Corixa +Corixidae +coryza +coryzal +coryzas +Cork +corkage +corkages +cork-barked +cork-bearing +corkboard +cork-boring +cork-cutting +corke +corked +corker +corkers +cork-forming +cork-grinding +cork-heeled +Corkhill +corky +corkier +corkiest +corky-headed +corkiness +corking +corking-pin +corkir +corkish +corkite +corky-winged +corklike +corkline +cork-lined +corkmaker +corkmaking +corks +corkscrew +corkscrewed +corkscrewy +corkscrewing +corkscrews +cork-tipped +corkwing +corkwood +corkwoods +Corley +Corly +Corliss +corm +Cormac +Cormack +cormel +cormels +Cormick +cormidium +Cormier +cormlike +cormo- +cormogen +cormoid +Cormophyta +cormophyte +cormophytic +cormorant +cormorants +cormous +corms +cormus +CORN +Cornaceae +cornaceous +cornada +cornage +Cornall +cornamute +cornball +cornballs +corn-beads +cornbell +cornberry +cornbin +cornbind +cornbinks +cornbird +cornbole +cornbottle +cornbrash +cornbread +corncake +corncakes +corncob +corn-cob +corncobs +corncockle +corn-colored +corncracker +corn-cracker +corncrake +corn-crake +corncrib +corncribs +corncrusher +corncutter +corncutting +corn-devouring +corndodger +cornea +corneagen +corneal +corneas +corn-eater +corned +Corney +Corneille +cornein +corneine +corneitis +Cornel +Cornela +Cornelia +cornelian +Cornelie +Cornelis +Cornelius +Cornell +Cornelle +cornels +cornemuse +corneo- +corneocalcareous +corneosclerotic +corneosiliceous +corneous +Corner +cornerback +cornerbind +cornercap +cornered +cornerer +cornering +cornerman +corner-man +cornerpiece +corners +cornerstone +corner-stone +cornerstones +cornerstone's +Cornersville +cornerways +cornerwise +CORNET +cornet-a-pistons +cornetcy +cornetcies +corneter +cornetfish +cornetfishes +cornetist +cornetists +cornets +cornett +cornette +cornetter +cornetti +cornettino +cornettist +cornetto +Cornettsville +corneule +corneum +Cornew +corn-exporting +cornfactor +cornfed +corn-fed +corn-feeding +cornfield +cornfields +cornfield's +cornflag +corn-flag +cornflakes +cornfloor +cornflour +corn-flour +cornflower +corn-flower +cornflowers +corngrower +corn-growing +cornhole +cornhouse +cornhusk +corn-husk +cornhusker +cornhusking +cornhusks +Corny +Cornia +cornic +cornice +corniced +cornices +corniche +corniches +Cornichon +cornicing +cornicle +cornicles +cornicular +corniculate +corniculer +corniculum +Cornie +cornier +corniest +Corniferous +cornify +cornific +cornification +cornified +corniform +cornigeous +cornigerous +cornily +cornin +corniness +Corning +corniplume +Cornish +Cornishman +Cornishmen +cornix +Cornland +corn-law +Cornlea +cornless +cornloft +cornmaster +corn-master +cornmeal +cornmeals +cornmonger +cornmuse +Corno +cornopean +Cornopion +corn-picker +cornpipe +corn-planting +corn-producing +corn-rent +cornrick +cornroot +cornrow +cornrows +corns +cornsack +corn-salad +corn-snake +Cornstalk +corn-stalk +cornstalks +cornstarch +cornstarches +cornstone +cornstook +cornu +cornua +cornual +cornuate +cornuated +cornubianite +cornucopia +Cornucopiae +cornucopian +cornucopias +cornucopiate +cornule +cornulite +Cornulites +cornupete +Cornus +cornuses +cornute +cornuted +cornutin +cornutine +cornuting +cornuto +cornutos +cornutus +Cornville +Cornwall +Cornwallis +cornwallises +cornwallite +Cornwallville +Cornwell +Coro +coro- +coroa +Coroado +corocleisis +corody +corodiary +corodiastasis +corodiastole +corodies +Coroebus +corojo +corol +corolitic +coroll +Corolla +corollaceous +corollary +corollarial +corollarially +corollaries +corollary's +corollas +corollate +corollated +corollet +corolliferous +corollifloral +corolliform +corollike +corolline +corollitic +coromandel +coromell +corometer +corona +coronach +coronachs +coronad +coronadite +Coronado +coronados +coronae +coronagraph +coronagraphic +coronal +coronale +coronaled +coronalled +coronally +coronals +coronamen +coronary +coronaries +coronas +coronate +coronated +coronation +coronations +coronatorial +coronavirus +corone +Coronel +coronels +coronene +coroner +coroners +coronership +coronet +coroneted +coronetlike +coronets +coronet's +coronetted +coronettee +coronetty +coroniform +Coronilla +coronillin +coronillo +coronion +Coronis +coronitis +coronium +coronize +coronobasilar +coronofacial +coronofrontal +coronograph +coronographic +coronoid +Coronopus +coronule +Coronus +coroparelcysis +coroplast +coroplasta +coroplastae +coroplasty +coroplastic +Coropo +coroscopy +corosif +Corot +corotate +corotated +corotates +corotating +corotation +corotomy +Corotto +coroun +coroutine +coroutines +coroutine's +Corozal +corozo +corozos +Corp +corp. +Corpl +corpn +corpora +corporacy +corporacies +Corporal +corporalcy +corporale +corporales +corporalism +corporality +corporalities +corporally +corporals +corporal's +corporalship +corporas +corporate +corporately +corporateness +corporation +corporational +corporationer +corporationism +corporations +corporation's +corporatism +corporatist +corporative +corporatively +corporativism +corporator +corporature +corpore +corporeal +corporealist +corporeality +corporealization +corporealize +corporeally +corporealness +corporeals +corporeity +corporeous +corporify +corporification +corporosity +corposant +corps +corpsbruder +corpse +corpse-candle +corpselike +corpselikeness +corpses +corpse's +corpsy +corpsman +corpsmen +corpulence +corpulences +corpulency +corpulencies +corpulent +corpulently +corpulentness +corpus +corpuscle +corpuscles +corpuscular +corpuscularian +corpuscularity +corpusculated +corpuscule +corpusculous +corpusculum +Corr +corr. +corrade +corraded +corrades +corradial +corradiate +corradiated +corradiating +corradiation +corrading +Corrado +corral +Corrales +corralled +corralling +corrals +corrasion +corrasive +Correa +correal +correality +correct +correctable +correctant +corrected +correctedness +correcter +correctest +correctible +correctify +correcting +correctingly +correction +correctional +correctionalist +correctioner +corrections +Correctionville +correctitude +corrective +correctively +correctiveness +correctives +correctly +correctness +correctnesses +corrector +correctory +correctorship +correctress +correctrice +corrects +Correggio +Corregidor +corregidores +corregidors +corregimiento +corregimientos +Correy +correl +correl. +correlatable +correlate +correlated +correlates +correlating +correlation +correlational +correlations +correlative +correlatively +correlativeness +correlatives +correlativism +correlativity +correligionist +Correll +correllated +correllation +correllations +Correna +corrente +correo +correption +corresol +corresp +correspond +corresponded +correspondence +correspondences +correspondence's +correspondency +correspondencies +correspondent +correspondential +correspondentially +correspondently +correspondents +correspondent's +correspondentship +corresponder +corresponding +correspondingly +corresponds +corresponsion +corresponsive +corresponsively +Correze +Corri +Corry +Corrianne +corrida +corridas +corrido +corridor +corridored +corridors +corridor's +Corrie +Corriedale +Corrientes +corries +Corrigan +Corriganville +corrige +corrigenda +corrigendum +corrigent +corrigibility +corrigible +corrigibleness +corrigibly +Corrigiola +Corrigiolaceae +Corrina +Corrine +Corrinne +Corryton +corrival +corrivality +corrivalry +corrivals +corrivalship +corrivate +corrivation +corrive +corrobboree +corrober +corroborant +corroborate +corroborated +corroborates +corroborating +corroboration +corroborations +corroborative +corroboratively +corroborator +corroboratory +corroboratorily +corroborators +corroboree +corroboreed +corroboreeing +corroborees +corrobori +corrodant +corrode +corroded +corrodent +Corrodentia +corroder +corroders +corrodes +corrody +corrodiary +corrodibility +corrodible +corrodier +corrodies +corroding +corrodingly +Corron +corrosibility +corrosible +corrosibleness +corrosion +corrosional +corrosionproof +corrosions +corrosive +corrosived +corrosively +corrosiveness +corrosives +corrosiving +corrosivity +corrugant +corrugate +corrugated +corrugates +corrugating +corrugation +corrugations +corrugator +corrugators +corrugent +corrump +corrumpable +corrup +corrupable +corrupt +corrupted +corruptedly +corruptedness +corrupter +corruptest +corruptful +corruptibility +corruptibilities +corruptible +corruptibleness +corruptibly +corrupting +corruptingly +corruption +corruptionist +corruptions +corruptious +corruptive +corruptively +corruptless +corruptly +corruptness +corruptor +corruptress +corrupts +corsac +corsacs +corsage +corsages +corsaint +corsair +corsairs +corsak +Corse +corselet +corseleted +corseleting +corselets +corselette +corsepresent +corseque +corser +corses +corsesque +corset +corseted +corsetier +corsetiere +corseting +corsetless +corsetry +corsets +Corsetti +corsy +Corsica +Corsican +Corsicana +corsie +Corsiglia +corsite +corslet +corslets +corsned +Corso +Corson +corsos +Cort +corta +Cortaderia +Cortaillod +Cortaro +cortege +corteges +corteise +Cortelyou +Cortemadera +Cortes +Cortese +cortex +cortexes +Cortez +Corti +Corty +cortian +cortical +cortically +corticate +corticated +corticating +cortication +cortices +corticiferous +corticiform +corticifugal +corticifugally +corticin +corticine +corticipetal +corticipetally +Corticium +cortico- +corticoafferent +corticoefferent +corticoid +corticole +corticoline +corticolous +corticopeduncular +corticose +corticospinal +corticosteroid +corticosteroids +corticosterone +corticostriate +corticotrophin +corticotropin +corticous +Cortie +cortile +cortin +cortina +cortinae +cortinarious +Cortinarius +cortinate +cortine +cortins +cortisol +cortisols +cortisone +cortisones +Cortland +cortlandtite +Cortney +Corton +Cortona +Cortot +coruco +coruler +Corum +Corumba +Coruminacan +Coruna +corundophilite +corundum +corundums +Corunna +corupay +coruscant +coruscate +coruscated +coruscates +coruscating +coruscation +coruscations +coruscative +corv +Corvallis +corve +corved +corvee +corvees +corven +corver +corves +Corvese +corvet +corvets +corvette +corvettes +corvetto +Corvi +Corvidae +corviform +corvillosum +Corvin +corvina +Corvinae +corvinas +corvine +corviser +corvisor +corvktte +Corvo +corvoid +corvorant +Corvus +Corwin +Corwith +Corwun +COS +cosalite +cosaque +cosavior +Cosby +coscet +Coscinodiscaceae +Coscinodiscus +coscinomancy +Coscob +coscoroba +coscript +cose +coseasonal +coseat +cosec +cosecant +cosecants +cosech +cosecs +cosectarian +cosectional +cosed +cosegment +cosey +coseier +coseiest +coseys +coseism +coseismal +coseismic +cosen +cosenator +cosentiency +cosentient +co-sentient +Cosenza +coservant +coses +cosession +coset +cosets +Cosetta +Cosette +cosettler +Cosgrave +Cosgrove +cosh +cosharer +cosheath +coshed +cosher +coshered +cosherer +coshery +cosheries +coshering +coshers +coshes +coshing +Coshocton +Coshow +cosy +cosie +cosied +cosier +cosies +cosiest +cosign +cosignatory +co-signatory +cosignatories +cosigned +cosigner +co-signer +cosigners +cosignificative +cosigning +cosignitary +cosigns +cosying +cosily +cosymmedian +Cosimo +cosin +cosinage +COSINE +cosines +cosiness +cosinesses +cosing +cosingular +cosins +cosinusoid +Cosyra +Cosma +Cosmati +Cosme +cosmecology +cosmesis +Cosmetas +cosmete +cosmetic +cosmetical +cosmetically +cosmetician +cosmeticize +cosmetics +cosmetiste +cosmetology +cosmetological +cosmetologist +cosmetologists +COSMIC +cosmical +cosmicality +cosmically +cosmico-natural +cosmine +cosmism +cosmisms +cosmist +cosmists +Cosmo +cosmo- +cosmochemical +cosmochemistry +cosmocracy +cosmocrat +cosmocratic +cosmodrome +cosmogenesis +cosmogenetic +cosmogeny +cosmogenic +cosmognosis +cosmogonal +cosmogoner +cosmogony +cosmogonic +cosmogonical +cosmogonies +cosmogonist +cosmogonists +cosmogonize +cosmographer +cosmography +cosmographic +cosmographical +cosmographically +cosmographies +cosmographist +cosmoid +cosmolabe +cosmolatry +cosmoline +cosmolined +cosmolining +cosmology +cosmologic +cosmological +cosmologically +cosmologies +cosmologygy +cosmologist +cosmologists +cosmometry +cosmonaut +cosmonautic +cosmonautical +cosmonautically +cosmonautics +cosmonauts +cosmopathic +cosmoplastic +cosmopoietic +cosmopolicy +Cosmopolis +cosmopolises +cosmopolitan +cosmopolitanisation +cosmopolitanise +cosmopolitanised +cosmopolitanising +cosmopolitanism +cosmopolitanization +cosmopolitanize +cosmopolitanized +cosmopolitanizing +cosmopolitanly +cosmopolitans +cosmopolite +cosmopolitic +cosmopolitical +cosmopolitics +cosmopolitism +cosmorama +cosmoramic +cosmorganic +COSMOS +cosmoscope +cosmoses +cosmosophy +cosmosphere +cosmotellurian +cosmotheism +cosmotheist +cosmotheistic +cosmothetic +Cosmotron +cosmozoan +cosmozoans +cosmozoic +cosmozoism +cosonant +cosounding +cosovereign +co-sovereign +cosovereignty +COSPAR +cospecies +cospecific +cosphered +cosplendor +cosplendour +cosponsor +cosponsored +cosponsoring +cosponsors +cosponsorship +cosponsorships +coss +Cossack +cossacks +Cossaean +Cossayuna +cossas +cosse +cosset +cosseted +cosseting +cossets +cossette +cossetted +cossetting +cosshen +cossic +cossid +Cossidae +cossie +cossyrite +cossnent +Cost +Costa +cost-account +costae +Costaea +costage +Costain +costal +costalgia +costally +costal-nerved +costander +Costanoan +Costanza +Costanzia +COSTAR +co-star +costard +costard-monger +costards +costarred +co-starred +costarring +co-starring +costars +Costata +costate +costated +costean +costeaning +costectomy +costectomies +costed +costeen +cost-effective +Coste-Floret +costellate +Costello +Costen +Coster +costerdom +Costermansville +costermonger +costers +cost-free +costful +costicartilage +costicartilaginous +costicervical +costiferous +costiform +Costigan +Costilla +Costin +costing +costing-out +costious +costipulator +costispinal +costive +costively +costiveness +costless +costlessly +costlessness +costlew +costly +costlier +costliest +costliness +costlinesses +costmary +costmaries +costo- +costoabdominal +costoapical +costocentral +costochondral +costoclavicular +costocolic +costocoracoid +costodiaphragmatic +costogenic +costoinferior +costophrenic +costopleural +costopneumopexy +costopulmonary +costoscapular +costosternal +costosuperior +costothoracic +costotome +costotomy +costotomies +costotrachelian +costotransversal +costotransverse +costovertebral +costoxiphoid +cost-plus +costraight +costrel +costrels +costs +costula +costulation +costume +costumed +costumey +costumer +costumery +costumers +costumes +costumic +costumier +costumiere +costumiers +costuming +costumire +costumist +costusroot +cosubject +cosubordinate +co-subordinate +cosuffer +cosufferer +cosuggestion +cosuitor +co-supreme +cosurety +co-surety +co-sureties +cosuretyship +cosustain +coswearer +COT +Cotabato +cotabulate +cotan +cotangent +cotangential +cotangents +cotans +cotarius +cotarnin +cotarnine +Cotati +cotbetty +cotch +Cote +Coteau +coteaux +coted +coteen +coteful +cotehardie +cote-hardie +cotele +coteline +coteller +cotemporane +cotemporanean +cotemporaneous +cotemporaneously +cotemporary +cotemporaries +cotemporarily +cotenancy +cotenant +co-tenant +cotenants +cotenure +coterell +cotery +coterie +coteries +coterminal +coterminous +coterminously +coterminousness +cotes +Cotesfield +Cotesian +coth +cotham +cothamore +cothe +cotheorist +Cotherstone +cothy +cothish +cothon +cothouse +cothurn +cothurnal +cothurnate +cothurned +cothurni +cothurnian +cothurnni +cothurns +cothurnus +Coty +cotice +coticed +coticing +coticular +cotidal +co-tidal +cotyl +cotyl- +cotyla +cotylar +cotyle +cotyledon +cotyledonal +cotyledonar +cotyledonary +cotyledonoid +cotyledonous +cotyledons +cotyledon's +Cotyleus +cotyliform +cotyligerous +cotyliscus +cotillage +cotillion +cotillions +cotillon +cotillons +cotyloid +cotyloidal +Cotylophora +cotylophorous +cotylopubic +cotylosacral +cotylosaur +Cotylosauria +cotylosaurian +coting +Cotinga +cotingid +Cotingidae +cotingoid +Cotinus +cotype +cotypes +Cotys +cotise +cotised +cotising +Cotyttia +cotitular +cotland +Cotman +coto +cotoin +Cotolaurel +Cotonam +Cotoneaster +cotonia +cotonier +Cotonou +Cotopaxi +cotorment +cotoro +cotoros +cotorture +Cotoxo +cotquean +cotqueans +cotraitor +cotransduction +cotransfuse +cotranslator +cotranspire +cotransubstantiate +cotrespasser +cotrine +cotripper +cotrustee +co-trustee +COTS +cot's +Cotsen +cotset +cotsetla +cotsetland +cotsetle +Cotswold +Cotswolds +Cott +cotta +cottabus +cottae +cottage +cottaged +cottagey +cottager +cottagers +cottages +Cottageville +cottar +cottars +cottas +Cottbus +cotte +cotted +Cottekill +Cottenham +Cotter +cottered +cotterel +Cotterell +cottering +cotterite +cotters +cotterway +cotty +cottid +Cottidae +cottier +cottierism +cottiers +cottiest +cottiform +cottise +Cottle +Cottleville +cottoid +Cotton +cottonade +cotton-backed +cotton-baling +cotton-bleaching +cottonbush +cotton-clad +cotton-covered +Cottondale +cotton-dyeing +cottoned +cottonee +cottoneer +cottoner +cotton-ginning +cotton-growing +cottony +Cottonian +cottoning +cottonization +cottonize +cotton-knitting +cottonless +cottonmouth +cottonmouths +cottonocracy +Cottonopolis +cottonpickin' +cottonpicking +cotton-picking +cotton-planting +Cottonport +cotton-printing +cotton-producing +cottons +cotton-sampling +cottonseed +cottonseeds +cotton-sick +cotton-spinning +cottontail +cottontails +Cottonton +cottontop +Cottontown +cotton-weaving +cottonweed +cottonwick +cotton-wicked +cottonwood +cottonwoods +cottrel +Cottrell +Cottus +Cotuit +cotula +Cotulla +cotunnite +Coturnix +cotutor +cotwal +cotwin +cotwinned +cotwist +couac +coucal +couch +couchancy +couchant +couchantly +couche +couched +couchee +Coucher +couchers +couches +couchette +couchy +couching +couchings +couchmaker +couchmaking +Couchman +couchmate +cou-cou +coud +coude +coudee +Couderay +Coudersport +Coue +Coueism +cougar +cougars +cough +coughed +cougher +coughers +coughing +Coughlin +coughroot +coughs +coughweed +coughwort +cougnar +couhage +coul +coulage +could +couldest +couldn +couldna +couldnt +couldn't +couldron +couldst +coulee +coulees +couleur +coulibiaca +coulie +coulier +coulis +coulisse +coulisses +couloir +couloirs +Coulomb +Coulombe +coulombic +coulombmeter +coulombs +coulometer +coulometry +coulometric +coulometrically +Coulommiers +Coulson +Coulter +coulterneb +Coulters +Coulterville +coulthard +coulure +couma +coumalic +coumalin +coumaphos +coumara +coumaran +coumarane +coumarate +coumaric +coumarilic +coumarin +coumarinic +coumarins +coumarone +coumarone-indene +coumarou +Coumarouna +coumarous +Coumas +coumbite +Counce +council +councilist +councillary +councillor +councillors +councillor's +councillorship +councilman +councilmanic +councilmen +councilor +councilors +councilorship +councils +council's +councilwoman +councilwomen +counderstand +co-une +counite +co-unite +couniversal +counsel +counselable +counseled +counselee +counselful +counseling +counsel-keeper +counsellable +counselled +counselling +counsellor +counsellors +counsellor's +counsellorship +counselor +counselor-at-law +counselors +counselor's +counselors-at-law +counselorship +counsels +counsinhood +Count +countability +countable +countableness +countably +countdom +countdown +countdowns +counted +Countee +countenance +countenanced +countenancer +countenances +countenancing +counter +counter- +counterabut +counteraccusation +counteraccusations +counteracquittance +counter-acquittance +counteract +counteractant +counteracted +counteracter +counteracting +counteractingly +counteraction +counteractions +counteractive +counteractively +counteractivity +counteractor +counteracts +counteraddress +counteradvance +counteradvantage +counteradvice +counteradvise +counteraffirm +counteraffirmation +counteragency +counter-agency +counteragent +counteraggression +counteraggressions +counteragitate +counteragitation +counteralliance +counterambush +counterannouncement +counteranswer +counterappeal +counterappellant +counterapproach +counter-approach +counterapse +counterarch +counter-arch +counterargue +counterargued +counterargues +counterarguing +counterargument +counterartillery +counterassault +counterassaults +counterassertion +counterassociation +counterassurance +counterattack +counterattacked +counterattacker +counterattacking +counterattacks +counterattestation +counterattired +counterattraction +counter-attraction +counterattractive +counterattractively +counteraverment +counteravouch +counteravouchment +counterbalance +counterbalanced +counterbalances +counterbalancing +counterband +counterbarrage +counter-barry +counterbase +counterbattery +counter-battery +counter-beam +counterbeating +counterbend +counterbewitch +counterbid +counterbids +counter-bill +counterblast +counterblockade +counterblockades +counterblow +counterblows +counterboycott +counterbond +counterborder +counterbore +counter-bore +counterbored +counterborer +counterboring +counterboulle +counter-boulle +counterbrace +counter-brace +counterbracing +counterbranch +counterbrand +counterbreastwork +counterbuff +counterbuilding +countercampaign +countercampaigns +countercarte +counter-carte +counter-cast +counter-caster +countercathexis +countercause +counterchallenge +counterchallenges +counterchange +counterchanged +counterchanging +countercharge +countercharged +countercharges +countercharging +countercharm +countercheck +countercheer +counter-chevroned +counterclaim +counter-claim +counterclaimant +counterclaimed +counterclaiming +counterclaims +counterclassification +counterclassifications +counterclockwise +counter-clockwise +countercolored +counter-coloured +countercommand +countercompany +counter-company +countercompetition +countercomplaint +countercomplaints +countercompony +countercondemnation +counterconditioning +counterconquest +counterconversion +countercouchant +counter-couchant +countercoup +countercoupe +countercoups +countercourant +countercraft +countercry +countercriticism +countercriticisms +countercross +countercultural +counterculture +counter-culture +countercultures +counterculturist +countercurrent +counter-current +countercurrently +countercurrentwise +counterdance +counterdash +counterdecision +counterdeclaration +counterdecree +counter-deed +counterdefender +counterdemand +counterdemands +counterdemonstrate +counterdemonstration +counterdemonstrations +counterdemonstrator +counterdemonstrators +counterdeputation +counterdesire +counterdevelopment +counterdifficulty +counterdigged +counterdike +counterdiscipline +counterdisengage +counter-disengage +counterdisengagement +counterdistinct +counterdistinction +counterdistinguish +counterdoctrine +counterdogmatism +counterdraft +counterdrain +counter-drain +counter-draw +counterdrive +counterearth +counter-earth +countered +countereffect +countereffects +counterefficiency +countereffort +counterefforts +counterembargo +counterembargos +counterembattled +counter-embattled +counterembowed +counter-embowed +counterenamel +counterend +counterenergy +counterengagement +counterengine +counterenthusiasm +counterentry +counterequivalent +counterermine +counter-ermine +counterespionage +counterestablishment +counterevidence +counter-evidence +counterevidences +counterexaggeration +counterexample +counterexamples +counterexcitement +counterexcommunication +counterexercise +counterexplanation +counterexposition +counterexpostulation +counterextend +counterextension +counter-extension +counter-faced +counterfact +counterfactual +counterfactually +counterfallacy +counterfaller +counter-faller +counterfeisance +counterfeit +counterfeited +counterfeiter +counterfeiters +counterfeiting +counterfeitly +counterfeitment +counterfeitness +counterfeits +counterferment +counterfessed +counter-fessed +counterfire +counter-fissure +counterfix +counterflange +counterflashing +counterfleury +counterflight +counterflory +counterflow +counterflux +counterfoil +counterforce +counter-force +counterformula +counterfort +counterfugue +countergabble +countergabion +countergage +countergager +countergambit +countergarrison +countergauge +counter-gauge +countergauger +counter-gear +countergift +countergirded +counterglow +counterguard +counter-guard +counterguerilla +counterguerrila +counterguerrilla +counterhaft +counterhammering +counter-hem +counterhypothesis +counteridea +counterideal +counterimagination +counterimitate +counterimitation +counterimpulse +counterindentation +counterindented +counterindicate +counterindication +counter-indication +counterindoctrinate +counterindoctrination +counterinflationary +counterinfluence +counter-influence +counterinfluences +countering +counterinsult +counterinsurgency +counterinsurgencies +counterinsurgent +counterinsurgents +counterintelligence +counterinterest +counterinterpretation +counterintrigue +counterintrigues +counterintuitive +counterinvective +counterinvestment +counterion +counter-ion +counterirritant +counter-irritant +counterirritate +counterirritation +counterjudging +counterjumper +counter-jumper +counterlath +counter-lath +counterlathed +counterlathing +counterlatration +counterlaw +counterleague +counterlegislation +counter-letter +counterly +counterlife +counterlight +counterlighted +counterlighting +counterlilit +counterlit +counterlocking +counterlode +counter-lode +counterlove +countermachination +countermaid +counterman +countermand +countermandable +countermanded +countermanding +countermands +countermaneuver +countermanifesto +countermanifestoes +countermarch +countermarching +countermark +counter-marque +countermarriage +countermeasure +countermeasures +countermeasure's +countermeet +countermen +countermessage +countermigration +countermine +countermined +countermining +countermissile +countermission +countermotion +counter-motion +countermount +countermove +counter-move +countermoved +countermovement +countermovements +countermoves +countermoving +countermure +countermutiny +counternaiant +counter-naiant +counternarrative +counternatural +counter-nebule +counternecromancy +counternoise +counternotice +counterobjection +counterobligation +counter-off +counteroffensive +counteroffensives +counteroffer +counteroffers +counteropening +counter-opening +counteropponent +counteropposite +counterorator +counterorder +counterorganization +counterpace +counterpaled +counter-paled +counterpaly +counterpane +counterpaned +counterpanes +counter-parade +counterparadox +counterparallel +counterparole +counter-parole +counterparry +counterpart +counter-party +counterparts +counterpart's +counterpassant +counter-passant +counterpassion +counter-pawn +counterpenalty +counter-penalty +counterpendent +counterpetition +counterpetitions +counterphobic +counterpicture +counterpillar +counterplay +counterplayer +counterplan +counterplea +counterplead +counterpleading +counterplease +counterploy +counterploys +counterplot +counterplotted +counterplotter +counterplotting +counterpoint +counterpointe +counterpointed +counterpointing +counterpoints +counterpoise +counterpoised +counterpoises +counterpoising +counterpoison +counterpole +counter-pole +counterpoles +counterponderate +counterpose +counterposition +counterposting +counterpotence +counterpotency +counterpotent +counter-potent +counterpower +counterpowers +counterpractice +counterpray +counterpreach +counterpreparation +counterpressure +counter-pressure +counterpressures +counter-price +counterprick +counterprinciple +counterprocess +counterproductive +counterproductively +counterproductiveness +counterproductivity +counterprogramming +counterproject +counterpronunciamento +counterproof +counter-proof +counterpropaganda +counterpropagandize +counterpropagation +counterpropagations +counterprophet +counterproposal +counterproposals +counterproposition +counterprotection +counterprotest +counterprotests +counterprove +counterpull +counterpunch +counterpuncher +counterpuncture +counterpush +counterquartered +counter-quartered +counterquarterly +counterquery +counterquestion +counterquestions +counterquip +counterradiation +counter-raguled +counterraid +counterraids +counterraising +counterrally +counterrallies +counterrampant +counter-rampant +counterrate +counterreaction +counterreason +counterrebuttal +counterrebuttals +counterreckoning +counterrecoil +counterreconnaissance +counterrefer +counterreflected +counterreform +counterreformation +Counter-Reformation +counterreforms +counterreligion +counterremonstrant +counterreply +counterreplied +counterreplies +counterreplying +counterreprisal +counterresolution +counterresponse +counterresponses +counterrestoration +counterretaliation +counterretaliations +counterretreat +counterrevolution +counter-revolution +counterrevolutionary +counter-revolutionary +counterrevolutionaries +counterrevolutionist +counterrevolutionize +counterrevolutions +counterriposte +counter-riposte +counterroll +counter-roll +counterrotating +counterround +counter-round +counterruin +counters +countersale +countersalient +counter-salient +countersank +counterscale +counter-scale +counterscalloped +counterscarp +counterscoff +countersconce +counterscrutiny +counter-scuffle +countersea +counter-sea +counterseal +counter-seal +countersecure +counter-secure +countersecurity +counterselection +countersense +counterservice +countershade +countershading +countershaft +countershafting +countershear +countershine +countershock +countershout +counterside +countersiege +countersign +countersignal +countersignature +countersignatures +countersigned +countersigning +countersigns +countersympathy +countersink +countersinking +countersinks +countersynod +countersleight +counterslope +countersmile +countersnarl +counter-spell +counterspy +counterspies +counterspying +counterstain +counterstamp +counterstand +counterstatant +counterstatement +counter-statement +counterstatute +counterstep +counter-step +counterstyle +counterstyles +counterstimulate +counterstimulation +counterstimulus +counterstock +counterstratagem +counterstrategy +counterstrategies +counterstream +counterstrike +counterstroke +counterstruggle +countersubject +countersue +countersued +countersues +countersuggestion +countersuggestions +countersuing +countersuit +countersuits +countersun +countersunk +countersunken +countersurprise +countersway +counterswing +countersworn +countertack +countertail +countertally +countertaste +counter-taste +countertechnicality +countertendency +counter-tendency +countertendencies +countertenor +counter-tenor +countertenors +counterterm +counterterror +counterterrorism +counterterrorisms +counterterrorist +counterterrorists +counterterrors +countertheme +countertheory +counterthought +counterthreat +counterthreats +counterthrust +counterthrusts +counterthwarting +counter-tide +countertierce +counter-tierce +countertime +counter-time +countertype +countertouch +countertraction +countertrades +countertransference +countertranslation +countertraverse +countertreason +countertree +countertrench +counter-trench +countertrend +countertrends +countertrespass +countertrippant +countertripping +counter-tripping +countertruth +countertug +counterturn +counter-turn +counterturned +countervail +countervailed +countervailing +countervails +countervair +countervairy +countervallation +countervalue +countervaunt +countervene +countervengeance +countervenom +countervibration +counterview +countervindication +countervolition +countervolley +countervote +counter-vote +counterwager +counter-wait +counterwall +counter-wall +counterwarmth +counterwave +counterweigh +counterweighed +counterweighing +counterweight +counter-weight +counterweighted +counterweights +counterwheel +counterwill +counterwilling +counterwind +counterwitness +counterword +counterwork +counterworker +counter-worker +counterworking +counterwrite +Countess +countesses +countfish +county +countian +countians +counties +counting +countinghouse +countys +county's +countywide +county-wide +countless +countlessly +countlessness +countor +countour +countre- +countree +countreeman +country +country-and-western +country-born +country-bred +country-dance +countrie +countrieman +countries +country-fashion +countrify +countrification +countrified +countryfied +countrifiedness +countryfiedness +countryfolk +countryish +country-made +countryman +countrymen +countrypeople +country's +countryseat +countryside +countrysides +country-style +countryward +countrywide +country-wide +countrywoman +countrywomen +counts +countship +coup +coupage +coup-cart +coupe +couped +coupee +coupe-gorge +coupelet +couper +Couperin +Couperus +coupes +Coupeville +couping +Coupland +couple +couple-beggar +couple-close +coupled +couplement +coupler +coupleress +couplers +couples +couplet +coupleteer +couplets +coupling +couplings +coupon +couponed +couponless +coupons +coupon's +coups +coupstick +coupure +courage +courageous +courageously +courageousness +courager +courages +courant +courante +courantes +Courantyne +couranto +courantoes +courantos +courants +courap +couratari +courb +courbache +courbaril +courbash +courbe +Courbet +courbette +courbettes +Courbevoie +courche +Courcy +courge +courgette +courida +courie +Courier +couriers +courier's +couril +courlan +Courland +courlans +Cournand +couronne +Cours +course +coursed +coursey +courser +coursers +courses +coursy +coursing +coursings +Court +courtage +courtal +court-baron +courtby +court-bouillon +courtbred +courtcraft +court-cupboard +court-customary +court-dress +courted +Courtelle +Courtenay +Courteney +courteous +courteously +courteousness +courtepy +courter +courters +courtesan +courtesanry +courtesans +courtesanship +courtesy +courtesied +courtesies +courtesying +courtesy's +courtezan +courtezanry +courtezanship +courthouse +court-house +courthouses +courthouse's +courty +courtyard +court-yard +courtyards +courtyard's +courtier +courtiery +courtierism +courtierly +courtiers +courtier's +courtiership +courtin +courting +Courtland +court-leet +courtless +courtlet +courtly +courtlier +courtliest +courtlike +courtliness +courtling +courtman +court-mantle +court-martial +court-martials +Courtnay +Courtney +courtnoll +court-noue +Courtois +court-plaster +Courtrai +courtroll +courtroom +courtrooms +courtroom's +courts +courtship +courtship-and-matrimony +courtships +courtside +courts-martial +court-tialed +court-tialing +court-tialled +court-tialling +Courtund +courtzilite +Cousance-les-Forges +couscous +couscouses +couscousou +co-use +couseranite +Coushatta +Cousy +Cousin +cousinage +cousiness +cousin-german +cousinhood +cousiny +cousin-in-law +cousinly +cousinry +cousinries +Cousins +cousin's +cousins-german +cousinship +coussinet +Coussoule +Cousteau +coustumier +couteau +couteaux +coutel +coutelle +couter +couters +Coutet +couth +couthe +couther +couthest +couthy +couthie +couthier +couthiest +couthily +couthiness +couthless +couthly +couths +coutil +coutille +coutumier +Couture +coutures +couturier +couturiere +couturieres +couturiers +couturire +couvade +couvades +couve +couvert +couverte +couveuse +couvre-feu +couxia +couxio +covado +covalence +covalences +covalency +covalent +covalently +Covarecan +Covarecas +covary +covariable +covariables +covariance +covariant +covariate +covariates +covariation +Covarrubias +covassal +cove +coved +covey +coveys +Covel +Covell +covelline +covellite +Covelo +coven +Covena +covenable +covenably +covenance +Covenant +covenantal +covenantally +covenanted +covenantee +Covenanter +covenanting +Covenant-israel +covenantor +covenants +covenant's +Coveney +covens +covent +coventrate +coven-tree +Coventry +coventries +coventrize +cover +coverable +coverage +coverages +coverall +coveralled +coveralls +coverchief +covercle +Coverdale +covered +coverer +coverers +covering +coverings +Coverley +coverless +coverlet +coverlets +coverlet's +coverlid +coverlids +cover-point +covers +coversed +co-versed +cover-shame +cover-shoulder +coverside +coversine +coverslip +coverslut +cover-slut +covert +covert-baron +covertical +covertly +covertness +coverts +coverture +coverup +cover-up +coverups +coves +Covesville +covet +covetable +coveted +coveter +coveters +coveting +covetingly +covetise +covetiveness +covetous +covetously +covetousness +covets +covibrate +covibration +covid +covido +Coviello +covillager +Covillea +covin +Covina +covine +coving +covings +Covington +covinous +covinously +covins +covin-tree +covisit +covisitor +covite +covolume +covotary +cow +cowage +cowages +cowal +co-walker +Cowan +Cowanesque +Cowansville +Coward +cowardy +cowardice +cowardices +cowardish +cowardly +cowardliness +cowardness +cowards +Cowarts +cowbane +cow-bane +cowbanes +cowbarn +cowbell +cowbells +cowberry +cowberries +cowbind +cowbinds +cowbird +cowbirds +cowbyre +cowboy +cow-boy +cowboys +cowboy's +cowbrute +cowcatcher +cowcatchers +Cowden +cowdie +Cowdrey +cowed +cowedly +coween +Cowey +cow-eyed +Cowell +Cowen +Cower +cowered +cowerer +cowerers +cowering +coweringly +cowers +Cowes +Coweta +cow-fat +cowfish +cow-fish +cowfishes +cowflap +cowflaps +cowflop +cowflops +cowgate +Cowgill +cowgirl +cowgirls +cow-goddess +cowgram +cowgrass +cowhage +cowhages +cowhand +cowhands +cow-headed +cowheart +cowhearted +cowheel +cowherb +cowherbs +cowherd +cowherds +cowhide +cow-hide +cowhided +cowhides +cowhiding +cow-hitch +cow-hocked +cowhorn +cowhouse +cowy +cowyard +Cowichan +Cowiche +co-widow +Cowie +cowier +cowiest +co-wife +cowing +cowinner +co-winner +cowinners +cowish +cowishness +cowitch +cow-itch +cowk +cowkeeper +cowkine +Cowl +cowle +cowled +cowleech +cowleeching +Cowley +Cowles +Cowlesville +cow-lice +cowlick +cowlicks +cowlike +cowling +cowlings +Cowlitz +cowls +cowl-shaped +cowlstaff +cowman +cowmen +cow-mumble +Cown +cow-nosed +co-work +coworker +co-worker +coworkers +coworking +co-working +co-worship +cowpat +cowpath +cowpats +cowpea +cowpeas +cowpen +Cowper +Cowperian +cowperitis +cowpie +cowpies +cowplop +cowplops +cowpock +cowpoke +cowpokes +cowpony +cowpox +cow-pox +cowpoxes +cowpunch +cowpuncher +cowpunchers +cowquake +cowry +cowrie +cowries +cowrite +cowrites +cowroid +cowrote +cows +cowshard +cowsharn +cowshed +cowsheds +cowshot +cowshut +cowskin +cowskins +cowslip +cowslip'd +cowslipped +cowslips +cowslip's +cowson +cow-stealing +cowsucker +cowtail +cowthwort +cowtongue +cow-tongue +cowtown +cowweed +cowwheat +Cox +coxa +coxae +coxal +coxalgy +coxalgia +coxalgias +coxalgic +coxalgies +coxankylometer +coxarthritis +coxarthrocace +coxarthropathy +coxbones +coxcomb +coxcombess +coxcombhood +coxcomby +coxcombic +coxcombical +coxcombicality +coxcombically +coxcombity +coxcombry +coxcombries +coxcombs +coxcomical +coxcomically +coxed +Coxey +coxendix +coxes +coxy +Coxyde +coxier +coxiest +coxing +coxite +coxitis +coxocerite +coxoceritic +coxodynia +coxofemoral +coxo-femoral +coxopodite +Coxsackie +coxswain +coxswained +coxswaining +coxswains +coxwain +coxwaining +coxwains +coz +Cozad +coze +cozed +cozey +cozeier +cozeiest +cozeys +cozen +cozenage +cozenages +cozened +cozener +cozeners +cozening +cozeningly +Cozens +cozes +cozy +cozie +cozied +cozier +cozies +coziest +cozying +cozily +coziness +cozinesses +cozing +Cozmo +Cozumel +Cozza +Cozzens +cozzes +CP +cp. +CPA +CPC +CPCU +CPD +cpd. +CPE +CPFF +CPH +CPI +CPIO +CPL +CPM +CPMP +CPO +CPP +CPR +CPS +CPSR +CPSU +CPT +CPU +cpus +cputime +CPW +CQ +CR +cr. +craal +craaled +craaling +craals +Crab +crabapple +Crabb +Crabbe +crabbed +crabbedly +crabbedness +crabber +crabbery +crabbers +crabby +crabbier +crabbiest +crabbily +crabbiness +crabbing +crabbish +crabbit +crabcatcher +crabeater +crabeating +crab-eating +craber +crab-faced +crabfish +crab-fish +crabgrass +crab-grass +crab-harrow +crabhole +crabier +crabit +crablet +crablike +crabman +crabmeat +crabmill +Craborchard +crab-plover +crabs +crab's +crab-shed +crabsidle +crab-sidle +crabstick +Crabtree +crabut +crabweed +crabwise +crabwood +Cracca +craccus +crachoir +cracy +Cracidae +Cracinae +crack +crack- +crackability +crackable +crackableness +crackajack +crackback +crackbrain +crackbrained +crackbrainedness +crackdown +crackdowns +cracked +crackedness +cracker +cracker-barrel +crackerberry +crackerberries +crackerjack +crackerjacks +cracker-off +cracker-on +cracker-open +crackers +crackers-on +cracket +crackhemp +cracky +crackiness +cracking +crackings +crackjaw +crackle +crackled +crackles +crackless +crackleware +crackly +cracklier +crackliest +crackling +cracklings +crack-loo +crackmans +cracknel +cracknels +crack-off +crackpot +crackpotism +crackpots +crackpottedness +crackrope +cracks +crackskull +cracksman +cracksmen +crack-the-whip +crackup +crack-up +crackups +crack-willow +cracovienne +Cracow +cracowe +craddy +Craddock +Craddockville +cradge +cradle +cradleboard +cradlechild +cradled +cradlefellow +cradleland +cradlelike +cradlemaker +cradlemaking +cradleman +cradlemate +cradlemen +cradler +cradlers +cradles +cradle-shaped +cradleside +cradlesong +cradlesongs +cradletime +cradling +Cradock +CRAF +craft +crafted +crafter +crafty +craftier +craftiest +craftily +craftiness +craftinesses +crafting +Craftint +Craftype +craftless +craftly +craftmanship +Crafton +crafts +Craftsbury +craftsman +craftsmanly +craftsmanlike +craftsmanship +craftsmanships +craftsmaster +craftsmen +craftsmenship +craftsmenships +craftspeople +craftsperson +craftswoman +craftwork +craftworker +Crag +crag-and-tail +crag-bound +crag-built +crag-carven +crag-covered +crag-fast +Cragford +craggan +cragged +craggedly +craggedness +Craggy +Craggie +craggier +craggiest +craggily +cragginess +craglike +crags +crag's +cragsman +cragsmen +Cragsmoor +cragwork +cray +craichy +craie +craye +crayer +crayfish +crayfishes +crayfishing +Craig +Craigavon +craighle +Craigie +Craigmont +craigmontite +Craigsville +Craigville +Craik +craylet +Crailsheim +Crain +Crayne +Craynor +crayon +crayoned +crayoning +crayonist +crayonists +crayons +crayonstone +Craiova +craisey +craythur +craizey +crajuru +crake +craked +crakefeet +crake-needles +craker +crakes +craking +crakow +Craley +Cralg +CRAM +cramasie +crambambulee +crambambuli +Crambe +cramberry +crambes +crambid +Crambidae +Crambinae +cramble +crambly +crambo +cramboes +crambos +Crambus +cramel +Cramer +Cramerton +cram-full +crammed +crammel +crammer +crammers +cramming +crammingly +cramoisy +cramoisie +cramoisies +cramp +crampbit +cramped +crampedness +cramper +crampet +crampette +crampfish +crampfishes +crampy +cramping +crampingly +cramp-iron +crampish +crampit +crampits +crampon +cramponnee +crampons +crampoon +crampoons +cramps +cramp's +crams +Cran +Cranach +cranage +Cranaus +cranberry +cranberries +cranberry's +Cranbury +crance +crancelin +cranch +cranched +cranches +cranching +Crandale +Crandall +crandallite +Crandell +Crandon +Crane +cranebill +craned +crane-fly +craney +cranely +cranelike +craneman +cranemanship +cranemen +Craner +cranes +crane's +cranesbill +crane's-bill +cranesman +Cranesville +cranet +craneway +Cranford +crang +crany +crani- +Crania +craniacromial +craniad +cranial +cranially +cranian +Craniata +craniate +craniates +cranic +craniectomy +craning +craninia +craniniums +cranio- +cranio-acromial +cranio-aural +craniocele +craniocerebral +cranioclasis +cranioclasm +cranioclast +cranioclasty +craniodidymus +craniofacial +craniognomy +craniognomic +craniognosy +craniograph +craniographer +craniography +cranioid +craniol +craniology +craniological +craniologically +craniologist +craniom +craniomalacia +craniomaxillary +craniometer +craniometry +craniometric +craniometrical +craniometrically +craniometrist +craniopagus +craniopathy +craniopathic +craniopharyngeal +craniopharyngioma +craniophore +cranioplasty +craniopuncture +craniorhachischisis +craniosacral +cranioschisis +cranioscopy +cranioscopical +cranioscopist +craniospinal +craniostenosis +craniostosis +Craniota +craniotabes +craniotympanic +craniotome +craniotomy +craniotomies +craniotopography +craniovertebral +cranium +craniums +crank +crankbird +crankcase +crankcases +crankdisk +crank-driven +cranked +cranker +crankery +crankest +cranky +crankier +crankiest +crankily +crankiness +cranking +crankish +crankism +crankle +crankled +crankles +crankless +crankly +crankling +crankman +crankness +Cranko +crankous +crankpin +crankpins +crankplate +Cranks +crankshaft +crankshafts +crank-sided +crankum +Cranmer +crannage +crannel +crannequin +cranny +crannia +crannied +crannies +crannying +crannock +crannog +crannoge +crannoger +crannoges +crannogs +cranreuch +cransier +Cranston +crantara +crants +Cranwell +crap +crapaud +crapaudine +crape +craped +crapefish +crape-fish +crapehanger +crapelike +crapes +crapette +crapy +craping +Crapo +crapon +crapped +crapper +crappers +crappy +crappie +crappier +crappies +crappiest +crappin +crappiness +crapping +crappit-head +crapple +crappo +craps +crapshooter +crapshooters +crapshooting +crapula +crapulate +crapulence +crapulency +crapulent +crapulous +crapulously +crapulousness +crapwa +craquelure +craquelures +crare +Crary +Craryville +CRAS +crases +crash +Crashaw +crash-dive +crash-dived +crash-diving +crash-dove +crashed +crasher +crashers +crashes +crashing +crashingly +crash-land +crash-landing +crashproof +crashworthy +crashworthiness +crasis +craspedal +craspedodromous +craspedon +Craspedota +craspedotal +craspedote +craspedum +crass +crassament +crassamentum +crasser +crassest +crassier +crassilingual +Crassina +crassis +crassities +crassitude +crassly +crassness +Crassula +Crassulaceae +crassulaceous +Crassus +crat +Crataegus +Crataeis +Crataeva +cratch +cratchens +cratches +cratchins +crate +crated +crateful +cratemaker +cratemaking +crateman +cratemen +Crater +crateral +cratered +Craterellus +Craterid +crateriform +cratering +Crateris +craterkin +craterless +craterlet +craterlike +craterous +craters +crater-shaped +crates +craticular +Cratinean +crating +cratometer +cratometry +cratometric +craton +cratonic +cratons +cratsmanship +Cratus +craunch +craunched +craunches +craunching +craunchingly +cravat +cravats +cravat's +cravatted +cravatting +crave +craved +Craven +cravened +Cravenette +Cravenetted +Cravenetting +cravenhearted +cravening +cravenly +cravenness +cravens +craver +cravers +craves +craving +cravingly +cravingness +cravings +cravo +Craw +crawberry +craw-craw +crawdad +crawdads +crawfish +crawfished +crawfishes +crawfishing +crawfoot +crawfoots +Crawford +Crawfordsville +Crawfordville +crawful +crawl +crawl-a-bottom +crawled +Crawley +crawleyroot +crawler +crawlerize +crawlers +crawly +crawlie +crawlier +crawliest +crawling +crawlingly +crawls +crawlsome +crawlspace +crawl-up +crawlway +crawlways +crawm +craws +crawtae +Crawthumper +Crax +craze +crazed +crazed-headed +crazedly +crazedness +crazes +crazy +crazycat +crazy-drunk +crazier +crazies +craziest +crazy-headed +crazily +crazy-looking +crazy-mad +craziness +crazinesses +crazing +crazingmill +crazy-pate +crazy-paving +crazyweed +crazy-work +CRB +CRC +crcao +crche +Crcy +CRD +cre +crea +creach +creachy +cread +creagh +creaght +creak +creaked +creaker +creaky +creakier +creakiest +creakily +creakiness +creaking +creakingly +creaks +cream +creambush +creamcake +cream-cheese +cream-color +cream-colored +creamcup +creamcups +creamed +Creamer +creamery +creameries +creameryman +creamerymen +creamers +cream-faced +cream-flowered +creamfruit +creamy +cream-yellow +creamier +creamiest +creamily +creaminess +creaming +creamlaid +creamless +creamlike +creammaker +creammaking +creamometer +creams +creamsacs +cream-slice +creamware +cream-white +Crean +creance +creancer +creant +crease +creased +creaseless +creaser +crease-resistant +creasers +creases +creashaks +creasy +creasier +creasiest +creasing +creasol +creasot +creat +creatable +create +created +createdness +creates +Creath +creatic +creatin +creatine +creatinephosphoric +creatines +creating +creatinin +creatinine +creatininemia +creatins +creatinuria +Creation +creational +creationary +creationism +creationist +creationistic +creations +creative +creatively +creativeness +creativity +creativities +creatophagous +Creator +creatorhood +creatorrhea +creators +creator's +creatorship +creatotoxism +creatress +creatrix +creatural +creature +creaturehood +creatureless +creaturely +creatureliness +creatureling +creatures +creature's +creatureship +creaturize +creaze +crebri- +crebricostate +crebrisulcate +crebrity +crebrous +creche +creches +Crecy +creda +credal +creddock +credence +credences +credencive +credenciveness +credenda +credendum +credens +credensive +credensiveness +credent +credential +credentialed +credentialism +credentials +credently +credenza +credenzas +credere +credibility +credibilities +credible +credibleness +credibly +credit +creditability +creditabilities +creditable +creditableness +creditably +credited +crediting +creditive +creditless +creditor +creditors +creditor's +creditorship +creditress +creditrix +credits +crednerite +Credo +credos +credulity +credulities +credulous +credulously +credulousness +Cree +creed +creedal +creedalism +creedalist +creedbound +Creede +creeded +creedist +creedite +creedless +creedlessness +Creedmoor +creedmore +Creedon +creeds +creed's +creedsman +Creek +creeker +creekfish +creekfishes +creeky +Creeks +creek's +creekside +creekstuff +Creel +creeled +creeler +creeling +creels +creem +creen +creep +creepage +creepages +creeper +creepered +creeperless +creepers +creep-fed +creep-feed +creep-feeding +creephole +creepy +creepy-crawly +creepie +creepie-peepie +creepier +creepies +creepiest +creepily +creepiness +creeping +creepingly +creepmouse +creepmousy +creeps +Crees +creese +creeses +creesh +creeshed +creeshes +creeshy +creeshie +creeshing +Crefeld +CREG +Creigh +Creight +Creighton +Creil +creirgist +Crelin +Crellen +cremaillere +cremains +cremant +cremaster +cremasterial +cremasteric +cremate +cremated +cremates +cremating +cremation +cremationism +cremationist +cremations +cremator +crematory +crematoria +crematorial +crematories +crematoriria +crematoririums +crematorium +crematoriums +cremators +crembalum +creme +Cremer +cremerie +cremes +Cremini +cremnophobia +cremocarp +cremometer +Cremona +cremone +cremor +cremorne +cremosin +cremule +CREN +crena +crenae +crenallation +crenate +crenated +crenate-leaved +crenately +crenate-toothed +crenation +crenato- +crenature +crenel +crenelate +crenelated +crenelates +crenelating +crenelation +crenelations +crenele +creneled +crenelee +crenelet +creneling +crenellate +crenellated +crenellating +crenellation +crenelle +crenelled +crenelles +crenelling +crenels +crengle +crenic +crenitic +crenology +crenotherapy +Crenothrix +Crenshaw +crenula +crenulate +crenulated +crenulation +creodont +Creodonta +creodonts +Creola +Creole +creole-fish +creole-fishes +creoleize +creoles +creolian +Creolin +creolism +creolite +creolization +creolize +creolized +creolizing +Creon +creophagy +creophagia +creophagism +creophagist +creophagous +creosol +creosols +creosote +creosoted +creosoter +creosotes +creosotic +creosoting +crepance +crepe +crepe-backed +creped +crepehanger +crepey +crepeier +crepeiest +crepe-paper +crepes +Crepy +crepidoma +crepidomata +Crepidula +crepier +crepiest +Crepin +crepine +crepiness +creping +Crepis +crepitacula +crepitaculum +crepitant +crepitate +crepitated +crepitating +crepitation +crepitous +crepitus +creply +crepon +crepons +crept +crepuscle +crepuscular +crepuscule +crepusculine +crepusculum +Cres +Cresa +cresamine +Cresbard +cresc +Crescantia +Crescas +Crescen +crescence +crescendi +Crescendo +crescendoed +crescendoing +crescendos +Crescent +crescentade +crescentader +crescented +crescent-formed +Crescentia +crescentic +crescentiform +crescenting +crescentlike +crescent-lit +crescentoid +crescent-pointed +crescents +crescent's +crescent-shaped +crescentwise +Crescin +Crescint +crescive +crescively +Cresco +crescograph +crescographic +cresegol +Cresida +cresyl +cresylate +cresylene +cresylic +cresylite +cresyls +Cresius +cresive +cresol +cresolin +cresoline +cresols +cresorcin +cresorcinol +cresotate +cresotic +cresotinate +cresotinic +cresoxy +cresoxid +cresoxide +Cresphontes +Crespi +Crespo +cress +cressed +Cressey +cresselle +cresses +cresset +cressets +Cressi +Cressy +Cressida +Cressie +cressier +cressiest +Cresskill +Cressler +Cresson +Cressona +cressweed +cresswort +crest +crestal +crested +crestfallen +crest-fallen +crestfallenly +crestfallenness +crestfallens +crestfish +cresting +crestings +crestless +Crestline +crestmoreite +Creston +Crestone +crests +Crestview +Crestwood +Creswell +Creta +cretaceo- +Cretaceous +cretaceously +Cretacic +Cretan +Crete +cretefaction +Cretheis +Cretheus +Cretic +creticism +cretics +cretify +cretification +cretin +cretinic +cretinism +cretinistic +cretinization +cretinize +cretinized +cretinizing +cretinoid +cretinous +cretins +cretion +cretionary +Cretism +cretize +Creto-mycenaean +cretonne +cretonnes +cretoria +Creusa +Creuse +Creusois +Creusot +creutzer +crevalle +crevalles +crevass +crevasse +crevassed +crevasses +crevassing +Crevecoeur +crevet +crevette +crevice +creviced +crevices +crevice's +crevis +crew +crew-cropped +crewcut +Crewe +crewed +crewel +crewelist +crewellery +crewels +crewelwork +crewel-work +crewer +crewet +crewing +crewless +crewman +crewmanship +crewmen +crewneck +crew-necked +crews +Crex +CRFC +CRFMP +CR-glass +CRI +CRY +cry- +cryable +cryaesthesia +cryal +cryalgesia +Cryan +criance +cryanesthesia +criant +crib +crybaby +crybabies +cribbage +cribbages +cribbed +cribber +cribbers +cribbing +cribbings +crib-bit +crib-bite +cribbiter +crib-biter +cribbiting +crib-biting +crib-bitten +cribble +cribbled +cribbling +cribella +cribellum +crible +cribo +cribose +cribral +cribrate +cribrately +cribration +cribriform +cribriformity +cribrose +cribrosity +cribrous +cribs +crib's +cribwork +cribworks +cric +cricetid +Cricetidae +cricetids +cricetine +Cricetus +Crichton +Crick +crick-crack +cricke +cricked +crickey +cricket +cricketed +cricketer +cricketers +crickety +cricketing +cricketings +cricketlike +crickets +cricket's +cricking +crickle +cricks +crico- +cricoarytenoid +cricoid +cricoidectomy +cricoids +cricopharyngeal +cricothyreoid +cricothyreotomy +cricothyroid +cricothyroidean +cricotomy +cricotracheotomy +Cricotus +criddle +Criders +cried +criey +crier +criers +cries +cryesthesia +Crifasi +crig +crying +cryingly +crikey +Crile +Crim +crim. +crimble +crime +Crimea +Crimean +crimeful +crimeless +crimelessness +crimeproof +crimes +crime's +criminal +criminaldom +criminalese +criminalism +criminalist +criminalistic +criminalistician +criminalistics +criminality +criminalities +criminally +criminalness +criminaloid +criminals +criminate +criminated +criminating +crimination +criminative +criminator +criminatory +crimine +crimini +criminis +criminogenesis +criminogenic +criminol +criminology +criminologic +criminological +criminologically +criminologies +criminologist +criminologists +criminosis +criminous +criminously +criminousness +crimison +crimmer +crimmers +crimmy +crymoanesthesia +crymodynia +crimogenic +Crimora +crymotherapy +crimp +crimpage +crimped +crimper +crimpers +crimpy +crimpier +crimpiest +crimpy-haired +crimpiness +crimping +crimple +crimpled +Crimplene +crimples +crimpling +crimpness +crimps +crimson +crimson-banded +crimson-barred +crimson-billed +crimson-carmine +crimson-colored +crimson-dyed +crimsoned +crimson-fronted +crimsony +crimsoning +crimsonly +crimson-lined +crimsonness +crimson-petaled +crimson-purple +crimsons +crimson-scarfed +crimson-spotted +crimson-tipped +crimson-veined +crimson-violet +CRIN +crinal +crinanite +crinate +crinated +crinatory +crinc- +crinch +crine +crined +crinel +crinet +cringe +cringed +cringeling +cringer +cringers +cringes +cringing +cringingly +cringingness +cringle +cringle-crangle +cringles +crini- +crinicultural +criniculture +crinid +criniere +criniferous +Criniger +crinigerous +crinion +criniparous +crinital +crinite +crinites +crinitory +crinivorous +crink +crinkle +crinkle-crankle +crinkled +crinkleroot +crinkles +crinkly +crinklier +crinkliest +crinkly-haired +crinkliness +crinkling +crinkum +crinkum-crankum +crinogenic +crinoid +crinoidal +Crinoidea +crinoidean +crinoids +crinolette +crinoline +crinolines +crinose +crinosity +crinula +Crinum +crinums +crio- +cryo- +cryo-aerotherapy +cryobiology +cryobiological +cryobiologically +cryobiologist +crioboly +criobolium +cryocautery +criocephalus +Crioceras +crioceratite +crioceratitic +Crioceris +cryochore +cryochoric +cryoconite +cryogen +cryogeny +cryogenic +cryogenically +cryogenics +cryogenies +cryogens +cryohydrate +cryohydric +cryolite +cryolites +criolla +criollas +criollo +criollos +cryology +cryological +cryometer +cryometry +cryonic +cryonics +cryopathy +cryophile +cryophilic +cryophyllite +cryophyte +criophore +cryophoric +Criophoros +Criophorus +cryophorus +cryoplankton +cryoprobe +cryoprotective +cryo-pump +cryoscope +cryoscopy +cryoscopic +cryoscopies +cryosel +cryosphere +cryospheric +criosphinges +criosphinx +criosphinxes +cryostase +cryostat +cryostats +cryosurgeon +cryosurgery +cryosurgical +cryotherapy +cryotherapies +cryotron +cryotrons +crip +cripe +cripes +Crippen +crippied +crippingly +cripple +crippled +crippledom +crippleness +crippler +cripplers +cripples +cripply +crippling +cripplingly +Cripps +crips +crypt +crypt- +crypta +cryptaesthesia +cryptal +cryptamnesia +cryptamnesic +cryptanalysis +cryptanalyst +cryptanalytic +cryptanalytical +cryptanalytically +cryptanalytics +cryptanalyze +cryptanalyzed +cryptanalyzing +cryptarch +cryptarchy +crypted +Crypteronia +Crypteroniaceae +cryptesthesia +cryptesthetic +cryptic +cryptical +cryptically +crypticness +crypto +crypto- +cryptoagnostic +cryptoanalysis +cryptoanalyst +cryptoanalytic +cryptoanalytically +cryptoanalytics +cryptobatholithic +cryptobranch +Cryptobranchia +Cryptobranchiata +cryptobranchiate +Cryptobranchidae +Cryptobranchus +Crypto-calvinism +Crypto-calvinist +Crypto-calvinistic +Cryptocarya +cryptocarp +cryptocarpic +cryptocarpous +Crypto-catholic +Crypto-catholicism +Cryptocephala +cryptocephalous +Cryptocerata +cryptocerous +Crypto-christian +cryptoclastic +Cryptocleidus +cryptoclimate +cryptoclimatology +cryptococcal +cryptococci +cryptococcic +cryptococcosis +Cryptococcus +cryptocommercial +cryptocrystalline +cryptocrystallization +cryptodeist +cryptodynamic +Cryptodira +cryptodiran +cryptodire +cryptodirous +cryptodouble +Crypto-fenian +cryptogam +cryptogame +cryptogamy +Cryptogamia +cryptogamian +cryptogamic +cryptogamical +cryptogamist +cryptogamous +cryptogenetic +cryptogenic +cryptogenous +Cryptoglaux +cryptoglioma +cryptogram +Cryptogramma +cryptogrammatic +cryptogrammatical +cryptogrammatist +cryptogrammic +cryptograms +cryptograph +cryptographal +cryptographer +cryptographers +cryptography +cryptographic +cryptographical +cryptographically +cryptographies +cryptographist +cryptoheresy +cryptoheretic +cryptoinflationist +Crypto-jesuit +Crypto-jew +Crypto-jewish +cryptolite +cryptolith +cryptology +cryptologic +cryptological +cryptologist +cryptolunatic +cryptomere +Cryptomeria +cryptomerous +cryptometer +cryptomnesia +cryptomnesic +cryptomonad +Cryptomonadales +Cryptomonadina +cryptonema +Cryptonemiales +cryptoneurous +cryptonym +cryptonymic +cryptonymous +cryptopapist +cryptoperthite +Cryptophagidae +Cryptophyceae +cryptophyte +cryptophytic +cryptophthalmos +cryptopyic +cryptopin +cryptopine +cryptopyrrole +cryptoporticus +Cryptoprocta +cryptoproselyte +cryptoproselytism +Crypto-protestant +cryptorchid +cryptorchidism +cryptorchis +cryptorchism +Cryptorhynchus +Crypto-royalist +cryptorrhesis +cryptorrhetic +cryptos +cryptoscope +cryptoscopy +Crypto-socinian +cryptosplenetic +Cryptostegia +cryptostoma +Cryptostomata +cryptostomate +cryptostome +Cryptotaenia +cryptous +cryptovalence +cryptovalency +cryptovolcanic +cryptovolcanism +cryptoxanthin +cryptozygy +cryptozygosity +cryptozygous +Cryptozoic +cryptozoite +cryptozonate +Cryptozonia +Cryptozoon +crypts +Crypturi +Crypturidae +CRIS +Crisey +Criseyde +Crises +Crisfield +crisic +crisis +Crisium +crisle +CRISP +Crispa +Crispas +crispate +crispated +crispation +crispature +crispbread +crisped +crisped-leaved +Crispen +crispened +crispening +crispens +crisper +crispers +crispest +Crispi +crispy +crispier +crispiest +crispily +Crispin +crispine +crispiness +crisping +Crispinian +crispins +crisp-leaved +crisply +crispness +crispnesses +crisps +criss +crissa +crissal +crisscross +criss-cross +crisscrossed +crisscrosses +crisscrossing +crisscross-row +crisset +Crissy +Crissie +crissum +Crist +cryst +cryst. +Crista +Crysta +Cristabel +cristae +Cristal +Crystal +crystal-clear +crystal-clearness +crystal-dropping +crystaled +crystal-flowing +crystal-gazer +crystal-girded +crystaling +Crystalite +crystalitic +crystalize +crystall +crystal-leaved +crystalled +crystallic +crystalliferous +crystalliform +crystalligerous +crystallike +crystallin +crystalline +crystalling +crystallinity +crystallisability +crystallisable +crystallisation +crystallise +crystallised +crystallising +crystallite +crystallites +crystallitic +crystallitis +crystallizability +crystallizable +crystallization +crystallizations +crystallize +crystallized +crystallizer +crystallizes +crystallizing +crystallo- +crystalloblastic +crystallochemical +crystallochemistry +crystallod +crystallogenesis +crystallogenetic +crystallogeny +crystallogenic +crystallogenical +crystallogy +crystallogram +crystallograph +crystallographer +crystallographers +crystallography +crystallographic +crystallographical +crystallographically +crystalloid +crystalloidal +crystallology +crystalloluminescence +crystallomagnetic +crystallomancy +crystallometry +crystallometric +crystallophyllian +crystallophobia +Crystallose +crystallurgy +crystal-producing +crystals +crystal's +crystal-smooth +crystal-streaming +crystal-winged +crystalwort +cristate +cristated +Cristatella +cryste +Cristen +Cristi +Cristy +Cristian +Cristiano +crystic +Cristie +Crystie +cristiform +Cristin +Cristina +Cristine +Cristineaux +Cristino +Cristiona +Cristionna +Cristispira +Cristivomer +Cristobal +cristobalite +Cristoforo +crystograph +crystoleum +Crystolon +Cristophe +cristopher +crystosphene +Criswell +crit +crit. +critch +Critchfield +criteria +criteriia +criteriions +criteriology +criterion +criterional +criterions +criterium +crith +Crithidia +crithmene +crithomancy +critic +critical +criticality +critically +criticalness +criticaster +criticasterism +criticastry +criticisable +criticise +criticised +criticiser +criticises +criticising +criticisingly +criticism +criticisms +criticism's +criticist +criticizable +criticize +criticized +criticizer +criticizers +criticizes +criticizing +criticizingly +critickin +critico- +critico-analytically +critico-historical +critico-poetical +critico-theological +critics +critic's +criticship +criticsm +criticule +critique +critiqued +critiques +critiquing +critism +critize +critling +Critta +Crittenden +critter +critteria +critters +crittur +critturs +Critz +Crius +crivetz +Crivitz +crizzel +crizzle +crizzled +crizzling +CRL +CRLF +cro +croak +croaked +Croaker +croakers +croaky +croakier +croakiest +croakily +croakiness +croaking +croaks +croape +Croat +Croatan +Croatia +Croatian +croc +Crocanthemum +crocard +Croce +Croceatas +croceic +crocein +croceine +croceines +croceins +croceous +crocetin +croceus +croche +Crocheron +crochet +crocheted +crocheter +crocheters +crocheteur +crocheting +crochets +croci +crociary +crociate +crocidolite +Crocidura +crocin +crocine +crock +crockard +crocked +Crocker +crockery +crockeries +crockeryware +crocket +crocketed +crocketing +crockets +Crockett +Crocketville +Crockford +crocky +crocking +crocko +crocks +crocodile +crocodilean +crocodiles +Crocodilia +crocodilian +Crocodilidae +Crocodylidae +crocodiline +crocodilite +crocodility +crocodiloid +Crocodilus +Crocodylus +crocoisite +crocoite +crocoites +croconate +croconic +Crocosmia +crocs +Crocus +crocused +crocuses +crocuta +Croesi +Croesus +Croesuses +Croesusi +Crofoot +Croft +crofter +crofterization +crofterize +crofters +crofting +croftland +Crofton +crofts +Croghan +croh +croy +croyden +Croydon +croighle +croiik +croyl +crois +croisad +croisade +croisard +croise +croisee +croises +croisette +croissant +croissante +croissants +Croix +crojack +crojik +crojiks +croker +Crokinole +Crom +Cro-Magnon +cromaltite +crombec +crome +Cromer +Cromerian +cromfordite +cromlech +cromlechs +cromme +crommel +Crommelin +Cromona +cromorna +cromorne +Crompton +cromster +Cromwell +Cromwellian +Cronartium +crone +croneberry +cronel +Croner +crones +cronet +crony +Cronia +Cronian +CRONIC +cronie +cronied +cronies +cronying +cronyism +cronyisms +Cronin +Cronyn +cronish +cronk +cronkness +Cronos +cronstedtite +Cronus +crooch +crood +croodle +crooisite +crook +crookback +crookbacked +crook-backed +crookbill +crookbilled +crooked +crookedbacked +crooked-backed +crooked-billed +crooked-branched +crooked-clawed +crooked-eyed +crookeder +crookedest +crooked-foot +crooked-legged +crookedly +crooked-limbed +crooked-lined +crooked-lipped +crookedness +crookednesses +crooked-nosed +crooked-pated +crooked-shouldered +crooked-stemmed +crooked-toothed +crooked-winged +crooked-wood +crooken +crookery +crookeries +Crookes +crookesite +crookfingered +crookheaded +crooking +crookkneed +crookle +crooklegged +crookneck +crooknecked +crooknecks +crooknosed +Crooks +crookshouldered +crooksided +crooksterned +Crookston +Crooksville +crooktoothed +crool +Croom +Croomia +croon +crooned +crooner +crooners +crooning +crooningly +croons +croose +crop +crop-bound +crop-dust +crop-duster +crop-dusting +crop-ear +crop-eared +crop-farming +crop-full +crop-haired +crophead +crop-headed +cropland +croplands +cropless +cropman +crop-nosed +croppa +cropped +cropper +croppers +cropper's +croppy +croppie +croppies +cropping +cropplecrown +crop-producing +crops +crop's +Cropsey +Cropseyville +crop-shaped +cropshin +cropsick +crop-sick +cropsickness +crop-tailed +cropweed +Cropwell +croquet +croqueted +croqueting +croquets +croquette +croquettes +croquignole +croquis +crore +crores +crosa +Crosby +Crosbyton +crose +croset +crosette +croshabell +crosier +crosiered +crosiers +Crosley +croslet +crosne +crosnes +Cross +cross- +crossability +crossable +cross-adoring +cross-aisle +cross-appeal +crossarm +cross-armed +crossarms +crossband +crossbanded +cross-banded +crossbanding +cross-banding +crossbar +cross-bar +crossbarred +crossbarring +crossbars +crossbar's +crossbbred +crossbeak +cross-beak +crossbeam +cross-beam +crossbeams +crossbearer +cross-bearer +cross-bearing +cross-bearings +cross-bedded +cross-bedding +crossbelt +crossbench +cross-bench +cross-benched +cross-benchedness +crossbencher +cross-bencher +cross-bias +cross-biased +cross-biassed +crossbill +cross-bill +cross-bind +crossbirth +crossbite +crossbolt +crossbolted +cross-bombard +cross-bond +crossbones +cross-bones +Crossbow +cross-bow +crossbowman +crossbowmen +crossbows +crossbred +cross-bred +crossbreds +crossbreed +cross-breed +crossbreeded +crossbreeding +crossbreeds +cross-bridge +cross-brush +cross-bun +cross-buttock +cross-buttocker +cross-carve +cross-channel +crosscheck +cross-check +cross-church +cross-claim +cross-cloth +cross-compound +cross-connect +cross-country +cross-course +crosscourt +cross-cousin +crosscrosslet +cross-crosslet +cross-crosslets +crosscurrent +crosscurrented +crosscurrents +cross-curve +crosscut +cross-cut +crosscuts +crosscutter +crosscutting +cross-days +cross-datable +cross-date +cross-dating +cross-dye +cross-dyeing +cross-disciplinary +cross-division +cross-drain +Crosse +crossed +crossed-h +crossed-out +cross-eye +cross-eyed +cross-eyedness +cross-eyes +cross-elbowed +crosser +crossers +crosses +crossest +Crossett +crossette +cross-examination +cross-examine +cross-examined +cross-examiner +cross-examining +cross-face +cross-fade +cross-faded +cross-fading +crossfall +cross-feed +cross-ferred +cross-ferring +cross-fertile +crossfertilizable +cross-fertilizable +cross-fertilization +cross-fertilize +cross-fertilized +cross-fertilizing +cross-fiber +cross-file +cross-filed +cross-filing +cross-finger +cross-fingered +crossfire +cross-fire +crossfired +crossfiring +cross-firing +crossfish +cross-fish +cross-fissured +cross-fixed +crossflow +crossflower +cross-flower +cross-folded +crossfoot +cross-fox +cross-fur +cross-gagged +cross-garnet +cross-gartered +cross-grain +cross-grained +cross-grainedly +crossgrainedness +cross-grainedness +crosshackle +crosshair +crosshairs +crosshand +cross-handed +cross-handled +crosshatch +cross-hatch +crosshatched +crosshatcher +cross-hatcher +crosshatches +crosshatching +cross-hatching +crosshaul +crosshauling +crosshead +cross-head +cross-headed +cross-hilted +cross-immunity +cross-immunization +cross-index +crossing +crossing-out +crossing-over +crossings +cross-interrogate +cross-interrogation +cross-interrogator +cross-interrogatory +cross-invite +crossite +crossjack +cross-jack +cross-joined +cross-jostle +cross-laced +cross-laminated +cross-land +crosslap +cross-lap +cross-latticed +cross-leaved +cross-legged +cross-leggedly +cross-leggedness +crosslegs +crossley +crosslet +crossleted +crosslets +cross-level +crossly +cross-license +cross-licensed +cross-licensing +cross-lift +crosslight +cross-light +crosslighted +crosslike +crossline +crosslink +cross-link +cross-locking +cross-lots +cross-marked +cross-mate +cross-mated +cross-mating +cross-multiplication +crossness +Crossnore +crossopodia +crossopt +crossopterygian +Crossopterygii +Crossosoma +Crossosomataceae +crossosomataceous +cross-out +crossover +cross-over +crossovers +crossover's +crosspatch +cross-patch +crosspatches +crosspath +cross-pawl +cross-peal +crosspiece +cross-piece +crosspieces +cross-piled +cross-ply +cross-plough +cross-plow +crosspoint +cross-point +crosspoints +cross-pollen +cross-pollenize +cross-pollinate +cross-pollinated +cross-pollinating +cross-pollination +cross-pollinize +crosspost +cross-post +cross-purpose +cross-purposes +cross-question +cross-questionable +cross-questioner +cross-questioning +crossrail +cross-ratio +cross-reaction +cross-reading +cross-refer +cross-reference +cross-remainder +crossroad +cross-road +crossroading +Crossroads +crossrow +cross-row +crossruff +cross-ruff +cross-sail +cross-section +cross-sectional +cross-shaped +cross-shave +cross-slide +cross-spale +cross-spall +cross-springer +cross-staff +cross-staffs +cross-star +cross-staves +cross-sterile +cross-sterility +cross-stitch +cross-stitching +cross-stone +cross-stratification +cross-stratified +cross-striated +cross-string +cross-stringed +cross-stringing +cross-striped +cross-strung +cross-sue +cross-surge +crosstail +cross-tail +crosstalk +crosstie +crosstied +crossties +cross-tine +crosstoes +crosstown +cross-town +crosstrack +crosstree +cross-tree +crosstrees +cross-validation +cross-vault +cross-vaulted +cross-vaulting +cross-vein +cross-veined +cross-ventilate +cross-ventilation +Crossville +cross-vine +cross-voting +crossway +cross-way +crossways +crosswalk +crosswalks +crossweb +crossweed +Crosswicks +crosswind +cross-wind +crosswise +crosswiseness +crossword +crossworder +cross-worder +crosswords +crossword's +crosswort +cross-wrapped +crost +crostarie +Croswell +crotal +Crotalaria +crotalic +crotalid +Crotalidae +crotaliform +crotalin +Crotalinae +crotaline +crotalism +crotalo +crotaloid +crotalum +Crotalus +crotaphic +crotaphion +crotaphite +crotaphitic +Crotaphytus +crotch +crotched +crotches +crotchet +crotcheted +crotcheteer +crotchety +crotchetiness +crotcheting +crotchets +crotchy +crotching +crotchwood +Croteau +crotesco +Crothersville +Crotia +crotyl +crotin +Croton +crotonaldehyde +crotonate +crotonbug +croton-bug +Crotone +crotonic +crotonyl +crotonylene +crotonization +Croton-on-Hudson +crotons +Crotophaga +Crotopus +crottal +crottels +Crotty +crottle +Crotus +crouch +crouchant +crouchback +crouche +crouched +croucher +crouches +crouchie +crouching +crouchingly +crouchmas +crouch-ware +crouke +crounotherapy +croup +croupade +croupal +croupe +crouperbush +croupes +croupy +croupier +croupiers +croupiest +croupily +croupiness +croupon +croupous +croups +Crouse +crousely +Crouseville +croustade +crout +croute +crouth +crouton +croutons +Crow +crowbait +crowbar +crow-bar +crowbars +crowbell +crowberry +crowberries +crowbill +crow-bill +crowboot +crowd +crowded +crowdedly +crowdedness +Crowder +crowders +crowdy +crowdie +crowdies +crowding +crowdle +crowds +crowdweed +Crowe +crowed +Crowell +crower +crowers +crowfeet +crowflower +crow-flower +crowfoot +crowfooted +crowfoots +crow-garlic +Crowheart +crowhop +crowhopper +crowing +crowingly +crowkeeper +crowl +crow-leek +Crowley +Crown +crownal +crownation +crownband +crownbeard +crowncapping +crowned +crowner +crowners +crownet +crownets +crown-glass +crowning +crownland +crown-land +crownless +crownlet +crownlike +crownling +crownmaker +crownment +crown-of-jewels +crown-of-thorns +crown-paper +crownpiece +crown-piece +crown-post +Crowns +crown-scab +crown-shaped +Crownsville +crown-wheel +crownwork +crown-work +crownwort +crow-pheasant +crow-quill +crows +crow's-feet +crow's-foot +crowshay +crow-silk +crow's-nest +crow-soap +crowstep +crow-step +crowstepped +crowsteps +crowstick +crowstone +crow-stone +crowtoe +crow-toe +crow-tread +crow-victuals +Crowville +croze +crozed +crozer +crozers +crozes +Crozet +Crozier +croziers +crozing +crozle +crozzle +crozzly +CRP +crpe +CRRES +CRS +CRSAB +CRT +CRTC +crts +cru +crub +crubeen +Cruce +cruces +crucethouse +cruche +crucial +cruciality +crucially +crucialness +crucian +Crucianella +crucians +cruciate +cruciated +cruciately +cruciating +cruciation +cruciato- +crucible +crucibles +Crucibulum +crucifer +Cruciferae +cruciferous +crucifers +crucify +crucificial +crucified +crucifier +crucifies +crucifyfied +crucifyfying +crucifige +crucifying +crucifix +crucifixes +Crucifixion +crucifixions +cruciform +cruciformity +cruciformly +crucigerous +crucily +crucilly +Crucis +cruck +crucks +crud +crudded +Crudden +cruddy +cruddier +crudding +cruddle +crude +crudely +crudelity +crudeness +cruder +crudes +crudest +crudy +crudites +crudity +crudities +crudle +cruds +crudwort +cruel +crueler +cruelest +cruelhearted +cruel-hearted +cruelize +crueller +cruellest +cruelly +cruelness +cruels +cruelty +cruelties +cruent +cruentate +cruentation +cruentous +cruet +cruety +cruets +Cruger +Cruickshank +Cruyff +Cruikshank +cruise +cruised +cruiser +cruisers +cruiserweight +cruises +cruiseway +cruising +cruisingly +cruiskeen +cruisken +cruive +crull +cruller +crullers +Crum +crumb +crumbable +crumbcloth +crumbed +crumber +crumbers +crumby +crumbier +crumbiest +crumbing +crumble +crumbled +crumblement +crumbles +crumblet +crumbly +crumblier +crumbliest +crumbliness +crumbling +crumblingness +crumblings +crumbs +crumbum +crumbums +crumen +crumena +crumenal +crumhorn +crumlet +crummable +crummed +crummer +crummy +crummie +crummier +crummies +crummiest +crumminess +crumming +crummock +crump +crumped +crumper +crumpet +crumpets +crumpy +crumping +crumple +crumpled +Crumpler +crumples +crumply +crumpling +crumps +Crumpton +Crumrod +crumster +crunch +crunchable +crunched +cruncher +crunchers +crunches +crunchy +crunchier +crunchiest +crunchily +crunchiness +crunching +crunchingly +crunchingness +crunchweed +crunk +crunkle +crunodal +crunode +crunodes +crunt +cruor +cruorin +cruors +crup +cruppen +crupper +cruppered +cruppering +cruppers +crura +crural +crureus +crurogenital +cruroinguinal +crurotarsal +crus +crusade +crusaded +crusader +crusaders +Crusades +crusading +crusado +crusadoes +crusados +Crusca +cruse +cruses +cruset +crusets +crush +crushability +crushable +crushableness +crushed +crusher +crushers +crushes +crushing +crushingly +crushproof +crusie +crusile +crusilee +crusily +crusily-fitchy +Crusoe +crust +crusta +Crustacea +crustaceal +crustacean +crustaceans +crustacean's +crustaceology +crustaceological +crustaceologist +crustaceorubrin +crustaceous +crustade +crustal +crustalogy +crustalogical +crustalogist +crustate +crustated +crustation +crusted +crustedly +cruster +crust-hunt +crust-hunter +crust-hunting +crusty +crustier +crustiest +crustific +crustification +crustily +crustiness +crusting +crustless +crustose +crustosis +crusts +crust's +crut +crutch +crutch-cross +crutched +Crutcher +crutches +crutching +crutchlike +crutch's +crutch-stick +cruth +crutter +Crux +cruxes +crux's +Cruz +cruzado +cruzadoes +cruzados +cruzeiro +cruzeiros +cruziero +cruzieros +crwd +crwth +crwths +crzette +CS +c's +cs. +CSA +CSAB +CSACC +CSACS +CSAR +csardas +CSB +CSC +csch +C-scroll +CSD +CSDC +CSE +csect +csects +Csel +CSF +C-shaped +C-sharp +CSI +CSIRO +CSIS +csk +CSL +CSM +CSMA +CSMACA +CSMACD +csmp +CSN +CSNET +CSO +CSOC +CSP +CSPAN +CSR +CSRG +CSRI +CSRS +CSS +CST +C-star +CSTC +CSU +csw +CT +ct. +CTA +CTC +CTD +cte +Cteatus +ctelette +Ctenacanthus +ctene +ctenidia +ctenidial +ctenidium +cteniform +ctenii +cteninidia +ctenizid +cteno- +Ctenocephalus +ctenocyst +ctenodactyl +Ctenodipterini +ctenodont +Ctenodontidae +Ctenodus +ctenoid +ctenoidean +Ctenoidei +ctenoidian +ctenolium +Ctenophora +ctenophoral +ctenophoran +ctenophore +ctenophoric +ctenophorous +Ctenoplana +Ctenostomata +ctenostomatous +ctenostome +CTERM +Ctesiphon +Ctesippus +Ctesius +ctetology +ctf +ctg +ctge +Cthrine +ctimo +CTIO +CTM +CTMS +ctn +CTNE +CTO +ctr +ctr. +ctrl +CTS +cts. +CTSS +CTT +CTTC +CTTN +CTV +CU +CUA +cuadra +cuadrilla +cuadrillas +cuadrillero +Cuailnge +Cuajone +cuamuchil +cuapinole +cuarenta +cuarta +cuartel +cuarteron +cuartilla +cuartillo +cuartino +cuarto +Cub +Cuba +Cubage +cubages +cubalaya +Cuban +cubane +cubangle +cubanite +Cubanize +cubans +cubas +cubation +cubatory +cubature +cubatures +cubby +cubbies +cubbyhole +cubbyholes +cubbyhouse +cubbyyew +cubbing +cubbish +cubbishly +cubbishness +cubbyu +cubdom +cub-drawn +cube +cubeb +cubebs +cubed +cubehead +cubelet +Cubelium +cuber +cubera +Cubero +cubers +cubes +cube-shaped +cubhood +cub-hunting +cubi +cubi- +cubic +cubica +cubical +cubically +cubicalness +cubicity +cubicities +cubicle +cubicles +cubicly +cubicone +cubicontravariant +cubicovariant +cubics +cubicula +cubicular +cubiculary +cubiculo +cubiculum +cubiform +cubing +Cubism +cubisms +cubist +cubistic +cubistically +cubists +cubit +cubital +cubitale +cubitalia +cubited +cubiti +cubitiere +cubito +cubito- +cubitocarpal +cubitocutaneous +cubitodigital +cubitometacarpal +cubitopalmar +cubitoplantar +cubitoradial +cubits +cubitus +cubla +cubmaster +cubo- +cubocalcaneal +cuboctahedron +cubocube +cubocuneiform +cubododecahedral +cuboid +cuboidal +cuboides +cuboids +cubomancy +Cubomedusae +cubomedusan +cubometatarsal +cubonavicular +cubo-octahedral +cubo-octahedron +Cu-bop +Cubrun +cubs +cub's +cubti +cuca +cucaracha +Cuchan +cuchia +Cuchillo +Cuchulain +Cuchulainn +Cuchullain +cuck +cuckhold +cucking +cucking-stool +cuckold +cuckolded +cuckoldy +cuckolding +cuckoldize +cuckoldly +cuckoldom +cuckoldry +cuckolds +cuckoo +cuckoo-babies +cuckoo-bread +cuckoo-bud +cuckoo-button +cuckooed +cuckoo-fly +cuckooflower +cuckoo-flower +cuckoo-fool +cuckooing +cuckoomaid +cuckoomaiden +cuckoomate +cuckoo-meat +cuckoopint +cuckoo-pint +cuckoopintle +cuckoo-pintle +cuckoos +cuckoo's +cuckoo-shrike +cuckoo-spit +cuckoo-spittle +cuckquean +cuckstool +cuck-stool +cucoline +CUCRIT +cucuy +cucuyo +Cucujid +Cucujidae +Cucujus +cucularis +cucule +Cuculi +Cuculidae +cuculiform +Cuculiformes +cuculine +cuculla +cucullaris +cucullate +cucullated +cucullately +cuculle +cuculliform +cucullus +cuculoid +Cuculus +Cucumaria +Cucumariidae +cucumber +cucumbers +cucumber's +cucumiform +Cucumis +cucupha +cucurb +cucurbit +Cucurbita +Cucurbitaceae +cucurbitaceous +cucurbital +cucurbite +cucurbitine +cucurbits +Cucuta +cud +Cuda +Cudahy +cudava +cudbear +cudbears +cud-chewing +Cuddebackville +cudden +Cuddy +cuddie +cuddies +cuddyhole +cuddle +cuddleable +cuddled +cuddles +cuddlesome +cuddly +cuddlier +cuddliest +cuddling +cudeigh +cudgel +cudgeled +cudgeler +cudgelers +cudgeling +cudgelled +cudgeller +cudgelling +cudgels +cudgel's +cudgerie +Cudlip +cuds +cudweed +cudweeds +cudwort +cue +cueball +cue-bid +cue-bidden +cue-bidding +cueca +cuecas +cued +cueing +cueist +cueman +cuemanship +cuemen +Cuenca +cue-owl +cuerda +Cuernavaca +Cuero +cuerpo +Cuervo +cues +cuesta +cuestas +Cueva +cuff +cuffed +cuffer +cuffy +cuffyism +cuffin +cuffing +cuffle +cuffless +cufflink +cufflinks +cuffs +cuff's +Cufic +cuggermugger +Cui +cuya +Cuyab +Cuiaba +Cuyaba +Cuyama +Cuyapo +cuyas +cuichunchulli +Cuicuilco +cuidado +cuiejo +cuiejos +cuif +cuifs +Cuyler +cuinage +cuinfo +cuing +Cuyp +cuir +cuirass +cuirassed +cuirasses +cuirassier +cuirassing +cuir-bouilli +cuirie +cuish +cuishes +cuisinary +cuisine +cuisines +cuisinier +cuissard +cuissart +cuisse +cuissen +cuisses +cuisten +cuit +Cuitlateco +cuitle +cuitled +cuitling +cuittikin +cuittle +cuittled +cuittles +cuittling +cui-ui +cuj +Cujam +cuke +cukes +Cukor +CUL +cula +culation +Culavamsa +Culberson +Culbert +Culbertson +culbut +culbute +culbuter +culch +culches +Culdee +cul-de-four +cul-de-lampe +Culdesac +cul-de-sac +cule +Culebra +culerage +culet +culets +culett +culeus +Culex +culgee +Culhert +Culiac +Culiacan +culices +culicid +Culicidae +culicidal +culicide +culicids +culiciform +culicifugal +culicifuge +Culicinae +culicine +culicines +Culicoides +culilawan +culinary +culinarian +culinarily +Culion +Cull +culla +cullage +cullay +cullays +Cullan +cullas +culled +Culley +Cullen +cullender +Culleoka +culler +cullers +cullet +cullets +Cully +cullibility +cullible +Cullie +cullied +cullies +cullying +Cullin +culling +cullion +cullionly +cullionry +cullions +cullis +cullisance +cullises +Culliton +Cullman +Culloden +Cullom +Cullowhee +culls +Culm +culmed +culmen +culmy +culmicolous +culmiferous +culmigenous +culminal +culminant +culminatation +culminatations +culminate +culminated +culminates +culminating +culmination +culminations +culminative +culming +culms +Culosio +culot +culotte +culottes +culottic +culottism +culp +culpa +culpabilis +culpability +culpable +culpableness +culpably +culpae +culpas +culpate +culpatory +culpeo +Culpeper +culpon +culpose +culprit +culprits +culprit's +culrage +culsdesac +cult +cultch +cultches +cultellation +cultelli +cultellus +culter +culteranismo +culti +cultic +cultigen +cultigens +cultirostral +Cultirostres +cultish +cultism +cultismo +cultisms +cultist +cultistic +cultists +cultivability +cultivable +cultivably +cultivar +cultivars +cultivatability +cultivatable +cultivatation +cultivatations +cultivate +cultivated +cultivates +cultivating +cultivation +cultivations +cultivative +cultivator +cultivators +cultivator's +cultive +cultrate +cultrated +cultriform +cultrirostral +Cultrirostres +cults +cult's +culttelli +cult-title +cultual +culturable +cultural +culturalist +culturally +cultural-nomadic +culture +cultured +cultureless +cultures +culturine +culturing +culturist +culturization +culturize +culturology +culturological +culturologically +culturologist +cultus +cultus-cod +cultuses +culus +Culver +culverfoot +culverhouse +culverin +culverineer +culveriner +culverins +culverkey +culverkeys +culvers +culvert +culvertage +culverts +culverwort +cum +Cumacea +cumacean +cumaceous +Cumae +Cumaean +cumay +cumal +cumaldehyde +Cuman +Cumana +Cumanagoto +cumaphyte +cumaphytic +cumaphytism +Cumar +cumara +cumarin +cumarins +cumarone +cumaru +cumbent +cumber +cumbered +cumberer +cumberers +cumbering +Cumberland +cumberlandite +cumberless +cumberment +Cumbernauld +cumbers +cumbersome +cumbersomely +cumbersomeness +cumberworld +cumbha +Cumby +cumble +cumbly +Cumbola +cumbraite +cumbrance +cumbre +Cumbria +Cumbrian +cumbrous +cumbrously +cumbrousness +cumbu +cumene +cumengite +cumenyl +cumflutter +cumhal +cumic +cumidin +cumidine +cumyl +cumin +cuminal +Cumine +Cumings +cuminic +cuminyl +cuminoin +cuminol +cuminole +cumins +cuminseed +cumly +Cummaquid +cummer +cummerbund +cummerbunds +cummers +cummin +Cummine +Cumming +Cummings +Cummington +cummingtonite +Cummins +cummock +cumol +cump +cumquat +cumquats +cumsha +cumshaw +cumshaws +cumu-cirro-stratus +cumul- +cumulant +cumular +cumular-spherulite +cumulate +cumulated +cumulately +cumulates +cumulating +cumulation +cumulatist +cumulative +cumulatively +cumulativeness +cumulato- +cumulene +cumulet +cumuli +cumuliform +cumulite +cumulo- +cumulo-cirro-stratus +cumulocirrus +cumulo-cirrus +cumulonimbus +cumulo-nimbus +cumulophyric +cumulose +cumulostratus +cumulo-stratus +cumulous +cumulo-volcano +cumulus +cun +Cuna +cunabula +cunabular +Cunan +Cunard +Cunarder +Cunas +Cunaxa +cunctation +cunctatious +cunctative +cunctator +cunctatory +cunctatorship +cunctatury +cunctipotent +cund +cundeamor +cundy +Cundiff +cundite +cundum +cundums +cundurango +cunea +cuneal +cuneate +cuneated +cuneately +cuneatic +cuneator +cunei +Cuney +cuneiform +cuneiformist +cunenei +Cuneo +cuneo- +cuneocuboid +cuneonavicular +cuneoscaphoid +cunette +cuneus +Cung +cungeboi +cungevoi +CUNY +cunicular +cuniculi +cuniculus +cunye +cuniform +cuniforms +cunyie +cunila +cunili +Cunina +cunit +cunjah +cunjer +cunjevoi +cunner +cunners +cunni +cunny +cunnilinctus +cunnilinguism +cunnilingus +cunning +cunningaire +cunninger +cunningest +Cunningham +Cunninghamia +cunningly +cunningness +cunnings +Cunonia +Cunoniaceae +cunoniaceous +cunt +cunts +Cunza +cunzie +Cuon +cuorin +cup +cupay +Cupania +Cupavo +cupbearer +cup-bearer +cupbearers +cupboard +cupboards +cupboard's +cupcake +cupcakes +cupel +cupeled +cupeler +cupelers +cupeling +cupellation +cupelled +cupeller +cupellers +cupelling +cupels +Cupertino +cupflower +cupful +cupfulfuls +cupfuls +Cuphea +cuphead +cup-headed +cupholder +Cupid +cupidinous +cupidity +cupidities +cupidon +cupidone +cupids +cupid's-bow +Cupid's-dart +cupiuba +cupless +cuplike +cupmaker +cupmaking +cupman +cup-mark +cup-marked +cupmate +cup-moss +Cupo +cupola +cupola-capped +cupolaed +cupolaing +cupolaman +cupolar +cupola-roofed +cupolas +cupolated +cuppa +cuppas +cupped +cuppen +cupper +cuppers +cuppy +cuppier +cuppiest +cuppin +cupping +cuppings +cuprammonia +cuprammonium +cuprate +cuprein +cupreine +cuprene +cupreo- +cupreous +Cupressaceae +cupressineous +Cupressinoxylon +Cupressus +cupric +cupride +cupriferous +cuprite +cuprites +cupro- +cuproammonium +cuprobismutite +cuprocyanide +cuprodescloizite +cuproid +cuproiodargyrite +cupromanganese +cupronickel +cuproplumbite +cuproscheelite +cuprose +cuprosilicon +cuproso- +cuprotungstite +cuprous +cuprum +cuprums +cups +cup's +cupseed +cupsful +cup-shake +cup-shaped +cup-shot +cupstone +cup-tied +cup-tossing +cupula +cupulae +cupular +cupulate +cupule +cupules +Cupuliferae +cupuliferous +cupuliform +cur +cur. +cura +Curaao +curability +curable +curableness +curably +Curacao +curacaos +curace +curacy +curacies +curacoa +curacoas +curage +curagh +curaghs +curara +curaras +Curare +curares +curari +curarine +curarines +curaris +curarization +curarize +curarized +curarizes +curarizing +curassow +curassows +curat +curatage +curate +curatel +curates +curateship +curatess +curatial +curatic +curatical +curation +curative +curatively +curativeness +curatives +curatize +curatolatry +curator +curatory +curatorial +curatorium +curators +curatorship +curatrices +curatrix +Curavecan +curb +curbable +curbash +curbed +curber +curbers +curby +curbing +curbings +curbless +curblike +curbline +curb-plate +curb-roof +curbs +curb-sending +curbside +curbstone +curb-stone +curbstoner +curbstones +curcas +curch +curchef +curches +curchy +Curcio +curcuddoch +Curculio +curculionid +Curculionidae +curculionist +curculios +Curcuma +curcumas +curcumin +curd +curded +curdy +curdier +curdiest +curdiness +curding +curdle +curdled +curdler +curdlers +curdles +curdly +curdling +curdoo +curds +Curdsville +curdwort +cure +cure-all +cured +cureless +curelessly +curelessness +curemaster +curer +curers +cures +curet +Curetes +curets +curettage +curette +curetted +curettement +curettes +curetting +curf +curfew +curfewed +curfewing +curfews +curfew's +curfs +Curhan +cury +Curia +curiae +curiage +curial +curialism +curialist +curialistic +curiality +curialities +curiam +curiara +curiate +Curiatii +curiboca +Curie +curiegram +curies +curiescopy +curiet +curietherapy +curying +curin +curine +curing +curio +curiolofic +curiology +curiologic +curiological +curiologically +curiologics +curiomaniac +curios +curiosa +curiosi +curiosity +curiosities +curiosity's +curioso +curiosos +curious +curiouser +curiousest +curiously +curiousness +curiousnesses +curite +curites +Curitiba +Curityba +Curitis +curium +curiums +Curkell +curl +curled +curled-leaved +curledly +curledness +Curley +curler +curlers +curlew +curlewberry +curlews +curl-flowered +curly +curly-coated +curlicue +curlycue +curlicued +curlicues +curlycues +curlicuing +curlier +curliest +curliewurly +curliewurlie +curlie-wurlie +curly-haired +curlyhead +curly-headed +curlyheads +curlike +curlily +curly-locked +curlylocks +curliness +curling +curlingly +curlings +curly-pate +curly-pated +curly-polled +curly-toed +Curllsville +curlpaper +curls +curmudgeon +curmudgeonery +curmudgeonish +curmudgeonly +curmudgeons +curmurging +curmurring +curn +curney +curneys +curnie +curnies +Curnin +curnock +curns +curpel +curpin +curple +Curr +currach +currachs +currack +curragh +curraghs +currajong +Curran +currance +currane +currans +currant +currant-leaf +currants +currant's +currantworm +curratow +currawang +currawong +curred +Currey +Curren +currency +currencies +currency's +current +currently +currentness +currents +currentwise +Currer +Curry +curricla +curricle +curricled +curricles +curricling +currycomb +curry-comb +currycombed +currycombing +currycombs +curricula +curricular +curricularization +curricularize +curriculum +curriculums +curriculum's +Currie +curried +Currier +curriery +currieries +curriers +curries +curryfavel +curry-favel +curryfavour +curriing +currying +currijong +curring +currish +currishly +currishness +Currituck +Curryville +currock +currs +curs +Cursa +cursal +cursaro +curse +cursed +curseder +cursedest +cursedly +cursedness +cursement +cursen +curser +cursers +curses +curship +cursillo +cursing +cursitate +cursitor +cursive +cursively +cursiveness +cursives +Curson +cursor +cursorary +Cursores +cursory +Cursoria +cursorial +Cursoriidae +cursorily +cursoriness +cursorious +Cursorius +cursors +cursor's +curst +curstful +curstfully +curstly +curstness +cursus +Curt +curtail +curtailed +curtailedly +curtailer +curtailing +curtailment +curtailments +curtails +curtail-step +curtain +curtained +curtaining +curtainless +curtain-raiser +curtains +curtainwise +curtays +curtal +curtalax +curtal-ax +curtalaxes +curtals +Curtana +curtate +curtation +curtaxe +curted +curtein +curtelace +curteous +curter +curtesy +curtesies +curtest +Curt-hose +Curtice +curtilage +Curtin +Curtis +Curtise +Curtiss +Curtisville +Curtius +curtlax +curtly +curtness +curtnesses +curtsey +curtseyed +curtseying +curtseys +curtsy +curtsied +curtsies +curtsying +curtsy's +curua +curuba +Curucaneca +Curucanecan +curucucu +curucui +curule +Curuminaca +Curuminacan +curupay +curupays +curupey +Curupira +cururo +cururos +Curuzu-Cuatia +curvaceous +curvaceously +curvaceousness +curvacious +curval +curvant +curvate +curvated +curvation +curvative +curvature +curvatures +curve +curveball +curve-ball +curve-billed +curved +curved-fruited +curved-horned +curvedly +curvedness +curved-veined +curve-fruited +curvey +curver +curves +curvesome +curvesomeness +curvet +curveted +curveting +curvets +curvette +curvetted +curvetting +curve-veined +curvy +curvi- +curvicaudate +curvicostate +curvidentate +curvier +curviest +curvifoliate +curviform +curvilinead +curvilineal +curvilinear +curvilinearity +curvilinearly +curvimeter +curvinervate +curvinerved +curviness +curving +curvirostral +Curvirostres +curviserial +curvital +curvity +curvities +curvle +curvograph +curvometer +curvous +curvulate +Curwensville +curwhibble +curwillet +Curzon +Cusack +Cusanus +Cusco +cusco-bark +cuscohygrin +cuscohygrine +cusconin +cusconine +Cuscus +cuscuses +Cuscuta +Cuscutaceae +cuscutaceous +cusec +cusecs +cuselite +Cush +cushag +cushat +cushats +cushaw +cushaws +cush-cush +cushewbird +cushew-bird +cushy +cushie +cushier +cushiest +cushily +cushiness +Cushing +cushion +cushioncraft +cushioned +cushionet +cushionflower +cushion-footed +cushiony +cushioniness +cushioning +cushionless +cushionlike +cushions +cushion-shaped +cushion-tired +Cushite +Cushitic +cushlamochree +Cushman +Cusick +cusie +cusinero +cusk +cusk-eel +cusk-eels +cusks +CUSO +Cusp +cuspal +cusparia +cusparidine +cusparine +cuspate +cuspated +cusped +cuspid +cuspidal +cuspidate +cuspidated +cuspidation +cuspides +cuspidine +cuspidor +cuspidors +cuspids +cusping +cuspis +cusps +cusp's +cusp-shaped +cuspule +cuss +cussed +cussedly +cussedness +cusser +cussers +cusses +Cusseta +cussing +cussing-out +cusso +cussos +cussword +cusswords +cust +Custar +custard +custard-cups +custards +Custer +custerite +custode +custodee +custodes +custody +custodia +custodial +custodiam +custodian +custodians +custodian's +custodianship +custodier +custodies +custom +customable +customableness +customably +customance +customary +customaries +customarily +customariness +custom-built +custom-cut +customed +customer +customers +customhouse +custom-house +customhouses +customing +customizable +customization +customizations +customization's +customize +customized +customizer +customizers +customizes +customizing +customly +custom-made +customs +customs-exempt +customshouse +customs-house +custom-tailored +custos +custrel +custron +custroun +custumal +custumals +Cut +cutability +Cutaiar +cut-and-cover +cut-and-dry +cut-and-dried +cut-and-try +cutaneal +cutaneous +cutaneously +cutaway +cut-away +cutaways +cutback +cut-back +cutbacks +Cutbank +cutbanks +Cutch +cutcha +Cutcheon +cutcher +cutchery +cutcheries +cutcherry +cutcherries +cutches +Cutchogue +Cutcliffe +cutdown +cut-down +cutdowns +cute +cutey +cuteys +cutely +cuteness +cutenesses +cuter +Cuterebra +cutes +cutesy +cutesie +cutesier +cutesiest +cutest +cut-finger +cut-glass +cutgrass +cut-grass +cutgrasses +Cuthbert +Cuthbertson +Cuthburt +cutheal +cuticle +cuticles +cuticolor +cuticula +cuticulae +cuticular +cuticularization +cuticularize +cuticulate +cutidure +cutiduris +cutie +cuties +cutify +cutification +cutigeral +cutikin +cutin +cut-in +cutinisation +cutinise +cutinised +cutinises +cutinising +cutinization +cutinize +cutinized +cutinizes +cutinizing +cutins +cutireaction +cutis +cutisector +cutises +Cutiterebra +cutitis +cutization +CUTK +cutlas +cutlases +cutlash +cutlass +cutlasses +cutlassfish +cutlassfishes +cut-leaf +cut-leaved +Cutler +cutleress +cutlery +Cutleria +Cutleriaceae +cutleriaceous +Cutleriales +cutleries +Cutlerr +cutlers +cutlet +cutlets +cutline +cutlines +cutling +cutlings +Cutlip +cutlips +Cutlor +cutocellulose +cutoff +cut-off +cutoffs +cutose +cutout +cut-out +cutouts +cutover +cutovers +cut-paper +cut-price +cutpurse +cutpurses +cut-rate +CUTS +cut's +cutset +Cutshin +cuttable +Cuttack +cuttage +cuttages +cuttail +cuttanee +cutted +Cutter +cutter-built +cutter-down +cutter-gig +cutterhead +cutterman +cutter-off +cutter-out +cutter-rigged +cutters +cutter's +cutter-up +cutthroat +cutthroats +cut-through +Cutty +Cuttie +cutties +Cuttyhunk +cuttikin +cutting +cuttingly +cuttingness +cuttings +Cuttingsville +cutty-stool +cuttle +cuttlebone +cuttle-bone +cuttlebones +cuttled +cuttlefish +cuttle-fish +cuttlefishes +Cuttler +cuttles +cuttling +cuttoe +cuttoo +cuttoos +cut-toothed +cut-under +Cutuno +cutup +cutups +cutwal +cutwater +cutwaters +cutweed +cutwork +cut-work +cutworks +cutworm +cutworms +cuvage +cuve +cuvee +cuvette +cuvettes +cuvy +Cuvier +Cuvierian +cuvies +Cuxhaven +Cuzceno +Cuzco +Cuzzart +CV +CVA +CVCC +Cvennes +CVO +CVR +CVT +CW +CWA +CWC +CWI +cwierc +Cwikielnik +Cwlth +cwm +Cwmbran +cwms +CWO +cwrite +CWRU +cwt +cwt. +CXI +CZ +Czajer +Czanne +czar +czardas +czardases +czardom +czardoms +czarevitch +czarevna +czarevnas +czarian +czaric +czarina +czarinas +czarinian +czarish +czarism +czarisms +czarist +czaristic +czarists +czaritza +czaritzas +czarowitch +czarowitz +Czarra +czars +czarship +Czech +Czech. +Czechic +Czechish +Czechization +Czechosl +Czechoslovak +Czecho-Slovak +Czechoslovakia +Czecho-Slovakia +Czechoslovakian +Czecho-Slovakian +czechoslovakians +czechoslovaks +czechs +Czerny +Czerniak +Czerniakov +Czernowitz +czigany +Czstochowa +Czur +D +d' +d- +'d +D. +D.A. +D.B.E. +D.C. +D.C.L. +D.C.M. +D.D. +D.D.S. +D.Eng. +D.F. +D.F.C. +D.J. +D.O. +D.O.A. +D.O.M. +D.P. +D.P.H. +D.P.W. +D.S. +D.S.C. +D.S.M. +D.S.O. +D.Sc. +D.V. +D.V.M. +d.w.t. +D/A +D/F +D/L +D/O +D/P +D/W +D1-C +D2-D +DA +daalder +DAB +dabb +dabba +dabbed +dabber +dabbers +dabby +dabbing +dabble +dabbled +dabbler +dabblers +dabbles +dabbling +dabblingly +dabblingness +dabblings +Dabbs +dabchick +dabchicks +Daberath +Dabih +Dabitis +dablet +Dabney +Dabneys +daboia +daboya +Dabolt +dabs +dabster +dabsters +dabuh +DAC +Dacca +d'accord +DACCS +Dace +Dacey +Dacelo +Daceloninae +dacelonine +daces +dacha +dachas +Dachau +Dache +Dachi +Dachy +Dachia +dachs +dachshound +dachshund +dachshunde +dachshunds +Dacy +Dacia +Dacian +Dacie +dacyorrhea +dacite +dacitic +dacker +dackered +dackering +dackers +Dacko +dacoit +dacoitage +dacoited +dacoity +dacoities +dacoiting +dacoits +Dacoma +Dacono +dacrya +dacryadenalgia +dacryadenitis +dacryagogue +dacrycystalgia +dacryd +Dacrydium +dacryelcosis +dacryoadenalgia +dacryoadenitis +dacryoblenorrhea +dacryocele +dacryocyst +dacryocystalgia +dacryocystitis +dacryocystoblennorrhea +dacryocystocele +dacryocystoptosis +dacryocystorhinostomy +dacryocystosyringotomy +dacryocystotome +dacryocystotomy +dacryohelcosis +dacryohemorrhea +dacryolin +dacryolite +dacryolith +dacryolithiasis +dacryoma +dacryon +dacryopyorrhea +dacryopyosis +dacryops +dacryorrhea +dacryosyrinx +dacryosolenitis +dacryostenosis +dacryuria +Dacron +DACS +Dactyi +Dactyl +dactyl- +dactylar +dactylate +Dactyli +dactylic +dactylically +dactylics +dactylio- +dactylioglyph +dactylioglyphy +dactylioglyphic +dactylioglyphist +dactylioglyphtic +dactyliographer +dactyliography +dactyliographic +dactyliology +dactyliomancy +dactylion +dactyliotheca +Dactylis +dactylist +dactylitic +dactylitis +dactylo- +dactylogram +dactylograph +dactylographer +dactylography +dactylographic +dactyloid +dactylology +dactylologies +dactylomegaly +dactylonomy +dactylopatagium +Dactylopius +dactylopodite +dactylopore +Dactylopteridae +Dactylopterus +dactylorhiza +dactyloscopy +dactyloscopic +dactylose +dactylosymphysis +dactylosternal +dactylotheca +dactylous +dactylozooid +Dactyls +dactylus +Dacula +Dacus +DAD +Dada +Dadayag +Dadaism +dadaisms +Dadaist +Dadaistic +dadaistically +dadaists +dadap +dadas +dad-blamed +dad-blasted +dadburned +dad-burned +Daddah +dadder +daddy +daddies +daddy-longlegs +daddy-long-legs +dadding +daddynut +daddle +daddled +daddles +daddling +daddock +daddocky +daddums +Dade +dadenhudd +Dadeville +dading +dado +dadoed +dadoes +dadoing +dados +dadouchos +Dadoxylon +dads +dad's +Dadu +daduchus +Dadupanthi +DAE +Daedal +Daedala +Daedalea +Daedalean +daedaleous +Daedalian +Daedalic +Daedalid +Daedalidae +Daedalion +Daedalist +daedaloid +daedalous +Daedalus +Daegal +daekon +Dael +daemon +Daemonelix +daemones +daemony +daemonian +daemonic +daemonies +daemonistic +daemonology +daemons +daemon's +daemonurgy +daemonurgist +daer +daer-stock +D'Aeth +daeva +daff +daffadilly +daffadillies +daffadowndilly +daffadowndillies +daffed +daffery +Daffi +Daffy +daffydowndilly +Daffie +daffier +daffiest +daffily +daffiness +daffing +daffish +daffle +daffled +daffling +Daffodil +daffodilly +daffodillies +daffodils +daffodil's +daffodowndilly +daffodowndillies +daffs +Dafla +Dafna +Dafodil +daft +daftar +daftardar +daftberry +Dafter +daftest +daftly +daftlike +daftness +daftnesses +Dag +dagaba +Dagall +dagame +Dagan +dagassa +Dagbamba +Dagbane +Dagda +Dagenham +dagesh +Dagestan +dagga +daggar +daggas +dagged +dagger +daggerboard +daggerbush +daggered +daggering +daggerlike +daggerproof +daggers +dagger-shaped +Daggett +daggy +dagging +daggle +daggled +daggles +daggletail +daggle-tail +daggletailed +daggly +daggling +Daggna +Daghda +daghesh +Daghestan +Dagley +daglock +dag-lock +daglocks +Dagmar +Dagna +Dagnah +Dagney +Dagny +Dago +dagoba +dagobas +Dagoberto +dagoes +Dagomba +Dagon +dagos +dags +Dagsboro +dagswain +dag-tailed +Daguerre +Daguerrean +daguerreotype +daguerreotyped +daguerreotyper +daguerreotypes +daguerreotypy +daguerreotypic +daguerreotyping +daguerreotypist +daguilla +Dagupan +Dagusmines +Dagwood +dagwoods +dah +dahabeah +dahabeahs +dahabeeyah +dahabiah +dahabiahs +dahabieh +dahabiehs +dahabiya +dahabiyas +dahabiyeh +Dahinda +Dahl +Dahle +Dahlgren +Dahlia +dahlias +dahlin +Dahlonega +dahls +dahlsten +Dahlstrom +dahms +Dahna +Dahoman +Dahomey +Dahomeyan +dahoon +dahoons +dahs +DAY +dayabhaga +Dayak +Dayakker +Dayaks +dayal +Dayan +day-and-night +dayanim +day-appearing +daybeacon +daybeam +daybed +day-bed +daybeds +dayberry +day-by-day +daybill +day-blindness +dayblush +dayboy +daybook +daybooks +daybreak +daybreaks +day-bright +Daibutsu +day-clean +day-clear +day-day +daydawn +day-dawn +day-detesting +day-devouring +day-dispensing +day-distracting +daidle +daidled +daidly +daidlie +daidling +daydream +day-dream +daydreamed +daydreamer +daydreamers +daydreamy +daydreaming +daydreamlike +daydreams +daydreamt +daydrudge +Daye +day-eyed +day-fever +dayfly +day-fly +dayflies +day-flying +dayflower +day-flower +dayflowers +Daigle +Day-Glo +dayglow +dayglows +Daigneault +daygoing +day-hating +day-hired +Dayhoit +daying +Daijo +daiker +daikered +daikering +daikers +Daykin +daikon +daikons +Dail +Dailamite +day-lasting +Daile +Dayle +Dailey +dayless +Day-Lewis +daily +daily-breader +dailies +daylight +daylighted +daylighting +daylights +daylight's +daylily +day-lily +daylilies +dailiness +daylit +day-lived +daylong +day-loving +dayman +daymare +day-mare +daymares +daymark +daimen +daymen +dayment +daimiate +daimiel +daimio +daimyo +daimioate +daimios +daimyos +daimiote +Daimler +daimon +daimones +daimonic +daimonion +daimonistic +daimonology +daimons +dain +Dayna +daincha +dainchas +daynet +day-net +day-neutral +dainful +Daingerfield +daint +dainteous +dainteth +dainty +dainty-eared +daintier +dainties +daintiest +daintify +daintified +daintifying +dainty-fingered +daintihood +daintily +dainty-limbed +dainty-mouthed +daintiness +daintinesses +daintith +dainty-tongued +dainty-toothed +daintrel +daypeep +day-peep +Daiquiri +daiquiris +Daira +day-rawe +Dairen +dairi +dairy +dairy-cooling +dairies +dairy-farming +dairy-fed +dairying +dairyings +Dairylea +dairy-made +dairymaid +dairymaids +dairyman +dairymen +dairywoman +dairywomen +dayroom +dayrooms +dairous +dairt +day-rule +DAIS +days +day's +daised +daisee +Daisey +daises +Daisetta +daishiki +daishikis +dayshine +day-shining +dai-sho +dai-sho-no-soroimono +Daisi +Daisy +daisy-blossomed +daisybush +daisy-clipping +daisycutter +daisy-cutter +daisy-cutting +daisy-dappled +dayside +daysides +daisy-dimpled +Daisie +Daysie +daisied +daisies +day-sight +daising +daisy-painted +daisy's +daisy-spangled +Daisytown +daysman +daysmen +dayspring +day-spring +daystar +day-star +daystars +daystreak +day's-work +daytale +day-tale +daitya +daytide +daytime +day-time +daytimes +day-to-day +Dayton +Daytona +day-tripper +Daitzman +daiva +Dayville +dayward +day-wearied +day-woman +daywork +dayworker +dayworks +daywrit +day-writ +Dak +Dak. +Dakar +daker +dakerhen +daker-hen +dakerhens +Dakhini +Dakhla +dakhma +dakir +dakoit +dakoity +dakoities +dakoits +Dakota +Dakotan +dakotans +dakotas +daks +Daksha +Daktyi +Daktyl +Daktyli +daktylon +daktylos +Daktyls +Dal +Daladier +dalaga +dalai +dalan +dalapon +dalapons +dalar +Dalarnian +dalasi +dalasis +Dalat +Dalbergia +d'Albert +Dalbo +Dalcassian +Dalcroze +Dale +Dalea +dale-backed +Dalecarlian +daledh +daledhs +Daley +daleman +d'Alembert +Dalen +Dalenna +daler +Dales +dale's +dalesfolk +dalesman +dalesmen +dalespeople +daleswoman +daleth +daleths +Daleville +dalf +Dalhart +Dalhousie +Dali +Daly +Dalia +daliance +Dalibarda +Dalyce +Dalila +Dalilia +Dalymore +Dalis +dalk +Dall +dallack +Dallan +Dallapiccola +Dallardsville +Dallas +Dallastown +dalle +dalles +Dalli +dally +dalliance +dalliances +dallied +dallier +dalliers +dallies +dallying +dallyingly +dallyman +Dallin +Dallis +Dallman +Dallon +dallop +Dalmania +Dalmanites +Dalmatia +Dalmatian +dalmatians +Dalmatic +dalmatics +Dalny +Daloris +Dalpe +Dalradian +Dalrymple +dals +Dalston +Dalt +dalteen +Dalton +Daltonian +Daltonic +Daltonism +Daltonist +daltons +Dalury +Dalzell +Dam +dama +damage +damageability +damageable +damageableness +damageably +damaged +damage-feasant +damagement +damageous +damager +damagers +damages +damaging +damagingly +Damayanti +Damal +Damalas +Damales +Damali +damalic +Damalis +Damalus +Daman +Damanh +Damanhur +damans +Damar +Damara +Damaraland +Damaris +Damariscotta +Damarra +damars +Damas +Damascene +Damascened +damascener +damascenes +damascenine +Damascening +Damascus +damask +damasked +damaskeen +damaskeening +damaskin +damaskine +damasking +damasks +DaMassa +damasse +damassin +Damastes +damboard +D'Amboise +dambonite +dambonitol +dambose +Dambro +dambrod +dam-brod +Dame +Damek +damenization +Dameron +dames +dame-school +dame's-violet +damewort +dameworts +damfool +damfoolish +Damgalnunna +Damia +Damian +damiana +Damiani +Damianist +damyankee +Damiano +Damick +Damicke +damie +Damien +damier +Damietta +damine +Damysus +Damita +Damkina +damkjernite +Damle +damlike +dammar +Dammara +dammaret +dammars +damme +dammed +dammer +dammers +damming +dammish +dammit +damn +damnability +damnabilities +damnable +damnableness +damnably +damnation +damnations +damnatory +damndest +damndests +damned +damneder +damnedest +damner +damners +damnyankee +damnify +damnification +damnificatus +damnified +damnifies +damnifying +Damnii +damning +damningly +damningness +damnit +damnonians +Damnonii +damnosa +damnous +damnously +damns +damnum +Damoclean +Damocles +Damodar +Damoetas +damoiseau +damoisel +damoiselle +damolic +Damon +damone +damonico +damosel +damosels +Damour +D'Amour +damourite +damozel +damozels +damp +dampang +dampcourse +damped +dampen +dampened +dampener +dampeners +dampening +dampens +damper +dampers +dampest +dampy +Dampier +damping +damping-off +dampings +dampish +dampishly +dampishness +damply +dampne +dampness +dampnesses +dampproof +dampproofer +dampproofing +damps +damp-stained +damp-worn +DAMQAM +Damrosch +dams +dam's +damsel +damsel-errant +damselfish +damselfishes +damselfly +damselflies +damselhood +damsels +damsel's +damsite +damson +damsons +Dan +Dan. +Dana +Danaan +Danae +Danagla +Danaher +Danai +Danaid +Danaidae +danaide +Danaidean +Danaides +Danaids +Danainae +danaine +Danais +danaite +Danakil +danalite +Danang +danaro +Danas +Danaus +Danava +Danby +Danboro +Danbury +danburite +dancalite +dance +danceability +danceable +danced +dance-loving +dancer +danceress +dancery +dancers +dances +dancette +dancettee +dancetty +dancy +Danciger +dancing +dancing-girl +dancing-girls +dancingly +Danczyk +dand +danda +dandelion +dandelion-leaved +dandelions +dandelion's +dander +dandered +dandering +danders +Dandy +dandiacal +dandiacally +dandy-brush +dandically +dandy-cock +dandydom +Dandie +dandier +dandies +dandiest +dandify +dandification +dandified +dandifies +dandifying +dandy-hen +dandy-horse +dandyish +dandyishy +dandyishly +dandyism +dandyisms +dandyize +dandily +dandy-line +dandyling +dandilly +dandiprat +dandyprat +dandy-roller +dandis +dandisette +dandizette +dandle +dandled +dandler +dandlers +dandles +dandling +dandlingly +D'Andre +dandriff +dandriffy +dandriffs +dandruff +dandruffy +dandruffs +Dane +Daneball +danebrog +Daneen +Daneflower +Danegeld +danegelds +Danegelt +Daney +Danelage +Danelagh +Danelaw +dane-law +Danell +Danella +Danelle +Danene +danes +danes'-blood +Danese +Danete +Danette +Danevang +Daneweed +daneweeds +Danewort +daneworts +Danford +Danforth +Dang +danged +danger +dangered +danger-fearing +danger-fraught +danger-free +dangerful +dangerfully +dangering +dangerless +danger-loving +dangerous +dangerously +dangerousness +dangers +danger's +dangersome +danger-teaching +danging +dangle +dangleberry +dangleberries +dangled +danglement +dangler +danglers +dangles +danglin +dangling +danglingly +dangs +Dani +Dania +Danya +Daniala +Danialah +Danian +Danic +Danica +Danice +danicism +Danie +Daniel +Daniela +Daniele +Danielic +Daniell +Daniella +Danielle +Danyelle +Daniels +Danielson +Danielsville +Danyette +Danieu +Daniglacial +Daniyal +Danika +Danila +Danilo +Danilova +Danyluk +danio +danios +Danish +Danism +Danit +Danita +Danite +Danization +Danize +dank +Dankali +danke +danker +dankest +dankish +dankishness +dankly +dankness +danknesses +Danl +danli +Danmark +Dann +Danna +Dannebrog +Dannel +Dannemora +dannemorite +danner +Danni +Danny +Dannica +Dannie +Dannye +dannock +Dannon +D'Annunzio +Dano-eskimo +Dano-Norwegian +danoranja +dansant +dansants +danseur +danseurs +danseuse +danseuses +danseusse +dansy +dansk +dansker +Dansville +danta +Dante +Dantean +Dantesque +Danthonia +Dantist +Dantology +Dantomania +Danton +Dantonesque +Dantonist +Dantophily +Dantophilist +Danu +Danube +Danubian +Danuloff +Danuri +Danuta +Danvers +Danville +Danzig +Danziger +danzon +Dao +daoine +DAP +dap-dap +Dapedium +Dapedius +Daph +Daphene +Daphie +Daphna +Daphnaceae +daphnad +Daphnaea +Daphne +Daphnean +Daphnephoria +daphnes +daphnetin +daphni +Daphnia +daphnias +daphnid +daphnin +daphnioid +Daphnis +daphnite +daphnoid +dapicho +dapico +dapifer +dapped +dapper +dapperer +dapperest +dapperly +dapperling +dapperness +dapping +dapple +dapple-bay +dappled +dappled-gray +dappledness +dapple-gray +dapple-grey +dappleness +dapples +dappling +daps +Dapsang +dapson +dapsone +dapsones +DAR +Dara +darabukka +darac +Darach +daraf +Darapti +darat +Darb +Darbee +darbha +Darby +Darbie +darbies +Darbyism +Darbyite +d'Arblay +darbs +darbukka +DARC +Darce +Darcee +Darcey +Darci +Darcy +D'Arcy +Darcia +Darcie +Dard +Darda +Dardan +dardanarius +Dardanelle +Dardanelles +Dardani +Dardanian +dardanium +Dardanus +dardaol +Darden +Dardic +Dardistan +Dare +dareall +dare-base +dared +daredevil +dare-devil +daredevilism +daredevilry +daredevils +daredeviltry +Dareece +Dareen +Darees +dareful +Darell +Darelle +Daren +daren't +darer +darers +Dares +daresay +Dar-es-Salaam +Darfur +darg +dargah +darger +Darghin +Dargo +dargsman +dargue +Dari +Daria +Darya +Darian +daribah +daric +Darice +darics +Darien +Darii +Daryl +Daryle +Darill +Darin +Daryn +daring +daringly +daringness +darings +Dario +dariole +darioles +Darius +Darjeeling +dark +dark-adapted +dark-bearded +dark-blue +dark-bosomed +dark-boughed +dark-breasted +dark-browed +dark-closed +dark-colored +dark-complexioned +darked +darkey +dark-eyed +darkeys +dark-embrowned +Darken +darkened +darkener +darkeners +darkening +darkens +darker +darkest +dark-featured +dark-field +dark-fired +dark-flowing +dark-fringed +darkful +dark-glancing +dark-gray +dark-green +dark-grown +darkhaired +dark-haired +darkhearted +darkheartedness +dark-hued +dark-hulled +darky +darkie +darkies +darking +darkish +darkishness +dark-lantern +darkle +dark-leaved +darkled +darkles +darkly +darklier +darkliest +darkling +darklings +darkmans +dark-minded +darkness +darknesses +dark-orange +dark-prisoned +dark-red +dark-rolling +darkroom +darkrooms +darks +dark-shining +dark-sighted +darkskin +dark-skinned +darksome +darksomeness +dark-splendid +dark-stemmed +dark-suited +darksum +darktown +dark-veiled +dark-veined +dark-visaged +dark-working +Darla +Darlan +Darleen +Darlene +Darline +Darling +darlingly +darlingness +darlings +darling's +Darlington +Darlingtonia +Darlleen +Darmit +Darmstadt +Darn +Darnall +darnation +darndest +darndests +darned +darneder +darnedest +Darney +darnel +Darnell +darnels +darner +darners +darnex +darning +darnings +darnix +Darnley +darns +daroga +darogah +darogha +Daron +daroo +Darooge +DARPA +darr +Darra +Darragh +darraign +Darrey +darrein +Darrel +Darrell +Darrelle +Darren +D'Arrest +Darry +Darrick +Darryl +Darrill +Darrin +Darryn +Darrington +Darrouzett +Darrow +Darsey +darshan +darshana +darshans +Darsie +Darsonval +Darsonvalism +darst +Dart +d'art +Dartagnan +dartars +dartboard +darted +darter +darters +Dartford +darting +dartingly +dartingness +dartle +dartled +dartles +dartlike +dartling +dartman +Dartmoor +Dartmouth +dartoic +dartoid +Darton +dartos +dartre +dartrose +dartrous +darts +dartsman +DARU +Darvon +darwan +Darwen +darwesh +Darwin +Darwinian +darwinians +Darwinical +Darwinically +Darwinism +Darwinist +Darwinistic +darwinists +Darwinite +Darwinize +darzee +DAS +Dasahara +Dasahra +Dasara +Daschagga +Dascylus +DASD +dase +Dasehra +dasein +dasewe +Dash +Dasha +Dashahara +dashboard +dash-board +dashboards +dashed +dashedly +dashee +dasheen +dasheens +dashel +dasher +dashers +dashes +dashi +dashy +dashier +dashiest +dashiki +dashikis +dashing +dashingly +dashis +dashmaker +Dashnak +Dashnakist +Dashnaktzutiun +dashplate +dashpot +dashpots +dasht +Dasht-i-Kavir +Dasht-i-Lut +dashwheel +Dasi +Dasya +Dasyatidae +Dasyatis +Dasycladaceae +dasycladaceous +Dasie +Dasylirion +dasymeter +dasypaedal +dasypaedes +dasypaedic +Dasypeltis +dasyphyllous +Dasiphora +dasypygal +dasypod +Dasypodidae +dasypodoid +Dasyprocta +Dasyproctidae +dasyproctine +Dasypus +Dasystephana +dasyure +dasyures +dasyurid +Dasyuridae +dasyurine +dasyuroid +Dasyurus +Dasyus +dasnt +dasn't +Dassel +dassent +dassy +dassie +dassies +Dassin +dassn't +dastard +dastardy +dastardize +dastardly +dastardliness +dastards +Dasteel +dastur +dasturi +DASWDT +daswen +DAT +dat. +DATA +databank +database +databases +database's +datable +datableness +datably +datacell +datafile +dataflow +data-gathering +datagram +datagrams +datakit +datamation +datamedia +datana +datapac +datapoint +datapunch +datary +dataria +dataries +dataset +datasetname +datasets +datatype +datatypes +datch +datcha +datchas +date +dateable +dateableness +date-bearing +datebook +dated +datedly +datedness +dateless +datelessness +dateline +datelined +datelines +datelining +datemark +dater +daterman +daters +dates +date-stamp +date-stamping +Datha +Datil +dating +dation +Datisca +Datiscaceae +datiscaceous +datiscetin +datiscin +datiscosid +datiscoside +Datisi +Datism +datival +dative +datively +datives +dativogerundial +Datnow +dato +datolite +datolitic +datos +Datsun +datsuns +datsw +Datto +dattock +D'Attoma +dattos +Datuk +datum +datums +Datura +daturas +daturic +daturism +dau +Daub +daube +daubed +Daubentonia +Daubentoniidae +dauber +daubery +dauberies +daubers +daubes +dauby +daubier +daubiest +Daubigny +daubing +daubingly +daubreeite +daubreelite +daubreite +daubry +daubries +daubs +daubster +Daucus +daud +dauded +Daudet +dauding +daudit +dauerlauf +dauerschlaf +Daugava +Daugavpils +Daugherty +daughter +daughterhood +daughter-in-law +daughterkin +daughterless +daughterly +daughterlike +daughterliness +daughterling +daughters +daughtership +daughters-in-law +Daughtry +dauk +Daukas +dauke +daukin +Daulias +dault +Daumier +daun +daunch +dauncy +daunder +daundered +daundering +daunders +Daune +dauner +Daunii +daunomycin +daunt +daunted +daunter +daunters +daunting +dauntingly +dauntingness +dauntless +dauntlessly +dauntlessness +daunton +daunts +Dauphin +Dauphine +dauphines +dauphiness +dauphins +Daur +Dauri +daurna +daut +dauted +dautie +dauties +dauting +dauts +dauw +DAV +davach +davainea +Davallia +Davant +Davao +Dave +Daveda +Daveen +Davey +Daven +Davena +Davenant +D'Avenant +Davene +davened +davening +Davenport +davenports +davens +daver +daverdy +Daveta +Davy +David +Davida +Davidde +Davide +Davidian +Davidic +Davidical +Davidist +Davidoff +Davidson +davidsonite +Davidsonville +Davidsville +Davie +daviely +Davies +Daviesia +daviesite +Davilla +Davilman +Davin +Davina +Davine +davyne +Davis +Davys +Davisboro +Davisburg +Davison +Davisson +Daviston +Davisville +davit +Davita +davits +davyum +davoch +Davon +Davos +Davout +daw +dawcock +dawdy +dawdle +dawdled +dawdler +dawdlers +dawdles +dawdling +dawdlingly +dawe +dawed +dawen +Dawes +dawing +dawish +dawk +dawkin +Dawkins +dawks +Dawmont +Dawn +Dawna +dawned +dawny +dawn-illumined +dawning +dawnlight +dawnlike +dawns +dawnstreak +dawn-tinted +dawnward +dawpate +daws +Dawson +Dawsonia +Dawsoniaceae +dawsoniaceous +dawsonite +Dawsonville +dawt +dawted +dawtet +dawtie +dawties +dawting +dawtit +dawts +dawut +Dax +Daza +daze +dazed +dazedly +dazedness +Dazey +dazement +dazes +dazy +dazing +dazingly +dazzle +dazzled +dazzlement +dazzler +dazzlers +dazzles +dazzling +dazzlingly +dazzlingness +DB +DBA +DBAC +DBAS +DBE +DBF +Dbh +DBI +dbl +dbl. +DBM +dBm/m +DBME +DBMS +DBO +D-borneol +DBRAD +dbridement +dBrn +DBS +dBV +dBW +DC +d-c +DCA +DCB +dcbname +DCC +DCCO +DCCS +DCD +DCE +DCH +DChE +DCI +DCL +dclass +DCLU +DCM +DCMG +DCMS +DCMU +DCNA +DCNL +DCO +dcollet +dcolletage +dcor +DCP +DCPR +DCPSK +DCS +DCT +DCTN +DCTS +DCVO +DD +dd. +DDA +D-day +DDB +DDC +DDCMP +DDCU +DDD +DDE +Ddene +Ddenise +DDJ +DDK +DDL +DDN +ddname +DDP +DDPEX +DDR +DDS +DDSc +DDT +DDX +DE +de- +DEA +deaccession +deaccessioned +deaccessioning +deaccessions +deacetylate +deacetylated +deacetylating +deacetylation +Deach +deacidify +deacidification +deacidified +deacidifying +Deacon +deaconal +deaconate +deaconed +deaconess +deaconesses +deaconhood +deaconing +deaconize +deaconry +deaconries +deacons +deacon's +deaconship +deactivate +deactivated +deactivates +deactivating +deactivation +deactivations +deactivator +deactivators +dead +dead-afraid +dead-air +dead-alive +dead-alivism +dead-and-alive +dead-anneal +dead-arm +deadbeat +deadbeats +dead-blanched +deadbolt +deadborn +dead-born +dead-bright +dead-burn +deadcenter +dead-center +dead-centre +dead-cold +dead-color +dead-colored +dead-dip +dead-doing +dead-drifting +dead-drunk +dead-drunkenness +deadeye +dead-eye +deadeyes +deaden +dead-end +deadened +deadener +deadeners +deadening +deadeningly +deadens +deader +deadest +dead-face +deadfall +deadfalls +deadflat +dead-front +dead-frozen +dead-grown +deadhand +dead-hand +deadhead +deadheaded +deadheading +deadheadism +deadheads +deadhearted +dead-hearted +deadheartedly +deadheartedness +dead-heat +dead-heater +dead-heavy +deadhouse +deady +deading +deadish +deadishly +deadishness +dead-kill +deadlatch +dead-leaf +dead-letter +deadly +deadlier +deadliest +deadlight +dead-light +deadlihead +deadlily +deadline +dead-line +deadlines +deadline's +deadliness +deadlinesses +dead-live +deadlock +deadlocked +deadlocking +deadlocks +Deadman +deadmelt +dead-melt +deadmen +deadness +deadnesses +dead-nettle +deadpay +deadpan +deadpanned +deadpanner +deadpanning +deadpans +dead-point +deadrise +dead-rise +deadrize +dead-roast +deads +dead-seeming +dead-set +dead-sick +dead-smooth +dead-soft +dead-stick +dead-still +dead-stroke +dead-struck +dead-tired +deadtongue +dead-tongue +deadweight +dead-weight +Deadwood +deadwoods +deadwork +dead-work +deadworks +deadwort +deaerate +de-aerate +deaerated +deaerates +deaerating +deaeration +deaerator +de-aereate +deaf +deaf-and-dumb +deaf-dumb +deaf-dumbness +deaf-eared +deafen +deafened +deafening +deafeningly +deafens +deafer +deafest +deafforest +de-afforest +deafforestation +deafish +deafly +deaf-minded +deaf-mute +deafmuteness +deaf-muteness +deaf-mutism +deafness +deafnesses +deair +deaired +deairing +deairs +Deakin +deal +dealable +dealate +dealated +dealates +dealation +dealbate +dealbation +deal-board +dealbuminize +dealcoholist +dealcoholization +dealcoholize +Deale +dealer +dealerdom +dealers +dealership +dealerships +dealfish +dealfishes +dealing +dealings +dealkalize +dealkylate +dealkylation +deallocate +deallocated +deallocates +deallocating +deallocation +deallocations +deals +dealt +deambulate +deambulation +deambulatory +deambulatories +De-americanization +De-americanize +deamidase +deamidate +deamidation +deamidization +deamidize +deaminase +deaminate +deaminated +deaminating +deamination +deaminization +deaminize +deaminized +deaminizing +deammonation +Dean +Deana +deanathematize +Deane +deaned +Deaner +deanery +deaneries +deaness +dea-nettle +De-anglicization +De-anglicize +deanimalize +deaning +Deanna +Deanne +deans +dean's +Deansboro +deanship +deanships +deanthropomorphic +deanthropomorphism +deanthropomorphization +deanthropomorphize +Deanville +deappetizing +deaquation +DEAR +Dearborn +dear-bought +dear-cut +Dearden +deare +dearer +dearest +Deary +dearie +dearies +Dearing +dearly +dearling +Dearman +Dearmanville +dearn +dearness +dearnesses +dearomatize +Dearr +dears +dearsenicate +dearsenicator +dearsenicize +dearth +dearthfu +dearths +de-articulate +dearticulation +de-articulation +dearworth +dearworthily +dearworthiness +deas +deash +deashed +deashes +deashing +deasil +deaspirate +deaspiration +deassimilation +Death +death-bearing +deathbed +death-bed +deathbeds +death-begirt +death-bell +death-bird +death-black +deathblow +death-blow +deathblows +death-boding +death-braving +death-bringing +death-cold +death-come-quickly +death-counterfeiting +deathcup +deathcups +deathday +death-day +death-darting +death-deaf +death-deafened +death-dealing +death-deep +death-defying +death-devoted +death-dewed +death-divided +death-divining +death-doing +death-doom +death-due +death-fire +deathful +deathfully +deathfulness +deathy +deathify +deathin +deathiness +death-laden +deathless +deathlessly +deathlessness +deathly +deathlike +deathlikeness +deathliness +deathling +death-marked +death-pale +death-polluted +death-practiced +deathrate +deathrates +deathrate's +deathroot +deaths +death's-face +death-shadowed +death's-head +death-sheeted +death's-herb +deathshot +death-sick +deathsman +deathsmen +death-stiffening +death-stricken +death-struck +death-subduing +death-swimming +death-threatening +death-throe +deathtime +deathtrap +deathtraps +deathward +deathwards +death-warrant +deathwatch +death-watch +deathwatches +death-weary +deathweed +death-winged +deathworm +death-worm +death-worthy +death-wound +death-wounded +Deatsville +deaurate +Deauville +deave +deaved +deavely +Deaver +deaves +deaving +Deb +deb. +debacchate +debacle +debacles +debadge +debag +debagged +debagging +debamboozle +debar +Debarath +debarbarization +debarbarize +Debary +debark +debarkation +debarkations +debarked +debarking +debarkment +debarks +debarment +debarrance +debarrass +debarration +debarred +debarring +debars +debase +debased +debasedness +debasement +debasements +debaser +debasers +debases +debasing +debasingly +debat +debatable +debatably +debate +debateable +debated +debateful +debatefully +debatement +debater +debaters +debates +debating +debatingly +debatter +debauch +debauched +debauchedly +debauchedness +debauchee +debauchees +debaucher +debauchery +debaucheries +debauches +debauching +debauchment +Debbee +Debbi +Debby +Debbie +debbies +Debbora +Debbra +debcle +debe +debeak +debeaker +Debee +debeige +debel +debell +debellate +debellation +debellator +deben +debenture +debentured +debentureholder +debentures +debenzolize +Debeque +Debera +Deberry +Debes +Debi +Debye +debyes +debile +debilissima +debilitant +debilitate +debilitated +debilitates +debilitating +debilitation +debilitations +debilitative +debility +debilities +debind +Debir +debit +debitable +debite +debited +debiteuse +debiting +debitor +debitrix +debits +debitum +debitumenize +debituminization +debituminize +deblai +deblaterate +deblateration +deblock +deblocked +deblocking +DEBNA +deboise +deboist +deboistly +deboistness +deboite +deboites +DeBolt +debonair +debonaire +debonairity +debonairly +debonairness +debonairty +debone +deboned +deboner +deboners +debones +deboning +debonnaire +Debor +Debora +Deborah +Deborath +Debord +debordment +debosh +deboshed +deboshment +deboss +debouch +debouche +debouched +debouches +debouching +debouchment +debouchure +debout +debowel +Debra +Debrecen +debride +debrided +debridement +debrides +debriding +debrief +debriefed +debriefing +debriefings +debriefs +debris +debrominate +debromination +debruise +debruised +debruises +debruising +Debs +debt +debted +debtee +debtful +debtless +debtor +debtors +debtorship +debts +debt's +debug +debugged +debugger +debuggers +debugger's +debugging +debugs +debullition +debunk +debunked +debunker +debunkers +debunking +debunkment +debunks +deburr +deburse +debus +debused +debusing +debussed +Debussy +Debussyan +Debussyanize +debussing +debut +debutant +debutante +debutantes +debutants +debuted +debuting +debuts +DEC +Dec. +deca- +decachord +decad +decadactylous +decadal +decadally +decadarch +decadarchy +decadary +decadation +decade +decadence +decadency +decadent +decadentism +decadently +decadents +decadenza +decades +decade's +decadescent +decadi +decadianome +decadic +decadist +decadrachm +decadrachma +decadrachmae +Decadron +decaedron +decaesarize +decaf +decaffeinate +decaffeinated +decaffeinates +decaffeinating +decaffeinize +decafid +decafs +decagynous +decagon +decagonal +decagonally +decagons +decagram +decagramme +decagrams +decahedra +decahedral +decahedrodra +decahedron +decahedrons +decahydrate +decahydrated +decahydronaphthalene +Decay +decayable +decayed +decayedness +decayer +decayers +decaying +decayless +decays +Decaisnea +decal +decalage +decalcify +decalcification +decalcified +decalcifier +decalcifies +decalcifying +decalcomania +decalcomaniac +decalcomanias +decalescence +decalescent +Decalin +decaliter +decaliters +decalitre +decalobate +decalog +Decalogist +decalogs +Decalogue +decalomania +decals +decalvant +decalvation +De-calvinize +decameral +Decameron +Decameronic +decamerous +decameter +decameters +decamethonium +decametre +decametric +Decamp +decamped +decamping +decampment +decamps +decan +decanal +decanally +decanate +decancellate +decancellated +decancellating +decancellation +decandently +decandria +decandrous +decane +decanery +decanes +decangular +decani +decanically +decannulation +decanoyl +decanol +decanonization +decanonize +decanormal +decant +decantate +decantation +decanted +decanter +decanters +decantherous +decanting +decantist +decants +decap +decapetalous +decaphyllous +decapitable +decapitalization +decapitalize +decapitatation +decapitatations +decapitate +decapitated +decapitates +decapitating +decapitation +decapitations +decapitator +decapod +Decapoda +decapodal +decapodan +decapodiform +decapodous +decapods +Decapolis +decapper +decapsulate +decapsulation +decarbonate +decarbonated +decarbonating +decarbonation +decarbonator +decarbonylate +decarbonylated +decarbonylating +decarbonylation +decarbonisation +decarbonise +decarbonised +decarboniser +decarbonising +decarbonization +decarbonize +decarbonized +decarbonizer +decarbonizing +decarboxylase +decarboxylate +decarboxylated +decarboxylating +decarboxylation +decarboxylization +decarboxylize +decarburation +decarburisation +decarburise +decarburised +decarburising +decarburization +decarburize +decarburized +decarburizing +decarch +decarchy +decarchies +decard +decardinalize +decare +decares +decarhinus +decarnate +decarnated +decart +decartelization +decartelize +decartelized +decartelizing +decasemic +decasepalous +decasyllabic +decasyllable +decasyllables +decasyllabon +decaspermal +decaspermous +decast +decastellate +decastere +decastich +decastylar +decastyle +decastylos +decasualisation +decasualise +decasualised +decasualising +decasualization +decasualize +decasualized +decasualizing +decate +decathlon +decathlons +decatholicize +decatyl +decating +decatize +decatizer +decatizing +Decato +decatoic +decator +Decatur +Decaturville +decaudate +decaudation +Decca +Deccan +deccennia +decciare +decciares +decd +decd. +decease +deceased +deceases +deceasing +decede +decedent +decedents +deceit +deceitful +deceitfully +deceitfulness +deceitfulnesses +deceits +deceivability +deceivable +deceivableness +deceivably +deceivance +deceive +deceived +deceiver +deceivers +deceives +deceiving +deceivingly +decelerate +decelerated +decelerates +decelerating +deceleration +decelerations +decelerator +decelerators +decelerometer +deceleron +De-celticize +decem +decem- +December +Decemberish +Decemberly +Decembrist +decemcostate +decemdentate +decemfid +decemflorous +decemfoliate +decemfoliolate +decemjugate +decemlocular +decempartite +decempeda +decempedal +decempedate +decempennate +decemplex +decemplicate +decempunctate +decemstriate +decemuiri +decemvii +decemvir +decemviral +decemvirate +decemviri +decemvirs +decemvirship +decenary +decenaries +decence +decency +decencies +decency's +decene +decener +decenyl +decennal +decennary +decennaries +decennia +decenniad +decennial +decennially +decennials +decennium +decenniums +decennoval +decent +decenter +decentered +decentering +decenters +decentest +decently +decentness +decentralisation +decentralise +decentralised +decentralising +decentralism +decentralist +decentralization +decentralizationist +decentralizations +decentralize +decentralized +decentralizes +decentralizing +decentration +decentre +decentred +decentres +decentring +decephalization +decephalize +deceptibility +deceptible +deception +deceptional +deceptions +deception's +deceptious +deceptiously +deceptitious +deceptive +deceptively +deceptiveness +deceptivity +deceptory +decerebrate +decerebrated +decerebrating +decerebration +decerebrize +decern +decerned +decerning +decerniture +decernment +decerns +decerp +decertation +decertify +decertification +decertificaton +decertified +decertifying +decess +decession +decessit +decessor +decharm +dechemicalization +dechemicalize +Dechen +dechenite +Decherd +Dechlog +dechlore +dechloridation +dechloridize +dechloridized +dechloridizing +dechlorinate +dechlorinated +dechlorinating +dechlorination +dechoralize +dechristianization +dechristianize +de-christianize +deci- +Decian +deciare +deciares +deciatine +decibar +decibel +decibels +deciceronize +decidability +decidable +decide +decided +decidedly +decidedness +decidement +decidence +decidendi +decident +decider +deciders +decides +deciding +decidingly +decidua +deciduae +decidual +deciduary +deciduas +Deciduata +deciduate +deciduity +deciduitis +deciduoma +deciduous +deciduously +deciduousness +decigram +decigramme +decigrams +decil +decyl +decile +decylene +decylenic +deciles +decylic +deciliter +deciliters +decilitre +decillion +decillionth +Decima +decimal +decimalisation +decimalise +decimalised +decimalising +decimalism +decimalist +decimalization +decimalize +decimalized +decimalizes +decimalizing +decimally +decimals +decimate +decimated +decimates +decimating +decimation +decimator +decime +decimestrial +decimeter +decimeters +decimetre +decimetres +decimolar +decimole +decimosexto +decimo-sexto +Decimus +decine +decyne +decinormal +decipher +decipherability +decipherable +decipherably +deciphered +decipherer +deciphering +decipherment +deciphers +decipium +decipolar +decise +decision +decisional +decisionmake +decision-making +decisions +decision's +decisis +decisive +decisively +decisiveness +decisivenesses +decistere +decisteres +decitizenize +Decius +decivilization +decivilize +Decize +Deck +decke +decked +deckedout +deckel +deckels +decken +decker +deckers +Deckert +Deckerville +deckhand +deckhands +deckhead +deckhouse +deckhouses +deckie +decking +deckings +deckle +deckle-edged +deckles +deckload +deckman +deck-piercing +deckpipe +decks +deckswabber +decl +decl. +declaim +declaimant +declaimed +declaimer +declaimers +declaiming +declaims +declamando +declamation +declamations +declamator +declamatory +declamatoriness +Declan +declarable +declarant +declaration +declarations +declaration's +declarative +declaratively +declaratives +declarator +declaratory +declaratorily +declarators +declare +declared +declaredly +declaredness +declarer +declarers +declares +declaring +declass +declasse +declassed +declassee +declasses +declassicize +declassify +declassification +declassifications +declassified +declassifies +declassifying +declassing +declension +declensional +declensionally +declensions +declericalize +declimatize +declinable +declinal +declinate +declination +declinational +declinations +declination's +declinator +declinatory +declinature +decline +declined +declinedness +decliner +decliners +declines +declining +declinograph +declinometer +declivate +declive +declivent +declivity +declivities +declivitous +declivitously +declivous +Declo +Declomycin +declutch +decnet +deco +decoagulate +decoagulated +decoagulation +decoat +decocainize +decoct +decocted +decoctible +decocting +decoction +decoctive +decocts +decoctum +decodable +decode +decoded +decoder +decoders +decodes +decoding +decodings +Decodon +decohere +decoherence +decoherer +decohesion +decoy +decoic +decoy-duck +decoyed +decoyer +decoyers +decoying +decoyman +decoymen +decoys +decoy's +decoke +decoll +decollate +decollated +decollating +decollation +decollator +decolletage +decollete +decollimate +decolonisation +decolonise +decolonised +decolonising +decolonization +decolonize +decolonized +decolonizes +decolonizing +decolor +decolorant +decolorate +decoloration +decolored +decolorimeter +decoloring +decolorisation +decolorise +decolorised +decoloriser +decolorising +decolorization +decolorize +decolorized +decolorizer +decolorizing +decolors +decolour +decolouration +decoloured +decolouring +decolourisation +decolourise +decolourised +decolouriser +decolourising +decolourization +decolourize +decolourized +decolourizer +decolourizing +decolours +decommission +decommissioned +decommissioning +decommissions +decompensate +decompensated +decompensates +decompensating +decompensation +decompensations +decompensatory +decompile +decompiler +decomplex +decomponent +decomponible +decomposability +decomposable +decompose +decomposed +decomposer +decomposers +decomposes +decomposing +decomposite +decomposition +decompositional +decompositions +decomposition's +decomposure +decompound +decompoundable +decompoundly +decompress +decompressed +decompresses +decompressing +decompression +decompressions +decompressive +deconcatenate +deconcentrate +deconcentrated +deconcentrating +deconcentration +deconcentrator +decondition +decongest +decongestant +decongestants +decongested +decongesting +decongestion +decongestive +decongests +deconsecrate +deconsecrated +deconsecrating +deconsecration +deconsider +deconsideration +decontaminate +decontaminated +decontaminates +decontaminating +decontamination +decontaminations +decontaminative +decontaminator +decontaminators +decontrol +decontrolled +decontrolling +decontrols +deconventionalize +deconvolution +deconvolve +decopperization +decopperize +decor +decorability +decorable +decorably +Decorah +decorament +decorate +Decorated +decorates +decorating +decoration +decorationist +decorations +decorative +decoratively +decorativeness +decorator +decoratory +decorators +decore +decorement +decorist +decorous +decorously +decorousness +decorousnesses +decorrugative +decors +decorticate +decorticated +decorticating +decortication +decorticator +decorticosis +decortization +decorum +decorums +decos +decostate +decoupage +decouple +decoupled +decouples +decoupling +decourse +decourt +decousu +decrassify +decrassified +decream +decrease +decreased +decreaseless +decreases +decreasing +decreasingly +decreation +decreative +decree +decreeable +decreed +decreeing +decree-law +decreement +decreer +decreers +decrees +decreet +decreing +decrement +decremental +decremented +decrementing +decrementless +decrements +decremeter +decrepid +decrepit +decrepitate +decrepitated +decrepitating +decrepitation +decrepity +decrepitly +decrepitness +decrepitude +decreptitude +decresc +decresc. +decrescence +decrescendo +decrescendos +decrescent +decretal +decretalist +Decretals +decrete +decretion +decretist +decretive +decretively +decretory +decretorial +decretorian +decretorily +decretum +decrew +decry +decrial +decrials +decried +decrier +decriers +decries +decrying +decriminalization +decriminalize +decriminalized +decriminalizes +decriminalizing +decrypt +decrypted +decrypting +decryption +decryptions +decryptograph +decrypts +decrystallization +decrown +decrowned +decrowning +decrowns +decrudescence +decrustation +decubation +decubital +decubiti +decubitus +decultivate +deculturate +Decuma +decuman +decumana +decumani +decumanus +decumary +Decumaria +decumbence +decumbency +decumbent +decumbently +decumbiture +decuple +decupled +decuples +decuplet +decupling +decury +decuria +decuries +decurion +decurionate +decurions +decurrence +decurrences +decurrency +decurrencies +decurrent +decurrently +decurring +decursion +decursive +decursively +decurt +decurtate +decurvation +decurvature +decurve +decurved +decurves +decurving +DECUS +decuss +decussate +decussated +decussately +decussating +decussation +decussatively +decussion +decussis +decussoria +decussorium +decwriter +DEd +deda +Dedagach +dedal +Dedan +Dedanim +Dedanite +dedans +dedd +deddy +Dede +dedecorate +dedecoration +dedecorous +Dedekind +Deden +dedenda +dedendum +dedentition +Dedham +dedicant +dedicate +dedicated +dedicatedly +dedicatee +dedicates +dedicating +dedication +dedicational +dedications +dedicative +dedicator +dedicatory +dedicatorial +dedicatorily +dedicators +dedicature +Dedie +dedifferentiate +dedifferentiated +dedifferentiating +dedifferentiation +dedignation +dedimus +dedit +deditician +dediticiancy +dedition +dedo +dedoggerelize +dedogmatize +dedolation +dedolence +dedolency +dedolent +dedolomitization +dedolomitize +dedolomitized +dedolomitizing +Dedra +Dedric +Dedrick +deduce +deduced +deducement +deducer +deduces +deducibility +deducible +deducibleness +deducibly +deducing +deducive +deduct +deducted +deductibility +deductible +deductibles +deductile +deducting +deductio +deduction +deductions +deduction's +deductive +deductively +deductory +deducts +deduit +deduplication +Dee +DeeAnn +Deeanne +deecodder +deed +deedbote +deedbox +deeded +Deedee +deedeed +deedful +deedfully +deedholder +deedy +deedier +deediest +deedily +deediness +deeding +deedless +deeds +Deedsville +de-educate +Deegan +Deeyn +deejay +deejays +deek +de-electrify +de-electrization +de-electrize +deem +de-emanate +de-emanation +deemed +deemer +deemie +deeming +de-emphases +deemphasis +de-emphasis +deemphasize +de-emphasize +deemphasized +de-emphasized +deemphasizes +deemphasizing +de-emphasizing +Deems +deemster +deemsters +deemstership +de-emulsibility +de-emulsify +de-emulsivity +Deena +deener +de-energize +deeny +Deenya +deep +deep-affected +deep-affrighted +deep-asleep +deep-bellied +deep-biting +deep-blue +deep-bodied +deep-bosomed +deep-brained +deep-breasted +deep-breathing +deep-brooding +deep-browed +deep-buried +deep-chested +deep-colored +deep-contemplative +deep-crimsoned +deep-cut +deep-damasked +deep-dye +deep-dyed +deep-discerning +deep-dish +deep-domed +deep-down +deep-downness +deep-draw +deep-drawing +deep-drawn +deep-drenched +deep-drew +deep-drinking +deep-drunk +deep-echoing +deep-eyed +deep-embattled +deepen +deepened +deepener +deepeners +deep-engraven +deepening +deepeningly +deepens +deeper +deepest +deep-faced +deep-felt +deep-fermenting +deep-fetched +deep-fixed +deep-flewed +Deepfreeze +deep-freeze +deepfreezed +deep-freezed +deep-freezer +deepfreezing +deep-freezing +deep-fry +deep-fried +deep-frying +deepfroze +deep-froze +deepfrozen +deep-frozen +deepgoing +deep-going +deep-green +deep-groaning +deep-grounded +deep-grown +Deephaven +Deeping +deepish +deep-kiss +deep-laden +deep-laid +deeply +deeplier +deep-lying +deep-lunged +deepmost +deepmouthed +deep-mouthed +deep-musing +deep-naked +deepness +deepnesses +deep-persuading +deep-piled +deep-pitched +deep-pointed +deep-pondering +deep-premeditated +deep-questioning +deep-reaching +deep-read +deep-revolving +deep-rooted +deep-rootedness +deep-rooting +deeps +deep-sea +deep-searching +deep-seated +deep-seatedness +deep-set +deep-settled +deep-sided +deep-sighted +deep-sinking +deep-six +deep-skirted +deepsome +deep-sore +deep-sounding +deep-stapled +deep-sunk +deep-sunken +deep-sweet +deep-sworn +deep-tangled +deep-thinking +deep-thoughted +deep-thrilling +deep-throated +deep-toned +deep-transported +deep-trenching +deep-troubled +deep-uddered +deep-vaulted +deep-versed +deep-voiced +deep-waisted +Deepwater +deep-water +deepwaterman +deepwatermen +deep-worn +deep-wounded +Deer +deerberry +Deerbrook +deer-coloured +deerdog +Deerdre +deerdrive +Deere +deer-eyed +Deerfield +deerfly +deerflies +deerflys +deerfood +deergrass +deerhair +deer-hair +deerherd +deerhorn +deerhound +deer-hound +Deery +deeryard +deeryards +Deering +deerkill +deerlet +deer-lick +deerlike +deermeat +deer-mouse +deer-neck +deers +deerskin +deerskins +deer-staiker +deerstalker +deerstalkers +deerstalking +deerstand +deerstealer +deer-stealer +deer's-tongue +Deersville +Deerton +deertongue +deervetch +deerweed +deerweeds +Deerwood +dees +deescalate +de-escalate +deescalated +deescalates +deescalating +deescalation +de-escalation +deescalations +deeses +deesis +deess +deet +Deeth +de-ethicization +de-ethicize +deets +deevey +deevilick +deewan +deewans +de-excite +de-excited +de-exciting +def +def. +deface +defaceable +defaced +defacement +defacements +defacer +defacers +defaces +defacing +defacingly +defacto +defade +defaecate +defail +defailance +defaillance +defailment +defaisance +defaitisme +defaitiste +defalcate +defalcated +defalcates +defalcating +defalcation +defalcations +defalcator +DeFalco +defalk +defamation +defamations +defamatory +defame +defamed +defamer +defamers +defames +defamy +defaming +defamingly +defamous +defang +defanged +defangs +Defant +defassa +defat +defatigable +defatigate +defatigated +defatigation +defats +defatted +defatting +default +defaultant +defaulted +defaulter +defaulters +defaulting +defaultless +defaults +defaulture +defeasance +defeasanced +defease +defeasibility +defeasible +defeasibleness +defeasive +defeat +defeated +defeatee +defeater +defeaters +defeating +defeatism +defeatist +defeatists +defeatment +defeats +defeature +defecant +defecate +defecated +defecates +defecating +defecation +defecations +defecator +defect +defected +defecter +defecters +defectibility +defectible +defecting +defection +defectionist +defections +defection's +defectious +defective +defectively +defectiveness +defectives +defectless +defectlessness +defectology +defector +defectors +defectoscope +defects +defectum +defectuous +defedation +defeise +defeit +defeminisation +defeminise +defeminised +defeminising +defeminization +defeminize +defeminized +defeminizing +defence +defenceable +defenceless +defencelessly +defencelessness +defences +defencive +defend +defendable +defendant +defendants +defendant's +defended +defender +defenders +defending +defendress +defends +defenestrate +defenestrated +defenestrates +defenestrating +defenestration +defensative +defense +defensed +defenseless +defenselessly +defenselessness +defenseman +defensemen +defenser +defenses +defensibility +defensible +defensibleness +defensibly +defensing +defension +defensive +defensively +defensiveness +defensor +defensory +defensorship +defer +deferable +deference +deferences +deferens +deferent +deferentectomy +deferential +deferentiality +deferentially +deferentitis +deferents +Deferiet +deferment +deferments +deferment's +deferrable +deferral +deferrals +deferred +deferrer +deferrers +deferrer's +deferring +deferrization +deferrize +deferrized +deferrizing +defers +defervesce +defervesced +defervescence +defervescent +defervescing +defet +defeudalize +defi +defy +defiable +defial +Defiance +defiances +defiant +defiantly +defiantness +defiatory +defiber +defibrillate +defibrillated +defibrillating +defibrillation +defibrillative +defibrillator +defibrillatory +defibrinate +defibrination +defibrinize +deficience +deficiency +deficiencies +deficient +deficiently +deficit +deficits +deficit's +defied +defier +defiers +defies +defiguration +defigure +defying +defyingly +defilable +defilade +defiladed +defilades +defilading +defile +defiled +defiledness +defilement +defilements +defiler +defilers +defiles +defiliation +defiling +defilingly +definability +definable +definably +define +defined +definedly +definement +definer +definers +defines +definienda +definiendum +definiens +definientia +defining +definish +definite +definitely +definiteness +definite-time +definition +definitional +definitiones +definitions +definition's +definitise +definitised +definitising +definitive +definitively +definitiveness +definitization +definitize +definitized +definitizing +definitor +definitude +defis +defix +deflagrability +deflagrable +deflagrate +deflagrated +deflagrates +deflagrating +deflagration +deflagrations +deflagrator +deflate +deflated +deflater +deflates +deflating +deflation +deflationary +deflationist +deflations +deflator +deflators +deflea +defleaed +defleaing +defleas +deflect +deflectable +deflected +deflecting +deflection +deflectional +deflectionization +deflectionize +deflections +deflective +deflectometer +deflector +deflectors +deflects +deflesh +deflex +deflexed +deflexibility +deflexible +deflexing +deflexion +deflexionize +deflexure +deflocculant +deflocculate +deflocculated +deflocculating +deflocculation +deflocculator +deflocculent +deflorate +defloration +deflorations +deflore +deflorescence +deflourish +deflow +deflower +deflowered +deflowerer +deflowering +deflowerment +deflowers +defluent +defluous +defluvium +deflux +defluxion +defoam +defoamed +defoamer +defoamers +defoaming +defoams +defocus +defocusses +Defoe +defoedation +defog +defogged +defogger +defoggers +defogging +defogs +defoil +defoliage +defoliant +defoliants +defoliate +defoliated +defoliates +defoliating +defoliation +defoliations +defoliator +defoliators +deforce +deforced +deforcement +deforceor +deforcer +deforces +deforciant +deforcing +Deford +DeForest +deforestation +deforested +deforester +deforesting +deforests +deform +deformability +deformable +deformalize +deformation +deformational +deformations +deformation's +deformative +deformed +deformedly +deformedness +deformer +deformers +deformeter +deforming +deformism +deformity +deformities +deformity's +deforms +deforse +defortify +defossion +defoul +defray +defrayable +defrayal +defrayals +defrayed +defrayer +defrayers +defraying +defrayment +defrays +defraud +defraudation +defrauded +defrauder +defrauders +defrauding +defraudment +defrauds +defreeze +defrication +defrock +defrocked +defrocking +defrocks +defrost +defrosted +defroster +defrosters +defrosting +defrosts +defs +deft +defter +defterdar +deftest +deft-fingered +deftly +deftness +deftnesses +defunct +defunction +defunctionalization +defunctionalize +defunctive +defunctness +defuse +defused +defuses +defusing +defusion +defuze +defuzed +defuzes +defuzing +deg +deg. +degage +degame +degames +degami +degamis +deganglionate +degarnish +Degas +degases +degasify +degasification +degasifier +degass +degassed +degasser +degassers +degasses +degassing +degauss +degaussed +degausser +degausses +degaussing +degelatinize +degelation +degender +degener +degeneracy +degeneracies +degeneralize +degenerate +degenerated +degenerately +degenerateness +degenerates +degenerating +degeneration +degenerationist +degenerations +degenerative +degeneratively +degenerescence +degenerescent +degeneroos +degentilize +degerm +De-germanize +degermed +degerminate +degerminator +degerming +degerms +degged +degger +degging +deglaciation +deglamorization +deglamorize +deglamorized +deglamorizing +deglaze +deglazed +deglazes +deglazing +deglycerin +deglycerine +deglory +deglut +deglute +deglutinate +deglutinated +deglutinating +deglutination +deglutition +deglutitious +deglutitive +deglutitory +degold +degomme +degorder +degorge +degradability +degradable +degradand +degradation +degradational +degradations +degradation's +degradative +degrade +degraded +degradedly +degradedness +degradement +degrader +degraders +degrades +degrading +degradingly +degradingness +degraduate +degraduation +Degraff +degrain +degranulation +degras +degratia +degravate +degrease +degreased +degreaser +degreases +degreasing +degree +degree-cut +degreed +degree-day +degreeing +degreeless +degrees +degree's +degreewise +degression +degressive +degressively +degringolade +degu +Deguelia +deguelin +degum +degummed +degummer +degumming +degums +degust +degustate +degustation +degusted +degusting +degusts +dehache +dehair +dehairer +Dehaites +deheathenize +De-hellenize +dehematize +dehepatize +Dehgan +dehydrant +dehydrase +dehydratase +dehydrate +dehydrated +dehydrates +dehydrating +dehydration +dehydrations +dehydrator +dehydrators +dehydroascorbic +dehydrochlorinase +dehydrochlorinate +dehydrochlorination +dehydrocorydaline +dehydrocorticosterone +dehydroffroze +dehydroffrozen +dehydrofreeze +dehydrofreezing +dehydrofroze +dehydrofrozen +dehydrogenase +dehydrogenate +dehydrogenated +dehydrogenates +dehydrogenating +dehydrogenation +dehydrogenisation +dehydrogenise +dehydrogenised +dehydrogeniser +dehydrogenising +dehydrogenization +dehydrogenize +dehydrogenized +dehydrogenizer +dehydromucic +dehydroretinol +dehydrosparteine +dehydrotestosterone +dehypnotize +dehypnotized +dehypnotizing +dehisce +dehisced +dehiscence +dehiscent +dehisces +dehiscing +dehistoricize +Dehkan +Dehlia +Dehnel +dehnstufe +DeHoff +dehonestate +dehonestation +dehorn +dehorned +dehorner +dehorners +dehorning +dehorns +dehors +dehort +dehortation +dehortative +dehortatory +dehorted +dehorter +dehorting +dehorts +Dehradun +Dehue +dehull +dehumanisation +dehumanise +dehumanised +dehumanising +dehumanization +dehumanize +dehumanized +dehumanizes +dehumanizing +dehumidify +dehumidification +dehumidified +dehumidifier +dehumidifiers +dehumidifies +dehumidifying +dehusk +Dehwar +DEI +Dey +deia +Deianeira +Deianira +Deibel +deicate +deice +de-ice +deiced +deicer +de-icer +deicers +deices +deicidal +deicide +deicides +deicing +Deicoon +deictic +deictical +deictically +Deidamia +deidealize +Deidesheimer +Deidre +deify +deific +deifical +deification +deifications +deificatory +deified +deifier +deifiers +deifies +deifying +deiform +deiformity +deign +deigned +deigning +deignous +deigns +deyhouse +deil +deils +Deimos +Deina +deincrustant +deindividualization +deindividualize +deindividuate +deindustrialization +deindustrialize +deink +Deino +Deinocephalia +Deinoceras +Deinodon +Deinodontidae +deinos +deinosaur +Deinosauria +Deinotherium +deinstitutionalization +deinsularize +de-insularize +deynt +deintellectualization +deintellectualize +Deion +deionization +deionizations +deionize +deionized +deionizer +deionizes +deionizing +Deiope +Deyoung +Deipara +deiparous +Deiphilus +Deiphobe +Deiphobus +Deiphontes +Deipyle +Deipylus +deipnodiplomatic +deipnophobia +deipnosophism +deipnosophist +deipnosophistic +deipotent +Deirdra +Deirdre +deirid +deis +deys +deiseal +deyship +deisidaimonia +deisin +deism +deisms +deist +deistic +deistical +deistically +deisticalness +deists +De-italianize +deitate +Deity +deities +deity's +deityship +deywoman +deixis +deja +De-jansenize +deject +dejecta +dejected +dejectedly +dejectedness +dejectile +dejecting +dejection +dejections +dejectly +dejectory +dejects +dejecture +dejerate +dejeration +dejerator +dejeune +dejeuner +dejeuners +De-judaize +dejunkerize +deka- +Dekabrist +dekadarchy +dekadrachm +dekagram +dekagramme +dekagrams +DeKalb +dekaliter +dekaliters +dekalitre +dekameter +dekameters +dekametre +dekaparsec +dekapode +dekarch +dekare +dekares +dekastere +deke +deked +Dekeles +dekes +deking +Dekker +dekko +dekkos +dekle +deknight +DeKoven +Dekow +Del +Del. +Dela +delabialization +delabialize +delabialized +delabializing +delace +DeLacey +delacerate +Delacourt +delacrimation +Delacroix +delactation +Delafield +delay +delayable +delay-action +delayage +delayed +delayed-action +delayer +delayers +delayful +delaying +delayingly +Delaine +Delainey +delaines +DeLayre +delays +Delamare +Delambre +delaminate +delaminated +delaminating +delamination +Delancey +Deland +Delaney +Delanie +Delannoy +Delano +Delanos +Delanson +Delanty +Delaplaine +Delaplane +delapse +delapsion +Delaryd +Delaroche +delassation +delassement +Delastre +delate +delated +delater +delates +delating +delatinization +delatinize +delation +delations +delative +delator +delatorian +delators +Delaunay +Delavan +Delavigne +delaw +Delaware +Delawarean +Delawares +delawn +Delbarton +Delbert +Delcambre +Delcasse +Delcina +Delcine +Delco +dele +delead +deleaded +deleading +deleads +deleatur +deleave +deleaved +deleaves +deleble +delectability +delectable +delectableness +delectably +delectate +delectated +delectating +delectation +delectations +delectible +delectus +deled +Deledda +deleerit +delegable +delegacy +delegacies +delegalize +delegalized +delegalizing +delegant +delegare +delegate +delegated +delegatee +delegates +delegateship +delegati +delegating +delegation +delegations +delegative +delegator +delegatory +delegatus +deleing +delenda +deleniate +Deleon +deles +Delesseria +Delesseriaceae +delesseriaceous +delete +deleted +deleter +deletery +deleterious +deleteriously +deleteriousness +deletes +deleting +deletion +deletions +deletive +deletory +Delevan +delf +Delfeena +Delfine +delfs +Delft +delfts +delftware +Delgado +Delhi +deli +dely +Delia +Delian +delibate +deliber +deliberalization +deliberalize +deliberandum +deliberant +deliberate +deliberated +deliberately +deliberateness +deliberatenesses +deliberates +deliberating +deliberation +deliberations +deliberative +deliberatively +deliberativeness +deliberator +deliberators +deliberator's +Delibes +delible +delicacy +delicacies +delicacy's +delicat +delicate +delicate-handed +delicately +delicateness +delicates +delicatesse +delicatessen +delicatessens +delice +delicense +Delichon +Delicia +deliciae +deliciate +delicioso +Delicious +deliciouses +deliciously +deliciousness +delict +delicti +delicto +delicts +delictual +delictum +delictus +delieret +delies +deligated +deligation +Delight +delightable +delighted +delightedly +delightedness +delighter +delightful +delightfully +delightfulness +delighting +delightingly +delightless +delights +delightsome +delightsomely +delightsomeness +delignate +delignated +delignification +Delija +Delila +Delilah +deliliria +delim +delime +delimed +delimer +delimes +deliming +delimit +delimitate +delimitated +delimitating +delimitation +delimitations +delimitative +delimited +delimiter +delimiters +delimiting +delimitize +delimitized +delimitizing +delimits +Delinda +deline +delineable +delineament +delineate +delineated +delineates +delineating +delineation +delineations +delineative +delineator +delineatory +delineature +delineavit +delinition +delinquence +delinquency +delinquencies +delinquent +delinquently +delinquents +delint +delinter +deliquate +deliquesce +deliquesced +deliquescence +deliquescent +deliquesces +deliquescing +deliquiate +deliquiesce +deliquium +deliracy +delirament +delirant +delirate +deliration +delire +deliria +deliriant +deliriate +delirifacient +delirious +deliriously +deliriousness +delirium +deliriums +delirous +delis +delisk +Delisle +delist +delisted +delisting +delists +delit +delitescence +delitescency +delitescent +delitous +Delium +Delius +deliver +deliverability +deliverable +deliverables +deliverance +deliverances +delivered +deliverer +deliverers +deliveress +delivery +deliveries +deliveryman +deliverymen +delivering +delivery's +deliverly +deliveror +delivers +Dell +dell' +Della +dellaring +Delle +dellenite +Delly +dellies +Dellora +Dellroy +dells +dell's +Dellslow +Delma +Delmar +Delmarva +Delmer +Delmita +Delmont +Delmor +Delmore +Delmotte +DELNI +Delnorte +Delobranchiata +delocalisation +delocalise +delocalised +delocalising +delocalization +delocalize +delocalized +delocalizing +Delogu +Deloit +delomorphic +delomorphous +DeLong +deloo +Delora +Delorean +Delorenzo +Delores +Deloria +Deloris +Delorme +Delos +deloul +delouse +deloused +delouser +delouses +delousing +Delp +delph +delphacid +Delphacidae +Delphi +Delphia +Delphian +Delphic +delphically +Delphin +Delphina +Delphinapterus +Delphine +Delphyne +Delphini +Delphinia +delphinic +Delphinid +Delphinidae +delphinin +delphinine +delphinite +Delphinium +delphiniums +Delphinius +delphinoid +Delphinoidea +delphinoidine +Delphinus +delphocurarine +Delphos +Delphus +DELQA +Delray +Delrey +Delrio +dels +Delsarte +Delsartean +Delsartian +Delsman +Delta +deltafication +deltahedra +deltahedron +deltaic +deltaite +deltal +deltalike +deltarium +deltas +delta's +delta-shaped +deltation +Deltaville +delthyria +delthyrial +delthyrium +deltic +deltidia +deltidial +deltidium +deltiology +deltohedra +deltohedron +deltoid +deltoidal +deltoidei +deltoideus +deltoids +Delton +DELUA +delubra +delubrubra +delubrum +Deluc +deluce +deludable +delude +deluded +deluder +deluders +deludes +deludher +deluding +deludingly +Deluge +deluged +deluges +deluging +delumbate +deluminize +delundung +delusion +delusional +delusionary +delusionist +delusions +delusion's +delusive +delusively +delusiveness +delusory +deluster +delusterant +delustered +delustering +delusters +delustrant +deluxe +Delvalle +delve +delved +delver +delvers +delves +delving +Delwin +Delwyn +Dem +Dem. +Dema +Demaggio +demagnetisable +demagnetisation +demagnetise +demagnetised +demagnetiser +demagnetising +demagnetizable +demagnetization +demagnetize +demagnetized +demagnetizer +demagnetizes +demagnetizing +demagnify +demagnification +demagog +demagogy +demagogic +demagogical +demagogically +demagogies +demagogism +demagogs +demagogue +demagoguery +demagogueries +demagogues +demagoguism +demain +DeMaio +Demakis +demal +demand +demandable +demandant +demandative +demanded +demander +demanders +demanding +demandingly +demandingness +demands +demanganization +demanganize +demantoid +demarcate +demarcated +demarcates +demarcating +demarcation +demarcations +demarcator +demarcatordemarcators +demarcators +demarcature +demarch +demarche +demarches +demarchy +demaree +Demarest +demargarinate +Demaria +demark +demarkation +demarked +demarking +demarks +DeMartini +demasculinisation +demasculinise +demasculinised +demasculinising +demasculinization +demasculinize +demasculinized +demasculinizing +demast +demasted +demasting +demasts +dematerialisation +dematerialise +dematerialised +dematerialising +dematerialization +dematerialize +dematerialized +dematerializing +Dematiaceae +dematiaceous +Demavend +Demb +Dembowski +Demchok +deme +demean +demeaned +demeaning +demeanor +demeanored +demeanors +demeanour +demeans +demegoric +Demeyer +demele +demembration +demembre +demency +dement +dementate +dementation +demented +dementedly +dementedness +dementholize +dementi +dementia +demential +dementias +dementie +dementing +dementis +dements +demeore +demephitize +Demerara +demerge +demerged +demerger +demerges +demerit +demerited +demeriting +demeritorious +demeritoriously +demerits +Demerol +demersal +demerse +demersed +demersion +demes +demesgne +demesgnes +demesman +demesmerize +demesne +demesnes +demesnial +demetallize +Demeter +demethylate +demethylation +demethylchlortetracycline +demeton +demetons +Demetra +Demetre +Demetri +Demetria +Demetrian +Demetrias +demetricize +Demetrios +Demetris +Demetrius +demi +Demy +demi- +demiadult +demiangel +demiassignation +demiatheism +demiatheist +Demi-atlas +demibarrel +demibastion +demibastioned +demibath +demi-batn +demibeast +demibelt +demibob +demibombard +demibrassart +demibrigade +demibrute +demibuckram +demicadence +demicannon +demi-cannon +demicanon +demicanton +demicaponier +demichamfron +Demi-christian +demicylinder +demicylindrical +demicircle +demicircular +demicivilized +demicolumn +demicoronal +demicritic +demicuirass +demiculverin +demi-culverin +demidandiprat +demideify +demideity +demidevil +demidigested +demidistance +demiditone +demidoctor +demidog +demidolmen +demidome +demieagle +demyelinate +demyelination +demies +demifarthing +demifigure +demiflouncing +demifusion +demigardebras +demigauntlet +demigentleman +demiglace +demiglobe +demigod +demigoddess +demigoddessship +demigods +demigorge +demigrate +demigriffin +demigroat +demihag +demihagbut +demihague +demihake +demihaque +demihearse +demiheavenly +demihigh +demihogshead +demihorse +demihuman +demi-hunter +demi-incognito +demi-island +demi-islander +demijambe +demijohn +demijohns +demi-jour +demikindred +demiking +demilance +demi-lance +demilancer +demi-landau +demilawyer +demilegato +demilion +demilitarisation +demilitarise +demilitarised +demilitarising +demilitarization +demilitarize +demilitarized +demilitarizes +demilitarizing +demiliterate +demilune +demilunes +demiluster +demilustre +demiman +demimark +demimentoniere +demimetope +demimillionaire +Demi-mohammedan +demimondain +demimondaine +demi-mondaine +demimondaines +demimonde +demi-monde +demimonk +Demi-moor +deminatured +demineralization +demineralize +demineralized +demineralizer +demineralizes +demineralizing +Deming +Demi-norman +deminude +deminudity +demioctagonal +demioctangular +demiofficial +demiorbit +demi-ostade +demiourgoi +Demiourgos +demiowl +demiox +demipagan +demiparadise +demi-paradise +demiparallel +demipauldron +demipectinate +Demi-pelagian +demi-pension +demipesade +Demiphon +demipike +demipillar +demipique +demi-pique +demiplacate +demiplate +demipomada +demipremise +demipremiss +demipriest +demipronation +demipuppet +demi-puppet +demiquaver +demiracle +demiram +Demirel +demirelief +demirep +demi-rep +demireps +demirevetment +demirhumb +demirilievo +demirobe +demisability +demisable +demisacrilege +demisang +demi-sang +demisangue +demisavage +demiscible +demise +demiseason +demi-season +demi-sec +demisecond +demised +demi-sel +demi-semi +demisemiquaver +demisemitone +demises +demisheath +demi-sheath +demyship +demishirt +demising +demisolde +demisovereign +demisphere +demiss +demission +demissionary +demissive +demissly +demissness +demissory +demist +demystify +demystification +demisuit +demit +demitasse +demitasses +demythify +demythologisation +demythologise +demythologised +demythologising +demythologization +demythologizations +demythologize +demythologized +demythologizer +demythologizes +demythologizing +demitint +demitoilet +demitone +demitrain +demitranslucence +Demitria +demits +demitted +demitting +demitube +demiturned +Demiurge +demiurgeous +demiurges +demiurgic +demiurgical +demiurgically +demiurgism +demiurgos +demiurgus +demivambrace +demivierge +demi-vill +demivirgin +demivoice +demivol +demivolt +demivolte +demivolts +demivotary +demiwivern +demiwolf +demiworld +Demjanjuk +Demmer +Demmy +demnition +Demo +demo- +demob +demobbed +demobbing +demobilisation +demobilise +demobilised +demobilising +demobilization +demobilizations +demobilize +demobilized +demobilizes +demobilizing +demobs +Democoon +democracy +democracies +democracy's +Democrat +democratian +democratic +democratical +democratically +Democratic-republican +democratifiable +democratisation +democratise +democratised +democratising +democratism +democratist +democratization +democratize +democratized +democratizer +democratizes +democratizing +democrats +democrat's +democraw +democritean +Democritus +demode +demodectic +demoded +Demodena +Demodex +Demodicidae +Demodocus +demodulate +demodulated +demodulates +demodulating +demodulation +demodulations +demodulator +demogenic +Demogorgon +demographer +demographers +demography +demographic +demographical +demographically +demographics +demographies +demographist +demoid +demoiselle +demoiselles +demolish +demolished +demolisher +demolishes +demolishing +demolishment +demolition +demolitionary +demolitionist +demolitions +demology +demological +Demon +Demona +Demonassa +demonastery +Demonax +demoness +demonesses +demonetisation +demonetise +demonetised +demonetising +demonetization +demonetize +demonetized +demonetizes +demonetizing +demoniac +demoniacal +demoniacally +demoniacism +demoniacs +demonial +demonian +demonianism +demoniast +demonic +demonical +demonically +demonifuge +demonio +demonise +demonised +demonises +demonish +demonishness +demonising +demonism +demonisms +demonist +demonists +demonization +demonize +demonized +demonizes +demonizing +demonkind +demonland +demonlike +demono- +demonocracy +demonograph +demonographer +demonography +demonographies +demonolater +demonolatry +demonolatrous +demonolatrously +demonologer +demonology +demonologic +demonological +demonologically +demonologies +demonologist +demonomancy +demonomanie +demonomy +demonomist +demonophobia +demonopolize +demonry +demons +demon's +demonship +demonstrability +demonstrable +demonstrableness +demonstrably +demonstrance +demonstrandum +demonstrant +demonstratability +demonstratable +demonstrate +demonstrated +demonstratedly +demonstrater +demonstrates +demonstrating +demonstration +demonstrational +demonstrationist +demonstrationists +demonstrations +demonstrative +demonstratively +demonstrativeness +demonstrator +demonstratory +demonstrators +demonstrator's +demonstratorship +demophil +demophile +demophilism +demophobe +demophobia +Demophon +Demophoon +Demopolis +demorage +demoralisation +demoralise +demoralised +demoraliser +demoralising +demoralization +demoralize +demoralized +demoralizer +demoralizers +demoralizes +demoralizing +demoralizingly +Demorest +demorphinization +demorphism +Demos +demoses +Demospongiae +Demossville +Demosthenean +Demosthenes +Demosthenian +Demosthenic +demot +demote +demoted +demotes +demothball +Demotic +demotics +Demotika +demoting +demotion +demotions +demotist +demotists +Demott +Demotte +demount +demountability +demountable +demounted +demounting +demounts +demove +Demp +dempne +DEMPR +Dempsey +Dempster +dempsters +Dempstor +demulce +demulceate +demulcent +demulcents +demulsibility +demulsify +demulsification +demulsified +demulsifier +demulsifying +demulsion +demultiplex +demultiplexed +demultiplexer +demultiplexers +demultiplexes +demultiplexing +demur +demure +demurely +demureness +demurer +demurest +demurity +demurrable +demurrage +demurrages +demurral +demurrals +demurrant +demurred +demurrer +demurrers +demurring +demurringly +demurs +Demus +Demuth +demutization +Den +Den. +Dena +Denae +denay +Denair +dename +denar +denarcotization +denarcotize +denari +denary +denaries +denarii +denarinarii +denarius +denaro +denasalize +denasalized +denasalizing +denat +denationalisation +denationalise +denationalised +denationalising +denationalization +denationalize +denationalized +denationalizing +denaturalisation +denaturalise +denaturalised +denaturalising +denaturalization +denaturalize +denaturalized +denaturalizing +denaturant +denaturants +denaturate +denaturation +denaturational +denature +denatured +denatures +denaturing +denaturisation +denaturise +denaturised +denaturiser +denaturising +denaturization +denaturize +denaturized +denaturizer +denaturizing +denazify +De-nazify +denazification +denazified +denazifies +denazifying +Denby +Denbigh +Denbighshire +Denbo +Denbrook +denda +dendr- +dendra +dendrachate +dendral +Dendraspis +dendraxon +dendric +dendriform +dendrite +Dendrites +dendritic +dendritical +dendritically +dendritiform +Dendrium +dendro- +Dendrobates +Dendrobatinae +dendrobe +Dendrobium +Dendrocalamus +Dendroceratina +dendroceratine +Dendrochirota +dendrochronology +dendrochronological +dendrochronologically +dendrochronologist +Dendrocygna +dendroclastic +Dendrocoela +dendrocoelan +dendrocoele +dendrocoelous +Dendrocolaptidae +dendrocolaptine +Dendroctonus +dendrodic +dendrodont +dendrodra +Dendrodus +Dendroeca +Dendrogaea +Dendrogaean +dendrograph +dendrography +Dendrohyrax +Dendroica +dendroid +dendroidal +Dendroidea +Dendrolagus +dendrolater +dendrolatry +Dendrolene +dendrolite +dendrology +dendrologic +dendrological +dendrologist +dendrologists +dendrologous +Dendromecon +dendrometer +Dendron +dendrons +dendrophagous +dendrophil +dendrophile +dendrophilous +Dendropogon +Dene +Deneb +Denebola +denegate +denegation +denehole +dene-hole +denervate +denervation +denes +deneutralization +DEng +dengue +dengues +Denham +Denhoff +Deni +Deny +deniability +deniable +deniably +denial +denials +denial's +Denice +denicotine +denicotinize +denicotinized +denicotinizes +denicotinizing +Denie +denied +denier +denyer +denierage +denierer +deniers +denies +denigrate +denigrated +denigrates +denigrating +denigration +denigrations +denigrative +denigrator +denigratory +denigrators +denying +denyingly +Deniker +denim +denims +Denio +Denis +Denys +Denise +Denyse +Denison +denitrate +denitrated +denitrating +denitration +denitrator +denitrify +denitrificant +denitrification +denitrificator +denitrified +denitrifier +denitrifying +denitrize +denizate +denization +denize +denizen +denizenation +denizened +denizening +denizenize +denizens +denizenship +Denizlik +Denman +Denmark +Denn +Denna +Dennard +denned +Denney +Dennet +Dennett +Denni +Denny +Dennie +Denning +Dennis +Dennison +Dennisport +Denniston +Dennisville +Dennysville +Dennstaedtia +denom +denom. +denominable +denominant +denominate +denominated +denominates +denominating +denomination +denominational +denominationalism +denominationalist +denominationalize +denominationally +denominations +denomination's +denominative +denominatively +denominator +denominators +denominator's +denormalized +denotable +denotate +denotation +denotational +denotationally +denotations +denotation's +denotative +denotatively +denotativeness +denotatum +denote +denoted +denotement +denotes +Denoting +denotive +denouement +denouements +denounce +denounced +denouncement +denouncements +denouncer +denouncers +denounces +denouncing +Denpasar +dens +den's +densate +densation +dense +dense-flowered +dense-headed +densely +dense-minded +densen +denseness +densenesses +denser +densest +dense-wooded +denshare +densher +denshire +densify +densification +densified +densifier +densifies +densifying +densimeter +densimetry +densimetric +densimetrically +density +densities +density's +densitometer +densitometers +densitometry +densitometric +Densmore +densus +Dent +dent- +dent. +dentagra +dental +dentale +dentalgia +dentalia +Dentaliidae +dentalisation +dentalise +dentalised +dentalising +dentalism +dentality +Dentalium +dentaliums +dentalization +dentalize +dentalized +dentalizing +dentally +dentallia +dentalman +dentalmen +dentals +dentaphone +dentary +Dentaria +dentaries +dentary-splenial +dentata +dentate +dentate-ciliate +dentate-crenate +dentated +dentately +dentate-serrate +dentate-sinuate +dentation +dentato- +dentatoangulate +dentatocillitate +dentatocostate +dentatocrenate +dentatoserrate +dentatosetaceous +dentatosinuate +dented +dentel +dentelated +dentellated +dentelle +dentelliere +dentello +dentelure +Denten +denter +dentes +dentex +denty +denti- +dentical +denticate +denticete +Denticeti +denticle +denticles +denticular +denticulate +denticulated +denticulately +denticulation +denticule +dentiferous +dentification +dentiform +dentifrice +dentifrices +dentigerous +dentil +dentilabial +dentilated +dentilation +dentile +dentiled +dentilingual +dentiloguy +dentiloquy +dentiloquist +dentils +dentimeter +dentin +dentinal +dentinalgia +dentinasal +dentine +dentines +denting +dentinitis +dentinoblast +dentinocemental +dentinoid +dentinoma +dentins +dentiparous +dentiphone +dentiroster +dentirostral +dentirostrate +Dentirostres +dentiscalp +dentist +dentistic +dentistical +dentistry +dentistries +dentists +dentist's +dentition +dentitions +dento- +dentoid +dentolabial +dentolingual +dentololabial +Denton +dentonasal +dentosurgical +den-tree +dents +dentulous +dentural +denture +dentures +denuclearization +denuclearize +denuclearized +denuclearizes +denuclearizing +denucleate +denudant +denudate +denudated +denudates +denudating +denudation +denudational +denudations +denudative +denudatory +denude +denuded +denudement +denuder +denuders +denudes +denuding +denumberment +denumerability +denumerable +denumerably +denumeral +denumerant +denumerantive +denumeration +denumerative +denunciable +denunciant +denunciate +denunciated +denunciating +denunciation +denunciations +denunciative +denunciatively +denunciator +denunciatory +denutrition +Denver +Denville +Denzil +deobstruct +deobstruent +deoccidentalize +deoculate +deodand +deodands +deodar +deodara +deodaras +deodars +deodate +deodorant +deodorants +deodorisation +deodorise +deodorised +deodoriser +deodorising +deodorization +deodorize +deodorized +deodorizer +deodorizers +deodorizes +deodorizing +deonerate +Deonne +deontic +deontology +deontological +deontologist +deoperculate +deoppilant +deoppilate +deoppilation +deoppilative +deorbit +deorbits +deordination +deorganization +deorganize +deorientalize +deorsum +deorsumvergence +deorsumversion +deorusumduction +deosculate +deossify +de-ossify +deossification +deota +deoxy- +deoxycorticosterone +deoxidant +deoxidate +deoxidation +deoxidative +deoxidator +deoxidisation +deoxidise +deoxidised +deoxidiser +deoxidising +deoxidization +deoxidize +deoxidized +deoxidizer +deoxidizers +deoxidizes +deoxidizing +deoxygenate +deoxygenated +deoxygenating +deoxygenation +deoxygenization +deoxygenize +deoxygenized +deoxygenizing +deoxyribonuclease +deoxyribonucleic +deoxyribonucleoprotein +deoxyribonucleotide +deoxyribose +deozonization +deozonize +deozonizer +dep +dep. +depa +depaganize +depaint +depainted +depainting +depaints +depair +depayse +depaysee +depancreatization +depancreatize +depardieu +depark +deparliament +depart +departed +departee +departement +departements +departer +departing +departisanize +departition +department +departmental +departmentalisation +departmentalise +departmentalised +departmentalising +departmentalism +departmentalization +departmentalize +departmentalized +departmentalizes +departmentalizing +departmentally +departmentization +departmentize +departments +department's +departs +departure +departures +departure's +depas +depascent +depass +depasturable +depasturage +depasturation +depasture +depastured +depasturing +depatriate +depauperate +depauperation +depauperization +depauperize +de-pauperize +depauperized +Depauville +Depauw +DEPCA +depe +depeach +depeche +depectible +depeculate +depeinct +Depeyster +depel +depencil +depend +dependability +dependabilities +dependable +dependableness +dependably +dependance +dependancy +dependant +dependantly +dependants +depended +dependence +dependences +dependency +dependencies +dependent +dependently +dependents +depender +depending +dependingly +depends +depeople +depeopled +depeopling +deperdit +deperdite +deperditely +deperdition +Depere +deperition +deperm +depermed +deperming +deperms +depersonalise +depersonalised +depersonalising +depersonalization +depersonalize +depersonalized +depersonalizes +depersonalizing +depersonize +depertible +depetalize +depeter +depetticoat +DePew +dephase +dephased +dephasing +dephycercal +dephilosophize +dephysicalization +dephysicalize +dephlegm +dephlegmate +dephlegmated +dephlegmation +dephlegmatize +dephlegmator +dephlegmatory +dephlegmedness +dephlogisticate +dephlogisticated +dephlogistication +dephosphorization +dephosphorize +depickle +depict +depicted +depicter +depicters +depicting +depiction +depictions +depictive +depictment +depictor +depictors +depicts +depicture +depictured +depicturing +depiedmontize +depigment +depigmentate +depigmentation +depigmentize +depilate +depilated +depilates +depilating +depilation +depilator +depilatory +depilatories +depilitant +depilous +depit +deplace +deplaceable +deplane +deplaned +deplanes +deplaning +deplant +deplantation +deplasmolysis +deplaster +deplenish +depletable +deplete +depleteable +depleted +depletes +deplethoric +depleting +depletion +depletions +depletive +depletory +deploy +deployable +deployed +deploying +deployment +deployments +deployment's +deploys +deploitation +deplorabilia +deplorability +deplorable +deplorableness +deplorably +deplorate +deploration +deplore +deplored +deploredly +deploredness +deplorer +deplorers +deplores +deploring +deploringly +deplumate +deplumated +deplumation +deplume +deplumed +deplumes +depluming +deplump +depoetize +depoh +Depoy +depolarisation +depolarise +depolarised +depolariser +depolarising +depolarization +depolarize +depolarized +depolarizer +depolarizers +depolarizes +depolarizing +depolymerization +depolymerize +depolymerized +depolymerizing +depolish +depolished +depolishes +depolishing +Depoliti +depoliticize +depoliticized +depoliticizes +depoliticizing +depone +deponed +deponent +deponents +deponer +depones +deponing +depopularize +depopulate +depopulated +depopulates +depopulating +depopulation +depopulations +depopulative +depopulator +depopulators +deport +deportability +deportable +deportation +deportations +deporte +deported +deportee +deportees +deporter +deporting +deportment +deportments +deports +deporture +deposable +deposal +deposals +depose +deposed +deposer +deposers +deposes +deposing +deposit +deposita +depositary +depositaries +depositation +deposited +depositee +depositing +Deposition +depositional +depositions +deposition's +depositive +deposito +depositor +depository +depositories +depositors +depositor's +deposits +depositum +depositure +deposure +depot +depotentiate +depotentiation +depots +depot's +Deppy +depr +depravate +depravation +depravations +deprave +depraved +depravedly +depravedness +depravement +depraver +depravers +depraves +depraving +depravingly +depravity +depravities +deprecable +deprecate +deprecated +deprecates +deprecating +deprecatingly +deprecation +deprecations +deprecative +deprecatively +deprecator +deprecatory +deprecatorily +deprecatoriness +deprecators +depreciable +depreciant +depreciate +depreciated +depreciates +depreciating +depreciatingly +depreciation +depreciations +depreciative +depreciatively +depreciator +depreciatory +depreciatoriness +depreciators +depredable +depredate +depredated +depredating +depredation +depredationist +depredations +depredator +depredatory +depredicate +DePree +deprehend +deprehensible +deprehension +depress +depressant +depressanth +depressants +depressed +depressed-bed +depresses +depressibility +depressibilities +depressible +depressing +depressingly +depressingness +Depression +depressional +depressionary +depressions +depression's +depressive +depressively +depressiveness +depressives +depressomotor +depressor +depressors +depressure +depressurize +deprest +depreter +deprevation +Deprez +depriment +deprint +depriorize +deprisure +deprivable +deprival +deprivals +deprivate +deprivation +deprivations +deprivation's +deprivative +deprive +deprived +deprivement +depriver +deprivers +deprives +depriving +deprocedured +deproceduring +deprogram +deprogrammed +deprogrammer +deprogrammers +deprogramming +deprogrammings +deprograms +deprome +deprostrate +deprotestantize +De-protestantize +deprovincialize +depsid +depside +depsides +dept +dept. +Deptford +depth +depth-charge +depth-charged +depth-charging +depthen +depthing +depthless +depthlessness +depthometer +depths +depthways +depthwise +depucel +depudorate +Depue +Depuy +depullulation +depulse +depurant +depurate +depurated +depurates +depurating +depuration +depurative +depurator +depuratory +depure +depurge +depurged +depurging +depurition +depursement +deputable +deputation +deputational +deputationist +deputationize +deputations +deputative +deputatively +deputator +depute +deputed +deputes +deputy +deputies +deputing +deputy's +deputise +deputised +deputyship +deputising +deputization +deputize +deputized +deputizes +deputizing +DEQNA +dequantitate +Dequeen +dequeue +dequeued +dequeues +dequeuing +Der +der. +Der'a +derabbinize +deracialize +deracinate +deracinated +deracinating +deracination +deracine +deradelphus +deradenitis +deradenoncus +Deragon +derah +deray +deraign +deraigned +deraigning +deraignment +deraigns +derail +derailed +derailer +derailing +derailleur +derailleurs +derailment +derailments +derails +Derain +Derayne +derays +derange +derangeable +deranged +derangement +derangements +deranger +deranges +deranging +derat +derate +derated +derater +derating +deration +derationalization +derationalize +deratization +deratize +deratized +deratizing +derats +deratted +deratting +Derbend +Derbent +Derby +Derbies +Derbyline +derbylite +Derbyshire +derbukka +Dercy +der-doing +dere +derealization +derecho +dereference +dereferenced +dereferences +dereferencing +deregister +deregulate +deregulated +deregulates +deregulating +deregulation +deregulationize +deregulations +deregulatory +dereign +dereism +dereistic +dereistically +Derek +derelict +derelicta +dereliction +derelictions +derelictly +derelictness +derelicts +dereligion +dereligionize +dereling +derelinquendi +derelinquish +derencephalocele +derencephalus +DEREP +derepress +derepression +derequisition +derere +deresinate +deresinize +derestrict +derf +derfly +derfness +derham +Derian +deric +Derick +deride +derided +derider +deriders +derides +deriding +deridingly +Deryl +Derina +Deringa +deringer +deringers +Derinna +Deripia +derisible +derision +derisions +derisive +derisively +derisiveness +derisory +deriv +deriv. +derivability +derivable +derivably +derival +derivant +derivate +derivately +derivates +derivation +derivational +derivationally +derivationist +derivations +derivation's +derivatist +derivative +derivatively +derivativeness +derivatives +derivative's +derive +derived +derivedly +derivedness +deriver +derivers +derives +deriving +Derk +Derleth +derm +derm- +derma +dermabrasion +Dermacentor +dermad +dermahemia +dermal +dermalgia +dermalith +dermamycosis +dermamyiasis +Derman +dermanaplasty +dermapostasis +Dermaptera +dermapteran +dermapterous +dermas +dermaskeleton +dermasurgery +dermat- +dermatagra +dermatalgia +dermataneuria +dermatatrophia +dermatauxe +dermathemia +dermatherm +dermatic +dermatine +dermatitis +dermatitises +dermato- +dermato-autoplasty +Dermatobia +dermatocele +dermatocellulitis +dermatocyst +dermatoconiosis +Dermatocoptes +dermatocoptic +dermatodynia +dermatogen +dermatoglyphic +dermatoglyphics +dermatograph +dermatography +dermatographia +dermatographic +dermatographism +dermatoheteroplasty +dermatoid +dermatolysis +dermatology +dermatologic +dermatological +dermatologies +dermatologist +dermatologists +dermatoma +dermatome +dermatomere +dermatomic +dermatomyces +dermatomycosis +dermatomyoma +dermatomuscular +dermatoneural +dermatoneurology +dermatoneurosis +dermatonosus +dermatopathia +dermatopathic +dermatopathology +dermatopathophobia +Dermatophagus +dermatophyte +dermatophytic +dermatophytosis +dermatophobia +dermatophone +dermatophony +dermatoplasm +dermatoplast +dermatoplasty +dermatoplastic +dermatopnagic +dermatopsy +Dermatoptera +dermatoptic +dermatorrhagia +dermatorrhea +dermatorrhoea +dermatosclerosis +dermatoscopy +dermatoses +dermatosiophobia +dermatosis +dermatoskeleton +dermatotherapy +dermatotome +dermatotomy +dermatotropic +dermatous +dermatoxerasia +dermatozoon +dermatozoonosis +dermatozzoa +dermatrophy +dermatrophia +dermatropic +dermenchysis +Dermestes +dermestid +Dermestidae +dermestoid +dermic +dermis +dermises +dermitis +dermititis +dermo- +dermoblast +Dermobranchia +dermobranchiata +dermobranchiate +Dermochelys +dermochrome +dermococcus +dermogastric +dermography +dermographia +dermographic +dermographism +dermohemal +dermohemia +dermohumeral +dermoid +dermoidal +dermoidectomy +dermoids +dermol +dermolysis +dermomycosis +dermomuscular +dermonecrotic +dermoneural +dermoneurosis +dermonosology +dermoosseous +dermoossification +dermopathy +dermopathic +dermophyte +dermophytic +dermophlebitis +dermophobe +dermoplasty +Dermoptera +dermopteran +dermopterous +dermoreaction +Dermorhynchi +dermorhynchous +dermosclerite +dermosynovitis +dermoskeletal +dermoskeleton +dermostenosis +dermostosis +Dermot +dermotherm +dermotropic +Dermott +dermovaccine +derms +dermutation +dern +Derna +derned +derner +dernful +dernier +derning +dernly +dero +derobe +derodidymus +derog +derogate +derogated +derogately +derogates +derogating +derogation +derogations +derogative +derogatively +derogator +derogatory +derogatorily +derogatoriness +deromanticize +Deron +Deroo +DeRosa +Derotrema +Derotremata +derotremate +derotrematous +derotreme +Derounian +derout +DERP +Derr +Derrek +Derrel +derri +Derry +Derrick +derricking +derrickman +derrickmen +derricks +derrid +derride +derry-down +Derriey +derriere +derrieres +derries +Derrik +Derril +derring-do +derringer +derringers +derrire +Derris +derrises +Derron +Derte +derth +dertra +dertrotheca +dertrum +deruinate +Deruyter +deruralize +de-russianize +derust +derv +derve +dervish +dervishes +dervishhood +dervishism +dervishlike +Derward +Derwent +Derwentwater +Derwin +Derwon +Derwood +Derzon +DES +des- +desaccharification +desacralization +desacralize +desagrement +Desai +desalinate +desalinated +desalinates +desalinating +desalination +desalinator +desalinization +desalinize +desalinized +desalinizes +desalinizing +desalt +desalted +desalter +desalters +desalting +desalts +desamidase +desamidization +desaminase +desand +desanded +desanding +desands +DeSantis +Desarc +Desargues +desaturate +desaturation +desaurin +desaurine +de-saxonize +Desberg +desc +desc. +descale +descaled +descaling +descamisado +descamisados +Descanso +descant +descanted +descanter +descanting +descantist +descants +Descartes +descend +descendability +descendable +descendance +Descendant +descendants +descendant's +descended +descendence +descendent +descendental +descendentalism +descendentalist +descendentalistic +descendents +descender +descenders +descendibility +descendible +descending +descendingly +descends +descension +descensional +descensionist +descensive +descensory +descensories +descent +descents +descent's +Deschamps +Deschampsia +deschool +Deschutes +descloizite +Descombes +descort +descry +descrial +describability +describable +describably +describe +described +describent +describer +describers +describes +describing +descried +descrier +descriers +descries +descrying +descript +description +descriptionist +descriptionless +descriptions +description's +descriptive +descriptively +descriptiveness +descriptives +descriptivism +descriptor +descriptory +descriptors +descriptor's +descrive +descure +Desdamona +Desdamonna +Desde +Desdee +Desdemona +deseam +deseasonalize +desecate +desecrate +desecrated +desecrater +desecrates +desecrating +desecration +desecrations +desecrator +desectionalize +deseed +desegmentation +desegmented +desegregate +desegregated +desegregates +desegregating +desegregation +desegregations +Deseilligny +deselect +deselected +deselecting +deselects +desemer +de-semiticize +desensitization +desensitizations +desensitize +desensitized +desensitizer +desensitizers +desensitizes +desensitizing +desentimentalize +deseret +desert +desert-bred +deserted +desertedly +desertedness +deserter +deserters +desertful +desertfully +desertic +deserticolous +desertification +deserting +desertion +desertions +desertism +desertless +desertlessly +desertlike +desert-locked +desertness +desertress +desertrice +deserts +desertward +desert-wearied +deserve +deserved +deservedly +deservedness +deserveless +deserver +deservers +deserves +deserving +deservingly +deservingness +deservings +desesperance +desex +desexed +desexes +desexing +desexualization +desexualize +desexualized +desexualizing +Desha +deshabille +Deshler +Desi +desiatin +desyatin +desicate +desiccant +desiccants +desiccate +desiccated +desiccates +desiccating +desiccation +desiccations +desiccative +desiccator +desiccatory +desiccators +desiderable +desiderant +desiderata +desiderate +desiderated +desiderating +desideration +desiderative +desideratum +Desiderii +desiderium +Desiderius +desiderta +desidiose +desidious +desight +desightment +design +designable +designado +designate +designated +designates +designating +designation +designations +designative +designator +designatory +designators +designator's +designatum +designed +designedly +designedness +designee +designees +designer +designers +designer's +designful +designfully +designfulness +designing +designingly +designless +designlessly +designlessness +designment +designs +desyl +desilicate +desilicated +desilicating +desilicify +desilicification +desilicified +desiliconization +desiliconize +desilt +desilver +desilvered +desilvering +desilverization +desilverize +desilverized +desilverizer +desilverizing +desilvers +DeSimone +desynapsis +desynaptic +desynchronize +desynchronizing +desinence +desinent +desinential +desynonymization +desynonymize +desiodothyroxine +desipience +desipiency +desipient +desipramine +desirability +desirabilities +desirable +desirableness +desirably +Desirae +desire +Desirea +desireable +Desireah +desired +desiredly +desiredness +Desiree +desireful +desirefulness +desireless +desirelessness +desirer +desirers +desires +Desiri +desiring +desiringly +desirous +desirously +desirousness +desist +desistance +desisted +desistence +desisting +desistive +desists +desition +desitive +desize +desk +deskbound +deskill +desklike +deskman +deskmen +desks +desk's +desktop +desktops +Deslacs +Deslandres +deslime +desm- +Desma +desmachymatous +desmachyme +desmacyte +desman +desmans +Desmanthus +Desmarestia +Desmarestiaceae +desmarestiaceous +Desmatippus +desmectasia +desmepithelium +Desmet +desmic +desmid +Desmidiaceae +desmidiaceous +Desmidiales +desmidian +desmidiology +desmidiologist +desmids +desmine +desmitis +desmo- +desmocyte +desmocytoma +Desmodactyli +desmodynia +Desmodium +desmodont +Desmodontidae +Desmodus +desmogen +desmogenous +Desmognathae +desmognathism +desmognathous +desmography +desmohemoblast +desmoid +desmoids +Desmoines +desmolase +desmology +desmoma +Desmomyaria +desmon +Desmona +Desmoncus +Desmond +desmoneme +desmoneoplasm +desmonosology +Desmontes +desmopathy +desmopathology +desmopathologist +desmopelmous +desmopexia +desmopyknosis +desmorrhexis +Desmoscolecidae +Desmoscolex +desmose +desmosis +desmosite +desmosome +Desmothoraca +desmotomy +desmotrope +desmotropy +desmotropic +desmotropism +Desmoulins +Desmund +desobligeant +desocialization +desocialize +desoeuvre +desolate +desolated +desolately +desolateness +desolater +desolates +desolating +desolatingly +desolation +desolations +desolative +desolator +desole +desonation +desophisticate +desophistication +desorb +desorbed +desorbing +desorbs +desorption +Desoto +desoxalate +desoxalic +desoxy- +desoxyanisoin +desoxybenzoin +desoxycinchonine +desoxycorticosterone +desoxyephedrine +desoxymorphine +desoxyribonuclease +desoxyribonucleic +desoxyribonucleoprotein +desoxyribose +despair +despaired +despairer +despairful +despairfully +despairfulness +despairing +despairingly +despairingness +despairs +desparple +despatch +despatched +despatcher +despatchers +despatches +despatching +despeche +despecialization +despecialize +despecificate +despecification +despect +despectant +despeed +despend +Despenser +desperacy +desperado +desperadoes +desperadoism +desperados +desperance +desperate +desperately +desperateness +desperation +desperations +despert +Despiau +despicability +despicable +despicableness +despicably +despiciency +despin +despiritualization +despiritualize +despisable +despisableness +despisal +despise +despised +despisedness +despisement +despiser +despisers +despises +despising +despisingly +despite +despited +despiteful +despitefully +despitefulness +despiteous +despiteously +despites +despiting +despitous +Despoena +despoil +despoiled +despoiler +despoilers +despoiling +despoilment +despoilments +despoils +Despoina +despoliation +despoliations +despond +desponded +despondence +despondency +despondencies +despondent +despondently +despondentness +desponder +desponding +despondingly +desponds +desponsage +desponsate +desponsories +despose +despot +despotat +Despotes +despotic +despotical +despotically +despoticalness +despoticly +despotism +despotisms +despotist +despotize +despots +despot's +despouse +DESPR +despraise +despumate +despumated +despumating +despumation +despume +desquamate +desquamated +desquamating +desquamation +desquamations +desquamative +desquamatory +desray +dess +dessa +Dessalines +Dessau +dessert +desserts +dessert's +dessertspoon +dessertspoonful +dessertspoonfuls +dessiatine +dessicate +dessil +Dessma +dessous +dessus +DESTA +destabilization +destabilize +destabilized +destabilizing +destain +destained +destaining +destains +destalinization +de-Stalinization +destalinize +de-Stalinize +de-Stalinized +de-Stalinizing +destandardize +Deste +destemper +desterilization +desterilize +desterilized +desterilizing +Desterro +destigmatization +destigmatize +destigmatizing +Destin +destinal +destinate +destination +destinations +destination's +destine +destined +Destinee +destines +destinezite +Destiny +destinies +destining +destiny's +destinism +destinist +destituent +destitute +destituted +destitutely +destituteness +destituting +destitution +destitutions +desto +destool +destoolment +destour +Destrehan +destrer +destress +destressed +destry +destrier +destriers +destroy +destroyable +destroyed +destroyer +destroyers +destroyer's +destroying +destroyingly +destroys +destruct +destructed +destructibility +destructibilities +destructible +destructibleness +destructing +destruction +destructional +destructionism +destructionist +destructions +destruction's +destructive +destructively +destructiveness +destructivism +destructivity +destructor +destructory +destructors +destructs +destructuralize +destrudo +destuff +destuffing +destuffs +desubstantialize +desubstantiate +desucration +desudation +desuete +desuetude +desuetudes +desugar +desugared +desugaring +desugarize +desugars +Desulfovibrio +desulfur +desulfurate +desulfurated +desulfurating +desulfuration +desulfured +desulfuring +desulfurisation +desulfurise +desulfurised +desulfuriser +desulfurising +desulfurization +desulfurize +desulfurized +desulfurizer +desulfurizing +desulfurs +desulphur +desulphurate +desulphurated +desulphurating +desulphuration +desulphuret +desulphurise +desulphurised +desulphurising +desulphurization +desulphurize +desulphurized +desulphurizer +desulphurizing +desultor +desultory +desultorily +desultoriness +desultorious +desume +desuperheater +desuvre +DET +detach +detachability +detachable +detachableness +detachably +detache +detached +detachedly +detachedness +detacher +detachers +detaches +detaching +detachment +detachments +detachment's +detachs +detacwable +detail +detailed +detailedly +detailedness +detailer +detailers +detailing +detailism +detailist +details +detain +detainable +detainal +detained +detainee +detainees +detainer +detainers +detaining +detainingly +detainment +detains +detant +detar +detassel +detat +d'etat +detax +detd +detect +detectability +detectable +detectably +detectaphone +detected +detecter +detecters +detectible +detecting +detection +detections +detection's +detective +detectives +detectivism +detector +detectors +detector's +detects +detenant +detenebrate +detent +detente +detentes +detention +detentions +detentive +detents +detenu +detenue +detenues +detenus +deter +deterge +deterged +detergence +detergency +detergent +detergents +deterger +detergers +deterges +detergible +deterging +detering +deteriorate +deteriorated +deteriorates +deteriorating +deterioration +deteriorationist +deteriorations +deteriorative +deteriorator +deteriorism +deteriority +determ +determa +determent +determents +determinability +determinable +determinableness +determinably +determinacy +determinant +determinantal +determinants +determinant's +determinate +determinated +determinately +determinateness +determinating +determination +determinations +determinative +determinatively +determinativeness +determinator +determine +determined +determinedly +determinedness +determiner +determiners +determines +determining +determinism +determinist +deterministic +deterministically +determinists +determinoid +deterrability +deterrable +deterration +deterred +deterrence +deterrences +deterrent +deterrently +deterrents +deterrer +deterrers +deterring +deters +detersion +detersive +detersively +detersiveness +detest +detestability +detestable +detestableness +detestably +detestation +detestations +detested +detester +detesters +detesting +detests +Deth +dethyroidism +dethronable +dethrone +dethroned +dethronement +dethronements +dethroner +dethrones +dethroning +deti +detick +deticked +deticker +detickers +deticking +deticks +detin +detinet +detinue +detinues +detinuit +Detmold +detn +detonability +detonable +detonatability +detonatable +detonate +detonated +detonates +detonating +detonation +detonational +detonations +detonative +detonator +detonators +detonize +detorsion +detort +detour +detoured +detouring +detournement +detours +detox +detoxed +detoxes +detoxicant +detoxicate +detoxicated +detoxicating +detoxication +detoxicator +detoxify +detoxification +detoxified +detoxifier +detoxifies +detoxifying +detoxing +detract +detracted +detracter +detracting +detractingly +detraction +detractions +detractive +detractively +detractiveness +detractor +detractory +detractors +detractor's +detractress +detracts +detray +detrain +detrained +detraining +detrainment +detrains +detraque +detrect +detrench +detribalization +detribalize +detribalized +detribalizing +detriment +detrimental +detrimentality +detrimentally +detrimentalness +detriments +detrital +detrited +detrition +detritivorous +detritus +detrivorous +Detroit +Detroiter +detruck +detrude +detruded +detrudes +detruding +detruncate +detruncated +detruncating +detruncation +detrusion +detrusive +detrusor +detruss +Dett +Detta +dette +Dettmer +detubation +detumescence +detumescent +detune +detuned +detuning +detur +deturb +deturn +deturpate +Deucalion +deuce +deuce-ace +deuced +deucedly +deuces +deucing +deul +DEUNA +deunam +deuniting +Deuno +deurbanize +Deurne +deurwaarder +Deus +deusan +Deusdedit +Deut +deut- +Deut. +deutencephalic +deutencephalon +deuter- +deuteragonist +deuteranomal +deuteranomaly +deuteranomalous +deuteranope +deuteranopia +deuteranopic +deuterate +deuteration +deuteric +deuteride +deuterium +deutero- +deuteroalbumose +deuterocanonical +deuterocasease +deuterocone +deuteroconid +deuterodome +deuteroelastose +deuterofibrinose +deuterogamy +deuterogamist +deuterogelatose +deuterogenesis +deuterogenic +deuteroglobulose +deutero-malayan +Deuteromycetes +deuteromyosinose +deuteromorphic +deuteron +Deutero-nicene +Deuteronomy +Deuteronomic +Deuteronomical +Deuteronomist +Deuteronomistic +deuterons +deuteropathy +deuteropathic +deuteroplasm +deuteroprism +deuteroproteose +deuteroscopy +deuteroscopic +deuterosy +deuterostoma +Deuterostomata +deuterostomatous +deuterostome +deuterotype +deuterotoky +deuterotokous +deuterovitellose +deuterozooid +deuto- +deutobromide +deutocarbonate +deutochloride +deutomala +deutomalal +deutomalar +deutomerite +deuton +deutonephron +deutonymph +deutonymphal +deutoplasm +deutoplasmic +deutoplastic +deutoscolex +deutovum +deutoxide +Deutsch +deutsche +Deutschemark +Deutscher +Deutschland +Deutschmark +Deutzia +deutzias +deux +Deux-S +deuzan +Dev +Deva +devachan +devadasi +Devaki +deval +devall +devaloka +devalorize +devaluate +devaluated +devaluates +devaluating +devaluation +devaluations +devalue +devalued +devalues +devaluing +Devan +Devanagari +devance +Devaney +devant +devaporate +devaporation +devaraja +devarshi +devas +devast +devastate +devastated +devastates +devastating +devastatingly +devastation +devastations +devastative +devastator +devastators +devastavit +devaster +devata +devaul +Devault +devaunt +devchar +deve +devein +deveined +deveining +deveins +devel +develed +develin +develing +develop +developability +developable +develope +developed +developedness +developement +developer +developers +developes +developing +developist +development +developmental +developmentalist +developmentally +developmentary +developmentarian +developmentist +developments +development's +developoid +developpe +developpes +develops +devels +Deventer +devenustate +Dever +deverbal +deverbative +Devereux +Devers +devertebrated +devest +devested +devesting +devests +devex +devexity +Devi +Devy +deviability +deviable +deviance +deviances +deviancy +deviancies +deviant +deviants +deviant's +deviascope +deviate +deviated +deviately +deviates +deviating +deviation +deviational +deviationism +deviationist +deviations +deviative +deviator +deviatory +deviators +device +deviceful +devicefully +devicefulness +devices +device's +devide +Devil +devilbird +devil-born +devil-devil +devil-diver +devil-dodger +devildom +deviled +deviler +deviless +devilet +devilfish +devil-fish +devilfishes +devil-giant +devil-god +devil-haired +devilhood +devily +deviling +devil-inspired +devil-in-the-bush +devilish +devilishly +devilishness +devilism +devility +devilize +devilized +devilizing +devilkin +devilkins +Deville +devilled +devillike +devil-like +devilling +devil-may-care +devil-may-careness +devilman +devilment +devilments +devilmonger +devil-porter +devilry +devil-ridden +devilries +devils +devil's +devil's-bit +devil's-bones +devilship +devil's-ivy +devils-on-horseback +devil's-pincushion +devil's-tongue +devil's-walking-stick +devil-tender +deviltry +deviltries +devilward +devilwise +devilwood +Devin +Devina +devinct +Devine +Devinna +Devinne +devious +deviously +deviousness +devirginate +devirgination +devirginator +devirilize +devisability +devisable +devisal +devisals +deviscerate +devisceration +devise +devised +devisee +devisees +deviser +devisers +devises +devising +devisings +devisor +devisors +devitalisation +devitalise +devitalised +devitalising +devitalization +devitalize +devitalized +devitalizes +devitalizing +devitaminize +devitation +devitrify +devitrifiable +devitrification +devitrified +devitrifying +Devitt +Devland +Devlen +Devlin +devocalisation +devocalise +devocalised +devocalising +devocalization +devocalize +devocalized +devocalizing +devocate +devocation +devoice +devoiced +devoices +devoicing +devoid +devoir +devoirs +Devol +devolatilisation +devolatilise +devolatilised +devolatilising +devolatilization +devolatilize +devolatilized +devolatilizing +devolute +devolution +devolutionary +devolutionist +devolutive +devolve +devolved +devolvement +devolvements +devolves +devolving +Devon +Devona +Devondra +Devonian +Devonic +devonite +Devonna +Devonne +Devonport +devons +Devonshire +Devora +devoration +devorative +devot +devota +devotary +devote +devoted +devotedly +devotedness +devotee +devoteeism +devotees +devotee's +devotement +devoter +devotes +devoting +devotion +devotional +devotionalism +devotionalist +devotionality +devotionally +devotionalness +devotionary +devotionate +devotionist +devotions +devoto +devour +devourable +devoured +devourer +devourers +devouress +devouring +devouringly +devouringness +devourment +devours +devout +devouter +devoutful +devoutless +devoutlessly +devoutlessness +devoutly +devoutness +devoutnesses +devove +devow +devs +devulcanization +devulcanize +devulgarize +devvel +devwsor +DEW +Dewain +DeWayne +dewal +Dewali +dewan +dewanee +dewani +dewanny +dewans +dewanship +Dewar +dewars +Dewart +D'ewart +dewata +dewater +dewatered +dewaterer +dewatering +dewaters +dewax +dewaxed +dewaxes +dewaxing +dewbeam +dew-beat +dew-beater +dew-bedabbled +dew-bediamonded +dew-bent +dewberry +dew-berry +dewberries +dew-bespangled +dew-bespattered +dew-besprinkled +dew-boine +dew-bolne +dew-bright +dewcap +dew-clad +dewclaw +dew-claw +dewclawed +dewclaws +dew-cold +dewcup +dew-dabbled +dewdamp +dew-drenched +dew-dripped +dewdrop +dewdropper +dew-dropping +dewdrops +dewdrop's +dew-drunk +dewed +Dewees +Deweese +Dewey +Deweyan +deweylite +Deweyville +dewer +dewfall +dew-fall +dewfalls +dew-fed +dewflower +dew-gemmed +Dewhirst +Dewhurst +Dewi +dewy +dewy-bright +dewy-dark +Dewie +dewy-eyed +dewier +dewiest +dewy-feathered +dewy-fresh +dewily +dewiness +dewinesses +dewing +dewy-pinioned +Dewyrose +Dewitt +Dewittville +dew-laden +dewlap +dewlapped +dewlaps +dewless +dewlight +dewlike +dew-lipped +dew-lit +dewool +dewooled +dewooling +dewools +deworm +dewormed +deworming +deworms +dew-pearled +dew-point +dew-pond +dewret +dew-ret +dewrot +dews +Dewsbury +dew-sprent +dew-sprinkled +dewtry +dewworm +dew-worm +Dex +Dexamenus +dexamethasone +Dexamyl +DEXEC +Dexedrine +dexes +dexy +dexie +dexies +dexiocardia +dexiotrope +dexiotropic +dexiotropism +dexiotropous +Dexter +dexterical +dexterity +dexterous +dexterously +dexterousness +dextorsal +dextr- +Dextra +dextrad +dextral +dextrality +dextrally +dextran +dextranase +dextrane +dextrans +dextraural +dextrer +dextrin +dextrinase +dextrinate +dextrine +dextrines +dextrinize +dextrinous +dextrins +dextro +dextro- +dextroamphetamine +dextroaural +dextrocardia +dextrocardial +dextrocerebral +dextrocular +dextrocularity +dextroduction +dextrogyrate +dextrogyration +dextrogyratory +dextrogyre +dextrogyrous +dextroglucose +dextro-glucose +dextrolactic +dextrolimonene +dextromanual +dextropedal +dextropinene +dextrorotary +dextrorotatary +dextrorotation +dextrorotatory +dextrorsal +dextrorse +dextrorsely +dextrosazone +dextrose +dextroses +dextrosinistral +dextrosinistrally +dextrosuria +dextrotartaric +dextrotropic +dextrotropous +dextrous +dextrously +dextrousness +dextroversion +Dezaley +Dezful +Dezhnev +dezymotize +dezinc +dezincation +dezinced +dezincify +dezincification +dezincified +dezincifying +dezincing +dezincked +dezincking +dezincs +dezinkify +DF +DFA +dfault +DFC +DFD +DFE +DFI +D-flat +DFM +DFMS +DFRF +DFS +DFT +DFW +DG +DGA +dgag +dghaisa +d-glucose +DGP +DGSC +DH +dh- +dha +dhabb +Dhabi +Dhahran +dhai +dhak +Dhaka +dhaks +dhal +dhals +dhaman +dhamma +Dhammapada +dhamnoo +dhan +dhangar +Dhanis +dhanuk +dhanush +Dhanvantari +Dhar +dharana +dharani +Dharma +dharmakaya +Dharmapada +dharmas +Dharmasastra +dharmashastra +dharmasmriti +Dharmasutra +dharmic +dharmsala +dharna +dharnas +Dhaulagiri +dhaura +dhauri +dhava +dhaw +Dhekelia +Dheneb +dheri +DHHS +dhyal +dhyana +dhikr +dhikrs +Dhiman +Dhiren +DHL +Dhlos +dhobee +dhobey +dhobi +dhoby +dhobie +dhobies +dhobis +Dhodheknisos +d'Holbach +dhole +dholes +dhoney +dhoni +dhooley +dhooly +dhoolies +dhoon +dhoora +dhooras +dhooti +dhootie +dhooties +dhootis +dhotee +dhoti +dhoty +dhotis +dhoul +dhourra +dhourras +dhow +dhows +Dhritarashtra +Dhruv +DHSS +Dhu +dhu'l-hijja +dhu'l-qa'dah +Dhumma +dhunchee +dhunchi +Dhundia +dhurna +dhurnas +dhurra +dhurry +dhurrie +dhurries +dhuti +dhutis +DI +Dy +di- +dy- +di. +DIA +dia- +diabantite +diabase +diabase-porphyrite +diabases +diabasic +diabaterial +Diabelli +diabetes +diabetic +diabetical +diabetics +diabetogenic +diabetogenous +diabetometer +diabetophobia +diable +dyable +diablene +diablery +diablerie +diableries +Diablo +diablotin +diabol- +diabolarch +diabolarchy +diabolatry +diabolepsy +diaboleptic +diabolic +diabolical +diabolically +diabolicalness +diabolify +diabolification +diabolifuge +diabolisation +diabolise +diabolised +diabolising +diabolism +diabolist +diabolization +diabolize +diabolized +diabolizing +diabolo +diabology +diabological +diabolology +diabolonian +diabolos +diabolus +diabrosis +diabrotic +Diabrotica +diacanthous +diacatholicon +diacaustic +diacetamide +diacetate +diacetic +diacetyl +diacetylene +diacetylmorphine +diacetyls +diacetin +diacetine +diacetonuria +diaceturia +diachaenium +diachylon +diachylum +diachyma +diachoresis +diachoretic +diachrony +diachronic +diachronically +diachronicness +diacid +diacidic +diacids +diacipiperazine +diaclase +diaclasis +diaclasite +diaclastic +diacle +diaclinal +diacoca +diacodion +diacodium +diacoele +diacoelia +diacoelosis +diaconal +diaconate +diaconia +diaconica +diaconicon +diaconicum +diaconus +diacope +diacoustics +diacranterian +diacranteric +diacrisis +diacritic +diacritical +diacritically +diacritics +Diacromyodi +diacromyodian +diact +diactin +diactinal +diactine +diactinic +diactinism +diaculum +DIAD +dyad +di-adapan +Diadelphia +diadelphian +diadelphic +diadelphous +diadem +Diadema +Diadematoida +diademed +diademing +diadems +diaderm +diadermic +diadic +dyadic +dyadically +dyadics +diadkokinesia +diadoche +Diadochi +diadochy +Diadochian +diadochic +diadochite +diadochokinesia +diadochokinesis +diadochokinetic +diadokokinesis +diadoumenos +diadrom +diadrome +diadromous +dyads +diadumenus +diaene +diaereses +diaeresis +diaeretic +diaetetae +diag +diag. +diagenesis +diagenetic +diagenetically +diageotropy +diageotropic +diageotropism +Diaghilev +diaglyph +diaglyphic +diaglyptic +diagnosable +diagnose +diagnoseable +diagnosed +diagnoses +diagnosing +diagnosis +diagnostic +diagnostical +diagnostically +diagnosticate +diagnosticated +diagnosticating +diagnostication +diagnostician +diagnosticians +diagnostics +diagnostic's +diagometer +diagonal +diagonal-built +diagonal-cut +diagonality +diagonalizable +diagonalization +diagonalize +diagonally +diagonals +diagonalwise +diagonial +diagonic +diagram +diagramed +diagraming +diagrammable +diagrammatic +diagrammatical +diagrammatically +diagrammatician +diagrammatize +diagrammed +diagrammer +diagrammers +diagrammer's +diagrammeter +diagramming +diagrammitically +diagrams +diagram's +diagraph +diagraphic +diagraphical +diagraphics +diagraphs +diagredium +diagrydium +Diaguitas +Diaguite +Diahann +diaheliotropic +diaheliotropically +diaheliotropism +Dyak +diaka +diakineses +diakinesis +diakinetic +dyakisdodecahedron +dyakis-dodecahedron +Dyakish +diakonika +diakonikon +DIAL +Dyal +dial. +dialcohol +dialdehyde +dialect +dialectal +dialectalize +dialectally +dialectic +dialectical +dialectically +dialectician +dialecticism +dialecticize +dialectics +dialectologer +dialectology +dialectologic +dialectological +dialectologically +dialectologies +dialectologist +dialector +dialects +dialect's +dialed +dialer +dialers +dialy- +dialycarpous +dialin +dialiness +dialing +dialings +Dialypetalae +dialypetalous +dialyphyllous +dialysability +dialysable +dialysate +dialysation +dialyse +dialysed +dialysepalous +dialyser +dialysers +dialyses +dialysing +dialysis +dialist +dialystaminous +dialystely +dialystelic +Dialister +dialists +dialytic +dialytically +dialyzability +dialyzable +dialyzate +dialyzation +dialyzator +dialyze +dialyzed +dialyzer +dialyzers +dialyzes +dialyzing +dialkyl +dialkylamine +dialkylic +diallage +diallages +diallagic +diallagite +diallagoid +dialled +diallel +diallela +dialleli +diallelon +diallelus +dialler +diallers +diallyl +di-allyl +dialling +diallings +diallist +diallists +dialog +dialoged +dialoger +dialogers +dialogged +dialogging +dialogic +dialogical +dialogically +dialogised +dialogising +dialogism +dialogist +dialogistic +dialogistical +dialogistically +dialogite +dialogize +dialogized +dialogizing +dialogs +dialog's +dialogue +dialogued +dialoguer +dialogues +dialogue's +dialoguing +Dialonian +dial-plate +dials +dialup +dialuric +diam +diam. +diamagnet +diamagnetic +diamagnetically +diamagnetism +diamagnetize +diamagnetometer +Diamant +Diamanta +Diamante +diamantiferous +diamantine +diamantoid +diamat +diamb +diamber +diambic +diamegnetism +diamesogamous +diameter +diameters +diameter's +diametral +diametrally +diametric +diametrical +diametrically +diamicton +diamide +diamides +diamido +diamido- +diamidogen +diamyl +diamylene +diamylose +diamin +diamine +diamines +diaminogen +diaminogene +diamins +diammine +diamminobromide +diamminonitrate +diammonium +Diamond +diamondback +diamond-back +diamondbacked +diamond-backed +diamondbacks +diamond-beetle +diamond-boring +diamond-bright +diamond-cut +diamond-cutter +diamonded +diamond-headed +diamondiferous +diamonding +diamondize +diamondized +diamondizing +diamondlike +diamond-matched +diamond-paned +diamond-point +diamond-pointed +diamond-producing +diamonds +diamond's +diamond-shaped +diamond-snake +diamond-tiled +diamond-tipped +Diamondville +diamondwise +diamondwork +diamorphine +diamorphosis +Diamox +Dian +Dyan +Diana +Dyana +Diancecht +diander +Diandra +Diandre +Diandria +diandrian +diandrous +Diane +Dyane +Dianemarie +Diane-Marie +dianetics +Dianil +dianilid +dianilide +dianisidin +dianisidine +dianite +Diann +Dyann +Dianna +Dyanna +Dianne +Dyanne +Diannne +dianodal +dianoetic +dianoetical +dianoetically +dianoia +dianoialogy +Diantha +Dianthaceae +Dianthe +Dianthera +Dianthus +dianthuses +diantre +Diao +diapalma +diapase +diapasm +Diapason +diapasonal +diapasons +diapause +diapaused +diapauses +diapausing +diapedeses +diapedesis +diapedetic +Diapensia +Diapensiaceae +diapensiaceous +diapente +diaper +diapered +diapery +diapering +diapers +diaper's +diaphane +diaphaneity +diaphany +diaphanie +diaphanometer +diaphanometry +diaphanometric +diaphanoscope +diaphanoscopy +diaphanotype +diaphanous +diaphanously +diaphanousness +diaphemetric +diaphyseal +diaphyses +diaphysial +diaphysis +diaphone +diaphones +diaphony +diaphonia +diaphonic +diaphonical +diaphonies +diaphorase +diaphoreses +diaphoresis +diaphoretic +diaphoretical +diaphoretics +diaphorite +diaphote +diaphototropic +diaphototropism +diaphragm +diaphragmal +diaphragmatic +diaphragmatically +diaphragmed +diaphragming +diaphragms +diaphragm's +diaphtherin +diapyesis +diapyetic +diapir +diapiric +diapirs +diaplases +diaplasis +diaplasma +diaplex +diaplexal +diaplexus +diapnoe +diapnoic +diapnotic +diapophyses +diapophysial +diapophysis +diaporesis +Diaporthe +diapositive +diapsid +Diapsida +diapsidan +Diarbekr +diarch +diarchy +dyarchy +diarchial +diarchic +dyarchic +dyarchical +diarchies +dyarchies +diarhemia +diary +diarial +diarian +diaries +diary's +diarist +diaristic +diarists +diarize +Diarmid +Diarmit +Diarmuid +diarrhea +diarrheal +diarrheas +diarrheic +diarrhetic +diarrhoea +diarrhoeal +diarrhoeas +diarrhoeic +diarrhoetic +diarsenide +diarthric +diarthrodial +diarthroses +diarthrosis +diarticular +DIAS +Dyas +diaschisis +diaschisma +diaschistic +Diascia +diascope +diascopy +diascord +diascordium +diasene +Diasia +diasynthesis +diasyrm +diasystem +diaskeuasis +diaskeuast +diasper +Diaspidinae +diaspidine +Diaspinae +diaspine +diaspirin +Diaspora +diasporas +diaspore +diaspores +Dyassic +diastalses +diastalsis +diastaltic +diastase +diastases +diastasic +diastasimetry +diastasis +diastataxy +diastataxic +diastatic +diastatically +diastem +diastema +diastemata +diastematic +diastematomyelia +diastems +diaster +dyaster +diastereoisomer +diastereoisomeric +diastereoisomerism +diastereomer +diasters +diastyle +diastimeter +diastole +diastoles +diastolic +diastomatic +diastral +diastrophe +diastrophy +diastrophic +diastrophically +diastrophism +diatessaron +diatesseron +diathermacy +diathermal +diathermance +diathermancy +diathermaneity +diathermanous +diathermy +diathermia +diathermic +diathermies +diathermize +diathermometer +diathermotherapy +diathermous +diatheses +diathesic +diathesis +diathetic +Diatype +diatom +Diatoma +Diatomaceae +diatomacean +diatomaceoid +diatomaceous +Diatomales +Diatomeae +diatomean +diatomic +diatomicity +diatomiferous +diatomin +diatomine +diatomist +diatomite +diatomous +diatoms +diatonic +diatonical +diatonically +diatonicism +diatonous +diatoric +diatreme +diatribe +diatribes +diatribe's +diatribist +Diatryma +Diatrymiformes +diatron +diatrons +diatropic +diatropism +Diau +diauli +diaulic +diaulos +Dyaus +Dyaus-pitar +diavolo +diaxial +diaxon +diaxone +diaxonic +Diaz +diazenithal +diazepam +diazepams +diazeuctic +diazeutic +diazeuxis +diazid +diazide +diazin +diazine +diazines +diazinon +diazins +diazo +diazo- +diazoalkane +diazoamin +diazoamine +diazoamino +diazoaminobenzene +diazoanhydride +diazoate +diazobenzene +diazohydroxide +diazoic +diazoimide +diazoimido +diazole +diazoles +diazoma +diazomethane +diazonium +diazotate +diazotic +diazotype +diazotizability +diazotizable +diazotization +diazotize +diazotized +diazotizing +diaz-oxide +DIB +Diba +Dibai +dibase +dibasic +dibasicity +dibatag +Dibatis +Dibb +dibbed +Dibbell +dibber +dibbers +dibbing +dibble +dibbled +dibbler +dibblers +dibbles +dibbling +Dibbrun +dibbuk +dybbuk +dibbukim +dybbukim +dibbuks +dybbuks +Dibelius +dibenzyl +dibenzoyl +dibenzophenazine +dibenzopyrrole +D'Iberville +dibhole +dib-hole +DiBiasi +DiBlasi +diblastula +Diboll +diborate +Dibothriocephalus +dibrach +dibranch +Dibranchia +Dibranchiata +dibranchiate +dibranchious +Dibri +Dibrin +dibrom +dibromid +dibromide +dibromoacetaldehyde +dibromobenzene +Dibru +dibs +dibstone +dibstones +dibucaine +dibutyl +dibutylamino-propanol +dibutyrate +dibutyrin +DIC +dicacity +dicacodyl +Dicaeidae +dicaeology +dicalcic +dicalcium +dicarbo- +dicarbonate +dicarbonic +dicarboxylate +dicarboxylic +dicaryon +dicaryophase +dicaryophyte +dicaryotic +dicarpellary +dicast +dicastery +dicasteries +dicastic +dicasts +dicatalectic +dicatalexis +Diccon +Dice +Dyce +diceboard +dicebox +dice-box +dicecup +diced +dicey +dicellate +diceman +Dicentra +dicentras +dicentrin +dicentrine +DiCenzo +dicephalism +dicephalous +dicephalus +diceplay +dicer +Diceras +Diceratidae +dicerion +dicerous +dicers +dices +dicetyl +dice-top +Dich +dich- +Dichapetalaceae +Dichapetalum +dichas +dichasia +dichasial +dichasium +dichastasis +dichastic +Dyche +Dichelyma +Dichy +dichlamydeous +dichlone +dichloramin +dichloramine +dichloramine-t +dichlorhydrin +dichloride +dichloroacetic +dichlorobenzene +dichlorodifluoromethane +dichlorodiphenyltrichloroethane +dichlorohydrin +dichloromethane +dichlorvos +dicho- +dichocarpism +dichocarpous +dichogamy +dichogamic +dichogamous +Dichondra +Dichondraceae +dichopodial +dichoptic +dichord +dichoree +Dichorisandra +dichotic +dichotically +dichotomal +dichotomy +dichotomic +dichotomically +dichotomies +dichotomisation +dichotomise +dichotomised +dichotomising +dichotomist +dichotomistic +dichotomization +dichotomize +dichotomized +dichotomizing +dichotomous +dichotomously +dichotomousness +dichotriaene +dichro- +dichroic +dichroiscope +dichroiscopic +dichroism +dichroite +dichroitic +dichromasy +dichromasia +dichromat +dichromate +dichromatic +dichromaticism +dichromatism +dichromatopsia +dichromic +dichromism +dichronous +dichrooscope +dichrooscopic +dichroous +dichroscope +dichroscopic +dicht +Dichter +Dichterliebe +dicyan +dicyandiamide +dicyanid +dicyanide +dicyanin +dicyanine +dicyanodiamide +dicyanogen +dicycle +dicycly +dicyclic +Dicyclica +dicyclies +dicyclist +dicyclopentadienyliron +Dicyema +Dicyemata +dicyemid +Dicyemida +Dicyemidae +dicier +diciest +dicing +Dicynodon +dicynodont +Dicynodontia +Dicynodontidae +Dick +dickcissel +dicked +Dickey +dickeybird +dickeys +Dickeyville +Dickens +dickenses +Dickensian +Dickensiana +Dickenson +dicker +dickered +dickering +dickers +Dickerson +Dicky +dickybird +Dickie +dickier +dickies +dickiest +dicking +Dickinson +dickinsonite +dickite +Dickman +Dicks +Dickson +Dicksonia +dickty +diclesium +Diclidantheraceae +dicliny +diclinic +diclinies +diclinism +diclinous +Diclytra +dicoccous +dicodeine +dicoelious +dicoelous +dicolic +dicolon +dicondylian +dicophane +dicot +dicotyl +dicotyledon +dicotyledonary +Dicotyledones +dicotyledonous +dicotyledons +Dicotyles +Dicotylidae +dicotylous +dicotyls +dicots +dicoumarin +dicoumarol +Dicranaceae +dicranaceous +dicranoid +dicranterian +Dicranum +Dicrostonyx +dicrotal +dicrotic +dicrotism +dicrotous +Dicruridae +dict +dict. +dicta +Dictaen +dictagraph +dictamen +dictamina +Dictamnus +Dictaphone +dictaphones +dictate +dictated +dictates +dictating +dictatingly +dictation +dictational +dictations +dictative +dictator +dictatory +dictatorial +dictatorialism +dictatorially +dictatorialness +dictators +dictator's +dictatorship +dictatorships +dictatress +dictatrix +dictature +dictery +dicty +dicty- +dictic +dictier +dictiest +dictynid +Dictynidae +Dictynna +Dictyoceratina +dictyoceratine +dictyodromous +dictyogen +dictyogenous +Dictyograptus +dictyoid +diction +dictional +dictionally +dictionary +dictionarian +dictionaries +dictionary-proof +dictionary's +Dictyonema +Dictyonina +dictyonine +dictions +Dictyophora +dictyopteran +Dictyopteris +Dictyosiphon +Dictyosiphonaceae +dictyosiphonaceous +dictyosome +dictyostele +dictyostelic +Dictyota +Dictyotaceae +dictyotaceous +Dictyotales +dictyotic +Dictyoxylon +Dictys +Dictograph +dictronics +dictum +dictums +dictum's +Dicumarol +Dycusburg +DID +Didache +Didachist +Didachographer +didact +didactic +didactical +didacticality +didactically +didactician +didacticism +didacticity +didactics +didactyl +didactylism +didactylous +didactive +didacts +didal +didapper +didappers +didascalar +didascaly +didascaliae +didascalic +didascalos +didder +diddered +diddering +diddest +diddy +diddies +diddikai +diddle +diddle- +diddled +diddle-daddle +diddle-dee +diddley +diddler +diddlers +diddles +diddly +diddlies +diddling +di-decahedral +didelph +Didelphia +didelphian +didelphic +didelphid +Didelphidae +Didelphyidae +didelphine +Didelphis +didelphoid +didelphous +didepsid +didepside +Diderot +didest +didgeridoo +Didi +didy +didicoy +Dididae +didie +Didier +didies +didym +Didymaea +didymate +didymia +didymis +didymitis +didymium +didymiums +didymoid +didymolite +didymous +didymus +didynamy +Didynamia +didynamian +didynamic +didynamies +didynamous +didine +Didinium +didle +didler +Didlove +didn +didna +didnt +didn't +Dido +didodecahedral +didodecahedron +didoes +didonia +didos +didrachm +didrachma +didrachmal +didrachmas +didric +Didrikson +didromy +didromies +didst +diduce +diduced +diducing +diduction +diductively +diductor +Didunculidae +Didunculinae +Didunculus +Didus +Die +dye +dyeability +dyeable +die-away +dieb +dieback +die-back +diebacks +Dieball +dyebeck +Diebold +diecase +die-cast +die-casting +diecious +dieciously +diectasis +die-cut +died +dyed +dyed-in-the-wool +diedral +diedric +Diefenbaker +Dieffenbachia +diegesis +Diego +Diegueno +diehard +die-hard +die-hardism +diehards +Diehl +dyehouse +Dieyerie +dieing +dyeing +dyeings +diel +dieldrin +dieldrins +dyeleaves +dielec +dielectric +dielectrical +dielectrically +dielectrics +dielectric's +dielike +dyeline +Dielytra +Diella +Dielle +Diels +Dielu +diem +diemaker +dyemaker +diemakers +diemaking +dyemaking +Diena +Dienbienphu +diencephala +diencephalic +diencephalon +diencephalons +diene +diener +dienes +Dieppe +dier +Dyer +Dierdre +diereses +dieresis +dieretic +Dieri +Dierks +Dierolf +dyers +dyer's-broom +Dyersburg +dyer's-greenweed +Dyersville +dyer's-weed +Diervilla +Dies +dyes +Diesel +diesel-driven +dieseled +diesel-electric +diesel-engined +diesel-hydraulic +dieselization +dieselize +dieselized +dieselizing +diesel-powered +diesel-propelled +diesels +dieses +diesinker +diesinking +diesis +die-square +Dyess +diester +dyester +diesters +diestock +diestocks +diestrous +diestrual +diestrum +diestrums +diestrus +diestruses +dyestuff +dyestuffs +Diet +dietal +dietary +dietarian +dietaries +dietarily +dieted +Dieter +Dieterich +dieters +dietetic +dietetical +dietetically +dietetics +dietetist +diethanolamine +diethene- +diether +diethers +diethyl +diethylacetal +diethylamide +diethylamine +diethylaminoethanol +diethylenediamine +diethylethanolamine +diethylmalonylurea +diethylstilbestrol +diethylstilboestrol +diethyltryptamine +diety +dietic +dietical +dietician +dieticians +dietics +dieties +dietine +dieting +dietist +dietitian +dietitians +dietitian's +dietotherapeutics +dietotherapy +dietotoxic +dietotoxicity +Dietrich +dietrichite +diets +Dietsche +dietted +Dietz +dietzeite +Dieu +dieugard +dyeware +dyeweed +dyeweeds +diewise +dyewood +dyewoods +diezeugmenon +DIF +dif- +Difda +Dyfed +diferrion +diff +diff. +diffame +diffareation +diffarreation +diffeomorphic +diffeomorphism +differ +differed +differen +difference +differenced +differences +difference's +differency +differencing +differencingly +different +differentia +differentiability +differentiable +differentiae +differential +differentialize +differentially +differentials +differential's +differentiant +differentiate +differentiated +differentiates +differentiating +differentiation +differentiations +differentiative +differentiator +differentiators +differently +differentness +differer +differers +differing +differingly +differs +difficile +difficileness +difficilitate +difficult +difficulty +difficulties +difficulty's +difficultly +difficultness +diffidation +diffide +diffided +diffidence +diffidences +diffident +diffidently +diffidentness +diffiding +diffinity +difflation +diffluence +diffluent +Difflugia +difform +difforme +difformed +difformity +diffract +diffracted +diffracting +diffraction +diffractional +diffractions +diffractive +diffractively +diffractiveness +diffractometer +diffracts +diffranchise +diffrangibility +diffrangible +diffugient +diffund +diffusate +diffuse +diffused +diffusedly +diffusedness +diffusely +diffuseness +diffuse-porous +diffuser +diffusers +diffuses +diffusibility +diffusible +diffusibleness +diffusibly +diffusimeter +diffusing +diffusiometer +diffusion +diffusional +diffusionism +diffusionist +diffusions +diffusive +diffusively +diffusiveness +diffusivity +diffusor +diffusors +difluence +difluoride +DIFMOS +diformin +difunctional +dig +dig. +Dygal +Dygall +digallate +digallic +Digambara +digametic +digamy +digamies +digamist +digamists +digamma +digammas +digammate +digammated +digammic +digamous +digastric +Digby +Digenea +digeneous +digenesis +digenetic +Digenetica +digeny +digenic +digenite +digenous +DiGenova +digerent +Dygert +Digest +digestant +digested +digestedly +digestedness +digester +digesters +digestibility +digestible +digestibleness +digestibly +digestif +digesting +digestion +digestional +digestions +digestive +digestively +digestiveness +digestment +digestor +digestory +digestors +digests +digesture +diggable +digged +Digger +Diggers +digger's +digging +diggings +Diggins +Diggs +dight +dighted +dighter +dighting +Dighton +dights +DiGiangi +Digynia +digynian +digynous +Digiorgio +digit +digital +digitalein +digitalic +digitaliform +digitalin +digitalis +digitalism +digitalization +digitalize +digitalized +digitalizing +digitally +digitals +Digitaria +digitate +digitated +digitately +digitation +digitato-palmate +digitato-pinnate +digiti- +digitiform +Digitigrada +digitigrade +digitigradism +digitinervate +digitinerved +digitipinnate +digitisation +digitise +digitised +digitising +digitization +digitize +digitized +digitizer +digitizes +digitizing +digito- +digitogenin +digitonin +digitoplantar +digitorium +digitoxigenin +digitoxin +digitoxose +digitron +digits +digit's +digitule +digitus +digladiate +digladiated +digladiating +digladiation +digladiator +diglyceride +diglyph +diglyphic +diglossia +diglot +diglots +diglottic +diglottism +diglottist +diglucoside +digmeat +dignation +D'Ignazio +digne +dignify +dignification +dignified +dignifiedly +dignifiedness +dignifies +dignifying +dignitary +dignitarial +dignitarian +dignitaries +dignitas +dignity +dignities +dignosce +dignosle +dignotion +dygogram +digonal +digoneutic +digoneutism +digonoporous +digonous +Digor +Digo-Suarez +digoxin +digoxins +digram +digraph +digraphic +digraphically +digraphs +digredience +digrediency +digredient +digress +digressed +digresser +digresses +digressing +digressingly +digression +digressional +digressionary +digressions +digression's +digressive +digressively +digressiveness +digressory +digs +diguanide +digue +dihalid +dihalide +dihalo +dihalogen +dihdroxycholecalciferol +dihedral +dihedrals +dihedron +dihedrons +dihely +dihelios +dihelium +dihexagonal +dihexahedral +dihexahedron +dihybrid +dihybridism +dihybrids +dihydrate +dihydrated +dihydrazone +dihydric +dihydride +dihydrite +dihydrochloride +dihydrocupreine +dihydrocuprin +dihydroergotamine +dihydrogen +dihydrol +dihydromorphinone +dihydronaphthalene +dihydronicotine +dihydrosphingosine +dihydrostreptomycin +dihydrotachysterol +dihydroxy +dihydroxyacetone +dihydroxysuccinic +dihydroxytoluene +dihysteria +DIY +diiamb +diiambus +Diyarbakir +Diyarbekir +dying +dyingly +dyingness +dyings +diiodid +diiodide +di-iodide +diiodo +diiodoform +diiodotyrosine +diipenates +Diipolia +diisatogen +Dijon +dijudicant +dijudicate +dijudicated +dijudicating +dijudication +dika +dikage +dykage +dikamali +dikamalli +dikaryon +dikaryophase +dikaryophasic +dikaryophyte +dikaryophytic +dikaryotic +dikast +dikdik +dik-dik +dikdiks +Dike +Dyke +diked +dyked +dikegrave +dike-grave +dykehopper +dikey +dykey +dikelet +dikelocephalid +Dikelocephalus +dike-louper +dikephobia +diker +dyker +dikereeve +dike-reeve +dykereeve +dikeria +dikerion +dikers +dikes +dike's +dykes +dikeside +diketene +diketo +diketone +diking +dyking +dikkop +Dikmen +diksha +diktat +diktats +diktyonite +DIL +Dyl +dilacerate +dilacerated +dilacerating +dilaceration +dilactic +dilactone +dilambdodont +dilamination +Dilan +Dylan +Dylana +Dylane +dilaniate +Dilantin +dilapidate +dilapidated +dilapidating +dilapidation +dilapidations +dilapidator +dilatability +dilatable +dilatableness +dilatably +dilatancy +dilatant +dilatants +dilatate +dilatation +dilatational +dilatations +dilatative +dilatator +dilatatory +dilate +dilated +dilatedly +dilatedness +dilatement +dilater +dilaters +dilates +dilating +dilatingly +dilation +dilations +dilative +dilatometer +dilatometry +dilatometric +dilatometrically +dilator +dilatory +dilatorily +dilatoriness +dilators +Dilaudid +dildo +dildoe +dildoes +dildos +dilection +Diley +Dilemi +Dilemite +dilemma +dilemmas +dilemma's +dilemmatic +dilemmatical +dilemmatically +dilemmic +diletant +dilettanist +dilettant +dilettante +dilettanteish +dilettanteism +dilettantes +dilettanteship +dilettanti +dilettantish +dilettantism +dilettantist +dilettantship +Dili +diligence +diligences +diligency +diligent +diligentia +diligently +diligentness +dilis +Dilisio +dilker +Dilks +Dill +Dillard +Dille +dilled +Dilley +Dillenia +Dilleniaceae +dilleniaceous +dilleniad +Diller +dillesk +dilli +Dilly +dillydally +dilly-dally +dillydallied +dillydallier +dillydallies +dillydallying +Dillie +dillier +dillies +dilligrout +dillyman +dillymen +Dilliner +dilling +Dillinger +Dillingham +dillis +dillisk +Dillon +Dillonvale +dills +Dillsboro +Dillsburg +dillseed +Dilltown +dillue +dilluer +dillweed +Dillwyn +dilo +DILOG +dilogarithm +dilogy +dilogical +Dilolo +dilos +Dilthey +dilucid +dilucidate +diluendo +diluent +diluents +dilutant +dilute +diluted +dilutedly +dilutedness +dilutee +dilutely +diluteness +dilutent +diluter +diluters +dilutes +diluting +dilution +dilutions +dilutive +dilutor +dilutors +diluvy +diluvia +diluvial +diluvialist +diluvian +diluvianism +diluviate +diluvion +diluvions +diluvium +diluviums +Dilworth +DIM +dim. +DiMaggio +dimagnesic +dimane +dimanganion +dimanganous +DiMaria +Dimaris +Dymas +Dimashq +dimastigate +Dimatis +dimber +dimberdamber +dimble +dim-brooding +dim-browed +dim-colored +dim-discovered +dime +dime-a-dozen +Dimebox +dimedon +dimedone +dim-eyed +dimenhydrinate +dimensible +dimension +dimensional +dimensionality +dimensionally +dimensioned +dimensioning +dimensionless +dimensions +dimensive +dimensum +dimensuration +dimer +Dimera +dimeran +dimercaprol +dimercury +dimercuric +dimercurion +dimeric +dimeride +dimerism +dimerisms +dimerization +dimerize +dimerized +dimerizes +dimerizing +dimerlie +dimerous +dimers +dimes +dime's +dime-store +dimetallic +dimeter +dimeters +dimethyl +dimethylamine +dimethylamino +dimethylaniline +dimethylanthranilate +dimethylbenzene +dimethylcarbinol +dimethyldiketone +dimethylhydrazine +dimethylketol +dimethylketone +dimethylmethane +dimethylnitrosamine +dimethyls +dimethylsulfoxide +dimethylsulphoxide +dimethyltryptamine +dimethoate +dimethoxy +dimethoxymethane +dimetient +dimetry +dimetria +dimetric +dimetrodon +dim-felt +dim-gleaming +dim-gray +dimyary +Dimyaria +dimyarian +dimyaric +dimication +dimidiate +dimidiated +dimidiating +dimidiation +dim-yellow +dimin +diminish +diminishable +diminishableness +diminished +diminisher +diminishes +diminishing +diminishingly +diminishingturns +diminishment +diminishments +diminue +diminuendo +diminuendoed +diminuendoes +diminuendos +diminuent +diminutal +diminute +diminuted +diminutely +diminuting +diminution +diminutional +diminutions +diminutival +diminutive +diminutively +diminutiveness +diminutivize +dimiss +dimissaries +dimission +dimissory +dimissorial +dimit +dimity +dimities +Dimitri +Dimitry +Dimitris +Dimitrov +Dimitrovo +dimitted +dimitting +Dimittis +dim-lettered +dimly +dim-lighted +dim-lit +dim-litten +dimmable +dimmed +dimmedness +dimmer +dimmers +dimmer's +dimmest +dimmet +dimmy +Dimmick +dimming +dimmish +dimmit +Dimmitt +dimmock +Dimna +dimness +dimnesses +Dimock +Dymoke +dimolecular +Dimond +Dimondale +dimoric +dimorph +dimorphic +dimorphism +dimorphisms +dimorphite +Dimorphotheca +dimorphous +dimorphs +dimout +dim-out +dimouts +Dympha +Dimphia +Dymphia +dimple +dimpled +dimplement +dimples +dimply +dimplier +dimpliest +dimpling +dimps +dimpsy +dim-remembered +DIMS +dim-seen +dim-sensed +dim-sheeted +dim-sighted +dim-sightedness +dimuence +dim-visioned +dimwit +dimwits +dimwitted +dim-witted +dimwittedly +dimwittedness +dim-wittedness +DIN +dyn +Din. +Dina +Dyna +dynactinometer +dynagraph +Dinah +Dynah +dynam +dynam- +dynameter +dynametric +dynametrical +dynamic +dynamical +dynamically +dynamicity +dynamics +dynamis +dynamism +dynamisms +dynamist +dynamistic +dynamists +dynamitard +dynamite +dynamited +dynamiter +dynamiters +dynamites +dynamitic +dynamitical +dynamitically +dynamiting +dynamitish +dynamitism +dynamitist +dynamization +dynamize +dynamo +dynamo- +dinamode +dynamoelectric +dynamoelectrical +dynamogeneses +dynamogenesis +dynamogeny +dynamogenic +dynamogenous +dynamogenously +dynamograph +dynamometamorphic +dynamometamorphism +dynamometamorphosed +dynamometer +dynamometers +dynamometry +dynamometric +dynamometrical +dynamomorphic +dynamoneure +dynamophone +dynamos +dynamoscope +dynamostatic +dynamotor +Dinan +dinanderie +Dinantian +dinaphthyl +dynapolis +dinar +dinarchy +dinarchies +Dinard +Dinaric +dinars +Dinarzade +dynast +Dynastes +dynasty +dynastic +dynastical +dynastically +dynasticism +dynastid +dynastidan +Dynastides +dynasties +Dynastinae +dynasty's +dynasts +dynatron +dynatrons +Dincolo +dinder +d'Indy +Dindymene +Dindymus +dindle +dindled +dindles +dindling +dindon +Dine +dyne +dined +Dynel +dynels +diner +dinergate +dineric +Dinerman +dinero +dineros +diner-out +diners +dines +dynes +Dinesen +dyne-seven +Dinesh +dinetic +dinette +dinettes +dineuric +dineutron +ding +Dingaan +ding-a-ling +dingar +dingbat +dingbats +Dingbelle +dingdong +Ding-Dong +dingdonged +dingdonging +dingdongs +dinge +dinged +dingee +dingey +dingeing +dingeys +Dingell +Dingelstadt +dinger +dinges +Dingess +dinghee +dinghy +dinghies +dingy +dingier +dingies +dingiest +dingily +dinginess +dinginesses +dinging +Dingle +dingleberry +dinglebird +dingled +dingledangle +dingle-dangle +dingles +dingly +dingling +Dingman +dingmaul +dingo +dingoes +dings +dingthrift +Dingus +dinguses +Dingwall +dinheiro +dinic +dinical +dinichthyid +Dinichthys +Dinin +dining +dinitrate +dinitril +dinitrile +dinitro +dinitro- +dinitrobenzene +dinitrocellulose +dinitrophenylhydrazine +dinitrophenol +dinitrotoluene +dink +Dinka +Dinkas +dinked +dinkey +dinkeys +dinky +dinky-di +dinkier +dinkies +dinkiest +dinking +dinkly +dinks +Dinkum +dinkums +dinman +dinmont +Dinnage +dinned +dinner +dinner-dance +dinner-getting +dinnery +dinnerless +dinnerly +dinners +dinner's +dinnertime +dinnerware +Dinny +Dinnie +dinning +Dino +dino +Dinobryon +Dinoceras +Dinocerata +dinoceratan +dinoceratid +Dinoceratidae +dynode +dynodes +Dinoflagellata +Dinoflagellatae +dinoflagellate +Dinoflagellida +dinomic +Dinomys +Dinophyceae +Dinophilea +Dinophilus +Dinornis +Dinornithes +dinornithic +dinornithid +Dinornithidae +Dinornithiformes +dinornithine +dinornithoid +dinos +dinosaur +Dinosauria +dinosaurian +dinosauric +dinosaurs +dinothere +Dinotheres +dinotherian +Dinotheriidae +Dinotherium +dins +Dinsdale +Dinse +Dinsmore +dinsome +dint +dinted +dinting +dintless +dints +Dinuba +dinucleotide +dinumeration +dinus +Dinwiddie +D'Inzeo +diobely +diobol +diobolon +diobolons +diobols +dioc +diocesan +diocesans +diocese +dioceses +diocesian +Diocletian +diocoel +dioctahedral +Dioctophyme +diode +diodes +diode's +Diodia +Diodon +diodont +Diodontidae +dioecy +Dioecia +dioecian +dioeciodimorphous +dioeciopolygamous +dioecious +dioeciously +dioeciousness +dioecism +dioecisms +dioestrous +dioestrum +dioestrus +Diogenean +Diogenes +Diogenic +diogenite +dioicous +dioicously +dioicousness +diol +diolefin +diolefine +diolefinic +diolefins +diols +diomate +Diomede +Diomedea +Diomedeidae +Diomedes +Dion +Dionaea +Dionaeaceae +Dione +dionym +dionymal +Dionis +dionise +Dionysia +Dionysiac +Dionysiacal +Dionysiacally +Dionysian +Dionisio +Dionysius +Dionysos +Dionysus +dionize +Dionne +Dioon +Diophantine +Diophantus +diophysite +Dyophysite +Dyophysitic +Dyophysitical +Dyophysitism +dyophone +Diopsidae +diopside +diopsides +diopsidic +diopsimeter +Diopsis +dioptase +dioptases +diopter +diopters +Dioptidae +dioptograph +dioptometer +dioptometry +dioptomiter +dioptoscopy +dioptra +dioptral +dioptrate +dioptre +dioptres +dioptry +dioptric +dioptrical +dioptrically +dioptrics +dioptrometer +dioptrometry +dioptroscopy +Dior +diorama +dioramas +dioramic +diordinal +Diores +diorism +diorite +diorite-porphyrite +diorites +dioritic +diorthoses +diorthosis +diorthotic +Dioscorea +Dioscoreaceae +dioscoreaceous +dioscorein +dioscorine +Dioscuri +Dioscurian +Diosdado +diose +diosgenin +Diosma +diosmin +diosmose +diosmosed +diosmosing +diosmosis +diosmotic +diosphenol +Diospyraceae +diospyraceous +Diospyros +dyostyle +diota +dyotheism +Dyothelete +Dyotheletian +Dyotheletic +Dyotheletical +Dyotheletism +diothelism +Dyothelism +Dyothelite +Dyothelitism +dioti +diotic +Diotocardia +diotrephes +diovular +dioxan +dioxane +dioxanes +dioxy +dioxid +dioxide +dioxides +dioxids +dioxime +dioxin +dioxindole +dioxins +DIP +Dipala +diparentum +dipartite +dipartition +dipaschal +dipchick +dipcoat +dip-dye +dipentene +dipentine +dipeptid +dipeptidase +dipeptide +dipetalous +dipetto +dip-grained +diphase +diphaser +diphasic +diphead +diphen- +diphenan +diphenhydramine +diphenyl +diphenylacetylene +diphenylamine +diphenylaminechlorarsine +diphenylchloroarsine +diphenylene +diphenylene-methane +diphenylenimide +diphenylenimine +diphenylguanidine +diphenylhydantoin +diphenylmethane +diphenylquinomethane +diphenyls +diphenylthiourea +diphenol +diphenoxylate +diphy- +diphycercal +diphycercy +Diphyes +diphyesis +diphygenic +diphyletic +Diphylla +Diphylleia +Diphyllobothrium +diphyllous +diphyo- +diphyodont +diphyozooid +Diphysite +Diphysitism +diphyzooid +dyphone +diphonia +diphosgene +diphosphate +diphosphid +diphosphide +diphosphoric +diphosphothiamine +diphrelatic +diphtheria +diphtherial +diphtherian +diphtheriaphor +diphtherias +diphtheric +diphtheritic +diphtheritically +diphtheritis +diphtheroid +diphtheroidal +diphtherotoxin +diphthong +diphthongal +diphthongalize +diphthongally +diphthongation +diphthonged +diphthongia +diphthongic +diphthonging +diphthongisation +diphthongise +diphthongised +diphthongising +diphthongization +diphthongize +diphthongized +diphthongizing +diphthongous +diphthongs +dipicrate +dipicrylamin +dipicrylamine +dipygi +dipygus +dipylon +dipyramid +dipyramidal +dipyre +dipyrenous +dipyridyl +dipl +dipl- +dipl. +Diplacanthidae +Diplacanthus +diplacuses +diplacusis +Dipladenia +diplanar +diplanetic +diplanetism +diplantidian +diplarthrism +diplarthrous +diplasiasmus +diplasic +diplasion +diple +diplegia +diplegias +diplegic +dipleidoscope +dipleiodoscope +dipleura +dipleural +dipleuric +dipleurobranchiate +dipleurogenesis +dipleurogenetic +dipleurula +dipleurulas +dipleurule +diplex +diplexer +diplo- +diplobacillus +diplobacterium +diploblastic +diplocardia +diplocardiac +Diplocarpon +diplocaulescent +diplocephaly +diplocephalous +diplocephalus +diplochlamydeous +diplococcal +diplococcemia +diplococci +diplococcic +diplococcocci +diplococcoid +diplococcus +diploconical +diplocoria +Diplodia +Diplodocus +diplodocuses +Diplodus +diploe +diploes +diploetic +diplogangliate +diplogenesis +diplogenetic +diplogenic +Diploglossata +diploglossate +diplograph +diplography +diplographic +diplographical +diplohedral +diplohedron +diploic +diploid +diploidy +diploidic +diploidies +diploidion +diploidize +diploids +diplois +diplokaryon +diploma +diplomacy +diplomacies +diplomaed +diplomaing +diplomas +diploma's +diplomat +diplomata +diplomate +diplomates +diplomatic +diplomatical +diplomatically +diplomatics +diplomatique +diplomatism +diplomatist +diplomatists +diplomatize +diplomatized +diplomatology +diplomats +diplomat's +diplomyelia +diplonema +diplonephridia +diploneural +diplont +diplontic +diplonts +diploperistomic +diplophase +diplophyte +diplophonia +diplophonic +diplopy +diplopia +diplopiaphobia +diplopias +diplopic +diploplacula +diploplacular +diploplaculate +diplopod +Diplopoda +diplopodic +diplopodous +diplopods +Diploptera +Diplopteryga +diplopterous +diploses +diplosis +diplosome +diplosphenal +diplosphene +Diplospondyli +diplospondylic +diplospondylism +diplostemony +diplostemonous +diplostichous +Diplotaxis +diplotegia +diplotene +Diplozoon +diplumbic +dipmeter +dipneedle +dip-needling +Dipneumona +Dipneumones +dipneumonous +dipneust +dipneustal +Dipneusti +dipnoan +dipnoans +Dipnoi +dipnoid +dypnone +dipnoous +dipode +dipody +dipodic +dipodid +Dipodidae +dipodies +Dipodomyinae +Dipodomys +dipolar +dipolarization +dipolarize +dipole +dipoles +Dipolia +dipolsphene +diporpa +dipotassic +dipotassium +dippable +dipped +dipper +dipperful +dipper-in +dippers +dipper's +dippy +dippier +dippiest +dipping +dipping-needle +dippings +Dippold +dipppy +dipppier +dipppiest +diprimary +diprismatic +dipropargyl +dipropellant +dipropyl +diprotic +diprotodan +Diprotodon +diprotodont +Diprotodontia +dips +Dipsacaceae +dipsacaceous +Dipsaceae +dipsaceous +Dipsacus +dipsades +Dipsadinae +dipsadine +dipsas +dipsey +dipsetic +dipsy +dipsy-doodle +dipsie +dipso +dipsomania +dipsomaniac +dipsomaniacal +dipsomaniacs +dipsopathy +dipsos +Dipsosaurus +dipsosis +dipstick +dipsticks +dipt +dipter +Diptera +Dipteraceae +dipteraceous +dipterad +dipteral +dipteran +dipterans +dipterygian +dipterist +Dipteryx +dipterocarp +Dipterocarpaceae +dipterocarpaceous +dipterocarpous +Dipterocarpus +dipterocecidium +dipteroi +dipterology +dipterological +dipterologist +dipteron +dipteros +dipterous +dipterus +dipththeria +dipththerias +diptyca +diptycas +diptych +diptychon +diptychs +diptote +Dipus +dipware +diquat +diquats +DIR +dir. +Dira +Dirac +diradiation +Dirae +Dirca +Dircaean +Dirck +dird +dirdum +dirdums +DIRE +direcly +direct +directable +direct-acting +direct-actionist +directcarving +direct-connected +direct-coupled +direct-current +directdiscourse +direct-driven +directed +directer +directest +directeur +directexamination +direct-examine +direct-examined +direct-examining +direct-geared +directing +direction +directional +directionality +directionalize +directionally +directionize +directionless +directions +direction's +directitude +directive +directively +directiveness +directives +directive's +directivity +directly +direct-mail +directness +Directoire +director +directoral +directorate +directorates +director-general +Directory +directorial +directorially +directories +directory's +directors +director's +directorship +directorships +directress +directrices +directrix +directrixes +directs +Diredawa +direful +direfully +direfulness +direly +dirempt +diremption +direness +direnesses +direption +direr +direst +direx +direxit +dirge +dirged +dirgeful +dirgelike +dirgeman +dirges +dirge's +dirgy +dirgie +dirging +dirgler +dirham +dirhams +dirhem +dirhinous +Dirian +Dirichlet +Dirichletian +dirige +dirigent +dirigibility +dirigible +dirigibles +dirigo +dirigomotor +dirigo-motor +diriment +dirity +Dirk +dirked +dirking +dirks +dirl +dirled +dirling +dirls +dirndl +dirndls +DIRT +dirt-besmeared +dirtbird +dirtboard +dirt-born +dirt-cheap +dirten +dirtfarmer +dirt-fast +dirt-flinging +dirt-free +dirt-grimed +dirty +dirty-colored +dirtied +dirtier +dirties +dirtiest +dirty-faced +dirty-handed +dirtying +dirtily +dirty-minded +dirt-incrusted +dirtiness +dirtinesses +dirty-shirted +dirty-souled +dirt-line +dirtplate +dirt-rotten +dirts +dirt-smirched +dirt-soaked +diruption +DIS +dys +dis- +dys- +DISA +disability +disabilities +disability's +disable +disabled +disablement +disableness +disabler +disablers +disables +disabling +disabusal +disabuse +disabused +disabuses +disabusing +disacceptance +disaccharid +disaccharidase +disaccharide +disaccharides +disaccharose +disaccommodate +disaccommodation +disaccomodate +disaccord +disaccordance +disaccordant +disaccredit +disaccustom +disaccustomed +disaccustomedness +disacidify +disacidified +disacknowledge +disacknowledgement +disacknowledgements +dysacousia +dysacousis +dysacousma +disacquaint +disacquaintance +disacryl +dysacusia +dysadaptation +disadjust +disadorn +disadvance +disadvanced +disadvancing +disadvantage +disadvantaged +disadvantagedness +disadvantageous +disadvantageously +disadvantageousness +disadvantages +disadvantage's +disadvantaging +disadventure +disadventurous +disadvise +disadvised +disadvising +dysaesthesia +dysaesthetic +disaffect +disaffectation +disaffected +disaffectedly +disaffectedness +disaffecting +disaffection +disaffectionate +disaffections +disaffects +disaffiliate +disaffiliated +disaffiliates +disaffiliating +disaffiliation +disaffiliations +disaffinity +disaffirm +disaffirmance +disaffirmation +disaffirmative +disaffirming +disafforest +disafforestation +disafforestment +disagglomeration +disaggregate +disaggregated +disaggregation +disaggregative +disagio +disagree +disagreeability +disagreeable +disagreeableness +disagreeables +disagreeably +disagreeance +disagreed +disagreeing +disagreement +disagreements +disagreement's +disagreer +disagrees +disagreing +disalicylide +disalign +disaligned +disaligning +disalignment +disalike +disally +disalliege +disallow +disallowable +disallowableness +disallowance +disallowances +disallowed +disallowing +disallows +disaltern +disambiguate +disambiguated +disambiguates +disambiguating +disambiguation +disambiguations +disamenity +Disamis +dysanagnosia +disanagrammatize +dysanalyte +disanalogy +disanalogous +disanchor +disangelical +disangularize +disanimal +disanimate +disanimated +disanimating +disanimation +disanney +disannex +disannexation +disannul +disannulled +disannuller +disannulling +disannulment +disannuls +disanoint +disanswerable +dysaphia +disapostle +disapparel +disappear +disappearance +disappearances +disappearance's +disappeared +disappearer +disappearing +disappears +disappendancy +disappendant +disappoint +disappointed +disappointedly +disappointer +disappointing +disappointingly +disappointingness +disappointment +disappointments +disappointment's +disappoints +disappreciate +disappreciation +disapprobation +disapprobations +disapprobative +disapprobatory +disappropriate +disappropriation +disapprovable +disapproval +disapprovals +disapprove +disapproved +disapprover +disapproves +disapproving +disapprovingly +disaproned +dysaptation +disarchbishop +disard +Disario +disarm +disarmament +disarmaments +disarmature +disarmed +disarmer +disarmers +disarming +disarmingly +disarms +disarray +disarrayed +disarraying +disarrays +disarrange +disarranged +disarrangement +disarrangements +disarranger +disarranges +disarranging +disarrest +Dysart +dysarthria +dysarthric +dysarthrosis +disarticulate +disarticulated +disarticulating +disarticulation +disarticulator +disasinate +disasinize +disassemble +disassembled +disassembler +disassembles +disassembly +disassembling +disassent +disassiduity +disassimilate +disassimilated +disassimilating +disassimilation +disassimilative +disassociable +disassociate +disassociated +disassociates +disassociating +disassociation +disaster +disasterly +disasters +disaster's +disastimeter +disastrous +disastrously +disastrousness +disattaint +disattire +disattune +disaugment +disauthentic +disauthenticate +disauthorize +dysautonomia +disavail +disavaunce +disavouch +disavow +disavowable +disavowal +disavowals +disavowance +disavowed +disavowedly +disavower +disavowing +disavowment +disavows +disawa +disazo +disbalance +disbalancement +disband +disbanded +disbanding +disbandment +disbandments +disbands +disbar +dysbarism +disbark +disbarment +disbarments +disbarred +disbarring +disbars +disbase +disbecome +disbelief +disbeliefs +disbelieve +disbelieved +disbeliever +disbelievers +disbelieves +disbelieving +disbelievingly +disbench +disbenched +disbenching +disbenchment +disbend +disbind +dis-byronize +disblame +disbloom +disboard +disbody +disbodied +disbogue +disboscation +disbosom +disbosomed +disbosoming +disbosoms +disbound +disbowel +disboweled +disboweling +disbowelled +disbowelling +disbowels +disbrain +disbranch +disbranched +disbranching +disbud +disbudded +disbudder +disbudding +disbuds +dysbulia +dysbulic +disburden +disburdened +disburdening +disburdenment +disburdens +disburgeon +disbury +disbursable +disbursal +disbursals +disburse +disbursed +disbursement +disbursements +disbursement's +disburser +disburses +disbursing +disburthen +disbutton +disc +disc- +disc. +discabinet +discage +discal +discalceate +discalced +discamp +discandy +discanonization +discanonize +discanonized +discant +discanted +discanter +discanting +discants +discantus +discapacitate +discard +discardable +discarded +discarder +discarding +discardment +discards +discarnate +discarnation +discase +discased +discases +discasing +discastle +discatter +disced +discede +discept +disceptation +disceptator +discepted +discepting +discepts +discern +discernable +discernableness +discernably +discerned +discerner +discerners +discernibility +discernible +discernibleness +discernibly +discerning +discerningly +discernment +discernments +discerns +discerp +discerped +discerpibility +discerpible +discerpibleness +discerping +discerptibility +discerptible +discerptibleness +discerption +discerptive +discession +discharacter +discharge +dischargeable +discharged +dischargee +discharger +dischargers +discharges +discharging +discharity +discharm +dischase +dischevel +dyschiria +dyschroa +dyschroia +dyschromatopsia +dyschromatoptic +dyschronous +dischurch +disci +discide +disciferous +Disciflorae +discifloral +disciflorous +disciform +discigerous +Discina +discinct +discind +discing +discinoid +disciple +discipled +disciplelike +disciples +disciple's +discipleship +disciplinability +disciplinable +disciplinableness +disciplinal +disciplinant +disciplinary +disciplinarian +disciplinarianism +disciplinarians +disciplinarily +disciplinarity +disciplinate +disciplinative +disciplinatory +discipline +disciplined +discipliner +discipliners +disciplines +discipling +disciplining +discipular +discircumspection +discission +discitis +disclaim +disclaimant +disclaimed +disclaimer +disclaimers +disclaiming +disclaims +disclamation +disclamatory +disclander +disclass +disclassify +disclike +disclimax +discloak +discloister +disclosable +disclose +disclosed +discloser +discloses +disclosing +disclosive +disclosure +disclosures +disclosure's +discloud +disclout +disclusion +disco +disco- +discoach +discoactine +discoast +discoblastic +discoblastula +discoboli +discobolos +discobolus +discocarp +discocarpium +discocarpous +discocephalous +discodactyl +discodactylous +discoed +discogastrula +discoglossid +Discoglossidae +discoglossoid +discographer +discography +discographic +discographical +discographically +discographies +discoherent +discohexaster +discoid +discoidal +Discoidea +Discoideae +discoids +discoing +discolichen +discolith +discolor +discolorate +discolorated +discoloration +discolorations +discolored +discoloredness +discoloring +discolorization +discolorment +discolors +discolour +discoloured +discolouring +discolourization +discombobulate +discombobulated +discombobulates +discombobulating +discombobulation +Discomedusae +discomedusan +discomedusoid +discomfit +discomfited +discomfiter +discomfiting +discomfits +discomfiture +discomfitures +discomfort +discomfortable +discomfortableness +discomfortably +discomforted +discomforter +discomforting +discomfortingly +discomforts +discomycete +Discomycetes +discomycetous +discommend +discommendable +discommendableness +discommendably +discommendation +discommender +discommission +discommodate +discommode +discommoded +discommodes +discommoding +discommodious +discommodiously +discommodiousness +discommodity +discommodities +discommon +discommoned +discommoning +discommons +discommune +discommunity +discomorula +discompanied +discomplexion +discompliance +discompose +discomposed +discomposedly +discomposedness +discomposes +discomposing +discomposingly +discomposure +discompt +Disconanthae +disconanthous +disconcert +disconcerted +disconcertedly +disconcertedness +disconcerting +disconcertingly +disconcertingness +disconcertion +disconcertment +disconcerts +disconcord +disconduce +disconducive +Disconectae +disconfirm +disconfirmation +disconfirmed +disconform +disconformable +disconformably +disconformity +disconformities +discongruity +disconjure +disconnect +disconnected +disconnectedly +disconnectedness +disconnecter +disconnecting +disconnection +disconnections +disconnective +disconnectiveness +disconnector +disconnects +disconsent +disconsider +disconsideration +disconsolacy +disconsolance +disconsolate +disconsolately +disconsolateness +disconsolation +disconsonancy +disconsonant +discontent +discontented +discontentedly +discontentedness +discontentful +discontenting +discontentive +discontentment +discontentments +discontents +discontiguity +discontiguous +discontiguousness +discontinuable +discontinual +discontinuance +discontinuances +discontinuation +discontinuations +discontinue +discontinued +discontinuee +discontinuer +discontinues +discontinuing +discontinuity +discontinuities +discontinuity's +discontinuor +discontinuous +discontinuously +discontinuousness +disconula +disconvenience +disconvenient +disconventicle +discophile +Discophora +discophoran +discophore +discophorous +discoplacenta +discoplacental +Discoplacentalia +discoplacentalian +discoplasm +discopodous +discord +discordable +discordance +discordancy +discordancies +discordant +discordantly +discordantness +discorded +discorder +discordful +Discordia +discording +discordous +discords +discorporate +discorrespondency +discorrespondent +discos +discost +discostate +discostomatous +discotheque +discotheques +discothque +discounsel +discount +discountable +discounted +discountenance +discountenanced +discountenancer +discountenances +discountenancing +discounter +discounters +discounting +discountinuous +discounts +discouple +discour +discourage +discourageable +discouraged +discouragedly +discouragement +discouragements +discourager +discourages +discouraging +discouragingly +discouragingness +discourse +discoursed +discourseless +discourser +discoursers +discourses +discourse's +discoursing +discoursive +discoursively +discoursiveness +discourt +discourteous +discourteously +discourteousness +discourtesy +discourtesies +discourtship +discous +discovenant +discover +discoverability +discoverable +discoverably +discovered +Discoverer +discoverers +discovery +discoveries +discovering +discovery's +discovers +discovert +discoverture +discradle +dyscrase +dyscrased +dyscrasy +dyscrasia +dyscrasial +dyscrasic +dyscrasing +dyscrasite +dyscratic +discreate +discreated +discreating +discreation +discredence +discredit +discreditability +discreditable +discreditableness +discreditably +discredited +discrediting +discredits +discreet +discreeter +discreetest +discreetly +discreetness +discrepance +discrepancy +discrepancies +discrepancy's +discrepancries +discrepant +discrepantly +discrepate +discrepated +discrepating +discrepation +discrepencies +discrested +discrete +discretely +discreteness +discretion +discretional +discretionally +discretionary +discretionarily +discretions +discretive +discretively +discretiveness +discriminability +discriminable +discriminably +discriminal +discriminant +discriminantal +discriminate +discriminated +discriminately +discriminateness +discriminates +discriminating +discriminatingly +discriminatingness +discrimination +discriminational +discriminations +discriminative +discriminatively +discriminativeness +discriminator +discriminatory +discriminatorily +discriminators +discriminoid +discriminous +dyscrinism +dyscrystalline +discrive +discrown +discrowned +discrowning +discrownment +discrowns +discruciate +discs +disc's +discubation +discubitory +disculpate +disculpation +disculpatory +discumb +discumber +discure +discuren +discurre +discurrent +discursative +discursativeness +discursify +discursion +discursive +discursively +discursiveness +discursivenesses +discursory +discursus +discurtain +discus +discuses +discuss +discussable +discussant +discussants +discussed +discusser +discusses +discussible +discussing +discussion +discussional +discussionis +discussionism +discussionist +discussions +discussion's +discussive +discussment +discustom +discutable +discute +discutient +disdain +disdainable +disdained +disdainer +disdainful +disdainfully +disdainfulness +disdaining +disdainly +disdainous +disdains +disdar +disdeceive +disdeify +disdein +disdenominationalize +disdiaclasis +disdiaclast +disdiaclastic +disdiapason +disdiazo +disdiplomatize +disdodecahedroid +disdub +disease +disease-causing +diseased +diseasedly +diseasedness +diseaseful +diseasefulness +disease-producing +disease-resisting +diseases +disease-spreading +diseasy +diseasing +disecondary +diseconomy +disedge +disedify +disedification +diseducate +disegno +diselder +diselectrify +diselectrification +dis-element +diselenid +diselenide +disematism +disembay +disembalm +disembargo +disembargoed +disembargoing +disembark +disembarkation +disembarkations +disembarked +disembarking +disembarkment +disembarks +disembarrass +disembarrassed +disembarrassment +disembattle +disembed +disembellish +disembitter +disembocation +disembody +disembodied +disembodies +disembodying +disembodiment +disembodiments +disembogue +disembogued +disemboguement +disemboguing +disembosom +disembowel +disemboweled +disemboweling +disembowelled +disembowelling +disembowelment +disembowelments +disembowels +disembower +disembrace +disembrangle +disembroil +disembroilment +disemburden +diseme +disemic +disemplane +disemplaned +disemploy +disemployed +disemploying +disemployment +disemploys +disempower +disemprison +disen- +disenable +disenabled +disenablement +disenabling +disenact +disenactment +disenamor +disenamour +disenchain +disenchant +disenchanted +disenchanter +disenchanting +disenchantingly +disenchantment +disenchantments +disenchantress +disenchants +disencharm +disenclose +disencourage +disencrease +disencumber +disencumbered +disencumbering +disencumberment +disencumbers +disencumbrance +disendow +disendowed +disendower +disendowing +disendowment +disendows +disenfranchise +disenfranchised +disenfranchisement +disenfranchisements +disenfranchises +disenfranchising +disengage +disengaged +disengagedness +disengagement +disengagements +disengages +disengaging +disengirdle +disenjoy +disenjoyment +disenmesh +disennoble +disennui +disenorm +disenrol +disenroll +disensanity +disenshroud +disenslave +disensoul +disensure +disentail +disentailment +disentangle +disentangled +disentanglement +disentanglements +disentangler +disentangles +disentangling +disenter +dysentery +dysenteric +dysenterical +dysenteries +disenthral +disenthrall +disenthralled +disenthralling +disenthrallment +disenthralls +disenthralment +disenthrone +disenthroned +disenthronement +disenthroning +disentitle +disentitled +disentitlement +disentitling +disentomb +disentombment +disentraced +disentrail +disentrain +disentrainment +disentrammel +disentrance +disentranced +disentrancement +disentrancing +disentwine +disentwined +disentwining +disenvelop +disepalous +dysepulotic +dysepulotical +disequality +disequalization +disequalize +disequalizer +disequilibrate +disequilibration +disequilibria +disequilibrium +disequilibriums +dyserethisia +dysergasia +dysergia +disert +disespouse +disestablish +disestablished +disestablisher +disestablishes +disestablishing +disestablishment +disestablishmentarian +disestablishmentarianism +disestablismentarian +disestablismentarianism +disesteem +disesteemed +disesteemer +disesteeming +dysesthesia +dysesthetic +disestimation +diseur +diseurs +diseuse +diseuses +disexcommunicate +disexercise +disfaith +disfame +disfashion +disfavor +disfavored +disfavorer +disfavoring +disfavors +disfavour +disfavourable +disfavoured +disfavourer +disfavouring +disfeature +disfeatured +disfeaturement +disfeaturing +disfellowship +disfen +disfiguration +disfigurative +disfigure +disfigured +disfigurement +disfigurements +disfigurer +disfigures +disfiguring +disfiguringly +disflesh +disfoliage +disfoliaged +disforest +disforestation +disform +disformity +disfortune +disframe +disfranchise +disfranchised +disfranchisement +disfranchisements +disfranchiser +disfranchisers +disfranchises +disfranchising +disfrancnise +disfrequent +disfriar +disfrock +disfrocked +disfrocking +disfrocks +disfunction +dysfunction +dysfunctional +dysfunctioning +disfunctions +dysfunctions +disfurnish +disfurnished +disfurnishment +disfurniture +disgage +disgallant +disgarland +disgarnish +disgarrison +disgavel +disgaveled +disgaveling +disgavelled +disgavelling +disgeneric +dysgenesic +dysgenesis +dysgenetic +disgenic +dysgenic +dysgenical +dysgenics +disgenius +dysgeogenous +disgig +disglory +disglorify +disglut +dysgnosia +dysgonic +disgood +disgorge +disgorged +disgorgement +disgorger +disgorges +disgorging +disgospel +disgospelize +disgout +disgown +disgrace +disgraced +disgraceful +disgracefully +disgracefulness +disgracement +disgracer +disgracers +disgraces +disgracia +disgracing +disgracious +disgracive +disgradation +disgrade +disgraded +disgrading +disgradulate +dysgraphia +disgregate +disgregated +disgregating +disgregation +disgress +disgross +disgruntle +disgruntled +disgruntlement +disgruntles +disgruntling +disguisable +disguisay +disguisal +disguise +disguised +disguisedly +disguisedness +disguiseless +disguisement +disguisements +disguiser +disguises +disguising +disgulf +disgust +disgusted +disgustedly +disgustedness +disguster +disgustful +disgustfully +disgustfulness +disgusting +disgustingly +disgustingness +disgusts +dish +dishabilitate +dishabilitation +dishabille +dishabit +dishabited +dishabituate +dishabituated +dishabituating +dishable +dishallow +dishallucination +disharmony +disharmonic +disharmonical +disharmonies +disharmonious +disharmonise +disharmonised +disharmonising +disharmonism +disharmonize +disharmonized +disharmonizing +Disharoon +dishaunt +dishboard +dishcloth +dishcloths +dishclout +dishcross +dish-crowned +disheart +dishearten +disheartened +disheartenedly +disheartener +disheartening +dishearteningly +disheartenment +disheartens +disheathing +disheaven +dished +disheir +dishellenize +dishelm +dishelmed +dishelming +dishelms +disher +disherent +disherison +disherit +disherited +disheriting +disheritment +disheritor +disherits +dishes +dishevel +disheveled +dishevely +disheveling +dishevelled +dishevelling +dishevelment +dishevelments +dishevels +dishexecontahedroid +dish-faced +dishful +dishfuls +dish-headed +dishy +dishier +dishiest +dishing +Dishley +dishlike +dishling +dishmaker +dishmaking +dishmonger +dishmop +dishome +dishonest +dishonesty +dishonesties +dishonestly +dishonor +dishonorable +dishonorableness +dishonorably +dishonorary +dishonored +dishonorer +dishonoring +dishonors +dishonour +dishonourable +dishonourableness +dishonourably +dishonourary +dishonoured +dishonourer +dishonouring +dishorn +dishorner +dishorse +dishouse +dishpan +dishpanful +dishpans +dishrag +dishrags +dish-shaped +dishtowel +dishtowels +dishumanize +dishumor +dishumour +dishware +dishwares +dishwash +dishwasher +dishwashers +dishwashing +dishwashings +dishwater +dishwatery +dishwaters +dishwiper +dishwiping +disidentify +dysidrosis +disilane +disilicane +disilicate +disilicic +disilicid +disilicide +disyllabic +disyllabism +disyllabize +disyllabized +disyllabizing +disyllable +disillude +disilluded +disilluminate +disillusion +disillusionary +disillusioned +disillusioning +disillusionise +disillusionised +disillusioniser +disillusionising +disillusionist +disillusionize +disillusionized +disillusionizer +disillusionizing +disillusionment +disillusionments +disillusionment's +disillusions +disillusive +disimagine +disimbitter +disimitate +disimitation +disimmure +disimpark +disimpassioned +disimprison +disimprisonment +disimprove +disimprovement +disincarcerate +disincarceration +disincarnate +disincarnation +disincentive +disinclination +disinclinations +disincline +disinclined +disinclines +disinclining +disinclose +disincorporate +disincorporated +disincorporating +disincorporation +disincrease +disincrust +disincrustant +disincrustion +disindividualize +disinfect +disinfectant +disinfectants +disinfected +disinfecter +disinfecting +disinfection +disinfections +disinfective +disinfector +disinfects +disinfest +disinfestant +disinfestation +disinfeudation +disinflame +disinflate +disinflated +disinflating +disinflation +disinflationary +disinformation +disingenious +disingenuity +disingenuous +disingenuously +disingenuousness +disinhabit +disinherison +disinherit +disinheritable +disinheritance +disinheritances +disinherited +disinheriting +disinherits +disinhibition +disinhume +disinhumed +disinhuming +Disini +disinsection +disinsectization +disinsulation +disinsure +disintegrable +disintegrant +disintegrate +disintegrated +disintegrates +disintegrating +disintegration +disintegrationist +disintegrations +disintegrative +disintegrator +disintegratory +disintegrators +disintegrity +disintegrous +disintensify +disinter +disinteress +disinterest +disinterested +disinterestedly +disinterestedness +disinterestednesses +disinteresting +disintermediation +disinterment +disinterred +disinterring +disinters +disintertwine +disyntheme +disinthrall +disintoxicate +disintoxication +disintrench +dysyntribite +disintricate +disinure +disinvagination +disinvest +disinvestiture +disinvestment +disinvigorate +disinvite +disinvolve +disinvolvement +disyoke +disyoked +disyokes +disyoking +disjasked +disjasket +disjaskit +disject +disjected +disjecting +disjection +disjects +disjeune +disjoin +disjoinable +disjoined +disjoining +disjoins +disjoint +disjointed +disjointedly +disjointedness +disjointing +disjointly +disjointness +disjoints +disjointure +disjudication +disjunct +disjunction +disjunctions +disjunctive +disjunctively +disjunctor +disjuncts +disjuncture +disjune +disk +disk-bearing +disked +diskelion +disker +dyskeratosis +diskery +diskette +diskettes +Diskin +diskindness +dyskinesia +dyskinetic +disking +diskless +disklike +disknow +Disko +diskography +diskophile +diskos +disks +disk's +disk-shaped +Diskson +dislade +dislady +dyslalia +dislaurel +disleaf +disleafed +disleafing +disleal +disleave +disleaved +disleaving +dyslectic +dislegitimate +dislevelment +dyslexia +dyslexias +dyslexic +dyslexics +disli +dislicense +dislikable +dislike +dislikeable +disliked +dislikeful +dislikelihood +disliken +dislikeness +disliker +dislikers +dislikes +disliking +dislimb +dislimn +dislimned +dislimning +dislimns +dislink +dislip +dyslysin +dislive +dislluminate +disload +dislocability +dislocable +dislocate +dislocated +dislocatedly +dislocatedness +dislocates +dislocating +dislocation +dislocations +dislocator +dislocatory +dislock +dislodge +dislodgeable +dislodged +dislodgement +dislodges +dislodging +dislodgment +dyslogy +dyslogia +dyslogistic +dyslogistically +disloyal +disloyalist +disloyally +disloyalty +disloyalties +disloign +dislove +dysluite +disluster +dislustered +dislustering +dislustre +dislustred +dislustring +dismay +dismayable +dismayed +dismayedness +dismayful +dismayfully +dismaying +dismayingly +dismayingness +dismail +dismain +dismays +dismal +dismaler +dismalest +dismality +dismalities +dismalize +dismally +dismalness +dismals +disman +dismantle +dismantled +dismantlement +dismantler +dismantles +dismantling +dismarble +dismarch +dismark +dismarket +dismarketed +dismarketing +dismarry +dismarshall +dismask +dismast +dismasted +dismasting +dismastment +dismasts +dismaw +disme +dismeasurable +dismeasured +dismember +dismembered +dismemberer +dismembering +dismemberment +dismemberments +dismembers +dismembrate +dismembrated +dismembrator +dysmenorrhagia +dysmenorrhea +dysmenorrheal +dysmenorrheic +dysmenorrhoea +dysmenorrhoeal +dysmerism +dysmeristic +dismerit +dysmerogenesis +dysmerogenetic +dysmeromorph +dysmeromorphic +dismes +dysmetria +dismettled +disminion +disminister +dismiss +dismissable +Dismissal +dismissals +dismissal's +dismissed +dismisser +dismissers +dismisses +dismissible +dismissing +dismissingly +dismission +dismissive +dismissory +dismit +dysmnesia +dismoded +dysmorphism +dysmorphophobia +dismortgage +dismortgaged +dismortgaging +dismount +dismountable +dismounted +dismounting +dismounts +dismutation +disna +disnatural +disnaturalization +disnaturalize +disnature +disnatured +disnaturing +Disney +Disneyesque +Disneyland +disnest +dysneuria +disnew +disniche +dysnomy +disnosed +disnumber +disobedience +disobediences +disobedient +disobediently +disobey +disobeyal +disobeyed +disobeyer +disobeyers +disobeying +disobeys +disobligation +disobligatory +disoblige +disobliged +disobliger +disobliges +disobliging +disobligingly +disobligingness +disobstruct +disoccident +disocclude +disoccluded +disoccluding +disoccupation +disoccupy +disoccupied +disoccupying +disodic +dysodile +dysodyle +disodium +dysodontiasis +disomaty +disomatic +disomatous +disomic +disomus +Dyson +disoperation +disoperculate +disopinion +disoppilate +disorb +disorchard +disordain +disordained +disordeine +disorder +disordered +disorderedly +disorderedness +disorderer +disordering +disorderly +disorderliness +disorderlinesses +disorders +disordinance +disordinate +disordinated +disordination +dysorexy +dysorexia +disorganic +disorganise +disorganised +disorganiser +disorganising +disorganization +disorganizations +disorganize +disorganized +disorganizer +disorganizers +disorganizes +disorganizing +disorient +disorientate +disorientated +disorientates +disorientating +disorientation +disoriented +disorienting +disorients +DISOSS +disour +disown +disownable +disowned +disowning +disownment +disowns +disoxidate +dysoxidation +dysoxidizable +dysoxidize +disoxygenate +disoxygenation +disozonize +disp +dispace +dispaint +dispair +dispand +dispansive +dispapalize +dispar +disparadise +disparage +disparageable +disparaged +disparagement +disparagements +disparager +disparages +disparaging +disparagingly +disparate +disparately +disparateness +disparation +disparatum +dyspareunia +disparish +disparison +disparity +disparities +disparition +disparity's +dispark +disparkle +disparple +disparpled +disparpling +dispart +disparted +disparting +dispartment +disparts +dispassion +dispassionate +dispassionately +dispassionateness +dispassioned +dispassions +dispatch +dispatch-bearer +dispatch-bearing +dispatched +dispatcher +dispatchers +dispatches +dispatchful +dispatching +dispatch-rider +dyspathetic +dispathy +dyspathy +dispatriated +dispauper +dispauperize +dispeace +dispeaceful +dispeed +dispel +dispell +dispellable +dispelled +dispeller +dispelling +dispells +dispels +dispence +dispend +dispended +dispender +dispending +dispendious +dispendiously +dispenditure +dispends +dispensability +dispensable +dispensableness +dispensary +dispensaries +dispensate +dispensated +dispensating +dispensation +dispensational +dispensationalism +dispensations +dispensative +dispensatively +dispensator +dispensatory +dispensatories +dispensatorily +dispensatress +dispensatrix +dispense +dispensed +dispenser +dispensers +dispenses +dispensible +dispensing +dispensingly +dispensive +dispeople +dispeopled +dispeoplement +dispeopler +dispeopling +dyspepsy +dyspepsia +dyspepsias +dyspepsies +dyspeptic +dyspeptical +dyspeptically +dyspeptics +disperato +dispergate +dispergated +dispergating +dispergation +dispergator +disperge +dispericraniate +disperiwig +dispermy +dispermic +dispermous +disperple +dispersal +dispersals +dispersant +disperse +dispersed +dispersedelement +dispersedye +dispersedly +dispersedness +dispersement +disperser +dispersers +disperses +dispersibility +dispersible +dispersing +Dispersion +dispersions +dispersity +dispersive +dispersively +dispersiveness +dispersoid +dispersoidology +dispersoidological +dispersonalize +dispersonate +dispersonify +dispersonification +dispetal +dysphagia +dysphagic +dysphasia +dysphasic +dysphemia +dysphemism +dysphemistic +dysphemize +dysphemized +disphenoid +dysphonia +dysphonic +dysphoria +dysphoric +dysphotic +dysphrasia +dysphrenia +dispicion +dispiece +dispirem +dispireme +dispirit +dispirited +dispiritedly +dispiritedness +dispiriting +dispiritingly +dispiritment +dispirits +dispiteous +dispiteously +dispiteousness +dyspituitarism +displace +displaceability +displaceable +displaced +displacement +displacements +displacement's +displacency +displacer +displaces +displacing +display +displayable +displayed +displayer +displaying +displays +displant +displanted +displanting +displants +dysplasia +dysplastic +displat +disple +displeasance +displeasant +displease +displeased +displeasedly +displeaser +displeases +displeasing +displeasingly +displeasingness +displeasurable +displeasurably +displeasure +displeasureable +displeasureably +displeasured +displeasurement +displeasures +displeasuring +displenish +displicence +displicency +displode +disploded +displodes +disploding +displosion +displume +displumed +displumes +displuming +displuviate +dyspnea +dyspneal +dyspneas +dyspneic +dyspnoea +dyspnoeal +dyspnoeas +dyspnoeic +dyspnoi +dyspnoic +dispoint +dispond +dispondaic +dispondee +dispone +disponed +disponee +disponent +disponer +disponge +disponing +dispope +dispopularize +dysporomorph +disporous +disport +disported +disporting +disportive +disportment +disports +Disporum +disposability +disposable +disposableness +disposal +disposals +disposal's +dispose +disposed +disposedly +disposedness +disposement +disposer +disposers +disposes +disposing +disposingly +disposit +disposition +dispositional +dispositionally +dispositioned +dispositions +disposition's +dispositive +dispositively +dispositor +dispossed +dispossess +dispossessed +dispossesses +dispossessing +dispossession +dispossessions +dispossessor +dispossessory +dispost +disposure +dispowder +dispractice +dispraise +dispraised +dispraiser +dispraising +dispraisingly +dyspraxia +dispread +dispreader +dispreading +dispreads +disprejudice +disprepare +dispress +disprince +disprison +disprivacied +disprivilege +disprize +disprized +disprizes +disprizing +disprobabilization +disprobabilize +disprobative +disprofess +disprofit +disprofitable +dispromise +disproof +disproofs +disproperty +disproportion +disproportionable +disproportionableness +disproportionably +disproportional +disproportionality +disproportionally +disproportionalness +disproportionate +disproportionately +disproportionateness +disproportionates +disproportionation +disproportions +dispropriate +dysprosia +dysprosium +disprovable +disproval +disprove +disproved +disprovement +disproven +disprover +disproves +disprovide +disproving +dispulp +dispunct +dispunge +dispunishable +dispunitive +dispurpose +dispurse +dispurvey +disputability +disputable +disputableness +disputably +disputacity +disputant +Disputanta +disputants +disputation +disputations +disputatious +disputatiously +disputatiousness +disputative +disputatively +disputativeness +disputator +dispute +disputed +disputeful +disputeless +disputer +disputers +disputes +disputing +disputisoun +disqualify +disqualifiable +disqualification +disqualifications +disqualified +disqualifies +disqualifying +disquantity +disquarter +disquiet +disquieted +disquietedly +disquietedness +disquieten +disquieter +disquieting +disquietingly +disquietingness +disquietly +disquietness +disquiets +disquietude +disquietudes +disquiparancy +disquiparant +disquiparation +disquisit +disquisite +disquisited +disquisiting +disquisition +disquisitional +disquisitionary +disquisitions +disquisitive +disquisitively +disquisitor +disquisitory +disquisitorial +disquixote +Disraeli +disray +disrange +disrank +dysraphia +disrate +disrated +disrates +disrating +disrealize +disreason +disrecommendation +disregard +disregardable +disregardance +disregardant +disregarded +disregarder +disregardful +disregardfully +disregardfulness +disregarding +disregards +disregular +disrelate +disrelated +disrelation +disrelish +disrelishable +disremember +disrepair +disrepairs +disreport +disreputability +disreputable +disreputableness +disreputably +disreputation +disrepute +disreputed +disreputes +disrespect +disrespectability +disrespectable +disrespecter +disrespectful +disrespectfully +disrespectfulness +disrespective +disrespects +disrespondency +disrest +disrestore +disreverence +dysrhythmia +disring +disrobe +disrobed +disrobement +disrober +disrobers +disrobes +disrobing +disroof +disroost +disroot +disrooted +disrooting +disroots +disrout +disrudder +disruddered +disruly +disrump +disrupt +disruptability +disruptable +disrupted +disrupter +disrupting +disruption +disruptionist +disruptions +disruption's +disruptive +disruptively +disruptiveness +disruptment +disruptor +disrupts +disrupture +diss +dissait +dissatisfaction +dissatisfactions +dissatisfaction's +dissatisfactory +dissatisfactorily +dissatisfactoriness +dissatisfy +dissatisfied +dissatisfiedly +dissatisfiedness +dissatisfies +dissatisfying +dissatisfyingly +dissaturate +dissava +dissavage +dissave +dissaved +dissaves +dissaving +dissavs +disscepter +dissceptered +dissceptre +dissceptred +dissceptring +disscussive +disseason +disseat +disseated +disseating +disseats +dissect +dissected +dissectible +dissecting +dissection +dissectional +dissections +dissective +dissector +dissectors +dissects +disseise +disseised +disseisee +disseises +disseisin +disseising +disseisor +disseisoress +disseize +disseized +disseizee +disseizes +disseizin +disseizing +disseizor +disseizoress +disseizure +disselboom +dissel-boom +dissemblance +dissemble +dissembled +dissembler +dissemblers +dissembles +dissembly +dissemblies +dissembling +dissemblingly +dissemilative +disseminate +disseminated +disseminates +disseminating +dissemination +disseminations +disseminative +disseminator +disseminule +dissension +dissensions +dissension's +dissensious +dissensualize +dissent +dissentaneous +dissentaneousness +dissentation +dissented +Dissenter +dissenterism +dissenters +dissentiate +dissentience +dissentiency +dissentient +dissentiently +dissentients +dissenting +dissentingly +dissention +dissentions +dissentious +dissentiously +dissentism +dissentive +dissentment +dissents +dissepiment +dissepimental +dissert +dissertate +dissertated +dissertating +dissertation +dissertational +dissertationist +dissertations +dissertation's +dissertative +dissertator +disserted +disserting +disserts +disserve +disserved +disserves +disservice +disserviceable +disserviceableness +disserviceably +disservices +disserving +dissettle +dissettlement +dissever +disseverance +disseveration +dissevered +dissevering +disseverment +dissevers +disshadow +dissheathe +dissheathed +disship +disshiver +disshroud +dissidence +dissidences +dissident +dissidently +dissidents +dissident's +dissight +dissightly +dissilience +dissiliency +dissilient +dissilition +dissyllabic +dissyllabify +dissyllabification +dissyllabise +dissyllabised +dissyllabising +dissyllabism +dissyllabize +dissyllabized +dissyllabizing +dissyllable +dissimilar +dissimilarity +dissimilarities +dissimilarity's +dissimilarly +dissimilars +dissimilate +dissimilated +dissimilating +dissimilation +dissimilative +dissimilatory +dissimile +dissimilitude +dissymmetry +dissymmetric +dissymmetrical +dissymmetrically +dissymmettric +dissympathy +dissympathize +dissimulate +dissimulated +dissimulates +dissimulating +dissimulation +dissimulations +dissimulative +dissimulator +dissimulators +dissimule +dissimuler +dyssynergy +dyssynergia +dissinew +dissipable +dissipate +dissipated +dissipatedly +dissipatedness +dissipater +dissipaters +dissipates +dissipating +dissipation +dissipations +dissipative +dissipativity +dissipator +dissipators +dyssystole +dissite +disslander +dyssnite +dissociability +dissociable +dissociableness +dissociably +dissocial +dissociality +dissocialize +dissociant +dissociate +dissociated +dissociates +dissociating +dissociation +dissociations +dissociative +dissoconch +Dyssodia +dissogeny +dissogony +dissolubility +dissoluble +dissolubleness +dissolute +dissolutely +dissoluteness +dissolution +dissolutional +dissolutionism +dissolutionist +dissolutions +dissolution's +dissolutive +dissolvability +dissolvable +dissolvableness +dissolvative +dissolve +dissolveability +dissolved +dissolvent +dissolver +dissolves +dissolving +dissolvingly +dissonance +dissonances +dissonancy +dissonancies +dissonant +dissonantly +dissonate +dissonous +dissoul +dissour +dysspermatism +disspirit +disspread +disspreading +disstate +dissuadable +dissuade +dissuaded +dissuader +dissuades +dissuading +dissuasion +dissuasions +dissuasive +dissuasively +dissuasiveness +dissuasory +dissue +dissuit +dissuitable +dissuited +dissunder +dissweeten +dist +dist. +distad +distaff +distaffs +distain +distained +distaining +distains +distal +distale +distalia +distally +distalwards +distance +distanced +distanceless +distances +distancy +distancing +distannic +distant +distantly +distantness +distaste +distasted +distasteful +distastefully +distastefulness +distastes +distasting +distater +distaves +dystaxia +dystaxias +dystectic +dysteleology +dysteleological +dysteleologically +dysteleologist +distelfink +distemonous +distemper +distemperance +distemperate +distemperature +distempered +distemperedly +distemperedness +distemperer +distempering +distemperment +distemperoid +distempers +distemperure +distenant +distend +distended +distendedly +distendedness +distender +distending +distends +distensibility +distensibilities +distensible +distensile +distension +distensions +distensive +distent +distention +distentions +dister +disterminate +disterr +disthene +dysthymia +dysthymic +dysthyroidism +disthrall +disthrone +disthroned +disthroning +disty +distich +distichal +distichiasis +Distichlis +distichous +distichously +distichs +distil +distylar +distyle +distilery +distileries +distill +distillable +distillage +distilland +distillate +distillates +distillation +distillations +distillator +distillatory +distilled +distiller +distillery +distilleries +distillers +distilling +distillment +distillmint +distills +distilment +distils +distinct +distincter +distinctest +distinctify +distinctio +distinction +distinctional +distinctionless +distinctions +distinction's +distinctity +distinctive +distinctively +distinctiveness +distinctivenesses +distinctly +distinctness +distinctnesses +distinctor +distingu +distingue +distinguee +distinguish +distinguishability +distinguishable +distinguishableness +distinguishably +distinguished +distinguishedly +distinguisher +distinguishes +distinguishing +distinguishingly +distinguishment +distintion +distitle +distn +dystocia +dystocial +dystocias +distoclusion +Distoma +Distomatidae +distomatosis +distomatous +distome +dystome +distomes +distomian +distomiasis +dystomic +Distomidae +dystomous +Distomum +dystonia +dystonias +dystonic +disto-occlusion +dystopia +dystopian +dystopias +distort +distortable +distorted +distortedly +distortedness +distorter +distorters +distorting +distortion +distortional +distortionist +distortionless +distortions +distortion's +distortive +distorts +distr +distr. +distract +distracted +distractedly +distractedness +distracter +distractibility +distractible +distractile +distracting +distractingly +distraction +distractions +distraction's +distractive +distractively +distracts +distrail +distrain +distrainable +distrained +distrainee +distrainer +distraining +distrainment +distrainor +distrains +distraint +distrait +distraite +distraught +distraughted +distraughtly +distream +distress +distressed +distressedly +distressedness +distresses +distressful +distressfully +distressfulness +distressing +distressingly +distrest +distributable +distributary +distributaries +distribute +distributed +distributedly +distributee +distributer +distributes +distributing +distribution +distributional +distributionist +distributions +distribution's +distributival +distributive +distributively +distributiveness +distributivity +distributor +distributors +distributor's +distributorship +distributress +distributution +district +districted +districting +distriction +districtly +districts +district's +distringas +distritbute +distritbuted +distritbutes +distritbuting +distrito +distritos +distrix +dystrophy +dystrophia +dystrophic +dystrophies +distrouble +distrouser +distruss +distrust +distrusted +distruster +distrustful +distrustfully +distrustfulness +distrusting +distrustingly +distrusts +distune +disturb +disturbance +disturbances +disturbance's +disturbant +disturbation +disturbative +disturbed +disturbedly +disturber +disturbers +disturbing +disturbingly +disturbor +disturbs +dis-turk +disturn +disturnpike +disubstituted +disubstitution +disulfate +disulfid +disulfide +disulfids +disulfiram +disulfonic +disulfoton +disulfoxid +disulfoxide +disulfuret +disulfuric +disulphate +disulphid +disulphide +disulpho- +disulphonate +disulphone +disulphonic +disulphoxid +disulphoxide +disulphuret +disulphuric +disunify +disunified +disunifying +disuniform +disuniformity +disunion +disunionism +disunionist +disunions +disunite +disunited +disuniter +disuniters +disunites +disunity +disunities +disuniting +dysury +dysuria +dysurias +dysuric +disusage +disusance +disuse +disused +disuses +disusing +disutility +disutilize +disvaluation +disvalue +disvalued +disvalues +disvaluing +disvantage +disvelop +disventure +disvertebrate +disvisage +disvisor +disvoice +disvouch +disvulnerability +diswarn +diswarren +diswarrened +diswarrening +diswashing +disweapon +diswench +diswere +diswit +diswont +diswood +disworkmanship +disworship +disworth +dit +Dita +dital +ditali +ditalini +ditas +ditation +ditch +ditchbank +ditchbur +ditch-delivered +ditchdigger +ditchdigging +ditchdown +ditch-drawn +ditched +ditcher +ditchers +ditches +ditching +ditchless +ditch-moss +ditch's +ditchside +ditchwater +dite +diter +diterpene +ditertiary +dites +ditetragonal +ditetrahedral +dithalous +dithecal +dithecous +ditheism +ditheisms +ditheist +ditheistic +ditheistical +ditheists +dithematic +dither +dithered +ditherer +dithery +dithering +dithers +dithymol +dithiobenzoic +dithioglycol +dithioic +dithiol +dithion +dithionate +dithionic +dithionite +dithionous +dithyramb +dithyrambic +dithyrambically +Dithyrambos +dithyrambs +Dithyrambus +diting +dition +dytiscid +Dytiscidae +Dytiscus +Ditmars +Ditmore +ditokous +ditolyl +ditone +ditrematous +ditremid +Ditremidae +di-tri- +ditrichotomous +ditriglyph +ditriglyphic +ditrigonal +ditrigonally +Ditrocha +ditrochean +ditrochee +ditrochous +ditroite +dits +ditsy +ditsier +ditsiest +ditt +dittay +dittamy +dittander +dittany +dittanies +ditted +Ditter +Dittersdorf +ditty +ditty-bag +dittied +ditties +dittying +ditting +Dittman +Dittmer +Ditto +dittoed +dittoes +dittogram +dittograph +dittography +dittographic +dittoing +dittology +dittologies +ditton +dittos +Dituri +Ditzel +ditzy +ditzier +ditziest +DIU +Dyula +diumvirate +Dyun +diuranate +diureide +diureses +diuresis +diuretic +diuretical +diuretically +diureticalness +diuretics +Diuril +diurn +Diurna +diurnal +diurnally +diurnalness +diurnals +diurnation +diurne +diurnule +diuron +diurons +Diushambe +Dyushambe +diuturnal +diuturnity +DIV +div. +diva +divagate +divagated +divagates +divagating +divagation +divagational +divagationally +divagations +divagatory +divalence +divalent +Divali +divan +divans +divan's +divaporation +divariant +divaricate +divaricated +divaricately +divaricating +divaricatingly +divarication +divaricator +divas +divast +divata +dive +divebomb +dive-bomb +dive-bombing +dived +dive-dap +dive-dapper +divekeeper +divel +divell +divelled +divellent +divellicate +divelling +Diver +diverb +diverberate +diverge +diverged +divergement +divergence +divergences +divergence's +divergency +divergencies +divergenge +divergent +divergently +diverges +diverging +divergingly +Divernon +divers +divers-colored +diverse +diverse-colored +diversely +diverse-natured +diverseness +diverse-shaped +diversi- +diversicolored +diversify +diversifiability +diversifiable +diversification +diversifications +diversified +diversifier +diversifies +diversifying +diversiflorate +diversiflorous +diversifoliate +diversifolious +diversiform +diversion +diversional +diversionary +diversionist +diversions +diversipedate +diversisporous +diversity +diversities +diversly +diversory +divert +diverted +divertedly +diverter +diverters +divertibility +divertible +diverticle +diverticula +diverticular +diverticulate +diverticulitis +diverticulosis +diverticulum +divertila +divertimenti +divertimento +divertimentos +diverting +divertingly +divertingness +divertise +divertisement +divertissant +divertissement +divertissements +divertive +divertor +diverts +Dives +divest +divested +divestible +divesting +divestitive +divestiture +divestitures +divestment +divests +divesture +divet +divi +divia +divid +dividable +dividableness +dividant +divide +divided +dividedly +dividedness +dividend +dividends +dividend's +dividendus +divident +divider +dividers +divides +dividing +dividingly +divi-divi +dividivis +dividual +dividualism +dividually +dividuity +dividuous +divinability +divinable +divinail +divination +divinations +divinator +divinatory +Divine +divined +divine-human +divinely +divineness +diviner +divineress +diviners +divines +divinesse +divinest +diving +divinify +divinified +divinifying +divinyl +divining +diviningly +divinisation +divinise +divinised +divinises +divinising +divinister +divinistre +divinity +divinities +divinity's +divinityship +divinization +divinize +divinized +divinizes +divinizing +divisa +divise +divisi +divisibility +divisibilities +divisible +divisibleness +divisibly +Division +divisional +divisionally +divisionary +Divisionism +Divisionist +divisionistic +divisions +division's +divisive +divisively +divisiveness +divisor +divisory +divisorial +divisors +divisor's +divisural +divorce +divorceable +divorced +divorcee +divorcees +divorcement +divorcements +divorcer +divorcers +divorces +divorceuse +divorcible +divorcing +divorcive +divort +divot +divoto +divots +dyvour +dyvours +divulgate +divulgated +divulgater +divulgating +divulgation +divulgator +divulgatory +divulge +divulged +divulgement +divulgence +divulgences +divulger +divulgers +divulges +divulging +divulse +divulsed +divulsing +divulsion +divulsive +divulsor +divus +Divvers +divvy +divvied +divvies +divvying +Diwali +diwan +diwani +diwans +diwata +DIX +dixain +dixenite +Dixfield +dixy +Dixiana +Dixie +Dixiecrat +Dixiecratic +Dixieland +Dixielander +dixies +Dixil +dixit +dixits +Dixmont +Dixmoor +Dixon +Dixonville +dizain +dizaine +dizdar +dizen +dizened +dizening +dizenment +dizens +dizygotic +dizygous +Dizney +dizoic +dizz +dizzard +dizzardly +dizzen +dizzy +dizzied +dizzier +dizzies +dizziest +dizzying +dizzyingly +dizzily +dizziness +DJ +dj- +Djagatay +djagoong +Djailolo +Djaja +Djajapura +Djakarta +djalmaite +Djambi +djasakid +djave +djebel +djebels +djehad +djelab +djelfa +djellab +djellaba +djellabah +djellabas +Djeloula +Djemas +Djerba +djerib +djersa +djibbah +Djibouti +Djilas +djin +djinn +djinni +djinny +djinns +djins +Djokjakarta +DJS +DJT +Djuka +DK +dk. +dkg +dkl +dkm +dks +dl +DLA +DLC +DLCU +DLE +DLG +DLI +DLitt +DLL +DLO +DLP +dlr +dlr. +DLS +DLTU +DLUPG +dlvy +dlvy. +DM +DMA +dmarche +DMD +DMDT +DME +DMI +Dmitrevsk +Dmitri +Dmitriev +Dmitrov +Dmitrovka +DMK +DML +dmod +DMOS +DMS +DMSO +DMSP +DMT +DMU +DMus +DMV +DMZ +DN +DNA +Dnaburg +DNB +DNC +DNCRI +Dnepr +Dneprodzerzhinsk +Dnepropetrovsk +Dnestr +DNHR +DNI +DNIC +Dnieper +Dniester +Dniren +Dnitz +DNL +D-notice +DNR +DNS +DNX +DO +do. +DOA +doab +doability +doable +Doak +do-all +doand +Doane +Doanna +doarium +doat +doated +doater +doaty +doating +doatish +doats +DOB +Dobb +dobbed +dobber +dobber-in +dobbers +dobby +dobbie +dobbies +Dobbin +dobbing +Dobbins +Dobbs +dobchick +dobe +doberman +dobermans +doby +Dobie +dobies +dobl +dobla +doblas +Doble +Doblin +doblon +doblones +doblons +dobos +dobra +dobrao +dobras +Dobrynin +Dobrinsky +Dobro +dobroes +Dobrogea +Dobrovir +Dobruja +Dobson +dobsonfly +dobsonflies +dobsons +Dobuan +Dobuans +dobule +dobzhansky +DOC +doc. +Docena +docent +docents +docentship +Docetae +Docetic +Docetically +Docetism +Docetist +Docetistic +Docetize +doch-an-dorrach +doch-an-dorris +doch-an-dorroch +dochmiac +dochmiacal +dochmiasis +dochmii +dochmius +dochter +Docia +docibility +docible +docibleness +Docila +Docile +docilely +docility +docilities +Docilla +Docilu +docimasy +docimasia +docimasies +docimastic +docimastical +docimology +docious +docity +dock +dockage +dockages +docked +docken +docker +dockers +docket +docketed +docketing +dockets +dockhand +dockhands +dockhead +dockhouse +dockyard +dockyardman +dockyards +docking +dockization +dockize +dockland +docklands +dock-leaved +dockmackie +dockman +dockmaster +docks +dockside +docksides +dock-tailed +dock-walloper +dock-walloping +dockworker +dockworkers +docmac +Docoglossa +docoglossan +docoglossate +docosane +docosanoic +docquet +DOCS +Doctor +doctoral +doctorally +doctorate +doctorates +doctorate's +doctorbird +doctordom +doctored +doctoress +doctorfish +doctorfishes +doctorhood +doctorial +doctorially +doctoring +doctorization +doctorize +doctorless +doctorly +doctorlike +doctors +doctors'commons +doctorship +doctress +doctrinable +doctrinaire +doctrinairism +doctrinal +doctrinalism +doctrinalist +doctrinality +doctrinally +doctrinary +doctrinarian +doctrinarianism +doctrinarily +doctrinarity +doctrinate +doctrine +doctrines +doctrine's +doctrinism +doctrinist +doctrinization +doctrinize +doctrinized +doctrinizing +doctrix +doctus +docudrama +docudramas +document +documentable +documental +documentalist +documentary +documentarian +documentaries +documentarily +documentary's +documentarist +documentation +documentational +documentations +documentation's +documented +documenter +documenters +documenting +documentize +documentor +documents +DOD +do-dad +Dodd +doddard +doddart +dodded +dodder +doddered +dodderer +dodderers +doddery +doddering +dodders +doddy +doddie +doddies +dodding +doddypoll +doddle +Dodds +Doddsville +Dode +dodeca- +dodecade +dodecadrachm +dodecafid +dodecagon +dodecagonal +dodecaheddra +dodecahedra +dodecahedral +dodecahedric +dodecahedron +dodecahedrons +dodecahydrate +dodecahydrated +dodecamerous +dodecanal +dodecane +Dodecanese +Dodecanesian +dodecanoic +dodecant +dodecapartite +dodecapetalous +dodecaphony +dodecaphonic +dodecaphonically +dodecaphonism +dodecaphonist +dodecarch +dodecarchy +dodecasemic +dodecasyllabic +dodecasyllable +dodecastylar +dodecastyle +dodecastylos +dodecatemory +Dodecatheon +dodecatyl +dodecatylic +dodecatoic +dodecyl +dodecylene +dodecylic +dodecylphenol +dodecuplet +dodgasted +Dodge +dodged +dodgeful +Dodgem +dodgems +dodger +dodgery +dodgeries +dodgers +dodges +Dodgeville +dodgy +dodgier +dodgiest +dodgily +dodginess +dodging +Dodgson +Dodi +Dody +Dodie +dodipole +dodkin +dodlet +dodman +dodo +dodoes +dodoism +dodoisms +Dodoma +Dodona +Dodonaea +Dodonaeaceae +Dodonaean +dodonaena +Dodonean +Dodonian +dodos +dodrans +dodrantal +dods +Dodson +Dodsworth +dodunk +Dodwell +DOE +doebird +Doedicurus +Doeg +doeglic +doegling +Doehne +doek +doeling +Doelling +Doenitz +doer +Doerrer +doers +Doersten +Doerun +does +doeskin +doeskins +doesn +doesnt +doesn't +doest +doeth +doeuvre +d'oeuvre +doff +doffed +doffer +doffers +doffing +doffs +doftberry +dofunny +do-funny +dog +dogal +dogana +dogaressa +dogate +dogbane +dogbanes +dog-banner +Dogberry +Dogberrydom +dogberries +Dogberryism +Dogberrys +dogbite +dog-bitten +dogblow +dogboat +dogbody +dogbodies +dogbolt +dog-bramble +dog-brier +dogbush +dogcart +dog-cart +dogcarts +dogcatcher +dog-catcher +dogcatchers +dog-cheap +dog-days +dogdom +dogdoms +dog-draw +dog-drawn +dog-driven +Doge +dogear +dog-ear +dogeared +dog-eared +dogears +dog-eat-dog +dogedom +dogedoms +dogey +dog-eyed +dogeys +dogeless +dog-end +doges +dogeship +dogeships +dogface +dog-faced +dogfaces +dogfall +dogfennel +dog-fennel +dogfight +dogfighting +dogfights +dogfish +dog-fish +dog-fisher +dogfishes +dog-fly +dogfoot +dog-footed +dogfought +dog-fox +dogged +doggedly +doggedness +Dogger +doggerel +doggereled +doggereler +doggerelism +doggerelist +doggerelize +doggerelizer +doggerelizing +doggerelled +doggerelling +doggerels +doggery +doggeries +doggers +doggess +dogget +Doggett +doggy +doggie +doggier +doggies +doggiest +dogging +doggish +doggishly +doggishness +doggle +dog-gnawn +doggo +doggone +dog-gone +doggoned +doggoneder +doggonedest +doggoner +doggones +doggonest +doggoning +dog-grass +doggrel +doggrelize +doggrels +doghead +dog-head +dog-headed +doghearted +doghole +dog-hole +doghood +dog-hook +doghouse +doghouses +dog-hungry +dog-hutch +dogy +dogie +dogies +dog-in-the-manger +dog-keeping +dog-lame +dog-latin +dog-lean +dog-leaved +dog-leech +dogleg +dog-leg +doglegged +dog-legged +doglegging +doglegs +dogless +dogly +doglike +dogma +dog-mad +dogman +dogmas +dogma's +dogmata +dogmatic +dogmatical +dogmatically +dogmaticalness +dogmatician +dogmatics +dogmatisation +dogmatise +dogmatised +dogmatiser +dogmatising +dogmatism +dogmatisms +dogmatist +dogmatists +dogmatization +dogmatize +dogmatized +dogmatizer +dogmatizing +dogmeat +dogmen +dogmouth +dog-nail +dognap +dognaped +dognaper +dognapers +dognaping +dognapped +dognapper +dognapping +dognaps +do-good +do-gooder +do-goodism +dog-owning +dog-paddle +dog-paddled +dog-paddling +Dogpatch +dogplate +dog-plum +dog-poor +dogproof +Dogra +Dogrib +dog-rose +Dogs +dog's +dog's-bane +dogsbody +dogsbodies +dog's-ear +dog's-eared +dogship +dogshore +dog-shore +dog-sick +dogskin +dog-skin +dogsled +dogsleds +dogsleep +dog-sleep +dog's-meat +dogstail +dog's-tail +dog-star +dogstone +dog-stone +dogstones +dog's-tongue +dog's-tooth +dog-stopper +dogtail +dogteeth +dogtie +dog-tired +dog-toes +dogtooth +dog-tooth +dog-toothed +dogtoothing +dog-tree +dogtrick +dog-trick +dogtrot +dog-trot +dogtrots +dogtrotted +dogtrotting +Dogue +dogvane +dog-vane +dogvanes +dog-violet +dogwatch +dog-watch +dogwatches +dog-weary +dog-whelk +dogwinkle +dogwood +dogwoods +doh +Doha +DOHC +Doherty +dohickey +Dohnanyi +Dohnnyi +dohter +Doi +Doy +doyen +doyenne +doyennes +doyens +Doig +doigt +doigte +Doykos +Doyle +doiled +doyley +doyleys +Doylestown +doily +doyly +doilies +doylies +Doyline +doylt +doina +doing +doings +Doyon +Doisy +doyst +doit +doited +do-it-yourself +do-it-yourselfer +doitkin +doitrified +doits +DOJ +dojigger +dojiggy +dojo +dojos +doke +Doketic +Doketism +dokhma +dokimastic +Dokmarok +Doko +Dol +dol. +Dola +dolabra +dolabrate +dolabre +dolabriform +Dolan +Doland +Dolby +dolcan +dolce +dolcemente +dolci +dolcian +dolciano +dolcinist +dolcino +dolcissimo +doldrum +doldrums +Dole +doleance +doled +dolefish +doleful +dolefuller +dolefullest +dolefully +dolefulness +dolefuls +Doley +dolent +dolente +dolentissimo +dolently +dolerin +dolerite +dolerites +doleritic +dolerophanite +doles +dolesman +dolesome +dolesomely +dolesomeness +doless +Dolf +Dolgeville +Dolhenty +doli +dolia +dolich- +dolichoblond +dolichocephal +dolichocephali +dolichocephaly +dolichocephalic +dolichocephalism +dolichocephalize +dolichocephalous +dolichocercic +dolichocnemic +dolichocrany +dolichocranial +dolichocranic +dolichofacial +Dolichoglossus +dolichohieric +Dolicholus +dolichopellic +dolichopodous +dolichoprosopic +Dolichopsyllidae +Dolichos +dolichosaur +Dolichosauri +Dolichosauria +Dolichosaurus +Dolichosoma +dolichostylous +dolichotmema +dolichuric +dolichurus +Doliidae +Dolin +dolina +doline +doling +dolioform +Doliolidae +Doliolum +dolisie +dolite +dolittle +do-little +dolium +Dolius +Doll +Dollar +dollarbird +dollardee +dollardom +dollarfish +dollarfishes +dollarleaf +dollars +dollarwise +dollbeer +dolldom +dolled +Dolley +dollface +dollfaced +doll-faced +dollfish +Dollfuss +dollhood +dollhouse +dollhouses +Dolli +Dolly +dollia +Dollie +dollied +dollier +dollies +dolly-head +dollying +dollyman +dollymen +dolly-mop +dollin +dolliness +dolling +Dollinger +dolly's +dollish +dollishly +dollishness +Dolliver +dollyway +doll-like +dollmaker +dollmaking +Dolloff +Dollond +dollop +dolloped +dollops +dolls +doll's +dollship +dolma +dolmades +dolman +dolmans +dolmas +dolmen +dolmenic +dolmens +Dolmetsch +Dolomedes +dolomite +Dolomites +dolomitic +dolomitise +dolomitised +dolomitising +dolomitization +dolomitize +dolomitized +dolomitizing +dolomization +dolomize +Dolon +Dolophine +dolor +Dolora +Dolores +doloriferous +dolorific +dolorifuge +dolorimeter +dolorimetry +dolorimetric +dolorimetrically +Dolorita +Doloritas +dolorogenic +doloroso +dolorous +dolorously +dolorousness +dolors +dolos +dolose +dolour +dolours +dolous +Dolph +Dolphin +dolphinfish +dolphinfishes +dolphin-flower +dolphinlike +dolphins +dolphin's +Dolphus +dols +dolt +dolthead +doltish +doltishly +doltishness +Dolton +dolts +dolus +dolven +dom +Dom. +domable +domage +Domagk +DOMAIN +domainal +domains +domain's +domajig +domajigger +domal +domanial +Domash +domatium +domatophobia +domba +Dombeya +domboc +Dombrowski +Domdaniel +dome +domed +domeykite +Domel +Domela +domelike +Domella +Domenech +Domenic +Domenick +Domenico +Domeniga +Domenikos +doment +domer +domes +domes-booke +Domesday +domesdays +dome-shaped +domestic +domesticability +domesticable +domesticality +domestically +domesticate +domesticated +domesticates +domesticating +domestication +domestications +domesticative +domesticator +domesticity +domesticities +domesticize +domesticized +domestics +Domett +domy +domic +domical +domically +Domicella +domicil +domicile +domiciled +domicilement +domiciles +domiciliar +domiciliary +domiciliate +domiciliated +domiciliating +domiciliation +domicilii +domiciling +domicils +domiculture +domify +domification +Domina +dominae +dominance +dominances +dominancy +dominant +dominantly +dominants +dominate +dominated +dominates +dominating +dominatingly +domination +dominations +dominative +dominator +dominators +domine +Domineca +dominee +domineer +domineered +domineerer +domineering +domineeringly +domineeringness +domineers +domines +doming +Dominga +Domingo +Domini +Dominy +dominial +Dominic +Dominica +dominical +dominicale +Dominican +dominicans +Dominick +dominicker +dominicks +dominie +dominies +Dominik +Dominikus +dominion +dominionism +dominionist +dominions +Dominique +dominium +dominiums +Domino +dominoes +dominos +dominule +Dominus +domitable +domite +Domitian +domitic +domn +domnei +Domnus +domoid +Domonic +Domph +dompt +dompteuse +Domremy +Domremy-la-Pucelle +Domrmy-la-Pucelle +doms +domus +Don +Dona +Donaana +donable +Donacidae +donaciform +donack +Donadee +Donaghue +Donahoe +Donahue +Donal +Donald +Donalda +Donalds +Donaldson +Donaldsonville +Donall +Donalsonville +Donalt +Donar +donary +donaries +donas +donat +Donata +donatary +donataries +donate +donated +donatee +Donatelli +Donatello +donates +Donati +Donatiaceae +donating +donatio +donation +donationes +donations +Donatism +Donatist +Donatistic +Donatistical +donative +donatively +donatives +Donato +donator +donatory +donatories +donators +donatress +Donatus +Donau +Donaugh +do-naught +Donavon +donax +Donbass +Doncaster +doncella +doncy +dondaine +Dondi +Dondia +dondine +done +donec +Doneck +donee +donees +Donegal +Donegan +doney +Donela +Donell +Donella +Donelle +Donelson +Donelu +doneness +donenesses +Doner +Donet +Donets +Donetsk +Donetta +Dong +donga +dongas +donging +Dongola +dongolas +Dongolese +dongon +dongs +doni +Donia +Donica +donicker +Donie +Donielle +Doniphan +donis +Donizetti +donjon +donjons +donk +donkey +donkeyback +donkey-drawn +donkey-eared +donkeyish +donkeyism +donkeyman +donkeymen +donkeys +donkey's +donkeywork +donkey-work +Donmeh +Donn +Donna +Donnamarie +donnard +donnas +Donne +donned +donnee +donnees +Donnell +Donnelly +Donnellson +Donnelsville +Donnenfeld +Donner +donnerd +donnered +donnert +Donni +Donny +donnybrook +donnybrooks +donnick +Donnie +donning +donnish +donnishly +donnishness +donnism +donnock +donnot +Donoghue +Donoho +Donohue +donor +Donora +donors +donorship +do-nothing +do-nothingism +do-nothingness +Donough +donought +do-nought +Donovan +dons +donship +donsy +donsie +donsky +dont +don't +don'ts +donum +Donus +donut +donuts +donzel +donzella +donzels +doo +doob +doocot +doodab +doodad +doodads +doodah +Doodia +doodle +doodlebug +doodled +doodler +doodlers +doodles +doodlesack +doodling +doodskop +doohickey +doohickeys +doohickus +doohinkey +doohinkus +dooja +dook +dooket +dookit +dool +Doole +doolee +doolees +Dooley +doolfu +dooli +dooly +doolie +doolies +Doolittle +doom +doomage +doombook +doomed +doomer +doomful +doomfully +doomfulness +dooming +doomlike +dooms +doomsayer +Doomsday +doomsdays +doomsman +doomstead +doomster +doomsters +doomwatcher +Doon +Doone +doon-head-clock +dooputty +door +doorba +doorbell +doorbells +doorboy +doorbrand +doorcase +doorcheek +do-or-die +doored +doorframe +doorhawk +doorhead +dooryard +dooryards +dooring +doorjamb +doorjambs +doorkeep +doorkeeper +doorknob +doorknobs +doorless +doorlike +doormaid +doormaker +doormaking +doorman +doormat +doormats +doormen +Doorn +doornail +doornails +doornboom +Doornik +doorpiece +doorplate +doorplates +doorpost +doorposts +door-roller +doors +door's +door-shaped +doorsill +doorsills +doorstead +doorstep +doorsteps +doorstep's +doorstone +doorstop +doorstops +door-to-door +doorway +doorways +doorway's +doorward +doorweed +doorwise +Doostoevsky +doover +do-over +dooxidize +doozer +doozers +doozy +doozie +doozies +DOP +dopa +dopamelanin +dopamine +dopaminergic +dopamines +dopant +dopants +dopaoxidase +dopas +dopatta +dopchick +dope +dopebook +doped +dopehead +dopey +doper +dopers +dopes +dopesheet +dopester +dopesters +dopy +dopier +dopiest +dopiness +dopinesses +doping +Dopp +dopped +Doppelganger +Doppelger +Doppelgnger +doppelkummel +Doppelmayer +Dopper +dopperbird +doppia +dopping +doppio +Doppler +dopplerite +dopster +Dor +Dora +dorab +dorad +Doradidae +doradilla +Dorado +dorados +doray +Doralia +Doralice +Doralin +Doralyn +Doralynn +Doralynne +doralium +DORAN +doraphobia +Dorask +Doraskean +Dorati +Doraville +dorbeetle +dorbel +dorbie +dorbug +dorbugs +Dorca +Dorcas +dorcastry +Dorcatherium +Dorcea +Dorchester +Dorcy +Dorcia +Dorcopsis +Dorcus +Dordogne +Dordrecht +DORE +doree +Doreen +Dorey +Dorelia +Dorella +Dorelle +do-re-mi +Dorena +Dorene +dorestane +Doretta +Dorette +dor-fly +Dorfman +dorhawk +dorhawks +Dori +Dory +Doria +D'Oria +Dorian +Doryanthes +Doric +Dorical +Dorice +Doricism +Doricize +Doriden +Dorididae +Dorie +dories +Dorylinae +doryline +doryman +dorymen +Dorin +Dorina +Dorinda +Dorine +Dorion +doryphoros +doryphorus +dorippid +Doris +Dorisa +Dorise +Dorism +Dorison +Dorita +Doritis +Dorize +dorje +dork +Dorkas +dorky +dorkier +dorkiest +Dorking +dorks +Dorkus +dorlach +Dorlisa +Dorloo +dorlot +dorm +Dorman +dormancy +dormancies +dormant +dormantly +dormer +dormered +dormers +dormer-windowed +dormette +dormeuse +dormy +dormice +dormie +dormient +dormilona +dormin +dormins +dormitary +dormition +dormitive +dormitory +dormitories +dormitory's +dormmice +Dormobile +dormouse +dorms +Dorn +Dornbirn +dorneck +dornecks +dornic +dornick +dornicks +dornock +dornocks +Dornsife +Doro +Dorobo +Dorobos +Dorolice +Dorolisa +Doronicum +dorosacral +doroscentral +Dorosoma +dorosternal +Dorotea +Doroteya +Dorothea +Dorothee +Dorothi +Dorothy +dorp +Dorpat +dorper +dorpers +dorps +Dorr +Dorran +Dorrance +dorrbeetle +Dorree +Dorren +Dorri +Dorry +Dorrie +Dorris +dorrs +dors +dors- +dorsa +dorsabdominal +dorsabdominally +dorsad +dorsal +dorsale +dorsales +dorsalgia +dorsalis +dorsally +dorsalmost +dorsals +dorsalward +dorsalwards +dorse +Dorsey +dorsel +dorsels +dorser +dorsers +Dorset +Dorsetshire +dorsi +Dorsy +dorsi- +dorsibranch +Dorsibranchiata +dorsibranchiate +dorsicollar +dorsicolumn +dorsicommissure +dorsicornu +dorsiduct +dorsiferous +dorsifixed +dorsiflex +dorsiflexion +dorsiflexor +dorsigerous +dorsigrade +dorsilateral +dorsilumbar +dorsimedian +dorsimesal +dorsimeson +dorsiparous +dorsipinal +dorsispinal +dorsiventral +dorsi-ventral +dorsiventrality +dorsiventrally +Dorsman +dorso- +dorsoabdominal +dorsoanterior +dorsoapical +Dorsobranchiata +dorsocaudad +dorsocaudal +dorsocentral +dorsocephalad +dorsocephalic +dorsocervical +dorsocervically +dorsodynia +dorsoepitrochlear +dorsointercostal +dorsointestinal +dorsolateral +dorsolum +dorsolumbar +dorsomedial +dorsomedian +dorsomesal +dorsonasal +dorsonuchal +dorso-occipital +dorsopleural +dorsoposteriad +dorsoposterior +dorsoradial +dorsosacral +dorsoscapular +dorsosternal +dorsothoracic +dorso-ulnar +dorsoventrad +dorsoventral +dorsoventrality +dorsoventrally +Dorstenia +dorsula +dorsulum +dorsum +dorsumbonal +dors-umbonal +Dort +dorter +Dorthea +Dorthy +dorty +Dorticos +dortiness +dortiship +Dortmund +Dorton +dortour +dorts +doruck +Dorus +Dorweiler +Dorwin +DOS +dos- +do's +dosa +dosadh +dos-a-dos +dosage +dosages +dosain +Doscher +dose +dosed +doser +dosers +doses +Dosh +Dosi +Dosia +do-si-do +dosimeter +dosimeters +dosimetry +dosimetric +dosimetrician +dosimetries +dosimetrist +dosing +Dosinia +dosiology +dosis +Dositheans +dosology +Dospalos +Doss +dossal +dossals +dossed +dossel +dossels +dossennus +dosser +dosseret +dosserets +dossers +dosses +dossety +dosshouse +dossy +dossier +dossiere +dossiers +dossil +dossils +dossing +dossman +dossmen +dost +Dostoevski +Dostoevsky +Dostoievski +Dostoyevski +Dostoyevsky +Doswell +DOT +dotage +dotages +dotal +dotant +dotard +dotardy +dotardism +dotardly +dotards +dotarie +dotate +dotation +dotations +dotchin +DOTE +doted +doter +doters +dotes +doth +Dothan +dother +Dothideacea +dothideaceous +Dothideales +Dothidella +dothienenteritis +Dothiorella +Doti +Doty +dotier +dotiest +dotiness +doting +dotingly +dotingness +dotish +dotishness +dotkin +dotless +dotlet +dotlike +Doto +Dotonidae +dotriacontane +DOTS +dot's +dot-sequential +Dotson +Dott +dottard +dotted +dottedness +dottel +dottels +dotter +dotterel +dotterels +dotters +Dotti +Dotty +Dottie +dottier +dottiest +dottily +dottiness +dotting +dottle +dottled +dottler +dottles +dottling +Dottore +dottrel +dottrels +Dou +Douai +Douay +Douala +douane +douanes +douanier +douar +doub +double +double-acting +double-action +double-armed +double-bank +double-banked +double-banker +double-barred +double-barrel +double-barreled +double-barrelled +double-bass +double-battalioned +double-bedded +double-benched +double-biting +double-bitt +double-bitted +double-bladed +double-blind +double-blossomed +double-bodied +double-bottom +double-bottomed +double-branch +double-branched +double-breasted +double-brooded +double-bubble +double-buttoned +double-charge +double-check +double-chinned +double-clasping +double-claw +double-clutch +double-concave +double-convex +double-creme +double-crested +double-crop +double-cropped +double-cropping +doublecross +double-cross +doublecrossed +double-crosser +doublecrosses +doublecrossing +double-crossing +Double-Crostic +double-cupped +double-cut +doubled +Doubleday +doubledamn +double-dare +double-date +double-dated +double-dating +double-dealer +double-dealing +double-deck +double-decked +double-decker +double-declutch +double-dye +double-dyed +double-disk +double-distilled +double-ditched +double-dodge +double-dome +double-doored +double-dotted +double-duty +double-edged +double-eyed +double-ended +double-ender +double-engined +double-face +double-faced +double-facedly +double-facedness +double-fault +double-feature +double-flowered +double-flowering +double-fold +double-footed +double-framed +double-fronted +doubleganger +double-ganger +doublegear +double-gilt +doublehanded +double-handed +doublehandedly +doublehandedness +double-harness +double-hatched +doublehatching +double-head +double-headed +doubleheader +double-header +doubleheaders +doublehearted +double-hearted +doubleheartedness +double-helical +doublehorned +double-horned +doublehung +double-hung +doubleyou +double-ironed +double-jointed +double-keeled +double-knit +double-leaded +doubleleaf +double-line +double-lived +double-livedness +double-loaded +double-loathed +double-lock +doublelunged +double-lunged +double-magnum +double-manned +double-milled +double-minded +double-mindedly +double-mindedness +double-mouthed +double-natured +doubleness +double-O +double-opposed +double-or-nothing +double-Os +double-park +double-pedal +double-piled +double-pointed +double-pored +double-ported +doubleprecision +double-printing +double-prop +double-queue +double-quick +double-quirked +Doubler +double-reed +double-reef +double-reefed +double-refined +double-refracting +double-ripper +double-rivet +double-riveted +double-rooted +doublers +double-runner +doubles +double-scull +double-seater +double-seeing +double-sensed +double-shot +double-sided +double-sidedness +double-sighted +double-slide +double-soled +double-space +double-spaced +double-spacing +doublespeak +double-spun +double-starred +double-stemmed +double-stitch +double-stitched +double-stop +double-stopped +double-stopping +double-strength +double-struck +double-sunk +double-surfaced +double-sworded +doublet +double-tailed +double-talk +double-team +doubleted +doublethink +double-think +doublethinking +double-thong +doublethought +double-thread +double-threaded +double-time +double-timed +double-timing +doubleton +doubletone +double-tongue +double-tongued +double-tonguing +double-tooth +double-track +doubletree +double-trenched +double-trouble +doublets +doublet's +doublette +double-twisted +Double-u +double-visaged +double-voiced +doublewidth +double-windowed +double-winged +doubleword +doublewords +double-work +double-worked +doubly +doubling +doubloon +doubloons +doublure +doublures +Doubs +doubt +doubtable +doubtably +doubtance +doubt-beset +doubt-cherishing +doubt-dispelling +doubted +doubtedly +doubter +doubters +doubt-excluding +doubtful +doubtfully +doubtfulness +doubt-harboring +doubty +doubting +doubtingly +doubtingness +doubtless +doubtlessly +doubtlessness +doubtmonger +doubtous +doubt-ridden +doubts +doubtsome +doubt-sprung +doubt-troubled +douc +douce +doucely +douceness +doucepere +doucet +Doucette +douceur +douceurs +douche +douched +douches +douching +doucin +doucine +doucker +doudle +Douds +Doug +Dougal +Dougald +Dougall +dough +dough-baked +doughbelly +doughbellies +doughbird +dough-bird +doughboy +dough-boy +doughboys +dough-colored +dough-dividing +Dougherty +doughface +dough-face +dough-faced +doughfaceism +doughfeet +doughfoot +doughfoots +doughhead +doughy +doughier +doughiest +doughiness +dough-kneading +doughlike +doughmaker +doughmaking +Doughman +doughmen +dough-mixing +doughnut +doughnuts +doughnut's +doughs +dought +Doughty +doughtier +doughtiest +doughtily +doughtiness +Doughton +dough-trough +Dougy +Dougie +dougl +Douglas +Douglas-Home +Douglass +Douglassville +Douglasville +Doukhobor +Doukhobors +Doukhobortsy +doulce +doulocracy +doum +douma +doumaist +doumas +Doumergue +doums +doundake +doup +do-up +douper +douping +doupion +doupioni +douppioni +dour +doura +dourade +dourah +dourahs +douras +dourer +dourest +douricouli +dourine +dourines +dourly +dourness +dournesses +Douro +douroucouli +Douschka +douse +doused +douser +dousers +douses +dousing +dousing-chock +Dousman +dout +douter +Douty +doutous +douvecot +Douville +Douw +doux +douzaine +douzaines +douzainier +douzeper +douzepers +douzieme +douziemes +DOV +DOVAP +Dove +dove-colored +dovecot +dovecote +dovecotes +dovecots +dove-eyed +doveflower +dovefoot +dove-gray +dovehouse +dovey +dovekey +dovekeys +dovekie +dovekies +dovelet +dovelike +dovelikeness +doveling +doven +dovened +dovening +dovens +Dover +doves +dove-shaped +dovetail +dovetailed +dovetailer +dovetailing +dovetails +dovetail-shaped +dovetailwise +Dovev +doveweed +dovewood +Dovyalis +dovish +dovishness +Dovray +Dovzhenko +DOW +dowable +dowage +dowager +dowagerism +dowagers +Dowagiac +dowcet +dowcote +Dowd +Dowdell +Dowden +dowdy +dowdier +dowdies +dowdiest +dowdyish +dowdyism +dowdily +dowdiness +Dowding +dowed +dowel +doweled +doweling +Dowell +dowelled +dowelling +Dowelltown +dowels +dower +doweral +dowered +doweress +dowery +doweries +dowering +dowerless +dowers +dowf +dowfart +dowhacky +dowy +dowie +Dowieism +Dowieite +dowily +dowiness +dowing +dowitch +dowitcher +dowitchers +dowl +Dowland +dowlas +Dowlen +dowless +dowly +Dowling +dowment +Dowmetal +Down +Downall +down-and-out +down-and-outer +down-at-heel +down-at-heels +downat-the-heel +down-at-the-heel +down-at-the-heels +downbear +downbeard +downbeat +down-beater +downbeats +downbend +downbent +downby +downbye +down-bow +downcast +downcastly +downcastness +downcasts +down-charge +down-coast +downcome +downcomer +downcomes +downcoming +downcourt +down-covered +downcry +downcried +down-crier +downcrying +downcurve +downcurved +down-curving +downcut +downdale +downdraft +down-drag +downdraught +down-draught +Downe +Down-easter +downed +Downey +downer +downers +Downes +downface +downfall +downfallen +downfalling +downfalls +downfeed +downfield +downflow +downfold +downfolded +downgate +downgyved +down-gyved +downgoing +downgone +downgrade +downgraded +downgrades +downgrading +downgrowth +downhanging +downhaul +downhauls +downheaded +downhearted +downheartedly +downheartedness +downhill +downhills +down-hip +down-house +downy +downy-cheeked +downy-clad +downier +downiest +Downieville +downy-feathered +downy-fruited +downily +downiness +Downing +Downingia +Downingtown +down-in-the-mouth +downy-winged +downland +down-lead +downless +downlie +downlier +downligging +downlying +down-lying +downlike +downline +downlink +downlinked +downlinking +downlinks +download +downloadable +downloaded +downloading +downloads +downlooked +downlooker +down-market +downmost +downness +down-payment +Downpatrick +downpipe +downplay +downplayed +downplaying +downplays +downpour +downpouring +downpours +downrange +down-reaching +downright +downrightly +downrightness +downriver +down-river +downrush +downrushing +Downs +downset +downshare +downshift +downshifted +downshifting +downshifts +downshore +downside +downside-up +downsinking +downsitting +downsize +downsized +downsizes +downsizing +downslide +downsliding +downslip +downslope +downsman +down-soft +downsome +downspout +downstage +downstair +downstairs +downstate +downstater +downsteepy +downstream +downstreet +downstroke +downstrokes +Downsville +downswing +downswings +downtake +down-talk +down-the-line +downthrow +downthrown +downthrust +downtick +downtime +downtimes +down-to-date +down-to-earth +down-to-earthness +Downton +downtown +downtowner +downtowns +downtrampling +downtreading +downtrend +down-trending +downtrends +downtrod +downtrodden +downtroddenness +downturn +downturned +downturns +down-valley +downway +downward +downwardly +downwardness +downwards +downwarp +downwash +down-wash +downweed +downweigh +downweight +downweighted +downwind +downwith +dowp +dowress +dowry +dowries +Dows +dowsabel +dowsabels +dowse +dowsed +dowser +dowsers +dowses +dowset +dowsets +dowsing +Dowski +Dowson +dowve +Dowzall +doxa +Doxantha +doxastic +doxasticon +doxy +Doxia +doxycycline +doxie +doxies +doxographer +doxography +doxographical +doxology +doxological +doxologically +doxologies +doxologize +doxologized +doxologizing +doxorubicin +doz +doz. +doze +dozed +dozen +dozened +dozener +dozening +dozens +dozent +dozenth +dozenths +dozer +dozers +dozes +dozy +Dozier +doziest +dozily +doziness +dozinesses +dozing +dozzle +dozzled +DP +DPA +DPAC +DPANS +DPC +DPE +DPH +DPhil +DPI +DPM +DPMI +DPN +DPNH +DPNPH +DPP +DPS +DPSK +dpt +dpt. +DPW +DQ +DQDB +DQL +DR +Dr. +drab +Draba +drabant +drabbed +drabber +drabbest +drabbet +drabbets +drabby +drabbing +drabbish +drabble +drabbled +drabbler +drabbles +drabbletail +drabbletailed +drabbling +drab-breeched +drab-coated +drab-colored +Drabeck +drabler +drably +drabness +drabnesses +drabs +drab-tinted +Dracaena +Dracaenaceae +dracaenas +drachen +drachm +drachma +drachmae +drachmai +drachmal +drachmas +drachms +dracin +dracma +Draco +Dracocephalum +Dracon +dracone +Draconian +Draconianism +Draconic +Draconically +Draconid +draconin +Draconis +Draconism +draconites +draconitic +dracontian +dracontiasis +dracontic +dracontine +dracontites +Dracontium +Dracula +dracunculus +Dracut +drad +dradge +draegerman +draegermen +draff +draffy +draffier +draffiest +Draffin +draffish +draffman +draffs +draffsack +draft +draftable +draftage +drafted +draftee +draftees +drafter +drafters +draft-exempt +drafty +draftier +draftiest +draftily +draftiness +drafting +draftings +draftman +draftmanship +draftproof +drafts +draftsman +draftsmanship +draftsmen +draftsperson +draftswoman +draftswomanship +draftwoman +drag +dragade +dragaded +dragading +dragbar +dragboat +dragbolt +drag-chain +drag-down +dragee +dragees +Dragelin +drageoir +dragged +dragged-out +dragger +dragger-down +dragger-out +draggers +dragger-up +draggy +draggier +draggiest +draggily +dragginess +dragging +draggingly +dragging-out +draggle +draggled +draggle-haired +draggles +draggletail +draggle-tail +draggletailed +draggle-tailed +draggletailedly +draggletailedness +draggly +draggling +drag-hook +draghound +dragline +draglines +dragman +dragnet +dragnets +Drago +dragoman +dragomanate +dragomanic +dragomanish +dragomans +dragomen +Dragon +dragonade +Dragone +dragon-eyed +dragonesque +dragoness +dragonet +dragonets +dragon-faced +dragonfish +dragonfishes +dragonfly +dragon-fly +dragonflies +dragonhead +dragonhood +dragonish +dragonism +dragonize +dragonkind +dragonlike +dragon-mouthed +dragonnade +dragonne +dragon-ridden +dragonroot +dragon-root +dragons +dragon's +dragon's-tongue +dragontail +dragon-tree +dragon-winged +dragonwort +Dragoon +dragoonable +dragoonade +dragoonage +dragooned +dragooner +dragooning +dragoons +drag-out +dragrope +dragropes +drags +dragsaw +dragsawing +dragshoe +dragsman +dragsmen +dragstaff +drag-staff +dragster +dragsters +Draguignan +drahthaar +Dray +drayage +drayages +Drayden +drayed +drayhorse +draying +drail +drailed +drailing +drails +drayman +draymen +Drain +drainable +drainage +drainages +drainageway +drainboard +draine +drained +drainer +drainerman +drainermen +drainers +drainfield +draining +drainless +drainman +drainpipe +drainpipes +drains +drainspout +draintile +drainway +Drais +drays +draisene +draisine +Drayton +Drake +drakefly +drakelet +Drakensberg +drakes +Drakesboro +drakestone +Drakesville +drakonite +DRAM +drama +dramalogue +Dramamine +dramas +drama's +dramatic +dramatical +dramatically +dramaticism +dramaticle +dramatico-musical +dramatics +dramaticule +dramatis +dramatisable +dramatise +dramatised +dramatiser +dramatising +dramatism +dramatist +dramatists +dramatist's +dramatizable +dramatization +dramatizations +dramatize +dramatized +dramatizer +dramatizes +dramatizing +dramaturge +dramaturgy +dramaturgic +dramaturgical +dramaturgically +dramaturgist +drama-writing +Drambuie +drame +dramm +drammach +drammage +dramme +drammed +Drammen +drammer +dramming +drammock +drammocks +drams +dramseller +dramshop +dramshops +Drances +Drancy +Drandell +drang +drank +drant +drapability +drapable +Draparnaldia +drap-de-berry +Drape +drapeability +drapeable +draped +drapey +Draper +draperess +drapery +draperied +draperies +drapery's +drapers +drapes +drapet +drapetomania +draping +drapping +Drasco +drassid +Drassidae +drastic +drastically +drat +dratchell +drate +drats +dratted +dratting +Drau +draught +draughtboard +draught-bridge +draughted +draughter +draughthouse +draughty +draughtier +draughtiest +draughtily +draughtiness +draughting +draughtman +draughtmanship +draughts +draught's +draughtsboard +draughtsman +draughtsmanship +draughtsmen +draughtswoman +draughtswomanship +Drava +Drave +dravya +Dravida +Dravidian +Dravidic +Dravido-munda +dravite +Dravosburg +draw +draw- +drawability +drawable +draw-arch +drawarm +drawback +drawbacks +drawback's +drawbar +draw-bar +drawbars +drawbeam +drawbench +drawboard +drawboy +draw-boy +drawbolt +drawbore +drawbored +drawbores +drawboring +drawbridge +draw-bridge +drawbridges +drawbridge's +Drawcansir +drawcard +drawcut +draw-cut +drawdown +drawdowns +drawee +drawees +drawer +drawer-down +drawerful +drawer-in +drawer-off +drawer-out +drawers +drawer-up +drawfile +draw-file +drawfiling +drawgate +drawgear +drawglove +draw-glove +drawhead +drawhorse +drawing +drawing-in +drawing-knife +drawing-master +drawing-out +drawing-room +drawing-roomy +drawings +drawings-in +drawk +drawknife +draw-knife +drawknives +drawknot +drawl +drawlatch +draw-latch +drawled +drawler +drawlers +drawly +drawlier +drawliest +drawling +drawlingly +drawlingness +drawlink +drawloom +draw-loom +drawls +drawn +drawnet +draw-net +drawnly +drawnness +drawn-out +drawnwork +drawn-work +drawoff +drawout +drawplate +draw-plate +drawpoint +drawrod +draws +drawshave +drawsheet +draw-sheet +drawspan +drawspring +drawstop +drawstring +drawstrings +drawtongs +drawtube +drawtubes +draw-water +draw-well +drazel +drch +DRD +DRE +dread +dreadable +dread-bolted +dreaded +dreader +dreadful +dreadfully +dreadfulness +dreadfuls +dreading +dreadingly +dreadless +dreadlessly +dreadlessness +dreadly +dreadlocks +dreadnaught +dreadness +dreadnought +dreadnoughts +dreads +Dream +dreamage +dream-blinded +dreamboat +dream-born +dream-built +dream-created +dreamed +dreamer +dreamery +dreamers +dream-footed +dream-found +dreamful +dreamfully +dreamfulness +dream-haunted +dream-haunting +dreamhole +dream-hole +dreamy +dreamy-eyed +dreamier +dreamiest +dreamily +dreamy-minded +dreaminess +dreaming +dreamingful +dreamingly +dreamish +dreamy-souled +dreamy-voiced +dreamland +dreamless +dreamlessly +dreamlessness +dreamlet +dreamlike +dreamlikeness +dreamlit +dreamlore +dream-perturbed +Dreams +dreamscape +dreamsy +dreamsily +dreamsiness +dream-stricken +dreamt +dreamtide +dreamtime +dreamwhile +dreamwise +dreamworld +Dreann +drear +drearfully +dreary +dreary-eyed +drearier +drearies +dreariest +drearihead +drearily +dreary-looking +dreariment +dreary-minded +dreariness +drearing +drearisome +drearisomely +drearisomeness +dreary-souled +drearly +drearness +drear-nighted +drears +drear-white +Drebbel +dreche +dreck +drecky +drecks +Dred +Dreda +Dreddy +dredge +dredged +dredgeful +dredger +dredgers +dredges +dredging +dredgings +Dredi +dree +dreed +Dreeda +dree-draw +dreegh +dreeing +dreep +dreepy +dreepiness +drees +dreg +dreggy +dreggier +dreggiest +dreggily +dregginess +dreggish +dregless +dregs +Dreher +drey +Dreibund +dreich +dreidel +dreidels +dreidl +dreidls +Dreyer +Dreyfus +Dreyfusard +Dreyfusism +Dreyfusist +Dreyfuss +dreigh +dreikanter +dreikanters +dreiling +dreint +dreynt +Dreisch +Dreiser +Dreissensia +dreissiger +drek +dreks +Dremann +Dren +drench +drenched +drencher +drenchers +drenches +drenching +drenchingly +dreng +drengage +drengh +Drenmatt +Drennen +drent +Drente +Drenthe +Drepanaspis +drepane +drepania +drepanid +Drepanidae +Drepanididae +drepaniform +Drepanis +drepanium +drepanoid +Dreparnaudia +Drer +Drescher +Dresden +dress +dressage +dressages +dress-coated +dressed +Dressel +Dresser +dressers +dressership +dresses +dressy +dressier +dressiest +dressily +dressiness +dressing +dressing-board +dressing-case +dressing-down +dressings +Dressler +dressline +dressmake +dressmaker +dress-maker +dressmakery +dressmakers +dressmaker's +dressmakership +dressmaking +dress-making +dressmakings +dressoir +dressoirs +dress-up +drest +dretch +drevel +Drew +Drewett +drewite +Drewryville +Drews +Drewsey +Drexel +Drexler +DRG +DRI +Dry +dryable +dryad +dryades +dryadetum +dryadic +dryads +drias +Dryas +dryasdust +dry-as-dust +drib +dribbed +dribber +dribbet +dribbing +dribble +dribbled +dribblement +dribbler +dribblers +dribbles +dribblet +dribblets +dribbly +dribbling +drybeard +dry-beat +driblet +driblets +dry-blowing +dry-boned +dry-bones +drybrained +drybrush +dry-brush +dribs +dry-burnt +Dric +Drice +dry-clean +dry-cleanse +dry-cleansed +dry-cleansing +drycoal +dry-cure +dry-curing +Drida +dridder +driddle +Dryden +Drydenian +Drydenic +Drydenism +dry-dye +dry-dock +drie +Drye +dry-eared +driech +dried +dried-up +driegh +dry-eyed +drier +dryer +drier-down +drierman +dryerman +dryermen +driers +drier's +dryers +dries +driest +dryest +dryfarm +dry-farm +dryfarmer +dryfat +dry-fine +dryfist +dry-fist +dry-fly +Dryfoos +dryfoot +dry-foot +dry-footed +dry-footing +dry-founder +dry-fruited +drift +driftage +driftages +driftbolt +drifted +drifter +drifters +driftfish +driftfishes +drifty +drift-ice +driftier +driftiest +Drifting +driftingly +driftland +driftless +driftlessness +driftlet +driftman +drift-netter +Drifton +driftpiece +driftpin +driftpins +drifts +driftway +driftweed +driftwind +Driftwood +drift-wood +driftwoods +Drygalski +driggle-draggle +Driggs +drighten +drightin +drygoodsman +dry-grind +dry-gulch +dry-handed +dryhouse +drying +dryinid +dryish +dry-ki +dryland +dry-leaved +drily +dryly +dry-lipped +drill +drillability +drillable +drillbit +drilled +driller +drillers +drillet +drilling +drillings +drill-like +drillman +drillmaster +drillmasters +drills +drillstock +dry-looking +drylot +drylots +drilvis +Drimys +dry-mouthed +Drin +Drina +Drynaria +dryness +drynesses +dringle +drink +drinkability +drinkable +drinkableness +drinkables +drinkably +drinker +drinkery +drinkers +drink-hael +drink-hail +drinky +drinking +drinkless +drinkproof +drinks +Drinkwater +drinn +dry-nurse +dry-nursed +dry-nursing +Dryobalanops +Dryope +Dryopes +Dryophyllum +Dryopians +dryopithecid +Dryopithecinae +dryopithecine +Dryopithecus +Dryops +Dryopteris +dryopteroid +drip +dry-paved +drip-dry +drip-dried +drip-drying +drip-drip +drip-drop +drip-ground +dry-pick +dripless +drypoint +drypoints +dripolator +drippage +dripped +dripper +drippers +drippy +drippier +drippiest +dripping +drippings +dripple +dripproof +Dripps +dry-press +Dryprong +drips +drip's +dripstick +dripstone +dript +dry-roasted +dryrot +dry-rot +dry-rotted +dry-rub +drys +dry-sail +dry-salt +dry-salted +drysalter +drysaltery +drysalteries +Driscoll +dry-scrubbed +Drysdale +dry-shave +drisheen +dry-shod +dry-shoot +drisk +Driskill +dry-skinned +Drisko +Drislane +drysne +dry-soled +drissel +dryster +dry-stone +dryth +dry-throated +dry-tongued +drivable +drivage +drive +drive- +driveable +driveaway +driveboat +drivebolt +drivecap +drivehead +drive-in +drivel +driveled +driveler +drivelers +driveline +driveling +drivelingly +drivelled +driveller +drivellers +drivelling +drivellingly +drivels +driven +drivenness +drivepipe +driver +driverless +drivers +drivership +drives +drivescrew +driveway +driveways +driveway's +drivewell +driving +driving-box +drivingly +drivings +driving-wheel +drywall +drywalls +dryworker +drizzle +drizzled +drizzle-drozzle +drizzles +drizzly +drizzlier +drizzliest +drizzling +drizzlingly +DRMU +Drobman +drochuil +droddum +drof +drofland +drof-land +droger +drogerman +drogermen +drogh +Drogheda +drogher +drogherman +droghlin +Drogin +drogoman +drogue +drogues +droguet +droh +droich +droil +droyl +droit +droits +droitsman +droitural +droiture +droiturel +Drokpa +drolerie +Drolet +droll +drolled +droller +drollery +drolleries +drollest +drolly +drolling +drollingly +drollish +drollishness +drollist +drollness +drolls +drolushness +Dromaeognathae +dromaeognathism +dromaeognathous +Dromaeus +drome +dromed +dromedary +dromedarian +dromedaries +dromedarist +drometer +Dromiacea +dromic +dromical +Dromiceiidae +Dromiceius +Dromicia +dromioid +dromograph +dromoi +dromomania +dromometer +dromon +dromond +dromonds +dromons +dromophobia +Dromornis +dromos +dromotropic +dromous +Drona +dronage +drone +droned +dronel +dronepipe +droner +droners +drones +drone's +dronet +drongo +drongos +drony +droning +droningly +dronish +dronishly +dronishness +dronkelew +dronkgrass +Dronski +dronte +droob +Drooff +drool +drooled +drooly +droolier +drooliest +drooling +drools +droop +droop-eared +drooped +drooper +droop-headed +droopy +droopier +droopiest +droopily +droopiness +drooping +droopingly +droopingness +droop-nosed +droops +droopt +drop +drop- +drop-away +dropax +dropberry +dropcloth +drop-eared +dropflower +dropforge +drop-forge +dropforged +drop-forged +dropforger +drop-forger +dropforging +drop-forging +drop-front +drophead +dropheads +dropkick +drop-kick +dropkicker +drop-kicker +dropkicks +drop-leaf +drop-leg +droplet +droplets +drop-letter +droplight +droplike +dropline +dropling +dropman +dropmeal +drop-meal +drop-off +dropout +drop-out +dropouts +droppage +dropped +dropper +dropperful +dropper-on +droppers +dropper's +droppy +dropping +droppingly +droppings +dropping's +drops +drop's +drop-scene +dropseed +drop-shaped +dropshot +dropshots +dropsy +dropsical +dropsically +dropsicalness +dropsy-dry +dropsied +dropsies +dropsy-sick +dropsywort +dropsonde +drop-stich +dropt +dropvie +dropwise +dropworm +dropwort +dropworts +Droschken +Drosera +Droseraceae +droseraceous +droseras +droshky +droshkies +drosky +droskies +drosograph +drosometer +Drosophila +drosophilae +drosophilas +Drosophilidae +Drosophyllum +dross +drossed +drossel +drosser +drosses +drossy +drossier +drossiest +drossiness +drossing +drossless +drostden +drostdy +drou +droud +droughermen +drought +droughty +droughtier +droughtiest +droughtiness +drought-parched +drought-resisting +droughts +drought's +drought-stricken +drouk +droukan +drouked +drouket +drouking +droukit +drouks +droumy +drouth +drouthy +drouthier +drouthiest +drouthiness +drouths +drove +droved +drover +drove-road +drovers +droves +drovy +droving +drow +drown +drownd +drownded +drownding +drownds +drowned +drowner +drowners +drowning +drowningly +drownings +drownproofing +drowns +drowse +drowsed +drowses +drowsy +drowsier +drowsiest +drowsihead +drowsihood +drowsily +drowsiness +drowsing +drowte +DRP +DRS +Dru +drub +drubbed +drubber +drubbers +drubbing +drubbings +drubble +drubbly +drubly +drubs +Druce +Druci +Drucy +Drucie +Drucill +Drucilla +drucken +Drud +drudge +drudged +drudger +drudgery +drudgeries +drudgers +drudges +drudging +drudgingly +drudgism +Drue +Druella +druery +druffen +Drug +drug-addicted +drug-damned +drugeteria +Drugge +drugged +drugger +druggery +druggeries +drugget +druggeting +druggets +druggy +druggie +druggier +druggies +druggiest +drugging +druggist +druggister +druggists +druggist's +drug-grinding +Drugi +drugless +drugmaker +drugman +drug-mixing +drug-pulverizing +drugs +drug's +drug-selling +drugshop +drugstore +drugstores +drug-using +Druid +Druidess +druidesses +druidic +druidical +Druidism +druidisms +druidology +druidry +druids +druith +Drukpa +drum +drumbeat +drumbeater +drumbeating +drumbeats +drumble +drumbled +drumbledore +drumble-drone +drumbler +drumbles +drumbling +drumfire +drumfires +drumfish +drumfishes +drumhead +drumheads +drumler +drumly +drumlier +drumliest +drumlike +drumlin +drumline +drumlinoid +drumlins +drumloid +drumloidal +drum-major +drummed +drummer +drummers +drummer's +drummy +drumming +drummock +Drummond +Drummonds +Drumore +drumread +drumreads +Drumright +drumroll +drumrolls +Drums +drum's +drum-shaped +drumskin +drumslade +drumsler +drumstick +drumsticks +drum-up +drumwood +drum-wound +drung +drungar +drunk +drunkard +drunkards +drunkard's +drunkelew +drunken +drunkeness +drunkenly +drunkenness +drunkennesses +drunkensome +drunkenwise +drunker +drunkery +drunkeries +drunkest +drunkly +drunkometer +drunks +drunt +Drupa +Drupaceae +drupaceous +drupal +drupe +drupel +drupelet +drupelets +drupeole +drupes +drupetum +drupiferous +drupose +Drury +Drus +Druse +Drusean +drused +Drusedom +druses +Drusi +Drusy +Drusian +Drusie +Drusilla +Drusus +druther +druthers +druttle +druxey +druxy +druxiness +Druze +DS +d's +DSA +DSAB +DSBAM +DSC +Dschubba +DSCS +DSD +DSDC +DSE +dsect +dsects +DSEE +Dseldorf +D-sharp +DSI +DSM +DSN +dsname +dsnames +DSO +DSP +DSR +DSRI +DSS +DSSI +DST +D-state +DSTN +DSU +DSW +DSX +DT +DTAS +DTB +DTC +dtd +DTE +dtente +DTF +DTG +DTh +DTI +DTIF +DTL +DTMF +DTP +DTR +dt's +dtset +DTSS +DTU +DU +Du. +DUA +duad +duadic +duads +dual +Duala +duali +dualin +dualism +dualisms +dualist +dualistic +dualistically +dualists +duality +dualities +duality's +dualization +dualize +dualized +dualizes +dualizing +dually +Dualmutef +dualogue +dual-purpose +duals +duan +Duane +Duanesburg +duant +duarch +duarchy +duarchies +Duarte +DUATS +Duax +dub +Dubach +Dubai +Du-barry +dubash +dubb +dubba +dubbah +dubbed +dubbeh +dubbeltje +dubber +Dubberly +dubbers +dubby +dubbin +dubbing +dubbings +dubbins +Dubbo +Dubcek +Dubenko +Dubhe +Dubhgall +dubiety +dubieties +Dubinsky +dubio +dubiocrystalline +dubiosity +dubiosities +dubious +dubiously +dubiousness +dubiousnesses +dubitable +dubitably +dubitancy +dubitant +dubitante +dubitate +dubitatingly +dubitation +dubitative +dubitatively +Dublin +Dubliners +Dubna +DuBois +Duboisia +duboisin +duboisine +Dubonnet +dubonnets +DuBose +Dubre +Dubrovnik +dubs +Dubuffet +Dubuque +Duc +Ducal +ducally +ducamara +Ducan +ducape +Ducasse +ducat +ducato +ducaton +ducatoon +ducats +ducatus +ducdame +Duce +duces +Duchamp +duchan +duchery +Duchesne +Duchesnea +Duchess +duchesse +duchesses +duchesslike +duchess's +duchy +duchies +duci +Duck +duckbill +duck-bill +duck-billed +duckbills +duckblind +duckboard +duckboards +duckboat +ducked +duck-egg +ducker +duckery +duckeries +duckers +duckfoot +duckfooted +duck-footed +duck-hawk +duckhearted +duckhood +duckhouse +duckhunting +ducky +duckie +duckier +duckies +duckiest +ducking +ducking-pond +ducking-stool +duckish +ducklar +duck-legged +ducklet +duckling +ducklings +ducklingship +duckmeat +duckmole +duckpin +duckpins +duckpond +duck-retter +ducks +duckstone +ducktail +ducktails +duck-toed +Ducktown +duckwalk +Duckwater +duckweed +duckweeds +duckwheat +duckwife +duckwing +Duclos +Duco +Ducommun +Ducor +ducs +duct +ductal +ducted +ductibility +ductible +ductile +ductilely +ductileness +ductilimeter +ductility +ductilities +ductilize +ductilized +ductilizing +ducting +ductings +duction +ductless +ductor +ducts +ductule +ductules +ducture +ductus +ductwork +Ducula +Duculinae +Dud +dudaim +Dudden +dudder +duddery +duddy +duddie +duddies +duddle +dude +duded +dudeen +dudeens +Dudelsack +dudes +Dudevant +dudgen +dudgeon +dudgeons +dudine +duding +dudish +dudishly +dudishness +dudism +Dudley +Dudleya +dudleyite +dudler +dudman +duds +due +duecentist +duecento +duecentos +dueful +duel +dueled +dueler +duelers +dueling +duelist +duelistic +duelists +duelled +dueller +duellers +duelli +duelling +duellist +duellistic +duellists +duellize +duello +duellos +duels +Duena +duenas +duende +duendes +dueness +duenesses +duenna +duennadom +duennas +duennaship +Duenweg +Duer +Duero +dues +Duessa +Duester +duet +duets +duetted +duetting +duettino +duettist +duettists +duetto +Duewest +Dufay +Duff +duffadar +Duffau +duffed +duffel +duffels +duffer +dufferdom +duffers +Duffy +Duffie +Duffield +duffies +duffing +duffle +duffles +duffs +Dufy +dufoil +dufrenite +dufrenoysite +dufter +dufterdar +duftery +duftite +duftry +Dufur +dug +Dugaid +dugal +Dugald +Dugan +Dugas +dugdug +dugento +Duggan +Dugger +duggler +dugong +Dugongidae +dugongs +dugout +dug-out +dugouts +dugs +Dugspur +dug-up +Dugway +Duhamel +duhat +Duhl +Duhr +DUI +duiker +duyker +duikerbok +duikerboks +duikerbuck +duikers +duim +Duyne +duinhewassel +Duisburg +Duit +duits +dujan +duka +Dukakis +Dukas +Duk-duk +Duke +dukedom +dukedoms +Dukey +dukely +dukeling +dukery +dukes +duke's +dukeship +dukhn +Dukhobor +Dukhobors +Dukhobortsy +Duky +Dukie +dukker +dukkeripen +dukkha +dukuma +DUKW +Dulac +Dulaney +Dulanganes +Dulat +dulbert +dulc +dulcamara +dulcarnon +Dulce +Dulcea +dulcely +dulceness +dulcet +dulcetly +dulcetness +dulcets +Dulci +Dulcy +Dulcia +dulcian +Dulciana +dulcianas +Dulcibelle +dulcid +Dulcie +dulcify +dulcification +dulcified +dulcifies +dulcifying +dulcifluous +dulcigenic +dulciloquent +dulciloquy +dulcimer +dulcimers +dulcimore +Dulcin +Dulcine +Dulcinea +dulcineas +Dulcinist +dulcite +dulcity +dulcitol +Dulcitone +dulcitude +Dulcle +dulcor +dulcorate +dulcose +Duleba +duledge +duler +duly +dulia +dulias +dull +Dulla +dullard +dullardism +dullardness +dullards +dullbrained +dull-brained +dull-browed +dull-colored +dull-eared +dulled +dull-edged +dull-eyed +duller +dullery +Dulles +dullest +dullhead +dull-head +dull-headed +dull-headedness +dullhearted +dully +dullify +dullification +dulling +dullish +dullishly +dullity +dull-lived +dull-looking +dullness +dullnesses +dullpate +dull-pated +dull-pointed +dull-red +dulls +dull-scented +dull-sighted +dull-sightedness +dullsome +dull-sounding +dull-spirited +dull-surfaced +dullsville +dull-toned +dull-tuned +dull-voiced +dull-witted +dull-wittedness +dulness +dulnesses +dulocracy +dulosis +dulotic +dulse +Dulsea +dulse-green +dulseman +dulses +dult +dultie +Duluth +dulwilly +Dulzura +dum +Duma +Dumaguete +Dumah +dumaist +Dumanian +Dumarao +Dumas +dumb +dumba +Dumbarton +Dumbartonshire +dumbbell +dumb-bell +dumbbeller +dumbbells +dumbbell's +dumb-bird +dumb-cane +dumbcow +dumbed +dumber +dumbest +dumbfish +dumbfound +dumbfounded +dumbfounder +dumbfounderment +dumbfounding +dumbfoundment +dumbfounds +dumbhead +dumbheaded +dumby +dumbing +dumble +dumble- +dumbledore +dumbly +dumbness +dumbnesses +dumbs +dumb-show +dumbstricken +dumbstruck +dumb-struck +dumbwaiter +dumb-waiter +dumbwaiters +dumdum +dumdums +dumetose +dumfound +dumfounded +dumfounder +dumfounderment +dumfounding +dumfounds +Dumfries +Dumfriesshire +Dumyat +dumka +dumky +Dumm +dummel +dummered +dummerer +dummy +dummied +dummies +dummying +dummyism +dumminess +dummy's +dummyweed +dummkopf +dummkopfs +Dumond +Dumont +Dumontia +Dumontiaceae +dumontite +dumortierite +dumose +dumosity +dumous +dump +dumpage +dumpcart +dumpcarts +dumped +dumper +dumpers +dumpfile +dumpy +dumpier +dumpies +dumpiest +dumpily +dumpiness +dumping +dumpings +dumpish +dumpishly +dumpishness +dumple +dumpled +dumpler +dumpling +dumplings +dumpoke +dumps +Dumpty +dumsola +Dumuzi +Dun +Duna +Dunaburg +dunair +Dunaj +dunal +dunam +dunamis +dunams +Dunant +Dunarea +Dunaville +Dunbar +Dunbarton +dun-belted +dunbird +dun-bird +dun-brown +Dunc +Duncan +Duncannon +Duncansville +Duncanville +dunce +duncedom +duncehood +duncery +dunces +dunce's +dunch +dunches +Dunciad +duncical +duncify +duncifying +duncish +duncishly +duncishness +dun-colored +Duncombe +Dundalk +Dundas +dundasite +dundavoe +Dundee +dundees +dundee's +dunder +dunderbolt +dunderfunk +dunderhead +dunderheaded +dunderheadedness +dunderheads +dunderpate +dunderpates +dun-diver +dun-drab +dundreary +dundrearies +dun-driven +dune +Dunedin +duneland +dunelands +dunelike +Dunellen +dunes +dune's +Dunfermline +dunfish +dung +Dungan +Dungannin +Dungannon +dungannonite +dungaree +dungarees +dungari +dunga-runga +dungas +dungbeck +dungbird +dungbred +dung-cart +dunged +Dungeness +dungeon +dungeoner +dungeonlike +dungeons +dungeon's +dunger +dung-fork +dunghill +dunghilly +dunghills +dungy +dungyard +dungier +dungiest +dunging +dungol +dungon +dungs +Dunham +dun-haunted +duny +dun-yellow +dun-yellowish +duniewassal +dunite +dunites +dunitic +duniwassal +dunk +dunkadoo +Dunkard +dunked +Dunker +Dunkerque +dunkers +Dunkerton +Dunkin +dunking +Dunkirk +Dunkirker +Dunkirque +dunkle +dunkled +dunkling +dunks +Dunlap +Dunlavy +Dunleary +Dunlevy +dunlin +dunlins +Dunlo +Dunlop +Dunlow +Dunmor +Dunmore +Dunn +dunnage +dunnaged +dunnages +dunnaging +dunnakin +Dunne +dunned +Dunnegan +Dunnell +Dunnellon +dunner +dunness +dunnesses +dunnest +dunny +dunniewassel +Dunnigan +Dunning +dunnish +dunnite +dunnites +dunno +dunnock +Dunnsville +Dunnville +Dunois +dun-olive +Dunoon +dunpickle +dun-plagued +dun-racked +dun-red +Dunreith +Duns +Dunsany +Dunseath +Dunseith +Dunsinane +Dunsmuir +Dunson +dunst +Dunstable +Dunstan +Dunstaple +dunster +Dunston +dunstone +dunt +dunted +dunter +Dunthorne +dunting +duntle +Dunton +Duntroon +dunts +Duntson +dun-white +Dunwoody +dunziekte +duo +duo- +duocosane +duodecagon +duodecahedral +duodecahedron +duodecane +duodecastyle +duodecennial +duodecillion +duodecillions +duodecillionth +duodecim- +duodecimal +duodecimality +duodecimally +duodecimals +duodecimfid +duodecimo +duodecimole +duodecimomos +duodecimos +duodecuple +duodedena +duodedenums +duoden- +duodena +duodenal +duodenary +duodenas +duodenate +duodenation +duodene +duodenectomy +duodenitis +duodenocholangitis +duodenocholecystostomy +duodenocholedochotomy +duodenocystostomy +duodenoenterostomy +duodenogram +duodenojejunal +duodenojejunostomy +duodenojejunostomies +duodenopancreatectomy +duodenoscopy +duodenostomy +duodenotomy +duodenum +duodenums +duodial +duodynatron +duodiode +duodiodepentode +duodiode-triode +duodrama +duograph +duogravure +duole +duoliteral +duolog +duologs +duologue +duologues +duomachy +duomi +duomo +duomos +Duong +duopod +duopoly +duopolies +duopolist +duopolistic +duopsony +duopsonies +duopsonistic +duos +duosecant +duotype +duotone +duotoned +duotones +duotriacontane +duotriode +duoviri +dup +dup. +dupability +dupable +Dupaix +Duparc +dupatta +dupe +duped +dupedom +duper +dupery +duperies +Duperrault +dupers +dupes +Dupin +duping +dupion +dupioni +dupla +duplation +duple +Dupleix +Duplessis +Duplessis-Mornay +duplet +duplex +duplexed +duplexer +duplexers +duplexes +duplexing +duplexity +duplexs +duply +duplicability +duplicable +duplicand +duplicando +duplicate +duplicated +duplicately +duplicate-pinnate +duplicates +duplicating +duplication +duplications +duplicative +duplicato- +duplicato-dentate +duplicator +duplicators +duplicator's +duplicato-serrate +duplicato-ternate +duplicature +duplicatus +duplicia +duplicident +Duplicidentata +duplicidentate +duplicious +duplicipennate +duplicitas +duplicity +duplicities +duplicitous +duplicitously +duplify +duplification +duplified +duplifying +duplon +duplone +Dupo +dupondidii +dupondii +dupondius +DuPont +duppa +dupped +dupper +duppy +duppies +dupping +Dupr +Dupre +Dupree +dups +Dupuy +Dupuyer +Dupuis +Dupuytren +Duquesne +Duquette +Duquoin +Dur +Dur. +dura +durability +durabilities +durable +durableness +durables +durably +duracine +durain +dural +Duralumin +duramater +duramatral +duramen +duramens +Duran +Durance +durances +Durand +Durandarte +durangite +Durango +Durani +Durant +Duranta +Durante +Duranty +duraplasty +duraquara +Durarte +duras +duraspinalis +duration +durational +durationless +durations +duration's +durative +duratives +durax +Durazzo +durbachite +Durban +durbar +durbars +Durbin +durdenite +durdum +dure +dured +duree +dureful +Durene +durenol +Durer +dureresque +dures +duress +duresses +duressor +duret +duretto +Durex +durezza +D'Urfey +Durga +durgah +durgan +durgen +Durgy +Durham +Durhamville +durian +durians +duricrust +duridine +Duryea +duryl +Durindana +during +duringly +Durio +Duryodhana +durion +durions +Duriron +durity +Durkee +Durkheim +Durkin +Durman +durmast +durmasts +durn +Durnan +durndest +durned +durneder +durnedest +Durning +Durno +durns +duro +Duroc +Duroc-Jersey +durocs +duroy +durometer +duroquinone +duros +durous +Durovic +Durr +durra +Durrace +durras +Durrell +Durrett +durry +durry-dandy +durrie +durries +durrin +durrs +Durst +Durstin +Durston +Durtschi +durukuli +durum +durums +durwan +Durward +Durware +durwaun +Durwin +Durwyn +Durwood +Durzada +durzee +durzi +Dusa +dusack +duscle +Duse +Dusehra +Dusen +Dusenberg +Dusenbury +dusenwind +dush +Dushanbe +Dushehra +Dushore +dusio +dusk +dusk-down +dusked +dusken +dusky +dusky-browed +dusky-colored +duskier +duskiest +dusky-faced +duskily +dusky-mantled +duskiness +dusking +duskingtide +dusky-raftered +dusky-sandaled +duskish +duskishly +duskishness +duskly +duskness +dusks +Duson +Dussehra +Dusseldorf +Dussera +Dusserah +Dust +Dustan +dustband +dust-bath +dust-begrimed +dustbin +dustbins +dustblu +dustbox +dust-box +dust-brand +dustcart +dustcloth +dustcloths +dustcoat +dust-colored +dust-counter +dustcover +dust-covered +dust-dry +dusted +dustee +Duster +dusterman +dustermen +duster-off +dusters +dustfall +dust-gray +dustheap +dustheaps +Dusty +Dustie +dustier +dustiest +dustyfoot +dustily +Dustin +dustiness +dusting +dusting-powder +dust-laden +dust-laying +dustless +dustlessness +dustlike +Dustman +dustmen +dustoff +dustoffs +Duston +dustoor +dustoori +dustour +dustpan +dustpans +dustpoint +dust-point +dust-polluting +dust-producing +dustproof +dustrag +dustrags +dusts +dustsheet +dust-soiled +duststorm +dust-throwing +dusttight +dust-tight +dustuck +dustuk +dustup +dust-up +dustups +dustwoman +Dusun +Dusza +DUT +Dutch +dutched +Dutcher +dutchess +Dutch-gabled +Dutchy +Dutchify +dutching +Dutchman +Dutchman's-breeches +Dutchman's-pipe +Dutchmen +Dutch-process +Dutchtown +Dutch-ware-blue +duteous +duteously +duteousness +Duthie +duty +dutiability +dutiable +duty-bound +dutied +duties +duty-free +dutiful +dutifully +dutifulness +dutymonger +duty's +dutra +Dutton +dutuburi +Dutzow +duumvir +duumviral +duumvirate +duumviri +duumvirs +DUV +Duval +Duvalier +Duvall +Duveneck +duvet +duvetyn +duvetine +duvetyne +duvetines +duvetynes +duvetyns +duvets +Duvida +Duwalt +Duwe +dux +Duxbury +duxelles +duxes +DV +dvaita +dvandva +DVC +dvigu +dvi-manganese +Dvina +Dvinsk +DVM +DVMA +DVMRP +DVMS +Dvorak +dvornik +DVS +DVX +DW +dwayberry +dwaible +dwaibly +Dwain +Dwaine +Dwayne +Dwale +dwalm +Dwamish +Dwan +Dwane +dwang +DWAPS +dwarf +dwarfed +dwarfer +dwarfest +dwarfy +dwarfing +dwarfish +dwarfishly +dwarfishness +dwarfism +dwarfisms +dwarflike +dwarfling +dwarfness +dwarfs +dwarves +DWB +Dweck +dweeble +dwell +dwelled +dweller +dwellers +dwelling +dwellings +dwells +dwelt +DWI +Dwyer +Dwight +Dwyka +DWIM +dwindle +dwindled +dwindlement +dwindles +dwindling +dwine +dwined +dwines +dwining +Dwinnell +Dworak +Dworman +Dworshak +dwt +DX +DXT +DZ +dz. +Dzaudzhikau +dzeren +dzerin +dzeron +Dzerzhinsk +Dzhambul +Dzhugashvili +dziggetai +Dzyubin +dzo +Dzoba +Dzongka +Dzugashvili +Dzungar +Dzungaria +E +e- +E. +E.E. +e.g. +E.I. +e.o. +e.o.m. +E.R. +E.T.A. +E.T.D. +E.V. +E911 +EA +ea. +EAA +eably +eaceworm +each +Eachelle +Eachern +eachwhere +each-where +EACSO +ead +Eada +EADAS +EADASNM +EADASS +Eade +eadi +Eadie +eadios +eadish +Eadith +Eadmund +Eads +Eadwina +Eadwine +EAEO +EAFB +Eagan +Eagar +Eagarville +eager +eager-eyed +eagerer +eagerest +eager-hearted +eagerly +eager-looking +eager-minded +eagerness +eagernesses +eagers +eager-seeming +Eagle +eagle-billed +eagled +eagle-eyed +eagle-flighted +eaglehawk +eagle-hawk +eagle-headed +eaglelike +eagle-pinioned +eagles +eagle's +eagle-seeing +eagle-sighted +Eaglesmere +eagless +eaglestone +eaglet +Eagletown +eaglets +Eagleville +eagle-winged +eaglewood +eagle-wood +eagling +eagrass +eagre +eagres +Eaineant +EAK +Eakins +Eakly +Eal +Ealasaid +ealderman +ealdorman +ealdormen +Ealing +EAM +Eamon +ean +Eanes +eaning +eanling +eanlings +Eanore +ear +earable +earache +ear-ache +earaches +earbash +earbob +ear-brisk +earcap +earclip +ear-cockie +earcockle +ear-deafening +Eardley +eardrop +eardropper +eardrops +eardrum +eardrums +eared +ear-filling +earflap +earflaps +earflower +earful +earfuls +Earhart +earhead +earhole +earing +earings +earjewel +Earl +Earla +earlap +earlaps +earldom +earldoms +earlduck +Earle +ear-leaved +Earleen +Earley +Earlene +earless +earlesss +earlet +Earleton +Earleville +Earlham +Early +Earlie +earlier +earliest +earlyish +earlike +Earlimart +Earline +earliness +Earling +Earlington +earlish +Earlysville +earlywood +earlobe +earlobes +earlock +earlocks +earls +earl's +Earlsboro +earlship +earlships +Earlton +Earlville +earmark +ear-mark +earmarked +earmarking +earmarkings +earmarks +ear-minded +earmindedness +ear-mindedness +earmuff +earmuffs +EARN +earnable +earned +earner +earners +earner's +earnest +earnestful +earnestly +earnestness +earnestnesses +earnest-penny +earnests +earnful +earnie +earning +earnings +earns +earock +EAROM +Earp +earphone +earphones +earpick +earpiece +earpieces +ear-piercing +earplug +earplugs +earreach +ear-rending +ear-rent +earring +ear-ring +earringed +earrings +earring's +ears +earscrew +earsh +earshell +earshot +earshots +earsore +earsplitting +ear-splitting +earspool +earstone +earstones +eartab +eartag +eartagged +Earth +Eartha +earth-apple +earth-ball +earthboard +earth-board +earthborn +earth-born +earthbound +earth-bound +earth-boundness +earthbred +earth-convulsing +earth-delving +earth-destroying +earth-devouring +earth-din +earthdrake +earth-dwelling +earth-eating +earthed +earthen +earth-engendered +earthenhearted +earthenware +earthenwares +earthfall +earthfast +earth-fed +earthgall +earth-god +earth-goddess +earthgrubber +earth-homing +earthy +earthian +earthier +earthiest +earthily +earthiness +earthinesses +earthing +earthkin +earthless +earthly +earthlier +earthliest +earthlight +earth-light +earthlike +earthly-minded +earthly-mindedness +earthliness +earthlinesses +earthling +earthlings +earth-lit +earthly-wise +earth-mad +earthmaker +earthmaking +earthman +earthmen +earthmove +earthmover +earthmoving +earth-moving +earthnut +earth-nut +earthnuts +earth-old +earthpea +earthpeas +earthquake +earthquaked +earthquaken +earthquake-proof +earthquakes +earthquake's +earthquaking +earthquave +earth-refreshing +earth-rending +earthrise +earths +earthset +earthsets +Earthshaker +earthshaking +earth-shaking +earthshakingly +earthshattering +earthshine +earthshock +earthslide +earthsmoke +earth-sounds +earth-sprung +earth-stained +earthstar +earth-strewn +earthtongue +earth-vexing +earthwall +earthward +earthwards +earth-wide +earthwork +earthworks +earthworm +earthworms +earthworm's +earth-wrecking +ear-trumpet +Earvin +earwax +ear-wax +earwaxes +earwig +earwigged +earwiggy +earwigginess +earwigging +earwigs +earwitness +ear-witness +earworm +earworms +earwort +EAS +EASD +ease +eased +easeful +easefully +easefulness +easel +easeled +easeless +easel-picture +easels +easement +easements +easement's +ease-off +easer +easers +eases +ease-up +EASI +easy +easier +easies +easiest +easy-fitting +easy-flowing +easygoing +easy-going +easygoingly +easygoingness +easy-hearted +easy-humored +easily +easylike +easy-mannered +easy-minded +easy-natured +easiness +easinesses +easing +easy-paced +easy-rising +easy-running +easy-spoken +Easley +eassel +East +eastabout +eastbound +Eastbourne +east-country +easted +east-end +East-ender +Easter +easter-day +Easter-giant +eastering +Easter-ledges +Easterly +easterlies +easterliness +easterling +eastermost +Eastern +Easterner +easterners +Easternism +easternize +easternized +easternizing +Easternly +easternmost +easters +Eastertide +easting +eastings +East-insular +Eastlake +Eastland +eastlander +Eastleigh +eastlin +eastling +eastlings +eastlins +Eastman +eastmost +eastness +east-northeast +east-northeastward +east-northeastwardly +Easton +Eastre +easts +Eastside +East-sider +east-southeast +east-southeastward +east-southeastwardly +eastward +eastwardly +eastwards +east-windy +Eastwood +eat +eatability +eatable +eatableness +eatables +eatage +eat-all +Eatanswill +eatberry +eatche +eaten +eaten-leaf +eater +eatery +eateries +eater-out +eaters +eath +eathly +eating +eatings +Eaton +Eatonton +Eatontown +Eatonville +eats +Eatton +EAU +Eauclaire +eau-de-vie +Eaugalle +eaux +eave +eaved +eavedrop +eavedropper +eavedropping +eaver +Eaves +eavesdrip +eavesdrop +eavesdropped +eavesdropper +eavesdroppers +eavesdropper's +eavesdropping +eavesdrops +eavesing +eavy-soled +Eb +Eba +Ebarta +ebauche +ebauchoir +ebb +Ebba +Ebbarta +ebbed +Ebberta +ebbet +ebbets +Ebby +Ebbie +ebbing +ebbman +ebbs +ebcasc +ebcd +EBCDIC +ebdomade +Ebeye +Eben +Ebenaceae +ebenaceous +Ebenales +ebeneous +Ebeneser +Ebenezer +Ebensburg +Eberhard +Eberhart +Eberle +Eberly +Ebert +Eberta +Eberthella +Eberto +Ebervale +EBI +Ebionism +Ebionite +Ebionitic +Ebionitism +Ebionitist +Ebionize +Eblis +EbN +Ebner +Ebneter +E-boat +Eboe +Eboh +Eboli +ebon +Ebonee +Ebony +ebonies +ebonige +ebonise +ebonised +ebonises +ebonising +ebonist +ebonite +ebonites +ebonize +ebonized +ebonizes +ebonizing +ebons +Eboracum +eboulement +ebracteate +ebracteolate +ebraick +ebriate +ebriated +ebricty +ebriety +ebrillade +ebriose +ebriosity +ebrious +ebriously +Ebro +EBS +Ebsen +ebullate +ebulliate +ebullience +ebulliency +ebullient +ebulliently +ebulliometer +ebulliometry +ebullioscope +ebullioscopy +ebullioscopic +ebullition +ebullitions +ebullitive +ebulus +eburated +eburin +eburine +Eburna +eburnated +eburnation +eburnean +eburneoid +eburneous +eburnian +eburnification +EC +ec- +ECA +ECAD +ECAFE +ecalcarate +ecalcavate +ecanda +ECAP +ecardinal +ecardine +Ecardines +ecarinate +ecart +ecarte +ecartes +ECASS +Ecaudata +ecaudate +ecb +Ecballium +ecbasis +Ecbatana +ecbatic +ecblastesis +ecblastpsis +ecbole +ecbolic +ecbolics +ECC +Ecca +eccaleobion +ecce +eccentrate +eccentric +eccentrical +eccentrically +eccentricity +eccentricities +eccentrics +eccentric's +eccentring +eccentrometer +ecch +ecchymoma +ecchymose +ecchymosed +ecchymoses +ecchymosis +ecchymotic +ecchondroma +ecchondrosis +ecchondrotome +eccyclema +eccyesis +Eccl +eccl. +Eccles +ecclesi- +ecclesia +ecclesiae +ecclesial +ecclesiarch +ecclesiarchy +ecclesiast +Ecclesiastes +ecclesiastic +ecclesiastical +ecclesiasticalism +ecclesiastically +ecclesiasticalness +ecclesiasticism +ecclesiasticize +ecclesiastico-military +ecclesiastico-secular +ecclesiastics +Ecclesiasticus +ecclesiastry +ecclesioclastic +ecclesiography +ecclesiolater +ecclesiolatry +ecclesiology +ecclesiologic +ecclesiological +ecclesiologically +ecclesiologist +ecclesiophobia +Ecclus +Ecclus. +ECCM +eccoprotic +eccoproticophoric +eccrine +eccrinology +eccrisis +eccritic +ECCS +ECD +ecdemic +ecdemite +ecderon +ecderonic +ecdyses +ecdysial +ecdysiast +ecdysis +ecdyson +ecdysone +ecdysones +ecdysons +ECDO +ECE +ecesic +ecesis +ecesises +Ecevit +ECF +ECG +ecgonin +ecgonine +echafaudage +echappe +echappee +echar +echard +echards +eche +echea +Echecles +eched +Echegaray +echelette +echelle +echelon +echeloned +echeloning +echelonment +echelons +Echeloot +Echemus +echeneid +Echeneidae +echeneidid +Echeneididae +echeneidoid +Echeneis +eches +Echetus +echevaria +Echeveria +Echeverria +echevin +Echidna +echidnae +echidnas +Echidnidae +Echikson +Echimys +echin- +Echinacea +echinal +echinate +echinated +eching +echini +echinid +echinidan +Echinidea +echiniform +echinital +echinite +echino- +Echinocactus +Echinocaris +Echinocereus +Echinochloa +echinochrome +E-chinocystis +echinococcosis +echinococcus +Echinoderes +Echinoderidae +echinoderm +Echinoderma +echinodermal +Echinodermata +echinodermatous +echinodermic +Echinodorus +echinoid +Echinoidea +echinoids +echinology +echinologist +Echinomys +Echinopanax +Echinops +echinopsine +Echinorhynchus +Echinorhinidae +Echinorhinus +Echinospermum +Echinosphaerites +Echinosphaeritidae +Echinostoma +Echinostomatidae +echinostome +echinostomiasis +Echinozoa +echinulate +echinulated +echinulation +echinuliform +echinus +Echion +Echis +echitamine +Echites +Echium +echiurid +Echiurida +echiuroid +Echiuroidea +Echiurus +echnida +Echo +echocardiogram +echoed +echoey +echoencephalography +echoer +echoers +echoes +echogram +echograph +echoic +echoing +echoingly +echoism +echoisms +echoist +echoize +echoized +echoizing +Echola +echolalia +echolalic +echoless +echolocate +echolocation +Echols +echometer +echopractic +echopraxia +echos +echovirus +echowise +echt +Echuca +eciliate +ecyphellate +Eciton +ecize +Eck +Eckardt +Eckart +Eckblad +Eckehart +Eckel +Eckelson +Eckerman +Eckermann +Eckert +Eckerty +Eckhardt +Eckhart +Eckley +ecklein +Eckman +Eckmann +ECL +ECLA +eclair +eclaircise +eclaircissement +eclairissement +eclairs +eclampsia +eclamptic +eclat +eclated +eclating +eclats +eclectic +eclectical +eclectically +eclecticism +eclecticist +eclecticize +Eclectics +eclectism +eclectist +eclegm +eclegma +eclegme +eclipsable +eclipsareon +eclipsation +eclipse +eclipsed +eclipser +eclipses +eclipsing +eclipsis +eclipsises +ecliptic +ecliptical +ecliptically +ecliptics +eclogic +eclogite +eclogites +eclogue +Eclogues +eclosion +eclosions +ECLSS +ECM +ECMA +ecmnesia +ECN +ECO +eco- +ecocidal +ecocide +ecocides +ecoclimate +ecod +ecodeme +ecofreak +ecoid +ecol +ecol. +Ecole +ecoles +ecology +ecologic +ecological +ecologically +ecologies +ecologist +ecologists +ECOM +ecomomist +econ +econ. +Econah +economese +econometer +econometric +Econometrica +econometrical +econometrically +econometrician +econometrics +econometrist +Economy +economic +economical +economically +economicalness +economics +economies +economy's +economise +economised +economiser +economising +economism +economist +economists +economist's +Economite +economization +economize +economized +economizer +economizers +economizes +economizing +ecophene +ecophysiology +ecophysiological +ecophobia +ecorch +ecorche +Ecorse +ecorticate +ecosystem +ecosystems +ECOSOC +ecospecies +ecospecific +ecospecifically +ecosphere +ecossaise +ecostate +ecotype +ecotypes +ecotypic +ecotipically +ecotypically +ecotonal +ecotone +ecotones +ecotopic +ecoute +ECOWAS +ECPA +ecphasis +ecphonema +ecphonesis +ecphorable +ecphore +ecphory +ecphoria +ecphoriae +ecphorias +ecphorization +ecphorize +ecphova +ecphractic +ecphrasis +ECPT +ECR +ecrase +ecraseur +ecraseurs +ecrasite +ecrevisse +ecroulement +Ecru +ecrus +ecrustaceous +ECS +ECSA +ECSC +ecstasy +ecstasies +ecstasis +ecstasize +ecstatic +ecstatica +ecstatical +ecstatically +ecstaticize +ecstatics +ecstrophy +ECT +ect- +ectad +ectadenia +ectal +ectally +ectases +ectasia +ectasis +ectatic +ectene +ectental +ectepicondylar +ecteron +ectethmoid +ectethmoidal +Ecthesis +ecthetically +ecthyma +ecthymata +ecthymatous +ecthlipses +ecthlipsis +ectypal +ectype +ectypes +ectypography +ectiris +ecto- +ectobatic +ectoblast +ectoblastic +ectobronchium +ectocardia +Ectocarpaceae +ectocarpaceous +Ectocarpales +ectocarpic +ectocarpous +Ectocarpus +ectocelic +ectochondral +ectocinerea +ectocinereal +ectocyst +ectocoelic +ectocommensal +ectocondylar +ectocondyle +ectocondyloid +ectocornea +ectocranial +ectocrine +ectocuneiform +ectocuniform +ectodactylism +ectoderm +ectodermal +ectodermic +ectodermoidal +ectodermosis +ectoderms +ectodynamomorphic +ectoentad +ectoenzym +ectoenzyme +ectoethmoid +ectogeneous +ectogenesis +ectogenetic +ectogenic +ectogenous +ectoglia +Ectognatha +ectolecithal +ectoloph +ectomere +ectomeres +ectomeric +ectomesoblast +ectomy +ectomorph +ectomorphy +ectomorphic +ectomorphism +ectonephridium +ectoparasite +ectoparasitic +Ectoparasitica +ectopatagia +ectopatagium +ectophyte +ectophytic +ectophloic +ectopy +ectopia +ectopias +ectopic +Ectopistes +ectoplacenta +ectoplasy +ectoplasm +ectoplasmatic +ectoplasmic +ectoplastic +ectoproct +Ectoprocta +ectoproctan +ectoproctous +ectopterygoid +Ector +ectoretina +ectorganism +ectorhinal +ectosarc +ectosarcous +ectosarcs +ectoskeleton +ectosomal +ectosome +ectosphenoid +ectosphenotic +ectosphere +ectosteal +ectosteally +ectostosis +ectotheca +ectotherm +ectothermic +ectotoxin +Ectotrophi +ectotrophic +ectotropic +ectozoa +ectozoan +ectozoans +ectozoic +ectozoon +ectrodactyly +ectrodactylia +ectrodactylism +ectrodactylous +ectrogeny +ectrogenic +ectromelia +ectromelian +ectromelic +ectromelus +ectropion +ectropionization +ectropionize +ectropionized +ectropionizing +ectropium +ectropometer +ectrosyndactyly +ectrotic +ecttypal +ECU +Ecua +Ecua. +Ecuador +Ecuadoran +Ecuadorean +Ecuadorian +ecuelle +ecuelling +ecumenacy +ecumene +ecumenic +ecumenical +ecumenicalism +ecumenicality +ecumenically +ecumenicism +ecumenicist +ecumenicity +ecumenicize +ecumenics +ecumenism +ecumenist +ecumenistic +ecumenopolis +ecurie +ecus +ECV +eczema +eczemas +eczematization +eczematoid +eczematosis +eczematous +ed +ed- +ed. +EDA +EDAC +edacious +edaciously +edaciousness +edacity +edacities +Edam +Edan +Edana +edaphic +edaphically +edaphodont +edaphology +edaphon +Edaphosauria +edaphosaurid +Edaphosaurus +EdB +Edbert +EDC +Edcouch +EDD +Edda +Eddaic +Eddana +Eddas +edder +Eddi +Eddy +Eddic +Eddie +eddied +eddies +eddying +Eddina +Eddington +eddyroot +eddy's +eddish +Eddystone +Eddyville +eddy-wind +eddo +eddoes +Eddra +Ede +Edea +edeagra +Edee +edeitis +Edeline +Edelman +Edelson +Edelstein +Edelsten +edelweiss +edelweisses +edema +edemas +edemata +edematose +edematous +edemic +Eden +Edenic +edenite +Edenization +Edenize +edental +edentalous +Edentata +edentate +edentates +Edenton +edentulate +edentulous +Edenville +edeodynia +edeology +edeomania +edeoscopy +edeotomy +Ederle +EDES +Edessa +Edessan +Edessene +edestan +edestin +Edestosaurus +Edette +EDF +EDGAR +Edgard +Edgardo +Edgarton +Edgartown +Edge +edgebone +edge-bone +edgeboned +edged +Edgefield +edge-grain +edge-grained +Edgehill +Edgeley +edgeless +edgeling +Edgell +edgemaker +edgemaking +edgeman +Edgemont +Edgemoor +edger +edgerman +edgers +Edgerton +edges +edgeshot +edgestone +edge-tool +edgeway +edgeways +edge-ways +Edgewater +edgeweed +edgewise +Edgewood +Edgeworth +edgy +edgier +edgiest +edgily +edginess +edginesses +edging +edgingly +edgings +edgrew +edgrow +edh +Edhessa +Edholm +edhs +EDI +Edy +edibile +edibility +edibilities +edible +edibleness +edibles +edict +edictal +edictally +edicts +edict's +edictum +edicule +Edie +EDIF +ediface +edify +edificable +edificant +edificate +edification +edifications +edificative +edificator +edificatory +edifice +edificed +edifices +edifice's +edificial +edificing +edified +edifier +edifiers +edifies +edifying +edifyingly +edifyingness +Ediya +Edyie +Edik +edile +ediles +edility +Edin +Edina +Edinboro +Edinburg +Edinburgh +edingtonite +Edirne +Edison +edit +edit. +Edita +editable +edital +editchar +edited +Edith +Edyth +Editha +Edithe +Edythe +editing +edition +editions +edition's +editor +editorial +editorialist +editorialization +editorializations +editorialize +editorialized +editorializer +editorializers +editorializes +editorializing +editorially +editorials +editorial-writing +editor-in-chief +editors +editor's +editorship +editorships +editress +editresses +edits +edituate +Ediva +Edla +Edley +Edlin +Edlyn +Edlun +EdM +Edman +Edmanda +Edme +Edmea +Edmead +Edmee +Edmeston +Edmon +Edmond +Edmonda +Edmonde +Edmondo +Edmonds +Edmondson +Edmonson +Edmonton +Edmore +Edmund +Edmunda +Edna +Ednas +Edneyville +Edny +Ednie +EDO +Edom +Edomite +Edomitic +Edomitish +Edon +Edoni +Edora +Edouard +EDP +edplot +Edra +Edrea +Edrei +Edriasteroidea +Edric +Edrick +Edrioasteroid +Edrioasteroidea +Edriophthalma +edriophthalmatous +edriophthalmian +edriophthalmic +edriophthalmous +Edris +Edrock +Edroi +Edroy +EDS +Edsel +Edson +EDSX +EDT +EDTA +EDTCC +Eduard +Eduardo +educ +educ. +Educabilia +educabilian +educability +educable +educables +educand +educatability +educatable +educate +educated +educatedly +educatedness +educatee +educates +educating +Education +educationable +educational +educationalism +educationalist +educationally +educationary +educationese +educationist +educations +educative +educator +educatory +educators +educator's +educatress +educe +educed +educement +educes +educible +educing +educive +educt +eduction +eductions +eductive +eductor +eductors +educts +Eduino +edulcorate +edulcorated +edulcorating +edulcoration +edulcorative +edulcorator +Eduskunta +Edva +Edvard +Edveh +Edwall +Edward +Edwardean +Edwardeanism +Edwardian +Edwardianism +Edwardine +Edwards +Edwardsburg +Edwardsia +Edwardsian +Edwardsianism +Edwardsiidae +Edwardsport +Edwardsville +Edwin +Edwina +Edwyna +Edwine +ee +eebree +EEC +EECT +EEDP +EEE +EEG +eegrass +EEHO +EEI +Eeyore +eeyuch +eeyuck +Eek +EEL +eelback +eel-backed +eel-bed +eelblenny +eelblennies +eelboat +eelbob +eelbobber +eelcake +eelcatcher +eel-catching +eeler +eelery +eelfare +eel-fare +eelfish +eelgrass +eelgrasses +eely +eelier +eeliest +eeling +eellike +eelpot +eelpout +eel-pout +eelpouts +eels +eel's +eel-shaped +eelshop +eelskin +eel-skin +eelspear +eel-spear +eelware +eelworm +eelworms +EEM +eemis +een +e'en +eentsy-weentsy +EEO +EEOC +EEPROM +eequinoctium +eer +e'er +eery +eerie +eerier +eeriest +eerily +eeriness +eerinesses +eerisome +eerock +Eerotema +eesome +eeten +Eetion +EF +ef- +Efahan +Efaita +Efatese +EFD +efecks +eff +effable +efface +effaceable +effaced +effacement +effacements +effacer +effacers +effaces +effacing +effare +effascinate +effate +effatum +effect +effected +effecter +effecters +effectful +effectible +effecting +effective +effectively +effectiveness +effectivity +effectless +effector +effectors +effector's +effectress +effects +effectual +effectuality +effectualize +effectually +effectualness +effectualnesses +effectuate +effectuated +effectuates +effectuating +effectuation +effectuous +effeir +effeminacy +effeminacies +effeminate +effeminated +effeminately +effeminateness +effeminating +effemination +effeminatize +effeminisation +effeminise +effeminised +effeminising +effeminization +effeminize +effeminized +effeminizing +effendi +effendis +efference +efferent +efferently +efferents +efferous +effervesce +effervesced +effervescence +effervescences +effervescency +effervescent +effervescently +effervesces +effervescible +effervescing +effervescingly +effervescive +effet +effete +effetely +effeteness +effetman +effetmen +Effy +efficace +efficacy +efficacies +efficacious +efficaciously +efficaciousness +efficacity +efficience +efficiency +efficiencies +efficient +efficiently +Effie +Effye +effierce +effigy +effigial +effigiate +effigiated +effigiating +effigiation +effigies +effigurate +effiguration +Effingham +efflagitate +efflate +efflation +effleurage +effloresce +effloresced +efflorescence +efflorescency +efflorescent +effloresces +efflorescing +efflower +effluence +effluences +effluency +effluent +effluents +effluve +effluvia +effluviable +effluvial +effluvias +effluviate +effluviography +effluvious +effluvium +effluviums +effluvivia +effluviviums +efflux +effluxes +effluxion +effodient +Effodientia +effoliate +efforce +efford +efform +efformation +efformative +effort +effortful +effortfully +effortfulness +effortless +effortlessly +effortlessness +efforts +effort's +effossion +effraction +effractor +effray +effranchise +effranchisement +effrenate +effront +effronted +effrontery +effronteries +effs +effude +effulge +effulged +effulgence +effulgences +effulgent +effulgently +effulges +effulging +effumability +effume +effund +effuse +effused +effusely +effuses +effusing +effusiometer +effusion +effusions +effusive +effusively +effusiveness +effuso +effuviate +EFI +Efik +EFIS +efl +eflagelliferous +Efland +efoliolate +efoliose +Eforia +efoveolate +efph +efractory +Efram +EFRAP +efreet +Efrem +Efremov +Efren +Efron +EFS +eft +EFTA +eftest +Efthim +efts +eftsoon +eftsoons +EG +Eg. +EGA +egad +Egadi +egads +egal +egalitarian +egalitarianism +egalitarians +egalite +egalites +egality +egall +egally +Egan +egards +Egarton +Egba +Egbert +Egbo +Egeberg +Egede +Egegik +Egeland +egence +egency +Eger +egeran +Egeria +egers +Egerton +egest +Egesta +egested +egesting +egestion +egestions +egestive +egests +egg +eggar +eggars +eggbeater +eggbeaters +eggberry +eggberries +egg-bound +eggcrate +eggcup +eggcupful +eggcups +eggeater +egged +egger +eggers +Eggett +eggfish +eggfruit +egghead +eggheaded +eggheadedness +eggheads +egghot +eggy +eggy-hot +egging +eggler +eggless +Eggleston +egglike +eggment +eggnog +egg-nog +eggnogs +eggplant +egg-plant +eggplants +eggroll +eggrolls +eggs +egg-shaped +eggshell +egg-shell +eggshells +eggwhisk +egg-white +Egham +Egide +Egidio +Egidius +egilops +Egin +Egypt +Egyptiac +Egyptian +Egyptianisation +Egyptianise +Egyptianised +Egyptianising +Egyptianism +Egyptianization +Egyptianize +Egyptianized +Egyptianizing +egyptians +Egypticity +Egyptize +egipto +egypto- +Egypto-arabic +Egypto-greek +Egyptologer +Egyptology +Egyptologic +Egyptological +Egyptologist +Egypto-roman +egis +egises +Egk +Eglamore +eglandular +eglandulose +eglandulous +Eglanteen +Eglantine +eglantines +eglatere +eglateres +eglestonite +Eglevsky +Eglin +egling +eglogue +eglomerate +eglomise +Eglon +egma +EGmc +Egmont +Egnar +EGO +egocentric +egocentrically +egocentricity +egocentricities +egocentrism +egocentristic +Egocerus +egohood +ego-involve +egoism +egoisms +egoist +egoistic +egoistical +egoistically +egoisticalness +egoistry +egoists +egoity +egoize +egoizer +egol +egolatrous +egoless +ego-libido +egomania +egomaniac +egomaniacal +egomaniacally +egomanias +egomism +Egon +egophony +egophonic +Egor +egos +egosyntonic +egotheism +egotism +egotisms +egotist +egotistic +egotistical +egotistically +egotisticalness +egotists +egotize +egotized +egotizing +ego-trip +EGP +egracias +egranulose +egre +egregious +egregiously +egregiousness +egremoigne +EGREP +egress +egressAstronomy +egressed +egresses +egressing +egression +egressive +egressor +EGRET +egrets +Egretta +egrid +egrimony +egrimonle +egriot +egritude +egromancy +egualmente +egueiite +egurgitate +egurgitated +egurgitating +eguttulate +Egwan +Egwin +eh +Ehatisaht +Ehden +eheu +EHF +EHFA +Ehling +ehlite +Ehlke +Ehman +EHP +Ehr +Ehrenberg +Ehrenbreitstein +Ehrenburg +Ehretia +Ehretiaceae +Ehrhardt +Ehrlich +Ehrman +Ehrsam +ehrwaldite +ehtanethial +ehuawa +Ehud +Ehudd +EI +ey +EIA +eyah +eyalet +eyas +eyases +eyass +EIB +Eibar +eichbergite +Eichendorff +Eichhornia +Eichman +Eichmann +Eichstadt +eichwaldite +Eyck +eicosane +eide +Eyde +eident +eydent +eidently +eider +eiderdown +eider-down +eiderdowns +eiders +eidetic +eidetically +Eydie +eidograph +eidola +eidolic +eidolism +eidology +eidolology +eidolon +eidolons +eidoptometry +eidos +eidouranion +Eidson +eye +eyeable +eye-appealing +eyeball +eye-ball +eyeballed +eyeballing +eyeballs +eyeball-to-eyeball +eyebalm +eyebar +eyebath +eyebeam +eye-beam +eyebeams +eye-bedewing +eye-beguiling +eyeberry +eye-bewildering +eye-bewitching +eyeblack +eyeblink +eye-blinking +eye-blurred +eye-bold +eyebolt +eye-bolt +eyebolts +eyebree +eye-bree +eyebridled +eyebright +eye-brightening +eyebrow +eyebrows +eyebrow's +eye-casting +eye-catcher +eye-catching +eye-charmed +eye-checked +eye-conscious +eyecup +eyecups +eyed +eye-dazzling +eye-delighting +eye-devouring +eye-distracting +eyedness +eyednesses +eyedot +eye-draught +eyedrop +eyedropper +eyedropperful +eyedroppers +eye-earnestly +eye-filling +eyeflap +eyeful +eyefuls +eyeglance +eyeglass +eye-glass +eyeglasses +eye-glutting +eyeground +eyehole +eyeholes +eyehook +eyehooks +eyey +eyeing +Eyeish +eyelash +eye-lash +eyelashes +eyelast +Eyeleen +eyeless +eyelessness +eyelet +eyeleted +eyeleteer +eyelet-hole +eyeleting +eyelets +eyeletted +eyeletter +eyeletting +eyelid +eyelids +eyelid's +eyelight +eyelike +eyeline +eyeliner +eyeliners +eye-lotion +Eielson +eyemark +eye-minded +eye-mindedness +eyen +eye-offending +eyeopener +eye-opener +eye-opening +eye-overflowing +eye-peep +eyepiece +eyepieces +eyepiece's +eyepit +eye-pit +eye-pleasing +eyepoint +eyepoints +eyepopper +eye-popper +eye-popping +eyer +eyereach +eye-rejoicing +eye-rolling +eyeroot +eyers +eyes +eyesalve +eye-searing +eyeseed +eye-seen +eyeservant +eye-servant +eyeserver +eye-server +eyeservice +eye-service +eyeshade +eyeshades +eyeshield +eyeshine +eyeshot +eye-shot +eyeshots +eye-sick +eyesight +eyesights +eyesome +eyesore +eyesores +eye-splice +eyespot +eyespots +eye-spotted +eyess +eyestalk +eyestalks +eye-starting +eyestone +eyestones +eyestrain +eyestrains +eyestring +eye-string +eyestrings +eyeteeth +Eyetie +eyetooth +eye-tooth +eye-trying +eyewaiter +eyewash +eyewashes +eyewater +eye-watering +eyewaters +eyewear +eye-weariness +eyewink +eye-wink +eyewinker +eye-winking +eyewinks +eyewitness +eye-witness +eyewitnesses +eyewitness's +eyewort +Eifel +Eiffel +eigen- +eigenfrequency +eigenfunction +eigenspace +eigenstate +eigenvalue +eigenvalues +eigenvalue's +eigenvector +eigenvectors +Eiger +eigh +eight +eyght +eight-angled +eight-armed +eightball +eightballs +eight-celled +eight-cylinder +eight-day +eighteen +eighteenfold +eighteenmo +eighteenmos +eighteens +eighteenth +eighteenthly +eighteenths +eight-flowered +eightfoil +eightfold +eight-gauge +eighth +eighthes +eighthly +eight-hour +eighths +eighth's +eighty +eighty-eight +eighty-eighth +eighties +eightieth +eightieths +eighty-fifth +eighty-first +eighty-five +eightyfold +eighty-four +eighty-fourth +eighty-nine +eighty-niner +eighty-ninth +eighty-one +eighty-second +eighty-seven +eighty-seventh +eighty-six +eighty-sixth +eighty-third +eighty-three +eighty-two +eightling +eight-oar +eight-oared +eightpenny +eight-ply +eights +eightscore +eightsman +eightsmen +eightsome +eight-spot +eight-square +eightvo +eightvos +eight-wheeler +eigne +eying +Eijkman +eikon +eikones +Eikonogen +eikonology +eikons +eyl +eila +Eyla +Eilat +eild +Eileen +Eileithyia +eyliad +Eilis +Eilshemius +Eimak +eimer +Eimeria +Eimile +Eimmart +ein +eyn +Einar +Einberger +Eindhoven +EINE +eyne +Einhorn +einkanter +einkorn +einkorns +Einstein +Einsteinian +einsteinium +Einthoven +Eioneus +eyot +Eyota +eyoty +Eipper +eir +eyr +eyra +eirack +eyrant +eyrar +eyras +Eire +Eyre +Eireannach +eyren +Eirena +eirenarch +Eirene +eirenic +eirenicon +eyrer +eyres +eiresione +eiry +eyry +eyrie +eyries +Eirikson +eyrir +EIS +EISA +EISB +eisegeses +eisegesis +eisegetic +eisegetical +Eisele +eisell +Eisen +Eisenach +Eisenberg +Eysenck +Eisenhart +Eisenhower +Eisenstadt +Eisenstark +Eisenstein +Eiser +Eisinger +Eisk +Eysk +Eyskens +Eisler +Eisner +eisodic +eysoge +eisoptrophobia +EISS +eisteddfod +eisteddfodau +eisteddfodic +eisteddfodism +eisteddfods +Eiswein +Eiten +either +either-or +EITS +Eitzen +ejacula +ejaculate +ejaculated +ejaculates +ejaculating +ejaculation +ejaculations +ejaculative +ejaculator +ejaculatory +ejaculators +ejaculum +Ejam +EJASA +eject +ejecta +ejectable +ejectamenta +ejected +ejectee +ejecting +ejection +ejections +ejective +ejectively +ejectives +ejectivity +ejectment +ejector +ejectors +ejects +ejectum +ejicient +ejidal +ejido +ejidos +ejoo +ejulate +ejulation +ejurate +ejuration +ejusd +ejusdem +eka-aluminum +ekaboron +ekacaesium +ekaha +eka-iodine +Ekalaka +ekamanganese +ekasilicon +ekatantalum +Ekaterina +Ekaterinburg +Ekaterinodar +Ekaterinoslav +eke +ekebergite +eked +ekename +eke-name +eker +ekerite +ekes +EKG +ekhimi +eking +ekistic +ekistics +ekka +Ekoi +ekphore +ekphory +ekphoria +ekphorias +ekphorize +ekpwele +ekpweles +Ekron +Ekronite +Ekstrom +Ektachrome +ektene +ektenes +ektexine +ektexines +ektodynamorphic +EKTS +ekuele +Ekwok +el +Ela +elabor +elaborate +elaborated +elaborately +elaborateness +elaboratenesses +elaborates +elaborating +elaboration +elaborations +elaborative +elaboratively +elaborator +elaboratory +elaborators +elabrate +Elachista +Elachistaceae +elachistaceous +elacolite +Elaeagnaceae +elaeagnaceous +Elaeagnus +Elaeis +elaenia +elaeo- +elaeoblast +elaeoblastic +Elaeocarpaceae +elaeocarpaceous +Elaeocarpus +Elaeococca +Elaeodendron +elaeodochon +elaeomargaric +elaeometer +elaeopten +elaeoptene +elaeosaccharum +elaeosia +elaeothesia +elaeothesium +Elagabalus +Elah +elaic +elaidate +elaidic +elaidin +elaidinic +elayl +elain +Elaina +Elaine +Elayne +elains +elaioleucite +elaioplast +elaiosome +Elais +Elam +Elamite +Elamitic +Elamitish +elamp +elan +Elana +elance +Eland +elands +Elane +elanet +elans +Elanus +elao- +Elaphe +Elaphebolia +Elaphebolion +elaphine +Elaphodus +Elaphoglossum +Elaphomyces +Elaphomycetaceae +Elaphrium +elaphure +elaphurine +Elaphurus +elapid +Elapidae +elapids +Elapinae +elapine +elapoid +Elaps +elapse +elapsed +elapses +elapsing +Elapsoidea +Elara +elargement +ELAS +elasmobranch +elasmobranchian +elasmobranchiate +Elasmobranchii +elasmosaur +Elasmosaurus +elasmothere +Elasmotherium +elastance +elastase +elastases +elastic +elastica +elastically +elasticate +elastician +elasticin +elasticity +elasticities +elasticize +elasticized +elasticizer +elasticizes +elasticizing +elasticness +elastics +elastic-seeming +elastic-sided +elasticum +elastin +elastins +elastivity +elastomer +elastomeric +elastomers +elastometer +elastometry +Elastoplast +elastose +Elat +Elata +elatcha +elate +elated +elatedly +elatedness +elater +elatery +elaterid +Elateridae +elaterids +elaterin +elaterins +elaterist +elaterite +elaterium +elateroid +elaterometer +elaters +elates +Elath +Elatha +Elatia +Elatinaceae +elatinaceous +Elatine +elating +elation +elations +elative +elatives +elator +elatrometer +Elatus +Elazaro +Elazig +elb +Elba +Elbart +Elbassan +Elbe +Elberfeld +Elberon +Elbert +Elberta +Elbertina +Elbertine +Elberton +El-beth-el +Elbie +Elbing +Elbl +Elblag +Elboa +elboic +elbow +elbowboard +elbowbush +elbowchair +elbowed +elbower +elbowy +elbowing +elbowpiece +elbowroom +elbows +elbow-shaped +Elbridge +Elbring +Elbrus +Elbruz +elbuck +Elburn +Elburr +Elburt +Elburtz +ELC +elcaja +Elche +elchee +Elcho +Elco +Elconin +eld +Elda +Elden +Eldena +Elder +elderberry +elderberries +elder-born +elder-brother +elderbrotherhood +elderbrotherish +elderbrotherly +elderbush +elderhood +elder-leaved +elderly +elderlies +elderliness +elderling +elderman +eldermen +eldern +Elderon +elders +eldership +elder-sister +eldersisterly +Eldersville +Elderton +elderwoman +elderwomen +elderwood +elderwort +eldest +eldest-born +eldfather +Eldin +elding +eldmother +ELDO +Eldon +Eldora +Eldorado +Eldoree +Eldoria +Eldred +Eldreda +Eldredge +Eldreeda +eldress +eldrich +Eldrid +Eldrida +Eldridge +eldritch +elds +Eldwen +Eldwin +Eldwon +Eldwun +Ele +Elea +Elean +Elean-eretrian +Eleanor +Eleanora +Eleanore +Eleatic +Eleaticism +Eleazar +elec +elecampane +elechi +elecive +elecives +elect +elect. +electability +electable +electant +electary +elected +electee +electees +electic +electicism +electing +election +electionary +electioneer +electioneered +electioneerer +electioneering +electioneers +elections +election's +elective +electively +electiveness +electives +electivism +electivity +electly +electo +elector +electoral +electorally +electorate +electorates +electorial +electors +elector's +electorship +electr- +Electra +electragy +electragist +electral +electralize +electre +electrepeter +electress +electret +electrets +electric +electrical +electricalize +electrically +electricalness +electrican +electricans +electric-drive +electric-heat +electric-heated +electrician +electricians +electricity +electricities +electricize +electric-lighted +electric-powered +electrics +Electrides +electriferous +electrify +electrifiable +electrification +electrifications +electrified +electrifier +electrifiers +electrifies +electrifying +electrine +electrion +Electryon +electrionic +electrizable +electrization +electrize +electrized +electrizer +electrizing +electro +electro- +electroacoustic +electroacoustical +electroacoustically +electroacoustics +electroaffinity +electroamalgamation +electroanalysis +electroanalytic +electroanalytical +electroanesthesia +electroballistic +electroballistically +electroballistician +electroballistics +electrobath +electrobiology +electro-biology +electrobiological +electrobiologically +electrobiologist +electrobioscopy +electroblasting +electrobrasser +electrobus +electrocapillary +electrocapillarity +electrocardiogram +electrocardiograms +electrocardiograph +electrocardiography +electrocardiographic +electrocardiographically +electrocardiographs +electrocatalysis +electrocatalytic +electrocataphoresis +electrocataphoretic +electrocautery +electrocauteries +electrocauterization +electroceramic +electrochemical +electrochemically +electrochemist +electrochemistry +electrochronograph +electrochronographic +electrochronometer +electrochronometric +electrocystoscope +electrocoagulation +electrocoating +electrocolloidal +electrocontractility +electroconvulsive +electrocorticogram +electrocratic +electroculture +electrocute +electrocuted +electrocutes +electrocuting +electrocution +electrocutional +electrocutioner +electrocutions +electrode +electrodeless +electrodentistry +electrodeposit +electrodepositable +electrodeposition +electrodepositor +electrodes +electrode's +electrodesiccate +electrodesiccation +electrodiagnoses +electrodiagnosis +electrodiagnostic +electrodiagnostically +electrodialyses +electrodialysis +electrodialitic +electrodialytic +electrodialitically +electrodialyze +electrodialyzer +electrodynamic +electrodynamical +electrodynamics +electrodynamism +electrodynamometer +electrodiplomatic +electrodispersive +electrodissolution +electroed +electroencephalogram +electroencephalograms +electroencephalograph +electroencephalography +electroencephalographic +electroencephalographical +electroencephalographically +electroencephalographs +electroendosmose +electroendosmosis +electroendosmotic +electroengrave +electroengraving +electroergometer +electroetching +electroethereal +electroextraction +electrofishing +electroform +electroforming +electrofuse +electrofused +electrofusion +electrogalvanic +electrogalvanization +electrogalvanize +electrogasdynamics +electrogenesis +electrogenetic +electrogenic +electrogild +electrogilding +electrogilt +electrogram +electrograph +electrography +electrographic +electrographite +electrograving +electroharmonic +electrohemostasis +electrohydraulic +electrohydraulically +electrohomeopathy +electrohorticulture +electroimpulse +electroindustrial +electroing +electroionic +electroirrigation +electrojet +electrokinematics +electrokinetic +electrokinetics +electroless +electrolier +electrolysation +electrolyse +electrolysed +electrolyser +electrolyses +electrolysing +electrolysis +electrolysises +electrolyte +electrolytes +electrolyte's +electrolithotrity +electrolytic +electrolytical +electrolytically +electrolyzability +electrolyzable +electrolyzation +electrolyze +electrolyzed +electrolyzer +electrolyzing +electrology +electrologic +electrological +electrologist +electrologists +electroluminescence +electroluminescent +electromagnet +electro-magnet +electromagnetally +electromagnetic +electromagnetical +electromagnetically +electromagnetics +electromagnetism +electromagnetist +electromagnetize +electromagnets +electromassage +electromechanical +electromechanically +electromechanics +electromedical +electromer +electromeric +electromerism +electrometallurgy +electrometallurgical +electrometallurgist +electrometeor +electrometer +electrometry +electrometric +electrometrical +electrometrically +electromyogram +electromyograph +electromyography +electromyographic +electromyographical +electromyographically +electromobile +electromobilism +electromotion +electromotiv +electromotive +electromotivity +electromotograph +electromotor +electromuscular +electron +electronarcosis +electronegative +electronegativity +electronervous +electroneutral +electroneutrality +electronic +electronically +electronics +electronography +electronographic +electrons +electron's +electronvolt +electron-volt +electrooculogram +electrooptic +electrooptical +electrooptically +electrooptics +electroori +electroosmosis +electro-osmosis +electroosmotic +electro-osmotic +electroosmotically +electro-osmotically +electrootiatrics +electropathy +electropathic +electropathology +electropercussive +electrophilic +electrophilically +electrophysicist +electrophysics +electrophysiology +electrophysiologic +electrophysiological +electrophysiologically +electrophysiologist +electrophobia +electrophone +electrophonic +electrophonically +electrophore +electrophorese +electrophoresed +electrophoreses +electrophoresing +electrophoresis +electrophoretic +electrophoretically +electrophoretogram +electrophori +electrophoric +Electrophoridae +electrophorus +electrophotography +electrophotographic +electrophotometer +electrophotometry +electrophotomicrography +electrophototherapy +electrophrenic +electropyrometer +electropism +electroplaque +electroplate +electroplated +electroplater +electroplates +electroplating +electroplax +electropneumatic +electropneumatically +electropoion +electropolar +electropolish +electropositive +electropotential +electropower +electropsychrometer +electropult +electropuncturation +electropuncture +electropuncturing +electroreceptive +electroreduction +electrorefine +electrorefining +electroresection +electroretinogram +electroretinograph +electroretinography +electroretinographic +electros +electroscission +electroscope +electroscopes +electroscopic +electrosensitive +electrosherardizing +electroshock +electroshocks +electrosynthesis +electrosynthetic +electrosynthetically +electrosmosis +electrostatic +electrostatical +electrostatically +electrostatics +electrosteel +electrostenolysis +electrostenolytic +electrostereotype +electrostriction +electrostrictive +electrosurgery +electrosurgeries +electrosurgical +electrosurgically +electrotactic +electrotautomerism +electrotaxis +electrotechnic +electrotechnical +electrotechnician +electrotechnics +electrotechnology +electrotechnologist +electrotelegraphy +electrotelegraphic +electrotelethermometer +electrotellurograph +electrotest +electrothanasia +electrothanatosis +electrotherapeutic +electrotherapeutical +electrotherapeutics +electrotherapeutist +electrotherapy +electrotherapies +electrotherapist +electrotheraputic +electrotheraputical +electrotheraputically +electrotheraputics +electrothermal +electrothermally +electrothermancy +electrothermic +electrothermics +electrothermometer +electrothermostat +electrothermostatic +electrothermotic +electrotype +electrotyped +electrotyper +electrotypes +electrotypy +electrotypic +electrotyping +electrotypist +electrotitration +electrotonic +electrotonicity +electrotonize +electrotonus +electrotrephine +electrotropic +electrotropism +electro-ultrafiltration +electrovalence +electrovalency +electrovalent +electrovalently +electrovection +electroviscous +electrovital +electrowin +electrowinning +electrum +electrums +elects +electuary +electuaries +eledoisin +eledone +Eleele +eleemosinar +eleemosynar +eleemosynary +eleemosynarily +eleemosynariness +Eleen +elegance +elegances +elegancy +elegancies +elegant +elegante +eleganter +elegantly +elegy +elegiac +elegiacal +elegiacally +elegiacs +elegiambic +elegiambus +elegiast +elegibility +elegies +elegious +elegise +elegised +elegises +elegising +elegist +elegists +elegit +elegits +elegize +elegized +elegizes +elegizing +Eleia +eleidin +elektra +Elektron +elelments +elem +elem. +eleme +element +elemental +elementalism +elementalist +elementalistic +elementalistically +elementality +elementalize +elementally +elementaloid +elementals +elementary +elementarily +elementariness +elementarism +elementarist +elementarity +elementate +elementish +elementoid +elements +element's +elemi +elemicin +elemin +elemis +elemol +elemong +Elena +elench +elenchi +elenchic +elenchical +elenchically +elenchize +elenchtic +elenchtical +elenchus +elenctic +elenctical +Elene +elenge +elengely +elengeness +Eleni +Elenor +Elenore +eleoblast +Eleocharis +eleolite +eleomargaric +eleometer +Eleonora +Eleonore +eleonorite +eleoplast +eleoptene +eleostearate +eleostearic +eleotrid +elepaio +Eleph +elephancy +elephant +elephanta +elephantiac +elephantiases +elephantiasic +elephantiasis +elephantic +elephanticide +Elephantidae +elephantine +elephantlike +elephantoid +elephantoidal +Elephantopus +elephantous +elephantry +elephants +elephant's +elephant's-ear +elephant's-foot +elephant's-foots +Elephas +Elephus +Elery +Eleroy +Elettaria +eleuin +Eleusine +Eleusinia +Eleusinian +Eleusinianism +Eleusinion +Eleusis +Eleut +Eleuthera +eleutherarch +Eleutheri +Eleutheria +Eleutherian +Eleutherios +eleutherism +Eleutherius +eleuthero- +Eleutherococcus +eleutherodactyl +Eleutherodactyli +Eleutherodactylus +eleutheromania +eleutheromaniac +eleutheromorph +eleutheropetalous +eleutherophyllous +eleutherophobia +eleutherosepalous +Eleutherozoa +eleutherozoan +elev +Eleva +elevable +elevate +elevated +elevatedly +elevatedness +elevates +elevating +elevatingly +elevation +elevational +elevations +elevato +elevator +elevatory +elevators +elevator's +eleve +eleven +elevener +elevenfold +eleven-oclock-lady +eleven-plus +elevens +elevenses +eleventeenth +eleventh +eleventh-hour +eleventhly +elevenths +elevon +elevons +Elevs +Elexa +ELF +elfdom +elfenfolk +Elfers +elf-god +elfhood +elfic +Elfie +elfin +elfins +elfin-tree +elfinwood +elfish +elfishly +elfishness +elfkin +elfland +elflike +elflock +elf-lock +elflocks +Elfont +Elfreda +Elfrida +Elfrieda +elfship +elf-shoot +elf-shot +Elfstan +elf-stricken +elf-struck +elf-taken +elfwife +elfwort +Elga +Elgan +Elgar +Elgenia +Elger +Elgin +Elgon +elhi +Eli +Ely +Elia +Eliades +Elian +Elianic +Elianora +Elianore +Elias +eliasite +Eliason +Eliasville +Eliath +Eliathan +Eliathas +elychnious +Elicia +elicit +elicitable +elicitate +elicitation +elicited +eliciting +elicitor +elicitory +elicitors +elicits +Elicius +Elida +Elidad +elide +elided +elides +elidible +eliding +elydoric +Elie +Eliezer +Eliga +eligenda +eligent +eligibility +eligibilities +eligible +eligibleness +eligibles +eligibly +Elihu +Elijah +Elik +Elymi +eliminability +eliminable +eliminand +eliminant +eliminate +eliminated +eliminates +eliminating +elimination +eliminations +eliminative +eliminator +eliminatory +eliminators +Elymus +Elyn +elinguate +elinguated +elinguating +elinguation +elingued +Elinor +Elinore +elint +elints +Elinvar +Eliot +Elyot +Eliott +Eliphalet +Eliphaz +eliquate +eliquated +eliquating +eliquation +eliquidate +Elyria +Elis +Elys +Elisa +Elisabet +Elisabeth +Elisabethville +Elisabetta +Elisavetgrad +Elisavetpol +Elysburg +Elise +Elyse +Elisee +Elysee +Eliseo +Eliseus +Elish +Elisha +Elysha +Elishah +Elisia +Elysia +Elysian +Elysiidae +elision +elisions +Elysium +Elison +elisor +Elissa +Elyssa +Elista +Elita +elite +elites +elitism +elitisms +elitist +elitists +elytr- +elytra +elytral +elytriferous +elytriform +elytrigerous +elytrin +elytrocele +elytroclasia +elytroid +elytron +elytroplastic +elytropolypus +elytroposis +elytroptosis +elytrorhagia +elytrorrhagia +elytrorrhaphy +elytrostenosis +elytrotomy +elytrous +elytrtra +elytrum +Elyutin +elix +elixate +elixation +elixed +elixir +elixirs +elixiviate +Eliz +Eliz. +Eliza +Elizabet +Elizabeth +Elizabethan +Elizabethanism +Elizabethanize +elizabethans +Elizabethton +Elizabethtown +Elizabethville +Elizaville +elk +Elka +Elkader +Elkanah +Elkdom +Elke +Elkesaite +elk-grass +Elkhart +Elkhorn +elkhound +elkhounds +Elkin +Elkins +Elkland +Elkmont +Elkmound +Elko +Elkoshite +Elkport +elks +elk's +elkslip +Elkton +Elkuma +Elkview +Elkville +Elkwood +Ell +Ella +Ellabell +ellachick +Elladine +ellagate +ellagic +ellagitannin +Ellamae +Ellamay +Ellamore +Ellan +Ellard +Ellary +Ellas +Ellasar +Ellata +Ellaville +ell-broad +Elldridge +ELLE +ellebore +elleck +Ellen +Ellenboro +Ellenburg +Ellendale +Ellene +ellenyard +Ellensburg +Ellenton +Ellenville +Ellenwood +Ellerbe +Ellerd +Ellerey +Ellery +Ellerian +Ellersick +Ellerslie +Ellett +Ellette +Ellettsville +ellfish +Ellga +Elli +Elly +Ellice +Ellick +Ellicott +Ellicottville +Ellie +Ellijay +El-lil +Ellin +Ellyn +elling +ellinge +Ellinger +Ellingston +Ellington +Ellynn +Ellinwood +Elliot +Elliott +Elliottsburg +Elliottville +ellipse +ellipses +ellipse's +ellipsis +ellipsograph +ellipsoid +ellipsoidal +ellipsoids +ellipsoid's +ellipsometer +ellipsometry +ellipsone +ellipsonic +elliptic +elliptical +elliptically +ellipticalness +ellipticity +elliptic-lanceolate +elliptic-leaved +elliptograph +elliptoid +Ellis +Ellisburg +Ellison +Ellissa +Elliston +Ellisville +Ellita +ell-long +Ellmyer +Ellon +ellops +Ellora +Ellord +Elloree +ells +Ellsinore +Ellston +Ellswerth +Ellsworth +ellwand +ell-wand +ell-wide +Ellwood +ELM +Elma +Elmajian +Elmaleh +Elman +Elmaton +Elmdale +Elmendorf +Elmer +Elmhall +Elmhurst +elmy +elmier +elmiest +Elmina +Elmira +elm-leaved +Elmmott +Elmo +Elmont +Elmonte +Elmora +Elmore +elms +Elmsford +Elmwood +Elna +Elnar +elne +Elnora +Elnore +ELO +Eloah +elocation +elocular +elocute +elocution +elocutionary +elocutioner +elocutionist +elocutionists +elocutionize +elocutions +elocutive +elod +Elodea +Elodeaceae +elodeas +Elodes +Elodia +Elodie +eloge +elogy +elogium +Elohim +Elohimic +Elohism +Elohist +Elohistic +Eloy +eloign +eloigned +eloigner +eloigners +eloigning +eloignment +eloigns +eloin +eloine +eloined +eloiner +eloiners +eloining +eloinment +eloins +Eloisa +Eloise +Eloyse +Elon +elong +elongate +elongated +elongates +elongating +elongation +elongations +elongative +elongato-conical +elongato-ovate +Elonite +Elonore +elope +eloped +elopement +elopements +eloper +elopers +elopes +Elopidae +eloping +elops +eloquence +eloquent +eloquential +eloquently +eloquentness +Elora +Elotherium +elotillo +ELP +elpasolite +Elpenor +elpidite +elrage +Elreath +elric +Elrica +elritch +Elrod +Elroy +elroquite +els +Elsa +Elsah +Elsan +Elsass +Elsass-Lothringen +Elsberry +Elsbeth +Elsdon +Else +elsehow +Elsey +Elsene +elses +Elset +Elsevier +elseways +elsewards +elsewhat +elsewhen +elsewhere +elsewheres +elsewhither +elsewise +elshin +Elsholtzia +Elsi +Elsy +Elsie +elsin +Elsinore +Elsmere +Elsmore +Elson +Elspet +Elspeth +Elstan +Elston +Elsworth +ELT +eltime +Elton +eltrot +eluant +eluants +Eluard +eluate +eluated +eluates +eluating +elucid +elucidate +elucidated +elucidates +elucidating +elucidation +elucidations +elucidative +elucidator +elucidatory +elucidators +eluctate +eluctation +elucubrate +elucubration +elude +eluded +eluder +eluders +eludes +eludible +eluding +eluent +eluents +Elul +Elum +elumbated +Elura +Elurd +elusion +elusions +elusive +elusively +elusiveness +elusivenesses +elusory +elusoriness +elute +eluted +elutes +eluting +elution +elutions +elutor +elutriate +elutriated +elutriating +elutriation +elutriator +eluvia +eluvial +eluviate +eluviated +eluviates +eluviating +eluviation +eluvies +eluvium +eluviums +eluvivia +eluxate +ELV +Elva +Elvah +elvan +elvanite +elvanitic +Elvaston +elve +elver +Elvera +Elverda +elvers +Elverson +Elverta +elves +elvet +Elvia +Elvie +Elvin +Elvyn +Elvina +Elvine +Elvira +Elvis +elvish +elvishly +Elvita +Elwaine +Elwee +Elwell +Elwin +Elwyn +Elwina +Elwira +Elwood +Elzevier +Elzevir +Elzevirian +EM +em- +'em +EMA +emacerate +emacerated +emaceration +emaciate +emaciated +emaciates +emaciating +emaciation +emaciations +EMACS +emaculate +Emad +emagram +EMAIL +emailed +emajagua +Emalee +Emalia +emamelware +emanant +emanate +emanated +emanates +emanating +emanation +emanational +emanationism +emanationist +emanations +emanatism +emanatist +emanatistic +emanativ +emanative +emanatively +emanator +emanatory +emanators +emancipatation +emancipatations +emancipate +emancipated +emancipates +emancipating +emancipation +emancipationist +emancipations +emancipatist +emancipative +emancipator +emancipatory +emancipators +emancipatress +emancipist +emandibulate +emane +emanent +emanium +Emanuel +Emanuela +Emanuele +emarcid +emarginate +emarginated +emarginately +emarginating +emargination +Emarginula +Emarie +emasculatation +emasculatations +emasculate +emasculated +emasculates +emasculating +emasculation +emasculations +emasculative +emasculator +emasculatory +emasculators +Emathion +embace +embacle +Embadomonas +embay +embayed +embaying +embayment +embain +embays +embale +emball +emballonurid +Emballonuridae +emballonurine +embalm +embalmed +embalmer +embalmers +embalming +embalmment +embalms +embank +embanked +embanking +embankment +embankments +embanks +embannered +embaphium +embar +embarcadero +embarcation +embarge +embargo +embargoed +embargoes +embargoing +embargoist +embargos +embark +embarkation +embarkations +embarked +embarking +embarkment +embarks +embarment +embarque +embarras +embarrased +embarrass +embarrassed +embarrassedly +embarrasses +embarrassing +embarrassingly +embarrassment +embarrassments +embarred +embarrel +embarren +embarricado +embarring +embars +embase +embassade +embassador +embassadress +embassage +embassy +embassiate +embassies +embassy's +embastardize +embastioned +embathe +embatholithic +embattle +embattled +embattlement +embattles +embattling +Embden +embeam +embed +embeddable +embedded +embedder +embedding +embedment +embeds +embeggar +Embelia +embelic +embelif +embelin +embellish +embellished +embellisher +embellishers +embellishes +embellishing +embellishment +embellishments +embellishment's +ember +embergeese +embergoose +Emberiza +emberizidae +Emberizinae +emberizine +embers +embetter +embezzle +embezzled +embezzlement +embezzlements +embezzler +embezzlers +embezzles +embezzling +embiid +Embiidae +Embiidina +embillow +embind +Embiodea +Embioptera +embiotocid +Embiotocidae +embiotocoid +embira +embitter +embittered +embitterer +embittering +embitterment +embitterments +embitters +Embla +embladder +emblanch +emblaze +emblazed +emblazer +emblazers +emblazes +emblazing +emblazon +emblazoned +emblazoner +emblazoning +emblazonment +emblazonments +emblazonry +emblazons +emblem +emblema +emblematic +emblematical +emblematically +emblematicalness +emblematicize +emblematise +emblematised +emblematising +emblematist +emblematize +emblematized +emblematizing +emblematology +emblemed +emblement +emblements +embleming +emblemish +emblemist +emblemize +emblemized +emblemizing +emblemology +emblems +emblic +embliss +embloom +emblossom +embody +embodied +embodier +embodiers +embodies +embodying +embodiment +embodiments +embodiment's +embog +embogue +emboil +emboite +emboitement +emboites +embol- +embolden +emboldened +emboldener +emboldening +emboldens +embole +embolectomy +embolectomies +embolemia +emboli +emboly +embolic +embolies +emboliform +embolimeal +embolism +embolismic +embolisms +embolismus +embolite +embolium +embolization +embolize +embolo +embololalia +embolomalerism +Embolomeri +embolomerism +embolomerous +embolomycotic +embolon +emboltement +embolum +embolus +embonpoint +emborder +embordered +embordering +emborders +emboscata +embosk +embosked +embosking +embosks +embosom +embosomed +embosoming +embosoms +emboss +embossable +embossage +embossed +embosser +embossers +embosses +embossing +embossman +embossmen +embossment +embossments +embost +embosture +embottle +embouchement +embouchment +embouchure +embouchures +embound +embourgeoisement +embow +embowed +embowel +emboweled +emboweler +emboweling +embowelled +emboweller +embowelling +embowelment +embowels +embower +embowered +embowering +embowerment +embowers +embowing +embowl +embowment +embows +embox +embrace +embraceable +embraceably +embraced +embracement +embraceor +embraceorr +embracer +embracery +embraceries +embracers +embraces +embracing +embracingly +embracingness +embracive +embraciveg +embraid +embrail +embrake +embranchment +embrangle +embrangled +embranglement +embrangling +embrase +embrasure +embrasured +embrasures +embrasuring +embrave +embrawn +embreach +embread +embreastment +embreathe +embreathement +embrectomy +embrew +Embry +embry- +Embrica +embryectomy +embryectomies +embright +embrighten +embryo +embryocardia +embryoctony +embryoctonic +embryoferous +embryogenesis +embryogenetic +embryogeny +embryogenic +embryogony +embryographer +embryography +embryographic +embryoid +embryoism +embryol +embryol. +embryology +embryologic +embryological +embryologically +embryologies +embryologist +embryologists +embryoma +embryomas +embryomata +embryon +embryon- +embryonal +embryonally +embryonary +embryonate +embryonated +embryony +embryonic +embryonically +embryoniferous +embryoniform +embryons +embryopathology +embryophagous +Embryophyta +embryophyte +embryophore +embryoplastic +embryos +embryo's +embryoscope +embryoscopic +embryotega +embryotegae +embryotic +embryotome +embryotomy +embryotomies +embryotroph +embryotrophe +embryotrophy +embryotrophic +embryous +embrittle +embrittled +embrittlement +embrittling +embryulci +embryulcia +embryulculci +embryulcus +embryulcuses +embroaden +embrocado +embrocate +embrocated +embrocates +embrocating +embrocation +embrocations +embroche +embroglio +embroglios +embroider +embroidered +embroiderer +embroiderers +embroideress +embroidery +embroideries +embroidering +embroiders +embroil +embroiled +embroiler +embroiling +embroilment +embroilments +embroils +embronze +embroscopic +embrothelled +embrowd +embrown +embrowned +embrowning +embrowns +embrue +embrued +embrues +embruing +embrute +embruted +embrutes +embruting +embubble +Embudo +embue +embuia +embulk +embull +embus +embush +embusy +embusk +embuskin +embusqu +embusque +embussed +embussing +EMC +emcee +emceed +emceeing +emcees +emceing +emcumbering +emda +Emden +eme +Emee +emeer +emeerate +emeerates +emeers +emeership +Emeigh +Emelda +Emelen +Emelia +Emelin +Emelina +Emeline +Emelyne +Emelita +Emelle +Emelun +emend +emendable +emendandum +emendate +emendated +emendately +emendates +emendating +emendation +emendations +emendator +emendatory +emended +emender +emenders +emendicate +emending +emends +emer +Emera +Emerado +Emerald +emerald-green +emeraldine +emeralds +emerald's +emerant +emeras +emeraude +emerge +emerged +emergence +emergences +emergency +emergencies +emergency's +emergent +emergently +emergentness +emergents +emergers +emerges +emerging +Emery +Emeric +Emerick +emeried +emeries +emerying +emeril +emerit +Emerita +emeritae +emerited +emeriti +emeritus +emerituti +Emeryville +emerize +emerized +emerizing +emerod +emerods +emeroid +emeroids +emerse +emersed +Emersen +emersion +emersions +Emerson +Emersonian +Emersonianism +emes +Emesa +Eme-sal +emeses +Emesidae +emesis +EMet +emetatrophia +emetia +emetic +emetical +emetically +emetics +emetin +emetine +emetines +emetins +emetocathartic +emeto-cathartic +emetology +emetomorphine +emetophobia +emeu +emeus +emeute +emeutes +EMF +emforth +emgalla +emhpasizing +EMI +emia +emic +emicant +emicate +emication +emiction +emictory +emyd +emyde +Emydea +emydes +emydian +Emydidae +Emydinae +Emydosauria +emydosaurian +emyds +Emie +emigate +emigated +emigates +emigating +emigr +emigrant +emigrants +emigrant's +emigrate +emigrated +emigrates +emigrating +emigration +emigrational +emigrationist +emigrations +emigrative +emigrator +emigratory +emigre +emigree +emigres +Emigsville +Emil +Emile +Emyle +Emilee +Emylee +Emili +Emily +Emilia +Emiliano +Emilia-Romagna +Emilie +Emiline +Emilio +Emim +Emina +Eminence +eminences +eminency +eminencies +eminent +eminently +Eminescu +Emington +emir +emirate +emirates +emirs +emirship +Emys +Emiscan +Emison +emissary +emissaria +emissaries +emissaryship +emissarium +emissi +emissile +emission +emissions +emissitious +emissive +emissivity +emissory +emit +Emitron +emits +emittance +emitted +emittent +emitter +emitters +emitting +EML +Emlen +Emlenton +Emlin +Emlyn +Emlynn +Emlynne +Emm +Emma +Emmalee +Emmalena +Emmalyn +Emmaline +Emmalynn +Emmalynne +emmantle +Emmanuel +emmarble +emmarbled +emmarbling +emmarvel +Emmaus +Emmey +Emmeleen +emmeleia +Emmelene +Emmelina +Emmeline +Emmen +emmenagogic +emmenagogue +emmenia +emmenic +emmeniopathy +emmenology +emmensite +Emmental +Emmentaler +Emmenthal +Emmenthaler +Emmer +Emmeram +emmergoose +Emmery +Emmerich +Emmerie +emmers +Emmet +emmetrope +emmetropy +emmetropia +emmetropic +emmetropism +emmets +Emmetsburg +Emmett +emmew +Emmi +Emmy +Emmie +Emmye +Emmies +Emmylou +Emmit +Emmitsburg +Emmonak +Emmons +Emmott +emmove +Emmuela +emodin +emodins +Emogene +emollescence +emolliate +emollience +emollient +emollients +emollition +emoloa +emolument +emolumental +emolumentary +emoluments +emong +emony +Emory +emote +emoted +emoter +emoters +emotes +emoting +emotiometabolic +emotiomotor +emotiomuscular +emotion +emotionable +emotional +emotionalise +emotionalised +emotionalising +emotionalism +emotionalist +emotionalistic +emotionality +emotionalization +emotionalize +emotionalized +emotionalizing +emotionally +emotioned +emotionist +emotionize +emotionless +emotionlessly +emotionlessness +emotions +emotion's +emotiovascular +emotive +emotively +emotiveness +emotivism +emotivity +emove +EMP +Emp. +empacket +empaestic +empair +empaistic +empale +empaled +empalement +empaler +empalers +empales +empaling +empall +empanada +empanel +empaneled +empaneling +empanelled +empanelling +empanelment +empanels +empannel +empanoply +empaper +emparadise +emparchment +empark +emparl +empasm +empasma +empassion +empathetic +empathetically +empathy +empathic +empathically +empathies +empathize +empathized +empathizes +empathizing +empatron +empearl +Empedoclean +Empedocles +empeine +empeirema +empemata +empennage +empennages +Empeo +empeople +empeopled +empeoplement +emperess +empery +emperies +emperil +emperish +emperize +emperor +emperors +emperor's +emperorship +empest +empestic +Empetraceae +empetraceous +empetrous +Empetrum +empexa +emphase +emphases +emphasis +emphasise +emphasised +emphasising +emphasize +emphasized +emphasizes +emphasizing +emphatic +emphatical +emphatically +emphaticalness +emphemeralness +emphysema +emphysemas +emphysematous +emphyteusis +emphyteuta +emphyteutic +emphlysis +emphractic +emphraxis +emphrensy +empicture +Empididae +Empidonax +empiecement +empyema +empyemas +empyemata +empyemic +empierce +empiercement +empyesis +empight +empyocele +Empire +empyreal +empyrean +empyreans +empire-builder +empirema +empires +empire's +empyreum +empyreuma +empyreumata +empyreumatic +empyreumatical +empyreumatize +empiry +empiric +empirical +empyrical +empirically +empiricalness +empiricism +empiricist +empiricists +empiricist's +empirics +Empirin +empiriocritcism +empiriocritical +empiriological +empirism +empiristic +empyromancy +empyrosis +emplace +emplaced +emplacement +emplacements +emplaces +emplacing +emplane +emplaned +emplanement +emplanes +emplaning +emplaster +emplastic +emplastra +emplastration +emplastrum +emplead +emplectic +emplection +emplectite +emplecton +empleomania +employ +employability +employable +employe +employed +employee +employees +employee's +employer +employer-owned +employers +employer's +employes +employing +employless +employment +employments +employment's +employs +emplore +emplume +emplunge +empocket +empodia +empodium +empoison +empoisoned +empoisoner +empoisoning +empoisonment +empoisons +empolder +emporetic +emporeutic +empory +Emporia +emporial +emporiria +empoririums +Emporium +emporiums +emporte +emportment +empover +empoverish +empower +empowered +empowering +empowerment +empowers +emprent +empresa +empresario +EMPRESS +empresse +empressement +empressements +empresses +empressment +emprime +emprint +emprise +emprises +emprison +emprize +emprizes +emprosthotonic +emprosthotonos +emprosthotonus +Empson +empt +empty +emptiable +empty-armed +empty-barreled +empty-bellied +emptied +emptier +emptiers +empties +emptiest +empty-fisted +empty-handed +empty-handedness +empty-headed +empty-headedness +emptyhearted +emptying +emptily +empty-looking +empty-minded +empty-mindedness +empty-mouthed +emptiness +emptinesses +emptings +empty-noddled +emptins +emptio +emption +emptional +empty-paneled +empty-pated +emptysis +empty-skulled +empty-stomached +empty-vaulted +emptive +empty-voiced +emptor +emptores +emptory +empurple +empurpled +empurples +empurpling +Empusa +Empusae +empuzzle +EMR +emraud +Emrich +emrode +EMS +Emsmus +Emsworth +EMT +EMU +emulable +emulant +emulate +emulated +emulates +emulating +emulation +emulations +emulative +emulatively +emulator +emulatory +emulators +emulator's +emulatress +emule +emulge +emulgence +emulgens +emulgent +emulous +emulously +emulousness +emuls +emulsibility +emulsible +emulsic +emulsify +emulsifiability +emulsifiable +emulsification +emulsifications +emulsified +emulsifier +emulsifiers +emulsifies +emulsifying +emulsin +emulsion +emulsionize +emulsions +emulsive +emulsoid +emulsoidal +emulsoids +emulsor +emunct +emunctory +emunctories +emundation +emunge +emus +emuscation +emusify +emusified +emusifies +emusifying +emusive +emu-wren +en +en- +Ena +enable +enabled +enablement +enabler +enablers +enables +enabling +enact +enactable +enacted +enacting +enaction +enactive +enactment +enactments +enactor +enactory +enactors +enacts +enacture +enaena +enage +Enajim +Enalda +enalid +Enaliornis +enaliosaur +Enaliosauria +enaliosaurian +enalyron +enalite +enallachrome +enallage +enaluron +Enalus +enam +enamber +enambush +enamdar +enamel +enameled +enameler +enamelers +enameling +enamelist +enamellar +enamelled +enameller +enamellers +enamelless +enamelling +enamellist +enameloma +enamels +enamelware +enamelwork +enami +enamine +enamines +enamor +enamorado +enamorate +enamorato +enamored +enamoredness +enamoring +enamorment +enamors +enamour +enamoured +enamouredness +enamouring +enamourment +enamours +enanguish +enanthem +enanthema +enanthematous +enanthesis +enantiobiosis +enantioblastic +enantioblastous +enantiomer +enantiomeric +enantiomeride +enantiomorph +enantiomorphy +enantiomorphic +enantiomorphism +enantiomorphous +enantiomorphously +enantiopathy +enantiopathia +enantiopathic +enantioses +enantiosis +enantiotropy +enantiotropic +enantobiosis +enapt +enarbor +enarbour +enarch +enarched +Enarete +enargite +enarm +enarme +enarration +enarthrodia +enarthrodial +enarthroses +enarthrosis +enascent +enatant +enate +enates +enatic +enation +enations +enaunter +enb- +enbaissing +enbibe +enbloc +enbranglement +enbrave +enbusshe +enc +enc. +encadre +encaenia +encage +encaged +encages +encaging +encake +encalendar +encallow +encamp +encamped +encamping +Encampment +encampments +encamps +encanker +encanthis +encapsulate +encapsulated +encapsulates +encapsulating +encapsulation +encapsulations +encapsule +encapsuled +encapsules +encapsuling +encaptivate +encaptive +encardion +encarditis +encarnadine +encarnalise +encarnalised +encarnalising +encarnalize +encarnalized +encarnalizing +encarpa +encarpi +encarpium +encarpus +encarpuspi +encase +encased +encasement +encases +encash +encashable +encashed +encashes +encashing +encashment +encasing +encasserole +encastage +encastered +encastre +encastrement +encatarrhaphy +encauma +encaustes +encaustic +encaustically +encave +ence +encefalon +enceint +enceinte +enceintes +Enceladus +Encelia +encell +encense +encenter +encephal- +encephala +encephalalgia +Encephalartos +encephalasthenia +encephalic +encephalin +encephalitic +encephalitides +encephalitis +encephalitogenic +encephalo- +encephalocele +encephalocoele +encephalodialysis +encephalogram +encephalograph +encephalography +encephalographic +encephalographically +encephaloid +encephalola +encephalolith +encephalology +encephaloma +encephalomalacia +encephalomalacosis +encephalomalaxis +encephalomas +encephalomata +encephalomeningitis +encephalomeningocele +encephalomere +encephalomeric +encephalometer +encephalometric +encephalomyelitic +encephalomyelitis +encephalomyelopathy +encephalomyocarditis +encephalon +encephalonarcosis +encephalopathy +encephalopathia +encephalopathic +encephalophyma +encephalopyosis +encephalopsychesis +encephalorrhagia +encephalos +encephalosclerosis +encephaloscope +encephaloscopy +encephalosepsis +encephalosis +encephalospinal +encephalothlipsis +encephalotome +encephalotomy +encephalotomies +encephalous +enchafe +enchain +enchained +enchainement +enchainements +enchaining +enchainment +enchainments +enchains +enchair +enchalice +enchancement +enchannel +enchant +enchanted +enchanter +enchantery +enchanters +enchanting +enchantingly +enchantingness +enchantment +enchantments +enchantress +enchantresses +enchants +encharge +encharged +encharging +encharm +encharnel +enchase +enchased +enchaser +enchasers +enchases +enchasing +enchasten +encheason +encheat +encheck +encheer +encheiria +Enchelycephali +enchequer +encheson +enchesoun +enchest +enchilada +enchiladas +enchylema +enchylematous +enchyma +enchymatous +enchiridia +enchiridion +enchiridions +enchiriridia +enchisel +enchytrae +enchytraeid +Enchytraeidae +Enchytraeus +Enchodontid +Enchodontidae +Enchodontoid +Enchodus +enchondroma +enchondromas +enchondromata +enchondromatous +enchondrosis +enchorial +enchoric +enchronicle +enchurch +ency +ency. +encia +encyc +encycl +encyclic +encyclical +encyclicals +encyclics +encyclopaedia +encyclopaediac +encyclopaedial +encyclopaedian +encyclopaedias +encyclopaedic +encyclopaedical +encyclopaedically +encyclopaedism +encyclopaedist +encyclopaedize +encyclopedia +encyclopediac +encyclopediacal +encyclopedial +encyclopedian +encyclopedias +encyclopedia's +encyclopediast +encyclopedic +encyclopedical +encyclopedically +encyclopedism +encyclopedist +encyclopedize +encydlopaedic +enciente +Encina +Encinal +encinas +encincture +encinctured +encincturing +encinder +encinillo +Encinitas +Encino +encipher +enciphered +encipherer +enciphering +encipherment +encipherments +enciphers +encircle +encircled +encirclement +encirclements +encircler +encircles +encircling +encyrtid +Encyrtidae +encist +encyst +encystation +encysted +encysting +encystment +encystments +encysts +encitadel +Encke +encl +encl. +enclaret +enclasp +enclasped +enclasping +enclasps +enclave +enclaved +enclavement +enclaves +enclaving +enclear +enclisis +enclitic +enclitical +enclitically +enclitics +encloak +enclog +encloister +enclosable +enclose +enclosed +encloser +enclosers +encloses +enclosing +enclosure +enclosures +enclosure's +enclothe +encloud +encoach +encode +encoded +encodement +encoder +encoders +encodes +encoding +encodings +encoffin +encoffinment +encoignure +encoignures +encoil +encolden +encollar +encolor +encolour +encolpia +encolpion +encolumn +encolure +encomendero +encomy +encomia +encomiast +encomiastic +encomiastical +encomiastically +encomic +encomienda +encomiendas +encomimia +encomimiums +encomiologic +encomium +encomiumia +encomiums +encommon +encompany +encompass +encompassed +encompasser +encompasses +encompassing +encompassment +encoop +encopreses +encopresis +encorbellment +encorbelment +encore +encored +encores +encoring +encoronal +encoronate +encoronet +encorpore +encounter +encounterable +encountered +encounterer +encounterers +encountering +encounters +encourage +encouraged +encouragement +encouragements +encourager +encouragers +encourages +encouraging +encouragingly +encover +encowl +encraal +encradle +encranial +Encrata +encraty +Encratia +Encratic +Encratis +Encratism +Encratite +encrease +encreel +encrimson +encrinal +encrinic +Encrinidae +encrinital +encrinite +encrinitic +encrinitical +encrinoid +Encrinoidea +Encrinus +encrypt +encrypted +encrypting +encryption +encryptions +encrypts +encrisp +encroach +encroached +encroacher +encroaches +encroaching +encroachingly +encroachment +encroachments +encrotchet +encrown +encrownment +encrust +encrustant +encrustation +encrusted +encrusting +encrustment +encrusts +encuirassed +enculturate +enculturated +enculturating +enculturation +enculturative +encumber +encumberance +encumberances +encumbered +encumberer +encumbering +encumberingly +encumberment +encumbers +encumbrance +encumbrancer +encumbrances +encumbrous +encup +encurl +encurtain +encushion +end +end- +endable +end-all +endamage +endamageable +endamaged +endamagement +endamages +endamaging +endamask +endameba +endamebae +endamebas +endamebiasis +endamebic +endamnify +Endamoeba +endamoebae +endamoebas +endamoebiasis +endamoebic +Endamoebidae +endangeitis +endanger +endangered +endangerer +endangering +endangerment +endangerments +endangers +endangiitis +endangitis +endangium +endaortic +endaortitis +endarch +endarchy +endarchies +endark +endarterectomy +endarteria +endarterial +endarteritis +endarterium +endarteteria +endaseh +endaspidean +endaze +endball +end-blown +endboard +endbrain +endbrains +enddamage +enddamaged +enddamaging +ende +endear +endearance +endeared +endearedly +endearedness +endearing +endearingly +endearingness +endearment +endearments +endears +Endeavor +endeavored +endeavorer +endeavoring +endeavors +endeavour +endeavoured +endeavourer +endeavouring +endebt +endeca- +endecha +Endecott +ended +endeictic +endeign +Endeis +endellionite +endemial +endemic +endemical +endemically +endemicity +endemics +endemiology +endemiological +endemism +endemisms +endenization +endenize +endenizen +endent +Ender +endere +endergonic +Enderlin +endermatic +endermic +endermically +enderon +ender-on +enderonic +Enders +ender-up +endevil +endew +endexine +endexines +endfile +endgame +endgames +endgate +end-grain +endhand +endia +endiablee +endiadem +endiaper +Endicott +endict +endyma +endymal +endimanche +Endymion +ending +endings +endysis +endite +endited +endites +enditing +endive +endives +endjunk +endleaf +endleaves +endless +endlessly +endlessness +endlichite +endlong +end-match +endmatcher +end-measure +endmost +endnote +endnotes +Endo +endo- +endoabdominal +endoangiitis +endoaortitis +endoappendicitis +endoarteritis +endoauscultation +endobatholithic +endobiotic +endoblast +endoblastic +endobronchial +endobronchially +endobronchitis +endocannibalism +endocardia +endocardiac +endocardial +endocarditic +endocarditis +endocardium +endocarp +endocarpal +endocarpic +endocarpoid +endocarps +endocast +endocellular +endocentric +Endoceras +Endoceratidae +endoceratite +endoceratitic +endocervical +endocervicitis +endochylous +endochondral +endochorion +endochorionic +endochrome +endocycle +endocyclic +endocyemate +endocyst +endocystitis +endocytic +endocytosis +endocytotic +endoclinal +endocline +endocoelar +endocoele +endocoeliac +endocolitis +endocolpitis +endocondensation +endocone +endoconidia +endoconidium +endocorpuscular +endocortex +endocrania +endocranial +endocranium +endocrin +endocrinal +endocrine +endocrines +endocrinic +endocrinism +endocrinology +endocrinologic +endocrinological +endocrinologies +endocrinologist +endocrinologists +endocrinopath +endocrinopathy +endocrinopathic +endocrinotherapy +endocrinous +endocritic +endoderm +endodermal +endodermic +endodermis +endoderms +endodynamomorphic +endodontia +endodontic +endodontically +endodontics +endodontist +endodontium +endodontology +endodontologist +endoenteritis +endoenzyme +endoergic +endoerythrocytic +endoesophagitis +endofaradism +endogalvanism +endogamy +endogamic +endogamies +endogamous +endogastric +endogastrically +endogastritis +endogen +Endogenae +endogenesis +endogenetic +endogeny +endogenic +endogenicity +endogenies +endogenous +endogenously +endogens +endoglobular +endognath +endognathal +endognathion +endogonidium +endointoxication +endokaryogamy +endolabyrinthitis +endolaryngeal +endolemma +endolymph +endolymphangial +endolymphatic +endolymphic +endolysin +endolithic +endolumbar +endomastoiditis +endome +endomesoderm +endometry +endometria +endometrial +endometriosis +endometritis +endometrium +Endomyces +Endomycetaceae +endomictic +endomysial +endomysium +endomitosis +endomitotic +endomixis +endomorph +endomorphy +endomorphic +endomorphism +endoneurial +endoneurium +endonuclear +endonuclease +endonucleolus +endoparasite +endoparasitic +Endoparasitica +endoparasitism +endopathic +endopelvic +endopeptidase +endopericarditis +endoperidial +endoperidium +endoperitonitis +endophagy +endophagous +endophasia +endophasic +Endophyllaceae +endophyllous +Endophyllum +endophytal +endophyte +endophytic +endophytically +endophytous +endophlebitis +endophragm +endophragmal +endoplasm +endoplasma +endoplasmic +endoplast +endoplastron +endoplastular +endoplastule +endopleura +endopleural +endopleurite +endopleuritic +endopod +endopodite +endopoditic +endopods +endopolyploid +endopolyploidy +endoproct +Endoprocta +endoproctous +endopsychic +Endopterygota +endopterygote +endopterygotic +endopterygotism +endopterygotous +Endor +Endora +endorachis +endoradiosonde +endoral +endore +endorhinitis +endorphin +endorsable +endorsation +endorse +endorsed +endorsee +endorsees +endorsement +endorsements +endorser +endorsers +endorses +endorsing +endorsingly +endorsor +endorsors +endosalpingitis +endosarc +endosarcode +endosarcous +endosarcs +endosclerite +endoscope +endoscopes +endoscopy +endoscopic +endoscopically +endoscopies +endoscopist +endosecretory +endosepsis +endosymbiosis +endosiphon +endosiphonal +endosiphonate +endosiphuncle +endoskeletal +endoskeleton +endoskeletons +endosmic +endosmometer +endosmometric +endosmos +endosmose +endosmoses +endosmosic +endosmosis +endosmotic +endosmotically +endosome +endosomes +endosperm +endospermic +endospermous +endospore +endosporia +endosporic +endosporium +endosporous +endosporously +endoss +endostea +endosteal +endosteally +endosteitis +endosteoma +endosteomas +endosteomata +endosternite +endosternum +endosteum +endostylar +endostyle +endostylic +endostitis +endostoma +endostomata +endostome +endostosis +endostraca +endostracal +endostracum +endosulfan +endotheca +endothecal +endothecate +endothecia +endothecial +endothecium +endotheli- +endothelia +endothelial +endothelioblastoma +endotheliocyte +endothelioid +endotheliolysin +endotheliolytic +endothelioma +endotheliomas +endotheliomata +endotheliomyoma +endotheliomyxoma +endotheliotoxin +endotheliulia +endothelium +endotheloid +endotherm +endothermal +endothermy +endothermic +endothermically +endothermism +endothermous +Endothia +endothys +endothoracic +endothorax +Endothrix +endotys +endotoxic +endotoxin +endotoxoid +endotracheal +endotracheitis +endotrachelitis +Endotrophi +endotrophic +endotropic +endoubt +endoute +endovaccination +endovasculitis +endovenous +endover +endow +endowed +endower +endowers +endowing +endowment +endowments +endowment's +endows +endozoa +endozoic +endpaper +endpapers +endpiece +endplay +endplate +endplates +endpleasure +endpoint +endpoints +end-rack +Endres +endrin +endrins +Endromididae +Endromis +endrudge +endrumpf +ends +endseal +endshake +endsheet +endship +end-shrink +end-stopped +endsweep +end-to-end +endue +endued +enduement +endues +enduing +endungeon +endura +endurability +endurable +endurableness +endurably +endurance +endurances +endurant +endure +endured +endurer +endures +enduring +enduringly +enduringness +enduro +enduros +endways +end-ways +endwise +ene +ENEA +Eneas +enecate +eneclann +ened +eneid +enema +enemas +enema's +enemata +enemy +enemied +enemies +enemying +enemylike +enemy's +enemyship +Enenstein +enent +Eneolithic +enepidermic +energeia +energesis +energetic +energetical +energetically +energeticalness +energeticist +energeticness +energetics +energetistic +energy +energiatye +energic +energical +energico +energy-consuming +energid +energids +energies +energy-producing +energise +energised +energiser +energises +energising +energism +energist +energistic +energize +energized +energizer +energizers +energizes +energizing +energumen +energumenon +enervate +enervated +enervates +enervating +enervation +enervations +enervative +enervator +enervators +enerve +enervous +Enesco +Enescu +ENET +enetophobia +eneuch +eneugh +enew +Enewetak +enface +enfaced +enfacement +enfaces +enfacing +enfamish +enfamous +enfant +enfants +enfarce +enfasten +enfatico +enfavor +enfeature +enfect +enfeeble +enfeebled +enfeeblement +enfeeblements +enfeebler +enfeebles +enfeebling +enfeeblish +enfelon +enfeoff +enfeoffed +enfeoffing +enfeoffment +enfeoffs +enfester +enfetter +enfettered +enfettering +enfetters +enfever +enfevered +enfevering +enfevers +ENFIA +enfief +Enfield +enfierce +enfigure +enfilade +enfiladed +enfilades +enfilading +enfile +enfiled +enfin +enfire +enfirm +enflagellate +enflagellation +enflame +enflamed +enflames +enflaming +enflesh +enfleurage +enflower +enflowered +enflowering +enfoeffment +enfoil +enfold +enfolded +enfolden +enfolder +enfolders +enfolding +enfoldings +enfoldment +enfolds +enfollow +enfonce +enfonced +enfoncee +enforce +enforceability +enforceable +enforced +enforcedly +enforcement +enforcements +enforcer +enforcers +enforces +enforcibility +enforcible +enforcing +enforcingly +enforcive +enforcively +enforest +enfork +enform +enfort +enforth +enfortune +enfoul +enfoulder +enfrai +enframe +enframed +enframement +enframes +enframing +enfranch +enfranchisable +enfranchise +enfranchised +enfranchisement +enfranchisements +enfranchiser +enfranchises +enfranchising +enfree +enfrenzy +enfroward +enfuddle +enfume +enfurrow +Eng +Eng. +Engadine +engage +engaged +engagedly +engagedness +engagee +engagement +engagements +engagement's +engager +engagers +engages +engaging +engagingly +engagingness +engallant +engaol +engarb +engarble +engarde +engarland +engarment +engarrison +engastrimyth +engastrimythic +engaud +engaze +Engdahl +Engeddi +Engedi +Engedus +Engel +Engelbert +Engelberta +Engelhard +Engelhart +engelmann +engelmanni +Engelmannia +Engels +engem +Engen +engender +engendered +engenderer +engendering +engenderment +engenders +engendrure +engendure +Engenia +engerminate +enghle +enghosted +Engiish +engild +engilded +engilding +engilds +engin +engin. +engine +engined +engine-driven +engineer +engineered +engineery +engineering +engineeringly +engineerings +engineers +engineer's +engineership +enginehouse +engineless +enginelike +engineman +enginemen +enginery +engineries +engines +engine's +engine-sized +engine-sizer +engine-turned +engine-turner +engining +enginous +engird +engirded +engirding +engirdle +engirdled +engirdles +engirdling +engirds +engirt +engiscope +engyscope +engysseismology +Engystomatidae +engjateigur +engl +englacial +englacially +englad +engladden +England +Englander +englanders +englante +Engle +Englebert +engleim +Engleman +Engler +Englerophoenix +Englewood +Englify +Englifier +englyn +englyns +Englis +English +Englishable +English-born +English-bred +English-built +englished +Englisher +englishes +English-hearted +Englishhood +englishing +Englishism +Englishize +Englishly +English-made +Englishman +English-manned +Englishmen +English-minded +Englishness +Englishry +English-rigged +English-setter +English-speaking +Englishtown +Englishwoman +Englishwomen +englobe +englobed +englobement +englobing +engloom +englory +englue +englut +englute +engluts +englutted +englutting +engnessang +engobe +engold +engolden +engore +engorge +engorged +engorgement +engorges +engorging +engoue +engouee +engouement +engouled +engoument +engr +engr. +engrace +engraced +Engracia +engracing +engraff +engraffed +engraffing +engraft +engraftation +engrafted +engrafter +engrafting +engraftment +engrafts +engrail +engrailed +engrailing +engrailment +engrails +engrain +engrained +engrainedly +engrainer +engraining +engrains +engram +engramma +engrammatic +engramme +engrammes +engrammic +engrams +engrandize +engrandizement +engraphy +engraphia +engraphic +engraphically +engrapple +engrasp +Engraulidae +Engraulis +engrave +engraved +engravement +engraven +engraver +engravers +engraves +engraving +engravings +engreaten +engreen +engrege +engregge +engrid +engrieve +engroove +engross +engrossed +engrossedly +engrosser +engrossers +engrosses +engrossing +engrossingly +engrossingness +engrossment +engs +enguard +Engud +engulf +engulfed +engulfing +engulfment +engulfs +Engvall +enhaemospore +enhallow +enhalo +enhaloed +enhaloes +enhaloing +enhalos +enhamper +enhance +enhanced +enhancement +enhancements +enhancement's +enhancer +enhancers +enhances +enhancing +enhancive +enhappy +enharbor +enharbour +enharden +enhardy +enharmonic +enharmonical +enharmonically +enhat +enhaulse +enhaunt +enhazard +enhearse +enheart +enhearten +enheaven +enhedge +enhelm +enhemospore +enherit +enheritage +enheritance +Enhydra +Enhydrinae +Enhydris +enhydrite +enhydritic +enhydros +enhydrous +enhypostasia +enhypostasis +enhypostatic +enhypostatize +enhorror +enhort +enhuile +enhunger +enhungered +enhusk +ENIAC +Enyalius +Enicuridae +Enid +Enyedy +Enyeus +Enif +enigma +enigmas +enigmata +enigmatic +enigmatical +enigmatically +enigmaticalness +enigmatist +enigmatization +enigmatize +enigmatized +enigmatizing +enigmato- +enigmatographer +enigmatography +enigmatology +enigua +Enyo +Eniopeus +enisle +enisled +enisles +enisling +Eniwetok +enjail +enjamb +enjambed +enjambement +enjambements +enjambment +enjambments +enjelly +enjeopard +enjeopardy +enjewel +enjoy +enjoyable +enjoyableness +enjoyably +enjoyed +enjoyer +enjoyers +enjoying +enjoyingly +enjoyment +enjoyments +enjoin +enjoinder +enjoinders +enjoined +enjoiner +enjoiners +enjoining +enjoinment +enjoins +enjoys +Enka +enkennel +enkerchief +enkernel +Enki +Enkidu +Enkimdu +enkindle +enkindled +enkindler +enkindles +enkindling +enkolpia +enkolpion +enkraal +enl +enl. +enlace +enlaced +enlacement +enlaces +enlacing +enlay +enlard +enlarge +enlargeable +enlargeableness +enlarged +enlargedly +enlargedness +enlargement +enlargements +enlargement's +enlarger +enlargers +enlarges +enlarging +enlargingly +enlaurel +enleaf +enleague +enleagued +enleen +enlength +enlevement +enlief +enlife +enlight +enlighten +enlightened +enlightenedly +enlightenedness +enlightener +enlighteners +enlightening +enlighteningly +Enlightenment +enlightenments +enlightens +Enlil +En-lil +enlimn +enlink +enlinked +enlinking +enlinkment +enlist +enlisted +enlistee +enlistees +enlister +enlisters +enlisting +enlistment +enlistments +enlists +enlive +enliven +enlivened +enlivener +enlivening +enliveningly +enlivenment +enlivenments +enlivens +enlock +enlodge +enlodgement +Enloe +enlumine +enlure +enlute +enmagazine +enmanche +enmarble +enmarbled +enmarbling +enmask +enmass +enmesh +enmeshed +enmeshes +enmeshing +enmeshment +enmeshments +enmew +enmist +enmity +enmities +enmoss +enmove +enmuffle +ennage +enneacontahedral +enneacontahedron +ennead +enneadianome +enneadic +enneads +enneaeteric +ennea-eteric +enneagynous +enneagon +enneagonal +enneagons +enneahedra +enneahedral +enneahedria +enneahedron +enneahedrons +enneandrian +enneandrous +enneapetalous +enneaphyllous +enneasemic +enneasepalous +enneasyllabic +enneaspermous +enneastylar +enneastyle +enneastylos +enneateric +enneatic +enneatical +ennedra +ennerve +ennew +ennia +Ennice +enniche +Enning +Ennis +Enniskillen +Ennius +ennoble +ennobled +ennoblement +ennoblements +ennobler +ennoblers +ennobles +ennobling +ennoblingly +ennoblment +ennoy +ennoic +ennomic +Ennomus +Ennosigaeus +ennui +ennuyant +ennuyante +ennuye +ennuied +ennuyee +ennuying +ennuis +Eno +Enoch +Enochic +Enochs +enocyte +enodal +enodally +enodate +enodation +enode +enoil +enoint +enol +Enola +enolase +enolases +enolate +enolic +enolizable +enolization +enolize +enolized +enolizing +enology +enological +enologies +enologist +enols +enomania +enomaniac +enomotarch +enomoty +Enon +Enone +enophthalmos +enophthalmus +Enopla +enoplan +enoplion +enoptromancy +Enoree +enorganic +enorm +enormious +enormity +enormities +enormous +enormously +enormousness +enormousnesses +enorn +enorthotrope +Enos +enosis +enosises +enosist +enostosis +enough +enoughs +enounce +enounced +enouncement +enounces +enouncing +Enovid +enow +enows +enp- +enphytotic +enpia +enplane +enplaned +enplanement +enplanes +enplaning +enquarter +enquere +enqueue +enqueued +enqueues +enquicken +enquire +enquired +enquirer +enquires +enquiry +enquiries +enquiring +enrace +enrage +enraged +enragedly +enragedness +enragement +enrages +enraging +enray +enrail +enramada +enrange +enrank +enrapt +enrapted +enrapting +enrapts +enrapture +enraptured +enrapturedly +enrapturer +enraptures +enrapturing +enravish +enravished +enravishes +enravishing +enravishingly +enravishment +enregiment +enregister +enregistered +enregistering +enregistration +enregistry +enrheum +enrib +Enrica +enrich +enriched +enrichener +enricher +enrichers +enriches +Enrichetta +enriching +enrichingly +enrichment +enrichments +Enrico +enridged +enright +Enrika +enring +enringed +enringing +enripen +Enrique +Enriqueta +enrive +enrobe +enrobed +enrobement +enrober +enrobers +enrobes +enrobing +enrockment +enrol +enroll +enrolle +enrolled +enrollee +enrollees +enroller +enrollers +enrolles +enrolling +enrollment +enrollments +enrollment's +enrolls +enrolment +enrols +enroot +enrooted +enrooting +enroots +enrough +enround +enruin +enrut +ENS +Ens. +ensafe +ensaffron +ensaint +ensalada +ensample +ensampler +ensamples +ensand +ensandal +ensanguine +ensanguined +ensanguining +ensate +enscale +enscene +Enschede +enschedule +ensconce +ensconced +ensconces +ensconcing +enscroll +enscrolled +enscrolling +enscrolls +ensculpture +ense +enseal +ensealed +ensealing +enseam +ensear +ensearch +ensearcher +enseat +enseated +enseating +enseel +enseem +ensellure +ensemble +ensembles +ensemble's +Ensenada +ensepulcher +ensepulchered +ensepulchering +ensepulchre +enseraph +enserf +enserfed +enserfing +enserfment +enserfs +ensete +enshade +enshadow +enshawl +ensheath +ensheathe +ensheathed +ensheathes +ensheathing +ensheaths +enshell +enshelter +enshield +enshielded +enshielding +Enshih +enshrine +enshrined +enshrinement +enshrinements +enshrines +enshrining +enshroud +enshrouded +enshrouding +enshrouds +ensient +Ensiferi +ensiform +Ensign +ensign-bearer +ensigncy +ensigncies +ensigned +ensignhood +ensigning +ensignment +ensignry +ensigns +ensign's +ensignship +ensilability +ensilage +ensilaged +ensilages +ensilaging +ensilate +ensilation +ensile +ensiled +ensiles +ensiling +ensilist +ensilver +ensindon +ensynopticity +ensisternal +ensisternum +ensky +enskied +enskyed +enskies +enskying +enslave +enslaved +enslavedness +enslavement +enslavements +enslaver +enslavers +enslaves +enslaving +enslumber +ensmall +ensnare +ensnared +ensnarement +ensnarements +ensnarer +ensnarers +ensnares +ensnaring +ensnaringly +ensnarl +ensnarled +ensnarling +ensnarls +ensnow +ensober +Ensoll +ensophic +Ensor +ensorcel +ensorceled +ensorceling +ensorcelize +ensorcell +ensorcellment +ensorcels +ensorcerize +ensorrow +ensoul +ensouled +ensouling +ensouls +enspangle +enspell +ensphere +ensphered +enspheres +ensphering +enspirit +ensporia +enstamp +enstar +enstate +enstatite +enstatitic +enstatitite +enstatolite +ensteel +ensteep +enstyle +enstool +enstore +enstranged +enstrengthen +ensuable +ensuance +ensuant +ensue +ensued +ensuer +ensues +ensuing +ensuingly +ensuite +ensulphur +ensurance +ensure +ensured +ensurer +ensurers +ensures +ensuring +enswathe +enswathed +enswathement +enswathes +enswathing +ensweep +ensweeten +ent +ent- +entablature +entablatured +entablement +entablements +entach +entackle +entad +Entada +entail +entailable +entailed +entailer +entailers +entailing +entailment +entailments +entails +ental +entalent +entally +entame +entameba +entamebae +entamebas +entamebic +Entamoeba +entamoebiasis +entamoebic +entangle +entangleable +entangled +entangledly +entangledness +entanglement +entanglements +entangler +entanglers +entangles +entangling +entanglingly +entapophysial +entapophysis +entarthrotic +entases +entasia +entasias +entasis +entassment +entastic +entea +Entebbe +entelam +entelechy +entelechial +entelechies +Entellus +entelluses +Entelodon +entelodont +entempest +entemple +entender +entendre +entendres +entente +ententes +Ententophil +entepicondylar +enter +enter- +entera +enterable +enteraden +enteradenography +enteradenographic +enteradenology +enteradenological +enteral +enteralgia +enterally +enterate +enterauxe +enterclose +enterectomy +enterectomies +entered +enterer +enterers +enterfeat +entergogenic +enteria +enteric +entericoid +entering +enteritidis +enteritis +entermete +entermise +entero- +enteroanastomosis +enterobacterial +enterobacterium +enterobiasis +enterobiliary +enterocele +enterocentesis +enteroceptor +enterochirurgia +enterochlorophyll +enterocholecystostomy +enterochromaffin +enterocinesia +enterocinetic +enterocyst +enterocystoma +enterocleisis +enteroclisis +enteroclysis +enterococcal +enterococci +enterococcus +enterocoel +Enterocoela +enterocoele +enterocoelic +enterocoelous +enterocolitis +enterocolostomy +enterocrinin +enterodelous +enterodynia +enteroepiplocele +enterogastritis +enterogastrone +enterogenous +enterogram +enterograph +enterography +enterohelcosis +enterohemorrhage +enterohepatitis +enterohydrocele +enteroid +enterointestinal +enteroischiocele +enterokinase +enterokinesia +enterokinetic +enterolysis +enterolith +enterolithiasis +Enterolobium +enterology +enterologic +enterological +enteromegaly +enteromegalia +enteromere +enteromesenteric +enteromycosis +enteromyiasis +Enteromorpha +enteron +enteroneuritis +enterons +enteroparalysis +enteroparesis +enteropathy +enteropathogenic +enteropexy +enteropexia +enterophthisis +enteroplasty +enteroplegia +enteropneust +Enteropneusta +enteropneustal +enteropneustan +enteroptosis +enteroptotic +enterorrhagia +enterorrhaphy +enterorrhea +enterorrhexis +enteroscope +enteroscopy +enterosepsis +enterosyphilis +enterospasm +enterostasis +enterostenosis +enterostomy +enterostomies +enterotome +enterotomy +enterotoxemia +enterotoxication +enterotoxin +enteroviral +enterovirus +enterozoa +enterozoan +enterozoic +enterozoon +enterparlance +enterpillar +Enterprise +enterprised +enterpriseless +enterpriser +enterprises +enterprising +enterprisingly +enterprisingness +enterprize +enterritoriality +enterrologist +enters +entertain +entertainable +entertained +entertainer +entertainers +entertaining +entertainingly +entertainingness +entertainment +entertainments +entertainment's +entertains +entertake +entertissue +entete +entfaoilff +enthalpy +enthalpies +entheal +enthean +entheasm +entheate +enthelmintha +enthelminthes +enthelminthic +entheos +enthetic +enthymematic +enthymematical +enthymeme +enthral +enthraldom +enthrall +enthralldom +enthralled +enthraller +enthralling +enthrallingly +enthrallment +enthrallments +enthralls +enthralment +enthrals +enthrill +enthrone +enthroned +enthronement +enthronements +enthrones +enthrong +enthroning +enthronise +enthronised +enthronising +enthronization +enthronize +enthronized +enthronizing +enthuse +enthused +enthuses +enthusiasm +enthusiasms +enthusiast +enthusiastic +enthusiastical +enthusiastically +enthusiasticalness +enthusiastly +enthusiasts +enthusiast's +enthusing +entia +Entiat +entice +enticeable +enticed +enticeful +enticement +enticements +enticer +enticers +entices +enticing +enticingly +enticingness +entier +enties +entify +entifical +entification +Entyloma +entincture +entypies +entire +entire-leaved +entirely +entireness +entires +entirety +entireties +entire-wheat +entiris +entirities +entitative +entitatively +entity +entities +entity's +entitle +entitled +entitledness +entitlement +entitles +entitling +entitule +ento- +entoblast +entoblastic +entobranchiate +entobronchium +entocalcaneal +entocarotid +entocele +entocyemate +entocyst +entocnemial +entocoel +entocoele +entocoelic +entocondylar +entocondyle +entocondyloid +entocone +entoconid +entocornea +entocranial +entocuneiform +entocuniform +entoderm +entodermal +entodermic +entoderms +ento-ectad +entogastric +entogenous +entoglossal +entohyal +entoil +entoiled +entoiling +entoilment +entoils +entoire +Entoloma +entom +entom- +entomb +entombed +entombing +entombment +entombments +entombs +entomere +entomeric +entomic +entomical +entomion +entomo- +entomofauna +entomogenous +entomoid +entomol +entomol. +entomolegist +entomolite +entomology +entomologic +entomological +entomologically +entomologies +entomologise +entomologised +entomologising +entomologist +entomologists +entomologize +entomologized +entomologizing +Entomophaga +entomophagan +entomophagous +Entomophila +entomophily +entomophilous +entomophytous +entomophobia +Entomophthora +Entomophthoraceae +entomophthoraceous +Entomophthorales +entomophthorous +Entomosporium +Entomostraca +entomostracan +entomostracous +entomotaxy +entomotomy +entomotomist +entone +entonement +entonic +entoolitic +entoparasite +entoparasitic +entoperipheral +entophytal +entophyte +entophytic +entophytically +entophytous +entopic +entopical +entoplasm +entoplastic +entoplastral +entoplastron +entopopliteal +entoproct +Entoprocta +entoproctous +entopterygoid +entoptic +entoptical +entoptically +entoptics +entoptoscope +entoptoscopy +entoptoscopic +entoretina +entorganism +entortill +entosarc +entosclerite +entosphenal +entosphenoid +entosphere +entosterna +entosternal +entosternite +entosternum +entosthoblast +entothorax +entotic +entotympanic +Entotrophi +entour +entourage +entourages +entozoa +entozoal +entozoan +entozoans +entozoarian +entozoic +entozoology +entozoological +entozoologically +entozoologist +entozoon +entr +entracte +entr'acte +entr'actes +entrada +entradas +entrail +entrails +entrain +entrained +entrainer +entraining +entrainment +entrains +entrammel +entrance +entranced +entrance-denying +entrancedly +entrancement +entrancements +entrancer +entrances +entranceway +entrancing +entrancingly +entrant +entrants +entrap +entrapment +entrapments +entrapped +entrapper +entrapping +entrappingly +entraps +entre +entreasure +entreasured +entreasuring +entreat +entreatable +entreated +entreater +entreatful +entreaty +entreaties +entreating +entreatingly +entreatment +entreats +entrec +entrechat +entrechats +entrecote +entrecotes +entredeux +Entre-Deux-Mers +entree +entrees +entrefer +entrelac +entremess +entremets +entrench +entrenched +entrenches +entrenching +entrenchment +entrenchments +entrep +entrepas +entrepeneur +entrepeneurs +entrepot +entrepots +entreprenant +entrepreneur +entrepreneurial +entrepreneurs +entrepreneur's +entrepreneurship +entrepreneuse +entrepreneuses +entrept +entrer +entresalle +entresol +entresols +entresse +entrez +entry +entria +entries +entrike +Entriken +entryman +entrymen +entry's +entryway +entryways +entrochite +entrochus +entropy +entropic +entropies +entropion +entropionize +entropium +entrough +entrust +entrusted +entrusting +entrustment +entrusts +entte +entune +enturret +entwine +entwined +entwinement +entwines +entwining +entwist +entwisted +entwisting +Entwistle +entwists +entwite +enucleate +enucleated +enucleating +enucleation +enucleator +Enugu +Enukki +Enumclaw +enumerability +enumerable +enumerably +enumerate +enumerated +enumerates +enumerating +enumeration +enumerations +enumerative +enumerator +enumerators +enunciability +enunciable +enunciate +enunciated +enunciates +enunciating +enunciation +enunciations +enunciative +enunciatively +enunciator +enunciatory +enunciators +enure +enured +enures +enureses +enuresis +enuresises +enuretic +enuring +enurny +env +envaye +envapor +envapour +envassal +envassalage +envault +enveigle +enveil +envelop +envelope +enveloped +enveloper +envelopers +envelopes +enveloping +envelopment +envelopments +envelops +envenom +envenomation +envenomed +envenoming +envenomization +envenomous +envenoms +enventual +Enver +enverdure +envergure +envermeil +envy +enviable +enviableness +enviably +envied +envier +enviers +envies +envigor +envying +envyingly +Enville +envine +envined +envineyard +envious +enviously +enviousness +envire +enviroment +environ +environage +environal +environed +environic +environing +environment +environmental +environmentalism +environmentalist +environmentalists +environmentally +environments +environment's +environs +envisage +envisaged +envisagement +envisages +envisaging +envision +envisioned +envisioning +envisionment +envisions +envoi +envoy +envois +envoys +envoy's +envoyship +envolume +envolupen +enwall +enwallow +enweave +enweaved +enweaving +enweb +enwheel +enwheeled +enwheeling +enwheels +enwiden +enwind +enwinding +enwinds +enwing +enwingly +enwisen +enwoman +enwomb +enwombed +enwombing +enwombs +enwood +enworthed +enworthy +enwound +enwove +enwoven +enwrap +enwrapment +enwrapped +enwrapping +enwraps +enwrapt +enwreath +enwreathe +enwreathed +enwreathing +enwrite +enwrought +enwwove +enwwoven +Enzed +Enzedder +enzygotic +enzym +enzymatic +enzymatically +enzyme +enzymes +enzymic +enzymically +enzymolysis +enzymolytic +enzymology +enzymologies +enzymologist +enzymosis +enzymotic +enzyms +enzone +enzooty +enzootic +enzootically +enzootics +EO +eo- +eoan +Eoanthropus +eobiont +eobionts +Eocarboniferous +Eocene +EOD +Eodevonian +eodiscid +EOE +EOF +Eogaea +Eogaean +Eogene +Eoghanacht +Eohippus +eohippuses +Eoin +eoith +eoiths +eol- +Eola +Eolanda +Eolande +eolation +eole +Eolia +Eolian +Eolic +eolienne +Eoline +eolipile +eolipiles +eolith +Eolithic +eoliths +eolopile +eolopiles +eolotropic +EOM +Eomecon +eon +eonian +eonism +eonisms +eons +Eopalaeozoic +Eopaleozoic +eophyte +eophytic +eophyton +eorhyolite +EOS +eosate +Eosaurus +eoside +eosin +eosinate +eosine +eosines +eosinic +eosinlike +eosinoblast +eosinophil +eosinophile +eosinophilia +eosinophilic +eosinophilous +eosins +eosophobia +eosphorite +EOT +EOTT +eous +Eozoic +eozoon +eozoonal +EP +ep- +Ep. +EPA +epacmaic +epacme +epacrid +Epacridaceae +epacridaceous +Epacris +epact +epactal +epacts +epaenetic +epagoge +epagogic +epagomenae +epagomenal +epagomenic +epagomenous +epaleaceous +epalpate +epalpebrate +Epaminondas +epana- +epanadiplosis +Epanagoge +epanalepsis +epanaleptic +epanaphora +epanaphoral +epanastrophe +epanisognathism +epanisognathous +epanody +epanodos +Epanorthidae +epanorthoses +epanorthosis +epanorthotic +epanthous +Epaphus +epapillate +epapophysial +epapophysis +epappose +eparch +eparchate +Eparchean +eparchy +eparchial +eparchies +eparchs +eparcuale +eparterial +epaule +epaulement +epaulet +epauleted +epaulets +epaulet's +epaulette +epauletted +epauliere +epaxial +epaxially +epazote +epazotes +EPD +Epeans +epedaphic +epee +epeeist +epeeists +epees +epeidia +Epeira +epeiric +epeirid +Epeiridae +epeirogenesis +epeirogenetic +epeirogeny +epeirogenic +epeirogenically +Epeirot +epeisodia +epeisodion +epembryonic +epencephal +epencephala +epencephalic +epencephalon +epencephalons +ependyma +ependymal +ependymary +ependyme +ependymitis +ependymoma +ependytes +epenetic +epenla +epentheses +epenthesis +epenthesize +epenthetic +epephragmal +epepophysial +epepophysis +epergne +epergnes +eperlan +eperotesis +Eperua +eperva +Epes +Epeus +epexegeses +epexegesis +epexegetic +epexegetical +epexegetically +Eph +eph- +Eph. +epha +ephah +ephahs +ephapse +epharmony +epharmonic +ephas +ephebe +ephebea +ephebeia +ephebeibeia +ephebeion +ephebes +ephebeubea +ephebeum +ephebi +ephebic +epheboi +ephebos +ephebus +ephectic +Ephedra +Ephedraceae +ephedras +ephedrin +ephedrine +ephedrins +ephelcystic +ephelis +Ephemera +ephemerae +ephemeral +ephemerality +ephemeralities +ephemerally +ephemeralness +ephemeran +ephemeras +ephemeric +ephemerid +Ephemerida +Ephemeridae +ephemerides +ephemeris +ephemerist +ephemeromorph +ephemeromorphic +ephemeron +ephemerons +Ephemeroptera +ephemerous +ephererist +Ephes +Ephesian +Ephesians +Ephesine +ephestia +ephestian +Ephesus +ephetae +ephete +ephetic +Ephialtes +Ephydra +ephydriad +ephydrid +Ephydridae +ephidrosis +ephymnium +ephippia +ephippial +ephippium +ephyra +ephyrae +ephyrula +ephod +ephods +ephoi +ephor +ephoral +ephoralty +ephorate +ephorates +ephori +ephoric +ephors +ephorship +ephorus +ephphatha +Ephrayim +Ephraim +Ephraimite +Ephraimitic +Ephraimitish +Ephraitic +Ephram +Ephrata +Ephrathite +Ephrem +Ephthalite +Ephthianura +ephthianure +epi +epi- +epibasal +Epibaterium +Epibaterius +epibatholithic +epibatus +epibenthic +epibenthos +epibiotic +epiblast +epiblastema +epiblastic +epiblasts +epiblema +epiblemata +epibole +epiboly +epibolic +epibolies +epibolism +epiboulangerite +epibranchial +epic +epical +epicalyces +epicalyx +epicalyxes +epically +epicanthi +epicanthic +epicanthus +epicardia +epicardiac +epicardial +epicardium +epicarid +epicaridan +Epicaridea +Epicarides +epicarp +epicarpal +epicarps +Epicaste +Epicauta +epicede +epicedia +epicedial +epicedian +epicedium +epicele +epicene +epicenes +epicenism +epicenity +epicenter +epicenters +epicentra +epicentral +epicentre +epicentrum +epicentrums +epicerastic +Epiceratodus +epicerebral +epicheirema +epicheiremata +epichil +epichile +epichilia +epichilium +epichindrotic +epichirema +epichlorohydrin +epichondrosis +epichondrotic +epichordal +epichorial +epichoric +epichorion +epichoristic +Epichristian +epicycle +epicycles +epicyclic +epicyclical +epicycloid +epicycloidal +epicyemate +epicier +epicyesis +epicism +epicist +epicystotomy +epicyte +epiclastic +epicleidian +epicleidium +epicleses +epiclesis +epicly +epiclidal +epiclike +epiclinal +epicnemial +Epicoela +epicoelar +epicoele +epicoelia +epicoeliac +epicoelian +epicoeloma +epicoelous +epicolic +epicondylar +epicondyle +epicondylian +epicondylic +epicondylitis +epicontinental +epicoracohumeral +epicoracoid +epicoracoidal +epicormic +epicorolline +epicortical +epicostal +epicotyl +epicotyleal +epicotyledonary +epicotyls +epicranial +epicranium +epicranius +epicrasis +Epicrates +epicrises +epicrisis +epicrystalline +epicritic +epics +epic's +Epictetian +Epictetus +epicure +Epicurean +Epicureanism +epicureans +epicures +epicurish +epicurishly +Epicurism +Epicurize +Epicurus +epicuticle +epicuticular +Epidaurus +epideictic +epideictical +epideistic +epidemy +epidemial +Epidemiarum +epidemic +epidemical +epidemically +epidemicalness +epidemicity +epidemics +epidemic's +epidemiography +epidemiographist +epidemiology +epidemiologic +epidemiological +epidemiologically +epidemiologies +epidemiologist +epidendral +epidendric +Epidendron +Epidendrum +epiderm +epiderm- +epiderma +epidermal +epidermatic +epidermatoid +epidermatous +epidermic +epidermical +epidermically +epidermidalization +epidermis +epidermises +epidermization +epidermoid +epidermoidal +epidermolysis +epidermomycosis +Epidermophyton +epidermophytosis +epidermose +epidermous +epiderms +epidesmine +epidia +epidialogue +epidiascope +epidiascopic +epidictic +epidictical +epididymal +epididymectomy +epididymides +epididymis +epididymite +epididymitis +epididymodeferentectomy +epididymodeferential +epididymo-orchitis +epididymovasostomy +epidymides +epidiorite +epidiorthosis +epidiplosis +epidosite +epidote +epidotes +epidotic +epidotiferous +epidotization +epidural +Epifano +epifascial +epifauna +epifaunae +epifaunal +epifaunas +epifocal +epifolliculitis +Epigaea +epigaeous +epigamic +epigaster +epigastraeum +epigastral +epigastria +epigastrial +epigastric +epigastrical +epigastriocele +epigastrium +epigastrocele +epigeal +epigean +epigee +epigeic +epigene +Epigenes +epigenesis +epigenesist +epigenetic +epigenetically +epigenic +epigenist +epigenous +epigeous +epigeum +epigyne +epigyny +epigynies +epigynous +epigynum +epiglot +epiglottal +epiglottic +epiglottidean +epiglottides +epiglottiditis +epiglottis +epiglottises +epiglottitis +epiglotto-hyoidean +epignathous +epigne +epigon +epigonal +epigonation +epigone +epigoneion +epigones +Epigoni +epigonic +Epigonichthyidae +Epigonichthys +epigonism +epigonium +epigonos +epigonous +epigons +Epigonus +epigram +epigrammatarian +epigrammatic +epigrammatical +epigrammatically +epigrammatise +epigrammatised +epigrammatising +epigrammatism +epigrammatist +epigrammatize +epigrammatized +epigrammatizer +epigrammatizing +epigramme +epigrams +epigraph +epigrapher +epigraphy +epigraphic +epigraphical +epigraphically +epigraphist +epigraphs +epiguanine +epihyal +epihydric +epihydrinic +Epihippus +epikeia +epiky +epikia +epikleses +epiklesis +Epikouros +epil +epilabra +epilabrum +Epilachna +Epilachnides +epilamellar +epilaryngeal +epilate +epilated +epilating +epilation +epilator +epilatory +epilegomenon +epilemma +epilemmal +epileny +epilepsy +epilepsia +epilepsies +epilept- +epileptic +epileptical +epileptically +epileptics +epileptiform +epileptogenic +epileptogenous +epileptoid +epileptology +epileptologist +epilimnetic +epilimnia +epilimnial +epilimnion +epilimnionia +epilithic +epyllia +epyllion +epilobe +Epilobiaceae +Epilobium +epilog +epilogate +epilogation +epilogic +epilogical +epilogism +epilogist +epilogistic +epilogize +epilogized +epilogizing +epilogs +epilogue +epilogued +epilogues +epiloguing +epiloguize +epiloia +Epimachinae +epimacus +epimandibular +epimanikia +epimanikion +Epimedium +Epimenidean +Epimenides +epimer +epimeral +epimerase +epimere +epimeres +epimeric +epimeride +epimerise +epimerised +epimerising +epimerism +epimerite +epimeritic +epimerize +epimerized +epimerizing +epimeron +epimers +epimerum +Epimetheus +epimyocardial +epimyocardium +epimysia +epimysium +epimyth +epimorpha +epimorphic +epimorphism +epimorphosis +epinaoi +epinaos +epinard +epinasty +epinastic +epinastically +epinasties +epineolithic +Epinephelidae +Epinephelus +epinephrin +epinephrine +epinette +epineuneuria +epineural +epineuria +epineurial +epineurium +epingle +epinglette +epinicia +epinicial +epinician +epinicion +epinyctis +epinikia +epinikian +epinikion +epinine +Epione +epionychia +epionychium +epionynychia +epiopticon +epiotic +Epipactis +Epipaleolithic +epipany +epipanies +epiparasite +epiparodos +epipastic +epipedometry +epipelagic +epiperipheral +epipetalous +Epiph +Epiph. +Epiphany +Epiphania +epiphanic +Epiphanies +epiphanise +epiphanised +epiphanising +epiphanize +epiphanized +epiphanizing +epiphanous +epipharyngeal +epipharynx +Epiphegus +epiphenomena +epiphenomenal +epiphenomenalism +epiphenomenalist +epiphenomenally +epiphenomenon +epiphylaxis +epiphyll +epiphylline +epiphyllospermous +epiphyllous +Epiphyllum +epiphysary +epiphyseal +epiphyseolysis +epiphyses +epiphysial +epiphysis +epiphysitis +epiphytal +epiphyte +epiphytes +epiphytic +epiphytical +epiphytically +epiphytism +epiphytology +epiphytotic +epiphytous +epiphloedal +epiphloedic +epiphloeum +epiphonema +epiphonemae +epiphonemas +epiphora +epiphragm +epiphragmal +epipial +epiplankton +epiplanktonic +epiplasm +epiplasmic +epiplastral +epiplastron +epiplectic +epipleura +epipleurae +epipleural +epiplexis +epiploce +epiplocele +epiploic +epiploitis +epiploon +epiplopexy +epipodia +epipodial +epipodiale +epipodialia +epipodite +epipoditic +epipodium +epipolic +epipolism +epipolize +epiprecoracoid +epiproct +Epipsychidion +epipteric +epipterygoid +epipterous +epipubes +epipubic +epipubis +epirhizous +epirogenetic +epirogeny +epirogenic +epirot +Epirote +Epirotic +epirotulian +epirrhema +epirrhematic +epirrheme +Epirus +Epis +Epis. +episarcine +episarkine +Episc +episcenia +episcenium +episcia +episcias +episclera +episcleral +episcleritis +episcopable +episcopacy +episcopacies +Episcopal +Episcopalian +Episcopalianism +Episcopalianize +episcopalians +episcopalism +episcopality +Episcopally +episcopant +episcoparian +episcopate +episcopates +episcopation +episcopature +episcope +episcopes +episcopy +episcopicide +episcopise +episcopised +episcopising +episcopization +episcopize +episcopized +episcopizing +episcopolatry +episcotister +episedia +episematic +episememe +episepalous +episyllogism +episynaloephe +episynthetic +episyntheton +episiocele +episiohematoma +episioplasty +episiorrhagia +episiorrhaphy +episiostenosis +episiotomy +episiotomies +episkeletal +episkotister +episodal +episode +episodes +episode's +episodial +episodic +episodical +episodically +episomal +episomally +episome +episomes +epispadia +epispadiac +epispadias +epispastic +episperm +epispermic +epispinal +episplenitis +episporangium +epispore +episporium +Epist +epistapedial +epistases +epistasy +epistasies +epistasis +epistatic +epistaxis +episteme +epistemic +epistemically +epistemolog +epistemology +epistemological +epistemologically +epistemologist +epistemonic +epistemonical +epistemophilia +epistemophiliac +epistemophilic +epistena +episterna +episternal +episternalia +episternite +episternum +episthotonos +epistylar +epistilbite +epistyle +epistyles +Epistylis +epistlar +Epistle +epistler +epistlers +Epistles +epistle's +epistolar +epistolary +epistolarian +epistolarily +epistolatory +epistolean +epistoler +epistolet +epistolic +epistolical +epistolise +epistolised +epistolising +epistolist +epistolizable +epistolization +epistolize +epistolized +epistolizer +epistolizing +epistolographer +epistolography +epistolographic +epistolographist +epistoma +epistomal +epistomata +epistome +epistomian +epistroma +epistrophe +epistropheal +epistropheus +epistrophy +epistrophic +epit +epitactic +epitaph +epitapher +epitaphial +epitaphian +epitaphic +epitaphical +epitaphist +epitaphize +epitaphless +epitaphs +epitases +epitasis +epitaxy +epitaxial +epitaxially +epitaxic +epitaxies +epitaxis +epitela +epitendineum +epitenon +epithalami +epithalamy +epithalamia +epithalamial +epithalamiast +epithalamic +epithalamion +epithalamium +epithalamiumia +epithalamiums +epithalamize +epithalamus +epithalline +epithamia +epitheca +epithecal +epithecate +epithecia +epithecial +epithecicia +epithecium +epitheli- +epithelia +epithelial +epithelialize +epithelilia +epitheliliums +epithelioblastoma +epithelioceptor +epitheliogenetic +epithelioglandular +epithelioid +epitheliolysin +epitheliolysis +epitheliolytic +epithelioma +epitheliomas +epitheliomata +epitheliomatous +epitheliomuscular +epitheliosis +epitheliotoxin +epitheliulia +epithelium +epitheliums +epithelization +epithelize +epitheloid +epithem +epitheme +epithermal +epithermally +epithesis +epithet +epithetic +epithetical +epithetically +epithetician +epithetize +epitheton +epithets +epithet's +epithi +epithyme +epithymetic +epithymetical +epithumetic +epitimesis +epitympa +epitympanic +epitympanum +epityphlitis +epityphlon +epitoke +epitomate +epitomator +epitomatory +epitome +epitomes +epitomic +epitomical +epitomically +epitomisation +epitomise +epitomised +epitomiser +epitomising +epitomist +epitomization +epitomize +epitomized +epitomizer +epitomizes +epitomizing +epitonic +Epitoniidae +epitonion +Epitonium +epitoxoid +epitra +epitrachelia +epitrachelion +epitrchelia +epitria +epitrichial +epitrichium +epitrite +epitritic +epitrochlea +epitrochlear +epitrochoid +epitrochoidal +epitrope +epitrophy +epitrophic +epituberculosis +epituberculous +epiural +epivalve +epixylous +epizeuxis +Epizoa +epizoal +epizoan +epizoarian +epizoic +epizoicide +epizoism +epizoisms +epizoite +epizoites +epizoology +epizoon +epizooty +epizootic +epizootically +epizooties +epizootiology +epizootiologic +epizootiological +epizootiologically +epizootology +epizzoa +EPL +eplot +Epner +EPNS +epoch +epocha +epochal +epochally +epoche +epoch-forming +epochism +epochist +epoch-making +epoch-marking +epochs +epode +epodes +epodic +Epoisses +epoist +epollicate +Epomophorus +Epona +eponge +eponychium +eponym +eponymy +eponymic +eponymies +eponymism +eponymist +eponymize +eponymous +eponyms +eponymus +epoophoron +epop +epopee +epopees +epopoean +epopoeia +epopoeias +epopoeist +epopt +epoptes +epoptic +epoptist +epornitic +epornitically +EPOS +eposes +epotation +epoxy +epoxide +epoxides +epoxidize +epoxied +epoxyed +epoxies +epoxying +Epp +Epperson +Eppes +Eppy +Eppie +Epping +EPPS +EPRI +epris +eprise +Eproboscidea +EPROM +eprosy +eprouvette +epruinose +EPS +EPSCS +EPSF +EPSI +Epsilon +epsilon-delta +epsilon-neighborhood +epsilons +Epsom +epsomite +Epstein +EPT +Eptatretidae +Eptatretus +EPTS +EPUB +Epulafquen +epulary +epulation +epulis +epulo +epuloid +epulones +epulosis +epulotic +epupillate +epural +epurate +epuration +EPW +Epworth +EQ +eq. +eqpt +equability +equabilities +equable +equableness +equably +equaeval +equal +equalable +equal-angled +equal-aqual +equal-area +equal-armed +equal-balanced +equal-blooded +equaled +equal-eyed +equal-handed +equal-headed +equaling +equalisation +equalise +equalised +equalises +equalising +equalist +equalitarian +equalitarianism +Equality +equalities +equality's +equalization +equalize +equalized +equalizer +equalizers +equalizes +equalizing +equalled +equaller +equally +equal-limbed +equalling +equalness +equal-poised +equals +equal-sided +equal-souled +equal-weighted +equangular +Equanil +equanimity +equanimities +equanimous +equanimously +equanimousness +equant +equatability +equatable +equate +equated +equates +equating +equation +equational +equationally +equationism +equationist +equations +equative +equator +equatoreal +equatorial +equatorially +equators +equator's +equatorward +equatorwards +EQUEL +equerry +equerries +equerryship +eques +equestrial +equestrian +equestrianism +equestrianize +equestrians +equestrianship +equestrienne +equestriennes +equi- +equianchorate +equiangle +equiangular +equiangularity +equianharmonic +equiarticulate +equiatomic +equiaxe +equiaxed +equiaxial +equibalance +equibalanced +equibiradiate +equicaloric +equicellular +equichangeable +equicohesive +equicontinuous +equiconvex +equicostate +equicrural +equicurve +equid +equidense +equidensity +equidiagonal +equidifferent +equidimensional +equidist +equidistance +equidistant +equidistantial +equidistantly +equidistribution +equidiurnal +equidivision +equidominant +equidurable +equielliptical +equiexcellency +equiform +equiformal +equiformity +equiglacial +equi-gram-molar +equigranular +equijacent +equilater +equilateral +equilaterally +equilibrant +equilibrate +equilibrated +equilibrates +equilibrating +equilibration +equilibrations +equilibrative +equilibrator +equilibratory +equilibria +equilibrial +equilibriate +equilibrio +equilibrious +equilibriria +equilibrist +equilibristat +equilibristic +equilibrity +equilibrium +equilibriums +equilibrize +equilin +equiliria +equilobate +equilobed +equilocation +equilucent +equimodal +equimolal +equimolar +equimolecular +equimomental +equimultiple +equinal +equinate +equine +equinecessary +equinely +equines +equinia +equinity +equinities +equinoctial +equinoctially +equinovarus +equinox +equinoxes +equinumerally +Equinunk +equinus +equiomnipotent +equip +equipaga +equipage +equipages +equiparable +equiparant +equiparate +equiparation +equipartile +equipartisan +equipartition +equiped +equipedal +equipede +equipendent +equiperiodic +equipluve +equipment +equipments +equipoise +equipoised +equipoises +equipoising +equipollence +equipollency +equipollent +equipollently +equipollentness +equiponderance +equiponderancy +equiponderant +equiponderate +equiponderated +equiponderating +equiponderation +equiponderous +equipondious +equipostile +equipotent +equipotential +equipotentiality +equipped +equipper +equippers +equipping +equiprobabilism +equiprobabilist +equiprobability +equiprobable +equiprobably +equiproducing +equiproportional +equiproportionality +equips +equipt +equiradial +equiradiate +equiradical +equirotal +equisegmented +equiseta +Equisetaceae +equisetaceous +Equisetales +equisetic +Equisetum +equisetums +equisided +equisignal +equisized +equison +equisonance +equisonant +equispaced +equispatial +equisufficiency +equisurface +equitability +equitable +equitableness +equitably +equitangential +equitant +equitation +equitative +equitemporal +equitemporaneous +equites +Equity +equities +equitist +equitriangular +equiv +equiv. +equivale +equivalence +equivalenced +equivalences +equivalency +equivalencies +equivalencing +equivalent +equivalently +equivalents +equivaliant +equivalue +equivaluer +equivalve +equivalved +equivalvular +equivelocity +equivocacy +equivocacies +equivocal +equivocality +equivocalities +equivocally +equivocalness +equivocate +equivocated +equivocates +equivocating +equivocatingly +equivocation +equivocations +equivocator +equivocatory +equivocators +equivoke +equivokes +equivoluminal +equivoque +equivorous +equivote +equoid +equoidean +Equulei +Equuleus +Equus +equvalent +er +ERA +erade +eradiate +eradiated +eradiates +eradiating +eradiation +eradicable +eradicably +eradicant +eradicate +eradicated +eradicates +eradicating +eradication +eradications +eradicative +eradicator +eradicatory +eradicators +eradiculose +Eradis +Eragrostis +eral +Eran +eranist +Eranthemum +Eranthis +ERAR +Eras +era's +erasability +erasable +erase +erased +erasement +eraser +erasers +erases +erasing +erasion +erasions +Erasme +Erasmian +Erasmianism +Erasmo +Erasmus +Erastatus +Eraste +Erastes +Erastian +Erastianism +Erastianize +Erastus +erasure +erasures +erat +Erath +Erato +Eratosthenes +Erava +Erb +Erbaa +Erbacon +Erbe +Erbes +erbia +Erbil +erbium +erbiums +Erce +erce- +Erceldoune +Ercilla +ERD +ERDA +Erdah +Erdda +Erde +Erdei +Erdman +Erdrich +erdvark +ERE +Erebus +Erech +Erechim +Erechtheum +Erechtheus +Erechtites +erect +erectable +erected +erecter +erecters +erectile +erectility +erectilities +erecting +erection +erections +erection's +erective +erectly +erectness +erectopatent +erector +erectors +erector's +erects +Erek +Erelia +erelong +eremacausis +Eremian +eremic +eremital +eremite +eremites +eremiteship +eremitic +eremitical +eremitish +eremitism +Eremochaeta +eremochaetous +eremology +eremophilous +eremophyte +Eremopteris +eremuri +Eremurus +Erena +erenach +Erenburg +erenow +EREP +erepsin +erepsins +erept +ereptase +ereptic +ereption +erer +Ereshkigal +Ereshkigel +erethic +erethisia +erethism +erethismic +erethisms +erethistic +erethitic +Erethizon +Erethizontidae +Eretrian +Ereuthalion +Erevan +erewhile +erewhiles +Erewhon +erf +Erfert +Erfurt +erg +erg- +ergal +ergamine +Ergane +ergasia +ergasterion +ergastic +ergastoplasm +ergastoplasmic +ergastulum +ergatandry +ergatandromorph +ergatandromorphic +ergatandrous +ergate +ergates +ergative +ergatocracy +ergatocrat +ergatogyne +ergatogyny +ergatogynous +ergatoid +ergatomorph +ergatomorphic +ergatomorphism +Ergener +Erginus +ergmeter +ergo +ergo- +ergocalciferol +ergodic +ergodicity +ergogram +ergograph +ergographic +ergoism +ergology +ergomaniac +ergometer +ergometric +ergometrine +ergon +ergonomic +ergonomically +ergonomics +ergonomist +ergonovine +ergophile +ergophobia +ergophobiac +ergophobic +ergoplasm +ergostat +ergosterin +ergosterol +ergot +ergotamine +ergotaminine +ergoted +ergothioneine +ergotic +ergotin +ergotine +ergotinine +ergotism +ergotisms +ergotist +ergotization +ergotize +ergotized +ergotizing +ergotoxin +ergotoxine +Ergotrate +ergots +ergs +ergusia +Erhard +Erhardt +Erhart +Eri +ery +eria +Erian +Erianthus +Eriboea +Eric +ERICA +Ericaceae +ericaceous +ericad +erical +Ericales +ericas +ericetal +ericeticolous +ericetum +Erich +Ericha +erichthoid +Erichthonius +erichthus +erichtoid +Erycina +ericineous +ericius +Erick +Ericka +Ericksen +Erickson +ericoid +ericolin +ericophyte +Ericson +Ericsson +Erida +Eridani +Eridanid +Eridanus +Eridu +Erie +Eries +Erieville +Erigena +Erigenia +Erigeron +erigerons +erigible +Eriglossa +eriglossate +Erigone +Eriha +eryhtrism +Erik +Erika +erikite +Erikson +Eriline +Erymanthian +Erymanthos +Erimanthus +Erymanthus +Erin +Eryn +Erina +Erinaceidae +erinaceous +Erinaceus +Erine +erineum +Eryngium +eringo +eryngo +eringoes +eryngoes +eringos +eryngos +Erinyes +Erinys +erinite +Erinize +Erinn +Erinna +erinnic +erinose +Eriobotrya +Eriocaulaceae +eriocaulaceous +Eriocaulon +Eriocomi +Eriodendron +Eriodictyon +erioglaucine +Eriogonum +eriometer +Eryon +erionite +Eriophyes +eriophyid +Eriophyidae +eriophyllous +Eriophorum +eryopid +Eryops +eryopsid +Eriosoma +Eriphyle +Eris +ERISA +Erysibe +Erysichthon +Erysimum +erysipelas +erysipelatoid +erysipelatous +erysipeloid +Erysipelothrix +erysipelous +Erysiphaceae +Erysiphe +Eristalis +eristic +eristical +eristically +eristics +Erithacus +Erythea +Erytheis +erythema +erythemal +erythemas +erythematic +erythematous +erythemic +erythorbate +erythr- +Erythraea +Erythraean +Erythraeidae +erythraemia +Erythraeum +erythrasma +erythrean +erythremia +erythremomelalgia +erythrene +erythric +erythrin +Erythrina +erythrine +Erythrinidae +Erythrinus +erythrism +erythrismal +erythristic +erythrite +erythritic +erythritol +erythro- +erythroblast +erythroblastic +erythroblastosis +erythroblastotic +erythrocarpous +erythrocatalysis +Erythrochaete +erythrochroic +erythrochroism +erythrocyte +erythrocytes +erythrocytic +erythrocytoblast +erythrocytolysin +erythrocytolysis +erythrocytolytic +erythrocytometer +erythrocytometry +erythrocytorrhexis +erythrocytoschisis +erythrocytosis +erythroclasis +erythroclastic +erythrodegenerative +erythroderma +erythrodermia +erythrodextrin +erythrogen +erythrogenesis +erythrogenic +erythroglucin +erythrogonium +erythroid +erythrol +erythrolein +erythrolysin +erythrolysis +erythrolytic +erythrolitmin +erythromania +erythromelalgia +erythromycin +erythron +erythroneocytosis +Erythronium +erythrons +erythropenia +erythrophage +erythrophagous +erythrophyll +erythrophyllin +erythrophilous +erythrophleine +erythrophobia +erythrophore +erythropia +erythroplastid +erythropoiesis +erythropoietic +erythropoietin +erythropsia +erythropsin +erythrorrhexis +erythroscope +erythrose +erythrosiderite +erythrosin +erythrosine +erythrosinophile +erythrosis +Erythroxylaceae +erythroxylaceous +erythroxyline +Erythroxylon +Erythroxylum +erythrozyme +erythrozincite +erythrulose +Eritrea +Eritrean +Erivan +Eryx +erizo +erk +Erkan +erke +ERL +Erland +Erlander +Erlandson +Erlang +Erlangen +Erlanger +Erle +Erleena +Erlene +Erlenmeyer +Erlewine +erliche +Erlin +Erlina +Erline +Erlinna +erlking +erl-king +erlkings +Erlond +Erma +Ermalinda +Ermanaric +Ermani +Ermanno +Ermanrich +Erme +Ermeena +Ermey +ermelin +Ermengarde +Ermentrude +ermiline +Ermin +Ermina +Ermine +ermined +erminee +ermines +ermine's +erminette +Erminia +Erminie +ermining +erminites +Erminna +erminois +ermit +ermitophobia +Ern +Erna +Ernald +Ernaldus +Ernaline +ern-bleater +Erne +ernes +ernesse +Ernest +Ernesta +Ernestine +Ernestyne +Ernesto +Ernestus +ern-fern +Erny +Ernie +erns +Ernst +Ernul +erodability +erodable +erode +eroded +erodent +erodes +erodibility +erodible +eroding +Erodium +erogate +erogeneity +erogenesis +erogenetic +erogeny +erogenic +erogenous +eromania +Eros +erose +erosely +eroses +erosible +erosion +erosional +erosionally +erosionist +erosions +erosive +erosiveness +erosivity +eroso- +erostrate +erotema +eroteme +Erotes +erotesis +erotetic +erotic +erotica +erotical +erotically +eroticism +eroticist +eroticization +eroticize +eroticizing +eroticomania +eroticomaniac +eroticomaniacal +erotics +erotylid +Erotylidae +erotism +erotisms +erotization +erotize +erotized +erotizes +erotizing +eroto- +erotogeneses +erotogenesis +erotogenetic +erotogenic +erotogenicity +erotographomania +erotology +erotomania +erotomaniac +erotomaniacal +erotopath +erotopathy +erotopathic +erotophobia +ERP +Erpetoichthys +erpetology +erpetologist +err +errability +errable +errableness +errabund +errancy +errancies +errand +errands +errant +Errantia +errantly +errantness +errantry +errantries +errants +errata +erratas +erratic +erratical +erratically +erraticalness +erraticism +erraticness +erratics +erratum +erratums +erratuta +Errecart +erred +Errhephoria +errhine +errhines +Errick +erring +erringly +errite +Errol +Erroll +erron +erroneous +erroneously +erroneousness +error +error-blasted +error-darkened +errordump +errorful +errorist +errorless +error-prone +error-proof +errors +error's +error-stricken +error-tainted +error-teaching +errs +errsyn +ERS +Ersar +ersatz +ersatzes +Erse +erses +ersh +Erskine +erst +erstwhile +erstwhiles +ERT +Ertebolle +erth +Ertha +erthen +erthly +erthling +ERU +erubescence +erubescent +erubescite +eruc +Eruca +erucic +eruciform +erucin +erucivorous +eruct +eructance +eructate +eructated +eructates +eructating +eructation +eructative +eructed +eructing +eruction +eructs +erudit +erudite +eruditely +eruditeness +eruditical +erudition +eruditional +eruditionist +eruditions +erugate +erugation +erugatory +eruginous +erugo +erugos +Erulus +erump +erumpent +Erund +erupt +erupted +eruptible +erupting +eruption +eruptional +eruptions +eruptive +eruptively +eruptiveness +eruptives +eruptivity +erupts +erupturient +ERV +ervenholder +Ervy +ervil +ervils +ErvIn +Ervine +Erving +Ervipiame +Ervum +Erwin +Erwinia +Erwinna +Erwinville +erzahler +Erzerum +Erzgebirge +Erzurum +es +es- +e's +ESA +ESAC +Esau +ESB +esbay +esbatement +Esbensen +Esbenshade +Esbjerg +Esbon +Esc +esca +escadrille +escadrilles +escalade +escaladed +escalader +escalades +escalading +escalado +escalan +Escalante +escalate +escalated +escalates +escalating +escalation +escalations +Escalator +escalatory +escalators +escalier +escalin +Escallonia +Escalloniaceae +escalloniaceous +escallop +escalloped +escalloping +escallops +escallop-shell +Escalon +escalop +escalope +escaloped +escaloping +escalops +escambio +escambron +escamotage +escamoteur +Escanaba +escandalize +escapable +escapade +escapades +escapade's +escapado +escapage +escape +escaped +escapee +escapees +escapee's +escapeful +escapeless +escapement +escapements +escaper +escapers +escapes +escapeway +escaping +escapingly +escapism +escapisms +escapist +escapists +escapology +escapologist +escar +escarbuncle +escargatoire +escargot +escargotieres +escargots +escarmouche +escarole +escaroles +escarp +escarped +escarping +escarpment +escarpments +escarps +escars +escarteled +escartelly +Escatawpa +Escaut +escence +escent +Esch +eschalot +eschalots +eschar +eschara +escharine +escharoid +escharotic +eschars +eschatocol +eschatology +eschatological +eschatologically +eschatologist +eschaufe +eschaunge +escheat +escheatable +escheatage +escheated +escheating +escheatment +escheator +escheatorship +escheats +eschel +eschele +Escherichia +escheve +eschevin +eschew +eschewal +eschewals +eschewance +eschewed +eschewer +eschewers +eschewing +eschews +eschynite +eschoppe +eschrufe +Eschscholtzia +esclandre +esclavage +escoba +escobadura +escobedo +escobilla +escobita +escocheon +Escoffier +Escoheag +escolar +escolars +Escondido +esconson +escopet +escopeta +escopette +Escorial +escort +escortage +escorted +escortee +escorting +escortment +escorts +escot +escoted +escoting +escots +escout +escry +escribano +escribe +escribed +escribiente +escribientes +escribing +escrime +escript +escritoire +escritoires +escritorial +escrod +escrol +escroll +escropulo +escrow +escrowed +escrowee +escrowing +escrows +escruage +escuage +escuages +Escudero +escudo +escudos +escuela +Esculapian +esculent +esculents +esculetin +esculic +esculin +Escurial +escurialize +escutcheon +escutcheoned +escutcheons +escutellate +ESD +Esd. +ESDI +Esdraelon +esdragol +Esdras +Esdud +ese +Esebrias +esemplasy +esemplastic +Esenin +eseptate +esere +eserin +eserine +eserines +eses +esexual +ESF +esguard +ESH +E-shaped +Eshelman +Esher +Eshi-kongo +eshin +Eshkol +Eshman +ESI +Esidrix +esiphonal +ESIS +Esk +eskar +eskars +Eskdale +esker +eskers +Esky +Eskil +Eskill +Eskilstuna +Eskimauan +Eskimo +Eskimo-Aleut +Eskimoan +eskimoes +Eskimoic +Eskimoid +Eskimoized +Eskimology +Eskimologist +Eskimos +Eskisehir +Eskishehir +Esko +Eskualdun +Eskuara +ESL +eslabon +Eslie +eslisor +esloign +ESM +Esma +esmayle +Esmaria +Esmark +ESMD +Esme +Esmeralda +Esmeraldan +Esmeraldas +esmeraldite +Esmerelda +Esmerolda +Esmond +Esmont +ESN +esne +esnecy +ESO +eso- +esoanhydride +esocataphoria +esocyclic +Esocidae +esociform +esodic +esoenteritis +esoethmoiditis +esogastritis +esonarthex +esoneural +ESOP +esopgi +esophagal +esophagalgia +esophageal +esophagean +esophagectasia +esophagectomy +esophageo-cutaneous +esophagi +esophagism +esophagismus +esophagitis +esophago +esophagocele +esophagodynia +esophago-enterostomy +esophagogastroscopy +esophagogastrostomy +esophagomalacia +esophagometer +esophagomycosis +esophagopathy +esophagoplasty +esophagoplegia +esophagoplication +esophagoptosis +esophagorrhagia +esophagoscope +esophagoscopy +esophagospasm +esophagostenosis +esophagostomy +esophagotome +esophagotomy +esophagus +esophoria +esophoric +Esopus +esotery +esoteric +esoterica +esoterical +esoterically +esotericism +esotericist +esoterics +esoterism +esoterist +esoterize +esothyropexy +esotrope +esotropia +esotropic +Esox +ESP +esp. +espace +espacement +espada +espadon +espadrille +espadrilles +espagnole +espagnolette +espalier +espaliered +espaliering +espaliers +Espana +espanol +Espanola +espanoles +espantoon +esparcet +esparsette +Espartero +Esparto +espartos +espathate +espave +espavel +ESPEC +espece +especial +especially +especialness +espeire +Esperance +Esperantic +Esperantidist +Esperantido +Esperantism +Esperantist +Esperanto +esphresis +Espy +espial +espials +espichellite +espied +espiegle +espieglerie +espiegleries +espier +espies +espigle +espiglerie +espying +espinal +espinel +espinette +espingole +espinillo +espino +espinos +espionage +espionages +espiritual +esplanade +esplanades +esplees +esponton +espontoon +Espoo +Esposito +espousage +espousal +espousals +espouse +espoused +espousement +espouser +espousers +espouses +espousing +espressivo +espresso +espressos +Espriella +espringal +esprise +esprit +esprits +Espronceda +esprove +ESPS +espundia +Esq +Esq. +esquamate +esquamulose +esque +Esquiline +Esquimau +Esquimauan +Esquimaux +Esquipulas +Esquire +esquirearchy +esquired +esquiredom +esquires +esquireship +esquiring +esquisse +esquisse-esquisse +ESR +Esra +ESRO +esrog +esrogim +esrogs +ess +Essa +essay +essayed +essayer +essayers +essayette +essayical +essaying +essayish +essayism +essayist +essayistic +essayistical +essayists +essaylet +essays +essay-writing +Essam +essancia +essancias +essang +Essaouira +essart +esse +essed +esseda +essede +Essedones +essee +Esselen +Esselenian +Essen +essence +essenced +essences +essence's +essency +essencing +Essene +essenhout +Essenian +Essenianism +Essenic +Essenical +Essenis +Essenism +Essenize +essentia +essential +essentialism +essentialist +essentiality +essentialities +essentialization +essentialize +essentialized +essentializing +essentially +essentialness +essentials +essentiate +essenwood +Essequibo +essera +esses +ESSEX +Essexfells +essexite +Essexville +Essy +Essie +Essig +Essinger +Essington +essive +essling +essoign +essoin +essoined +essoinee +essoiner +essoining +essoinment +essoins +essonite +essonites +Essonne +essorant +ESSX +est +est. +Esta +estab +estable +establish +establishable +established +establisher +establishes +establishing +Establishment +establishmentarian +establishmentarianism +establishmentism +establishments +establishment's +establismentarian +establismentarianism +Estacada +estacade +estadal +estadel +estadio +estado +estafa +estafet +estafette +estafetted +Estaing +estall +estamene +estamin +estaminet +estaminets +estamp +estampage +estampede +estampedero +estampie +Estancia +estancias +estanciero +estancieros +estang +estantion +Estas +estate +estated +estately +estates +estate's +estatesman +estatesmen +estating +estats +Este +Esteban +esteem +esteemable +esteemed +esteemer +esteeming +esteems +Estey +Estel +Estele +Esteli +Estell +Estella +Estelle +Estelline +Esten +estensible +Ester +esterase +esterases +esterellite +Esterhazy +esteriferous +esterify +esterifiable +esterification +esterified +esterifies +esterifying +esterization +esterize +esterizing +esterlin +esterling +Estero +esteros +esters +Estes +Estevan +estevin +Esth +Esth. +Esthacyte +esthematology +Esther +Estheria +estherian +Estheriidae +Estherville +Estherwood +estheses +esthesia +esthesias +esthesio +esthesio- +esthesioblast +esthesiogen +esthesiogeny +esthesiogenic +esthesiography +esthesiology +esthesiometer +esthesiometry +esthesiometric +esthesioneurosis +esthesiophysiology +esthesis +esthesises +esthete +esthetes +esthetic +esthetical +esthetically +esthetician +estheticism +esthetics +esthetology +esthetophore +esthiomene +esthiomenus +Esthonia +Esthonian +Estienne +Estill +estimable +estimableness +estimably +estimate +estimated +estimates +estimating +estimatingly +estimation +estimations +estimative +estimator +estimators +estipulate +Estis +estivage +estival +estivate +estivated +estivates +estivating +estivation +estivator +estive +estivo-autumnal +estmark +estoc +estocada +estocs +estoil +estoile +estolide +Estonia +Estonian +estonians +estop +estoppage +estoppal +estopped +estoppel +estoppels +estopping +estops +estoque +Estotiland +estovers +estrada +estradas +estrade +estradiol +estradiot +estrado +estragol +estragole +estragon +estragons +estray +estrayed +estraying +estrays +estral +estramazone +estrange +estranged +estrangedness +estrangelo +estrangement +estrangements +estranger +estranges +estranging +estrangle +estrapade +estre +estreat +estreated +estreating +estreats +Estrella +Estrellita +Estremadura +Estren +estrepe +estrepement +estriate +estrich +estriche +estrif +estrildine +Estrin +estrins +estriol +estriols +estrogen +estrogenic +estrogenically +estrogenicity +estrogens +Estron +estrone +estrones +estrous +estrual +estruate +estruation +estrum +estrums +estrus +estruses +estuant +estuary +estuarial +estuarian +estuaries +estuarine +estuate +estudy +estufa +estuosity +estuous +esture +Estus +ESU +esugarization +esurience +esuriency +esurient +esuriently +esurine +Eszencia +Esztergom +Eszterhazy +et +ETA +etaballi +etabelli +ETACC +etacism +etacist +etaerio +etagere +etageres +etagre +etalage +etalon +etalons +Etam +Etamin +etamine +etamines +etamins +Etan +Etana +etang +etape +etapes +ETAS +etatism +etatisme +etatisms +etatist +etatists +ETC +etc. +etcetera +etceteras +etch +etchant +etchants +Etchareottine +etched +etcher +etchers +etches +Etchimin +etching +etchings +ETD +Etem +eten +Eteocles +Eteoclus +Eteocretan +Eteocretes +Eteocreton +eteostic +eterminable +eternal +eternalise +eternalised +eternalising +eternalism +eternalist +eternality +eternalization +eternalize +eternalized +eternalizing +eternally +eternalness +eternals +eterne +eternisation +eternise +eternised +eternises +eternish +eternising +eternity +eternities +eternization +eternize +eternized +eternizes +eternizing +etesian +etesians +ETF +ETFD +eth +eth- +Eth. +ethal +ethaldehyde +ethambutol +Ethan +ethanal +ethanamide +ethane +ethanedial +ethanediol +ethanedithiol +ethanes +ethanethial +ethanethiol +Ethanim +ethanoyl +ethanol +ethanolamine +ethanolysis +ethanols +Ethban +Ethben +Ethbin +Ethbinium +Ethbun +ethchlorvynol +Ethe +Ethel +Ethelbert +Ethelda +Ethelee +Ethelene +Ethelette +Ethelin +Ethelyn +Ethelind +Ethelinda +Etheline +etheling +Ethelynne +Ethelred +Ethelstan +Ethelsville +ethene +Etheneldeli +ethenes +ethenic +ethenyl +ethenoid +ethenoidal +ethenol +Etheostoma +Etheostomidae +Etheostominae +etheostomoid +ethephon +ether +etherate +ethereal +etherealisation +etherealise +etherealised +etherealising +etherealism +ethereality +etherealization +etherealize +etherealized +etherealizing +ethereally +etherealness +etherean +ethered +Etherege +etherene +ethereous +Etheria +etherial +etherialisation +etherialise +etherialised +etherialising +etherialism +etherialization +etherialize +etherialized +etherializing +etherially +etheric +etherical +etherify +etherification +etherified +etherifies +etherifying +etheriform +Etheriidae +etherin +etherion +etherish +etherism +etherization +etherize +etherized +etherizer +etherizes +etherizing +etherlike +ethernet +ethernets +etherol +etherolate +etherous +ethers +ether's +ethic +ethical +ethicalism +ethicality +ethicalities +ethically +ethicalness +ethicals +ethician +ethicians +ethicism +ethicist +ethicists +ethicize +ethicized +ethicizes +ethicizing +ethico- +ethicoaesthetic +ethicophysical +ethicopolitical +ethicoreligious +ethicosocial +ethics +ethid +ethide +ethidene +Ethyl +ethylamide +ethylamime +ethylamin +ethylamine +ethylate +ethylated +ethylates +ethylating +ethylation +ethylbenzene +ethyldichloroarsine +Ethyle +ethylenation +ethylene +ethylenediamine +ethylenes +ethylenic +ethylenically +ethylenimine +ethylenoid +ethylhydrocupreine +ethylic +ethylidene +ethylidyne +ethylin +ethylmorphine +ethyls +ethylsulphuric +ethylthioethane +ethylthioether +ethinamate +ethine +ethyne +ethynes +ethinyl +ethynyl +ethynylation +ethinyls +ethynyls +ethiodide +ethion +ethionamide +ethionic +ethionine +ethions +Ethiop +Ethiope +Ethiopia +Ethiopian +ethiopians +Ethiopic +ethiops +ethysulphuric +ethize +Ethlyn +ethmyphitis +ethmo- +ethmofrontal +ethmoid +ethmoidal +ethmoiditis +ethmoids +ethmolachrymal +ethmolith +ethmomaxillary +ethmonasal +ethmopalatal +ethmopalatine +ethmophysal +ethmopresphenoidal +ethmose +ethmosphenoid +ethmosphenoidal +ethmoturbinal +ethmoturbinate +ethmovomer +ethmovomerine +ethnal +ethnarch +ethnarchy +ethnarchies +ethnarchs +ethnic +ethnical +ethnically +ethnicism +ethnicist +ethnicity +ethnicities +ethnicize +ethnicon +ethnics +ethnish +ethnize +ethno- +ethnobiology +ethnobiological +ethnobotany +ethnobotanic +ethnobotanical +ethnobotanist +ethnocentric +ethnocentrically +ethnocentricity +ethnocentrism +ethnocracy +ethnodicy +ethnoflora +ethnog +ethnogeny +ethnogenic +ethnogenies +ethnogenist +ethnogeographer +ethnogeography +ethnogeographic +ethnogeographical +ethnogeographically +ethnographer +ethnography +ethnographic +ethnographical +ethnographically +ethnographies +ethnographist +ethnohistory +ethnohistorian +ethnohistoric +ethnohistorical +ethnohistorically +ethnol +ethnol. +ethnolinguist +ethnolinguistic +ethnolinguistics +ethnologer +ethnology +ethnologic +ethnological +ethnologically +ethnologies +ethnologist +ethnologists +ethnomaniac +ethnomanic +ethnomusicology +ethnomusicological +ethnomusicologically +ethnomusicologist +ethnopsychic +ethnopsychology +ethnopsychological +ethnos +ethnoses +ethnotechnics +ethnotechnography +ethnozoology +ethnozoological +ethography +etholide +ethology +ethologic +ethological +ethologically +ethologies +ethologist +ethologists +ethonomic +ethonomics +ethonone +ethopoeia +ethopoetic +ethos +ethoses +ethoxy +ethoxycaffeine +ethoxide +ethoxies +ethoxyethane +ethoxyl +ethoxyls +ethrog +ethrogim +ethrogs +eths +ety +etiam +etic +Etienne +etym +etyma +etymic +etymography +etymol +etymologer +etymology +etymologic +etymological +etymologically +etymologicon +etymologies +etymologisable +etymologise +etymologised +etymologising +etymologist +etymologists +etymologizable +etymologization +etymologize +etymologized +etymologizing +etymon +etymonic +etymons +etiogenic +etiolate +etiolated +etiolates +etiolating +etiolation +etiolin +etiolize +etiology +etiologic +etiological +etiologically +etiologies +etiologist +etiologue +etiophyllin +etioporphyrin +etiotropic +etiotropically +etypic +etypical +etypically +etiquet +etiquette +etiquettes +etiquettical +Etiwanda +Etka +ETLA +Etlan +ETN +Etna +etnas +Etnean +ETO +etoffe +Etoile +etoiles +Etom +Eton +Etonian +etouffe +etourderie +Etowah +ETR +Etra +Etrem +etrenne +etrier +etrog +etrogim +etrogs +Etruria +Etrurian +Etruscan +etruscans +Etruscology +Etruscologist +Etrusco-roman +ETS +ETSACI +ETSI +ETSSP +Etta +Ettabeth +Ettari +Ettarre +ette +ettercap +Etters +Etterville +Etti +Etty +Ettie +Ettinger +ettirone +ettle +ettled +ettling +Ettore +Ettrick +etua +etude +etudes +etui +etuis +etuve +etuvee +ETV +etwas +etwee +etwees +etwite +Etz +Etzel +Eu +eu- +Euaechme +Euahlayi +euangiotic +Euascomycetes +euaster +eubacteria +Eubacteriales +eubacterium +Eubank +Eubasidii +Euboea +Euboean +Euboic +Eubranchipus +eubteria +Eubuleus +EUC +eucaine +eucaines +eucairite +eucalyn +eucalypt +eucalypteol +eucalypti +eucalyptian +eucalyptic +eucalyptography +eucalyptol +eucalyptole +eucalypts +Eucalyptus +eucalyptuses +Eucarida +eucaryote +eucaryotic +eucarpic +eucarpous +eucatropine +eucephalous +eucgia +Eucha +Eucharis +eucharises +Eucharist +eucharistial +Eucharistic +Eucharistical +Eucharistically +eucharistize +eucharistized +eucharistizing +eucharists +Eucharitidae +Euchenor +euchymous +euchysiderite +Euchite +Euchlaena +euchlorhydria +euchloric +euchlorine +euchlorite +Euchlorophyceae +euchology +euchologia +euchological +euchologies +euchologion +Euchorda +euchre +euchred +euchres +euchring +euchroic +euchroite +euchromatic +euchromatin +euchrome +euchromosome +euchrone +eucyclic +euciliate +Eucirripedia +Eucken +euclase +euclases +Euclea +eucleid +Eucleidae +Euclid +Euclidean +Euclideanism +Euclides +Euclidian +Eucnemidae +eucolite +Eucommia +Eucommiaceae +eucone +euconic +Euconjugatae +Eucopepoda +Eucosia +eucosmid +Eucosmidae +eucrasy +eucrasia +eucrasite +eucre +Eucryphia +Eucryphiaceae +eucryphiaceous +eucryptite +eucrystalline +eucrite +eucrites +eucritic +Euctemon +eucti +euctical +euda +eudaemon +eudaemony +eudaemonia +eudaemonic +eudaemonical +eudaemonics +eudaemonism +eudaemonist +eudaemonistic +eudaemonistical +eudaemonistically +eudaemonize +eudaemons +eudaimonia +eudaimonism +eudaimonist +eudalene +Eudemian +eudemon +eudemony +eudemonia +eudemonic +eudemonics +eudemonism +eudemonist +eudemonistic +eudemonistical +eudemonistically +eudemons +Eudendrium +eudesmol +Eudeve +eudiagnostic +eudialyte +eudiaphoresis +eudidymite +eudiometer +eudiometry +eudiometric +eudiometrical +eudiometrically +eudipleural +Eudyptes +Eudist +Eudo +Eudoca +Eudocia +Eudora +Eudorina +Eudorus +Eudosia +Eudoxia +Eudoxian +Eudoxus +Eudromias +euectic +Euell +euemerism +Euemerus +Euergetes +Eufaula +euflavine +eu-form +Eug +euge +Eugen +Eugene +eugenesic +eugenesis +eugenetic +eugeny +Eugenia +eugenias +eugenic +eugenical +eugenically +eugenicist +eugenicists +eugenics +Eugenides +Eugenie +Eugenio +eugenism +eugenist +eugenists +Eugenius +Eugeniusz +Eugenle +eugenol +eugenolate +eugenols +eugeosynclinal +eugeosyncline +Eugine +Euglandina +Euglena +Euglenaceae +Euglenales +euglenas +Euglenida +Euglenidae +Euglenineae +euglenoid +Euglenoidina +euglobulin +Eugnie +eugonic +eugranitic +Eugregarinida +Eugubine +Eugubium +Euh +euhages +euharmonic +euhedral +euhemerise +euhemerised +euhemerising +euhemerism +euhemerist +euhemeristic +euhemeristically +euhemerize +euhemerized +euhemerizing +Euhemerus +euhyostyly +euhyostylic +Euippe +eukairite +eukaryote +euktolite +Eula +eulachan +eulachans +eulachon +eulachons +Eulalee +Eulalia +Eulaliah +Eulalie +eulamellibranch +Eulamellibranchia +Eulamellibranchiata +eulamellibranchiate +Eulau +Eulee +Eulenspiegel +Euler +Euler-Chelpin +Eulerian +Euless +Eulima +Eulimidae +Eulis +eulysite +eulytin +eulytine +eulytite +eulogy +eulogia +eulogiae +eulogias +eulogic +eulogical +eulogically +eulogies +eulogious +eulogisation +eulogise +eulogised +eulogiser +eulogises +eulogising +eulogism +eulogist +eulogistic +eulogistical +eulogistically +eulogists +eulogium +eulogiums +eulogization +eulogize +eulogized +eulogizer +eulogizers +eulogizes +eulogizing +eulophid +Eumaeus +Eumedes +eumelanin +Eumelus +eumemorrhea +Eumenes +eumenid +Eumenidae +Eumenidean +Eumenides +eumenorrhea +eumerism +eumeristic +eumerogenesis +eumerogenetic +eumeromorph +eumeromorphic +eumycete +Eumycetes +eumycetic +eumitosis +eumitotic +eumoiriety +eumoirous +Eumolpides +eumolpique +Eumolpus +eumorphic +eumorphous +eundem +Eunectes +EUNET +Euneus +Eunice +eunicid +Eunicidae +eunomy +Eunomia +Eunomian +Eunomianism +Eunomus +Eunson +eunuch +eunuchal +eunuchise +eunuchised +eunuchising +eunuchism +eunuchize +eunuchized +eunuchizing +eunuchoid +eunuchoidism +eunuchry +eunuchs +euodic +euomphalid +Euomphalus +euonym +euonymy +euonymin +euonymous +Euonymus +euonymuses +Euornithes +euornithic +Euorthoptera +euosmite +euouae +eupad +Eupanorthidae +Eupanorthus +eupathy +eupatory +eupatoriaceous +eupatorin +eupatorine +Eupatorium +eupatrid +eupatridae +eupatrids +eupepsy +eupepsia +eupepsias +eupepsies +eupeptic +eupeptically +eupepticism +eupepticity +Euphausia +Euphausiacea +euphausid +euphausiid +Euphausiidae +Eupheemia +euphemy +Euphemia +Euphemiah +euphemian +Euphemie +euphemious +euphemiously +euphemisation +euphemise +euphemised +euphemiser +euphemising +euphemism +euphemisms +euphemism's +euphemist +euphemistic +euphemistical +euphemistically +euphemization +euphemize +euphemized +euphemizer +euphemizing +euphemous +Euphemus +euphenic +euphenics +euphyllite +Euphyllopoda +euphon +euphone +euphonetic +euphonetics +euphony +euphonia +euphoniad +euphonic +euphonical +euphonically +euphonicalness +euphonies +euphonym +euphonious +euphoniously +euphoniousness +euphonise +euphonised +euphonising +euphonism +euphonium +euphonize +euphonized +euphonizing +euphonon +euphonous +Euphorbia +Euphorbiaceae +euphorbiaceous +euphorbial +euphorbine +euphorbium +Euphorbus +euphory +euphoria +euphoriant +euphorias +euphoric +euphorically +Euphorion +euphotic +euphotide +euphrasy +Euphrasia +euphrasies +Euphratean +Euphrates +Euphremia +euphroe +euphroes +Euphrosyne +Euphues +euphuism +euphuisms +euphuist +euphuistic +euphuistical +euphuistically +euphuists +euphuize +euphuized +euphuizing +eupion +eupione +eupyrchroite +eupyrene +eupyrion +eupittone +eupittonic +euplastic +Euplectella +Euplexoptera +Euplocomi +Euploeinae +euploid +euploidy +euploidies +euploids +Euplotes +euplotid +eupnea +eupneas +eupneic +eupnoea +eupnoeas +eupnoeic +Eupolidean +Eupolyzoa +eupolyzoan +Eupomatia +Eupomatiaceae +Eupora +eupotamic +eupractic +eupraxia +Euprepia +Euproctis +eupsychics +Euptelea +Eupterotidae +Eur +Eur- +Eur. +Eurafric +Eurafrican +Euramerican +Euraquilo +Eurasia +Eurasian +Eurasianism +eurasians +Eurasiatic +Euratom +Eure +Eure-et-Loir +Eureka +eurhythmy +eurhythmic +eurhythmical +eurhythmics +eurhodine +eurhodol +eury- +Euryalae +Euryale +Euryaleae +euryalean +Euryalida +euryalidan +Euryalus +Eurybates +eurybath +eurybathic +eurybenthic +Eurybia +eurycephalic +eurycephalous +Eurycerotidae +eurycerous +eurychoric +Euryclea +Euryclia +Eurydamas +Euridice +Euridyce +Eurydice +Eurygaea +Eurygaean +Euryganeia +eurygnathic +eurygnathism +eurygnathous +euryhaline +Eurylaimi +Eurylaimidae +eurylaimoid +Eurylaimus +Eurylochus +Eurymachus +Eurymede +Eurymedon +Eurymus +Eurindic +Eurynome +euryoky +euryon +Eurypelma +euryphage +euryphagous +Eurypharyngidae +Eurypharynx +euripi +Euripidean +Euripides +Eurypyga +Eurypygae +Eurypygidae +eurypylous +Eurypylus +euripos +Eurippa +euryprognathous +euryprosopic +eurypterid +Eurypterida +eurypteroid +Eurypteroidea +Eurypterus +euripupi +euripus +Eurysaces +euryscope +Eurysthenes +Eurystheus +eurystomatous +eurite +euryte +eurytherm +eurythermal +eurythermic +eurithermophile +eurithermophilic +eurythermous +eurythmy +eurythmic +eurythmical +eurythmics +eurythmies +Eurytion +eurytomid +Eurytomidae +eurytopic +eurytopicity +eurytropic +Eurytus +euryzygous +euro +Euro- +Euro-American +Euroaquilo +eurobin +euro-boreal +eurocentric +Euroclydon +Eurocommunism +Eurocrat +Eurodollar +Eurodollars +euroky +eurokies +eurokous +Euromarket +Euromart +Europa +europaeo- +Europan +Europasian +Europe +European +Europeanisation +Europeanise +Europeanised +Europeanising +Europeanism +Europeanization +Europeanize +Europeanized +Europeanizing +Europeanly +europeans +Europeo-american +Europeo-asiatic +Europeo-siberian +Europeward +europhium +europium +europiums +Europocentric +Europoort +euros +Eurotas +eurous +Eurovision +Eurus +Euscaro +Eusebian +Eusebio +Eusebius +Euselachii +eusynchite +Euskaldun +Euskara +Euskarian +Euskaric +Euskera +eusol +Euspongia +eusporangiate +Eustace +Eustache +Eustachian +Eustachio +eustachium +Eustachius +eustacy +Eustacia +eustacies +Eustashe +Eustasius +Eustathian +eustatic +eustatically +Eustatius +Eustazio +eustele +eusteles +Eusthenopteron +eustyle +Eustis +eustomatous +Eusuchia +eusuchian +Eutaenia +eutannin +Eutaw +Eutawville +eutaxy +eutaxic +eutaxie +eutaxies +eutaxite +eutaxitic +eutechnic +eutechnics +eutectic +eutectics +eutectoid +eutelegenic +Euterpe +Euterpean +eutexia +Euthamia +euthanasy +euthanasia +euthanasias +euthanasic +euthanatize +euthenasia +euthenic +euthenics +euthenist +Eutheria +eutherian +euthermic +Euthycomi +euthycomic +euthymy +Euthyneura +euthyneural +euthyneurous +euthyroid +euthytatic +euthytropic +Eutychian +Eutychianism +Eutychianus +eu-type +eutocia +eutomous +Euton +eutony +Eutopia +Eutopian +eutrophy +eutrophic +eutrophication +eutrophies +eutropic +eutropous +EUUG +EUV +EUVE +euvrou +euxanthate +euxanthic +euxanthin +euxanthone +euxenite +euxenites +Euxine +EV +EVA +evacuant +evacuants +evacuate +evacuated +evacuates +evacuating +evacuation +evacuations +evacuative +evacuator +evacuators +evacue +evacuee +evacuees +evadable +Evadale +evade +evaded +evader +evaders +evades +evadible +evading +evadingly +Evadne +Evadnee +evagation +evaginable +evaginate +evaginated +evaginating +evagination +eval +Evaleen +Evalyn +evaluable +evaluate +evaluated +evaluates +evaluating +evaluation +evaluations +evaluative +evaluator +evaluators +evaluator's +evalue +Evan +Evander +evanesce +evanesced +evanescence +evanescency +evanescenrly +evanescent +evanescently +evanesces +evanescible +evanescing +Evang +evangel +evangelary +evangely +Evangelia +evangelian +evangeliary +evangeliaries +evangeliarium +evangelic +Evangelical +Evangelicalism +evangelicality +evangelically +evangelicalness +evangelicals +evangelican +evangelicism +evangelicity +Evangelin +Evangelina +Evangeline +evangelion +evangelisation +evangelise +evangelised +evangeliser +evangelising +evangelism +evangelisms +Evangelist +evangelistary +evangelistaries +evangelistarion +evangelistarium +evangelistic +evangelistically +evangelistics +Evangelists +evangelistship +evangelium +evangelization +evangelize +evangelized +evangelizer +evangelizes +evangelizing +Evangels +Evania +evanid +Evaniidae +evanish +evanished +evanishes +evanishing +evanishment +evanition +Evanne +Evannia +Evans +Evansdale +evansite +Evansport +evans-root +Evanston +Evansville +Evant +Evante +Evanthe +Evanthia +evap +evaporability +evaporable +evaporate +evaporated +evaporates +evaporating +evaporation +evaporations +evaporative +evaporatively +evaporativity +evaporator +evaporators +evaporimeter +evaporite +evaporitic +evaporize +evaporometer +evapotranspiration +Evarglice +Evaristus +Evars +Evart +Evarts +evase +evasible +evasion +evasional +evasions +evasive +evasively +evasiveness +evasivenesses +Evatt +Eve +Evea +evechurr +eve-churr +eveck +evectant +evected +evectic +evection +evectional +evections +evector +Evehood +Evey +evejar +eve-jar +Eveleen +Eveless +Eveleth +evelight +Evelin +Evelyn +Evelina +Eveline +Evelinn +Evelynne +evelong +Evelunn +Evemerus +Even +even- +evenblush +Even-christian +Evendale +evendown +evene +evened +even-edged +evener +eveners +evener-up +evenest +evenfall +evenfalls +evenforth +evenglome +evenglow +evenhand +evenhanded +even-handed +evenhandedly +even-handedly +evenhandedness +even-handedness +evenhead +evening +evening-dressed +evening-glory +evenings +evening's +Eveningshade +evening-snow +evenly +evenlight +evenlong +evenmete +evenminded +even-minded +evenmindedness +even-mindedness +even-money +evenness +evennesses +even-numbered +even-old +evenoo +even-paged +even-pleached +evens +even-set +evensong +evensongs +even-spun +even-star +even-steven +Evensville +event +eventail +even-tempered +even-tenored +eventerate +eventful +eventfully +eventfulness +eventide +eventides +eventilate +eventime +eventless +eventlessly +eventlessness +even-toed +eventognath +Eventognathi +eventognathous +even-toothed +eventration +events +event's +eventual +eventuality +eventualities +eventualize +eventually +eventuate +eventuated +eventuates +eventuating +eventuation +eventuations +Eventus +even-up +Evenus +even-wayed +evenwise +evenworthy +eveque +ever +ever-abiding +ever-active +ever-admiring +ever-angry +Everara +Everard +everbearer +everbearing +ever-bearing +ever-being +ever-beloved +ever-blazing +ever-blessed +everbloomer +everblooming +ever-blooming +ever-burning +ever-celebrated +ever-changeful +ever-changing +ever-circling +ever-conquering +ever-constant +ever-craving +ever-dear +ever-deepening +ever-dying +ever-dripping +ever-drizzling +ever-dropping +Everdur +ever-durable +everduring +ever-during +ever-duringness +Eveready +ever-echoing +Evered +ever-endingly +Everes +Everest +ever-esteemed +Everett +Everetts +Everettville +ever-expanding +ever-faithful +ever-fast +ever-fertile +ever-fresh +ever-friendly +everglade +Everglades +ever-glooming +ever-goading +ever-going +Evergood +Evergreen +evergreenery +evergreenite +evergreens +ever-growing +ever-happy +Everhart +ever-honored +every +everybody +everich +Everick +everyday +everydayness +everydeal +everyhow +everylike +Everyman +everymen +ever-increasing +everyness +everyone +everyone's +ever-young +everyplace +everything +everyway +every-way +everywhen +everywhence +everywhere +everywhere-dense +everywhereness +everywheres +everywhither +everywoman +everlasting +everlastingly +everlastingness +Everly +everliving +ever-living +ever-loving +ever-mingling +evermo +evermore +ever-moving +everness +ever-new +Evernia +evernioid +ever-noble +ever-present +ever-prompt +ever-ready +ever-recurrent +ever-recurring +ever-renewing +Everrs +Evers +everse +eversible +eversion +eversions +eversive +ever-smiling +Eversole +Everson +eversporting +ever-strong +Evert +evertebral +Evertebrata +evertebrate +everted +ever-thrilling +evertile +everting +Everton +evertor +evertors +everts +ever-varying +ever-victorious +ever-wearing +everwhich +ever-white +everwho +ever-widening +ever-willing +ever-wise +eves +evese +Evesham +evestar +eve-star +evetide +Evetta +Evette +eveweed +evg +Evy +Evian-les-Bains +evibrate +evicke +evict +evicted +evictee +evictees +evicting +eviction +evictions +eviction's +evictor +evictors +evicts +evidence +evidenced +evidence-proof +evidences +evidencing +evidencive +evident +evidential +evidentially +evidentiary +evidently +evidentness +Evie +evigilation +evil +evil-affected +evil-affectedness +evil-boding +evil-complexioned +evil-disposed +evildoer +evildoers +evildoing +evil-doing +Evyleen +evil-eyed +eviler +evilest +evil-faced +evil-fashioned +evil-favored +evil-favoredly +evil-favoredness +evil-favoured +evil-featured +evil-fortuned +evil-gotten +evil-headed +evilhearted +evil-hued +evil-humored +evil-impregnated +eviller +evillest +evilly +evil-looking +evil-loved +evil-mannered +evil-minded +evil-mindedly +evil-mindedness +evilmouthed +evil-mouthed +evilness +evilnesses +evil-ordered +evil-pieced +evilproof +evil-qualitied +evils +evilsayer +evil-savored +evil-shaped +evil-shapen +evil-smelling +evil-sounding +evil-sown +evilspeaker +evilspeaking +evil-spun +evil-starred +evil-taught +evil-tempered +evil-thewed +evil-thoughted +evil-tongued +evil-weaponed +evil-willed +evilwishing +evil-won +Evin +Evyn +evince +evinced +evincement +evinces +evincible +evincibly +evincing +evincingly +evincive +Evington +Evinston +Evipal +evirate +eviration +evirato +evirtuate +eviscerate +eviscerated +eviscerates +eviscerating +evisceration +eviscerations +eviscerator +evisite +Evita +evitable +evitate +evitation +evite +evited +eviternal +evites +eviting +evittate +Evius +Evnissyen +evocable +evocate +evocated +evocating +evocation +evocations +evocative +evocatively +evocativeness +evocator +evocatory +evocators +evocatrix +Evodia +evoe +Evoy +evoke +evoked +evoker +evokers +evokes +evoking +evolate +evolute +evolutes +evolute's +evolutility +evolution +evolutional +evolutionally +evolutionary +evolutionarily +evolutionism +evolutionist +evolutionistic +evolutionistically +evolutionists +evolutionize +evolutions +evolution's +evolutive +evolutoid +evolvable +evolve +evolved +evolvement +evolvements +evolvent +evolver +evolvers +evolves +evolving +evolvulus +evomit +Evonymus +evonymuses +Evonne +Evora +evovae +Evreux +Evros +Evslin +Evtushenko +evulgate +evulgation +evulge +evulse +evulsion +evulsions +Evva +Evvy +Evvie +evviva +Evvoia +EVX +evzone +evzones +EW +Ewa +Ewald +Ewall +Ewan +Eward +Ewart +ewder +Ewe +ewe-daisy +ewe-gowan +ewelease +Ewell +Ewen +ewe-neck +ewe-necked +Ewens +Ewer +ewerer +ewery +eweries +ewers +ewes +ewe's +ewest +ewhow +Ewig-weibliche +Ewing +EWO +Ewold +EWOS +ewound +ewry +EWS +ewte +Ex +ex- +Ex. +exa- +exacerbate +exacerbated +exacerbates +exacerbating +exacerbatingly +exacerbation +exacerbations +exacerbescence +exacerbescent +exacervation +exacinate +exact +exacta +exactable +exactas +exacted +exacter +exacters +exactest +exacting +exactingly +exactingness +exaction +exactions +exaction's +exactitude +exactitudes +exactive +exactiveness +exactly +exactment +exactness +exactnesses +exactor +exactors +exactress +exacts +exactus +exacuate +exacum +exadverso +exadversum +exaestuate +exaggerate +exaggerated +exaggeratedly +exaggeratedness +exaggerates +exaggerating +exaggeratingly +exaggeration +exaggerations +exaggerative +exaggeratively +exaggerativeness +exaggerator +exaggeratory +exaggerators +exagitate +exagitation +exairesis +exalate +exalbuminose +exalbuminous +exallotriote +exalt +exaltate +exaltation +exaltations +exaltative +exalte +exalted +exaltedly +exaltedness +exaltee +exalter +exalters +exalting +exaltment +exalts +exam +examen +examens +exameter +examinability +examinable +examinant +examinate +examination +examinational +examinationism +examinationist +examinations +examination's +examinative +examinator +examinatory +examinatorial +examine +examined +examinee +examinees +examine-in-chief +examiner +examiners +examinership +examines +examining +examiningly +examplar +example +exampled +exampleless +examples +example's +exampleship +exampless +exampling +exams +exam's +exanguin +exanimate +exanimation +exannulate +exanthalose +exanthem +exanthema +exanthemas +exanthemata +exanthematic +exanthematous +exanthems +exanthine +exantlate +exantlation +exappendiculate +exarate +exaration +exarch +exarchal +exarchate +exarchateship +exarchy +Exarchic +exarchies +Exarchist +exarchs +exareolate +exarillate +exaristate +ex-army +exarteritis +exarticulate +exarticulation +exasper +exasperate +exasperated +exasperatedly +exasperater +exasperates +exasperating +exasperatingly +exasperation +exasperations +exasperative +exaspidean +exauctorate +Exaudi +exaugurate +exauguration +exaun +exauthorate +exauthorize +exauthorizeexc +Exc +Exc. +excalate +excalation +excalcarate +excalceate +excalceation +excalfaction +Excalibur +excamb +excamber +excambion +excandescence +excandescency +excandescent +excantation +excardination +excarnate +excarnation +excarnificate +ex-cathedra +excathedral +excaudate +excavate +excavated +excavates +excavating +excavation +excavational +excavationist +excavations +excavator +excavatory +excavatorial +excavators +excave +excecate +excecation +excedent +Excedrin +exceed +exceedable +exceeded +exceeder +exceeders +exceeding +exceedingly +exceedingness +exceeds +excel +excelente +excelled +Excellence +excellences +Excellency +excellencies +excellent +excellently +excelling +Excello +excels +excelse +excelsin +Excelsior +excelsitude +excentral +excentric +excentrical +excentricity +excepable +except +exceptant +excepted +excepter +excepting +exceptio +exception +exceptionability +exceptionable +exceptionableness +exceptionably +exceptional +exceptionalally +exceptionality +exceptionally +exceptionalness +exceptionary +exceptioner +exceptionless +exceptions +exception's +exceptious +exceptiousness +exceptive +exceptively +exceptiveness +exceptless +exceptor +excepts +excercise +excerebrate +excerebration +excern +excerp +excerpt +excerpta +excerpted +excerpter +excerptible +excerpting +excerption +excerptive +excerptor +excerpts +excess +excessed +excesses +excessive +excessively +excessiveness +excess-loss +excessman +excessmen +exch +exch. +exchange +exchangeability +exchangeable +exchangeably +exchanged +exchangee +exchanger +exchanges +exchanging +Exchangite +excheat +Exchequer +exchequer-chamber +exchequers +exchequer's +excide +excided +excides +exciding +excimer +excimers +excipient +exciple +exciples +excipula +Excipulaceae +excipular +excipule +excipuliform +excipulum +excircle +excisable +excise +excised +exciseman +excisemanship +excisemen +excises +excising +excision +excisions +excisor +excyst +excystation +excysted +excystment +excitability +excitabilities +excitable +excitableness +excitably +excitancy +excitant +excitants +excitate +excitation +excitations +excitation's +excitative +excitator +excitatory +excite +excited +excitedly +excitedness +excitement +excitements +exciter +exciters +excites +exciting +excitingly +excitive +excitoglandular +excitometabolic +excitomotion +excitomotor +excitomotory +excito-motory +excitomuscular +exciton +excitonic +excitons +excitonutrient +excitor +excitory +excitors +excitosecretory +excitovascular +excitron +excl +excl. +exclaim +exclaimed +exclaimer +exclaimers +exclaiming +exclaimingly +exclaims +exclam +exclamation +exclamational +exclamations +exclamation's +exclamative +exclamatively +exclamatory +exclamatorily +exclaustration +exclave +exclaves +exclosure +excludability +excludable +exclude +excluded +excluder +excluders +excludes +excludible +excluding +excludingly +exclusion +exclusionary +exclusioner +exclusionism +exclusionist +exclusions +exclusive +exclusively +exclusiveness +exclusivenesses +exclusivism +exclusivist +exclusivistic +exclusivity +exclusory +excoct +excoction +Excoecaria +excogitable +excogitate +excogitated +excogitates +excogitating +excogitation +excogitative +excogitator +excommenge +excommune +excommunicable +excommunicant +excommunicate +excommunicated +excommunicates +excommunicating +excommunication +excommunications +excommunicative +excommunicator +excommunicatory +excommunicators +excommunion +exconjugant +ex-consul +ex-convict +excoriable +excoriate +excoriated +excoriates +excoriating +excoriation +excoriations +excoriator +excorticate +excorticated +excorticating +excortication +excreation +excrement +excremental +excrementally +excrementary +excrementitial +excrementitious +excrementitiously +excrementitiousness +excrementive +excrementize +excrementous +excrements +excresce +excrescence +excrescences +excrescency +excrescencies +excrescent +excrescential +excrescently +excresence +excression +excreta +excretal +excrete +excreted +excreter +excreters +excretes +excreting +excretion +excretionary +excretions +excretitious +excretive +excretolic +excretory +excriminate +excruciable +excruciate +excruciated +excruciating +excruciatingly +excruciatingness +excruciation +excruciator +excubant +excubitoria +excubitorium +excubittoria +excud +excudate +excuderunt +excudit +exculpable +exculpate +exculpated +exculpates +exculpating +exculpation +exculpations +exculpative +exculpatory +exculpatorily +excur +excurrent +excurse +excursed +excursing +excursion +excursional +excursionary +excursioner +excursionism +excursionist +excursionists +excursionize +excursions +excursion's +excursive +excursively +excursiveness +excursory +excursus +excursuses +excurvate +excurvated +excurvation +excurvature +excurved +excusability +excusable +excusableness +excusably +excusal +excusation +excusative +excusator +excusatory +excuse +excused +excuseful +excusefully +excuseless +excuse-me +excuser +excusers +excuses +excusing +excusingly +excusive +excusively +excuss +excussed +excussing +excussio +excussion +ex-czar +exdelicto +exdie +ex-directory +exdividend +exeat +exec +exec. +execeptional +execrable +execrableness +execrably +execrate +execrated +execrates +execrating +execration +execrations +execrative +execratively +execrator +execratory +execrators +execs +exect +executable +executancy +executant +execute +executed +executer +executers +executes +executing +execution +executional +executioneering +executioner +executioneress +executioners +executionist +executions +executive +executively +executiveness +executives +executive's +executiveship +executonis +executor +executory +executorial +executors +executor's +executorship +executress +executry +executrices +executrix +executrixes +executrixship +exede +exedent +exedra +exedrae +exedral +exegeses +exegesis +exegesist +exegete +exegetes +exegetic +exegetical +exegetically +exegetics +exegetist +Exeland +exembryonate +ex-emperor +exempla +exemplar +exemplary +exemplaric +exemplarily +exemplariness +exemplarism +exemplarity +exemplars +exempli +exemplify +exemplifiable +exemplification +exemplificational +exemplifications +exemplificative +exemplificator +exemplified +exemplifier +exemplifiers +exemplifies +exemplifying +ex-employee +exemplum +exemplupla +exempt +exempted +exemptible +exemptile +exempting +exemption +exemptionist +exemptions +exemptive +exempts +exencephalia +exencephalic +exencephalous +exencephalus +exendospermic +exendospermous +ex-enemy +exenterate +exenterated +exenterating +exenteration +exenteritis +exequatur +exequy +exequial +exequies +exerce +exercent +exercisable +exercise +exercised +exerciser +exercisers +exercises +exercising +exercitant +exercitation +exercite +exercitor +exercitorial +exercitorian +exeresis +exergonic +exergual +exergue +exergues +exert +exerted +exerting +exertion +exertionless +exertions +exertion's +exertive +exerts +exes +exesion +exestuate +Exeter +exeunt +exfetation +exfiguration +exfigure +exfiltrate +exfiltration +exflagellate +exflagellation +exflect +exfodiate +exfodiation +exfoliate +exfoliated +exfoliating +exfoliation +exfoliative +exfoliatory +exgorgitation +ex-governor +exh- +exhalable +exhalant +exhalants +exhalate +exhalation +exhalations +exhalatory +exhale +exhaled +exhalent +exhalents +exhales +exhaling +exhance +exhaust +exhaustable +exhausted +exhaustedly +exhaustedness +exhauster +exhaustibility +exhaustible +exhausting +exhaustingly +exhaustion +exhaustions +exhaustive +exhaustively +exhaustiveness +exhaustivity +exhaustless +exhaustlessly +exhaustlessness +exhausts +exhbn +exhedra +exhedrae +exheredate +exheredation +exhibit +exhibitable +exhibitant +exhibited +exhibiter +exhibiters +exhibiting +exhibition +exhibitional +exhibitioner +exhibitionism +exhibitionist +exhibitionistic +exhibitionists +exhibitionize +exhibitions +exhibition's +exhibitive +exhibitively +exhibitor +exhibitory +exhibitorial +exhibitors +exhibitor's +exhibitorship +exhibits +exhilarant +exhilarate +exhilarated +exhilarates +exhilarating +exhilaratingly +exhilaration +exhilarations +exhilarative +exhilarator +exhilaratory +ex-holder +exhort +exhortation +exhortations +exhortation's +exhortative +exhortatively +exhortator +exhortatory +exhorted +exhorter +exhorters +exhorting +exhortingly +exhorts +exhumate +exhumated +exhumating +exhumation +exhumations +exhumator +exhumatory +exhume +exhumed +exhumer +exhumers +exhumes +exhuming +exhusband +exibilate +exies +exigeant +exigeante +exigence +exigences +exigency +exigencies +exigent +exigenter +exigently +exigible +exiguity +exiguities +exiguous +exiguously +exiguousness +exilable +exilarch +exilarchate +Exile +exiled +exiledom +exilement +exiler +exiles +exilian +exilic +exiling +exility +exilition +eximidus +eximious +eximiously +eximiousness +exinanite +exinanition +exindusiate +exine +exines +exing +exinguinal +exinite +exintine +ex-invalid +exion +Exira +exist +existability +existant +existed +existence +existences +existent +existential +existentialism +existentialist +existentialistic +existentialistically +existentialists +existentialist's +existentialize +existentially +existently +existents +exister +existibility +existible +existimation +existing +existless +existlessness +exists +exit +exitance +exite +exited +exitial +exiting +exition +exitious +exitless +exits +exiture +exitus +ex-judge +ex-kaiser +ex-king +exla +exlex +ex-libres +ex-librism +ex-librist +Exline +ex-mayor +exmeridian +ex-minister +Exmoor +Exmore +exo- +exoarteritis +Exoascaceae +exoascaceous +Exoascales +Exoascus +Exobasidiaceae +Exobasidiales +Exobasidium +exobiology +exobiological +exobiologist +exobiologists +exocannibalism +exocardia +exocardiac +exocardial +exocarp +exocarps +exocataphoria +exoccipital +exocentric +Exochorda +exochorion +exocyclic +Exocyclica +Exocycloida +exocytosis +exoclinal +exocline +exocoelar +exocoele +exocoelic +exocoelom +exocoelum +Exocoetidae +Exocoetus +exocolitis +exo-condensation +exocone +exocrine +exocrines +exocrinology +exocrinologies +exoculate +exoculated +exoculating +exoculation +Exod +Exod. +exode +exoderm +exodermal +exodermis +exoderms +exody +exodic +exodist +exodium +exodoi +exodontia +exodontic +exodontics +exodontist +exodos +exodromy +exodromic +Exodus +exoduses +exoenzyme +exoenzymic +exoergic +exoerythrocytic +ex-official +ex-officio +exogamy +exogamic +exogamies +exogamous +exogastric +exogastrically +exogastritis +exogen +Exogenae +exogenetic +exogeny +exogenic +exogenism +exogenous +exogenously +exogens +Exogyra +exognathion +exognathite +Exogonium +exograph +exolemma +exolete +exolution +exolve +exometritis +exomion +exomis +exomologesis +exomorphic +exomorphism +exomphalos +exomphalous +exomphalus +Exon +exonarthex +exoner +exonerate +exonerated +exonerates +exonerating +exoneration +exonerations +exonerative +exonerator +exonerators +exoneretur +exoneural +Exonian +exonic +exonym +exons +exonship +exonuclease +exonumia +exopathic +exopeptidase +exoperidium +exophagy +exophagous +exophasia +exophasic +exophoria +exophoric +exophthalmia +exophthalmic +exophthalmos +exophthalmus +exoplasm +exopod +exopodite +exopoditic +exopt +Exopterygota +exopterygote +exopterygotic +exopterygotism +exopterygotous +exor +exorability +exorable +exorableness +exorate +exorbital +exorbitance +exorbitancy +exorbitant +exorbitantly +exorbitate +exorbitation +exorcisation +exorcise +exorcised +exorcisement +exorciser +exorcisers +exorcises +exorcising +exorcism +exorcismal +exorcisms +exorcisory +exorcist +exorcista +exorcistic +exorcistical +exorcists +exorcization +exorcize +exorcized +exorcizement +exorcizer +exorcizes +exorcizing +exordia +exordial +exordium +exordiums +exordize +exorganic +exorhason +exormia +exornate +exornation +exortion +exosculation +exosepsis +exoskeletal +exoskeleton +exosmic +exosmose +exosmoses +exosmosis +exosmotic +exosperm +exosphere +exospheres +exospheric +exospherical +exosporal +exospore +exospores +exosporium +exosporous +exossate +exosseous +Exostema +exostome +exostosed +exostoses +exostosis +exostotic +exostra +exostracism +exostracize +exostrae +exotery +exoteric +exoterica +exoterical +exoterically +exotericism +exoterics +exotheca +exothecal +exothecate +exothecium +exothermal +exothermally +exothermic +exothermically +exothermicity +exothermous +exotic +exotica +exotically +exoticalness +exoticism +exoticisms +exoticist +exoticity +exoticness +exotics +exotism +exotisms +exotospore +exotoxic +exotoxin +exotoxins +exotropia +exotropic +exotropism +exp +exp. +expalpate +expand +expandability +expandable +expanded +expandedly +expandedness +expander +expanders +expander's +expandibility +expandible +expanding +expandingly +expandor +expands +expanse +expanses +expansibility +expansible +expansibleness +expansibly +expansile +expansion +expansional +expansionary +expansionism +expansionist +expansionistic +expansionists +expansions +expansive +expansively +expansiveness +expansivenesses +expansivity +expansometer +expansum +expansure +expatiate +expatiated +expatiater +expatiates +expatiating +expatiatingly +expatiation +expatiations +expatiative +expatiator +expatiatory +expatiators +expatriate +expatriated +expatriates +expatriating +expatriation +expatriations +expatriatism +expdt +expect +expectable +expectably +expectance +expectancy +expectancies +expectant +expectantly +expectation +expectations +expectation's +expectative +expected +expectedly +expectedness +expecter +expecters +expecting +expectingly +expection +expective +expectorant +expectorants +expectorate +expectorated +expectorates +expectorating +expectoration +expectorations +expectorative +expectorator +expectorators +expects +expede +expeded +expediate +expedience +expediences +expediency +expediencies +expedient +expediente +expediential +expedientially +expedientist +expediently +expedients +expediment +expeding +expedious +expeditate +expeditated +expeditating +expeditation +expedite +expedited +expeditely +expediteness +expediter +expediters +expedites +expediting +expedition +expeditionary +expeditionist +expeditions +expedition's +expeditious +expeditiously +expeditiousness +expeditive +expeditor +expel +expellable +expellant +expelled +expellee +expellees +expellent +expeller +expellers +expelling +expels +expend +expendability +expendable +expendables +expended +expender +expenders +expendible +expending +expenditor +expenditrix +expenditure +expenditures +expenditure's +expends +expense +expensed +expenseful +expensefully +expensefulness +expenseless +expenselessness +expenses +expensilation +expensing +expensive +expensively +expensiveness +expenthesis +expergefacient +expergefaction +experience +experienceable +experienced +experienceless +experiencer +experiences +experiencible +experiencing +experient +experiential +experientialism +experientialist +experientialistic +experientially +experiment +experimental +experimentalism +experimentalist +experimentalists +experimentalize +experimentally +experimentarian +experimentation +experimentations +experimentation's +experimentative +experimentator +experimented +experimentee +experimenter +experimenters +experimenting +experimentist +experimentize +experimently +experimentor +experiments +expermentized +experrection +expert +experted +experting +expertise +expertised +expertises +expertising +expertism +expertize +expertized +expertizing +expertly +expertness +expertnesses +experts +expertship +expetible +expy +expiable +expiate +expiated +expiates +expiating +expiation +expiational +expiations +expiatist +expiative +expiator +expiatory +expiatoriness +expiators +ex-pier +expilate +expilation +expilator +expirable +expirant +expirate +expiration +expirations +expiration's +expirator +expiratory +expire +expired +expiree +expirer +expirers +expires +expiry +expiries +expiring +expiringly +expiscate +expiscated +expiscating +expiscation +expiscator +expiscatory +explain +explainability +explainable +explainableness +explained +explainer +explainers +explaining +explainingly +explains +explait +explanate +explanation +explanations +explanation's +explanative +explanatively +explanato- +explanator +explanatory +explanatorily +explanatoriness +explanitory +explant +explantation +explanted +explanting +explants +explat +explees +explement +explemental +explementary +explete +expletive +expletively +expletiveness +expletives +expletory +explicability +explicable +explicableness +explicably +explicanda +explicandum +explicans +explicantia +explicate +explicated +explicates +explicating +explication +explications +explicative +explicatively +explicator +explicatory +explicators +explicit +explicitly +explicitness +explicitnesses +explicits +explida +explodable +explode +exploded +explodent +exploder +exploders +explodes +exploding +exploit +exploitable +exploitage +exploitation +exploitationist +exploitations +exploitation's +exploitative +exploitatively +exploitatory +exploited +exploitee +exploiter +exploiters +exploiting +exploitive +exploits +exploiture +explorable +explorate +exploration +explorational +explorations +exploration's +explorative +exploratively +explorativeness +explorator +exploratory +explore +explored +explorement +Explorer +explorers +explores +exploring +exploringly +explosibility +explosible +explosimeter +explosion +explosionist +explosion-proof +explosions +explosion's +explosive +explosively +explosiveness +explosives +EXPO +expoliate +expolish +expone +exponence +exponency +exponent +exponential +exponentially +exponentials +exponentiate +exponentiated +exponentiates +exponentiating +exponentiation +exponentiations +exponentiation's +exponention +exponents +exponent's +exponible +export +exportability +exportable +exportation +exportations +exported +exporter +exporters +exporting +exports +expos +exposable +exposal +exposals +expose +exposed +exposedness +exposer +exposers +exposes +exposing +exposit +exposited +expositing +exposition +expositional +expositionary +expositions +exposition's +expositive +expositively +expositor +expository +expositorial +expositorially +expositorily +expositoriness +expositors +expositress +exposits +expostulate +expostulated +expostulates +expostulating +expostulatingly +expostulation +expostulations +expostulative +expostulatively +expostulator +expostulatory +exposture +exposure +exposures +exposure's +expound +expoundable +expounded +expounder +expounders +expounding +expounds +ex-praetor +expreme +ex-president +express +expressable +expressage +expressed +expresser +expresses +expressibility +expressible +expressibly +expressing +expressio +expression +expressionable +expressional +expressionful +Expressionism +Expressionismus +Expressionist +Expressionistic +Expressionistically +expressionists +expressionless +expressionlessly +expressionlessness +expressions +expression's +expressive +expressively +expressiveness +expressivenesses +expressivism +expressivity +expressless +expressly +expressman +expressmen +expressness +expresso +expressor +expressure +expressway +expressways +exprimable +exprobate +exprobrate +exprobration +exprobratory +expromission +expromissor +expropriable +expropriate +expropriated +expropriates +expropriating +expropriation +expropriations +expropriator +expropriatory +expt +exptl +expugn +expugnable +expuition +expulsatory +expulse +expulsed +expulser +expulses +expulsing +expulsion +expulsionist +expulsions +expulsive +expulsory +expunction +expunge +expungeable +expunged +expungement +expunger +expungers +expunges +expunging +expurgate +expurgated +expurgates +expurgating +expurgation +expurgational +expurgations +expurgative +expurgator +expurgatory +expurgatorial +expurgators +expurge +expwy +ex-quay +exquire +exquisite +exquisitely +exquisiteness +exquisitism +exquisitive +exquisitively +exquisitiveness +exr +exr. +exradio +exradius +ex-rights +exrupeal +exrx +exsanguinate +exsanguinated +exsanguinating +exsanguination +exsanguine +exsanguineous +exsanguinity +exsanguinous +exsanguious +exscind +exscinded +exscinding +exscinds +exscissor +exscribe +exscript +exscriptural +exsculp +exsculptate +exscutellate +exsec +exsecant +exsecants +exsect +exsected +exsectile +exsecting +exsection +exsector +exsects +exsequatur +exsert +exserted +exsertile +exserting +exsertion +exserts +ex-service +ex-serviceman +ex-servicemen +exsheath +exship +ex-ship +exsibilate +exsibilation +exsiccant +exsiccatae +exsiccate +exsiccated +exsiccating +exsiccation +exsiccative +exsiccator +exsiliency +exsolution +exsolve +exsolved +exsolving +exsomatic +exspoliation +exspuition +exsputory +exstemporal +exstemporaneous +exstill +exstimulate +exstipulate +exstrophy +exstruct +exsuccous +exsuction +exsudate +exsufflate +exsufflation +exsufflicate +exsuperance +exsuperate +exsurge +exsurgent +exsuscitate +ext +ext. +exta +extacie +extance +extancy +extant +Extasie +Extasiie +extatic +extbook +extemporal +extemporally +extemporalness +extemporaneity +extemporaneous +extemporaneously +extemporaneousness +extemporary +extemporarily +extemporariness +extempore +extempory +extemporisation +extemporise +extemporised +extemporiser +extemporising +extemporization +extemporize +extemporized +extemporizer +extemporizes +extemporizing +extend +extendability +extendable +extended +extendedly +extendedness +extended-play +extender +extenders +extendibility +extendible +extending +extendlessness +extends +extense +extensibility +extensible +extensibleness +extensile +extensimeter +extension +extensional +extensionalism +extensionality +extensionally +extensionist +extensionless +extensions +extension's +extensity +extensive +extensively +extensiveness +extensivity +extensometer +extensor +extensory +extensors +extensum +extensure +extent +extentions +extents +extent's +extenuate +extenuated +extenuates +extenuating +extenuatingly +extenuation +extenuations +extenuative +extenuator +extenuatory +exter +exterior +exteriorate +exterioration +exteriorisation +exteriorise +exteriorised +exteriorising +exteriority +exteriorization +exteriorize +exteriorized +exteriorizing +exteriorly +exteriorness +exteriors +exterior's +exter-marriage +exterminable +exterminate +exterminated +exterminates +exterminating +extermination +exterminations +exterminative +exterminator +exterminatory +exterminators +exterminatress +exterminatrix +extermine +extermined +extermining +exterminist +extern +externa +external +external-combustion +externalisation +externalise +externalised +externalising +externalism +externalist +externalistic +externality +externalities +externalization +externalize +externalized +externalizes +externalizing +externally +externalness +externals +externat +externate +externation +externe +externes +externity +externization +externize +externomedian +externs +externship +externum +exteroceptist +exteroceptive +exteroceptor +exterous +exterraneous +exterrestrial +exterritorial +exterritoriality +exterritorialize +exterritorially +extersive +extg +extill +extima +extime +extimulate +extinct +extincted +extincteur +extincting +extinction +extinctionist +extinctions +extinctive +extinctor +extincts +extine +extinguised +extinguish +extinguishable +extinguishant +extinguished +extinguisher +extinguishers +extinguishes +extinguishing +extinguishment +extypal +extipulate +extirp +extirpate +extirpated +extirpateo +extirpates +extirpating +extirpation +extirpationist +extirpations +extirpative +extirpator +extirpatory +extispex +extispices +extispicy +extispicious +extogenous +extol +extoled +extoling +extoll +extollation +extolled +extoller +extollers +extolling +extollingly +extollment +extolls +extolment +extols +Exton +extoolitic +extorsion +extorsive +extorsively +extort +extorted +extorter +extorters +extorting +extortion +extortionary +extortionate +extortionately +extortionateness +extortioner +extortioners +extortionist +extortionists +extortions +extortive +extorts +extra +extra- +extra-acinous +extra-alimentary +Extra-american +extra-ammotic +extra-analogical +extra-anthropic +extra-articular +extra-artistic +extra-atmospheric +extra-axillar +extra-axillary +extra-binding +extrabold +extraboldface +extra-bound +extrabranchial +extra-britannic +extrabronchial +extrabuccal +extrabulbar +extrabureau +extraburghal +extracalendar +extracalicular +extracampus +extracanonical +extracapsular +extracardial +extracarpal +extracathedral +extracellular +extracellularly +extracerebral +Extra-christrian +extrachromosomal +extracystic +extracivic +extracivically +extraclassroom +extraclaustral +extracloacal +extracollegiate +extracolumella +extracommunity +extracondensed +extra-condensed +extraconscious +extraconstellated +extraconstitutional +extracontinental +extracorporeal +extracorporeally +extracorpuscular +extracosmic +extracosmical +extracostal +extracranial +extract +extractability +extractable +extractant +extracted +extractibility +extractible +extractiform +extracting +extraction +extractions +extraction's +extractive +extractively +extractor +extractors +extractor's +extractorship +extracts +extracultural +extracurial +extracurricular +extracurriculum +extracutaneous +extradecretal +extradepartmental +extradialectal +extradict +extradictable +extradicted +extradicting +extradictionary +extradiocesan +extraditable +extradite +extradited +extradites +extraditing +extradition +extraditions +extradomestic +extrados +extradosed +extradoses +extradotal +extra-dry +extraduction +extradural +extraembryonal +extraembryonic +extraenteric +extraepiphyseal +extraequilibrium +extraessential +extraessentially +extra-european +extrafamilial +extra-fare +extrafascicular +extrafine +extra-fine +extrafloral +extrafocal +extrafoliaceous +extraforaneous +extra-foraneous +extraformal +extragalactic +extragastric +extra-good +extragovernmental +extrahazardous +extra-hazardous +extrahepatic +extrahuman +extra-illustrate +extra-illustration +extrait +Extra-judaical +extrajudicial +extrajudicially +extra-large +extralateral +Extra-league +extralegal +extralegally +extraliminal +extralimital +extralinguistic +extralinguistically +extralite +extrality +extra-long +extramarginal +extramarital +extramatrical +extramedullary +extramental +extrameridian +extrameridional +extrametaphysical +extrametrical +extrametropolitan +extra-mild +extramission +extramodal +extramolecular +extramorainal +extramorainic +extramoral +extramoralist +extramundane +extramural +extramurally +extramusical +extranational +extranatural +extranean +extraneity +extraneous +extraneously +extraneousness +Extra-neptunian +extranidal +extranormal +extranuclear +extraocular +extraofficial +extraoral +extraorbital +extraorbitally +extraordinary +extraordinaries +extraordinarily +extraordinariness +extraorganismal +extraovate +extraovular +extraparenchymal +extraparental +extraparietal +extraparliamentary +extraparochial +extra-parochial +extraparochially +extrapatriarchal +extrapelvic +extraperineal +extraperiodic +extraperiosteal +extraperitoneal +extraphenomenal +extraphysical +extraphysiological +extrapyramidal +extrapituitary +extraplacental +extraplanetary +extrapleural +extrapoetical +extrapolar +extrapolate +extrapolated +extrapolates +extrapolating +extrapolation +extrapolations +extrapolative +extrapolator +extrapolatory +extrapopular +extraposition +extraprofessional +extraprostatic +extraprovincial +extrapulmonary +extrapunitive +extraquiz +extrared +extraregarding +extraregular +extraregularly +extrarenal +extraretinal +extrarhythmical +extras +extrasacerdotal +extrascholastic +extraschool +extrascientific +extrascriptural +extrascripturality +extrasensible +extrasensory +extrasensorial +extrasensuous +extraserous +extrasyllabic +extrasyllogistic +extrasyphilitic +extrasystole +extrasystolic +extrasocial +extrasolar +extrasomatic +extra-special +extraspectral +extraspherical +extraspinal +extrastapedial +extrastate +extrasterile +extrastomachal +extra-strong +extratabular +extratarsal +extratellurian +extratelluric +extratemporal +extratension +extratensive +extraterrene +extraterrestrial +extraterrestrially +extraterrestrials +extraterritorial +extraterritoriality +extraterritorially +extraterritorials +extrathecal +extratheistic +extrathermodynamic +extrathoracic +extratympanic +extratorrid +extratracheal +extratribal +extratropical +extratubal +extraught +extra-university +extra-urban +extrauterine +extravagance +extravagances +extravagancy +extravagancies +extravagant +Extravagantes +extravagantly +extravagantness +extravaganza +extravaganzas +extravagate +extravagated +extravagating +extravagation +extravagence +extravaginal +extravasate +extravasated +extravasates +extravasating +extravasation +extravasations +extravascular +extravehicular +extravenate +extraventricular +extraversion +extraversions +extraversive +extraversively +extravert +extraverted +extravertish +extravertive +extravertively +extraverts +extravillar +extraviolet +extravisceral +extrazodiacal +extreat +extrema +Extremadura +extremal +extreme +extremeless +extremely +extremeness +extremer +extremes +extremest +extremis +extremism +extremist +extremistic +extremists +extremist's +extremital +extremity +extremities +extremity's +extremum +extremuma +extricable +extricably +extricate +extricated +extricates +extricating +extrication +extrications +extrinsic +extrinsical +extrinsicality +extrinsically +extrinsicalness +extrinsicate +extrinsication +extro- +extroitive +extromit +extropical +extrorsal +extrorse +extrorsely +extrospect +extrospection +extrospective +extroversion +extroversive +extroversively +extrovert +extroverted +extrovertedness +extrovertish +extrovertive +extrovertively +extroverts +extruct +extrudability +extrudable +extrude +extruded +extruder +extruders +extrudes +extruding +extrusible +extrusile +extrusion +extrusions +extrusive +extrusory +extubate +extubation +extuberance +extuberant +extuberate +extumescence +extund +exturb +extusion +exuberance +exuberances +exuberancy +exuberant +exuberantly +exuberantness +exuberate +exuberated +exuberating +exuberation +exuccous +exucontian +exudate +exudates +exudation +exudations +exudative +exudatory +exude +exuded +exudence +exudes +exuding +exul +exulate +exulcerate +exulcerated +exulcerating +exulceration +exulcerative +exulceratory +exulding +exult +exultance +exultancy +exultant +exultantly +exultation +exulted +Exultet +exulting +exultingly +exults +exululate +Exuma +exumbral +exumbrella +exumbrellar +exundance +exundancy +exundate +exundation +exungulate +exuperable +exurb +exurban +exurbanite +exurbanites +exurbia +exurbias +exurbs +exurge +exuscitate +exust +exuvia +exuviability +exuviable +exuviae +exuvial +exuviate +exuviated +exuviates +exuviating +exuviation +exuvium +ex-voto +Exxon +exzodiacal +Ez +Ez. +ezan +Ezana +Ezar +Ezara +Ezaria +Ezarra +Ezarras +ezba +Ezechias +Ezechiel +Ezek +Ezek. +Ezekiel +Ezel +Ezequiel +Eziama +Eziechiele +Ezmeralda +ezod +Ezr +Ezra +Ezri +Ezzard +Ezzo +F +f. +F.A.M. +F.A.S. +F.B.A. +f.c. +F.D. +F.I. +F.O. +f.o.b. +F.P. +f.p.s. +f.s. +f.v. +F.Z.S. +FA +FAA +FAAAS +faade +faailk +FAB +Faba +Fabaceae +fabaceous +Fabe +fabella +Fabens +Faber +Faberg +Faberge +fabes +Fabi +Fabian +Fabyan +Fabianism +Fabianist +Fabiano +Fabien +fabiform +Fabio +Fabiola +Fabyola +Fabiolas +Fabius +Fablan +fable +fabled +fabledom +fable-framing +fableist +fableland +fablemaker +fablemonger +fablemongering +fabler +fablers +Fables +fabliau +fabliaux +fabling +Fabozzi +Fabraea +Fabre +Fabri +Fabria +Fabriane +Fabrianna +Fabrianne +Fabriano +fabric +fabricable +fabricant +fabricate +fabricated +fabricates +fabricating +fabrication +fabricational +fabrications +fabricative +fabricator +fabricators +fabricatress +fabricature +Fabrice +Fabricius +fabrics +fabric's +Fabrienne +Fabrikoid +fabrile +Fabrin +fabrique +Fabritius +Fabron +Fabronia +Fabroniaceae +fabula +fabular +fabulate +fabulist +fabulists +fabulize +fabulosity +fabulous +fabulously +fabulousness +faburden +fac +fac. +facadal +facade +facaded +facades +FACD +face +faceable +face-about +face-ache +face-arbor +facebar +face-bedded +facebow +facebread +face-centered +face-centred +facecloth +faced +faced-lined +facedown +faceharden +face-harden +faceless +facelessness +facelessnesses +facelift +face-lift +face-lifting +facelifts +facellite +facemaker +facemaking +faceman +facemark +faceoff +face-off +face-on +facepiece +faceplate +facer +facers +faces +facesaving +face-saving +facesheet +facesheets +facet +facete +faceted +facetely +faceteness +facetiae +facetiation +faceting +facetious +facetiously +facetiousness +face-to-face +facets +facette +facetted +facetting +faceup +facewise +facework +Fachan +Fachanan +Fachini +facy +facia +facial +facially +facials +facias +faciata +faciation +facie +faciend +faciends +faciendum +facient +facier +facies +facies-suite +faciest +facile +facilely +facileness +facily +facilitate +facilitated +facilitates +facilitating +facilitation +facilitations +facilitative +facilitator +facilitators +facility +facilities +facility's +facing +facingly +facings +facinorous +facinorousness +faciobrachial +faciocervical +faciolingual +facioplegia +facioscapulohumeral +facit +fack +fackeltanz +fackings +fackins +Fackler +facks +FACOM +faconde +faconne +FACS +facsim +facsimile +facsimiled +facsimileing +facsimiles +facsimile's +facsimiling +facsimilist +facsimilize +fact +factable +factabling +factfinder +fact-finding +factful +facty +Factice +facticide +facticity +faction +factional +factionalism +factionalisms +factionalist +factionally +factionary +factionaries +factionate +factioneer +factionism +factionist +factionistism +factions +faction's +factious +factiously +factiousness +factish +factitial +factitious +factitiously +factitiousness +factitive +factitively +factitude +factive +facto +Factor +factorability +factorable +factorage +factordom +factored +factoress +factory +factorial +factorially +factorials +factories +factorylike +factory-new +factoring +factory's +factoryship +factorist +Factoryville +factorization +factorizations +factorization's +factorize +factorized +factorizing +factors +factorship +factotum +factotums +factrix +facts +fact's +factual +factualism +factualist +factualistic +factuality +factually +factualness +factum +facture +factures +facula +faculae +facular +faculative +faculous +facultate +facultative +facultatively +faculty +facultied +faculties +faculty's +facultize +facund +facundity +FAD +fadable +fadaise +Fadden +faddy +faddier +faddiest +faddiness +fadding +faddish +faddishly +faddishness +faddism +faddisms +faddist +faddists +faddle +fade +fadeaway +fadeaways +faded +fadedly +fadedness +fadednyess +Fadeev +Fadeyev +fade-in +fadeless +fadelessly +Faden +Fadeometer +fadeout +fade-out +fade-proof +fader +faders +fades +fadge +fadged +fadges +fadging +fady +Fadil +Fadiman +fading +fadingly +fadingness +fadings +fadlike +FAdm +fadme +fadmonger +fadmongery +fadmongering +fado +fados +fadridden +fads +FAE +faecal +faecalith +faeces +faecula +faeculence +faena +faenas +faence +faenus +Faenza +faery +faerie +faeries +faery-fair +faery-frail +faeryland +Faeroe +Faeroes +Faeroese +fafaronade +faff +faffy +faffle +Fafner +Fafnir +FAG +Fagaceae +fagaceous +fagald +Fagales +Fagaly +Fagan +Fagara +fage +Fagelia +Fagen +fag-end +fager +Fagerholm +fagged +fagger +faggery +Faggi +faggy +fagging +faggingly +faggot +faggoted +faggoty +faggoting +faggotry +faggots +faggot-vote +Fagin +fagine +fagins +fagopyrism +fagopyrismus +Fagopyrum +fagot +fagoted +fagoter +fagoters +fagoty +fagoting +fagotings +fagots +fagott +fagotte +fagottino +fagottist +fagotto +fagottone +fags +Fagus +Fah +faham +Fahey +Fahy +Fahland +fahlband +fahlbands +fahlerz +fahlore +fahlunite +fahlunitte +Fahr +Fahrenheit +fahrenhett +FAI +Fay +Faial +Fayal +fayalite +fayalites +Fayanne +Faydra +Faye +fayed +faience +fayence +faiences +Fayetta +Fayette +Fayetteville +Fayettism +Fayina +faying +Faiyum +faikes +fail +failance +failed +fayles +failing +failingly +failingness +failings +faille +failles +fails +failsafe +fail-safe +failsoft +failure +failures +failure's +Fayme +fain +Faina +fainaigue +fainaigued +fainaiguer +fainaiguing +fainant +faineance +faineancy +faineant +faineantise +faineantism +faineants +fainer +fainest +fainly +fainness +fains +faint +faint-blue +fainted +fainter +fainters +faintest +faintful +faint-gleaming +faint-glimmering +faint-green +faint-heard +faintheart +faint-heart +fainthearted +faintheartedly +faintheartedness +faint-hued +fainty +fainting +faintingly +faintise +faintish +faintishness +faintly +faint-lined +faintling +faint-lipped +faintness +faintnesses +faint-ruled +faint-run +faints +faint-sounding +faint-spoken +faint-voiced +faint-warbled +Fayola +faipule +Fair +Fairbank +Fairbanks +Fairborn +fair-born +fair-breasted +fair-browed +Fairbury +Fairburn +Fairchance +fair-cheeked +Fairchild +fair-colored +fair-complexioned +fair-conditioned +fair-copy +fair-days +Fairdale +faire +Fayre +faired +fair-eyed +fairer +Faires +fairest +fair-faced +fair-favored +Fairfax +fair-featured +Fairfield +fairfieldite +fair-fortuned +fair-fronted +fairgoer +fairgoing +fairgrass +fairground +fairgrounds +fair-haired +fairhead +Fairhope +fair-horned +fair-hued +fairy +fairy-born +fairydom +fairies +fairyfloss +fairyfolk +fairyhood +fairyish +fairyism +fairyisms +fairyland +fairylands +fairily +fairylike +fairing +fairings +fairyology +fairyologist +fairy-ring +fairy's +fairish +fairyship +fairishly +fairishness +fairy-tale +fairkeeper +Fairland +Fairlawn +fairlead +fair-lead +fairleader +fair-leader +fair-leading +fairleads +Fairlee +Fairley +Fairleigh +fairly +Fairlie +fairlike +fairling +fairm +fair-maid +Fairman +fair-maned +fair-minded +fair-mindedness +Fairmont +Fairmount +fair-natured +fairness +fairnesses +Fairoaks +Fairplay +Fairport +fair-reputed +fairs +fairship +fair-sized +fair-skinned +fairsome +fair-sounding +fair-spoken +fair-spokenness +fairstead +fair-stitch +fair-stitcher +fairtime +Fairton +fair-tongued +fair-trade +fair-traded +fair-trader +fair-trading +fair-tressed +Fairview +fair-visaged +Fairway +fairways +Fairwater +Fairweather +fair-weather +fays +Faisal +faisan +faisceau +Faison +fait +faitery +Faith +Fayth +faithbreach +faithbreaker +faith-breaking +faith-confirming +faith-curist +Faythe +faithed +faithful +faithfully +faithfulness +faithfulnesses +faithfuls +faith-infringing +faithing +faith-keeping +faithless +faithlessly +faithlessness +faithlessnesses +faiths +faithwise +faithworthy +faithworthiness +faitor +faitour +faitours +faits +Fayum +Fayumic +Faywood +Faizabad +Fajardo +fajita +fajitas +fake +faked +fakeer +fakeers +fakey +fakement +faker +fakery +fakeries +faker-out +fakers +fakes +faki +faky +Fakieh +fakiness +faking +fakir +fakirism +fakirs +Fakofo +fala +fa-la +falafel +falanaka +Falange +Falangism +Falangist +Falasha +Falashas +falbala +falbalas +falbelo +falcade +Falcata +falcate +falcated +falcation +falcer +falces +falchion +falchions +falcial +Falcidian +falciform +Falcinellus +falciparum +Falco +Falcon +falcon-beaked +falconbill +Falcone +falcon-eyed +falconelle +Falconer +falconers +Falcones +falconet +falconets +falcon-gentle +Falconidae +falconiform +Falconiformes +Falconinae +falconine +falconlike +falconnoid +falconoid +falconry +falconries +falcons +falcopern +falcula +falcular +falculate +Falcunculus +Falda +faldage +Falderal +falderals +falderol +falderols +faldetta +faldfee +falding +faldistory +faldstool +faldworth +Falerian +Falerii +falern +Falernian +Falerno +Falernum +Faletti +Falfurrias +Falieri +Faliero +Faline +Faliscan +Falisci +Falito +Falk +Falkenhayn +Falkirk +Falkland +Falkner +Falkville +Fall +Falla +fallace +fallacy +fallacia +fallacies +fallacious +fallaciously +fallaciousness +fallacy's +fallage +fallal +fal-lal +fallalery +fal-lalery +fal-lalish +fallalishly +fal-lalishly +fallals +fallation +fallaway +fallback +fallbacks +fall-board +Fallbrook +fall-down +fallectomy +fallen +fallency +fallenness +faller +fallers +fallfish +fallfishes +fally +fallibilism +fallibilist +fallibility +fallible +fallibleness +fallibly +fall-in +falling +falling-away +falling-off +falling-out +falling-outs +fallings +fallings-out +falloff +fall-off +falloffs +Fallon +Fallopian +fallostomy +fallotomy +fallout +fall-out +fallouts +fallow +fallow-deer +fallowed +fallowing +fallowist +fallowness +fallows +fall-plow +Falls +Fallsburg +fall-sow +Fallston +falltime +fall-trap +fallway +Falmouth +falsary +false-bedded +false-boding +false-bottomed +false-card +falsedad +false-dealing +false-derived +false-eyed +falseface +false-face +false-faced +false-fingered +false-fronted +false-gotten +false-heart +falsehearted +false-hearted +falseheartedly +false-heartedly +falseheartedness +false-heartedness +falsehood +falsehood-free +falsehoods +falsehood's +falsely +falsen +false-nerved +falseness +falsenesses +false-packed +false-plighted +false-principled +false-purchased +falser +false-spoken +falsest +false-sworn +false-tongued +falsettist +falsetto +falsettos +false-visored +falsework +false-written +falsidical +falsie +falsies +falsify +falsifiability +falsifiable +falsificate +falsification +falsifications +falsificator +falsified +falsifier +falsifiers +falsifies +falsifying +falsism +falsiteit +falsity +falsities +Falstaff +Falstaffian +Falster +falsum +Faltboat +faltboats +faltche +falter +faltere +faltered +falterer +falterers +faltering +falteringly +falters +Faludi +Falun +Falunian +Faluns +falus +falutin +falx +Falzetta +FAM +fam. +Fama +famacide +Famagusta +famatinite +famble +famble-crop +fame +fame-achieving +fame-blazed +Famechon +fame-crowned +famed +fame-ennobled +fameflower +fameful +fame-giving +fameless +famelessly +famelessness +famelic +fame-loving +fame-preserving +fames +fame-seeking +fame-sung +fame-thirsty +fame-thirsting +Fameuse +fameworthy +fame-worthy +Famgio +famiglietti +familarity +Family +familia +familial +familiar +familiary +familiarisation +familiarise +familiarised +familiariser +familiarising +familiarisingly +familiarism +familiarity +familiarities +familiarization +familiarizations +familiarize +familiarized +familiarizer +familiarizes +familiarizing +familiarizingly +familiarly +familiarness +familiars +familic +family-conscious +families +familyish +family's +familism +Familist +familistere +familistery +familistic +familistical +famille +famine +famines +famine's +faming +famish +famished +famishes +famishing +famishment +famose +famous +famously +famousness +famp +famular +famulary +famulative +famuli +famulli +famulus +Fan +fana +Fanagalo +fanakalo +fanal +fanaloka +fanam +fanatic +fanatical +fanatically +fanaticalness +fanaticise +fanaticised +fanaticising +fanaticism +fanaticisms +fanaticize +fanaticized +fanaticizing +fanatico +fanatics +fanatic's +fanatism +fanback +fanbearer +fan-bearing +Fanchan +Fancher +Fanchet +Fanchette +Fanchie +Fanchon +Fancy +Fancia +fanciable +fancy-baffled +fancy-blest +fancy-born +fancy-borne +fancy-bred +fancy-built +fancical +fancy-caught +fancy-driven +Fancie +fancied +fancier +fanciers +fancier's +fancies +fanciest +fancy-fed +fancy-feeding +fancify +fancy-formed +fancy-framed +fancy-free +fanciful +fancifully +fancifulness +fancy-guided +fancying +fancy-led +fanciless +fancily +fancy-loose +fancymonger +fanciness +fancy-raised +fancy-shaped +fancysick +fancy-stirring +fancy-struck +fancy-stung +fancy-weaving +fancywork +fancy-woven +fancy-wrought +fan-crested +fand +fandangle +fandango +fandangos +fandom +fandoms +fane +Fanechka +fanega +fanegada +fanegadas +fanegas +fanes +Fanestil +Faneuil +Fanfani +fanfarade +Fanfare +fanfares +fanfaron +fanfaronade +fanfaronading +fanfarons +fan-fashion +fanfish +fanfishes +fanflower +fanfold +fanfolds +fanfoot +Fang +fanga +fangas +fanged +fanger +fangy +fanging +Fangio +fangle +fangled +fanglement +fangless +fanglet +fanglike +fanglomerate +fango +fangot +fangotherapy +fangs +fang's +fanhouse +Fany +Fania +Fanya +faniente +fanion +fanioned +fanions +fanit +fanjet +fan-jet +fanjets +fankle +fanleaf +fan-leaved +fanlight +fan-light +fanlights +fanlike +fanmaker +fanmaking +fanman +fanned +fannel +fanneling +fannell +fanner +fanners +fan-nerved +Fannettsburg +Fanni +Fanny +Fannia +Fannie +fannier +fannies +Fannin +Fanning +fannings +fannon +Fano +fanon +fanons +fanos +fanout +fan-pleated +fans +fan's +fan-shape +fan-shaped +Fanshawe +fant +fantad +fantaddish +fantail +fan-tail +fantailed +fan-tailed +fantails +fantaisie +fan-tan +fantaseid +Fantasy +Fantasia +fantasias +fantasie +fantasied +fantasies +Fantasiestck +fantasying +fantasy's +fantasist +fantasists +fantasize +fantasized +fantasizes +fantasizing +fantasm +fantasmagoria +fantasmagoric +fantasmagorically +fantasmal +fantasms +fantasque +fantassin +fantast +fantastic +fantastical +fantasticality +fantastically +fantasticalness +fantasticate +fantastication +fantasticism +fantasticly +fantasticness +fantastico +fantastry +fantasts +Fante +fanteague +fantee +fanteeg +fanterie +Fanti +fantigue +Fantin-Latour +fantoccini +fantocine +fantod +fantoddish +fantods +fantom +fantoms +fanum +fanums +fan-veined +Fanwe +fanweed +fanwise +Fanwood +fanwork +fanwort +fanworts +fanwright +fanzine +fanzines +FAO +faon +Fapesmo +FAQ +faqir +faqirs +FAQL +faquir +faquirs +FAR +Fara +far-about +farad +Faraday +faradaic +faradays +faradic +faradisation +faradise +faradised +faradiser +faradises +faradising +faradism +faradisms +faradization +faradize +faradized +faradizer +faradizes +faradizing +faradmeter +faradocontractility +faradomuscular +faradonervous +faradopalpation +farads +far-advanced +Farah +Farallon +Farallones +far-aloft +Farand +farandine +farandman +farandmen +farandola +farandole +farandoles +Farant +faraon +farasula +faraway +far-away +farawayness +far-back +Farber +far-between +far-borne +far-branching +far-called +farce +farced +farcelike +farcemeat +farcer +farcers +farces +farce's +farcetta +farceur +farceurs +farceuse +farceuses +farci +farcy +farcial +farcialize +farcical +farcicality +farcically +farcicalness +farcie +farcied +farcies +farcify +farcilite +farcin +farcing +farcinoma +farcist +far-come +far-cost +farctate +fard +fardage +far-darting +farde +farded +fardel +fardel-bound +fardelet +fardels +fardh +farding +far-discovered +far-distant +fardo +far-down +far-downer +far-driven +fards +fare +far-eastern +fared +fare-free +Fareham +fare-ye-well +fare-you-well +far-embracing +farenheit +farer +farers +fares +fare-thee-well +faretta +Farewell +farewelled +farewelling +farewells +farewell-summer +farewell-to-spring +far-extended +far-extending +farfal +farfals +far-famed +farfara +farfel +farfels +farfet +far-fet +farfetch +far-fetch +farfetched +far-fetched +farfetchedness +far-flashing +far-flying +far-flown +far-flung +far-foamed +far-forth +farforthly +Farfugium +fargite +far-gleaming +Fargo +fargoing +far-going +far-gone +fargood +farhand +farhands +far-heard +Farhi +far-horizoned +Fari +Faria +Faribault +Farica +Farida +Farika +farina +farinaceous +farinaceously +farinacious +farinas +farine +Farinelli +faring +farinha +farinhas +farinometer +farinose +farinosel +farinosely +farinulent +fario +Farish +Farisita +Fariss +Farkas +farkleberry +farkleberries +Farl +Farlay +Farland +farle +Farlee +Farley +Farleigh +Farler +farles +farleu +Farly +Farlie +Farlington +far-looking +far-looming +farls +farm +farmable +farmage +Farman +Farmann +farm-bred +Farmdale +farmed +Farmelo +farm-engro +Farmer +farmeress +farmerette +farmer-general +farmer-generalship +farmery +farmeries +farmerish +farmerly +farmerlike +Farmers +Farmersburg +farmers-general +farmership +Farmersville +Farmerville +farmhand +farmhands +farmhold +farmhouse +farm-house +farmhousey +farmhouses +farmhouse's +farmy +farmyard +farm-yard +farmyardy +farmyards +farmyard's +farming +Farmingdale +farmings +Farmington +Farmingville +farmland +farmlands +farmost +farmout +farmplace +farms +farmscape +farmstead +farm-stead +farmsteading +farmsteads +farmtown +Farmville +farmwife +Farnam +Farnborough +Farner +Farnese +farnesol +farnesols +farness +farnesses +FARNET +Farnham +Farnhamville +Farny +far-northern +Farnovian +Farnsworth +Faro +Faroeish +faroelite +Faroes +Faroese +faroff +far-off +far-offness +farolito +faros +farouche +Farouk +far-out +far-parted +far-passing +far-point +far-projecting +Farquhar +Farr +Farra +farrage +farraginous +farrago +farragoes +farragos +Farragut +Farrah +Farrand +farrandly +Farrandsville +far-ranging +farrant +farrantly +Farrar +far-reaching +farreachingly +far-reachingness +farreate +farreation +Farrel +Farrell +far-removed +far-resounding +Farrica +farrier +farriery +farrieries +farrierlike +farriers +Farrington +Farris +Farrish +farrisite +Farrison +Farro +Farron +Farrow +farrowed +farrowing +farrows +farruca +Fars +farsakh +farsalah +Farsang +farse +farseeing +far-seeing +farseeingness +far-seen +farseer +farset +far-shooting +Farsi +farsight +far-sight +farsighted +far-sighted +farsightedly +farsightedness +farsightednesses +Farson +far-sought +far-sounding +far-southern +far-spread +far-spreading +farstepped +far-stretched +far-stretching +fart +farted +farth +farther +fartherance +fartherer +farthermore +farthermost +farthest +farthing +farthingale +farthingales +farthingdeal +farthingless +farthings +farting +fartlek +far-traveled +farts +Faruq +Farver +Farwell +farweltered +far-western +FAS +Fasano +fasc +fasces +fascet +fascia +fasciae +fascial +fascias +fasciate +fasciated +fasciately +fasciation +fascicle +fascicled +fascicles +fascicular +fascicularly +fasciculate +fasciculated +fasciculately +fasciculation +fascicule +fasciculi +fasciculite +fasciculus +fascili +fascinate +fascinated +fascinatedly +fascinates +fascinating +fascinatingly +fascination +fascinations +fascinative +fascinator +fascinatress +fascine +fascinery +fascines +fascintatingly +Fascio +fasciodesis +fasciola +fasciolae +fasciolar +Fasciolaria +Fasciolariidae +fasciole +fasciolet +fascioliasis +Fasciolidae +fascioloid +fascioplasty +fasciotomy +fascis +Fascism +fascisms +Fascist +Fascista +Fascisti +fascistic +fascistically +fascisticization +fascisticize +fascistization +fascistize +fascists +fasels +fash +fashed +fasher +fashery +fasherie +fashes +Fashing +fashion +fashionability +fashionable +fashionableness +fashionably +fashional +fashionative +fashioned +fashioner +fashioners +fashion-fancying +fashion-fettered +fashion-following +fashioning +fashionist +fashionize +fashion-led +fashionless +fashionmonger +fashion-monger +fashionmonging +fashions +fashion-setting +fashious +fashiousness +Fashoda +fasibitikite +fasinite +fasnacht +Faso +fasola +fass +fassaite +fassalite +Fassbinder +Fassold +FASST +FAST +Fasta +fast-anchored +fastback +fastbacks +fastball +fastballs +fast-bound +fast-breaking +fast-cleaving +fast-darkening +fast-dye +fast-dyed +fasted +fasten +fastened +fastener +fasteners +fastening +fastening-penny +fastenings +fastens +fastens-een +faster +fastest +fast-fading +fast-falling +fast-feeding +fast-fettered +fast-fleeting +fast-flowing +fast-footed +fast-gathering +fastgoing +fast-grounded +fast-growing +fast-handed +fasthold +fasti +fastidiosity +fastidious +fastidiously +fastidiousness +fastidium +fastiduous +fastiduously +fastiduousness +fastiduousnesses +fastigate +fastigated +fastigia +fastigiate +fastigiated +fastigiately +fastigious +fastigium +fastigiums +fastiia +fasting +fastingly +fastings +fastish +fast-knit +fastland +fastly +fast-mass +fast-moving +fastnacht +fastness +fastnesses +Fasto +fast-plighted +fast-rooted +fast-rootedness +fast-running +fasts +fast-sailing +fast-settled +fast-stepping +fast-talk +fast-tied +fastuous +fastuously +fastuousness +fastus +fastwalk +FAT +Fata +Fatagaga +Fatah +fatal +fatal-boding +fatale +fatales +fatalism +fatalisms +fatalist +fatalistic +fatalistically +fatalists +fatality +fatalities +fatality's +fatalize +fatally +fatal-looking +fatalness +fatal-plotted +fatals +fatal-seeming +fat-assed +fatback +fat-backed +fatbacks +fat-barked +fat-bellied +fatbird +fatbirds +fat-bodied +fatbrained +fatcake +fat-cheeked +fat-choy +fate +fate-bowed +fated +fate-denouncing +fat-edged +fate-dogged +fate-environed +fate-foretelling +fateful +fatefully +fatefulness +fate-furrowed +fatelike +fate-menaced +fat-engendering +Fates +fate-scorning +fate-stricken +fat-faced +fat-fed +fat-fleshed +fat-free +fath +fath. +fathead +fat-head +fatheaded +fatheadedly +fatheadedness +fatheads +fathearted +fat-hen +Father +father-confessor +fathercraft +fathered +Fatherhood +fatherhoods +fathering +father-in-law +fatherkin +fatherland +fatherlandish +fatherlands +father-lasher +fatherless +fatherlessness +fatherly +fatherlike +fatherliness +fatherling +father-long-legs +fathers +father's +fathership +fathers-in-law +fat-hipped +fathmur +fathogram +fathom +fathomable +fathomableness +fathomage +fathom-deep +fathomed +fathomer +Fathometer +fathoming +fathomless +fathomlessly +fathomlessness +fathoms +faticableness +fatidic +fatidical +fatidically +fatiferous +fatigability +fatigable +fatigableness +fatigate +fatigated +fatigating +fatigation +fatiguability +fatiguabilities +fatiguable +fatigue +fatigued +fatigueless +fatigues +fatiguesome +fatiguing +fatiguingly +Fatiha +fatihah +fatil +fatiloquent +Fatima +Fatimah +Fatimid +Fatimite +fating +fatiscence +fatiscent +fat-legged +fatless +fatly +fatlike +fatling +fatlings +Fatma +fat-necrosis +fatness +fatnesses +fator +fat-paunched +fat-reducing +fats +Fatshan +fatshedera +fat-shunning +fatsia +fatso +fatsoes +fat-soluble +fatsos +fatstock +fatstocks +fattable +fat-tailed +Fattal +fatted +fatten +fattenable +fattened +fattener +fatteners +fattening +fattens +fatter +fattest +fatty +fattier +fatties +fattiest +fattily +fattiness +fatting +fattish +fattishness +fattrels +fatuate +fatuism +fatuity +fatuities +fatuitous +fatuitousness +fatuoid +fatuous +fatuously +fatuousness +fatuousnesses +fatuus +fatwa +fat-witted +fatwood +Faubert +Faubion +faubourg +faubourgs +Faubush +faucal +faucalize +faucals +fauces +faucet +faucets +Faucett +Fauch +fauchard +fauchards +Faucher +faucial +Faucille +faucitis +fauconnier +faucre +faufel +faugh +faujasite +faujdar +fauld +faulds +Faulkland +Faulkner +Faulkton +fault +faultage +faulted +faulter +faultfind +fault-find +faultfinder +faultfinders +faultfinding +fault-finding +faultfindings +faultful +faultfully +faulty +faultier +faultiest +faultily +faultiness +faulting +faultless +faultlessly +faultlessness +faults +fault-slip +faultsman +faulx +Fauman +Faun +Fauna +faunae +faunal +faunally +faunas +faunated +faunch +faun-colored +Faunia +Faunie +faunish +faunist +faunistic +faunistical +faunistically +faunlike +faunology +faunological +fauns +Faunsdale +fauntleroy +faunula +faunule +Faunus +Faur +faurd +Faure +faured +Faus +fausant +fause +fause-house +fausen +faussebraie +faussebraye +faussebrayed +Faust +Fausta +Faustena +fauster +Faustian +Faustianism +Faustina +Faustine +Fausto +Faustulus +Faustus +faut +faute +fauterer +fauteuil +fauteuils +fautor +fautorship +Fauve +Fauver +fauves +fauvette +Fauvism +fauvisms +Fauvist +fauvists +Faux +fauxbourdon +faux-bourdon +faux-na +favaginous +Favata +favel +favela +favelas +favelidium +favella +favellae +favellidia +favellidium +favellilidia +favelloid +Faventine +faveolate +faveoli +faveoluli +faveolus +faverel +faverole +Faverolle +favi +Favian +Favianus +Favien +faviform +Favilla +favillae +favillous +Favin +favism +favisms +favissa +favissae +favn +Favonia +favonian +Favonius +favor +favorability +favorable +favorableness +favorably +favored +favoredly +favoredness +favorer +favorers +favoress +favoring +favoringly +favorite +favorites +favoritism +favoritisms +favorless +favors +favose +favosely +favosite +Favosites +Favositidae +favositoid +favour +favourable +favourableness +favourably +favoured +favouredly +favouredness +favourer +favourers +favouress +favouring +favouringly +favourite +favouritism +favourless +favours +favous +Favrot +favus +favuses +Fawcett +Fawcette +fawe +fawkener +Fawkes +Fawn +Fawna +fawn-color +fawn-colored +fawn-colour +Fawne +fawned +fawner +fawnery +fawners +fawny +Fawnia +fawnier +fawniest +fawning +fawningly +fawningness +fawnlike +fawns +Fawnskin +Fawzia +FAX +Faxan +faxed +Faxen +faxes +faxing +Faxon +Faxun +faze +fazed +Fazeli +fazenda +fazendas +fazendeiro +fazes +fazing +FB +FBA +FBI +FBO +FBV +FC +FCA +FCAP +FCC +FCCSET +FCFS +FCG +fchar +fcy +FCIC +FCO +fcomp +fconv +fconvert +fcp +FCRC +FCS +FCT +FD +FDA +FDDI +FDDIII +FDHD +FDIC +F-display +FDM +fdname +fdnames +FDP +FDR +fdtype +fdub +fdubs +FDX +FE +FEA +feaberry +FEAF +feague +feak +feaked +feaking +feal +Feala +fealty +fealties +Fear +fearable +fearbabe +fear-babe +fear-broken +fear-created +fear-depressed +feared +fearedly +fearedness +fearer +fearers +fear-free +fear-froze +fearful +fearfuller +fearfullest +fearfully +fearfulness +fearing +fearingly +fear-inspiring +fearless +fearlessly +fearlessness +fearlessnesses +fearnaught +fearnought +fear-palsied +fear-pursued +fears +fear-shaken +fearsome +fearsomely +fearsome-looking +fearsomeness +fear-stricken +fear-struck +fear-tangled +fear-taught +feasance +feasances +feasant +fease +feased +feases +feasibility +feasibilities +feasible +feasibleness +feasibly +feasing +feasor +Feast +feasted +feasten +feaster +feasters +feastful +feastfully +feasting +feastless +feastly +feast-or-famine +feastraw +feasts +feat +feateous +feater +featest +feather +featherback +featherbed +feather-bed +featherbedded +featherbedding +featherbird +featherbone +featherbrain +featherbrained +feather-covered +feathercut +featherdom +feathered +featheredge +feather-edge +featheredged +featheredges +featherer +featherers +featherfew +feather-fleece +featherfoil +feather-footed +featherhead +feather-head +featherheaded +feather-heeled +feathery +featherier +featheriest +featheriness +feathering +featherleaf +feather-leaved +feather-legged +featherless +featherlessness +featherlet +featherlight +featherlike +featherman +feathermonger +featherpate +featherpated +feathers +featherstitch +feather-stitch +featherstitching +Featherstone +feather-tongue +feathertop +feather-veined +featherway +featherweed +featherweight +feather-weight +feather-weighted +featherweights +featherwing +featherwise +featherwood +featherwork +feather-work +featherworker +featy +featish +featishly +featishness +featless +featly +featlier +featliest +featliness +featness +featous +feats +feat's +featural +featurally +feature +featured +featureful +feature-length +featureless +featurelessness +featurely +featureliness +features +featurette +feature-writing +featuring +featurish +feaze +feazed +feazes +feazing +feazings +FEB +Feb. +Febe +febres +febri- +febricant +febricide +febricitant +febricitation +febricity +febricula +febrifacient +febriferous +febrific +febrifugal +febrifuge +febrifuges +febrile +febrility +febriphobia +febris +Febronian +Febronianism +February +Februaries +february's +Februarius +februation +FEC +fec. +fecal +fecalith +fecaloid +fecche +feceris +feces +Fechner +Fechnerian +Fechter +fecial +fecials +fecifork +fecit +feck +fecket +feckful +feckfully +feckless +fecklessly +fecklessness +feckly +fecks +feckulence +fecula +feculae +feculence +feculency +feculent +fecund +fecundate +fecundated +fecundates +fecundating +fecundation +fecundations +fecundative +fecundator +fecundatory +fecundify +Fecunditatis +fecundity +fecundities +fecundize +FED +Fed. +fedayee +Fedayeen +Fedak +fedarie +feddan +feddans +Fedders +fedelini +fedellini +federacy +federacies +Federal +federalese +federalisation +federalise +federalised +federalising +Federalism +federalisms +federalist +federalistic +federalists +federalization +federalizations +federalize +federalized +federalizes +federalizing +federally +federalness +federals +Federalsburg +federary +federarie +federate +federated +federates +federating +federation +federational +federationist +federations +federatist +federative +federatively +federator +Federica +Federico +Fedia +fedifragous +Fedin +Fedirko +fedity +fedn +Fedor +Fedora +fedoras +feds +FEDSIM +fed-up +fed-upedness +fed-upness +Fee +feeable +feeb +feeble +feeble-bodied +feeblebrained +feeble-eyed +feeblehearted +feebleheartedly +feebleheartedness +feeble-lunged +feebleminded +feeble-minded +feeblemindedly +feeble-mindedly +feeblemindedness +feeble-mindedness +feeblemindednesses +feebleness +feeblenesses +feebler +feebless +feeblest +feeble-voiced +feeble-winged +feeble-wit +feebly +feebling +feeblish +feed +feedable +feedback +feedbacks +feedbag +feedbags +feedbin +feedboard +feedbox +feedboxes +feeded +feeder +feeder-in +feeders +feeder-up +feedhead +feedhole +feedy +feeding +feedings +feedingstuff +feedlot +feedlots +feedman +feeds +feedsman +feedstock +feedstuff +feedstuffs +feedway +feedwater +fee-farm +fee-faw-fum +feeing +feel +feelable +Feeley +feeler +feelers +feeless +feely +feelies +feeling +feelingful +feelingless +feelinglessly +feelingly +feelingness +feelings +feels +Feeney +Feer +feere +feerie +feery-fary +feering +fees +Feesburg +fee-simple +fee-splitter +fee-splitting +feest +feet +feetage +fee-tail +feetfirst +feetless +feeze +feezed +feezes +feezing +feff +fefnicute +fegary +Fegatella +fegs +feh +Fehmic +FEHQ +fehs +fei +Fey +Feydeau +feyer +feyest +feif +Feighan +feigher +Feigin +Feigl +feign +feigned +feignedly +feignedness +feigner +feigners +feigning +feigningly +feigns +Feijoa +Feil +feyly +Fein +Feinberg +feyness +feynesses +Feingold +Feininger +Feinleib +Feynman +feinschmecker +feinschmeckers +Feinstein +feint +feinted +feinter +feinting +feints +feirie +feis +Feisal +feiseanna +feist +feisty +feistier +feistiest +feists +felafel +felaheen +felahin +felanders +Felapton +Felch +Feld +Felda +Felder +Feldman +feldsher +feldspar +feldsparphyre +feldspars +feldspath +feldspathic +feldspathization +feldspathoid +feldspathoidal +feldspathose +Feldstein +Feldt +fele +Felecia +Feledy +Felic +Felicdad +Felice +Felichthys +Felicia +Feliciana +Felicidad +felicide +Felicie +felicify +felicific +Felicio +Felicita +felicitate +felicitated +felicitates +felicitating +felicitation +felicitations +felicitator +felicitators +Felicity +felicities +felicitous +felicitously +felicitousness +Felicle +felid +Felidae +felids +feliform +Felike +Feliks +Felinae +feline +felinely +felineness +felines +felinity +felinities +felinophile +felinophobe +Felipa +Felipe +Felippe +Felis +Felise +Felisha +Felita +Felix +Feliza +Felizio +fell +fella +fellable +fellage +fellagha +fellah +fellaheen +fellahin +fellahs +Fellani +fellas +Fellata +Fellatah +fellate +fellated +fellatee +fellates +fellating +fellatio +fellation +fellations +fellatios +fellator +fellatory +fellatrice +fellatrices +fellatrix +fellatrixes +felled +fellen +Feller +fellers +fellest +fellfare +fell-fare +fell-field +felly +fellic +felliducous +fellies +fellifluous +Felling +fellingbird +Fellini +fellinic +fell-land +fellmonger +fellmongered +fellmongery +fellmongering +Fellner +fellness +fellnesses +felloe +felloes +fellon +Fellow +fellow-commoner +fellowcraft +fellow-creature +fellowed +fellowess +fellow-feel +fellow-feeling +fellow-heir +fellowheirship +fellowing +fellowless +fellowly +fellowlike +fellowman +fellow-man +fellowmen +fellow-men +fellowred +Fellows +fellow's +fellowship +fellowshiped +fellowshiping +fellowshipped +fellowshipping +fellowships +fellowship's +fellow-soldier +fells +fellside +fellsman +Fellsmere +felo-de-se +feloid +felon +felones +felones-de-se +feloness +felony +felonies +felonious +feloniously +feloniousness +felonous +felonry +felonries +felons +felonsetter +felonsetting +felonweed +felonwood +felonwort +felos-de-se +fels +felsic +felsite +felsite-porphyry +felsites +felsitic +Felske +felsobanyite +felsophyre +felsophyric +felsosphaerite +felspar +felspars +felspath +felspathic +felspathose +felstone +felstones +Felt +felted +Felten +felter +Felty +Feltie +feltyfare +feltyflier +felting +feltings +felt-jacketed +feltlike +felt-lined +feltmaker +feltmaking +feltman +feltmonger +feltness +Felton +felts +felt-shod +feltwork +feltwort +felucca +feluccas +Felup +felwort +felworts +FEM +fem. +FEMA +female +femalely +femaleness +females +female's +femalist +femality +femalize +femcee +Feme +femereil +femerell +femes +FEMF +Femi +femic +femicide +feminacy +feminacies +feminal +feminality +feminate +femineity +feminie +feminility +feminin +Feminine +femininely +feminineness +feminines +femininism +femininity +femininities +feminisation +feminise +feminised +feminises +feminising +feminism +feminisms +feminist +feministic +feministics +feminists +feminity +feminities +feminization +feminizations +feminize +feminized +feminizes +feminizing +feminology +feminologist +feminophobe +femme +femmes +Femmine +femora +femoral +femorocaudal +femorocele +femorococcygeal +femorofibular +femoropopliteal +femororotulian +femorotibial +fempty +fems +femto- +femur +femurs +femur's +Fen +fenagle +fenagled +fenagler +fenagles +fenagling +fenbank +fenberry +fen-born +fen-bred +fence +fenced +fenced-in +fenceful +fenceless +fencelessness +fencelet +fencelike +fence-off +fenceplay +fencepost +fencer +fenceress +fencerow +fencers +fences +fence-sitter +fence-sitting +fence-straddler +fence-straddling +fenchene +fenchyl +fenchol +fenchone +fencible +fencibles +fencing +fencing-in +fencings +fend +fendable +fended +fender +fendered +fendering +fenderless +fenders +fendy +Fendig +fendillate +fendillation +fending +fends +Fenelia +Fenella +Fenelon +Fenelton +fenerate +feneration +fenestella +fenestellae +fenestellid +Fenestellidae +fenester +fenestra +fenestrae +fenestral +fenestrate +fenestrated +fenestration +fenestrato +fenestrone +fenestrule +fenetre +fengite +Fengkieh +Fengtien +Fenian +Fenianism +fenite +fenks +fenland +fenlander +fenman +fenmen +Fenn +fennec +fennecs +fennel +fennelflower +Fennell +fennel-leaved +Fennelly +fennels +Fenner +Fennessy +Fenny +fennici +Fennie +fennig +Fennimore +fennish +Fennoman +Fennville +fenouillet +fenouillette +Fenrir +Fenris-wolf +Fens +Fensalir +fensive +fenster +fen-sucked +fent +fentanyl +fenter +fenthion +fen-ting +Fenton +Fentress +fenugreek +fenuron +fenurons +Fenwick +Fenzelia +feod +feodal +feodality +feodary +feodaries +feodatory +Feodor +Feodora +Feodore +feods +feodum +feoff +feoffed +feoffee +feoffees +feoffeeship +feoffer +feoffers +feoffing +feoffment +feoffor +feoffors +feoffs +Feola +Feosol +feower +FEP +FEPC +FEPS +fer +FERA +feracious +feracity +feracities +Ferae +Ferahan +feral +feralin +ferally +Feramorz +ferash +ferbam +ferbams +Ferber +ferberite +Ferd +Ferde +fer-de-lance +fer-de-moline +Ferdy +Ferdiad +Ferdie +Ferdinana +Ferdinand +Ferdinanda +Ferdinande +Ferdus +ferdwit +fere +Ferenc +feres +feretory +feretories +feretra +feretrum +ferfathmur +ferfel +ferfet +ferforth +Fergana +ferganite +Fergus +fergusite +Ferguson +fergusonite +feria +feriae +ferial +ferias +feriation +feridgi +feridjee +feridji +ferie +Feriga +ferigee +ferijee +ferine +ferinely +ferineness +Feringhee +Feringi +Ferino +Ferio +Ferison +ferity +ferities +ferk +ferkin +ferly +ferlie +ferlied +ferlies +ferlying +ferling +ferling-noble +fermacy +fermage +fermail +fermal +Fermanagh +Fermat +fermata +fermatas +fermate +Fermatian +ferme +ferment +fermentability +fermentable +fermental +fermentarian +fermentate +fermentation +fermentations +fermentation's +fermentative +fermentatively +fermentativeness +fermentatory +fermented +fermenter +fermentescible +fermenting +fermentitious +fermentive +fermentology +fermentor +ferments +fermentum +fermerer +fermery +Fermi +fermila +fermillet +Fermin +fermion +fermions +fermis +fermium +fermiums +fermorite +Fern +Ferna +Fernald +fernambuck +Fernand +Fernanda +Fernande +Fernandel +Fernandes +Fernandez +Fernandina +fernandinite +Fernando +Fernas +Fernata +fernbird +fernbrake +fern-clad +fern-crowned +Ferndale +Ferne +Ferneau +ferned +Ferney +Fernelius +fernery +ferneries +fern-fringed +ferngale +ferngrower +ferny +Fernyak +fernyear +fernier +ferniest +ferninst +fernland +fernleaf +fern-leaved +Fernley +fernless +fernlike +Fernos-Isern +fern-owl +ferns +fern's +fernseed +fern-seed +fernshaw +fernsick +fern-thatched +ferntickle +ferntickled +fernticle +Fernwood +fernwort +Ferocactus +feroce +ferocious +ferociously +ferociousness +ferociousnesses +ferocity +ferocities +feroher +Feronia +ferous +ferox +ferr +ferrado +Ferragus +ferrament +Ferrand +ferrandin +Ferrara +Ferrarese +Ferrari +ferrary +ferrash +ferrate +ferrated +ferrateen +ferrates +ferratin +ferrean +Ferreby +ferredoxin +Ferree +Ferreira +ferreiro +Ferrel +ferreled +ferreling +Ferrell +ferrelled +ferrelling +Ferrellsburg +ferrels +Ferren +ferreous +Ferrer +Ferrero +ferret +ferret-badger +ferreted +ferret-eyed +ferreter +ferreters +ferrety +ferreting +ferrets +Ferretti +ferretto +Ferri +ferry +ferri- +ferriage +ferryage +ferriages +ferryboat +ferry-boat +ferryboats +ferric +ferrichloride +ferricyanate +ferricyanhydric +ferricyanic +ferricyanide +ferricyanogen +Ferrick +Ferriday +ferried +ferrier +ferries +ferriferous +Ferrigno +ferrihemoglobin +ferrihydrocyanic +ferryhouse +ferrying +ferrimagnet +ferrimagnetic +ferrimagnetically +ferrimagnetism +ferryman +ferrymen +ferring +ferriprussiate +ferriprussic +Ferris +Ferrisburg +Ferrysburg +ferrite +Ferriter +ferrites +ferritic +ferritin +ferritins +ferritization +ferritungstite +Ferryville +ferrivorous +ferryway +Ferro +ferro- +ferroalloy +ferroaluminum +ferroboron +ferrocalcite +ferro-carbon-titanium +ferrocene +ferrocerium +ferrochrome +ferrochromium +ferrocyanate +ferrocyanhydric +ferrocyanic +ferrocyanide +ferrocyanogen +ferroconcrete +ferro-concrete +ferroconcretor +ferroelectric +ferroelectrically +ferroelectricity +ferroglass +ferrogoslarite +ferrohydrocyanic +ferroinclave +Ferrol +ferromagnesian +ferromagnet +ferromagnetic +ferromagneticism +ferromagnetism +ferromanganese +ferrometer +ferromolybdenum +Ferron +ferronatrite +ferronickel +ferrophosphorus +ferroprint +ferroprussiate +ferroprussic +ferrosilicon +ferroso- +ferrotype +ferrotyped +ferrotyper +ferrotypes +ferrotyping +ferrotitanium +ferrotungsten +ferro-uranium +ferrous +ferrovanadium +ferrozirconium +ferruginate +ferruginated +ferruginating +ferrugination +ferruginean +ferrugineous +ferruginous +ferrugo +ferrule +ferruled +ferruler +ferrules +ferruling +Ferrum +ferruminate +ferruminated +ferruminating +ferrumination +ferrums +FERS +fersmite +ferter +ferth +ferther +ferthumlungur +Fertil +fertile +fertile-flowered +fertile-fresh +fertile-headed +fertilely +fertileness +fertilisability +fertilisable +fertilisation +fertilisational +fertilise +fertilised +fertiliser +fertilising +fertilitate +Fertility +fertilities +fertilizability +fertilizable +fertilization +fertilizational +fertilizations +fertilize +fertilized +fertilizer +fertilizer-crushing +fertilizers +fertilizes +fertilizing +feru +ferula +ferulaceous +ferulae +ferulaic +ferular +ferulas +ferule +feruled +ferules +ferulic +feruling +Ferullo +ferv +fervanite +fervence +fervency +fervencies +fervent +fervently +ferventness +fervescence +fervescent +fervid +fervidity +fervidly +fervidness +Fervidor +fervor +fervorless +fervorlessness +fervorous +fervors +fervor's +fervour +fervours +Ferwerda +Fesapo +Fescennine +fescenninity +fescue +fescues +fesels +fess +fesse +fessed +fessely +Fessenden +fesses +fessewise +fessing +fessways +fesswise +fest +Festa +festae +festal +festally +Festatus +Feste +festellae +fester +festered +festering +festerment +festers +festy +festilogy +festilogies +festin +Festina +festinance +festinate +festinated +festinately +festinating +festination +festine +festing +Festino +festival +festivalgoer +festivally +festivals +festival's +festive +festively +festiveness +festivity +festivities +festivous +festology +feston +festoon +festooned +festoonery +festooneries +festoony +festooning +festoons +Festschrift +Festschriften +Festschrifts +festshrifts +festuca +festucine +festucous +Festus +FET +feta +fetal +fetalism +fetalization +fetas +fetation +fetations +fetch +fetch- +fetch-candle +fetched +fetched-on +fetcher +fetchers +fetches +fetching +fetchingly +fetching-up +fetch-light +fete +fete-champetre +feted +feteless +feterita +feteritas +fetes +feti- +fetial +fetiales +fetialis +fetials +fetich +fetiches +fetichic +fetichism +fetichist +fetichistic +fetichize +fetichlike +fetichmonger +fetichry +feticidal +feticide +feticides +fetid +fetidity +fetidly +fetidness +fetiferous +feting +fetiparous +fetis +fetise +fetish +fetisheer +fetisher +fetishes +fetishic +fetishism +fetishist +fetishistic +fetishists +fetishization +fetishize +fetishlike +fetishmonger +fetishry +fetlock +fetlock-deep +fetlocked +fetlocks +fetlow +fetography +fetology +fetologies +fetologist +fetometry +fetoplacental +fetor +fetors +fets +fetted +fetter +fetterbush +fettered +fetterer +fetterers +fettering +fetterless +fetterlock +fetters +fetticus +fetting +fettle +fettled +fettler +fettles +fettling +fettlings +fettstein +fettuccine +fettucine +fettucini +feture +fetus +fetuses +fetwa +feu +feuage +feuar +feuars +Feucht +Feuchtwanger +feud +feudal +feudalisation +feudalise +feudalised +feudalising +feudalism +feudalist +feudalistic +feudalists +feudality +feudalities +feudalizable +feudalization +feudalize +feudalized +feudalizing +feudally +feudary +feudaries +feudatary +feudatory +feudatorial +feudatories +feuded +feudee +feuder +feuding +feudist +feudists +feudovassalism +feuds +feud's +feudum +feued +Feuerbach +feu-farm +feuillage +Feuillant +Feuillants +feuille +Feuillee +feuillemorte +feuille-morte +feuillet +feuilleton +feuilletonism +feuilletonist +feuilletonistic +feuilletons +feuing +feulamort +Feune +Feurabush +feus +feute +feuter +feuterer +FEV +fever +feverberry +feverberries +feverbush +fever-cooling +fevercup +fever-destroying +fevered +feveret +feverfew +feverfews +fevergum +fever-haunted +fevery +fevering +feverish +feverishly +feverishness +feverless +feverlike +fever-lurden +fever-maddened +feverous +feverously +fever-reducer +fever-ridden +feverroot +fevers +fever-shaken +fever-sick +fever-smitten +fever-stricken +fevertrap +fever-troubled +fevertwig +fevertwitch +fever-warm +fever-weakened +feverweed +feverwort +Fevre +Fevrier +few +few-acred +few-celled +fewer +fewest +few-flowered +few-fruited +fewmand +fewmets +fewnes +fewneses +fewness +fewnesses +few-seeded +fewsome +fewter +fewterer +few-toothed +fewtrils +Fez +fezes +Fezzan +fezzed +fezzes +fezzy +Fezziwig +FF +ff. +FFA +FFC +FFI +F-flat +FFRDC +FFS +FFT +FFV +FFVs +fg +FGA +FGB +FGC +FGD +fgn +FGREP +fgrid +FGS +FGSA +FHA +FHLBA +FHLMC +FHMA +f-hole +fhrer +FHST +FI +fy +Fia +FYA +fiacre +fiacres +fiador +fiancailles +fiance +fianced +fiancee +fiancees +fiances +fianchetti +fianchetto +fiancing +Fiann +Fianna +fiant +fiants +fiar +fiard +fiaroblast +fiars +fiaschi +fiasco +fiascoes +fiascos +fiat +fiatconfirmatio +fiats +Fiatt +fiaunt +FIB +fibbed +fibber +fibbery +fibbers +fibbing +fibble-fable +fibdom +Fiber +fiberboard +fiberboards +fibered +fiber-faced +fiberfill +Fiberfrax +Fiberglas +fiberglass +fiberglasses +fiberization +fiberize +fiberized +fiberizer +fiberizes +fiberizing +fiberless +fiberous +fibers +fiber's +fiberscope +fiber-shaped +fiberware +Fibiger +fible-fable +Fibonacci +fibr- +fibra +fibranne +fibration +fibratus +fibre +fibreboard +fibred +fibrefill +fibreglass +fibreless +fibres +fibreware +fibry +fibriform +fibril +fibrilated +fibrilation +fibrilations +fibrilla +fibrillae +fibrillar +fibrillary +fibrillate +fibrillated +fibrillates +fibrillating +fibrillation +fibrillations +fibrilled +fibrilliferous +fibrilliform +fibrillose +fibrillous +fibrils +fibrin +fibrinate +fibrination +fibrine +fibrinemia +fibrino- +fibrinoalbuminous +fibrinocellular +fibrinogen +fibrinogenetic +fibrinogenic +fibrinogenically +fibrinogenous +fibrinoid +fibrinokinase +fibrinolyses +fibrinolysin +fibrinolysis +fibrinolytic +fibrinoplastic +fibrinoplastin +fibrinopurulent +fibrinose +fibrinosis +fibrinous +fibrins +fibrinuria +fibro +fibro- +fibroadenia +fibroadenoma +fibroadipose +fibroangioma +fibroareolar +fibroblast +fibroblastic +fibrobronchitis +fibrocalcareous +fibrocarcinoma +fibrocartilage +fibrocartilaginous +fibrocaseose +fibrocaseous +fibrocellular +fibrocement +fibrochondritis +fibrochondroma +fibrochondrosteal +fibrocyst +fibrocystic +fibrocystoma +fibrocyte +fibrocytic +fibrocrystalline +fibroelastic +fibroenchondroma +fibrofatty +fibroferrite +fibroglia +fibroglioma +fibrohemorrhagic +fibroid +fibroids +fibroin +fibroins +fibrointestinal +fibroligamentous +fibrolipoma +fibrolipomatous +fibrolite +fibrolitic +fibroma +fibromas +fibromata +fibromatoid +fibromatosis +fibromatous +fibromembrane +fibromembranous +fibromyectomy +fibromyitis +fibromyoma +fibromyomatous +fibromyomectomy +fibromyositis +fibromyotomy +fibromyxoma +fibromyxosarcoma +fibromucous +fibromuscular +fibroneuroma +fibronuclear +fibronucleated +fibro-osteoma +fibropapilloma +fibropericarditis +fibroplasia +fibroplastic +fibropolypus +fibropsammoma +fibropurulent +fibroreticulate +fibrosarcoma +fibrose +fibroserous +fibroses +fibrosis +fibrosity +fibrosities +fibrositis +Fibrospongiae +fibrotic +fibrotuberculosis +fibrous +fibrous-coated +fibrously +fibrousness +fibrous-rooted +fibrovasal +fibrovascular +fibs +fibster +fibula +fibulae +fibular +fibulare +fibularia +fibulas +fibulocalcaneal +fic +FICA +ficary +Ficaria +ficaries +fication +ficche +fice +fyce +ficelle +fices +fyces +fichat +fiche +fiches +Fichte +Fichtean +Fichteanism +fichtelite +fichu +fichus +ficiform +ficin +Ficino +ficins +fickle +fickle-fancied +fickle-headed +ficklehearted +fickle-minded +fickle-mindedly +fickle-mindedness +fickleness +ficklenesses +fickler +ficklest +ficklety +ficklewise +fickly +fico +ficoes +ficoid +Ficoidaceae +ficoidal +Ficoideae +ficoides +fict +fictation +fictil +fictile +fictileness +fictility +fiction +fictional +fictionalization +fictionalize +fictionalized +fictionalizes +fictionalizing +fictionally +fictionary +fictioneer +fictioneering +fictioner +fictionisation +fictionise +fictionised +fictionising +fictionist +fictionistic +fictionization +fictionize +fictionized +fictionizing +fictionmonger +fictions +fiction's +fictious +fictitious +fictitiously +fictitiousness +fictive +fictively +fictor +Ficula +Ficus +ficuses +fid +Fidac +fidalgo +fidate +fidation +fidawi +fidded +fidding +fiddle +fiddleback +fiddle-back +fiddlebow +fiddlebrained +fiddle-brained +fiddlecome +fiddled +fiddlededee +fiddle-de-dee +fiddledeedee +fiddlefaced +fiddle-faced +fiddle-faddle +fiddle-faddled +fiddle-faddler +fiddle-faddling +fiddle-flanked +fiddlehead +fiddle-head +fiddleheaded +fiddley +fiddleys +fiddle-lipped +fiddleneck +fiddle-neck +fiddler +fiddlerfish +fiddlerfishes +fiddlery +fiddlers +fiddles +fiddle-scraping +fiddle-shaped +fiddlestick +fiddlesticks +fiddlestring +fiddle-string +Fiddletown +fiddle-waist +fiddlewood +fiddly +fiddlies +fiddling +FIDE +fideicommiss +fideicommissa +fideicommissary +fideicommissaries +fideicommission +fideicommissioner +fideicommissor +fideicommissum +fidei-commissum +fideicommissumissa +fideism +fideisms +fideist +fideistic +fideists +fidejussion +fidejussionary +fidejussor +fidejussory +Fidel +Fidela +Fidelas +Fidele +fideles +Fidelia +Fidelio +Fidelis +Fidelism +Fidelity +fidelities +Fidellas +Fidellia +Fiden +fideos +fidepromission +fidepromissor +Fides +Fidessa +fidfad +fidge +fidged +fidges +fidget +fidgetation +fidgeted +fidgeter +fidgeters +fidgety +fidgetily +fidgetiness +fidgeting +fidgetingly +fidgets +fidging +Fidia +fidibus +fidicinal +fidicinales +fidicula +fidiculae +fidley +fidleys +FIDO +Fidole +Fydorova +fidos +fids +fiducia +fiducial +fiducially +fiduciary +fiduciaries +fiduciarily +fiducinales +fie +fied +Fiedler +fiedlerite +Fiedling +fief +fiefdom +fiefdoms +fie-fie +fiefs +fiel +Field +Fieldale +fieldball +field-bed +fieldbird +field-book +field-controlled +field-conventicle +field-conventicler +field-cornet +field-cornetcy +field-day +fielded +fielden +fielder +fielders +fieldfare +fieldfight +field-glass +field-holler +fieldy +fieldie +Fielding +fieldish +fieldleft +fieldman +field-marshal +field-meeting +fieldmen +fieldmice +fieldmouse +Fieldon +fieldpiece +fieldpieces +Fields +fieldsman +fieldsmen +fieldstone +fieldstrip +field-strip +field-stripped +field-stripping +field-stript +Fieldton +fieldward +fieldwards +fieldwork +field-work +fieldworker +fieldwort +Fiend +fiendful +fiendfully +fiendhead +fiendish +fiendishly +fiendishness +fiendism +fiendly +fiendlier +fiendliest +fiendlike +fiendliness +fiends +fiendship +fient +Fierabras +Fierasfer +fierasferid +Fierasferidae +fierasferoid +fierce +fierce-eyed +fierce-faced +fiercehearted +fiercely +fierce-looking +fierce-minded +fiercen +fierce-natured +fiercened +fierceness +fiercenesses +fiercening +fiercer +fiercest +fiercly +fierding +Fierebras +fieri +fiery +fiery-bright +fiery-cross +fiery-crowned +fiery-eyed +fierier +fieriest +fiery-faced +fiery-fierce +fiery-flaming +fiery-footed +fiery-helmed +fiery-hoofed +fiery-hot +fiery-kindled +fierily +fiery-liquid +fiery-mouthed +fieriness +fierinesses +fiery-pointed +fiery-rash +fiery-seeming +fiery-shining +fiery-spangled +fiery-sparkling +fiery-spirited +fiery-sworded +fiery-tempered +fiery-tressed +fiery-twinkling +fiery-veined +fiery-visaged +fiery-wheeled +fiery-winged +fierte +Fiertz +Fiesole +fiesta +fiestas +Fiester +fieulamort +FIFA +Fife +fifed +fifer +fife-rail +fifers +fifes +Fifeshire +Fyffe +Fifi +fifie +Fifield +Fifine +Fifinella +fifing +fifish +FIFO +fifteen +fifteener +fifteenfold +fifteen-pounder +fifteens +fifteenth +fifteenthly +fifteenths +fifth +fifth-column +fifthly +fifths +fifty +fifty-acre +fifty-eight +fifty-eighth +fifties +fiftieth +fiftieths +fifty-fifth +fifty-fifty +fifty-first +fifty-five +fiftyfold +fifty-four +fifty-fourth +fifty-year +fifty-mile +fifty-nine +fifty-ninth +fifty-one +fiftypenny +fifty-second +fifty-seven +fifty-seventh +fifty-six +fifty-sixth +fifty-third +fifty-three +fiftyty-fifty +fifty-two +fig +fig. +figary +figaro +figbird +fig-bird +figboy +figeater +figeaters +figent +figeter +Figge +figged +figgery +figgy +figgier +figgiest +figging +figgle +figgum +fight +fightable +fighter +fighter-bomber +fighteress +fighter-interceptor +fighters +fighting +fightingly +fightings +fight-off +fights +fightwite +Figitidae +Figl +fig-leaf +figless +figlike +figment +figmental +figments +figo +Figone +figpecker +figs +fig's +fig-shaped +figshell +fig-tree +Figueres +Figueroa +figulate +figulated +figuline +figulines +figura +figurability +figurable +figurae +figural +figurally +figurant +figurante +figurants +figurate +figurately +figuration +figurational +figurations +figurative +figuratively +figurativeness +figurato +figure +figure-caster +figured +figuredly +figure-flinger +figure-ground +figurehead +figure-head +figureheadless +figureheads +figureheadship +figureless +figurer +figurers +figures +figuresome +figurette +figury +figurial +figurine +figurines +figuring +figurings +figurism +figurist +figuriste +figurize +figworm +figwort +fig-wort +figworts +FYI +Fiji +Fijian +fike +fyke +fiked +fikey +fikery +fykes +fikh +fikie +fiking +fil +fila +filace +filaceous +filacer +Filago +filagree +filagreed +filagreeing +filagrees +filagreing +filament +filamentar +filamentary +filamented +filamentiferous +filamentoid +filamentose +filamentous +filaments +filament's +filamentule +filander +filanders +filao +filar +filaree +filarees +Filaria +filariae +filarial +filarian +filariasis +filaricidal +filariform +filariid +Filariidae +filariids +filarious +filasse +filate +filator +filatory +filature +filatures +filaze +filazer +Filbert +Filberte +Filberto +filberts +filch +filched +filcher +filchery +filchers +filches +filching +filchingly +Fylde +file +filea +fileable +filecard +filechar +filed +filefish +file-fish +filefishes +file-hard +filelike +filemaker +filemaking +filemark +filemarks +Filemon +filemot +filename +filenames +filename's +Filer +filers +Files +file's +filesave +filesmith +filesniff +file-soft +filespec +filestatus +filet +fileted +fileting +filets +fylfot +fylfots +fylgja +fylgjur +fili +fili- +Filia +filial +filiality +filially +filialness +Filiano +filiate +filiated +filiates +filiating +filiation +filibeg +filibegs +filibranch +Filibranchia +filibranchiate +filibuster +filibustered +filibusterer +filibusterers +filibustering +filibusterism +filibusterous +filibusters +filibustrous +filical +Filicales +filicauline +Filices +filicic +filicidal +filicide +filicides +filiciform +filicin +Filicineae +filicinean +filicinian +filicite +Filicites +filicoid +filicoids +filicology +filicologist +Filicornia +Filide +filiety +filiferous +filiform +filiformed +Filigera +filigerous +filigrain +filigrained +filigrane +filigraned +filigree +filigreed +filigreeing +filigrees +filigreing +filii +filing +filings +Filion +filionymic +filiopietistic +filioque +Filip +Filipe +Filipendula +filipendulous +Filipina +Filipiniana +Filipinization +Filipinize +Filipino +Filipino-american +Filipinos +Filippa +filippi +filippic +Filippino +Filippo +filipuncture +filister +filisters +filite +filius +Filix +filix-mas +fylker +fill +filla +fillable +fillagree +fillagreed +fillagreing +Fillander +fill-belly +Fillbert +fill-dike +fille +fillebeg +filled +Filley +fillemot +Fillender +Filler +fillercap +filler-in +filler-out +fillers +filler-up +filles +fillet +filleted +filleter +filleting +filletlike +fillets +filletster +filleul +filly +filli- +Fillian +fillies +filly-folly +fill-in +filling +fillingly +fillingness +fillings +fillip +filliped +fillipeen +filliping +fillips +fillister +fillmass +Fillmore +fillo +fillock +fillos +fillowite +fill-paunch +fills +fill-space +fill-up +film +filmable +filmcard +filmcards +filmdom +filmdoms +filmed +film-eyed +Filmer +filmers +filmet +film-free +filmgoer +filmgoers +filmgoing +filmy +filmic +filmically +filmy-eyed +filmier +filmiest +filmiform +filmily +filminess +filming +filmish +filmist +filmize +filmized +filmizing +filmland +filmlands +filmlike +filmmake +filmmaker +filmmaking +filmogen +filmography +filmographies +Filmore +films +filmset +filmsets +filmsetter +filmsetting +filmslide +filmstrip +filmstrips +film-struck +FILO +filo- +Filomena +filoplumaceous +filoplume +filopodia +filopodium +filos +Filosa +filose +filoselle +filosofe +filosus +fils +filt +filter +filterability +filterable +filterableness +filtered +filterer +filterers +filtering +filterman +filtermen +filter-passing +filters +filter's +filter-tipped +filth +filth-borne +filth-created +filth-fed +filthy +filthier +filthiest +filthify +filthified +filthifying +filthy-handed +filthily +filthiness +filthinesses +filthless +filths +filth-sodden +filtrability +filtrable +filtratable +filtrate +filtrated +filtrates +filtrating +filtration +filtrations +filtre +filum +Fima +fimble +fimbles +fimbria +fimbriae +fimbrial +fimbriate +fimbriated +fimbriating +fimbriation +fimbriatum +fimbricate +fimbricated +fimbrilla +fimbrillae +fimbrillate +fimbrilliferous +fimbrillose +fimbriodentate +Fimbristylis +Fimbul-winter +fimetarious +fimetic +fimicolous +FIMS +FIN +Fyn +Fin. +Fina +finable +finableness +finagle +finagled +finagler +finaglers +finagles +finagling +final +finale +finales +finalis +finalism +finalisms +finalist +finalists +finality +finalities +finalization +finalizations +finalize +finalized +finalizes +finalizing +finally +finals +Finance +financed +financer +finances +financial +financialist +financially +financier +financiere +financiered +financiery +financiering +financiers +financier's +financing +financist +finary +finback +fin-backed +finbacks +Finbar +finbone +Finbur +finca +fincas +finch +finchbacked +finch-backed +finched +finchery +finches +Finchley +Finchville +find +findability +findable +findal +finder +finders +findfault +findhorn +findy +finding +finding-out +findings +findjan +Findlay +Findley +findon +finds +FINE +fineable +fineableness +fine-appearing +fine-ax +finebent +Fineberg +fine-bore +fine-bred +finecomb +fine-count +fine-cut +fined +fine-dividing +finedraw +fine-draw +fine-drawer +finedrawing +fine-drawing +fine-drawn +fine-dressed +fine-drew +fine-eyed +Fineen +fineer +fine-feathered +fine-featured +fine-feeling +fine-fleeced +fine-furred +Finegan +fine-graded +fine-grain +fine-grained +fine-grainedness +fine-haired +fine-headed +fineish +fineleaf +fine-leaved +fineless +finely +Finella +fine-looking +Fineman +finement +fine-mouthed +fineness +finenesses +fine-nosed +Finer +finery +fineries +fines +fine-set +fine-sifted +fine-skinned +fine-spirited +fine-spoken +finespun +fine-spun +finesse +finessed +finesser +finesses +finessing +finest +finestill +fine-still +finestiller +finestra +fine-tapering +fine-threaded +fine-timbered +fine-toned +fine-tongued +fine-tooth +fine-toothcomb +fine-tooth-comb +fine-toothed +finetop +fine-tricked +Fineview +finew +finewed +fine-wrought +finfish +finfishes +finfoot +fin-footed +finfoots +Fingal +Fingall +Fingallian +fingan +fingent +finger +fingerable +finger-ache +finger-and-toe +fingerberry +fingerboard +fingerboards +fingerbreadth +finger-comb +finger-cone +finger-cut +fingered +finger-end +fingerer +fingerers +fingerfish +fingerfishes +fingerflower +finger-foxed +fingerhold +fingerhook +fingery +fingering +fingerings +fingerleaf +fingerless +fingerlet +fingerlike +fingerling +fingerlings +fingermark +finger-marked +fingernail +fingernails +finger-paint +fingerparted +finger-pointing +fingerpost +finger-post +fingerprint +fingerprinted +fingerprinting +fingerprints +fingerroot +fingers +finger-shaped +fingersmith +fingerspin +fingerstall +finger-stall +fingerstone +finger-stone +fingertip +fingertips +Fingerville +fingerwise +fingerwork +fingian +fingle-fangle +Fingo +fingram +fingrigo +Fingu +Fini +finial +finialed +finials +finical +finicality +finically +finicalness +finicism +finick +finicky +finickier +finickiest +finickily +finickin +finickiness +finicking +finickingly +finickingness +finify +finific +Finiglacial +finikin +finiking +fining +finings +finis +finises +finish +finishable +finish-bore +finish-cut +finished +finisher +finishers +finishes +finish-form +finish-grind +finishing +finish-machine +finish-mill +finish-plane +finish-ream +finish-shape +finish-stock +finish-turn +Finist +Finistere +Finisterre +finitary +finite +finite-dimensional +finitely +finiteness +finites +finitesimal +finity +finitism +finitive +finitude +finitudes +finjan +Fink +finked +finkel +Finkelstein +finky +finking +finks +Finksburg +Finlay +Finlayson +Finland +Finlander +Finlandia +finlandization +Finley +Finleyville +finless +finlet +Finletter +Finly +finlike +Finmark +finmarks +Finn +finnac +finnack +finnan +Finnbeara +finned +Finnegan +Finney +finner +finnesko +Finny +Finnic +Finnicize +finnick +finnicky +finnickier +finnickiest +finnicking +Finnie +finnier +finniest +Finnigan +finning +finnip +Finnish +Finnmark +finnmarks +finnoc +finnochio +Finno-hungarian +Finno-slav +Finno-slavonic +Finno-tatar +Finno-turki +Finno-turkish +Finno-Ugrian +Finno-Ugric +finns +Fino +finochio +finochios +finos +fins +fin's +Finsen +fin-shaped +fin-spined +finspot +Finstad +Finsteraarhorn +fintadores +fin-tailed +fin-toed +fin-winged +Finzer +FIO +FIOC +Fyodor +Fiona +Fionn +Fionna +Fionnuala +Fionnula +Fiora +fiord +fiorded +fiords +Fiore +Fiorello +Fiorenza +Fiorenze +Fioretti +fiorin +fiorite +fioritura +fioriture +Fiot +FIP +fipenny +fippence +fipple +fipples +FIPS +fiqh +fique +fiques +FIR +Firbank +Firbauti +Firbolg +Firbolgs +fir-bordered +fir-built +firca +Fircrest +fir-crested +fyrd +Firdausi +Firdousi +fyrdung +Firdusi +fire +fire- +fireable +fire-and-brimstone +fire-angry +firearm +fire-arm +firearmed +firearms +firearm's +fireback +fireball +fire-ball +fireballs +fire-baptized +firebase +firebases +Firebaugh +fire-bearing +firebed +Firebee +fire-bellied +firebird +fire-bird +firebirds +fireblende +fireboard +fireboat +fireboats +fireboy +firebolt +firebolted +firebomb +firebombed +firebombing +firebombs +fireboot +fire-boot +fire-born +firebote +firebox +fire-box +fireboxes +firebrand +fire-brand +firebrands +firebrat +firebrats +firebreak +firebreaks +fire-breathing +fire-breeding +Firebrick +firebricks +firebug +firebugs +fireburn +fire-burning +fire-burnt +fire-chaser +fire-clad +fireclay +fireclays +firecoat +fire-cracked +firecracker +firecrackers +firecrest +fire-crested +fire-cross +fire-crowned +fire-cure +fire-cured +fire-curing +fired +firedamp +fire-damp +firedamps +fire-darting +fire-detecting +firedog +firedogs +firedragon +firedrake +fire-drake +fire-eater +fire-eating +fire-eyed +fire-endurance +fire-engine +fire-extinguisher +fire-extinguishing +firefall +firefang +fire-fang +firefanged +firefanging +firefangs +firefight +firefighter +firefighters +firefighting +fireflaught +fire-flaught +firefly +fire-fly +fireflies +fireflirt +firefly's +fire-float +fireflower +fire-flowing +fire-foaming +fire-footed +fire-free +fire-gilded +fire-god +fireguard +firehall +firehalls +fire-hardened +fire-hoofed +fire-hook +fire-hot +firehouse +firehouses +fire-hunt +fire-hunting +fire-iron +fire-leaves +fireless +firelight +fire-light +fire-lighted +firelike +fire-lily +fire-lilies +fireling +fire-lipped +firelit +firelock +firelocks +fireman +firemanship +fire-marked +firemaster +fire-master +firemen +fire-mouthed +fire-new +Firenze +firepan +fire-pan +firepans +firepink +firepinks +fire-pitted +fireplace +fire-place +fireplaces +fireplace's +fireplough +fireplow +fire-plow +fireplug +fireplugs +fire-polish +firepot +fire-pot +firepower +fireproof +fire-proof +fireproofed +fireproofing +fireproofness +fireproofs +fire-quenching +firer +fire-raiser +fire-raising +fire-red +fire-resistant +fire-resisting +fire-resistive +fire-retardant +fire-retarded +fire-ring +fire-robed +fireroom +firerooms +firers +fires +firesafe +firesafeness +fire-safeness +firesafety +fire-scarred +fire-scathed +fire-screen +fire-seamed +fireshaft +fireshine +fire-ship +fireside +firesider +firesides +firesideship +fire-souled +fire-spirited +fire-spitting +firespout +fire-sprinkling +Firesteel +Firestone +fire-stone +firestop +firestopping +firestorm +fire-strong +fire-swart +fire-swift +firetail +fire-tailed +firethorn +fire-tight +firetop +firetower +firetrap +firetraps +firewall +fireward +firewarden +fire-warmed +firewater +fireweed +fireweeds +fire-wheeled +fire-winged +firewood +firewoods +firework +fire-work +fire-worker +fireworky +fireworkless +fireworks +fireworm +fireworms +firy +firiness +firing +firings +firk +firked +firker +firkin +firking +firkins +firlot +firm +firma +firmament +firmamental +firmaments +Firman +firmance +firmans +firmarii +firmarius +firmation +firm-based +firm-braced +firm-chinned +firm-compacted +firmed +firmer +firmers +firmest +firm-footed +firm-framed +firmhearted +Firmicus +Firmin +firming +firmisternal +Firmisternia +firmisternial +firmisternous +firmity +firmitude +firm-jawed +firm-joint +firmland +firmless +firmly +firm-minded +firm-nerved +firmness +firmnesses +firm-paced +firm-planted +FIRMR +firm-rooted +firms +firm-set +firm-sinewed +firm-textured +firmware +firm-written +firn +firnification +Firnismalerei +firns +Firoloida +Firooc +firry +firring +firs +fir-scented +first +first-aid +first-aider +first-begot +first-begotten +firstborn +first-born +first-bred +first-built +first-chop +first-class +firstcomer +first-conceived +first-created +first-day +first-done +first-endeavoring +firster +first-expressed +first-famed +first-floor +first-foot +first-footer +first-formed +first-found +first-framed +first-fruit +firstfruits +first-gendered +first-generation +first-gotten +first-grown +firsthand +first-hand +first-in +first-invented +first-known +firstly +first-line +firstling +firstlings +first-loved +first-made +first-mentioned +first-mining +first-mortgage +first-name +first-named +firstness +first-night +first-nighter +first-out +first-page +first-past-the-post +first-preferred +first-rate +first-rately +first-rateness +first-rater +first-ripe +first-run +firsts +first-seen +firstship +first-string +first-told +first-written +Firth +firths +fir-topped +fir-tree +FYS +fisc +fiscal +fiscalify +fiscalism +fiscality +fiscalization +fiscalize +fiscalized +fiscalizing +fiscally +fiscals +Fisch +Fischbein +Fischer +Fischer-Dieskau +fischerite +fiscs +fiscus +fise +fisetin +Fish +fishability +fishable +fish-and-chips +Fishback +fish-backed +fishbed +Fishbein +fish-bellied +fishberry +fishberries +fish-blooded +fishboat +fishboats +fishbolt +fishbolts +fishbone +fishbones +fishbowl +fishbowls +fish-canning +fish-cultural +fish-culturist +fish-day +fisheater +fish-eating +fished +fisheye +fish-eyed +fisheyes +Fisher +fisherboat +fisherboy +fisher-cat +fisheress +fisherfolk +fishergirl +fishery +fisheries +fisherman +fishermen +fisherpeople +Fishers +Fishersville +Fishertown +Fisherville +fisherwoman +Fishes +fishet +fish-fag +fishfall +fish-fed +fish-feeding +fishfinger +fish-flaking +fishful +fishgarth +fishgig +fish-gig +fishgigs +fish-god +fish-goddess +fishgrass +fish-hatching +fishhold +fishhood +fishhook +fish-hook +fishhooks +fishhouse +fishy +fishyard +fishyback +fishybacking +fishier +fishiest +fishify +fishified +fishifying +fishily +fishiness +fishing +fishingly +fishings +Fishkill +fishless +fishlet +fishlike +fishline +fishlines +fishling +Fishman +fishmeal +fishmeals +fishmen +fishmonger +fishmouth +fishnet +fishnets +fishplate +fishpole +fishpoles +fishpond +fishponds +fishpool +fishpot +fishpotter +fishpound +fish-producing +fish-scale +fish-scaling +fish-selling +fish-shaped +fishskin +fish-skin +fish-slitting +fishspear +Fishtail +fish-tail +fishtailed +fishtailing +fishtails +fishtail-shaped +Fishtrap +fishway +fishways +fishweed +fishweir +fishwife +fishwives +fishwoman +fishwood +fishworker +fishworks +fishworm +Fisk +Fiskdale +Fiske +Fisken +Fiskeville +fisnoga +fissate +fissi- +fissicostate +fissidactyl +Fissidens +Fissidentaceae +fissidentaceous +fissile +fissileness +fissilingual +Fissilinguia +fissility +fission +fissionability +fissionable +fissional +fissioned +fissioning +fissions +fissipalmate +fissipalmation +fissiparation +fissiparism +fissiparity +fissiparous +fissiparously +fissiparousness +fissiped +Fissipeda +fissipedal +fissipedate +Fissipedia +fissipedial +fissipeds +Fissipes +fissirostral +fissirostrate +Fissirostres +fissive +fissle +fissura +fissural +fissuration +fissure +fissured +fissureless +Fissurella +Fissurellidae +fissures +fissury +fissuriform +fissuring +fist +fisted +fister +fistfight +fistful +fistfuls +Fisty +fistiana +fistic +fistical +fisticuff +fisticuffer +fisticuffery +fisticuffing +fisticuffs +fistify +fistiness +fisting +fistinut +fistle +fistlike +fistmele +fistnote +fistnotes +fists +fistuca +fistula +fistulae +Fistulana +fistular +Fistularia +Fistulariidae +fistularioid +fistulas +fistulate +fistulated +fistulatome +fistulatous +fistule +fistuliform +Fistulina +fistulization +fistulize +fistulized +fistulizing +fistulose +fistulous +fistwise +FIT +Fitch +Fitchburg +fitche +fitched +fitchee +fitcher +fitchered +fitchery +fitchering +fitches +fitchet +fitchets +fitchew +fitchews +fitchy +fitful +fitfully +fitfulness +Fithian +fitified +fitly +fitment +fitments +fitness +fitnesses +fitout +fitroot +FITS +fittable +fittage +fytte +fitted +fittedness +fitten +fitter +fitters +fitter's +fyttes +fittest +fitty +fittie-lan +fittier +fittiest +fittyfied +fittily +fittiness +Fitting +fittingly +fittingness +fittings +Fittipaldi +fittit +fittyways +fittywise +Fitton +Fittonia +Fitts +Fittstown +fitweed +Fitz +Fitzclarence +Fitzger +FitzGerald +Fitzhugh +Fitz-james +Fitzpat +Fitzpatrick +Fitzroy +Fitzroya +Fitzsimmons +Fiuman +fiumara +Fiume +Fiumicino +five +five-acre +five-act +five-and-dime +five-and-ten +fivebar +five-barred +five-beaded +five-by-five +five-branched +five-card +five-chambered +five-corn +five-cornered +five-corners +five-cut +five-day +five-eighth +five-figure +five-finger +five-fingered +five-fingers +five-flowered +five-foiled +fivefold +fivefoldness +five-foot +five-gaited +five-guinea +five-horned +five-hour +five-year +five-inch +five-leaf +five-leafed +five-leaved +five-legged +five-line +five-lined +fiveling +five-lobed +five-master +five-mile +five-minute +five-nerved +five-nine +five-page +five-part +five-parted +fivepence +fivepenny +five-percenter +fivepins +five-ply +five-pointed +five-pound +five-quart +fiver +five-rater +five-reel +five-reeler +five-ribbed +five-room +fivers +fives +fivescore +five-shooter +five-sisters +fivesome +five-spot +five-spotted +five-star +fivestones +five-story +five-stringed +five-toed +five-toothed +five-twenty +five-valved +five-volume +five-week +fivish +fix +fixable +fixage +fixate +fixated +fixates +fixatif +fixatifs +fixating +fixation +fixations +fixative +fixatives +fixator +fixature +fixe +fixed +fixed-bar +fixed-do +fixed-hub +fixed-income +fixedly +fixedness +fixednesses +fixed-temperature +fixer +fixers +fixes +fixgig +fixidity +Fixin +fixing +fixings +fixin's +fixion +fixit +fixity +fixities +fixive +fixt +fixture +fixtureless +fixtures +fixture's +fixup +fixups +fixure +fixures +fiz +Fyzabad +Fizeau +fizelyite +fizgig +fizgigs +fizz +fizzed +fizzer +fizzers +fizzes +fizzy +fizzier +fizziest +fizzing +fizzle +fizzled +fizzles +fizzling +fizzwater +fjarding +Fjare +fjeld +fjelds +Fjelsted +fjerding +fjord +fjorded +fjords +Fjorgyn +FL +Fl. +Fla +Fla. +flab +flabbella +flabbergast +flabbergastation +flabbergasted +flabbergasting +flabbergastingly +flabbergasts +flabby +flabby-cheeked +flabbier +flabbiest +flabbily +flabbiness +flabbinesses +flabel +flabella +flabellarium +flabellate +flabellation +flabelli- +flabellifoliate +flabelliform +flabellinerved +flabellum +flabile +flabra +flabrum +flabs +FLACC +flaccid +flaccidity +flaccidities +flaccidly +flaccidness +flachery +flacherie +Flacian +Flacianism +Flacianist +flack +flacked +flacker +flackery +flacket +flacking +flacks +flacon +flacons +Flacourtia +Flacourtiaceae +flacourtiaceous +flaff +flaffer +flag +flagarie +flag-bearer +flag-bedizened +flagboat +flagella +flagellant +flagellantism +flagellants +flagellar +Flagellaria +Flagellariaceae +flagellariaceous +Flagellata +Flagellatae +flagellate +flagellated +flagellates +flagellating +flagellation +flagellations +flagellative +flagellator +flagellatory +flagellators +flagelliferous +flagelliform +flagellist +flagellosis +flagellula +flagellulae +flagellum +flagellums +flageolet +flageolets +flagfall +flagfish +flagfishes +Flagg +flagged +flaggelate +flaggelated +flaggelating +flaggelation +flaggella +flagger +flaggery +flaggers +flaggy +flaggier +flaggiest +flaggily +flagginess +flagging +flaggingly +flaggings +flaggish +flagilate +flagitate +flagitation +flagitious +flagitiously +flagitiousness +flagleaf +Flagler +flagless +flaglet +flaglike +flagmaker +flagmaking +flagman +flag-man +flagmen +flag-officer +flagon +flagonet +flagonless +flagons +flagon-shaped +flagpole +flagpoles +flagrance +flagrancy +flagrant +flagrante +flagrantly +flagrantness +flagrate +flagroot +flag-root +flags +flag's +flagship +flag-ship +flagships +Flagstad +Flagstaff +flag-staff +flagstaffs +flagstaves +flagstick +flagstone +flag-stone +flagstones +Flagtown +flag-waver +flag-waving +flagworm +Flaherty +flay +flayed +flayer +flayers +flayflint +flaying +flail +flailed +flailing +flaillike +flails +flain +flair +flairs +flays +flaite +flaith +flaithship +flajolotite +flak +flakage +flake +flakeboard +flaked +flaked-out +flakeless +flakelet +flaker +flakers +flakes +flaky +flakier +flakiest +flakily +flakiness +flaking +Flam +Flamandization +Flamandize +flamant +flamb +flambage +flambant +flambe +flambeau +flambeaus +flambeaux +flambee +flambeed +flambeing +flamberg +flamberge +flambes +flamboyance +flamboyances +flamboyancy +flamboyant +flamboyantism +flamboyantize +flamboyantly +flamboyer +flame +flame-breasted +flame-breathing +flame-colored +flame-colour +flame-cut +flamed +flame-darting +flame-devoted +flame-eyed +flame-faced +flame-feathered +flamefish +flamefishes +flameflower +flame-haired +flameholder +flameless +flamelet +flamelike +flamen +flamenco +flamencos +flamens +flamenship +flame-of-the-forest +flame-of-the-woods +flameout +flame-out +flameouts +flameproof +flameproofer +flamer +flame-red +flame-robed +flamers +flames +flame-shaped +flame-snorting +flames-of-the-woods +flame-sparkling +flamethrower +flame-thrower +flamethrowers +flame-tight +flame-tipped +flame-tree +flame-uplifted +flame-winged +flamfew +flamy +flamier +flamiest +flamineous +flamines +flaming +Flamingant +flamingly +flamingo +flamingoes +flamingo-flower +flamingos +Flaminian +flaminica +flaminical +Flamininus +Flaminius +flamless +flammability +flammable +flammably +flammant +Flammarion +flammation +flammed +flammeous +flammiferous +flammigerous +flamming +flammivomous +flammulated +flammulation +flammule +flams +Flamsteed +Flan +Flanagan +flancard +flancards +flanch +flanchard +flanche +flanched +flanconade +flanconnade +flandan +flanderkin +Flanders +flandowser +Flandreau +flane +flanerie +flaneries +flanes +flaneur +flaneurs +flang +flange +flanged +flangeless +flanger +flangers +flanges +flangeway +flanging +Flanigan +flank +flankard +flanked +flanken +flanker +flankers +flanky +flanking +flanks +flankwise +Flann +Flanna +flanned +flannel +flannelboard +flannelbush +flanneled +flannelet +flannelette +flannelflower +flanneling +flannelleaf +flannelleaves +flannelled +flannelly +flannelling +flannelmouth +flannelmouthed +flannelmouths +flannels +flannel's +Flannery +flanning +flanque +flans +flap +flapcake +flapdock +flapdoodle +flapdragon +flap-dragon +flap-eared +flaperon +flapjack +flapjacks +flapless +flapmouthed +flappable +flapped +flapper +flapper-bag +flapperdom +flappered +flapperhood +flappering +flapperish +flapperism +flappers +flappet +flappy +flappier +flappiest +flapping +flaps +flap's +flare +flareback +flareboard +flared +flareless +flare-out +flarer +flares +flare-up +flarfish +flarfishes +flary +flaring +flaringly +flaser +flash +flashback +flashbacks +flashboard +flash-board +flashbulb +flashbulbs +flashcube +flashcubes +flashed +Flasher +flashers +flashes +flashet +flashflood +flashforward +flashforwards +flashgun +flashguns +flash-house +flashy +flashier +flashiest +flashily +flashiness +flashinesses +flashing +flashingly +flashings +flashlamp +flashlamps +flashly +flashlight +flashlights +flashlight's +flashlike +flash-lock +flash-man +flashness +flashover +flashpan +flash-pasteurize +flashproof +flashtester +flashtube +flashtubes +flask +flasker +flasket +flaskets +flaskful +flasklet +flasks +flask-shaped +flasque +flat +flat-armed +flat-backed +flat-beaked +flatbed +flat-bed +flatbeds +flat-billed +flatboat +flat-boat +flatboats +flat-bosomed +flatbottom +flat-bottom +flat-bottomed +flatbread +flat-breasted +flatbrod +flat-browed +flatcap +flat-cap +flatcaps +flatcar +flatcars +flat-cheeked +flat-chested +flat-compound +flat-crowned +flat-decked +flatdom +flated +flat-ended +flateria +flatette +flat-faced +flatfeet +flatfish +flatfishes +flat-floored +flat-fold +flatfoot +flat-foot +flatfooted +flat-footed +flatfootedly +flat-footedly +flatfootedness +flat-footedness +flatfooting +flatfoots +flat-fronted +flat-grained +flat-handled +flathat +flat-hat +flat-hatted +flat-hatter +flat-hatting +flathe +Flathead +flat-head +flat-headed +flatheads +flat-heeled +flat-hoofed +flat-horned +flatiron +flat-iron +flatirons +flative +flat-knit +flatland +flatlander +flatlanders +flatlands +flatlet +flatlets +flatly +Flatlick +flatling +flatlings +flatlong +flatman +flatmate +flatmen +flat-minded +flat-mouthed +flatness +flatnesses +flatnose +flat-nose +flat-nosed +Flatonia +flat-out +flat-packed +flat-ribbed +flat-ring +flat-roofed +flats +flat-saw +flat-sawed +flat-sawing +flat-sawn +flat-shouldered +flat-sided +flat-soled +flat-sour +flatted +flatten +flattened +flattener +flatteners +flattening +flattens +flatter +flatterable +flatter-blind +flattercap +flatterdock +flattered +flatterer +flatterers +flatteress +flattery +flatteries +flattering +flatteringly +flatteringness +flatterous +flatters +flattest +flatteur +flattie +flatting +flattish +Flatto +flat-toothed +flattop +flat-top +flat-topped +flattops +flatulence +flatulences +flatulency +flatulencies +flatulent +flatulently +flatulentness +flatuosity +flatuous +flatus +flatuses +flat-visaged +flatway +flatways +flat-ways +flat-waisted +flatware +flatwares +flatwash +flatwashes +flatweed +flatwise +Flatwoods +flatwork +flatworks +flatworm +flatworms +flat-woven +Flaubert +Flaubertian +flaucht +flaught +flaughtbred +flaughter +flaughts +flaunch +flaunche +flaunched +flaunching +flaunt +flaunted +flaunter +flaunters +flaunty +flauntier +flauntiest +flauntily +flauntiness +flaunting +flauntingly +flaunts +flautino +flautist +flautists +flauto +flav +flavanilin +flavaniline +flavanol +flavanone +flavanthrene +flavanthrone +flavedo +flavedos +Flaveria +flavescence +flavescent +Flavia +Flavian +flavic +flavicant +flavid +flavin +flavine +flavines +flavins +Flavio +Flavius +flavo +flavo- +flavobacteria +Flavobacterium +flavone +flavones +flavonoid +flavonol +flavonols +flavoprotein +flavopurpurin +flavor +flavored +flavorer +flavorers +flavorful +flavorfully +flavorfulness +flavory +flavoriness +flavoring +flavorings +flavorless +flavorlessness +flavorous +flavorousness +flavors +flavorsome +flavorsomeness +flavour +flavoured +flavourer +flavourful +flavourfully +flavoury +flavouring +flavourless +flavourous +flavours +flavoursome +flavous +flaw +flawed +flawedness +flawflower +flawful +flawy +flawier +flawiest +flawing +flawless +flawlessly +flawlessness +flawn +flaws +flax +flaxbird +flaxboard +flaxbush +flax-colored +flaxdrop +flaxen +flaxen-colored +flaxen-haired +flaxen-headed +flaxen-wigged +flaxes +flaxy +flaxier +flaxiest +flax-leaved +flaxlike +Flaxman +flax-polled +flaxseed +flax-seed +flaxseeds +flax-sick +flaxtail +Flaxton +Flaxville +flaxweed +flaxwench +flaxwife +flaxwoman +flaxwort +FLB +flche +flchette +fld +fld. +fldxt +flea +fleabag +fleabags +fleabane +flea-bane +fleabanes +fleabite +flea-bite +fleabites +fleabiting +fleabitten +flea-bitten +fleabug +fleabugs +fleadock +fleahopper +fleay +fleak +flea-lugged +fleam +fleamy +fleams +fleapit +fleapits +flear +fleas +flea's +fleaseed +fleaweed +fleawood +fleawort +fleaworts +flebile +flebotomy +fleche +fleches +flechette +flechettes +Fleck +flecked +flecken +Flecker +fleckered +fleckering +flecky +fleckier +fleckiest +fleckiness +flecking +fleckled +fleckless +flecklessly +flecks +flecnodal +flecnode +flect +flection +flectional +flectionless +flections +flector +fled +Fleda +fledge +fledged +fledgeless +fledgeling +fledges +fledgy +fledgier +fledgiest +fledging +fledgling +fledglings +fledgling's +flee +Fleece +fleeceable +fleeced +fleeceflower +fleeceless +fleecelike +fleece-lined +fleecer +fleecers +fleeces +fleece's +fleece-vine +fleece-white +fleech +fleeched +fleeches +fleeching +fleechment +fleecy +fleecier +fleeciest +fleecily +fleecy-looking +fleeciness +fleecing +fleecy-white +fleecy-winged +fleeing +Fleeman +fleer +fleered +fleerer +fleering +fleeringly +fleerish +fleers +flees +Fleet +Fleeta +fleeted +fleeten +fleeter +fleetest +fleet-foot +fleet-footed +fleetful +fleeting +fleetingly +fleetingness +fleetings +fleetly +fleetness +fleetnesses +fleets +Fleetville +fleetwing +Fleetwood +flegm +fley +fleyed +fleyedly +fleyedness +fleying +fleyland +fleing +fleys +Fleischer +Fleischmanns +Fleisher +fleishig +Fleisig +fleysome +Flem +Flem. +fleme +flemer +Fleming +Flemings +Flemingsburg +Flemington +Flemish +Flemish-coil +flemished +flemishes +flemishing +Flemming +flench +flenched +flenches +flench-gut +flenching +Flensburg +flense +flensed +flenser +flensers +flenses +flensing +flentes +flerry +flerried +flerrying +flesh +flesh-bearing +fleshbrush +flesh-color +flesh-colored +flesh-colour +flesh-consuming +flesh-devouring +flesh-eater +flesh-eating +fleshed +fleshen +flesher +fleshers +fleshes +flesh-fallen +flesh-fly +fleshful +fleshhood +fleshhook +fleshy +fleshier +fleshiest +fleshy-fruited +fleshiness +fleshing +fleshings +fleshless +fleshlessness +fleshly +fleshlier +fleshliest +fleshlike +fleshlily +fleshly-minded +fleshliness +fleshling +fleshment +fleshmonger +flesh-pink +fleshpot +flesh-pot +fleshpots +fleshquake +Flessel +flet +Fleta +Fletch +fletched +Fletcher +Fletcherise +Fletcherised +Fletcherising +Fletcherism +Fletcherite +Fletcherize +Fletcherized +Fletcherizing +fletchers +fletches +fletching +fletchings +flether +fletton +Fleur +fleur-de-lis +fleur-de-lys +fleuret +Fleurette +fleurettee +fleuretty +Fleury +fleuron +fleuronee +fleuronne +fleuronnee +fleurs-de-lis +fleurs-de-lys +flew +flewed +Flewelling +flewit +flews +flex +flexagon +flexanimous +flexed +flexes +flexibility +flexibilities +flexibilty +flexible +flexibleness +flexibly +flexile +flexility +flexing +flexion +flexional +flexionless +flexions +flexity +flexitime +flexive +Flexner +flexo +Flexography +flexographic +flexographically +flexor +flexors +Flexowriter +flextime +flexuose +flexuosely +flexuoseness +flexuosity +flexuosities +flexuoso- +flexuous +flexuously +flexuousness +flexura +flexural +flexure +flexured +flexures +fly +flyability +flyable +flyaway +fly-away +flyaways +flyback +flyball +flybane +fly-bane +flibbertigibbet +flibbertigibbety +flibbertigibbets +flybelt +flybelts +flyby +fly-by-night +flybys +fly-bitten +flyblew +flyblow +fly-blow +flyblowing +flyblown +fly-blown +flyblows +flyboat +fly-boat +flyboats +flyboy +fly-boy +flyboys +flybook +flybrush +flibustier +flic +flycaster +flycatcher +fly-catcher +flycatchers +fly-catching +flicflac +flichter +flichtered +flichtering +flichters +flick +flicked +flicker +flickered +flickery +flickering +flickeringly +flickermouse +flickerproof +flickers +flickertail +flicky +flicking +flicks +Flicksville +flics +flidder +flidge +fly-dung +flyeater +flied +Flieger +Fliegerabwehrkanone +flier +flyer +flier-out +fliers +flyers +flyer's +flies +fliest +fliffus +fly-fish +fly-fisher +fly-fisherman +fly-fishing +flyflap +fly-flap +flyflapper +flyflower +fly-free +fligged +fligger +Flight +flighted +flighter +flightful +flighthead +flighty +flightier +flightiest +flightily +flightiness +flighting +flightless +flights +flight's +flight-shooting +flightshot +flight-shot +flight-test +flightworthy +flying +Flyingh +flyingly +flyings +fly-yrap +fly-killing +flyleaf +fly-leaf +flyleaves +flyless +flyman +flymen +flimflam +flim-flam +flimflammed +flimflammer +flimflammery +flimflamming +flimflams +flimmer +flimp +flimsy +flimsier +flimsies +flimsiest +flimsily +flimsilyst +flimsiness +flimsinesses +Flin +Flyn +flinch +flinched +flincher +flincher-mouse +flinchers +flinches +flinching +flinchingly +flinder +flinders +Flindersia +flindosa +flindosy +flyness +fly-net +fling +flingdust +flinger +flingers +flingy +flinging +flinging-tree +flings +fling's +flinkite +Flinn +Flynn +Flint +flint-dried +flinted +flinter +flint-glass +flinthead +flinthearted +flinty +flintier +flintiest +flintify +flintified +flintifying +flintily +flintiness +flinting +flintless +flintlike +flintlock +flint-lock +flintlocks +Flinton +flints +Flintshire +Flintstone +Flintville +flintwood +flintwork +flintworker +flyoff +flyoffs +flioma +flyover +flyovers +Flip +flypaper +flypapers +flypast +fly-past +flypasts +flipe +flype +fliped +flip-flap +flipflop +flip-flop +flip-flopped +flip-flopping +flip-flops +fliping +flipjack +flippance +flippancy +flippancies +flippant +flippantly +flippantness +flipped +flipper +flippery +flipperling +flippers +flipperty-flopperty +flippest +Flippin +flipping +flippity-flop +flyproof +flips +Flip-top +flip-up +fly-rail +flirt +flirtable +flirtation +flirtational +flirtationless +flirtation-proof +flirtations +flirtatious +flirtatiously +flirtatiousness +flirted +flirter +flirters +flirt-gill +flirty +flirtier +flirtiest +flirtigig +flirting +flirtingly +flirtish +flirtishness +flirtling +flirts +Flysch +flysches +fly-sheet +flisk +flisked +flisky +fliskier +fliskiest +flyspeck +flyspecked +fly-specked +flyspecking +flyspecks +fly-spleckled +fly-strike +fly-stuck +fly-swarmed +flyswat +flyswatter +flit +Flita +flytail +flitch +flitched +flitchen +flitches +flitching +flitchplate +flite +flyte +flited +flyted +flites +flytes +flitfold +flytier +flytiers +flytime +fliting +flyting +flytings +flytrap +flytraps +flits +flitted +flitter +flitterbat +flittered +flittering +flittermice +flittermmice +flittermouse +flitter-mouse +flittern +flitters +flitty +flittiness +flitting +flittingly +flitwite +fly-up +flivver +flivvers +flyway +flyways +flyweight +flyweights +flywheel +fly-wheel +flywheel-explosion +flywheels +flywinch +flywire +flywort +flix +flixweed +fll +FLN +flnerie +flneur +flneuse +Flo +fload +float +floatability +floatable +floatage +floatages +floatation +floatative +floatboard +float-boat +float-cut +floated +floatel +floatels +floater +floaters +float-feed +floaty +floatier +floatiest +floatiness +floating +floatingly +float-iron +floative +floatless +floatmaker +floatman +floatmen +floatplane +floats +floatsman +floatsmen +floatstone +float-stone +flob +flobby +Flobert +floc +flocced +flocci +floccilation +floccillation +floccing +floccipend +floccose +floccosely +flocculable +flocculant +floccular +flocculate +flocculated +flocculating +flocculation +flocculator +floccule +flocculence +flocculency +flocculent +flocculently +floccules +flocculi +flocculose +flocculous +flocculus +floccus +flock +flockbed +flocked +flocker +flocky +flockier +flockiest +flocking +flockings +flockless +flocklike +flockling +flockman +flockmaster +flock-meal +flockowner +flocks +flockwise +flocoon +flocs +Flodden +flodge +floe +floeberg +floey +Floerkea +floes +Floeter +flog +floggable +flogged +flogger +floggers +flogging +floggingly +floggings +flogmaster +flogs +flogster +Floy +Floyce +Floyd +Floydada +Floyddale +Flois +floit +floyt +flokati +flokatis +flokite +Flom +Flomaton +Flomot +Flon +flong +flongs +Flood +floodable +floodage +floodboard +floodcock +flooded +flooder +flooders +floodgate +flood-gate +floodgates +flood-hatch +floody +flooding +floodless +floodlet +floodlight +floodlighted +floodlighting +floodlights +floodlike +floodlilit +floodlit +floodmark +floodometer +floodplain +floodproof +floods +flood-tide +floodtime +floodway +floodways +floodwall +floodwater +floodwaters +Floodwood +flooey +flooie +flook +flookan +floor +floorage +floorages +floorboard +floorboards +floorcloth +floor-cloth +floorcloths +floored +floorer +floorers +floorhead +flooring +floorings +floor-length +floorless +floor-load +floorman +floormen +floors +floorshift +floorshifts +floorshow +floorthrough +floorway +floorwalker +floor-walker +floorwalkers +floorward +floorwise +floosy +floosie +floosies +floozy +floozie +floozies +FLOP +flop-eared +floperoo +flophouse +flophouses +flopover +flopovers +flopped +flopper +floppers +floppy +floppier +floppies +floppiest +floppily +floppiness +flopping +FLOPS +flop's +flop-top +flopwing +Flor +flor. +Flora +florae +Floral +Florala +Floralia +floralize +florally +floramor +floramour +floran +Florance +floras +florate +Flore +Floreal +floreat +floreate +floreated +floreating +Florey +Florella +Florence +florences +Florencia +Florencita +Florenda +florent +Florentia +Florentine +florentines +Florentinism +florentium +Florenz +Florenza +Flores +florescence +florescent +floressence +Floresville +floret +floreta +floreted +florets +Florette +floretty +floretum +Flori +Flory +flori- +Floria +floriage +Florian +Floriano +Florianolis +Florianopolis +floriate +floriated +floriation +floribunda +florican +floricin +floricomous +floricultural +floriculturally +floriculture +floriculturist +florid +Florida +Floridan +floridans +Florideae +floridean +florideous +Floridia +Floridian +floridians +floridity +floridities +floridly +floridness +Florie +Florien +floriferous +floriferously +floriferousness +florification +floriform +florigen +florigenic +florigens +florigraphy +florikan +floriken +florilage +florilege +florilegia +florilegium +florimania +florimanist +Florin +Florina +Florinda +Florine +florins +Florio +floriparous +floripondio +Floris +floriscope +Florissant +florist +floristic +floristically +floristics +Floriston +floristry +florists +florisugent +florivorous +florizine +Floro +floroon +floroscope +floroun +florous +Florri +Florry +Florrie +floruit +floruits +florula +florulae +florulas +florulent +floscular +Floscularia +floscularian +Flosculariidae +floscule +flosculet +flosculose +flosculous +flos-ferri +flosh +Flosi +Floss +flossa +flossed +Flosser +flosses +flossflower +Flossi +Flossy +Flossie +flossier +flossies +flossiest +flossification +flossily +flossiness +flossing +Flossmoor +floss-silk +flot +flota +flotage +flotages +flotant +flotas +flotation +flotations +flotative +flote +floter +flotilla +flotillas +flotorial +Flotow +flots +flotsam +flotsams +flotsan +flotsen +flotson +flotten +flotter +flounce +flounced +flouncey +flounces +flouncy +flouncier +flounciest +flouncing +flounder +floundered +floundering +flounderingly +flounder-man +flounders +flour +floured +flourescent +floury +flouriness +flouring +flourish +flourishable +flourished +flourisher +flourishes +flourishy +flourishing +flourishingly +flourishment +flourless +flourlike +flours +Flourtown +flouse +floush +flout +flouted +flouter +flouters +flouting +floutingly +flouts +Flovilla +flow +flowable +flowage +flowages +flow-blue +flowchart +flowcharted +flowcharting +flowcharts +flowcontrol +flowe +flowed +Flower +flowerage +flower-bearing +flowerbed +flower-bespangled +flower-besprinkled +flower-breeding +flower-crowned +flower-decked +flower-de-luce +flowered +flower-embroidered +flower-enameled +flower-enwoven +flowerer +flowerers +floweret +flowerets +flower-faced +flowerfence +flowerfly +flowerful +flower-gentle +flower-growing +flower-hung +flowery +flowerier +floweriest +flowery-kirtled +flowerily +flowery-mantled +floweriness +flowerinesses +flower-infolding +flowering +flower-inwoven +flowerist +flower-kirtled +flowerless +flowerlessness +flowerlet +flowerlike +flower-of-an-hour +flower-of-Jove +flowerpecker +flower-pecker +flowerpot +flower-pot +flowerpots +Flowers +flower-scented +flower-shaped +flowers-of-Jove +flower-sprinkled +flower-strewn +flower-sucking +flower-sweet +flower-teeming +flowerwork +flowing +flowingly +flowingness +flowing-robed +flowk +flowmanostat +flowmeter +flown +flowoff +flow-on +flows +flowsheet +flowsheets +flowstone +FLRA +flrie +FLS +Flss +FLT +flu +fluate +fluavil +fluavile +flub +flubbed +flubber +flubbers +flubbing +flubdub +flubdubbery +flubdubberies +flubdubs +flubs +flucan +flucti- +fluctiferous +fluctigerous +fluctisonant +fluctisonous +fluctuability +fluctuable +fluctuant +fluctuate +fluctuated +fluctuates +fluctuating +fluctuation +fluctuational +fluctuation-proof +fluctuations +fluctuosity +fluctuous +flue +flue-cure +flue-cured +flue-curing +flued +fluegelhorn +fluey +flueless +fluellen +fluellin +fluellite +flueman +fluemen +fluence +fluency +fluencies +fluent +fluently +fluentness +fluer +flueric +fluerics +flues +fluework +fluff +fluffed +fluffer +fluff-gib +fluffy +fluffier +fluffiest +fluffy-haired +fluffily +fluffy-minded +fluffiness +fluffing +fluffs +flugel +Flugelhorn +flugelman +flugelmen +fluible +fluid +fluidacetextract +fluidal +fluidally +fluid-compressed +fluidextract +fluidglycerate +fluidible +fluidic +fluidics +fluidify +fluidification +fluidified +fluidifier +fluidifying +fluidimeter +fluidisation +fluidise +fluidised +fluidiser +fluidises +fluidising +fluidism +fluidist +fluidity +fluidities +fluidization +fluidize +fluidized +fluidizer +fluidizes +fluidizing +fluidly +fluidmeter +fluidness +fluidounce +fluidounces +fluidrachm +fluidram +fluidrams +fluids +fluigram +fluigramme +fluing +fluyt +fluitant +fluyts +fluke +fluked +flukey +flukeless +Fluker +flukes +flukeworm +flukewort +fluky +flukier +flukiest +flukily +flukiness +fluking +flumadiddle +flumdiddle +flume +flumed +flumerin +flumes +fluming +fluminose +fluminous +flummadiddle +flummer +flummery +flummeries +flummydiddle +flummox +flummoxed +flummoxes +flummoxing +flump +flumped +flumping +flumps +flung +flunk +flunked +flunkey +flunkeydom +flunkeyhood +flunkeyish +flunkeyism +flunkeyistic +flunkeyite +flunkeyize +flunkeys +flunker +flunkers +flunky +flunkydom +flunkies +flunkyhood +flunkyish +flunkyism +flunkyistic +flunkyite +flunkyize +flunking +flunks +fluo- +fluoaluminate +fluoaluminic +fluoarsenate +fluoborate +fluoboric +fluoborid +fluoboride +fluoborite +fluobromide +fluocarbonate +fluocerine +fluocerite +fluochloride +fluohydric +fluophosphate +fluor +fluor- +fluoran +fluorane +fluoranthene +fluorapatite +fluorate +fluorated +fluorbenzene +fluorboric +fluorene +fluorenes +fluorenyl +fluoresage +fluoresce +fluoresced +fluorescein +fluoresceine +fluorescence +fluorescences +fluorescent +fluorescer +fluoresces +fluorescigenic +fluorescigenous +fluorescin +fluorescing +fluorhydric +fluoric +fluorid +fluoridate +fluoridated +fluoridates +fluoridating +fluoridation +fluoridations +fluoride +fluorides +fluoridisation +fluoridise +fluoridised +fluoridising +fluoridization +fluoridize +fluoridized +fluoridizing +fluorids +fluoryl +fluorimeter +fluorimetry +fluorimetric +fluorin +fluorinate +fluorinated +fluorinates +fluorinating +fluorination +fluorinations +fluorindin +fluorindine +fluorine +fluorines +fluorins +fluorite +fluorites +fluormeter +fluoro- +fluorobenzene +fluoroborate +fluorocarbon +fluorocarbons +fluorochrome +fluoroform +fluoroformol +fluorogen +fluorogenic +fluorography +fluorographic +fluoroid +fluorometer +fluorometry +fluorometric +fluorophosphate +fluoroscope +fluoroscoped +fluoroscopes +fluoroscopy +fluoroscopic +fluoroscopically +fluoroscopies +fluoroscoping +fluoroscopist +fluoroscopists +fluorosis +fluorotic +fluorotype +fluorouracil +fluors +fluorspar +fluor-spar +fluosilicate +fluosilicic +fluotantalate +fluotantalic +fluotitanate +fluotitanic +fluozirconic +fluphenazine +flurn +flurr +flurry +flurried +flurriedly +flurries +flurrying +flurriment +flurt +flus +flush +flushable +flushboard +flush-bound +flush-cut +flush-decked +flush-decker +flushed +flusher +flusherman +flushermen +flushers +flushes +flushest +flushgate +flush-headed +flushy +Flushing +flushingly +flush-jointed +flushness +flush-plated +flusk +flusker +fluster +flusterate +flusterated +flusterating +flusteration +flustered +flusterer +flustery +flustering +flusterment +flusters +Flustra +flustrate +flustrated +flustrating +flustration +flustrine +flustroid +flustrum +flute +flutebird +fluted +flute-douce +flutey +flutelike +flutemouth +fluter +fluters +flutes +flute-shaped +flutework +fluther +fluty +Flutidae +flutier +flutiest +flutina +fluting +flutings +flutist +flutists +flutter +flutterable +flutteration +flutterboard +fluttered +flutterer +flutterers +flutter-headed +fluttery +flutteriness +fluttering +flutteringly +flutterless +flutterment +flutters +fluttersome +Fluvanna +fluvial +fluvialist +fluviatic +fluviatile +fluviation +fluvicoline +fluvio +fluvio-aeolian +fluvioglacial +fluviograph +fluviolacustrine +fluviology +fluviomarine +fluviometer +fluviose +fluvioterrestrial +fluvious +fluviovolcanic +flux +fluxation +fluxed +fluxer +fluxes +fluxgraph +fluxibility +fluxible +fluxibleness +fluxibly +fluxile +fluxility +fluxing +fluxion +fluxional +fluxionally +fluxionary +fluxionist +fluxions +fluxive +fluxmeter +fluxroot +fluxure +fluxweed +FM +fm. +FMAC +FMB +FMC +FMCS +FMEA +FMk +FMN +FMR +FMS +fmt +fn +fname +FNC +Fnen +fnese +FNMA +FNPA +f-number +FO +fo. +FOAC +Foah +foal +foaled +foalfoot +foalfoots +foalhood +foaly +foaling +foals +foam +foamable +foam-beat +foam-born +foambow +foam-crested +foamed +foamer +foamers +foam-flanked +foam-flecked +foamflower +foam-girt +foamy +foamier +foamiest +foamily +foaminess +foaming +foamingly +Foamite +foamless +foamlike +foam-lit +foam-painted +foams +foam-white +FOB +fobbed +fobbing +fobs +FOC +focal +focalisation +focalise +focalised +focalises +focalising +focalization +focalize +focalized +focalizes +focalizing +focally +focaloid +Foch +foci +focimeter +focimetry +fockle +focoids +focometer +focometry +focsle +fo'c'sle +fo'c's'le +focus +focusable +focused +focuser +focusers +focuses +focusing +focusless +focussed +focusses +focussing +fod +fodda +fodder +foddered +fodderer +foddering +fodderless +fodders +foder +fodge +fodgel +fodient +Fodientia +FOE +Foecunditatis +foederal +foederati +foederatus +foederis +foe-encompassed +foeffment +foehn +foehnlike +foehns +foeish +foeless +foelike +foeman +foemanship +foemen +Foeniculum +foenngreek +foe-reaped +foes +foe's +foeship +foe-subduing +foetal +foetalism +foetalization +foetation +foeti +foeti- +foeticidal +foeticide +foetid +foetiferous +foetiparous +foetor +foetors +foeture +foetus +foetuses +fofarraw +fog +Fogarty +fogas +fogbank +fog-bank +fog-beset +fog-blue +fog-born +fogbound +fogbow +fogbows +fog-bred +fogdog +fogdogs +fogdom +foge +fogeater +fogey +fogeys +Fogel +Fogelsville +Fogertown +fogfruit +fogfruits +Fogg +foggage +foggages +foggara +fogged +fogger +foggers +foggy +Foggia +foggier +foggiest +foggily +fogginess +fogging +foggish +fog-hidden +foghorn +foghorns +fogy +fogydom +fogie +fogies +fogyish +fogyishness +fogyism +fogyisms +fogle +fogless +foglietto +fog-logged +fogman +fogmen +fogo +fogon +fogou +fogproof +fogram +fogramite +fogramity +fog-ridden +fogrum +fogs +fog's +fogscoffer +fog-signal +fogus +foh +fohat +fohn +fohns +Foy +FOIA +foyaite +foyaitic +foible +foibles +foiblesse +foyboat +foyer +foyers +Foyil +foil +foilable +foiled +foiler +foiling +foils +foilsman +foilsmen +FOIMS +foin +foined +foining +foiningly +foins +FOIRL +foys +foysen +Foism +foison +foisonless +foisons +Foist +foisted +foister +foisty +foistiness +foisting +foists +foiter +Foix +Fokine +Fokker +Fokos +fol +fol. +Fola +folacin +folacins +folate +folates +Folberth +folcgemot +Folcroft +fold +foldable +foldage +foldaway +foldboat +foldboater +foldboating +foldboats +foldcourse +folded +foldedly +folden +folder +folderol +folderols +folders +folder-up +foldy +folding +foldless +foldout +foldouts +folds +foldskirt +foldstool +foldure +foldwards +fole +Foley +foleye +Folger +folgerite +folia +foliaceous +foliaceousness +foliage +foliaged +foliageous +foliages +foliaging +folial +foliar +foliary +foliate +foliated +foliates +foliating +foliation +foliato- +foliator +foliature +folic +folie +folies +foliicolous +foliiferous +foliiform +folily +folio +foliobranch +foliobranchiate +foliocellosis +folioed +folioing +foliolate +foliole +folioliferous +foliolose +folios +foliose +foliosity +foliot +folious +foliously +folium +foliums +folk +folkboat +folkcraft +folk-dancer +Folkestone +Folkething +folk-etymological +Folketing +folkfree +folky +folkie +folkies +folkish +folkishness +folkland +folklike +folklore +folk-lore +folklores +folkloric +folklorish +folklorism +folklorist +folkloristic +folklorists +folkmoot +folkmooter +folkmoots +folkmot +folkmote +folkmoter +folkmotes +folkmots +folkright +folk-rock +folks +folk's +folksay +folksey +folksy +folksier +folksiest +folksily +folksiness +folk-sing +folksinger +folksinging +folksong +folksongs +Folkston +folktale +folktales +Folkvang +Folkvangr +folkway +folkways +foll +foll. +Follansbee +foller +folles +folletage +Follett +folletti +folletto +Folly +folly-bent +folly-blind +follicle +follicles +follicular +folliculate +folliculated +follicule +folliculin +Folliculina +folliculitis +folliculose +folliculosis +folliculous +folly-drenched +follied +follyer +follies +folly-fallen +folly-fed +folliful +follying +follily +folly-maddened +folly-painting +follyproof +follis +folly-snared +folly-stricken +Follmer +follow +followable +followed +follower +followers +followership +follower-up +followeth +following +followingly +followings +follow-my-leader +follow-on +follows +follow-through +followup +follow-up +Folsom +Folsomville +Fomalhaut +Fombell +foment +fomentation +fomentations +fomented +fomenter +fomenters +fomenting +fomento +foments +fomes +fomite +fomites +Fomor +Fomorian +FON +fonctionnaire +fond +Fonda +fondaco +fondak +fondant +fondants +fondateur +fond-blind +fond-conceited +Fonddulac +Fondea +fonded +fonder +fondest +fond-hardy +fonding +fondish +fondle +fondled +fondler +fondlers +fondles +fondlesome +fondly +fondlike +fondling +fondlingly +fondlings +fondness +fondnesses +fondon +Fondouk +fonds +fond-sparkling +fondu +fondue +fondues +fonduk +fondus +fone +Foneswood +Fong +fonly +fonnish +fono +Fons +Fonseca +Fonsie +font +Fontaine +Fontainea +Fontainebleau +fontal +fontally +Fontana +fontanel +Fontanelle +fontanels +Fontanet +fontange +fontanges +Fontanne +fonted +Fonteyn +Fontenelle +Fontenoy +Fontes +fontful +fonticulus +Fontina +fontinal +Fontinalaceae +fontinalaceous +Fontinalis +fontinas +fontlet +fonts +font's +Fonville +Fonz +Fonzie +foo +FOOBAR +Foochow +Foochowese +food +fooder +foodful +food-gathering +foody +foodie +foodies +foodless +foodlessness +food-processing +food-producing +food-productive +food-providing +foods +food's +foodservices +food-sick +food-size +foodstuff +foodstuffs +foodstuff's +foofaraw +foofaraws +foo-foo +fooyoung +fooyung +fool +foolable +fool-bold +fool-born +fooldom +fooled +fooler +foolery +fooleries +fooless +foolfish +foolfishes +fool-frequented +fool-frighting +fool-happy +foolhardy +foolhardier +foolhardiest +foolhardihood +foolhardily +foolhardiness +foolhardinesses +foolhardiship +fool-hasty +foolhead +foolheaded +fool-headed +foolheadedness +fool-heady +foolify +fooling +foolish +foolish-bold +foolisher +foolishest +foolishly +foolish-looking +foolishness +foolishnesses +foolish-wise +foolish-witty +fool-large +foollike +foolmonger +foolocracy +foolproof +fool-proof +foolproofness +fools +foolscap +fool's-cap +foolscaps +foolship +fool's-parsley +fooner +Foosland +fooster +foosterer +Foot +foot-acted +footage +footages +footback +football +footballer +footballist +footballs +football's +footband +footbath +footbaths +footbeat +foot-binding +footblower +footboard +footboards +footboy +footboys +footbreadth +foot-breadth +footbridge +footbridges +footcandle +foot-candle +footcandles +footcloth +foot-cloth +footcloths +foot-dragger +foot-dragging +Foote +footed +footeite +footer +footers +footfall +footfalls +footfarer +foot-faring +footfault +footfeed +foot-firm +footfolk +foot-free +footful +footganger +footgear +footgears +footgeld +footglove +foot-grain +footgrip +foot-guard +foothalt +foothil +foothill +foothills +foothils +foothold +footholds +foothook +foot-hook +foothot +foot-hot +footy +footie +footier +footies +footiest +footing +footingly +footings +foot-lambert +foot-lame +footle +footled +foot-length +footler +footlers +footles +footless +footlessly +footlessness +footlicker +footlicking +foot-licking +footlight +footlights +footlike +footling +footlining +footlock +footlocker +footlockers +footlog +footloose +foot-loose +footmaker +footman +footmanhood +footmanry +footmanship +foot-mantle +footmark +foot-mark +footmarks +footmen +footmenfootpad +footnote +foot-note +footnoted +footnotes +footnote's +footnoting +footpace +footpaces +footpad +footpaddery +footpads +foot-payh +foot-pale +footpath +footpaths +footpick +footplate +footpound +foot-pound +foot-poundal +footpounds +foot-pound-second +foot-power +footprint +footprints +footprint's +footrace +footraces +footrail +footrest +footrests +footrill +footroom +footrope +footropes +foot-running +foots +footscald +footscraper +foot-second +footsy +footsie +footsies +footslog +foot-slog +footslogged +footslogger +footslogging +footslogs +footsoldier +footsoldiers +footsore +foot-sore +footsoreness +footsores +footstalk +footstall +footstep +footsteps +footstick +footstock +footstone +footstool +footstools +foot-tiring +foot-ton +foot-up +Footville +footway +footways +footwalk +footwall +foot-wall +footwalls +footwarmer +footwarmers +footwear +footweary +foot-weary +footwears +footwork +footworks +footworn +foozle +foozled +foozler +foozlers +foozles +foozling +fop +fopdoodle +fopling +fopped +foppery +fopperies +fopperly +foppy +fopping +foppish +foppishly +foppishness +fops +fopship +FOR +for- +for. +fora +forage +foraged +foragement +forager +foragers +forages +foraging +foray +forayed +forayer +forayers +foraying +forays +foray's +Foraker +foralite +foram +foramen +foramens +foramina +foraminal +foraminate +foraminated +foramination +foraminifer +Foraminifera +foraminiferal +foraminiferan +foraminiferous +foraminose +foraminous +foraminulate +foraminule +foraminulose +foraminulous +forams +forane +foraneen +foraneous +foraramens +foraramina +forasmuch +forastero +forb +forbad +forbade +forbar +forbare +forbarred +forbathe +forbbore +forbborne +forbear +forbearable +forbearance +forbearances +forbearant +forbearantly +forbearer +forbearers +forbearing +forbearingly +forbearingness +forbears +forbear's +forbecause +Forbes +forbesite +Forbestown +forby +forbid +forbidal +forbidals +forbiddable +forbiddal +forbiddance +forbidden +forbiddenly +forbiddenness +forbidder +forbidding +forbiddingly +forbiddingness +forbids +forbye +forbysen +forbysening +forbit +forbite +forblack +forbled +forblow +forbode +forboded +forbodes +forboding +forbore +forborn +forborne +forbow +forbreak +forbruise +forbs +forcaria +forcarve +forcat +force +forceable +force-closed +forced +forcedly +forcedness +force-fed +force-feed +force-feeding +forceful +forcefully +forcefulness +forceless +forcelessness +forcelet +forcemeat +force-meat +forcement +forcene +force-out +forceps +forcepses +forcepslike +forceps-shaped +force-pump +forceput +force-put +forcer +force-ripe +forcers +Forces +force's +forcet +forchase +forche +forches +forcy +forcibility +forcible +forcible-feeble +forcibleness +forcibly +Forcier +forcing +forcingly +forcing-pump +forcipal +forcipate +forcipated +forcipation +forcipes +forcipial +forcipiform +forcipressure +Forcipulata +forcipulate +forcite +forcive +forcleave +forclose +forconceit +FORCS +forcut +FORD +fordable +fordableness +fordays +fordam +Fordcliff +fordeal +forded +Fordham +fordy +Fordyce +Fordicidia +fordid +Fording +Fordize +Fordized +Fordizing +Fordland +fordless +fordo +Fordoche +fordoes +fordoing +fordone +fordrive +Fords +Fordsville +fordull +Fordville +fordwine +fore +fore- +foreaccounting +foreaccustom +foreacquaint +foreact +foreadapt +fore-adapt +foreadmonish +foreadvertise +foreadvice +foreadvise +fore-age +foreallege +fore-alleged +foreallot +fore-and-aft +fore-and-after +fore-and-aft-rigged +foreannounce +foreannouncement +foreanswer +foreappoint +fore-appoint +foreappointment +forearm +forearmed +forearming +forearms +forearm's +foreassign +foreassurance +fore-axle +forebackwardly +forebay +forebays +forebar +forebear +forebearing +forebears +fore-being +forebemoan +forebemoaned +forebespeak +foreby +forebye +forebitt +forebitten +forebitter +forebless +foreboard +forebode +foreboded +forebodement +foreboder +forebodes +forebody +forebodies +foreboding +forebodingly +forebodingness +forebodings +foreboom +forebooms +foreboot +forebow +forebowels +forebowline +forebows +forebrace +forebrain +forebreast +forebridge +forebroads +foreburton +forebush +forecabin +fore-cabin +forecaddie +forecar +forecarriage +forecast +forecasted +forecaster +forecasters +forecasting +forecastingly +forecastle +forecastlehead +forecastleman +forecastlemen +forecastles +forecastors +forecasts +forecatching +forecatharping +forechamber +forechase +fore-check +forechoice +forechoir +forechoose +forechurch +forecited +fore-cited +foreclaw +foreclosable +foreclose +foreclosed +forecloses +foreclosing +foreclosure +foreclosures +forecome +forecomingness +forecommend +foreconceive +foreconclude +forecondemn +foreconscious +foreconsent +foreconsider +forecontrive +forecool +forecooler +forecounsel +forecount +forecourse +forecourt +fore-court +forecourts +forecover +forecovert +foreday +foredays +foredate +foredated +fore-dated +foredates +foredating +foredawn +foredeck +fore-deck +foredecks +foredeclare +foredecree +foredeem +foredeep +foredefeated +foredefine +foredenounce +foredescribe +foredeserved +foredesign +foredesignment +foredesk +foredestine +foredestined +foredestiny +foredestining +foredetermination +foredetermine +foredevised +foredevote +foredid +forediscern +foredispose +foredivine +foredo +foredoes +foredoing +foredone +foredoom +foredoomed +foredoomer +foredooming +foredooms +foredoor +foredune +fore-edge +fore-elder +fore-elders +fore-end +fore-exercise +foreface +forefaces +forefather +forefatherly +forefathers +forefather's +forefault +forefeel +forefeeling +forefeelingly +forefeels +forefeet +forefelt +forefence +forefend +forefended +forefending +forefends +foreffelt +forefield +forefigure +forefin +forefinger +forefingers +forefinger's +forefit +foreflank +foreflap +foreflipper +forefoot +fore-foot +forefront +forefronts +foregahger +foregallery +foregame +fore-game +foreganger +foregate +foregather +foregathered +foregathering +foregathers +foregift +foregirth +foreglance +foregleam +fore-glide +foreglimpse +foreglimpsed +foreglow +forego +foregoer +foregoers +foregoes +foregoing +foregone +foregoneness +foreground +foregrounds +foreguess +foreguidance +foregut +fore-gut +foreguts +forehalf +forehall +forehammer +fore-hammer +forehand +forehanded +fore-handed +forehandedly +forehandedness +forehands +forehandsel +forehard +forehatch +forehatchway +forehead +foreheaded +foreheads +forehead's +forehear +forehearth +fore-hearth +foreheater +forehent +forehew +forehill +forehinting +forehock +forehold +forehood +forehoof +forehoofs +forehook +forehooves +forehorse +foreyard +foreyards +foreyear +foreign +foreign-aid +foreign-appearing +foreign-born +foreign-bred +foreign-built +foreigneering +foreigner +foreigners +foreignership +foreign-flag +foreignism +foreignization +foreignize +foreignly +foreign-looking +foreign-made +foreign-manned +foreignness +foreign-owned +foreigns +foreign-speaking +foreimagination +foreimagine +foreimpressed +foreimpression +foreinclined +foreinstruct +foreintend +foreiron +forejudge +fore-judge +forejudged +forejudger +forejudging +forejudgment +forekeel +foreking +foreknee +foreknew +foreknow +foreknowable +foreknowableness +foreknower +foreknowing +foreknowingly +foreknowledge +foreknowledges +foreknown +foreknows +forel +forelady +foreladies +forelay +forelaid +forelaying +Foreland +forelands +foreleader +foreleech +foreleg +forelegs +fore-lie +forelimb +forelimbs +forelive +forellenstein +Forelli +forelock +forelocks +forelook +foreloop +forelooper +foreloper +forelouper +foremade +Foreman +foremanship +foremarch +foremark +foremartyr +foremast +foremasthand +foremastman +foremastmen +foremasts +foremean +fore-mean +foremeant +foremelt +foremen +foremention +fore-mention +forementioned +foremessenger +foremilk +foremilks +foremind +foremisgiving +foremistress +foremost +foremostly +foremother +forename +forenamed +forenames +forenent +forenews +forenight +forenoon +forenoons +forenote +forenoted +forenotice +fore-notice +forenotion +forensal +forensic +forensical +forensicality +forensically +forensics +fore-oath +foreordain +foreordained +foreordaining +foreordainment +foreordainments +foreordains +foreorder +foreordinate +foreordinated +foreordinating +foreordination +foreorlop +forepad +forepayment +forepale +forepaled +forepaling +foreparent +foreparents +forepart +fore-part +foreparts +forepass +forepassed +forepast +forepaw +forepaws +forepeak +forepeaks +foreperiod +forepiece +fore-piece +foreplace +foreplay +foreplays +foreplan +foreplanting +forepleasure +foreplot +forepoint +forepointer +forepole +forepoled +forepoling +foreporch +fore-possess +forepossessed +forepost +forepredicament +forepreparation +foreprepare +forepretended +foreprise +foreprize +foreproduct +foreproffer +forepromise +forepromised +foreprovided +foreprovision +forepurpose +fore-purpose +forequarter +forequarters +fore-quote +forequoted +forerake +foreran +forerank +fore-rank +foreranks +forereach +fore-reach +forereaching +foreread +fore-read +forereading +forerecited +fore-recited +forereckon +forerehearsed +foreremembered +forereport +forerequest +forerevelation +forerib +foreribs +fore-rider +forerigging +foreright +foreroyal +foreroom +forerun +fore-run +forerunner +forerunners +forerunnership +forerunning +forerunnings +foreruns +fores +foresaddle +foresay +fore-say +foresaid +foresaying +foresail +fore-sail +foresails +foresays +foresaw +forescene +forescent +foreschool +foreschooling +forescript +foreseason +foreseat +foresee +foreseeability +foreseeable +foreseeing +foreseeingly +foreseen +foreseer +foreseers +foresees +foresey +foreseing +foreseize +foresend +foresense +foresentence +foreset +foresettle +foresettled +foreshadow +foreshadowed +foreshadower +foreshadowing +foreshadows +foreshaft +foreshank +foreshape +foresheet +fore-sheet +foresheets +foreshift +foreship +foreshock +foreshoe +foreshop +foreshore +foreshorten +foreshortened +foreshortening +foreshortens +foreshot +foreshots +foreshoulder +foreshow +foreshowed +foreshower +foreshowing +foreshown +foreshows +foreshroud +foreside +foresides +foresight +foresighted +foresightedly +foresightedness +foresightednesses +foresightful +foresightless +foresights +foresign +foresignify +foresin +foresing +foresinger +foreskin +foreskins +foreskirt +fore-skysail +foreslack +foresleeve +foreslow +foresound +forespake +forespeak +forespeaker +forespeaking +forespecified +forespeech +forespeed +forespencer +forespent +forespoke +forespoken +Forest +forestaff +fore-staff +forestaffs +forestage +fore-stage +forestay +fore-stay +forestair +forestays +forestaysail +forestal +forestall +forestalled +forestaller +forestalling +forestallment +forestalls +forestalment +forestarling +forestate +forestation +forestaves +forest-belted +forest-born +forest-bosomed +forest-bound +forest-bred +Forestburg +Forestburgh +forest-clad +forest-covered +forestcraft +forest-crowned +Forestdale +forest-dwelling +forested +foresteep +forestem +forestep +Forester +forestery +foresters +forestership +forest-felling +forest-frowning +forestful +forest-grown +foresty +forestial +Forestian +forestick +fore-stick +Forestiera +forestine +foresting +forestish +forestland +forestlands +forestless +forestlike +forestology +Foreston +Forestport +forestral +forestress +forestry +forestries +forest-rustling +forests +forestside +forestudy +Forestville +forestwards +foresummer +foresummon +foreswear +foresweared +foreswearing +foreswears +foresweat +foreswore +foresworn +foret +foretack +fore-tack +foretackle +foretake +foretalk +foretalking +foretaste +foretasted +foretaster +foretastes +foretasting +foreteach +foreteeth +foretell +foretellable +foretellableness +foreteller +foretellers +foretelling +foretells +forethink +forethinker +forethinking +forethough +forethought +forethoughted +forethoughtful +forethoughtfully +forethoughtfulness +forethoughtless +forethoughts +forethrift +foretime +foretimed +foretimes +foretype +foretypified +foretoken +foretokened +foretokening +foretokens +foretold +foretooth +fore-tooth +foretop +fore-topgallant +foretopman +foretopmast +fore-topmast +foretopmen +foretops +foretopsail +fore-topsail +foretrace +foretriangle +foretrysail +foreturn +fore-uard +foreuse +foreutter +forevalue +forever +forevermore +foreverness +forevers +foreview +forevision +forevouch +forevouched +fore-vouched +forevow +foreward +forewarm +forewarmer +forewarn +forewarned +forewarner +forewarning +forewarningly +forewarnings +forewarns +forewaters +foreween +foreweep +foreweigh +forewent +forewind +fore-wind +forewing +forewings +forewinning +forewisdom +forewish +forewit +fore-wit +forewoman +forewomen +forewonted +foreword +forewords +foreworld +foreworn +forewritten +forewrought +forex +forfairn +forfalt +Forfar +forfare +forfars +forfault +forfaulture +forfear +forfeit +forfeitable +forfeitableness +forfeited +forfeiter +forfeiting +forfeits +forfeiture +forfeitures +forfend +forfended +forfending +forfends +forfex +forficate +forficated +forfication +forficiform +Forficula +forficulate +Forficulidae +forfit +forfouchten +forfoughen +forfoughten +forgab +forgainst +Forgan +forgat +forgather +forgathered +forgathering +forgathers +forgave +forge +forgeability +forgeable +forged +forgedly +forgeful +forgeman +forgemen +forger +forgery +forgeries +forgery-proof +forgery's +forgers +forges +forget +forgetable +forgetful +forgetfully +forgetfulness +forgetive +forget-me-not +forgetness +forgets +forgett +forgettable +forgettably +forgette +forgetter +forgettery +forgetters +forgetting +forgettingly +forgie +forgift +forging +forgings +forgivable +forgivableness +forgivably +forgive +forgiveable +forgiveably +forgiveless +forgiven +forgiveness +forgivenesses +forgiver +forgivers +forgives +forgiving +forgivingly +forgivingness +forgo +forgoer +forgoers +forgoes +forgoing +forgone +forgot +forgotten +forgottenness +forgrow +forgrown +forhaile +forhale +forheed +forhoo +forhooy +forhooie +forhow +foryield +forinsec +forinsecal +forint +forints +forisfamiliate +forisfamiliation +Foristell +forjaskit +forjesket +forjudge +forjudged +forjudger +forjudges +forjudging +forjudgment +fork +forkable +forkball +forkbeard +fork-carving +forked +forked-headed +forkedly +forkedness +forked-tailed +Forkey +fork-end +forker +forkers +fork-filled +forkful +forkfuls +forkhead +fork-head +forky +forkier +forkiest +forkiness +forking +Forkland +forkless +forklift +forklifts +forklike +forkman +forkmen +fork-pronged +fork-ribbed +Forks +forksful +fork-shaped +forksmith +Forksville +forktail +fork-tail +fork-tailed +fork-tined +fork-tongued +Forkunion +Forkville +forkwise +Forl +forlay +forlain +forlana +forlanas +Forland +forlane +forleave +forleaving +forleft +forleit +forlese +forlet +forletting +Forli +forlie +Forlini +forlive +forloin +forlore +forlorn +forlorner +forlornest +forlornity +forlornly +forlornness +form +form- +forma +formability +formable +formably +formagen +formagenic +formal +formalazine +formaldehyd +formaldehyde +formaldehydes +formaldehydesulphoxylate +formaldehydesulphoxylic +formaldoxime +formalesque +Formalin +formalins +formalisation +formalise +formalised +formaliser +formalising +formalism +formalisms +formalism's +formalist +formalistic +formalistically +formaliter +formalith +formality +formalities +formalizable +formalization +formalizations +formalization's +formalize +formalized +formalizer +formalizes +formalizing +formally +formalness +formals +formamide +formamidine +formamido +formamidoxime +Forman +formanilide +formant +formants +format +formate +formated +formates +formating +formation +formational +formations +formation's +formative +formatively +formativeness +formats +formatted +formatter +formatters +formatter's +formatting +formature +formazan +formazyl +formby +formboard +forme +formed +formedon +formee +formel +formelt +formene +formenic +formentation +Formenti +former +formeret +formerly +formerness +formers +formes +form-establishing +formfeed +formfeeds +formfitting +form-fitting +formful +form-giving +formy +formiate +formic +Formica +formican +formicary +formicaria +Formicariae +formicarian +formicaries +Formicariidae +formicarioid +formicarium +formicaroid +formicate +formicated +formicating +formication +formicative +formicicide +formicid +Formicidae +formicide +Formicina +Formicinae +formicine +Formicivora +formicivorous +Formicoidea +formidability +formidable +formidableness +formidably +formidolous +formyl +formylal +formylate +formylated +formylating +formylation +formyls +formin +forminate +forming +formism +formity +formless +formlessly +formlessness +formly +formnail +formo- +Formol +formolit +formolite +formols +formonitrile +Formosa +Formosan +formose +formosity +Formoso +Formosus +formous +formoxime +form-relieve +form-revealing +forms +formula +formulable +formulae +formulaic +formulaically +formular +formulary +formularies +formularisation +formularise +formularised +formulariser +formularising +formularism +formularist +formularistic +formularization +formularize +formularized +formularizer +formularizing +formulas +formula's +formulate +formulated +formulates +formulating +formulation +formulations +formulator +formulatory +formulators +formulator's +formule +formulisation +formulise +formulised +formuliser +formulising +formulism +formulist +formulistic +formulization +formulize +formulized +formulizer +formulizing +formwork +Fornacalia +fornacic +Fornacis +Fornax +fornaxid +forncast +Forney +Forneys +fornenst +fornent +fornical +fornicate +fornicated +fornicates +fornicating +fornication +fornications +fornicator +fornicatory +fornicators +fornicatress +fornicatrices +fornicatrix +fornices +forniciform +forninst +fornix +Fornof +forold +forpass +forpet +forpine +forpined +forpining +forpit +forprise +forra +forrad +forrader +forrard +forrarder +Forras +forrel +Forrer +Forrest +Forrestal +Forrester +Forreston +forride +forril +forrit +forritsome +forrue +forsado +forsay +forsake +forsaken +forsakenly +forsakenness +forsaker +forsakers +forsakes +forsaking +Forsan +forsar +forsee +forseeable +forseek +forseen +forset +Forsete +Forseti +forshape +Forsyth +Forsythe +Forsythia +forsythias +forslack +forslake +forsloth +forslow +forsook +forsooth +forspeak +forspeaking +forspend +forspent +forspoke +forspoken +forspread +Forssman +Forst +Forsta +forstall +forstand +forsteal +Forster +forsterite +forstraught +forsung +forswat +forswear +forswearer +forswearing +forswears +forswore +forsworn +forswornness +Fort +fort. +Forta +fortake +Fortaleza +fortalice +Fortas +fortaxed +Fort-de-France +forte +fortemente +fortepiano +forte-piano +fortes +Fortescue +fortescure +Forth +forthby +forthbring +forthbringer +forthbringing +forthbrought +forthcall +forthcame +forthcome +forthcomer +forthcoming +forthcomingness +forthcut +forthfare +forthfigured +forthgaze +forthgo +forthgoing +forthy +forthink +forthinking +forthon +forthought +forthputting +forthright +forthrightly +forthrightness +forthrightnesses +forthrights +forthset +forthtell +forthteller +forthward +forthwith +forty +forty-acre +forty-eight +forty-eighth +forty-eightmo +forty-eightmos +Fortier +forties +fortieth +fortieths +fortify +fortifiable +fortification +fortifications +fortified +fortifier +fortifiers +fortifies +forty-fifth +fortifying +fortifyingly +forty-first +fortifys +fortyfive +Forty-Five +fortyfives +fortyfold +forty-foot +forty-four +forty-fourth +forty-year +fortyish +forty-knot +fortilage +forty-legged +forty-mile +Fortin +forty-nine +forty-niner +forty-ninth +forty-one +fortiori +fortypenny +forty-pound +fortis +Fortisan +forty-second +forty-seven +forty-seventh +forty-six +forty-sixth +forty-skewer +forty-spot +fortissimi +fortissimo +fortissimos +forty-third +forty-three +forty-ton +fortitude +fortitudes +fortitudinous +forty-two +Fort-Lamy +fortlet +Fortna +fortnight +fortnightly +fortnightlies +fortnights +FORTRAN +fortranh +fortravail +fortread +fortress +fortressed +fortresses +fortressing +fortress's +forts +fort's +fortuity +fortuities +fortuitism +fortuitist +fortuitous +fortuitously +fortuitousness +fortuitus +Fortuna +fortunate +fortunately +fortunateness +fortunation +Fortunato +Fortune +fortuned +fortune-hunter +fortune-hunting +fortunel +fortuneless +Fortunella +fortunes +fortune's +fortunetell +fortune-tell +fortuneteller +fortune-teller +fortunetellers +fortunetelling +fortune-telling +Fortunia +fortuning +Fortunio +fortunite +fortunize +Fortunna +fortunous +fortuuned +Forum +forumize +forums +forum's +forvay +forwake +forwaked +forwalk +forwander +Forward +forwardal +forwardation +forward-bearing +forward-creeping +forwarded +forwarder +forwarders +forwardest +forward-flowing +forwarding +forwardly +forward-looking +forwardness +forwardnesses +forward-pressing +forwards +forwardsearch +forward-turned +forwarn +forwaste +forwean +forwear +forweary +forwearied +forwearying +forweend +forweep +forwelk +forwent +forwhy +forwoden +forworden +forwore +forwork +forworn +forwrap +forz +forzando +forzandos +forzato +FOS +Foscalina +Fosdick +FOSE +fosh +Foshan +fosie +Fosite +Foskett +Fosque +Foss +fossa +fossae +fossage +fossane +fossarian +fossate +fosse +fossed +fosses +fosset +fossette +fossettes +fossick +fossicked +fossicker +fossicking +fossicks +fossified +fossiform +fossil +fossilage +fossilated +fossilation +fossildom +fossiled +fossiliferous +fossilify +fossilification +fossilisable +fossilisation +fossilise +fossilised +fossilising +fossilism +fossilist +fossilizable +fossilization +fossilize +fossilized +fossilizes +fossilizing +fossillike +fossilogy +fossilogist +fossilology +fossilological +fossilologist +fossils +fosslfying +fosslify +fosslology +fossor +Fossores +Fossoria +fossorial +fossorious +fossors +Fosston +fossula +fossulae +fossulate +fossule +fossulet +fostell +Foster +fosterable +fosterage +foster-brother +foster-child +fostered +fosterer +fosterers +foster-father +fosterhood +fostering +fosteringly +fosterite +fosterland +fosterling +fosterlings +foster-mother +foster-nurse +Fosters +fostership +foster-sister +foster-son +Fosterville +Fostoria +fostress +FOT +fotch +fotched +fother +Fothergilla +fothering +Fotheringhay +Fotina +Fotinas +fotive +fotmal +Fotomatic +Fotosetter +Fototronic +fotui +fou +Foucault +Foucquet +foud +foudroyant +fouett +fouette +fouettee +fouettes +fougade +fougasse +Fougere +Fougerolles +fought +foughten +foughty +fougue +foujdar +foujdary +foujdarry +Foujita +Fouke +foul +foulage +foulard +foulards +Foulbec +foul-breathed +foulbrood +foul-browed +foulder +fouldre +fouled +fouled-up +fouler +foulest +foul-faced +foul-handed +fouling +foulings +foulish +Foulk +foully +foul-looking +foulmart +foulminded +foul-minded +foul-mindedness +foulmouth +foulmouthed +foul-mouthed +foulmouthedly +foulmouthedness +Foulness +foulnesses +foul-reeking +fouls +foul-smelling +foulsome +foul-spoken +foul-tasting +foul-tongued +foul-up +foumart +foun +founce +found +foundation +foundational +foundationally +foundationary +foundationed +foundationer +foundationless +foundationlessness +foundations +foundation's +founded +founder +foundered +foundery +foundering +founderous +founders +foundership +founding +foundling +foundlings +foundress +foundry +foundries +foundryman +foundrymen +foundry's +foundrous +founds +Fount +fountain +fountained +fountaineer +fountainhead +fountainheads +fountaining +fountainless +fountainlet +fountainlike +fountainous +fountainously +fountains +fountain's +Fountaintown +Fountainville +fountainwise +founte +fountful +founts +fount's +Fouqu +Fouque +Fouquet +Fouquieria +Fouquieriaceae +fouquieriaceous +Fouquier-Tinville +Four +four-a-cat +four-acre +fourb +fourbagger +four-bagger +fourball +four-ball +fourberie +four-bit +fourble +four-cant +four-cent +four-centered +fourche +fourchee +fourcher +fourchet +fourchette +fourchite +four-cycle +four-cylinder +four-cylindered +four-color +four-colored +four-colour +four-cornered +four-coupled +four-cutter +four-day +four-deck +four-decked +four-decker +four-dimensional +four-dimensioned +four-dollar +Fourdrinier +four-edged +four-eyed +four-eyes +fourer +four-faced +four-figured +four-fingered +fourfiusher +four-flowered +four-flush +fourflusher +four-flusher +fourflushers +four-flushing +fourfold +four-foot +four-footed +four-footer +four-gallon +fourgon +fourgons +four-grain +four-gram +four-gun +Four-h +four-hand +fourhanded +four-handed +four-hander +four-headed +four-horned +four-horse +four-horsed +four-hour +four-hours +four-yard +four-year +four-year-old +four-year-older +Fourier +Fourierian +Fourierism +Fourierist +Fourieristic +Fourierite +four-inch +four-in-hand +four-leaf +four-leafed +four-leaved +four-legged +four-letter +four-lettered +four-line +four-lined +fourling +four-lobed +four-masted +four-master +Fourmile +four-minute +four-month +fourneau +fourness +Fournier +fourniture +Fouroaks +four-oar +four-oared +four-oclock +four-o'clock +four-ounce +four-part +fourpence +fourpenny +four-percenter +four-phase +four-place +fourplex +four-ply +four-post +four-posted +fourposter +four-poster +fourposters +four-pound +fourpounder +Four-power +four-quarter +fourquine +fourrag +fourragere +fourrageres +four-rayed +fourre +fourrier +four-ring +four-roomed +four-rowed +fours +fourscore +fourscorth +four-second +four-shilling +four-sided +foursome +foursomes +four-spined +four-spot +four-spotted +foursquare +four-square +foursquarely +foursquareness +four-story +four-storied +fourstrand +four-stranded +four-stringed +four-striped +four-striper +four-stroke +four-stroke-cycle +fourteen +fourteener +fourteenfold +fourteens +fourteenth +fourteenthly +fourteenths +fourth +fourth-born +fourth-class +fourth-dimensional +fourther +fourth-form +fourth-hand +fourth-year +fourthly +fourth-rate +fourth-rateness +fourth-rater +fourths +four-time +four-times-accented +four-tined +four-toed +four-toes +four-ton +four-tooth +four-way +four-week +four-wheel +four-wheeled +four-wheeler +four-winged +Foushee +foussa +foute +fouter +fouth +fouty +foutra +foutre +FOV +fovea +foveae +foveal +foveas +foveate +foveated +foveation +foveiform +fovent +foveola +foveolae +foveolar +foveolarious +foveolas +foveolate +foveolated +foveole +foveoles +foveolet +foveolets +fovilla +fow +fowage +Fowey +fowells +fowent +fowk +Fowkes +fowl +Fowle +fowled +Fowler +fowlery +fowlerite +fowlers +Fowlerton +Fowlerville +fowlfoot +Fowliang +fowling +fowling-piece +fowlings +Fowlkes +fowlpox +fowlpoxes +fowls +Fowlstown +Fox +foxbane +foxberry +foxberries +Foxboro +Foxborough +Foxburg +foxchop +fox-colored +Foxcroft +Foxe +foxed +foxer +foxery +foxes +fox-faced +foxfeet +foxfinger +foxfire +fox-fire +foxfires +foxfish +foxfishes +fox-flove +fox-fur +fox-furred +foxglove +foxgloves +Foxhall +foxhole +foxholes +Foxholm +foxhound +foxhounds +fox-hunt +fox-hunting +foxy +foxie +foxier +foxiest +foxily +foxiness +foxinesses +foxing +foxings +foxish +foxite +foxly +foxlike +fox-like +fox-nosed +foxproof +fox's +foxship +foxskin +fox-skinned +foxskins +foxtail +foxtailed +foxtails +foxter-leaves +Foxton +foxtongue +Foxtown +Foxtrot +fox-trot +foxtrots +fox-trotted +fox-trotting +fox-visaged +foxwood +Foxworth +fozy +fozier +foziest +foziness +fozinesses +FP +FPA +FPC +FPDU +FPE +FPHA +FPLA +fplot +FPM +FPO +FPP +FPS +fpsps +FPU +FQDN +FR +Fr. +FR-1 +Fra +Fraase +frab +frabbit +frabjous +frabjously +frabous +fracas +fracases +Fracastorius +fracedinous +frache +fracid +frack +Frackville +fract +fractable +fractabling +FRACTAL +fractals +fracted +fracti +Fracticipita +fractile +Fraction +fractional +fractionalism +fractionalization +fractionalize +fractionalized +fractionalizing +fractionally +fractional-pitch +fractionary +fractionate +fractionated +fractionating +fractionation +fractionator +fractioned +fractioning +fractionisation +fractionise +fractionised +fractionising +fractionization +fractionize +fractionized +fractionizing +fractionlet +fractions +fraction's +fractious +fractiously +fractiousness +fractocumulus +fractonimbus +fractostratus +fractuosity +fractur +fracturable +fracturableness +fractural +fracture +fractured +fractureproof +fractures +fracturing +fracturs +fractus +fradicin +Fradin +frae +fraela +fraena +fraenula +fraenular +fraenulum +fraenum +fraenums +frag +Fragaria +Frager +fragged +fragging +fraggings +fraghan +Fragilaria +Fragilariaceae +fragile +fragilely +fragileness +fragility +fragilities +fragment +fragmental +fragmentalize +fragmentally +fragmentary +fragmentarily +fragmentariness +fragmentate +fragmentation +fragmentations +fragmented +fragmenting +fragmentisation +fragmentise +fragmentised +fragmentising +fragmentist +fragmentitious +fragmentization +fragmentize +fragmentized +fragmentizer +fragmentizing +fragments +Fragonard +fragor +fragrance +fragrances +fragrance's +fragrancy +fragrancies +fragrant +fragrantly +fragrantness +frags +fray +Fraya +fraicheur +fraid +Frayda +fraid-cat +fraidycat +fraidy-cat +frayed +frayedly +frayedness +fraying +frayings +fraik +frail +frail-bodied +fraile +frailejon +frailer +frailero +fraileros +frailes +frailest +frailish +frailly +frailness +frails +frailty +frailties +frayn +Frayne +frayproof +frays +fraischeur +fraise +fraised +fraiser +fraises +fraising +fraist +fraken +Frakes +frakfurt +Fraktur +frakturs +FRAM +framable +framableness +frambesia +framboesia +framboise +Frame +framea +frameable +frameableness +frameae +framed +frame-house +frameless +frame-made +framer +framers +frames +frameshift +framesmith +Frametown +frame-up +framework +frame-work +frameworks +framework's +framing +Framingham +framings +frammit +frampler +frampold +Fran +franc +franca +Francaix +franc-archer +francas +France +Francene +Frances +france's +Francesca +Francescatti +Francesco +Francestown +Francesville +Franche-Comt +franchisal +franchise +franchised +franchisee +franchisees +franchisement +franchiser +franchisers +franchises +franchise's +franchising +franchisor +Franchot +Franci +Francy +francia +Francic +Francie +Francine +Francyne +Francis +francisc +Francisca +Franciscan +Franciscanism +franciscans +Franciscka +Francisco +Franciscus +Franciska +Franciskus +Francitas +francium +franciums +Francize +Franck +Francklin +Francklyn +Franckot +Franco +Franco- +Franco-american +Franco-annamese +Franco-austrian +Franco-british +Franco-canadian +Franco-chinese +Franco-gallic +Franco-gallician +Franco-gaul +Franco-german +Francois +Francoise +Francoism +Francoist +Franco-italian +Franco-latin +francolin +francolite +Franco-lombardic +Francomania +Franco-mexican +Franco-negroid +Franconia +Franconian +Francophil +Francophile +Francophilia +Francophilism +Francophobe +Francophobia +francophone +Franco-provencal +Franco-prussian +Franco-roman +Franco-russian +Franco-soviet +Franco-spanish +Franco-swiss +francs +francs-archers +francs-tireurs +franc-tireur +Franek +frangent +franger +Frangi +frangibility +frangibilities +frangible +frangibleness +frangipane +frangipani +frangipanis +frangipanni +Franglais +Frangos +frangula +Frangulaceae +frangulic +frangulin +frangulinic +franion +Frank +frankability +frankable +frankalmoign +frank-almoign +frankalmoigne +frankalmoin +Frankclay +Franke +franked +Frankel +Frankenia +Frankeniaceae +frankeniaceous +Frankenmuth +Frankenstein +frankensteins +franker +frankers +frankest +Frankewing +frank-faced +frank-fee +frank-ferm +frankfold +Frankford +Frankfort +frankforter +frankforters +frankforts +Frankfurt +Frankfurter +frankfurters +frankfurts +frankhearted +frankheartedly +frankheartedness +frankheartness +Frankhouse +Franky +Frankie +Frankify +frankincense +frankincensed +frankincenses +franking +Frankish +Frankist +franklandite +frank-law +frankly +Franklin +Franklyn +Franklinia +Franklinian +Frankliniana +Franklinic +Franklinism +Franklinist +franklinite +Franklinization +franklins +Franklinton +Franklintown +Franklinville +frankmarriage +frank-marriage +frankness +franknesses +Franko +frankpledge +frank-pledge +franks +frank-spoken +Frankston +Franksville +frank-tenement +Frankton +Franktown +Frankville +Franni +Franny +Frannie +Frans +Fransen +franseria +Fransis +Fransisco +frantic +frantically +franticly +franticness +Frants +Frantz +Franz +Franza +Franzen +franzy +Franzoni +frap +frape +fraple +frapler +frapp +frappe +frapped +frappeed +frappeing +frappes +frapping +fraps +frary +Frascati +Frasch +Frasco +frase +Fraser +Frasera +Frasier +Frasquito +frass +frasse +frat +fratch +fratched +fratcheous +fratcher +fratchety +fratchy +fratching +frate +frater +Fratercula +fratery +frateries +fraternal +fraternalism +fraternalist +fraternality +fraternally +fraternate +fraternation +fraternisation +fraternise +fraternised +fraterniser +fraternising +fraternism +fraternity +fraternities +fraternity's +fraternization +fraternizations +fraternize +fraternized +fraternizer +fraternizes +fraternizing +fraters +Fraticelli +Fraticellian +fratority +fratry +fratriage +Fratricelli +fratricidal +fratricide +fratricides +fratries +frats +Frau +fraud +frauder +fraudful +fraudfully +fraudless +fraudlessly +fraudlessness +fraudproof +frauds +fraud's +fraudulence +fraudulency +fraudulent +fraudulently +fraudulentness +Frauen +Frauenfeld +fraughan +fraught +fraughtage +fraughted +fraughting +fraughts +Fraulein +frauleins +fraunch +Fraunhofer +Fraus +Fravashi +frawn +fraxetin +fraxin +fraxinella +Fraxinus +Fraze +frazed +Frazee +Frazeysburg +Frazer +Frazier +frazil +frazils +frazing +frazzle +frazzled +frazzles +frazzling +FRB +FRC +FRCM +FRCO +FRCP +FRCS +FRD +frden +freak +freakdom +freaked +freaked-out +freakery +freakful +freaky +freakier +freakiest +freakily +freakiness +freaking +freakish +freakishly +freakishness +freakout +freak-out +freakouts +freakpot +freaks +freak's +fream +Frear +freath +Freberg +Frecciarossa +Frech +Frechet +Frechette +freck +frecked +frecken +freckened +frecket +freckle +freckled +freckled-faced +freckledness +freckle-faced +freckleproof +freckles +freckly +frecklier +freckliest +freckliness +freckling +frecklish +FRED +Freda +fredaine +Freddi +Freddy +Freddie +freddo +Fredek +Fredel +Fredela +Fredelia +Fredella +Fredenburg +Frederic +Frederica +Frederich +Fredericia +Frederick +Fredericka +Fredericks +Fredericksburg +Fredericktown +Frederico +Fredericton +Frederigo +Frederik +Frederika +Frederiksberg +Frederiksen +Frederiksted +Frederique +Fredette +Fredholm +Fredi +Fredia +Fredie +Fredkin +Fredonia +Fredra +Fredric +Fredrich +fredricite +Fredrick +Fredrickson +Fredrik +Fredrika +Fredrikstad +fred-stole +Fredville +free +free-acting +free-armed +free-associate +free-associated +free-associating +free-banking +freebase +freebee +freebees +free-bestowed +freeby +freebie +freebies +free-blown +freeboard +free-board +freeboot +free-boot +freebooted +freebooter +freebootery +freebooters +freebooty +freebooting +freeboots +free-bored +Freeborn +free-born +free-bred +Freeburg +Freeburn +free-burning +Freechurchism +Freed +free-denizen +Freedman +freedmen +Freedom +Freedomites +freedoms +freedom's +freedoot +freedstool +freedwoman +freedwomen +free-enterprise +free-falling +freefd +free-floating +free-flowering +free-flowing +free-footed +free-for-all +freeform +free-form +free-going +free-grown +freehand +free-hand +freehanded +free-handed +freehandedly +free-handedly +freehandedness +free-handedness +freehearted +free-hearted +freeheartedly +freeheartedness +Freehold +freeholder +freeholders +freeholdership +freeholding +freeholds +freeing +freeings +freeish +Freekirker +freelage +freelance +free-lance +freelanced +freelancer +free-lancer +freelances +freelancing +Freeland +Freelandville +freely +free-liver +free-living +freeload +freeloaded +freeloader +freeloaders +freeloading +freeloads +freeloving +freelovism +free-lovism +free-machining +Freeman +freemanship +Freemanspur +freemartin +Freemason +freemasonic +freemasonical +freemasonism +Freemasonry +freemasons +freemen +free-minded +free-mindedly +free-mindedness +Freemon +free-mouthed +free-moving +freen +freend +freeness +freenesses +Freeport +free-quarter +free-quarterer +Freer +free-range +free-reed +free-rider +freers +frees +free-select +freesheet +Freesia +freesias +free-silver +freesilverism +freesilverite +Freesoil +free-soil +free-soiler +Free-soilism +freesp +freespac +freespace +free-speaking +free-spending +free-spirited +free-spoken +free-spokenly +free-spokenness +freest +freestanding +free-standing +freestyle +freestyler +freestone +free-stone +freestones +free-swimmer +free-swimming +freet +free-tailed +freethink +freethinker +free-thinker +freethinkers +freethinking +free-throw +freety +free-tongued +Freetown +free-trade +freetrader +free-trader +free-trading +free-tradist +Freeunion +free-versifier +Freeville +freeway +freeways +freeward +Freewater +freewheel +freewheeler +freewheelers +freewheeling +freewheelingness +freewill +free-willed +free-willer +freewoman +freewomen +free-working +freezable +freeze +freezed +freeze-dry +freeze-dried +freeze-drying +freeze-out +freezer +freezers +freezes +freeze-up +freezy +freezing +freezingly +Fregata +Fregatae +Fregatidae +Frege +Fregger +fregit +Frei +Frey +Freia +Freya +Freyah +freyalite +freibergite +Freiburg +Freycinetia +Freida +freieslebenite +freiezlebenhe +freight +freightage +freighted +freighter +freighters +freightyard +freighting +freightless +freightliner +freightment +freight-mile +freights +Freyja +freijo +Freiman +freinage +freir +Freyr +Freyre +Freistatt +freit +Freytag +freith +freity +Frejus +Frelimo +Frelinghuysen +Fremantle +fremd +fremdly +fremdness +fremescence +fremescent +fremitus +fremituses +Fremont +Fremontia +Fremontodendron +fremt +fren +frena +frenal +Frenatae +frenate +French +French-born +Frenchboro +French-bred +French-built +Frenchburg +frenched +French-educated +frenchen +frenches +French-fashion +French-grown +French-heeled +Frenchy +Frenchier +Frenchies +Frenchiest +Frenchify +Frenchification +Frenchified +Frenchifying +Frenchily +Frenchiness +frenching +Frenchism +Frenchize +French-kiss +Frenchless +Frenchly +Frenchlick +french-like +French-looking +French-loving +French-made +Frenchman +French-manned +Frenchmen +French-minded +Frenchness +French-polish +French-speaking +Frenchtown +Frenchville +Frenchweed +Frenchwise +Frenchwoman +Frenchwomen +Frendel +Freneau +frenetic +frenetical +frenetically +frenetics +Frenghi +frenne +Frentz +frenula +frenular +frenulum +frenum +frenums +frenuna +frenzelite +frenzy +frenzic +frenzied +frenziedly +frenziedness +frenzies +frenzying +frenzily +Freon +freq +freq. +frequence +frequency +frequencies +frequency-modulated +frequent +frequentable +frequentage +frequentation +frequentative +frequented +frequenter +frequenters +frequentest +frequenting +frequently +frequentness +frequents +Frere +freres +Frerichs +frescade +fresco +Frescobaldi +frescoed +frescoer +frescoers +frescoes +frescoing +frescoist +frescoists +frescos +fresh +fresh-baked +fresh-boiled +fresh-caught +fresh-cleaned +fresh-coined +fresh-colored +fresh-complexioned +fresh-cooked +fresh-cropped +fresh-cut +fresh-drawn +freshed +freshen +freshened +freshener +fresheners +freshening +freshens +fresher +freshes +freshest +freshet +freshets +fresh-faced +fresh-fallen +freshhearted +freshing +freshish +fresh-killed +fresh-laid +fresh-leaved +freshly +fresh-looking +fresh-made +freshman +freshmanhood +freshmanic +freshmanship +freshmen +freshment +freshness +freshnesses +fresh-painted +fresh-picked +fresh-run +fresh-slaughtered +fresh-washed +freshwater +fresh-water +fresh-watered +freshwoman +Fresison +fresne +Fresnel +fresnels +Fresno +fress +fresser +fret +fretful +fretfully +fretfulness +fretfulnesses +fretish +fretize +fretless +frets +fretsaw +fret-sawing +fretsaws +fretsome +frett +frettage +frettation +frette +fretted +fretten +fretter +fretters +fretty +frettier +frettiest +fretting +frettingly +fretum +fretways +Fretwell +fretwise +fretwork +fretworked +fretworks +Freud +Freudberg +Freudian +Freudianism +freudians +Freudism +Freudist +Frewsburg +FRG +FRGS +Fri +Fry +Fri. +Fria +friability +friable +friableness +friand +friandise +Friant +friar +friarbird +friarhood +friary +friaries +friarly +friarling +friars +friar's +friation +frib +fribby +fribble +fribbled +fribbleism +fribbler +fribblery +fribblers +fribbles +fribbling +fribblish +friborg +friborgh +Fribourg +Fryburg +fricace +fricandeau +fricandeaus +fricandeaux +fricandel +fricandelle +fricando +fricandoes +fricassee +fricasseed +fricasseeing +fricassees +fricasseing +frication +fricative +fricatives +fricatrice +FRICC +Frick +Fricke +frickle +fry-cooker +fricti +friction +frictionable +frictional +frictionally +friction-head +frictionize +frictionized +frictionizing +frictionless +frictionlessly +frictionlessness +frictionproof +frictions +friction's +friction-saw +friction-sawed +friction-sawing +friction-sawn +friction-tight +Fryd +Frida +Friday +Fridays +friday's +Fridell +fridge +fridges +Fridila +Fridley +Fridlund +Frydman +fridstool +Fridtjof +Frye +Fryeburg +Fried +Frieda +Friedberg +friedcake +Friede +friedelite +Friedens +Friedensburg +Frieder +Friederike +Friedheim +Friedland +Friedlander +Friedly +Friedman +Friedrich +friedrichsdor +Friedrichshafen +Friedrichstrasse +Friedrick +Friend +friended +friending +friendless +friendlessness +Friendly +friendlier +friendlies +friendliest +friendlike +friendlily +friendliness +friendlinesses +friendliwise +friends +friend's +Friendship +friendships +friendship's +Friendsville +Friendswood +frier +fryer +friers +fryers +Frierson +Fries +friese +frieseite +Friesian +Friesic +Friesish +Friesland +Friesz +frieze +frieze-coated +friezed +friezer +friezes +frieze's +friezy +friezing +frig +frigage +frigate +frigate-built +frigates +frigate's +frigatoon +frigefact +Frigg +Frigga +frigged +frigger +frigging +friggle +fright +frightable +frighted +frighten +frightenable +frightened +frightenedly +frightenedness +frightener +frightening +frighteningly +frighteningness +frightens +frighter +frightful +frightfully +frightfulness +frightfulnesses +frighty +frighting +frightless +frightment +frights +frightsome +frigid +Frigidaire +frigidaria +frigidarium +frigiddaria +frigidity +frigidities +frigidly +frigidness +frigidoreceptor +frigiferous +frigolabile +frigor +frigoric +frigorify +frigorific +frigorifical +frigorifico +frigorimeter +Frigoris +frigostable +frigotherapy +frigs +frying +frying-pan +Frija +frijol +frijole +frijoles +frijolillo +frijolito +frike +frilal +frill +frillback +frill-bark +frill-barking +frilled +friller +frillery +frillers +frilly +frillier +frillies +frilliest +frillily +frilliness +frilling +frillings +frill-like +frills +frill's +frim +Frimaire +Frymire +frimitts +Friml +fringe +fringe-bell +fringed +fringeflower +fringefoot +fringehead +fringeless +fringelet +fringelike +fringent +fringepod +fringes +Fringetail +fringy +fringier +fringiest +Fringilla +fringillaceous +fringillid +Fringillidae +fringilliform +Fringilliformes +fringilline +fringilloid +fringiness +fringing +Friona +frypan +fry-pan +frypans +friponerie +fripper +fripperer +frippery +fripperies +frippet +Fris +Fris. +frisado +Frisbee +frisbees +frisca +friscal +Frisch +Frisco +frise +frises +Frisesomorum +frisette +frisettes +friseur +friseurs +Frisian +Frisii +frisk +frisked +frisker +friskers +friskest +frisket +friskets +friskful +frisky +friskier +friskiest +friskily +friskin +friskiness +friskinesses +frisking +friskingly +friskle +frisks +frislet +frisolee +frison +friss +Frisse +Frissell +frisson +frissons +frist +frisure +friszka +frit +Fritch +frit-fly +frith +frithborgh +frithborh +frithbot +frith-guild +frithy +frithles +friths +frithsoken +frithstool +frith-stool +frithwork +fritillary +Fritillaria +fritillaries +fritniency +Frits +fritt +frittata +fritted +fritter +frittered +fritterer +fritterers +frittering +fritters +fritting +Fritts +Fritz +Fritze +fritzes +Fritzie +Fritzsche +Friuli +Friulian +frivol +frivoled +frivoler +frivolers +frivoling +frivolism +frivolist +frivolity +frivolities +frivolity-proof +frivolize +frivolized +frivolizing +frivolled +frivoller +frivolling +frivolous +frivolously +frivolousness +frivols +frixion +friz +frizado +frize +frized +frizel +frizer +frizers +frizes +frizette +frizettes +frizing +frizz +frizzante +frizzed +frizzen +frizzer +frizzers +frizzes +frizzy +frizzier +frizziest +frizzily +frizziness +frizzing +frizzle +frizzled +frizzler +frizzlers +frizzles +frizzly +frizzlier +frizzliest +frizzling +Frl +Frlein +fro +Frobisher +frock +frock-coat +frocked +frocking +frockless +frocklike +frockmaker +frocks +frock's +Frodeen +Frodi +Frodin +Frodina +Frodine +froe +Froebel +Froebelian +Froebelism +Froebelist +Froehlich +froeman +Froemming +froes +FROG +frog-belly +frogbit +frog-bit +frogeater +frogeye +frogeyed +frog-eyed +frogeyes +frogface +frogfish +frog-fish +frogfishes +frogflower +frogfoot +frogged +frogger +froggery +froggy +froggier +froggies +froggiest +frogginess +frogging +froggish +froghood +froghopper +frogland +frogleaf +frogleg +froglet +froglets +froglike +frogling +frogman +frogmarch +frog-march +frogmen +Frogmore +frogmouth +frog-mouth +frogmouths +frognose +frogs +frog's +frog's-bit +frogskin +frogskins +frogspawn +frog-spawn +frogstool +frogtongue +frogwort +Froh +frohlich +Frohman +Frohna +Frohne +Froid +froideur +froise +Froissart +froisse +frokin +frolic +frolicful +Frolick +frolicked +frolicker +frolickers +frolicky +frolicking +frolickly +frolicks +frolicly +frolicness +frolics +frolicsome +frolicsomely +frolicsomeness +from +Froma +fromage +fromages +Fromberg +Frome +Fromental +fromenty +fromenties +Fromentin +fromfile +Fromm +Fromma +fromward +fromwards +Frona +frond +Fronda +frondage +frondation +Fronde +fronded +frondent +frondesce +frondesced +frondescence +frondescent +frondescing +Frondeur +frondeurs +frondiferous +frondiform +frondigerous +frondivorous +Frondizi +frondless +frondlet +frondose +frondosely +frondous +fronds +Fronia +Fronya +Fronnia +Fronniah +frons +front +frontad +frontage +frontager +frontages +frontal +frontalis +frontality +frontally +frontals +frontate +frontbencher +front-connected +frontcourt +fronted +Frontenac +frontenis +fronter +frontes +front-fanged +front-focus +front-focused +front-foot +frontier +frontierless +frontierlike +frontierman +frontiers +frontier's +frontiersman +frontiersmen +frontignac +Frontignan +fronting +frontingly +Frontirostria +frontis +frontispiece +frontispieced +frontispieces +frontispiecing +frontlash +frontless +frontlessly +frontlessness +frontlet +frontlets +fronto- +frontoauricular +frontoethmoid +frontogenesis +frontolysis +frontomalar +frontomallar +frontomaxillary +frontomental +fronton +frontonasal +frontons +frontooccipital +frontoorbital +frontoparietal +frontopontine +frontosphenoidal +frontosquamosal +frontotemporal +frontozygomatic +front-page +front-paged +front-paging +frontpiece +front-rank +front-ranker +Frontroyal +frontrunner +front-runner +fronts +frontsman +frontspiece +frontspieces +frontstall +fronture +frontways +frontward +frontwards +front-wheel +frontwise +froom +froppish +frore +froren +frory +frosh +frosk +Frost +frostation +frost-beaded +frostbird +frostbit +frost-bit +frostbite +frost-bite +frostbiter +frostbites +frostbiting +frostbitten +frost-bitten +frost-blite +frostbound +frost-bound +frostbow +Frostburg +frost-burnt +frost-chequered +frost-concocted +frost-congealed +frost-covered +frost-crack +frosted +frosteds +froster +frost-fettered +frost-firmed +frostfish +frostfishes +frostflower +frost-free +frost-hardy +frost-hoar +frosty +frostier +frostiest +frosty-face +frosty-faced +frostily +frosty-mannered +frosty-natured +frostiness +frosting +frostings +frosty-spirited +frosty-whiskered +frost-kibed +frostless +frostlike +frost-nip +frostnipped +frost-nipped +Frostproof +frostproofing +frost-pure +frost-rent +frost-ridge +frost-riven +frostroot +frosts +frost-tempered +frostweed +frostwork +frost-work +frostwort +frot +froth +froth-becurled +froth-born +froth-clad +frothed +frother +froth-faced +froth-foamy +Frothi +frothy +frothier +frothiest +frothily +frothiness +frothing +frothless +froths +frothsome +frottage +frottages +frotted +frotteur +frotteurs +frotting +frottola +frottole +frotton +Froude +froufrou +frou-frou +froufrous +frough +froughy +frounce +frounced +frounceless +frounces +frouncing +frousy +frousier +frousiest +froust +frousty +frouze +frouzy +frouzier +frouziest +frow +froward +frowardly +frowardness +frower +frowy +frowl +frown +frowned +frowner +frowners +frownful +frowny +frowning +frowningly +frownless +frowns +frows +frowsy +frowsier +frowsiest +frowsily +frowsiness +frowst +frowsted +frowsty +frowstier +frowstiest +frowstily +frowstiness +frowsts +frowze +frowzy +frowzier +frowziest +frowzy-headed +frowzily +frowziness +frowzled +frowzly +froze +frozen +frozenhearted +frozenly +frozenness +FRPG +FRR +FRS +Frs. +frsiket +frsikets +FRSL +FRSS +Frst +frt +frt. +FRU +frubbish +fruchtschiefer +fructed +fructescence +fructescent +fructiculose +fructicultural +fructiculture +Fructidor +fructiferous +fructiferously +fructiferousness +fructify +fructification +fructificative +fructified +fructifier +fructifies +fructifying +fructiform +fructiparous +fructivorous +fructokinase +fructosan +fructose +fructoses +fructoside +fructuary +fructuarius +fructuate +fructuose +fructuosity +fructuous +fructuously +fructuousness +fructure +fructus +Fruehauf +frug +frugal +frugalism +frugalist +frugality +frugalities +frugally +frugalness +fruggan +frugged +fruggin +frugging +frugiferous +frugiferousness +Frugivora +frugivorous +frugs +Fruin +fruit +Fruita +fruitade +fruitage +fruitages +fruitarian +fruitarianism +fruitbearing +fruit-bringing +fruitcake +fruitcakey +fruitcakes +fruit-candying +Fruitdale +fruit-drying +fruit-eating +fruited +fruiter +fruiterer +fruiterers +fruiteress +fruitery +fruiteries +fruiters +fruitester +fruit-evaporating +fruitful +fruitfuller +fruitfullest +fruitfully +fruitfullness +fruitfulness +fruitfulnesses +fruitgrower +fruit-grower +fruitgrowing +fruit-growing +Fruithurst +fruity +fruitier +fruitiest +fruitily +fruitiness +fruiting +fruition +fruitions +fruitist +fruitive +Fruitland +fruitless +fruitlessly +fruitlessness +fruitlet +fruitlets +fruitlike +fruitling +fruit-paring +Fruitport +fruit-producing +fruits +fruit's +fruitstalk +fruittime +Fruitvale +fruitwise +fruitwoman +fruitwomen +fruitwood +fruitworm +Frulein +Frulla +Frum +Fruma +frumaryl +frument +frumentaceous +frumentarious +frumentation +frumenty +frumenties +Frumentius +frumentum +frumety +frump +frumpery +frumperies +frumpy +frumpier +frumpiest +frumpily +frumpiness +frumpish +frumpishly +frumpishness +frumple +frumpled +frumpling +frumps +frundel +Frunze +frush +frusla +frust +frusta +frustrable +frustraneous +frustrate +frustrated +frustrately +frustrater +frustrates +frustrating +frustratingly +frustration +frustrations +frustrative +frustratory +frustula +frustule +frustulent +frustules +frustulose +frustulum +frustum +frustums +frutage +frutescence +frutescent +frutex +fruticant +fruticeous +frutices +fruticeta +fruticetum +fruticose +fruticous +fruticulose +fruticulture +frutify +frutilla +fruz +frwy +FS +f's +FSA +FSCM +F-scope +FSDO +FSE +FSF +FSH +F-shaped +F-sharp +fsiest +FSK +FSLIC +FSR +FSS +F-state +f-stop +fstore +FSU +FSW +FT +ft. +FT1 +FTAM +FTC +FTE +FTG +fth +fth. +fthm +FTL +ft-lb +ftncmd +ftnerr +FTP +ft-pdl +FTPI +FTS +FTW +FTZ +Fu +Fuad +fuage +fub +FUBAR +fubbed +fubbery +fubby +fubbing +fubs +fubsy +fubsier +fubsiest +Fucaceae +fucaceous +Fucales +fucate +fucation +fucatious +fuchi +Fu-chou +Fuchs +Fuchsia +fuchsia-flowered +Fuchsian +fuchsias +fuchsin +fuchsine +fuchsines +fuchsinophil +fuchsinophilous +fuchsins +fuchsite +fuchsone +fuci +fucinita +fuciphagous +fucivorous +fuck +fucked +fucker +fuckers +fucking +fucks +fuckup +fuckups +fuckwit +fucoid +fucoidal +Fucoideae +fucoidin +fucoids +fucosan +fucose +fucoses +fucous +fucoxanthin +fucoxanthine +fucus +fucused +fucuses +FUD +fudder +fuddy-duddy +fuddy-duddies +fuddy-duddiness +fuddle +fuddlebrained +fuddle-brained +fuddled +fuddledness +fuddlement +fuddler +fuddles +fuddling +fuder +fudge +fudged +fudger +fudges +fudgy +fudging +fuds +Fuegian +Fuehrer +fuehrers +fuel +fueled +fueler +fuelers +fueling +fuelizer +fuelled +fueller +fuellers +fuelling +fuels +fuelwood +fuerte +Fuertes +Fuerteventura +fuff +fuffy +fuffit +fuffle +fug +fugacy +fugacious +fugaciously +fugaciousness +fugacity +fugacities +fugal +fugally +fugara +fugard +Fugate +fugato +fugatos +Fugazy +fuge +Fugere +Fuget +fugged +Fugger +fuggy +fuggier +fuggiest +fuggily +fugging +fughetta +fughettas +fughette +fugie +fugient +fugio +fugios +fugit +fugitate +fugitated +fugitating +fugitation +fugitive +fugitively +fugitiveness +fugitives +fugitive's +fugitivism +fugitivity +fugle +fugled +fugleman +fuglemanship +fuglemen +fugler +fugles +fugling +fugs +fugu +fugue +fugued +fuguelike +fugues +fuguing +fuguist +fuguists +fugus +Fuhrer +fuhrers +Fuhrman +Fu-hsi +fu-yang +fuidhir +fuye +fuirdays +Fuirena +Fuji +Fujiyama +Fujio +fujis +Fujisan +Fuji-san +Fujitsu +Fujiwara +Fukien +Fukuda +Fukuoka +Fukushima +ful +Fula +Fulah +Fulahs +Fulah-zandeh +Fulani +Fulanis +Fulas +Fulbert +Fulbright +Fulcher +fulciform +fulciment +fulcra +fulcraceous +fulcral +fulcrate +fulcrum +fulcrumage +fulcrumed +fulcruming +fulcrums +Fuld +Fulda +fulfil +fulfill +fulfilled +fulfiller +fulfillers +fulfilling +fulfillment +fulfillments +fulfills +fulfilment +fulfils +fulful +Fulfulde +fulfullment +fulgence +fulgency +Fulgencio +fulgent +fulgently +fulgentness +fulgid +fulgide +fulgidity +fulgor +Fulgora +fulgorid +Fulgoridae +Fulgoroidea +fulgorous +fulgour +fulgourous +Fulgur +fulgural +fulgurant +fulgurantly +fulgurata +fulgurate +fulgurated +fulgurating +fulguration +fulgurator +fulgurite +fulgurous +Fulham +fulhams +Fulica +Fulicinae +fulicine +fuliginosity +fuliginous +fuliginously +fuliginousness +fuligo +Fuligula +Fuligulinae +fuliguline +fulyie +fulimart +fulk +Fulke +Fulks +full +full-accomplished +full-acorned +full-adjusted +fullage +fullam +fullams +full-annealing +full-armed +full-assembled +full-assured +full-attended +fullback +fullbacks +full-banked +full-beaming +full-bearded +full-bearing +full-bellied +full-blood +full-blooded +full-bloodedness +full-bloomed +full-blossomed +full-blown +fullbodied +full-bodied +full-boled +full-bore +full-born +full-bosomed +full-bottom +full-bottomed +full-bound +full-bowed +full-brained +full-breasted +full-brimmed +full-buckramed +full-built +full-busted +full-buttocked +full-cell +full-celled +full-centered +full-charge +full-charged +full-cheeked +full-chested +full-chilled +full-clustered +full-colored +full-crammed +full-cream +full-crew +full-crown +full-cut +full-depth +full-diamond +full-diesel +full-digested +full-distended +fulldo +full-draught +full-drawn +full-dress +full-dressed +full-dug +full-eared +fulled +full-edged +full-eyed +Fuller +fullerboard +fullered +fullery +fulleries +fullering +fullers +Fullerton +fullest +full-exerted +full-extended +fullface +full-faced +fullfaces +full-fashioned +full-fatted +full-feathered +full-fed +full-feed +full-feeding +full-felled +full-figured +fullfil +full-finished +full-fired +full-flanked +full-flavored +full-fledged +full-fleshed +full-floating +full-flocked +full-flowering +full-flowing +full-foliaged +full-form +full-formed +full-fortuned +full-fraught +full-freight +full-freighted +full-frontal +full-fronted +full-fruited +full-glowing +full-gorged +full-grown +fullgrownness +full-haired +full-hand +full-handed +full-happinessed +full-hard +full-haunched +full-headed +fullhearted +full-hearted +full-hipped +full-hot +fully +fullymart +fulling +fullish +full-jeweled +full-jointed +full-known +full-laden +full-leather +full-leaved +full-length +full-leveled +full-licensed +full-limbed +full-lined +full-lipped +full-load +full-made +full-manned +full-measured +full-minded +full-moon +fullmouth +fullmouthed +full-mouthed +fullmouthedly +full-mouthedly +full-natured +full-necked +full-nerved +fullness +fullnesses +fullom +Fullonian +full-opening +full-orbed +full-out +full-page +full-paid +full-panoplied +full-paunched +full-personed +full-pitch +full-plumed +full-power +full-powered +full-proportioned +full-pulsing +full-rayed +full-resounding +full-rigged +full-rigger +full-ripe +full-ripened +full-roed +full-run +fulls +full-sailed +full-scale +full-sensed +full-sharer +full-shouldered +full-shroud +full-size +full-sized +full-skirted +full-souled +full-speed +full-sphered +full-spread +full-stage +full-statured +full-stomached +full-strained +full-streamed +full-strength +full-stuffed +full-summed +full-swelling +fullterm +full-term +full-throated +full-tide +fulltime +full-time +full-timed +full-timer +full-to-full +full-toned +full-top +full-trimmed +full-tuned +full-tushed +full-uddered +full-value +full-voiced +full-volumed +full-way +full-wave +full-weight +full-weighted +full-whiskered +full-winged +full-witted +fullword +fullwords +fulmar +fulmars +Fulmarus +fulmen +Fulmer +fulmicotton +fulmina +fulminancy +fulminant +fulminate +fulminated +fulminates +fulminating +fulmination +fulminations +fulminator +fulminatory +fulmine +fulmined +fulmineous +fulmines +fulminic +fulmining +fulminous +fulminurate +fulminuric +Fulmis +fulness +fulnesses +Fuls +fulsamic +Fulshear +fulsome +fulsomely +fulsomeness +fulth +Fulton +Fultondale +Fultonham +Fultonville +Fults +Fultz +Fulup +fulvene +fulvescent +Fulvi +Fulvia +Fulviah +fulvid +fulvidness +fulvous +fulwa +fulzie +fum +fumacious +fumade +fumado +fumados +fumage +fumagine +Fumago +fumant +fumarase +fumarases +fumarate +fumarates +Fumaria +Fumariaceae +fumariaceous +fumaric +fumaryl +fumarin +fumarine +fumarium +fumaroid +fumaroidal +fumarole +fumaroles +fumarolic +fumatory +fumatoria +fumatories +fumatorium +fumatoriums +fumattoria +fumble +fumbled +fumble-fist +fumbler +fumblers +fumbles +fumbling +fumblingly +fumblingness +fumbulator +fume +fumed +fumeless +fumelike +fumer +fumerel +fumeroot +fumers +fumes +fumet +fumets +fumette +fumettes +fumeuse +fumeuses +fumewort +fumy +fumid +fumidity +fumiduct +fumier +fumiest +fumiferana +fumiferous +fumify +fumigant +fumigants +fumigate +fumigated +fumigates +fumigating +fumigation +fumigations +fumigator +fumigatory +fumigatories +fumigatorium +fumigators +fumily +fuminess +fuming +fumingly +fumish +fumishing +fumishly +fumishness +fumistery +fumitory +fumitories +fummel +fummle +fumose +fumosity +fumous +fumously +fumuli +fumulus +fun +funambulant +funambulate +funambulated +funambulating +funambulation +funambulator +funambulatory +funambule +funambulic +funambulism +funambulist +funambulo +funambuloes +Funaria +Funariaceae +funariaceous +funbre +Funch +Funchal +function +functional +functionalism +functionalist +functionalistic +functionality +functionalities +functionalize +functionalized +functionalizing +functionally +functionals +functionary +functionaries +functionarism +functionate +functionated +functionating +functionation +functioned +functioning +functionize +functionless +functionlessness +functionnaire +functions +function's +functor +functorial +functors +functor's +functus +fund +Funda +fundable +fundal +fundament +fundamental +fundamentalism +fundamentalist +fundamentalistic +fundamentalists +fundamentality +fundamentally +fundamentalness +fundamentals +fundatorial +fundatrices +fundatrix +funded +funder +funders +fundholder +fundi +Fundy +fundic +fundiform +funding +funditor +funditores +fundless +fundmonger +fundmongering +fundraise +fundraising +funds +funduck +Fundulinae +funduline +Fundulus +fundungi +fundus +funebre +funebrial +funebrious +funebrous +funeral +funeralize +funerally +funerals +funeral's +funerary +funerate +funeration +funereal +funereality +funereally +funerealness +funest +funestal +funfair +fun-fair +funfairs +funfest +fun-filled +Funfkirchen +fungaceous +fungal +Fungales +fungals +fungate +fungated +fungating +fungation +funge +fungi +fungi- +Fungia +fungian +fungibility +fungible +fungibles +fungic +fungicidal +fungicidally +fungicide +fungicides +fungicolous +fungid +fungiferous +fungify +fungiform +fungilliform +fungillus +fungin +fungistat +fungistatic +fungistatically +fungite +fungitoxic +fungitoxicity +fungivorous +fungo +fungoes +fungoid +fungoidal +fungoids +fungology +fungological +fungologist +fungose +fungosity +fungosities +fungous +Fungurume +fungus +fungus-covered +fungus-digesting +fungused +funguses +fungusy +funguslike +fungus-proof +funic +funicle +funicles +funicular +funiculars +funiculate +funicule +funiculi +funiculitis +funiculus +funiform +funiliform +funipendulous +funis +Funje +Funk +funked +funker +funkers +funky +Funkia +funkias +funkier +funkiest +funkiness +funking +funks +Funkstown +funli +fun-loving +funmaker +funmaking +funned +funnel +funnel-breasted +funnel-chested +funneled +funnel-fashioned +funnelform +funnel-formed +funneling +funnelled +funnellike +funnelling +funnel-necked +funnels +funnel-shaped +funnel-web +funnelwise +funny +funnier +funnies +funniest +funnily +funnyman +funnymen +funniment +funniness +funning +funori +funorin +funs +fun-seeking +funster +Funston +funt +Funtumia +Fuquay +Fur +fur. +furacana +furacious +furaciousness +furacity +fural +furaldehyde +furan +furandi +furane +furanes +furanoid +furanose +furanoses +furanoside +furans +furazan +furazane +furazolidone +furbearer +fur-bearing +furbelow +furbelowed +furbelowing +furbelows +furbish +furbishable +furbished +furbisher +furbishes +furbishing +furbishment +furca +furcae +furcal +fur-capped +furcate +furcated +furcately +furcates +furcating +furcation +Furcellaria +furcellate +furciferine +furciferous +furciform +furcilia +fur-clad +fur-coated +fur-collared +Furcraea +furcraeas +fur-cuffed +furcula +furculae +furcular +furcule +furculum +furdel +furdle +Furey +Furfooz +Furfooz-grenelle +furfur +furfuraceous +furfuraceously +furfural +furfuralcohol +furfuraldehyde +furfurals +furfuramid +furfuramide +furfuran +furfurans +furfuration +furfures +furfuryl +furfurylidene +furfurine +furfuroid +furfurol +furfurole +furfurous +Furgeson +fur-gowned +Fury +Furiae +furial +furiant +furibund +furicane +fury-driven +Furie +furied +Furies +furify +fury-haunted +Furiya +furil +furyl +furile +furilic +fury-moving +furiosa +furiosity +furioso +furious +furiouser +furious-faced +furiousity +furiously +furiousness +fury's +furison +furivae +furl +furlable +Furlan +furlana +furlanas +furlane +Furlani +furled +furler +furlers +furless +fur-lined +furling +Furlong +furlongs +furlough +furloughed +furloughing +furloughs +furls +Furman +Furmark +furmente +furmenty +furmenties +furmety +furmeties +furmint +furmity +furmities +furnace +furnaced +furnacelike +furnaceman +furnacemen +furnacer +furnaces +furnace's +furnacing +furnacite +furnage +Furnary +Furnariidae +Furnariides +Furnarius +furner +Furnerius +Furness +furniment +furnish +furnishable +furnished +furnisher +furnishes +furnishing +furnishings +furnishment +furnishness +furnit +furniture +furnitureless +furnitures +Furnivall +furoate +furodiazole +furoic +furoid +furoin +furole +furomethyl +furomonazole +furor +furore +furores +furors +furosemide +furphy +Furr +furr-ahin +furred +furry +furrier +furriered +furriery +furrieries +furriers +furriest +furrily +furriner +furriners +furriness +furring +furrings +furrow +furrow-cloven +furrowed +furrower +furrowers +furrow-faced +furrow-fronted +furrowy +furrowing +furrowless +furrowlike +furrows +furrure +furs +fur's +fursemide +furstone +Furtek +Furth +further +furtherance +furtherances +furthered +furtherer +furtherest +furthering +furtherly +furthermore +furthermost +furthers +furthersome +furthest +furthy +furtive +furtively +furtiveness +furtivenesses +fur-touched +fur-trimmed +furtum +Furtwler +Furud +furuncle +furuncles +furuncular +furunculoid +furunculosis +furunculous +furunculus +furze +furzechat +furze-clad +furzed +furzeling +furzery +furzes +furzetop +furzy +furzier +furziest +FUS +fusain +fusains +Fusan +fusarial +fusariose +fusariosis +Fusarium +fusarole +fusate +fusc +fuscescent +fuscin +Fusco +fusco- +fusco-ferruginous +fuscohyaline +fusco-piceous +fusco-testaceous +fuscous +FUSE +fuseau +fuseboard +fused +fusee +fusees +fusel +fuselage +fuselages +fuseless +Fuseli +fuselike +fusels +fuseplug +fuses +fusetron +Fushih +fusht +Fushun +fusi- +fusibility +fusible +fusibleness +fusibly +Fusicladium +Fusicoccum +fusiform +Fusiformis +fusil +fusilade +fusiladed +fusilades +fusilading +fusile +fusileer +fusileers +fusilier +fusiliers +fusillade +fusilladed +fusillades +fusillading +fusilly +fusils +fusing +fusinist +fusinite +fusion +fusional +fusionism +fusionist +fusionless +fusions +fusk +fusobacteria +fusobacterium +fusobteria +fusoid +fuss +fussbudget +fuss-budget +fussbudgety +fuss-budgety +fussbudgets +fussed +fusser +fussers +fusses +fussy +fussier +fussiest +fussify +fussification +fussily +fussiness +fussinesses +fussing +fussle +fussock +fusspot +fusspots +fust +fustanella +fustanelle +fustee +fuster +fusteric +fustet +fusty +fustian +fustianish +fustianist +fustianize +fustians +fustic +fustics +fustie +fustier +fustiest +fusty-framed +fustigate +fustigated +fustigating +fustigation +fustigator +fustigatory +fustilarian +fustily +fusty-looking +fustilugs +fustin +fustinella +fustiness +fusty-rusty +fustle +fustoc +fusula +fusulae +fusulas +Fusulina +fusuma +fusure +Fusus +fut +fut. +Futabatei +futchel +futchell +fute +futharc +futharcs +futhark +futharks +futhermore +futhorc +futhorcs +futhork +futhorks +futile +futiley +futilely +futileness +futilitarian +futilitarianism +futility +futilities +futilize +futilous +futon +futons +futtah +futter +futteret +futtermassel +futtock +futtocks +Futura +futurable +futural +futurama +futuramic +future +futureless +futurely +future-minded +futureness +futures +future's +futuric +Futurism +futurisms +Futurist +futuristic +futuristically +futurists +futurity +futurities +futurition +futurize +futuro +futurology +futurologist +futurologists +futwa +futz +futzed +futzes +futzing +fuze +fuzed +fuzee +fuzees +fuzes +fuzil +fuzils +fuzing +fuzz +fuzzball +fuzz-ball +fuzzed +fuzzes +fuzzy +fuzzier +fuzziest +fuzzy-guzzy +fuzzy-haired +fuzzy-headed +fuzzy-legged +fuzzily +fuzzines +fuzziness +fuzzinesses +fuzzing +fuzzy-wuzzy +fuzzle +fuzztail +FV +FW +FWA +FWD +fwd. +fwelling +FWHM +FWIW +FX +fz +FZS +G +G. +G.A. +G.A.R. +G.B. +G.B.E. +G.C.B. +G.C.F. +G.C.M. +G.H.Q. +G.I. +G.M. +G.O. +G.O.P. +G.P. +G.P.O. +G.P.U. +G.S. +g.u. +g.v. +GA +Ga. +Gaal +GAAP +GAAS +Gaastra +gaatch +GAB +Gabaon +Gabaonite +Gabar +gabardine +gabardines +gabari +gabarit +gabback +Gabbai +Gabbaim +gabbais +gabbard +gabbards +gabbart +gabbarts +gabbed +Gabbey +gabber +gabbers +Gabbert +Gabbi +Gabby +Gabbie +gabbier +gabbiest +gabbiness +gabbing +gabble +gabbled +gabblement +gabbler +gabblers +gabbles +gabbling +gabbro +gabbroic +gabbroid +gabbroitic +gabbro-porphyrite +gabbros +Gabbs +Gabe +Gabey +Gabel +gabeler +gabelle +gabelled +gabelleman +gabeller +gabelles +gabendum +gaberdine +gaberdines +gaberloonie +gaberlunzie +gaberlunzie-man +Gaberones +gabert +Gabes +gabfest +gabfests +gabgab +Gabi +Gaby +Gabie +gabies +gabion +gabionade +gabionage +gabioned +gabions +gablatores +Gable +gableboard +gable-bottom +gabled +gable-end +gableended +gable-ended +gablelike +Gabler +gable-roofed +gables +gable-shaped +gablet +gable-walled +gablewindowed +gable-windowed +gablewise +gabling +gablock +Gabo +Gabon +Gabonese +Gaboon +gaboons +Gabor +Gaboriau +Gaborone +Gabriel +Gabriela +Gabriele +Gabrieli +Gabriell +Gabriella +Gabrielle +Gabrielli +Gabriellia +Gabriello +Gabrielrache +Gabriels +Gabrielson +Gabrila +Gabrilowitsch +gabs +Gabumi +Gabun +Gabunese +gachupin +Gackle +Gad +Gadaba +gadabout +gadabouts +gadaea +Gadarene +Gadaria +gadbee +gad-bee +gadbush +Gaddafi +Gaddang +gadded +gadder +gadders +Gaddi +gadding +gaddingly +gaddis +gaddish +gaddishness +gade +gadean +Gader +gades +gadfly +gad-fly +gadflies +gadge +gadger +gadget +gadgeteer +gadgeteers +gadgety +gadgetry +gadgetries +gadgets +gadget's +Gadhelic +gadi +gadid +Gadidae +gadids +gadinic +gadinine +gadis +Gaditan +Gadite +gadling +gadman +Gadmann +Gadmon +GADO +gadoid +Gadoidea +gadoids +gadolinia +gadolinic +gadolinite +gadolinium +gadroon +gadroonage +gadrooned +gadrooning +gadroons +gads +Gadsbodikins +Gadsbud +Gadsden +Gadslid +gadsman +gadso +Gadswoons +gaduin +Gadus +gadwall +gadwalls +gadwell +Gadzooks +Gae +gaea +gaed +gaedelian +gaedown +gaeing +Gaekwar +Gael +Gaelan +Gaeldom +Gaelic +Gaelicism +Gaelicist +Gaelicization +Gaelicize +gaels +Gaeltacht +gaen +Gaertnerian +gaes +gaet +Gaeta +Gaetano +Gaetulan +Gaetuli +Gaetulian +gaff +gaffe +gaffed +gaffer +gaffers +gaffes +gaffing +Gaffkya +gaffle +Gaffney +gaff-rigged +gaffs +gaffsail +gaffsman +gaff-topsail +Gafsa +Gag +gaga +gagaku +Gagarin +gagate +Gagauzi +gag-bit +gag-check +Gage +gageable +gaged +gagee +gageite +gagelike +gager +gagers +gagership +gages +Gagetown +gagged +gagger +gaggery +gaggers +gagging +gaggle +gaggled +gaggler +gaggles +gaggling +gaging +Gagliano +gagman +gagmen +Gagne +Gagnon +gagor +gag-reined +gagroot +gags +gagster +gagsters +gagtooth +gag-tooth +gagwriter +Gahan +Gahanna +Gahl +gahnite +gahnites +Gahrwali +Gay +GAIA +Gaya +gayal +gayals +gaiassa +gayatri +gay-beseen +gaybine +gaycat +gay-chirping +gay-colored +Gaidano +gaydiang +Gaidropsaridae +Gaye +Gayel +Gayelord +gayer +gayest +gaiety +gayety +gaieties +gayeties +gay-feather +gay-flowered +Gaige +gay-glancing +gay-green +gay-hued +gay-humored +gayyou +gayish +Gaikwar +Gail +Gayl +Gayla +Gaile +Gayle +Gayleen +Gaylene +Gayler +Gaylesville +gaily +gayly +gaylies +Gaillard +Gaillardia +gay-looking +Gaylor +Gaylord +Gaylordsville +Gay-Lussac +Gaylussacia +gaylussite +gayment +gay-motleyed +gain +Gayn +gain- +gainable +gainage +gainbirth +gaincall +gaincome +gaincope +gaine +gained +Gainer +Gayner +gainers +Gaines +Gainesboro +gayness +gaynesses +Gainestown +Gainesville +gainful +gainfully +gainfulness +gaingiving +gain-giving +gainyield +gaining +gainings +gainless +gainlessness +gainly +gainlier +gainliest +gainliness +Gainor +Gaynor +gainpain +gains +gainsay +gainsaid +gainsayer +gainsayers +gainsaying +gainsays +Gainsborough +gainset +gainsome +gainspeaker +gainspeaking +gainst +gainstand +gainstrive +gainturn +gaintwist +gainward +Gayomart +gay-painted +Gay-Pay-Oo +Gaypoo +gair +gairfish +gairfowl +Gays +gay-seeming +Gaiser +Gaiseric +gaisling +gay-smiling +gaysome +gay-spent +gay-spotted +gaist +Gaysville +gait +gay-tailed +gaited +gaiter +gaiter-in +gaiterless +gaiters +Gaither +Gaithersburg +gay-throned +gaiting +gaits +Gaitskell +gaitt +Gaius +Gayville +Gaivn +gayway +gaywing +gaywings +gaize +gaj +Gajcur +Gajda +Gakona +Gal +Gal. +Gala +galabeah +galabia +galabias +galabieh +galabiya +Galacaceae +galact- +galactagog +galactagogue +galactagoguic +galactan +galactase +galactemia +galacthidrosis +Galactia +galactic +galactically +galactidrosis +galactin +galactite +galacto- +galactocele +galactodendron +galactodensimeter +galactogenetic +galactogogue +galactohemia +galactoid +galactolipide +galactolipin +galactolysis +galactolytic +galactoma +galactometer +galactometry +galactonic +galactopathy +galactophagist +galactophagous +galactophygous +galactophlebitis +galactophlysis +galactophore +galactophoritis +galactophorous +galactophthysis +galactopyra +galactopoiesis +galactopoietic +galactorrhea +galactorrhoea +galactosamine +galactosan +galactoscope +galactose +galactosemia +galactosemic +galactosidase +galactoside +galactosyl +galactosis +galactostasis +galactosuria +galactotherapy +galactotrophy +galacturia +galagala +Galaginae +Galago +galagos +galah +Galahad +galahads +galahs +Galan +galanas +Galang +galanga +galangal +galangals +galangin +galany +galant +galante +Galanthus +Galanti +galantine +galantuomo +galapago +Galapagos +galapee +galas +Galashiels +Galasyn +Galata +Galatae +Galatea +Galateah +galateas +Galati +Galatia +Galatian +Galatians +Galatic +galatine +galatotrophic +Galatz +galavant +galavanted +galavanting +galavants +Galax +galaxes +Galaxy +galaxian +Galaxias +galaxies +Galaxiidae +galaxy's +Galba +galban +galbanum +galbanums +galbe +Galbraith +galbraithian +Galbreath +Galbula +Galbulae +Galbulidae +Galbulinae +galbulus +Galcaio +Galcha +Galchas +Galchic +Gale +galea +galeae +galeage +Galeao +galeas +galeass +galeate +galeated +galeche +gale-driven +galee +galeeny +galeenies +Galega +galegine +Galei +galey +galeid +Galeidae +galeiform +galempong +galempung +Galen +Galena +galenas +Galenian +Galenic +Galenical +Galenism +Galenist +galenite +galenites +galenobismutite +galenoid +Galenus +galeod +Galeodes +Galeodidae +galeoid +Galeopithecus +Galeopsis +Galeorchis +Galeorhinidae +Galeorhinus +galeproof +Galer +galera +galere +galeres +galericulate +galerie +galerite +galerum +galerus +gales +galesaur +Galesaurus +Galesburg +Galesville +galet +Galeton +galette +Galeus +galewort +Galga +Galgal +Galgulidae +gali +galyac +galyacs +galyak +galyaks +galianes +Galibi +Galibis +Galicia +Galician +Galictis +Galidia +Galidictis +Galien +Galik +Galilean +Galilee +galilees +galilei +Galileo +Galili +galimatias +Galina +galinaceous +galingale +Galinsoga +Galinthias +Galion +galiongee +galionji +galiot +galiots +galipidine +galipine +galipoidin +galipoidine +galipoipin +galipot +galipots +Galitea +Galium +galivant +galivanted +galivanting +galivants +galjoen +Gall +Galla +gallacetophenone +gallach +Gallager +Gallagher +gallah +gallamine +gallanilide +gallant +gallanted +gallanting +gallantize +gallantly +gallantness +gallantry +gallantries +gallants +Gallard +Gallas +gallate +gallates +Gallatin +gallature +Gallaudet +Gallaway +gallberry +gallberries +gallbladder +gallbladders +gallbush +Galle +galleass +galleasses +galled +Gallegan +Gallegos +galley +galley-fashion +galleylike +galleyman +galley-man +gallein +galleine +galleins +galleypot +galleys +galley's +galley-slave +galley-tile +galley-west +galleyworm +Gallenz +galleon +galleons +galler +gallera +gallery +Galleria +gallerian +galleried +galleries +gallerygoer +Galleriidae +galleriies +gallerying +galleryite +gallerylike +gallet +galleta +galletas +galleted +galleting +gallets +gallfly +gall-fly +gallflies +gallflower +Galli +Gally +Gallia +galliambic +galliambus +Gallian +Galliano +galliard +galliardise +galliardize +galliardly +galliardness +galliards +galliass +galliasses +gallybagger +gallybeggar +Gallic +Gallican +Gallicanism +Galliccally +Gallice +Gallicisation +Gallicise +Gallicised +Galliciser +Gallicising +Gallicism +gallicisms +Gallicization +Gallicize +Gallicized +Gallicizer +Gallicizing +Gallico +gallicola +Gallicolae +gallicole +gallicolous +gallycrow +Galli-Curci +gallied +Gallienus +gallies +Galliett +galliferous +Gallify +Gallification +galliform +Galliformes +Galligan +Galligantus +galligaskin +galligaskins +gallygaskins +gallying +gallimatia +gallimaufry +gallimaufries +Gallina +Gallinaceae +gallinacean +Gallinacei +gallinaceous +Gallinae +gallinaginous +Gallinago +Gallinas +gallinazo +galline +galliney +galling +gallingly +gallingness +gallinipper +Gallinula +gallinule +gallinulelike +gallinules +Gallinulinae +gallinuline +Gallion +galliot +galliots +Gallipoli +Gallipolis +gallipot +gallipots +Gallirallus +gallish +gallisin +Gallitzin +gallium +galliums +gallivant +gallivanted +gallivanter +gallivanters +gallivanting +gallivants +gallivat +gallivorous +galliwasp +gallywasp +gallize +gall-less +gall-like +Gallman +gallnut +gall-nut +gallnuts +Gallo- +Gallo-briton +gallocyanin +gallocyanine +galloflavin +galloflavine +galloglass +Gallo-grecian +Galloman +Gallomania +Gallomaniac +gallon +gallonage +galloner +gallons +gallon's +galloon +gallooned +galloons +galloot +galloots +gallop +gallopade +galloped +galloper +Galloperdix +gallopers +Gallophile +Gallophilism +Gallophobe +Gallophobia +galloping +gallops +galloptious +Gallo-Rom +Gallo-roman +Gallo-Romance +gallotannate +gallo-tannate +gallotannic +gallo-tannic +gallotannin +gallous +Gallovidian +gallow +Galloway +gallowglass +gallows +gallows-bird +gallowses +gallows-grass +gallowsmaker +gallowsness +gallows-tree +gallowsward +galls +gallstone +gall-stone +gallstones +galluot +Gallup +galluptious +Gallupville +Gallus +gallused +galluses +gallweed +gallwort +galoch +Galofalo +Galois +Galoisian +galoot +galoots +galop +galopade +galopades +galoped +galopin +galoping +galops +galore +galores +galosh +galoshe +galoshed +galoshes +galoubet +galp +galravage +galravitch +gals +Galsworthy +Galt +Galton +Galtonia +Galtonian +galtrap +galuchat +galumph +galumphed +galumphing +galumphs +galumptious +Galuppi +Galusha +galut +Galuth +galv +Galva +galvayne +galvayned +galvayning +Galvan +Galvani +galvanic +galvanical +galvanically +galvanisation +galvanise +galvanised +galvaniser +galvanising +galvanism +galvanist +galvanization +galvanizations +galvanize +galvanized +galvanizer +galvanizers +galvanizes +galvanizing +galvano- +galvanocautery +galvanocauteries +galvanocauterization +galvanocontractility +galvanofaradization +galvanoglyph +galvanoglyphy +galvanograph +galvanography +galvanographic +galvanolysis +galvanology +galvanologist +galvanomagnet +galvanomagnetic +galvanomagnetism +galvanometer +galvanometers +galvanometry +galvanometric +galvanometrical +galvanometrically +galvanoplasty +galvanoplastic +galvanoplastical +galvanoplastically +galvanoplastics +galvanopsychic +galvanopuncture +galvanoscope +galvanoscopy +galvanoscopic +galvanosurgery +galvanotactic +galvanotaxis +galvanotherapy +galvanothermy +galvanothermometer +galvanotonic +galvanotropic +galvanotropism +Galven +Galveston +Galvin +galvo +galvvanoscopy +Galway +Galways +Galwegian +galziekte +gam +gam- +Gama +Gamages +gamahe +Gamay +gamays +Gamal +Gamali +Gamaliel +gamari +gamas +gamash +gamashes +gamasid +Gamasidae +Gamasoidea +gamb +gamba +gambade +gambades +gambado +gambadoes +gambados +gambang +Gambart +gambas +gambe +gambeer +gambeered +gambeering +Gambell +gambelli +Gamber +gambes +gambeson +gambesons +gambet +Gambetta +gambette +Gambi +Gambia +gambiae +gambian +gambians +gambias +Gambier +gambiers +gambir +gambirs +gambist +gambit +gambits +Gamble +gambled +gambler +gamblers +gambles +gamblesome +gamblesomeness +gambling +gambodic +gamboge +gamboges +gambogian +gambogic +gamboised +gambol +gamboled +gamboler +gamboling +gambolled +gamboller +gambolling +gambols +gambone +gambrel +gambreled +Gambrell +gambrelled +gambrel-roofed +gambrels +Gambrill +Gambrills +Gambrinus +gambroon +gambs +Gambusia +gambusias +Gambut +gamdeboo +gamdia +game +gamebag +gameball +gamecock +game-cock +gamecocks +gamecraft +gamed +game-destroying +game-fowl +gameful +gamey +gamekeeper +gamekeepers +gamekeeping +gamelan +gamelang +gamelans +game-law +gameless +gamely +gamelike +gamelin +Gamelion +gamelote +gamelotte +gamene +gameness +gamenesses +gamer +games +gamesman +gamesmanship +gamesome +gamesomely +gamesomeness +games-player +gamest +gamester +gamesters +gamestress +gamet- +gametal +gametange +gametangia +gametangium +gamete +gametes +gametic +gametically +gameto- +gametocyst +gametocyte +gametogenesis +gametogeny +gametogenic +gametogenous +gametogony +gametogonium +gametoid +gametophagia +gametophyll +gametophyte +gametophytic +gametophobia +gametophore +gametophoric +gamgee +gamgia +gamy +gamic +gamier +gamiest +gamily +Gamin +gamine +gamines +gaminesque +gaminess +gaminesses +gaming +gaming-proof +gamings +gaminish +gamins +Gamma +gammacism +gammacismus +gammadia +gammadion +gammarid +Gammaridae +gammarine +gammaroid +Gammarus +gammas +gammation +gammed +Gammelost +gammer +gammerel +gammers +gammerstang +Gammexane +gammy +gammick +gammier +gammiest +gamming +gammock +gammon +gammoned +gammoner +gammoners +gammon-faced +gammoning +gammons +gammon-visaged +gamo- +gamobium +gamodeme +gamodemes +gamodesmy +gamodesmic +gamogamy +gamogenesis +gamogenetic +gamogenetical +gamogenetically +gamogeny +gamogony +Gamolepis +gamomania +gamond +gamone +gamont +Gamopetalae +gamopetalous +gamophagy +gamophagia +gamophyllous +gamori +gamosepalous +gamostele +gamostely +gamostelic +gamotropic +gamotropism +gamous +gamp +gamphrel +gamps +gams +gamut +gamuts +GAN +Ganado +ganam +ganancial +gananciales +ganancias +Ganapati +Gance +ganch +ganched +ganching +Gand +Ganda +Gandeeville +Gander +gandered +ganderess +gandergoose +gandering +gandermooner +ganders +ganderteeth +gandertmeeth +Gandhara +Gandharan +Gandharva +Gandhi +Gandhian +Gandhiism +Gandhiist +Gandhism +Gandhist +gandoura +gandul +gandum +gandurah +Gandzha +gane +ganef +ganefs +Ganesa +Ganesha +ganev +ganevs +gang +Ganga +Gangamopteris +gangan +gangava +gangbang +gangboard +gang-board +gangbuster +gang-cask +gang-days +gangdom +gange +ganged +ganger +gangerel +gangers +Ganges +Gangetic +gangflower +gang-flower +ganggang +ganging +gangion +gangism +gangland +ganglander +ganglands +gangle-shanked +gangly +gangli- +ganglia +gangliac +ganglial +gangliar +gangliasthenia +gangliate +gangliated +gangliectomy +ganglier +gangliest +gangliform +gangliglia +gangliglions +gangliitis +gangling +ganglioblast +gangliocyte +ganglioform +ganglioid +ganglioma +gangliomas +gangliomata +ganglion +ganglionary +ganglionate +ganglionated +ganglionectomy +ganglionectomies +ganglioneural +ganglioneure +ganglioneuroma +ganglioneuron +ganglionic +ganglionitis +ganglionless +ganglions +ganglioplexus +ganglioside +gangman +gangmaster +gangplank +gang-plank +gangplanks +gangplow +gangplows +gangrel +gangrels +gangrenate +gangrene +gangrened +gangrenes +gangrenescent +gangrening +gangrenous +gangs +gang's +gangsa +gangshag +gangsman +gangster +gangsterism +gangsters +gangster's +gangtide +Gangtok +gangue +Ganguela +gangues +gangwa +gangway +gangwayed +gangwayman +gangwaymen +gangways +gang-week +Ganiats +ganyie +Ganymeda +Ganymede +Ganymedes +ganister +ganisters +ganja +ganjah +ganjahs +ganjas +Ganley +ganner +Gannes +gannet +gannetry +gannets +Gannett +Ganny +Gannie +gannister +Gannon +Gannonga +ganoblast +Ganocephala +ganocephalan +ganocephalous +ganodont +Ganodonta +Ganodus +ganof +ganofs +ganoid +ganoidal +ganoidean +Ganoidei +ganoidian +ganoids +ganoin +ganoine +ganomalite +ganophyllite +ganoses +ganosis +Ganowanian +Gans +gansa +gansey +gansel +ganser +Gansevoort +gansy +Gant +ganta +gantang +gantangs +gantelope +gantlet +gantleted +gantleting +gantlets +gantline +gantlines +gantlope +gantlopes +ganton +gantry +gantries +gantryman +Gantrisin +gantsl +Gantt +ganza +ganzie +GAO +gaol +gaolage +gaolbird +gaoled +gaoler +gaolering +gaolerness +gaolers +gaoling +gaoloring +gaols +Gaon +Gaonate +Gaonic +Gaons +gap +Gapa +gape +gaped +gape-gaze +gaper +Gaperon +gapers +gapes +gapeseed +gape-seed +gapeseeds +gapeworm +gapeworms +gapy +Gapin +gaping +gapingly +gapingstock +Gapland +gapless +gaplessness +gapo +gaposis +gaposises +gapped +gapper +gapperi +gappy +gappier +gappiest +gapping +gaps +gap's +gap-toothed +Gapville +GAR +gara +garabato +garad +garage +garaged +garageman +garages +garaging +Garald +Garamas +Garamond +garance +garancin +garancine +Garand +garapata +garapato +Garardsfort +Garate +garau +garava +garavance +Garaway +garawi +garb +garbage +garbages +garbage's +garbanzo +garbanzos +garbardine +Garbe +garbed +garbel +garbell +Garber +Garbers +Garberville +garbill +garbing +garble +garbleable +garbled +garbler +garblers +garbles +garbless +garbline +garbling +garblings +Garbo +garboard +garboards +garboil +garboils +garbologist +garbs +garbure +garce +Garceau +Garcia +Garcia-Godoy +Garcia-Inchaustegui +Garciasville +Garcinia +Garcon +garcons +Gard +Garda +Gardal +gardant +Gardas +gardbrace +garde +gardebras +garde-collet +garde-du-corps +gardeen +garde-feu +garde-feux +Gardel +Gardell +garde-manger +Garden +Gardena +gardenable +gardencraft +Gardendale +gardened +Gardener +gardeners +gardenership +gardenesque +gardenful +garden-gate +gardenhood +garden-house +gardeny +Gardenia +gardenias +gardenin +gardening +gardenize +gardenless +gardenly +gardenlike +gardenmaker +gardenmaking +gardens +garden-seated +garden-variety +Gardenville +gardenwards +gardenwise +garde-reins +garderobe +gardeviance +gardevin +gardevisure +Gardy +Gardia +Gardie +gardyloo +Gardiner +gardinol +gardnap +Gardner +Gardners +Gardnerville +Gardol +gardon +Gare +garefowl +gare-fowl +garefowls +gareh +Garey +Garek +Gareri +Gareth +Garett +garetta +garewaite +Garfield +Garfinkel +garfish +garfishes +garg +Gargalianoi +gargalize +Gargan +garganey +garganeys +Gargantua +Gargantuan +Gargaphia +gargarism +gargarize +Garges +garget +gargety +gargets +gargil +gargle +gargled +gargler +garglers +gargles +gargling +gargoyle +gargoyled +gargoyley +gargoyles +gargoylish +gargoylishly +gargoylism +gargol +Garhwali +Gari +Gary +garial +gariba +Garibald +Garibaldi +Garibaldian +Garibold +Garibull +Gariepy +Garifalia +garigue +garigues +Garik +Garin +GARIOA +Garysburg +garish +garishly +garishness +Garita +Garyville +Garlaand +Garlan +Garland +Garlanda +garlandage +garlanded +garlanding +garlandless +garlandlike +garlandry +garlands +garlandwise +garle +Garlen +garlic +garlicky +garliclike +garlicmonger +garlics +garlicwort +Garlinda +Garling +garlion +garlopa +Garm +Garmaise +garment +garmented +garmenting +garmentless +garmentmaker +garments +garment's +garmenture +garmentworker +Garmisch-Partenkirchen +Garmr +garn +Garnavillo +Garneau +garnel +Garner +garnerage +garnered +garnering +garners +Garnerville +Garnes +Garnet +garnetberry +garnet-breasted +garnet-colored +garneter +garnetiferous +garnetlike +garnet-red +garnets +Garnett +Garnette +garnetter +garnetwork +garnetz +garni +garnice +garniec +garnierite +garnish +garnishable +garnished +garnishee +garnisheed +garnisheeing +garnisheement +garnishees +garnisheing +garnisher +garnishes +garnishing +garnishment +garnishments +garnishry +garnison +garniture +garnitures +Garo +Garofalo +Garold +garon +Garonne +garoo +garookuh +garote +garoted +garoter +garotes +garoting +garotte +garotted +garotter +garotters +garottes +garotting +Garoua +garous +garpike +gar-pike +garpikes +garrafa +garran +Garrard +garrat +Garratt +Garrattsville +garred +Garrek +Garret +garreted +garreteer +Garreth +garretmaster +garrets +Garretson +Garrett +Garrettsville +Garry +Garrya +Garryaceae +Garrick +garridge +garrigue +Garrigues +Garrik +garring +Garris +Garrison +garrisoned +Garrisonian +garrisoning +Garrisonism +garrisons +Garrisonville +Garrity +garrnishable +garron +garrons +garroo +garrooka +Garrot +garrote +garroted +garroter +garroters +garrotes +garroting +Garrott +garrotte +garrotted +garrotter +garrottes +garrotting +Garrulinae +garruline +garrulity +garrulities +garrulous +garrulously +garrulousness +garrulousnesses +Garrulus +garrupa +gars +garse +Garshuni +garsil +Garson +garston +Gart +garten +Garter +garter-blue +gartered +gartering +garterless +garters +garter's +Garth +garthman +Garthrod +garths +Gartner +garua +Garuda +garum +Garv +garvance +garvanzo +Garvey +garveys +Garvy +garvie +Garvin +garvock +Garwin +Garwood +Garzon +GAS +gas-absorbing +gasalier +gasaliers +Gasan +gasbag +gas-bag +gasbags +gasboat +Gasburg +gas-burning +gas-charged +gascheck +gas-check +Gascogne +gascoign +Gascoigne +gascoigny +gascoyne +Gascon +Gasconade +gasconaded +gasconader +gasconading +Gascony +Gasconism +gascons +gascromh +gas-delivering +gas-driven +gaseity +gas-electric +gaselier +gaseliers +gaseosity +gaseous +gaseously +gaseousness +gases +gas-filled +gas-fired +gasfiring +gas-fitter +gas-fitting +gash +gas-heat +gas-heated +gashed +gasher +gashes +gashest +gashful +gash-gabbit +gashy +gashing +gashly +gashliness +gasholder +gashouse +gashouses +gash's +gasify +gasifiable +gasification +gasified +gasifier +gasifiers +gasifies +gasifying +gasiform +Gaskell +gasket +gaskets +Gaskill +Gaskin +gasking +gaskings +Gaskins +gas-laden +gas-lampy +gasless +gaslight +gas-light +gaslighted +gaslighting +gaslightness +gaslights +gaslike +gaslit +gaslock +gasmaker +gasman +Gasmata +gasmen +gasmetophytic +gasogen +gasogene +gasogenes +gasogenic +gasohol +gasohols +gasolene +gasolenes +gasolier +gasoliery +gasoliers +gasoline +gasoline-electric +gasolineless +gasoline-propelled +gasoliner +gasolines +gasolinic +gasometer +gasometry +gasometric +gasometrical +gasometrically +gas-operated +gasoscope +gas-oxygen +gasp +Gaspar +Gaspard +gasparillo +Gasparo +Gaspe +gasped +Gaspee +Gasper +gaspereau +gaspereaus +gaspergou +gaspergous +Gasperi +Gasperoni +gaspers +gaspy +gaspiness +gasping +gaspingly +Gaspinsula +gas-plant +Gasport +gas-producing +gasproof +gas-propelled +gasps +Gasquet +gas-resisting +gas-retort +Gass +gas's +Gassaway +gassed +Gassendi +gassendist +Gasser +Gasserian +gassers +gasses +gassy +gassier +gassiest +gassiness +gassing +gassings +gassit +Gassman +Gassville +gast +gastaldite +gastaldo +gasted +gaster +gaster- +gasteralgia +gasteria +Gasterocheires +Gasterolichenes +gasteromycete +Gasteromycetes +gasteromycetous +Gasterophilus +gasteropod +Gasteropoda +gasterosteid +Gasterosteidae +gasterosteiform +gasterosteoid +Gasterosteus +gasterotheca +gasterothecal +Gasterotricha +gasterotrichan +gasterozooid +gasters +gas-testing +gastful +gasthaus +gasthauser +gasthauses +gastight +gastightness +Gastineau +gasting +gastly +gastness +gastnesses +Gaston +Gastonia +Gastonville +Gastornis +Gastornithidae +gastr- +gastradenitis +gastraea +gastraead +Gastraeadae +gastraeal +gastraeas +gastraeum +gastral +gastralgy +gastralgia +gastralgic +gastraneuria +gastrasthenia +gastratrophia +gastrea +gastreas +gastrectasia +gastrectasis +gastrectomy +gastrectomies +gastrelcosis +gastric +gastricism +gastrilegous +gastriloquy +gastriloquial +gastriloquism +gastriloquist +gastriloquous +gastrimargy +gastrin +gastrins +gastritic +gastritis +gastro- +gastroadenitis +gastroadynamic +gastroalbuminorrhea +gastroanastomosis +gastroarthritis +gastroatonia +gastroatrophia +gastroblennorrhea +gastrocatarrhal +gastrocele +gastrocentrous +Gastrochaena +Gastrochaenidae +gastrocystic +gastrocystis +gastrocnemial +gastrocnemian +gastrocnemii +gastrocnemius +gastrocoel +gastrocoele +gastrocolic +gastrocoloptosis +gastrocolostomy +gastrocolotomy +gastrocolpotomy +gastrodermal +gastrodermis +gastrodialysis +gastrodiaphanoscopy +gastrodidymus +gastrodynia +gastrodisc +gastrodisk +gastroduodenal +gastroduodenitis +gastroduodenoscopy +gastroduodenostomy +gastroduodenostomies +gastroduodenotomy +gastroelytrotomy +gastroenteralgia +gastroenteric +gastroenteritic +gastroenteritis +gastroenteroanastomosis +gastroenterocolitis +gastroenterocolostomy +gastroenterology +gastroenterologic +gastroenterological +gastroenterologically +gastroenterologist +gastroenterologists +gastroenteroptosis +gastroenterostomy +gastroenterostomies +gastroenterotomy +gastroepiploic +gastroesophageal +gastroesophagostomy +gastrogastrotomy +gastrogenic +gastrogenital +gastrogenous +gastrograph +gastrohelcosis +gastrohepatic +gastrohepatitis +gastrohydrorrhea +gastrohyperneuria +gastrohypertonic +gastrohysterectomy +gastrohysteropexy +gastrohysterorrhaphy +gastrohysterotomy +gastroid +gastrointestinal +gastrojejunal +gastrojejunostomy +gastrojejunostomies +gastrolater +gastrolatrous +gastrolavage +gastrolienal +gastrolysis +gastrolith +gastrolytic +Gastrolobium +gastrologer +gastrology +gastrological +gastrologically +gastrologist +gastrologists +gastromalacia +gastromancy +gastromelus +gastromenia +gastromyces +gastromycosis +gastromyxorrhea +gastronephritis +gastronome +gastronomer +gastronomes +gastronomy +gastronomic +gastronomical +gastronomically +gastronomics +gastronomies +gastronomist +gastronosus +gastro-omental +gastropancreatic +gastropancreatitis +gastroparalysis +gastroparesis +gastroparietal +gastropathy +gastropathic +gastroperiodynia +gastropexy +gastrophile +gastrophilism +gastrophilist +gastrophilite +Gastrophilus +gastrophrenic +gastrophthisis +gastropyloric +gastroplasty +gastroplenic +gastropleuritis +gastroplication +gastropneumatic +gastropneumonic +gastropod +Gastropoda +gastropodan +gastropodous +gastropods +gastropore +gastroptosia +gastroptosis +gastropulmonary +gastropulmonic +gastrorrhagia +gastrorrhaphy +gastrorrhea +gastroschisis +gastroscope +gastroscopy +gastroscopic +gastroscopies +gastroscopist +gastrosoph +gastrosopher +gastrosophy +gastrospasm +gastrosplenic +gastrostaxis +gastrostegal +gastrostege +gastrostenosis +gastrostomy +gastrostomies +gastrostomize +Gastrostomus +gastrosuccorrhea +gastrotaxis +gastrotheca +gastrothecal +gastrotympanites +gastrotome +gastrotomy +gastrotomic +gastrotomies +gastrotrich +Gastrotricha +gastrotrichan +gastrotubotomy +gastrovascular +gastroxynsis +gastrozooid +gastrula +gastrulae +gastrular +gastrulas +gastrulate +gastrulated +gastrulating +gastrulation +gastruran +gasts +gasworker +gasworks +Gat +gata +gatch +gatchwork +gate +gateado +gateage +gateau +gateaux +gate-crash +gatecrasher +gate-crasher +gatecrashers +GATED +gatefold +gatefolds +gatehouse +gatehouses +gatekeep +gatekeeper +gate-keeper +gatekeepers +gate-leg +gate-legged +gateless +gatelike +gatemaker +gateman +gatemen +gate-netting +gatepost +gate-post +gateposts +gater +Gates +Gateshead +Gatesville +gatetender +gateway +gatewaying +gatewayman +gatewaymen +gateways +gateway's +gateward +gatewards +gatewise +gatewoman +Gatewood +gateworks +gatewright +Gath +Gatha +Gathard +gather +gatherable +gathered +gatherer +gatherers +gathering +gatherings +Gathers +gatherum +Gathic +Gathings +Gati +Gatian +Gatias +gating +Gatlinburg +Gatling +gator +gators +Gatow +gats +gatsby +GATT +Gattamelata +gatten +gatter +gatteridge +gattine +Gattman +gat-toothed +Gatun +GATV +Gatzke +gau +gaub +gauby +gauche +gauchely +gaucheness +gaucher +gaucherie +gaucheries +gauchest +Gaucho +gauchos +gaucy +gaucie +Gaud +gaudeamus +gaudeamuses +gaudery +gauderies +Gaudet +Gaudete +Gaudette +gaudful +gaudy +Gaudibert +gaudy-day +gaudier +Gaudier-Brzeska +gaudies +gaudiest +gaudy-green +gaudily +gaudiness +gaudinesses +gaudish +gaudless +gauds +gaudsman +gaufer +gauffer +gauffered +gaufferer +gauffering +gauffers +gauffre +gauffred +gaufre +gaufrette +gaufrettes +Gaugamela +gauge +gaugeable +gaugeably +gauged +gauger +gaugers +gaugership +gauges +Gaughan +gauging +Gauguin +Gauhati +gauily +gauk +Gaul +Gauldin +gaulding +Gauleiter +Gaulic +Gaulin +Gaulish +Gaulle +Gaullism +Gaullist +gauloiserie +gauls +gaulsh +Gault +gaulter +gaultherase +Gaultheria +gaultherin +gaultherine +Gaultiero +gaults +gaum +gaumed +gaumy +gauming +gaumish +gaumless +gaumlike +gaums +gaun +gaunch +Gaunt +gaunt-bellied +gaunted +gaunter +gauntest +gaunty +gauntlet +gauntleted +gauntleting +gauntlets +Gauntlett +gauntly +gauntness +gauntnesses +gauntree +gauntry +gauntries +gaup +gauping +gaupus +gaur +Gaura +gaure +Gauri +Gaurian +gauric +Gauricus +gaurie +gaurs +gaus +Gause +Gausman +Gauss +gaussage +gaussbergite +gausses +Gaussian +gaussmeter +gauster +gausterer +Gaut +Gautama +Gautea +gauteite +Gauthier +Gautier +Gautious +gauze +gauzelike +gauzes +gauzewing +gauze-winged +gauzy +gauzier +gauziest +gauzily +gauziness +Gav +gavage +gavages +gavall +Gavan +gave +gavel +gavelage +gaveled +gaveler +gavelet +gaveling +gavelkind +gavelkinder +gavelled +gaveller +gavelling +gavelman +gavelmen +gavelock +gavelocks +gavels +Gaven +gaverick +Gavette +Gavia +Gaviae +gavial +Gavialis +gavialoid +gavials +Gaviiformes +Gavin +Gavini +gavyuti +Gavle +gavot +gavots +gavotte +gavotted +gavottes +gavotting +Gavra +Gavrah +Gavriella +Gavrielle +Gavrila +Gavrilla +GAW +Gawain +gawby +gawcey +gawcie +Gawen +gawgaw +gawish +gawk +gawked +gawker +gawkers +gawkhammer +gawky +gawkier +gawkies +gawkiest +gawkihood +gawkily +gawkiness +gawking +gawkish +gawkishly +gawkishness +gawks +Gawlas +gawm +gawn +gawney +gawp +gawped +gawping +gawps +Gawra +gawsy +gawsie +gaz +gaz. +Gaza +gazabo +gazaboes +gazabos +gazangabin +Gazania +Gazankulu +gaze +gazebo +gazeboes +gazebos +gazed +gazee +gazeful +gazehound +gaze-hound +gazel +gazeless +Gazella +gazelle +gazelle-boy +gazelle-eyed +gazellelike +gazelles +gazelline +gazement +gazer +gazer-on +gazers +gazes +gazet +gazettal +gazette +gazetted +gazetteer +gazetteerage +gazetteerish +gazetteers +gazetteership +gazettes +gazetting +gazi +gazy +Gaziantep +gazing +gazingly +gazingstock +gazing-stock +Gazo +gazogene +gazogenes +gazolyte +gazometer +gazon +gazook +gazophylacium +gazoz +gazpacho +gazpachos +gazump +gazumped +gazumper +gazumps +gazzetta +Gazzo +GB +GBA +Gbari +Gbaris +GBE +GBG +GBH +GBIP +GBJ +GBM +GBS +GBT +GBZ +GC +Gc/s +GCA +g-cal +GCB +GCC +GCD +GCE +GCF +GCI +GCL +GCM +GCMG +gconv +gconvert +GCR +GCS +GCT +GCVO +GCVS +GD +Gda +Gdansk +GDB +Gde +Gdel +gdinfo +Gdynia +Gdns +GDP +GDR +GDS +gds. +GE +ge- +gea +Geadephaga +geadephagous +Geaghan +geal +Gean +Geanine +geanticlinal +geanticline +gear +Gearalt +Gearard +gearbox +gearboxes +gearcase +gearcases +gear-cutting +gear-driven +geared +Gearhart +Geary +gearing +gearings +gearksutite +gearless +gearman +gear-operated +gears +gearset +gearshift +gearshifts +gearwheel +gearwheels +gease +geason +geast +Geaster +Geat +Geatas +Geb +gebang +gebanga +Gebaur +gebbie +Gebelein +Geber +Gebhardt +Gebler +Gebrauchsmusik +gebur +gecarcinian +Gecarcinidae +Gecarcinus +geck +gecked +gecking +gecko +geckoes +geckoid +geckos +geckotian +geckotid +Geckotidae +geckotoid +gecks +GECOS +GECR +Ged +gedackt +gedact +Gedaliah +gedanite +gedanken +Gedankenexperiment +gedd +gedder +Geddes +gedds +gedeckt +gedecktwork +Gederathite +Gederite +gedrite +geds +gedunk +Gee +geebong +geebung +Geechee +geed +geegaw +geegaws +gee-gee +Geehan +gee-haw +geeing +geejee +geek +geeky +geekier +geekiest +geeks +geelbec +geelbeck +geelbek +geeldikkop +geelhout +Geelong +geepound +geepounds +Geer +geerah +Geerts +gees +geese +Geesey +geest +geests +geet +gee-throw +gee-up +Geez +Ge'ez +geezer +geezers +Gefell +Gefen +Geff +Geffner +gefilte +gefulltefish +gegenion +gegen-ion +Gegenschein +gegg +geggee +gegger +geggery +gehey +Geheimrat +Gehenna +Gehlbach +gehlenite +Gehman +Gehrig +gey +geyan +Geibel +geic +Geier +geyerite +Geiger +Geigertown +Geigy +Geikia +Geikie +geikielite +Geilich +geylies +gein +geir +geira +GEIS +geisa +GEISCO +Geisel +Geisenheimer +geyser +geyseral +geyseric +geyserine +geyserish +geyserite +geysers +Geyserville +geisha +geishas +Geismar +geison +geisotherm +geisothermal +Geiss +Geissoloma +Geissolomataceae +Geissolomataceous +Geissorhiza +geissospermin +geissospermine +Geist +Geistesgeschichte +geistlich +Geistown +Geithner +geitjie +geitonogamy +geitonogamous +Gekko +Gekkones +gekkonid +Gekkonidae +gekkonoid +Gekkota +Gel +Gela +gelable +gelada +geladas +gelandejump +gelandelaufer +gelandesprung +Gelanor +gelant +gelants +Gelasia +Gelasian +Gelasias +Gelasimus +Gelasius +gelastic +Gelastocoridae +gelate +gelated +gelates +gelati +gelatia +gelatification +gelatigenous +gelatin +gelatinate +gelatinated +gelatinating +gelatination +gelatin-coated +gelatine +gelatined +gelatines +gelating +gelatiniferous +gelatinify +gelatiniform +gelatinigerous +gelatinisation +gelatinise +gelatinised +gelatiniser +gelatinising +gelatinity +gelatinizability +gelatinizable +gelatinization +gelatinize +gelatinized +gelatinizer +gelatinizing +gelatino- +gelatinobromide +gelatinochloride +gelatinoid +gelatinotype +gelatinous +gelatinously +gelatinousness +gelatins +gelation +gelations +gelato +gelatos +gelatose +Gelb +geld +geldability +geldable +geldant +gelded +Geldens +gelder +Gelderland +gelders +geldesprung +gelding +geldings +gelds +Gelechia +gelechiid +Gelechiidae +Gelee +geleem +gelees +Gelene +Gelett +Gelfomino +Gelhar +Gelya +Gelibolu +gelid +Gelidiaceae +gelidity +gelidities +Gelidium +gelidly +gelidness +gelignite +gelilah +gelinotte +gell +gellant +gellants +gelled +Geller +Gellert +gelly +Gelligaer +gelling +Gellman +Gelman +gelndesprung +gelofer +gelofre +gelogenic +gelong +Gelonus +geloscopy +gelose +gelosie +gelosin +gelosine +gelotherapy +gelotometer +gelotoscopy +gelototherapy +gels +gel's +gelsemia +gelsemic +gelsemin +gelsemine +gelseminic +gelseminine +Gelsemium +gelsemiumia +gelsemiums +Gelsenkirchen +gelt +gelts +Gelugpa +GEM +Gemara +Gemaric +Gemarist +gematria +gematrical +gematriot +gemauve +gem-bearing +gem-bedewed +gem-bedizened +gem-bespangled +gem-bright +gem-cutting +gem-decked +gemeinde +gemeinschaft +gemeinschaften +gemel +gemeled +gemelled +gemellion +gemellione +gemellus +gemels +gem-engraving +gem-faced +gem-fruit +gem-grinding +Gemina +geminal +geminally +geminate +geminated +geminately +geminates +geminating +gemination +geminations +geminative +Gemini +Geminian +Geminiani +Geminid +geminiflorous +geminiform +geminis +Geminius +geminorum +geminous +Geminus +Gemitores +gemitorial +gemless +gemlich +gemlike +Gemma +gemmaceous +gemmae +gemman +gemmary +gemmate +gemmated +gemmates +gemmating +gemmation +gemmative +gemmed +gemmel +Gemmell +gemmeous +gemmer +gemmery +gemmy +gemmier +gemmiest +gemmiferous +gemmiferousness +gemmification +gemmiform +gemmily +gemminess +gemming +Gemmingia +gemmipara +gemmipares +gemmiparity +gemmiparous +gemmiparously +gemmoid +gemmology +gemmological +gemmologist +gemmologists +gemmula +gemmulation +gemmule +gemmules +gemmuliferous +Gemoets +gemology +gemological +gemologies +gemologist +gemologists +gemonies +gemot +gemote +gemotes +gemots +Gemperle +gempylid +GEMS +gem's +gemsbok +gemsboks +gemsbuck +gemsbucks +gemse +gemses +gem-set +gemshorn +gem-spangled +gemstone +gemstones +gemuetlich +Gemuetlichkeit +gemul +gemuti +gemutlich +Gemutlichkeit +gemwork +gen +gen- +Gen. +Gena +genae +genal +genapp +genappe +genapped +genapper +genapping +genarch +genarcha +genarchaship +genarchship +Genaro +gendarme +gendarmery +gendarmerie +gendarmes +gender +gendered +genderer +gendering +genderless +genders +gender's +gene +geneal +geneal. +genealogy +genealogic +genealogical +genealogically +genealogies +genealogist +genealogists +genealogize +genealogizer +genear +genearch +geneat +Geneautry +genecology +genecologic +genecological +genecologically +genecologist +genecor +Geneen +Geneina +geneki +geneology +geneological +geneologically +geneologist +geneologists +genep +genepi +genera +generability +generable +generableness +general +generalate +generalcy +generalcies +generale +generalia +Generalidad +generalific +generalisable +generalisation +generalise +generalised +generaliser +generalising +generalism +generalissima +generalissimo +generalissimos +generalist +generalistic +generalists +generalist's +generaliter +generality +generalities +generalizability +generalizable +generalization +generalizations +generalization's +generalize +generalizeable +generalized +generalizer +generalizers +generalizes +generalizing +generall +generally +generalness +general-purpose +generals +generalship +generalships +generalty +generant +generate +generated +generater +generates +generating +generation +generational +generationism +generations +generative +generatively +generativeness +generator +generators +generator's +generatrices +generatrix +generic +generical +generically +genericalness +genericness +generics +generification +generis +generosity +generosities +generosity's +generous +generous-hearted +generously +generousness +generousnesses +genes +gene's +Genesa +Genesco +Genesee +Geneseo +geneserin +geneserine +geneses +Genesia +Genesiac +Genesiacal +genesial +genesic +genesiology +genesis +Genesitic +genesiurgic +gene-string +Genet +genethliac +genethliacal +genethliacally +genethliacism +genethliacon +genethliacs +genethlialogy +genethlialogic +genethlialogical +genethliatic +genethlic +genetic +genetical +genetically +geneticism +geneticist +geneticists +genetics +genetika +Genetyllis +genetmoil +genetoid +genetor +genetous +Genetrix +genets +Genetta +genette +genettes +Geneura +Geneva +Geneva-cross +Genevan +genevas +Geneve +Genevese +Genevi +Genevieve +Genevois +genevoise +Genevra +Genf +Genfersee +genghis +Gengkow +geny +Genia +genial +geniality +genialities +genialize +genially +genialness +genian +genyantrum +genic +genically +genicular +geniculate +geniculated +geniculately +geniculation +geniculum +Genie +genies +genii +genin +genio +genio- +genioglossal +genioglossi +genioglossus +geniohyoglossal +geniohyoglossus +geniohyoid +geniolatry +genion +Genyophrynidae +genioplasty +genyoplasty +genip +Genipa +genipap +genipapada +genipaps +genyplasty +genips +genys +genisaro +Genisia +Genista +genistein +genistin +genit +genit. +genital +genitalia +genitalial +genitalic +genitally +genitals +geniting +genitival +genitivally +genitive +genitives +genito- +genitocrural +genitofemoral +genitor +genitory +genitorial +genitors +genitourinary +Genitrix +geniture +genitures +genius +geniuses +genius's +genizah +genizero +Genk +Genl +Genl. +Genna +Gennaro +Gennevilliers +Genni +Genny +Gennie +Gennifer +Geno +geno- +Genoa +genoas +genoblast +genoblastic +genocidal +genocide +genocides +Genoese +genoise +genoises +Genolla +genom +genome +genomes +genomic +genoms +genonema +genophobia +genos +genospecies +genotype +genotypes +genotypic +genotypical +genotypically +genotypicity +genouillere +genous +Genova +Genovera +Genovese +Genoveva +genovino +genre +genres +genre's +genro +genros +gens +Gensan +genseng +gensengs +Genseric +Gensler +Gensmer +genson +Gent +gentamicin +genteel +genteeler +genteelest +genteelish +genteelism +genteelize +genteelly +genteelness +Gentes +genthite +genty +gentian +Gentiana +Gentianaceae +gentianaceous +gentianal +Gentianales +gentianella +gentianic +gentianin +gentianose +gentians +gentianwort +gentiin +gentil +Gentile +gentiledom +gentile-falcon +gentiles +gentilesse +gentilhomme +gentilic +Gentilis +gentilish +gentilism +gentility +gentilitial +gentilitian +gentilities +gentilitious +gentilization +gentilize +gentill- +Gentille +gentiobiose +gentiopicrin +gentisate +gentisein +gentisic +gentisin +gentium +gentle +gentle-born +gentle-bred +gentle-browed +gentled +gentle-eyed +gentlefolk +gentlefolks +gentle-handed +gentle-handedly +gentle-handedness +gentlehearted +gentleheartedly +gentleheartedness +gentlehood +gentle-looking +gentleman +gentleman-adventurer +gentleman-agent +gentleman-at-arms +gentleman-beggar +gentleman-cadet +gentleman-commoner +gentleman-covenanter +gentleman-dependent +gentleman-digger +gentleman-farmer +gentlemanhood +gentlemanism +gentlemanize +gentleman-jailer +gentleman-jockey +gentleman-lackey +gentlemanly +gentlemanlike +gentlemanlikeness +gentlemanliness +gentleman-lodger +gentleman-murderer +gentle-mannered +gentle-manneredly +gentle-manneredness +gentleman-pensioner +gentleman-porter +gentleman-priest +gentleman-ranker +gentleman-recusant +gentleman-rider +gentleman-scholar +gentleman-sewer +gentlemanship +gentleman-tradesman +gentleman-usher +gentleman-vagabond +gentleman-volunteer +gentleman-waiter +gentlemen +gentlemen-at-arms +gentlemen-commoners +gentlemen-farmers +gentlemen-pensioners +gentlemens +gentle-minded +gentle-mindedly +gentle-mindedness +gentlemouthed +gentle-natured +gentle-naturedly +gentle-naturedness +gentleness +gentlenesses +gentlepeople +gentler +gentles +gentleship +gentle-spoken +gentle-spokenly +gentle-spokenness +gentlest +gentle-voiced +gentle-voicedly +gentle-voicedness +gentlewoman +gentlewomanhood +gentlewomanish +gentlewomanly +gentlewomanlike +gentlewomanliness +gentlewomen +gently +gentling +gentman +Gentoo +Gentoos +Gentry +gentrice +gentrices +gentries +gentrify +gentrification +Gentryville +gents +genu +genua +genual +Genucius +genuclast +genuflect +genuflected +genuflecting +genuflection +genuflections +genuflector +genuflectory +genuflects +genuflex +genuflexion +genuflexuous +genuine +genuinely +genuineness +genuinenesses +genupectoral +genus +genuses +Genvieve +GEO +geo- +geoaesthesia +geoagronomic +geobiology +geobiologic +geobiont +geobios +geoblast +geobotany +geobotanic +geobotanical +geobotanically +geobotanist +geocarpic +geocentric +geocentrical +geocentrically +geocentricism +geocerite +geochemical +geochemically +geochemist +geochemistry +geochemists +geochrony +geochronic +geochronology +geochronologic +geochronological +geochronologically +geochronologist +geochronometry +geochronometric +geocyclic +geocline +Geococcyx +geocoronium +geocratic +geocronite +geod +geod. +geodaesia +geodal +geode +geodes +geodesy +geodesia +geodesic +geodesical +geodesics +geodesies +geodesist +geodesists +geodete +geodetic +geodetical +geodetically +geodetician +geodetics +geodiatropism +geodic +geodiferous +geodynamic +geodynamical +geodynamicist +geodynamics +geodist +geoduck +geoducks +geoemtry +geoethnic +Geof +Geoff +Geoffrey +Geoffry +geoffroyin +geoffroyine +geoform +geog +geog. +geogen +geogenesis +geogenetic +geogeny +geogenic +geogenous +geoglyphic +Geoglossaceae +Geoglossum +geognosy +geognosies +geognosis +geognosist +geognost +geognostic +geognostical +geognostically +geogony +geogonic +geogonical +geographer +geographers +geography +geographic +geographical +geographically +geographics +geographies +geographism +geographize +geographized +geohydrology +geohydrologic +geohydrologist +geoid +geoidal +geoids +geoid-spheroid +geoisotherm +geol +geol. +geolatry +GeolE +geolinguistics +geologer +geologers +geology +geologian +geologic +geological +geologically +geologician +geologies +geologise +geologised +geologising +geologist +geologists +geologist's +geologize +geologized +geologizing +geom +geom. +geomagnetic +geomagnetically +geomagnetician +geomagnetics +geomagnetism +geomagnetist +geomaly +geomalic +geomalism +geomance +geomancer +geomancy +geomancies +geomant +geomantic +geomantical +geomantically +geomechanics +geomedical +geomedicine +geometdecrne +geometer +geometers +geometry +geometric +geometrical +geometrically +geometrician +geometricians +geometricism +geometricist +geometricize +geometrid +Geometridae +geometries +geometriform +Geometrina +geometrine +geometrise +geometrised +geometrising +geometrize +geometrized +geometrizing +geometroid +Geometroidea +geomyid +Geomyidae +Geomys +geomoroi +geomorphy +geomorphic +geomorphist +geomorphogeny +geomorphogenic +geomorphogenist +geomorphology +geomorphologic +geomorphological +geomorphologically +geomorphologist +Geon +geonavigation +geo-navigation +geonegative +Geonic +geonyctinastic +geonyctitropic +Geonim +Geonoma +geoparallelotropic +geophagy +geophagia +geophagies +geophagism +geophagist +geophagous +Geophila +geophilid +Geophilidae +geophilous +Geophilus +geophysical +geophysically +geophysicist +geophysicists +geophysics +geophyte +geophytes +geophytic +Geophone +geophones +geoplagiotropism +Geoplana +Geoplanidae +geopolar +geopolitic +geopolitical +geopolitically +geopolitician +geopolitics +Geopolitik +geopolitist +geopony +geoponic +geoponical +geoponics +geopositive +geopotential +geoprobe +Geoprumnon +georama +Georas +Geordie +Georg +Georgadjis +Georgann +George +Georgeanna +Georgeanne +Georged +Georgemas +Georgena +Georgene +Georges +Georgesman +Georgesmen +Georgeta +Georgetown +Georgetta +Georgette +Georgi +Georgy +Georgia +georgiadesite +Georgian +Georgiana +Georgianna +Georgianne +georgians +georgic +georgical +georgics +Georgie +Georgina +Georgine +georgium +Georgius +Georglana +geoscience +geoscientist +geoscientists +geoscopy +geoscopic +geoselenic +geosid +geoside +geosynchronous +geosynclinal +geosyncline +geosynclines +geosphere +Geospiza +geostatic +geostatics +geostationary +geostrategy +geostrategic +geostrategist +geostrophic +geostrophically +geotactic +geotactically +geotaxes +geotaxy +geotaxis +geotechnic +geotechnics +geotectology +geotectonic +geotectonically +geotectonics +Geoteuthis +geotherm +geothermal +geothermally +geothermic +geothermometer +Geothlypis +geoty +geotic +geotical +geotilla +geotonic +geotonus +geotropy +geotropic +geotropically +geotropism +Gepeoo +Gephyrea +gephyrean +gephyrocercal +gephyrocercy +gephyrophobia +Gepidae +gepoun +Gepp +Ger +Ger. +Gera +geraera +gerah +gerahs +Geraint +Gerald +Geralda +Geraldina +Geraldine +Geraldton +Geraniaceae +geraniaceous +geranial +Geraniales +geranials +geranic +geranyl +geranin +geraniol +geraniols +Geranium +geraniums +geranomorph +Geranomorphae +geranomorphic +Gerar +gerara +Gerard +gerardia +gerardias +Gerardo +Gerasene +gerastian +gerate +gerated +gerately +geraty +geratic +geratology +geratologic +geratologous +Geraud +gerb +Gerbatka +gerbe +Gerber +Gerbera +gerberas +Gerberia +gerbil +gerbille +gerbilles +Gerbillinae +Gerbillus +gerbils +gerbo +Gerbold +gercrow +Gerd +Gerda +Gerdeen +Gerdi +Gerdy +Gerdie +Gerdye +Gere +gereagle +gerefa +Gerek +Gereld +gerenda +gerendum +gerent +gerents +gerenuk +gerenuks +Gereron +gerfalcon +Gerfen +gerful +Gerge +Gerger +Gerhan +Gerhard +Gerhardine +Gerhardt +gerhardtite +Gerhardus +Gerhart +Geri +Gery +Gerianna +Gerianne +geriatric +geriatrician +geriatrics +geriatrist +Gericault +Gerick +Gerygone +Gerik +gerim +Gering +Geryon +Geryoneo +Geryones +Geryonia +geryonid +Geryonidae +Geryoniidae +gerip +Gerita +Gerius +gerkin +Gerkman +Gerlac +Gerlach +Gerlachovka +Gerladina +gerland +Gerlaw +germ +Germain +Germaine +Germayne +germal +German +Germana +German-american +German-built +germander +germane +germanely +germaneness +German-english +Germanesque +German-french +Germanhood +German-hungarian +Germany +Germania +Germanic +Germanical +Germanically +Germanics +germanies +Germanify +Germanification +germanyl +germanious +Germanisation +Germanise +Germanised +Germaniser +Germanish +Germanising +Germanism +Germanist +Germanistic +German-italian +germanite +Germanity +germanium +germaniums +Germanization +Germanize +Germanized +Germanizer +Germanizing +German-jewish +Germanly +German-made +Germann +Germanness +Germano +germano- +Germanocentric +Germanomania +Germanomaniac +Germanophile +Germanophilist +Germanophobe +Germanophobia +Germanophobic +Germanophobist +germanous +German-owned +German-palatine +germans +german's +German-speaking +Germansville +German-swiss +Germanton +Germantown +germarium +Germaun +germen +germens +germ-forming +germfree +germy +germicidal +germicide +germicides +germiculture +germier +germiest +germifuge +germigene +germigenous +Germin +germina +germinability +germinable +Germinal +germinally +germinance +germinancy +germinant +germinate +germinated +germinates +germinating +germination +germinational +germinations +germinative +germinatively +germinator +germing +germiniparous +germinogony +germiparity +germiparous +Germiston +germless +germlike +germling +germon +germproof +germs +germ's +germule +gernative +Gernhard +gernitz +gerocomy +gerocomia +gerocomical +geroderma +gerodermia +gerodontia +gerodontic +gerodontics +gerodontology +Gerome +geromorphism +Gerona +Geronimo +Geronomite +geront +geront- +gerontal +gerontes +gerontic +gerontine +gerontism +geronto +geronto- +gerontocracy +gerontocracies +gerontocrat +gerontocratic +gerontogeous +gerontology +gerontologic +gerontological +gerontologies +gerontologist +gerontologists +gerontomorphosis +gerontophilia +gerontotherapy +gerontotherapies +gerontoxon +geropiga +gerous +Gerousia +Gerrald +Gerrard +Gerrardstown +Gerres +gerrhosaurid +Gerrhosauridae +Gerri +Gerry +Gerridae +Gerrie +Gerrilee +gerrymander +gerrymandered +gerrymanderer +gerrymandering +gerrymanders +Gerrit +Gers +Gersam +gersdorffite +Gersham +Gershom +Gershon +Gershonite +Gershwin +Gerson +Gerstein +Gerstner +gersum +Gert +Gerta +Gerti +Gerty +Gertie +Gerton +Gertrud +Gertruda +Gertrude +Gertrudis +gerund +gerundial +gerundially +gerundival +gerundive +gerundively +gerunds +Gerusia +Gervais +gervao +Gervas +Gervase +Gerzean +Ges +Gesan +Gesell +Gesellschaft +gesellschaften +Geshurites +gesith +gesithcund +gesithcundman +gesling +Gesner +Gesnera +Gesneraceae +gesneraceous +gesnerad +Gesneria +Gesneriaceae +gesneriaceous +Gesnerian +gesning +gess +gessamine +Gessen +gesseron +Gessner +gesso +gessoed +gessoes +gest +gestae +Gestalt +gestalten +gestalter +gestaltist +gestalts +gestant +Gestapo +gestapos +gestate +gestated +gestates +gestating +gestation +gestational +gestations +gestative +gestatory +gestatorial +gestatorium +geste +gested +gesten +gestening +gester +gestes +gestic +gestical +gesticulacious +gesticulant +gesticular +gesticularious +gesticulate +gesticulated +gesticulates +gesticulating +gesticulation +gesticulations +gesticulative +gesticulatively +gesticulator +gesticulatory +gestio +gestion +gestning +gestonie +gestor +gests +gestura +gestural +gesture +gestured +gestureless +gesturer +gesturers +gestures +gesturing +gesturist +Gesualdo +gesundheit +geswarp +ges-warp +get +geta +getable +Getae +getah +getas +getatability +get-at-ability +getatable +get-at-able +getatableness +get-at-ableness +getaway +get-away +getaways +getfd +Geth +gether +Gethsemane +Gethsemanic +Getic +getid +getling +getmesost +getmjlkost +get-off +get-out +getpenny +Getraer +gets +getspa +getspace +Getsul +gettable +gettableness +Getter +gettered +gettering +getters +getter's +Getty +getting +Gettings +Gettysburg +get-together +get-tough +getup +get-up +get-up-and-get +get-up-and-go +getups +Getzville +geulah +Geulincx +Geullah +Geum +geumatophobia +geums +GeV +Gevaert +gewgaw +gewgawed +gewgawy +gewgawish +gewgawry +gewgaws +Gewirtz +Gewrztraminer +Gex +gez +Gezer +gezerah +Gezira +GFCI +G-flat +GFTU +GG +GGP +ggr +GH +GHA +ghaffir +ghafir +ghain +ghaist +ghalva +Ghan +Ghana +Ghanaian +ghanaians +Ghanian +Ghardaia +gharial +gharnao +gharri +gharry +gharries +gharris +gharry-wallah +Ghassan +Ghassanid +ghast +ghastful +ghastfully +ghastfulness +ghastily +ghastly +ghastlier +ghastliest +ghastlily +ghastliness +ghat +Ghats +ghatti +ghatwal +ghatwazi +ghaut +ghauts +ghawazee +ghawazi +ghazal +Ghazali +ghazel +ghazi +ghazies +ghazis +ghazism +Ghaznevid +Ghazzah +Ghazzali +ghbor +Gheber +ghebeta +Ghedda +ghee +Gheen +Gheens +ghees +Gheg +Ghegish +Ghelderode +gheleem +Ghent +ghenting +Gheorghe +gherao +gheraoed +gheraoes +gheraoing +Gherardi +Gherardo +gherkin +gherkins +Gherlein +ghess +ghetchoo +ghetti +ghetto +ghetto-dwellers +ghettoed +ghettoes +ghettoing +ghettoization +ghettoize +ghettoized +ghettoizes +ghettoizing +ghettos +ghi +Ghibelline +Ghibellinism +Ghiberti +ghibli +ghiblis +ghyll +ghillie +ghillies +ghylls +Ghilzai +Ghiordes +Ghirlandaio +Ghirlandajo +ghis +Ghiselin +ghizite +ghole +ghoom +ghorkhar +ghost +ghostcraft +ghostdom +ghosted +ghoster +ghostess +ghost-fearing +ghost-filled +ghostfish +ghostfishes +ghostflower +ghost-haunted +ghosthood +ghosty +ghostier +ghostiest +ghostified +ghostily +ghosting +ghostish +ghostism +ghostland +ghostless +ghostlet +ghostly +ghostlier +ghostliest +ghostlify +ghostlike +ghostlikeness +ghostlily +ghostliness +ghostmonger +ghostology +ghost-ridden +Ghosts +ghostship +ghostweed +ghost-weed +ghostwrite +ghostwriter +ghost-writer +ghostwriters +ghostwrites +ghostwriting +ghostwritten +ghostwrote +ghoul +ghoulery +ghoulie +ghoulish +ghoulishly +ghoulishness +ghouls +GHQ +GHRS +ghrush +ghurry +Ghuz +GHZ +GI +Gy +gy- +gi. +Giacamo +Giacinta +Giacobo +Giacometti +Giacomo +Giacomuzzo +Giacopo +Giai +Giaimo +Gyaing +gyal +giallolino +giambeux +Giamo +Gian +Giana +Gyani +Gianina +Gianna +Gianni +Giannini +Giansar +giant +giantesque +giantess +giantesses +gianthood +giantish +giantism +giantisms +giantize +giantkind +giantly +giantlike +giant-like +giantlikeness +giantry +giants +giant's +giantship +giantsize +giant-sized +giaour +giaours +Giardia +giardiasis +Giarla +giarra +giarre +Gyarung +Gyas +gyascutus +Gyasi +gyassa +Gyatt +Giauque +Giavani +Gib +gibaro +Gibb +gibbals +gibbar +gibbartas +gibbed +Gibbeon +gibber +gibbered +Gibberella +gibberellin +gibbergunyah +gibbering +gibberish +gibberishes +gibberose +gibberosity +gibbers +gibbert +gibbet +gibbeted +gibbeting +gibbets +gibbetted +gibbetting +gibbetwise +Gibbi +Gibby +Gibbie +gibbier +gibbing +gibbled +gibblegabble +gibble-gabble +gibblegabbler +gibble-gabbler +gibblegable +gibbles +gibbol +Gibbon +Gibbons +Gibbonsville +gibbose +gibbosely +gibboseness +gibbosity +gibbosities +gibboso- +gibbous +gibbously +gibbousness +Gibbs +Gibbsboro +gibbsite +gibbsites +Gibbstown +gibbus +gib-cat +Gibe +gybe +gibed +gybed +gibel +gibelite +Gibeon +Gibeonite +giber +gyber +gibers +Gibert +gibes +gybes +gibetting +gib-head +gibier +Gibil +gibing +gybing +gibingly +gibleh +giblet +giblet-check +giblet-checked +giblet-cheek +giblets +gibli +giboia +Giboulee +Gibraltar +Gibran +Gibrian +gibs +Gibsland +Gibson +Gibsonburg +Gibsonia +gibsons +Gibsonton +Gibsonville +gibstaff +Gibun +gibus +gibuses +GID +GI'd +giddap +giddea +giddy +giddyap +giddyberry +giddybrain +giddy-brained +giddy-drunk +giddied +giddier +giddies +giddiest +giddify +giddy-go-round +giddyhead +giddy-headed +giddying +giddyish +giddily +giddiness +giddinesses +Giddings +giddy-paced +giddypate +giddy-pated +giddyup +giddy-witted +Gide +Gideon +Gideonite +gidgea +gidgee +gidyea +gidjee +gids +gie +gye +gieaway +gieaways +gied +Giefer +gieing +Gielgud +gien +Gienah +gier-eagle +Gierek +gierfalcon +Gies +Gyes +Giesecke +gieseckite +Gieseking +giesel +Giess +Giessen +Giesser +GIF +gifblaar +Giff +Giffard +Giffer +Gifferd +giffgaff +giff-gaff +Giffy +Giffie +Gifford +Gifola +gift +giftbook +gifted +giftedly +giftedness +giftie +gifting +giftless +giftlike +giftling +gift-rope +gifts +gifture +giftware +giftwrap +gift-wrap +gift-wrapped +gift-wrapper +giftwrapping +gift-wrapping +gift-wrapt +Gifu +gig +giga +giga- +gigabit +gigabyte +gigabytes +gigabits +gigacycle +gigadoid +Gygaea +gigahertz +gigahertzes +gigaherz +gigamaree +gigameter +gigant +gigant- +gigantal +Gigante +gigantean +Gigantes +gigantesque +gigantic +gigantical +gigantically +giganticidal +giganticide +giganticness +gigantine +gigantism +gigantize +gigantoblast +gigantocyte +gigantolite +gigantology +gigantological +gigantomachy +gigantomachia +Gigantopithecus +Gigantosaurus +Gigantostraca +gigantostracan +gigantostracous +Gigartina +Gigartinaceae +gigartinaceous +Gigartinales +gigas +gigasecond +gigaton +gigatons +gigavolt +gigawatt +gigawatts +gigback +Gyge +gigelira +gigeria +gigerium +Gyges +gigful +gigge +gigged +gigger +gigget +gigging +giggish +giggit +giggle +giggled +giggledom +gigglement +giggler +gigglers +giggles +gigglesome +giggly +gigglier +giggliest +giggling +gigglingly +gigglish +gighe +Gigi +Gygis +gig-lamp +Gigle +giglet +giglets +Gigli +gigliato +Giglio +giglot +giglots +gigman +gigmaness +gigmanhood +gigmania +gigmanic +gigmanically +gigmanism +gigmanity +gig-mill +Gignac +gignate +gignitive +GIGO +gigolo +gigolos +gigot +gigots +gigs +gigsman +gigsmen +gigster +gigtree +gigue +Giguere +gigues +gigunu +giher +Gyimah +GI'ing +giinwale +Gij +Gijon +Gil +Gila +Gilaki +Gilba +Gilbart +Gilbert +Gilberta +gilbertage +Gilberte +Gilbertese +Gilbertian +Gilbertianism +Gilbertina +Gilbertine +gilbertite +Gilberto +Gilberton +Gilbertown +Gilberts +Gilbertson +Gilbertsville +Gilbertville +Gilby +Gilbye +Gilboa +Gilburt +Gilchrist +Gilcrest +gild +Gilda +gildable +Gildas +Gildea +gilded +gildedness +gilden +Gylden +Gilder +gilders +Gildford +gildhall +gildhalls +gilding +gildings +gilds +gildship +gildsman +gildsmen +Gildus +Gile +gyle +Gilead +Gileadite +gyle-fat +Gilels +Gilemette +gilenyer +gilenyie +Gileno +Giles +gilet +Gilford +gilgai +Gilgal +gilgames +Gilgamesh +Gilges +gilgie +gilguy +gilgul +gilgulim +Gilia +Giliak +Giliana +Giliane +gilim +Gylys +Gill +gill-ale +Gillan +gillar +gillaroo +gillbird +gill-book +gill-cup +Gillead +gilled +Gilley +Gillenia +Gilleod +giller +gillers +Gilles +Gillespie +Gillett +Gilletta +Gillette +gillflirt +gill-flirt +Gillham +gillhooter +Gilli +Gilly +Gilliam +Gillian +Gillie +gillied +gillies +Gilliette +gillie-wetfoot +gillie-whitefoot +gilliflirt +gilliflower +gillyflower +Gilligan +gillygaupus +gillying +gilling +Gillingham +gillion +gilliver +gill-less +gill-like +Gillman +Gillmore +gillnet +gillnets +gillnetted +gill-netter +gillnetting +gillot +gillotage +gillotype +gill-over-the-ground +Gillray +gill-run +gills +gill's +gill-shaped +gillstoup +Gillsville +Gilman +Gilmanton +Gilmer +Gilmore +Gilmour +gilo +Gilolo +gilour +gilpey +gilpy +Gilpin +gilravage +gilravager +Gilroy +gils +gilse +Gilson +Gilsonite +Gilsum +gilt +giltcup +gilt-edge +gilt-edged +gilten +gilt-handled +gilthead +gilt-head +gilt-headed +giltheads +gilty +gilt-knobbed +Giltner +gilt-robed +gilts +gilttail +gilt-tail +Giltzow +Gilud +Gilus +gilver +gim +gym +gimbal +gimbaled +gimbaling +gimbaljawed +gimballed +gimballing +gimbals +gimbawawed +Gimbel +gimberjawed +Gimble +gimblet +gimbri +gimcrack +gimcrackery +gimcracky +gimcrackiness +gimcracks +gimel +gymel +gimels +Gimirrai +gymkhana +gymkhanas +gimlet +gimleted +gimleteyed +gimlet-eyed +gimlety +gimleting +gimlets +gymm- +gimmal +gymmal +gimmaled +gimmals +gimme +gimmer +gimmeringly +gimmerpet +gimmick +gimmicked +gimmickery +gimmicky +gimmicking +gimmickry +gimmicks +gimmick's +gimmie +gimmies +gimmor +Gymnadenia +Gymnadeniopsis +Gymnanthes +gymnanthous +Gymnarchidae +Gymnarchus +gymnasia +gymnasial +gymnasiarch +gymnasiarchy +gymnasiast +gymnasic +gymnasisia +gymnasisiums +Gymnasium +gymnasiums +gymnasium's +gymnast +gymnastic +gymnastical +gymnastically +gymnastics +gymnasts +gymnast's +gymnemic +gymnetrous +gymnic +gymnical +gymnics +gymnite +gymno- +Gymnoblastea +gymnoblastic +Gymnocalycium +gymnocarpic +gymnocarpous +Gymnocerata +gymnoceratous +gymnocidium +Gymnocladus +Gymnoconia +Gymnoderinae +Gymnodiniaceae +gymnodiniaceous +Gymnodiniidae +Gymnodinium +gymnodont +Gymnodontes +gymnogen +gymnogene +gymnogenous +gymnogynous +Gymnogyps +Gymnoglossa +gymnoglossate +Gymnolaema +Gymnolaemata +gymnolaematous +Gymnonoti +Gymnopaedes +gymnopaedic +gymnophiona +gymnophobia +gymnoplast +Gymnorhina +gymnorhinal +Gymnorhininae +gymnosoph +gymnosophy +gymnosophical +gymnosophist +gymnosperm +Gymnospermae +gymnospermal +gymnospermy +gymnospermic +gymnospermism +Gymnospermous +gymnosperms +Gymnosporangium +gymnospore +gymnosporous +Gymnostomata +Gymnostomina +gymnostomous +Gymnothorax +gymnotid +Gymnotidae +Gymnotoka +gymnotokous +Gymnotus +Gymnura +gymnure +Gymnurinae +gymnurine +gimp +gimped +Gimpel +gimper +gimpy +gympie +gimpier +gimpiest +gimping +gimps +gyms +gymsia +gymslip +GIN +gyn +gyn- +Gina +gynaecea +gynaeceum +gynaecia +gynaecian +gynaecic +gynaecium +gynaeco- +gynaecocoenic +gynaecocracy +gynaecocracies +gynaecocrat +gynaecocratic +gynaecoid +gynaecol +gynaecology +gynaecologic +gynaecological +gynaecologist +gynaecomasty +gynaecomastia +gynaecomorphous +gynaeconitis +Gynaecothoenas +gynaeocracy +gynaeolater +gynaeolatry +gynander +gynandrarchy +gynandrarchic +gynandry +Gynandria +gynandrian +gynandries +gynandrism +gynandro- +gynandroid +gynandromorph +gynandromorphy +gynandromorphic +gynandromorphism +gynandromorphous +gynandrophore +gynandrosporous +gynandrous +gynantherous +gynarchy +gynarchic +gynarchies +Ginder +Gine +gyne +gynec- +gyneccia +gynecia +gynecic +gynecidal +gynecide +gynecium +gyneco- +gynecocentric +gynecocracy +gynecocracies +gynecocrat +gynecocratic +gynecocratical +gynecoid +gynecol +gynecolatry +gynecology +gynecologic +gynecological +gynecologies +gynecologist +gynecologists +gynecomania +gynecomaniac +gynecomaniacal +gynecomasty +gynecomastia +gynecomastism +gynecomazia +gynecomorphous +gyneconitis +gynecopathy +gynecopathic +gynecophore +gynecophoric +gynecophorous +gynecotelic +gynecratic +Ginelle +gyneocracy +gyneolater +gyneolatry +ginep +gynephobia +Gynergen +Gynerium +ginete +gynethusia +gynetype +Ginevra +ging +gingal +gingall +gingalls +gingals +gingeley +gingeleys +gingeli +gingely +gingelies +gingelis +gingelli +gingelly +gingellies +Ginger +gingerade +ginger-beer +ginger-beery +gingerberry +gingerbread +gingerbready +gingerbreads +ginger-color +ginger-colored +gingered +ginger-faced +ginger-hackled +ginger-haired +gingery +gingerin +gingering +gingerleaf +gingerly +gingerline +gingerliness +gingerness +gingernut +gingerol +gingerous +ginger-pop +ginger-red +gingerroot +gingers +gingersnap +gingersnaps +gingerspice +gingerwork +gingerwort +gingham +ginghamed +ginghams +gingili +gingilis +gingilli +gingiv- +gingiva +gingivae +gingival +gingivalgia +gingivectomy +gingivitis +gingivitises +gingivoglossitis +gingivolabial +gingko +gingkoes +gingle +gingles +ginglyform +ginglymi +ginglymoarthrodia +ginglymoarthrodial +Ginglymodi +ginglymodian +ginglymoid +ginglymoidal +Ginglymostoma +ginglymostomoid +ginglymus +ginglyni +ginglmi +Gingras +ginhound +ginhouse +gyny +gyniatry +gyniatrics +gyniatries +gynic +gynics +gyniolatry +gink +Ginkgo +Ginkgoaceae +ginkgoaceous +Ginkgoales +ginkgoes +ginkgos +ginks +ginmill +gin-mill +Ginn +ginned +ginney +ginnel +ginner +ginnery +ginneries +ginners +ginnet +Ginni +Ginny +ginny-carriage +Ginnie +ginnier +ginniest +Ginnifer +ginning +ginnings +ginnle +Ginnungagap +Gino +gyno- +gynobase +gynobaseous +gynobasic +gynocardia +gynocardic +gynocracy +gynocratic +gynodioecious +gynodioeciously +gynodioecism +gynoecia +gynoecium +gynoeciumcia +gynogenesis +gynogenetic +gynomonecious +gynomonoecious +gynomonoeciously +gynomonoecism +gynopara +gynophagite +gynophore +gynophoric +ginorite +gynosporangium +gynospore +gynostegia +gynostegigia +gynostegium +gynostemia +gynostemium +gynostemiumia +gynous +gin-palace +gin-run +gins +gin's +gin-saw +Ginsberg +Ginsburg +ginseng +ginsengs +gin-shop +gin-sling +Gintz +Gynura +ginward +Ginza +Ginzberg +Ginzburg +ginzo +ginzoes +Gio +giobertite +Gioconda +giocoso +giojoso +gyokuro +Giono +Gyor +Giordano +Giorgi +Giorgia +Giorgio +Giorgione +giornata +giornatate +Giottesque +Giotto +Giovanna +Giovanni +Giovannida +gip +gyp +Gypaetus +gype +gyplure +gyplures +gipon +gipons +Gyppaz +gipped +gypped +gipper +gypper +gyppery +gippers +gyppers +Gippy +gipping +gypping +gippo +Gyppo +Gipps +Gippsland +gyp-room +gips +Gyps +gipseian +gypseian +gypseous +gipser +Gipsy +Gypsy +gipsydom +gypsydom +gypsydoms +Gypsie +gipsied +gypsied +Gipsies +Gypsies +gipsyesque +gypsyesque +gypsiferous +gipsyfy +gypsyfy +gipsyhead +gypsyhead +gipsyhood +gypsyhood +gipsying +gypsying +gipsyish +gypsyish +gipsyism +gypsyism +gypsyisms +gipsylike +gypsylike +gypsy-like +gypsine +gipsiologist +gypsiologist +gipsire +gipsyry +gypsyry +gipsy's +gypsy's +gypsite +gipsyweed +gypsyweed +gypsywise +gipsywort +gypsywort +gypsography +gipsology +gypsology +gypsologist +Gipson +Gypsophila +gypsophily +gypsophilous +gypsoplast +gypsous +gypster +gypsters +gypsum +gypsumed +gypsuming +gypsums +gyr- +Gyracanthus +Girafano +Giraffa +giraffe +giraffes +giraffe's +giraffesque +Giraffidae +giraffine +giraffish +giraffoid +gyral +Giralda +Giraldo +gyrally +Girand +girandola +girandole +gyrant +Girard +Girardi +Girardo +girasol +girasole +girasoles +girasols +gyrate +gyrated +gyrates +gyrating +gyration +gyrational +gyrations +gyrator +gyratory +gyrators +Giraud +Giraudoux +girba +gird +girded +girder +girderage +girdering +girderless +girders +girder's +girding +girdingly +girdle +girdlecake +girdled +girdlelike +Girdler +girdlers +girdles +girdlestead +Girdletree +girdling +girdlingly +girds +Girdwood +gire +gyre +gyrectomy +gyrectomies +gyred +Girella +Girellidae +Gyrencephala +gyrencephalate +gyrencephalic +gyrencephalous +gyrene +gyrenes +gyres +gyrfalcon +gyrfalcons +Girgashite +Girgasite +Girgenti +Girhiny +gyri +gyric +gyring +gyrinid +Gyrinidae +Gyrinus +Girish +girja +girkin +girl +girland +girlchild +girleen +girlery +girlfriend +girlfriends +girlfully +girlhood +girlhoods +girly +girlie +girlies +girliness +girling +girlish +girlishly +girlishness +girlism +girllike +girllikeness +girl-o +girl-os +girls +girl's +girl-shy +girl-watcher +girn +girnal +girned +girnel +girny +girnie +girning +girns +giro +gyro +gyro- +gyrocar +gyroceracone +gyroceran +Gyroceras +gyrochrome +gyrocompass +gyrocompasses +Gyrodactylidae +Gyrodactylus +gyrodyne +giroflore +gyrofrequency +gyrofrequencies +gyrogonite +gyrograph +gyrohorizon +gyroidal +gyroidally +Girolamo +gyrolite +gyrolith +gyroma +gyromagnetic +gyromancy +gyromele +gyrometer +Gyromitra +giron +gyron +Gironde +Girondin +Girondism +Girondist +gironny +gyronny +girons +gyrons +Gyrophora +Gyrophoraceae +Gyrophoraceous +gyrophoric +gyropigeon +Gyropilot +gyroplane +giros +gyros +gyroscope +gyroscopes +gyroscope's +gyroscopic +gyroscopically +gyroscopics +gyrose +gyrosyn +girosol +girosols +gyrostabilized +gyrostabilizer +Gyrostachys +gyrostat +gyrostatic +gyrostatically +gyrostatics +gyrostats +Gyrotheca +girouette +girouettes +girouettism +gyrous +gyrovagi +gyrovague +gyrovagues +Girovard +gyrowheel +girr +girrit +girrock +Girru +girse +girsh +girshes +girsle +girt +girted +girth +girthed +girthing +girthline +girths +girth-web +Girtin +girting +girtline +girt-line +girtonian +girts +gyrus +Giruwa +Girvin +Girzfelden +GIs +gisant +gisants +gisarme +gisarmes +Gisborne +gise +gyse +gisel +Gisela +Giselbert +Gisele +Gisella +Giselle +gisement +Gish +Gishzida +gisla +gisler +gismo +gismondine +gismondite +gismos +gispin +GISS +Gisser +Gissing +gist +gists +git +gitaligenin +gitalin +Gitana +Gitanemuck +gitanemuk +gitano +gitanos +gite +gyte +Gitel +giterne +gith +Gytheion +Githens +gitim +Gitksan +Gytle +gytling +Gitlow +gitonin +gitoxigenin +gitoxin +gytrash +Gitt +Gittel +gitter +gittern +gitterns +Gittite +gittith +gyttja +Gittle +Giuba +Giuditta +Giuki +Giukung +Giule +Giulia +Giuliana +Giuliano +Giulietta +Giulini +Giulio +giunta +Giuseppe +giust +giustamente +Giustina +Giustino +Giusto +give +gyve +giveable +give-and-take +giveaway +giveaways +giveback +gyved +givey +Given +givenness +givens +giver +Giverin +giver-out +givers +gives +gyves +giveth +give-up +givin +giving +gyving +givingness +Givors-Badan +Giza +Gizeh +Gizela +gizmo +gizmos +Gizo +gizz +gizzard +gizzards +gizzen +gizzened +gizzern +gjedost +Gjellerup +gjetost +gjetosts +Gjuki +Gjukung +Gk +GKS +GKSM +Gl +gl. +Glaab +glabbella +glabella +glabellae +glabellar +glabellous +glabellum +Glaber +glabrate +glabreity +glabrescent +glabriety +glabrous +glabrousness +Glace +glaceed +glaceing +glaces +glaciable +Glacial +glacialism +glacialist +glacialize +glacially +glaciaria +glaciarium +glaciate +glaciated +glaciates +glaciating +glaciation +glacier +glaciered +glacieret +glacierist +glaciers +glacier's +glacify +glacification +glacioaqueous +glaciolacustrine +glaciology +glaciologic +glaciological +glaciologist +glaciologists +glaciomarine +glaciometer +glacionatant +glacious +glacis +glacises +glack +Glackens +glacon +Glad +gladatorial +Gladbeck +Gladbrook +glad-cheered +gladded +gladden +gladdened +gladdener +gladdening +gladdens +gladder +gladdest +Gladdy +Gladdie +gladding +gladdon +glade +gladeye +gladelike +gladen +glades +Gladeville +Gladewater +glad-flowing +gladful +gladfully +gladfulness +glad-hand +glad-handed +glad-hander +gladhearted +Gladi +Glady +gladiate +gladiator +gladiatory +gladiatorial +gladiatorism +gladiators +gladiatorship +gladiatrix +gladier +gladiest +gladify +gladii +Gladine +gladiola +gladiolar +gladiolas +gladiole +gladioli +gladiolus +gladioluses +Gladis +Gladys +gladite +gladius +gladkaite +gladless +gladly +gladlier +gladliest +gladness +gladnesses +gladrags +glads +glad-sad +Gladsheim +gladship +gladsome +gladsomely +gladsomeness +gladsomer +gladsomest +Gladstone +Gladstonian +Gladstonianism +glad-surviving +Gladwin +Gladwyne +glaga +glagah +Glagol +Glagolic +Glagolitic +Glagolitsa +glaieul +glaik +glaiket +glaiketness +glaikit +glaikitness +glaiks +glaymore +glair +glaire +glaired +glaireous +glaires +glairy +glairier +glairiest +glairin +glairiness +glairing +glairs +Glaisher +glaister +glaistig +glaive +glaived +glaives +glaizie +glaked +glaky +glali +glam +glamberry +glamor +Glamorgan +Glamorganshire +glamorization +glamorizations +glamorize +glamorized +glamorizer +glamorizes +glamorizing +glamorous +glamorously +glamorousness +glamors +glamour +glamoured +glamoury +glamourie +glamouring +glamourization +glamourize +glamourizer +glamourless +glamourous +glamourously +glamourousness +glamours +glance +glanced +glancer +glancers +glances +glancing +glancingly +gland +glandaceous +glandarious +glander +glandered +glanderous +glanders +glandes +glandiferous +glandiform +glanditerous +glandless +glandlike +Glandorf +glands +gland's +glandula +glandular +glandularly +glandulation +glandule +glandules +glanduliferous +glanduliform +glanduligerous +glandulose +glandulosity +glandulous +glandulousness +Glaniostomi +glanis +glans +Glanti +Glantz +Glanville +glar +glare +glared +glare-eyed +glareless +Glareola +glareole +Glareolidae +glareous +glareproof +glares +glareworm +glary +glarier +glariest +glarily +glariness +glaring +glaringly +glaringness +glarry +Glarum +Glarus +Glasco +Glaser +Glaserian +glaserite +Glasford +Glasgo +Glasgow +glashan +Glaspell +Glass +glassblower +glass-blower +glassblowers +glassblowing +glass-blowing +glassblowings +Glassboro +glass-bottomed +glass-built +glass-cloth +Glassco +glass-coach +glass-coated +glass-colored +glass-covered +glass-cutter +glass-cutting +glass-eater +glassed +glassed-in +glasseye +glass-eyed +glassen +Glasser +glasses +glass-faced +glassfish +glass-fronted +glassful +glassfuls +glass-glazed +glass-green +glass-hard +glasshouse +glass-house +glasshouses +glassy +glassie +glassy-eyed +glassier +glassies +glassiest +glassily +glassin +glassine +glassines +glassiness +glassing +Glassite +glassless +glasslike +glasslikeness +glass-lined +glassmaker +glass-maker +glassmaking +Glassman +glass-man +glassmen +glassophone +glass-paneled +glass-paper +Glassport +glassrope +glassteel +Glasston +glass-topped +glassware +glasswares +glassweed +glasswork +glass-work +glassworker +glassworkers +glassworking +glassworks +glassworm +glasswort +Glastonbury +Glaswegian +Glathsheim +Glathsheimr +glauber +glauberite +Glauce +glaucescence +glaucescent +Glaucia +glaucic +Glaucidium +glaucin +glaucine +Glaucionetta +Glaucium +glaucochroite +glaucodot +glaucodote +glaucolite +glaucoma +glaucomas +glaucomatous +Glaucomys +Glauconia +glauconiferous +Glauconiidae +glauconite +glauconitic +glauconitization +glaucophane +glaucophanite +glaucophanization +glaucophanize +glaucophyllous +Glaucopis +glaucosis +glaucosuria +glaucous +glaucous-green +glaucously +glaucousness +glaucous-winged +Glaucus +Glaudia +Glauke +glaum +glaumrie +glaur +glaury +Glaux +glave +glaver +glavered +glavering +Glavin +glaze +glazed +glazement +glazen +glazer +glazers +glazes +glazework +glazy +glazier +glaziery +glazieries +glaziers +glaziest +glazily +glaziness +glazing +glazing-bar +glazings +Glazunoff +Glazunov +glb +GLC +Gld +Gle +glead +gleam +gleamed +gleamer +gleamers +gleamy +gleamier +gleamiest +gleamily +gleaminess +gleaming +gleamingly +gleamless +gleams +glean +gleanable +gleaned +gleaner +gleaners +gleaning +gleanings +gleans +gleary +Gleason +gleave +gleba +glebae +glebal +glebe +glebeless +glebes +gleby +glebous +Glecoma +gled +Gleda +glede +gledes +gledge +gledy +Gleditsia +gleds +Glee +gleed +gleeds +glee-eyed +gleeful +gleefully +gleefulness +gleeishly +gleek +gleeked +gleeking +gleeks +gleemaiden +gleeman +gleemen +gleen +glees +gleesome +gleesomely +gleesomeness +Gleeson +gleet +gleeted +gleety +gleetier +gleetiest +gleeting +gleets +gleewoman +gleg +glegly +glegness +glegnesses +gley +Gleich +gleyde +Gleipnir +gleir +gleys +gleit +Gleiwitz +gleization +Gleizes +Glen +Glenallan +Glenallen +Glenarbor +Glenarm +Glenaubrey +Glenbeulah +Glenbrook +Glenburn +Glenburnie +Glencarbon +Glencliff +Glencoe +Glencross +Glenda +Glendale +Glendaniel +Glendean +Glenden +Glendive +Glendo +Glendon +Glendora +glendover +Glendower +glene +Gleneaston +Glenecho +Glenelder +Glenellen +Glenellyn +Glenferris +Glenfield +Glenflora +Glenford +Glengary +Glengarry +glengarries +Glenhayes +Glenham +Glenhead +Glenice +Glenine +Glenis +Glenyss +Glenjean +glenlike +Glenlyn +glenlivet +Glenmont +Glenmoore +Glenmora +Glenmorgan +Glenn +Glenna +Glennallen +Glenndale +Glennie +Glennis +Glennon +Glennville +gleno- +glenohumeral +glenoid +glenoidal +Glenolden +Glenoma +Glenpool +Glenrio +Glenrose +Glenrothes +glens +glen's +Glenshaw +Glenside +Glenspey +glent +Glentana +Glenullin +Glenus +Glenview +Glenvil +Glenville +Glenwhite +Glenwild +Glenwillard +Glenwilton +Glenwood +Glessariae +glessite +gletscher +gletty +glew +Glhwein +glia +gliadin +gliadine +gliadines +gliadins +glial +Glialentn +glias +glib +glibber +glibbery +glibbest +glib-gabbet +glibly +glibness +glibnesses +glib-tongued +glyc +glyc- +glycaemia +glycaemic +glycan +glycans +glycemia +glycemic +glycer- +glyceral +glyceraldehyde +glycerate +Glyceria +glyceric +glyceride +glyceridic +glyceryl +glyceryls +glycerin +glycerinate +glycerinated +glycerinating +glycerination +glycerine +glycerines +glycerinize +glycerins +glycerite +glycerize +glycerizin +glycerizine +glycero- +glycerogel +glycerogelatin +glycerol +glycerolate +glycerole +glycerolyses +glycerolysis +glycerolize +glycerols +glycerophosphate +glycerophosphoric +glycerose +glyceroxide +Glichingen +glycic +glycid +glycide +glycidic +glycidol +glycyl +glycyls +glycin +Glycine +glycines +glycinin +glycins +glycyphyllin +glycyrize +Glycyrrhiza +glycyrrhizin +Glick +glyco- +glycocholate +glycocholic +glycocin +glycocoll +glycogelatin +glycogen +glycogenase +glycogenesis +glycogenetic +glycogeny +glycogenic +glycogenize +glycogenolysis +glycogenolytic +glycogenosis +glycogenous +glycogens +glycohaemia +glycohemia +glycol +glycolaldehyde +glycolate +glycolic +glycolide +glycolyl +glycolylurea +glycolipid +glycolipide +glycolipin +glycolipine +glycolysis +glycolytic +glycolytically +glycollate +glycollic +glycollide +glycols +glycoluric +glycoluril +glyconean +glyconeogenesis +glyconeogenetic +Glyconian +Glyconic +glyconics +glyconin +glycopeptide +glycopexia +glycopexis +glycoproteid +glycoprotein +glycosaemia +glycose +glycosemia +glycosidase +glycoside +glycosides +glycosidic +glycosidically +glycosyl +glycosyls +glycosin +glycosine +glycosuria +glycosuric +glycuresis +glycuronic +glycuronid +glycuronide +Glidden +glidder +gliddery +glide +glide-bomb +glide-bombing +glided +glideless +glideness +glider +gliderport +gliders +glides +glidewort +gliding +glidingly +Gliere +gliff +gliffy +gliffing +gliffs +glike +glykopectic +glykopexic +glim +glime +glimed +glimes +gliming +glimmer +glimmered +glimmery +glimmering +glimmeringly +glimmerings +glimmerite +glimmerous +glimmers +Glimp +glimpse +glimpsed +glimpser +glimpsers +glimpses +glimpsing +glims +Glyn +Glynas +Glynda +Glyndon +Glynias +Glinys +Glynis +glink +Glinka +Glynn +Glynne +Glynnis +glinse +glint +glinted +glinting +glints +gliocyte +glioma +gliomas +gliomata +gliomatous +gliosa +gliosis +glyoxal +glyoxalase +glyoxalic +glyoxalin +glyoxaline +glyoxyl +glyoxylic +glyoxilin +glyoxim +glyoxime +glyph +glyphic +glyphograph +glyphographer +glyphography +glyphographic +glyphs +glyptal +glyptic +glyptical +glyptician +glyptics +Glyptodon +glyptodont +Glyptodontidae +glyptodontoid +glyptograph +glyptographer +glyptography +glyptographic +glyptolith +glyptology +glyptological +glyptologist +glyptotheca +Glyptotherium +Glires +Gliridae +gliriform +Gliriformia +glirine +Glis +glisk +glisky +gliss +glissade +glissaded +glissader +glissades +glissading +glissandi +glissando +glissandos +glissette +glist +glisten +glistened +glistening +glisteningly +glistens +glister +glyster +glistered +glistering +glisteringly +glisters +glitch +glitches +glitchy +Glitnir +glitter +glitterance +glittered +glittery +glittering +glitteringly +glitters +glittersome +Glitz +glitzes +glitzy +glitzier +Glivare +Gliwice +gloam +gloaming +gloamings +gloams +gloat +gloated +gloater +gloaters +gloating +gloatingly +gloats +glob +global +globalism +globalist +globalists +globality +globalization +globalize +globalized +globalizing +globally +globate +globated +globby +globbier +Globe +globed +globefish +globefishes +globeflower +globe-girdler +globe-girdling +globeholder +globelet +globelike +globes +globe's +globe-shaped +globe-trot +globetrotter +globe-trotter +globetrotters +globetrotting +globe-trotting +globy +globical +Globicephala +globiferous +Globigerina +globigerinae +globigerinas +globigerine +Globigerinidae +globin +globing +globins +Globiocephalus +globo-cumulus +globoid +globoids +globose +globosely +globoseness +globosite +globosity +globosities +globosphaerite +globous +globously +globousness +globs +globular +Globularia +Globulariaceae +globulariaceous +globularity +globularly +globularness +globule +globules +globulet +globulicidal +globulicide +globuliferous +globuliform +globulimeter +globulin +globulins +globulinuria +globulysis +globulite +globulitic +globuloid +globulolysis +globulose +globulous +globulousness +globus +glochchidia +glochid +glochideous +glochidia +glochidial +glochidian +glochidiate +glochidium +glochids +glochines +glochis +glockenspiel +glockenspiels +glod +gloea +gloeal +Gloeocapsa +gloeocapsoid +gloeosporiose +Gloeosporium +Glogau +glogg +gloggs +gloy +Gloiopeltis +Gloiosiphonia +Gloiosiphoniaceae +glom +glome +glomeli +glomera +glomerate +glomeration +Glomerella +glomeroporphyritic +glomerular +glomerulate +glomerule +glomeruli +glomerulitis +glomerulonephritis +glomerulose +glomerulus +glomi +Glomma +glommed +glomming +glommox +GLOMR +gloms +glomus +glonoin +glonoine +glonoins +glood +gloom +gloomed +gloomful +gloomfully +gloomy +gloomy-browed +gloomier +gloomiest +gloomy-faced +gloomily +gloominess +gloominesses +glooming +gloomingly +gloomings +gloomless +glooms +gloomth +Glooscap +glop +glopnen +glopped +gloppen +gloppy +glopping +glops +glor +glore +glor-fat +Glori +Glory +Gloria +gloriam +Gloriana +Gloriane +Gloriann +Glorianna +glorias +gloriation +Glorie +gloried +glories +Glorieta +gloriette +glorify +glorifiable +glorification +glorifications +glorified +glorifier +glorifiers +glorifies +glorifying +gloryful +glory-hole +glorying +gloryingly +gloryless +glory-of-the-snow +glory-of-the-snows +glory-of-the-sun +glory-of-the-suns +gloriole +glorioles +Gloriosa +gloriosity +glorioso +glorious +gloriously +gloriousness +glory-pea +Glos +gloss +gloss- +gloss. +Glossa +glossae +glossagra +glossal +glossalgy +glossalgia +glossanthrax +glossary +glossarial +glossarially +glossarian +glossaries +glossary's +glossarist +glossarize +glossas +Glossata +glossate +glossator +glossatorial +glossectomy +glossectomies +glossed +glossem +glossematic +glossematics +glosseme +glossemes +glossemic +glosser +glossers +glosses +glossy +glossy-black +glossic +glossier +glossies +glossiest +glossy-leaved +glossily +Glossina +glossinas +glossiness +glossinesses +glossing +glossingly +Glossiphonia +Glossiphonidae +glossist +glossitic +glossitis +glossy-white +glossless +glossmeter +glosso- +glossocarcinoma +glossocele +glossocoma +glossocomium +glossocomon +glossodynamometer +glossodynia +glossoepiglottic +glossoepiglottidean +glossograph +glossographer +glossography +glossographical +glossohyal +glossoid +glossokinesthetic +glossolabial +glossolabiolaryngeal +glossolabiopharyngeal +glossolaly +glossolalia +glossolalist +glossolaryngeal +glossolysis +glossology +glossological +glossologies +glossologist +glossoncus +glossopalatine +glossopalatinus +glossopathy +glossopetra +Glossophaga +glossophagine +glossopharyngeal +glossopharyngeus +glossophytia +glossophobia +Glossophora +glossophorous +glossopyrosis +glossoplasty +glossoplegia +glossopode +glossopodium +Glossopteris +glossoptosis +glossorrhaphy +glossoscopy +glossoscopia +glossospasm +glossosteresis +Glossotherium +glossotype +glossotomy +glossotomies +glost +Gloster +glost-fired +glosts +glott- +glottal +glottalite +glottalization +glottalize +glottalized +glottalizing +glottic +glottid +glottidean +glottides +glottis +glottiscope +glottises +glottitis +glotto- +glottochronology +glottochronological +glottogony +glottogonic +glottogonist +glottology +glottologic +glottological +glottologies +glottologist +glotum +Gloucester +Gloucestershire +Glouster +glout +glouted +glouting +glouts +glove +gloved +glovey +gloveless +glovelike +glovemaker +glovemaking +gloveman +glovemen +Glover +gloveress +glovers +Gloversville +Gloverville +gloves +gloving +Glovsky +glow +glowbard +glowbird +glowed +glower +glowered +glowerer +glowering +gloweringly +glowers +glowfly +glowflies +glowing +glowingly +glows +glowworm +glow-worm +glowworms +Gloxinia +gloxinias +gloze +glozed +glozer +glozes +glozing +glozingly +glt +glt. +glub +glucaemia +glucagon +glucagons +glucase +glucate +glucemia +glucic +glucid +glucide +glucidic +glucina +glucine +glucinic +glucinium +glucinum +glucinums +Gluck +glucke +gluck-gluck +glucocorticoid +glucocorticord +glucofrangulin +glucogene +glucogenesis +glucogenic +glucokinase +glucokinin +glucolipid +glucolipide +glucolipin +glucolipine +glucolysis +gluconate +gluconeogenesis +gluconeogenetic +gluconeogenic +gluconokinase +glucoprotein +glucosaemia +glucosamine +glucosan +glucosane +glucosazone +glucose +glucosemia +glucoses +glucosic +glucosid +glucosidal +glucosidase +glucoside +glucosidic +glucosidically +glucosin +glucosine +glucosone +glucosulfone +glucosuria +glucosuric +glucuronic +glucuronidase +glucuronide +glue +glued +glued-up +gluey +glueyness +glueing +gluelike +gluelikeness +gluemaker +gluemaking +glueman +gluepot +glue-pot +gluepots +gluer +gluers +glues +glug +glugged +glugging +glugglug +glugs +gluhwein +gluier +gluiest +gluily +gluiness +gluing +gluing-off +gluish +gluishness +glum +gluma +Glumaceae +glumaceous +glumal +Glumales +glume +glumelike +glumella +glumes +glumiferous +Glumiflorae +glumly +glummer +glummest +glummy +glumness +glumnesses +glumose +glumosity +glumous +glump +glumpy +glumpier +glumpiest +glumpily +glumpiness +glumpish +glunch +glunched +glunches +glunching +Gluneamie +glunimie +gluon +gluons +glusid +gluside +glut +glut- +glutael +glutaeous +glutamate +glutamates +glutamic +glutaminase +glutamine +glutaminic +glutaraldehyde +glutaric +glutathione +glutch +gluteal +glutei +glutelin +glutelins +gluten +glutenin +glutenous +glutens +gluteofemoral +gluteoinguinal +gluteoperineal +glutetei +glutethimide +gluteus +glutimate +glutin +glutinant +glutinate +glutination +glutinative +glutinize +glutinose +glutinosity +glutinous +glutinously +glutinousness +glutition +glutoid +glutose +gluts +glutted +gluttei +glutter +gluttery +glutting +gluttingly +glutton +gluttoness +gluttony +gluttonies +gluttonise +gluttonised +gluttonish +gluttonising +gluttonism +gluttonize +gluttonized +gluttonizing +gluttonous +gluttonously +gluttonousness +gluttons +Glux +GM +G-man +Gmat +GMB +GMBH +GMC +Gmelina +gmelinite +G-men +GMRT +GMT +Gmur +GMW +GN +gnabble +Gnaeus +gnamma +gnaphalioid +Gnaphalium +gnapweed +gnar +gnarl +gnarled +gnarly +gnarlier +gnarliest +gnarliness +gnarling +gnarls +gnarr +gnarred +gnarring +gnarrs +gnars +gnash +gnashed +gnashes +gnashing +gnashingly +gnast +gnat +gnatcatcher +gnateater +gnatflower +gnath- +gnathal +gnathalgia +gnathic +gnathidium +gnathion +gnathions +gnathism +gnathite +gnathites +gnathitis +Gnatho +gnathobase +gnathobasic +Gnathobdellae +Gnathobdellida +gnathometer +gnathonic +gnathonical +gnathonically +gnathonism +gnathonize +gnathophorous +gnathoplasty +gnathopod +Gnathopoda +gnathopodite +gnathopodous +gnathostegite +Gnathostoma +Gnathostomata +gnathostomatous +gnathostome +Gnathostomi +gnathostomous +gnathotheca +gnathous +gnatlike +gnatling +gnatoo +gnatproof +gnats +gnat's +gnatsnap +gnatsnapper +gnatter +gnatty +gnattier +gnattiest +gnatworm +gnaw +gnawable +gnawed +gnawer +gnawers +gnawing +gnawingly +gnawings +gnawn +gnaws +GND +gneiss +gneisses +gneissy +gneissic +gneissitic +gneissoid +gneissoid-granite +gneissose +Gnesdilov +Gnesen +Gnesio-lutheran +gnessic +Gnetaceae +gnetaceous +Gnetales +Gnetum +gnetums +gneu +gnide +Gniezno +GNMA +Gnni +gnocchetti +gnocchi +gnoff +gnome +gnomed +gnomelike +gnomes +gnomesque +gnomic +gnomical +gnomically +gnomide +gnomish +gnomist +gnomists +gnomology +gnomologic +gnomological +gnomologist +gnomon +Gnomonia +Gnomoniaceae +gnomonic +gnomonical +gnomonics +gnomonology +gnomonological +gnomonologically +gnomons +gnoses +gnosiology +gnosiological +gnosis +Gnossian +Gnossus +Gnostic +gnostical +gnostically +Gnosticise +Gnosticised +Gnosticiser +Gnosticising +Gnosticism +gnosticity +Gnosticize +Gnosticized +Gnosticizer +Gnosticizing +gnostology +G-note +gnotobiology +gnotobiologies +gnotobiosis +gnotobiote +gnotobiotic +gnotobiotically +gnotobiotics +gnow +GNP +gns +GNU +gnus +GO +Goa +go-about +goad +goaded +goading +goadlike +goads +goadsman +goadster +goaf +go-ahead +Goajiro +goal +Goala +goalage +goaled +goalee +goaler +goalers +goalie +goalies +goaling +goalkeeper +goalkeepers +goalkeeping +goalless +goalmouth +goalpost +goalposts +goals +goal's +goaltender +goaltenders +goaltending +Goalundo +Goan +Goanese +goanna +goannas +Goar +goas +go-ashore +Goasila +go-as-you-please +Goat +goatbeard +goat-bearded +goatbrush +goatbush +goat-drunk +goatee +goateed +goatees +goatee's +goat-eyed +goatfish +goatfishes +goat-footed +goat-headed +goatherd +goat-herd +goatherdess +goatherds +goat-hoofed +goat-horned +goaty +goatish +goatishly +goatishness +goat-keeping +goat-kneed +goatland +goatly +goatlike +goatling +goatpox +goat-pox +goatroot +goats +goat's +goatsbane +goatsbeard +goat's-beard +goatsfoot +goatskin +goatskins +goat's-rue +goatstone +goatsucker +goat-toothed +goatweed +goave +goaves +gob +goback +go-back +goban +gobang +gobangs +gobans +Gobat +gobbe +gobbed +gobber +gobbet +gobbets +Gobbi +gobby +gobbin +gobbing +gobble +gobbled +gobbledegook +gobbledegooks +gobbledygook +gobbledygooks +gobbler +gobblers +gobbles +gobbling +Gobelin +gobemouche +gobe-mouches +Gober +gobernadora +Gobert +gobet +go-between +Gobi +goby +go-by +Gobia +Gobian +gobies +gobiesocid +Gobiesocidae +gobiesociform +Gobiesox +gobiid +Gobiidae +gobiiform +Gobiiformes +gobylike +Gobinism +Gobinist +Gobio +gobioid +Gobioidea +Gobioidei +gobioids +Gobler +Gobles +goblet +gobleted +gobletful +goblets +goblet's +goblin +gobline +gob-line +goblinesque +goblinish +goblinism +goblinize +goblinry +goblins +goblin's +gobmouthed +gobo +goboes +gobonated +gobonee +gobony +gobos +gobs +gobstick +gobstopper +goburra +GOC +gocart +go-cart +Goclenian +Goclenius +God +Goda +God-adoring +god-almighty +god-a-mercy +Godard +Godart +Godavari +godawful +God-awful +Godbeare +God-begot +God-begotten +God-beloved +Godber +God-bless +God-built +godchild +god-child +godchildren +God-conscious +God-consciousness +God-created +God-cursed +Goddam +goddammed +goddamming +goddammit +goddamn +god-damn +goddamndest +goddamned +goddamnedest +goddamning +goddamnit +goddamns +goddams +Goddard +Goddart +goddaughter +god-daughter +goddaughters +godded +Godden +Godderd +God-descended +goddess +goddesses +goddesshood +goddess-like +goddess's +goddessship +goddikin +Godding +goddize +Goddord +gode +Godeffroy +Godey +Godel +godelich +God-empowered +godendag +God-enlightened +God-entrusted +Goderich +Godesberg +godet +Godetia +go-devil +Godewyn +godfather +godfatherhood +godfathers +godfathership +God-fearing +God-forbidden +God-forgetting +God-forgotten +Godforsaken +Godfree +Godfrey +Godfry +Godful +God-given +Godhead +godheads +godhood +godhoods +god-horse +Godin +God-inspired +Godiva +godkin +god-king +Godley +godless +godlessly +godlessness +godlessnesses +godlet +godly +godlier +godliest +godlike +godlikeness +godly-learned +godlily +Godliman +godly-minded +godly-mindedness +godliness +godling +godlings +God-loved +God-loving +God-made +godmaker +godmaking +godmamma +god-mamma +God-man +God-manhood +God-men +godmother +godmotherhood +godmothers +godmother's +godmothership +Godolias +Godolphin +God-ordained +godown +go-down +godowns +Godowsky +godpapa +god-papa +godparent +god-parent +godparents +god-phere +Godred +Godric +Godrich +godroon +godroons +Gods +god's +Godsake +God-seeing +godsend +godsends +godsent +God-sent +godship +godships +godsib +godson +godsons +godsonship +God-sped +Godspeed +god-speed +god's-penny +God-taught +Godthaab +Godunov +Godward +Godwards +Godwin +Godwine +Godwinian +godwit +godwits +God-wrought +Goebbels +Goebel +goeduck +Goeger +Goehner +goel +goelism +Goemagot +Goemot +goen +Goer +goer-by +Goering +Goerke +Goerlitz +goers +GOES +Goeselt +Goessel +Goetae +Goethals +Goethe +Goethean +Goethian +goethite +goethites +goety +goetia +goetic +goetical +Goetz +Goetzville +gofer +gofers +Goff +goffer +goffered +gofferer +goffering +goffers +goffle +Goffstown +Gog +go-getter +go-getterism +gogetting +go-getting +gogga +goggan +Goggin +goggle +gogglebox +goggled +goggle-eye +goggle-eyed +goggle-eyes +goggle-nose +goggler +gogglers +goggles +goggly +gogglier +goggliest +goggling +Gogh +goglet +goglets +Goglidze +gogmagog +Gogo +go-go +Gogol +gogos +Gogra +Gohila +goi +goy +Goya +goiabada +Goyana +Goiania +Goias +goyazite +Goibniu +Goico +Goidel +Goidelic +Goyen +Goyetian +goyim +goyin +goyish +goyle +Goines +Going +going-concern +going-over +goings +goings-on +goings-over +gois +goys +goitcho +goiter +goitered +goiterogenic +goiters +goitral +goitre +goitres +goitrogen +goitrogenic +goitrogenicity +goitrous +GOK +go-kart +Gokey +Gokuraku +gol +Gola +golach +goladar +golandaas +golandause +Golanka +Golaseccan +Golconda +golcondas +Gold +Golda +goldang +goldanged +Goldarina +goldarn +goldarned +goldarnedest +goldarns +gold-ball +gold-banded +Goldbar +gold-basket +gold-bearing +goldbeater +gold-beater +goldbeating +gold-beating +Goldberg +Goldbird +gold-bloom +Goldbond +gold-bound +gold-braided +gold-breasted +goldbrick +gold-brick +goldbricked +goldbricker +goldbrickers +goldbricking +goldbricks +gold-bright +gold-broidered +goldbug +gold-bug +goldbugs +gold-ceiled +gold-chain +gold-clasped +gold-colored +gold-containing +goldcrest +gold-crested +goldcup +gold-daubed +gold-decked +gold-dig +gold-digger +gold-dust +gold-edged +goldeye +goldeyes +gold-embossed +gold-embroidered +Golden +golden-ager +goldenback +golden-banded +golden-bearded +Goldenberg +golden-breasted +golden-brown +golden-cheeked +golden-chestnut +golden-colored +golden-crested +golden-crowned +golden-cup +Goldendale +golden-eared +goldeney +goldeneye +golden-eye +golden-eyed +goldeneyes +goldener +goldenest +golden-fettered +golden-fingered +goldenfleece +golden-footed +golden-fruited +golden-gleaming +golden-glowing +golden-green +goldenhair +golden-haired +golden-headed +golden-hilted +golden-hued +golden-yellow +goldenknop +golden-leaved +goldenly +golden-locked +goldenlocks +Goldenmouth +goldenmouthed +golden-mouthed +goldenness +goldenpert +golden-rayed +goldenrod +golden-rod +goldenrods +goldenseal +golden-spotted +golden-throned +golden-tipped +golden-toned +golden-tongued +goldentop +golden-tressed +golden-voiced +goldenwing +golden-winged +gold-enwoven +golder +goldest +gold-exchange +Goldfarb +Goldfield +gold-field +goldfielder +goldfields +gold-fields +gold-filled +Goldfinch +goldfinches +gold-finder +goldfinny +goldfinnies +goldfish +gold-fish +goldfishes +goldflower +gold-foil +gold-framed +gold-fringed +gold-graved +gold-green +gold-haired +goldhammer +goldhead +gold-headed +gold-hilted +Goldi +Goldy +Goldia +Goldic +Goldie +gold-yellow +goldilocks +goldylocks +Goldin +Goldina +Golding +gold-inlaid +goldish +gold-laced +gold-laden +gold-leaf +goldless +goldlike +gold-lit +Goldman +Goldmark +gold-mine +goldminer +goldmist +gold-mounted +goldney +Goldner +gold-of-pleasure +Goldoni +Goldonian +Goldonna +Goldovsky +gold-plate +gold-plated +gold-plating +gold-red +gold-ribbed +gold-rimmed +gold-robed +gold-rolling +Goldrun +gold-rush +golds +Goldsboro +Goldschmidt +goldseed +gold-seeking +Goldshell +Goldshlag +goldsinny +Goldsmith +goldsmithery +goldsmithing +goldsmithry +goldsmiths +goldspink +gold-star +Goldstein +Goldstine +Goldston +goldstone +gold-striped +gold-strung +gold-studded +Goldsworthy +goldtail +gold-testing +goldthread +Goldthwaite +goldtit +goldurn +goldurned +goldurnedest +goldurns +Goldvein +gold-washer +Goldwasser +Goldwater +goldweed +gold-weight +Goldwin +Goldwyn +gold-winged +Goldwynism +goldwork +gold-work +goldworker +gold-wrought +golee +golem +golems +Goles +golet +Goleta +golf +golfdom +golfed +golfer +golfers +golfing +golfings +golfs +Golgi +Golgotha +golgothas +goli +Goliad +Goliard +goliardeys +goliardery +goliardic +goliards +Goliath +goliathize +goliaths +Golightly +golilla +golkakra +Goll +golland +gollar +goller +golly +Gollin +Golliner +gollywobbler +golliwog +gollywog +golliwogg +golliwogs +gollop +Golo +goloch +goloe +goloka +golosh +goloshe +goloshes +golo-shoe +golp +golpe +Golschmann +Golter +Goltry +Golts +Goltz +Golub +golundauze +goluptious +Golva +Goma +Gomar +gomari +Gomarian +Gomarist +Gomarite +gomart +gomashta +gomasta +gomavel +Gombach +gombay +gombeen +gombeenism +gombeen-man +gombeen-men +Gomberg +gombo +gombos +Gombosi +gombroon +gombroons +gome +Gomeisa +Gomel +Gomer +gomeral +gomerals +gomerec +gomerel +gomerels +gomeril +gomerils +Gomez +gomlah +gommelin +gommier +go-moku +gomoku-zogan +Gomontia +Gomorrah +Gomorrean +Gomorrha +Gomorrhean +gom-paauw +Gompers +gomphiasis +Gomphocarpus +gomphodont +Gompholobium +gomphoses +gomphosis +Gomphrena +gomukhi +Gomulka +gomuti +gomutis +gon +gon- +Gona +gonad +gonadal +gonadectomy +gonadectomies +gonadectomized +gonadectomizing +gonadial +gonadic +gonadotrope +gonadotrophic +gonadotrophin +gonadotropic +gonadotropin +gonads +gonaduct +gonagia +Gonagle +gonagra +Gonaives +gonake +gonakie +gonal +gonalgia +gonangia +gonangial +gonangium +gonangiums +gonapod +gonapophysal +gonapophysial +gonapophysis +gonarthritis +Gonave +goncalo +Goncharov +Goncourt +Gond +gondang +Gondar +Gondi +gondite +gondola +gondolas +gondolet +gondoletta +gondolier +gondoliere +gondoliers +Gondomar +Gondwana +Gondwanaland +Gone +gone-by +gonef +gonefs +goney +goneness +gonenesses +goneoclinic +gonepoiesis +gonepoietic +goner +Goneril +goners +gonesome +gonfalcon +gonfalon +gonfalonier +gonfalonierate +gonfaloniership +gonfalons +gonfanon +gonfanons +gong +gonged +gong-gong +gonging +gonglike +gongman +Gongola +Gongoresque +Gongorism +Gongorist +Gongoristic +gongs +gong's +gony +goni- +gonia +goniac +gonial +goniale +gonyalgia +Goniaster +goniatite +Goniatites +goniatitic +goniatitid +Goniatitidae +goniatitoid +gonyaulax +gonycampsis +Gonick +gonid +gonidangium +gonydeal +gonidia +gonidial +gonydial +gonidic +gonidiferous +gonidiogenous +gonidioid +gonidiophore +gonidiose +gonidiospore +gonidium +Gonyea +gonif +goniff +goniffs +gonifs +gonimic +gonimium +gonimoblast +gonimolobe +gonimous +goninidia +gonyocele +goniocraniometry +Goniodoridae +Goniodorididae +Goniodoris +goniometer +goniometry +goniometric +goniometrical +goniometrically +gonion +gonyoncus +gonionia +Goniopholidae +Goniopholis +goniostat +goniotheca +goniotropous +gonys +Gonystylaceae +gonystylaceous +Gonystylus +gonytheca +gonitis +gonium +goniums +goniunia +gonk +gonna +gonnardite +gonne +Gonnella +gono- +gonoblast +gonoblastic +gonoblastidial +gonoblastidium +gonocalycine +gonocalyx +gonocheme +gonochorism +gonochorismal +gonochorismus +gonochoristic +gonocyte +gonocytes +gonococcal +gonococci +gonococcic +gonococcocci +gonococcoid +gonococcus +gonocoel +gonocoele +gonoecium +gonof +gonofs +Go-no-further +gonogenesis +Gonolobus +gonomere +gonomery +gonoph +gonophore +gonophoric +gonophorous +gonophs +gonoplasm +gonopod +gonopodia +gonopodial +gonopodium +gonopodpodia +gonopoietic +gonopore +gonopores +gonorrhea +gonorrheal +gonorrheas +gonorrheic +gonorrhoea +gonorrhoeal +gonorrhoeic +gonosomal +gonosome +gonosphere +gonostyle +gonotheca +gonothecae +gonothecal +gonotyl +gonotype +gonotocont +gonotokont +gonotome +gonozooid +Gonroff +Gonsalve +Gonta +Gonvick +Gonzales +Gonzalez +Gonzalo +Gonzlez +gonzo +goo +Goober +goobers +Gooch +Goochland +Good +Goodacre +Goodard +goodby +good-by +goodbye +good-bye +goodbyes +good-bye-summer +goodbys +good-daughter +Goodden +good-den +good-doer +Goode +Goodell +Goodenia +Goodeniaceae +goodeniaceous +Goodenoviaceae +gooder +gooders +good-faith +good-father +good-fellow +good-fellowhood +good-fellowish +good-fellowship +Goodfield +good-for +good-for-naught +good-for-nothing +good-for-nothingness +goodhap +goodhearted +good-hearted +goodheartedly +goodheartedness +Goodhen +Goodhope +Goodhue +good-humored +good-humoredly +goodhumoredness +good-humoredness +good-humoured +good-humouredly +good-humouredness +Goody +goodie +Goodyear +Goodyera +goodies +goody-good +goody-goody +goody-goodies +goody-goodyism +goody-goodiness +goody-goodyness +goody-goodness +goodyish +goodyism +Goodill +goodyness +Gooding +goody's +goodish +goodyship +goodishness +Goodkin +Good-King-Henry +Good-King-Henries +Goodland +goodless +Goodlettsville +goodly +goodlier +goodliest +goodlihead +goodlike +good-liking +goodliness +good-looker +good-looking +good-lookingness +Goodman +good-mannered +goodmanship +goodmen +good-morning-spring +good-mother +good-natured +good-naturedly +goodnaturedness +good-naturedness +good-neighbor +good-neighbourhood +goodness +goodnesses +goodnight +good-night +good-o +good-oh +good-plucked +Goodrich +Goodrow +goods +goodship +goodsire +good-sister +good-size +good-sized +goodsome +Goodson +Goodspeed +good-tasting +good-tempered +good-temperedly +goodtemperedness +good-temperedness +good-time +Goodview +Goodville +Goodway +Goodwater +Goodwell +goodwife +goodwily +goodwilies +goodwill +goodwilled +goodwilly +goodwillie +goodwillies +goodwillit +goodwills +Goodwin +Goodwine +goodwives +gooey +goof +goofah +goofball +goofballs +goofed +goofer +go-off +goofy +goofier +goofiest +goofily +goofiness +goofinesses +goofing +goof-off +goofs +goof-up +goog +Googins +googly +googly-eyed +googlies +googol +googolplex +googolplexes +googols +goo-goo +googul +gooier +gooiest +gook +gooky +gooks +gool +goolah +goolde +Goole +gools +gooma +goombah +goombahs +goombay +goombays +goon +goonch +goonda +goondie +gooney +gooneys +goony +goonie +goonies +goons +Goop +goopy +goopier +goopiest +goops +gooral +goorals +gooranut +gooroo +goos +goosander +goose +goosebeak +gooseberry +gooseberry-eyed +gooseberries +goosebill +goose-bill +goosebird +gooseboy +goosebone +goose-cackle +goosecap +goosed +goose-egg +goosefish +goosefishes +gooseflesh +goose-flesh +goosefleshes +goose-fleshy +gooseflower +goosefoot +goose-foot +goose-footed +goosefoots +goosegirl +goosegog +goosegrass +goose-grass +goose-grease +goose-headed +gooseherd +goosehouse +goosey +gooselike +gooseliver +goosemouth +gooseneck +goose-neck +goosenecked +goose-pimple +goosepimply +goose-pimply +goose-quill +goosery +gooseries +gooserumped +gooses +goose-shaped +gooseskin +goose-skin +goose-step +goose-stepped +goose-stepper +goose-stepping +goosetongue +gooseweed +goosewing +goose-wing +goosewinged +goosy +goosier +goosiest +goosing +goosish +goosishly +goosishness +Goossens +gootee +goozle +GOP +gopak +gopher +gopherberry +gopherberries +gopherman +gopherroot +gophers +gopherwood +gopura +go-quick +Gor +Gora +goracco +Gorakhpur +goral +goralog +gorals +Goran +Goraud +gorb +gorbal +Gorbals +gorbelly +gorbellied +gorbellies +gorbet +gorbit +gorble +gorblimey +gorblimy +gorblin +Gorboduc +gorce +Gorchakov +gorcock +gorcocks +gorcrow +Gord +Gordan +Gorden +Gordy +Gordiacea +gordiacean +gordiaceous +Gordyaean +Gordian +Gordie +gordiid +Gordiidae +gordioid +Gordioidea +Gordius +Gordo +gordolobo +Gordon +Gordonia +Gordonsville +Gordonville +gordunite +Gore +gorebill +gored +Goree +gorefish +gore-fish +Gorey +Goren +gorer +gores +gorevan +Goreville +gorfly +Gorga +Gorgas +gorge +gorgeable +gorged +gorgedly +gorgelet +gorgeous +gorgeously +gorgeousness +gorger +gorgeret +gorgerin +gorgerins +gorgers +Gorges +gorget +gorgeted +gorgets +gorgia +Gorgias +gorging +gorgio +Gorgythion +gorglin +Gorgon +Gorgonacea +gorgonacean +gorgonaceous +gorgoneia +gorgoneion +gorgoneioneia +gorgonesque +gorgoneum +Gorgon-headed +Gorgonia +Gorgoniacea +gorgoniacean +gorgoniaceous +Gorgonian +gorgonin +gorgonise +gorgonised +gorgonising +gorgonize +gorgonized +gorgonizing +gorgonlike +gorgons +Gorgonzola +Gorgophone +Gorgosaurus +Gorham +gorhen +gorhens +gory +goric +Gorica +gorier +goriest +gorily +gorilla +gorillalike +gorillas +gorilla's +gorillaship +gorillian +gorilline +gorilloid +Gorin +goriness +gorinesses +Goring +Gorizia +Gorkhali +Gorki +Gorky +Gorkiesque +gorkun +Gorlicki +Gorlin +gorling +Gorlitz +gorlois +Gorlovka +Gorman +gormand +gormandise +gormandised +gormandiser +gormandising +gormandism +gormandize +gormandized +gormandizer +gormandizers +gormandizes +gormandizing +gormands +Gormania +gormaw +gormed +gormless +gorp +gorps +gorra +gorraf +gorrel +gorry +Gorrian +Gorrono +gorse +gorsebird +gorsechat +Gorsedd +gorsehatch +gorses +gorsy +gorsier +gorsiest +Gorski +gorst +Gortys +Gorton +Gortonian +Gortonite +Gorum +Gorz +GOS +gosain +Gosala +goschen +goschens +gosh +goshawful +gosh-awful +goshawk +goshawks +goshdarn +gosh-darn +Goshen +goshenite +GOSIP +Goslar +goslarite +goslet +gos-lettuce +gosling +goslings +gosmore +Gosney +Gosnell +Gospel +gospeler +gospelers +gospelist +gospelize +gospeller +gospelly +gospellike +gospelmonger +Gospels +gospel-true +gospelwards +Gosplan +gospoda +gospodar +gospodin +gospodipoda +Gosport +gosports +Goss +Gossaert +gossamer +gossamered +gossamery +gossameriness +gossamers +gossampine +gossan +gossaniferous +gossans +gossard +Gossart +Gosse +Gosselin +gossep +Gosser +gossy +gossip +gossipdom +gossiped +gossipee +gossiper +gossipers +gossiphood +gossipy +gossypin +gossypine +gossipiness +gossiping +gossipingly +Gossypium +gossipmonger +gossipmongering +gossypol +gossypols +gossypose +gossipped +gossipper +gossipping +gossipred +gossipry +gossipries +gossips +gossoon +gossoons +goster +gosther +got +Gotama +gotch +gotched +Gotcher +gotchy +gote +Gotebo +Goteborg +goter +Goth +Goth. +Gotha +Gotham +Gothamite +Gothar +Gothard +Gothart +Gothenburg +Gothic +Gothically +Gothicise +Gothicised +Gothiciser +Gothicising +Gothicism +Gothicist +Gothicity +Gothicize +Gothicized +Gothicizer +Gothicizing +Gothicness +gothics +Gothish +Gothism +gothite +gothites +Gothlander +Gothonic +goths +Gothurd +Gotiglacial +Gotland +Gotlander +Goto +go-to-itiveness +go-to-meeting +gotos +gotra +gotraja +Gott +gotta +gotten +Gotterdammerung +Gottfried +Gotthard +Gotthelf +Gottingen +Gottland +Gottlander +Gottlieb +Gottschalk +Gottuard +Gottwald +Gotz +gou +gouache +gouaches +gouaree +Goucher +Gouda +Goudeau +Goudy +gouge +gouged +gouger +gougers +gouges +Gough +gouging +gougingly +goujay +goujat +Goujon +goujons +goulan +goularo +goulash +goulashes +Gould +Gouldbusk +Goulden +Goulder +gouldian +Goulds +Gouldsboro +Goulet +Goulette +goumi +goumier +gounau +goundou +Gounod +goup +goupen +goupin +gour +Goura +gourami +gouramis +gourd +gourde +gourded +gourdes +gourdful +gourdhead +gourdy +Gourdine +gourdiness +gourding +gourdlike +gourds +gourd-shaped +gourdworm +goury +Gourinae +gourmand +gourmander +gourmanderie +gourmandise +gourmandism +gourmandize +gourmandizer +gourmands +gourmet +gourmetism +gourmets +Gourmont +Gournay +gournard +Gournia +gourounut +gousty +goustie +goustrous +gout +gouter +gouty +goutier +goutiest +goutify +goutily +goutiness +goutish +gouts +goutte +goutweed +goutwort +gouv- +gouvernante +gouvernantes +Gouverneur +Gov +Gov. +Gove +govern +governability +governable +governableness +governably +governail +governance +governante +governed +governeress +governess +governessdom +governesses +governesshood +governessy +governess-ship +governing +governingly +governless +government +governmental +governmentalism +governmentalist +governmentalize +governmentally +government-general +government-in-exile +governmentish +government-owned +governments +government's +governor +governorate +governor-elect +governor-general +governor-generalship +governors +governor's +governorship +governorships +governs +Govt +Govt. +Gow +gowan +Gowanda +gowaned +gowany +gowans +gowd +gowdy +gowdie +gowdnie +gowdnook +gowds +Gowen +Gower +gowf +gowfer +gowiddie +gowk +gowked +gowkedly +gowkedness +gowkit +gowks +gowl +gowlan +gowland +gown +gowned +gown-fashion +gowning +gownlet +gowns +gownsman +gownsmen +Gowon +gowpen +gowpin +Gowrie +GOX +goxes +gozell +gozill +gozzan +gozzard +GP +gpad +GPC +gpcd +GPCI +GPD +GpE +gph +GPI +GPIB +GPL +GPM +GPO +GPS +GPSI +GPSS +GPU +GQ +GR +Gr. +gra +Graaf +Graafian +graal +graals +grab +grab-all +grabbable +grabbed +grabber +grabbers +grabber's +grabby +grabbier +grabbiest +grabbing +grabbings +grabble +grabbled +grabbler +grabblers +grabbles +grabbling +grabbots +graben +grabens +grabhook +Grabill +grabman +grabouche +grabs +Gracchus +Grace +grace-and-favor +grace-and-favour +grace-cup +graced +graceful +gracefuller +gracefullest +gracefully +gracefulness +gracefulnesses +Gracey +graceless +gracelessly +gracelessness +gracelike +Gracemont +gracer +Graces +Graceville +Gracewood +gracy +Gracia +gracias +Gracie +Gracye +Gracilaria +gracilariid +Gracilariidae +gracile +gracileness +graciles +gracilescent +gracilis +gracility +gracing +graciosity +gracioso +graciosos +gracious +graciously +graciousness +graciousnesses +grackle +grackles +Graculus +grad +gradable +gradal +gradate +gradated +gradates +gradatim +gradating +gradation +gradational +gradationally +gradationately +gradations +gradation's +gradative +gradatively +gradatory +graddan +grade +graded +gradefinder +Gradey +Gradeigh +gradeless +gradely +grademark +grader +graders +grades +Gradgrind +Gradgrindian +Gradgrindish +Gradgrindism +Grady +gradient +gradienter +Gradientia +gradients +gradient's +gradin +gradine +gradines +grading +gradings +gradino +gradins +gradiometer +gradiometric +Gradyville +gradometer +Grados +grads +Gradual +graduale +gradualism +gradualist +gradualistic +graduality +gradually +gradualness +graduals +graduand +graduands +graduate +graduated +graduate-professional +graduates +graduateship +graduatical +graduating +graduation +graduations +graduator +graduators +gradus +graduses +Grae +Graeae +graecian +Graecise +Graecised +Graecising +Graecism +Graecize +Graecized +graecizes +Graecizing +Graeco- +graecomania +graecophil +Graeco-Roman +Graeculus +Graehl +Graehme +Graeme +Graettinger +Graf +Grafen +Graff +graffage +graffer +Graffias +graffiti +graffito +Graford +grafship +graft +graftage +graftages +graftdom +grafted +grafter +grafters +graft-hybridism +graft-hybridization +grafting +Grafton +graftonite +graftproof +grafts +Gragano +grager +gragers +Graham +Grahame +grahamism +grahamite +grahams +graham's +Grahamsville +Grahn +Gray +Graiae +Graian +Graiba +grayback +graybacks +gray-barked +graybeard +graybearded +gray-bearded +graybeards +gray-bellied +Graybill +gray-black +gray-blue +gray-bordered +gray-boughed +gray-breasted +gray-brindled +gray-brown +Grayce +gray-cheeked +gray-clad +graycoat +gray-colored +Graycourt +gray-crowned +Graydon +gray-drab +grayed +gray-eyed +grayer +grayest +gray-faced +grayfish +grayfishes +grayfly +Graig +gray-gowned +gray-green +gray-grown +grayhair +gray-haired +grayhead +gray-headed +gray-hooded +grayhound +gray-hued +graying +grayish +grayish-brown +grayishness +Grail +graylag +graylags +Grayland +gray-leaf +gray-leaved +grailer +grayly +grailing +Grayling +graylings +gray-lit +graille +grails +graymail +graymalkin +gray-mantled +graymill +gray-moldering +Graymont +gray-mustached +grain +grainage +grain-burnt +grain-carrying +grain-cleaning +grain-cut +graine +grain-eater +grain-eating +gray-necked +grained +grainedness +grainer +grainery +grainering +grainers +grayness +graynesses +grain-fed +Grainfield +grainfields +Grainger +grain-growing +grainy +grainier +grainiest +graininess +graining +grain-laden +grainland +grainless +grainman +grains +grainsick +grainsickness +grainsman +grainsmen +grainways +grayout +grayouts +graip +graypate +grays +graysby +graysbies +Grayslake +Grayson +gray-speckled +gray-spotted +graisse +Graysville +gray-tailed +graith +graithly +gray-tinted +gray-toned +Graytown +gray-twigged +gray-veined +Grayville +graywacke +graywall +grayware +graywether +gray-white +gray-winged +grakle +Grallae +Grallatores +grallatory +grallatorial +grallic +Grallina +gralline +gralloch +gram +gram. +grama +gramaphone +gramary +gramarye +gramaries +gramaryes +gramas +gramash +gramashes +Grambling +gram-centimeter +grame +gramenite +Gramercy +gramercies +Gram-fast +gramy +gramicidin +Graminaceae +graminaceous +Gramineae +gramineal +gramineous +gramineousness +graminicolous +graminiferous +graminifolious +graminiform +graminin +graminivore +graminivorous +graminology +graminological +graminous +Gramling +gramma +grammalogue +grammar +grammarian +grammarianism +grammarians +grammarless +grammars +grammar's +grammar-school +grammates +grammatic +grammatical +grammaticality +grammatically +grammaticalness +grammaticaster +grammatication +grammaticism +grammaticize +grammatico-allegorical +grammatics +grammatist +grammatistical +grammatite +grammatolator +grammatolatry +grammatology +Grammatophyllum +gramme +grammel +grammes +gram-meter +grammy +grammies +gram-molar +gram-molecular +Grammontine +Grammos +Gram-negative +gramoches +Gramont +Gramophone +gramophones +gramophonic +gramophonical +gramophonically +gramophonist +gramp +grampa +gramper +Grampian +Grampians +Gram-positive +gramps +grampus +grampuses +grams +gram-variable +Gran +Grana +Granada +granadilla +granadillo +Granadine +granado +Granados +granage +granam +granary +granaries +granary's +granat +granate +granatite +granatum +Granby +Granbury +granch +Grand +grand- +grandad +grandada +grandaddy +grandads +grandam +grandame +grandames +grandams +grandaunt +grand-aunt +grandaunts +grandbaby +grandchild +grandchildren +granddad +grand-dad +granddada +granddaddy +granddaddies +granddads +granddam +granddaughter +grand-daughter +granddaughterly +granddaughters +grand-ducal +Grande +grandee +grandeeism +grandees +grandeeship +grander +grandesque +grandest +Grande-Terre +grandeur +grandeurs +grandeval +grandevity +grandevous +grandeza +grandezza +grandfather +grandfatherhood +grandfatherish +grandfatherless +grandfatherly +grandfathers +grandfather's +grandfathership +grandfer +grandfilial +Grandgent +grandgore +Grand-guignolism +grandiflora +grandiloquence +grandiloquent +grandiloquently +grandiloquous +grandiose +grandiosely +grandioseness +grandiosity +grandioso +grandisonant +Grandisonian +Grandisonianism +grandisonous +grandity +grand-juryman +grand-juror +grandly +grandma +grandmama +grandmamma +grandmammy +grandmas +grandmaster +grandmaternal +Grandmontine +grandmother +grandmotherhood +grandmotherism +grandmotherly +grandmotherliness +grandmothers +grandmother's +grandnephew +grand-nephew +grandnephews +grandness +grandnesses +grandniece +grand-niece +grandnieces +grando +grandpa +grandpap +grandpapa +grandpappy +grandparent +grandparentage +grandparental +grandparenthood +grandparents +grandpas +grandpaternal +grandrelle +grands +grand-scale +grandsir +grandsire +grandsirs +grand-slammer +grandson +grandsons +grandson's +grandsonship +grandstand +grandstanded +grandstander +grandstanding +grandstands +grandtotal +granduncle +grand-uncle +granduncles +Grandview +Grandville +Grane +Graner +granes +Granese +granet +Grange +Grangemouth +Granger +grangerisation +grangerise +grangerised +grangeriser +grangerising +grangerism +grangerite +grangerization +grangerize +grangerized +grangerizer +grangerizing +grangers +granges +Grangeville +Grangousier +Grani +grani- +Grania +Graniah +Granicus +Graniela +graniferous +graniform +granilla +granita +granite +granite-dispersing +granite-gneiss +granite-gruss +granitelike +granites +granite-sprinkled +Graniteville +graniteware +granitic +granitical +graniticoline +granitiferous +granitification +granitiform +granitite +granitization +granitize +granitized +granitizing +granitoid +granitoidal +granivore +granivorous +granjeno +Granjon +grank +Granlund +granma +grannam +Granny +Grannia +Granniah +Grannias +grannybush +Grannie +grannies +grannyknot +Grannis +granny-thread +grannom +grano +grano- +granoblastic +granodiorite +granodioritic +Granoff +granogabbro +granola +granolas +granolite +Granolith +granolithic +Granollers +granomerite +granophyre +granophyric +granose +granospherite +grans +Grant +Granta +grantable +granted +grantedly +grantee +grantees +granter +granters +Granth +Grantha +Grantham +Granthem +granthi +Grantia +Grantiidae +grant-in-aid +granting +Grantland +Grantley +Granton +grantor +grantors +Grantorto +Grants +Grantsboro +Grantsburg +Grantsdale +grants-in-aid +grantsman +grantsmanship +grantsmen +Grantsville +Granttown +Grantville +granul- +granula +granular +granulary +granularity +granularities +granularly +granulate +granulated +granulater +granulates +granulating +granulation +granulations +granulative +granulator +granulators +granule +granules +granulet +granuliferous +granuliform +granulite +granulitic +granulitis +granulitization +granulitize +granulization +granulize +granulo- +granuloadipose +granuloblast +granuloblastic +granulocyte +granulocytic +granulocytopoiesis +granuloma +granulomas +granulomata +granulomatosis +granulomatous +granulometric +granulosa +granulose +granulosis +granulous +granum +Granville +Granville-Barker +granza +granzita +grape +grape-bearing +graped +grape-eater +grapeflower +grapefruit +grapefruits +grapeful +grape-hued +grapey +grapeys +Grapeland +grape-leaved +grapeless +grapelet +grapelike +grapeline +grapenuts +grapery +graperies +graperoot +grapes +grape's +grape-shaped +grapeshot +grape-shot +grape-sized +grapeskin +grapestalk +grapestone +grape-stone +Grapeview +Grapeville +Grapevine +grape-vine +grapevines +grapewise +grapewort +graph +Graphalloy +graphanalysis +graphed +grapheme +graphemes +graphemic +graphemically +graphemics +grapher +graphy +graphic +graphical +graphically +graphicalness +graphicly +graphicness +graphics +graphic-texture +Graphidiaceae +graphing +Graphiola +graphiology +graphiological +graphiologist +Graphis +graphist +graphite +graphiter +graphites +graphitic +graphitizable +graphitization +graphitize +graphitized +graphitizing +graphitoid +graphitoidal +Graphium +grapho- +graphoanalytical +grapholite +graphology +graphologic +graphological +graphologies +graphologist +graphologists +graphomania +graphomaniac +graphomaniacal +graphometer +graphometry +graphometric +graphometrical +graphometrist +graphomotor +graphonomy +graphophobia +Graphophone +graphophonic +graphorrhea +graphoscope +graphospasm +graphostatic +graphostatical +graphostatics +Graphotype +graphotypic +graphs +graph's +grapy +grapier +grapiest +graping +graplin +grapline +graplines +graplins +grapnel +grapnels +grappa +grappas +Grappelli +grapple +grappled +grapplement +grappler +grapplers +grapples +grappling +Grapsidae +grapsoid +Grapsus +Grapta +graptolite +Graptolitha +Graptolithida +Graptolithina +graptolitic +Graptolitoidea +Graptoloidea +graptomancy +gras +Grasmere +grasni +Grasonville +grasp +graspable +grasped +grasper +graspers +grasping +graspingly +graspingness +graspless +grasps +GRASS +grassant +grassation +grassbird +grass-blade +grass-carpeted +grasschat +grass-clad +grass-cloth +grass-covered +grass-cushioned +grasscut +grasscutter +grass-cutting +Grasse +grass-eater +grass-eating +grassed +grasseye +grass-embroidered +grasser +grasserie +grassers +grasses +grasset +grass-fed +grassfinch +grassfire +grassflat +grassflower +grass-green +grass-growing +grass-grown +grasshook +grass-hook +grasshop +grasshopper +grasshopperdom +grasshopperish +grasshoppers +grasshouse +Grassi +grassy +grassie +grassier +grassiest +grassy-green +grassy-leaved +grassily +grassiness +grassing +grass-killing +grassland +grasslands +grass-leaved +grassless +grasslike +Grassman +grassmen +grass-mowing +grassnut +grass-of-Parnassus +grassplat +grass-plat +grassplot +grassquit +grass-roofed +grassroots +grass-roots +Grasston +grass-tree +grasswards +grassweed +grasswidow +grasswidowhood +grasswork +grassworm +grass-woven +grass-wren +grat +Grata +gratae +grate +grated +grateful +gratefuller +gratefullest +gratefully +gratefullies +gratefulness +gratefulnesses +grateless +gratelike +grateman +grater +graters +grates +gratewise +Grath +grather +Grati +Gratia +Gratiae +Gratian +Gratiana +Gratianna +Gratiano +gratias +graticulate +graticulation +graticule +gratify +gratifiable +gratification +gratifications +gratified +gratifiedly +gratifier +gratifies +gratifying +gratifyingly +gratility +gratillity +gratin +gratinate +gratinated +gratinating +gratine +gratinee +grating +gratingly +gratings +gratins +Gratiola +gratiolin +gratiosolin +Gratiot +gratis +gratitude +Graton +Gratt +grattage +Grattan +gratten +gratters +grattoir +grattoirs +gratton +gratuitant +gratuity +gratuities +gratuity's +gratuito +gratuitous +gratuitously +gratuitousness +gratulant +gratulate +gratulated +gratulating +gratulation +gratulatory +gratulatorily +Gratz +Graubden +Graubert +Graubunden +graunt +graupel +graupels +Graustark +Graustarkian +grauwacke +grav +gravamem +gravamen +gravamens +gravamina +gravaminous +Gravante +gravat +gravata +grave +grave-born +grave-bound +grave-browed +graveclod +gravecloth +graveclothes +grave-clothes +grave-colored +graved +gravedigger +grave-digger +gravediggers +grave-digging +gravedo +grave-faced +gravegarth +graveyard +graveyards +gravel +gravel-bind +gravel-blind +gravel-blindness +graveldiver +graveled +graveless +gravel-grass +gravely +gravelike +graveling +gravelish +gravelled +Gravelly +gravelliness +gravelling +grave-looking +gravelous +gravel-pit +gravelroot +gravels +gravelstone +gravel-stone +gravel-walk +gravelweed +gravemaker +gravemaking +graveman +gravemaster +graven +graveness +gravenesses +Gravenhage +Gravenstein +graveolence +graveolency +graveolent +graver +gravery +grave-riven +graverobber +graverobbing +grave-robbing +gravers +Graves +Gravesend +graveship +graveside +gravest +gravestead +gravestone +gravestones +grave-toned +Gravette +Gravettian +grave-visaged +graveward +gravewards +grave-wax +gravy +gravi- +gravic +gravicembali +gravicembalo +gravicembalos +gravid +gravida +gravidae +gravidas +gravidate +gravidation +gravidity +gravidly +gravidness +graviers +gravies +gravific +Gravigrada +gravigrade +gravilea +gravimeter +gravimeters +gravimetry +gravimetric +gravimetrical +gravimetrically +graving +gravipause +gravisphere +gravispheric +gravitas +gravitate +gravitated +gravitater +gravitates +gravitating +gravitation +gravitational +gravitationally +gravitations +gravitative +Gravity +gravitic +gravity-circulation +gravities +gravity-fed +gravitometer +graviton +gravitons +gravo- +Gravolet +gravure +gravures +grawls +Grawn +Graz +grazable +graze +grazeable +grazed +grazer +grazers +grazes +Grazia +grazie +grazier +grazierdom +graziery +graziers +grazing +grazingly +grazings +grazioso +GRB +GRD +gre +Greabe +greable +greably +Grearson +grease +greaseball +greasebush +greased +grease-heel +grease-heels +greasehorn +greaseless +greaselessness +grease-nut +greasepaint +greaseproof +greaseproofness +greaser +greasers +greases +greasewood +greasy +greasier +greasiest +greasy-headed +greasily +greasiness +greasing +Great +great- +great-armed +great-aunt +great-bellied +great-boned +great-children +great-circle +greatcoat +great-coat +greatcoated +greatcoats +great-crested +great-eared +great-eyed +greaten +greatened +greatening +greatens +Greater +greatest +great-footed +great-grandaunt +great-grandchild +great-grandchildren +great-granddaughter +great-grandfather +great-grandmother +great-grandnephew +great-grandniece +great-grandparent +great-grandson +great-granduncle +great-great- +great-grown +greathead +great-head +great-headed +greatheart +greathearted +great-hearted +greatheartedly +greatheartedness +great-hipped +greatish +great-leaved +greatly +great-lipped +great-minded +great-mindedly +great-mindedness +greatmouthed +great-nephew +greatness +greatnesses +great-niece +great-nosed +Great-Power +Greats +great-sized +great-souled +great-sounding +great-spirited +great-stemmed +great-tailed +great-uncle +great-witted +greave +greaved +greaves +Greb +grebe +Grebenau +grebes +Grebo +grecale +grece +Grecia +Grecian +Grecianize +grecians +grecing +Grecise +Grecised +Grecising +Grecism +Grecize +Grecized +grecizes +Grecizing +Greco +Greco- +Greco-american +Greco-asiatic +Greco-buddhist +Greco-bulgarian +Greco-cretan +Greco-egyptian +Greco-hispanic +Greco-iberian +Greco-Italic +Greco-latin +Greco-macedonian +Grecomania +Grecomaniac +Greco-mohammedan +Greco-oriental +Greco-persian +Grecophil +Greco-phoenician +Greco-phrygian +Greco-punic +Greco-Roman +Greco-sicilian +Greco-trojan +Greco-turkish +grecoue +grecque +Gredel +gree +Greece +greed +greedy +greedier +greediest +greedygut +greedy-gut +greedyguts +greedily +greediness +greedinesses +greedless +greeds +greedsome +greegree +greegrees +greeing +Greek +Greekdom +Greekery +Greekess +Greekish +Greekism +Greekist +Greekize +Greekless +Greekling +greeks +greek's +Greeley +Greeleyville +Greely +Green +greenable +greenage +greenalite +Greenaway +Greenback +green-backed +Greenbacker +Greenbackism +greenbacks +Greenbackville +green-bag +green-banded +Greenbank +greenbark +green-barked +Greenbelt +green-belt +Greenberg +green-black +Greenblatt +green-blind +green-blue +greenboard +green-bodied +green-boled +greenbone +green-bordered +greenbottle +green-boughed +green-breasted +Greenbriar +Greenbrier +greenbug +greenbugs +greenbul +Greenburg +Greenbush +Greencastle +green-clad +Greencloth +greencoat +green-crested +green-curtained +Greendale +green-decked +Greendell +Greene +Greenebaum +greened +green-edged +greeney +green-eyed +green-embroidered +greener +greenery +greeneries +Greenes +greenest +Greeneville +green-faced +green-feathered +Greenfield +greenfinch +greenfish +green-fish +greenfishes +greenfly +green-fly +greenflies +green-flowered +Greenford +green-fringed +greengage +green-garbed +greengill +green-gilled +green-glazed +green-gold +green-gray +greengrocer +greengrocery +greengroceries +greengrocers +green-grown +green-haired +Greenhalgh +Greenhall +greenhead +greenheaded +green-headed +greenheart +greenhearted +greenhew +greenhide +Greenhills +greenhood +greenhorn +greenhornism +greenhorns +greenhouse +green-house +greenhouses +greenhouse's +green-hued +Greenhurst +greeny +greenyard +green-yard +greenie +green-yellow +greenier +greenies +greeniest +greening +greenings +greenish +greenish-blue +greenish-flowered +greenish-yellow +greenishness +greenkeeper +greenkeeping +Greenland +Greenlander +Greenlandic +Greenlandish +greenlandite +Greenlandman +Greenlane +Greenlawn +Greenleaf +green-leaved +Greenlee +greenleek +green-legged +greenless +greenlet +greenlets +greenly +greenling +Greenman +green-mantled +greenness +greennesses +Greenock +greenockite +Greenough +greenovite +green-peak +Greenport +Greenquist +green-recessed +green-ribbed +greenroom +green-room +greenrooms +green-rotted +greens +green-salted +greensand +green-sand +greensauce +Greensboro +Greensburg +Greensea +green-seeded +greenshank +green-shaving +green-sheathed +green-shining +greensick +greensickness +greenside +greenskeeper +green-skinned +greenslade +green-sleeves +green-stained +Greenstein +greenstick +greenstone +green-stone +green-striped +greenstuff +green-suited +greensward +greenswarded +greentail +green-tail +green-tailed +greenth +green-throated +greenths +greenthumbed +green-tinted +green-tipped +Greentown +Greentree +green-twined +greenuk +Greenup +Greenvale +green-veined +Greenview +Greenville +Greenway +Greenwald +greenware +greenwax +greenweed +Greenwell +Greenwich +greenwing +green-winged +greenwithe +Greenwood +greenwoods +greenwort +Greer +Greerson +grees +greesagh +greese +greeshoch +Greeson +greet +greeted +greeter +greeters +greeting +greetingless +greetingly +greetings +greets +greeve +Grefe +Grefer +Greff +greffe +greffier +greffotome +Greg +Grega +gregal +gregale +gregaloid +gregarian +gregarianism +Gregarina +Gregarinae +Gregarinaria +gregarine +gregarinian +Gregarinida +gregarinidal +gregariniform +Gregarinina +Gregarinoidea +gregarinosis +gregarinous +gregarious +gregariously +gregariousness +gregariousnesses +gregaritic +gregatim +gregau +grege +Gregg +gregge +greggle +Greggory +greggriffin +Greggs +grego +Gregoire +Gregoor +Gregor +Gregory +Gregorian +Gregorianist +Gregorianize +Gregorianizer +Gregorio +gregory-powder +Gregorius +gregos +Gregrory +Gregson +Grey +greyback +grey-back +greybeard +Greybull +grey-cheeked +Greycliff +greycoat +grey-coat +greyed +greyer +greyest +greyfish +greyfly +greyflies +Greig +greige +greiges +grey-headed +greyhen +grey-hen +greyhens +greyhound +greyhounds +Greyiaceae +greying +greyish +greylag +greylags +greyly +greyling +greillade +Greimmerath +grein +Greiner +greyness +greynesses +greing +Greynville +greypate +greys +greisen +greisens +greyskin +Greyso +Greyson +grey-state +greystone +Greysun +greit +greith +greywacke +greyware +greywether +Grekin +greking +grelot +gremial +gremiale +gremials +gremio +gremlin +gremlins +gremmy +gremmie +gremmies +Grenache +Grenada +grenade +grenades +grenade's +Grenadian +grenadier +grenadierial +grenadierly +grenadiers +grenadiership +grenadilla +grenadin +grenadine +Grenadines +grenado +grenat +grenatite +Grendel +grene +Grenelle +Grenfell +Grenier +Grenloch +Grenoble +Grenola +Grenora +Grenville +GREP +gres +Gresham +gresil +gressible +Gressoria +gressorial +gressorious +gret +Greta +Gretal +Gretchen +Grete +Gretel +Grethel +Gretna +Gretry +Gretta +greund +Greuze +Grevera +Greville +Grevillea +Grew +grewhound +Grewia +Grewitz +grewsome +grewsomely +grewsomeness +grewsomer +grewsomest +grewt +grex +grf +GRI +gry +gry- +gribane +gribble +gribbles +Gricault +grice +grid +gridded +gridder +gridders +gridding +griddle +griddlecake +griddlecakes +griddled +griddler +griddles +griddling +gride +gryde +grided +gridelin +Grider +grides +griding +gridiron +gridirons +Gridley +gridlock +grids +grid's +grieben +griece +grieced +griecep +grief +grief-bowed +grief-distraught +grief-exhausted +griefful +grieffully +grief-inspired +griefless +grieflessness +griefs +grief's +grief-scored +grief-shot +grief-stricken +grief-worn +Grieg +griege +grieko +Grier +Grierson +grieshoch +grieshuckle +grievable +grievance +grievances +grievance's +grievant +grievants +Grieve +grieved +grievedly +griever +grievers +grieves +grieveship +grieving +grievingly +grievous +grievously +grievousness +Griff +griffade +griffado +griffaun +griffe +Griffes +Griffy +Griffie +Griffin +griffinage +griffin-beaked +griffinesque +griffin-guarded +griffinhood +griffinish +griffinism +griffins +griffin-winged +Griffis +Griffith +griffithite +Griffiths +Griffithsville +Griffithville +Griffon +griffonage +griffonne +griffons +griffon-vulture +griffs +grift +grifted +grifter +grifters +grifting +Grifton +grifts +grig +griggles +Griggs +Griggsville +Grigioni +Grygla +Grignard +grignet +Grignolino +grigri +grigris +grigs +Grigson +grihastha +grihyasutra +grike +Grikwa +Grilikhes +grill +grillade +grilladed +grillades +grillading +grillage +grillages +grille +grylle +grilled +grillee +griller +grillers +grilles +grillework +grilly +grylli +gryllid +Gryllidae +grilling +gryllos +Gryllotalpa +Grillparzer +grillroom +grills +Gryllus +grillwork +grillworks +grilse +grilses +Grim +grimace +grimaced +grimacer +grimacers +grimaces +grimacier +grimacing +grimacingly +Grimaldi +Grimaldian +grimalkin +Grimaud +Grimbal +Grimbald +Grimbly +grim-cheeked +grime +grimed +grim-eyed +Grimes +Grimesland +grim-faced +grim-featured +grim-frowning +grimful +grimgribber +grim-grinning +Grimhild +grimy +grimier +grimiest +grimy-handed +grimily +grimines +griminess +griming +grimly +grimliness +grim-looking +Grimm +grimme +grimmer +grimmest +Grimmia +Grimmiaceae +grimmiaceous +grimmish +grimness +grimnesses +grimoire +Grimona +Grimonia +grimp +Grimsby +grim-set +grimsir +grimsire +Grimsley +Grimstead +grim-visaged +grin +Grynaeus +grinagog +grinch +grincome +grind +grindable +grindal +grinded +Grindelia +Grindelwald +grinder +grindery +grinderies +grinderman +grinders +grinding +grindingly +grindings +Grindlay +Grindle +grinds +grindstone +grindstones +grindstone's +Gring +gringo +gringole +gringolee +gringophobia +gringos +Grinling +grinned +Grinnell +Grinnellia +grinner +grinners +grinny +grinnie +grinning +grinningly +grins +grint +grinter +grintern +Grinzig +griot +griots +griotte +grip +grypanian +gripe +grype +griped +gripeful +gripey +griper +gripers +gripes +gripgrass +griph +gryph +Gryphaea +griphe +griphite +gryphite +gryphon +gryphons +Griphosaurus +Gryphosaurus +griphus +gripy +gripier +gripiest +griping +gripingly +gripless +gripman +gripmen +gripment +gryposis +Grypotherium +grippal +grippe +gripped +grippelike +gripper +grippers +grippes +grippy +grippier +grippiest +grippiness +gripping +grippingly +grippingness +grippit +gripple +gripple-handed +grippleness +grippotoxin +GRIPS +gripsack +gripsacks +gript +Griqua +griquaite +Griqualander +Gris +grisaille +grisailles +gris-amber +grisard +grisbet +grysbok +gris-de-lin +grise +Griselda +Griseldis +griseofulvin +griseous +grisette +grisettes +grisettish +grisgris +gris-gris +Grishilda +Grishilde +Grishun +griskin +griskins +grisled +grisly +grislier +grisliest +grisliness +Grison +Grisons +grisounite +grisoutine +grisping +Grissel +grissen +grissens +grisset +Grissom +grissons +grist +gristbite +Gristede +grister +Gristhorbia +gristy +gristle +gristles +gristly +gristlier +gristliest +gristliness +gristmill +gristmiller +gristmilling +gristmills +grists +Griswold +Grit +grith +grithbreach +grithman +griths +gritless +gritrock +grits +grit's +gritstone +gritted +gritten +gritter +gritty +grittie +grittier +grittiest +grittily +grittiness +gritting +grittle +grivation +grivet +grivets +grivna +grivois +grivoise +Griz +grizard +Grizel +Grizelda +grizelin +Grizzel +grizzle +grizzled +grizzler +grizzlers +grizzles +grizzly +grizzlier +grizzlies +grizzliest +grizzlyman +grizzliness +grizzling +Grnewald +GRO +gro. +groan +groaned +groaner +groaners +groanful +groaning +groaningly +groans +Groark +groat +groats +groatsworth +Grobe +grobian +grobianism +grocer +grocerdom +groceress +grocery +groceries +groceryman +grocerymen +grocerly +grocers +grocer's +grocerwise +groceteria +Grochow +grockle +Grodin +Grodno +Groenendael +groenlandicus +Groesbeck +Groesz +Groete +Grof +Grofe +groff +grog +Grogan +grogged +grogger +groggery +groggeries +groggy +groggier +groggiest +groggily +grogginess +grogginesses +grogging +grognard +grogram +grograms +grogs +grogshop +grogshops +Groh +groin +groyne +groined +groinery +groynes +groining +groins +Groland +Grolier +Grolieresque +groma +gromatic +gromatical +gromatics +gromet +Gromia +Gromyko +gromil +gromyl +Gromme +grommet +grommets +gromwell +gromwells +Gronchi +grond +Grondin +grondwet +Groningen +Gronseth +gront +groof +groo-groo +groom +Groome +groomed +groomer +groomers +groomy +grooming +groomish +groomishly +groomlet +groomling +groom-porter +grooms +groomsman +groomsmen +groop +grooper +Groos +groose +Groot +Groote +Grootfontein +grooty +groove +groove-billed +grooved +grooveless +groovelike +groover +grooverhead +groovers +grooves +groovy +groovier +grooviest +grooviness +grooving +groow +GROPE +groped +groper +gropers +gropes +groping +gropingly +Gropius +Gropper +gropple +Grory +groroilite +grorudite +Gros +grosbeak +grosbeaks +Grosberg +groschen +Groscr +Grose +groser +groset +grosgrain +grosgrained +grosgrains +Grosmark +Gross +grossart +gross-beak +gross-bodied +gross-brained +Grosse +grossed +Grosseile +grossen +grosser +grossers +grosses +grossest +Grosset +Grosseteste +Grossetete +gross-featured +gross-fed +grosshead +gross-headed +grossierete +grossify +grossification +grossing +grossirete +gross-jawed +grossly +gross-lived +Grossman +gross-mannered +gross-minded +gross-money +gross-natured +grossness +grossnesses +grosso +gross-pated +grossulaceous +grossular +Grossularia +Grossulariaceae +grossulariaceous +grossularious +grossularite +Grosswardein +gross-witted +Grosvenor +Grosvenordale +Grosz +grosze +groszy +grot +Grote +groten +grotesco +Grotesk +grotesque +grotesquely +grotesqueness +grotesquery +grotesquerie +grotesqueries +grotesques +Grotewohl +grothine +grothite +Grotian +Grotianism +Grotius +Groton +grots +grottesco +grotty +grottier +grotto +grottoed +Grottoes +grottolike +grottos +grotto's +grottowork +grotzen +grouch +grouched +grouches +Grouchy +grouchier +grouchiest +grouchily +grouchiness +grouching +grouchingly +groucho +grouf +grough +ground +groundable +groundably +groundage +ground-ash +ground-bait +groundberry +groundbird +ground-bird +groundbreaker +ground-cherry +ground-down +grounded +groundedly +groundedness +grounden +groundenell +grounder +grounders +ground-fast +ground-floor +groundflower +groundhog +ground-hog +groundhogs +groundy +ground-ice +grounding +ground-ivy +groundkeeper +groundless +groundlessly +groundlessness +groundly +groundline +ground-line +groundliness +groundling +groundlings +groundman +ground-man +groundmass +groundneedle +groundnut +ground-nut +groundout +ground-pea +ground-pine +ground-plan +ground-plate +groundplot +ground-plot +ground-rent +Grounds +ground-sea +groundsel +groundsheet +ground-sheet +groundsill +groundskeep +groundskeeping +ground-sluicer +groundsman +groundspeed +ground-squirrel +groundswell +ground-swell +groundswells +ground-tackle +ground-to-air +ground-to-ground +groundway +groundwall +groundward +groundwards +groundwater +groundwaters +groundwave +groundwood +groundwork +groundworks +group +groupable +groupage +groupageness +group-connect +group-conscious +grouped +grouper +groupers +groupie +groupies +grouping +groupings +groupist +grouplet +groupment +groupoid +groupoids +groups +groupthink +groupwise +Grous +grouse +grouseberry +groused +grouseless +grouselike +grouser +grousers +grouses +grouseward +grousewards +grousy +grousing +grout +grouted +grouter +grouters +grouthead +grout-head +grouty +groutier +groutiest +grouting +groutite +groutnoll +grouts +grouze +Grove +groved +grovel +Groveland +groveled +groveler +grovelers +groveless +groveling +grovelingly +grovelings +grovelled +groveller +grovelling +grovellingly +grovellings +grovels +Groveman +Grover +grovers +Grovertown +Groves +grovet +Groveton +Grovetown +grovy +Grow +growable +growan +growed +grower +growers +growing +growingly +growingupness +growl +growled +growler +growlery +growleries +growlers +growly +growlier +growliest +growliness +growling +growlingly +growls +grown +grownup +grown-up +grown-upness +grownups +grownup's +grows +growse +growsome +growth +growthful +growthy +growthiness +growthless +growths +growze +grozart +grozer +grozet +grozing-iron +Grozny +GRPMOD +grr +GRS +gr-s +grub +grub- +Grubb +grubbed +grubber +grubbery +grubberies +grubbers +grubby +grubbier +grubbies +grubbiest +grubbily +grubbiness +grubbinesses +grubbing +grubble +Grubbs +Grube +Gruber +grubhood +grubless +Grubman +grub-prairie +grubroot +Grubrus +grubs +grub's +grubstake +grubstaked +grubstaker +grubstakes +grubstaking +Grubstreet +grub-street +Grubville +grubworm +grubworms +grucche +Gruchot +grudge +grudged +grudgeful +grudgefully +grudgefulness +grudgekin +grudgeless +grudgeons +grudger +grudgery +grudgers +grudges +grudge's +grudging +grudgingly +grudgingness +grudgment +grue +gruel +grueled +grueler +gruelers +grueling +gruelingly +gruelings +gruelled +grueller +gruellers +gruelly +gruelling +gruellings +gruels +Gruemberger +Gruenberg +Grues +gruesome +gruesomely +gruesomeness +gruesomer +gruesomest +Gruetli +gruf +gruff +gruffed +gruffer +gruffest +gruffy +gruffier +gruffiest +gruffily +gruffiness +gruffing +gruffish +gruffly +gruffness +gruffs +gruft +grufted +grugous +grugru +gru-gru +grugrus +Gruhenwald +Gruidae +Gruyere +gruyeres +gruiform +Gruiformes +gruine +Gruyre +Gruis +gruys +Gruithuisen +Grulla +grum +grumble +grumbled +grumbler +grumblers +grumbles +grumblesome +Grumbletonian +grumbly +grumbling +grumblingly +grume +Grumello +grumes +Grumium +grumly +Grumman +grummel +grummels +grummer +grummest +grummet +grummeter +grummets +grumness +grumose +grumous +grumousness +grump +grumped +grumph +grumphy +grumphie +grumphies +grumpy +grumpier +grumpiest +grumpily +grumpiness +grumping +grumpish +grumpishness +grumps +grun +Grunberg +grunch +grundel +Grundy +Grundified +Grundyism +Grundyist +Grundyite +grundy-swallow +Grundlov +grundsil +Grunenwald +grunerite +gruneritization +Grunewald +grunge +grunges +grungy +grungier +grungiest +grunion +grunions +Grunitsky +grunswel +grunt +grunted +grunter +grunters +Grunth +grunting +gruntingly +gruntle +gruntled +gruntles +gruntling +grunts +grunzie +gruppetto +gruppo +Grus +grush +grushie +Grusian +Grusinian +gruss +Grussing +grutch +grutched +grutches +grutching +grutten +Gruver +grx +GS +g's +GSA +GSAT +GSBCA +GSC +Gschu +GSFC +G-shaped +G-sharp +GSR +G-string +G-strophanthin +GSTS +G-suit +GT +gt. +Gta +GTC +gtd +gtd. +GTE +gteau +Gteborg +Gterdmerung +Gtersloh +gthite +Gtingen +G-type +GTO +GTS +GTSI +GTT +GU +guaba +guacacoa +guacamole +guachamaca +Guachanama +guacharo +guacharoes +guacharos +guachipilin +Guacho +Guacico +guacimo +guacin +guaco +guaconize +guacos +Guadagnini +Guadalajara +Guadalcanal +guadalcazarite +Guadalquivir +Guadalupe +Guadalupita +Guadeloup +Guadeloupe +Guadiana +guadua +Guafo +Guage +guageable +guaguanche +Guaharibo +Guahiban +Guahibo +Guahivo +guayaba +guayabera +guayaberas +guayabi +guayabo +guaiac +guayacan +guaiacol +guaiacolize +guaiacols +guaiaconic +guaiacs +guaiacum +guaiacums +Guayama +Guayaniil +Guayanilla +Guayaqui +Guayaquil +guaiaretic +guaiasanol +guaican +Guaycuru +Guaycuruan +Guaymas +Guaymie +Guaynabo +guaiocum +guaiocums +guaiol +Guaira +guayroto +Guayule +guayules +guajillo +guajira +guajiras +guaka +Gualaca +Gualala +Gualterio +Gualtiero +Guam +guama +guamachil +Guamanian +guamuchil +guan +Guana +guanabana +guanabano +Guanabara +guanaco +guanacos +guanay +guanayes +guanays +guanajuatite +Guanajuato +guanamine +guanare +guanase +guanases +Guanche +guaneide +guanethidine +guango +Guanica +guanidin +guanidine +guanidins +guanidopropionic +guaniferous +guanyl +guanylic +guanin +guanine +guanines +guanins +guanize +guano +guanophore +guanos +guanosine +guans +Guantanamo +Guantnamo +guao +guapena +guapilla +guapinol +Guapor +Guapore +Guaque +guar +guar. +guara +guarabu +guaracha +guarachas +guarache +guaraguao +guarana +guarand +Guarani +Guaranian +Guaranies +guaranin +guaranine +Guaranis +guarantee +guaranteed +guaranteeing +guaranteer +guaranteers +guarantees +guaranteeship +guaranteing +guaranty +guarantied +guaranties +guarantying +guarantine +guarantor +guarantors +guarantorship +guarapo +guarapucu +Guaraunan +Guarauno +guard +guardable +guarda-costa +Guardafui +guardage +guardant +guardants +guard-boat +guarded +guardedly +guardedness +guardee +guardeen +guarder +guarders +guardfish +guard-fish +guardful +guardfully +guardhouse +guard-house +guardhouses +Guardi +Guardia +guardian +guardiancy +guardianess +guardianless +guardianly +guardians +guardian's +guardianship +guardianships +guarding +guardingly +guardless +guardlike +guardo +guardrail +guard-rail +guardrails +guardroom +guard-room +guardrooms +Guards +guardship +guard-ship +guardsman +guardsmen +guardstone +Guarea +guary +guariba +guarico +Guarini +guarinite +Guarino +guarish +Guarneri +Guarnerius +Guarneriuses +Guarnieri +Guarrau +guarri +guars +Guaruan +guasa +Guastalline +Guasti +Guat +Guat. +guatambu +Guatemala +Guatemalan +guatemalans +Guatemaltecan +guatibero +guativere +Guato +Guatoan +Guatusan +Guatuso +Guauaenok +guava +guavaberry +guavas +guavina +guaxima +guaza +Guazuma +guazuti +guazzo +gubat +gubbertush +Gubbin +gubbings +gubbins +gubbo +Gubbrud +guberla +gubernacula +gubernacular +gubernaculum +gubernance +gubernation +gubernative +gubernator +gubernatorial +gubernatrix +gubernia +guberniya +guck +gucked +gucki +gucks +gud +gudame +guddle +guddled +guddler +guddling +Gude +Gudea +gudebrother +gudefather +gudemother +Gudermannian +gudes +gudesake +gudesakes +gudesire +gudewife +gudge +gudgeon +gudgeoned +gudgeoning +gudgeons +gudget +Gudmundsson +gudok +Gudren +Gudrin +Gudrun +gue +guebre +guebucu +Guedalla +Gueydan +guejarite +guelder-rose +Guelders +Guelf +Guelfic +Guelfism +Guelph +Guelphic +Guelphish +Guelphism +guemal +guemul +Guendolen +guenepe +Guenevere +Guenna +guenon +guenons +Guenther +Guenzi +guepard +gueparde +Guerche +guerdon +guerdonable +guerdoned +guerdoner +guerdoning +guerdonless +guerdons +guereba +Gueret +guereza +guergal +Guericke +Guerickian +gueridon +gueridons +guerilla +guerillaism +guerillas +Guerin +Guerinet +guerison +guerite +guerites +Guerneville +Guernica +Guernsey +guernseyed +Guernseys +Guerra +Guerrant +guerre +Guerrero +guerrila +guerrilla +guerrillaism +guerrillas +guerrilla's +guerrillaship +Guesde +Guesdism +Guesdist +guess +guessable +guessed +guesser +guessers +guesses +guessing +guessingly +guessive +guess-rope +guesstimate +guesstimated +guesstimates +guesstimating +guess-warp +guesswork +guess-work +guessworker +Guest +guestchamber +guest-chamber +guested +guesten +guester +guesthouse +guesthouses +guestimate +guestimated +guestimating +guesting +guestive +guestless +Guestling +guestmaster +guest-rope +guests +guest's +guestship +guest-warp +guestwise +guet-apens +Guetar +Guetare +guetre +Gueux +Guevara +Guevarist +gufa +guff +guffaw +guffawed +guffawing +guffaws +Guffey +guffer +guffy +guffin +guffs +gufought +gugal +Guggenheim +guggle +guggled +guggles +gugglet +guggling +guglet +guglets +guglia +Guglielma +Guglielmo +guglio +gugu +Guha +Guhayna +guhr +GUI +Guy +guiac +Guiana +Guyana +Guianan +Guyandot +Guianese +Guiano-brazilian +guib +guiba +Guibert +guichet +guid +guidable +guidage +guidance +guidances +GUIDE +guideboard +guidebook +guide-book +guidebooky +guidebookish +guidebooks +guidebook's +guidecraft +guided +guideless +guideline +guidelines +guideline's +guidepost +guide-post +guideposts +guider +guideress +guider-in +Guiderock +guiders +guidership +guides +guideship +guideway +guiding +guidingly +guidman +Guido +guydom +guidon +Guidonia +Guidonian +guidons +Guidotti +guids +guidsire +guidwife +guidwilly +guidwillie +guyed +Guienne +Guyenne +Guyer +guyers +guige +Guignardia +guigne +guignol +guying +guijo +Guilandina +Guilbert +Guild +guild-brother +guilder +Guilderland +guilders +Guildford +guildhall +guild-hall +guildic +guildite +guildry +Guildroy +guilds +guildship +guildsman +guildsmen +guild-socialistic +guile +guiled +guileful +guilefully +guilefulness +guileless +guilelessly +guilelessness +guilelessnesses +guiler +guilery +guiles +guilfat +Guilford +guily +guyline +guiling +Guillaume +guillem +Guillema +guillemet +Guillemette +guillemot +Guillen +Guillermo +guillevat +guilloche +guillochee +guillotinade +guillotine +guillotined +guillotinement +guillotiner +guillotines +guillotining +guillotinism +guillotinist +guilt +guilt-feelings +guiltful +guilty +guilty-cup +guiltier +guiltiest +guiltily +guiltiness +guiltinesses +guiltless +guiltlessly +guiltlessness +guilts +guiltsick +Guimar +guimbard +Guymon +Guimond +guimpe +guimpes +Guin +Guin. +Guinda +guinde +Guinea +Guinea-Bissau +guinea-cock +guinea-fowl +guinea-hen +Guineaman +guinea-man +Guinean +guinea-pea +guineapig +guinea-pig +guineas +Guinevere +guinfo +Guinn +Guinna +Guinness +Guion +Guyon +guyot +guyots +guipure +guipures +Guipuzcoa +Guiraldes +guirlande +guiro +Guys +Guisard +guisards +guisarme +Guiscard +Guise +guised +guiser +guises +guise's +Guisian +guising +Guysville +guitar +guitarfish +guitarfishes +guitarist +guitarists +guitarlike +guitar-picker +guitars +guitar's +guitar-shaped +guitermanite +guitguit +guit-guit +Guyton +guytrash +Guitry +Guittonian +guywire +Guizot +Gujar +Gujarat +Gujarati +Gujerat +Gujral +Gujranwala +Gujrati +gul +Gula +gulae +Gulag +gulags +gulaman +gulancha +guland +Gulanganes +gular +gularis +gulas +gulash +Gulbenkian +gulch +gulches +gulch's +guld +gulden +guldengroschen +guldens +gule +gules +Gulf +gulfed +Gulfhammock +gulfy +gulfier +gulfiest +gulfing +gulflike +Gulfport +gulfs +gulf's +gulfside +gulfwards +gulfweed +gulf-weed +gulfweeds +Gulgee +gulgul +guly +Gulick +gulinula +gulinulae +gulinular +gulist +gulix +gull +gullability +gullable +gullably +gullage +Gullah +gull-billed +gulled +gulley +gulleys +guller +gullery +gulleries +gullet +gulleting +gullets +gully +gullibility +gullible +gullibly +gullied +gullies +gullygut +gullyhole +gullying +gulling +gullion +gully-raker +gully's +gullish +gullishly +gullishness +Gulliver +gulllike +gull-like +gulls +Gullstrand +gull-wing +gulmohar +Gulo +gulonic +gulose +gulosity +gulosities +gulp +gulped +gulper +gulpers +gulph +gulpy +gulpier +gulpiest +gulpin +gulping +gulpingly +gulps +gulravage +guls +gulsach +Gulston +gult +Gum +Gumberry +gumby +gum-bichromate +Gumbo +gumboil +gumboils +gumbolike +gumbo-limbo +gumbo-limbos +gumboot +gumboots +gumbos +gumbotil +gumbotils +gumchewer +gum-dichromate +gumdigger +gumdigging +gumdrop +gumdrops +gumfield +gumflower +gum-gum +gumhar +gumi +gumihan +gum-lac +gumlah +gumless +gumly +gumlike +gumlikeness +gumma +gummage +gummaker +gummaking +gummas +gummata +gummatous +gummed +gummer +gummers +gummy +gummic +gummier +gummiest +gummiferous +gummy-legged +gumminess +gumming +gum-myrtle +gummite +gummites +gummose +gummoses +gummosis +gummosity +gummous +gump +gumpheon +gumphion +Gumpoldskirchner +gumption +gumptionless +gumptions +gumptious +gumpus +gum-resinous +gums +gum's +gum-saline +gumshield +gumshoe +gumshoed +gumshoeing +gumshoes +gumshoing +gum-shrub +gum-top +gumtree +gum-tree +gumtrees +gumweed +gumweeds +gumwood +gumwoods +Gun +guna +Gunar +gunarchy +Gunas +gunate +gunated +gunating +gunation +gunbarrel +gunbearer +gunboat +gun-boat +gunboats +gunbright +gunbuilder +gun-carrying +gun-cleaning +gun-cotten +guncotton +gunda +gundalow +gundeck +gun-deck +gundelet +gundelow +Gunderson +gundi +gundy +gundie +gundygut +gundog +gundogs +Gundry +gunebo +gun-equipped +gunfight +gunfighter +gunfighters +gunfighting +gunfights +gunfire +gunfires +gunflint +gunflints +gunfought +gung +gunge +gung-ho +gunhouse +gunyah +gunyang +gunyeh +Gunilla +Gunite +guniter +gunj +gunja +gunjah +gunk +gunkhole +gunkholed +gunkholing +gunky +gunks +gunl +gunlayer +gunlaying +gunless +gunline +Gunlock +gunlocks +gunmaker +gunmaking +gunman +gun-man +gunmanship +gunmen +gunmetal +gun-metal +gunmetals +gun-mounted +Gunn +gunnage +Gunnar +gunne +gunned +gunnel +gunnels +gunnen +Gunner +Gunnera +Gunneraceae +gunneress +gunnery +gunneries +gunners +gunner's +gunnership +gunny +gunnybag +gunny-bag +gunnies +Gunning +gunnings +gunnysack +gunnysacks +Gunnison +gunnung +gunocracy +gunong +gunpaper +gunpapers +gunplay +gunplays +gunpoint +gunpoints +gunport +gunpowder +gunpowdery +gunpowderous +gunpowders +gunpower +gunrack +gunreach +gun-rivet +gunroom +gun-room +gunrooms +gunrunner +gunrunning +guns +gun's +gunsel +gunsels +gun-shy +gun-shyness +gunship +gunships +gunshop +gunshot +gun-shot +gunshots +gunsling +gunslinger +gunslingers +gunslinging +gunsman +gunsmith +gunsmithery +gunsmithing +gunsmiths +gunster +gunstick +gunstock +gun-stock +gunstocker +gunstocking +gunstocks +gunstone +Guntar +Gunter +Guntersville +gun-testing +Gunthar +Gunther +gun-toting +Guntown +guntub +Guntur +gunung +gunwale +gunwales +gunwhale +Gunz +Gunzburg +Gunzian +Gunz-mindel +gup +guppy +guppies +Gupta +guptavidya +Gur +Gurabo +Guran +Gurango +gurdfish +gurdy +gurdle +Gurdon +gurdwara +Gurevich +gurge +gurged +gurgeon +gurgeons +gurges +gurging +gurgitation +gurgle +gurgled +gurgles +gurglet +gurglets +gurgly +gurgling +gurglingly +gurgoyl +gurgoyle +gurgulation +gurgulio +Guria +Gurian +Gurias +Guric +Gurish +gurjan +Gurjara +gurjun +gurk +Gurkha +Gurkhali +Gurkhas +Gurl +gurle +Gurley +gurlet +gurly +Gurmukhi +gurnard +gurnards +Gurnee +Gurney +Gurneyite +gurneys +gurnet +gurnets +gurnetty +gurniad +Gurolinick +gurr +gurrah +gurry +gurries +Gursel +gursh +gurshes +gurt +Gurtner +gurts +guru +gurus +guruship +guruships +GUS +gusain +Gusba +Gusella +guser +guserid +gush +gushed +Gusher +gushers +gushes +gushet +gushy +gushier +gushiest +gushily +gushiness +gushing +gushingly +gushingness +gusla +gusle +guslee +Guss +gusset +gusseted +gusseting +gussets +Gussi +Gussy +Gussie +gussied +gussies +gussying +Gussman +gust +Gusta +gustable +gustables +Gustaf +Gustafson +Gustafsson +gustard +gustation +gustative +gustativeness +gustatory +gustatorial +gustatorially +gustatorily +Gustav +Gustave +Gustavo +Gustavus +gusted +gustful +gustfully +gustfulness +Gusti +Gusty +Gustie +gustier +gustiest +gustily +Gustin +Gustine +gustiness +gusting +gustless +gusto +gustoes +gustoish +Guston +gustoso +gusts +gust's +Gustus +Gut +gut-ache +gutbucket +Gutenberg +Guthrey +Guthry +Guthrie +Guthrun +Guti +gutierrez +Gutium +gutless +gutlessness +gutlike +gutling +Gutnic +Gutnish +Gutow +guts +gutser +gutsy +gutsier +gutsiest +gutsily +gutsiness +gutt +gutta +guttable +guttae +gutta-gum +gutta-percha +guttar +guttate +guttated +guttatim +guttation +gutte +gutted +guttee +Guttenberg +gutter +Guttera +gutteral +gutterblood +gutter-blood +gutter-bred +guttered +gutter-grubbing +Guttery +guttering +gutterize +gutterlike +gutterling +gutterman +gutters +guttersnipe +gutter-snipe +guttersnipes +guttersnipish +gutterspout +gutterwise +gutti +gutty +guttide +guttie +guttier +guttiest +guttifer +Guttiferae +guttiferal +Guttiferales +guttiferous +guttiform +guttiness +gutting +guttle +guttled +guttler +guttlers +guttles +guttling +guttula +guttulae +guttular +guttulate +guttule +guttulous +guttur +guttural +gutturalisation +gutturalise +gutturalised +gutturalising +gutturalism +gutturality +gutturalization +gutturalize +gutturalized +gutturalizing +gutturally +gutturalness +gutturals +gutturine +gutturize +gutturo- +gutturonasal +gutturopalatal +gutturopalatine +gutturotetany +guttus +gutweed +gutwise +gutwort +guv +guvacine +guvacoline +guvs +guz +guze +Guzel +guzerat +Guzman +Guzmania +Guzmco +Guzul +guzzle +guzzled +guzzledom +guzzler +guzzlers +guzzles +guzzling +gv +GW +gwag +Gwalior +gwantus +Gwari +Gwaris +Gwawl +gweduc +gweduck +gweducks +gweducs +gweed +gweeon +Gweyn +gwely +Gwelo +GWEN +Gwenda +Gwendolen +Gwendolin +Gwendolyn +Gwendolynne +Gweneth +Gwenette +Gwenn +Gwenneth +Gwenni +Gwenny +Gwennie +Gwenora +Gwenore +Gwent +gwerziou +Gwydion +Gwin +Gwyn +gwine +Gwynedd +Gwyneth +Gwynfa +gwiniad +gwyniad +Gwinn +Gwynn +Gwynne +Gwinner +Gwinnett +Gwynneville +GWS +Gza +Gzhatsk +H +h. +h.a. +H.C. +H.C.F. +H.H. +H.I. +H.I.H. +H.M. +H.M.S. +H.P. +H.Q. +H.R. +H.R.H. +h.s. +H.S.H. +H.S.M. +H.V. +HA +ha' +HAA +haab +haaf +haafs +Haag +haak +Haakon +Haapsalu +haar +Haaretz +Haarlem +haars +Haas +Haase +Hab +Hab. +Haba +Habab +Habacuc +habaera +Habakkuk +Habana +habanera +habaneras +Habanero +Habbe +habble +habbub +Habdalah +habdalahs +Habe +habeas +habena +habenal +habenar +Habenaria +habendum +habenula +habenulae +habenular +Haber +haberdash +haberdasher +haberdasheress +haberdashery +haberdasheries +haberdashers +haberdine +habere +habergeon +Haberman +habet +Habib +habilable +habilant +habilatory +habile +habilement +habiliment +habilimental +habilimentary +habilimentation +habilimented +habiliments +habilitate +habilitated +habilitating +habilitation +habilitator +hability +habille +Habiri +Habiru +habit +habitability +habitable +habitableness +habitably +habitacle +habitacule +habitally +habitan +habitance +habitancy +habitancies +habitans +habitant +habitants +habitat +habitatal +habitate +habitatio +habitation +habitational +habitations +habitation's +habitative +habitator +habitats +habitat's +habited +habit-forming +habiting +habits +habit's +habitual +habituality +habitualize +habitually +habitualness +habitualnesses +habituate +habituated +habituates +habituating +habituation +habituations +habitude +habitudes +habitudinal +habitue +habitues +habiture +habitus +hable +habnab +hab-nab +haboob +haboobs +haboub +Habronema +habronemiasis +habronemic +habrowne +Habsburg +habu +habub +habuka +habus +habutae +habutai +habutaye +HAC +haccucal +HACD +hacek +haceks +hacendado +Hach +hache +Hachiman +hachis +Hachita +Hachman +Hachmann +hachment +Hachmin +hacht +hachure +hachured +hachures +hachuring +hacienda +haciendado +haciendas +hack +hack- +hackamatak +hackamore +Hackathorn +hackbarrow +hackberry +hackberries +hackbolt +hackbush +hackbut +hackbuteer +hackbuts +hackbutter +hackdriver +hacked +hackee +hackeem +hackees +hackeymal +Hackensack +Hacker +hackery +hackeries +hackers +Hackett +Hackettstown +hacky +hackia +hackie +hackies +hackin +hacking +hackingly +hackle +hackleback +Hackleburg +hackled +hackler +hacklers +hackles +hacklet +hackly +hacklier +hackliest +hackling +hacklog +hackmack +hackmall +hackman +hackmatack +hackmen +hack-me-tack +Hackney +hackney-carriage +hackney-chair +hackney-coach +hackneyed +hackneyedly +hackneyedness +hackneyer +hackneying +hackneyism +hackneyman +hackney-man +hackneys +hacks +hacksaw +hacksaws +hacksilber +hackster +hackthorn +hacktree +hackwood +hackwork +hack-work +hackworks +hacqueton +Had +hadada +hadal +Hadamard +Hadar +hadarim +Hadas +Hadassah +Hadasseh +hadaway +hadbot +hadbote +Haddad +Haddam +Hadden +hadder +haddest +haddie +haddin +Haddington +Haddix +haddo +haddock +haddocker +haddocks +Haddon +Haddonfield +hade +Hadean +haded +Haden +Hadendoa +Hadendowa +Hadensville +hadentomoid +Hadentomoidea +hadephobia +Hades +Hadfield +Hadhramaut +Hadhramautian +Hadik +hading +hadit +Hadith +hadiths +hadj +hadjee +hadjees +Hadjemi +hadjes +hadji +Hadjipanos +hadjis +hadjs +hadland +Hadlee +Hadley +Hadleigh +Hadlyme +Hadlock +hadnt +hadn't +Hadramaut +Hadramautian +Hadria +Hadrian +hadrom +hadrome +Hadromerina +hadromycosis +hadron +hadronic +hadrons +hadrosaur +Hadrosaurus +Hadsall +hadst +Hadwin +Hadwyn +hae +haec +haecceity +haecceities +Haeckel +Haeckelian +Haeckelism +haed +haeing +Haeju +haem +haem- +haema- +haemachrome +haemacytometer +haemad +haemagglutinate +haemagglutinated +haemagglutinating +haemagglutination +haemagglutinative +haemagglutinin +haemagogue +haemal +Haemamoeba +haemangioma +haemangiomas +haemangiomata +haemangiomatosis +Haemanthus +Haemaphysalis +haemapophysis +haemaspectroscope +haemat- +haematal +haematein +haematemesis +haematherm +haemathermal +haemathermous +haematic +haematics +haematid +haematin +haematinic +haematinon +haematins +haematinum +haematite +haematitic +haemato- +haematoblast +Haematobranchia +haematobranchiate +haematocele +haematocyst +haematocystis +haematocyte +Haematocrya +haematocryal +haemato-crystallin +haematocrit +haematogenesis +haematogenous +haemato-globulin +haematoid +haematoidin +haematoin +haematolysis +haematology +haematologic +haematological +haematologist +haematoma +haematomas +haematomata +haematometer +Haematophilina +haematophiline +haematophyte +haematopoiesis +haematopoietic +Haematopus +haematorrhachis +haematosepsis +haematosin +haematosis +Haematotherma +haematothermal +haematoxylic +haematoxylin +Haematoxylon +haematozoa +haematozoal +haematozoic +haematozoon +haematozzoa +haematuria +haemia +haemic +haemin +haemins +haemo- +haemoblast +haemochrome +haemocyanin +haemocyte +haemocytoblast +haemocytoblastic +haemocytometer +haemocoel +haemoconcentration +haemodialysis +haemodilution +haemodynamic +haemodynamics +Haemodoraceae +haemodoraceous +haemoflagellate +haemoglobic +haemoglobin +haemoglobinous +haemoglobinuria +haemogram +Haemogregarina +Haemogregarinidae +haemoid +haemolysin +haemolysis +haemolytic +haemometer +Haemon +haemonchiasis +haemonchosis +Haemonchus +haemony +haemophil +haemophile +haemophilia +haemophiliac +haemophilic +haemopod +haemopoiesis +Haemoproteus +haemoptysis +haemorrhage +haemorrhaged +haemorrhagy +haemorrhagia +haemorrhagic +haemorrhaging +haemorrhoid +haemorrhoidal +haemorrhoidectomy +haemorrhoids +haemosporid +Haemosporidia +haemosporidian +Haemosporidium +haemostasia +haemostasis +haemostat +haemostatic +haemothorax +haemotoxic +haemotoxin +haems +Haemulidae +haemuloid +Haemus +haen +haeredes +haeremai +haeres +Ha-erh-pin +Haerle +Haerr +haes +haet +haets +haf +Haff +haffat +haffet +haffets +haffit +haffits +haffkinize +haffle +hafflins +Hafgan +hafis +Hafiz +Hafler +haflin +hafnia +hafnyl +hafnium +hafniums +haft +haftara +Haftarah +Haftarahs +haftaras +haftarot +Haftaroth +hafted +hafter +hafters +hafting +haftorah +haftorahs +haftorot +haftoroth +hafts +Hag +Hag. +hagada +hagadic +hagadist +hagadists +Hagai +Hagaman +Hagan +Haganah +Hagar +hagarene +Hagarite +Hagarstown +Hagarville +hagberry +hagberries +hagboat +hag-boat +hagbolt +hagborn +hagbush +hagbushes +hagbut +hagbuts +hagden +hagdin +hagdon +hagdons +hagdown +Hagecius +hageen +hagein +Hagen +Hagenia +Hager +Hagerman +Hagerstown +hagfish +hagfishes +Haggada +Haggadah +Haggadahs +haggaday +haggadal +haggadas +haggadic +haggadical +haggadist +haggadistic +haggadot +Haggadoth +Haggai +Haggar +Haggard +haggardly +haggardness +haggards +hagged +haggeis +hagger +Haggerty +Haggi +haggy +hagging +haggiographal +haggis +haggises +haggish +haggishly +haggishness +haggister +haggle +haggled +haggler +hagglers +haggles +haggly +haggling +Hagi +hagi- +hagia +hagiarchy +hagiarchies +hagigah +hagio- +hagiocracy +hagiocracies +Hagiographa +hagiographal +hagiographer +hagiographers +hagiography +hagiographic +hagiographical +hagiographies +hagiographist +hagiolater +hagiolatry +hagiolatrous +hagiolith +hagiology +hagiologic +hagiological +hagiologically +hagiologies +hagiologist +hagiophobia +hagioscope +hagioscopic +haglet +haglike +haglin +hagmall +hagmane +hagmena +hagmenay +Hagno +Hagood +hagrid +hagridden +hag-ridden +hagride +hagrider +hagrides +hagriding +hagrode +hagrope +hags +hagseed +hagship +hagstone +Hagstrom +hagtaper +hag-taper +Hague +hagueton +hagweed +hagworm +hah +haha +ha-ha +hahas +Hahira +Hahn +Hahnemann +Hahnemannian +Hahnemannism +Hahnert +hahnium +hahniums +Hahnke +Hahnville +hahs +Hay +Haya +Hayakawa +haiari +Hayari +Hayashi +hay-asthma +Hayatake +Haiathalah +Hayato +hayband +haybird +hay-bird +haybote +hay-bote +haybox +hayburner +haycap +haycart +haick +haycock +hay-cock +haycocks +hay-color +hay-colored +Haida +Haidan +Haidarabad +Haidas +Haidee +hay-de-guy +Hayden +haydenite +Haydenville +Haidinger +haidingerite +Haydn +Haydon +haiduck +Haiduk +Haye +hayed +hayey +hayer +hayers +Hayes +Hayesville +Haifa +hay-fed +hay-fever +hayfield +hay-field +hayfields +hayfork +hay-fork +hayforks +Haig +Haigler +haygrower +Hayyim +haying +hayings +haik +haika +haikai +haikal +Haikh +haiks +haiku +haikun +haikwan +hail +haylage +haylages +Haile +hailed +Hailee +Hailey +Hayley +Haileyville +hailer +hailers +hailes +Hailesboro +hail-fellow +hail-fellow-well-met +Haily +haylift +hailing +hayloft +haylofts +hailproof +hails +hailse +Hailsham +hailshot +hail-shot +hailstone +hailstoned +hailstones +hailstorm +hailstorms +hailweed +Hailwood +Haim +Haym +haymaker +haymakers +haymaking +Hayman +Haymarket +Haimavati +Haimes +Haymes +haymish +Haymo +haymow +hay-mow +haymows +haimsucken +hain +Hainai +Hainan +Hainanese +Hainaut +hainberry +hainch +haine +Hayne +hained +Haines +Haynes +Hainesport +Haynesville +Hayneville +Haynor +hain't +Hay-on-Wye +Hayott +Haiphong +hair +hayrack +hay-rack +hayracks +hayrake +hay-rake +hayraker +hairball +hairballs +hairband +hairbands +hairbeard +hairbell +hairbird +hairbrain +hairbrained +hairbreadth +hairbreadths +hairbrush +hairbrushes +haircap +haircaps +hair-check +hair-checking +haircloth +haircloths +haircut +haircuts +haircut's +haircutter +haircutting +hairdo +hairdodos +hairdos +hair-drawn +hairdress +hairdresser +hairdressers +hairdressing +hair-drier +hairdryer +hairdryers +hairdryer's +haire +haired +hairen +hair-fibered +hairgrass +hair-grass +hairgrip +hairhoof +hairhound +hairy +hairy-armed +hairychested +hairy-chested +hayrick +hay-rick +hayricks +hairy-clad +hayride +hayrides +hairy-eared +hairier +hairiest +hairif +hairy-faced +hairy-foot +hairy-footed +hairy-fruited +hairy-handed +hairy-headed +hairy-legged +hairy-looking +hairiness +hairinesses +hairy-skinned +hairlace +hair-lace +hairless +hairlessness +hairlet +hairlike +hairline +hair-line +hairlines +hair-lip +hairlock +hairlocks +hairmeal +hairmoneering +hairmonger +hairnet +hairnets +hairof +hairpiece +hairpieces +hairpin +hairpins +hair-powder +hair-raiser +hair-raising +hairs +hair's +hairsbreadth +hairs-breadth +hair's-breadth +hairsbreadths +hairse +hair-shirt +hair-sieve +hairsplitter +hair-splitter +hairsplitters +hairsplitting +hair-splitting +hairspray +hairsprays +hairspring +hairsprings +hairst +hairstane +hair-stemmed +hairstyle +hairstyles +hairstyling +hairstylings +hairstylist +hairstylists +hairstone +hairstreak +hair-streak +hair-stroke +hairtail +hair-trigger +hairup +hair-waving +hairweave +hairweaver +hairweavers +hairweaving +hairweed +hairwood +hairwork +hairworks +hairworm +hair-worm +hairworms +Hays +hay-scented +Haise +Hayse +hayseed +hay-seed +hayseeds +haysel +hayshock +Haysi +Haisla +haystack +haystacks +haysuck +Haysville +hait +hay-tallat +Haithal +haythorn +Haiti +Hayti +Haitian +haitians +haytime +Haitink +Hayton +haitsai +haiver +haywagon +Hayward +haywards +hayweed +haywire +haywires +Haywood +hayz +haj +haje +hajes +haji +hajib +hajilij +hajis +hajj +hajjes +hajji +hajjis +hajjs +Hak +hakafoth +Hakai +Hakalau +hakam +hakamim +Hakan +hakdar +Hake +Hakea +Hakeem +hakeems +Hakenkreuz +Hakenkreuze +Hakenkreuzler +hakes +Hakim +hakims +Hakka +Hakluyt +Hako +Hakodate +Hakon +Hakone +haku +HAL +hal- +hala +halacha +Halachah +Halachas +Halachic +halachist +Halachot +Halaf +Halafian +halaka +Halakah +Halakahs +halakha +halakhas +halakhist +halakhot +Halakic +halakist +halakistic +halakists +Halakoth +halal +halala +halalah +halalahs +halalas +halalcor +Haland +halapepe +halas +halation +halations +halavah +halavahs +Halawi +halazone +halazones +Halbe +Halbeib +halberd +halberd-headed +halberdier +halberd-leaved +halberdman +halberds +halberd-shaped +halberdsman +Halbert +halberts +Halbur +halch +Halcyon +Halcyone +halcyonian +halcyonic +Halcyonidae +Halcyoninae +halcyonine +halcyons +Halcottsville +Halda +Haldan +Haldane +Haldanite +Haldas +Haldeman +Halden +Haldes +Haldi +Haldis +haldu +Hale +Haleakala +halebi +Halecomorphi +halecret +haled +haleday +Haledon +Haley +Haleigh +Haleyville +Haleiwa +halely +Halemaumau +haleness +halenesses +Halenia +hale-nut +haler +halers +haleru +halerz +hales +Halesia +halesome +Halesowen +halest +Haletky +Haletta +Halette +Halevi +Halevy +haleweed +half +half- +halfa +half-abandoned +half-accustomed +half-acquainted +half-acquiescent +half-acquiescently +half-acre +half-a-crown +half-addressed +half-admiring +half-admiringly +half-admitted +half-admittedly +half-a-dollar +half-adream +half-affianced +half-afloat +half-afraid +half-agreed +half-alike +half-alive +half-altered +Half-american +Half-americanized +half-and-half +Half-anglicized +half-angry +half-angrily +half-annoyed +half-annoying +half-annoyingly +half-ape +Half-aristotelian +half-armed +half-armor +half-ashamed +half-ashamedly +half-Asian +Half-asiatic +half-asleep +half-assed +half-awake +halfback +half-backed +halfbacks +half-baked +half-bald +half-ball +half-banked +half-baptize +half-barbarian +half-bare +half-barrel +halfbeak +half-beak +halfbeaks +half-beam +half-begging +half-begun +half-belief +half-believed +half-believing +half-bent +half-binding +half-bleached +half-blind +half-blindly +halfblood +half-blood +half-blooded +half-blown +half-blue +half-board +half-boiled +half-boiling +half-boot +half-bound +half-bowl +half-bred +half-breed +half-broken +half-brother +half-buried +half-burned +half-burning +half-bushel +half-butt +half-calf +half-cap +half-carried +half-caste +half-cell +half-cent +half-century +half-centuries +half-chanted +half-cheek +Half-christian +half-civil +half-civilized +half-civilly +half-clad +half-cleaned +half-clear +half-clearly +half-climbing +half-closed +half-closing +half-clothed +half-coaxing +half-coaxingly +halfcock +half-cock +halfcocked +half-cocked +half-colored +half-completed +half-concealed +half-concealing +Half-confederate +half-confessed +half-congealed +half-conquered +half-conscious +half-consciously +half-conservative +half-conservatively +half-consonant +half-consumed +half-consummated +half-contemptuous +half-contemptuously +half-contented +half-contentedly +half-convicted +half-convinced +half-convincing +half-convincingly +half-cooked +half-cordate +half-corrected +half-cotton +half-counted +half-courtline +half-cousin +half-covered +half-cracked +half-crazed +half-crazy +Half-creole +half-critical +half-critically +half-crown +half-crumbled +half-crumbling +half-cured +half-cut +half-Dacron +half-day +Halfdan +half-dark +half-dazed +half-dead +half-deaf +half-deafened +half-deafening +half-decade +half-deck +half-decked +half-decker +half-defiant +half-defiantly +half-deified +half-demented +half-democratic +half-demolished +half-denuded +half-deprecating +half-deprecatingly +half-deserved +half-deservedly +half-destroyed +half-developed +half-digested +half-dying +half-dime +half-discriminated +half-discriminating +half-disposed +half-divine +half-divinely +half-dollar +half-done +half-door +half-dozen +half-dram +half-dressed +half-dressedness +half-dried +half-drowned +half-drowning +half-drunk +half-drunken +half-dug +half-eagle +half-earnest +half-earnestly +half-eaten +half-ebb +half-educated +Half-elizabethan +half-embraced +half-embracing +half-embracingly +halfen +half-enamored +halfendeal +half-enforced +Half-english +halfer +half-erased +half-evaporated +half-evaporating +half-evergreen +half-expectant +half-expectantly +half-exploited +half-exposed +half-face +half-faced +half-false +half-famished +half-farthing +half-fascinated +half-fascinating +half-fascinatingly +half-fed +half-feminine +half-fertile +half-fertilely +half-fictitious +half-fictitiously +half-filled +half-finished +half-firkin +half-fish +half-flattered +half-flattering +half-flatteringly +half-flood +half-florin +half-folded +half-foot +half-forgiven +half-forgotten +half-formed +half-forward +Half-french +half-frowning +half-frowningly +half-frozen +half-fulfilled +half-fulfilling +half-full +half-furnished +half-gallon +Half-german +half-gill +half-god +half-great +Half-grecized +half-Greek +half-grown +half-guinea +half-hard +half-hardy +half-harvested +halfheaded +half-headed +half-healed +half-heard +halfhearted +half-hearted +halfheartedly +halfheartedness +halfheartednesses +half-heathen +Half-hessian +half-hidden +half-hypnotized +half-hitch +half-holiday +half-hollow +half-horse +half-hour +halfhourly +half-hourly +half-human +half-hungered +half-hunter +halfy +half-year +half-yearly +half-imperial +half-important +half-importantly +half-inch +half-inclined +half-indignant +half-indignantly +half-inferior +half-informed +half-informing +half-informingly +half-ingenious +half-ingeniously +half-ingenuous +half-ingenuously +half-inherited +half-insinuated +half-insinuating +half-insinuatingly +half-instinctive +half-instinctively +half-intellectual +half-intellectually +half-intelligible +half-intelligibly +half-intoned +half-intoxicated +half-invalid +half-invalidly +Half-irish +half-iron +half-island +half-Italian +half-jack +half-jelled +half-joking +half-jokingly +half-justified +half-knot +half-know +halflang +half-languaged +half-languishing +half-lapped +Half-latinized +half-latticed +half-learned +half-learnedly +half-learning +half-leather +half-left +half-length +halfly +half-liberal +half-liberally +halflife +half-life +half-light +halflin +half-lined +half-linen +halfling +halflings +half-liter +half-lived +halflives +half-lives +half-long +half-looper +half-lop +half-lunatic +half-lunged +half-mad +half-made +half-madly +half-madness +halfman +half-marked +half-marrow +half-mast +half-masticated +half-matured +half-meant +half-measure +half-melted +half-mental +half-mentally +half-merited +Half-mexican +half-miler +half-minded +half-minute +half-miseducated +half-misunderstood +half-mitten +Half-mohammedan +half-monitor +half-monthly +halfmoon +half-moon +half-moral +Half-moslem +half-mourning +half-Muhammadan +half-mumbled +half-mummified +half-Muslim +half-naked +half-nelson +half-nephew +halfness +halfnesses +half-niece +half-nylon +half-noble +half-normal +half-normally +half-note +half-numb +half-obliterated +half-offended +Halfon +half-on +half-one +half-open +half-opened +Halford +Half-oriental +half-orphan +half-oval +half-oxidized +halfpace +half-pace +halfpaced +half-pay +half-peck +halfpence +halfpenny +halfpennies +halfpennyworth +half-petrified +half-pike +half-pint +half-pipe +half-pitch +half-playful +half-playfully +half-plane +half-plate +half-pleased +half-pleasing +half-plucked +half-port +half-pound +half-pounder +half-praised +half-praising +half-present +half-price +half-profane +half-professed +half-profile +half-proletarian +half-protested +half-protesting +half-proved +half-proven +half-provocative +half-quarter +half-quartern +half-quarterpace +half-questioning +half-questioningly +half-quire +half-quixotic +half-quixotically +half-radical +half-radically +half-rayon +half-rater +half-raw +half-reactionary +half-read +half-reasonable +half-reasonably +half-reasoning +half-rebellious +half-rebelliously +half-reclaimed +half-reclined +half-reclining +half-refined +half-regained +half-reluctant +half-reluctantly +half-remonstrant +half-repentant +half-republican +half-retinal +half-revealed +half-reversed +half-rhyme +half-right +half-ripe +half-ripened +half-roasted +half-rod +half-romantic +half-romantically +half-rotted +half-rotten +half-round +half-rueful +half-ruefully +half-ruined +half-run +half-russia +Half-russian +half-sagittate +half-savage +half-savagely +half-saved +Half-scottish +half-seal +half-seas-over +half-second +half-section +half-seen +Half-semitic +half-sensed +half-serious +half-seriously +half-severed +half-shade +Half-shakespearean +half-shamed +half-share +half-shared +half-sheathed +half-shy +half-shyly +half-shoddy +half-shot +half-shouted +half-shroud +half-shrub +half-shrubby +half-shut +half-sib +half-sibling +half-sighted +half-sightedly +half-sightedness +half-silk +half-syllabled +half-sinking +half-sister +half-size +half-sleeve +half-sleeved +half-slip +half-smile +half-smiling +half-smilingly +half-smothered +half-snipe +half-sole +half-soled +half-solid +half-soling +half-souled +half-sovereign +Half-spanish +half-spoonful +half-spun +half-squadron +half-staff +half-starved +half-starving +half-step +half-sterile +half-stock +half-stocking +half-stopped +half-strain +half-strained +half-stroke +half-strong +half-stuff +half-subdued +half-submerged +half-successful +half-successfully +half-succulent +half-suit +half-sung +half-sunk +half-sunken +half-swing +half-sword +half-taught +half-tearful +half-tearfully +half-teaspoonful +half-tented +half-terete +half-term +half-theatrical +half-thickness +half-thought +half-tide +half-timber +half-timbered +halftime +half-time +half-timer +halftimes +half-title +halftone +half-tone +halftones +half-tongue +halftrack +half-track +half-tracked +half-trained +half-training +half-translated +half-true +half-truth +half-truths +half-turn +half-turned +half-turning +half-understood +half-undone +halfungs +half-used +half-utilized +half-veiled +half-vellum +half-verified +half-vexed +half-visibility +half-visible +half-volley +half-volleyed +half-volleyer +half-volleying +half-vowelish +Halfway +half-way +half-waking +half-whispered +half-whisperingly +half-white +half-wicket +half-wild +half-wildly +half-willful +half-willfully +half-winged +halfwise +halfwit +half-wit +half-witted +half-wittedly +half-wittedness +half-womanly +half-won +half-woolen +halfword +half-word +halfwords +half-world +half-worsted +half-woven +half-written +Hali +Haliaeetus +halyard +halyards +halibios +halibiotic +halibiu +halibut +halibuter +halibuts +Halicarnassean +Halicarnassian +Halicarnassus +Halichondriae +halichondrine +halichondroid +Halicore +Halicoridae +halicot +halid +halide +halides +halidom +halidome +halidomes +halidoms +halids +Halie +halieutic +halieutical +halieutically +halieutics +Halifax +Haligonian +Halima +Halimeda +halimot +halimous +haling +halinous +haliographer +haliography +Haliotidae +Haliotis +haliotoid +haliplankton +haliplid +Haliplidae +Halirrhothius +Haliserites +Halysites +halisteresis +halisteretic +halite +halites +Halitheriidae +Halitherium +Halitherses +halitoses +halitosis +halitosises +halituosity +halituous +halitus +halituses +Haliver +halkahs +halke +Hall +Halla +hallabaloo +Hallagan +hallage +hallah +hallahs +hallalcor +hallali +Hallam +hallan +Halland +Hallandale +hallanshaker +hallboy +hallcist +hall-door +Halle +hallebardier +Halleck +hallecret +Hallee +halleflinta +halleflintoid +Halley +Halleyan +Hallel +hallels +halleluiah +hallelujah +hallelujahs +hallelujatic +Haller +Hallerson +Hallett +Hallette +Hallettsville +hallex +Halli +Hally +halliard +halliards +halliblash +hallicet +Halliday +hallidome +Hallie +Hallieford +hallier +halling +hallion +Halliwell +Hall-Jones +hallman +hallmark +hall-mark +hallmarked +hallmarker +hallmarking +hallmarks +hallmark's +hallmoot +hallmote +hallo +halloa +halloaed +halloaing +halloas +Hallock +halloed +halloes +hall-of-famer +halloing +halloysite +halloo +hallooed +hallooing +halloos +Hallopididae +hallopodous +Hallopus +hallos +hallot +halloth +Hallouf +hallow +hallowd +Hallowday +hallowed +hallowedly +hallowedness +Halloween +Hallowe'en +hallow-e'en +halloweens +Hallowell +hallower +hallowers +hallowing +Hallowmas +hallows +Hallowtide +hallow-tide +hallroom +Halls +hall's +Hallsboro +Hallsy +Hallstadt +Hallstadtan +Hallstatt +Hallstattan +Hallstattian +Hallstead +Hallsville +Halltown +hallucal +halluces +hallucinate +hallucinated +hallucinates +hallucinating +hallucination +hallucinational +hallucinations +hallucinative +hallucinator +hallucinatory +hallucined +hallucinogen +hallucinogenic +hallucinogens +hallucinoses +hallucinosis +hallux +Hallvard +hallway +hallways +hallway's +Hallwood +halm +Halma +Halmaheira +Halmahera +halmalille +halmawise +halms +Halmstad +halo +halo- +Haloa +Halobates +halobiont +halobios +halobiotic +halo-bright +halocaine +halocarbon +halochromy +halochromism +Halocynthiidae +halocline +halo-crowned +haloed +haloes +haloesque +halogen +halogenate +halogenated +halogenating +halogenation +halogenoid +halogenous +halogens +Halogeton +halo-girt +halohydrin +haloid +haloids +haloing +halolike +halolimnic +halomancy +halometer +halomorphic +halomorphism +Halona +Halonna +haloperidol +halophile +halophilic +halophilism +halophilous +halophyte +halophytic +halophytism +Halopsyche +Halopsychidae +Haloragidaceae +haloragidaceous +halos +Halosauridae +Halosaurus +haloscope +halosere +Halosphaera +halothane +halotrichite +haloxene +haloxylin +halp +halpace +halper +Halpern +Hals +halse +Halsey +halsen +halser +halsfang +Halsy +Halstad +Halstead +Halsted +halt +halte +halted +Haltemprice +halter +halterbreak +haltere +haltered +halteres +Halteridium +haltering +halterlike +halterproof +halters +halter-sack +halter-wise +Haltica +halting +haltingly +haltingness +haltless +halts +halucket +halukkah +halurgy +halurgist +halutz +halutzim +halva +Halvaard +halvah +halvahs +halvaner +halvans +halvas +halve +halved +halvelings +halver +halvers +Halverson +halves +Halvy +halving +halwe +HAM +Hama +Hamachi +hamacratic +hamada +Hamadan +hamadas +hamadryad +hamadryades +hamadryads +hamadryas +Hamal +hamald +hamals +Hamamatsu +Hamamelidaceae +hamamelidaceous +Hamamelidanthemum +hamamelidin +Hamamelidoxylon +hamamelin +Hamamelis +Hamamelites +Haman +Hamann +hamantasch +hamantaschen +hamantash +hamantashen +hamartia +hamartias +hamartiology +hamartiologist +hamartite +hamartophobia +hamata +hamate +hamated +hamates +Hamath +Hamathite +hamatum +hamaul +hamauls +hamber +Hamberg +hambergite +hamber-line +hamble +Hambley +Hambleton +Hambletonian +hambone +hamboned +hambones +Hamborn +hambro +hambroline +Hamburg +Hamburger +hamburgers +hamburger's +hamburgs +Hamden +hamdmaid +hame +hameil +Hamel +Hamelia +Hamelin +Hameln +hamelt +Hamer +Hamersville +hames +hamesoken +hamesucken +hametugs +hametz +hamewith +hamfare +hamfat +hamfatter +ham-fisted +Hamford +Hamforrd +Hamfurd +ham-handed +ham-handedness +Hamhung +hami +Hamid +Hamidian +Hamidieh +hamiform +Hamil +hamilt +Hamilton +Hamiltonian +Hamiltonianism +Hamiltonism +hamingja +haminoea +hamirostrate +Hamish +Hamital +Hamite +Hamites +Hamitic +Hamiticized +Hamitism +Hamitoid +Hamito-negro +Hamito-Semitic +hamlah +Hamlani +Hamlen +Hamler +Hamlet +hamleted +hamleteer +hamletization +hamletize +hamlets +hamlet's +Hamletsburg +hamli +Hamlin +hamline +hamlinite +Hamm +Hammad +hammada +hammadas +hammaid +hammal +hammals +hammam +Hammarskj +Hammarskjold +hammed +Hammel +Hammer +hammerable +hammer-beam +hammerbird +hammercloth +hammer-cloth +hammercloths +hammerdress +hammered +hammerer +hammerers +Hammerfest +hammerfish +hammer-hard +hammer-harden +hammerhead +hammer-head +hammerheaded +hammerheads +hammering +hammeringly +hammerkop +hammerless +hammerlike +hammerlock +hammerlocks +hammerman +hammer-proof +hammer-refined +hammers +hammer-shaped +Hammerskjold +Hammersmith +Hammerstein +hammerstone +hammer-strong +hammertoe +hammertoes +hammer-weld +hammer-welded +hammerwise +hammerwork +hammerwort +hammer-wrought +Hammett +hammy +hammier +hammiest +hammily +hamminess +hamming +hammochrysos +Hammock +hammocklike +hammocks +hammock's +Hammon +Hammond +Hammondsport +Hammondsville +Hammonton +Hammurabi +Hammurapi +Hamner +Hamnet +Hamo +Hamon +hamose +hamotzi +hamous +Hampden +hamper +hampered +hamperedly +hamperedness +hamperer +hamperers +hampering +hamperman +hampers +Hampshire +hampshireman +hampshiremen +hampshirite +hampshirites +Hampstead +Hampton +Hamptonville +Hamrah +Hamrnand +hamrongite +hams +ham's +hamsa +hamshackle +Hamshire +hamster +hamsters +hamstring +hamstringed +hamstringing +hamstrings +hamstrung +Hamsun +Hamtramck +hamular +hamulate +hamule +hamuli +Hamulites +hamulose +hamulous +hamulus +hamus +hamza +hamzah +hamzahs +hamzas +Han +Hana +Hanae +Hanafee +Hanafi +Hanafite +hanahill +Hanako +Hanalei +Hanan +hanap +Hanapepe +hanaper +hanapers +Hanasi +ha-Nasi +hanaster +Hanau +Hanbalite +hanbury +Hance +hanced +hances +Hanceville +hanch +Hancock +hancockite +Hand +Handal +handarm +hand-ax +handbag +handbags +handbag's +handball +hand-ball +handballer +handballs +handbank +handbanker +handbarrow +hand-barrow +handbarrows +hand-beaten +handbell +handbells +handbill +handbills +hand-blocked +handblow +hand-blown +handbolt +Handbook +handbooks +handbook's +handbound +hand-bound +handbow +handbrake +handbreadth +handbreed +hand-broad +hand-broken +hand-built +hand-canter +handcar +hand-carry +handcars +handcart +hand-cart +handcarts +hand-carve +hand-chase +handclap +handclapping +handclasp +hand-clasp +handclasps +hand-clean +hand-closed +handcloth +hand-colored +hand-comb +handcraft +handcrafted +handcrafting +handcraftman +handcrafts +handcraftsman +hand-crushed +handcuff +handcuffed +handcuffing +handcuffs +hand-culverin +hand-cut +hand-dress +hand-drill +hand-drop +hand-dug +handed +handedly +handedness +Handel +Handelian +hand-embroidered +hander +handersome +handfast +handfasted +handfasting +handfastly +handfastness +handfasts +hand-fed +handfeed +hand-feed +hand-feeding +hand-fill +hand-filled +hand-fire +handfish +hand-fives +handflag +handflower +hand-fold +hand-footed +handful +handfuls +handgallop +hand-glass +handgrasp +handgravure +hand-grenade +handgrip +handgriping +handgrips +handgun +handguns +hand-habend +handhaving +hand-held +hand-hewn +hand-hidden +hand-high +handhold +handholds +handhole +Handy +handy-andy +handy-andies +handybilly +handy-billy +handybillies +handyblow +handybook +handicap +handicapped +handicapper +handicappers +handicapping +handicaps +handicap's +handicrafsman +handicrafsmen +handicraft +handicrafter +handicrafters +handicrafts +handicraftship +handicraftsman +handicraftsmanship +handicraftsmen +handicraftswoman +handicuff +handycuff +handy-dandy +handier +handiest +Handie-Talkie +handyfight +handyframe +handygrip +handygripe +handily +handyman +handymen +hand-in +handiness +handinesses +handing +hand-in-glove +hand-in-hand +handy-pandy +handiron +handy-spandy +handistroke +handiwork +handiworks +handjar +handkercher +handkerchief +handkerchiefful +handkerchiefs +handkerchief's +handkerchieves +hand-knit +hand-knitted +hand-knitting +hand-knotted +hand-labour +handlaid +handle +handleable +handlebar +handlebars +handled +Handley +handleless +Handler +handlers +handles +handless +hand-lettered +handlike +handline +hand-line +hand-liner +handling +handlings +handlist +hand-list +handlists +handload +handloader +handloading +handlock +handloom +hand-loom +handloomed +handlooms +hand-lopped +handmade +hand-made +handmaid +handmaiden +handmaidenly +handmaidens +handmaids +hand-me-down +hand-me-downs +hand-mill +hand-minded +hand-mindedness +hand-mix +hand-mold +handoff +hand-off +handoffs +hand-operated +hand-organist +handout +hand-out +handouts +hand-packed +handpick +hand-pick +handpicked +hand-picked +handpicking +handpicks +handpiece +hand-pitched +hand-play +hand-pollinate +hand-pollination +handpost +hand-power +handpress +hand-presser +hand-pressman +handprint +hand-printing +hand-pump +handrail +hand-rail +handrailing +handrails +handreader +handreading +hand-rear +hand-reared +handrest +hand-rinse +hand-rivet +hand-roll +hand-rub +hand-rubbed +Hands +handsale +handsaw +handsawfish +handsawfishes +handsaws +handsbreadth +hand's-breadth +handscrape +hands-down +handsel +handseled +handseling +handselled +handseller +handselling +handsels +hand-sent +handset +handsets +handsetting +handsew +hand-sew +handsewed +handsewing +handsewn +hand-sewn +handsful +hand-shackled +handshake +handshaker +handshakes +handshaking +handsled +handsmooth +hands-off +Handsom +handsome +handsome-featured +handsomeish +handsomely +handsomeness +handsomenesses +handsomer +handsomest +hand-sort +handspade +handspan +handspec +handspike +hand-splice +hand-split +handspoke +handspring +handsprings +hand-spun +handstaff +hand-staff +hand-stamp +hand-stamped +handstand +handstands +hand-stitch +handstone +handstroke +hand-stuff +hand-tailor +hand-tailored +hand-taut +hand-thrown +hand-tied +hand-tight +hand-to-hand +hand-to-mouth +hand-tooled +handtrap +hand-treat +hand-trim +hand-turn +hand-vice +handwaled +hand-wash +handwaving +handwear +hand-weave +handweaving +hand-weed +handwheel +handwhile +handwork +handworked +hand-worked +handworker +handworkman +handworks +handworm +handwoven +hand-woven +handwrist +hand-wrist +handwrit +handwrite +handwrites +handwriting +handwritings +handwritten +handwrote +handwrought +hand-wrought +hanefiyeh +Haney +Hanford +Hanforrd +Hanfurd +hang +hang- +hangability +hangable +hangalai +hangar +hangared +hangaring +hangars +hangar's +hang-back +hangby +hang-by +hangbird +hangbirds +hang-choice +Hangchow +hangdog +hang-dog +hangdogs +hang-down +hange +hanged +hangee +hanger +hanger-back +hanger-on +hangers +hangers-on +hanger-up +hang-fair +hangfire +hangfires +hang-glider +hang-head +hangie +hanging +hangingly +hangings +hangkang +hangle +hangman +hangmanship +hangmen +hangment +hangnail +hang-nail +hangnails +hangnest +hangnests +hangout +hangouts +hangover +hang-over +hangovers +hangover's +hangs +hangtag +hangtags +hangul +hangup +hang-up +hangups +hangwoman +hangworm +hangworthy +Hanya +Hanyang +hanif +hanifiya +hanifism +hanifite +Hank +Hankamer +hanked +hankey-pankey +Hankel +hanker +hankered +hankerer +hankerers +hankering +hankeringly +hankerings +hankers +hanky +hankie +hankies +hanking +Hankins +Hankinson +hanky-panky +hankle +Hankow +hanks +hanksite +Hanksville +hankt +hankul +Hanley +Hanleigh +Han-lin +Hanlon +Hanlontown +Hanna +Hannacroix +Hannaford +Hannah +hannayite +Hannan +Hannastown +Hanni +Hanny +Hannibal +Hannibalian +Hannibalic +Hannie +Hannis +Hanno +Hannon +Hannover +Hannus +Hano +Hanoi +hanologate +Hanotaux +Hanover +Hanoverian +Hanoverianize +Hanoverize +Hanoverton +Hanratty +Hans +Hansa +Hansard +Hansardization +Hansardize +hansas +Hansboro +Hanschen +Hanse +Hanseatic +Hansel +hanseled +hanseling +Hanselka +Hansell +hanselled +hanselling +hansels +Hansen +hansenosis +Hanser +hanses +Hansetown +Hansford +hansgrave +Hanshaw +Hansiain +Hanska +hansom +hansomcab +hansoms +Hanson +Hansteen +Hanston +Hansville +Hanswurst +hant +han't +ha'nt +hanted +hanting +hantle +hantles +Hants +Hanukkah +Hanuman +hanumans +Hanus +Hanway +Hanzelin +HAO +haole +haoles +haoma +haori +haoris +HAP +Hapale +Hapalidae +hapalote +Hapalotis +hapax +hapaxanthous +hapaxes +hapchance +ha'penny +ha'pennies +haphazard +haphazardly +haphazardness +haphazardry +haphophobia +Haphsiba +haphtara +Haphtarah +Haphtarahs +Haphtaroth +Hapi +hapiton +hapl- +hapless +haplessly +haplessness +haplessnesses +haply +haplite +haplites +haplitic +haplo- +haplobiont +haplobiontic +haplocaulescent +haplochlamydeous +Haplodoci +Haplodon +haplodont +haplodonty +haplography +haploid +haploidy +haploidic +haploidies +haploids +haplolaly +haplology +haplologic +haploma +haplome +Haplomi +haplomid +haplomitosis +haplomous +haplont +haplontic +haplonts +haploperistomic +haploperistomous +haplopetalous +haplophase +haplophyte +haplopia +haplopias +haploscope +haploscopic +haploses +haplosis +haplostemonous +haplotype +ha'p'orth +Happ +happed +happen +happenchance +happened +happening +happenings +happens +happenstance +happer +Happy +happier +happiest +happify +happy-go-lucky +happy-go-luckyism +happy-go-luckiness +happiless +happily +happiness +happing +haps +Hapsburg +Hapte +hapten +haptene +haptenes +haptenic +haptens +haptera +haptere +hapteron +haptic +haptical +haptics +haptoglobin +haptometer +haptophobia +haptophor +haptophoric +haptophorous +haptor +haptotropic +haptotropically +haptotropism +hapu +hapuku +haquebut +haqueton +Hara +harace +Harahan +Haraya +harakeke +hara-kin +harakiri +hara-kiri +Harald +Haralson +haram +harambee +harang +harangue +harangued +harangueful +haranguer +haranguers +harangues +haranguing +Harappa +Harappan +Harar +Harare +Hararese +Harari +haras +harass +harassable +harassed +harassedly +harasser +harassers +harasses +harassing +harassingly +harassment +harassments +harassness +harassnesses +harast +haratch +harateen +Haratin +haraucana +Harb +Harbard +Harberd +harbergage +Harbert +Harbeson +harbi +Harbin +harbinge +harbinger +harbingery +harbinger-of-spring +harbingers +harbingership +harbingers-of-spring +Harbird +Harbison +Harbona +harbor +harborage +harbored +harborer +harborers +harborful +harboring +harborless +harbormaster +harborough +harborous +harbors +Harborside +Harborton +harborward +Harbot +Harbour +harbourage +harboured +harbourer +harbouring +harbourless +harbourous +harbours +harbourside +harbourward +harbrough +Harco +Harcourt +hard +hard-acquired +Harday +Hardan +hard-and-fast +hard-and-fastness +hardanger +Hardaway +hardback +hardbacks +hardbake +hard-bake +hard-baked +hardball +hardballs +hard-barked +hardbeam +hard-beating +hardberry +hard-bill +hard-billed +hard-biting +hard-bitted +hard-bitten +hard-bittenness +hardboard +hard-boil +hardboiled +hard-boiled +hard-boiledness +hard-boned +hardboot +hardboots +hardbought +hard-bought +hardbound +hard-bred +Hardburly +hardcase +hard-coated +hard-contested +hard-cooked +hardcopy +hardcore +hard-core +hardcover +hardcovered +hardcovers +hard-cured +Hardden +hard-drawn +hard-dried +hard-drying +hard-drinking +hard-driven +hard-driving +hard-earned +Hardecanute +hardedge +hard-edge +hard-edged +Hardeeville +hard-eyed +Hardej +Harden +hardenability +hardenable +Hardenberg +Hardenbergia +hardened +hardenedness +hardener +hardeners +hardening +hardenite +hardens +Hardenville +harder +Harderian +hardest +Hardesty +hard-faced +hard-fated +hard-favored +hard-favoredness +hard-favoured +hard-favouredness +hard-feathered +hard-featured +hard-featuredness +hard-fed +hardfern +hard-fighting +hard-finished +hard-fired +hardfist +hardfisted +hard-fisted +hardfistedness +hard-fistedness +hard-fleshed +hard-fought +hard-gained +hard-got +hard-grained +hardhack +hardhacks +hard-haired +hardhanded +hard-handed +hardhandedness +hard-handled +hardhat +hard-hat +hardhats +hardhead +hardheaded +hard-headed +hardheadedly +hardheadedness +hardheads +hard-heart +hardhearted +hard-hearted +hardheartedly +hardheartedness +hardheartednesses +hardhewer +hard-hit +hard-hitting +Hardi +Hardy +Hardicanute +Hardie +hardier +hardies +hardiesse +hardiest +Hardigg +hardihead +hardyhead +hardihood +hardily +hardim +hardiment +Hardin +hardiness +hardinesses +Harding +Hardinsburg +hard-iron +hardish +hardishrew +hardystonite +Hardyville +hard-laid +hard-learned +hardly +hardline +hard-line +hard-living +hard-looking +Hardman +hard-minded +hardmouth +hardmouthed +hard-mouthed +hard-natured +Hardner +hardness +hardnesses +hardnose +hard-nosed +hard-nosedness +hardock +hard-of-hearing +hardpan +hard-pan +hardpans +hard-plucked +hard-pressed +hard-pushed +hard-ridden +hard-riding +hard-run +hards +hardsalt +hardscrabble +hardset +hard-set +hardshell +hard-shell +hard-shelled +hardship +hardships +hardship's +hard-skinned +hard-spirited +hard-spun +hardstand +hardstanding +hardstands +hard-surface +hard-surfaced +hard-swearing +hardtack +hard-tack +hardtacks +hardtail +hardtails +hard-timbered +Hardtner +hardtop +hardtops +hard-trotting +Hardunn +hard-upness +hard-uppishness +hard-used +hard-visaged +hardway +hardwall +hardware +hardwareman +hardwares +hard-wearing +hardweed +Hardwick +Hardwicke +Hardwickia +hardwire +hardwired +hard-witted +hard-won +hardwood +hard-wooded +hardwoods +hard-worked +hardworking +hard-working +hard-wrought +hard-wrung +Hare +harebell +harebells +harebottle +harebrain +hare-brain +harebrained +hare-brained +harebrainedly +harebrainedness +harebur +hared +hare-eyed +hareem +hareems +hare-finder +harefoot +harefooted +harehearted +harehound +hareld +Harelda +harelike +harelip +hare-lip +harelipped +harelips +harem +hare-mad +haremism +haremlik +harems +harengiform +harenut +hares +hare's +hare's-ear +hare's-foot +Harewood +harfang +Harford +Hargeisa +Hargesia +Hargill +Hargreaves +Harhay +hariana +Haryana +harianas +harico +haricot +haricots +harier +hariffe +harigalds +Harijan +harijans +harikari +hari-kari +Harilda +Harim +haring +Haringey +harynges +hariolate +hariolation +hariolize +harish +hark +harka +harked +harkee +harken +harkened +harkener +harkeners +harkening +harkens +harking +Harkins +Harkness +harks +Harl +Harlamert +Harlan +Harland +Harle +Harlech +harled +Harley +Harleian +Harleigh +Harleysville +Harleyville +Harlem +Harlemese +Harlemite +Harlen +Harlene +Harlequin +harlequina +harlequinade +harlequinery +harlequinesque +harlequinic +harlequinism +harlequinize +harlequins +Harleton +Harli +Harlie +Harlin +harling +Harlingen +harlock +harlot +harlotry +harlotries +harlots +harlot's +Harlow +Harlowton +harls +HARM +Harmachis +harmal +harmala +harmalin +harmaline +Harman +Harmaning +Harmans +Harmat +harmattan +harmed +harmel +harmer +harmers +harmful +harmfully +harmfulness +harmfulnesses +harmin +harmine +harmines +harming +harminic +harmins +harmless +harmlessly +harmlessness +harmlessnesses +Harmon +Harmony +Harmonia +harmoniacal +harmonial +harmonic +harmonica +harmonical +harmonically +harmonicalness +harmonicas +harmonichord +harmonici +harmonicism +harmonicon +harmonics +Harmonides +Harmonie +harmonies +harmonious +harmoniously +harmoniousness +harmoniousnesses +harmoniphon +harmoniphone +harmonisable +harmonisation +harmonise +harmonised +harmoniser +harmonising +Harmonist +harmonistic +harmonistically +Harmonite +harmonium +harmoniums +harmonizable +harmonization +harmonizations +harmonize +harmonized +harmonizer +harmonizers +harmonizes +harmonizing +harmonogram +harmonograph +harmonometer +Harmonsburg +harmoot +harmost +Harmothoe +harmotome +harmotomic +harmout +harmproof +Harms +Harmsworth +harn +Harnack +Harned +Harneen +Harness +harness-bearer +harness-cask +harnessed +harnesser +harnessers +harnesses +harnessing +harnessless +harnesslike +harnessry +Harnett +harnpan +harns +Harod +Harold +Harolda +Haroldson +haroset +haroseth +Haroun +Harp +Harpa +harpago +harpagon +Harpagornis +Harpalyce +Harpalides +Harpalinae +Harpalus +harpaxophobia +harped +Harper +harperess +harpers +Harpersfield +Harpersville +Harperville +Harpy +harpy-bat +Harpidae +harpy-eagle +harpier +Harpies +harpy-footed +Harpyia +harpylike +harpin +Harpina +harping +harping-iron +harpingly +harpings +harpins +harpist +harpists +harpless +harplike +Harpocrates +Harpole +harpoon +harpooned +harpooneer +harpooner +harpooners +harpooning +harpoonlike +harpoons +Harporhynchus +Harpp +harpress +harps +harp-shaped +harpsical +harpsichon +harpsichord +harpsichordist +harpsichords +Harpster +harpula +Harpullia +Harpursville +harpwaytuning +harpwise +harquebus +harquebusade +harquebuse +harquebuses +harquebusier +harquebuss +harr +Harragan +harrage +Harrah +Harrar +harrateen +harre +Harrell +Harrells +Harrellsville +Harri +Harry +harrycane +harrid +harridan +harridans +Harrie +harried +harrier +harriers +harries +Harriet +Harriett +Harrietta +Harriette +harrying +Harriman +Harrington +Harriot +Harriott +Harris +Harrisburg +Harrisia +harrisite +Harrison +Harrisonburg +Harrisonville +Harriston +Harristown +Harrisville +Harrod +Harrodsburg +Harrogate +Harrold +Harrovian +Harrow +harrowed +harrower +harrowers +harrowing +harrowingly +harrowingness +harrowment +harrows +harrowtry +harrumph +harrumphed +harrumphing +harrumphs +Harrus +harsh +Harshaw +harsh-blustering +harshen +harshened +harshening +harshens +harsher +harshest +harsh-featured +harsh-grating +harshish +harshlet +harshlets +harshly +harsh-looking +Harshman +harsh-mannered +harshness +harshnesses +Harsho +harsh-syllabled +harsh-sounding +harsh-tongued +harsh-voiced +harshweed +harslet +harslets +harst +Harstad +harstigite +harstrang +harstrong +Hart +hartail +hartake +hartal +hartall +hartals +hartberry +Harte +hartebeest +hartebeests +harten +Hartfield +Hartford +Harthacanute +Harthacnut +Harty +Hartill +hartin +Hartington +hartite +Hartke +Hartland +Hartley +Hartleian +Hartleyan +Hartlepool +Hartleton +Hartly +Hartline +Hartman +Hartmann +Hartmannia +Hartmunn +Hartnell +Hartnett +Hartogia +Harts +Hartsburg +Hartsdale +Hartsel +Hartselle +Hartsfield +Hartshorn +Hartshorne +hartstongue +harts-tongue +hart's-tongue +Hartstown +Hartsville +harttite +Hartungen +Hartville +Hartwell +Hartwick +Hartwood +hartwort +Hartzel +Hartzell +Hartzke +harumph +harumphs +harum-scarum +harum-scarumness +Harunobu +haruspex +haruspical +haruspicate +haruspication +haruspice +haruspices +haruspicy +Harv +Harvard +Harvardian +Harvardize +Harve +Harvey +Harveian +Harveyize +Harveyized +Harveyizing +Harveysburg +Harveyville +Harvel +Harvest +harvestable +harvestbug +harvest-bug +harvested +harvester +harvesters +harvester-thresher +harvest-field +harvestfish +harvestfishes +harvesting +harvestless +harvest-lice +harvestman +harvestmen +harvestry +harvests +harvesttime +Harvie +Harviell +Harvison +Harwell +Harwich +Harwichport +Harwick +Harwill +Harwilll +Harwin +Harwood +Harz +harzburgite +Harze +has +Hasa +Hasan +Hasanlu +hasard +has-been +Hasdai +Hasdrubal +Hase +Hasek +Hasen +hasenpfeffer +hash +hashab +hashabi +hashed +Hasheem +hasheesh +hasheeshes +hasher +hashery +hashes +hashhead +hashheads +hashy +Hashiya +Hashim +Hashimite +Hashimoto +hashing +hashish +hashishes +hash-slinger +hasht +Hashum +Hasid +Hasidaean +Hasidean +Hasidic +Hasidim +Hasidism +Hasin +Hasinai +hask +Haskalah +haskard +Haskel +Haskell +hasky +Haskins +haskness +haskwort +Haslam +Haslet +haslets +Haslett +haslock +Hasmonaean +hasmonaeans +Hasmonean +hasn +hasnt +hasn't +HASP +hasped +haspicol +hasping +haspling +hasps +haspspecs +Hassam +Hassan +Hassani +hassar +Hasse +hassel +Hassell +hassels +Hasselt +Hasseman +hassenpfeffer +Hassett +Hassi +Hassin +hassing +hassle +hassled +hassles +hasslet +hassling +hassock +hassocky +hassocks +hast +hasta +hastate +hastated +hastately +hastati +hastato- +hastatolanceolate +hastatosagittate +haste +hasted +hasteful +hastefully +hasteless +hastelessness +hasten +hastened +hastener +hasteners +hastening +hastens +hasteproof +haster +hastes +Hasty +Hastie +hastier +hastiest +hastif +hastifly +hastifness +hastifoliate +hastiform +hastile +hastily +hastilude +hastiness +hasting +Hastings +hastingsite +Hastings-on-Hudson +hastish +hastive +hastler +hastula +Haswell +HAT +hatable +Hatasu +hatband +hatbands +Hatboro +hatbox +hatboxes +hatbrim +hatbrush +Hatch +hatchability +hatchable +hatchback +hatchbacks +hatch-boat +Hatchechubbee +hatcheck +hatched +hatchel +hatcheled +hatcheler +hatcheling +hatchelled +hatcheller +hatchelling +hatchels +Hatcher +hatchery +hatcheries +hatcheryman +hatchers +hatches +hatchet +hatchetback +hatchetfaced +hatchet-faced +hatchetfish +hatchetfishes +hatchety +hatchetlike +hatchetman +hatchets +hatchet's +hatchet-shaped +hatchettin +hatchettine +hatchettite +hatchettolite +hatchgate +hatching +hatchings +hatchite +hatchling +hatchman +hatchment +hatchminder +hatchway +hatchwayman +hatchways +hate +hateable +hated +hateful +hatefully +hatefullness +hatefullnesses +hatefulness +hatel +hateless +hatelessness +hatemonger +hatemongering +hater +haters +hates +Hatfield +hatful +hatfuls +hath +hatha-yoga +Hathaway +Hathcock +hatherlite +hathi +Hathor +Hathor-headed +Hathoric +Hathorne +hathpace +Hati +Hatia +Hatikva +Hatikvah +Hatillo +hating +hat-in-hand +Hatley +hatless +hatlessness +hatlike +hatmaker +hatmakers +hatmaking +hat-money +hatpin +hatpins +hatrack +hatracks +hatrail +hatred +hatreds +hatress +hats +hat's +hatsful +hat-shag +hat-shaped +Hatshepset +Hatshepsut +hatstand +hatt +Hatta +hatte +hatted +Hattemist +Hattenheimer +hatter +Hatteras +hattery +Hatteria +hatterias +hatters +Hatti +Hatty +Hattian +Hattic +Hattie +Hattiesburg +Hattieville +hatting +Hattism +Hattize +hattock +Hatton +Hattusas +Hatvan +Hau +haubergeon +hauberget +hauberk +hauberks +hauberticum +haubois +Haubstadt +hauchecornite +Hauck +hauerite +hauflin +Hauge +Haugen +Hauger +haugh +Haughay +haughland +haughs +haught +haughty +haughtier +haughtiest +haughtily +haughtiness +haughtinesses +haughtly +haughtness +Haughton +haughtonite +hauyne +hauynite +hauynophyre +Haukom +haul +haulabout +haulage +haulages +haulageway +haulaway +haulback +hauld +hauled +hauler +haulers +haulyard +haulyards +haulier +hauliers +hauling +haulm +haulmy +haulmier +haulmiest +haulms +hauls +haulse +haulster +hault +haum +Haunce +haunch +haunch-bone +haunched +hauncher +haunches +haunchy +haunching +haunchless +haunch's +haunt +haunted +haunter +haunters +haunty +haunting +hauntingly +haunts +haupia +Hauppauge +Hauptmann +Hauranitic +hauriant +haurient +Hausa +Hausas +Hausdorff +hause +hausen +hausens +Hauser +hausfrau +hausfrauen +hausfraus +Haushofer +Hausmann +hausmannite +Hausner +Haussa +Haussas +hausse +hausse-col +Haussmann +Haussmannization +Haussmannize +haust +Haustecan +haustella +haustellate +haustellated +haustellous +haustellum +haustement +haustoria +haustorial +haustorium +haustral +haustrum +haustus +haut +hautain +hautboy +hautboyist +hautbois +hautboys +haute +haute-feuillite +Haute-Garonne +hautein +Haute-Loire +Haute-Marne +Haute-Normandie +haute-piece +Haute-Sa +Hautes-Alpes +Haute-Savoie +Hautes-Pyrn +hautesse +hauteur +hauteurs +Haute-Vienne +haut-gout +haut-pas +haut-relief +Haut-Rhin +Hauts-de-Seine +haut-ton +Hauula +hav +Havaco +havage +Havaiki +Havaikian +Havana +havance +Havanese +Havant +Havard +havarti +havartis +Havasu +Havdala +Havdalah +havdalahs +have +haveable +haveage +have-been +havey-cavey +Havel +haveless +Havelock +havelocks +Haveman +Haven +havenage +havened +Havener +havenership +havenet +havenful +havening +havenless +Havenner +have-not +have-nots +Havens +haven's +Havensville +havent +haven't +havenward +haver +haveral +havercake +haver-corn +havered +haverel +haverels +haverer +Haverford +havergrass +Haverhill +Havering +havermeal +havers +haversack +haversacks +Haversian +haversine +Haverstraw +haves +havier +Havilah +Haviland +havildar +Havilland +having +havingness +havings +havior +haviored +haviors +haviour +havioured +haviours +havlagah +havoc +havocked +havocker +havockers +havocking +havocs +Havre +Havstad +haw +Hawaii +Hawaiian +hawaiians +hawaiite +Hawarden +hawbuck +hawcuaite +hawcubite +hawebake +hawe-bake +hawed +hawer +Hawesville +hawfinch +hawfinches +Hawger +Hawhaw +haw-haw +Hawi +Hawick +Hawiya +hawing +Hawk +hawk-beaked +hawkbill +hawk-billed +hawkbills +hawkbit +hawked +hawkey +Hawkeye +hawk-eyed +Hawkeyes +hawkeys +Hawken +Hawker +hawkery +hawkers +hawk-faced +hawk-headed +hawky +Hawkie +hawkies +hawking +hawkings +Hawkins +Hawkyns +Hawkinsville +hawkish +hawkishly +hawkishness +hawklike +hawkmoth +hawk-moth +hawkmoths +hawknose +hawk-nose +hawknosed +hawk-nosed +hawknoses +hawknut +hawk-owl +Hawks +hawksbeak +hawk's-beard +hawk's-bell +hawksbill +hawk's-bill +hawk's-eye +hawkshaw +hawkshaws +Hawksmoor +hawk-tailed +hawkweed +hawkweeds +hawkwise +Hawley +Hawleyville +hawm +hawok +Haworth +Haworthia +haws +hawse +hawsed +hawse-fallen +hawse-full +hawsehole +hawseman +hawsepiece +hawsepipe +hawser +hawser-laid +hawsers +hawserwise +hawses +hawsing +Hawthorn +Hawthorne +hawthorned +Hawthornesque +hawthorny +hawthorns +Hax +Haxtun +Hazaki +hazan +hazanim +hazans +hazanut +Hazara +Hazard +hazardable +hazarded +hazarder +hazardful +hazarding +hazardize +hazardless +hazardous +hazardously +hazardousness +hazardry +hazards +hazard's +Haze +hazed +Hazeghi +Hazel +Hazelbelle +Hazelcrest +hazeled +hazel-eyed +hazeless +hazel-gray +hazel-grouse +hazelhen +hazel-hen +hazel-hooped +Hazelhurst +hazeline +hazel-leaved +hazelly +hazelnut +hazel-nut +hazelnuts +hazels +Hazeltine +Hazelton +Hazelwood +hazel-wood +hazelwort +Hazem +hazemeter +Hazen +hazer +hazers +hazes +haze's +hazy +hazier +haziest +hazily +haziness +hazinesses +hazing +hazings +hazle +Hazlehurst +Hazlet +Hazleton +Hazlett +Hazlip +Hazlitt +haznadar +Hazor +hazzan +hazzanim +hazzans +hazzanut +HB +HBA +H-bar +H-beam +Hbert +H-blast +HBM +HBO +H-bomb +HC +hcb +HCF +HCFA +HCL +HCM +hconvert +HCR +HCSDS +HCTDS +HD +hd. +HDA +hdbk +HDBV +Hder +Hderlin +hdkf +HDL +HDLC +hdqrs +hdqrs. +Hdr +HDTV +hdwe +HDX +HE +head +headache +headaches +headache's +headachy +headachier +headachiest +head-aching +headband +headbander +headbands +head-block +headboard +head-board +headboards +headborough +headbox +headcap +headchair +headcheese +headchute +headcloth +head-cloth +headclothes +headcloths +head-court +headdress +head-dress +headdresses +headed +headend +headender +headends +header +headers +header-up +headfast +headfirst +headfish +headfishes +head-flattening +headforemost +head-foremost +headframe +headful +headgate +headgates +headgear +head-gear +headgears +head-hanging +head-high +headhunt +head-hunt +headhunted +headhunter +head-hunter +headhunters +headhunting +head-hunting +headhunts +Heady +headier +headiest +headily +headiness +heading +heading-machine +headings +heading's +headkerchief +headlamp +headlamps +Headland +headlands +headland's +headle +headledge +headless +headlessness +headly +headlight +headlighting +headlights +headlike +headliked +headline +head-line +headlined +headliner +headliners +headlines +headling +headlining +headload +head-load +headlock +headlocks +headlong +headlongly +headlongness +headlongs +headlongwise +headman +head-man +headmark +headmaster +headmasterly +headmasters +headmastership +headmen +headmistress +headmistresses +headmistressship +headmistress-ship +headmold +head-money +headmost +headmould +headnote +head-note +headnotes +head-on +head-over-heels +head-pan +headpenny +head-penny +headphone +headphones +headpiece +head-piece +headpieces +headpin +headpins +headplate +head-plate +headpost +headquarter +headquartered +headquartering +headquarters +headrace +head-race +headraces +headrail +head-rail +headreach +headrent +headrest +headrests +Headrick +headrig +headright +headring +headroom +headrooms +headrope +head-rope +heads +headsail +head-sail +headsails +headsaw +headscarf +headset +headsets +headshake +headshaker +head-shaking +headsheet +headsheets +headship +headships +headshrinker +headsill +headskin +headsman +headsmen +headspace +head-splitting +headspring +headsquare +headstay +headstays +headstall +head-stall +headstalls +headstand +headstands +headstick +headstock +headstone +headstones +headstream +headstrong +headstrongly +headstrongness +heads-up +headtire +head-tire +head-tossing +head-turned +head-voice +headway +headways +headwaiter +headwaiters +headwall +headward +headwards +headwark +headwater +headwaters +headwear +headwind +headwinds +headword +headwords +headwork +headworker +headworking +headworks +heaf +heal +healable +heal-all +heal-bite +heald +healder +heal-dog +Healdsburg +Healdton +healed +Healey +healer +healers +healful +Healy +healing +healingly +Healion +Heall +he-all +healless +heals +healsome +healsomeness +health +healthcare +healthcraft +health-enhancing +healthful +healthfully +healthfulness +healthfulnesses +healthguard +healthy +healthier +healthiest +healthily +healthy-minded +healthy-mindedly +healthy-mindedness +healthiness +healthless +healthlessness +health-preserving +healths +healthsome +healthsomely +healthsomeness +healthward +HEAO +HEAP +heaped +heaped-up +heaper +heapy +heaping +Heaps +heapstead +hear +hearable +heard +hearer +hearers +hearing +hearingless +hearings +hearken +hearkened +hearkener +hearkening +hearkens +Hearn +Hearne +hears +hearsay +hearsays +hearse +hearsecloth +hearsed +hearselike +hearses +Hearsh +hearsing +Hearst +heart +heartache +heart-ache +heartaches +heartaching +heart-affecting +heart-angry +heart-back +heartbeat +heartbeats +heartbird +heartblock +heartblood +heart-blood +heart-bond +heart-bound +heartbreak +heart-break +heartbreaker +heartbreaking +heartbreakingly +heartbreaks +heart-bred +heartbroke +heartbroken +heart-broken +heartbrokenly +heartbrokenness +heart-burdened +heartburn +heartburning +heart-burning +heartburns +heart-cheering +heart-chilled +heart-chilling +heart-corroding +heart-deadened +heartdeep +heart-dulling +heartease +heart-eating +hearted +heartedly +heartedness +hearten +heartened +heartener +heartening +hearteningly +heartens +heart-expanding +heart-fallen +heart-fashioned +heartfelt +heart-felt +heart-flowered +heart-free +heart-freezing +heart-fretting +heartful +heartfully +heartfulness +heart-gnawing +heartgrief +heart-gripping +hearth +heart-happy +heart-hardened +heart-hardening +heart-heavy +heart-heaviness +hearthless +hearthman +hearth-money +hearthpenny +hearth-penny +hearthrug +hearth-rug +hearths +hearthside +hearthsides +hearthstead +hearth-stead +hearthstone +hearthstones +hearth-tax +heart-hungry +hearthward +hearthwarming +hearty +heartier +hearties +heartiest +heartikin +heartily +heart-ill +heartiness +heartinesses +hearting +heartland +heartlands +heartleaf +heart-leaved +heartless +heartlessly +heartlessness +heartlet +heartly +heartlike +heartling +heart-melting +heart-moving +heartnut +heartpea +heart-piercing +heart-purifying +heartquake +heart-quake +heart-ravishing +heartrending +heart-rending +heartrendingly +heart-rendingly +heart-robbing +heartroot +heartrot +hearts +hearts-and-flowers +heartscald +heart-searching +heartsease +heart's-ease +heartseed +heartsette +heartshake +heart-shaking +heart-shaped +heart-shed +heartsick +heart-sick +heartsickening +heartsickness +heartsicknesses +heartsmitten +heartsome +heartsomely +heartsomeness +heartsore +heart-sore +heartsoreness +heart-sorrowing +heart-spoon +heart-stirring +heart-stricken +heart-strickenly +heart-strike +heartstring +heartstrings +heart-strings +heart-struck +heart-swelling +heart-swollen +heart-tearing +heart-thrilling +heartthrob +heart-throb +heart-throbbing +heartthrobs +heart-tickling +heart-to-heart +heartward +heart-warm +heartwarming +heart-warming +heartwater +heart-weary +heart-weariness +heartweed +Heartwell +heart-whole +heart-wholeness +heartwise +heart-wise +heartwood +heart-wood +heartwoods +heartworm +heartwort +heart-wounded +heartwounding +heart-wounding +heart-wringing +heart-wrung +heat +heatable +heat-absorbing +heat-conducting +heat-cracked +heatdrop +heat-drop +heatdrops +heated +heatedly +heatedness +heaten +Heater +heaterman +Heaters +heater-shaped +heat-forming +heatful +heat-giving +Heath +heath-bell +heathberry +heath-berry +heathberries +heathbird +heath-bird +heathbrd +heath-clad +heath-cock +Heathcote +heathen +heathendom +heatheness +heathenesse +heathenhood +heathenise +heathenised +heathenish +heathenishly +heathenishness +heathenising +heathenism +heathenist +heathenize +heathenized +heathenizing +heathenly +heathenness +heathenry +heathens +heathenship +Heather +heather-bell +heather-bleat +heather-blutter +heathered +heathery +heatheriness +heathers +heathfowl +heath-hen +heathy +heathier +heathiest +Heathkit +heathless +heathlike +heath-pea +heathrman +heaths +Heathsville +heathwort +heating +heatingly +heating-up +heat-island +heat-killed +heat-laden +heatless +heatlike +heat-loving +heatmaker +heatmaking +Heaton +heat-oppressed +heat-producing +heatproof +heat-radiating +heat-reducing +heat-regulating +heat-resistant +heat-resisting +heatronic +heats +heatsman +heat-softened +heat-spot +heatstroke +heatstrokes +heat-tempering +heat-treat +heat-treated +heat-treating +heat-treatment +heat-wave +heaume +heaumer +heaumes +heautarit +heauto- +heautomorphism +Heautontimorumenos +heautophany +heave +heaved +heave-ho +heaveless +Heaven +heaven-accepted +heaven-aspiring +heaven-assailing +heaven-begot +heaven-bent +heaven-born +heaven-bred +heaven-built +heaven-clear +heaven-controlled +heaven-daring +heaven-dear +heaven-defying +heaven-descended +heaven-devoted +heaven-directed +Heavener +heaven-erected +Heavenese +heaven-fallen +heaven-forsaken +heavenful +heaven-gate +heaven-gifted +heaven-given +heaven-guided +heaven-high +heavenhood +heaven-inspired +heaven-instructed +heavenish +heavenishly +heavenize +heaven-kissing +heavenless +heavenly +heavenlier +heavenliest +heaven-lighted +heavenlike +heavenly-minded +heavenly-mindedness +heavenliness +heaven-lit +heaven-made +heaven-prompted +heaven-protected +heaven-reaching +heaven-rending +Heavens +heaven-sent +heaven-sprung +heaven-sweet +heaven-taught +heaven-threatening +heaven-touched +heavenward +heavenwardly +heavenwardness +heavenwards +heaven-warring +heaven-wide +heave-offering +heaver +heaver-off +heaver-out +heaver-over +heavers +heaves +heave-shouldered +heavy +heavy-armed +heavyback +heavy-bearded +heavy-blossomed +heavy-bodied +heavy-boned +heavy-booted +heavy-boughed +heavy-drinking +heavy-duty +heavy-eared +heavy-eyed +heavier +heavier-than-air +heavies +heaviest +heavy-faced +heavy-featured +heavy-fisted +heavy-fleeced +heavy-footed +heavy-footedness +heavy-fruited +heavy-gaited +heavyhanded +heavy-handed +heavy-handedly +heavyhandedness +heavy-handedness +heavy-head +heavyheaded +heavy-headed +heavyhearted +heavy-hearted +heavyheartedly +heavy-heartedly +heavyheartedness +heavy-heartedness +heavy-heeled +heavy-jawed +heavy-laden +heavy-leaved +heavily +heavy-lidded +heavy-limbed +heavy-lipped +heavy-looking +heavy-mettled +heavy-mouthed +heaviness +heavinesses +heaving +heavinsogme +heavy-paced +heavy-scented +heavy-seeming +heavyset +heavy-set +heavy-shotted +heavy-shouldered +heavy-shuttered +Heaviside +heavy-smelling +heavy-soled +heavisome +heavy-tailed +heavity +heavy-timbered +heavyweight +heavy-weight +heavyweights +heavy-winged +heavy-witted +heavy-wooded +heazy +Heb +Heb. +he-balsam +hebamic +Hebbe +Hebbel +Hebbronville +hebdomad +hebdomadal +hebdomadally +hebdomadary +hebdomadaries +hebdomader +hebdomads +hebdomary +hebdomarian +hebdomcad +Hebe +hebe- +hebeanthous +hebecarpous +hebecladous +hebegynous +Hebel +heben +hebenon +hebeosteotomy +hebepetalous +hebephrenia +hebephreniac +hebephrenic +Heber +Hebert +hebes +hebetate +hebetated +hebetates +hebetating +hebetation +hebetative +hebete +hebetic +hebetomy +hebetude +hebetudes +hebetudinous +Hebner +Hebo +hebotomy +Hebr +Hebraean +Hebraic +Hebraica +Hebraical +Hebraically +Hebraicize +Hebraisation +Hebraise +Hebraised +Hebraiser +Hebraising +Hebraism +Hebraist +Hebraistic +Hebraistical +Hebraistically +hebraists +Hebraization +Hebraize +Hebraized +Hebraizer +hebraizes +Hebraizing +Hebrew +Hebrewdom +Hebrewess +Hebrewism +Hebrews +Hebrew-wise +Hebrician +Hebridean +Hebrides +Hebridian +Hebron +Hebronite +he-broom +heb-sed +he-cabbage-tree +Hecabe +Hecaleius +Hecamede +hecastotheism +Hecataean +Hecate +Hecatean +Hecatic +Hecatine +hecatomb +Hecatombaeon +hecatombed +hecatombs +hecatomped +hecatompedon +Hecatoncheires +Hecatonchires +hecatonstylon +hecatontarchy +hecatontome +hecatophyllous +hecchsmhaer +hecco +hecctkaerre +hech +hechsher +hechsherim +hechshers +Hecht +Hechtia +Heck +heckelphone +Hecker +Heckerism +heck-how +heckimal +Hecklau +heckle +heckled +heckler +hecklers +heckles +heckling +Heckman +hecks +Hecla +hect- +hectar +hectare +hectares +hecte +hectic +hectical +hectically +hecticly +hecticness +hectyli +hective +hecto- +hecto-ampere +hectocotyl +hectocotyle +hectocotyli +hectocotyliferous +hectocotylization +hectocotylize +hectocotylus +hectogram +hectogramme +hectograms +hectograph +hectography +hectographic +hectoliter +hectoliters +hectolitre +hectometer +hectometers +Hector +Hectorean +hectored +hectorer +Hectorian +hectoring +hectoringly +hectorism +hectorly +hectors +hectorship +hectostere +hectowatt +Hecuba +hed +he'd +Heda +Hedberg +Hedda +Heddi +Heddy +Heddie +heddle +heddlemaker +heddler +heddles +hede +hedebo +Hedelman +hedenbergite +Hedeoma +heder +Hedera +hederaceous +hederaceously +hederal +hederated +hederic +hederiferous +hederiform +hederigerent +hederin +hederose +heders +Hedgcock +hedge +hedgebe +hedgeberry +hedge-bird +hedgeborn +hedgebote +hedge-bound +hedgebreaker +hedge-creeper +hedged +hedged-in +hedge-hyssop +hedgehog +hedgehoggy +hedgehogs +hedgehog's +hedgehop +hedgehoppe +hedgehopped +hedgehopper +hedgehopping +hedgehops +hedgeless +hedgemaker +hedgemaking +hedgepig +hedge-pig +hedgepigs +hedge-priest +hedger +hedgerow +hedgerows +hedgers +Hedges +hedge-school +hedgesmith +hedge-sparrow +Hedgesville +hedgetaper +hedgeweed +hedgewise +hedgewood +hedgy +hedgier +hedgiest +hedging +hedging-in +hedgingly +Hedi +Hedy +Hedychium +Hedie +Hedin +hedyphane +Hedysarum +Hedjaz +Hedley +HEDM +Hedone +hedonic +hedonical +hedonically +hedonics +hedonism +hedonisms +hedonist +hedonistic +hedonistically +hedonists +hedonology +hedonophobia +hedral +Hedrick +hedriophthalmous +hedrocele +hedron +hedrumite +Hedva +Hedvah +Hedve +Hedveh +Hedvig +Hedvige +Hedwig +Hedwiga +hee +heebie-jeebies +heed +heeded +heeder +heeders +heedful +heedfully +heedfulness +heedfulnesses +heedy +heedily +heediness +heeding +heedless +heedlessly +heedlessness +heedlessnesses +heeds +heehaw +hee-haw +heehawed +heehawing +heehaws +hee-hee +heel +heel-and-toe +heel-attaching +heelball +heel-ball +heelballs +heelband +heel-bone +heel-breast +heel-breaster +heelcap +heeled +Heeley +heeler +heelers +heel-fast +heelgrip +heeling +heelings +heelless +heelmaker +heelmaking +heelpath +heelpiece +heel-piece +heelplate +heel-plate +heelpost +heel-post +heelposts +heelprint +heel-rope +heels +heelstrap +heeltap +heel-tap +heeltaps +heeltree +heel-way +heelwork +heemraad +heemraat +Heenan +Heep +Heer +Heerlen +heeze +heezed +heezes +heezy +heezie +heezing +Heffron +Heflin +heft +hefted +Hefter +hefters +hefty +heftier +heftiest +heftily +heftiness +hefting +hefts +hegari +hegaris +Hegarty +Hege +Hegel +Hegeleos +Hegelian +Hegelianism +Hegelianize +Hegelizer +hegemon +Hegemone +Hegemony +hegemonic +hegemonical +hegemonies +hegemonist +hegemonistic +hegemonizer +Heger +Hegyera +Hegyeshalom +Hegins +Hegira +hegiras +he-goat +hegumen +hegumene +hegumenes +hegumeness +hegumeny +hegumenies +hegumenos +hegumens +heh +Hehe +he-heather +HEHO +he-holly +Hehre +hehs +he-huckleberry +he-huckleberries +hei +Hey +Heian +heiau +Heyburn +Heid +Heida +heyday +hey-day +heydays +Heyde +Heidegger +Heideggerian +Heideggerianism +heydeguy +heydey +heydeys +Heidelberg +Heidenheimer +Heidenstam +Heidi +Heidy +Heidie +Heydon +Heydrich +Heidrick +Heidrun +Heidt +Heiduc +Heyduck +Heiduk +Heyduke +Heyer +Heyerdahl +Heyes +heifer +heiferhood +heifers +Heifetz +heigh +heygh +heighday +heigh-ho +Heigho +height +heighted +heighten +heightened +heightener +heightening +heightens +heighth +heighths +heights +height-to-paper +Heigl +hey-ho +heii +Heijo +Heike +Heikum +heil +Heilbronn +heild +heiled +heily +Heiligenschein +Heiligenscheine +heiling +Heilman +Heilner +heils +Heiltsuk +Heilungkiang +Heilwood +Heim +Heymaey +Heyman +Heymann +Heymans +Heimdal +Heimdall +Heimdallr +Heimer +heimin +heimish +Heimlich +Heimweh +Hein +Heindrick +Heine +Heiney +Heiner +Heinesque +Heinie +heinies +heynne +heinous +heinously +heinousness +heinousnesses +Heinrich +Heinrick +Heinrik +Heinrike +Heins +Heintz +heintzite +Heinz +heypen +heir +heyrat +heir-at-law +heirdom +heirdoms +heired +heiress +heiressdom +heiresses +heiresshood +heiress's +heiress-ship +heiring +heirless +heirlo +heirloom +heirlooms +Heyrovsky +heirs +heir's +heirship +heirships +heirskip +Heis +Heise +Heyse +Heisel +Heisenberg +Heysham +heishi +Heiskell +Heislerville +Heisser +Heisson +heist +heisted +heister +heisters +heisting +heists +heitiki +Heitler +Heyward +Heywood +Heyworth +heize +heized +heizing +Hejaz +Hejazi +Hejazian +Hejira +hejiras +Hekataean +Hekate +Hekatean +hekhsher +hekhsherim +hekhshers +Hekker +Hekking +Hekla +hektare +hektares +hekteus +hektogram +hektograph +hektoliter +hektometer +hektostere +Hel +Hela +Helain +Helaina +Helaine +Helali +helas +Helban +helbeh +Helbon +Helbona +Helbonia +Helbonna +Helbonnah +Helbonnas +helco +helcoid +helcology +helcoplasty +helcosis +helcotic +Held +Helda +Heldentenor +heldentenore +heldentenors +helder +Helderbergian +hele +Helechawa +Helen +Helena +Helendale +Helene +Helen-Elizabeth +helenin +helenioid +Helenium +Helenka +helenn +Helenor +Helenus +Helenville +Helenwood +helepole +helewou +Helfand +Helfant +Helfenstein +Helga +Helge +Helgeson +Helgoland +Heli +heli- +heliac +heliacal +heliacally +Heliadae +Heliades +Heliaea +heliaean +Heliamphora +Heliand +helianthaceous +Helianthemum +helianthic +helianthin +Helianthium +Helianthoidea +Helianthoidean +Helianthus +helianthuses +heliast +heliastic +heliasts +heliazophyte +helibus +helic- +helical +helically +Helicaon +Helice +heliced +helices +helichryse +helichrysum +Helicidae +heliciform +helicin +Helicina +helicine +Helicinidae +helicity +helicitic +helicities +helicline +helico- +helicogyrate +helicogyre +helicograph +helicoid +helicoidal +helicoidally +helicoids +helicometry +Helicon +Heliconia +Heliconian +Heliconiidae +Heliconiinae +heliconist +Heliconius +helicons +helicoprotein +helicopt +helicopted +helicopter +helicopters +helicopting +helicopts +helicorubin +helicotrema +Helicteres +helictite +helide +helidrome +Heligmus +Heligoland +helilift +Helyn +Helyne +heling +helio +helio- +heliocentric +heliocentrical +heliocentrically +heliocentricism +heliocentricity +Heliochrome +heliochromy +heliochromic +heliochromoscope +heliochromotype +helioculture +heliodon +heliodor +helioelectric +helioengraving +heliofugal +Heliogabalize +Heliogabalus +heliogram +heliograph +heliographer +heliography +heliographic +heliographical +heliographically +heliographs +heliogravure +helioid +heliolater +heliolator +heliolatry +heliolatrous +heliolite +Heliolites +heliolithic +Heliolitidae +heliology +heliological +heliologist +heliometer +heliometry +heliometric +heliometrical +heliometrically +heliomicrometer +Helion +heliophilia +heliophiliac +heliophyllite +heliophilous +heliophyte +heliophobe +heliophobia +heliophobic +heliophobous +heliophotography +Heliopolis +Heliopora +heliopore +Helioporidae +Heliopsis +heliopticon +Heliornis +Heliornithes +Heliornithidae +Helios +helioscope +helioscopy +helioscopic +heliosis +heliostat +heliostatic +heliotactic +heliotaxis +heliotherapy +heliotherapies +heliothermometer +Heliothis +heliotype +heliotyped +heliotypy +heliotypic +heliotypically +heliotyping +heliotypography +heliotrope +heliotroper +heliotropes +heliotropy +Heliotropiaceae +heliotropian +heliotropic +heliotropical +heliotropically +heliotropin +heliotropine +heliotropism +Heliotropium +Heliozoa +heliozoan +heliozoic +helipad +helipads +heliport +heliports +Helipterum +helispheric +helispherical +helistop +helistops +helium +heliums +Helius +helix +helixes +helixin +helizitic +Hell +he'll +Helladian +Helladic +Helladotherium +hellandite +hellanodic +Hellas +hell-begotten +hellbender +hellbent +hell-bent +hell-bind +hell-black +hellbore +hellborn +hell-born +hell-bound +hellbox +hellboxes +hellbred +hell-bred +hell-brewed +hellbroth +hellcat +hell-cat +hellcats +hell-dark +hell-deep +hell-devil +helldiver +hell-diver +helldog +hell-doomed +hell-driver +Helle +helleboraceous +helleboraster +hellebore +helleborein +hellebores +helleboric +helleborin +Helleborine +helleborism +Helleborus +helled +Hellelt +Hellen +Hellene +hellenes +hell-engendered +Hellenian +Hellenic +Hellenically +Hellenicism +Hellenisation +Hellenise +Hellenised +Helleniser +Hellenising +Hellenism +Hellenist +Hellenistic +Hellenistical +Hellenistically +Hellenisticism +hellenists +Hellenization +Hellenize +Hellenized +Hellenizer +Hellenizing +Hellenocentric +Helleno-italic +Hellenophile +Heller +helleri +hellery +helleries +hellers +Hellertown +Helles +Hellespont +Hellespontine +Hellespontus +hellfire +hell-fire +hell-fired +hellfires +hell-for-leather +hell-gate +hellgrammite +hellgrammites +hellhag +hell-hard +hell-hatched +hell-haunted +hellhole +hellholes +hellhound +hell-hound +Helli +helly +hellicat +hellicate +Hellier +hellim +helling +hellion +hellions +hellish +hellishly +hellishness +hellkite +hellkites +hell-like +Hellman +hellness +hello +helloed +helloes +helloing +hellos +hell-raiser +hell-raker +hell-red +hellroot +hells +hell's +hellship +helluo +helluva +hellvine +hell-vine +hellward +hellweed +Helm +helmage +Helman +Helmand +helmed +Helmer +helmet +helmet-crest +helmeted +helmetflower +helmeting +helmetlike +helmetmaker +helmetmaking +helmetpod +helmets +helmet's +helmet-shaped +Helmetta +helmet-wearing +Helmholtz +Helmholtzian +helming +helminth +helminth- +helminthagogic +helminthagogue +Helminthes +helminthiasis +helminthic +helminthism +helminthite +Helminthocladiaceae +helminthoid +helminthology +helminthologic +helminthological +helminthologist +helminthophobia +helminthosporiose +Helminthosporium +helminthosporoid +helminthous +helminths +helmless +Helmont +Helms +Helmsburg +helmsman +helmsmanship +helmsmen +Helmut +Helmuth +Helmville +helm-wind +helobious +heloderm +Heloderma +Helodermatidae +helodermatoid +helodermatous +helodes +heloe +Heloise +heloma +Helonia +Helonias +helonin +helosis +Helot +helotage +helotages +Helotes +helotism +helotisms +helotize +helotomy +helotry +helotries +helots +help +helpable +helped +Helper +helpers +helpful +helpfully +helpfulness +helpfulnesses +helping +helpingly +helpings +helpless +helplessly +helplessness +helplessnesses +helply +Helpmann +helpmate +helpmates +helpmeet +helpmeets +Helprin +helps +helpsome +helpworthy +Helsa +Helse +Helsell +Helsie +Helsingborg +Helsingfors +helsingkite +Helsingo +Helsingor +Helsinki +helter-skelter +helterskelteriness +helter-skelteriness +Heltonville +Helve +helved +helvell +Helvella +Helvellaceae +helvellaceous +Helvellales +helvellic +Helvellyn +helver +helves +Helvetia +Helvetian +Helvetic +Helvetica +Helvetii +Helvetius +Helvidian +helvin +helvine +helving +helvite +Helvtius +helzel +HEM +hem- +hema- +hemabarometer +hemachate +hemachrome +hemachrosis +hemacite +hemacytometer +hemad +hemadynameter +hemadynamic +hemadynamics +hemadynamometer +hemadrometer +hemadrometry +hemadromograph +hemadromometer +hemafibrite +hemagglutinate +hemagglutinated +hemagglutinating +hemagglutination +hemagglutinative +hemagglutinin +hemagog +hemagogic +hemagogs +hemagogue +hemal +hemalbumen +hemameba +hemamoeba +Heman +he-man +hemanalysis +hemangioma +hemangiomas +hemangiomata +hemangiomatosis +hemangiosarcoma +he-mannish +Hemans +hemaphein +hemaphobia +hemapod +hemapodous +hemapoiesis +hemapoietic +hemapophyseal +hemapophysial +hemapophysis +hemarthrosis +hemase +hemaspectroscope +hemastatics +hemat- +hematachometer +hematachometry +hematal +hematein +hemateins +hematemesis +hematemetic +hematencephalon +hematherapy +hematherm +hemathermal +hemathermous +hemathidrosis +hematic +hematics +hematid +hematidrosis +hematimeter +hematin +hematine +hematines +hematinic +hematinometer +hematinometric +hematins +hematinuria +hematite +hematites +hematitic +hemato- +hematobic +hematobious +hematobium +hematoblast +hematoblastic +hematobranchiate +hematocatharsis +hematocathartic +hematocele +hematochezia +hematochyluria +hematochrome +hematocyanin +hematocyst +hematocystis +hematocyte +hematocytoblast +hematocytogenesis +hematocytometer +hematocytotripsis +hematocytozoon +hematocyturia +hematoclasia +hematoclasis +hematocolpus +hematocryal +hematocrystallin +hematocrit +hematodynamics +hematodynamometer +hematodystrophy +hematogen +hematogenesis +hematogenetic +hematogenic +hematogenous +hematoglobulin +hematography +hematohidrosis +hematoid +hematoidin +hematoids +hematolymphangioma +hematolin +hematolysis +hematolite +hematolytic +hematology +hematologic +hematological +hematologies +hematologist +hematologists +hematoma +hematomancy +hematomas +hematomata +hematometer +hematometra +hematometry +hematomyelia +hematomyelitis +hematomphalocele +hematonephrosis +hematonic +hematopathology +hematopenia +hematopericardium +hematopexis +hematophagous +hematophyte +hematophobia +hematoplast +hematoplastic +hematopoiesis +hematopoietic +hematopoietically +hematoporphyria +hematoporphyrin +hematoporphyrinuria +hematorrhachis +hematorrhea +hematosalpinx +hematoscope +hematoscopy +hematose +hematosepsis +hematosin +hematosis +hematospectrophotometer +hematospectroscope +hematospermatocele +hematospermia +hematostibiite +hematotherapy +hematothermal +hematothorax +hematoxic +hematoxylic +hematoxylin +hematozymosis +hematozymotic +hematozoa +hematozoal +hematozoan +hematozoic +hematozoon +hematozzoa +hematuresis +hematuria +hematuric +hemautogram +hemautograph +hemautography +hemautographic +Hembree +heme +hemelytra +hemelytral +hemelytron +hemelytrum +hemelyttra +hemellitene +hemellitic +hemen +he-men +Hemera +hemeralope +hemeralopia +hemeralopic +Hemerasia +hemerythrin +Hemerobaptism +Hemerobaptist +Hemerobian +Hemerobiid +Hemerobiidae +Hemerobius +Hemerocallis +hemerology +hemerologium +hemes +Hemet +hemi- +hemia +hemiablepsia +hemiacetal +hemiachromatopsia +hemiageusia +hemiageustia +hemialbumin +hemialbumose +hemialbumosuria +hemialgia +hemiamaurosis +hemiamb +hemiamblyopia +hemiamyosthenia +hemianacusia +hemianalgesia +hemianatropous +hemianesthesia +hemianopia +hemianopic +hemianopsia +hemianoptic +hemianosmia +hemiapraxia +Hemiascales +Hemiasci +Hemiascomycetes +hemiasynergia +hemiataxy +hemiataxia +hemiathetosis +hemiatrophy +hemiauxin +hemiazygous +Hemibasidiales +Hemibasidii +Hemibasidiomycetes +hemibasidium +hemibathybian +hemibenthic +hemibenthonic +hemibranch +hemibranchiate +Hemibranchii +hemic +hemicanities +hemicardia +hemicardiac +hemicarp +hemicatalepsy +hemicataleptic +hemicellulose +hemicentrum +hemicephalous +hemicerebrum +hemicholinium +Hemichorda +hemichordate +hemichorea +hemichromatopsia +hemicycle +hemicyclic +hemicyclium +hemicylindrical +hemicircle +hemicircular +hemiclastic +hemicollin +hemicrane +hemicrany +hemicrania +hemicranic +hemicrystalline +hemidactyl +hemidactylous +Hemidactylus +hemidemisemiquaver +hemidiapente +hemidiaphoresis +hemidysergia +hemidysesthesia +hemidystrophy +hemiditone +hemidomatic +hemidome +hemidrachm +hemiekton +hemielytra +hemielytral +hemielytron +hemi-elytrum +hemielliptic +hemiepes +hemiepilepsy +hemifacial +hemiform +Hemigale +Hemigalus +Hemiganus +hemigastrectomy +hemigeusia +hemiglyph +hemiglobin +hemiglossal +hemiglossitis +hemignathous +hemihdry +hemihedral +hemihedrally +hemihedric +hemihedrism +hemihedron +hemihydrate +hemihydrated +hemihydrosis +hemihypalgesia +hemihyperesthesia +hemihyperidrosis +hemihypertonia +hemihypertrophy +hemihypesthesia +hemihypoesthesia +hemihypotonia +hemiholohedral +hemikaryon +hemikaryotic +hemilaminectomy +hemilaryngectomy +Hemileia +hemilethargy +hemiligulate +hemilingual +hemimellitene +hemimellitic +hemimelus +Hemimeridae +Hemimerus +Hemimetabola +hemimetabole +hemimetaboly +hemimetabolic +hemimetabolism +hemimetabolous +hemimetamorphic +hemimetamorphosis +hemimetamorphous +Hemimyaria +hemimorph +hemimorphy +hemimorphic +hemimorphism +hemimorphite +hemin +hemina +hemine +heminee +hemineurasthenia +Hemingford +Hemingway +Hemingwayesque +hemins +hemiobol +hemiola +hemiolas +hemiolia +hemiolic +hemionus +hemiope +hemiopia +hemiopic +hemiopsia +hemiorthotype +hemiparalysis +hemiparanesthesia +hemiparaplegia +hemiparasite +hemiparasitic +hemiparasitism +hemiparesis +hemiparesthesia +hemiparetic +hemipenis +hemipeptone +hemiphrase +hemipic +hemipinnate +hemipyramid +hemiplane +hemiplankton +hemiplegy +hemiplegia +hemiplegic +hemipod +hemipodan +hemipode +Hemipodii +Hemipodius +hemippe +hemiprism +hemiprismatic +hemiprotein +hemipter +Hemiptera +hemipteral +hemipteran +hemipteroid +hemipterology +hemipterological +hemipteron +hemipterous +hemipters +hemiquinonoid +hemiramph +Hemiramphidae +Hemiramphinae +hemiramphine +Hemiramphus +hemisaprophyte +hemisaprophytic +hemiscotosis +hemisect +hemisection +hemisymmetry +hemisymmetrical +hemisystematic +hemisystole +hemispasm +hemispheral +hemisphere +hemisphered +hemispheres +hemisphere's +hemispheric +hemispherical +hemispherically +hemispherico-conical +hemispherico-conoid +hemispheroid +hemispheroidal +hemispherule +hemistater +hemistich +hemistichal +hemistichs +hemistrumectomy +hemiterata +hemiteratic +hemiteratics +hemitery +hemiteria +hemiterpene +Hemithea +hemithyroidectomy +hemitype +hemi-type +hemitypic +hemitone +hemitremor +hemitrichous +hemitriglyph +hemitropal +hemitrope +hemitropy +hemitropic +hemitropism +hemitropous +hemivagotony +hemizygote +hemizygous +heml +hemline +hemlines +hemlock +hemlock-leaved +hemlocks +hemlock's +hemmed +hemmed-in +hemmel +hemmer +hemmers +hemming +Hemminger +hemming-in +hemo- +hemoalkalimeter +hemoblast +hemochromatosis +hemochromatotic +hemochrome +hemochromogen +hemochromometer +hemochromometry +hemocyanin +hemocyte +hemocytes +hemocytoblast +hemocytoblastic +hemocytogenesis +hemocytolysis +hemocytometer +hemocytotripsis +hemocytozoon +hemocyturia +hemoclasia +hemoclasis +hemoclastic +hemocoel +hemocoele +hemocoelic +hemocoelom +hemocoels +hemoconcentration +hemoconia +hemoconiosis +hemocry +hemocrystallin +hemoculture +hemodia +hemodiagnosis +hemodialyses +hemodialysis +hemodialyzer +hemodilution +hemodynameter +hemodynamic +hemodynamically +hemodynamics +hemodystrophy +hemodrometer +hemodrometry +hemodromograph +hemodromometer +hemoerythrin +hemoflagellate +hemofuscin +hemogastric +hemogenesis +hemogenetic +hemogenia +hemogenic +hemogenous +hemoglobic +hemoglobin +hemoglobinemia +hemoglobinic +hemoglobiniferous +hemoglobinocholia +hemoglobinometer +hemoglobinopathy +hemoglobinophilic +hemoglobinous +hemoglobinuria +hemoglobinuric +hemoglobulin +hemogram +hemogregarine +hemoid +hemokonia +hemokoniosis +hemol +hemoleucocyte +hemoleucocytic +hemolymph +hemolymphatic +hemolysate +hemolysin +hemolysis +hemolytic +hemolyze +hemolyzed +hemolyzes +hemolyzing +hemology +hemologist +hemomanometer +hemometer +hemometry +Hemon +hemonephrosis +hemopathy +hemopathology +hemopericardium +hemoperitoneum +hemopexis +hemophage +hemophagy +hemophagia +hemophagocyte +hemophagocytosis +hemophagous +hemophile +Hemophileae +hemophilia +hemophiliac +hemophiliacs +hemophilic +hemophilioid +Hemophilus +hemophobia +hemophthalmia +hemophthisis +hemopiezometer +hemopyrrole +hemoplasmodium +hemoplastic +hemopneumothorax +hemopod +hemopoiesis +hemopoietic +hemoproctia +hemoprotein +hemoptysis +hemoptoe +hemorrhage +hemorrhaged +hemorrhages +hemorrhagic +hemorrhagin +hemorrhaging +hemorrhea +hemorrhodin +hemorrhoid +hemorrhoidal +hemorrhoidectomy +hemorrhoidectomies +hemorrhoids +hemosalpinx +hemoscope +hemoscopy +hemosiderin +hemosiderosis +hemosiderotic +hemospasia +hemospastic +hemospermia +hemosporid +hemosporidian +hemostasia +hemostasis +hemostat +hemostatic +hemostats +hemotachometer +hemotherapeutics +hemotherapy +hemothorax +hemotoxic +hemotoxin +hemotrophe +hemotrophic +hemotropic +hemozoon +HEMP +hemp-agrimony +hempbush +hempen +hempherds +Hemphill +hempy +hempie +hempier +hempiest +hemplike +hemp-nettle +hemps +hempseed +hempseeds +Hempstead +hempstring +hempweed +hempweeds +hempwort +HEMS +hem's +hemself +hemstitch +hem-stitch +hemstitched +hemstitcher +hemstitches +hemstitching +HEMT +hemule +Hen +henad +Henagar +hen-and-chickens +henbane +henbanes +henbill +henbit +henbits +hence +henceforth +henceforward +henceforwards +Hench +henchboy +hench-boy +henchman +henchmanship +henchmen +hencoop +hen-coop +hencoops +hencote +hend +Hendaye +hendeca- +hendecacolic +hendecagon +hendecagonal +hendecahedra +hendecahedral +hendecahedron +hendecahedrons +hendecane +hendecasemic +hendecasyllabic +hendecasyllable +hendecatoic +hendecyl +hendecoic +hendedra +Hendel +Henden +Henderson +Hendersonville +hendy +hendiadys +Hendley +hendly +hendness +Hendon +Hendren +Hendry +Hendrick +Hendricks +Hendrickson +Hendrik +Hendrika +hen-driver +Hendrix +Hendrum +Henebry +Henefer +hen-egg +heneicosane +henen +henequen +henequens +henequin +henequins +hen-fat +hen-feathered +hen-feathering +henfish +Heng +henge +Hengel +Hengelo +Hengest +Hengfeng +Henghold +Hengyang +Heng-yang +Hengist +hen-harrier +henhawk +hen-hawk +henhearted +hen-hearted +henheartedness +henhouse +hen-house +henhouses +henhussy +henhussies +henyard +Henie +Henig +Henigman +Henioche +heniquen +heniquens +henism +Henka +Henke +Henlawson +Henley +Henleigh +Henley-on-Thames +henlike +henmoldy +Henn +henna +hennaed +Hennahane +hennaing +hennas +Hennebery +Hennebique +Hennepin +hennery +henneries +hennes +Hennessey +Hennessy +Henni +henny +Hennie +Hennig +Henniker +hennin +Henning +hennish +Henoch +henogeny +henotheism +henotheist +henotheistic +henotic +henpeck +hen-peck +henpecked +hen-pecked +henpecking +henpecks +henpen +Henri +Henry +Henrician +Henricks +Henrico +Henrie +henries +Henrieta +Henrietta +Henryetta +Henriette +Henrieville +Henriha +Henrik +Henryk +Henrika +Henrion +Henrique +Henriques +henrys +Henryson +Henryton +Henryville +henroost +hen-roost +hens +hen's +hens-and-chickens +Hensel +hen's-foot +Hensley +Hensler +Henslowe +Henson +Hensonville +hent +hen-tailed +hented +Hentenian +henter +Henty +henting +hentriacontane +Hentrich +hents +henware +henwife +henwile +henwise +henwoodite +Henzada +Henze +HEO +he-oak +heortology +heortological +heortologion +HEP +hepar +heparin +heparinization +heparinize +heparinized +heparinizing +heparinoid +heparins +hepat- +hepatalgia +hepatatrophy +hepatatrophia +hepatauxe +hepatectomy +hepatectomies +hepatectomize +hepatectomized +hepatectomizing +hepatic +Hepatica +Hepaticae +hepatical +hepaticas +hepaticoduodenostomy +hepaticoenterostomy +hepaticoenterostomies +hepaticogastrostomy +hepaticology +hepaticologist +hepaticopulmonary +hepaticostomy +hepaticotomy +hepatics +hepatisation +hepatise +hepatised +hepatising +hepatite +hepatitis +hepatization +hepatize +hepatized +hepatizes +hepatizing +hepato- +hepatocele +hepatocellular +hepatocirrhosis +hepatocystic +hepatocyte +hepatocolic +hepatodynia +hepatodysentery +hepatoduodenal +hepatoduodenostomy +hepatoenteric +hepatoflavin +hepatogastric +hepatogenic +hepatogenous +hepatography +hepatoid +hepatolenticular +hepatolysis +hepatolith +hepatolithiasis +hepatolithic +hepatolytic +hepatology +hepatological +hepatologist +hepatoma +hepatomalacia +hepatomas +hepatomata +hepatomegaly +hepatomegalia +hepatomelanosis +hepatonephric +hepatopancreas +hepato-pancreas +hepatopathy +hepatoperitonitis +hepatopexy +hepatopexia +hepatophyma +hepatophlebitis +hepatophlebotomy +hepatopneumonic +hepatoportal +hepatoptosia +hepatoptosis +hepatopulmonary +hepatorenal +hepatorrhagia +hepatorrhaphy +hepatorrhea +hepatorrhexis +hepatorrhoea +hepatoscopy +hepatoscopies +hepatostomy +hepatotherapy +hepatotomy +hepatotoxemia +hepatotoxic +hepatotoxicity +hepatotoxin +hepatoumbilical +Hepburn +hepcat +hepcats +Hephaesteum +Hephaestian +Hephaestic +Hephaestus +Hephaistos +hephthemimer +hephthemimeral +Hephzibah +Hephzipa +Hephzipah +hepialid +Hepialidae +Hepialus +Hepler +heppen +hepper +Hepplewhite +Heppman +Heppner +Hepsiba +Hepsibah +hepta- +heptacapsular +heptace +heptachlor +heptachord +heptachronous +heptacolic +heptacosane +heptad +heptadecane +heptadecyl +heptadic +heptads +heptagynia +heptagynous +heptaglot +heptagon +heptagonal +heptagons +heptagrid +heptahedra +heptahedral +heptahedrdra +heptahedrical +heptahedron +heptahedrons +heptahexahedral +heptahydrate +heptahydrated +heptahydric +heptahydroxy +heptal +heptameride +Heptameron +heptamerous +heptameter +heptameters +heptamethylene +heptametrical +heptanaphthene +Heptanchus +heptandria +heptandrous +heptane +heptanes +Heptanesian +heptangular +heptanoic +heptanone +heptapetalous +heptaphyllous +heptaploid +heptaploidy +heptapody +heptapodic +heptarch +heptarchal +heptarchy +heptarchic +heptarchical +heptarchies +heptarchist +heptarchs +heptasemic +heptasepalous +heptasyllabic +heptasyllable +heptaspermous +heptastich +heptastylar +heptastyle +heptastylos +heptastrophic +heptasulphide +Heptateuch +heptatomic +heptatonic +Heptatrema +heptavalent +heptene +hepteris +heptyl +heptylene +heptylic +heptine +heptyne +heptite +heptitol +heptode +heptoic +heptorite +heptose +heptoses +heptoxide +Heptranchias +Hepworth +Hepza +Hepzi +Hepzibah +her +her. +HERA +Heraclea +Heraclean +heracleid +Heracleidae +Heracleidan +Heracleonite +Heracleopolitan +Heracleopolite +Heracles +Heracleum +Heraclid +Heraclidae +Heraclidan +Heraclitean +Heracliteanism +Heraclitic +Heraclitical +Heraclitism +Heraclitus +Heraclius +Heraea +Heraye +Heraklean +Herakleion +Herakles +Heraklid +Heraklidan +Herald +heralded +heraldess +heraldic +heraldical +heraldically +heralding +heraldist +heraldists +heraldize +heraldress +heraldry +heraldries +heralds +heraldship +herapathite +Herat +heraud +Herault +heraus +Herb +herba +herbaceous +herbaceously +herbage +herbaged +herbager +herbages +herbagious +herbal +herbalism +herbalist +herbalists +herbalize +herbals +herbane +herbar +herbarbaria +herbary +herbaria +herbarial +herbarian +herbariia +herbariiums +herbarism +herbarist +herbarium +herbariums +herbarize +herbarized +herbarizing +Herbart +Herbartian +Herbartianism +herbbane +herbed +herber +herbergage +herberger +Herbert +herbescent +herb-grace +Herby +herbicidal +herbicidally +herbicide +herbicides +herbicolous +herbid +Herbie +herbier +herbiest +herbiferous +herbish +herbist +Herbivora +herbivore +herbivores +herbivorism +herbivority +herbivorous +herbivorously +herbivorousness +herbless +herblet +herblike +Herblock +herbman +herborist +herborization +herborize +herborized +herborizer +herborizing +Herborn +herbose +herbosity +herbous +herbrough +herbs +herb's +Herbst +Herbster +herbwife +herbwoman +herb-woman +Herc +Hercegovina +Herceius +Hercyna +Hercynian +hercynite +hercogamy +hercogamous +Herculanean +Herculanensian +Herculaneum +Herculanian +Hercule +Herculean +Hercules +Hercules'-club +herculeses +Herculid +Herculie +Herculis +herd +herdboy +herd-boy +herdbook +herd-book +herded +Herder +herderite +herders +herdess +herd-grass +herd-groom +herdic +herdics +herding +herdlike +herdman +herdmen +herds +herd's-grass +herdship +herdsman +herdsmen +herdswoman +herdswomen +Herdwick +Here +hereabout +hereabouts +hereadays +hereafter +hereafters +hereafterward +hereagain +hereagainst +hereamong +hereanent +hereat +hereaway +hereaways +herebefore +hereby +heredes +Heredia +heredipety +heredipetous +hereditability +hereditable +hereditably +heredital +hereditament +hereditaments +hereditary +hereditarian +hereditarianism +hereditarily +hereditariness +hereditarist +hereditas +hereditation +hereditative +heredity +heredities +hereditism +hereditist +hereditivity +heredium +heredofamilial +heredolues +heredoluetic +heredosyphilis +heredosyphilitic +heredosyphilogy +heredotuberculosis +Hereford +herefords +Herefordshire +herefore +herefrom +heregeld +heregild +herehence +here-hence +herein +hereinabove +hereinafter +hereinbefore +hereinbelow +hereinto +Hereld +herem +heremeit +herenach +hereness +hereniging +hereof +hereon +hereout +hereright +Herero +heres +here's +heresy +heresiarch +heresies +heresimach +heresiographer +heresiography +heresiographies +heresiologer +heresiology +heresiologies +heresiologist +heresyphobia +heresyproof +heretic +heretical +heretically +hereticalness +hereticate +hereticated +heretication +hereticator +hereticide +hereticize +heretics +heretic's +hereto +heretoch +heretofore +heretoforetime +heretoga +heretrices +heretrix +heretrixes +hereunder +hereunto +hereupon +hereupto +Hereward +herewith +herewithal +herezeld +Hergesheimer +hery +Heriberto +herigaut +Herigonius +herile +Hering +Heringer +Herington +heriot +heriotable +heriots +Herisau +herisson +heritability +heritabilities +heritable +heritably +heritage +heritages +heritance +Heritiera +heritor +heritors +heritress +heritrices +heritrix +heritrixes +herky-jerky +Herkimer +herl +herling +Herlong +herls +Herm +Herma +hermae +hermaean +hermai +hermaic +Herman +hermandad +Hermann +Hermannstadt +Hermansville +Hermanville +hermaphrodeity +hermaphrodism +hermaphrodite +hermaphrodites +hermaphroditic +hermaphroditical +hermaphroditically +hermaphroditish +hermaphroditism +hermaphroditize +Hermaphroditus +Hermas +hermatypic +hermele +hermeneut +hermeneutic +hermeneutical +hermeneutically +hermeneutics +hermeneutist +Hermes +Hermesian +Hermesianism +Hermetic +hermetical +hermetically +Hermeticism +Hermetics +Hermetism +Hermetist +hermi +Hermy +Hermia +hermidin +Hermie +Hermina +Hermine +Herminia +Herminie +Herminone +Hermione +Hermiston +Hermit +Hermitage +hermitages +hermitary +Hermite +hermitess +hermitian +hermitic +hermitical +hermitically +hermitish +hermitism +hermitize +hermitlike +hermitry +hermitries +hermits +hermit's +hermitship +Hermleigh +Hermo +hermo- +Hermod +hermodact +hermodactyl +Hermogenian +hermogeniarnun +hermoglyphic +hermoglyphist +hermokopid +Hermon +Hermosa +Hermosillo +Hermoupolis +herms +hern +her'n +Hernandez +Hernandia +Hernandiaceae +hernandiaceous +Hernando +hernanesell +hernani +hernant +Hernardo +Herndon +Herne +hernia +herniae +hernial +herniary +Herniaria +herniarin +hernias +herniate +herniated +herniates +herniating +herniation +herniations +hernio- +hernioenterotomy +hernioid +herniology +hernioplasty +hernioplasties +herniopuncture +herniorrhaphy +herniorrhaphies +herniotome +herniotomy +herniotomies +herniotomist +herns +hernsew +Hernshaw +HERO +heroarchy +Herod +Herodian +Herodianic +Herodias +Herodii +Herodiones +herodionine +Herodotus +heroes +heroess +herohead +herohood +heroic +heroical +heroically +heroicalness +heroicity +heroicly +heroicness +heroicomic +heroi-comic +heroicomical +heroics +heroid +Heroides +heroify +Heroin +heroine +heroines +heroine's +heroineship +heroinism +heroinize +heroins +heroism +heroisms +heroistic +heroization +heroize +heroized +heroizes +heroizing +herola +Herold +herolike +heromonger +Heron +heronbill +heroner +heronite +heronry +heronries +herons +heron's +heron's-bill +heronsew +heroogony +heroology +heroologist +Herophile +Herophilist +Herophilus +Heros +heroship +hero-shiped +hero-shiping +hero-shipped +hero-shipping +herotheism +hero-worship +hero-worshiper +hero-worshiping +heroworshipper +herp +herp. +herpangina +herpes +herpeses +Herpestes +Herpestinae +herpestine +herpesvirus +herpet +herpet- +herpetic +herpetiform +herpetism +herpetography +herpetoid +herpetology +herpetologic +herpetological +herpetologically +herpetologies +herpetologist +herpetologists +herpetomonad +Herpetomonas +herpetophobia +herpetotomy +herpetotomist +herpolhode +Herpotrichia +herquein +Herr +Herra +Herrah +herr-ban +Herreid +Herren +herrengrundite +Herrenvolk +Herrenvolker +Herrera +Herrerista +herrgrdsost +herry +Herrick +herried +Herries +herrying +herryment +Herrin +Herring +herringbone +herring-bone +herringbones +herringer +herring-kale +herringlike +herring-pond +Herrings +herring's +herring-shaped +Herrington +Herriot +Herriott +Herrle +Herrmann +Herrnhuter +Herrod +Herron +hers +hersall +Hersch +Herschel +Herschelian +herschelite +Herscher +Herse +hersed +Hersey +herself +Hersh +Hershey +Hershel +Hershell +hership +Hersilia +hersir +Herskowitz +Herson +Herstein +Herstmonceux +hert +Herta +Hertberg +Hertel +Herter +Hertford +Hertfordshire +Hertha +Hertogenbosch +Herts +Hertz +hertzes +Hertzfeld +Hertzian +Hertzog +Heruli +Herulian +Herut +Herv +Hervati +Herve +Hervey +Herwick +Herwig +Herwin +Herzberg +Herzegovina +Herzegovinian +Herzel +Herzen +Herzig +Herzl +Herzog +hes +he's +Hescock +Heshum +Heshvan +Hesychasm +Hesychast +Hesychastic +Hesiod +Hesiodic +Hesiodus +Hesione +Hesionidae +hesitance +hesitancy +hesitancies +hesitant +hesitantly +hesitate +hesitated +hesitater +hesitaters +hesitates +hesitating +hesitatingly +hesitatingness +hesitation +hesitations +hesitative +hesitatively +hesitator +hesitatory +Hesketh +Hesky +Hesler +hesped +hespel +hespeperidia +Hesper +hesper- +Hespera +Hespere +Hesperia +Hesperian +Hesperic +Hesperid +hesperid- +hesperidate +hesperidene +hesperideous +Hesperides +hesperidia +Hesperidian +hesperidin +hesperidium +hesperiid +Hesperiidae +hesperinon +hesperinos +Hesperis +hesperitin +Hesperornis +Hesperornithes +hesperornithid +Hesperornithiformes +hesperornithoid +Hesperus +Hess +Hesse +Hessel +Hessen +Hesse-Nassau +Hessen-Nassau +Hessian +hessians +hessite +hessites +Hessler +Hessmer +Hessney +hessonite +Hesston +hest +Hesta +Hestand +Hester +hestern +hesternal +Hesther +hesthogenous +Hestia +hests +het +hetaera +hetaerae +hetaeras +hetaery +hetaeria +hetaeric +hetaerio +hetaerism +Hetaerist +hetaeristic +hetaerocracy +hetaerolite +hetaira +hetairai +hetairas +hetairy +hetairia +hetairic +hetairism +hetairist +hetairistic +hetchel +hete +heter- +heteradenia +heteradenic +heterakid +Heterakis +Heteralocha +heterandry +heterandrous +heteratomic +heterauxesis +heteraxial +heterecious +heteric +heterically +hetericism +hetericist +heterism +heterization +heterize +hetero +hetero- +heteroagglutinin +heteroalbumose +heteroaromatic +heteroatom +heteroatomic +heteroautotrophic +heteroauxin +heteroblasty +heteroblastic +heteroblastically +heterocaryon +heterocaryosis +heterocaryotic +heterocarpism +heterocarpous +Heterocarpus +heterocaseose +heterocellular +heterocentric +heterocephalous +Heterocera +heterocerc +heterocercal +heterocercality +heterocercy +heterocerous +heterochiral +heterochlamydeous +Heterochloridales +heterochromatic +heterochromatin +heterochromatism +heterochromatization +heterochromatized +heterochrome +heterochromy +heterochromia +heterochromic +heterochromosome +heterochromous +heterochrony +heterochronic +heterochronism +heterochronistic +heterochronous +heterochrosis +heterochthon +heterochthonous +heterocycle +heterocyclic +heterocyst +heterocystous +heterocline +heteroclinous +heteroclital +heteroclite +heteroclitic +heteroclitica +heteroclitical +heteroclitous +Heterocoela +heterocoelous +Heterocotylea +heterocrine +heterodactyl +Heterodactylae +heterodactylous +Heterodera +heterodyne +heterodyned +heterodyning +Heterodon +heterodont +Heterodonta +Heterodontidae +heterodontism +heterodontoid +Heterodontus +heterodox +heterodoxal +heterodoxy +heterodoxical +heterodoxies +heterodoxly +heterodoxness +heterodromy +heterodromous +heteroecy +heteroecious +heteroeciously +heteroeciousness +heteroecism +heteroecismal +heteroepy +heteroepic +heteroerotic +heteroerotism +heterofermentative +heterofertilization +heterogalactic +heterogamete +heterogamety +heterogametic +heterogametism +heterogamy +heterogamic +heterogamous +heterogangliate +heterogen +heterogene +heterogeneal +heterogenean +heterogeneity +heterogeneities +heterogeneous +heterogeneously +heterogeneousness +heterogenesis +heterogenetic +heterogenetically +heterogeny +heterogenic +heterogenicity +heterogenisis +heterogenist +heterogenous +heterogenously +heterogenousness +heterogenousnesses +Heterogyna +heterogynal +heterogynous +heteroglobulose +heterognath +Heterognathi +heterogone +heterogony +heterogonic +heterogonism +heterogonous +heterogonously +heterograft +heterography +heterographic +heterographical +heterographies +heteroicous +heteroimmune +heteroinfection +heteroinoculable +heteroinoculation +heterointoxication +heterokaryon +heterokaryosis +heterokaryotic +heterokinesia +heterokinesis +heterokinetic +Heterokontae +heterokontan +heterolalia +heterolateral +heterolecithal +heterolysin +heterolysis +heterolith +heterolytic +heterolobous +heterology +heterologic +heterological +heterologically +heterologies +heterologous +heterologously +heteromallous +heteromastigate +heteromastigote +Heteromeles +Heteromera +heteromeral +Heteromeran +Heteromeri +heteromeric +heteromerous +heteromesotrophic +Heterometabola +heterometabole +heterometaboly +heterometabolic +heterometabolism +heterometabolous +heterometatrophic +heterometric +Heteromi +Heteromya +Heteromyaria +heteromyarian +Heteromyidae +Heteromys +Heteromita +Heteromorpha +Heteromorphae +heteromorphy +heteromorphic +heteromorphism +heteromorphite +heteromorphosis +heteromorphous +heteronereid +heteronereis +Heteroneura +heteronym +heteronymy +heteronymic +heteronymous +heteronymously +heteronomy +heteronomic +heteronomous +heteronomously +heteronuclear +heteroousia +Heteroousian +Heteroousiast +heteroousious +heteropathy +heteropathic +heteropelmous +heteropetalous +Heterophaga +Heterophagi +heterophagous +heterophasia +heterophemy +heterophemism +heterophemist +heterophemistic +heterophemize +heterophil +heterophile +heterophylesis +heterophyletic +heterophyly +heterophilic +heterophylly +heterophyllous +heterophyte +heterophytic +heterophobia +heterophony +heterophonic +heterophoria +heterophoric +Heteropia +heteropycnosis +Heteropidae +heteroplasia +heteroplasm +heteroplasty +heteroplastic +heteroplasties +heteroploid +heteroploidy +heteropod +Heteropoda +heteropodal +heteropodous +heteropolar +heteropolarity +heteropoly +heteropolysaccharide +heteroproteide +heteroproteose +heteropter +Heteroptera +heteropterous +heteroptics +Heterorhachis +heteros +heteroscedasticity +heteroscian +heteroscope +heteroscopy +heteroses +heterosex +heterosexual +heterosexuality +heterosexually +heterosexuals +heteroside +heterosyllabic +Heterosiphonales +heterosis +Heterosomata +Heterosomati +heterosomatous +heterosome +Heterosomi +heterosomous +heterosphere +Heterosporeae +heterospory +heterosporic +Heterosporium +heterosporous +heterostatic +heterostemonous +heterostyled +heterostyly +heterostylism +heterostylous +Heterostraca +heterostracan +Heterostraci +heterostrophy +heterostrophic +heterostrophous +heterostructure +heterosuggestion +heterotactic +heterotactous +heterotaxy +heterotaxia +heterotaxic +heterotaxis +heterotelic +heterotelism +heterothallic +heterothallism +heterothermal +heterothermic +heterotic +heterotype +heterotypic +heterotypical +heterotopy +heterotopia +heterotopic +heterotopism +heterotopous +heterotransplant +heterotransplantation +heterotrich +Heterotricha +Heterotrichales +Heterotrichida +heterotrichosis +heterotrichous +heterotropal +heterotroph +heterotrophy +heterotrophic +heterotrophically +heterotropia +heterotropic +heterotropous +heteroxanthine +heteroxenous +heterozetesis +heterozygosis +heterozygosity +heterozygote +heterozygotes +heterozygotic +heterozygous +heterozygousness +Heth +hethen +hething +heths +Heti +Hetland +Hetman +hetmanate +hetmans +hetmanship +HETP +hets +Hett +hetter +hetterly +Hetti +Hetty +Hettick +Hettie +Hettinger +heuau +Heublein +heuch +Heuchera +heuchs +heugh +heughs +heuk +heulandite +heumite +Heuneburg +Heunis +heureka +heuretic +heuristic +heuristically +heuristics +heuristic's +Heurlin +Heusen +Heuser +heuvel +Heuvelton +Hevea +heved +Hevelius +Hevesy +hevi +HEW +hewable +Hewart +Hewe +hewed +hewel +hewer +hewers +Hewes +Hewet +Hewett +Hewette +hewettite +hewgag +hewgh +hewhall +hewhole +hew-hole +Hewie +hewing +Hewitt +Hewlett +hewn +hews +hewt +hex +hex- +hexa +hexa- +hexabasic +Hexabiblos +hexabiose +hexabromid +hexabromide +hexacanth +hexacanthous +hexacapsular +hexacarbon +hexace +hexachloraphene +hexachlorethane +hexachloride +hexachlorocyclohexane +hexachloroethane +hexachlorophene +hexachord +hexachronous +hexacyclic +hexacid +hexacolic +Hexacoralla +hexacorallan +Hexacorallia +hexacosane +hexacosihedroid +hexact +hexactinal +hexactine +hexactinellid +Hexactinellida +hexactinellidan +hexactinelline +hexactinian +hexad +hexadactyle +hexadactyly +hexadactylic +hexadactylism +hexadactylous +hexadd +hexade +hexadecahedroid +hexadecane +hexadecanoic +hexadecene +hexadecyl +hexadecimal +hexades +hexadic +hexadiene +hexadiine +hexadiyne +hexads +hexaemeric +hexaemeron +hexafluoride +hexafoil +hexagyn +Hexagynia +hexagynian +hexagynous +hexaglot +hexagon +hexagonal +hexagonally +hexagon-drill +hexagonial +hexagonical +hexagonous +hexagons +hexagram +Hexagrammidae +hexagrammoid +Hexagrammos +hexagrams +hexahedra +hexahedral +hexahedron +hexahedrons +hexahemeric +hexahemeron +hexahydrate +hexahydrated +hexahydric +hexahydride +hexahydrite +hexahydrobenzene +hexahydrothymol +hexahydroxy +hexahydroxycyclohexane +hexakis- +hexakisoctahedron +hexakistetrahedron +hexamer +hexameral +hexameric +hexamerism +hexameron +hexamerous +hexameter +hexameters +hexamethylenamine +hexamethylene +hexamethylenetetramine +hexamethonium +hexametral +hexametric +hexametrical +hexametrist +hexametrize +hexametrographer +hexamine +hexamines +Hexamita +hexamitiasis +hexammin +hexammine +hexammino +hexanal +hexanaphthene +Hexanchidae +Hexanchus +hexandry +Hexandria +hexandric +hexandrous +hexane +hexanedione +hexanes +hexangle +hexangular +hexangularly +hexanitrate +hexanitrodiphenylamine +hexapartite +hexaped +hexapetaloid +hexapetaloideous +hexapetalous +hexaphyllous +hexapla +hexaplar +hexaplarian +hexaplaric +hexaplas +hexaploid +hexaploidy +hexapod +Hexapoda +hexapodal +hexapodan +hexapody +hexapodic +hexapodies +hexapodous +hexapods +hexapterous +hexaradial +hexarch +hexarchy +hexarchies +hexascha +hexaseme +hexasemic +hexasepalous +hexasyllabic +hexasyllable +hexaspermous +hexastemonous +hexaster +hexastich +hexasticha +hexastichy +hexastichic +hexastichon +hexastichous +hexastigm +hexastylar +hexastyle +hexastylos +hexasulphide +hexatetrahedron +Hexateuch +Hexateuchal +hexathlon +hexatomic +hexatriacontane +hexatriose +hexavalent +hexaxon +hexdra +hexecontane +hexed +hexenbesen +hexene +hexer +hexerei +hexereis +hexeris +hexers +hexes +hexestrol +hexicology +hexicological +hexyl +hexylene +hexylic +hexylresorcinol +hexyls +hexine +hexyne +hexing +hexiology +hexiological +hexis +hexitol +hexobarbital +hexobiose +hexoctahedral +hexoctahedron +hexode +hexoestrol +hexogen +hexoic +hexoylene +hexokinase +hexone +hexones +hexonic +hexosamine +hexosaminic +hexosan +hexosans +hexose +hexosediphosphoric +hexosemonophosphoric +hexosephosphatase +hexosephosphoric +hexoses +hexpartite +hexs +hexsub +Hext +Hezbollah +Hezekiah +Hezron +Hezronites +HF +hf. +HFDF +HFE +HFS +HG +HGA +hgrnotine +hgt +hgt. +HGV +hgwy +HH +HHD +HHFA +H-hinge +H-hour +HI +Hy +hia +hyacine +Hyacinth +Hyacintha +Hyacinthe +hyacinth-flowered +Hyacinthia +hyacinthian +Hyacinthides +Hyacinthie +hyacinthin +hyacinthine +hyacinths +Hyacinthus +Hyades +Hyads +hyaena +Hyaenanche +Hyaenarctos +hyaenas +hyaenic +hyaenid +Hyaenidae +Hyaenodon +hyaenodont +hyaenodontoid +hyahya +Hyakume +hyal- +Hialeah +hyalescence +hyalescent +hyalin +hyaline +hyalines +hyalinization +hyalinize +hyalinized +hyalinizing +hyalinocrystalline +hyalinosis +hyalins +hyalite +hyalites +hyalithe +hyalitis +hyalo- +hyaloandesite +hyalobasalt +hyalocrystalline +hyalodacite +hyalogen +hyalogens +hyalograph +hyalographer +hyalography +hyaloid +hyaloiditis +hyaloids +hyaloliparite +hyalolith +hyalomelan +hyalomere +hyalomucoid +Hyalonema +hyalophagia +hyalophane +hyalophyre +hyalopilitic +hyaloplasm +hyaloplasma +hyaloplasmic +hyalopsite +hyalopterous +hyalosiderite +Hyalospongia +hyalotekite +hyalotype +hyalts +hyaluronic +hyaluronidase +Hyampom +Hyams +Hianakoto +Hyannis +Hyannisport +hiant +hiatal +hiate +hiation +Hiatt +Hyatt +Hyattsville +Hyattville +hiatus +hiatuses +Hiawassee +Hiawatha +hibachi +hibachis +Hybanthus +Hibbard +Hibben +Hibbert +Hibbertia +hibbin +Hibbing +Hibbitts +Hibbs +hybern- +hibernacle +hibernacula +hibernacular +hibernaculum +hibernal +hibernate +hibernated +hibernates +hibernating +hibernation +hibernations +hibernator +hibernators +Hibernia +Hibernian +Hibernianism +Hibernic +Hibernical +Hibernically +Hibernicise +Hibernicised +Hibernicising +Hibernicism +Hibernicize +Hibernicized +Hibernicizing +Hibernization +Hibernize +hiberno- +Hiberno-celtic +Hiberno-english +Hibernology +Hibernologist +Hiberno-Saxon +Hibiscus +hibiscuses +Hibito +Hibitos +hibla +Hybla +Hyblaea +Hyblaean +Hyblan +hybodont +Hybodus +hybosis +Hy-brasil +hybrid +hybrida +hybridae +hybridal +hybridation +hybridisable +hybridise +hybridised +hybridiser +hybridising +hybridism +hybridist +hybridity +hybridizable +hybridization +hybridizations +hybridize +hybridized +hybridizer +hybridizers +hybridizes +hybridizing +hybridous +hybrids +hybris +hybrises +hybristic +Hibunci +HIC +hicaco +hicatee +hiccough +hic-cough +hiccoughed +hiccoughing +hiccoughs +hiccup +hiccuped +hiccuping +hiccup-nut +hiccupped +hiccupping +hiccups +Hicetaon +Hichens +hicht +hichu +hick +Hickey +hickeyes +hickeys +hicket +hicky +Hickie +hickies +hickified +hickish +hickishness +Hickman +Hickok +Hickory +hickories +Hickorywithe +Hicks +hickscorner +Hicksite +Hicksville +hickway +hickwall +Hico +Hicoria +hid +hyd +hidable +hidage +hydage +hidalgism +Hidalgo +hidalgoism +hidalgos +hydantoate +hydantoic +hydantoin +hidated +hydathode +hydatic +hydatid +hydatidiform +hydatidinous +hydatidocele +hydatids +hydatiform +hydatigenous +Hydatina +hidation +hydatogenesis +hydatogenic +hydatogenous +hydatoid +hydatomorphic +hydatomorphism +hydatopyrogenic +hydatopneumatic +hydatopneumatolytic +hydatoscopy +Hidatsa +Hidatsas +hiddels +hidden +hidden-fruited +Hiddenite +hiddenly +hiddenmost +hiddenness +hidden-veined +hide +Hyde +hide-and-go-seek +hide-and-seek +hideaway +hideaways +hidebind +hidebound +hideboundness +hided +hidegeld +hidey-hole +Hideyo +Hideyoshi +Hideki +hidel +hideland +hideless +hideling +Hyden +hideosity +hideous +hideously +hideousness +hideousnesses +hideout +hide-out +hideouts +hideout's +hider +Hyderabad +hiders +hides +Hydes +Hydesville +Hydetown +Hydeville +Hidie +hidy-hole +hiding +hidings +hidling +hidlings +hidlins +Hydnaceae +hydnaceous +hydnocarpate +hydnocarpic +Hydnocarpus +hydnoid +Hydnora +Hydnoraceae +hydnoraceous +Hydnum +hydr- +Hydra +hydracetin +Hydrachna +hydrachnid +Hydrachnidae +hydracid +hydracids +hydracoral +hydracrylate +hydracrylic +Hydractinia +hydractinian +hidradenitis +Hydradephaga +hydradephagan +hydradephagous +hydrae +hydraemia +hydraemic +hydragog +hydragogy +hydragogs +hydragogue +Hydra-headed +hydralazine +hydramide +hydramine +hydramnion +hydramnios +Hydrangea +Hydrangeaceae +hydrangeaceous +hydrangeas +hydrant +hydranth +hydranths +hydrants +hydrarch +hydrargillite +hydrargyrate +hydrargyria +hydrargyriasis +hydrargyric +hydrargyrism +hydrargyrosis +hydrargyrum +hydrarthrosis +hydrarthrus +hydras +hydrase +hydrases +hydrastine +hydrastinine +Hydrastis +Hydra-tainted +hydrate +hydrated +hydrates +hydrating +hydration +hydrations +hydrator +hydrators +hydratropic +hydraucone +hydraul +hydrauli +hydraulic +hydraulically +hydraulician +hydraulicity +hydraulicked +hydraulicking +hydraulico- +hydraulicon +hydraulics +hydraulis +hydraulist +hydraulus +hydrauluses +hydrazide +hydrazidine +hydrazyl +hydrazimethylene +hydrazin +hydrazine +hydrazino +hydrazo +hydrazoate +hydrazobenzene +hydrazoic +hydrazone +hydremia +hydremic +hydrencephalocele +hydrencephaloid +hydrencephalus +Hydri +hydria +hydriad +hydriae +hydriatry +hydriatric +hydriatrist +hydric +hydrically +Hydrid +hydride +hydrides +hydrids +hydriform +hydrindene +hydriodate +hydriodic +hydriodide +hydrion +hydriotaphia +Hydriote +hydro +hidro- +hydro- +hydroa +hydroacoustic +hydroadipsia +hydroaeric +hydro-aeroplane +hydroairplane +hydro-airplane +hydroalcoholic +hydroaromatic +hydroatmospheric +hydroaviation +hydrobarometer +Hydrobates +Hydrobatidae +hydrobenzoin +hydrobilirubin +hydrobiology +hydrobiological +hydrobiologist +hydrobiosis +hydrobiplane +hydrobomb +hydroboracite +hydroborofluoric +hydrobranchiate +hydrobromate +hydrobromic +hydrobromid +hydrobromide +hydrocarbide +hydrocarbon +hydrocarbonaceous +hydrocarbonate +hydrocarbonic +hydrocarbonous +hydrocarbons +hydrocarbostyril +hydrocarburet +hydrocardia +Hydrocaryaceae +hydrocaryaceous +hydrocatalysis +hydrocauline +hydrocaulus +hydrocele +hydrocellulose +hydrocephali +hydrocephaly +hydrocephalic +hydrocephalies +hydrocephalocele +hydrocephaloid +hydrocephalous +hydrocephalus +hydroceramic +hydrocerussite +Hydrocharidaceae +hydrocharidaceous +Hydrocharis +Hydrocharitaceae +hydrocharitaceous +Hydrochelidon +hydrochemical +hydrochemistry +hydrochlorate +hydrochlorauric +hydrochloric +hydrochlorid +hydrochloride +hydrochlorothiazide +hydrochlorplatinic +hydrochlorplatinous +Hydrochoerus +hydrocholecystis +hydrocyanate +hydrocyanic +hydrocyanide +hydrocycle +hydrocyclic +hydrocyclist +hydrocinchonine +hydrocinnamaldehyde +hydrocinnamic +hydrocinnamyl +hydrocinnamoyl +Hydrocyon +hydrocirsocele +hydrocyst +hydrocystic +hidrocystoma +hydrocladium +hydroclastic +Hydrocleis +hydroclimate +hydrocobalticyanic +hydrocoele +hydrocollidine +hydrocolloid +hydrocolloidal +hydroconion +hydrocoral +Hydrocorallia +Hydrocorallinae +hydrocoralline +Hydrocores +Hydrocorisae +hydrocorisan +hydrocortisone +Hydrocortone +hydrocotarnine +Hydrocotyle +hydrocoumaric +hydrocrack +hydrocracking +hydrocupreine +Hydrodamalidae +Hydrodamalis +hydrodesulfurization +hydrodesulphurization +Hydrodictyaceae +Hydrodictyon +hydrodynamic +hydrodynamical +hydrodynamically +hydrodynamicist +hydrodynamics +hydrodynamometer +HydroDiuril +hydrodrome +Hydrodromica +hydrodromican +hydroeconomics +hydroelectric +hydro-electric +hydroelectrically +hydroelectricity +hydroelectricities +hydroelectrization +hydroergotinine +hydroextract +hydroextractor +hydroferricyanic +hydroferrocyanate +hydroferrocyanic +hydrofluate +hydrofluoboric +hydrofluoric +hydrofluorid +hydrofluoride +hydrofluosilicate +hydrofluosilicic +hydrofluozirconic +hydrofoil +hydrofoils +hydroformer +hydroformylation +hydroforming +hydrofranklinite +hydrofuge +hydrogalvanic +hydrogasification +hydrogel +hydrogels +hydrogen +hydrogenase +hydrogenate +hydrogenated +hydrogenates +hydrogenating +hydrogenation +hydrogenations +hydrogenator +hydrogen-bomb +hydrogenic +hydrogenide +hydrogenisation +hydrogenise +hydrogenised +hydrogenising +hydrogenium +hydrogenization +hydrogenize +hydrogenized +hydrogenizing +hydrogenolyses +hydrogenolysis +Hydrogenomonas +hydrogenous +hydrogens +hydrogen's +hydrogeology +hydrogeologic +hydrogeological +hydrogeologist +hydrogymnastics +hydroglider +hydrognosy +hydrogode +hydrograph +hydrographer +hydrographers +hydrography +hydrographic +hydrographical +hydrographically +hydroguret +hydrohalide +hydrohematite +hydrohemothorax +hydroid +Hydroida +Hydroidea +hydroidean +hydroids +hydroiodic +hydro-jet +hydrokineter +hydrokinetic +hydrokinetical +hydrokinetics +hydrol +hydrolant +hydrolase +hydrolatry +Hydrolea +Hydroleaceae +hydrolysable +hydrolysate +hydrolysation +hydrolyse +hydrolysed +hydrolyser +hydrolyses +hydrolysing +hydrolysis +hydrolyst +hydrolyte +hydrolytic +hydrolytically +hydrolyzable +hydrolyzate +hydrolyzation +hydrolize +hydrolyze +hydrolyzed +hydrolyzer +hydrolyzing +hydrology +hydrologic +hydrological +hydrologically +hydrologist +hydrologists +hydromagnesite +hydromagnetic +hydromagnetics +hydromancer +hidromancy +hydromancy +hydromania +hydromaniac +hydromantic +hydromantical +hydromantically +hydromassage +Hydromatic +hydrome +hydromechanic +hydromechanical +hydromechanics +hydromedusa +Hydromedusae +hydromedusan +hydromedusoid +hydromel +hydromels +hydromeningitis +hydromeningocele +hydrometallurgy +hydrometallurgical +hydrometallurgically +hydrometamorphism +hydrometeor +hydrometeorology +hydrometeorologic +hydrometeorological +hydrometeorologist +hydrometer +hydrometers +hydrometra +hydrometry +hydrometric +hydrometrical +hydrometrid +Hydrometridae +hydromica +hydromicaceous +hydromyelia +hydromyelocele +hydromyoma +Hydromys +hydromonoplane +hydromorph +hydromorphy +hydromorphic +hydromorphous +hydromotor +hydronaut +hydrone +hydronegative +hydronephelite +hydronephrosis +hydronephrotic +hydronic +hydronically +hydronitric +hydronitrogen +hydronitroprussic +hydronitrous +hydronium +hydropac +hydroparacoumaric +Hydroparastatae +hydropath +hydropathy +hydropathic +hydropathical +hydropathically +hydropathist +hydropericarditis +hydropericardium +hydroperiod +hydroperitoneum +hydroperitonitis +hydroperoxide +hydrophane +hydrophanous +hydrophid +Hydrophidae +hydrophil +hydrophylacium +hydrophile +hydrophily +hydrophilic +hydrophilicity +hydrophilid +Hydrophilidae +hydrophilism +hydrophilite +hydrophyll +Hydrophyllaceae +hydrophyllaceous +hydrophylliaceous +hydrophyllium +Hydrophyllum +hydrophiloid +hydrophilous +Hydrophinae +Hydrophis +hydrophysometra +hydrophyte +hydrophytic +hydrophytism +hydrophyton +hydrophytous +hydrophobe +hydrophoby +hydrophobia +hydrophobias +hydrophobic +hydrophobical +hydrophobicity +hydrophobist +hydrophobophobia +hydrophobous +hydrophoid +hydrophone +hydrophones +Hydrophora +hydrophoran +hydrophore +hydrophoria +hydrophorous +hydrophthalmia +hydrophthalmos +hydrophthalmus +hydropic +hydropical +hydropically +hydropigenous +hydroplane +hydroplaned +hydroplaner +hydroplanes +hydroplaning +hydroplanula +hydroplatinocyanic +hydroplutonic +hydropneumatic +hydro-pneumatic +hydropneumatization +hydropneumatosis +hydropneumopericardium +hydropneumothorax +hidropoiesis +hidropoietic +hydropolyp +hydroponic +hydroponically +hydroponicist +hydroponics +hydroponist +hydropositive +hydropot +Hydropotes +hydropower +hydropropulsion +hydrops +hydropses +hydropsy +hydropsies +Hydropterideae +hydroptic +hydropult +hydropultic +hydroquinine +hydroquinol +hydroquinoline +hydroquinone +hydrorachis +hydrorhiza +hydrorhizae +hydrorhizal +hydrorrhachis +hydrorrhachitis +hydrorrhea +hydrorrhoea +hydrorubber +hydros +hydrosalpinx +hydrosalt +hydrosarcocele +hydroscope +hydroscopic +hydroscopical +hydroscopicity +hydroscopist +hydroselenic +hydroselenide +hydroselenuret +hydroseparation +hydrosere +hidroses +hydrosilicate +hydrosilicon +hidrosis +hydroski +hydro-ski +hydrosol +hydrosole +hydrosolic +hydrosols +hydrosoma +hydrosomal +hydrosomata +hydrosomatous +hydrosome +hydrosorbic +hydrospace +hydrosphere +hydrospheres +hydrospheric +hydrospire +hydrospiric +hydrostat +hydrostatic +hydrostatical +hydrostatically +hydrostatician +hydrostatics +hydrostome +hydrosulfate +hydrosulfide +hydrosulfite +hydrosulfurous +hydrosulphate +hydrosulphide +hydrosulphite +hydrosulphocyanic +hydrosulphurated +hydrosulphuret +hydrosulphureted +hydrosulphuric +hydrosulphuryl +hydrosulphurous +hydrotachymeter +hydrotactic +hydrotalcite +hydrotasimeter +hydrotaxis +hydrotechny +hydrotechnic +hydrotechnical +hydrotechnologist +hydroterpene +hydrotheca +hydrothecae +hydrothecal +hydrotherapeutic +hydrotherapeutical +hydrotherapeutically +hydrotherapeutician +hydrotherapeuticians +hydrotherapeutics +hydrotherapy +hydrotherapies +hydrotherapist +hydrothermal +hydrothermally +hydrothoracic +hydrothorax +hidrotic +hydrotic +hydrotical +hydrotimeter +hydrotimetry +hydrotimetric +hydrotype +hydrotomy +hydrotropic +hydrotropically +hydrotropism +hydroturbine +hydro-ureter +hydrous +hydrovane +hydroxamic +hydroxamino +hydroxy +hydroxy- +hydroxyacetic +hydroxyanthraquinone +hydroxyapatite +hydroxyazobenzene +hydroxybenzene +hydroxybutyricacid +hydroxycorticosterone +hydroxide +hydroxydehydrocorticosterone +hydroxides +hydroxydesoxycorticosterone +hydroxyketone +hydroxyl +hydroxylactone +hydroxylamine +hydroxylase +hydroxylate +hydroxylation +hydroxylic +hydroxylization +hydroxylize +hydroxyls +hydroximic +hydroxyproline +hydroxytryptamine +hydroxyurea +hydroxyzine +hydrozincite +Hydrozoa +hydrozoal +hydrozoan +hydrozoic +hydrozoon +hydrula +Hydruntine +hydruret +Hydrurus +Hydrus +hydurilate +hydurilic +hie +Hye +hied +hieder +hieing +hielaman +hielamen +hielamon +hieland +hield +hielmite +hiemal +hyemal +hiemate +hiemation +Hiemis +hiems +hyena +hyenadog +hyena-dog +hyenanchin +hyenas +hyenia +hyenic +hyeniform +hyenine +hyenoid +hienz +hier- +Hiera +Hieracian +hieracite +Hieracium +hieracosphinges +hieracosphinx +hieracosphinxes +hierapicra +hierarch +hierarchal +hierarchy +hierarchial +hierarchic +hierarchical +hierarchically +hierarchies +hierarchy's +hierarchise +hierarchised +hierarchising +hierarchism +hierarchist +hierarchize +hierarchized +hierarchizing +hierarchs +hieratic +hieratica +hieratical +hieratically +hieraticism +hieratite +Hyeres +hiero- +Hierochloe +hierocracy +hierocracies +hierocratic +hierocratical +hierodeacon +hierodule +hierodulic +Hierofalco +hierogamy +hieroglyph +hieroglypher +hieroglyphy +hieroglyphic +hieroglyphical +hieroglyphically +hieroglyphics +hieroglyphist +hieroglyphize +hieroglyphology +hieroglyphologist +hierogram +hierogrammat +hierogrammate +hierogrammateus +hierogrammatic +hierogrammatical +hierogrammatist +hierograph +hierographer +hierography +hierographic +hierographical +hierolatry +hierology +hierologic +hierological +hierologist +hieromachy +hieromancy +hieromartyr +hieromnemon +hieromonach +hieromonk +hieron +Hieronymian +Hieronymic +Hieronymite +Hieronymus +hieropathic +hierophancy +hierophant +hierophantes +hierophantic +hierophantically +hierophanticly +hierophants +hierophobia +hieros +hieroscopy +Hierosolymitan +Hierosolymite +Hierro +hierurgy +hierurgical +hierurgies +hies +Hiestand +hyet- +hyetal +hyeto- +hyetograph +hyetography +hyetographic +hyetographical +hyetographically +hyetology +hyetological +hyetologist +hyetometer +hyetometric +hyetometrograph +hyetometrographic +Hiett +hifalutin +hifalutin' +hi-fi +HIFO +Higbee +Higden +Higdon +hygeen +Hygeia +Hygeian +hygeiolatry +hygeist +hygeistic +hygeists +hygenics +hygeology +higgaion +Higganum +Higginbotham +Higgins +higginsite +Higginson +Higginsport +Higginsville +higgle +higgled +higgledy-piggledy +higglehaggle +higgler +higglery +higglers +higgles +higgling +Higgs +High +high-aimed +high-aiming +Highams +high-and-mighty +high-and-mightiness +high-angled +high-arched +high-aspiring +high-backed +highball +highballed +highballing +highballs +highbelia +highbinder +high-binder +highbinding +high-blazing +high-blessed +high-blooded +high-blower +high-blown +highboard +high-bodiced +highboy +high-boiling +highboys +high-boned +highborn +high-born +high-breasted +highbred +high-bred +highbrow +high-brow +highbrowed +high-browed +high-browish +high-browishly +highbrowism +high-browism +highbrows +high-built +highbush +high-caliber +high-camp +high-case +high-caste +high-ceiled +high-ceilinged +highchair +highchairs +High-Church +High-Churchism +High-Churchist +High-Churchman +High-churchmanship +high-class +high-climber +high-climbing +high-collared +high-colored +high-coloured +high-complexioned +high-compression +high-count +high-crested +high-crowned +high-cut +highdaddy +highdaddies +high-density +high-duty +high-elbowed +high-embowed +higher +highermost +higher-up +higher-ups +highest +highest-ranking +Highet +high-explosive +highfalutin +highfalutin' +high-falutin +highfaluting +high-faluting +highfalutinism +high-fated +high-feathered +high-fed +high-fidelity +high-flavored +highflier +high-flier +highflyer +high-flyer +highflying +high-flying +high-flowing +high-flown +high-flushed +high-foreheaded +high-frequency +high-gazing +high-geared +high-grade +high-grown +highhanded +high-handed +highhandedly +high-handedly +highhandedness +high-handedness +highhat +high-hat +high-hatted +high-hattedness +high-hatter +high-hatty +high-hattiness +highhatting +high-hatting +high-headed +high-heaped +highhearted +high-hearted +highheartedly +highheartedness +high-heel +high-heeled +high-hoe +highholder +high-holder +highhole +high-hole +high-horned +high-hung +highish +highjack +highjacked +highjacker +highjacking +highjacks +high-judging +high-key +high-keyed +Highland +Highlander +highlanders +highlandish +Highlandman +Highlandry +Highlands +Highlandville +high-level +highly +highlife +highlight +highlighted +highlighting +highlights +high-lying +highline +high-lineaged +high-lived +highliving +high-living +highly-wrought +high-lone +highlow +high-low +high-low-jack +high-lows +highman +high-mettled +high-minded +high-mindedly +high-mindedness +highmoor +Highmore +highmost +high-motived +high-mounted +high-mounting +high-muck-a +high-muck-a-muck +high-muckety-muck +high-necked +Highness +highnesses +highness's +high-nosed +high-notioned +high-octane +high-pass +high-peaked +high-pitch +high-pitched +high-placed +highpockets +high-pointing +high-pooped +high-potency +high-potential +high-power +high-powered +high-pressure +high-pressured +high-pressuring +high-priced +high-principled +high-priority +high-prized +high-proof +high-quality +high-raised +high-ranking +high-reaching +high-reared +high-resolved +high-rigger +high-rise +high-riser +highroad +highroads +high-roofed +high-runner +highs +highschool +high-school +high-sea +high-seasoned +high-seated +high-set +Highshoals +high-shoe +high-shouldered +high-sided +high-sighted +high-soaring +high-society +high-soled +high-souled +high-sounding +high-speed +Highspire +high-spirited +high-spiritedly +high-spiritedness +high-stepper +high-stepping +high-stomached +high-strung +high-sulphur +high-swelling +high-swollen +high-swung +hight +hightail +high-tail +hightailed +hightailing +hightails +high-tasted +highted +high-tempered +high-tension +high-test +highth +high-thoughted +high-throned +highths +high-thundering +high-tide +highting +highty-tighty +hightoby +high-tone +high-toned +hightop +high-topped +high-tory +Hightower +high-towered +Hightown +hights +Hightstown +high-tuned +high-up +high-ups +high-vaulted +Highveld +high-velocity +Highview +high-voltage +highway +highwayman +highwaymen +highways +highway's +high-waisted +high-walled +high-warp +high-water +Highwood +high-wrought +hygiantic +hygiantics +hygiastic +hygiastics +hygieist +hygieists +hygienal +hygiene +hygienes +hygienic +hygienical +hygienically +hygienics +hygienist +hygienists +hygienization +hygienize +Higinbotham +Hyginus +hygiology +hygiologist +Higley +hygr- +higra +hygric +hygrin +hygrine +hygristor +hygro- +hygroblepharic +hygrodeik +hygroexpansivity +hygrogram +hygrograph +hygrology +hygroma +hygromatous +hygrometer +hygrometers +hygrometry +hygrometric +hygrometrical +hygrometrically +hygrometries +hygrophaneity +hygrophanous +hygrophilous +hygrophyte +hygrophytic +hygrophobia +hygrophthalmic +hygroplasm +hygroplasma +hygroscope +hygroscopy +hygroscopic +hygroscopical +hygroscopically +hygroscopicity +hygrostat +hygrostatics +hygrostomia +hygrothermal +hygrothermograph +higuero +HIH +Hihat +hiyakkin +hying +hyingly +HIIPS +Hiiumaa +hijack +hijacked +hijacker +hijackers +hijacking +hijackings +hijacks +Hijaz +hijinks +Hijoung +Hijra +Hijrah +Hike +hyke +hiked +hiker +hikers +hikes +hiking +Hiko +Hyksos +hikuli +hyl- +hila +Hyla +hylactic +hylactism +hylaeosaurus +Hylaeus +Hilaira +Hilaire +Hylan +Hiland +Hyland +Hilar +Hilara +hylarchic +hylarchical +Hilary +Hilaria +Hilarymas +Hilario +hilarious +hilariously +hilariousness +hilarity +Hilarytide +hilarities +Hilarius +hilaro-tragedy +Hilarus +Hylas +hilasmic +hylasmus +Hilbert +hilborn +hilch +Hild +Hilda +Hildagard +Hildagarde +Hilde +Hildebran +Hildebrand +Hildebrandian +Hildebrandic +Hildebrandine +Hildebrandism +Hildebrandist +Hildebrandslied +Hildebrandt +Hildegaard +Hildegard +Hildegarde +Hildesheim +Hildy +Hildick +Hildie +hilding +hildings +Hildreth +hile +hyle +hylean +hyleg +hylegiacal +Hilel +Hilger +Hilham +hili +hyli +hylic +hylicism +hylicist +Hylidae +hylids +hiliferous +hylism +hylist +Hill +Hilla +hill-altar +Hillard +Hillari +Hillary +hillberry +hillbilly +hillbillies +hillbird +Hillburn +Hillcrest +hillculture +hill-dwelling +Hilleary +hillebrandite +hilled +Hillegass +Hillel +Hillell +Hiller +Hillery +hillers +hillet +hillfort +hill-fort +hill-girdled +hill-girt +Hillhouse +Hillhousia +Hilly +Hilliard +Hilliards +Hilliary +hilly-billy +Hillie +Hillier +Hillyer +hilliest +Hillinck +hilliness +hilling +Hillingdon +Hillis +Hillisburg +Hillister +Hillman +hill-man +hillmen +hillo +hilloa +hilloaed +hilloaing +hilloas +hillock +hillocked +hillocky +hillocks +hilloed +hilloing +hillos +Hillrose +Hills +hill's +hillsale +hillsalesman +Hillsboro +Hillsborough +Hillsdale +Hillside +hill-side +hillsides +hillsite +hillsman +hill-surrounded +Hillsville +hilltop +hill-top +hilltopped +hilltopper +hilltopping +hilltops +hilltop's +Hilltown +hilltrot +Hyllus +Hillview +hillward +hillwoman +hillwort +Hilmar +Hilo +hylo- +Hylobates +hylobatian +hylobatic +hylobatine +Hylocereus +Hylocichla +Hylocomium +Hylodes +hylogenesis +hylogeny +hyloid +hyloist +hylology +Hylomys +hylomorphic +hylomorphical +hylomorphism +hylomorphist +hylomorphous +hylopathy +hylopathism +hylopathist +hylophagous +hylotheism +hylotheist +hylotheistic +hylotheistical +hylotomous +hylotropic +hylozoic +hylozoism +hylozoist +hylozoistic +hylozoistically +hilsa +hilsah +hilt +Hiltan +hilted +Hilten +hilting +hiltless +Hiltner +Hilton +Hylton +Hiltons +hilts +hilt's +hilum +hilus +Hilversum +HIM +Hima +Himalaya +Himalayan +Himalayas +Himalo-chinese +himamatia +Hyman +Himantopus +himati +himatia +himation +himations +Himavat +himawan +Hime +Himeji +Himelman +Hymen +Hymenaea +Hymenaeus +Hymenaic +hymenal +himene +hymeneal +hymeneally +hymeneals +hymenean +hymenia +hymenial +hymenic +hymenicolar +hymeniferous +hymeniophore +hymenium +hymeniumnia +hymeniums +hymeno- +Hymenocallis +Hymenochaete +Hymenogaster +Hymenogastraceae +hymenogeny +hymenoid +Hymenolepis +hymenomycetal +hymenomycete +Hymenomycetes +hymenomycetoid +hymenomycetous +Hymenophyllaceae +hymenophyllaceous +Hymenophyllites +Hymenophyllum +hymenophore +hymenophorum +hymenopter +Hymenoptera +hymenopteran +hymenopterist +hymenopterology +hymenopterological +hymenopterologist +hymenopteron +hymenopterous +hymenopttera +hymenotome +hymenotomy +hymenotomies +hymens +Hymera +Himeros +Himerus +Hymettian +Hymettic +Hymettius +Hymettus +Him-Heup +Himyaric +Himyarite +Himyaritic +Hymie +Himinbjorg +Hymir +himming +Himmler +hymn +hymnal +hymnals +hymnary +hymnaria +hymnaries +hymnarium +hymnariunaria +hymnbook +hymnbooks +himne +hymned +hymner +hymnic +hymning +hymnist +hymnists +hymnless +hymnlike +hymn-loving +hymnode +hymnody +hymnodical +hymnodies +hymnodist +hymnograher +hymnographer +hymnography +hymnology +hymnologic +hymnological +hymnologically +hymnologist +hymns +hymn's +hymn-tune +hymnwise +himp +himple +Himrod +Hims +himself +himward +himwards +hin +Hinayana +Hinayanist +hinau +Hinch +Hinckley +Hind +hynd +Hind. +Hinda +Hynda +Hindarfjall +hindberry +hindbrain +hind-calf +hindcast +hinddeck +hynde +Hindemith +Hindenburg +hinder +hynder +hinderance +hindered +hinderer +hinderers +hinderest +hinderful +hinderfully +hindering +hinderingly +hinderlands +hinderly +hinderlings +hinderlins +hinderment +hindermost +hinders +hindersome +Hindfell +hind-foremost +hindgut +hind-gut +hindguts +hindhand +hindhead +hind-head +Hindi +Hindman +Hyndman +hindmost +Hindoo +Hindooism +Hindoos +Hindoostani +Hindorff +Hindostani +hindquarter +hindquarters +hindrance +hindrances +hinds +hindsaddle +Hindsboro +hindsight +hind-sight +hindsights +Hindsville +Hindu +Hinduism +Hinduize +Hinduized +Hinduizing +Hindu-javan +Hindu-malayan +Hindus +Hindustan +Hindustani +hindward +hindwards +hine +hyne +hiney +Hynek +Hines +Hynes +Hinesburg +Hineston +Hinesville +hing +hinge +hingecorner +hinged +hingeflower +hingeless +hingelike +hinge-pole +hinger +hingers +hinges +hingeways +Hingham +hinging +hingle +Hinkel +Hinkle +Hinkley +Hinman +hinney +hinner +hinny +hinnible +hinnied +hinnies +hinnying +Hinnites +hinoid +hinoideous +hinoki +hins +Hinsdale +hinsdalite +Hinshelwood +Hinson +hint +hinted +hintedly +hinter +hinterland +hinterlander +hinterlands +hinters +hinting +hintingly +Hinton +hintproof +hints +Hintze +hintzeite +Hinze +Hyo +hyo- +hyobranchial +hyocholalic +hyocholic +Hiodon +hiodont +Hiodontidae +hyoepiglottic +hyoepiglottidean +hyoglycocholic +hyoglossal +hyoglossi +hyoglossus +hyoid +hyoidal +hyoidan +hyoideal +hyoidean +hyoides +hyoids +Hyolithes +hyolithid +Hyolithidae +hyolithoid +hyomandibula +hyomandibular +hyomental +hyoplastral +hyoplastron +Hiordis +hiortdahlite +hyoscapular +hyoscyamine +Hyoscyamus +hyoscine +hyoscines +hyosternal +hyosternum +hyostyly +hyostylic +hyothere +Hyotherium +hyothyreoid +hyothyroid +Hyozo +hip +hyp +hyp- +hyp. +hypabyssal +hypabyssally +hypacusia +hypacusis +hypaesthesia +hypaesthesic +hypaethral +hypaethron +hypaethros +hypaethrum +hypalgesia +hypalgesic +hypalgia +hypalgic +hypallactic +hypallage +Hypanis +hypanthia +hypanthial +hypanthium +hypantrum +Hypapante +hypapophysial +hypapophysis +hyparterial +hypaspist +hypate +Hypatia +Hypatie +hypaton +hypautomorphic +hypaxial +hipberry +hipbone +hip-bone +hipbones +hipe +hype +hyped +hypegiaphobia +Hypenantron +hiper +hyper +hyper- +hyperabelian +hyperabsorption +hyperaccuracy +hyperaccurate +hyperaccurately +hyperaccurateness +hyperacid +hyperacidaminuria +hyperacidity +hyperacidities +hyperacousia +hyperacoustics +hyperaction +hyperactive +hyperactively +hyperactivity +hyperactivities +hyperacuity +hyperacuness +hyperacusia +hyperacusis +hyperacute +hyperacuteness +hyperadenosis +hyperadipose +hyperadiposis +hyperadiposity +hyperadrenalemia +hyperadrenalism +hyperadrenia +hyperaemia +hyperaemic +hyperaeolism +hyperaesthesia +hyperaesthete +hyperaesthetic +hyperaggressive +hyperaggressiveness +hyperaggressivenesses +hyperalbuminosis +hyperaldosteronism +hyperalgebra +hyperalgesia +hyperalgesic +hyperalgesis +hyperalgetic +hyperalgia +hyperalimentation +hyperalkalinity +hyperaltruism +hyperaltruist +hyperaltruistic +hyperaminoacidemia +hyperanabolic +hyperanabolism +hyperanacinesia +hyperanakinesia +hyperanakinesis +hyperanarchy +hyperanarchic +hyperangelic +hyperangelical +hyperangelically +hyperanxious +hyperaphia +hyperaphic +hyperapophyseal +hyperapophysial +hyperapophysis +hyperarchaeological +hyperarchepiscopal +hyperaspist +hyperazotemia +hyperazoturia +hyperbarbarism +hyperbarbarous +hyperbarbarously +hyperbarbarousness +hyperbaric +hyperbarically +hyperbarism +hyperbata +hyperbatbata +hyperbatic +hyperbatically +hyperbaton +hyperbatons +hyperbola +hyperbolae +hyperbolaeon +hyperbolas +hyperbole +hyperboles +hyperbolic +hyperbolical +hyperbolically +hyperbolicly +hyperbolism +hyperbolist +hyperbolize +hyperbolized +hyperbolizing +hyperboloid +hyperboloidal +hyperboreal +Hyperborean +hyperbrachycephal +hyperbrachycephaly +hyperbrachycephalic +hyperbrachycranial +hyperbrachyskelic +hyperbranchia +hyperbranchial +hyperbrutal +hyperbrutally +hyperbulia +hypercalcaemia +hypercalcemia +hypercalcemias +hypercalcemic +hypercalcinaemia +hypercalcinemia +hypercalcinuria +hypercalciuria +hypercalcuria +Hyper-calvinism +Hyper-calvinist +Hyper-calvinistic +hypercapnia +hypercapnic +hypercarbamidemia +hypercarbia +hypercarbureted +hypercarburetted +hypercarnal +hypercarnally +hypercatabolism +hypercatalectic +hypercatalexis +hypercatharsis +hypercathartic +hypercathexis +hypercautious +hypercenosis +hyperchamaerrhine +hypercharge +Hypercheiria +hyperchloraemia +hyperchloremia +hyperchlorhydria +hyperchloric +hyperchlorination +hypercholesteremia +hypercholesteremic +hypercholesterinemia +hypercholesterolemia +hypercholesterolemic +hypercholesterolia +hypercholia +hypercyanosis +hypercyanotic +hypercycle +hypercylinder +hypercythemia +hypercytosis +hypercivilization +hypercivilized +hyperclassical +hyperclassicality +hyperclean +hyperclimax +hypercoagulability +hypercoagulable +hypercomplex +hypercomposite +hyperconcentration +hypercone +hyperconfidence +hyperconfident +hyperconfidently +hyperconformist +hyperconformity +hyperconscientious +hyperconscientiously +hyperconscientiousness +hyperconscious +hyperconsciousness +hyperconservatism +hyperconservative +hyperconservatively +hyperconservativeness +hyperconstitutional +hyperconstitutionalism +hyperconstitutionally +hypercoracoid +hypercorrect +hypercorrection +hypercorrectness +hypercorticoidism +hypercosmic +hypercreaturely +hypercryaesthesia +hypercryalgesia +hypercryesthesia +hypercrinemia +hypercrinia +hypercrinism +hypercrisia +hypercritic +hypercritical +hypercritically +hypercriticalness +hypercriticism +hypercriticize +hypercube +hyperdactyl +hyperdactyly +hyperdactylia +hyperdactylism +hyperdeify +hyperdeification +hyperdeified +hyperdeifying +hyperdelicacy +hyperdelicate +hyperdelicately +hyperdelicateness +hyperdelicious +hyperdeliciously +hyperdeliciousness +hyperdelness +hyperdemocracy +hyperdemocratic +hyperdeterminant +hyperdiabolical +hyperdiabolically +hyperdiabolicalness +hyperdialectism +hyperdiapason +hyperdiapente +hyperdiastole +hyperdiastolic +hyperdiatessaron +hyperdiazeuxis +hyperdicrotic +hyperdicrotism +hyperdicrotous +hyperdimensional +hyperdimensionality +hyperdiploid +hyperdissyllable +hyperdistention +hyperditone +hyperdivision +hyperdolichocephal +hyperdolichocephaly +hyperdolichocephalic +hyperdolichocranial +Hyper-dorian +hyperdoricism +hyperdulia +hyperdulic +hyperdulical +hyperelegance +hyperelegancy +hyperelegant +hyperelegantly +hyperelliptic +hyperemesis +hyperemetic +hyperemia +hyperemic +hyperemization +hyperemotional +hyperemotionally +hyperemotive +hyperemotively +hyperemotiveness +hyperemotivity +hyperemphasize +hyperemphasized +hyperemphasizing +hyperendocrinia +hyperendocrinism +hyperendocrisia +hyperenergetic +Hyperenor +hyperenthusiasm +hyperenthusiastic +hyperenthusiastically +hypereosinophilia +hyperephidrosis +hyperepinephry +hyperepinephria +hyperepinephrinemia +hyperequatorial +hypererethism +hyperessence +hyperesthesia +hyperesthete +hyperesthetic +hyperethical +hyperethically +hyperethicalness +hypereuryprosopic +hypereutectic +hypereutectoid +hyperexaltation +hyperexcitability +hyperexcitable +hyperexcitableness +hyperexcitably +hyperexcitement +hyperexcursive +hyperexcursively +hyperexcursiveness +hyperexophoria +hyperextend +hyperextension +hyperfastidious +hyperfastidiously +hyperfastidiousness +hyperfederalist +hyperfine +hyperflexibility +hyperflexible +hyperflexibleness +hyperflexibly +hyperflexion +hyperfocal +hyperform +hyperfunction +hyperfunctional +hyperfunctionally +hyperfunctioning +hypergalactia +hypergalactosia +hypergalactosis +hypergamy +hypergamous +hypergenesis +hypergenetic +hypergenetical +hypergenetically +hypergeneticalness +hypergeometry +hypergeometric +hypergeometrical +hypergeusesthesia +hypergeusia +hypergeustia +hyperglycaemia +hyperglycaemic +hyperglycemia +hyperglycemic +hyperglycistia +hyperglycorrhachia +hyperglycosuria +hyperglobulia +hyperglobulism +hypergoddess +hypergol +hypergolic +hypergolically +hypergols +Hypergon +hypergrammatical +hypergrammatically +hypergrammaticalness +hyperhedonia +hyperhemoglobinemia +hyperhepatia +hyperhidrosis +hyperhidrotic +hyperhilarious +hyperhilariously +hyperhilariousness +hyperhypocrisy +Hypericaceae +hypericaceous +Hypericales +hypericin +hypericism +Hypericum +hyperidealistic +hyperidealistically +hyperideation +hyperidrosis +hyperimmune +hyperimmunity +hyperimmunization +hyperimmunize +hyperimmunized +hyperimmunizing +hyperin +hyperinflation +hyperingenuity +hyperinosis +hyperinotic +hyperinsulinism +hyperinsulinization +hyperinsulinize +hyperintellectual +hyperintellectually +hyperintellectualness +hyperintelligence +hyperintelligent +hyperintelligently +hyperintense +hyperinvolution +Hyperion +Hyper-ionian +hyperirritability +hyperirritable +hyperisotonic +hyperite +Hyper-jacobean +hyperkalemia +hyperkalemic +hyperkaliemia +hyperkatabolism +hyperkeratoses +hyperkeratosis +hyperkeratotic +hyperkinesia +hyperkinesis +hyperkinetic +hyperlactation +Hyper-latinistic +hyperleptoprosopic +hyperlethal +hyperlethargy +hyperleucocytosis +hyperleucocytotic +hyperleukocytosis +hyperlexis +Hyper-lydian +hyperlipaemia +hyperlipaemic +hyperlipemia +hyperlipemic +hyperlipidemia +hyperlipoidemia +hyperlithuria +hyperlogical +hyperlogicality +hyperlogically +hyperlogicalness +hyperlustrous +hyperlustrously +hyperlustrousness +hypermagical +hypermagically +hypermakroskelic +hypermarket +hypermasculine +hypermedication +hypermegasoma +hypermenorrhea +hypermetabolism +hypermetamorphic +hypermetamorphism +hypermetamorphoses +hypermetamorphosis +hypermetamorphotic +hypermetaphysical +hypermetaphoric +hypermetaphorical +hypermetaplasia +hypermeter +hypermetric +hypermetrical +hypermetron +hypermetrope +hypermetropy +hypermetropia +hypermetropic +hypermetropical +hypermicrosoma +hypermilitant +hypermyotonia +hypermyotrophy +hypermiraculous +hypermiraculously +hypermiraculousness +hypermyriorama +hypermystical +hypermystically +hypermysticalness +hypermixolydian +hypermnesia +hypermnesic +hypermnesis +hypermnestic +Hypermnestra +hypermodest +hypermodestly +hypermodestness +hypermonosyllable +hypermoral +hypermoralistic +hypermorally +hypermorph +hypermorphic +hypermorphism +hypermorphosis +hypermotile +hypermotility +hypernationalistic +hypernatremia +hypernatronemia +hypernatural +hypernaturally +hypernaturalness +hypernephroma +hyperneuria +hyperneurotic +hypernic +hypernik +hypernitrogenous +hypernomian +hypernomic +hypernormal +hypernormality +hypernormally +hypernormalness +hypernote +hypernotion +hypernotions +hypernutrition +hypernutritive +Hyperoartia +hyperoartian +hyperobtrusive +hyperobtrusively +hyperobtrusiveness +hyperodontogeny +hyperon +hyperons +Hyperoodon +hyperoon +hyperope +hyperopes +hyperopia +hyperopic +hyperorganic +hyperorganically +hyperorthodox +hyperorthodoxy +hyperorthognathy +hyperorthognathic +hyperorthognathous +hyperosmia +hyperosmic +hyperosteogeny +hyperostoses +hyperostosis +hyperostotic +hyperothodox +hyperothodoxy +Hyperotreta +hyperotretan +Hyperotreti +hyperotretous +hyperovaria +hyperovarianism +hyperovarism +hyperoxemia +hyperoxidation +hyperoxide +hyperoxygenate +hyperoxygenating +hyperoxygenation +hyperoxygenize +hyperoxygenized +hyperoxygenizing +hyperoxymuriate +hyperoxymuriatic +hyperpanegyric +hyperparasite +hyperparasitic +hyperparasitism +hyperparasitize +hyperparathyroidism +hyperparoxysm +hyperpathetic +hyperpathetical +hyperpathetically +hyperpathia +hyperpathic +hyperpatriotic +hyperpatriotically +hyperpatriotism +hyperpencil +hyperpepsinia +hyperper +hyperperfection +hyperperistalsis +hyperperistaltic +hyperpersonal +hyperpersonally +hyperphagia +hyperphagic +hyperphalangeal +hyperphalangism +hyperpharyngeal +hyperphenomena +hyperphysical +hyperphysically +hyperphysics +hyperphoria +hyperphoric +hyperphosphatemia +hyperphospheremia +hyperphosphorescence +Hyper-phrygian +hyperpiesia +hyperpiesis +hyperpietic +hyperpietist +hyperpigmentation +hyperpigmented +hyperpinealism +hyperpyramid +hyperpyretic +hyperpyrexia +hyperpyrexial +hyperpituitary +hyperpituitarism +hyperplagiarism +hyperplane +hyperplasia +hyperplasic +hyperplastic +hyperplatyrrhine +hyperploid +hyperploidy +hyperpnea +hyperpneic +hyperpnoea +hyperpolarization +hyperpolarize +hyperpolysyllabic +hyperpolysyllabically +hyperpotassemia +hyperpotassemic +hyperpredator +hyperprism +hyperproduction +hyperprognathous +hyperprophetic +hyperprophetical +hyperprophetically +hyperprosexia +hyperpulmonary +hyperpure +hyperpurist +hyperquadric +hyperrational +hyperrationally +hyperreactive +hyperrealistic +hyperrealize +hyperrealized +hyperrealizing +hyperresonance +hyperresonant +hyperreverential +hyperrhythmical +hyperridiculous +hyperridiculously +hyperridiculousness +hyperritualism +hyperritualistic +hyperromantic +Hyper-romantic +hyperromantically +hyperromanticism +hypersacerdotal +hypersaintly +hypersalivation +hypersceptical +hyperscholastic +hyperscholastically +hyperscrupulosity +hyperscrupulous +hypersecretion +hypersensibility +hypersensitisation +hypersensitise +hypersensitised +hypersensitising +hypersensitive +hypersensitiveness +hypersensitivenesses +hypersensitivity +hypersensitivities +hypersensitization +hypersensitize +hypersensitized +hypersensitizing +hypersensual +hypersensualism +hypersensually +hypersensualness +hypersensuous +hypersensuously +hypersensuousness +hypersentimental +hypersentimentally +hypersexual +hypersexuality +hypersexualities +hypersystole +hypersystolic +hypersolid +hypersomnia +hypersonic +hypersonically +hypersonics +hypersophisticated +hypersophistication +hyperspace +hyperspatial +hyperspeculative +hyperspeculatively +hyperspeculativeness +hypersphere +hyperspherical +hyperspiritualizing +hypersplenia +hypersplenism +hyperstatic +hypersthene +hypersthenia +hypersthenic +hypersthenite +hyperstoic +hyperstoical +hyperstrophic +hypersubtle +hypersubtlety +hypersuggestibility +hypersuggestible +hypersuggestibleness +hypersuggestibly +hypersuperlative +hypersurface +hypersusceptibility +hypersusceptible +hypersuspicious +hypertechnical +hypertechnically +hypertechnicalness +hypertely +hypertelic +hypertense +hypertensely +hypertenseness +hypertensin +hypertensinase +hypertensinogen +hypertension +hypertensions +hypertensive +hypertensives +hyperterrestrial +hypertetrahedron +Hypertherm +hyperthermal +hyperthermalgesia +hyperthermally +hyperthermesthesia +hyperthermy +hyperthermia +hyperthermic +hyperthesis +hyperthetic +hyperthetical +hyperthymia +hyperthyreosis +hyperthyroid +hyperthyroidism +hyperthyroidization +hyperthyroidize +hyperthyroids +hyperthrombinemia +hypertype +hypertypic +hypertypical +hypertocicity +hypertonia +hypertonic +hypertonicity +hypertonus +hypertorrid +hypertoxic +hypertoxicity +hypertragic +hypertragical +hypertragically +hypertranscendent +hypertrichy +hypertrichosis +hypertridimensional +hypertrophy +hypertrophic +hypertrophied +hypertrophies +hypertrophying +hypertrophyphied +hypertrophous +hypertropia +hypertropical +Hyper-uranian +hyperurbanism +hyperuresis +hyperuricemia +hypervascular +hypervascularity +hypervelocity +hypervenosity +hyperventilate +hyperventilation +hypervigilant +hypervigilantly +hypervigilantness +hyperviscosity +hyperviscous +hypervitalization +hypervitalize +hypervitalized +hypervitalizing +hypervitaminosis +hypervolume +hypervoluminous +hyperwrought +hypes +hypesthesia +hypesthesic +hypethral +hipflask +hip-girdle +hip-gout +hypha +hyphae +Hyphaene +hyphaeresis +hyphal +hiphalt +hyphantria +hiphape +hyphedonia +hyphema +hyphemia +hyphemias +hyphen +hyphenate +hyphenated +hyphenates +hyphenating +hyphenation +hyphenations +hyphened +hyphenic +hyphening +hyphenisation +hyphenise +hyphenised +hyphenising +hyphenism +hyphenization +hyphenize +hyphenized +hyphenizing +hyphenless +hyphens +hyphen's +hypho +hyphodrome +Hyphomycetales +hyphomycete +Hyphomycetes +hyphomycetic +hyphomycetous +hyphomycosis +hyphopdia +hyphopodia +hyphopodium +hiphuggers +hip-huggers +hypidiomorphic +hypidiomorphically +hyping +hypinosis +hypinotic +hip-joint +hiplength +hipless +hiplike +hipline +hiplines +hipmi +hipmold +hypn- +Hypnaceae +hypnaceous +hypnagogic +hypnale +hipness +hipnesses +hypnesthesis +hypnesthetic +hypnic +hypno- +hypnoanalyses +hypnoanalysis +hypnoanalytic +hypnobate +hypnocyst +hypnody +hypnoetic +hypnogenesis +hypnogenetic +hypnogenetically +hypnogia +hypnogogic +hypnograph +hypnoid +hypnoidal +hypnoidization +hypnoidize +hypnology +hypnologic +hypnological +hypnologist +hypnone +hypnopaedia +hypnophoby +hypnophobia +hypnophobias +hypnophobic +hypnopompic +Hypnos +hypnoses +hypnosis +hypnosperm +hypnosporangia +hypnosporangium +hypnospore +hypnosporic +hypnotherapy +hypnotherapist +hypnotic +hypnotically +hypnotics +hypnotisability +hypnotisable +hypnotisation +hypnotise +hypnotised +hypnotiser +hypnotising +hypnotism +hypnotisms +hypnotist +hypnotistic +hypnotists +hypnotizability +hypnotizable +hypnotization +hypnotize +hypnotized +hypnotizer +hypnotizes +hypnotizing +hypnotoid +hypnotoxin +Hypnum +Hypnus +hypo +hipo- +Hypo- +hypoacid +hypoacidity +hypoactive +hypoactivity +hypoacusia +hypoacussis +hypoadenia +hypoadrenia +hypoaeolian +hypoalbuminemia +hypoalimentation +hypoalkaline +hypoalkalinity +hypoalonemia +hypo-alum +hypoaminoacidemia +hypoantimonate +hypoazoturia +hypobaric +hypobarism +hypobaropathy +hypobasal +hypobases +hypobasis +hypobatholithic +hypobenthonic +hypobenthos +hypoblast +hypoblastic +hypobole +hypobranchial +hypobranchiate +hypobromite +hypobromites +hypobromous +hypobulia +hypobulic +hypocalcemia +hypocalcemic +hypocarp +hypocarpium +hypocarpogean +hypocatharsis +hypocathartic +hypocathexis +hypocaust +hypocenter +hypocenters +hypocentral +hypocentre +hypocentrum +hypocephalus +Hypochaeris +hypochchilia +hypochdria +hypochil +hypochilia +hypochylia +hypochilium +hypochloremia +hypochloremic +hypochlorhydria +hypochlorhydric +hypochloric +hypochloridemia +hypochlorite +hypochlorous +hypochloruria +Hypochnaceae +hypochnose +Hypochnus +hypocholesteremia +hypocholesterinemia +hypocholesterolemia +hypochonder +hypochondry +hypochondria +hypochondriac +hypochondriacal +hypochondriacally +hypochondriacism +hypochondriacs +hypochondrial +hypochondrias +hypochondriasis +hypochondriast +hypochondric +hypochondrium +hypochordal +hypochromia +hypochromic +hypochrosis +hypocycloid +hypocycloidal +hypocist +hypocistis +hypocystotomy +hypocytosis +hypocleidian +hypocleidium +hypocoelom +hypocondylar +hypocone +hypoconid +hypoconule +hypoconulid +hypocopy +hypocoracoid +hypocorism +hypocoristic +hypocoristical +hypocoristically +hypocotyl +hypocotyleal +hypocotyledonary +hypocotyledonous +hypocotylous +hypocrater +hypocrateriform +hypocraterimorphous +Hypocreaceae +hypocreaceous +Hypocreales +hypocrinia +hypocrinism +hypocrisy +hypocrisies +hypocrisis +hypocrystalline +hypocrital +hypocrite +hypocrites +hypocrite's +hypocritic +hypocritical +hypocritically +hypocriticalness +hypocrize +hypodactylum +hypoderm +hypoderma +hypodermal +hypodermatic +hypodermatically +hypodermatoclysis +hypodermatomy +Hypodermella +hypodermic +hypodermically +hypodermics +hypodermis +hypodermoclysis +hypodermosis +hypodermous +hypoderms +hypodiapason +hypodiapente +hypodiastole +hypodiatessaron +hypodiazeuxis +hypodicrotic +hypodicrotous +hypodynamia +hypodynamic +hypodiploid +hypodiploidy +hypoditone +Hypodorian +hypoed +hypoeliminator +hypoendocrinia +hypoendocrinism +hypoendocrisia +hypoeosinophilia +hypoergic +hypoeutectic +hypoeutectoid +hypofunction +hypogaeic +hypogamy +hypogastria +hypogastric +hypogastrium +hypogastrocele +hypogea +hypogeal +hypogeally +hypogean +hypogee +hypogeic +hypogeiody +hypogene +hypogenesis +hypogenetic +hypogenic +hypogenous +hypogeocarpous +hypogeous +hypogeugea +hypogeum +hypogeusia +hypogyn +hypogyny +hypogynic +hypogynies +hypogynium +hypogynous +hypoglycaemia +hypoglycemia +hypoglycemic +hypoglobulia +hypoglossal +hypoglossis +hypoglossitis +hypoglossus +hypoglottis +hypognathism +hypognathous +hypogonadia +hypogonadism +hypogonation +hypohalous +hypohemia +hypohepatia +hypohyal +hypohyaline +hypohydrochloria +hypohidrosis +hypohypophysism +Hypohippus +hypoid +hypoidrosis +hypoing +hypoinosemia +hypoiodite +hypoiodous +hypoionian +hypoischium +hypoisotonic +hypokalemia +hypokalemic +hypokaliemia +hypokeimenometry +hypokinemia +hypokinesia +hypokinesis +hypokinetic +hypokoristikon +hypolemniscus +hypoleptically +hypoleucocytosis +Hypolydian +hypolimnetic +hypolimnia +hypolimnial +hypolimnion +hypolimnionia +Hypolite +hypolithic +hypolocrian +hypomania +hypomanic +hypomelancholia +hypomeral +hypomere +hypomeron +hypometropia +hypomyotonia +hypomixolydian +hypomnematic +hypomnesia +hypomnesis +hypomochlion +hypomorph +hypomorphic +hypomotility +hyponasty +hyponastic +hyponastically +hyponatremia +hyponea +hyponeas +hyponeuria +hyponychial +hyponychium +hyponym +hyponymic +hyponymous +hyponitric +hyponitrite +hyponitrous +hyponoetic +hyponoia +hyponoias +hyponome +hyponomic +hypo-ovarianism +hypoparathyroidism +Hypoparia +hypopepsy +hypopepsia +hypopepsinia +hypopetaly +hypopetalous +hypophalangism +hypophamin +hypophamine +hypophare +hypopharyngeal +hypopharynges +hypopharyngoscope +hypopharyngoscopy +hypopharynx +hypopharynxes +hypophyge +hypophyll +hypophyllium +hypophyllous +hypophyllum +hypophysism +hypophyse +hypophyseal +hypophysectomy +hypophysectomies +hypophysectomize +hypophysectomized +hypophysectomizing +hypophyseoprivic +hypophyseoprivous +hypophyses +hypophysial +hypophysical +hypophysics +hypophysis +hypophysitis +hypophloeodal +hypophloeodic +hypophloeous +hypophonesis +hypophonia +hypophonic +hypophonous +hypophora +hypophoria +hypophosphate +hypophosphite +hypophosphoric +hypophosphorous +hypophrenia +hypophrenic +hypophrenosis +hypophrygian +hypopial +hypopiesia +hypopiesis +hypopygial +hypopygidium +hypopygium +hypopinealism +hypopyon +hypopyons +Hypopitys +hypopituitary +hypopituitarism +hypoplankton +hypoplanktonic +hypoplasy +hypoplasia +hypoplasty +hypoplastic +hypoplastral +hypoplastron +hypoploid +hypoploidy +hypopnea +hypopneas +hypopnoea +hypopoddia +hypopodia +hypopodium +hypopotassemia +hypopotassemic +hypopraxia +hypoprosexia +hypoproteinemia +hypoproteinosis +hypopselaphesia +hypopsychosis +hypopteral +hypopteron +hypoptyalism +hypoptilar +hypoptilum +hypoptosis +hypopus +hyporadial +hyporadiolus +hyporadius +hyporchema +hyporchemata +hyporchematic +hyporcheme +hyporchesis +hyporhachidian +hyporhachis +hyporhined +hyporight +hyporit +hyporrhythmic +hypos +hyposalemia +hyposarca +hyposcenium +hyposcleral +hyposcope +hyposecretion +hyposensitive +hyposensitivity +hyposensitization +hyposensitize +hyposensitized +hyposensitizing +hyposyllogistic +hyposynaphe +hyposynergia +hyposystole +hyposkeletal +hyposmia +hypospadiac +hypospadias +hyposphene +hyposphresia +hypospray +hypostase +hypostases +hypostasy +hypostasis +hypostasise +hypostasised +hypostasising +hypostasization +hypostasize +hypostasized +hypostasizing +hypostatic +hypostatical +hypostatically +hypostatisation +hypostatise +hypostatised +hypostatising +hypostatization +hypostatize +hypostatized +hypostatizing +hyposternal +hyposternum +hyposthenia +hyposthenic +hyposthenuria +hypostigma +hypostilbite +hypostyle +hypostypsis +hypostyptic +hypostoma +Hypostomata +hypostomatic +hypostomatous +hypostome +hypostomial +Hypostomides +hypostomous +hypostrophe +hyposulfite +hyposulfurous +hyposulphate +hyposulphite +hyposulphuric +hyposulphurous +hyposuprarenalism +hypotactic +hypotarsal +hypotarsus +hypotaxia +hypotaxic +hypotaxis +hypotension +hypotensions +hypotensive +hypotensor +hypotenusal +hypotenuse +hypotenuses +hypoth +hypoth. +hypothalami +hypothalamic +hypothalamus +hypothalli +hypothalline +hypothallus +hypothami +hypothec +hypotheca +hypothecal +hypothecary +hypothecate +hypothecated +hypothecater +hypothecates +hypothecating +hypothecation +hypothecative +hypothecator +hypothecatory +hypothecia +hypothecial +hypothecium +hypothecs +hypothenal +hypothenar +hypothenic +hypothenusal +hypothenuse +Hypotheria +hypothermal +hypothermy +hypothermia +hypothermic +hypotheses +hypothesi +hypothesis +hypothesise +hypothesised +hypothesiser +hypothesising +hypothesist +hypothesists +hypothesize +hypothesized +hypothesizer +hypothesizers +hypothesizes +hypothesizing +hypothetic +hypothetical +hypothetically +hypotheticalness +hypothetico-disjunctive +hypothetics +hypothetist +hypothetize +hypothetizer +hypothyreosis +hypothyroid +hypothyroidism +hypothyroids +hypotympanic +hypotype +hypotypic +hypotypical +hypotyposis +hypotony +hypotonia +hypotonic +hypotonically +hypotonicity +hypotonus +hypotoxic +hypotoxicity +hypotrachelia +hypotrachelium +hypotralia +Hypotremata +hypotrich +Hypotricha +Hypotrichida +hypotrichosis +hypotrichous +hypotrochanteric +hypotrochoid +hypotrochoidal +hypotrophy +hypotrophic +hypotrophies +hypotthalli +hypovalve +hypovanadate +hypovanadic +hypovanadious +hypovanadous +hypovitaminosis +hypoxanthic +hypoxanthine +hypoxemia +hypoxemic +hypoxia +hypoxias +hypoxic +Hypoxylon +Hypoxis +hypozeugma +hypozeuxis +Hypozoa +hypozoan +hypozoic +hipp- +Hippa +hippalectryon +Hippalus +hipparch +hipparchs +Hipparchus +Hipparion +Hippeastrum +hipped +hypped +Hippel +Hippelates +hippen +hipper +hippest +hippety-hop +hippety-hoppety +HIPPI +hippy +Hippia +hippian +Hippias +hippiater +hippiatry +hippiatric +hippiatrical +hippiatrics +hippiatrist +hippic +Hippidae +Hippidion +Hippidium +hippie +hippiedom +hippiedoms +hippiehood +hippiehoods +hippier +hippies +hippiest +hipping +hippish +hyppish +hipple +Hippo +hippo- +Hippobosca +hippoboscid +Hippoboscidae +hippocamp +hippocampal +hippocampi +hippocampine +hippocampus +Hippocastanaceae +hippocastanaceous +hippocaust +hippocentaur +hippocentauric +hippocerf +hippocoprosterol +hippocras +Hippocratea +Hippocrateaceae +hippocrateaceous +Hippocrates +Hippocratian +Hippocratic +Hippocratical +Hippocratism +Hippocrene +Hippocrenian +hippocrepian +hippocrepiform +Hippocurius +Hippodamas +hippodame +Hippodamia +hippodamous +hippodrome +hippodromes +hippodromic +hippodromist +hippogastronomy +Hippoglosinae +Hippoglossidae +Hippoglossus +hippogriff +hippogriffin +hippogryph +hippoid +Hippolyta +Hippolytan +hippolite +Hippolyte +hippolith +Hippolytidae +Hippolytus +Hippolochus +hippology +hippological +hippologist +hippomachy +hippomancy +hippomanes +Hippomedon +hippomelanin +Hippomenes +hippometer +hippometry +hippometric +Hipponactean +hipponosology +hipponosological +Hipponous +hippopathology +hippopathological +hippophagi +hippophagy +hippophagism +hippophagist +hippophagistical +hippophagous +hippophile +hippophobia +hippopod +hippopotami +hippopotamian +hippopotamic +Hippopotamidae +hippopotamine +hippopotamoid +hippopotamus +hippopotamuses +hippos +Hipposelinum +Hippothous +hippotigrine +Hippotigris +hippotomy +hippotomical +hippotomist +hippotragine +Hippotragus +hippurate +hippuria +hippuric +hippurid +Hippuridaceae +Hippuris +hippurite +Hippurites +hippuritic +Hippuritidae +hippuritoid +hippus +hip-roof +hip-roofed +hips +hip's +Hyps +hyps- +Hypseus +hipshot +hip-shot +hypsi- +hypsibrachycephaly +hypsibrachycephalic +hypsibrachycephalism +hypsicephaly +hypsicephalic +hypsicephalous +hypsidolichocephaly +hypsidolichocephalic +hypsidolichocephalism +hypsiliform +hypsiloid +Hypsilophodon +hypsilophodont +hypsilophodontid +Hypsilophodontidae +hypsilophodontoid +Hypsipyle +Hypsiprymninae +Hypsiprymnodontinae +Hypsiprymnus +Hypsistarian +hypsistenocephaly +hypsistenocephalic +hypsistenocephalism +Hypsistus +hypso- +hypsobathymetric +hypsocephalous +hypsochrome +hypsochromy +hypsochromic +hypsodont +hypsodonty +hypsodontism +hypsography +hypsographic +hypsographical +hypsoisotherm +hypsometer +hypsometry +hypsometric +hypsometrical +hypsometrically +hypsometrist +hypsophyll +hypsophyllar +hypsophyllary +hypsophyllous +hypsophyllum +hypsophobia +hypsophoeia +hypsophonous +hypsothermometer +hipster +hipsterism +hipsters +hypt +hypural +hipwort +hir +hirable +hyraces +hyraceum +Hyrachyus +hyraci- +hyracid +Hyracidae +hyraciform +Hyracina +Hyracodon +hyracodont +hyracodontid +Hyracodontidae +hyracodontoid +hyracoid +Hyracoidea +hyracoidean +hyracoidian +hyracoids +hyracothere +hyracotherian +Hyracotheriinae +Hyracotherium +hiragana +hiraganas +Hirai +Hiram +Hiramite +Hiranuma +Hirasuna +hyrate +hyrax +hyraxes +Hyrcan +Hyrcania +Hyrcanian +hircarra +hircic +hircin +hircine +hircinous +hircocerf +hircocervus +hircosity +hircus +hirdie-girdie +hirdum-dirdum +hire +hireable +hired +hireless +hireling +hirelings +hireman +Hiren +hire-purchase +hirer +hirers +HIRES +Hyrie +hiring +hirings +hirling +Hyrmina +hirmologion +hirmos +Hirneola +Hyrnetho +Hiro +hirofumi +Hirohito +hiroyuki +Hiroko +hirondelle +Hiroshi +Hiroshige +Hiroshima +hirotoshi +hirple +hirpled +hirples +hirpling +hirrient +Hirsch +Hirschfeld +hirse +hyrse +hirsel +hirseled +hirseling +hirselled +hirselling +hirsels +Hirsh +hirsle +hirsled +hirsles +hirsling +Hirst +hyrst +hirstie +hirsute +hirsuteness +hirsuties +hirsutism +hirsuto-rufous +hirsutulous +hirtch +Hirtella +hirtellous +Hyrtius +Hirudin +hirudinal +hirudine +Hirudinea +hirudinean +hirudiniculture +Hirudinidae +hirudinize +hirudinoid +hirudins +Hirudo +Hiruko +Hyrum +hirundine +Hirundinidae +hirundinous +Hirundo +Hyrup +Hirz +Hirza +HIS +Hisbe +Hiseville +hish +Hysham +hisingerite +hisis +hislopite +hisn +his'n +hyson +hysons +Hispa +Hispania +Hispanic +Hispanically +Hispanicisation +Hispanicise +Hispanicised +Hispanicising +Hispanicism +Hispanicization +Hispanicize +Hispanicized +Hispanicizing +hispanics +hispanidad +Hispaniola +Hispaniolate +Hispaniolize +hispanism +Hispanist +Hispanize +Hispano +hispano- +Hispano-american +Hispano-gallican +Hispano-german +Hispano-italian +Hispano-moresque +Hispanophile +Hispanophobe +hy-spy +hispid +hispidity +hispidulate +hispidulous +Hispinae +Hiss +Hissarlik +hissed +hissel +hisself +hisser +hissers +hisses +hissy +hissing +hissingly +hissings +Hissop +hyssop +hyssop-leaved +hyssops +Hyssopus +hissproof +hist +hist- +hyst- +hist. +Histadrut +histamin +histaminase +histamine +histaminergic +histamines +histaminic +histamins +hystazarin +histed +hister +hyster- +hysteralgia +hysteralgic +hysteranthous +hysterectomy +hysterectomies +hysterectomize +hysterectomized +hysterectomizes +hysterectomizing +hysterelcosis +hysteresial +hysteresis +hysteretic +hysteretically +hysteria +hysteriac +Hysteriales +hysteria-proof +hysterias +hysteric +hysterical +hysterically +hystericky +hysterics +hystericus +hysteriform +hysterioid +hystero- +Hysterocarpus +hysterocatalepsy +hysterocele +hysterocystic +hysterocleisis +hysterocrystalline +hysterodynia +hystero-epilepsy +hystero-epileptic +hystero-epileptogenic +hysterogen +hysterogenetic +hysterogeny +hysterogenic +hysterogenous +hysteroid +hysteroidal +hysterolaparotomy +hysterolysis +hysterolith +hysterolithiasis +hysterology +hysteromania +hysteromaniac +hysteromaniacal +hysterometer +hysterometry +hysteromyoma +hysteromyomectomy +hysteromorphous +hysteron +hysteroneurasthenia +hysteron-proteron +hystero-oophorectomy +hysteropathy +hysteropexy +hysteropexia +Hysterophyta +hysterophytal +hysterophyte +hysterophore +hysteroproterize +hysteroptosia +hysteroptosis +hysterorrhaphy +hysterorrhexis +hystero-salpingostomy +hysteroscope +hysterosis +hysterotely +hysterotome +hysterotomy +hysterotomies +hysterotraumatism +histidin +histidine +histidins +histie +histing +histiocyte +histiocytic +histioid +histiology +Histiophoridae +Histiophorus +histo- +histoblast +histochemic +histochemical +histochemically +histochemistry +histocyte +histoclastic +histocompatibility +histodiagnosis +histodialysis +histodialytic +histogen +histogenesis +histogenetic +histogenetically +histogeny +histogenic +histogenous +histogens +histogram +histograms +histogram's +histographer +histography +histographic +histographical +histographically +histographies +histoid +histolysis +histolytic +histology +histologic +histological +histologically +histologies +histologist +histologists +histometabasis +histomorphology +histomorphological +histomorphologically +histon +histonal +histone +histones +histonomy +histopathology +histopathologic +histopathological +histopathologically +histopathologist +histophyly +histophysiology +histophysiologic +histophysiological +Histoplasma +histoplasmin +histoplasmosis +history +historial +historian +historians +historian's +historiated +historic +historical +historically +historicalness +historician +historicism +historicist +historicity +historicize +historico- +historicocabbalistical +historicocritical +historicocultural +historicodogmatic +historico-ethical +historicogeographical +historicophilosophica +historicophysical +historicopolitical +historicoprophetic +historicoreligious +historics +historicus +historied +historier +histories +historiette +historify +historiograph +historiographer +historiographers +historiographership +historiography +historiographic +historiographical +historiographically +historiographies +historiology +historiological +historiometry +historiometric +historionomer +historious +history's +historism +historize +histotherapy +histotherapist +histothrombin +histotome +histotomy +histotomies +histotrophy +histotrophic +histotropic +histozyme +histozoic +hystriciasis +hystricid +Hystricidae +Hystricinae +hystricine +hystricism +hystricismus +hystricoid +hystricomorph +Hystricomorpha +hystricomorphic +hystricomorphous +histrio +Histriobdella +Histriomastix +histrion +histrionic +histrionical +histrionically +histrionicism +histrionics +histrionism +histrionize +Hystrix +hists +hit +Hitachi +hit-and-miss +hit-and-run +hitch +Hitchcock +hitched +hitchel +hitcher +hitchers +hitches +hitchhike +hitchhiked +hitchhiker +hitch-hiker +hitchhikers +hitchhikes +hitchhiking +hitchy +hitchier +hitchiest +hitchily +hitchiness +hitching +Hitchins +Hitchita +Hitchiti +hitchproof +Hite +hyte +hithe +hither +hythergraph +hithermost +hithertills +hitherto +hithertoward +hitherunto +hitherward +hitherwards +hit-in +Hitler +hitlerian +Hitlerism +Hitlerite +hitless +hit-off +hit-or-miss +hit-or-missness +Hitoshi +hit-run +hits +hit's +hit-skip +Hitt +hittable +Hittel +hitter +Hitterdal +hitters +hitter's +hitty-missy +hitting +hitting-up +Hittite +Hittitics +Hittitology +Hittology +Hiung-nu +HIV +hive +hived +hiveless +hivelike +hiver +hives +hiveward +hiving +Hivite +Hiwasse +Hiwassee +Hixson +Hixton +Hizar +hyzone +hizz +hizzie +hizzoner +HJ +Hjerpe +Hjordis +HJS +HK +HKJ +HL +HLBB +HLC +hld +Hler +HLHSR +Hlidhskjalf +Hliod +Hlithskjalf +HLL +Hloise +Hlorrithi +hlqn +Hluchy +HLV +HM +h'm +HMAS +HMC +HMI +hmm +HMOS +HMP +HMS +HMSO +HMT +HNC +HND +hny +HNPA +HNS +HO +hoactzin +hoactzines +hoactzins +Hoad +Hoag +hoagy +hoagie +hoagies +Hoagland +hoaming +Hoang +Hoangho +hoar +hoard +hoarded +hoarder +hoarders +hoarding +hoardings +hoards +hoardward +Hoare +hoared +hoarfrost +hoar-frost +hoar-frosted +hoarfrosts +hoarhead +hoarheaded +hoarhound +hoary +hoary-eyed +hoarier +hoariest +hoary-feathered +hoary-haired +hoaryheaded +hoary-headed +hoary-leaved +hoarily +hoariness +hoarinesses +hoarish +hoary-white +hoarness +hoars +hoarse +hoarsely +hoarsen +hoarsened +hoarseness +hoarsenesses +hoarsening +hoarsens +hoarser +hoarsest +hoarstone +hoar-stone +hoarwort +Hoashis +hoast +hoastman +hoatching +hoatzin +hoatzines +hoatzins +hoax +hoaxability +hoaxable +hoaxed +hoaxee +hoaxer +hoaxers +hoaxes +hoaxing +hoaxproof +hoazin +Hob +Hoban +hob-and-nob +Hobard +Hobart +hobbed +Hobbema +hobber +Hobbes +Hobbesian +hobbet +hobby +Hobbian +Hobbie +hobbies +hobbyhorse +hobby-horse +hobbyhorses +hobbyhorsical +hobbyhorsically +hobbyism +hobbyist +hobbyists +hobbyist's +hobbil +hobbyless +hobbing +hobbinoll +hobby's +Hobbism +Hobbist +Hobbistical +hobbit +hobble +hobblebush +hobble-bush +hobbled +hobbledehoy +hobbledehoydom +hobbledehoyhood +hobbledehoyish +hobbledehoyishness +hobbledehoyism +hobbledehoys +hobbledygee +hobbler +hobblers +hobbles +hobbly +hobbling +hobblingly +Hobbs +Hobbsville +Hobey +Hobgoblin +hobgoblins +Hobgood +hobhouchin +HOBIC +Hobie +hobiler +ho-bird +HOBIS +hobits +hoblike +hoblob +hobnail +hobnailed +hobnailer +hobnails +hobnob +hob-nob +hobnobbed +hobnobber +hobnobbing +hobnobs +hobo +hoboe +hoboed +hoboes +hoboing +hoboism +hoboisms +Hoboken +Hobomoco +hobos +Hobrecht +hobs +Hobson +hobson-jobson +hobthrush +hob-thrush +Hobucken +hoc +Hoccleve +hocco +hoch +Hochelaga +Hochheim +Hochheimer +hochhuth +Hochman +Hochpetsch +Hock +hockamore +hock-cart +Hockday +hock-day +hocked +hockey +hockeys +hockelty +Hockenheim +Hocker +hockers +Hockessin +hocket +hocky +Hocking +Hockingport +hockle +hockled +Hockley +hockling +hockmoney +Hockney +hocks +hockshin +hockshop +hockshops +Hocktide +hocus +hocused +hocuses +hocusing +hocus-pocus +hocus-pocused +hocus-pocusing +hocus-pocussed +hocus-pocussing +hocussed +hocusses +hocussing +hod +hodad +hodaddy +hodaddies +hodads +hodden +hoddens +hodder +hoddy +hoddy-doddy +hoddin +Hodding +hoddins +hoddypeak +hoddle +Hode +Hodeida +hodening +Hoder +Hodess +hodful +Hodge +Hodgen +Hodgenville +hodgepodge +hodge-podge +hodgepodges +hodge-pudding +Hodges +Hodgkin +Hodgkinson +hodgkinsonite +Hodgson +hodiernal +Hodler +hodman +hodmandod +hodmen +Hodmezovasarhely +hodograph +hodometer +hodometrical +hodophobia +hodoscope +Hodosh +hods +Hodur +hodure +Hoe +Hoebart +hoecake +hoe-cake +hoecakes +hoed +hoedown +hoedowns +hoeful +Hoeg +Hoehne +hoey +hoeing +hoelike +Hoem +Hoenack +Hoenir +hoe-plough +hoer +hoernesite +hoers +Hoes +hoe's +hoeshin +Hoeve +Hofei +Hofer +Hoff +Hoffa +Hoffarth +Hoffer +Hoffert +Hoffman +Hoffmann +Hoffmannist +Hoffmannite +Hoffmeister +Hofmann +Hofmannsthal +Hofstadter +Hofstetter +Hofuf +hog +hoga +Hogan +hogans +Hogansburg +Hogansville +Hogarth +Hogarthian +hogback +hog-backed +hogbacks +hog-brace +hogbush +hogchoker +hogcote +hog-cote +hog-deer +Hogeland +Hogen +Hogen-mogen +hog-faced +hog-fat +hogfish +hog-fish +hogfishes +hogframe +hog-frame +Hogg +hoggaster +hogged +hoggee +hogger +hoggerel +hoggery +hoggeries +hoggers +hogget +hoggets +hoggy +hoggie +hoggin +hogging +hogging-frame +hoggins +hoggish +hoggishly +hoggishness +hoggism +hoggler +hoggs +hoghead +hogherd +hoghide +hoghood +hogyard +Hogle +hoglike +hogling +hog-louse +hogmace +Hogmanay +hogmanays +hogmane +hog-maned +hogmanes +hogmenay +hogmenays +hogmolly +hogmollies +hog-mouthed +hog-necked +Hogni +hognose +hog-nose +hog-nosed +hognoses +hognut +hog-nut +hognuts +hogo +hogpen +hog-plum +hog-raising +hogreeve +hog-reeve +hogrophyte +hogs +hog's +hog's-back +hog-score +hogshead +hogsheads +hogship +hogshouther +hogskin +hog-skin +hogsteer +hogsty +hogsucker +hogtie +hog-tie +hogtied +hog-tied +hogtieing +hogties +hog-tight +hogtiing +hogtying +hogton +hog-trough +Hogue +hogward +hogwash +hog-wash +hogwashes +hogweed +hogweeds +hog-wild +hogwort +Hohe +Hohenlinden +Hohenlohe +Hohenstaufen +Hohenwald +Hohenzollern +Hohenzollernism +hohl-flute +hohn +hoho +ho-ho +Hohokam +Hohokus +ho-hum +Hoi +Hoy +Hoya +hoyas +hoick +hoicked +hoicking +hoicks +hoiden +hoyden +hoidened +hoydened +hoydenhood +hoidening +hoydening +hoidenish +hoydenish +hoydenishness +hoydenism +hoidens +hoydens +Hoye +hoihere +Hoylake +Hoyle +hoyles +Hoyleton +hoyman +hoin +hoys +Hoisch +hoise +hoised +hoises +hoising +Hoisington +hoist +hoist- +hoistaway +hoisted +hoister +hoisters +hoisting +hoistman +hoists +hoistway +hoit +Hoyt +hoity-toity +hoity-toityism +hoity-toitiness +hoity-toityness +Hoytville +Hojo +hoju +Hokah +Hokaltecan +Hokan +Hokan-Coahuiltecan +Hokan-Siouan +Hokanson +hoke +hoked +hokey +hokeyness +hokeypokey +hokey-pokey +hoker +hokerer +hokerly +hokes +Hokiang +hokier +hokiest +hokily +hokiness +hoking +Hokinson +hokypoky +hokypokies +Hokkaido +hokku +Hok-lo +Hokoto +hokum +hokums +Hokusai +HOL +hol- +Hola +Holabird +holagogue +holandry +holandric +Holarctic +holard +holards +holarthritic +holarthritis +holaspidean +Holbein +Holblitzell +Holbrook +Holbrooke +HOLC +holcad +Holcman +holcodont +Holcomb +Holcombe +Holconoti +Holcus +hold +holdable +holdall +hold-all +holdalls +holdback +hold-back +holdbacks +hold-clear +hold-down +Holden +holdenite +Holdenville +Holder +holder-forth +Holderlin +Holderness +holder-on +holders +holdership +holder-up +holdfast +holdfastness +holdfasts +holding +Holdingford +holdingly +holdings +holdman +hold-off +holdout +holdouts +holdover +holdovers +Holdredge +Holdrege +Holds +holdsman +holdup +hold-up +holdups +Hole +holeable +hole-and-comer +hole-and-corner +Holectypina +holectypoid +holed +hole-high +Holey +hole-in-corner +holeless +holeman +holeproof +holer +holes +holethnic +holethnos +holewort +holgate +Holgu +Holguin +Holi +holy +holia +holibut +holibuts +Holicong +Holiday +holyday +holy-day +holidayed +holidayer +holidaying +holidayism +holidaymaker +holiday-maker +holidaymaking +holiday-making +holidays +holiday's +holydays +holidam +holier +holier-than-thou +holies +holiest +Holyhead +holily +holy-minded +holy-mindedness +Holiness +holinesses +holing +holinight +Holinshed +Holyoake +Holyoke +holyokeite +Holyrood +holishkes +holism +holisms +holist +holistic +holistically +holystone +holystoned +holystones +holystoning +holists +holytide +holytides +holk +holked +holking +holks +holl +holla +Holladay +hollaed +Hollah +hollaing +hollaite +Holland +Hollandaise +Hollandale +Hollander +hollanders +Hollandia +Hollandish +hollandite +Hollands +Hollansburg +Hollantide +hollas +Holle +Holley +holleke +Hollenbeck +Hollenberg +holler +Holleran +hollered +hollering +Hollerith +Hollerman +hollers +Holli +Holly +Hollyanne +Holly-Anne +Hollybush +Holliday +Hollidaysburg +Hollie +hollies +Holliger +holly-green +hollyhock +hollyhocks +hollyleaf +holly-leaved +hollin +Hollinger +Hollingshead +Hollingsworth +Hollington +Hollins +holliper +Hollis +Hollister +Holliston +Hollytree +Hollywood +Hollywooder +Hollywoodian +Hollywoodish +Hollywoodite +Hollywoodize +hollo +holloa +holloaed +holloaing +holloas +hollock +holloed +holloes +holloing +Holloman +hollong +holloo +hollooed +hollooing +holloos +hollos +hollow +Holloway +holloware +hollow-back +hollow-backed +hollow-billed +hollow-cheeked +hollow-chested +hollowed +hollow-eyed +hollower +hollowest +hollowfaced +hollowfoot +hollow-footed +hollow-forge +hollow-forged +hollow-forging +hollow-fronted +hollow-ground +hollowhearted +hollow-hearted +hollowheartedness +hollow-horned +hollowing +hollow-jawed +hollowly +hollowness +hollownesses +hollow-pointed +hollowroot +hollow-root +hollows +hollow-toned +hollow-toothed +hollow-vaulted +Hollowville +hollow-voiced +hollowware +hollow-ware +Hollsopple +holluschick +holluschickie +Holm +Holman +Holman-Hunt +Holmann +holmberry +Holmdel +Holmen +Holmes +Holmesville +holmgang +holmia +holmic +holmium +holmiums +holm-oak +holmos +Holms +Holmsville +holm-tree +Holmun +Holna +holo- +holobaptist +holobenthic +holoblastic +holoblastically +holobranch +Holocaine +holocarpic +holocarpous +holocaust +holocaustal +holocaustic +holocausts +Holocene +holocentrid +Holocentridae +holocentroid +Holocentrus +Holocephala +holocephalan +Holocephali +holocephalian +holocephalous +Holochoanites +holochoanitic +holochoanoid +Holochoanoida +holochoanoidal +holochordate +holochroal +holoclastic +holocrine +holocryptic +holocrystalline +holodactylic +holodedron +Holodiscus +holoenzyme +Holofernes +hologamy +hologamous +hologastrula +hologastrular +hologyny +hologynic +hologynies +Holognatha +holognathous +hologonidia +hologonidium +hologoninidia +hologram +holograms +hologram's +holograph +holography +holographic +holographical +holographically +holographies +holographs +holohedral +holohedry +holohedric +holohedrism +holohedron +holohemihedral +holohyaline +holoku +hololith +holomastigote +Holometabola +holometabole +holometaboly +holometabolian +holometabolic +holometabolism +holometabolous +holometer +Holomyaria +holomyarian +Holomyarii +holomorph +holomorphy +holomorphic +holomorphism +holomorphosis +holoparasite +holoparasitic +Holophane +holophyte +holophytic +holophotal +holophote +holophotometer +holophrase +holophrases +holophrasis +holophrasm +holophrastic +holoplankton +holoplanktonic +holoplexia +holopneustic +holoproteide +holoptic +holoptychian +holoptychiid +Holoptychiidae +Holoptychius +holoquinoid +holoquinoidal +holoquinonic +holoquinonoid +holorhinal +holosaprophyte +holosaprophytic +holoscope +holosericeous +holoside +holosiderite +holosymmetry +holosymmetric +holosymmetrical +Holosiphona +holosiphonate +holosystematic +holosystolic +Holosomata +holosomatous +holospondaic +holostean +Holostei +holosteous +holosteric +Holosteum +holostylic +Holostomata +holostomate +holostomatous +holostome +holostomous +holothecal +holothoracic +Holothuria +holothurian +Holothuridea +holothurioid +Holothurioidea +Holothuroidea +holotype +holotypes +holotypic +holotony +holotonia +holotonic +holotrich +Holotricha +holotrichal +Holotrichida +holotrichous +holour +holozoic +holp +holpen +hols +holsom +Holst +Holstein +Holstein-Friesian +holsteins +holster +holstered +holsters +Holsworth +Holt +Holton +Holtorf +holts +Holtsville +Holtville +Holtwood +Holtz +Holub +holus-bolus +holw +Holzman +Hom +hom- +homacanth +Homadus +homage +homageable +homaged +homager +homagers +homages +homaging +Homagyrius +homagium +Homalin +Homalocenchrus +homalogonatous +homalographic +homaloid +homaloidal +Homalonotus +Homalopsinae +Homaloptera +Homalopterous +homalosternal +Homalosternii +Homam +Homans +homard +Homaridae +homarine +homaroid +Homarus +homatomic +homaxial +homaxonial +homaxonic +hombre +hombres +Homburg +homburgs +Home +home- +home-abiding +home-along +home-baked +homebody +homebodies +homeborn +home-born +homebound +homebred +home-bred +homebreds +homebrew +home-brew +homebrewed +home-brewed +home-bringing +homebuild +homebuilder +homebuilders +homebuilding +home-building +home-built +homecome +home-come +homecomer +homecoming +home-coming +homecomings +homecraft +homecroft +homecrofter +homecrofting +homed +Homedale +home-driven +home-dwelling +homefarer +home-faring +homefarm +home-fed +homefelt +home-felt +homefolk +homefolks +homegoer +home-going +homeground +home-growing +homegrown +home-grown +homey +homeyness +homekeeper +homekeeping +home-keeping +home-killed +homeland +homelander +homelands +homeless +homelessly +homelessness +homelet +homely +homelier +homeliest +homelife +homelike +homelikeness +homelily +homelyn +homeliness +homelinesses +homeling +home-loving +homelovingness +homemade +home-made +homemake +homemaker +homemakers +homemaker's +homemaking +homemakings +homeo- +homeoblastic +homeochromatic +homeochromatism +homeochronous +homeocrystalline +homeogenic +homeogenous +homeoid +homeoidal +homeoidality +homeokinesis +homeokinetic +homeomerous +homeomorph +homeomorphy +homeomorphic +homeomorphism +homeomorphisms +homeomorphism's +homeomorphous +homeopath +homeopathy +homeopathic +homeopathically +homeopathician +homeopathicity +homeopathies +homeopathist +homeophony +homeoplasy +homeoplasia +homeoplastic +homeopolar +homeosis +homeostases +homeostasis +homeostatic +homeostatically +homeostatis +homeotherapy +homeotherm +homeothermal +homeothermy +homeothermic +homeothermism +homeothermous +homeotic +homeotype +homeotypic +homeotypical +homeotransplant +homeotransplantation +homeown +homeowner +homeowners +home-owning +homeozoic +homeplace +Homer +home-raised +Homere +home-reared +homered +Homerian +Homeric +Homerical +Homerically +Homerid +Homeridae +Homeridian +homering +Homerist +homerite +Homerology +Homerologist +Homeromastix +homeroom +homerooms +homers +Homerus +Homerville +homes +home-sailing +homeseeker +home-sent +homesick +home-sick +homesickly +homesickness +home-sickness +homesicknesses +homesite +homesites +homesome +homespun +homespuns +homestay +home-staying +homestall +Homestead +homesteader +homesteaders +homesteads +homester +homestretch +homestretches +home-thrust +Hometown +hometowns +homeward +homeward-bound +homeward-bounder +homewardly +homewards +Homewood +homework +homeworker +homeworks +homewort +Homeworth +home-woven +homy +homichlophobia +homicidal +homicidally +homicide +homicides +homicidious +homicidium +homiculture +homier +homiest +homiform +homilete +homiletic +homiletical +homiletically +homiletics +homily +homiliary +homiliaries +homiliarium +homilies +homilist +homilists +homilite +homilize +hominal +hominem +homines +hominess +hominesses +homing +Hominy +Hominian +hominians +hominid +Hominidae +hominids +hominies +hominify +hominiform +hominine +hominisection +hominivorous +hominization +hominize +hominized +hominoid +hominoids +homish +homishness +hommack +hommage +homme +Hommel +hommock +hommocks +hommos +hommoses +Homo +homo- +homoanisaldehyde +homoanisic +homoarecoline +homobaric +homoblasty +homoblastic +homobront +homocarpous +homocategoric +homocentric +homocentrical +homocentrically +homocerc +homocercal +homocercality +homocercy +homocerebrin +homochiral +homochlamydeous +homochromatic +homochromatism +homochrome +homochromy +homochromic +homochromosome +homochromous +homochronous +homocycle +homocyclic +homoclinal +homocline +Homocoela +homocoelous +homocreosol +homodermy +homodermic +homodynamy +homodynamic +homodynamous +homodyne +homodont +homodontism +homodox +homodoxian +homodromal +homodrome +homodromy +homodromous +Homoean +Homoeanism +homoecious +homoeo- +homoeoarchy +homoeoblastic +homoeochromatic +homoeochronous +homoeocrystalline +homoeogenic +homoeogenous +homoeography +homoeoid +homoeokinesis +homoeomerae +homoeomeral +Homoeomeri +homoeomery +homoeomeria +homoeomerian +homoeomerianism +homoeomeric +homoeomerical +homoeomerous +homoeomorph +homoeomorphy +homoeomorphic +homoeomorphism +homoeomorphous +homoeopath +homoeopathy +homoeopathic +homoeopathically +homoeopathician +homoeopathicity +homoeopathist +homoeophyllous +homoeophony +homoeoplasy +homoeoplasia +homoeoplastic +homoeopolar +homoeosis +homoeotel +homoeoteleutic +homoeoteleuton +homoeotic +homoeotype +homoeotypic +homoeotypical +homoeotopy +homoeozoic +homoerotic +homoeroticism +homoerotism +homofermentative +homogametic +homogamy +homogamic +homogamies +homogamous +homogangliate +homogen +homogenate +homogene +homogeneal +homogenealness +homogeneate +homogeneity +homogeneities +homogeneity's +homogeneization +homogeneize +homogeneous +homogeneously +homogeneousness +homogeneousnesses +homogenesis +homogenetic +homogenetical +homogenetically +homogeny +homogenic +homogenies +homogenization +homogenize +homogenized +homogenizer +homogenizers +homogenizes +homogenizing +homogenous +homogentisic +homoglot +homogone +homogony +homogonies +homogonous +homogonously +homograft +homograph +homography +homographic +homographs +homohedral +homo-hetero-analysis +homoi- +homoio- +homoiotherm +homoiothermal +homoiothermy +homoiothermic +homoiothermism +homoiothermous +homoiousia +Homoiousian +Homoiousianism +homoiousious +homolateral +homolecithal +homolegalis +homolysin +homolysis +homolytic +homolog +homologal +homologate +homologated +homologating +homologation +homology +homologic +homological +homologically +homologies +homologise +homologised +homologiser +homologising +homologist +homologize +homologized +homologizer +homologizing +homologon +homologoumena +homologous +homolography +homolographic +homologs +homologue +homologumena +homolosine +homomallous +homomeral +homomerous +homometrical +homometrically +homomorph +Homomorpha +homomorphy +homomorphic +homomorphism +homomorphisms +homomorphism's +homomorphosis +homomorphous +Homoneura +homonid +homonym +homonymy +homonymic +homonymies +homonymity +homonymous +homonymously +homonyms +homonomy +homonomous +homonuclear +homo-organ +homoousia +Homoousian +Homoousianism +Homoousianist +Homoousiast +Homoousion +homoousious +homopathy +homopause +homoperiodic +homopetalous +homophene +homophenous +homophile +homophiles +homophyly +homophylic +homophyllous +homophobia +homophobic +homophone +homophones +homophony +homophonic +homophonically +homophonous +homophthalic +homopiperonyl +homoplasy +homoplasis +homoplasmy +homoplasmic +homoplassy +homoplast +homoplastic +homoplastically +homopolar +homopolarity +homopolic +homopolymer +homopolymerization +homopolymerize +homopter +Homoptera +homopteran +homopteron +homopterous +Homorelaps +homorganic +homos +Homosassa +homoscedastic +homoscedasticity +homoseismal +homosex +homosexual +homosexualism +homosexualist +homosexuality +homosexually +homosexuals +homosystemic +homosphere +homospory +homosporous +Homosteus +homostyled +homostyly +homostylic +homostylism +homostylous +homotactic +homotatic +homotaxeous +homotaxy +homotaxia +homotaxial +homotaxially +homotaxic +homotaxis +homothallic +homothallism +homotherm +homothermal +homothermy +homothermic +homothermism +homothermous +homothety +homothetic +homotypal +homotype +homotypy +homotypic +homotypical +homotony +homotonic +homotonous +homotonously +homotopy +homotopic +homotransplant +homotransplantation +homotropal +homotropous +homousian +homovanillic +homovanillin +Homovec +homoveratric +homoveratrole +homozygosis +homozygosity +homozygote +homozygotes +homozygotic +homozygous +homozygously +homozygousness +homrai +Homs +homuncio +homuncle +homuncular +homuncule +homunculi +homunculus +Hon +Honaker +Honan +honans +Honaunau +honcho +honchoed +honchos +Hond +Hond. +Honda +hondas +hondle +hondled +hondles +hondling +Hondo +Honduran +Honduranean +Honduranian +hondurans +Honduras +Hondurean +Hondurian +hone +Honeapath +Honebein +Honecker +honed +Honegger +Honey +honeyballs +honey-bear +honey-bearing +honeybee +honey-bee +honeybees +honeyberry +honeybind +honey-bird +honeyblob +honey-blond +honeybloom +honey-bloom +Honeybrook +honeybun +honeybunch +honeybuns +honey-buzzard +honey-color +honey-colored +honeycomb +honeycombed +honeycombing +honeycombs +honeycreeper +honeycup +honeydew +honey-dew +honeydewed +honeydews +honeydrop +honey-drop +honey-dropping +honey-eater +honey-eating +honeyed +honeyedly +honeyedness +honeyfall +honeyflower +honey-flower +honey-flowing +honeyfogle +honeyfugle +honeyful +honey-gathering +honey-guide +honeyhearted +honey-heavy +honey-yielding +honeying +honey-laden +honeyless +honeylike +honeylipped +honey-loaded +Honeyman +honeymonth +honey-month +honeymoon +honeymooned +honeymooner +honeymooners +honeymoony +honeymooning +honeymoonlight +honeymoons +honeymoonshine +honeymoonstruck +honeymouthed +honey-mouthed +honeypod +honeypot +honey-pot +honeys +honey-secreting +honey-stalks +honey-steeped +honeystone +honey-stone +honey-stored +honey-storing +honeystucker +honeysuck +honeysucker +honeysuckle +honeysuckled +honeysuckles +honeysweet +honey-sweet +honey-tasting +honey-tongued +Honeyville +honey-voiced +honeyware +Honeywell +Honeywood +honeywort +Honeoye +honer +honers +hones +Honesdale +honest +honester +honestest +honestete +honesty +honesties +honestly +honestness +honestone +honest-to-God +honewort +honeworts +Honfleur +Hong +hongkong +Hong-Kong +Hongleur +hongs +Honiara +honied +Honig +honily +honing +Honiton +honk +honked +honkey +honkeys +honker +honkers +honky +honkie +honkies +honking +honky-tonk +honkytonks +honks +Honna +Honniball +Honobia +Honokaa +Honolulu +Honomu +Honor +Honora +honorability +honorable +honorableness +honorables +honorableship +honorably +honorance +honorand +honorands +honorararia +honorary +honoraria +honoraries +honorarily +honorarium +honorariums +Honoraville +honor-bound +honored +honoree +honorees +honorer +honorers +honoress +honor-fired +honor-giving +Honoria +honorific +honorifical +honorifically +honorifics +Honorine +honoring +Honorius +honorless +honorous +honor-owing +honors +honorsman +honor-thirsty +honorworthy +Honour +Honourable +honourableness +honourably +honoured +honourer +honourers +honouring +honourless +honours +Hons +Honshu +hont +hontish +hontous +Honus +honzo +Hoo +Hooch +hooches +hoochinoo +hood +hoodcap +hood-crowned +hooded +hoodedness +hoodful +hoody +hoodie +hoodies +hooding +hoodle +hoodless +hoodlike +hoodlum +hoodlumish +hoodlumism +hoodlumize +hoodlums +hoodman +hoodman-blind +hoodmen +hoodmold +hood-mould +hoodoes +hoodoo +hoodooed +hoodooing +hoodooism +hoodoos +hoods +hood-shaped +hoodsheaf +hoodshy +hoodshyness +Hoodsport +hoodwink +hoodwinkable +hoodwinked +hoodwinker +hoodwinking +hoodwinks +hoodwise +hoodwort +hooey +hooeys +hoof +hoofbeat +hoofbeats +hoofbound +hoof-bound +hoof-cast +hoof-cut +hoofed +hoofer +hoofers +hoofy +hoofiness +hoofing +hoofish +hoofless +hooflet +hooflike +hoofmark +hoofmarks +hoof-plowed +hoofprint +hoof-printed +hoofrot +hoofs +hoof's +hoof-shaped +hoofworm +hoogaars +Hooge +Hoogh +Hooghly +hoo-ha +hooye +Hook +hooka +hookah +hookahs +hook-and-ladder +hook-armed +hookaroon +hookas +hook-backed +hook-beaked +hook-bill +hook-billed +hookcheck +Hooke +hooked +hookedness +hookedwise +hookey +hookeys +hookem-snivey +Hooker +Hookera +hookerman +hooker-off +hooker-on +hooker-out +hooker-over +hookers +Hookerton +hooker-up +hook-handed +hook-headed +hookheal +hooky +hooky-crooky +hookier +hookies +hookiest +hooking +hookish +hookland +hookless +hooklet +hooklets +hooklike +hookmaker +hookmaking +hookman +hooknose +hook-nose +hook-nosed +hooknoses +Hooks +hook-shaped +hookshop +hook-shouldered +hooksmith +hook-snouted +Hookstown +hookswinging +hooktip +hook-tipped +hookum +hookup +hook-up +hookups +hookupu +hookweed +hookwise +hookworm +hookwormer +hookwormy +hookworms +hool +hoolakin +hoolaulea +hoolee +Hoolehua +hooley +hooly +hoolie +hooligan +hooliganish +hooliganism +hooliganize +hooligans +hoolihan +hoolock +hoom +Hoon +hoondee +hoondi +hoonoomaun +hoop +Hoopa +hoop-back +hooped +Hoopen +Hooper +Hooperating +hooperman +hoopers +Hoopes +Hoopeston +hooping +hooping-cough +hoopla +hoop-la +hooplas +Hoople +hoopless +hooplike +hoopmaker +hoopman +hoopmen +hoopoe +hoopoes +hoopoo +hoopoos +hoop-petticoat +Hooppole +hoops +hoop-shaped +hoopskirt +hoopster +hoopsters +hoopstick +hoop-stick +hoopwood +hoorah +hoorahed +hoorahing +hoorahs +hooray +hoorayed +hooraying +hoorays +hooroo +hooroosh +hoose +hoosegow +hoosegows +hoosgow +hoosgows +hoosh +Hoosick +Hoosier +Hoosierdom +Hoosierese +Hoosierize +hoosiers +hoot +hootay +hootch +hootches +hootchie-kootchie +hootchy-kootch +hootchy-kootchy +hootchy-kootchies +hooted +hootenanny +hootenannies +hooter +hooters +hooty +hootier +hootiest +hooting +hootingly +hootmalalie +Hootman +Hooton +hoots +hoove +hooved +hoovey +Hooven +Hoover +Hooverism +Hooverize +Hooversville +Hooverville +hooves +hop +hop-about +hopak +Hopatcong +hopbind +hopbine +Hopbottom +hopbush +Hopcalite +hopcrease +Hope +hoped +Hopedale +hoped-for +hopeful +hopefully +hopefulness +hopefulnesses +hopefuls +Hopeh +Hopehull +Hopei +hopeite +Hopeland +hopeless +hopelessly +hopelessness +hopelessnesses +hoper +hopers +hopes +Hopestill +Hopeton +Hopewell +Hopfinger +hop-garden +hophead +hopheads +Hopi +hopyard +hop-yard +Hopin +hoping +hopingly +Hopis +Hopkins +Hopkinsian +Hopkinsianism +Hopkinson +Hopkinsonian +Hopkinsville +Hopkinton +Hopland +Hoples +hoplite +hoplites +hoplitic +hoplitodromos +hoplo- +Hoplocephalus +hoplology +hoplomachy +hoplomachic +hoplomachist +hoplomachos +Hoplonemertea +hoplonemertean +hoplonemertine +Hoplonemertini +hoplophoneus +hopoff +hop-o'-my-thumb +hop-o-my-thumb +Hoppe +hopped +hopped-up +Hopper +hopperburn +hoppercar +hopperdozer +hopperette +hoppergrass +hopperings +hopperman +hoppers +hopper's +hopper-shaped +hoppestere +hoppet +hoppy +hop-picker +hopping +hoppingly +hoppity +hoppytoad +hopple +hoppled +hopples +hoppling +hoppo +hops +hopsack +hop-sack +hopsacking +hop-sacking +hopsacks +hopsage +hopscotch +hopscotcher +hop-shaped +hopthumb +hoptoad +hoptoads +hoptree +hopvine +Hopwood +Hoquiam +hor +hor. +hora +Horace +Horacio +Horae +horah +horahs +horal +Horan +horary +horas +Horatia +Horatian +Horatii +horatiye +Horatio +horation +Horatius +horatory +horbachite +Horbal +Horcus +hordary +hordarian +horde +hordeaceous +hordeate +horded +hordeiform +hordein +hordeins +hordenine +hordeola +hordeolum +hordes +horde's +Hordeum +hording +hordock +Hordville +hore +Horeb +horehoond +horehound +horehounds +Horgan +hory +Horick +Horicon +Horim +horismology +Horite +horizometer +horizon +horizonal +horizonless +horizons +horizon's +horizontal +horizontalism +horizontality +horizontalization +horizontalize +horizontally +horizontalness +horizontic +horizontical +horizontically +horizonward +horkey +horla +Horlacher +horme +hormephobia +hormetic +hormic +hormigo +Hormigueros +hormion +Hormisdas +hormism +hormist +hormogon +Hormogonales +Hormogoneae +Hormogoneales +hormogonium +hormogonous +hormonal +hormonally +hormone +hormonelike +hormones +hormone's +hormonic +hormonize +hormonogenesis +hormonogenic +hormonoid +hormonology +hormonopoiesis +hormonopoietic +hormos +Hormuz +Horn +hornada +Hornbeak +hornbeam +hornbeams +Hornbeck +hornbill +hornbills +hornblende +hornblende-gabbro +hornblendic +hornblendite +hornblendophyre +Hornblower +hornbook +horn-book +hornbooks +Hornbrook +Horne +horned +hornedness +Horney +horn-eyed +Hornell +Horner +hornerah +hornero +Hornersville +hornet +hornety +hornets +hornet's +hornfair +hornfels +hornfish +horn-fish +horn-footed +hornful +horngeld +horny +Hornick +Hornie +hornier +horniest +hornify +hornification +hornified +horny-fingered +horny-fisted +hornyhanded +hornyhead +horny-hoofed +horny-knuckled +hornily +horniness +horning +horny-nibbed +hornish +hornist +hornists +hornito +horny-toad +Hornitos +hornkeck +hornless +hornlessness +hornlet +hornlike +horn-mad +horn-madness +hornmouth +hornotine +horn-owl +hornpipe +hornpipes +hornplant +horn-plate +hornpout +hornpouts +horn-rimmed +horn-rims +horns +Hornsby +horn-shaped +horn-silver +hornslate +hornsman +hornstay +Hornstein +hornstone +hornswaggle +hornswoggle +hornswoggled +hornswoggling +horntail +horntails +hornthumb +horntip +Horntown +hornweed +hornwood +horn-wood +hornwork +hornworm +hornworms +hornwort +hornworts +hornwrack +Horodko +horograph +horographer +horography +horokaka +horol +horol. +horologe +horologer +horologes +horology +horologia +horologic +horological +horologically +horologies +horologigia +horologiography +horologist +horologists +Horologium +horologue +horometer +horometry +horometrical +Horonite +horopito +horopter +horoptery +horopteric +horoscopal +horoscope +horoscoper +horoscopes +horoscopy +horoscopic +horoscopical +horoscopist +horotely +horotelic +Horouta +Horowitz +horrah +horray +horral +Horrebow +horrendous +horrendously +horrent +horrescent +horreum +horry +horribility +horrible +horribleness +horriblenesses +horribles +horribly +horrid +horridity +horridly +horridness +horrify +horrific +horrifically +horrification +horrified +horrifiedly +horrifies +horrifying +horrifyingly +horripilant +horripilate +horripilated +horripilating +horripilation +horrisonant +Horrocks +horror +horror-crowned +horror-fraught +horrorful +horror-inspiring +horrorish +horrorist +horrorize +horror-loving +horrormonger +horrormongering +horrorous +horrors +horror's +horrorsome +horror-stricken +horror-struck +hors +Horsa +horse +horse-and-buggy +horseback +horse-back +horsebacker +horsebacks +horsebane +horsebean +horse-bitten +horse-block +horse-boat +horseboy +horse-boy +horsebox +horse-box +horse-bread +horsebreaker +horse-breaker +horsebush +horsecar +horse-car +horsecars +horsecart +horse-chestnut +horsecloth +horsecloths +horse-collar +horse-coper +horse-corser +horse-course +horsecraft +horsed +horse-dealing +horsedom +horsedrawing +horse-drawn +horse-eye +horseess +horse-faced +horsefair +horse-fair +horsefeathers +horsefettler +horsefight +horsefish +horse-fish +horsefishes +horseflesh +horse-flesh +horsefly +horse-fly +horseflies +horseflower +horsefoot +horse-foot +horsegate +horse-godmother +horse-guard +Horse-guardsman +horsehair +horsehaired +horsehairs +horsehead +horse-head +Horseheads +horseheal +horseheel +horseherd +horsehide +horsehides +horse-hoe +horsehood +horsehoof +horse-hoof +horse-hour +Horsey +horseier +horseiest +horsejockey +horse-jockey +horsekeeper +horsekeeping +horselaugh +horse-laugh +horselaugher +horselaughs +horselaughter +horseleach +horseleech +horse-leech +horseless +horsely +horselike +horse-litter +horseload +horse-load +horselock +horse-loving +horse-mackerel +horseman +horsemanship +horsemanships +horse-marine +horse-master +horsemastership +horse-matcher +horsemen +horse-mill +horsemint +horse-mint +horsemonger +horsenail +horse-nail +Horsens +horse-owning +Horsepen +horsepipe +horseplay +horse-play +horseplayer +horseplayers +horseplayful +horseplays +horse-plum +horsepond +horse-pond +horsepower +horse-power +horsepower-hour +horsepower-year +horsepowers +horsepox +horse-pox +horser +horse-race +horseradish +horse-radish +horseradishes +horses +horse-scorser +horse-sense +horseshit +horseshoe +horseshoed +horseshoeing +horseshoer +horseshoers +horseshoes +horseshoe-shaped +horseshoing +horsetail +horse-tail +horsetails +horse-taming +horsetongue +Horsetown +horse-trade +horse-traded +horse-trading +horsetree +horseway +horseweed +horsewhip +horsewhipped +horsewhipper +horsewhipping +horsewhips +horsewoman +horsewomanship +horsewomen +horsewood +horsfordite +Horsham +horsy +horsier +horsiest +horsify +horsyism +horsily +horsiness +horsing +Horst +horste +horstes +horsts +Hort +hort. +Horta +hortation +hortative +hortatively +hortator +hortatory +hortatorily +Horten +Hortensa +Hortense +Hortensia +hortensial +Hortensian +Hortensius +Horter +hortesian +Horthy +hortyard +horticultor +horticultural +horticulturalist +horticulturally +horticulture +horticultures +horticulturist +horticulturists +hortite +Horton +hortonolite +Hortonville +hortorium +hortulan +Horus +Horvatian +Horvitz +Horwath +Horwitz +Hos +Hos. +Hosackia +hosanna +hosannaed +hosannah +hosannaing +hosannas +Hosbein +Hoschton +Hose +Hosea +hosebird +hosecock +hosed +Hoseia +Hosein +hose-in-hose +hosel +hoseless +hoselike +hosels +hoseman +hosen +hose-net +hosepipe +hoses +hose's +Hosfmann +Hosford +Hoshi +hosier +hosiery +hosieries +hosiers +hosing +hosiomartyr +Hoskins +Hoskinson +Hoskinston +Hosmer +hosp +hosp. +Hospers +hospice +hospices +hospita +hospitable +hospitableness +hospitably +hospitage +hospital +hospitalary +Hospitaler +Hospitalet +hospitalism +hospitality +hospitalities +hospitalization +hospitalizations +hospitalize +hospitalized +hospitalizes +hospitalizing +Hospitaller +hospitalman +hospitalmen +hospitals +hospital's +hospitant +hospitate +hospitation +hospitator +hospitia +hospitious +hospitium +hospitize +hospodar +hospodariat +hospodariate +hospodars +hoss +Hosston +Host +Hosta +hostage +hostaged +hostager +hostages +hostage's +hostageship +hostaging +hostal +hostas +hosted +hostel +hosteled +hosteler +hostelers +hosteling +hosteller +hostelling +hostelry +hostelries +hostels +hoster +hostess +hostessed +hostesses +hostessing +hostess's +hostess-ship +Hostetter +hostie +hostile +hostiley +hostilely +hostileness +hostiles +hostility +hostilities +hostilize +hosting +hostle +hostler +hostlers +hostlership +hostlerwife +hostless +hostly +hostry +hosts +hostship +hot +hot-air +hot-air-heat +hot-air-heated +Hotatian +hotbed +hotbeds +hot-blast +hotblood +hotblooded +hot-blooded +hot-bloodedness +hotbloods +hotbox +hotboxes +hot-brain +hotbrained +hot-breathed +hot-bright +hot-broached +hotcake +hotcakes +hotch +hotcha +hotched +hotches +hotching +Hotchkiss +hotchpot +hotchpotch +hotchpotchly +hotchpots +hot-cold +hot-deck +hot-dipped +hotdog +hot-dog +hotdogged +hotdogger +hotdogging +hotdogs +hot-draw +hot-drawing +hot-drawn +hot-drew +hot-dry +hote +Hotei +hot-eyed +hotel +hoteldom +hotelhood +hotelier +hoteliers +hotelization +hotelize +hotelkeeper +hotelless +hotelman +hotelmen +hotels +hotel's +hotelward +Hotevilla +hotfoot +hot-foot +hotfooted +hotfooting +hotfoots +hot-forged +hot-galvanize +hot-gospeller +hothead +hotheaded +hot-headed +hotheadedly +hotheadedness +hotheadednesses +hotheads +hothearted +hotheartedly +hotheartedness +hot-hoof +hothouse +hot-house +hothouses +hot-humid +hoti +Hotien +hotkey +hotly +hotline +hotlines +hot-livered +hotmelt +hot-mettled +hot-mix +hot-moist +hotmouthed +hotness +hotnesses +HOTOL +hotplate +hotpot +hot-pot +hotpress +hot-press +hotpressed +hot-presser +hotpresses +hotpressing +hot-punched +hotrod +hotrods +hot-roll +hot-rolled +hots +hot-short +hot-shortness +hotshot +hot-shot +hotshots +hotsy-totsy +hot-spirited +hot-spot +hot-spotted +hot-spotting +hotsprings +Hotspur +hotspurred +hotspurs +hot-stomached +hot-swage +hotta +hotted +hot-tempered +Hottentot +Hottentotese +Hottentotic +Hottentotish +Hottentotism +hotter +hottery +hottest +hottie +hotting +hottish +hottle +Hottonia +hot-vulcanized +hot-water-heat +hot-water-heated +hot-windy +hot-wire +hot-work +Hotze +hotzone +houbara +Houck +houdah +houdahs +Houdaille +Houdan +Houdini +Houdon +Hough +houghband +hougher +houghite +houghmagandy +houghsinew +hough-sinew +Houghton +Houghton-le-Spring +houhere +Houyhnhnm +Houlberg +houlet +Houlka +hoult +Houlton +Houma +houmous +hounce +Hound +hound-dog +hounded +hounder +hounders +houndfish +hound-fish +houndfishes +houndy +hounding +houndish +houndlike +houndman +hound-marked +hounds +houndsbane +houndsberry +hounds-berry +houndsfoot +houndshark +hound's-tongue +hound's-tooth +hounskull +Hounslow +houpelande +Houphouet-Boigny +houppelande +hour +hour-circle +hourful +hourglass +hour-glass +hourglasses +hourglass-shaped +houri +Hourigan +Hourihan +houris +hourless +hourly +hourlong +hour-long +Hours +housage +housal +Housatonic +House +houseball +houseboat +house-boat +houseboating +houseboats +houseboy +houseboys +housebote +housebound +housebreak +housebreaker +housebreakers +housebreaking +housebreaks +housebroke +housebroken +house-broken +housebrokenness +housebug +housebuilder +house-builder +housebuilding +house-cap +housecarl +houseclean +housecleaned +housecleaner +housecleaning +housecleanings +housecleans +housecoat +housecoats +housecraft +house-craft +housed +house-dog +house-dove +housedress +housefast +housefather +house-father +housefly +houseflies +housefly's +housefront +houseful +housefuls +housefurnishings +houseguest +house-headship +household +householder +householders +householdership +householding +householdry +households +household-stuff +househusband +househusbands +housey-housey +housekeep +housekeeper +housekeeperly +housekeeperlike +housekeepers +housekeeper's +housekeeping +housekept +housekkept +housel +Houselander +houseled +houseleek +houseless +houselessness +houselet +houselights +houseline +houseling +houselled +houselling +housels +housemaid +housemaidenly +housemaidy +housemaiding +housemaids +houseman +housemaster +housemastership +housemate +housemates +housemating +housemen +houseminder +housemistress +housemother +house-mother +housemotherly +housemothers +Housen +houseowner +housepaint +houseparent +housephone +house-place +houseplant +house-proud +Houser +house-raising +houseridden +houseroom +house-room +housers +houses +housesat +house-search +housesit +housesits +housesitting +housesmith +house-to-house +housetop +house-top +housetops +housetop's +house-train +houseward +housewares +housewarm +housewarmer +housewarming +house-warming +housewarmings +housewear +housewife +housewifely +housewifeliness +housewifelinesses +housewifery +housewiferies +housewifeship +housewifish +housewive +housewives +housework +houseworker +houseworkers +houseworks +housewrecker +housewright +housy +housing +housings +housling +Housman +houss +Houssay +housty +Houston +Houstonia +Housum +hout +houting +houtou +Houtzdale +houvari +houve +Hova +Hove +hovedance +Hovey +hovel +hoveled +hoveler +hoveling +hovelled +hoveller +hovelling +hovels +hovel's +Hoven +Hovenia +hover +hovercar +Hovercraft +hovercrafts +hovered +hoverer +hoverers +hovering +hoveringly +hoverly +hoverport +hovers +hovertrain +Hovland +HOW +howadji +Howard +howardite +Howardstown +Howarth +howbeit +howdah +howdahs +how-de-do +howder +howdy +howdy-do +howdie +howdied +how-d'ye-do +howdies +howdying +how-do-ye +how-do-ye-do +how-do-you-do +Howe +Howea +howe'er +Howey +howel +Howell +Howells +Howenstein +Howertons +Howes +however +howf +howff +howffs +howfing +howfs +howgates +Howie +howish +Howison +howitz +howitzer +howitzers +howk +howked +howker +howking +howkit +howks +howl +Howlan +Howland +howled +Howlend +howler +howlers +howlet +howlets +Howlyn +howling +howlingly +howlite +Howlond +howls +Howrah +hows +howsabout +howso +howsoever +howsomever +howsour +how-to +howtowdie +Howund +Howzell +hox +Hoxeyville +Hoxha +Hoxie +Hoxsie +HP +HPD +HPIB +hpital +HPLT +HPN +HPO +HPPA +HQ +HR +hr- +hr. +Hradcany +Hrault +Hrdlicka +hrdwre +HRE +Hreidmar +HRH +HRI +Hrimfaxi +HRIP +Hrolf +Hrothgar +Hrozny +hrs +Hruska +Hrutkay +Hrvatska +hrzn +HS +h's +HSB +HSC +HSFS +HSH +HSI +Hsia +Hsiamen +Hsia-men +Hsian +Hsiang +hsien +Hsingan +Hsingborg +Hsin-hai-lien +Hsining +Hsinking +HSLN +HSM +HSP +HSSDS +HST +H-steel +H-stretcher +Hsu +hsuan +HT +ht. +htel +Htindaw +Htizwe +HTK +Hts +HU +HUAC +huaca +Huachuca +huaco +Huai +Huai-nan +huajillo +Hualapai +Huambo +huamuchil +Huan +huanaco +Huang +huantajayite +Huanuco +huapango +huapangos +huarache +huaraches +huaracho +huarachos +Huaras +Huari +huarizo +Huascar +Huascaran +huashi +Huastec +Huastecan +Huastecs +Huave +Huavean +hub +Huba +hubb +hubba +hubbaboo +hub-band +hub-bander +hub-banding +Hubbard +Hubbardston +Hubbardsville +hubbed +Hubbell +hubber +hubby +hubbies +hubbing +Hubbite +Hubble +hubble-bubble +hubbly +hubbob +hub-boring +hubbub +hubbuboo +hubbubs +hubcap +hubcaps +hub-deep +Hube +Hubey +Huber +Huberman +Hubert +Huberty +Huberto +Hubertus +Hubertusburg +Hubie +Hubing +Hubli +hubmaker +hubmaking +hubnerite +hubris +hubrises +hubristic +hubristically +hubs +hub's +Hubsher +hubshi +hub-turning +Hucar +huccatoon +huchen +Huchnom +hucho +huck +huckaback +Huckaby +huckle +huckleback +hucklebacked +huckleberry +huckleberries +hucklebone +huckle-bone +huckles +huckmuck +hucks +huckster +hucksterage +huckstered +hucksterer +hucksteress +huckstery +huckstering +hucksterism +hucksterize +hucksters +huckstress +HUD +Huda +hudder-mudder +hudderon +Huddersfield +Huddy +Huddie +huddle +huddled +huddledom +huddlement +huddler +huddlers +huddles +Huddleston +huddling +huddlingly +huddock +huddroun +huddup +Hudgens +Hudgins +Hudibras +Hudibrastic +Hudibrastically +Hudis +Hudnut +Hudson +Hudsonia +Hudsonian +hudsonite +Hudsonville +Hue +Huebner +hued +hueful +huehuetl +Huei +Huey +Hueysville +Hueytown +hueless +huelessness +Huelva +huemul +huer +Huerta +hues +hue's +Huesca +Huesman +Hueston +Huff +huffaker +huffcap +huff-cap +huff-duff +huffed +huffer +huffy +huffier +huffiest +huffily +huffiness +huffing +huffingly +huffish +huffishly +huffishness +huffle +huffler +Huffman +huffs +huff-shouldered +huff-snuff +Hufnagel +Hufuf +hug +HUGE +huge-armed +huge-bellied +huge-bodied +huge-boned +huge-built +huge-grown +huge-horned +huge-jawed +Hugel +hugely +Hugelia +huge-limbed +hugelite +huge-looking +hugeness +hugenesses +hugeous +hugeously +hugeousness +huge-proportioned +Huger +hugest +huge-tongued +huggable +hugged +hugger +huggery +huggermugger +hugger-mugger +huggermuggery +hugger-muggery +hugger-muggeries +huggers +Huggin +hugging +huggingly +Huggins +huggle +Hugh +Hughes +Hugheston +Hughesville +Hughett +Hughie +Hughmanick +Hughoc +Hughson +Hughsonville +Hugi +hugy +Hugibert +Hugin +Hugli +hugmatee +hug-me-tight +Hugo +Hugoesque +Hugon +hugonis +Hugoton +hugs +hugsome +Huguenot +Huguenotic +Huguenotism +huguenots +Hugues +huh +Huhehot +Hui +huia +huic +Huichou +Huidobro +Huig +Huygenian +Huygens +huyghenian +Huyghens +Huila +huile +huipil +huipiles +huipilla +huipils +huisache +huiscoyol +huisher +Huysmans +huisquil +huissier +huitain +huitre +Huitzilopochtli +Hujsak +Huk +Hukawng +Hukbalahap +huke +Hukill +hula +Hula-Hoop +hula-hula +hulas +Hulbard +Hulbert +Hulbig +Hulburt +hulch +hulchy +Hulda +Huldah +huldee +Huldreich +Hulen +Hulett +huly +hulk +hulkage +hulked +hulky +hulkier +hulkiest +hulkily +hulkiness +hulking +hulkingly +hulkingness +hulks +Hull +hullaballoo +hullaballoos +hullabaloo +hullabaloos +Hullda +hulled +huller +hullers +hulling +hull-less +hullo +hulloa +hulloaed +hulloaing +hulloas +hullock +hulloed +hulloes +hulloing +hulloo +hullooed +hullooing +hulloos +hullos +hulls +hull's +Hulme +huloist +hulotheism +Hulsean +hulsite +hulster +Hultgren +Hultin +Hulton +hulu +Hulutao +hulver +hulverhead +hulverheaded +hulwort +Hum +Huma +Humacao +Humayun +human +humanate +humane +humanely +humaneness +humanenesses +humaner +humanest +human-headed +humanhood +humanics +humanify +humanification +humaniform +humaniformian +humanisation +humanise +humanised +humaniser +humanises +humanish +humanising +humanism +humanisms +humanist +humanistic +humanistical +humanistically +humanists +humanitary +humanitarian +humanitarianism +humanitarianisms +humanitarianist +humanitarianize +humanitarians +humanity +humanitian +humanities +humanitymonger +humanity's +humanization +humanizations +humanize +humanized +humanizer +humanizers +humanizes +humanizing +humankind +humankinds +humanly +humanlike +humanness +humannesses +humanoid +humanoids +humans +Humansville +Humarock +Humash +Humashim +humate +humates +humation +Humber +Humberside +Humbert +Humberto +Humbird +hum-bird +Humble +humblebee +humble-bee +humbled +humblehearted +humble-looking +humble-mannered +humble-minded +humble-mindedly +humble-mindedness +humblemouthed +humbleness +humblenesses +humbler +humblers +humbles +humble-spirited +humblesse +humblesso +humblest +humble-visaged +humbly +humblie +humbling +humblingly +humbo +Humboldt +Humboldtianum +humboldtilite +humboldtine +humboldtite +humbug +humbugability +humbugable +humbugged +humbugger +humbuggery +humbuggers +humbugging +humbuggism +humbug-proof +humbugs +humbuzz +humdinger +humdingers +humdrum +humdrumminess +humdrummish +humdrummishness +humdrumness +humdrums +humdudgeon +Hume +Humean +humect +humectant +humectate +humectation +humective +humeral +humerals +humeri +humermeri +humero- +humeroabdominal +humerocubital +humerodigital +humerodorsal +humerometacarpal +humero-olecranal +humeroradial +humeroscapular +humeroulnar +humerus +Humeston +humet +humettee +humetty +Humfrey +Humfrid +Humfried +humhum +humic +humicubation +humid +humidate +humidfied +humidfies +humidify +humidification +humidifications +humidified +humidifier +humidifiers +humidifies +humidifying +humidistat +humidity +humidities +humidityproof +humidity-proof +humidly +humidness +humidor +humidors +humify +humific +humification +humified +humifuse +humilation +humiliant +humiliate +humiliated +humiliates +humiliating +humiliatingly +humiliation +humiliations +humiliative +humiliator +humiliatory +humilific +humilis +humility +humilities +humilitude +humin +Humiria +Humiriaceae +Humiriaceous +Humism +Humist +humistratous +humit +humite +humiture +humlie +hummable +hummaul +hummed +Hummel +hummeler +Hummelstown +hummer +hummeri +hummers +hummie +humming +hummingbird +humming-bird +hummingbirds +hummingly +hummock +hummocky +hummocks +hummum +hummus +hummuses +Humnoke +Humo +humongous +humor +humoral +humoralism +humoralist +humoralistic +humored +humorer +humorers +humoresque +humoresquely +humorful +humorific +humoring +humorism +humorist +humoristic +humoristical +humorists +humorize +humorless +humorlessly +humorlessness +humorlessnesses +humorology +humorous +humorously +humorousness +humorousnesses +humorproof +humors +humorsome +humorsomely +humorsomeness +Humorum +humour +humoural +humoured +humourful +humouring +humourist +humourize +humourless +humourlessness +humours +humoursome +humous +Hump +Humpage +humpback +humpbacked +hump-backed +humpbacks +humped +Humperdinck +Humph +humphed +humphing +Humphrey +Humphreys +humphs +humpy +humpier +humpies +humpiest +humpiness +humping +humpless +humps +hump-shaped +hump-shoulder +hump-shouldered +humpty +humpty-dumpty +Humptulips +Hums +humstrum +humuhumunukunukuapuaa +humulene +humulon +humulone +Humulus +humus +humuses +humuslike +Hun +Hunan +Hunanese +hunch +Hunchakist +hunchback +hunchbacked +hunchbacks +hunched +hunches +hunchet +hunchy +hunching +hund +hunder +hundi +hundred +hundredal +hundredary +hundred-dollar +hundred-eyed +hundreder +hundred-feathered +hundredfold +hundred-footed +hundred-handed +hundred-headed +hundred-year +hundred-leaf +hundred-leaved +hundred-legged +hundred-legs +hundredman +hundred-mile +hundredpenny +hundred-percent +hundred-percenter +hundred-pound +hundred-pounder +hundreds +hundredth +hundredths +hundredweight +hundredweights +hundredwork +Huneker +hunfysh +Hunfredo +Hung +Hung. +hungar +Hungary +Hungaria +Hungarian +hungarians +hungaric +hungarite +Hunger +hunger-bit +hunger-bitten +hunger-driven +hungered +hungerer +Hungerford +hungering +hungeringly +hungerless +hungerly +hunger-mad +hunger-pressed +hungerproof +hungerroot +hungers +hunger-starve +hunger-stricken +hunger-stung +hungerweed +hunger-worn +Hungnam +hungry +hungrier +hungriest +hungrify +hungrily +hungriness +hung-up +hunh +Hunyadi +Hunyady +Hunyak +Hunk +Hunker +hunkered +hunkering +Hunkerism +Hunkerous +Hunkerousness +hunkers +hunky +hunky-dory +Hunkie +hunkies +Hunkpapa +hunks +hunk's +Hunley +Hunlike +hunner +Hunnewell +Hunnian +Hunnic +Hunnican +Hunnish +Hunnishness +huns +Hunsinger +Hunt +huntable +huntaway +hunted +huntedly +Hunter +Hunterian +hunterlike +Hunters +Huntersville +Huntertown +huntilite +hunting +Huntingburg +Huntingdon +Huntingdonshire +hunting-ground +huntings +Huntington +Huntingtown +Huntland +Huntlee +Huntley +Huntly +huntress +huntresses +Hunts +Huntsburg +huntsman +huntsman's-cup +huntsmanship +huntsmen +hunt's-up +Huntsville +huntswoman +Huoh +hup +Hupa +hupaithric +Hupeh +huppah +huppahs +Huppert +huppot +huppoth +Hura +hurcheon +Hurd +hurden +hurdies +hurdy-gurdy +hurdy-gurdies +hurdy-gurdyist +hurdy-gurdist +hurdis +Hurdland +hurdle +hurdled +hurdleman +hurdler +hurdlers +hurdles +hurdlewise +hurdling +hurds +Hurdsfield +hure +hureaulite +hureek +hurf +Hurff +hurgila +hurkaru +hurkle +hurl +hurlbarrow +hurlbat +hurl-bone +Hurlbut +hurled +Hurlee +Hurley +Hurleigh +hurleyhacket +hurley-hacket +hurleyhouse +hurleys +Hurleyville +hurlement +hurler +hurlers +Hurless +hurly +hurly-burly +hurly-burlies +hurlies +hurling +hurlings +Hurlock +Hurlow +hurlpit +hurls +hurlwind +Hurok +Huron +Huronian +hurr +hurrah +hurrahed +hurrahing +hurrahs +hurray +hurrayed +hurraying +hurrays +hurr-bur +hurrer +Hurri +hurry +Hurrian +hurry-burry +hurricane +hurricane-decked +hurricane-proof +hurricanes +hurricane's +hurricanize +hurricano +hurridly +hurried +hurriedly +hurriedness +hurrier +hurriers +hurries +hurrygraph +hurrying +hurryingly +hurryproof +Hurris +hurry-scurry +hurry-scurried +hurry-scurrying +hurry-skurry +hurry-skurried +hurry-skurrying +hurrisome +hurry-up +hurrock +hurroo +hurroosh +hursinghar +Hurst +Hurstmonceux +hursts +hurt +hurtable +hurted +hurter +hurters +hurtful +hurtfully +hurtfulness +Hurty +hurting +hurtingest +hurtle +hurtleberry +hurtleberries +hurtled +hurtles +hurtless +hurtlessly +hurtlessness +hurtling +hurtlingly +hurts +Hurtsboro +hurtsome +Hurwit +Hurwitz +Hus +Husain +husband +husbandable +husbandage +husbanded +husbander +husbandfield +husbandhood +husbanding +husbandland +husbandless +husbandly +husbandlike +husbandliness +husbandman +husbandmen +husbandress +husbandry +husbandries +husbands +husband's +husbandship +husband-to-be +huscarl +Husch +huse +Husein +hush +Husha +hushaby +hushable +hush-boat +hushcloth +hushed +hushedly +hushed-up +husheen +hushel +husher +hushes +hushful +hushfully +hush-hush +hushing +hushingly +hushion +hushllsost +hush-money +husho +hushpuppy +hushpuppies +husht +hush-up +Husk +Huskamp +huskanaw +husked +Huskey +huskened +husker +huskers +huskershredder +Husky +huskier +huskies +huskiest +huskily +huskiness +huskinesses +husking +huskings +Huskisson +husklike +huskroot +husks +husk-tomato +huskwort +huso +huspel +huspil +Huss +Hussar +hussars +Hussey +Hussein +Husser +Husserl +Husserlian +hussy +hussydom +hussies +hussyness +Hussism +Hussite +Hussitism +hust +husting +hustings +Hustisford +hustle +hustlecap +hustle-cap +hustled +hustlement +hustler +hustlers +hustles +hustling +Huston +Hustontown +Hustonville +Husum +huswife +huswifes +huswives +HUT +hutch +hutched +hutcher +hutches +Hutcheson +hutchet +hutchie +hutching +Hutchings +Hutchins +Hutchinson +Hutchinsonian +Hutchinsonianism +hutchinsonite +Hutchison +Huterian +HUTG +Huther +huthold +hutholder +hutia +hut-keep +hutkeeper +hutlet +hutlike +hutment +hutments +Hutner +hutre +huts +hut's +hut-shaped +Hutson +Hutsonville +Hutsulian +Hutt +Huttan +hutted +Hutterites +Huttig +hutting +Hutto +Hutton +Huttonian +Huttonianism +huttoning +Huttonsville +huttonweed +Hutu +hutukhtu +hutuktu +hutung +hutzpa +hutzpah +hutzpahs +hutzpas +huurder +huvelyk +Hux +Huxford +Huxham +Huxley +Huxleian +Huxleyan +Huxtable +huxter +huzoor +Huzvaresh +huzz +huzza +huzzaed +huzzah +huzzahed +huzzahing +huzzahs +huzzaing +huzzard +huzzas +huzzy +HV +HVAC +Hvar +Hvasta +hvy +HW +hw- +hwa +Hwaiyang +Hwajung +hwan +Hwang +Hwanghwatsun +Hwangmei +H-war +HWD +Hwelon +hwy +hwyl +HWM +hwt +Hwu +HZ +i +y +i' +i- +-i- +y- +i. +Y. +I.C. +I.C.S. +I.D. +i.e. +I.F.S. +I.M. +Y.M.C.A. +Y.M.H.A. +I.N.D. +I.O.O.F. +i.q. +I.R.A. +Y.T. +I.T.U. +I.V. +Y.W.C.A. +Y.W.H.A. +I.W.W. +i/c +I/O +ia +YA +ia- +Ia. +IAA +Yaakov +IAB +yaba +yabber +yabbered +yabbering +yabbers +yabbi +yabby +yabbie +yabble +Yablon +Yablonovoi +yaboo +yabu +Yabucoa +yacal +Yacano +yacare +yacata +YACC +yacca +Iacchic +Iacchos +Iacchus +yachan +Yachats +Iache +Iachimo +yacht +yacht-built +yachtdom +yachted +yachter +yachters +yachty +yachting +yachtings +yachtist +yachtman +yachtmanship +yachtmen +yachts +yachtsman +yachtsmanlike +yachtsmanship +yachtsmen +yachtswoman +yachtswomen +yack +yacked +yackety-yack +yackety-yak +yackety-yakked +yackety-yakking +yacking +yacks +Yacolt +Yacov +IAD +yad +yadayim +Yadava +IADB +yade +yadim +Yadkin +Yadkinville +IAEA +Iaeger +Yaeger +Yael +IAF +Yafa +yaff +yaffed +yaffil +yaffing +yaffingale +yaffle +yaffler +yaffs +Yafo +Yager +yagers +yagger +yaghourt +yagi +yagis +Yagnob +Iago +yagourundi +Yagua +yaguarundi +yaguas +yaguaza +IAH +yah +yahan +Yahata +Yahgan +Yahganan +Yahgans +Yahiya +Yahoo +Yahoodom +Yahooish +Yahooism +yahooisms +Yahoos +Yahrzeit +yahrzeits +Yahuna +Yahuskin +Yahve +Yahveh +Yahvist +Yahvistic +Yahwe +Yahweh +Yahwism +Yahwist +Yahwistic +yay +Yaya +Iain +yair +yaird +yairds +yays +yaje +yajein +yajeine +yajenin +yajenine +Yajna +Yajnavalkya +yajnopavita +Yajur-Veda +yak +Yaka +Yakala +yakalo +yakamik +Yakan +yakattalo +Yaker +yakety-yak +yakety-yakked +yakety-yakking +yak-yak +Yakima +yakin +yakity-yak +yakitori +yakitoris +yakka +yakked +yakker +yakkers +yakkety-yak +yakking +yakmak +yakman +Yakona +Yakonan +yaks +yaksha +yakshi +Yakut +Yakutat +Yakutsk +ial +Yalaha +yalb +yald +Yale +Yalensian +yali +Ialysos +Ialysus +yalla +yallaer +yallock +yallow +Ialmenus +Yalonda +Yalta +Yalu +IAM +Yam +Yama +Yamacraw +Yamagata +Yamaha +yamalka +yamalkas +Yamamadi +yamamai +yamanai +Yamani +Yamashita +yamaskite +Yamassee +Yamato +Yamato-e +iamatology +Yamauchi +iamb +Iambe +iambelegus +iambi +iambic +iambical +iambically +iambics +iambist +iambize +iambographer +iambs +iambus +iambuses +Yamel +yamen +yamens +Yameo +Yami +yamilke +Yamis +yammadji +yammer +yammered +yammerer +yammerers +yammering +yammerly +yammers +yamp +Yampa +yampee +yamph +yam-root +Iams +yams +yamshik +yamstchick +yamstchik +yamulka +yamulkas +yamun +yamuns +Iamus +ian +Yan +iana +Yana +yanacona +Yanan +Yanaton +Yance +Yancey +Yanceyville +Yancy +yancopin +Iand +Yand +yander +Yang +yanggona +yang-kin +Yangku +yangs +yangtao +Yangtze +Yangtze-Kiang +Yanina +Yank +yanked +Yankee +Yankeedom +Yankee-doodle +Yankee-doodledom +Yankee-doodleism +Yankeefy +Yankeefied +Yankeefying +Yankeeism +Yankeeist +Yankeeize +Yankeeland +Yankeeness +yankees +Yankeetown +yanker +yanky +yanking +yanks +Yankton +Yanktonai +Yann +yannam +Yannigan +Yannina +yanolite +yanqui +yanquis +Ianteen +Ianthe +Ianthina +ianthine +ianthinite +Yantic +Yantis +yantra +yantras +Ianus +iao +Yao +Yao-min +yaoort +Yaounde +yaourt +yaourti +Yap +yapa +Iapetus +Yaphank +Iapyges +Iapigia +Iapygian +Iapygii +Iapyx +yaply +Yapman +yapness +yapock +yapocks +yapok +yapoks +yapon +yapons +yapp +yapped +yapper +yappers +yappy +yappiness +yapping +yappingly +yappish +IAPPP +yaps +yapster +Yapur +yaqona +Yaqui +Yaquina +yar +yaray +Yarak +yarb +Iarbas +Yarborough +Yard +yardage +yardages +yardang +Iardanus +yardarm +yard-arm +yardarms +yardbird +yardbirds +yard-broad +yard-deep +yarded +yarder +yardful +yardgrass +yarding +yardkeep +yardland +yardlands +Yardley +yard-long +yardman +yardmaster +yardmasters +yard-measure +yardmen +yard-of-ale +Yards +yard's +yardsman +yard-square +yardstick +yardsticks +yardstick's +yard-thick +yardwand +yard-wand +yardwands +yard-wide +yardwork +yardworks +iare +yare +yarely +yarer +yarest +yareta +Iaria +yariyari +yark +Yarkand +yarke +yarkee +yarl +yarly +yarm +yarmalke +yarmelke +yarmelkes +Yarmouth +Yarmuk +yarmulka +yarmulke +yarmulkes +yarn +yarn-boiling +yarn-cleaning +yarn-dye +yarn-dyed +yarned +Yarnell +yarnen +yarner +yarners +yarning +yarn-measuring +yarn-mercerizing +yarns +yarn's +yarn-spinning +yarn-testing +yarnwindle +Yaron +Yaroslavl +iarovization +yarovization +iarovize +yarovize +iarovized +yarovized +iarovizing +yarovizing +yarpha +yarr +yarraman +yarramen +yarran +yarry +yarringle +yarrow +yarrows +yarth +yarthen +Yaru +Yarura +Yaruran +Yaruro +Yarvis +yarwhelp +yarwhip +IAS +yas +yashiro +yashmac +yashmacs +yashmak +yashmaks +Yasht +Yashts +Iasi +Iasion +iasis +yasmak +yasmaks +Yasmeen +Yasmin +Yasmine +Yasna +Yasnian +Iaso +Yassy +Yasu +Yasui +Yasuo +Iasus +yat +IATA +yatagan +yatagans +yataghan +yataghans +yatalite +ya-ta-ta +Yate +Yates +Yatesboro +Yatesville +yati +Yatigan +iatraliptic +iatraliptics +iatry +iatric +iatrical +iatrics +iatro- +iatrochemic +iatrochemical +iatrochemically +iatrochemist +iatrochemistry +iatrogenic +iatrogenically +iatrogenicity +iatrology +iatrological +iatromathematical +iatromathematician +iatromathematics +iatromechanical +iatromechanist +iatrophysical +iatrophysicist +iatrophysics +iatrotechnics +IATSE +yatter +yattered +yattering +yatters +Yatvyag +Yatzeck +IAU +Yauapery +IAUC +Yauco +yaud +yauds +yauld +Yaunde +yaup +yauped +yauper +yaupers +yauping +yaupon +yaupons +yaups +yautia +yautias +yava +Yavapai +Yavar +Iaverne +yaw +Yawata +yawed +yawey +yaw-haw +yawy +yaw-yaw +yawing +Yawkey +yawl +yawled +yawler +yawling +yawl-rigged +yawls +yawlsman +yawmeter +yawmeters +yawn +yawned +yawney +yawner +yawners +yawnful +yawnfully +yawny +yawnily +yawniness +yawning +yawningly +yawnproof +yawns +yawnups +yawp +yawped +yawper +yawpers +yawping +yawpings +yawps +yawroot +yaws +yawshrub +yaw-sighted +yaw-ways +yawweed +yaxche +y-axes +y-axis +yazata +Yazbak +Yazd +Yazdegerdian +Yazoo +IB +YB +ib. +IBA +Ibad +Ibada +Ibadan +Ibadhi +Ibadite +Ibagu +y-bake +Iban +Ibanag +Ibanez +Ibapah +Ibaraki +Ibarruri +Ibbetson +Ibby +Ibbie +Ibbison +I-beam +Iberes +Iberi +Iberia +Iberian +iberians +Iberic +Iberis +Iberism +iberite +Ibero- +Ibero-aryan +Ibero-celtic +Ibero-insular +Ibero-pictish +Ibert +IBEW +ibex +ibexes +Ibibio +ibices +Ibycter +Ibycus +ibid +ibid. +ibidem +Ibididae +Ibidinae +ibidine +Ibidium +Ibilao +ibility +ibis +ibisbill +ibises +Ibiza +ible +y-blend +y-blenny +y-blennies +yblent +y-blent +Iblis +IBM +IBN +ibn-Batuta +ibn-Rushd +ibn-Saud +ibn-Sina +Ibo +ibogaine +ibolium +Ibos +ibota +Ibrahim +IBRD +Ibsen +Ibsenian +Ibsenic +Ibsenish +Ibsenism +Ibsenite +Ibson +IBTCWH +I-bunga +ibuprofen +ic +ICA +ICAAAA +Icacinaceae +icacinaceous +icaco +Icacorea +ical +ically +ICAN +ICAO +Icard +Icaria +Icarian +Icarianism +Icarius +Icarus +icasm +y-cast +ICB +ICBM +ICBW +ICC +ICCC +ICCCM +ICD +ice +Ice. +iceberg +icebergs +iceberg's +ice-bird +ice-blind +iceblink +iceblinks +iceboat +ice-boat +iceboater +iceboating +iceboats +ice-bolt +icebone +icebound +ice-bound +icebox +iceboxes +icebreaker +ice-breaker +icebreakers +ice-breaking +ice-brook +ice-built +icecap +ice-cap +ice-capped +icecaps +ice-chipping +ice-clad +ice-cold +ice-cool +ice-cooled +ice-covered +icecraft +ice-cream +ice-crushing +ice-crusted +ice-cube +ice-cubing +ice-cutting +iced +ice-encrusted +ice-enveloped +icefall +ice-fall +icefalls +ice-field +icefish +icefishes +ice-floe +ice-foot +ice-free +ice-green +ice-hill +ice-hook +icehouse +ice-house +icehouses +ice-imprisoned +ice-island +icekhana +icekhanas +Icel +Icel. +ice-laid +Iceland +Icelander +icelanders +Icelandian +Icelandic +iceleaf +iceless +Icelidae +icelike +ice-locked +Icelus +iceman +ice-master +icemen +ice-mountain +Iceni +Icenic +icepick +ice-plant +ice-plough +icequake +Icerya +iceroot +icers +ices +ice-scoured +ice-sheet +iceskate +ice-skate +iceskated +ice-skated +iceskating +ice-skating +icespar +ice-stream +icework +ice-work +ICFTU +ich +Ichabod +Ichang +ichebu +IChemE +ichibu +Ichinomiya +ichn- +Ichneumia +ichneumon +ichneumon- +ichneumoned +Ichneumones +ichneumonid +Ichneumonidae +ichneumonidan +Ichneumonides +ichneumoniform +ichneumonized +ichneumonoid +Ichneumonoidea +ichneumonology +ichneumous +ichneutic +ichnite +ichnites +ichnography +ichnographic +ichnographical +ichnographically +ichnographies +ichnolite +ichnolithology +ichnolitic +ichnology +ichnological +ichnomancy +icho +ichoglan +ichor +ichorous +ichorrhaemia +ichorrhea +ichorrhemia +ichorrhoea +ichors +Y-chromosome +ichs +ichth +ichthammol +ichthy- +ichthyal +ichthyian +ichthyic +ichthyician +ichthyism +ichthyisms +ichthyismus +ichthyization +ichthyized +ichthyo- +ichthyobatrachian +Ichthyocentaur +Ichthyocephali +ichthyocephalous +ichthyocol +ichthyocolla +ichthyocoprolite +Ichthyodea +Ichthyodectidae +ichthyodian +ichthyodont +ichthyodorylite +ichthyodorulite +ichthyofauna +ichthyofaunal +ichthyoform +ichthyographer +ichthyography +ichthyographia +ichthyographic +ichthyographies +ichthyoid +ichthyoidal +Ichthyoidea +Ichthyol +ichthyol. +ichthyolatry +ichthyolatrous +ichthyolite +ichthyolitic +ichthyology +ichthyologic +ichthyological +ichthyologically +ichthyologies +ichthyologist +ichthyologists +ichthyomancy +ichthyomania +ichthyomantic +Ichthyomorpha +ichthyomorphic +ichthyomorphous +ichthyonomy +ichthyopaleontology +ichthyophagan +ichthyophagi +ichthyophagy +ichthyophagian +ichthyophagist +ichthyophagize +ichthyophagous +ichthyophile +ichthyophobia +ichthyophthalmite +ichthyophthiriasis +ichthyophthirius +ichthyopolism +ichthyopolist +ichthyopsid +Ichthyopsida +ichthyopsidan +Ichthyopterygia +ichthyopterygian +ichthyopterygium +Ichthyornis +Ichthyornithes +ichthyornithic +Ichthyornithidae +Ichthyornithiformes +ichthyornithoid +ichthyosaur +Ichthyosauria +ichthyosaurian +ichthyosaurid +Ichthyosauridae +ichthyosauroid +Ichthyosaurus +ichthyosauruses +ichthyosiform +ichthyosis +ichthyosism +ichthyotic +Ichthyotomi +ichthyotomy +ichthyotomist +ichthyotomous +ichthyotoxin +ichthyotoxism +ichthys +ichthytaxidermy +ichthulin +ichthulinic +ichthus +ichu +ichulle +ICI +icy +ician +icica +icicle +icicled +icicles +icy-cold +ycie +icier +iciest +icily +iciness +icinesses +icing +icings +icity +ICJ +ick +Icken +icker +ickers +Ickes +Ickesburg +icky +ickier +ickiest +ickily +ickiness +ickle +ICL +YCL +yclad +ycleped +ycleping +yclept +y-clept +ICLID +ICM +ICMP +icod +i-come +ICON +icon- +icones +Iconian +iconic +iconical +iconically +iconicity +iconism +Iconium +iconize +icono- +iconoclasm +iconoclasms +iconoclast +iconoclastic +iconoclastically +iconoclasticism +iconoclasts +iconodule +iconoduly +iconodulic +iconodulist +iconograph +iconographer +iconography +iconographic +iconographical +iconographically +iconographies +iconographist +iconolagny +iconolater +iconolatry +iconolatrous +iconology +iconological +iconologist +iconomachal +iconomachy +iconomachist +iconomania +iconomatic +iconomatically +iconomaticism +iconomatography +iconometer +iconometry +iconometric +iconometrical +iconometrically +iconophile +iconophily +iconophilism +iconophilist +iconoplast +Iconoscope +iconostas +iconostases +iconostasion +iconostasis +iconotype +icons +iconv +iconvert +icos- +icosaheddra +icosahedra +icosahedral +icosahedron +icosahedrons +Icosandria +icosasemic +icosian +icositedra +icositetrahedra +icositetrahedron +icositetrahedrons +icosteid +Icosteidae +icosteine +Icosteus +icotype +ICP +ICRC +i-cried +ics +ICSC +ICSH +ICST +ICT +icteric +icterical +icterics +Icteridae +icterine +icteritious +icteritous +icterode +icterogenetic +icterogenic +icterogenous +icterohematuria +icteroid +icterous +icterus +icteruses +ictic +Ictinus +Ictonyx +ictuate +ictus +ictuses +id +I'd +yd +id. +IDA +Idabel +idae +Idaea +Idaean +idaein +Idaho +Idahoan +idahoans +yday +Idaic +Idalia +Idalian +Idalina +Idaline +Ydalir +Idalla +Idalou +Idamay +idan +Idanha +idant +Idas +Idaville +IDB +IDC +idcue +iddat +IDDD +Idden +iddhi +Iddio +Iddo +ide +IDEA +idea'd +ideaed +ideaful +ideagenous +ideaistic +ideal +idealess +idealy +idealisation +idealise +idealised +idealiser +idealises +idealising +idealism +idealisms +idealist +idealistic +idealistical +idealistically +idealists +ideality +idealities +idealization +idealizations +idealization's +idealize +idealized +idealizer +idealizes +idealizing +idealless +ideally +idealness +idealogy +idealogical +idealogies +idealogue +ideals +ideamonger +Idean +ideas +idea's +ideata +ideate +ideated +ideates +ideating +ideation +ideational +ideationally +ideations +ideative +ideatum +idee +ideefixe +idee-force +idee-maitresse +ideist +Idel +Ideler +Idelia +Idell +Idelle +Idelson +idem +idemfactor +idempotency +idempotent +idems +Iden +idence +idenitifiers +ident +identic +identical +identicalism +identically +identicalness +identies +identifer +identifers +identify +identifiability +identifiable +identifiableness +identifiably +identific +identification +identificational +identifications +identified +identifier +identifiers +identifies +identifying +Identikit +identism +identity +identities +identity's +ideo +ideo- +ideogenetic +ideogeny +ideogenical +ideogenous +ideoglyph +ideogram +ideogramic +ideogrammatic +ideogrammic +ideograms +ideograph +ideography +ideographic +ideographical +ideographically +ideographs +ideokinetic +ideolatry +ideolect +ideology +ideologic +ideological +ideologically +ideologies +ideologise +ideologised +ideologising +ideologist +ideologize +ideologized +ideologizing +ideologue +ideomania +ideomotion +ideomotor +ideoogist +ideophobia +ideophone +ideophonetics +ideophonous +ideoplasty +ideoplastia +ideoplastic +ideoplastics +ideopraxist +ideotype +ideo-unit +Ider +ides +idesia +idest +ideta +Idette +Idewild +IDF +idgah +Idhi +IDI +idiasm +idic +idigbo +idyl +idyler +idylian +idylism +idylist +idylists +idylize +idyll +idyller +idyllia +idyllian +idyllic +idyllical +idyllically +idyllicism +idyllion +idyllist +idyllists +idyllium +idylls +Idyllwild +idyls +idin +idio- +idiobiology +idioblast +idioblastic +idiochromatic +idiochromatin +idiochromosome +idiocy +idiocyclophanous +idiocies +idiocrasy +idiocrasies +idiocrasis +idiocratic +idiocratical +idiocratically +idiodynamic +idiodynamics +idioelectric +idioelectrical +Idiogastra +idiogenesis +idiogenetic +idiogenous +idioglossia +idioglottic +idiogram +idiograph +idiographic +idiographical +idiohypnotism +idiolalia +idiolatry +idiolect +idiolectal +idiolects +idiolysin +idiologism +idiom +idiomatic +idiomatical +idiomatically +idiomaticalness +idiomaticity +idiomaticness +idiomelon +idiometer +idiomography +idiomology +idiomorphic +idiomorphically +idiomorphic-granular +idiomorphism +idiomorphous +idioms +idiomuscular +idion +idiopathetic +idiopathy +idiopathic +idiopathical +idiopathically +idiopathies +idiophanism +idiophanous +idiophone +idiophonic +idioplasm +idioplasmatic +idioplasmic +idiopsychology +idiopsychological +idioreflex +idiorepulsive +idioretinal +idiorrhythmy +idiorrhythmic +idiorrhythmism +Idiosepiidae +Idiosepion +idiosyncracy +idiosyncracies +idiosyncrasy +idiosyncrasies +idiosyncrasy's +idiosyncratic +idiosyncratical +idiosyncratically +idiosome +idiospasm +idiospastic +idiostatic +idiot +idiotcy +idiotcies +idiothalamous +idiothermy +idiothermic +idiothermous +idiotic +idiotical +idiotically +idioticalness +idioticon +idiotype +idiotypic +idiotise +idiotised +idiotish +idiotising +idiotism +idiotisms +idiotize +idiotized +idiotizing +idiotry +idiotropian +idiotropic +idiots +idiot's +idiozome +Idism +Idist +Idistic +Iditarod +idite +iditol +idium +IDL +idle +idleby +idle-brained +idled +Idledale +idleful +idle-handed +idleheaded +idle-headed +idlehood +idle-looking +Idleman +idlemen +idlement +idle-minded +idleness +idlenesses +idle-pated +idler +idlers +idles +idleset +idleship +idlesse +idlesses +idlest +idlety +Idlewild +idle-witted +idly +idling +idlish +IDM +Idmon +IDN +Ido +idocrase +idocrases +Idoism +Idoist +Idoistic +idol +Idola +Idolah +idolaster +idolastre +idolater +idolaters +idolator +idolatress +idolatry +idolatric +idolatrical +idolatries +idolatrise +idolatrised +idolatriser +idolatrising +idolatrize +idolatrized +idolatrizer +idolatrizing +idolatrous +idolatrously +idolatrousness +idolet +idolify +idolisation +idolise +idolised +idoliser +idolisers +idolises +idolish +idolising +idolism +idolisms +idolist +idolistic +idolization +idolize +idolized +idolizer +idolizers +idolizes +idolizing +Idolla +idolo- +idoloclast +idoloclastic +idolodulia +idolographical +idololater +idololatry +idololatrical +idolomancy +idolomania +idolon +idolothyte +idolothytic +idolous +idols +idol's +idolum +Idomeneo +Idomeneus +Idona +Idonah +Idonea +idoneal +idoneity +idoneities +idoneous +idoneousness +Idonna +idorgan +idosaccharic +idose +Idotea +Idoteidae +Idothea +Idotheidae +Idou +Idoux +IDP +Idria +idrialin +idrialine +idrialite +idryl +Idris +Idrisid +Idrisite +idrosis +IDS +yds +Idumaea +Idumaean +Idumea +Idumean +Idun +Iduna +IDV +IDVC +Idzik +ie +ye +ie- +yea +yea-and-nay +yea-and-nayish +Yeaddiss +Yeager +Yeagertown +yeah +yeah-yeah +yealing +yealings +yean +yea-nay +yeaned +yeaning +yeanling +yeanlings +yeans +yeaoman +year +yeara +year-around +yearbird +yearbook +year-book +yearbooks +year-born +year-counted +yeard +yearday +year-daimon +year-demon +yeared +yearend +year-end +yearends +yearful +Yeargain +yearly +yearlies +yearling +yearlings +yearlong +year-long +year-marked +yearn +yearned +yearner +yearners +yearnful +yearnfully +yearnfulness +yearning +yearningly +yearnings +yearnling +yearns +yearock +year-old +year-round +years +year's +yearth +Yearwood +yeas +yeasayer +yea-sayer +yeasayers +yea-saying +yeast +yeast-bitten +yeasted +yeasty +yeastier +yeastiest +yeastily +yeastiness +yeasting +yeastless +yeastlike +yeasts +yeast's +yeat +yeather +Yeaton +Yeats +Yeatsian +IEC +yecch +yecchy +yecchs +yech +yechy +yechs +Yecies +yed +Ieda +yedding +yede +yederly +Yedo +IEE +Yee +yeech +IEEE +yeel +yeelaman +yeelin +yeelins +yees +yeeuch +yeeuck +Yefremov +yegg +yeggman +yeggmen +yeggs +yeguita +Yeh +Yehudi +Yehudit +Iey +Ieyasu +Yeisk +Yekaterinburg +Yekaterinodar +Yekaterinoslav +yeld +yeldrin +yeldrine +yeldring +yeldrock +yelek +Yelena +Ielene +Yelich +Yelisavetgrad +Yelisavetpol +yelk +yelks +yell +yelled +yeller +yellers +yelly-hoo +yelly-hooing +yelling +yelloch +yellow +yellowammer +yellow-aproned +yellow-armed +yellowback +yellow-backed +yellow-banded +yellowbark +yellow-bark +yellow-barked +yellow-barred +yellow-beaked +yellow-bearded +yellowbelly +yellow-belly +yellowbellied +yellow-bellied +yellowbellies +yellowberry +yellowberries +yellowbill +yellow-billed +yellowbird +yellow-black +yellow-blossomed +yellow-blotched +yellow-bodied +yellow-breasted +yellow-browed +yellow-brown +yellowcake +yellow-capped +yellow-centered +yellow-checked +yellow-cheeked +yellow-chinned +yellow-collared +yellow-colored +yellow-complexioned +yellow-covered +yellow-crested +yellow-cross +yellowcrown +yellow-crowned +yellowcup +yellow-daisy +yellow-dye +yellow-dyed +yellow-dog +yellow-dotted +yellow-dun +yellow-eared +yellow-earth +yellowed +yellow-eye +yellow-eyed +yellower +yellowest +yellow-faced +yellow-feathered +yellow-fever +yellowfin +yellow-fin +yellow-fingered +yellow-finned +yellowfish +yellow-flagged +yellow-fleeced +yellow-fleshed +yellow-flowered +yellow-flowering +yellow-footed +yellow-fringed +yellow-fronted +yellow-fruited +yellow-funneled +yellow-girted +yellow-gloved +yellow-green +yellow-haired +yellowhammer +yellow-hammer +yellow-handed +yellowhead +yellow-headed +yellow-hilted +yellow-horned +yellow-hosed +yellowy +yellowing +yellowish +yellowish-amber +yellowish-brown +yellowish-colored +yellowish-gold +yellowish-gray +yellowish-green +yellowish-green-yellow +yellowish-haired +yellowishness +yellowish-orange +yellowish-pink +yellowish-red +yellowish-red-yellow +yellowish-rose +yellowish-skinned +yellowish-tan +yellowish-white +yellow-jerkined +Yellowknife +yellow-labeled +yellow-leaved +yellow-legged +yellow-legger +yellow-legginged +yellowlegs +yellow-lettered +yellowly +yellow-lit +yellow-locked +yellow-lustered +yellowman +yellow-maned +yellow-marked +yellow-necked +yellowness +yellow-nosed +yellow-olive +yellow-orange +yellow-painted +yellow-papered +yellow-pyed +yellow-pinioned +yellow-rayed +yellow-red +yellow-ringed +yellow-ringleted +yellow-ripe +yellow-robed +yellowroot +yellow-rooted +yellowrump +yellow-rumped +yellows +yellow-sallow +yellow-seal +yellow-sealed +yellowseed +yellow-shafted +yellowshank +yellow-shanked +yellowshanks +yellowshins +yellow-shouldered +yellow-skinned +yellow-skirted +yellow-speckled +yellow-splotched +yellow-spotted +yellow-sprinkled +yellow-stained +yellow-starched +Yellowstone +yellow-striped +yellowtail +yellow-tailed +yellowtails +yellowthorn +yellowthroat +yellow-throated +yellow-tinged +yellow-tinging +yellow-tinted +yellow-tipped +yellow-toed +yellowtop +yellow-tressed +yellow-tufted +yellow-vented +yellowware +yellow-washed +yellowweed +yellow-white +yellow-winged +yellowwood +yellowwort +yells +Yellville +Yelm +Yelmene +yelmer +yelp +yelped +yelper +yelpers +yelping +yelps +yelt +yelver +ye-makimono +Yemane +Yemassee +yemeless +Yemen +Yemeni +Yemenic +Yemenite +yemenites +yeming +yemschik +yemsel +IEN +Yen +Yenakiyero +Yenan +y-end +yender +Iene +Yengee +yengees +Yengeese +yeni +Yenisei +Yeniseian +yenite +yenned +yenning +yens +yenta +Yentai +yentas +yente +yentes +yentnite +Yeo +yeom +yeoman +yeomaness +yeomanette +yeomanhood +yeomanly +yeomanlike +yeomanry +yeomanries +yeomanwise +yeomen +Yeorgi +yeorling +yeowoman +yeowomen +yep +yepeleic +yepely +Ieper +yephede +yeply +ier +yer +Yerava +Yeraver +yerb +yerba +yerbal +yerbales +yerba-mate +yerbas +yercum +yerd +yere +Yerevan +Yerga +Yerington +yerk +yerked +Yerkes +yerking +Yerkovich +yerks +Yermo +yern +Ierna +Ierne +ier-oe +yertchuk +yerth +yerva +Yerwa-Maiduguri +Yerxa +yes +yese +ye'se +Yesenin +yeses +IESG +Yeshibah +Yeshiva +yeshivah +yeshivahs +yeshivas +yeshivot +yeshivoth +Yesilk +Yesilkoy +Yesima +yes-man +yes-no +yes-noer +yes-noism +Ieso +Yeso +yessed +yesses +yessing +yesso +yest +yester +yester- +yesterday +yesterdayness +yesterdays +yestereve +yestereven +yesterevening +yesteryear +yester-year +yesteryears +yestermorn +yestermorning +yestern +yesternight +yesternoon +yesterweek +yesty +yestreen +yestreens +yet +Yeta +Yetac +Yetah +yetapa +IETF +yeth +yether +yethhounds +yeti +yetis +yetlin +yetling +yett +Ietta +Yetta +Yettem +yetter +Yetti +Yetty +Yettie +yetts +yetzer +yeuk +yeuked +yeuky +yeukieness +yeuking +yeuks +Yeung +yeven +Yevette +Yevtushenko +yew +yew-besprinkled +yew-crested +yew-hedged +yew-leaved +yew-roofed +yews +yew-shaded +yew-treed +yex +yez +Yezd +Yezdi +Yezidi +Yezo +yezzy +IF +yfacks +i'faith +IFB +IFC +if-clause +Ife +ifecks +i-fere +yfere +iferous +yferre +IFF +iffy +iffier +iffiest +iffiness +iffinesses +ify +Ifill +ifint +IFIP +IFLA +IFLWU +Ifni +IFO +iform +IFR +ifreal +ifree +ifrit +IFRPS +IFS +Ifugao +Ifugaos +IG +igad +Igal +ygapo +Igara +igarape +igasuric +Igbira +Igbo +Igbos +Igdyr +Igdrasil +Ygdrasil +igelstromite +Igenia +Igerne +Ygerne +IGES +IGFET +Iggdrasil +Yggdrasil +Iggy +Iggie +ighly +IGY +Igigi +igitur +Iglau +iglesia +Iglesias +igloo +igloos +iglu +Iglulirmiut +iglus +IGM +IGMP +ign +ign. +Ignace +Ignacia +Ignacio +Ignacius +igname +ignaro +Ignatia +Ignatian +Ignatianist +ignatias +Ignatius +Ignatz +Ignatzia +ignavia +ignaw +Ignaz +Ignazio +igneoaqueous +igneous +ignescence +ignescent +igni- +ignicolist +igniferous +igniferousness +ignify +ignified +ignifies +ignifying +ignifluous +igniform +ignifuge +ignigenous +ignipotent +ignipuncture +ignis +ignitability +ignitable +ignite +ignited +igniter +igniters +ignites +ignitibility +ignitible +igniting +ignition +ignitions +ignitive +ignitor +ignitors +ignitron +ignitrons +ignivomous +ignivomousness +ignobility +ignoble +ignobleness +ignoblesse +ignobly +ignominy +ignominies +ignominious +ignominiously +ignominiousness +ignomious +ignorable +ignoramus +ignoramuses +ignorance +ignorances +ignorant +ignorantia +Ignorantine +ignorantism +ignorantist +ignorantly +ignorantness +ignoration +ignore +ignored +ignorement +ignorer +ignorers +ignores +ignoring +ignote +ignotus +Igo +I-go +Igor +Igorot +Igorots +IGP +Igraine +Iguac +iguana +iguanas +Iguania +iguanian +iguanians +iguanid +Iguanidae +iguaniform +Iguanodon +iguanodont +Iguanodontia +Iguanodontidae +iguanodontoid +Iguanodontoidea +iguanoid +Iguassu +Y-gun +Iguvine +YHA +Ihab +IHD +ihi +Ihlat +ihleite +Ihlen +IHP +ihram +ihrams +IHS +YHVH +YHWH +ii +Iy +Yi +YY +IIA +Iyang +Iyar +iiasa +Yid +Yiddish +Yiddisher +Yiddishism +Yiddishist +yids +IIE +Iyeyasu +yield +yieldable +yieldableness +yieldance +yielded +yielden +yielder +yielders +yieldy +yielding +yieldingly +yieldingness +yields +Iiette +Yigdal +yigh +IIHF +iii +Iyyar +yike +yikes +Yikirgaulit +IIL +Iila +Yila +Yildun +yill +yill-caup +yills +yilt +Yim +IIN +Yin +yince +Yinchuan +Iinde +Iinden +Yingkow +yins +yinst +Iynx +iyo +yip +yipe +yipes +yipped +yippee +yippie +yippies +yipping +yips +yird +yirds +Iyre +Yirinec +yirk +yirm +yirmilik +yirn +yirr +yirred +yirring +yirrs +yirth +yirths +yis +I-ism +IISPB +yite +Iives +iiwi +Yizkor +Ij +Ijamsville +ijithad +ijma +ijmaa +Ijo +ijolite +Ijore +IJssel +IJsselmeer +ijussite +ik +ikan +Ikara +ikary +Ikaria +ikat +Ike +ikebana +ikebanas +Ikeda +Ikey +Ikeya-Seki +ikeyness +Ikeja +Ikhnaton +Ikhwan +Ikkela +ikon +ikona +ikons +ikra +ikrar-namah +il +yl +il- +ILA +ylahayll +Ilaire +Ilam +ilama +Ilan +Ilana +ilang-ilang +ylang-ylang +Ilario +Ilarrold +Ilbert +ile +ile- +ILEA +ileac +ileal +Ileana +Ileane +Ile-de-France +ileectomy +ileitides +Ileitis +ylem +ylems +Ilene +ileo- +ileocaecal +ileocaecum +ileocecal +ileocolic +ileocolitis +ileocolostomy +ileocolotomy +ileo-ileostomy +ileon +ileosigmoidostomy +ileostomy +ileostomies +ileotomy +Ilesha +ilesite +Iletin +ileum +ileus +ileuses +Y-level +ilex +ilexes +Ilford +ILGWU +Ilha +Ilheus +Ilia +Ilya +Iliac +iliacus +Iliad +Iliadic +Iliadist +Iliadize +iliads +iliahi +ilial +Iliamna +Ilian +iliau +Ilicaceae +ilicaceous +ilicic +ilicin +Iliff +Iligan +ilima +Iline +ilio- +iliocaudal +iliocaudalis +iliococcygeal +iliococcygeus +iliococcygian +iliocostal +iliocostales +iliocostalis +iliodorsal +iliofemoral +iliohypogastric +ilioinguinal +ilio-inguinal +ilioischiac +ilioischiatic +iliolumbar +Ilion +Ilione +Ilioneus +iliopectineal +iliopelvic +ilioperoneal +iliopsoas +iliopsoatic +iliopubic +iliosacral +iliosciatic +ilioscrotal +iliospinal +iliotibial +iliotrochanteric +Ilisa +Ilysa +Ilysanthes +Ilise +Ilyse +Ilysia +Ilysiidae +ilysioid +Ilyssa +Ilissus +Ilithyia +ility +Ilium +Ilyushin +ilixanthin +ilk +Ilka +ilkane +Ilke +Ilkeston +Ilkley +ilks +Ill +ill- +I'll +Ill. +Illa +Ylla +illabile +illaborate +ill-according +ill-accoutered +ill-accustomed +ill-achieved +illachrymable +illachrymableness +ill-acquired +ill-acted +ill-adapted +ill-adventured +ill-advised +ill-advisedly +Illaenus +ill-affected +ill-affectedly +ill-affectedness +ill-agreeable +ill-agreeing +illamon +Illampu +ill-annexed +Illano +Illanun +illapsable +illapse +illapsed +illapsing +illapsive +illaqueable +illaqueate +illaqueation +ill-armed +ill-arranged +ill-assimilated +ill-assorted +ill-at-ease +illation +illations +illative +illatively +illatives +illaudable +illaudably +illaudation +illaudatory +Illawarra +ill-balanced +ill-befitting +ill-begotten +ill-behaved +ill-being +ill-beseeming +ill-bested +ill-boding +ill-born +ill-borne +ill-breathed +illbred +ill-bred +ill-built +ill-calculating +ill-cared +ill-celebrated +ill-cemented +ill-chosen +ill-clad +ill-cleckit +ill-coined +ill-colored +ill-come +ill-comer +ill-composed +ill-concealed +ill-conceived +ill-concerted +ill-conditioned +ill-conditionedness +ill-conducted +ill-considered +ill-consisting +ill-contented +ill-contenting +ill-contrived +ill-cured +ill-customed +ill-deedy +ill-defined +ill-definedness +ill-devised +ill-digested +ill-directed +ill-disciplined +ill-disposed +illdisposedness +ill-disposedness +ill-dissembled +ill-doing +ill-done +ill-drawn +ill-dressed +Illecebraceae +illecebration +illecebrous +illeck +illect +ill-educated +Ille-et-Vilaine +ill-effaceable +illegal +illegalisation +illegalise +illegalised +illegalising +illegality +illegalities +illegalization +illegalize +illegalized +illegalizing +illegally +illegalness +illegals +illegibility +illegibilities +illegible +illegibleness +illegibly +illegitimacy +illegitimacies +illegitimate +illegitimated +illegitimately +illegitimateness +illegitimating +illegitimation +illegitimatise +illegitimatised +illegitimatising +illegitimatize +illegitimatized +illegitimatizing +illeism +illeist +Illene +ill-equipped +iller +ill-erected +Illertissen +illess +illest +illeviable +ill-executed +ill-famed +ill-fardeled +illfare +ill-faring +ill-faringly +ill-fashioned +ill-fated +ill-fatedness +ill-favor +ill-favored +ill-favoredly +ill-favoredness +ill-favoured +ill-favouredly +ill-favouredness +ill-featured +ill-fed +ill-fitted +ill-fitting +ill-flavored +ill-foreseen +ill-formed +ill-found +ill-founded +ill-friended +ill-furnished +ill-gauged +ill-gendered +ill-given +ill-got +ill-gotten +ill-governed +ill-greeting +ill-grounded +illguide +illguided +illguiding +ill-hap +ill-headed +ill-health +ill-housed +illhumor +ill-humor +illhumored +ill-humored +ill-humoredly +ill-humoredness +ill-humoured +ill-humouredly +ill-humouredness +illy +Illia +illiberal +illiberalise +illiberalism +illiberality +illiberalize +illiberalized +illiberalizing +illiberally +illiberalness +Illich +illicit +illicitly +illicitness +Illicium +Illyes +illigation +illighten +ill-imagined +Illimani +illimitability +illimitable +illimitableness +illimitably +illimitate +illimitation +illimited +illimitedly +illimitedness +ill-informed +illing +illinition +illinium +illiniums +Illinoian +Illinois +Illinoisan +Illinoisian +ill-intentioned +ill-invented +ill-yoked +Illiopolis +Illipe +illipene +illiquation +illiquid +illiquidity +illiquidly +Illyria +Illyrian +Illyric +Illyric-anatolian +Illyricum +Illyrius +illish +illision +illite +illiteracy +illiteracies +illiteral +illiterate +illiterately +illiterateness +illiterates +illiterati +illiterature +illites +illitic +illium +ill-joined +ill-judge +ill-judged +ill-judging +ill-kempt +ill-kept +ill-knotted +ill-less +ill-lighted +ill-limbed +ill-lit +ill-lived +ill-looked +ill-looking +ill-lookingness +ill-made +ill-manageable +ill-managed +ill-mannered +ill-manneredly +illmanneredness +ill-manneredness +ill-mannerly +ill-marked +ill-matched +ill-mated +ill-meant +ill-met +ill-minded +ill-mindedly +ill-mindedness +illnature +ill-natured +illnaturedly +ill-naturedly +ill-naturedness +ill-neighboring +illness +illnesses +illness's +ill-noised +ill-nurtured +ill-observant +illocal +illocality +illocally +ill-occupied +illocution +illogic +illogical +illogicality +illogicalities +illogically +illogicalness +illogician +illogicity +illogics +illoyal +illoyalty +ill-omened +ill-omenedness +Illona +Illoricata +illoricate +illoricated +ill-paid +ill-perfuming +ill-persuaded +ill-placed +ill-pleased +ill-proportioned +ill-provided +ill-qualified +ill-regulated +ill-requite +ill-requited +ill-resounding +ill-rewarded +ill-roasted +ill-ruled +ills +ill-satisfied +ill-savored +ill-scented +ill-seasoned +ill-seen +ill-served +ill-set +ill-shaped +ill-smelling +ill-sorted +ill-sounding +ill-spent +ill-spun +ill-starred +ill-strung +ill-succeeding +ill-suited +ill-suiting +ill-supported +ill-tasted +ill-taught +illtempered +ill-tempered +ill-temperedly +ill-temperedness +illth +ill-time +ill-timed +ill-tongued +ill-treat +ill-treated +ill-treater +illtreatment +ill-treatment +ill-tuned +ill-turned +illucidate +illucidation +illucidative +illude +illuded +illudedly +illuder +illuding +illume +illumed +illumer +illumes +illuminability +illuminable +illuminance +illuminant +illuminate +illuminated +illuminates +Illuminati +illuminating +illuminatingly +illumination +illuminational +illuminations +illuminatism +illuminatist +illuminative +illuminato +illuminator +illuminatory +illuminators +illuminatus +illumine +illumined +illuminee +illuminer +illumines +illuming +illumining +Illuminism +illuminist +Illuministic +Illuminize +illuminometer +illuminous +illumonate +ill-understood +illupi +illure +illurement +illus +ill-usage +ill-use +ill-used +illusible +ill-using +illusion +illusionable +illusional +illusionary +illusioned +illusionism +illusionist +illusionistic +illusionists +illusion-proof +illusions +illusion's +illusive +illusively +illusiveness +illusor +illusory +illusorily +illusoriness +illust +illust. +illustrable +illustratable +illustrate +illustrated +illustrates +illustrating +illustration +illustrational +illustrations +illustrative +illustratively +illustrator +illustratory +illustrators +illustrator's +illustratress +illustre +illustricity +illustrious +illustriously +illustriousness +illustriousnesses +illustrissimo +illustrous +illutate +illutation +illuvia +illuvial +illuviate +illuviated +illuviating +illuviation +illuvium +illuviums +illuvivia +ill-ventilated +ill-weaved +ill-wedded +ill-willed +ill-willer +ill-willy +ill-willie +ill-willing +ill-wish +ill-wisher +ill-won +ill-worded +ill-written +ill-wrought +Ilmarinen +Ilmen +ilmenite +ilmenites +ilmenitite +ilmenorutile +ILO +Ilocano +Ilocanos +Iloilo +Ilokano +Ilokanos +Iloko +Ilona +Ilone +Ilongot +Ilonka +Ilorin +ilot +Ilotycin +Ilowell +ILP +Ilpirra +ILS +Ilsa +Ilse +Ilsedore +ilth +ILV +ilvaite +Ilwaco +Ilwain +ILWU +IM +ym +im- +I'm +Ima +Yma +image +imageable +image-breaker +image-breaking +imaged +imageless +image-maker +imagen +imager +imagery +imagerial +imagerially +imageries +imagers +images +image-worship +imagilet +imaginability +imaginable +imaginableness +imaginably +imaginal +imaginant +imaginary +imaginaries +imaginarily +imaginariness +imaginate +imaginated +imaginating +imagination +imaginational +imaginationalism +imagination-proof +imaginations +imagination's +imaginative +imaginatively +imaginativeness +imaginator +imagine +imagined +imaginer +imaginers +imagines +imaging +imagining +imaginings +imaginist +imaginous +imagism +imagisms +imagist +imagistic +imagistically +imagists +imagnableness +imago +imagoes +imagos +Imalda +imam +imamah +imamate +imamates +imambara +imambarah +imambarra +imamic +Imamite +imams +imamship +Iman +imanlaut +Imantophyllum +IMAP +IMAP3 +IMarE +imaret +imarets +IMAS +imaum +imaumbarah +imaums +imb- +imbalance +imbalances +imbalm +imbalmed +imbalmer +imbalmers +imbalming +imbalmment +imbalms +imban +imband +imbannered +imbarge +imbark +imbarkation +imbarked +imbarking +imbarkment +imbarks +imbarn +imbase +imbased +imbastardize +imbat +imbathe +imbauba +imbe +imbecile +imbecilely +imbeciles +imbecilic +imbecilitate +imbecilitated +imbecility +imbecilities +imbed +imbedded +imbedding +imbeds +imbellic +imbellious +imber +imberbe +imbesel +imbibe +imbibed +imbiber +imbibers +imbibes +imbibing +imbibition +imbibitional +imbibitions +imbibitory +imbirussu +imbitter +imbittered +imbitterer +imbittering +imbitterment +imbitters +imblaze +imblazed +imblazes +imblazing +Imbler +Imboden +imbody +imbodied +imbodies +imbodying +imbodiment +imbolden +imboldened +imboldening +imboldens +imbolish +imbondo +imbonity +imborder +imbordure +imborsation +imboscata +imbosk +imbosom +imbosomed +imbosoming +imbosoms +imbower +imbowered +imbowering +imbowers +imbracery +imbraceries +imbranch +imbrangle +imbrangled +imbrangling +imbreathe +imbred +imbreviate +imbreviated +imbreviating +imbrex +imbricate +imbricated +imbricately +imbricating +imbrication +imbrications +imbricative +imbricato- +imbrices +imbrier +Imbrium +Imbrius +imbrocado +imbroccata +imbroglio +imbroglios +imbroin +Imbros +imbrown +imbrowned +imbrowning +imbrowns +imbrue +imbrued +imbruement +imbrues +imbruing +imbrute +imbruted +imbrutement +imbrutes +imbruting +imbu +imbue +imbued +imbuement +imbues +imbuia +imbuing +imburse +imbursed +imbursement +imbursing +imbute +IMC +YMCA +YMCathA +imcnt +IMCO +IMD +imdtly +Imelda +Imelida +imelle +Imena +Imer +Imerina +Imeritian +IMF +YMHA +IMHO +imi +imid +imidazol +imidazole +imidazolyl +imide +imides +imidic +imido +imidogen +imids +iminazole +imine +imines +imino +iminohydrin +iminourea +Imipramine +Ymir +imit +imit. +imitability +imitable +imitableness +imitancy +imitant +imitate +imitated +imitatee +imitates +imitating +imitation +imitational +imitationist +imitation-proof +imitations +imitative +imitatively +imitativeness +imitator +imitators +imitatorship +imitatress +imitatrix +Imitt +Imlay +Imlaystown +Imler +IMM +immaculacy +immaculance +Immaculata +immaculate +immaculately +immaculateness +immailed +immalleable +immanacle +immanacled +immanacling +immanation +immane +immanely +immanence +immanency +immaneness +immanent +immanental +immanentism +immanentist +immanentistic +immanently +Immanes +immanifest +immanifestness +immanity +immantle +immantled +immantling +Immanuel +immarble +immarcescible +immarcescibly +immarcibleness +immarginate +immartial +immask +immatchable +immatchless +immatereality +immaterial +immaterialise +immaterialised +immaterialising +immaterialism +immaterialist +immaterialistic +immateriality +immaterialities +immaterialization +immaterialize +immaterialized +immaterializing +immaterially +immaterialness +immaterials +immateriate +immatriculate +immatriculation +immature +immatured +immaturely +immatureness +immatures +immaturity +immaturities +immeability +immeasurability +immeasurable +immeasurableness +immeasurably +immeasured +immechanical +immechanically +immediacy +immediacies +immedial +immediate +immediately +immediateness +immediatism +immediatist +immediatly +immedicable +immedicableness +immedicably +immelmann +immelodious +immember +immemorable +immemorial +immemorially +immense +immensely +immenseness +immenser +immensest +immensible +immensity +immensities +immensittye +immensive +immensurability +immensurable +immensurableness +immensurate +immerd +immerge +immerged +immergence +immergent +immerges +immerging +immerit +immerited +immeritorious +immeritoriously +immeritous +immerse +immersed +immersement +immerses +immersible +immersing +immersion +immersionism +immersionist +immersions +immersive +immesh +immeshed +immeshes +immeshing +immethodic +immethodical +immethodically +immethodicalness +immethodize +immetrical +immetrically +immetricalness +immeubles +immew +immi +immy +immies +immigrant +immigrants +immigrant's +immigrate +immigrated +immigrates +immigrating +immigration +immigrational +immigrations +immigrator +immigratory +immind +imminence +imminences +imminency +imminent +imminently +imminentness +Immingham +immingle +immingled +immingles +immingling +imminute +imminution +immis +immiscibility +immiscible +immiscibly +immiss +immission +immit +immitigability +immitigable +immitigableness +immitigably +immittance +immitted +immix +immixable +immixed +immixes +immixing +immixt +immixting +immixture +immobile +immobiles +immobilia +immobilisation +immobilise +immobilised +immobilising +immobilism +immobility +immobilities +immobilization +immobilize +immobilized +immobilizer +immobilizes +immobilizing +immoderacy +immoderacies +immoderate +immoderately +immoderateness +immoderation +immodest +immodesty +immodesties +immodestly +immodish +immodulated +Immokalee +immolate +immolated +immolates +immolating +immolation +immolations +immolator +immoment +immomentous +immonastered +immoral +immoralise +immoralised +immoralising +immoralism +immoralist +immorality +immoralities +immoralize +immoralized +immoralizing +immorally +immorigerous +immorigerousness +immortability +immortable +immortal +immortalisable +immortalisation +immortalise +immortalised +immortaliser +immortalising +immortalism +immortalist +immortality +immortalities +immortalizable +immortalization +immortalize +immortalized +immortalizer +immortalizes +immortalizing +immortally +immortalness +Immortals +immortalship +immortelle +immortification +immortified +immote +immotile +immotility +immotioned +immotive +immound +immov +immovability +immovabilities +immovable +immovableness +immovables +immovably +immoveability +immoveable +immoveableness +immoveables +immoveably +immoved +immun +immund +immundicity +immundity +immune +immunes +immunisation +immunise +immunised +immuniser +immunises +immunising +immunist +immunity +immunities +immunity's +immunization +immunizations +immunize +immunized +immunizer +immunizes +immunizing +immuno- +immunoassay +immunochemical +immunochemically +immunochemistry +immunodiffusion +immunoelectrophoresis +immunoelectrophoretic +immunoelectrophoretically +immunofluorescence +immunofluorescent +immunogen +immunogenesis +immunogenetic +immunogenetical +immunogenetically +immunogenetics +immunogenic +immunogenically +immunogenicity +immunoglobulin +immunohematology +immunohematologic +immunohematological +immunol +immunology +immunologic +immunological +immunologically +immunologies +immunologist +immunologists +immunopathology +immunopathologic +immunopathological +immunopathologist +immunoreaction +immunoreactive +immunoreactivity +immunosuppressant +immunosuppressants +immunosuppression +immunosuppressive +immunotherapy +immunotherapies +immunotoxin +immuration +immure +immured +immurement +immures +immuring +immusical +immusically +immutability +immutabilities +immutable +immutableness +immutably +immutate +immutation +immute +immutilate +immutual +Imnaha +Imo +Imogen +Imogene +Imojean +Imola +Imolinda +imonium +IMP +Imp. +impacability +impacable +impack +impackment +IMPACT +impacted +impacter +impacters +impactful +impacting +impaction +impactionize +impactite +impactive +impactment +impactor +impactors +impactor's +impacts +impactual +impages +impayable +impaint +impainted +impainting +impaints +impair +impairable +impaired +impairer +impairers +impairing +impairment +impairments +impairs +impala +impalace +impalas +impalatable +impale +impaled +impalement +impalements +impaler +impalers +impales +impaling +impall +impallid +impalm +impalmed +impalpability +impalpable +impalpably +impalsy +impaludism +impanate +impanated +impanation +impanator +impane +impanel +impaneled +impaneling +impanelled +impanelling +impanelment +impanels +impapase +impapyrate +impapyrated +impar +imparadise +imparadised +imparadising +imparalleled +imparasitic +impardonable +impardonably +imparidigitate +imparipinnate +imparisyllabic +imparity +imparities +impark +imparkation +imparked +imparking +imparks +imparl +imparlance +imparled +imparling +imparsonee +impart +impartability +impartable +impartance +impartation +imparted +imparter +imparters +impartial +impartialism +impartialist +impartiality +impartialities +impartially +impartialness +impartibilibly +impartibility +impartible +impartibly +imparticipable +imparting +impartite +impartive +impartivity +impartment +imparts +impassability +impassable +impassableness +impassably +impasse +impasses +impassibilibly +impassibility +impassible +impassibleness +impassibly +impassion +impassionable +impassionate +impassionately +impassioned +impassionedly +impassionedness +impassioning +impassionment +impassive +impassively +impassiveness +impassivity +impassivities +impastation +impaste +impasted +impastes +impasting +impasto +impastoed +impastos +impasture +impaternate +impatible +impatience +impatiences +impatiency +Impatiens +impatient +Impatientaceae +impatientaceous +impatiently +impatientness +impatronize +impave +impavid +impavidity +impavidly +impawn +impawned +impawning +impawns +impeach +impeachability +impeachable +impeachableness +impeached +impeacher +impeachers +impeaches +impeaching +impeachment +impeachments +impearl +impearled +impearling +impearls +impeccability +impeccable +impeccableness +impeccably +impeccance +impeccancy +impeccant +impeccunious +impectinate +impecuniary +impecuniosity +impecunious +impecuniously +impecuniousness +impecuniousnesses +imped +impedance +impedances +impedance's +impede +impeded +impeder +impeders +impedes +impedibility +impedible +impedient +impediment +impedimenta +impedimental +impedimentary +impediments +impediment's +impeding +impedingly +impedit +impedite +impedition +impeditive +impedometer +impedor +impeevish +Impeyan +impel +impelled +impellent +impeller +impellers +impelling +impellor +impellors +impels +impen +impend +impended +impendence +impendency +impendent +impending +impendingly +impends +impenetrability +impenetrabilities +impenetrable +impenetrableness +impenetrably +impenetrate +impenetration +impenetrative +impenitence +impenitences +impenitency +impenitent +impenitently +impenitentness +impenitible +impenitibleness +impennate +Impennes +impennous +impent +impeople +imper +imper. +imperance +imperant +Imperata +imperate +imperation +imperatival +imperativally +imperative +imperatively +imperativeness +imperatives +imperator +imperatory +imperatorial +imperatorially +imperatorian +imperatorin +imperatorious +imperatorship +imperatrice +imperatrix +imperceivable +imperceivableness +imperceivably +imperceived +imperceiverant +imperceptibility +imperceptible +imperceptibleness +imperceptibly +imperception +imperceptive +imperceptiveness +imperceptivity +impercipience +impercipient +imperdible +imperence +imperent +imperf +imperf. +imperfect +imperfectability +imperfected +imperfectibility +imperfectible +imperfection +imperfections +imperfection's +imperfectious +imperfective +imperfectly +imperfectness +imperfects +imperforable +Imperforata +imperforate +imperforated +imperforates +imperforation +imperformable +impery +Imperia +Imperial +imperialin +imperialine +imperialisation +imperialise +imperialised +imperialising +imperialism +imperialist +imperialistic +imperialistically +imperialists +imperialist's +imperiality +imperialities +imperialization +imperialize +imperialized +imperializing +imperially +imperialness +imperials +imperialty +imperii +imperil +imperiled +imperiling +imperilled +imperilling +imperilment +imperilments +imperils +imperious +imperiously +imperiousness +imperish +imperishability +imperishable +imperishableness +imperishably +imperite +imperium +imperiums +impermanence +impermanency +impermanent +impermanently +impermeability +impermeabilities +impermeabilization +impermeabilize +impermeable +impermeableness +impermeably +impermeated +impermeator +impermissibility +impermissible +impermissibly +impermixt +impermutable +imperperia +impers +impers. +imperscriptible +imperscrutable +imperseverant +impersonable +impersonal +impersonalisation +impersonalise +impersonalised +impersonalising +impersonalism +impersonality +impersonalities +impersonalization +impersonalize +impersonalized +impersonalizing +impersonally +impersonate +impersonated +impersonates +impersonating +impersonation +impersonations +impersonative +impersonator +impersonators +impersonatress +impersonatrix +impersonify +impersonification +impersonization +impersonize +imperspicable +imperspicuity +imperspicuous +imperspirability +imperspirable +impersuadability +impersuadable +impersuadableness +impersuasibility +impersuasible +impersuasibleness +impersuasibly +impertinacy +impertinence +impertinences +impertinency +impertinencies +impertinent +impertinently +impertinentness +impertransible +imperturbability +imperturbable +imperturbableness +imperturbably +imperturbation +imperturbed +imperverse +impervertible +impervestigable +imperviability +imperviable +imperviableness +impervial +impervious +imperviously +imperviousness +impest +impestation +impester +impeticos +impetiginous +impetigo +impetigos +impetition +impetrable +impetrate +impetrated +impetrating +impetration +impetrative +impetrator +impetratory +impetre +impetulant +impetulantly +impetuosity +impetuosities +impetuoso +impetuous +impetuousity +impetuousities +impetuously +impetuousness +impeturbability +impetus +impetuses +impf +impf. +Imphal +imphee +imphees +impi +impy +impicture +impierce +impierceable +impies +impiety +impieties +impignorate +impignorated +impignorating +impignoration +imping +impinge +impinged +impingement +impingements +impingence +impingent +impinger +impingers +impinges +impinging +impings +impinguate +impious +impiously +impiousness +impis +impish +impishly +impishness +impishnesses +impiteous +impitiably +implacability +implacabilities +implacable +implacableness +implacably +implacement +implacental +Implacentalia +implacentate +implant +implantable +implantation +implanted +implanter +implanting +implants +implastic +implasticity +implate +implausibility +implausibilities +implausible +implausibleness +implausibly +impleach +implead +impleadable +impleaded +impleader +impleading +impleads +impleasing +impledge +impledged +impledges +impledging +implement +implementable +implemental +implementation +implementational +implementations +implementation's +implemented +implementer +implementers +implementiferous +implementing +implementor +implementors +implementor's +implements +implete +impletion +impletive +implex +imply +impliability +impliable +impliably +implial +implicant +implicants +implicant's +implicate +implicated +implicately +implicateness +implicates +implicating +implication +implicational +implications +implicative +implicatively +implicativeness +implicatory +implicit +implicity +implicitly +implicitness +implied +impliedly +impliedness +implies +implying +impling +implode +imploded +implodent +implodes +imploding +implorable +imploration +implorations +implorator +imploratory +implore +implored +implorer +implorers +implores +imploring +imploringly +imploringness +implosion +implosions +implosive +implosively +implume +implumed +implunge +impluvia +impluvium +impocket +impofo +impoison +impoisoner +impolarily +impolarizable +impolder +impolicy +impolicies +impolished +impolite +impolitely +impoliteness +impolitic +impolitical +impolitically +impoliticalness +impoliticly +impoliticness +impollute +imponderabilia +imponderability +imponderable +imponderableness +imponderables +imponderably +imponderous +impone +imponed +imponent +impones +imponing +impoor +impopular +impopularly +imporosity +imporous +import +importability +importable +importableness +importably +importance +importancy +important +importantly +importation +importations +imported +importee +importer +importers +importing +importless +importment +importray +importraiture +imports +importunable +importunacy +importunance +importunate +importunately +importunateness +importunator +importune +importuned +importunely +importunement +importuner +importunes +importuning +importunite +importunity +importunities +imposable +imposableness +imposal +impose +imposed +imposement +imposer +imposers +imposes +imposing +imposingly +imposingness +imposition +impositional +impositions +imposition's +impositive +impossibilia +impossibilification +impossibilism +impossibilist +impossibilitate +impossibility +impossibilities +impossible +impossibleness +impossibly +impost +imposted +imposter +imposterous +imposters +imposthumate +imposthume +imposting +impostor +impostorism +impostors +impostor's +impostorship +impostress +impostrix +impostrous +imposts +impostumate +impostumation +impostume +imposture +impostures +impostury +imposturism +imposturous +imposure +impot +impotable +impotence +impotences +impotency +impotencies +impotent +impotently +impotentness +impotents +impotionate +impound +impoundable +impoundage +impounded +impounder +impounding +impoundment +impoundments +impounds +impoverish +impoverished +impoverisher +impoverishes +impoverishing +impoverishment +impoverishments +impower +impowered +impowering +impowers +imp-pole +impracticability +impracticable +impracticableness +impracticably +impractical +impracticality +impracticalities +impractically +impracticalness +imprasa +imprecant +imprecate +imprecated +imprecates +imprecating +imprecation +imprecations +imprecator +imprecatory +imprecatorily +imprecators +imprecise +imprecisely +impreciseness +imprecisenesses +imprecision +imprecisions +impredicability +impredicable +impreg +impregability +impregabilities +impregable +impregn +impregnability +impregnable +impregnableness +impregnably +impregnant +impregnate +impregnated +impregnates +impregnating +impregnation +impregnations +impregnative +impregnator +impregnatory +impregned +impregning +impregns +imprejudicate +imprejudice +impremeditate +imprenable +impreparation +impresa +impresari +impresario +impresarios +impresas +imprescience +imprescribable +imprescriptibility +imprescriptible +imprescriptibly +imprese +impreses +impress +impressa +impressable +impressari +impressario +impressed +impressedly +impresser +impressers +impresses +impressibility +impressible +impressibleness +impressibly +impressing +impression +impressionability +impressionable +impressionableness +impressionably +impressional +impressionalist +impressionality +impressionally +impressionary +impressionis +impressionism +impressionist +impressionistic +impressionistically +impressionists +impressionless +impressions +impression's +impressive +impressively +impressiveness +impressivenesses +impressment +impressments +impressor +impressure +imprest +imprestable +imprested +impresting +imprests +imprevalency +impreventability +impreventable +imprevisibility +imprevisible +imprevision +imprevu +imprimatur +imprimatura +imprimaturs +imprime +impriment +imprimery +imprimis +imprimitive +imprimitivity +imprint +imprinted +imprinter +imprinters +imprinting +imprints +imprison +imprisonable +imprisoned +imprisoner +imprisoning +imprisonment +imprisonments +imprisonment's +imprisons +improbability +improbabilities +improbabilize +improbable +improbableness +improbably +improbate +improbation +improbative +improbatory +improbity +improcreant +improcurability +improcurable +improducible +improduction +improficience +improficiency +improfitable +improgressive +improgressively +improgressiveness +improlific +improlificate +improlificical +imprompt +impromptitude +impromptu +impromptuary +impromptuist +impromptus +improof +improper +improperation +Improperia +improperly +improperness +impropitious +improportion +impropry +impropriate +impropriated +impropriating +impropriation +impropriator +impropriatrice +impropriatrix +impropriety +improprieties +improprium +improsperity +improsperous +improv +improvability +improvable +improvableness +improvably +improve +improved +improvement +improvements +improver +improvers +improvership +improves +improvided +improvidence +improvidences +improvident +improvidentially +improvidently +improving +improvingly +improvisate +improvisation +improvisational +improvisations +improvisation's +improvisatize +improvisator +improvisatore +improvisatory +improvisatorial +improvisatorially +improvisatorize +improvisatrice +improvise +improvised +improvisedly +improviser +improvisers +improvises +improvising +improvision +improviso +improvisor +improvisors +improvs +improvvisatore +improvvisatori +imprudence +imprudences +imprudency +imprudent +imprudential +imprudently +imprudentness +imps +impship +impsonite +impuberal +impuberate +impuberty +impubic +impudence +impudences +impudency +impudencies +impudent +impudently +impudentness +impudicity +impugn +impugnability +impugnable +impugnation +impugned +impugner +impugners +impugning +impugnment +impugns +impuissance +impuissant +impulse +impulsed +impulses +impulsing +impulsion +impulsions +impulsive +impulsively +impulsiveness +impulsivenesses +impulsivity +impulsor +impulsory +impunctate +impunctual +impunctuality +impune +impunely +impunible +impunibly +impunity +impunities +impunitive +impuration +impure +impurely +impureness +impurify +impuritan +impuritanism +impurity +impurities +impurity's +impurple +imput +imputability +imputable +imputableness +imputably +imputation +imputations +imputative +imputatively +imputativeness +impute +imputed +imputedly +imputer +imputers +imputes +imputing +imputrescence +imputrescibility +imputrescible +imputrid +imputting +impv +impv. +Imray +Imre +Imroz +IMS +IMSA +imshi +IMSL +IMSO +imsonic +IMSVS +IMT +Imtiaz +IMTS +imu +IMunE +imvia +in +yn +in- +in. +ina +inability +inabilities +inable +inabordable +inabstinence +inabstracted +inabusively +inaccentuated +inaccentuation +inacceptable +inaccessibility +inaccessibilities +inaccessible +inaccessibleness +inaccessibly +inaccordance +inaccordancy +inaccordant +inaccordantly +inaccuracy +inaccuracies +inaccurate +inaccurately +inaccurateness +inachid +Inachidae +inachoid +Inachus +inacquaintance +inacquiescent +inact +inactinic +inaction +inactionist +inactions +inactivate +inactivated +inactivates +inactivating +inactivation +inactivations +inactive +inactively +inactiveness +inactivity +inactivities +inactuate +inactuation +inadaptability +inadaptable +inadaptation +inadaptive +inadept +inadeptly +inadeptness +inadequacy +inadequacies +inadequate +inadequately +inadequateness +inadequation +inadequative +inadequatively +inadherent +inadhesion +inadhesive +inadjustability +inadjustable +inadmissability +inadmissable +inadmissibility +inadmissible +inadmissibly +INADS +inadulterate +inadventurous +inadvertant +inadvertantly +inadvertence +inadvertences +inadvertency +inadvertencies +inadvertent +inadvertently +inadvertisement +inadvisability +inadvisabilities +inadvisable +inadvisableness +inadvisably +inadvisedly +inae +inaesthetic +inaffability +inaffable +inaffably +inaffectation +inaffected +inagglutinability +inagglutinable +inaggressive +inagile +inaidable +inaidible +inaja +inalacrity +inalienability +inalienabilities +inalienable +inalienableness +inalienably +inalimental +inalterability +inalterable +inalterableness +inalterably +ynambu +inamia +inamissibility +inamissible +inamissibleness +inamorata +inamoratas +inamorate +inamoration +inamorato +inamoratos +inamour +inamovability +inamovable +Ynan +in-and-in +in-and-out +in-and-outer +inane +inanely +inaneness +inaner +inaners +inanes +inanest +inanga +inangular +inangulate +inanimadvertence +inanimate +inanimated +inanimately +inanimateness +inanimatenesses +inanimation +inanity +inanities +inanition +inanitions +Inanna +inantherate +inapathy +inapostate +inapparent +inapparently +inappealable +inappeasable +inappellability +inappellable +inappendiculate +inapperceptible +inappertinent +inappetence +inappetency +inappetent +inappetible +inapplicability +inapplicable +inapplicableness +inapplicably +inapplication +inapposite +inappositely +inappositeness +inappositenesses +inappreciability +inappreciable +inappreciably +inappreciation +inappreciative +inappreciatively +inappreciativeness +inapprehensibility +inapprehensible +inapprehensibly +inapprehension +inapprehensive +inapprehensively +inapprehensiveness +inapproachability +inapproachable +inapproachably +inappropriable +inappropriableness +inappropriate +inappropriately +inappropriateness +inappropriatenesses +inapropos +inapt +inaptitude +inaptly +inaptness +inaquate +inaqueous +inarable +inarch +inarched +inarches +inarching +inarculum +inarguable +inarguably +Inari +inark +inarm +inarmed +inarming +inarms +inarticulacy +Inarticulata +inarticulate +inarticulated +inarticulately +inarticulateness +inarticulation +inartificial +inartificiality +inartificially +inartificialness +inartistic +inartistical +inartisticality +inartistically +inasmuch +inassimilable +inassimilation +inassuageable +inattackable +inattention +inattentions +inattentive +inattentively +inattentiveness +inattentivenesses +inaudibility +inaudible +inaudibleness +inaudibly +inaugur +inaugural +inaugurals +inaugurate +inaugurated +inaugurates +inaugurating +inauguration +inaugurations +inaugurative +inaugurator +inauguratory +inaugurer +inaunter +inaurate +inauration +inauspicate +inauspicious +inauspiciously +inauspiciousness +inauthentic +inauthenticity +inauthoritative +inauthoritativeness +Inavale +inaxon +inbardge +inbassat +inbbred +inbd +inbe +inbeaming +in-beaming +inbearing +inbeing +in-being +inbeings +inbending +inbent +in-between +inbetweener +inby +inbye +inbirth +inbits +inblow +inblowing +inblown +inboard +inboard-rigged +inboards +inbody +inbond +in-book +inborn +inbound +inbounds +inbow +inbowed +inbread +inbreak +inbreaking +inbreath +inbreathe +inbreathed +inbreather +inbreathing +inbred +inbreds +inbreed +inbreeder +inbreeding +in-breeding +inbreedings +inbreeds +inbring +inbringer +inbringing +inbrought +inbuilt +in-built +inburning +inburnt +inburst +inbursts +inbush +INC +Inc. +Inca +Incabloc +incage +incaged +incages +incaging +Incaic +incalculability +incalculable +incalculableness +incalculably +incalendared +incalescence +incalescency +incalescent +in-calf +incaliculate +incalver +incalving +incameration +incamp +Incan +incandent +incandesce +incandesced +incandescence +incandescences +incandescency +incandescent +incandescently +incandescing +incanescent +incanous +incant +incantation +incantational +incantations +incantator +incantatory +incanted +incanton +incants +incapability +incapabilities +incapable +incapableness +incapably +incapacious +incapaciousness +incapacitant +incapacitate +incapacitated +incapacitates +incapacitating +incapacitation +incapacitator +incapacity +incapacities +Incaparina +incapsulate +incapsulated +incapsulating +incapsulation +incaptivate +in-car +incarcerate +incarcerated +incarcerates +incarcerating +incarceration +incarcerations +incarcerative +incarcerator +incarcerators +incardinate +incardinated +incardinating +incardination +Incarial +incarmined +incarn +incarnadine +incarnadined +incarnadines +incarnadining +incarnalise +incarnalised +incarnalising +incarnalize +incarnalized +incarnalizing +incarnant +incarnate +incarnated +incarnates +incarnating +Incarnation +incarnational +incarnationist +incarnations +incarnation's +incarnative +incarve +Incarvillea +incas +incase +incased +incasement +incases +incasing +incask +incast +incastellate +incastellated +incatenate +incatenation +incautelous +incaution +incautious +incautiously +incautiousness +incavate +incavated +incavation +incave +incavern +incavo +incede +incedingly +incelebrity +incend +incendiary +incendiaries +incendiarism +incendiarist +incendiarize +incendiarized +incendious +incendium +incendivity +incensation +incense +incense-breathing +incensed +incenseless +incensement +incenser +incenses +incensing +incension +incensive +incensor +incensory +incensories +incensurable +incensurably +incenter +incentive +incentively +incentives +incentive's +incentor +incentre +incept +incepted +incepting +inception +inceptions +inceptive +inceptively +inceptor +inceptors +incepts +incerate +inceration +incertain +incertainty +incertitude +incessable +incessably +incessancy +incessant +incessantly +incessantness +incession +incest +incests +incestuous +incestuously +incestuousness +incgrporate +inch +inchain +inchamber +inchangeable +inchant +incharitable +incharity +inchase +inchastity +inch-deep +inched +Inchelium +incher +inches +inchest +inch-high +inching +inchling +inch-long +inchmeal +inchoacy +inchoant +inchoate +inchoated +inchoately +inchoateness +inchoating +inchoation +inchoative +inchoatively +Inchon +inchpin +inch-pound +inch-thick +inch-ton +inchurch +inch-wide +inchworm +inchworms +incicurable +incide +incidence +incidences +incidency +incident +incidental +incidentalist +incidentally +incidentalness +incidentals +incidentless +incidently +incidents +incident's +incienso +incinerable +incinerate +incinerated +incinerates +incinerating +incineration +incinerations +incinerator +incinerators +incipience +incipiency +incipiencies +incipient +incipiently +incipit +incipits +incipitur +incircle +incirclet +incircumscriptible +incircumscription +incircumspect +incircumspection +incircumspectly +incircumspectness +incisal +incise +incised +incisely +incises +incisiform +incising +incision +incisions +incisive +incisively +incisiveness +inciso- +incisor +incisory +incisorial +incisors +incysted +incisura +incisural +incisure +incisures +incitability +incitable +incitamentum +incitant +incitants +incitate +incitation +incitations +incitative +incite +incited +incitement +incitements +inciter +inciters +incites +inciting +incitingly +incitive +incito-motor +incitory +incitress +incivic +incivil +incivility +incivilities +incivilization +incivilly +incivism +incl +incl. +inclamation +inclasp +inclasped +inclasping +inclasps +inclaudent +inclavate +inclave +incle +in-clearer +in-clearing +inclemency +inclemencies +inclement +inclemently +inclementness +in-clerk +inclinable +inclinableness +inclination +inclinational +inclinations +inclination's +inclinator +inclinatory +inclinatorily +inclinatorium +incline +inclined +incliner +incliners +inclines +inclining +inclinograph +inclinometer +inclip +inclipped +inclipping +inclips +incloister +inclose +inclosed +incloser +inclosers +incloses +inclosing +inclosure +inclosures +incloude +includable +include +included +includedness +includer +includes +includible +including +inclusa +incluse +inclusion +inclusion-exclusion +inclusionist +inclusions +inclusion's +inclusive +inclusively +inclusiveness +inclusory +inclusus +incoached +incoacted +incoagulable +incoalescence +incocted +incoercible +incoexistence +incoffin +incog +incogent +incogitability +incogitable +incogitance +incogitancy +incogitant +incogitantly +incogitative +incognita +incognite +incognitive +Incognito +incognitos +incognizability +incognizable +incognizance +incognizant +incognoscent +incognoscibility +incognoscible +incogs +incoherence +incoherences +incoherency +incoherencies +incoherent +incoherentific +incoherently +incoherentness +incohering +incohesion +incohesive +incoincidence +incoincident +incolant +incolumity +incomber +incombining +incombustibility +incombustible +incombustibleness +incombustibly +incombustion +income +incomeless +incomer +incomers +incomes +income-tax +incoming +incomings +incommend +incommensurability +incommensurable +incommensurableness +incommensurably +incommensurate +incommensurately +incommensurateness +incommiscibility +incommiscible +incommixed +incommodate +incommodation +incommode +incommoded +incommodement +incommodes +incommoding +incommodious +incommodiously +incommodiousness +incommodity +incommodities +incommunicability +incommunicable +incommunicableness +incommunicably +incommunicado +incommunicated +incommunicative +incommunicatively +incommunicativeness +incommutability +incommutable +incommutableness +incommutably +incompact +incompacted +incompactly +incompactness +incomparability +incomparable +incomparableness +incomparably +incompared +incompassion +incompassionate +incompassionately +incompassionateness +incompatibility +incompatibilities +incompatibility's +incompatible +incompatibleness +incompatibles +incompatibly +incompendious +incompensated +incompensation +incompentence +incompetence +incompetences +incompetency +incompetencies +incompetent +incompetently +incompetentness +incompetents +incompetent's +incompetible +incompletability +incompletable +incompletableness +incomplete +incompleted +incompletely +incompleteness +incompletenesses +incompletion +incomplex +incompliable +incompliance +incompliancy +incompliancies +incompliant +incompliantly +incomplicate +incomplying +incomportable +incomposed +incomposedly +incomposedness +incomposite +incompossibility +incompossible +incomposure +incomprehended +incomprehending +incomprehendingly +incomprehense +incomprehensibility +incomprehensible +incomprehensibleness +incomprehensibly +incomprehensiblies +incomprehension +incomprehensive +incomprehensively +incomprehensiveness +incompressable +incompressibility +incompressible +incompressibleness +incompressibly +incompt +incomputable +incomputably +inconcealable +inconceivability +inconceivabilities +inconceivable +inconceivableness +inconceivably +inconceptible +inconcernino +inconcievable +inconciliable +inconcinn +inconcinnate +inconcinnately +inconcinnity +inconcinnous +inconcludent +inconcluding +inconclusible +inconclusion +inconclusive +inconclusively +inconclusiveness +inconcoct +inconcocted +inconcoction +inconcrete +inconcurrent +inconcurring +inconcussible +incondensability +incondensable +incondensibility +incondensible +incondite +inconditional +inconditionate +inconditioned +inconducive +inconel +inconfirm +inconfirmed +inconform +inconformable +inconformably +inconformity +inconfused +inconfusedly +inconfusion +inconfutable +inconfutably +incongealable +incongealableness +incongenerous +incongenial +incongeniality +inconglomerate +incongruence +incongruent +incongruently +incongruity +incongruities +incongruous +incongruously +incongruousness +incony +inconjoinable +inconjunct +inconnected +inconnectedness +inconnection +inconnexion +inconnu +inconnus +inconquerable +inconscience +inconscient +inconsciently +inconscionable +inconscious +inconsciously +inconsecutive +inconsecutively +inconsecutiveness +inconsequence +inconsequences +inconsequent +inconsequentia +inconsequential +inconsequentiality +inconsequentially +inconsequently +inconsequentness +inconsiderable +inconsiderableness +inconsiderably +inconsideracy +inconsiderate +inconsiderately +inconsiderateness +inconsideratenesses +inconsideration +inconsidered +inconsistable +inconsistence +inconsistences +inconsistency +inconsistencies +inconsistency's +inconsistent +inconsistently +inconsistentness +inconsolability +inconsolable +inconsolableness +inconsolably +inconsolate +inconsolately +inconsonance +inconsonant +inconsonantly +inconspicuous +inconspicuously +inconspicuousness +inconstance +inconstancy +inconstancies +inconstant +inconstantly +inconstantness +inconstruable +inconsultable +inconsumable +inconsumably +inconsumed +inconsummate +inconsumptible +incontaminable +incontaminate +incontaminateness +incontemptible +incontestability +incontestabilities +incontestable +incontestableness +incontestably +incontested +incontiguous +incontinence +incontinences +incontinency +incontinencies +incontinent +incontinently +incontinuity +incontinuous +incontracted +incontractile +incontraction +incontrollable +incontrollably +incontrolled +incontrovertibility +incontrovertible +incontrovertibleness +incontrovertibly +inconvenience +inconvenienced +inconveniences +inconveniency +inconveniencies +inconveniencing +inconvenient +inconvenienti +inconveniently +inconvenientness +inconversable +inconversant +inconversibility +inconverted +inconvertibility +inconvertibilities +inconvertible +inconvertibleness +inconvertibly +inconvinced +inconvincedly +inconvincibility +inconvincible +inconvincibly +incoordinate +inco-ordinate +in-co-ordinate +incoordinated +in-co-ordinated +incoordination +inco-ordination +in-co-ordination +incopresentability +incopresentable +incor +incord +incornished +incoronate +incoronated +incoronation +incorp +incorporable +incorporal +incorporality +incorporally +incorporalness +incorporate +incorporated +incorporatedness +incorporates +incorporating +incorporation +incorporations +incorporative +incorporator +incorporators +incorporatorship +incorporeal +incorporealism +incorporealist +incorporeality +incorporealize +incorporeally +incorporealness +incorporeity +incorporeities +incorporeous +incorpse +incorpsed +incorpses +incorpsing +incorr +incorrect +incorrection +incorrectly +incorrectness +incorrectnesses +incorrespondence +incorrespondency +incorrespondent +incorresponding +incorrigibility +incorrigibilities +incorrigible +incorrigibleness +incorrigibly +incorrodable +incorrodible +incorrosive +incorrupt +incorrupted +incorruptibility +incorruptibilities +Incorruptible +incorruptibleness +incorruptibly +incorruption +incorruptive +incorruptly +incorruptness +incoup +incourse +incourteous +incourteously +incr +incr. +incra +incrash +incrassate +incrassated +incrassating +incrassation +incrassative +increasable +increasableness +Increase +increased +increasedly +increaseful +increasement +increaser +increasers +increases +increasing +increasingly +increate +increately +increative +incredibility +incredibilities +incredible +incredibleness +incredibly +increditability +increditable +incredited +incredulity +incredulities +incredulous +incredulously +incredulousness +increep +increeping +incremable +incremate +incremated +incremating +incremation +increment +incremental +incrementalism +incrementalist +incrementally +incrementation +incremented +incrementer +incrementing +increments +increpate +increpation +incrept +increscence +increscent +increst +incretion +incretionary +incretory +incriminate +incriminated +incriminates +incriminating +incrimination +incriminations +incriminator +incriminatory +incrystal +incrystallizable +Incrocci +incroyable +incross +incrossbred +incrosses +incrossing +incrotchet +in-crowd +incruent +incruental +incruentous +incrust +incrustant +Incrustata +incrustate +incrustated +incrustating +incrustation +incrustations +incrustator +incrusted +incrusting +incrustive +incrustment +incrusts +inctirate +inctri +incubate +incubated +incubates +incubating +incubation +incubational +incubations +incubative +incubator +incubatory +incubatorium +incubators +incubator's +incube +incubee +incubi +incubiture +incubous +incubus +incubuses +incudal +incudate +incudectomy +incudes +incudomalleal +incudostapedial +inculcate +inculcated +inculcates +inculcating +inculcation +inculcations +inculcative +inculcator +inculcatory +inculk +inculp +inculpability +inculpable +inculpableness +inculpably +inculpate +inculpated +inculpates +inculpating +inculpation +inculpative +inculpatory +incult +incultivated +incultivation +inculture +incumbant +incumbence +incumbency +incumbencies +incumbent +incumbentess +incumbently +incumbents +incumber +incumbered +incumbering +incumberment +incumbers +incumbition +incumbrance +incumbrancer +incumbrances +incunable +incunabula +incunabular +incunabulist +incunabulum +incunabuulum +incuneation +incur +incurability +incurable +incurableness +incurably +incuriosity +incurious +incuriously +incuriousness +incurment +incurrable +incurred +incurrence +incurrent +incurrer +incurring +incurs +incurse +incursion +incursionary +incursionist +incursions +incursive +incurtain +incurvate +incurvated +incurvating +incurvation +incurvature +incurve +incurved +incurves +incurving +incurvity +incurvous +incus +incuse +incused +incuses +incusing +incuss +incut +incute +incutting +IND +ind- +Ind. +indaba +indabas +indaconitin +indaconitine +indagate +indagated +indagates +indagating +indagation +indagative +indagator +indagatory +indamage +indamin +indamine +indamines +indamins +indan +indane +Indanthrene +indart +indazin +indazine +indazol +indazole +IndE +indear +indebitatus +indebt +indebted +indebtedness +indebtednesses +indebting +indebtment +indecence +indecency +indecencies +indecent +indecenter +indecentest +indecently +indecentness +Indecidua +indeciduate +indeciduous +indecimable +indecipherability +indecipherable +indecipherableness +indecipherably +indecision +indecisions +indecisive +indecisively +indecisiveness +indecisivenesses +indecl +indeclinable +indeclinableness +indeclinably +indecomponible +indecomposable +indecomposableness +indecorous +indecorously +indecorousness +indecorousnesses +indecorum +indeed +indeedy +indef +indef. +indefaceable +indefatigability +indefatigable +indefatigableness +indefatigably +indefeasibility +indefeasible +indefeasibleness +indefeasibly +indefeatable +indefectibility +indefectible +indefectibly +indefective +indefensibility +indefensible +indefensibleness +indefensibly +indefensive +indeficiency +indeficient +indeficiently +indefinability +indefinable +indefinableness +indefinably +indefinite +indefinitely +indefiniteness +indefinity +indefinitive +indefinitively +indefinitiveness +indefinitude +indeflectible +indefluent +indeformable +indehiscence +indehiscent +indelectable +indelegability +indelegable +indeliberate +indeliberately +indeliberateness +indeliberation +indelibility +indelible +indelibleness +indelibly +indelicacy +indelicacies +indelicate +indelicately +indelicateness +indemnify +indemnification +indemnifications +indemnificator +indemnificatory +indemnified +indemnifier +indemnifies +indemnifying +indemnitee +indemnity +indemnities +indemnitor +indemnization +indemoniate +indemonstrability +indemonstrable +indemonstrableness +indemonstrably +indene +indenes +indenize +indent +indentation +indentations +indentation's +indented +indentedly +indentee +indenter +indenters +indentifiers +indenting +indention +indentions +indentment +indentor +indentors +indents +indenture +indentured +indentures +indentureship +indenturing +indentwise +independable +Independence +Independency +independencies +Independent +independentism +independently +independents +independing +Independista +indeposable +indepravate +indeprehensible +indeprivability +indeprivable +inderite +inderivative +indescribability +indescribabilities +indescribable +indescribableness +indescribably +indescript +indescriptive +indesert +indesignate +indesinent +indesirable +indestrucibility +indestrucible +indestructibility +indestructible +indestructibleness +indestructibly +indetectable +indeterminable +indeterminableness +indeterminably +indeterminacy +indeterminacies +indeterminacy's +indeterminancy +indeterminate +indeterminately +indeterminateness +indetermination +indeterminative +indetermined +indeterminism +indeterminist +indeterministic +indevirginate +indevote +indevoted +indevotion +indevotional +indevout +indevoutly +indevoutness +indew +index +indexable +indexation +indexed +indexer +indexers +indexes +indexical +indexically +indexing +indexless +indexlessness +index-linked +indexterity +Indi +Indy +indi- +India +India-cut +indiadem +indiademed +Indiahoma +Indiaman +Indiamen +Indian +Indiana +indianaite +Indianan +indianans +Indianapolis +Indianeer +Indianesque +Indianhead +Indianhood +Indianian +indianians +Indianisation +Indianise +Indianised +Indianising +Indianism +Indianist +indianite +Indianization +Indianize +Indianized +Indianizing +Indianola +indians +indian's +Indiantown +indiary +india-rubber +Indic +indic. +indicable +indical +indican +indicans +indicant +indicants +indicanuria +indicatable +indicate +indicated +indicates +indicating +indication +indicational +indications +indicative +indicatively +indicativeness +indicatives +indicator +indicatory +Indicatoridae +Indicatorinae +indicators +indicator's +indicatrix +indicavit +indice +indices +indicia +indicial +indicially +indicias +indicible +indicium +indiciums +indico +indicolite +indict +indictability +indictable +indictableness +indictably +indicted +indictee +indictees +indicter +indicters +indicting +indiction +indictional +indictive +indictment +indictments +indictment's +indictor +indictors +indicts +indidicia +indie +Indienne +Indies +indiferous +indifference +indifferences +indifferency +indifferencies +indifferent +indifferential +indifferentiated +indifferentism +indifferentist +indifferentistic +indifferently +indifferentness +indifulvin +indifuscin +indigen +indigena +indigenae +indigenal +indigenate +indigence +indigences +indigency +indigene +indigeneity +indigenes +Indigenismo +indigenist +indigenity +indigenous +indigenously +indigenousness +indigens +indigent +indigently +indigents +indiges +indigest +indigested +indigestedness +indigestibility +indigestibilty +indigestible +indigestibleness +indigestibly +indigestion +indigestions +indigestive +indigitamenta +indigitate +indigitation +indigites +indiglucin +indign +indignance +indignancy +indignant +indignantly +indignation +indignation-proof +indignations +indignatory +indignify +indignified +indignifying +indignity +indignities +indignly +indigo +indigo-bearing +indigoberry +indigo-bird +indigo-blue +indigo-dyed +indigoes +Indigofera +indigoferous +indigogen +indigo-grinding +indigoid +indigoids +indigo-yielding +indigometer +indigo-plant +indigo-producing +indigos +indigotate +indigotic +indigotin +indigotindisulphonic +indigotine +indigo-white +indiguria +Indihar +indihumin +indii +indijbiously +indyl +indilatory +indylic +indiligence +indimensible +in-dimension +indimensional +indiminishable +indimple +indin +Indio +Indira +indirect +indirected +indirecting +indirection +indirections +indirectly +indirectness +indirectnesses +indirects +indirubin +indirubine +indiscernibility +indiscernible +indiscernibleness +indiscernibly +indiscerpible +indiscerptibility +indiscerptible +indiscerptibleness +indiscerptibly +indisciplinable +indiscipline +indisciplined +indiscoverable +indiscoverably +indiscovered +indiscovery +indiscreet +indiscreetly +indiscreetness +indiscrete +indiscretely +indiscretion +indiscretionary +indiscretions +indiscrimanently +indiscriminantly +indiscriminate +indiscriminated +indiscriminately +indiscriminateness +indiscriminating +indiscriminatingly +indiscrimination +indiscriminative +indiscriminatively +indiscriminatory +indiscussable +indiscussed +indiscussible +indish +indispellable +indispensability +indispensabilities +indispensable +indispensableness +indispensables +indispensably +indispensible +indispersed +indispose +indisposed +indisposedness +indisposing +indisposition +indispositions +indisputability +indisputable +indisputableness +indisputably +indisputed +indissipable +indissociable +indissociably +indissolubility +indissoluble +indissolubleness +indissolubly +indissolute +indissolvability +indissolvable +indissolvableness +indissolvably +indissuadable +indissuadably +indistance +indistant +indistinct +indistinctible +indistinction +indistinctive +indistinctively +indistinctiveness +indistinctly +indistinctness +indistinctnesses +indistinguishability +indistinguishable +indistinguishableness +indistinguishably +indistinguished +indistinguishing +indistortable +indistributable +indisturbable +indisturbance +indisturbed +inditch +indite +indited +inditement +inditer +inditers +indites +inditing +indium +indiums +indiv +indivertible +indivertibly +individ +individable +individed +individua +individual +individualisation +individualise +individualised +individualiser +individualising +individualism +individualist +individualistic +individualistically +individualists +individuality +individualities +individualization +individualize +individualized +individualizer +individualizes +individualizing +individualizingly +individually +individuals +individual's +individuate +individuated +individuates +individuating +individuation +individuative +individuator +individuity +individuous +individuum +individuums +indivinable +indivinity +indivisibility +indivisible +indivisibleness +indivisibly +indivisim +indivision +indn +Indo- +Indo-afghan +Indo-african +Indo-Aryan +Indo-australian +Indo-british +Indo-briton +Indo-burmese +Indo-celtic +Indochina +Indochinese +Indo-Chinese +indocibility +indocible +indocibleness +indocile +indocilely +indocility +indoctrinate +indoctrinated +indoctrinates +indoctrinating +indoctrination +indoctrinations +indoctrinator +indoctrine +indoctrinization +indoctrinize +indoctrinized +indoctrinizing +Indo-dutch +Indo-egyptian +Indo-english +Indoeuropean +Indo-European +Indo-europeanist +Indo-french +Indogaea +Indogaean +Indo-gangetic +indogen +indogenide +Indo-german +Indo-Germanic +Indo-greek +Indo-hellenistic +Indo-Hittite +indoin +Indo-Iranian +indol +indole +indolence +indolences +indolent +indolently +indoles +indolyl +indolin +indoline +indologenous +Indology +Indologian +Indologist +Indologue +indoloid +indols +indomable +Indo-malayan +Indo-malaysian +indomethacin +indominitable +indominitably +indomitability +indomitable +indomitableness +indomitably +Indo-mohammedan +Indone +Indonesia +Indonesian +indonesians +Indo-oceanic +indoor +indoors +Indo-Pacific +indophenin +indophenol +Indophile +Indophilism +Indophilist +Indo-portuguese +Indore +indorsable +indorsation +indorse +indorsed +indorsee +indorsees +indorsement +indorser +indorsers +indorses +indorsing +indorsor +indorsors +Indo-saracenic +Indo-scythian +Indo-spanish +Indo-sumerian +Indo-teutonic +indow +indowed +indowing +indows +indoxyl +indoxylic +indoxyls +indoxylsulphuric +Indra +indraft +indrafts +Indrani +indrape +indraught +indrawal +indrawing +indrawn +Indre +Indre-et-Loire +indrench +indri +Indris +indubious +indubiously +indubitability +indubitable +indubitableness +indubitably +indubitate +indubitatively +induc +induc. +induce +induceable +induced +inducedly +inducement +inducements +inducement's +inducer +inducers +induces +induciae +inducibility +inducible +inducing +inducive +induct +inductance +inductances +inducted +inductee +inductees +inducteous +inductile +inductility +inducting +induction +inductional +inductionally +inductionless +inductions +induction's +inductive +inductively +inductiveness +inductivity +inducto- +inductometer +inductophone +inductor +inductory +inductorium +inductors +inductor's +inductoscope +inductothermy +inductril +inducts +indue +indued +induement +indues +induing +induism +indulge +indulgeable +indulged +indulgement +indulgence +indulgenced +indulgences +indulgence's +indulgency +indulgencies +indulgencing +indulgent +indulgential +indulgentially +indulgently +indulgentness +indulger +indulgers +indulges +indulgiate +indulging +indulgingly +indulin +induline +indulines +indulins +indult +indulto +indults +indument +indumenta +indumentum +indumentums +induna +induplicate +induplication +induplicative +indurable +indurance +indurate +indurated +indurates +indurating +induration +indurations +indurative +indure +indurite +Indus +indusia +indusial +indusiate +indusiated +indusiform +indusioid +indusium +industry +industrial +industrialisation +industrialise +industrialised +industrialising +industrialism +industrialist +industrialists +industrialist's +industrialization +industrializations +industrialize +industrialized +industrializes +industrializing +industrially +industrialness +industrials +industries +industrious +industriously +industriousness +industriousnesses +industrys +industry's +industrochemical +indutive +induviae +induvial +induviate +indwell +indweller +indwelling +indwellingness +indwells +indwelt +ine +yne +inearth +inearthed +inearthing +inearths +inebriacy +inebriant +inebriate +inebriated +inebriates +inebriating +inebriation +inebriations +inebriative +inebriety +inebrious +ineconomy +ineconomic +inedibility +inedible +inedita +inedited +Ineducabilia +ineducabilian +ineducability +ineducable +ineducation +ineffability +ineffable +ineffableness +ineffably +ineffaceability +ineffaceable +ineffaceably +ineffectible +ineffectibly +ineffective +ineffectively +ineffectiveness +ineffectivenesses +ineffectual +ineffectuality +ineffectually +ineffectualness +ineffectualnesses +ineffervescence +ineffervescent +ineffervescibility +ineffervescible +inefficacy +inefficacious +inefficaciously +inefficaciousness +inefficacity +inefficience +inefficiency +inefficiencies +inefficient +inefficiently +ineffulgent +inegalitarian +ineye +inelaborate +inelaborated +inelaborately +inelastic +inelastically +inelasticate +inelasticity +inelasticities +inelegance +inelegances +inelegancy +inelegancies +inelegant +inelegantly +ineligibility +ineligible +ineligibleness +ineligibles +ineligibly +ineliminable +ineloquence +ineloquent +ineloquently +ineluctability +ineluctable +ineluctably +ineludible +ineludibly +inembryonate +inemendable +inemotivity +inemulous +inenarrability +inenarrable +inenarrably +inenergetic +inenubilable +inenucleable +inept +ineptitude +ineptitudes +ineptly +ineptness +ineptnesses +inequable +inequal +inequalitarian +inequality +inequalities +inequally +inequalness +inequation +inequi- +inequiaxial +inequicostate +inequidistant +inequigranular +inequilateral +inequilaterally +inequilibrium +inequilobate +inequilobed +inequipotential +inequipotentiality +inequitable +inequitableness +inequitably +inequitate +inequity +inequities +inequivalent +inequivalve +inequivalved +inequivalvular +ineradicability +ineradicable +ineradicableness +ineradicably +inerasable +inerasableness +inerasably +inerasible +inergetic +Ineri +inerm +Inermes +Inermi +Inermia +inermous +Inerney +inerrability +inerrable +inerrableness +inerrably +inerrancy +inerrant +inerrantly +inerratic +inerring +inerringly +inerroneous +inert +inertance +inertia +inertiae +inertial +inertially +inertias +inertion +inertly +inertness +inertnesses +inerts +inerubescent +inerudite +ineruditely +inerudition +Ines +Ynes +inescapable +inescapableness +inescapably +inescate +inescation +inesculent +inescutcheon +Inesita +inesite +Ineslta +I-ness +Inessa +inessential +inessentiality +inessive +inesthetic +inestimability +inestimable +inestimableness +inestimably +inestivation +inethical +ineunt +ineuphonious +inevadible +inevadibly +inevaporable +inevasible +inevasibleness +inevasibly +inevidence +inevident +inevitability +inevitabilities +inevitable +inevitableness +inevitably +inexact +inexacting +inexactitude +inexactly +inexactness +inexcellence +inexcitability +inexcitable +inexcitableness +inexcitably +inexclusive +inexclusively +inexcommunicable +inexcusability +inexcusable +inexcusableness +inexcusably +inexecrable +inexecutable +inexecution +inexertion +inexhalable +inexhaust +inexhausted +inexhaustedly +inexhaustibility +inexhaustible +inexhaustibleness +inexhaustibly +inexhaustive +inexhaustively +inexhaustless +inexigible +inexist +inexistence +inexistency +inexistent +inexorability +inexorable +inexorableness +inexorably +inexpansible +inexpansive +inexpectable +inexpectance +inexpectancy +inexpectant +inexpectation +inexpected +inexpectedly +inexpectedness +inexpedience +inexpediency +inexpedient +inexpediently +inexpensive +inexpensively +inexpensiveness +inexperience +inexperienced +inexperiences +inexpert +inexpertly +inexpertness +inexpertnesses +inexperts +inexpiable +inexpiableness +inexpiably +inexpiate +inexplainable +inexpleble +inexplicability +inexplicable +inexplicableness +inexplicables +inexplicably +inexplicit +inexplicitly +inexplicitness +inexplorable +inexplosive +inexportable +inexposable +inexposure +inexpress +inexpressibility +inexpressibilities +inexpressible +inexpressibleness +inexpressibles +inexpressibly +inexpressive +inexpressively +inexpressiveness +inexpugnability +inexpugnable +inexpugnableness +inexpugnably +inexpungeable +inexpungibility +inexpungible +inexsuperable +inextant +inextended +inextensibility +inextensible +inextensile +inextension +inextensional +inextensive +inexterminable +inextinct +inextinguible +inextinguishability +inextinguishable +inextinguishables +inextinguishably +inextinguished +inextirpable +inextirpableness +inextricability +inextricable +inextricableness +inextricably +Inez +Ynez +Inf +Inf. +inface +infair +infall +infallibilism +infallibilist +infallibility +infallible +infallibleness +infallibly +infallid +infalling +infalsificable +infamation +infamatory +infame +infamed +infamy +infamia +infamies +infamiliar +infamiliarity +infamize +infamized +infamizing +infamonize +infamous +infamously +infamousness +infancy +infancies +infand +infandous +infang +infanglement +infangthef +infangthief +infans +infant +infanta +infantado +infantas +infante +infantes +infanthood +infanticidal +infanticide +infanticides +infantile +infantilism +infantility +infantilize +infantine +infantive +infantly +infantlike +infantry +infantries +infantryman +infantrymen +infants +infant's +infant-school +infarce +infarct +infarctate +infarcted +infarction +infarctions +infarcts +infare +infares +infashionable +infatigable +infatuate +infatuated +infatuatedly +infatuatedness +infatuates +infatuating +infatuation +infatuations +infatuator +infauna +infaunae +infaunal +infaunas +infaust +infausting +infeasibility +infeasibilities +infeasible +infeasibleness +infect +infectant +infected +infectedness +infecter +infecters +infectible +infecting +infection +infectionist +infections +infection's +infectious +infectiously +infectiousness +infective +infectiveness +infectivity +infector +infectors +infectress +infects +infectum +infectuous +infecund +infecundity +infeeble +infeed +infeft +infefting +infeftment +infeijdation +Infeld +infelicific +infelicity +infelicities +infelicitous +infelicitously +infelicitousness +infelonious +infelt +infeminine +infenible +infeodation +infeof +infeoff +infeoffed +infeoffing +infeoffment +infeoffs +infer +inferable +inferably +inference +inferenced +inferences +inference's +inferencing +inferent +inferential +inferentialism +inferentialist +inferentially +Inferi +inferial +inferible +inferior +inferiorism +inferiority +inferiorities +inferiorize +inferiorly +inferiorness +inferiors +inferior's +infern +infernal +infernalism +infernality +infernalize +infernally +infernalry +infernalship +Inferno +infernos +inferno's +infero- +inferoanterior +inferobranch +inferobranchiate +inferofrontal +inferolateral +inferomedian +inferoposterior +inferred +inferrer +inferrers +inferribility +inferrible +inferring +inferringly +infers +infertile +infertilely +infertileness +infertility +infertilities +infest +infestant +infestation +infestations +infested +infester +infesters +infesting +infestious +infestive +infestivity +infestment +infests +infeudate +infeudation +infibulate +infibulation +inficete +infidel +infidelic +infidelical +infidelism +infidelistic +infidelity +infidelities +infidelize +infidelly +infidels +infidel's +Infield +infielder +infielders +infields +infieldsman +infight +infighter +infighters +infighting +in-fighting +infights +infigured +infile +infill +infilling +infilm +infilter +infiltered +infiltering +infiltrate +infiltrated +infiltrates +infiltrating +infiltration +infiltrations +infiltrative +infiltrator +infiltrators +infima +infimum +infin +infin. +infinitant +infinitary +infinitarily +infinitate +infinitated +infinitating +infinitation +infinite +infinitely +infiniteness +infinites +infinitesimal +infinitesimalism +infinitesimality +infinitesimally +infinitesimalness +infinitesimals +infiniteth +infinity +infinities +infinitieth +infinitival +infinitivally +infinitive +infinitively +infinitives +infinitive's +infinitize +infinitized +infinitizing +infinito- +infinito-absolute +infinito-infinitesimal +infinitude +infinitudes +infinitum +infinituple +infirm +infirmable +infirmarer +infirmaress +infirmary +infirmarian +infirmaries +infirmate +infirmation +infirmative +infirmatory +infirmed +infirming +infirmity +infirmities +infirmly +infirmness +infirms +infissile +infit +infitter +infix +infixal +infixation +infixed +infixes +infixing +infixion +infixions +infl +inflamable +inflame +inflamed +inflamedly +inflamedness +inflamer +inflamers +inflames +inflaming +inflamingly +inflammability +inflammabilities +inflammable +inflammableness +inflammably +inflammation +inflammations +inflammative +inflammatory +inflammatorily +inflatable +inflate +inflated +inflatedly +inflatedness +inflater +inflaters +inflates +inflatile +inflating +inflatingly +inflation +inflationary +inflationism +inflationist +inflationists +inflations +inflative +inflator +inflators +inflatus +inflect +inflected +inflectedness +inflecting +inflection +inflectional +inflectionally +inflectionless +inflections +inflective +inflector +inflects +inflesh +inflex +inflexed +inflexibility +inflexibilities +inflexible +inflexibleness +inflexibly +inflexion +inflexional +inflexionally +inflexionless +inflexive +inflexure +inflict +inflictable +inflicted +inflicter +inflicting +infliction +inflictions +inflictive +inflictor +inflicts +inflight +in-flight +inflood +inflooding +inflorescence +inflorescent +inflow +inflowering +inflowing +inflows +influe +influencability +influencable +influence +influenceability +influenceabilities +influenceable +influenced +influencer +influences +influencing +influencive +influent +influential +influentiality +influentially +influentialness +influents +influenza +influenzal +influenzalike +influenzas +influenzic +influx +influxable +influxes +influxible +influxibly +influxion +influxionism +influxious +influxive +info +infold +infolded +infolder +infolders +infolding +infoldment +infolds +infoliate +inforgiveable +inform +informable +informal +informalism +informalist +informality +informalities +informalize +informally +informalness +informant +informants +informant's +Informatica +informatics +information +informational +informations +informative +informatively +informativeness +informatory +informatus +informed +informedly +informer +informers +informidable +informing +informingly +informity +informous +informs +infortiate +infortitude +infortunate +infortunately +infortunateness +infortune +infortunity +infos +infought +infound +infra +infra- +infra-anal +infra-angelic +infra-auricular +infra-axillary +infrabasal +infrabestial +infrabranchial +infrabuccal +infracanthal +infracaudal +infracelestial +infracentral +infracephalic +infraclavicle +infraclavicular +infraclusion +infraconscious +infracortical +infracostal +infracostalis +infracotyloid +infract +infracted +infractible +infracting +infraction +infractions +infractor +infracts +infradentary +infradiaphragmatic +infra-esophageal +infragenual +infraglacial +infraglenoid +infraglottic +infragrant +infragular +infrahyoid +infrahuman +infralabial +infralapsarian +infralapsarianism +Infra-lias +infralinear +infralittoral +inframammary +inframammillary +inframandibular +inframarginal +inframaxillary +inframedian +inframercurial +inframercurian +inframolecular +inframontane +inframundane +infranatural +infranaturalism +infranchise +infrangibility +infrangible +infrangibleness +infrangibly +infranodal +infranuclear +infraoccipital +infraocclusion +infraocular +infraoral +infraorbital +infraordinary +infrapapillary +infrapatellar +infraperipherial +infrapose +infraposed +infraposing +infraposition +infraprotein +infrapubian +infraradular +infrared +infra-red +infrareds +infrarenal +infrarenally +infrarimal +infrascapular +infrascapularis +infrascientific +infrasonic +infrasonics +infraspecific +infraspinal +infraspinate +infraspinatus +infraspinous +infrastapedial +infrasternal +infrastigmatal +infrastipular +infrastructure +infrastructures +infrasutral +infratemporal +infraterrene +infraterritorial +infrathoracic +infratonsillar +infratracheal +infratrochanteric +infratrochlear +infratubal +infraturbinal +infra-umbilical +infravaginal +infraventral +infree +infrequence +infrequency +infrequent +infrequentcy +infrequently +infrigidate +infrigidation +infrigidative +infringe +infringed +infringement +infringements +infringement's +infringer +infringers +infringes +infringible +infringing +infructiferous +infructuose +infructuosity +infructuous +infructuously +infrugal +infrunite +infrustrable +infrustrably +infula +infulae +infumate +infumated +infumation +infume +infund +infundibula +infundibular +Infundibulata +infundibulate +infundibuliform +infundibulum +infuneral +infuriate +infuriated +infuriatedly +infuriately +infuriates +infuriating +infuriatingly +infuriation +infuscate +infuscated +infuscation +infuse +infused +infusedly +infuser +infusers +infuses +infusibility +infusible +infusibleness +infusile +infusing +infusion +infusionism +infusionist +infusions +infusive +infusory +Infusoria +infusorial +infusorian +infusories +infusoriform +infusorioid +infusorium +ing +Inga +Ingaberg +Ingaborg +Ingaevones +Ingaevonic +ingallantry +Ingalls +Ingamar +ingan +ingang +ingangs +ingannation +Ingar +ingate +ingates +ingather +ingathered +ingatherer +ingathering +ingathers +Inge +Ingeberg +Ingeborg +Ingelbert +ingeldable +Ingelow +ingem +Ingemar +ingeminate +ingeminated +ingeminating +ingemination +ingender +ingene +ingenerability +ingenerable +ingenerably +ingenerate +ingenerated +ingenerately +ingenerating +ingeneration +ingenerative +ingeny +ingeniary +ingeniate +ingenie +ingenier +ingenio +ingeniosity +ingenious +ingeniously +ingeniousness +ingeniousnesses +ingenit +ingenital +ingenite +ingent +ingenu +ingenue +ingenues +ingenuity +ingenuities +ingenuous +ingenuously +ingenuousness +ingenuousnesses +Inger +ingerminate +Ingersoll +ingest +ingesta +ingestant +ingested +ingester +ingestible +ingesting +ingestion +ingestive +ingests +Ingham +Inghamite +Inghilois +Inghirami +ingine +ingirt +ingiver +ingiving +Ingle +Inglebert +Ingleborough +ingle-bred +Inglefield +inglenook +inglenooks +Ingles +inglesa +Ingleside +Inglewood +Inglis +inglobate +inglobe +inglobed +inglobing +inglorious +ingloriously +ingloriousness +inglu +inglut +inglutition +ingluvial +ingluvies +ingluviitis +ingluvious +Ingmar +ingnue +in-goal +ingoing +in-going +ingoingness +Ingold +Ingolstadt +Ingomar +ingorge +ingot +ingoted +ingoting +ingotman +ingotmen +ingots +Ingra +ingracious +ingraft +ingraftation +ingrafted +ingrafter +ingrafting +ingraftment +ingrafts +Ingraham +ingrain +ingrained +ingrainedly +ingrainedness +ingraining +ingrains +Ingram +ingrammaticism +ingramness +ingrandize +ingrapple +ingrate +ingrateful +ingratefully +ingratefulness +ingrately +ingrates +ingratiate +ingratiated +ingratiates +ingratiating +ingratiatingly +ingratiation +ingratiatory +ingratitude +ingratitudes +ingrave +ingravescence +ingravescent +ingravidate +ingravidation +ingreat +ingredience +ingredient +ingredients +ingredient's +INGRES +ingress +ingresses +ingression +ingressive +ingressiveness +ingreve +Ingrid +Ingrim +ingross +ingrossing +ingroup +in-group +ingroups +ingrow +ingrowing +ingrown +ingrownness +ingrowth +ingrowths +ingruent +inguen +inguilty +inguinal +inguino- +inguinoabdominal +inguinocrural +inguinocutaneous +inguinodynia +inguinolabial +inguinoscrotal +Inguklimiut +ingulf +ingulfed +ingulfing +ingulfment +ingulfs +Ingunna +ingurgitate +ingurgitated +ingurgitating +ingurgitation +Ingush +ingustable +Ingvaeonic +Ingvar +Ingveonic +Ingwaeonic +Ingweonic +INH +inhabile +inhabit +inhabitability +inhabitable +inhabitance +inhabitancy +inhabitancies +inhabitant +inhabitants +inhabitant's +inhabitate +inhabitation +inhabitative +inhabitativeness +inhabited +inhabitedness +inhabiter +inhabiting +inhabitiveness +inhabitress +inhabits +inhalant +inhalants +inhalation +inhalational +inhalations +inhalator +inhalators +inhale +inhaled +inhalement +inhalent +inhaler +inhalers +inhales +inhaling +Inhambane +inhame +inhance +inharmony +inharmonic +inharmonical +inharmonious +inharmoniously +inharmoniousness +inhaul +inhauler +inhaulers +inhauls +inhaust +inhaustion +inhearse +inheaven +inhelde +inhell +inhere +inhered +inherence +inherency +inherencies +inherent +inherently +inheres +inhering +inherit +inheritability +inheritabilities +inheritable +inheritableness +inheritably +inheritage +inheritance +inheritances +inheritance's +inherited +inheriting +inheritor +inheritors +inheritor's +inheritress +inheritresses +inheritress's +inheritrice +inheritrices +inheritrix +inherits +inherle +inhesion +inhesions +inhesive +inhiate +inhibit +inhibitable +inhibited +inhibiter +inhibiting +inhibition +inhibitionist +inhibitions +inhibition's +inhibitive +inhibitor +inhibitory +inhibitors +inhibits +Inhiston +inhive +inhold +inholder +inholding +inhomogeneity +inhomogeneities +inhomogeneous +inhomogeneously +inhonest +inhoop +inhospitable +inhospitableness +inhospitably +inhospitality +in-house +inhuman +inhumane +inhumanely +inhumaneness +inhumanism +inhumanity +inhumanities +inhumanize +inhumanly +inhumanness +inhumate +inhumation +inhumationist +inhume +inhumed +inhumer +inhumers +inhumes +inhuming +inhumorous +inhumorously +Iny +Inia +inial +inyala +Inyanga +inidoneity +inidoneous +Inigo +inimaginable +inimicability +inimicable +inimical +inimicality +inimically +inimicalness +inimicitious +inimicous +inimitability +inimitable +inimitableness +inimitably +inimitative +Inin +Inina +Inine +inyoite +inyoke +Inyokern +iniome +Iniomi +iniomous +inion +inique +iniquitable +iniquitably +iniquity +iniquities +iniquity's +iniquitous +iniquitously +iniquitousness +iniquous +inirritability +inirritable +inirritably +inirritant +inirritative +inisle +inissuable +init +init. +inital +initial +initialed +initialer +initialing +initialisation +initialise +initialised +initialism +initialist +initialization +initializations +initialization's +initialize +initialized +initializer +initializers +initializes +initializing +initialled +initialler +initially +initialling +initialness +initials +initiant +initiary +initiate +initiated +initiates +initiating +initiation +initiations +initiative +initiatively +initiatives +initiative's +initiator +initiatory +initiatorily +initiators +initiator's +initiatress +initiatrices +initiatrix +initiatrixes +initio +inition +initis +initive +inject +injectable +injectant +injected +injecting +injection +injection-gneiss +injections +injection's +injective +injector +injectors +injects +injelly +injoin +injoint +injucundity +injudicial +injudicially +injudicious +injudiciously +injudiciousness +injudiciousnesses +Injun +injunct +injunction +injunctions +injunction's +injunctive +injunctively +injurable +injure +injured +injuredly +injuredness +injurer +injurers +injures +injury +injuria +injuries +injuring +injurious +injuriously +injuriousness +injury-proof +injury's +injust +injustice +injustices +injustice's +injustifiable +injustly +ink +inkberry +ink-berry +inkberries +ink-black +inkblot +inkblots +ink-blurred +inkbush +ink-cap +ink-carrying +ink-colored +ink-distributing +ink-dropping +inked +inken +inker +Inkerman +inkers +inket +inkfish +inkholder +inkhorn +inkhornism +inkhornist +inkhornize +inkhornizer +inkhorns +inky +inky-black +inkie +inkier +inkies +inkiest +inkindle +inkiness +inkinesses +inking +inkings +inkish +inkjet +inkle +inkles +inkless +inklike +inkling +inklings +inkling's +inkmaker +inkmaking +inkman +in-knee +in-kneed +inknit +inknot +Inkom +inkos +inkosi +inkpot +inkpots +Inkra +inkroot +inks +inkshed +ink-slab +inkslinger +inkslinging +ink-spotted +inkstain +ink-stained +inkstand +inkstandish +inkstands +Inkster +inkstone +ink-wasting +inkweed +inkwell +inkwells +inkwood +inkwoods +inkwriter +ink-writing +ink-written +INL +inlace +inlaced +inlaces +inlacing +inlagary +inlagation +inlay +inlaid +inlayed +inlayer +inlayers +inlaying +inlaik +inlays +inlake +inland +inlander +inlanders +inlandish +inlands +inlapidate +inlapidatee +inlard +inlaut +inlaw +in-law +inlawry +in-laws +in-lb +inleague +inleagued +inleaguer +inleaguing +inleak +inleakage +in-lean +inless +inlet +inlets +inlet's +inletting +inly +inlier +inliers +inlighten +inlying +inlike +inline +in-line +inlook +inlooker +inlooking +in-lot +Inman +in-marriage +inmate +inmates +inmate's +inmeat +inmeats +inmesh +inmeshed +inmeshes +inmeshing +inmew +inmigrant +in-migrant +in-migrate +in-migration +inmixture +inmore +inmost +inmprovidence +INMS +INN +Inna +innage +innards +innascibility +innascible +innate +innately +innateness +innatism +innative +innato- +innatural +innaturality +innaturally +innavigable +inne +inned +inneity +Inner +inner-city +inner-directed +inner-directedness +inner-direction +innerly +innermore +innermost +innermostly +innerness +inners +innersole +innersoles +innerspring +innervate +innervated +innervates +innervating +innervation +innervational +innervations +innerve +innerved +innerves +innerving +Innes +Inness +innest +innet +innholder +innyard +inning +innings +inninmorite +Innis +Innisfail +Inniskilling +innitency +innkeeper +innkeepers +innless +innobedient +innocence +innocences +innocency +innocencies +innocent +innocenter +innocentest +innocently +innocentness +innocents +innocuity +innoculate +innoculated +innoculating +innoculation +innocuous +innocuously +innocuousness +innodate +innominability +innominable +innominables +innominata +innominate +innominatum +innomine +innovant +innovate +innovated +innovates +innovating +innovation +innovational +innovationist +innovation-proof +innovations +innovation's +innovative +innovatively +innovativeness +innovator +innovatory +innovators +innoxious +innoxiously +innoxiousness +inns +Innsbruck +innuate +innubilous +innuendo +innuendoed +innuendoes +innuendoing +innuendos +Innuit +innumerability +innumerable +innumerableness +innumerably +innumerate +innumerous +innutrient +innutrition +innutritious +innutritiousness +innutritive +Ino +ino- +inobedience +inobedient +inobediently +inoblast +inobnoxious +inobscurable +inobservable +inobservance +inobservancy +inobservant +inobservantly +inobservantness +inobservation +inobtainable +inobtrusive +inobtrusively +inobtrusiveness +inobvious +INOC +inocarpin +Inocarpus +inoccupation +Inoceramus +inochondritis +inochondroma +inocystoma +inocyte +inocula +inoculability +inoculable +inoculant +inocular +inoculate +inoculated +inoculates +inoculating +inoculation +inoculations +inoculative +inoculativity +inoculator +inoculum +inoculums +Inodes +inodiate +inodorate +inodorous +inodorously +inodorousness +inoepithelioma +in-off +inoffending +inoffensive +inoffensively +inoffensiveness +inofficial +inofficially +inofficiosity +inofficious +inofficiously +inofficiousness +inogen +inogenesis +inogenic +inogenous +inoglia +inohymenitic +Inola +inolith +inoma +inominous +inomyoma +inomyositis +inomyxoma +inone +inoneuroma +Inonu +inoperability +inoperable +inoperation +inoperational +inoperative +inoperativeness +inopercular +Inoperculata +inoperculate +inopinable +inopinate +inopinately +inopine +inopportune +inopportunely +inopportuneness +inopportunism +inopportunist +inopportunity +inoppressive +inoppugnable +inopulent +inorb +inorderly +inordinacy +inordinance +inordinancy +inordinary +inordinate +inordinately +inordinateness +inordination +inorg +inorg. +inorganic +inorganical +inorganically +inorganity +inorganizable +inorganization +inorganized +inoriginate +inornate +inornateness +inorthography +inosclerosis +inoscopy +inosculate +inosculated +inosculating +inosculation +inosic +inosilicate +inosin +inosine +inosinic +inosite +inosites +inositol +inositol-hexaphosphoric +inositols +inostensible +inostensibly +inotropic +Inoue +inower +inoxidability +inoxidable +inoxidizable +inoxidize +inoxidized +inoxidizing +inp- +inpayment +inparabola +inpardonable +inparfit +inpatient +in-patient +inpatients +inpensioner +inphase +in-phase +inphases +in-plant +inpolygon +inpolyhedron +inponderable +inport +inpour +inpoured +inpouring +inpours +inpush +input +input/output +inputfile +inputs +input's +inputted +inputting +inqilab +inquaintance +inquartation +in-quarto +inquest +inquests +inquestual +inquiet +inquietation +inquieted +inquieting +inquietly +inquietness +inquiets +inquietude +inquietudes +Inquilinae +inquiline +inquilinism +inquilinity +inquilinous +inquinate +inquinated +inquinating +inquination +inquirable +inquirance +inquirant +inquiration +inquire +inquired +inquirendo +inquirent +inquirer +inquirers +inquires +inquiry +inquiries +inquiring +inquiringly +inquiry's +inquisible +inquisit +inquisite +Inquisition +inquisitional +inquisitionist +inquisitions +inquisition's +inquisitive +inquisitively +inquisitiveness +inquisitivenesses +inquisitor +Inquisitor-General +inquisitory +inquisitorial +inquisitorially +inquisitorialness +inquisitorious +inquisitors +inquisitorship +inquisitress +inquisitrix +inquisiturient +inracinate +inradii +inradius +inradiuses +inrail +inreality +inregister +INRI +INRIA +inrigged +inrigger +inrighted +inring +inro +inroad +inroader +inroads +inrol +inroll +inrolling +inrooted +inrub +inrun +inrunning +inruption +inrush +inrushes +inrushing +INS +ins. +insabbatist +insack +insafety +insagacity +in-sail +insalivate +insalivated +insalivating +insalivation +insalubrious +insalubriously +insalubriousness +insalubrity +insalubrities +insalutary +insalvability +insalvable +insame +insanable +insane +insanely +insaneness +insaner +insanest +insaniate +insanie +insanify +insanitary +insanitariness +insanitation +insanity +insanities +insanity-proof +insapiency +insapient +insapory +insatiability +insatiable +insatiableness +insatiably +insatiate +insatiated +insatiately +insatiateness +insatiety +insatisfaction +insatisfactorily +insaturable +inscape +inscapes +inscenation +inscibile +inscience +inscient +inscious +insconce +inscribable +inscribableness +inscribe +inscribed +inscriber +inscribers +inscribes +inscribing +inscript +inscriptible +inscription +inscriptional +inscriptioned +inscriptionist +inscriptionless +inscriptions +inscription's +inscriptive +inscriptively +inscriptured +inscroll +inscrolled +inscrolling +inscrolls +inscrutability +inscrutable +inscrutableness +inscrutables +inscrutably +insculp +insculped +insculping +insculps +insculpture +insculptured +inscutcheon +insea +inseam +inseamer +inseams +insearch +insecable +insect +Insecta +insectan +insectary +insectaria +insectaries +insectarium +insectariums +insectation +insectean +insect-eating +insected +insecticidal +insecticidally +insecticide +insecticides +insectiferous +insectiform +insectifuge +insectile +insectine +insection +insectival +Insectivora +insectivore +insectivory +insectivorous +insectlike +insectmonger +insectologer +insectology +insectologist +insectproof +insects +insect's +insecuration +insecurations +insecure +insecurely +insecureness +insecurity +insecurities +insecution +insee +inseeing +inseer +inselberg +inselberge +inseminate +inseminated +inseminates +inseminating +insemination +inseminations +inseminator +inseminators +insenescible +insensate +insensately +insensateness +insense +insensed +insensibility +insensibilities +insensibilization +insensibilize +insensibilizer +insensible +insensibleness +insensibly +insensing +insensitive +insensitively +insensitiveness +insensitivity +insensitivities +insensuous +insentience +insentiences +insentiency +insentient +insep +inseparability +inseparable +inseparableness +inseparables +inseparably +inseparate +inseparately +insequent +insert +insertable +inserted +inserter +inserters +inserting +insertion +insertional +insertions +insertion's +insertive +inserts +inserve +in-service +inserviceable +inservient +insession +insessor +Insessores +insessorial +inset +insets +insetted +insetter +insetters +insetting +inseverable +inseverably +inshade +inshave +insheath +insheathe +insheathed +insheathing +insheaths +inshell +inshining +inship +inshoe +inshoot +inshore +inshrine +inshrined +inshrines +inshrining +inside +insident +inside-out +insider +insiders +insides +insidiate +insidiation +insidiator +insidiosity +insidious +insidiously +insidiousness +insidiousnesses +insight +insighted +insightful +insightfully +insights +insight's +insigne +insignes +insignia +insignias +insignificance +insignificancy +insignificancies +insignificant +insignificantly +insignificative +insignisigne +insignment +insimplicity +insimulate +insincere +insincerely +insincerity +insincerities +insinew +insinking +insinuant +insinuate +insinuated +insinuates +insinuating +insinuatingly +insinuation +insinuations +insinuative +insinuatively +insinuativeness +insinuator +insinuatory +insinuators +insinuendo +insipid +insipidity +insipidities +insipidly +insipidness +insipidus +insipience +insipient +insipiently +insist +insisted +insistence +insistences +insistency +insistencies +insistent +insistently +insister +insisters +insisting +insistingly +insistive +insists +insisture +insistuvree +insite +insitiency +insition +insititious +Insko +insnare +insnared +insnarement +insnarer +insnarers +insnares +insnaring +insobriety +insociability +insociable +insociableness +insociably +insocial +insocially +insociate +insofar +insol +insolate +insolated +insolates +insolating +insolation +insole +insolence +insolences +insolency +insolent +insolently +insolentness +insolents +insoles +insolid +insolidity +insolite +insolubility +insolubilities +insolubilization +insolubilize +insolubilized +insolubilizing +insoluble +insolubleness +insolubly +insolvability +insolvable +insolvably +insolvence +insolvency +insolvencies +insolvent +insomnia +insomniac +insomniacs +insomnia-proof +insomnias +insomnious +insomnolence +insomnolency +insomnolent +insomnolently +insomuch +insonorous +insooth +insorb +insorbent +insordid +insouciance +insouciances +insouciant +insouciantly +insoul +insouled +insouling +insouls +insp +insp. +inspake +inspan +inspanned +inspanning +inspans +inspeak +inspeaking +inspect +inspectability +inspectable +inspected +inspecting +inspectingly +inspection +inspectional +inspectioneer +inspections +inspection's +inspective +inspector +inspectoral +inspectorate +inspectorial +inspectors +inspector's +inspectorship +inspectress +inspectrix +inspects +insperge +insperse +inspeximus +inspheration +insphere +insphered +inspheres +insphering +inspinne +inspirability +inspirable +inspirant +inspirate +inspiration +inspirational +inspirationalism +inspirationally +inspirationist +inspirations +inspiration's +inspirative +inspirator +inspiratory +inspiratrix +inspire +inspired +inspiredly +inspirer +inspirers +inspires +inspiring +inspiringly +inspirit +inspirited +inspiriter +inspiriting +inspiritingly +inspiritment +inspirits +inspirometer +inspissant +inspissate +inspissated +inspissating +inspissation +inspissator +inspissosis +inspoke +inspoken +inspreith +Inst +inst. +instability +instabilities +instable +instal +install +installant +installation +installations +installation's +installed +installer +installers +installing +installment +installments +installment's +installs +instalment +instals +instamp +instance +instanced +instances +instancy +instancies +instancing +instanding +instant +instantaneity +instantaneous +instantaneously +instantaneousness +instanter +instantial +instantiate +instantiated +instantiates +instantiating +instantiation +instantiations +instantiation's +instantly +instantness +instants +instar +instarred +instarring +instars +instate +instated +instatement +instates +instating +instaurate +instauration +instaurator +instead +instealing +insteam +insteep +instellatinn +instellation +instep +insteps +instigant +instigate +instigated +instigates +instigating +instigatingly +instigation +instigations +instigative +instigator +instigators +instigator's +instigatrix +instil +instyle +instill +instillation +instillator +instillatory +instilled +instiller +instillers +instilling +instillment +instills +instilment +instils +instimulate +instinct +instinction +instinctive +instinctively +instinctiveness +instinctivist +instinctivity +instincts +instinct's +instinctual +instinctually +instipulate +institor +institory +institorial +institorian +institue +institute +instituted +instituter +instituters +Institutes +instituting +institution +institutional +institutionalisation +institutionalise +institutionalised +institutionalising +institutionalism +institutionalist +institutionalists +institutionality +institutionalization +institutionalize +institutionalized +institutionalizes +institutionalizing +institutionally +institutionary +institutionize +institutions +institutive +institutively +institutor +institutors +institutress +institutrix +instonement +instop +instore +instr +instr. +instransitive +instratified +instreaming +instrengthen +instressed +instroke +instrokes +instruct +instructable +instructed +instructedly +instructedness +instructer +instructible +instructing +instruction +instructional +instructionary +instruction-proof +instructions +instruction's +instructive +instructively +instructiveness +instructor +instructorial +instructorless +instructors +instructor's +instructorship +instructorships +instructress +instructs +instrument +instrumental +instrumentalism +instrumentalist +instrumentalists +instrumentalist's +instrumentality +instrumentalities +instrumentalize +instrumentally +instrumentals +instrumentary +instrumentate +instrumentation +instrumentations +instrumentative +instrumented +instrumenting +instrumentist +instrumentman +instruments +insuavity +insubduable +insubjection +insubmergible +insubmersible +insubmission +insubmissive +insubordinate +insubordinately +insubordinateness +insubordination +insubordinations +insubstantial +insubstantiality +insubstantialize +insubstantially +insubstantiate +insubstantiation +insubvertible +insuccate +insuccation +insuccess +insuccessful +insucken +insue +insuetude +insufferable +insufferableness +insufferably +insufficent +insufficience +insufficiency +insufficiencies +insufficient +insufficiently +insufficientness +insufflate +insufflated +insufflating +insufflation +insufflator +insuitable +insula +insulae +insulance +insulant +insulants +insular +insulary +insularism +insularity +insularities +insularize +insularized +insularizing +insularly +insulars +insulate +insulated +insulates +insulating +insulation +insulations +insulator +insulators +insulator's +insulin +insulinase +insulination +insulinize +insulinized +insulinizing +insulins +insulize +Insull +insulphured +insulse +insulsity +insult +insultable +insultant +insultation +insulted +insulter +insulters +insulting +insultingly +insultment +insultproof +insults +insume +insunk +insuper +insuperability +insuperable +insuperableness +insuperably +insupportable +insupportableness +insupportably +insupposable +insuppressibility +insuppressible +insuppressibly +insuppressive +insurability +insurable +insurance +insurances +insurant +insurants +insure +insured +insureds +insuree +insurer +insurers +insures +insurge +insurgence +insurgences +insurgency +insurgencies +insurgent +insurgentism +insurgently +insurgents +insurgent's +insurgescence +insuring +insurmounable +insurmounably +insurmountability +insurmountable +insurmountableness +insurmountably +insurpassable +insurrect +insurrection +insurrectional +insurrectionally +insurrectionary +insurrectionaries +insurrectionise +insurrectionised +insurrectionising +insurrectionism +insurrectionist +insurrectionists +insurrectionize +insurrectionized +insurrectionizing +insurrections +insurrection's +insurrecto +insurrectory +insusceptibility +insusceptibilities +insusceptible +insusceptibly +insusceptive +insuspect +insusurration +inswamp +inswarming +inswathe +inswathed +inswathement +inswathes +inswathing +insweeping +inswell +inswept +inswing +inswinger +Int +in't +int. +inta +intablature +intabulate +intact +intactible +intactile +intactly +intactness +intagli +intagliated +intagliation +intaglio +intaglioed +intaglioing +intaglios +intagliotype +intail +intake +intaker +intakes +intaminated +intangibility +intangibilities +intangible +intangibleness +intangibles +intangible's +intangibly +intangle +INTAP +intaria +intarissable +intarsa +intarsas +intarsia +intarsias +intarsiate +intarsist +intastable +intaxable +intebred +intebreeding +intechnicality +integer +integers +integer's +integrability +integrable +integral +integrality +integralization +integralize +integrally +integrals +integral's +integrand +integrant +integraph +integrate +integrated +integrates +integrating +integration +integrationist +integrations +integrative +integrator +integrifolious +integrious +integriously +integripallial +integripalliate +integrity +integrities +integrodifferential +integropallial +Integropallialia +Integropalliata +integropalliate +integumation +integument +integumental +integumentary +integumentation +integuments +inteind +intel +intellect +intellectation +intellected +intellectible +intellection +intellective +intellectively +intellects +intellect's +intellectual +intellectualisation +intellectualise +intellectualised +intellectualiser +intellectualising +intellectualism +intellectualisms +intellectualist +intellectualistic +intellectualistically +intellectuality +intellectualities +intellectualization +intellectualizations +intellectualize +intellectualized +intellectualizer +intellectualizes +intellectualizing +intellectually +intellectualness +intellectuals +intelligence +intelligenced +intelligencer +intelligences +intelligency +intelligencing +intelligent +intelligential +intelligentiary +intelligently +intelligentsia +intelligibility +intelligibilities +intelligible +intelligibleness +intelligibly +intelligize +INTELSAT +intemerate +intemerately +intemerateness +intemeration +intemperable +intemperably +intemperament +intemperance +intemperances +intemperancy +intemperant +intemperate +intemperately +intemperateness +intemperatenesses +intemperature +intemperies +intempestive +intempestively +intempestivity +intemporal +intemporally +intenability +intenable +intenancy +intend +intendance +intendancy +intendancies +intendant +intendantism +intendantship +intended +intendedly +intendedness +intendeds +intendence +intendency +intendencia +intendencies +intendente +intender +intenders +intendible +intendiment +intending +intendingly +intendit +intendment +intends +intenerate +intenerated +intenerating +inteneration +intenible +intens +intens. +intensate +intensation +intensative +intense +intensely +intenseness +intenser +intensest +intensify +intensification +intensifications +intensified +intensifier +intensifiers +intensifies +intensifying +intension +intensional +intensionally +intensity +intensities +intensitive +intensitometer +intensive +intensively +intensiveness +intensivenyess +intensives +intent +intentation +intented +intention +intentional +intentionalism +intentionality +intentionally +intentioned +intentionless +intentions +intentive +intentively +intentiveness +intently +intentness +intentnesses +intents +inter +inter- +inter. +interabang +interabsorption +interacademic +interacademically +interaccessory +interaccuse +interaccused +interaccusing +interacinar +interacinous +interacra +interact +interactant +interacted +interacting +interaction +interactional +interactionism +interactionist +interactions +interaction's +interactive +interactively +interactivity +interacts +interadaptation +interadaption +interadditive +interadventual +interaffiliate +interaffiliated +interaffiliation +interage +interagency +interagencies +interagent +inter-agent +interagglutinate +interagglutinated +interagglutinating +interagglutination +interagree +interagreed +interagreeing +interagreement +interalar +interall +interally +interalliance +interallied +inter-Allied +interalveolar +interambulacra +interambulacral +interambulacrum +Inter-american +interamnian +Inter-andean +interangular +interanimate +interanimated +interanimating +interannular +interantagonism +interantennal +interantennary +interapophysal +interapophyseal +interapplication +interarboration +interarch +interarcualis +interarytenoid +interarmy +interarrival +interarticular +interartistic +interassociate +interassociated +interassociation +interassure +interassured +interassuring +interasteroidal +interastral +interatomic +interatrial +interattrition +interaulic +interaural +interauricular +interavailability +interavailable +interaxal +interaxes +interaxial +interaxillary +interaxis +interbalance +interbalanced +interbalancing +interbanded +interbank +interbanking +interbastate +interbbred +interbed +interbedded +interbelligerent +interblend +interblended +interblending +interblent +interblock +interbody +interbonding +interborough +interbourse +interbrachial +interbrain +inter-brain +interbranch +interbranchial +interbreath +interbred +interbreed +interbreeding +interbreeds +interbrigade +interbring +interbronchial +interbrood +interbusiness +intercadence +intercadent +intercalar +intercalare +intercalary +intercalarily +intercalarium +intercalate +intercalated +intercalates +intercalating +intercalation +intercalations +intercalative +intercalatory +intercale +intercalm +intercampus +intercanal +intercanalicular +intercapillary +intercardinal +intercarotid +intercarpal +intercarpellary +intercarrier +intercartilaginous +intercaste +intercatenated +intercausative +intercavernous +intercede +interceded +intercedent +interceder +intercedes +interceding +intercellular +intercellularly +intercensal +intercentra +intercentral +intercentrum +intercept +interceptable +intercepted +intercepter +intercepting +interception +interceptions +interceptive +interceptor +interceptors +interceptress +intercepts +intercerebral +intercess +intercession +intercessional +intercessionary +intercessionate +intercessionment +intercessions +intercessive +intercessor +intercessory +intercessorial +intercessors +interchaff +interchain +interchange +interchangeability +interchangeable +interchangeableness +interchangeably +interchanged +interchangement +interchanger +interchanges +interchanging +interchangings +interchannel +interchapter +intercharge +intercharged +intercharging +interchase +interchased +interchasing +intercheck +interchoke +interchoked +interchoking +interchondral +interchurch +intercident +Intercidona +interciliary +intercilium +intercipient +intercircle +intercircled +intercircling +intercirculate +intercirculated +intercirculating +intercirculation +intercision +intercystic +intercity +intercitizenship +intercivic +intercivilization +interclash +interclasp +interclass +interclavicle +interclavicular +interclerical +interclose +intercloud +interclub +interclude +interclusion +intercoastal +intercoccygeal +intercoccygean +intercohesion +intercollege +intercollegian +intercollegiate +intercolline +intercolonial +intercolonially +intercolonization +intercolonize +intercolonized +intercolonizing +intercolumn +intercolumnal +intercolumnar +intercolumnation +intercolumniation +intercom +intercombat +intercombination +intercombine +intercombined +intercombining +intercome +intercommission +intercommissural +intercommon +intercommonable +intercommonage +intercommoned +intercommoner +intercommoning +intercommunal +intercommune +intercommuned +intercommuner +intercommunicability +intercommunicable +intercommunicate +intercommunicated +intercommunicates +intercommunicating +intercommunication +intercommunicational +intercommunications +intercommunicative +intercommunicator +intercommuning +intercommunion +intercommunional +intercommunity +intercommunities +intercompany +intercomparable +intercompare +intercompared +intercomparing +intercomparison +intercomplexity +intercomplimentary +intercoms +interconal +interconciliary +intercondenser +intercondylar +intercondylic +intercondyloid +interconfessional +interconfound +interconnect +interconnected +interconnectedness +interconnecting +interconnection +interconnections +interconnection's +interconnects +interconnexion +interconsonantal +intercontinental +intercontorted +intercontradiction +intercontradictory +interconversion +interconvert +interconvertibility +interconvertible +interconvertibly +intercooler +intercooling +intercoracoid +intercorporate +intercorpuscular +intercorrelate +intercorrelated +intercorrelating +intercorrelation +intercorrelations +intercortical +intercosmic +intercosmically +intercostal +intercostally +intercostobrachial +intercostohumeral +intercotylar +intercounty +intercouple +intercoupled +intercoupling +Intercourse +intercourses +intercoxal +intercranial +intercreate +intercreated +intercreating +intercreedal +intercrescence +intercrinal +intercrystalline +intercrystallization +intercrystallize +intercrop +intercropped +intercropping +intercross +intercrossed +intercrossing +intercrural +intercrust +intercultural +interculturally +interculture +intercupola +intercur +intercurl +intercurrence +intercurrent +intercurrently +intercursation +intercuspidal +intercut +intercutaneous +intercuts +intercutting +interdash +interdata +interdeal +interdealer +interdebate +interdebated +interdebating +interdenominational +interdenominationalism +interdental +interdentally +interdentil +interdepartmental +interdepartmentally +interdepend +interdependability +interdependable +interdependence +interdependences +interdependency +interdependencies +interdependent +interdependently +interderivative +interdespise +interdestructive +interdestructively +interdestructiveness +interdetermination +interdetermine +interdetermined +interdetermining +interdevour +interdict +interdicted +interdicting +interdiction +interdictions +interdictive +interdictor +interdictory +interdicts +interdictum +interdifferentiate +interdifferentiated +interdifferentiating +interdifferentiation +interdiffuse +interdiffused +interdiffusiness +interdiffusing +interdiffusion +interdiffusive +interdiffusiveness +interdigital +interdigitally +interdigitate +interdigitated +interdigitating +interdigitation +interdine +interdiscal +interdisciplinary +interdispensation +interdistinguish +interdistrict +interdivision +interdivisional +interdome +interdorsal +interdrink +intereat +interelectrode +interelectrodic +interelectronic +interembrace +interembraced +interembracing +interempire +interemption +interenjoy +interentangle +interentangled +interentanglement +interentangling +interepidemic +interepimeral +interepithelial +interequinoctial +interess +interesse +interessee +interessor +interest +interested +interestedly +interestedness +interester +interesterification +interesting +interestingly +interestingness +interestless +interests +interestuarine +interethnic +Inter-european +interexchange +interface +interfaced +interfacer +interfaces +interfacial +interfacing +interfactional +interfaculty +interfaith +interfamily +interfascicular +interfault +interfector +interfederation +interfemoral +interfenestral +interfenestration +interferant +interfere +interfered +interference +interference-proof +interferences +interferent +interferential +interferer +interferers +interferes +interfering +interferingly +interferingness +interferogram +interferometer +interferometers +interferometry +interferometric +interferometrically +interferometries +interferon +interferric +interfertile +interfertility +interfiber +interfibrillar +interfibrillary +interfibrous +interfilamentar +interfilamentary +interfilamentous +interfilar +interfile +interfiled +interfiles +interfiling +interfilling +interfiltrate +interfiltrated +interfiltrating +interfiltration +interfinger +interfirm +interflange +interflashing +interflow +interfluence +interfluent +interfluminal +interfluous +interfluve +interfluvial +interflux +interfold +interfoliaceous +interfoliar +interfoliate +interfollicular +interforce +interframe +interfraternal +interfraternally +interfraternity +interfret +interfretted +interfriction +interfrontal +interfruitful +interfulgent +interfuse +interfused +interfusing +interfusion +intergalactic +intergang +interganglionic +intergatory +intergenerant +intergenerating +intergeneration +intergenerational +intergenerative +intergeneric +intergential +intergesture +intergilt +intergyral +interglacial +interglandular +interglyph +interglobular +intergonial +intergossip +intergossiped +intergossiping +intergossipped +intergossipping +intergovernmental +intergradation +intergradational +intergrade +intergraded +intergradient +intergrading +intergraft +intergranular +intergrapple +intergrappled +intergrappling +intergrave +intergroup +intergroupal +intergrow +intergrown +intergrowth +intergular +interhabitation +interhaemal +interhemal +interhemispheric +interhyal +interhybridize +interhybridized +interhybridizing +interhostile +interhuman +interieur +Interim +interimist +interimistic +interimistical +interimistically +interimperial +Inter-imperial +interims +interincorporation +interindependence +interindicate +interindicated +interindicating +interindividual +interindustry +interinfluence +interinfluenced +interinfluencing +interinhibition +interinhibitive +interinsert +interinstitutional +interinsular +interinsurance +interinsurer +interinvolve +interinvolved +interinvolving +interionic +Interior +interiorism +interiorist +interiority +interiorization +interiorize +interiorized +interiorizes +interiorizing +interiorly +interiorness +interiors +interior's +interior-sprung +interirrigation +interisland +interj +interj. +interjacence +interjacency +interjacent +interjaculate +interjaculateded +interjaculating +interjaculatory +interjangle +interjealousy +interject +interjected +interjecting +interjection +interjectional +interjectionalise +interjectionalised +interjectionalising +interjectionalize +interjectionalized +interjectionalizing +interjectionally +interjectionary +interjectionize +interjections +interjectiveness +interjector +interjectory +interjectorily +interjectors +interjects +interjectural +interjoin +interjoinder +interjoist +interjudgment +interjugal +interjugular +interjunction +interkinesis +interkinetic +interknit +interknitted +interknitting +interknot +interknotted +interknotting +interknow +interknowledge +interlabial +interlaboratory +interlace +interlaced +interlacedly +interlacement +interlacer +interlacery +interlaces +Interlachen +interlacing +interlacustrine +interlay +interlaid +interlayer +interlayering +interlaying +interlain +interlays +interlake +Interlaken +interlamellar +interlamellation +interlaminar +interlaminate +interlaminated +interlaminating +interlamination +interlanguage +interlap +interlapped +interlapping +interlaps +interlapse +interlard +interlardation +interlarded +interlarding +interlardment +interlards +interlatitudinal +interlaudation +interleaf +interleague +interleave +interleaved +interleaver +interleaves +interleaving +interlibel +interlibeled +interlibelling +interlibrary +interlie +interligamentary +interligamentous +interlight +interlying +interlimitation +interline +interlineal +interlineally +interlinear +interlineary +interlinearily +interlinearly +interlineate +interlineated +interlineating +interlineation +interlineations +interlined +interlinement +interliner +interlines +Interlingua +interlingual +interlinguist +interlinguistic +interlining +interlink +interlinkage +interlinked +interlinking +interlinks +interlisp +interloan +interlobar +interlobate +interlobular +interlocal +interlocally +interlocate +interlocated +interlocating +interlocation +Interlochen +interlock +interlocked +interlocker +interlocking +interlocks +interlocular +interloculli +interloculus +interlocus +interlocution +interlocutive +interlocutor +interlocutory +interlocutorily +interlocutors +interlocutress +interlocutresses +interlocutrice +interlocutrices +interlocutrix +interloli +interloop +interlope +interloped +interloper +interlopers +interlopes +interloping +interlot +interlotted +interlotting +interlucate +interlucation +interlucent +interlude +interluder +interludes +interludial +interluency +interlunar +interlunary +interlunation +intermachine +intermalar +intermalleolar +intermammary +intermammillary +intermandibular +intermanorial +intermarginal +intermarine +intermarry +intermarriage +intermarriageable +intermarriages +intermarried +intermarries +intermarrying +intermason +intermastoid +intermat +intermatch +intermatted +intermatting +intermaxilla +intermaxillar +intermaxillary +intermaze +intermazed +intermazing +intermean +intermeasurable +intermeasure +intermeasured +intermeasuring +intermeddle +intermeddled +intermeddlement +intermeddler +intermeddlesome +intermeddlesomeness +intermeddling +intermeddlingly +intermede +intermedia +intermediacy +intermediae +intermedial +intermediary +intermediaries +intermediate +intermediated +intermediately +intermediateness +intermediates +intermediate's +intermediating +intermediation +intermediator +intermediatory +intermedin +intermedio-lateral +intermedious +intermedium +intermedius +intermeet +intermeeting +intermell +intermelt +intermembral +intermembranous +intermeningeal +intermenstrual +intermenstruum +interment +intermental +intermention +interments +intermercurial +intermesenterial +intermesenteric +intermesh +intermeshed +intermeshes +intermeshing +intermessage +intermessenger +intermet +intermetacarpal +intermetallic +intermetameric +intermetatarsal +intermew +intermewed +intermewer +intermezzi +intermezzo +intermezzos +intermiddle +intermigrate +intermigrated +intermigrating +intermigration +interminability +interminable +interminableness +interminably +interminant +interminate +interminated +intermination +intermine +intermined +intermingle +intermingled +intermingledom +interminglement +intermingles +intermingling +intermining +interminister +interministerial +interministerium +intermise +intermission +intermissions +intermissive +intermit +intermits +intermitted +intermittedly +intermittence +intermittency +intermittencies +intermittent +intermittently +intermitter +intermitting +intermittingly +intermittor +intermix +intermixable +intermixed +intermixedly +intermixes +intermixing +intermixt +intermixtly +intermixture +intermixtures +intermmet +intermobility +intermodification +intermodillion +intermodulation +intermodule +intermolar +intermolecular +intermolecularly +intermomentary +intermontane +intermorainic +intermotion +intermountain +intermundane +intermundial +intermundian +intermundium +intermunicipal +intermunicipality +intermural +intermure +intermuscular +intermuscularity +intermuscularly +intermutation +intermutual +intermutually +intermutule +intern +internal +internal-combustion +internality +internalities +internalization +internalize +internalized +internalizes +internalizing +internally +internalness +internals +internarial +internasal +internat +internat. +internation +International +Internationale +internationalisation +internationalise +internationalised +internationalising +internationalism +internationalisms +internationalist +internationalists +internationality +internationalization +internationalizations +internationalize +internationalized +internationalizes +internationalizing +internationally +international-minded +internationals +internatl +interne +interneciary +internecinal +internecine +internecion +internecive +internect +internection +interned +internee +internees +internegative +internes +internescine +interneship +internet +internetted +internetwork +internetworking +internetworks +interneural +interneuron +interneuronal +interneuronic +internidal +interning +internist +internists +internity +internment +internments +interno- +internobasal +internodal +internode +internodes +internodia +internodial +internodian +internodium +internodular +interns +internship +internships +internuclear +internunce +internuncial +internuncially +internunciary +internunciatory +internunciess +internuncio +internuncios +internuncioship +internuncius +internuptial +internuptials +interobjective +interoceanic +interoceptive +interoceptor +interocular +interoffice +interolivary +interopercle +interopercular +interoperculum +interoptic +interorbital +interorbitally +interoscillate +interoscillated +interoscillating +interosculant +interosculate +interosculated +interosculating +interosculation +interosseal +interossei +interosseous +interosseus +interownership +interpage +interpalatine +interpale +interpalpebral +interpapillary +interparenchymal +interparental +interparenthetic +interparenthetical +interparenthetically +interparietal +interparietale +interparliament +interparliamentary +interparoxysmal +interparty +interparticle +interpass +interpause +interpave +interpaved +interpaving +interpeal +interpectoral +interpeduncular +interpel +interpellant +interpellate +interpellated +interpellating +interpellation +interpellator +interpelled +interpelling +interpendent +interpenetrable +interpenetrant +interpenetrate +interpenetrated +interpenetrating +interpenetration +interpenetrative +interpenetratively +interpermeate +interpermeated +interpermeating +interpersonal +interpersonally +interpervade +interpervaded +interpervading +interpervasive +interpervasively +interpervasiveness +interpetaloid +interpetalous +interpetiolar +interpetiolary +interphalangeal +interphase +Interphone +interphones +interpiece +interpilaster +interpilastering +interplace +interplacental +interplay +interplaying +interplays +interplait +inter-plane +interplanetary +interplant +interplanting +interplea +interplead +interpleaded +interpleader +interpleading +interpleads +interpled +interpledge +interpledged +interpledging +interpleural +interplical +interplicate +interplication +interplight +interpoint +Interpol +interpolable +interpolant +interpolar +interpolary +interpolate +interpolated +interpolater +interpolates +interpolating +interpolation +interpolations +interpolative +interpolatively +interpolator +interpolatory +interpolators +interpole +interpolymer +interpolish +interpolity +interpolitical +interpollinate +interpollinated +interpollinating +interpone +interpopulation +interportal +interposable +interposal +interpose +interposed +interposer +interposers +interposes +interposing +interposingly +interposition +interpositions +interposure +interpour +interppled +interppoliesh +interprater +interpressure +interpret +interpretability +interpretable +interpretableness +interpretably +interpretament +interpretate +interpretation +interpretational +interpretations +interpretation's +interpretative +interpretatively +interpreted +interpreter +interpreters +interpretership +interpreting +interpretive +interpretively +interpretorial +interpretress +interprets +interprismatic +interprocess +interproduce +interproduced +interproducing +interprofessional +interprofessionally +interproglottidal +interproportional +interprotoplasmic +interprovincial +interproximal +interproximate +interpterygoid +interpubic +interpulmonary +interpunct +interpunction +interpunctuate +interpunctuation +interpupil +interpupillary +interquarrel +interquarreled +interquarreling +interquarter +interquartile +interrace +interracial +interracialism +interradial +interradially +interradiate +interradiated +interradiating +interradiation +interradii +interradium +interradius +interrailway +interramal +interramicorn +interramification +interran +interreact +interreceive +interreceived +interreceiving +interrecord +interred +interreflect +interreflection +interregal +interregency +interregent +interreges +interregimental +interregional +interregionally +interregna +interregnal +interregnum +interregnums +interreign +interrelate +interrelated +interrelatedly +interrelatedness +interrelatednesses +interrelates +interrelating +interrelation +interrelations +interrelationship +interrelationships +interrelationship's +interreligious +interreligiously +interrena +interrenal +interrenalism +interrepellent +interrepulsion +interrer +interresist +interresistance +interresistibility +interresponsibility +interresponsible +interresponsive +interreticular +interreticulation +interrex +interrhyme +interrhymed +interrhyming +interright +interring +interriven +interroad +interrobang +interrog +interrog. +interrogability +interrogable +interrogant +interrogate +interrogated +interrogatedness +interrogatee +interrogates +interrogating +interrogatingly +interrogation +interrogational +interrogations +interrogative +interrogatively +interrogatives +interrogator +interrogatory +interrogatories +interrogatorily +interrogator-responsor +interrogators +interrogatrix +interrogee +interroom +interrow +interrule +interruled +interruling +interrun +interrunning +interrupt +interruptable +interrupted +interruptedly +interruptedness +interrupter +interrupters +interruptible +interrupting +interruptingly +interruption +interruptions +interruption's +interruptive +interruptively +interruptor +interruptory +interrupts +inters +intersale +intersalute +intersaluted +intersaluting +interscapilium +interscapular +interscapulum +interscendent +interscene +interscholastic +interschool +interscience +interscribe +interscribed +interscribing +interscription +interseaboard +interseam +interseamed +intersecant +intersect +intersectant +intersected +intersecting +intersection +intersectional +intersections +intersection's +intersector +intersects +intersegmental +interseminal +interseminate +interseminated +interseminating +intersentimental +interseptal +interseptum +intersert +intersertal +interservice +intersesamoid +intersession +intersessional +intersessions +interset +intersetting +intersex +intersexes +intersexual +intersexualism +intersexuality +intersexualities +intersexually +intershade +intershaded +intershading +intershifting +intershock +intershoot +intershooting +intershop +intershot +intersidereal +intersystem +intersystematic +intersystematical +intersystematically +intersituate +intersituated +intersituating +intersocial +intersocietal +intersociety +intersoil +intersole +intersoled +intersoling +intersolubility +intersoluble +intersomnial +intersomnious +intersonant +intersow +interspace +interspaced +interspacing +interspatial +interspatially +interspeaker +interspecial +interspecies +interspecific +interspeech +interspersal +intersperse +interspersed +interspersedly +intersperses +interspersing +interspersion +interspersions +interspheral +intersphere +interspicular +interspinal +interspinalis +interspinous +interspiral +interspiration +interspire +intersporal +intersprinkle +intersprinkled +intersprinkling +intersqueeze +intersqueezed +intersqueezing +intersshot +interstade +interstadial +interstage +interstaminal +interstapedial +interstate +interstates +interstation +interstellar +interstellary +intersterile +intersterility +intersternal +interstice +intersticed +interstices +intersticial +interstimulate +interstimulated +interstimulating +interstimulation +interstinctive +interstitial +interstitially +interstition +interstitious +interstitium +interstratify +interstratification +interstratified +interstratifying +interstreak +interstream +interstreet +interstrial +interstriation +interstrive +interstriven +interstriving +interstrove +interstructure +intersubjective +intersubjectively +intersubjectivity +intersubsistence +intersubstitution +intersuperciliary +intersusceptation +intertalk +intertangle +intertangled +intertanglement +intertangles +intertangling +intertarsal +intertask +interteam +intertear +intertentacular +intertergal +interterm +interterminal +interterritorial +intertessellation +intertestamental +intertex +intertexture +interthing +interthread +interthreaded +interthreading +interthronging +intertidal +intertidally +intertie +intertied +intertieing +interties +intertill +intertillage +intertinge +intertinged +intertinging +Intertype +intertissue +intertissued +intertoll +intertone +intertongue +intertonic +intertouch +intertown +intertrabecular +intertrace +intertraced +intertracing +intertrade +intertraded +intertrading +intertraffic +intertrafficked +intertrafficking +intertragian +intertransformability +intertransformable +intertransmissible +intertransmission +intertranspicuous +intertransversal +intertransversalis +intertransversary +intertransverse +intertrappean +intertree +intertribal +intertriginous +intertriglyph +intertrigo +intertrinitarian +intertrochanteric +intertrochlear +intertroop +intertropic +intertropical +intertropics +intertrude +intertuberal +intertubercular +intertubular +intertwin +intertwine +intertwined +intertwinement +intertwinements +intertwines +intertwining +intertwiningly +intertwist +intertwisted +intertwisting +intertwistingly +interungular +interungulate +interunion +interuniversity +interurban +interureteric +intervaginal +interval +Intervale +intervaled +intervalic +intervaling +intervalled +intervalley +intervallic +intervalling +intervallum +intervalometer +intervals +interval's +intervalvular +intervary +intervariation +intervaried +intervarietal +intervarying +intervarsity +inter-varsity +inter-'varsity +intervascular +intervein +interveinal +interveined +interveining +interveinous +intervenant +intervene +intervened +intervener +interveners +intervenes +intervenience +interveniency +intervenient +intervening +intervenium +intervenor +intervent +intervention +interventional +interventionism +interventionist +interventionists +interventions +intervention's +interventive +interventor +interventral +interventralia +interventricular +intervenue +intervenular +interverbal +interversion +intervert +intervertebra +intervertebral +intervertebrally +interverting +intervesicular +interview +interviewable +interviewed +interviewee +interviewees +interviewer +interviewers +interviewing +interviews +intervillage +intervillous +intervisibility +intervisible +intervisit +intervisitation +intervital +intervocal +intervocalic +intervocalically +intervolute +intervolution +intervolve +intervolved +intervolving +interwar +interwarred +interwarring +interweave +interweaved +interweavement +interweaver +interweaves +interweaving +interweavingly +interwed +interweld +interwhiff +interwhile +interwhistle +interwhistled +interwhistling +interwind +interwinded +interwinding +interwish +interword +interwork +interworked +interworking +interworks +interworld +interworry +interwound +interwove +interwoven +interwovenly +interwrap +interwrapped +interwrapping +interwreathe +interwreathed +interwreathing +interwrought +interwwrought +interxylary +interzygapophysial +interzonal +interzone +interzooecial +intestable +intestacy +intestacies +intestate +intestation +intestinal +intestinally +intestine +intestineness +intestines +intestine's +intestiniform +intestinovesical +intexine +intext +intextine +intexture +in-the-wool +inthral +inthrall +inthralled +inthralling +inthrallment +inthralls +inthralment +inthrals +inthrone +inthroned +inthrones +inthrong +inthroning +inthronistic +inthronizate +inthronization +inthronize +inthrow +inthrust +inti +intially +intice +intil +intill +intima +intimacy +intimacies +intimado +intimados +intimae +intimal +intimas +intimate +intimated +intimately +intimateness +intimater +intimaters +intimates +intimating +intimation +intimations +intime +intimidate +intimidated +intimidates +intimidating +intimidation +intimidations +intimidator +intimidatory +intimidity +Intimism +intimist +intimiste +intimity +intimous +intinct +intinction +intinctivity +intine +intines +intire +Intyre +intis +Intisar +intisy +intitle +intitled +intitles +intitling +intitulation +intitule +intituled +intitules +intituling +intl +intnl +into +intoed +in-toed +intolerability +intolerable +intolerableness +intolerably +intolerance +intolerances +intolerancy +intolerant +intolerantly +intolerantness +intolerated +intolerating +intoleration +intollerably +intomb +intombed +intombing +intombment +intombs +intonable +intonaci +intonaco +intonacos +intonate +intonated +intonates +intonating +intonation +intonational +intonations +intonation's +intonator +intone +intoned +intonement +intoner +intoners +intones +intoning +intoothed +in-to-out +intorsion +intort +intorted +intortillage +intorting +intortion +intorts +intortus +Intosh +intourist +intower +intown +intoxation +intoxicable +intoxicant +intoxicantly +intoxicants +intoxicate +intoxicated +intoxicatedly +intoxicatedness +intoxicates +intoxicating +intoxicatingly +intoxication +intoxications +intoxicative +intoxicatively +intoxicator +intoxicators +intr +intr. +intra +intra- +intraabdominal +intra-abdominal +intra-abdominally +intra-acinous +intra-alveolar +intra-appendicular +intra-arachnoid +intraarterial +intra-arterial +intraarterially +intra-articular +intra-atomic +intra-atrial +intra-aural +intra-auricular +intrabiontic +intrabranchial +intrabred +intrabronchial +intrabuccal +intracalicular +intracanalicular +intracanonical +intracapsular +intracardiac +intracardial +intracardially +intracarpal +intracarpellary +intracartilaginous +intracellular +intracellularly +intracephalic +intracerebellar +intracerebral +intracerebrally +intracervical +intrachordal +intracistern +intracystic +intracity +intraclitelline +intracloacal +intracoastal +intracoelomic +intracolic +intracollegiate +intracommunication +intracompany +intracontinental +intracorporeal +intracorpuscular +intracortical +intracosmic +intracosmical +intracosmically +intracostal +intracranial +intracranially +intractability +intractable +intractableness +intractably +intractile +intracutaneous +intracutaneously +intrada +intraday +intradepartment +intradepartmental +intradermal +intradermally +intradermic +intradermically +intradermo +intradistrict +intradivisional +intrado +intrados +intradoses +intradoss +intraduodenal +intradural +intraecclesiastical +intraepiphyseal +intraepithelial +intrafactory +intrafascicular +intrafissural +intrafistular +intrafoliaceous +intraformational +intrafusal +intragalactic +intragantes +intragastric +intragemmal +intragyral +intraglacial +intraglandular +intraglobular +intragroup +intragroupal +intrahepatic +intrahyoid +in-tray +intrail +intraimperial +intrait +intrajugular +intralamellar +intralaryngeal +intralaryngeally +intraleukocytic +intraligamentary +intraligamentous +intraliminal +intraline +intralingual +intralobar +intralobular +intralocular +intralogical +intralumbar +intramachine +intramammary +intramarginal +intramastoid +intramatrical +intramatrically +intramedullary +intramembranous +intrameningeal +intramental +intra-mercurial +intrametropolitan +intramyocardial +intramolecular +intramolecularly +intramontane +intramorainic +intramundane +intramural +intramuralism +intramurally +intramuscular +intramuscularly +intranarial +intranasal +intranatal +intranational +intraneous +intranet +intranetwork +intraneural +intranidal +intranquil +intranquillity +intrans +intrans. +intranscalency +intranscalent +intransferable +intransferrable +intransformable +intransfusible +intransgressible +intransient +intransigeance +intransigeancy +intransigeant +intransigeantly +intransigence +intransigences +intransigency +intransigent +intransigentism +intransigentist +intransigently +intransigents +intransitable +intransitive +intransitively +intransitiveness +intransitives +intransitivity +intransitu +intranslatable +intransmissible +intransmutability +intransmutable +intransparency +intransparent +intrant +intrants +intranuclear +intraoctave +intraocular +intraoffice +intraoral +intraorbital +intraorganization +intraossal +intraosseous +intraosteal +intraovarian +intrap +intrapair +intraparenchymatous +intraparietal +intraparochial +intraparty +intrapelvic +intrapericardiac +intrapericardial +intraperineal +intraperiosteal +intraperitoneal +intraperitoneally +intrapersonal +intrapetiolar +intraphilosophic +intrapial +intrapyretic +intraplacental +intraplant +intrapleural +intrapolar +intrapontine +intrapopulation +intraprocess +intraprocessor +intraprostatic +intraprotoplasmic +intrapsychic +intrapsychical +intrapsychically +intrapulmonary +intrarachidian +intrarectal +intrarelation +intrarenal +intraretinal +intrarhachidian +intraschool +intrascrotal +intrasegmental +intraselection +intrasellar +intraseminal +intraseptal +intraserous +intrashop +intrasynovial +intraspecies +intraspecific +intraspecifically +intraspinal +intraspinally +intrastate +intrastromal +intrasusception +intratarsal +intrate +intratelluric +intraterritorial +intratesticular +intrathecal +intrathyroid +intrathoracic +intratympanic +intratomic +intratonsillar +intratrabecular +intratracheal +intratracheally +intratropical +intratubal +intratubular +intra-urban +intra-urethral +intrauterine +intra-uterine +intravaginal +intravalvular +intravasation +intravascular +intravascularly +intravenous +intravenously +intraventricular +intraverbal +intraversable +intravertebral +intravertebrally +intravesical +intravital +intravitally +intravitam +intra-vitam +intravitelline +intravitreous +intraxylary +intrazonal +intreasure +intreat +intreatable +intreated +intreating +intreats +intrench +intrenchant +intrenched +intrencher +intrenches +intrenching +intrenchment +intrepid +intrepidity +intrepidities +intrepidly +intrepidness +intricable +intricacy +intricacies +intricate +intricately +intricateness +intrication +intrigant +intrigante +intrigantes +intrigants +intrigaunt +intrigo +intriguant +intriguante +intrigue +intrigued +intrigueproof +intriguer +intriguery +intriguers +intrigues +intriguess +intriguing +intriguingly +intrince +intrine +intrinse +intrinsic +intrinsical +intrinsicality +intrinsically +intrinsicalness +intrinsicate +intro +intro- +intro. +introactive +introceptive +introconversion +introconvertibility +introconvertible +introd +introdden +introduce +introduced +introducee +introducement +introducer +introducers +introduces +introducible +introducing +introduct +introduction +introductions +introduction's +introductive +introductively +introductor +introductory +introductorily +introductoriness +introductress +introfaction +introfy +introfied +introfier +introfies +introfying +introflex +introflexion +introgressant +introgression +introgressive +introinflection +Introit +introits +introitus +introject +introjection +introjective +intromissibility +intromissible +intromission +intromissive +intromit +intromits +intromitted +intromittence +intromittent +intromitter +intromitting +intron +introns +intropression +intropulsive +intropunitive +introreception +introrsal +introrse +introrsely +intros +introscope +introsensible +introsentient +introspect +introspectable +introspected +introspectible +introspecting +introspection +introspectional +introspectionism +introspectionist +introspectionistic +introspections +introspective +introspectively +introspectiveness +introspectivism +introspectivist +introspector +introspects +introsuction +introsume +introsuscept +introsusception +introthoracic +introtraction +introvenient +introverse +introversibility +introversible +introversion +introversions +introversive +introversively +introvert +introverted +introvertedness +introverting +introvertive +introverts +introvision +introvolution +intrudance +intrude +intruded +intruder +intruders +intruder's +intrudes +intruding +intrudingly +intrudress +intrunk +intrus +intruse +intrusion +intrusional +intrusionism +intrusionist +intrusions +intrusion's +intrusive +intrusively +intrusiveness +intrusivenesses +intruso +intrust +intrusted +intrusting +intrusts +intsv +intubate +intubated +intubates +intubating +intubation +intubationist +intubator +intubatting +intube +INTUC +intue +intuent +intuicity +intuit +intuitable +intuited +intuiting +intuition +intuitional +intuitionalism +intuitionalist +intuitionally +intuitionism +intuitionist +intuitionistic +intuitionless +intuitions +intuition's +intuitive +intuitively +intuitiveness +intuitivism +intuitivist +intuito +intuits +intumesce +intumesced +intumescence +intumescent +intumescing +intumulate +intune +inturbidate +inturgescence +inturn +inturned +inturning +inturns +intuse +intussuscept +intussusception +intussusceptive +intwine +intwined +intwinement +intwines +intwining +intwist +intwisted +intwisting +intwists +Inuit +inukshuk +inula +inulaceous +inulase +inulases +inulin +inulins +inuloid +inumbrate +inumbration +inunct +inunction +inunctum +inunctuosity +inunctuous +inundable +inundant +inundate +inundated +inundates +inundating +inundation +inundations +inundator +inundatory +inunderstandable +inunderstanding +inurbane +inurbanely +inurbaneness +inurbanity +inure +inured +inuredness +inurement +inurements +inures +inuring +inurn +inurned +inurning +inurnment +inurns +inusitate +inusitateness +inusitation +inust +inustion +inutile +inutilely +inutility +inutilities +inutilized +inutterable +inv +inv. +invaccinate +invaccination +invadable +invade +invaded +invader +invaders +invades +invading +invaginable +invaginate +invaginated +invaginating +invagination +invalescence +invaletudinary +invalid +invalidate +invalidated +invalidates +invalidating +invalidation +invalidations +invalidator +invalidcy +invalided +invalidhood +invaliding +invalidish +invalidism +invalidity +invalidities +invalidly +invalidness +invalids +invalidship +invalorous +invaluable +invaluableness +invaluably +invalued +Invar +invariability +invariable +invariableness +invariably +invariance +invariancy +invariant +invariantive +invariantively +invariantly +invariants +invaried +invars +invasion +invasionary +invasionist +invasions +invasion's +invasive +invasiveness +invecked +invect +invected +invection +invective +invectively +invectiveness +invectives +invectivist +invector +inveigh +inveighed +inveigher +inveighing +inveighs +inveigle +inveigled +inveiglement +inveigler +inveiglers +inveigles +inveigling +inveil +invein +invendibility +invendible +invendibleness +inveneme +invenient +invenit +invent +inventable +inventary +invented +inventer +inventers +inventful +inventibility +inventible +inventibleness +inventing +invention +inventional +inventionless +inventions +invention's +inventive +inventively +inventiveness +inventivenesses +inventor +inventory +inventoriable +inventorial +inventorially +inventoried +inventories +inventorying +inventory's +inventors +inventor's +inventress +inventresses +invents +inventurous +inveracious +inveracity +inveracities +Invercargill +inverebrate +inverisimilitude +inverity +inverities +inverminate +invermination +invernacular +Inverness +invernesses +Invernessshire +inversable +inversatile +inverse +inversed +inversedly +inversely +inverses +inversing +inversion +inversionist +inversions +inversive +Inverson +inversor +invert +invertant +invertase +invertebracy +invertebral +Invertebrata +invertebrate +invertebrated +invertebrateness +invertebrates +invertebrate's +inverted +invertedly +invertend +inverter +inverters +invertibility +invertible +invertibrate +invertibrates +invertile +invertin +inverting +invertive +invertor +invertors +inverts +invest +investable +invested +investible +investient +investigable +investigatable +investigate +investigated +investigates +investigating +investigatingly +investigation +investigational +investigations +investigative +investigator +investigatory +investigatorial +investigators +investigator's +investing +investion +investitive +investitor +investiture +investitures +investment +investments +investment's +investor +investors +investor's +invests +investure +inveteracy +inveteracies +inveterate +inveterately +inveterateness +inveteration +inviability +inviabilities +inviable +inviably +invict +invicted +invictive +invidia +invidious +invidiously +invidiousness +invigilance +invigilancy +invigilate +invigilated +invigilating +invigilation +invigilator +invigor +invigorant +invigorate +invigorated +invigorates +invigorating +invigoratingly +invigoratingness +invigoration +invigorations +invigorative +invigoratively +invigorator +invigour +invile +invillage +invinate +invination +invincibility +invincibilities +invincible +invincibleness +invincibly +inviolability +inviolabilities +inviolable +inviolableness +inviolably +inviolacy +inviolate +inviolated +inviolately +inviolateness +invious +inviousness +invirile +invirility +invirtuate +inviscate +inviscation +inviscerate +inviscid +inviscidity +invised +invisibility +invisibilities +invisible +invisibleness +invisibly +invision +invitable +invital +invitant +invitation +invitational +invitations +invitation's +invitatory +invite +invited +invitee +invitees +invitement +inviter +inviters +invites +invitiate +inviting +invitingly +invitingness +invitress +invitrifiable +invivid +invocable +invocant +invocate +invocated +invocates +invocating +invocation +invocational +invocations +invocation's +invocative +invocator +invocatory +invoy +invoice +invoiced +invoices +invoicing +invoke +invoked +invoker +invokers +invokes +invoking +involatile +involatility +involucel +involucelate +involucelated +involucellate +involucellated +involucra +involucral +involucrate +involucre +involucred +involucres +involucriform +involucrum +involuntary +involuntarily +involuntariness +involute +involuted +involutedly +involute-leaved +involutely +involutes +involuting +involution +involutional +involutionary +involutions +involutory +involutorial +involve +involved +involvedly +involvedness +involvement +involvements +involvement's +involvent +involver +involvers +involves +involving +invt +invt. +invulgar +invulnerability +invulnerable +invulnerableness +invulnerably +invulnerate +invultuation +invultvation +inwale +inwall +inwalled +inwalling +inwalls +inwandering +inward +inward-bound +inwardly +inwardness +inwards +INWATS +inweave +inweaved +inweaves +inweaving +inwedged +inweed +inweight +inwheel +inwick +inwind +inwinding +inwinds +inwit +inwith +Inwood +inwork +inworks +inworn +inwound +inwove +inwoven +inwrap +inwrapment +inwrapped +inwrapping +inwraps +inwrapt +inwreathe +inwreathed +inwreathing +inwrit +inwritten +inwrought +IO +yo +io- +Ioab +Yoakum +Ioannides +Ioannina +YOB +Iobates +yobbo +yobboes +yobbos +yobi +yobs +IOC +IOCC +yocco +yochel +yock +yocked +yockel +yockernut +yocking +yocks +iocs +IOD +yod +iod- +iodal +Iodama +Iodamoeba +iodate +iodated +iodates +iodating +iodation +iodations +iode +yode +yodel +yodeled +yodeler +yodelers +yodeling +yodelist +yodelled +yodeller +yodellers +yodelling +yodels +Yoder +yodh +iodhydrate +iodhydric +iodhydrin +yodhs +iodic +iodid +iodide +iodides +iodids +iodiferous +iodimetry +iodimetric +iodin +iodinate +iodinated +iodinates +iodinating +iodination +iodine +iodines +iodinium +iodinophil +iodinophile +iodinophilic +iodinophilous +iodins +iodyrite +iodisation +iodism +iodisms +iodite +iodization +iodize +iodized +iodizer +iodizers +iodizes +iodizing +yodle +yodled +yodler +yodlers +yodles +yodling +iodo +iodo- +iodobehenate +iodobenzene +iodobromite +iodocasein +iodochlorid +iodochloride +iodochromate +iodocresol +iododerma +iodoethane +iodoform +iodoforms +iodogallicin +iodohydrate +iodohydric +iodohydrin +Iodol +iodols +iodomercurate +iodomercuriate +iodomethane +iodometry +iodometric +iodometrical +iodometrically +iodonium +iodophor +iodophors +iodoprotein +iodopsin +iodopsins +iodoso +iodosobenzene +iodospongin +iodotannic +iodotherapy +iodothyrin +iodous +iodoxy +iodoxybenzene +yods +yoe +IOF +Yoga +yogas +yogasana +yogee +yogeeism +yogees +yogh +yoghourt +yoghourts +yoghs +yoghurt +yoghurts +Yogi +Yogic +Yogin +yogini +yoginis +yogins +yogis +Yogism +Yogist +yogoite +yogurt +yogurts +yo-heave-ho +yohimbe +yohimbenine +yohimbi +yohimbin +yohimbine +yohimbinization +yohimbinize +Yoho +yo-ho +yo-ho-ho +yohourt +yoi +yoy +Ioyal +yoick +yoicks +yoyo +Yo-yo +Yo-Yos +yojan +yojana +Yojuane +yok +yokage +yoke +yokeable +yokeableness +yokeage +yoked +yokefellow +yoke-footed +yokel +yokeldom +yokeless +yokelish +yokelism +yokelry +yokels +yokemate +yokemates +yokemating +yoker +yokes +yoke's +yoke-toed +yokewise +yokewood +yoky +yoking +yo-kyoku +Yokkaichi +Yoko +Yokohama +Yokoyama +Yokosuka +yokozuna +yokozunas +yoks +Yokum +Yokuts +Iola +Yola +Yolanda +Iolande +Yolande +Yolane +Iolanthe +Yolanthe +Iolaus +yolden +Yoldia +yoldring +Iole +Iolenta +Yolyn +iolite +iolites +yolk +yolked +yolky +yolkier +yolkiest +yolkiness +yolkless +yolks +Yolo +IOM +yom +yomer +yomim +yomin +Yompur +Yomud +ion +yon +Iona +Yona +Yonah +Yonatan +Yoncalla +yoncopin +yond +yonder +yondmost +yondward +Ione +Ionesco +Iong +Yong +Ioni +yoni +Ionia +Ionian +Ionic +yonic +ionical +Ionicism +ionicity +ionicities +Ionicization +Ionicize +ionics +Ionidium +Yonina +yonis +ionisable +ionisation +ionise +ionised +ioniser +ionises +ionising +Ionism +Ionist +Yonit +Yonita +ionium +ioniums +ionizable +Ionization +ionizations +Ionize +ionized +ionizer +ionizers +ionizes +ionizing +Yonkalla +yonker +Yonkers +Yonkersite +IONL +Yonne +yonner +yonnie +ionogen +ionogenic +ionogens +ionomer +ionomers +ionone +ionones +ionopause +ionophore +Ionornis +ionosphere +ionospheres +ionospheric +ionospherically +Ionoxalis +ions +yonside +yont +iontophoresis +Yoo +IOOF +yoo-hoo +yook +Yoong +yoop +IOP +ioparameters +ior +yor +Yordan +yore +yores +yoretime +Yorgen +Iorgo +Yorgo +Iorgos +Yorgos +Yorick +Iorio +York +Yorke +Yorker +yorkers +Yorkish +Yorkist +Yorklyn +Yorks +Yorkshire +Yorkshireism +Yorkshireman +Yorksppings +Yorkton +Yorktown +Yorkville +yorlin +Iormina +Iormungandr +iortn +Yoruba +Yorubaland +Yoruban +Yorubas +Ios +Yosemite +Iosep +Yoshi +Yoshihito +Yoshiko +Yoshio +Yoshkar-Ola +Ioskeha +Yost +IOT +yot +IOTA +iotacism +yotacism +iotacisms +iotacismus +iotacist +yotacize +iotas +yote +iotization +iotize +iotized +iotizing +IOU +you +you-all +you-be-damned +you-be-damnedness +youd +you'd +youden +youdendrift +youdith +youff +you-know-what +you-know-who +youl +you'll +Youlou +Youlton +Young +youngberry +youngberries +young-bladed +young-chinned +young-conscienced +young-counseled +young-eyed +Younger +youngers +youngest +youngest-born +young-headed +younghearted +young-yeared +youngish +young-ladydom +young-ladyfied +young-ladyhood +young-ladyish +young-ladyism +young-ladylike +young-ladyship +younglet +youngly +youngling +younglings +young-looking +Younglove +Youngman +young-manhood +young-manly +young-manlike +young-manliness +young-mannish +young-mannishness +young-manship +youngness +young-old +Youngran +youngs +youngster +youngsters +youngster's +Youngstown +Youngsville +youngth +Youngtown +youngun +young-winged +young-womanhood +young-womanish +young-womanishness +young-womanly +young-womanlike +young-womanship +Youngwood +younker +younkers +Yountville +youp +youpon +youpons +iour +your +youre +you're +yourn +your'n +yours +yoursel +yourself +yourselves +yourt +ious +yous +youse +Youskevitch +youstir +Yousuf +youth +youth-bold +youth-consuming +youthen +youthened +youthening +youthens +youthes +youthful +youthfully +youthfullity +youthfulness +youthfulnesses +youthhead +youthheid +youthhood +youthy +youthily +youthiness +youthless +youthlessness +youthly +youthlike +youthlikeness +youths +youthsome +youthtide +youthwort +you-uns +youve +you've +youward +youwards +youze +Ioved +yoven +Iover +Ioves +Yovonnda +IOW +yow +Iowa +Iowan +iowans +Iowas +yowden +yowe +yowed +yowes +yowie +yowies +yowing +yowl +yowled +yowley +yowler +yowlers +yowling +yowlring +yowls +yows +iowt +yowt +yox +Ioxus +IP +YP +IPA +y-painted +Ipalnemohuani +Ipava +IPBM +IPC +IPCC +IPCE +IPCS +IPDU +IPE +ipecac +ipecacs +ipecacuanha +ipecacuanhic +yperite +yperites +iph +Iphagenia +Iphianassa +Iphicles +Iphidamas +Iphigenia +Iphigeniah +Iphimedia +Iphinoe +Iphis +Iphition +Iphitus +Iphlgenia +Iphthime +IPI +IPY +Ipiales +ipid +Ipidae +ipil +ipilipil +Ipiutak +IPL +IPLAN +IPM +IPMS +IPO +ipocras +ypocras +Ipoctonus +Ipoh +y-pointing +ipomea +Ipomoea +ipomoeas +ipomoein +Yponomeuta +Yponomeutid +Yponomeutidae +Y-potential +ippi-appa +ipr +Ypres +iproniazid +IPS +Ipsambul +YPSCE +IPSE +ipseand +ipsedixitish +ipsedixitism +ipsedixitist +ipseity +Ypsilanti +ipsilateral +ipsilaterally +ypsiliform +ypsiloid +ipso +Ipsus +Ipswich +IPT +Ypurinan +YPVS +IPX +IQ +Iqbal +IQR +iqs +IQSY +Yquem +Iquique +Iquitos +IR +yr +ir- +Ir. +IRA +Iraan +iracund +iracundity +iracundulous +irade +irades +IRAF +I-railed +Irak +Iraki +Irakis +Iraklion +Iran +Iran. +Irani +Iranian +iranians +Iranic +Iranism +Iranist +Iranize +Irano-semite +y-rapt +Iraq +Iraqi +Iraqian +Iraqis +IRAS +Irasburg +irascent +irascibility +irascibilities +irascible +irascibleness +irascibly +irate +irately +irateness +irater +iratest +Irazu +Irby +Irbid +Irbil +irbis +yrbk +IRBM +IRC +irchin +IRD +IRDS +IRE +Ire. +ired +Iredale +Iredell +ireful +irefully +irefulness +Yreka +Ireland +Irelander +ireland's +ireless +Irena +Irenaeus +irenarch +Irene +irenic +irenica +irenical +irenically +irenicism +irenicist +irenicon +irenics +irenicum +ireos +ires +ire's +Iresine +Ireton +Irfan +IRG +IrGael +Irgun +Irgunist +Iri +irian +Iriartea +Iriarteaceae +Iricise +Iricised +Iricising +Iricism +Iricize +Iricized +Iricizing +irid +irid- +Iridaceae +iridaceous +iridadenosis +iridal +iridalgia +iridate +iridauxesis +iridectome +iridectomy +iridectomies +iridectomise +iridectomised +iridectomising +iridectomize +iridectomized +iridectomizing +iridectropium +iridemia +iridencleisis +iridentropium +irideous +irideremia +irides +iridesce +iridescence +iridescences +iridescency +iridescent +iridescently +iridial +iridian +iridiate +iridic +iridical +iridin +iridine +iridiocyte +iridiophore +iridioplatinum +iridious +Iridis +Iridissa +iridite +iridium +iridiums +iridization +iridize +iridized +iridizing +irido +irido- +iridoavulsion +iridocapsulitis +iridocele +iridoceratitic +iridochoroiditis +iridocyclitis +iridocyte +iridocoloboma +iridoconstrictor +iridodesis +iridodiagnosis +iridodialysis +iridodonesis +iridokinesia +iridoline +iridomalacia +Iridomyrmex +iridomotor +iridoncus +iridoparalysis +iridophore +iridoplegia +iridoptosis +iridopupillary +iridorhexis +iridosclerotomy +iridosmine +iridosmium +iridotasis +iridotome +iridotomy +iridotomies +iridous +irids +Iridum +Irina +iring +Iris +Irisa +irisate +irisated +irisation +iriscope +irised +irises +Irish +Irish-american +Irish-born +Irish-bred +Irish-canadian +Irish-english +Irisher +irish-gaelic +Irish-grown +Irishy +Irishian +Irishise +Irishised +Irishising +Irishism +Irishize +Irishized +Irishizing +Irishly +Irishman +Irishmen +Irishness +Irishry +Irish-speaking +Irishwoman +Irishwomen +irisin +iris-in +irising +irislike +iris-out +irisroot +Irita +iritic +iritis +iritises +Irja +irk +irked +irking +Irklion +irks +irksome +irksomely +irksomeness +Irkutsk +IRL +IRM +Irma +Irme +Irmgard +Irmina +Irmine +Irmo +IRMS +IRN +IRO +Irob-saho +Iroha +irok +iroko +iron +ironback +iron-banded +ironbark +iron-bark +ironbarks +iron-barred +Ironbelt +iron-black +ironbound +iron-bound +iron-boweled +iron-braced +iron-branded +iron-burnt +ironbush +iron-calked +iron-capped +iron-cased +ironclad +ironclads +iron-clenched +iron-coated +iron-colored +iron-cored +Irondale +Irondequoit +irone +ironed +iron-enameled +ironer +ironers +ironer-up +irones +iron-faced +iron-fastened +ironfisted +ironflower +iron-forged +iron-founder +iron-free +iron-gloved +iron-gray +iron-grated +iron-grey +Iron-Guard +iron-guarded +ironhanded +iron-handed +ironhandedly +ironhandedness +ironhard +iron-hard +ironhead +ironheaded +ironheads +ironhearted +iron-hearted +ironheartedly +iron-heartedly +ironheartedness +iron-heartedness +iron-heeled +iron-hooped +irony +Ironia +ironic +ironical +ironically +ironicalness +ironice +ironies +ironing +ironings +ironiously +irony-proof +ironish +ironism +ironist +ironists +ironize +ironized +ironizes +iron-jawed +iron-jointed +iron-knotted +ironless +ironly +ironlike +iron-lined +ironmaker +ironmaking +ironman +iron-man +iron-marked +ironmaster +ironmen +iron-mine +iron-mold +ironmonger +ironmongery +ironmongeries +ironmongering +iron-mooded +iron-mould +iron-nailed +iron-nerved +ironness +ironnesses +iron-ore +iron-pated +iron-railed +iron-red +iron-ribbed +iron-riveted +Irons +iron-sand +iron-sceptered +iron-sheathed +ironshod +ironshot +iron-sick +Ironside +ironsided +Ironsides +ironsmith +iron-souled +iron-spotted +iron-stained +ironstone +ironstones +iron-strapped +iron-studded +iron-tipped +iron-tired +Ironton +iron-toothed +iron-tree +iron-visaged +ironware +ironwares +ironweed +ironweeds +iron-willed +iron-winged +iron-witted +ironwood +ironwoods +iron-worded +ironwork +ironworked +ironworker +ironworkers +ironworking +ironworks +ironwort +Iroquoian +iroquoians +Iroquois +IROR +irous +irpe +Irpex +IRQ +Irra +irradiance +irradiancy +irradiant +irradiate +irradiated +irradiates +irradiating +irradiatingly +irradiation +irradiations +irradiative +irradiator +irradicable +irradicably +irradicate +irradicated +irrarefiable +irrate +irrationability +irrationable +irrationably +irrational +irrationalise +irrationalised +irrationalising +irrationalism +irrationalist +irrationalistic +irrationality +irrationalities +irrationalize +irrationalized +irrationalizing +irrationally +irrationalness +irrationals +Irrawaddy +irreal +irreality +irrealizable +irrebuttable +irreceptive +irreceptivity +irreciprocal +irreciprocity +irreclaimability +irreclaimable +irreclaimableness +irreclaimably +irreclaimed +irrecognition +irrecognizability +irrecognizable +irrecognizably +irrecognizant +irrecollection +irreconcilability +irreconcilabilities +irreconcilable +irreconcilableness +irreconcilably +irreconcile +irreconciled +irreconcilement +irreconciliability +irreconciliable +irreconciliableness +irreconciliably +irreconciliation +irrecordable +irrecoverable +irrecoverableness +irrecoverably +irrecuperable +irrecurable +irrecusable +irrecusably +irred +irredeemability +irredeemable +irredeemableness +irredeemably +irredeemed +irredenta +irredential +Irredentism +Irredentist +irredentists +irredressibility +irredressible +irredressibly +irreducibility +irreducibilities +irreducible +irreducibleness +irreducibly +irreductibility +irreductible +irreduction +irreferable +irreflection +irreflective +irreflectively +irreflectiveness +irreflexive +irreformability +irreformable +irrefragability +irrefragable +irrefragableness +irrefragably +irrefrangibility +irrefrangible +irrefrangibleness +irrefrangibly +irrefusable +irrefutability +irrefutable +irrefutableness +irrefutably +irreg +irreg. +irregardless +irregeneracy +irregenerate +irregeneration +irregular +irregularism +irregularist +irregularity +irregularities +irregularize +irregularly +irregularness +irregulars +irregulate +irregulated +irregulation +irregulous +irrejectable +irrelapsable +irrelate +irrelated +irrelation +irrelative +irrelatively +irrelativeness +irrelevance +irrelevances +irrelevancy +irrelevancies +irrelevant +irrelevantly +irreliability +irrelievable +irreligion +irreligionism +irreligionist +irreligionize +irreligiosity +irreligious +irreligiously +irreligiousness +irreluctant +irremeable +irremeably +irremediable +irremediableness +irremediably +irremediless +irrememberable +irremissibility +irremissible +irremissibleness +irremissibly +irremission +irremissive +irremittable +irremovability +irremovable +irremovableness +irremovably +irremunerable +irrenderable +irrenewable +irrenowned +irrenunciable +irrepair +irrepairable +irreparability +irreparable +irreparableness +irreparably +irrepassable +irrepatriable +irrepealability +irrepealable +irrepealableness +irrepealably +irrepentance +irrepentant +irrepentantly +irrepetant +irreplacable +irreplacably +irreplaceability +irreplaceable +irreplaceableness +irreplaceably +irrepleviable +irreplevisable +irreportable +irreprehensibility +irreprehensible +irreprehensibleness +irreprehensibly +irrepresentable +irrepresentableness +irrepressibility +irrepressible +irrepressibleness +irrepressibly +irrepressive +irreproachability +irreproachable +irreproachableness +irreproachably +irreproducibility +irreproducible +irreproductive +irreprovable +irreprovableness +irreprovably +irreption +irreptitious +irrepublican +irreputable +irresilience +irresiliency +irresilient +irresistable +irresistably +irresistance +irresistibility +irresistible +irresistibleness +irresistibly +irresistless +irresolubility +irresoluble +irresolubleness +irresolute +irresolutely +irresoluteness +irresolution +irresolutions +irresolvability +irresolvable +irresolvableness +irresolved +irresolvedly +irresonance +irresonant +irrespectability +irrespectable +irrespectful +irrespective +irrespectively +irrespirable +irrespondence +irresponsibility +irresponsibilities +irresponsible +irresponsibleness +irresponsibly +irresponsive +irresponsiveness +irrestrainable +irrestrainably +irrestrictive +irresultive +irresuscitable +irresuscitably +irretention +irretentive +irretentiveness +irreticence +irreticent +irretraceable +irretraceably +irretractable +irretractile +irretrievability +irretrievable +irretrievableness +irretrievably +irreturnable +irrevealable +irrevealably +irreverence +irreverences +irreverend +irreverendly +irreverent +irreverential +irreverentialism +irreverentially +irreverently +irreversibility +irreversible +irreversibleness +irreversibly +irrevertible +irreviewable +irrevisable +irrevocability +irrevocable +irrevocableness +irrevocably +irrevoluble +irrhation +irride +irridenta +irrigable +irrigably +irrigant +irrigate +irrigated +irrigates +irrigating +irrigation +irrigational +irrigationist +irrigations +irrigative +irrigator +irrigatory +irrigatorial +irrigators +Irrigon +irriguous +irriguousness +irrisible +irrision +irrisor +irrisory +Irrisoridae +irritability +irritabilities +irritable +irritableness +irritably +irritament +irritancy +irritancies +irritant +irritants +irritate +irritated +irritatedly +irritates +irritating +irritatingly +irritation +irritation-proof +irritations +irritative +irritativeness +irritator +irritatory +irrite +Irritila +irritomotile +irritomotility +irrogate +irrorate +irrorated +irroration +irrotational +irrotationally +irrubrical +irrugate +irrumation +irrupt +irrupted +irruptible +irrupting +irruption +irruptions +irruptive +irruptively +irrupts +IRS +YRS +yrs. +IRSG +IRTF +Irtish +Irtysh +Irus +Irv +Irvin +Irvine +Irving +Irvingesque +Irvingiana +Irvingism +Irvingite +Irvington +Irvona +Irwin +Irwinn +Irwinville +is +i's +ys +is- +y's +Is. +ISA +Isaac +Isaacs +Isaacson +Isaak +Isaban +Isabea +Isabeau +Isabel +Ysabel +Isabela +isabelina +Isabelita +isabelite +Isabella +Isabelle +Isabelline +isabnormal +Isac +Isacco +isaconitine +isacoustic +isadelphous +isadnormal +Isador +Isadora +Isadore +isagoge +isagoges +isagogic +isagogical +isagogically +isagogics +isagon +Isahella +Isai +Isaiah +Isaian +Isaianic +Isaias +Ysaye +Isak +isallobar +isallobaric +isallotherm +ISAM +isamin +isamine +Isamu +Isander +isandrous +isanemone +isangoma +isanomal +isanomalous +isanthous +Isanti +isapostolic +Isar +Isaria +isarioid +isarithm +isarithms +ISAS +isat- +isatate +isatic +isatid +isatide +isatin +isatine +isatines +isatinic +isatins +isation +Isatis +isatogen +isatogenic +Isauria +Isaurian +isauxesis +isauxetic +Isawa +isazoxy +isba +isbas +ISBD +Isbel +Isbella +ISBN +Isborne +ISC +y-scalded +Iscariot +Iscariotic +Iscariotical +Iscariotism +ISCH +ischaemia +ischaemic +ischar +ischchia +ischemia +ischemias +ischemic +Ischepolis +Ischia +ischiac +ischiadic +ischiadicus +ischial +ischialgia +ischialgic +ischiatic +ischidrosis +ischio- +ischioanal +ischiobulbar +ischiocapsular +ischiocaudal +ischiocavernosus +ischiocavernous +ischiocele +ischiocerite +ischiococcygeal +Ischyodus +ischiofemoral +ischiofibular +ischioiliac +ischioneuralgia +ischioperineal +ischiopodite +ischiopubic +ischiopubis +ischiorectal +ischiorrhogic +ischiosacral +ischiotibial +ischiovaginal +ischiovertebral +Ischys +ischium +ischocholia +ischuretic +ischury +ischuria +iscose +ISDN +ISDT +ise +Iseabal +ised +ISEE +Isegrim +Iselin +isenergic +Isenland +Isenstein +isenthalpic +isentrope +isentropic +isentropically +isepiptesial +isepiptesis +Yser +Isere +iserine +iserite +isethionate +isethionic +Iseult +Yseult +Yseulta +Yseulte +Iseum +ISF +Isfahan +ISFUG +ish +Ishan +Y-shaped +Ish-bosheth +Isherwood +Ishii +ishime +I-ship +Ishmael +Ishmaelite +Ishmaelitic +Ishmaelitish +Ishmaelitism +Ishmul +Ishpeming +ishpingo +ishshakku +Ishtar +Ishum +Ishvara +ISI +ISY +Isia +Isiac +Isiacal +Isiah +Isiahi +isicle +Isidae +isidia +isidiiferous +isidioid +isidiophorous +isidiose +isidium +isidoid +Isidor +Isidora +Isidore +Isidorean +Isidorian +Isidoric +Isidoro +Isidorus +Isidro +Isimud +Isin +Isinai +isindazole +Ising +isinglass +ising-star +ISIS +is-it +isize +Iskenderun +Isl +Isla +Islaen +Islay +Islam +Islamabad +Islamic +Islamisation +Islamise +Islamised +Islamising +Islamism +Islamist +Islamistic +Islamite +Islamitic +Islamitish +Islamization +Islamize +Islamized +Islamizing +Islamorada +Island +island-belted +island-born +island-contained +island-dotted +island-dweller +islanded +islander +islanders +islandhood +island-hop +islandy +islandic +islanding +islandish +islandless +islandlike +islandman +islandmen +islandology +islandologist +islandress +islandry +islands +island-strewn +island-studded +Islandton +Isle +Islean +Isleana +isled +Isleen +Islek +isleless +isleman +isles +isle's +Islesboro +Islesford +islesman +islesmen +islet +Isleta +isleted +Isleton +islets +islet's +isleward +isling +Islington +Islip +ISLM +islot +isls +ISLU +ism +Isma +Ismael +ismaelian +Ismaelism +Ismaelite +Ismaelitic +Ismaelitical +Ismaelitish +Ismay +Ismaili +Ismailia +Ismailian +Ismailiya +Ismailite +ismal +Isman +Ismarus +ismatic +ismatical +ismaticalness +ismdom +Ismene +Ismenus +Ismet +ismy +isms +ISN +isnad +Isnardia +isnt +isn't +ISO +YSO +iso- +isoabnormal +isoagglutination +isoagglutinative +isoagglutinin +isoagglutinogen +isoalantolactone +isoallyl +isoalloxazine +isoamarine +isoamid +isoamide +isoamyl +isoamylamine +isoamylene +isoamylethyl +isoamylidene +isoantibody +isoantigen +isoantigenic +isoantigenicity +isoapiole +isoasparagine +isoaurore +isobar +isobarbaloin +isobarbituric +isobare +isobares +isobaric +isobarism +isobarometric +isobars +isobase +isobath +isobathic +isobathytherm +isobathythermal +isobathythermic +isobaths +Isobel +isobenzofuran +isobilateral +isobilianic +isobiogenetic +isoborneol +isobornyl +isobront +isobronton +isobutane +isobutene +isobutyl +isobutylene +isobutyraldehyde +isobutyrate +isobutyric +isobutyryl +isocamphor +isocamphoric +isocaproic +isocarbostyril +Isocardia +Isocardiidae +isocarpic +isocarpous +isocellular +isocephaly +isocephalic +isocephalism +isocephalous +isoceraunic +isocercal +isocercy +isochasm +isochasmic +isocheim +isocheimal +isocheimenal +isocheimic +isocheimonal +isocheims +isochela +isochimal +isochime +isochimenal +isochimes +isochlor +isochlorophyll +isochlorophyllin +isocholanic +isocholesterin +isocholesterol +isochor +isochore +isochores +isochoric +isochors +isochromatic +isochron +isochronal +isochronally +isochrone +isochrony +isochronic +isochronical +isochronism +isochronize +isochronized +isochronizing +isochronon +isochronous +isochronously +isochrons +isochroous +isocyanate +isocyanic +isocyanid +isocyanide +isocyanin +isocyanine +isocyano +isocyanogen +isocyanurate +isocyanuric +isocyclic +isocymene +isocinchomeronic +isocinchonine +isocytic +isocitric +isoclasite +isoclimatic +isoclinal +isoclinally +isocline +isoclines +isoclinic +isoclinically +isocodeine +isocola +isocolic +isocolon +isocoria +isocorybulbin +isocorybulbine +isocorydine +isocoumarin +isocracy +isocracies +isocrat +Isocrates +isocratic +isocreosol +isocrymal +isocryme +isocrymic +isocrotonic +isodactylism +isodactylous +ISODE +isodef +isodiabatic +isodialuric +isodiametric +isodiametrical +isodiaphere +isodiazo +isodiazotate +isodimorphic +isodimorphism +isodimorphous +isodynamia +isodynamic +isodynamical +isodynamous +isodomic +isodomon +isodomous +isodomum +isodont +isodontous +isodose +isodrin +isodrome +isodrosotherm +isodulcite +isodurene +isoelastic +isoelectric +isoelectrically +isoelectronic +isoelectronically +isoelemicin +isoemodin +isoenergetic +isoenzymatic +isoenzyme +isoenzymic +isoerucic +Isoetaceae +Isoetales +Isoetes +isoeugenol +isoflavone +isoflor +isogam +isogamete +isogametic +isogametism +isogamy +isogamic +isogamies +isogamous +isogen +isogeneic +isogenesis +isogenetic +isogeny +isogenic +isogenies +isogenotype +isogenotypic +isogenous +isogeotherm +isogeothermal +isogeothermic +isogynous +isogyre +isogloss +isoglossal +isoglosses +isognathism +isognathous +isogon +isogonal +isogonality +isogonally +isogonals +isogone +isogones +isogony +isogonic +isogonics +isogonies +isogoniostat +isogonism +isogons +isogradient +isograft +isogram +isograms +isograph +isography +isographic +isographical +isographically +isographs +isogriv +isogrivs +isohaline +isohalsine +isohel +isohels +isohemolysis +isohemopyrrole +isoheptane +isohesperidin +isohexyl +isohydric +isohydrocyanic +isohydrosorbic +isohyet +isohyetal +isohyets +isohume +isoimmune +isoimmunity +isoimmunization +isoimmunize +isoindazole +isoindigotin +isoindole +isoyohimbine +isoionone +isokeraunic +isokeraunographic +isokeraunophonic +Isokontae +isokontan +isokurtic +Isola +isolability +isolable +isolapachol +isolatable +isolate +isolated +isolatedly +isolates +isolating +isolation +isolationalism +isolationalist +isolationalists +isolationism +isolationist +isolationists +isolations +isolative +isolator +isolators +Isolda +Isolde +Ysolde +isolead +isoleads +isolecithal +isolette +isoleucine +isolex +isolichenin +isoline +isolines +isolinolenic +isolysin +isolysis +isoln +isolog +isology +isologous +isologs +isologue +isologues +Isoloma +Isolt +Isom +isomagnetic +isomaltose +isomastigate +isomelamine +isomenthone +isomer +Isomera +isomerase +isomere +isomery +isomeric +isomerical +isomerically +isomeride +isomerism +isomerization +isomerize +isomerized +isomerizing +isomeromorphism +isomerous +isomers +isometry +isometric +isometrical +isometrically +isometrics +isometries +isometrograph +isometropia +Isomyaria +isomyarian +isomorph +isomorphic +isomorphically +isomorphism +isomorphisms +isomorphism's +isomorphous +isomorphs +ison +isoneph +isonephelic +isonergic +isoniazid +isonicotinic +isonym +isonymy +isonymic +isonitramine +isonitril +isonitrile +isonitro +isonitroso +isonomy +isonomic +isonomies +isonomous +isonuclear +Isonville +Isonzo +ISOO +isooctane +iso-octane +isooleic +isoosmosis +iso-osmotic +ISOP +isopach +isopachous +isopachs +isopag +isoparaffin +isopathy +isopectic +isopedin +isopedine +isopelletierin +isopelletierine +isopentane +isopentyl +isoperimeter +isoperimetry +isoperimetric +isoperimetrical +isopetalous +isophanal +isophane +isophasal +isophene +isophenomenal +isophylly +isophyllous +isophone +isophoria +isophorone +isophotal +isophote +isophotes +isophthalic +isophthalyl +isopycnal +isopycnic +isopicramic +isopiestic +isopiestically +isopilocarpine +isopyre +isopyromucic +isopyrrole +isoplere +isopleth +isoplethic +isopleths +Isopleura +isopleural +isopleuran +isopleure +isopleurous +isopod +Isopoda +isopodan +isopodans +isopodiform +isopodimorphous +isopodous +isopods +isopogonous +isopoly +isopolite +isopolity +isopolitical +isopor +isoporic +isoprenaline +isoprene +isoprenes +isoprenoid +Isoprinosine +isopropanol +isopropenyl +isopropyl +isopropylacetic +isopropylamine +isopropylideneacetone +isoproterenol +isopsephic +isopsephism +Isoptera +isopterous +isoptic +isopulegone +isopurpurin +isoquercitrin +isoquinine +isoquinoline +isorcinol +isorhamnose +isorhythm +isorhythmic +isorhythmically +isorhodeose +isorithm +isorosindone +isorrhythmic +isorropic +isort +isosaccharic +isosaccharin +isoscele +isosceles +isoscope +isoseismal +isoseismic +isoseismical +isoseist +isoserine +isosmotic +isosmotically +isospin +isospins +Isospondyli +isospondylous +isospore +isospory +isosporic +isospories +isosporous +isostacy +isostasy +isostasies +isostasist +isostatic +isostatical +isostatically +isostemony +isostemonous +isoster +isostere +isosteric +isosterism +isostrychnine +isostructural +isosuccinic +isosulphide +isosulphocyanate +isosulphocyanic +isosultam +isotac +isotach +isotachs +isotactic +isoteles +isotely +isoteniscope +isotere +isoteric +isotheral +isothere +isotheres +isotherm +isothermal +isothermally +isothermic +isothermical +isothermobath +isothermobathic +isothermobaths +isothermous +isotherms +isotherombrose +isothiocyanates +isothiocyanic +isothiocyano +isothujone +isotimal +isotimic +isotype +isotypes +isotypic +isotypical +isotome +isotomous +isotone +isotones +isotony +isotonia +isotonic +isotonically +isotonicity +isotope +isotopes +isotope's +isotopy +isotopic +isotopically +isotopies +isotopism +isotrehalose +Isotria +isotrimorphic +isotrimorphism +isotrimorphous +isotron +isotronic +isotrope +isotropy +isotropic +isotropies +isotropil +isotropism +isotropous +iso-urea +iso-uretine +iso-uric +isovalerate +isovalerianate +isovalerianic +isovaleric +isovalerone +isovaline +isovanillic +isovoluminal +isoxanthine +isoxazine +isoxazole +isoxylene +isoxime +isozyme +isozymes +isozymic +isozooid +ispaghul +Ispahan +I-spy +ISPM +ispraynik +ispravnik +ISR +Israel +Israeli +Israelis +Israelite +israelites +Israeliteship +Israelitic +Israelitish +Israelitism +Israelitize +Israfil +ISRG +ISS +Issachar +Issacharite +Issayeff +issanguila +Issaquah +y-ssed +Issedoi +Issedones +Issei +isseis +Yssel +ISSI +Issy +Issiah +Issie +Issyk-Kul +Issy-les-Molineux +issite +ISSN +issuable +issuably +issuance +issuances +issuant +issue +issued +issueless +issuer +issuers +issues +issuing +Issus +ist +YST +Istachatta +istana +Istanbul +ister +Isth +Isth. +isthm +isthmal +isthmectomy +isthmectomies +isthmi +Isthmia +isthmial +Isthmian +isthmians +isthmiate +isthmic +isthmics +isthmist +isthmistic +isthmistical +isthmistics +isthmoid +isthmus +isthmuses +istic +istiophorid +Istiophoridae +Istiophorus +istle +istles +istoke +Istria +Istrian +Istvaeones +Istvan +ISUP +isuret +isuretine +Isuridae +isuroid +Isurus +Isus +ISV +Iswara +isz +IT +YT +IT&T +ITA +itabirite +Itabuna +itacism +itacist +itacistic +itacolumite +itaconate +itaconic +Itagaki +itai +Itajai +Ital +Ital. +Itala +Itali +Italy +Italia +Italian +Italianate +Italianated +Italianately +Italianating +Italianation +Italianesque +italianiron +Italianisation +Italianise +Italianised +Italianish +Italianising +Italianism +Italianist +Italianity +Italianization +Italianize +Italianized +Italianizer +Italianizing +Italianly +italians +italian's +Italic +Italical +Italically +Italican +Italicanist +Italici +Italicism +italicization +italicizations +italicize +italicized +italicizes +italicizing +italics +italiot +Italiote +italite +Italo +Italo- +Italo-austrian +Italo-byzantine +Italo-celt +Italo-classic +Italo-grecian +Italo-greek +Italo-hellenic +Italo-hispanic +Italomania +Italon +Italophil +Italophile +Italo-serb +Italo-slav +Italo-swiss +Italo-turkish +itamalate +itamalic +ita-palm +Itapetininga +Itasca +itatartaric +itatartrate +itauba +Itaves +ITC +Itch +itched +itcheoglan +itches +itchy +itchier +itchiest +itchily +itchiness +itching +itchingly +itchings +itchless +itchproof +itchreed +itchweed +itchwood +ITCZ +itcze +itd +it'd +YTD +ite +Itea +Iteaceae +itel +Itelmes +item +itemed +itemy +iteming +itemise +itemization +itemizations +itemization's +itemize +itemized +itemizer +itemizers +itemizes +itemizing +items +item's +Iten +Itenean +iter +iterable +iterance +iterances +iterancy +iterant +iterate +iterated +iterately +iterates +iterating +iteration +iterations +iterative +iteratively +iterativeness +iterator +iterators +iterator's +iteroparity +iteroparous +iters +iterum +Ithaca +Ithacan +Ithacensian +ithagine +Ithaginis +Ithaman +ithand +ither +itherness +Ithiel +ithyphallic +Ithyphallus +ithyphyllous +Ithnan +Ithomatas +Ithome +ithomiid +Ithomiidae +Ithomiinae +Ithun +Ithunn +Ithuriel's-spear +ity +Itylus +Itin +itineracy +itinerancy +itinerant +itinerantly +itinerants +itinerary +itineraria +itinerarian +itineraries +Itinerarium +itinerariums +itinerate +itinerated +itinerating +itineration +itinereraria +itinerite +itinerition +itineritious +itineritis +itineritive +itinerous +ition +itious +itis +Itys +itll +it'll +ITM +Itmann +itmo +Itnez +ITO +Itoism +Itoist +itol +Itoland +Itonama +Itonaman +Itonia +itonidid +Itonididae +Itonius +itoubou +itous +ITS +it's +ITSEC +itself +itsy +itsy-bitsy +itsy-witsy +ITSO +ITT +Ittabena +ytter +ytterbia +ytterbias +ytterbic +ytterbite +ytterbium +ytterbous +ytterite +itty-bitty +ittria +yttria +yttrialite +yttrias +yttric +yttriferous +yttrious +yttrium +yttriums +yttro- +yttrocerite +yttrocolumbite +yttrocrasite +yttrofluorite +yttrogummite +yttrotantalite +ITU +Ituraean +Iturbi +Iturbide +iturite +ITUSA +ITV +Itza +itzebu +Itzhak +IU +YU +iu- +Yuan +yuans +Yuapin +yuca +Yucaipa +Yucat +Yucatan +Yucatec +Yucatecan +Yucateco +Yucatecs +Yucatnel +Yucca +yuccas +yucch +yuch +Yuchi +yuck +yucked +yuckel +yucker +yucky +yuckier +yuckiest +yucking +yuckle +yucks +IUD +iuds +IUE +Yuechi +Yueh-pan +yuft +yug +Yuga +yugada +yugas +Yugo +Yugo. +Yugoslav +Yugo-Slav +Yugoslavia +Yugoslavian +yugoslavians +Yugoslavic +yugoslavs +yuh +Yuhas +Yuille +Yuit +Yuji +Yuk +Iuka +Yukaghir +Yukaghirs +yukata +Yukawa +yuke +Yuki +Yukian +Yukio +yuk-yuk +yukked +yukkel +yukking +Yukon +Yukoner +yuks +Yul +Yulan +yulans +Yule +yuleblock +Yulee +yules +Yuletide +yuletides +iulidan +Yulma +Iulus +ium +yum +Yuma +Yuman +Yumas +yum-yum +yummy +yummier +yummies +yummiest +Yumuk +Yun +Yunca +Yuncan +Yunfei +Yung +yungan +Yung-cheng +Yungkia +Yungning +Yunick +yunker +Yunnan +Yunnanese +Yup +yupon +yupons +yuppie +yuppies +yuquilla +yuquillas +Yurak +iurant +Yurev +Yuri +Yuria +Yurik +Yurimaguas +Yurok +Yursa +Yurt +yurta +yurts +Yurucare +Yurucarean +Yurucari +Yurujure +Yuruk +Yuruna +Yurupary +IUS +yus +yusdrum +Yusem +Yustaga +Yusuk +Yutan +yutu +Yuu +iuus +IUV +Yuzik +yuzlik +yuzluk +Yuzovka +IV +YV +Iva +Ivah +Ivan +Ivana +Ivanah +Ivanhoe +Ivanna +Ivanov +Ivanovce +Ivanovo +Ivar +Ivatan +Ivatts +IVB +IVDT +ive +I've +Ivey +Ivekovic +Ivel +Yvelines +Ivens +Iver +Ivers +Iverson +Ives +Yves +Ivesdale +Iveson +Ivett +Ivette +Yvette +Ivetts +Ivy +ivybells +ivyberry +ivyberries +ivy-bush +Ivydale +Ivie +ivied +ivies +ivyflower +ivy-green +ivylike +ivin +Ivins +Ivis +ivy's +Ivyton +ivyweed +ivywood +ivywort +Iviza +Ivo +Ivon +Yvon +Ivonne +Yvonne +Yvonner +Ivor +Yvor +Ivory +ivory-backed +ivory-beaked +ivorybill +ivory-billed +ivory-black +ivory-bound +ivory-carving +ivoried +ivories +ivory-faced +ivory-finished +ivory-hafted +ivory-handled +ivory-headed +ivory-hilted +ivorylike +ivorine +ivoriness +ivorist +ivory-studded +ivory-tinted +ivorytype +ivory-type +Ivoryton +ivory-toned +ivory-tower +ivory-towered +ivory-towerish +ivory-towerishness +ivory-towerism +ivory-towerist +ivory-towerite +ivory-white +ivorywood +ivory-wristed +IVP +ivray +ivresse +Ivry-la-Bataille +IVTS +IW +iwa +iwaiwa +Iwao +y-warn +iwbells +iwberry +IWBNI +IWC +YWCA +iwearth +iwflower +YWHA +iwis +ywis +Iwo +iworth +iwound +IWS +Iwu +iwurche +iwurthen +IWW +iwwood +iwwort +IX +IXC +Ixelles +Ixia +Ixiaceae +Ixiama +ixias +Ixil +Ixion +Ixionian +IXM +Ixodes +ixodian +ixodic +ixodid +Ixodidae +ixodids +Ixonia +Ixora +ixoras +Ixtaccihuatl +Ixtacihuatl +ixtle +ixtles +Iz +Izaak +Izabel +izafat +Izak +Izanagi +Izanami +Izar +Izard +izars +ization +Izawa +izba +Izcateco +izchak +Izdubar +ize +izer +Izhevsk +Izy +izing +Izyum +izle +Izmir +Izmit +Iznik +izote +Iztaccihuatl +iztle +izumi +Izvestia +izvozchik +Izzak +izzard +izzards +izzat +Izzy +J +J. +J.A. +J.A.G. +J.C. +J.C.D. +J.C.L. +J.C.S. +J.D. +J.P. +J.S.D. +J.W.V. +JA +Ja. +Jaal +Jaala +jaal-goat +Jaalin +Jaan +jaap +jab +Jabal +jabalina +Jabalpur +Jaban +Jabarite +jabbed +jabber +jabbered +jabberer +jabberers +jabbering +jabberingly +jabberment +jabbernowl +jabbers +Jabberwock +Jabberwocky +jabberwockian +Jabberwockies +jabbing +jabbingly +jabble +Jabe +jabers +Jabez +jabia +Jabin +Jabir +jabiru +jabirus +Jablon +Jablonsky +Jabon +jaborandi +jaborandis +jaborin +jaborine +jabot +jaboticaba +jabots +Jabrud +jabs +jab's +jabul +jabules +jaburan +JAC +jacal +jacales +Jacalin +Jacalyn +Jacalinne +jacals +Jacaltec +Jacalteca +jacamar +Jacamaralcyon +jacamars +jacameropine +Jacamerops +jacami +jacamin +Jacana +jacanas +Jacanidae +Jacaranda +jacarandas +jacarandi +jacare +Jacarta +jacate +jacatoo +jacchus +jacconet +jacconot +Jacey +jacens +jacent +Jacenta +Jachin +jacht +Jacy +Jacie +Jacinda +Jacinta +Jacinth +Jacynth +Jacintha +Jacinthe +jacinthes +jacinths +Jacinto +jacitara +Jack +jack-a-dandy +jack-a-dandies +jack-a-dandyism +jackal +Jack-a-lent +jackals +jackanapes +jackanapeses +jackanapish +jackaroo +jackarooed +jackarooing +jackaroos +jackash +jackass +jackassery +jackasses +jackassification +jackassism +jackassness +jackass-rigged +jack-at-a-pinch +jackbird +jack-by-the-hedge +jackboy +jack-boy +jackboot +jack-boot +jackbooted +jack-booted +jackboots +jackbox +jack-chain +jackdaw +jackdaws +jacked +jackeen +jackey +Jackelyn +jacker +jackeroo +jackerooed +jackerooing +jackeroos +jackers +jacket +jacketed +jackety +jacketing +jacketless +jacketlike +jackets +jacketwise +jackfish +jackfishes +Jack-fool +jack-frame +jackfruit +jack-fruit +Jack-go-to-bed-at-noon +jackhammer +jackhammers +jackhead +Jackhorn +Jacki +Jacky +jackyard +jackyarder +jack-yarder +Jackie +jackye +Jackies +jack-in-a-box +jack-in-a-boxes +jacking +jacking-up +jack-in-office +jack-in-the-box +jack-in-the-boxes +jack-in-the-green +jack-in-the-pulpit +jack-in-the-pulpits +jackknife +jack-knife +jackknifed +jackknife-fish +jackknife-fishes +jackknifes +jackknifing +jackknives +jackleg +jacklegs +jacklight +jacklighter +Jacklin +Jacklyn +jack-line +Jackman +jackmen +jacknifed +jacknifing +jacknives +jacko +jack-of-all-trades +jack-o'-lantern +jack-o-lantern +jackpile +jackpiling +jackplane +jack-plane +jackpot +jackpots +jackpudding +jack-pudding +jackpuddinghood +Jackquelin +Jackqueline +jackrabbit +jack-rabbit +jackrabbits +jackrod +jackroll +jackrolled +jackrolling +jackrolls +jacks +jacksaw +Jacksboro +jackscrew +jack-screw +jackscrews +jackshaft +jackshay +jackshea +jackslave +jacksmelt +jacksmelts +jacksmith +jacksnipe +jack-snipe +jacksnipes +jacks-of-all-trades +Jackson +Jacksonboro +Jacksonburg +Jacksonia +Jacksonian +Jacksonism +Jacksonite +Jacksonport +Jacksontown +Jacksonville +jack-spaniard +jack-staff +jackstay +jackstays +jackstock +jackstone +jack-stone +jackstones +jackstraw +jack-straw +jackstraws +jacktan +jacktar +jack-tar +Jack-the-rags +jackweed +jackwood +Jaclin +Jaclyn +JACM +Jacmel +Jaco +Jacob +Jacoba +jacobaea +jacobaean +Jacobah +Jacobba +Jacobean +Jacobethan +Jacobi +Jacoby +Jacobian +Jacobic +Jacobin +Jacobina +Jacobine +Jacobinia +Jacobinic +Jacobinical +Jacobinically +Jacobinisation +Jacobinise +Jacobinised +Jacobinising +Jacobinism +Jacobinization +Jacobinize +Jacobinized +Jacobinizing +jacobins +Jacobite +Jacobitely +Jacobitiana +Jacobitic +Jacobitical +Jacobitically +Jacobitish +Jacobitishly +Jacobitism +Jacobo +Jacobs +Jacobsburg +Jacobsen +jacobsite +Jacob's-ladder +Jacobsohn +Jacobson +Jacobus +jacobuses +jacolatt +jaconace +jaconet +jaconets +Jacopo +jacounce +Jacquard +jacquards +Jacquel +Jacquely +Jacquelin +Jacquelyn +Jacqueline +Jacquelynn +jacquemart +Jacqueminot +Jacquenetta +Jacquenette +Jacquerie +Jacques +Jacquet +Jacquetta +Jacquette +Jacqui +Jacquie +jactance +jactancy +jactant +jactation +jacteleg +jactitate +jactitated +jactitating +jactitation +jactivus +jactura +jacture +jactus +jacu +jacuaru +jaculate +jaculated +jaculates +jaculating +jaculation +jaculative +jaculator +jaculatory +jaculatorial +jaculiferous +Jacumba +Jacunda +jacutinga +Jacuzzi +jad +Jada +Jadd +Jadda +Jaddan +jadded +jadder +jadding +Jaddo +Jade +jaded +jadedly +jadedness +jade-green +jadeite +jadeites +jadelike +jadery +jades +jadesheen +jadeship +jadestone +jade-stone +jady +jading +jadish +jadishly +jadishness +jaditic +Jadotville +j'adoube +Jadwiga +Jadwin +Jae +jaegars +Jaeger +jaegers +Jaehne +Jael +Jaela +Jaella +Jaen +Jaenicke +Jaf +Jaffa +Jaffe +Jaffna +Jaffrey +JAG +Jaga +jagamohan +Jaganmati +Jagannath +Jagannatha +jagat +Jagatai +Jagataic +jagath +jageer +Jagello +Jagellon +Jagellonian +Jagellos +jager +jagers +jagg +Jagganath +jaggar +jaggary +jaggaries +jagged +jaggeder +jaggedest +jaggedly +jaggedness +jagged-toothed +Jagger +jaggery +jaggeries +jaggers +jagghery +jaggheries +jaggy +jaggier +jaggiest +jagging +jaggs +Jaghatai +jagheer +jagheerdar +jaghir +jaghirdar +jaghire +jaghiredar +Jagiello +Jagiellonian +Jagiellos +Jagielon +Jagir +jagirdar +jagla +jagless +Jago +jagong +jagra +jagras +jagrata +jags +jagua +jaguar +jaguarete +jaguar-man +jaguarondi +jaguars +jaguarundi +jaguarundis +jaguey +jah +Jahangir +jahannan +Jahdai +Jahdal +Jahdiel +Jahdol +Jahel +Jahn +Jahncke +Jahrum +Jahrzeit +Jahve +Jahveh +Jahvism +Jahvist +Jahvistic +Jahwe +Jahweh +Jahwism +Jahwist +Jahwistic +jai +Jay +jayant +Jayawardena +jaybird +jay-bird +jaybirds +Jaycee +jaycees +Jaye +Jayem +jayesh +Jayess +jaygee +jaygees +jayhawk +Jayhawker +jay-hawker +jail +jailage +jailbait +jailbird +jail-bird +jailbirds +jailbreak +jailbreaker +jailbreaks +jail-delivery +jaildom +jailed +Jaylene +jailer +jaileress +jailering +jailers +jailership +jail-fever +jailhouse +jailhouses +jailyard +jailing +jailish +jailkeeper +jailless +jaillike +jailmate +jailor +jailoring +jailors +jails +Jailsco +jailward +Jaime +Jayme +Jaymee +Jaimie +Jaymie +Jain +Jayn +Jaina +Jaine +Jayne +Jaynell +Jaynes +Jainism +Jainist +Jaynne +jaypie +jaypiet +Jaipur +Jaipuri +Jair +Jairia +jays +Jayson +Jayton +Jayuya +jayvee +jay-vee +jayvees +jaywalk +jaywalked +jaywalker +jaywalkers +jaywalking +jaywalks +Jajapura +Jajawijaja +jajman +jak +Jakarta +Jake +jakey +jakes +jakfruit +Jakie +Jakin +jako +Jakob +Jakoba +Jakobson +Jakop +jakos +Jakun +JAL +Jala +Jalalabad +Jalalaean +jalap +Jalapa +jalapeno +jalapenos +jalapic +jalapin +jalapins +jalaps +Jalbert +jalee +jalet +Jalgaon +Jalisco +jalkar +Jallier +jalloped +jalop +jalopy +jalopies +jaloppy +jaloppies +jalops +jalor +jalouse +jaloused +jalousie +jalousied +jalousies +jalousing +jalpaite +jalur +Jam +Jam. +jama +Jamaal +jamadar +Jamaica +Jamaican +jamaicans +Jamal +Jamalpur +jaman +jamb +jambalaya +jambart +jambarts +jambe +jambeau +jambeaux +jambed +jambee +jamber +jambes +Jambi +jambiya +jambing +jambo +jamboy +jambolan +jambolana +jambon +jambone +jambonneau +jambool +jamboree +jamborees +Jambos +jambosa +jambs +jambstone +jambul +jamdanee +jamdani +Jamey +Jamel +James +Jamesburg +Jamesy +Jamesian +Jamesina +Jameson +jamesonite +Jamesport +Jamesstore +Jamestown +jamestown-weed +Jamesville +jam-full +Jami +Jamie +Jamieson +Jamil +Jamila +Jamill +Jamilla +Jamille +Jamima +Jamin +Jamison +jamlike +Jammal +jammed +jammedness +jammer +jammers +jammy +Jammie +Jammin +jamming +Jammu +Jamnagar +Jamnes +Jamnia +Jamnis +jamnut +jamoke +jam-pack +jampacked +jam-packed +jampan +jampanee +jampani +jamrosade +jams +Jamshedpur +Jamshid +Jamshyd +jamtland +Jamul +jam-up +jamwood +Jan +Jan. +Jana +Janacek +Janaya +Janaye +janapa +janapan +janapum +Janata +Jandel +janders +Jandy +Jane +Janean +Janeczka +Janeen +Janey +Janeiro +Janek +Janel +Janela +Janelew +Janella +Janelle +Janene +Janenna +jane-of-apes +Janerich +janes +Janessa +Janesville +JANET +Janeta +Janetta +Janette +Janeva +jangada +jangar +Janghey +jangkar +jangle +jangled +jangler +janglery +janglers +jangles +jangly +jangling +Jangro +Jany +Jania +Janice +janiceps +Janicki +Janiculan +Janiculum +Janie +Janye +Janifer +Janiform +Janik +Janina +Janine +Janis +Janys +janisary +janisaries +Janissary +Janissarian +Janissaries +Janyte +Janith +janitor +janitorial +janitors +janitor's +janitorship +janitress +janitresses +janitrix +Janiuszck +Janizary +Janizarian +Janizaries +jank +Janka +Jankey +Jankell +janker +jankers +Jann +Janna +Jannel +Jannelle +janner +Jannery +jannock +Janok +Janos +Janot +Jansen +Jansenism +Jansenist +Jansenistic +Jansenistical +Jansenize +Janson +Janssen +Jansson +jant +jantee +Janthina +Janthinidae +janty +jantu +janua +January +Januaries +january's +Januarius +Januisz +Janus +Janus-face +Janus-faced +Janus-headed +Januslike +Janus-like +jaob +Jap +Jap. +japaconin +japaconine +japaconitin +japaconitine +Japan +Japanee +Japanese +japanesery +Japanesy +Japanesque +Japanesquely +Japanesquery +Japanicize +Japanism +Japanization +Japanize +japanized +japanizes +japanizing +japanned +Japanner +japannery +japanners +japanning +Japannish +Japanolatry +Japanology +Japanologist +Japanophile +Japanophobe +Japanophobia +Japans +jape +japed +japer +japery +japeries +japers +japes +Japeth +Japetus +Japha +Japheth +Japhetic +Japhetide +Japhetite +japygid +Japygidae +japygoid +japing +japingly +japish +japishly +japishness +Japyx +Japn +japonaiserie +Japonic +japonica +Japonically +japonicas +Japonicize +Japonism +Japonize +Japonizer +Japur +Japura +Jaqitsch +Jaquelee +Jaquelin +Jaquelyn +Jaqueline +Jaquenetta +Jaquenette +Jaques +Jaques-Dalcroze +Jaquesian +jaquette +jaquima +Jaquiss +Jaquith +jar +Jara +jara-assu +jarabe +Jarabub +Jarad +jaragua +Jarales +jarana +jararaca +jararacussu +Jarash +Jarbidge +jarbird +jar-bird +jarble +jarbot +jar-burial +Jard +jarde +Jardena +jardin +jardini +jardiniere +jardinieres +jardon +Jareb +Jared +jareed +Jarek +Jaret +jarfly +jarful +jarfuls +jarg +jargle +jargogle +jargon +jargonal +jargoned +jargoneer +jargonel +jargonelle +jargonels +jargoner +jargonesque +jargonic +jargoning +jargonisation +jargonise +jargonised +jargonish +jargonising +jargonist +jargonistic +jargonium +jargonization +jargonize +jargonized +jargonizer +jargonizing +jargonnelle +jargons +jargoon +jargoons +jarhead +Jari +Jary +Jariah +Jarib +Jarid +Jarietta +jarina +jarinas +Jarita +jark +jarkman +Jarl +Jarlath +Jarlathus +jarldom +jarldoms +Jarlen +jarless +jarlite +jarls +jarlship +jarmo +Jarnagin +jarnut +Jaromir +jarool +jarosite +jarosites +Jaroslav +Jaroso +jarovization +jarovize +jarovized +jarovizes +jarovizing +jar-owl +jarp +jarra +Jarrad +jarrah +jarrahs +Jarratt +Jarreau +Jarred +Jarrell +Jarret +Jarrett +Jarrettsville +Jarry +Jarrid +jarring +jarringly +jarringness +Jarrod +Jarrow +jars +jar's +jarsful +Jarv +Jarvey +jarveys +jarvy +jarvie +jarvies +Jarvin +Jarvis +Jarvisburg +Jas +Jas. +Jascha +Jase +jasey +jaseyed +jaseys +Jasen +jasy +jasies +Jasik +Jasione +Jasisa +Jasmin +Jasmina +Jasminaceae +Jasmine +jasmined +jasminelike +jasmines +jasminewood +jasmins +Jasminum +jasmone +Jason +Jasonville +jasp +jaspachate +jaspagate +jaspe +Jasper +jasperated +jaspered +jaspery +jasperite +jasperize +jasperized +jasperizing +jasperoid +Jaspers +jasperware +jaspidean +jaspideous +jaspilite +jaspilyte +jaspis +jaspoid +jasponyx +jaspopal +jass +Jassy +jassid +Jassidae +jassids +jassoid +Jastrzebie +Jasun +jasz +Jat +jataco +Jataka +jatamansi +Jateorhiza +jateorhizin +jateorhizine +jatha +jati +Jatki +Jatni +JATO +jatoba +jatos +Jatropha +jatrophic +jatrorrhizine +Jatulian +Jauch +jaudie +jauk +jauked +jauking +jauks +jaun +jaunce +jaunced +jaunces +jauncing +jaunder +jaunders +jaundice +jaundiced +jaundice-eyed +jaundiceroot +jaundices +jaundicing +jauner +Jaunita +jaunt +jaunted +jaunty +jauntie +jauntier +jauntiest +jauntily +jauntiness +jauntinesses +jaunting +jaunting-car +jauntingly +jaunts +jaunt's +jaup +jauped +jauping +jaups +Jaur +Jaures +Jav +Jav. +Java +Javahai +Javakishvili +javali +Javan +Javanee +Javanese +javanine +Javari +Javary +javas +Javed +javel +javelin +javelina +javelinas +javeline +javelined +javelineer +javelining +javelin-man +javelins +javelin's +javelot +javer +Javier +Javitero +Javler +jaw +jawab +Jawaharlal +Jawan +jawans +Jawara +jawbation +jawbone +jaw-bone +jawboned +jawboner +jawbones +jawboning +jawbreak +jawbreaker +jawbreakers +jawbreaking +jawbreakingly +jaw-cracking +jawcrusher +jawed +jawfall +jaw-fall +jawfallen +jaw-fallen +jawfeet +jawfish +jawfishes +jawfoot +jawfooted +jawhole +jawy +jawing +Jawlensky +jawless +jawlike +jawline +jawlines +jaw-locked +jawn +Jaworski +jawp +jawrope +jaws +jaw's +jaw's-harp +jawsmith +jaw-tied +jawtwister +jaw-twister +Jaxartes +jazey +jazeys +jazeran +jazerant +jazy +jazies +Jazyges +Jazmin +jazz +jazzbow +jazzed +jazzer +jazzers +jazzes +jazzy +jazzier +jazziest +jazzily +jazziness +jazzing +jazzist +jazzlike +jazzman +jazzmen +Jbeil +JBS +JC +JCA +JCAC +JCAE +Jcanette +JCB +JCD +JCEE +JCET +JCL +JCR +JCS +jct +jct. +jctn +JD +Jdavie +JDS +Je +Jea +jealous +jealouse +jealous-hood +jealousy +jealousies +jealousy-proof +jealously +jealousness +jealous-pated +Jeames +Jean +Jeana +jean-christophe +Jean-Claude +Jeane +Jeanelle +Jeanerette +Jeanette +jeany +Jeanie +Jeanine +Jeanna +Jeanne +Jeannetta +Jeannette +Jeannie +Jeannye +Jeannine +Jeanpaulia +jean-pierre +Jeans +jean's +jeapordize +jeapordized +jeapordizes +jeapordizing +jeapordous +jear +Jeavons +Jeaz +Jeb +jebat +Jebb +jebel +jebels +Jebus +Jebusi +Jebusite +Jebusitic +Jebusitical +Jebusitish +JECC +Jecho +Jecoa +Jecon +Jeconiah +jecoral +jecorin +jecorize +Jed +Jedburgh +jedcock +Jedd +Jedda +Jeddy +jedding +Jeddo +jeddock +Jedediah +Jedidiah +Jedlicka +Jedthus +jee +jeed +jeeing +jeel +jeep +jeeped +jeepers +jeeping +jeepney +jeepneys +Jeeps +jeep's +jeer +jeered +jeerer +jeerers +jeery +jeering +jeeringly +jeerproof +jeers +jeer's +jees +jeetee +jeewhillijers +jeewhillikens +jeez +jef +jefe +jefes +Jeff +Jeffcott +Jefferey +Jeffery +jefferisite +Jeffers +Jefferson +Jeffersonia +Jeffersonian +Jeffersonianism +jeffersonians +jeffersonite +Jeffersonton +Jeffersontown +Jeffersonville +Jeffy +Jeffie +Jeffrey +Jeffreys +Jeffry +Jeffries +jeg +Jegar +Jeggar +Jegger +Jeh +jehad +jehads +Jehan +Jehangir +Jehanna +Jehiah +Jehial +Jehias +Jehiel +Jehius +Jehoash +Jehoiada +Jehol +Jehoshaphat +Jehovah +Jehovic +Jehovism +Jehovist +Jehovistic +Jehu +Jehudah +jehup +jehus +JEIDA +jejun- +jejuna +jejunal +jejunator +jejune +jejunectomy +jejunectomies +jejunely +jejuneness +jejunity +jejunities +jejunitis +jejuno-colostomy +jejunoduodenal +jejunoileitis +jejuno-ileostomy +jejuno-jejunostomy +jejunostomy +jejunostomies +jejunotomy +jejunum +jejunums +jekyll +jelab +Jelena +Jelene +jelerang +jelib +jelick +Jelks +jell +jellab +jellaba +jellabas +Jelle +jelled +jelly +jellib +jellybean +jellybeans +jellica +Jellico +Jellicoe +jellydom +jellied +jelliedness +jellies +jellify +jellification +jellified +jellifies +jellifying +jellyfish +jelly-fish +jellyfishes +jellying +jellyleaf +jellily +jellylike +jellylikeness +jelling +jellyroll +jelly's +jello +Jell-O +jelloid +jells +Jelm +jelotong +jelske +Jelsma +jelutong +jelutongs +JEM +jemadar +jemadars +Jemappes +jembe +jemble +Jemena +Jemez +Jemy +jemidar +jemidars +Jemie +Jemima +Jemimah +Jemina +Jeminah +Jemine +Jemison +Jemma +Jemmy +Jemmie +jemmied +jemmies +jemmying +jemmily +jemminess +Jempty +Jen +Jena +Jena-Auerstedt +Jenda +Jenei +Jenelle +jenequen +Jenesia +Jenette +Jeni +Jenica +Jenice +Jeniece +Jenifer +Jeniffer +Jenilee +Jenin +Jenine +Jenison +Jenkel +jenkin +Jenkins +Jenkinsburg +Jenkinson +Jenkinsville +Jenkintown +Jenks +Jenn +Jenna +Jenne +Jennee +Jenner +jennerization +jennerize +Jennerstown +Jenness +jennet +jenneting +jennets +Jennette +Jenni +Jenny +Jennica +Jennie +jennier +jennies +Jennifer +Jennilee +Jennine +Jennings +Jeno +jenoar +Jens +Jensen +Jenson +jentacular +Jentoft +Jenufa +jeofail +jeon +jeopard +jeoparded +jeoparder +jeopardy +jeopardied +jeopardies +jeopardying +jeoparding +jeopardious +jeopardise +jeopardised +jeopardising +jeopardize +jeopardized +jeopardizes +jeopardizing +jeopardous +jeopardously +jeopardousness +jeopards +jeopordize +jeopordized +jeopordizes +jeopordizing +Jephte +Jephthah +Jephum +Jepson +Jepum +jequerity +Jequie +jequirity +jequirities +Jer +Jer. +Jerad +Jerahmeel +Jerahmeelites +Jerald +Jeraldine +Jeralee +Jeramey +Jeramie +Jerash +Jerba +jerbil +jerboa +jerboas +Jere +jereed +jereeds +Jereld +Jereme +jeremejevite +Jeremy +jeremiad +jeremiads +Jeremiah +Jeremian +Jeremianic +Jeremias +Jeremie +Jeres +Jerez +jerfalcon +Jeri +jerib +jerican +Jericho +jerid +jerids +Jeris +Jeritah +Jeritza +jerk +jerked +jerker +jerkers +jerky +jerkier +jerkies +jerkiest +jerkily +jerkin +jerkined +jerkiness +jerking +jerkingly +jerkings +jerkinhead +jerkin-head +jerkins +jerkish +jerk-off +jerks +jerksome +jerkwater +jerl +jerm +jerm- +Jermain +Jermaine +Jermayne +Jerman +Jermyn +jermonal +jermoonal +jernie +Jeroboam +jeroboams +Jerol +Jerold +Jeroma +Jerome +Jeromesville +Jeromy +Jeromian +Jeronima +Jeronymite +jeropiga +jerque +jerqued +jerquer +jerquing +Jerre +jerreed +jerreeds +Jerri +Jerry +jerrybuild +jerry-build +jerry-builder +jerrybuilding +jerry-building +jerrybuilt +jerry-built +jerrican +jerrycan +jerricans +jerrycans +jerrid +jerrids +Jerrie +Jerries +jerryism +Jerrilee +Jerrylee +Jerrilyn +Jerrine +Jerrol +Jerrold +Jerroll +Jerrome +Jersey +Jerseyan +jerseyed +Jerseyite +jerseyites +Jerseyman +jerseys +jersey's +Jerseyville +jert +Jerubbaal +Jerubbal +Jerusalem +Jerusalemite +jervia +jervin +jervina +jervine +Jervis +Jerz +JES +Jesh +Jesher +Jesmine +jesper +Jespersen +Jess +Jessa +Jessabell +jessakeed +Jessalin +Jessalyn +jessamy +jessamies +Jessamyn +Jessamine +jessant +Jesse +Jessean +jessed +Jessee +Jessey +Jesselyn +Jesselton +Jessen +jesses +Jessi +Jessy +Jessica +Jessie +Jessieville +Jessika +jessing +Jessore +Jessup +jessur +jest +jestbook +jest-book +jested +jestee +jester +jesters +jestful +jesting +jestingly +jestings +jestingstock +jestmonger +jestproof +jests +Jestude +jestwise +jestword +Jesu +Jesuate +jesuist +Jesuit +Jesuited +Jesuitess +Jesuitic +Jesuitical +Jesuitically +Jesuitisation +Jesuitise +Jesuitised +Jesuitish +Jesuitising +Jesuitism +Jesuitist +Jesuitization +Jesuitize +Jesuitized +Jesuitizing +Jesuitocracy +Jesuitry +jesuitries +jesuits +Jesup +JESUS +JET +jetavator +jetbead +jetbeads +jet-black +jete +je-te +Jetersville +jetes +Jeth +Jethra +Jethro +Jethronian +jetliner +jetliners +Jetmore +jeton +jetons +jet-pile +jetport +jetports +jet-propelled +jet-propulsion +jets +jet's +jetsam +jetsams +jet-set +jet-setter +jetsom +jetsoms +Jetson +jetstream +jettage +jettatore +jettatura +jetteau +jetted +jetter +jetty +Jettie +jettied +jettier +jetties +jettiest +jettyhead +jettying +jettiness +jetting +jettingly +jettison +jettisonable +jettisoned +jettisoning +jettisons +jettywise +jetton +jettons +jettru +jetware +Jeu +Jeunesse +jeux +Jeuz +Jevon +Jevons +Jew +Jew-bait +Jew-baiter +Jew-baiting +jewbird +jewbush +Jewdom +jewed +Jewel +jewel-block +jewel-bright +jewel-colored +jeweled +jewel-enshrined +jeweler +jewelers +jewelfish +jewelfishes +jewel-gleaming +jewel-headed +jewelhouse +jewel-house +jewely +jeweling +Jewell +Jewelle +jewelled +jeweller +jewellery +jewellers +jewelless +jewelly +jewellike +jewelling +jewel-loving +jewel-proof +jewelry +jewelries +jewels +jewelsmith +jewel-studded +jewelweed +jewelweeds +Jewess +Jewett +jewfish +jew-fish +jewfishes +Jewhood +Jewy +jewing +jewis +Jewish +Jewishly +Jewishness +Jewism +Jewless +Jewlike +Jewling +Jewry +Jewries +Jews +jew's-ear +jews'harp +jew's-harp +Jewship +Jewstone +Jez +Jezabel +Jezabella +Jezabelle +jezail +jezails +Jezebel +Jezebelian +Jezebelish +jezebels +jezekite +jeziah +Jezreel +Jezreelite +JFET +JFIF +JFK +JFMIP +JFS +jg +Jger +JGR +Jhansi +jharal +jheel +Jhelum +jhool +jhow +JHS +Jhuria +JHVH +JHWH +ji +Jy +jianyun +jiao +jib +jibb +jibba +jibbah +jibbed +jibbeh +jibber +jibbers +jibby +jibbing +jibbings +jibbons +jibboom +jib-boom +jibbooms +jibbs +jib-door +jibe +jibed +jiber +jibers +jibes +jibhead +jib-headed +jib-header +jibi +jibing +jibingly +jibman +jibmen +jiboa +jiboya +jib-o-jib +Jibouti +jibs +jibstay +Jibuti +JIC +jicama +jicamas +Jicaque +Jicaquean +jicara +Jicarilla +Jidda +jiff +jiffy +jiffies +jiffle +jiffs +jig +jigaboo +jigaboos +jigamaree +jig-back +jig-drill +jig-file +jigged +Jigger +jiggered +jiggerer +jiggery-pokery +jiggerman +jiggermast +jiggers +jigget +jiggety +jiggy +jigginess +jigging +jiggish +jiggit +jiggle +jiggled +jiggler +jiggles +jiggly +jigglier +jiggliest +jiggling +jiggumbob +jig-jig +jig-jog +jig-joggy +jiglike +jigman +jigmen +jigote +jigs +jig's +jigsaw +jig-saw +jigsawed +jigsawing +jigsawn +jigsaws +jihad +jihads +Jihlava +Jijiga +jikungu +JILA +Jill +Jillayne +Jillana +Jylland +Jillane +jillaroo +Jilleen +Jillene +jillet +jillflirt +jill-flirt +Jilli +Jilly +Jillian +Jillie +jilling +jillion +jillions +jills +Jilolo +jilt +jilted +jiltee +jilter +jilters +jilting +jiltish +jilts +JIM +jimbang +jimberjaw +jimberjawed +jimbo +jimcrack +Jim-Crow +jim-dandy +Jimenez +jimigaki +jiminy +jimjam +jim-jam +jimjams +jimjums +jimmer +Jimmy +Jimmie +Jymmye +jimmied +jimmies +jimmying +jimminy +jimmyweed +Jimnez +jymold +jimp +jimper +jimpest +jimpy +jimply +jimpness +jimpricute +jimsedge +jimson +jimsonweed +jimson-weed +jimsonweeds +jin +jina +Jinan +jincamas +Jincan +jinchao +jinete +jing +jingal +jingall +jingalls +jingals +jingbai +jingbang +Jynginae +jyngine +jingko +jingkoes +jingle +jinglebob +jingled +jinglejangle +jingle-jangle +jingler +jinglers +jingles +jinglet +jingly +jinglier +jingliest +jingling +jinglingly +jingo +jingodom +jingoed +jingoes +jingoing +jingoish +jingoism +jingoisms +jingoist +jingoistic +jingoistically +jingoists +jingu +Jinja +jinjili +jink +jinked +jinker +jinkers +jinket +jinking +jinkle +jinks +jinn +Jinnah +jinnee +jinnestan +jinni +Jinny +jinnies +jinniyeh +jinniwink +jinnywink +jinns +jinricksha +jinrickshaw +jinriki +jinrikiman +jinrikimen +jinrikisha +jinrikishas +jinriksha +jins +Jinsen +jinsha +jinshang +jinsing +Jinx +Jynx +jinxed +jinxes +jinxing +Jyoti +jipijapa +jipijapas +jipper +jiqui +jirble +jirga +jirgah +jiri +jirkinet +JIS +JISC +jisheng +jism +jisms +jissom +JIT +jitendra +jiti +jitney +jitneyed +jitneying +jitneyman +jitneys +jitneur +jitneuse +jitro +jitter +jitterbug +jitterbugged +jitterbugger +jitterbugging +jitterbugs +jittered +jittery +jitteriness +jittering +jitters +jiujitsu +jiu-jitsu +jiujitsus +jiujutsu +jiujutsus +jiva +Jivaran +Jivaro +Jivaroan +Jivaros +jivatma +jive +jiveass +jived +jiver +jivers +jives +jiving +jixie +jizya +jizyah +jizzen +JJ +JJ. +Jkping +Jl +JLE +JMP +JMS +JMX +jnana +jnanayoga +jnanamarga +jnana-marga +jnanas +jnanashakti +jnanendriya +jnd +Jno +Jnr +jnt +JO +Joab +Joachim +Joachima +Joachimite +Joacima +Joacimah +Joan +Joana +Joane +Joanie +JoAnn +Jo-Ann +Joanna +JoAnne +Jo-Anne +Joannes +Joannite +Joao +Joappa +Joaquin +joaquinite +Joas +Joash +Joashus +JOAT +Job +jobade +jobarbe +jobation +jobbed +jobber +jobbery +jobberies +jobbernowl +jobbernowlism +jobbers +jobbet +jobbing +jobbish +jobble +Jobcentre +Jobe +Jobey +jobholder +jobholders +Jobi +Joby +Jobie +Jobye +Jobina +Jobyna +jobless +joblessness +joblots +jobman +jobmaster +jobmen +jobmistress +jobmonger +jobname +jobnames +jobo +jobs +job's +jobsite +jobsmith +jobson +Job's-tears +Jobstown +jocant +Jocasta +Jocaste +jocatory +Jocelin +Jocelyn +Joceline +Jocelyne +Jocelynne +joch +Jochabed +Jochbed +Jochebed +jochen +Jochum +Jock +jockey +jockeydom +jockeyed +jockeying +jockeyish +jockeyism +jockeylike +jockeys +jockeyship +jocker +jockette +jockettes +Jocko +jockos +jocks +jockstrap +jockstraps +jockteleg +jocooserie +jocoque +jocoqui +jocose +jocosely +jocoseness +jocoseriosity +jocoserious +jocosity +jocosities +jocote +jocteleg +jocu +jocular +jocularity +jocularities +jocularly +jocularness +joculator +joculatory +jocum +jocuma +jocund +jocundity +jocundities +jocundly +jocundness +jocundry +jocuno +jocunoity +jo-darter +Jodean +Jodee +Jodeen +jodel +jodelr +Jodene +Jodhpur +Jodhpurs +Jodi +Jody +Jodie +Jodyn +Jodine +Jodynne +Jodl +Jodo +Jodoin +Jodo-shu +Jodrell +Joe +Joeann +joebush +Joed +Joey +joeyes +Joeys +Joel +Joela +Joelie +Joelynn +Joell +Joella +Joelle +Joellen +Joelly +Joellyn +Joelton +Joe-millerism +Joe-millerize +Joensuu +Joerg +Joes +Joete +Joette +joewood +Joffre +jog +jogged +jogger +joggers +jogging +joggings +joggle +joggled +joggler +jogglers +joggles +jogglety +jogglework +joggly +joggling +Jogjakarta +jog-jog +jogs +jogtrot +jog-trot +jogtrottism +Joh +Johan +Johanan +Johann +Johanna +Johannah +Johannean +Johannes +Johannesburg +Johannessen +Johannine +Johannisberger +Johannist +Johannite +Johansen +Johanson +Johathan +Johen +Johiah +Johm +John +Johna +Johnadreams +john-a-nokes +John-apple +john-a-stiles +Johnath +Johnathan +Johnathon +johnboat +johnboats +John-bullish +John-bullism +John-bullist +Johnday +Johnette +Johny +Johnian +johnin +Johnna +Johnny +johnnycake +johnny-cake +Johnny-come-lately +Johnny-come-latelies +johnnydom +Johnnie +Johnnie-come-lately +Johnnies +Johnnies-come-lately +Johnny-jump-up +Johnny-on-the-spot +Johns +Johnsburg +Johnsen +Johnsmas +Johnson +Johnsonburg +Johnsonese +Johnsonian +Johnsoniana +Johnsonianism +Johnsonianly +Johnsonism +Johnsonville +Johnsson +Johnsten +Johnston +Johnstone +Johnstown +johnstrupite +Johor +Johore +Johppa +Johppah +Johst +Joy +Joya +Joiada +Joyan +Joyance +joyances +joyancy +Joyann +joyant +joy-bereft +joy-bright +joy-bringing +Joice +Joyce +Joycean +Joycelin +joy-deserted +joy-dispelling +joie +Joye +joyed +joy-encompassed +joyful +joyfuller +joyfullest +joyfully +joyfulness +joyhop +joyhouse +joying +joy-inspiring +joy-juice +joy-killer +joyleaf +joyless +joylessly +joylessness +joylet +joy-mixed +join +join- +joinable +joinant +joinder +joinders +joined +Joiner +joinered +joinery +joineries +joinering +joiners +Joinerville +joinhand +joining +joining-hand +joiningly +joinings +joins +joint +jointage +joint-bedded +jointed +jointedly +jointedness +jointer +jointers +jointy +jointing +jointist +jointless +jointlessness +jointly +jointress +joint-ring +joints +joint's +joint-stockism +joint-stool +joint-tenant +jointure +jointured +jointureless +jointures +jointuress +jointuring +jointweed +jointwood +jointworm +joint-worm +Joinvile +Joinville +Joyous +joyously +joyousness +joyousnesses +joypop +joypopped +joypopper +joypopping +joypops +joyproof +joy-rapt +joy-resounding +joyridden +joy-ridden +joyride +joy-ride +joyrider +joyriders +joyrides +joyriding +joy-riding +joyridings +joyrode +joy-rode +joys +joy's +joysome +joist +joisted +joystick +joysticks +joisting +joistless +joists +joyweed +joy-wrung +Jojo +jojoba +jojobas +Jokai +joke +jokebook +joked +jokey +jokeless +jokelet +jokeproof +joker +jokers +jokes +jokesmith +jokesome +jokesomeness +jokester +jokesters +joky +jokier +jokiest +joking +jokingly +joking-relative +jokish +jokist +Jokjakarta +joktaleg +Joktan +jokul +Jola +Jolanta +Jolda +jole +Jolee +Joleen +Jolene +Jolenta +joles +Joletta +Joli +Joly +Jolie +Joliet +Joliette +Jolyn +Joline +Jolynn +Joliot-Curie +Jolivet +joll +Jolla +Jollanta +Jolley +jolleyman +Jollenta +jolly +jolly-boat +jollied +jollier +jollyer +jollies +jolliest +jollify +jollification +jollifications +jollified +jollifies +jollifying +jollyhead +jollying +jollily +jolliment +jolliness +jollytail +jollity +jollities +jollitry +jollop +jolloped +Jolo +Joloano +Jolon +Jolson +jolt +jolted +jolter +jolterhead +jolter-head +jolterheaded +jolterheadedness +jolters +jolthead +joltheaded +jolty +joltier +joltiest +joltily +joltiness +jolting +joltingly +joltless +joltproof +jolts +jolt-wagon +Jomo +jomon +Jon +Jona +Jonah +Jonahesque +Jonahism +jonahs +Jonancy +Jonas +Jonathan +Jonathanization +Jonathon +Jonati +Jonben +jondla +Jone +Jonel +Jonell +Jones +Jonesboro +Jonesborough +Jonesburg +Joneses +Jonesian +Jonesport +Jonestown +Jonesville +Jonette +jong +Jongkind +jonglem +jonglery +jongleur +jongleurs +Joni +Jonie +Jonina +Jonis +Jonkoping +Jonme +Jonna +Jonny +jonnick +jonnock +jonque +Jonquil +jonquille +jonquils +Jonson +Jonsonian +Jonval +jonvalization +jonvalize +Joo +jook +jookerie +joola +joom +Joon +Jooss +Joost +Jooste +Jopa +Jophiel +Joplin +Joppa +joram +jorams +Jordaens +Jordain +Jordan +Jordana +Jordanian +jordanians +jordanite +Jordanna +jordanon +Jordans +Jordanson +Jordanville +jorden +Jordison +Jordon +joree +Jorey +Jorgan +Jorge +Jorgensen +Jorgenson +Jori +Jory +Jorie +Jorin +Joris +Jorist +Jormungandr +jornada +jornadas +joropo +joropos +jorram +Jorry +Jorrie +jorum +jorums +Jos +Joscelin +Jose +Josee +Josef +Josefa +Josefina +josefite +Josey +joseite +Joseito +Joselyn +Joselow +Josep +Joseph +Josepha +Josephina +Josephine +Josephine's-lily +Josephinism +josephinite +Josephism +Josephite +josephs +Joseph's-coat +Josephson +Josephus +Joser +Joses +Josh +Josh. +joshed +josher +joshers +joshes +Joshi +Joshia +joshing +Joshua +Joshuah +Josi +Josy +Josiah +Josias +Josie +Josip +joskin +Josler +Joslyn +Josquin +joss +jossakeed +Josselyn +josser +josses +jostle +jostled +jostlement +jostler +jostlers +jostles +jostling +Josue +jot +jota +jotas +jotation +Jotham +jotisaru +jotisi +Jotnian +jots +jotted +jotter +jotters +jotty +jotting +jottings +Jotun +Jotunheim +Jotunn +Jotunnheim +joual +jouals +Joub +joubarb +Joubert +joug +jough +jougs +Jouhaux +jouisance +jouissance +jouk +Joukahainen +jouked +joukery +joukerypawkery +jouking +jouks +joul +Joule +joulean +joulemeter +joules +jounce +jounced +jounces +jouncy +jouncier +jounciest +jouncing +Joung +Jounieh +jour +jour. +Jourdain +Jourdan +Jourdanton +journ +journal +journalary +journal-book +journaled +journalese +journaling +journalise +journalised +journalish +journalising +journalism +journalisms +journalist +journalistic +journalistically +journalists +journalist's +journalization +journalize +journalized +journalizer +journalizes +journalizing +journalled +journalling +journals +journal's +journey +journeycake +journeyed +journeyer +journeyers +journeying +journeyings +journeyman +journeymen +journeys +journeywoman +journeywomen +journeywork +journey-work +journeyworker +journo +jours +joust +jousted +jouster +jousters +jousting +jousts +joutes +Jouve +j'ouvert +Jova +Jovanovich +JOVE +Jovi +jovy +Jovia +JOVIAL +jovialist +jovialistic +joviality +jovialize +jovialized +jovializing +jovially +jovialness +jovialty +jovialties +Jovian +Jovianly +Jovicentric +Jovicentrical +Jovicentrically +jovilabe +Joviniamish +Jovinian +Jovinianism +Jovinianist +Jovinianistic +Jovita +Jovitah +Jovite +Jovitta +jow +jowar +jowari +jowars +jowed +jowel +jower +jowery +Jowett +jowing +jowl +jowled +jowler +jowly +jowlier +jowliest +jowlish +jowlop +jowls +jowpy +jows +jowser +jowter +Joxe +Jozef +Jozy +JP +JPEG +JPL +Jr +Jr. +JRC +js +j's +Jsandye +JSC +J-scope +JSD +JSN +JSRC +JST +JSW +jt +JTIDS +JTM +Jtunn +Ju +juamave +Juan +Juana +Juanadiaz +Juang +Juanita +Juan-les-Pins +Juanne +juans +Juantorena +Juarez +Juba +Juback +Jubal +jubarb +jubardy +jubartas +jubartes +jubas +jubate +jubbah +jubbahs +jubbe +Jubbulpore +jube +juberous +jubes +jubhah +jubhahs +jubilance +jubilancy +jubilant +jubilantly +jubilar +jubilarian +Jubilate +jubilated +jubilates +jubilating +jubilatio +jubilation +jubilations +jubilatory +Jubile +jubileal +jubilean +jubilee +jubilees +jubiles +jubili +jubilist +jubilization +jubilize +jubilus +jublilantly +jublilation +jublilations +jubus +juchart +juck +juckies +Jucuna +jucundity +JUD +Jud. +Juda +Judaea +Judaean +Judaeo- +Judaeo-arabic +Judaeo-christian +Judaeo-German +Judaeomancy +Judaeo-persian +Judaeophile +Judaeophilism +Judaeophobe +Judaeophobia +Judaeo-Spanish +Judaeo-tunisian +Judah +Judahite +Judaic +Judaica +Judaical +Judaically +Judaisation +Judaise +Judaised +judaiser +Judaising +Judaism +Judaist +Judaistic +Judaistically +Judaization +Judaize +Judaized +Judaizer +Judaizing +Judas +Judas-ear +judases +Judaslike +Judas-like +judas-tree +judcock +Judd +judder +juddered +juddering +judders +juddock +Jude +Judea +Judean +Judenberg +Judeo-German +Judeophobia +Judeo-Spanish +Judette +judex +Judezmo +Judg +Judge +judgeable +judged +judgeless +judgelike +judge-made +judgement +judgemental +judgements +judger +judgers +Judges +judgeship +judgeships +judging +judgingly +judgmatic +judgmatical +judgmatically +Judgment +judgmental +judgment-day +judgment-hall +judgment-proof +judgments +judgment's +judgment-seat +judgmetic +judgship +Judi +Judy +Judica +judicable +judical +judicata +judicate +judicatio +judication +judicative +judicator +judicatory +judicatorial +judicatories +judicature +judicatures +judice +judices +judicia +judiciable +judicial +judicialis +judiciality +judicialize +judicialized +judicializing +judicially +judicialness +Judiciary +judiciaries +judiciarily +judicious +judiciously +judiciousness +judiciousnesses +judicium +Judie +Judye +Judith +Juditha +judo +judogi +judoist +judoists +judoka +judokas +Judon +judophobia +Judophobism +judos +Judsen +Judson +Judsonia +Judus +jueces +juergen +Jueta +Juetta +juffer +jufti +jufts +jug +Juga +jugal +jugale +Jugatae +jugate +jugated +jugation +jug-bitten +Jugendstil +juger +jugerum +JUGFET +jugful +jugfuls +jugged +jugger +Juggernaut +Juggernautish +juggernauts +jugging +juggins +jugginses +juggle +juggled +jugglement +juggler +jugglery +juggleries +jugglers +juggles +juggling +jugglingly +jugglings +jug-handle +jughead +jugheads +jug-jug +Juglandaceae +juglandaceous +Juglandales +juglandin +Juglans +juglar +juglone +Jugoslav +Jugoslavia +Jugoslavian +Jugoslavic +jugs +jug's +jugsful +jugula +jugular +Jugulares +jugulary +jugulars +jugulate +jugulated +jugulates +jugulating +jugulation +jugulum +jugum +jugums +Jugurtha +Jugurthine +juha +Juyas +juice +juiced +juiceful +juicehead +juiceless +juicelessness +juicer +juicers +juices +juice's +juicy +juicier +juiciest +juicily +juiciness +juicinesses +juicing +Juieta +Juin +juise +jujitsu +ju-jitsu +jujitsus +juju +ju-ju +jujube +jujubes +Jujuy +jujuism +jujuisms +jujuist +jujuists +jujus +jujutsu +jujutsus +juke +jukebox +jukeboxes +juked +Jukes +juking +Jul +Jul. +julaceous +Jule +Julee +Juley +julep +juleps +Jules +Julesburg +Juletta +Juli +July +Julia +Juliaetta +Julian +Juliana +Juliane +Julianist +Juliann +Julianna +Julianne +Juliano +julianto +julid +Julidae +julidan +Julide +Julie +Julien +julienite +Julienne +juliennes +Julies +Juliet +Julieta +juliett +Julietta +Juliette +Julyflower +Julina +Juline +Julio +juliott +Julis +july's +Julissa +Julita +Julius +Juliustown +Jullundur +juloid +Juloidea +juloidian +julole +julolidin +julolidine +julolin +juloline +Julus +Jumada +Jumana +jumart +jumba +jumbal +Jumbala +jumbals +jumby +jumbie +jumble +jumbled +jumblement +jumbler +jumblers +jumbles +jumbly +jumbling +jumblingly +Jumbo +jumboesque +jumboism +jumbos +jumbuck +jumbucks +jumelle +jument +jumentous +jumfru +jumillite +jumma +Jumna +Jump +jump- +jumpable +jumped +jumped-up +jumper +jumperism +jumpers +jump-hop +jumpy +jumpier +jumpiest +jumpily +jumpiness +jumping +jumpingly +jumping-off-place +jumpmaster +jumpness +jumpoff +jump-off +jumpoffs +jumprock +jumprocks +jumps +jumpscrape +jumpseed +jump-shift +jumpsome +jump-start +jumpsuit +jumpsuits +jump-up +Jun +Jun. +Juna +Junc +Juncaceae +juncaceous +Juncaginaceae +juncaginaceous +juncagineous +Juncal +juncat +junciform +juncite +Junco +juncoes +Juncoides +Juncos +juncous +Junction +junctional +junctions +junction's +junctive +junctly +junctor +junctural +juncture +junctures +juncture's +Juncus +jundy +Jundiai +jundie +jundied +jundies +jundying +June +juneating +Juneau +Juneberry +Juneberries +Junebud +junectomy +Junedale +junefish +Juneflower +JUNET +Juneteenth +Junette +Jung +Junger +Jungermannia +Jungermanniaceae +jungermanniaceous +Jungermanniales +Jungfrau +Junggrammatiker +Jungian +jungle +jungle-clad +jungle-covered +jungled +junglegym +jungles +jungle's +jungleside +jungle-traveling +jungle-walking +junglewards +junglewood +jungle-worn +jungli +jungly +junglier +jungliest +Juni +Junia +Juniata +Junie +Junieta +Junina +Junior +juniorate +juniority +juniors +junior's +juniorship +juniper +Juniperaceae +junipers +Juniperus +Junius +Junji +junk +junkboard +junk-bottle +junkdealer +junked +Junker +Junkerdom +junkerish +Junkerism +Junkers +junket +junketed +junketeer +junketeers +junketer +junketers +junketing +junkets +junketter +junky +junkyard +junkyards +junkie +junkier +junkies +junkiest +junking +junkman +junkmen +Junko +junks +Junna +Junno +Juno +Junoesque +Junonia +Junonian +Junot +Junr +junt +Junta +juntas +junto +juntos +Juntura +jupard +jupati +jupe +jupes +Jupiter +Jupiter's-beard +jupon +jupons +Jur +Jura +jural +jurally +jurament +juramenta +juramentado +juramentados +juramental +juramentally +juramentum +Jurane +Juranon +jurant +jurants +jurara +jurare +Jurassic +jurat +jurata +juration +jurative +jurator +juratory +juratorial +Jura-trias +Jura-triassic +jurats +Jurdi +jure +jurel +jurels +jurevis +Jurez +Jurgen +juri +jury +jury- +juridic +juridical +juridically +juridicial +juridicus +juries +jury-fixer +juryless +juryman +jury-mast +jurymen +juring +jury-packing +jury-rig +juryrigged +jury-rigged +jury-rigging +juris +jury's +jurisconsult +jurisdiction +jurisdictional +jurisdictionalism +jurisdictionally +jurisdictions +jurisdiction's +jurisdictive +jury-shy +jurisp +jurisp. +jurisprude +jurisprudence +jurisprudences +jurisprudent +jurisprudential +jurisprudentialist +jurisprudentially +jury-squaring +jurist +juristic +juristical +juristically +jurists +jurywoman +jurywomen +Jurkoic +juror +jurors +juror's +Juru +Jurua +jurupaite +jus +juslik +juslted +jusquaboutisme +jusquaboutist +jussal +jussel +Jusserand +jusshell +Jussi +Jussiaea +Jussiaean +Jussieuan +jussion +jussive +jussives +jussory +Just +Justa +justaucorps +justed +juste-milieu +juste-milieux +Justen +Juster +justers +justest +Justice +Justiceburg +justiced +justice-dealing +Justice-generalship +justicehood +justiceless +justicelike +justice-loving +justice-proof +justicer +justices +justice's +justiceship +justice-slighting +justiceweed +Justicia +justiciability +justiciable +justicial +justiciar +justiciary +justiciaries +justiciaryship +justiciarship +justiciatus +justicier +justicies +justicing +justico +justicoat +Justicz +justifably +justify +justifiability +justifiable +justifiableness +justifiably +justification +justifications +justificative +justificator +justificatory +justified +justifiedly +justifier +justifiers +justifier's +justifies +justifying +justifyingly +Justin +Justina +Justine +justing +Justinian +Justinianean +justinianeus +Justinianian +Justinianist +Justinn +Justino +Justis +Justitia +justle +justled +justler +justles +justly +justling +justment +justments +justness +justnesses +justo +justs +Justus +jut +Juta +Jute +jutelike +jutes +Jutic +Jutish +jutka +Jutland +Jutlander +Jutlandish +juts +Jutta +jutted +jutty +juttied +jutties +juttying +jutting +juttingly +Juturna +juv +Juvara +Juvarra +Juvavian +Juvenal +Juvenalian +juvenals +juvenate +juvenescence +juvenescent +juvenile +juvenilely +juvenileness +juveniles +juvenile's +juvenilia +juvenilify +juvenilism +juvenility +juvenilities +juvenilize +juvenocracy +juvenolatry +juvent +Juventas +juventude +Juverna +juvia +juvite +juwise +Juxon +juxta +juxta-ampullar +juxta-articular +juxtalittoral +juxtamarine +juxtapyloric +juxtapose +juxtaposed +juxtaposes +juxtaposing +juxtaposit +juxtaposition +juxtapositional +juxtapositions +juxtapositive +juxtaspinal +juxtaterrestrial +juxtatropical +Juza +Juznik +JV +JVNC +jwahar +Jwanai +JWV +K +K. +K.B.E. +K.C.B. +K.C.M.G. +K.C.V.O. +K.G. +K.K.K. +K.O. +K.P. +K.T. +K.V. +K2 +K9 +Ka +ka- +Kaaawa +Kaaba +kaama +Kaapstad +kaas +kaataplectic +kab +kabab +Kababish +kababs +kabaya +kabayas +Kabaka +kabakas +kabala +kabalas +Kabalevsky +kabar +kabaragoya +Kabard +Kabardian +kabars +kabassou +kabbala +kabbalah +kabbalahs +kabbalas +Kabbeljaws +Kabeiri +kabel +kabeljou +kabeljous +kaberu +kabiet +kabiki +kabikis +Kabyle +Kabylia +Kabinettwein +Kabir +Kabirpanthi +Kabistan +Kablesh +kabob +kabobs +Kabonga +kabs +Kabuki +kabukis +Kabul +Kabuli +kabuzuchi +Kacey +Kacerek +kacha +Kachari +kachcha +Kachin +kachina +kachinas +Kachine +Kacy +Kacie +Kackavalj +Kaczer +Kaczmarczyk +kad- +Kadaga +Kadai +kadaya +Kadayan +Kadar +Kadarite +kadder +Kaddish +kaddishes +Kaddishim +kadein +Kaden +kadi +Kadiyevka +kadikane +kadine +kadis +kadischi +kadish +kadishim +Kadmi +Kadner +Kado +Kadoka +kados +kadsura +Kadu +Kaduna +kae +Kaela +kaempferol +Kaenel +kaes +Kaesong +Kaete +Kaf +Kafa +kaferita +Kaffeeklatsch +Kaffia +kaffiyeh +kaffiyehs +Kaffir +Kaffirs +Kaffraria +Kaffrarian +kafila +Kafir +Kafiri +kafirin +Kafiristan +Kafirs +kafiz +Kafka +Kafkaesque +Kafre +kafs +kafta +kaftan +kaftans +Kagawa +Kagera +Kagi +kago +kagos +Kagoshima +kagu +kagura +kagus +kaha +kahala +Kahaleel +kahar +kahau +kahawai +kahikatea +kahili +Kahl +Kahle +Kahler +Kahlil +Kahlotus +Kahlua +Kahn +Kahoka +Kahoolawe +kahu +Kahuku +Kahului +kahuna +kahunas +Kai +Kay +Kaia +Kaya +kaiak +kayak +kayaked +kayaker +kayakers +kayaking +kaiaks +kayaks +Kayan +Kayasth +Kayastha +Kaibab +Kaibartha +Kaycee +kaid +Kaye +Kayenta +Kayes +Kaieteur +kaif +Kaifeng +kaifs +Kayibanda +kaik +kai-kai +kaikara +kaikawaka +kail +Kaila +Kayla +Kailasa +Kaile +Kayle +Kaylee +Kailey +Kayley +kayles +kailyard +kailyarder +kailyardism +kailyards +Kaylil +Kaylyn +Kaylor +kails +Kailua +Kailuakona +kaimakam +kaiman +Kaimo +Kain +Kainah +Kaine +Kayne +kainga +Kaingang +Kaingangs +kaingin +kainyn +kainit +kainite +kainites +kainits +kainogenesis +kainozoic +kains +kainsi +kayo +kayoed +kayoes +kayoing +kayos +kairin +kairine +kairolin +kairoline +kairos +kairotic +Kairouan +Kairwan +kays +Kaiser +kaiserdom +Kayseri +Kaiserin +kaiserins +kaiserism +kaisers +kaisership +Kaiserslautern +Kaysville +kaitaka +Kaithi +Kaitlin +Kaitlyn +Kaitlynn +Kaiulani +kaivalya +kayvan +kayward +kaiwhiria +kaiwi +kaj +Kaja +Kajaani +Kajar +kajawah +Kajdan +kajeput +kajeputs +kajugaru +kaka +Kakalina +Kakan +kakapo +kakapos +kakar +kakarali +kakaralli +kakariki +kakas +Kakatoe +Kakatoidae +kakawahie +kakemono +kakemonos +kaki +kakidrosis +kakis +kakistocracy +kakistocracies +kakistocratical +kakkak +kakke +kako- +kakogenic +kakorraphiaphobia +kakortokite +kakotopia +Kal +Kala +kalaazar +Kala-Azar +kalach +kaladana +Kalagher +Kalahari +Kalaheo +Kalakh +kalam +Kalama +kalamalo +kalamansanai +Kalamazoo +Kalamian +Kalamist +kalamkari +kalams +kalan +Kalanchoe +Kalandariyah +Kalang +Kalapooian +kalashnikov +kalasie +Kalasky +Kalat +kalathoi +kalathos +Kalaupapa +Kalb +Kalbli +Kaldani +Kale +kale- +Kaleb +kaleege +Kaleena +kaleyard +kaleyards +kaleidescope +kaleidophon +kaleidophone +kaleidoscope +kaleidoscopes +kaleidoscopic +kaleidoscopical +kaleidoscopically +Kalekah +kalema +Kalemie +kalend +Kalendae +kalendar +kalendarial +kalends +kales +Kaleva +Kalevala +kalewife +kalewives +Kalfas +Kalgan +Kalgoorlie +Kali +kalian +Kaliana +kalians +kaliborite +Kalida +Kalidasa +kalidium +Kalie +kalif +kalifate +kalifates +kaliform +kalifs +kaligenous +Kaliyuga +Kalikow +Kalil +Kalila +Kalimantan +kalimba +kalimbas +kalymmaukion +kalymmocyte +Kalin +Kalina +Kalinda +Kalindi +Kalinga +Kalinin +Kaliningrad +kalinite +Kaliope +kaliophilite +kalipaya +kaliph +kaliphs +kalyptra +kalyptras +kalis +Kalisch +kalysis +Kaliski +Kalispel +Kalispell +Kalisz +kalium +kaliums +Kalk +Kalkaska +Kalki +kalkvis +Kall +kallah +Kalle +kallege +Kalli +Kally +Kallick +kallidin +kallidins +Kallikak +kallilite +Kallima +Kallinge +Kallista +kallitype +Kallman +Kalman +Kalmar +Kalmarian +Kalmia +kalmias +Kalmick +Kalmuck +Kalmuk +kalo +kalogeros +kalokagathia +kalon +Kalona +kalong +kalongs +kalpa +kalpak +kalpaks +kalpas +kalpis +Kalskag +kalsomine +kalsomined +kalsominer +kalsomining +kaltemail +Kaltman +Kaluga +kalumpang +kalumpit +kalunti +Kalvesta +Kalvin +Kalvn +Kalwar +Kam +Kama +kamaaina +kamaainas +kamachi +kamachile +kamacite +kamacites +Kamadhenu +kamahi +Kamay +Kamakura +Kamal +kamala +kamalas +Kamaloka +kamanichile +kamansi +kamao +Kamares +kamarezite +Kamaria +kamarupa +kamarupic +Kamas +Kamasin +Kamass +kamassi +Kamasutra +Kamat +kamavachara +Kamba +kambal +kamboh +kambou +Kamchadal +Kamchatka +Kamchatkan +kame +kameel +kameeldoorn +kameelthorn +Kameko +kamel +kamelaukia +kamelaukion +kamelaukions +kamelkia +Kamenic +Kamensk-Uralski +Kamerad +Kamerman +Kamerun +kames +Kamet +kami +Kamiah +kamian +kamias +kamichi +kamiya +kamik +kamika +Kamikaze +kamikazes +kamiks +Kamila +Kamilah +Kamillah +Kamin +Kamina +kamis +kamleika +Kamloops +kammalan +Kammerchor +Kammerer +kammererite +kammeu +kammina +Kamp +Kampala +kamperite +kampylite +Kampliles +Kampmann +Kampmeier +Kampong +kampongs +kampseen +Kampsville +kamptomorph +kamptulicon +Kampuchea +Kamrar +Kamsa +kamseen +kamseens +kamsin +kamsins +Kamuela +Kan +kana +Kanab +kanae +kanaff +kanagi +kanaima +Kanaka +Kanal +kana-majiri +kanamycin +kanamono +Kananga +Kananur +kanap +Kanara +Kanarak +Kanaranzi +Kanarese +kanari +Kanarraville +kanas +kanat +Kanauji +Kanawari +Kanawha +Kanazawa +Kanchenjunga +kanchil +Kanchipuram +Kancler +kand +Kandace +Kandahar +kande +Kandelia +Kandy +Kandiyohi +Kandinski +Kandinsky +kandjar +kandol +Kane +kaneelhart +kaneh +Kaneoche +Kaneohe +kanephore +kanephoros +kanes +Kaneshite +Kanesian +Kaneville +kang +kanga +kangayam +kangani +kangany +kangaroo +kangarooer +kangarooing +kangaroolike +kangaroo-rat +kangaroos +Kangchenjunga +kangla +Kangli +kangri +K'ang-te +KaNgwane +Kania +Kanya +kanyaw +Kanji +kanjis +Kankakee +Kankan +Kankanai +kankedort +kankie +kankrej +Kannada +Kannan +Kannapolis +kannen +Kannry +kannu +kannume +Kano +Kanona +kanone +kanoon +Kanopolis +Kanorado +Kanosh +Kanpur +Kanred +Kans +Kans. +Kansa +Kansan +kansans +Kansas +Kansasville +Kansu +Kant +kantar +kantars +kantela +kantele +kanteles +kanteletar +kanten +Kanter +kanthan +kantharoi +kantharos +Kantian +Kantianism +kantians +kantiara +Kantism +Kantist +Kantner +Kantor +Kantos +kantry +KANU +kanuka +Kanuri +Kanwar +kanzu +KAO +Kaohsiung +Kaolack +Kaolak +kaoliang +kaoliangs +Kaolikung +kaolin +kaolinate +kaoline +kaolines +kaolinic +kaolinisation +kaolinise +kaolinised +kaolinising +kaolinite +kaolinization +kaolinize +kaolinized +kaolinizing +kaolins +kaon +kaons +KAOS +kapa +Kapaa +Kapaau +kapai +kapas +Kape +kapeika +Kapell +kapelle +Kapellmeister +Kapfenberg +kaph +kaphs +Kapila +Kaplan +kapok +kapoks +Kapoor +Kapor +kapote +Kapowsin +kapp +kappa +kapparah +kappas +kappe +Kappel +kappellmeister +Kappenne +kappie +kappland +kapuka +kapur +kaput +kaputt +Kapwepwe +Kara +Karabagh +karabiner +karaburan +Karachi +karacul +Karafuto +karagan +Karaganda +Karaya +Karaism +Karaite +Karaitic +Karaitism +Karajan +karaka +Kara-Kalpak +Kara-Kalpakia +Kara-Kalpakistan +Karakatchan +Karakoram +Karakorum +Karakul +karakule +karakuls +karakurt +Karalee +Karalynn +Kara-Lynn +Karamanlis +Karamazov +Karame +Karameh +Karami +Karamojo +Karamojong +karamu +karanda +Karankawa +karaoke +Karas +karat +Karatas +karate +karateist +karates +karats +karatto +Karb +Karbala +karbi +karch +Kardelj +Kare +kareao +kareau +Karee +Kareem +kareeta +Karel +karela +Karelia +Karelian +Karen +Karena +Karens +karewa +karez +Karharbari +Kari +Kary +kary- +Karia +karyaster +karyatid +Kariba +Karie +karyenchyma +Karil +Karyl +Karylin +Karilynn +Karilla +Karim +Karin +Karyn +Karina +Karine +karinghota +Karynne +karyo- +karyochylema +karyochrome +karyocyte +karyogamy +karyogamic +karyokinesis +karyokinetic +karyolymph +Karyolysidae +karyolysis +Karyolysus +karyolitic +karyolytic +karyology +karyologic +karyological +karyologically +karyomere +karyomerite +karyomicrosome +karyomitoic +karyomitome +karyomiton +karyomitosis +karyomitotic +karyon +karyopyknosis +karyoplasm +karyoplasma +karyoplasmatic +karyoplasmic +karyorrhexis +karyoschisis +karyosystematics +karyosoma +karyosome +karyotin +karyotins +karyotype +karyotypic +karyotypical +Kariotta +Karisa +Karissa +Karita +karite +kariti +Karl +Karla +Karlan +Karlee +Karleen +Karlen +Karlene +Karlens +Karlfeldt +Karli +Karly +Karlie +Karlik +Karlin +Karlyn +Karling +Karlis +Karlise +Karl-Marx-Stadt +Karloff +Karlotta +Karlotte +Karlow +Karlsbad +Karlsruhe +Karlstad +Karluk +Karma +karmadharaya +karma-marga +karmas +Karmathian +Karmen +karmic +karmouth +karn +Karna +Karnack +Karnak +Karnataka +Karney +karnofsky +karns +karo +Karol +Karola +Karole +Karoly +Karolyn +Karolina +Karoline +Karon +Karoo +karoos +karos +kaross +karosses +karou +Karp +karpas +Karpov +Karr +Karrah +karree +karren +Karrer +karri +Karry +Karrie +karri-tree +Karroo +Karroos +karrusel +Kars +karsha +Karshuni +Karst +Karsten +karstenite +karstic +karsts +kart +kartel +Karthaus +Karthli +karting +kartings +Kartis +kartometer +kartos +karts +Karttikeya +Kartvel +Kartvelian +karuna +Karval +karvar +Karwan +karwar +Karwinskia +Kas +kasa +Kasai +Kasaji +Kasavubu +Kasbah +kasbahs +Kasbeer +Kasbek +kasbeke +kascamiol +Kase +Kasey +kaser +Kasevich +Kasha +Kashan +kashas +Kashden +kasher +kashered +kashering +kashers +kashga +Kashgar +kashi +Kashyapa +kashim +kashima +kashira +Kashmir +Kashmiri +Kashmirian +Kashmiris +kashmirs +Kashoubish +kashrut +Kashruth +kashruths +kashruts +Kashube +Kashubian +Kasyapa +kasida +Kasigluk +Kasikumuk +Kasilof +Kask +Kaska +Kaskaskia +Kaslik +kasm +kasolite +Kasota +Kaspar +Kasper +Kasperak +Kass +Kassa +Kassab +kassabah +Kassak +Kassala +Kassandra +Kassapa +Kassaraba +Kassey +Kassel +Kassem +Kasseri +Kassi +Kassia +Kassie +Kassite +Kassity +Kasson +kassu +Kast +Kastner +Kastro +Kastrop-Rauxel +kastura +Kasubian +Kat +kat- +Kata +kata- +Katabanian +katabases +katabasis +katabatic +katabella +katabolic +katabolically +katabolism +katabolite +katabolize +katabothra +katabothron +katachromasis +katacrotic +katacrotism +katagelophobia +katagenesis +katagenetic +Katahdin +Katayev +katakana +katakanas +katakinesis +katakinetic +katakinetomer +katakinetomeric +katakiribori +katalase +Katalin +katalyses +katalysis +katalyst +katalytic +katalyze +katalyzed +katalyzer +katalyzing +katamorphic +katamorphism +katana +Katanga +Katangese +kataphoresis +kataphoretic +kataphoric +kataphrenia +kataplasia +kataplectic +kataplexy +Katar +katastate +katastatic +katat +katathermometer +katatype +katatonia +katatonic +Kataway +katchina +katchung +katcina +katcinas +Kate +Katee +Katey +Katemcy +Kateri +Katerina +Katerine +Kath +Katha +Kathak +kathal +Katharevusa +Katharyn +Katharina +Katharine +katharometer +katharses +katharsis +kathartic +Kathe +kathemoglobin +kathenotheism +Katherin +Katheryn +Katherina +Katherine +Kathi +Kathy +Kathiawar +Kathie +Kathye +kathisma +kathismata +Kathlee +Kathleen +Kathlene +Kathlin +Kathlyn +Kathlynne +Kathmandu +kathodal +kathode +kathodes +kathodic +katholikoi +Katholikos +katholikoses +Kathopanishad +Kathryn +Kathrine +Kathryne +Kathrynn +Kati +Katy +Katya +katydid +katydids +Katie +Katik +Katina +Katine +Katinka +kation +kations +katipo +Katipunan +Katipuneros +Katyusha +katjepiering +Katlaps +Katleen +Katlin +Katmai +Katmandu +katmon +Kato +katogle +Katonah +Katowice +Katrina +Katryna +Katrine +Katrinka +kats +Katsina +Katsuyama +katsunkel +katsup +Katsushika +Katsuwonidae +Katt +Kattegat +Katti +Kattie +Kattowitz +Katuf +katuka +Katukina +katun +katurai +Katuscha +Katusha +Katushka +Katz +Katzen +katzenjammer +Katzir +Katzman +Kauai +kauch +Kauffman +Kauffmann +Kaufman +Kaufmann +Kaukauna +Kaule +Kaumakani +Kaunakakai +Kaunas +Kaunda +Kauppi +Kauravas +kauri +kaury +kauries +kauris +Kauslick +Kautsky +kava +Kavaic +kavakava +Kavalla +Kavanagh +Kavanaugh +Kavaphis +kavas +kavass +kavasses +kaver +Kaveri +Kavi +kavika +Kavita +Kavla +Kaw +kaw- +Kawabata +Kawaguchi +Kawai +kawaka +kawakawa +Kawasaki +Kawchodinne +Kaweah +kawika +Kawkawlin +Kaz +kazachki +kazachok +Kazak +Kazakh +Kazakhstan +Kazakstan +Kazan +Kazanlik +Kazantzakis +kazatske +kazatski +kazatsky +kazatskies +Kazbek +Kazdag +kazi +Kazim +Kazimir +Kazincbarcika +Kazmirci +kazoo +kazoos +Kazue +kazuhiro +KB +kbar +kbars +KBE +KBP +KBPS +KBS +KC +kc/s +kcal +KCB +kCi +KCL +KCMG +KCSI +KCVO +KD +Kdar +KDCI +KDD +KDT +KE +Kea +Keaau +keach +keacorn +Kealakekua +Kealey +Kealia +Kean +Keane +Keansburg +keap +Keare +Keary +kearn +Kearney +Kearneysville +Kearny +Kearns +Kearsarge +keas +Keasbey +keat +Keatchie +Keating +Keaton +Keats +Keatsian +Keavy +keawe +Keb +kebab +kebabs +kebar +kebars +kebby +kebbie +kebbies +kebbock +kebbocks +kebbuck +kebbucks +kebyar +keblah +keblahs +Keble +kebob +kebobs +kechel +Kechi +Kechua +Kechuan +Kechuans +Kechuas +Kechumaran +keck +kecked +kecky +kecking +keckle +keckled +keckles +keckling +kecks +kecksy +kecksies +Kecskem +Kecskemet +ked +Kedah +Kedar +Kedarite +keddah +keddahs +Keddie +kedge +kedge-anchor +kedged +kedger +kedgeree +kedgerees +kedges +kedgy +kedging +Kediri +kedjave +kedlock +Kedron +Kedushah +Kedushoth +Kedushshah +Kee +keech +Keedysville +keef +Keefe +Keefer +keefs +Keegan +keek +keeked +keeker +keekers +keeking +keeks +keekwilee-house +Keel +keelage +keelages +keelback +Keelby +keelbill +keelbird +keelblock +keelboat +keel-boat +keelboatman +keelboatmen +keelboats +keel-bully +keeldrag +Keele +keeled +Keeley +Keeler +keelfat +keelhale +keelhaled +keelhales +keelhaling +keelhaul +keelhauled +keelhauling +keelhauls +Keely +Keelia +Keelie +Keelin +Keeline +keeling +keelivine +keelless +keelman +keelrake +keels +keelson +keelsons +Keelung +keelvat +Keen +keena +Keenan +keen-biting +Keene +keen-eared +keened +keen-edged +keen-eyed +Keener +keeners +Keenes +Keenesburg +keenest +keening +keenly +keenness +keennesses +keen-nosed +keen-o +keen-o-peachy +keens +Keensburg +keen-scented +keen-sighted +keen-witted +keen-wittedness +keep +keepable +keeper +keeperess +keepering +keeperless +keepers +keepership +keeping +keeping-room +keepings +keepnet +keeps +keepsake +keepsakes +keepsaky +keepworthy +keerie +keerogue +kees +Keese +Keeseville +keeshond +keeshonden +keeshonds +keeslip +keest +keester +keesters +keet +Keeton +keets +keeve +Keever +keeves +Keewatin +Keezletown +kef +Kefalotir +Kefauver +keffel +Keffer +keffiyeh +kefiatoid +kefifrel +kefir +kefiric +kefirs +Keflavik +kefs +Kefti +Keftian +Keftiu +Keg +Kegan +kegeler +kegelers +kegful +keggmiengg +Kegley +kegler +keglers +kegling +keglings +kegs +kehaya +Keheley +kehillah +kehilloth +Kehoe +kehoeite +Kehr +Kei +Key +keyage +keyaki +Keyapaha +kei-apple +keyboard +keyboarded +keyboarder +keyboarding +keyboards +keyboard's +key-bugle +keybutton +keycard +keycards +key-cold +Keid +key-drawing +keyed +keyed-up +Keyek +keyer +Keyes +Keyesport +Keifer +Keighley +keyhole +keyholes +keying +Keijo +Keiko +Keil +Keylargo +keyless +keylet +keilhauite +Keily +keylock +keyman +Keymar +keymen +keymove +Keynes +Keynesian +Keynesianism +keynote +key-note +keynoted +keynoter +keynoters +keynotes +keynoting +keypad +keypads +keypad's +Keyport +keypress +keypresses +keypunch +keypunched +keypuncher +keypunchers +keypunches +keypunching +Keir +keirs +keys +keyseat +keyseater +Keiser +Keyser +keyserlick +Keyserling +keyset +keysets +Keisling +keyslot +keysmith +keist +keister +keyster +keisters +keysters +Keisterville +keystone +keystoned +Keystoner +keystones +keystroke +keystrokes +keystroke's +Keysville +Keita +Keyte +Keitel +Keytesville +Keith +Keithley +Keithsburg +Keithville +keitloa +keitloas +keyway +keyways +keywd +keyword +keywords +keyword's +keywrd +Keizer +Kekaha +Kekchi +Kekkonen +kekotene +Kekulmula +kekuna +Kel +Kela +Kelayres +Kelantan +Kelbee +Kelby +Kelcey +kelchin +kelchyn +Kelci +Kelcy +Kelcie +keld +Kelda +Keldah +kelder +Keldon +Keldron +Kele +kelebe +kelectome +keleh +kelek +kelep +keleps +Kelford +Keli +kelia +Keligot +Kelila +Kelima +kelyphite +kelk +Kell +Kella +Kellby +Kellda +kelleg +kellegk +Kelleher +Kelley +Kellen +Kellene +Keller +Kellerman +Kellerton +kellet +Kelli +Kelly +Kellia +Kellyann +kellick +Kellie +kellies +Kelliher +Kellyn +Kellina +kellion +kellys +Kellysville +Kellyton +Kellyville +Kellnersville +kellock +Kellogg +Kellsie +kellupweed +keloid +keloidal +keloids +kelotomy +kelotomies +kelowna +kelp +kelped +kelper +kelpfish +kelpfishes +kelpy +kelpie +kelpies +kelping +kelps +kelpware +kelpwort +Kelsey +Kelseyville +Kelsi +Kelsy +Kelso +Kelson +kelsons +Kelt +kelter +kelters +kelty +Keltic +Keltically +keltics +keltie +Keltoi +Kelton +kelts +Kelula +Kelvin +kelvins +Kelwen +Kelwin +Kelwunn +Kemah +kemal +Kemalism +Kemalist +kemancha +kemb +Kemble +Kemblesville +kemelin +Kemeny +Kemerovo +Kemi +Kemme +Kemmerer +Kemp +kempas +Kempe +kemperyman +kemp-haired +kempy +Kempis +kempite +kemple +Kempner +Kemppe +kemps +Kempster +kempt +kemptken +Kempton +kempts +Ken +kenaf +kenafs +Kenai +Kenay +Kenansville +kenareh +Kenaz +kench +kenches +kend +Kendal +Kendalia +Kendall +Kendallville +Kendell +Kendy +Kendyl +kendir +kendyr +Kendleton +kendna +kendo +kendoist +kendos +Kendra +Kendrah +Kendre +Kendrew +Kendry +Kendrick +Kendricks +Kenduskeag +Kenedy +Kenefic +Kenelm +kenema +Kenesaw +Kenhorst +Kenya +Kenyan +kenyans +Kenyatta +Kenilworth +Kenyon +Kenipsim +Kenison +kenyte +Kenitra +Kenji +Kenlay +Kenlee +Kenley +Kenleigh +Kenly +kenlore +Kenmare +kenmark +Kenmore +kenmpy +Kenn +Kenna +Kennan +Kennard +Kennebec +kennebecker +Kennebunk +kennebunker +Kennebunkport +Kennecott +kenned +Kennedale +Kennedy +Kennedya +Kennedyville +Kenney +kennel +kenneled +kenneling +kennell +kennelled +Kennelly +kennelling +kennelman +kennels +kennel's +Kenner +Kennerdell +Kennesaw +Kennet +Kenneth +Kennett +Kennewick +Kenny +Kennie +kenning +kennings +kenningwort +Kennith +kenno +keno +kenogenesis +kenogenetic +kenogenetically +kenogeny +Kenon +kenophobia +kenos +Kenosha +kenosis +kenosises +kenotic +kenoticism +kenoticist +kenotism +kenotist +kenotoxin +kenotron +kenotrons +Kenova +Kenric +Kenrick +kens +Kensal +kenscoff +Kenseikai +Kensell +Kensett +Kensington +Kensitite +kenspac +kenspeck +kenspeckle +kenspeckled +Kent +Kenta +kentallenite +kente +Kenti +Kentia +Kenticism +Kentiga +Kentigera +Kentigerma +Kentiggerma +Kentish +Kentishman +Kentishmen +Kentland +kentle +kentledge +Kenton +kentrogon +kentrolite +Kentuck +Kentucky +Kentuckian +kentuckians +Kentwood +Kenvil +Kenvir +Kenway +Kenward +Kenwee +Kenweigh +Kenwood +Kenwrick +Kenzi +Kenzie +Keo +keogenesis +Keogh +Keokee +Keokuk +Keon +Keos +Keosauqua +Keota +keout +kep +kephalin +kephalins +Kephallenia +Kephallina +kephalo- +kephir +kepi +kepis +Kepler +Keplerian +Kepner +kepped +Keppel +keppen +kepping +keps +kept +Ker +kera- +keracele +keraci +Kerak +Kerala +keralite +keramic +keramics +kerana +keraphyllocele +keraphyllous +kerasin +kerasine +kerat +kerat- +keratalgia +keratectacia +keratectasia +keratectomy +keratectomies +Keraterpeton +keratin +keratinization +keratinize +keratinized +keratinizing +keratinoid +keratinophilic +keratinose +keratinous +keratins +keratitis +kerato- +keratoangioma +keratocele +keratocentesis +keratocni +keratoconi +keratoconjunctivitis +keratoconus +keratocricoid +keratode +keratoderma +keratodermia +keratogenic +keratogenous +keratoglobus +keratoglossus +keratohelcosis +keratohyal +keratoid +Keratoidea +keratoiritis +Keratol +keratoleukoma +keratolysis +keratolytic +keratoma +keratomalacia +keratomas +keratomata +keratome +keratometer +keratometry +keratometric +keratomycosis +keratoncus +keratonyxis +keratonosus +keratophyr +keratophyre +keratoplasty +keratoplastic +keratoplasties +keratorrhexis +keratoscope +keratoscopy +keratose +keratoses +keratosic +keratosis +keratosropy +keratotic +keratotome +keratotomy +keratotomies +keratto +keraulophon +keraulophone +Keraunia +keraunion +keraunograph +keraunography +keraunographic +keraunophobia +keraunophone +keraunophonic +keraunoscopy +keraunoscopia +kerb +kerbaya +kerbed +Kerbela +Kerby +kerbing +kerbs +kerbstone +kerb-stone +Kerch +kercher +kerchief +kerchiefed +kerchiefs +kerchief's +kerchieft +kerchieves +kerchoo +kerchug +kerchunk +kerectomy +Kerek +Kerekes +kerel +Keremeos +Kerens +Kerenski +Kerensky +Keres +Keresan +Kerewa +kerf +kerfed +kerfing +kerflap +kerflop +kerflummox +kerfs +kerfuffle +Kerge +Kerguelen +Kerhonkson +Keri +Kery +Keriann +Kerianne +kerygma +kerygmata +kerygmatic +kerykeion +Kerin +kerystic +kerystics +Kerite +Keryx +Kerk +Kerkhoven +Kerki +Kerkyra +Kerkrade +kerl +Kermadec +Kerman +Kermanji +Kermanshah +kermes +kermesic +kermesite +kermess +kermesses +Kermy +Kermie +kermis +kermises +KERMIT +Kern +Kernan +kerne +kerned +kernel +kerneled +kerneling +kernella +kernelled +kernelless +kernelly +kernelling +kernels +kernel's +kerner +Kernersville +kernes +kernetty +Kernighan +kerning +kernish +kernite +kernites +kernoi +kernos +Kerns +Kernville +kero +kerogen +kerogens +kerolite +keros +kerosene +kerosenes +kerosine +kerosines +Kerouac +kerplunk +Kerr +Kerri +Kerry +Kerria +kerrias +Kerrick +Kerrie +kerries +kerrikerri +Kerril +Kerrill +Kerrin +Kerrison +kerrite +Kerrville +kers +kersanne +kersantite +Kersey +kerseymere +kerseynette +kerseys +Kershaw +kerslam +kerslosh +kersmash +Kerst +Kersten +Kerstin +kerugma +kerugmata +keruing +kerve +kerwham +Kerwin +Kerwinn +Kerwon +kesar +Keshena +Keshenaa +Kesia +Kesley +keslep +Keslie +kesse +Kessel +Kesselring +Kessia +Kessiah +Kessler +kesslerman +Kester +Kesteven +kestrel +kestrels +Keswick +Ket +ket- +keta +ketal +ketapang +ketatin +ketazine +ketch +Ketchan +ketchcraft +ketches +ketchy +Ketchikan +ketch-rigged +Ketchum +ketchup +ketchups +ketembilla +keten +ketene +ketenes +kethib +kethibh +ketyl +ketimid +ketimide +ketimin +ketimine +ketine +ketipate +ketipic +ketmie +keto +keto- +ketogen +ketogenesis +ketogenetic +ketogenic +ketoheptose +ketohexose +Ketoi +ketoketene +ketol +ketole +ketolyses +ketolysis +ketolytic +ketols +ketonaemia +ketone +ketonemia +ketones +ketonic +ketonimid +ketonimide +ketonimin +ketonimine +ketonization +ketonize +ketonuria +ketose +ketoses +ketoside +ketosis +ketosteroid +ketosuccinic +ketotic +ketoxime +kette +Kettering +Ketti +Ketty +Kettie +ketting +kettle +kettle-bottom +kettle-bottomed +kettlecase +kettledrum +kettledrummer +kettledrums +kettleful +kettlemaker +kettlemaking +kettler +Kettlersville +kettles +kettle's +kettle-stitch +kettrin +Ketu +ketuba +ketubah +ketubahs +Ketubim +ketuboth +ketupa +Keturah +Ketuvim +ketway +Keung +keup +Keuper +keurboom +Kev +kevalin +Kevan +kevazingo +kevel +kevelhead +kevels +Keven +kever +Keverian +Keverne +Kevil +kevils +Kevin +Kevyn +Kevina +Kevon +kevutzah +kevutzoth +Kew +Kewadin +Kewanee +Kewanna +Kewaskum +Kewaunee +Keweenawan +keweenawite +Kewpie +kex +kexes +kexy +Kezer +KFT +KG +kg. +KGB +kgf +kg-m +kgr +Kha +Khabarovo +Khabarovsk +Khabur +Khachaturian +khaddar +khaddars +khadi +khadis +khaf +Khafaje +khafajeh +Khafre +khafs +khagiarite +khahoon +Khai +Khaya +khayal +Khayy +Khayyam +khaiki +khair +khaja +Khajeh +khajur +khakanship +khakham +khaki +khaki-clad +khaki-clothed +khaki-colored +khakied +khaki-hued +khakilike +khakis +khalal +khalat +Khalde +Khaldian +Khaled +Khalid +khalif +khalifa +khalifas +Khalifat +khalifate +khalifs +Khalil +Khalin +Khalk +Khalkha +Khalkidike +Khalkidiki +Khalkis +Khalq +Khalsa +khalsah +Khama +khamal +Khami +Khammurabi +khamseen +khamseens +khamsin +khamsins +Khamti +Khan +khanate +khanates +khanda +khandait +khanga +Khania +khanjar +khanjee +khankah +Khanna +Khano +khans +khansama +khansamah +khansaman +khanum +khaph +khaphs +khar +kharaj +Kharia +kharif +Kharijite +Kharkov +Kharoshthi +kharouba +kharroubah +Khartoum +Khartoumer +Khartum +kharua +kharwa +Kharwar +Khasa +Khasi +Khaskovo +Khas-kura +khass +khat +khatib +khatin +khatri +khats +Khatti +Khattish +Khattusas +Khazar +Khazarian +khazen +khazenim +khazens +kheda +khedah +khedahs +khedas +khediva +khedival +khedivate +khedive +khedives +khediviah +khedivial +khediviate +Khelat +khella +khellin +Khem +Khenifra +khepesh +Kherson +Kherwari +Kherwarian +khesari +khet +kheth +kheths +khets +Khevzur +khi +Khiam +Khichabia +khidmatgar +khidmutgar +Khieu +Khila +khilat +Khios +khir +khirka +khirkah +khirkahs +khis +Khitan +khitmatgar +khitmutgar +Khiva +Khivan +Khlyst +Khlysti +Khlysty +Khlysts +Khlustino +Khmer +Khnum +Kho +khodja +Khoi +Khoikhoi +Khoi-khoin +Khoin +Khoiniki +Khoisan +Khoja +khojah +Khojent +khoka +Khokani +Khond +Khondi +Khorassan +Khorma +Khorramshahr +Khos +Khosa +Khosrow +khot +Khotan +Khotana +Khotanese +khoum +Khoumaini +khoums +Khoury +Khowar +Khrushchev +khu +Khuai +khubber +khud +Khudari +Khufu +khula +khulda +Khulna +khuskhus +khus-khus +Khussak +khutba +Khutbah +khutuktu +Khuzi +Khuzistan +khvat +Khwarazmian +KHz +KI +KY +Ky. +KIA +kiaat +kiabooca +kyabuka +kiack +Kyack +kyacks +Kiah +kyah +Kiahsville +kyak +kiaki +kyaks +Kial +kialee +kialkee +kiang +kyang +Kiangan +Kiangyin +Kiangling +Kiangpu +kiangs +Kiangsi +Kiangsu +Kiangwan +kyanise +kyanised +kyanises +kyanising +kyanite +kyanites +kyanization +kyanize +kyanized +kyanizes +kyanizing +kyano- +kyanol +Kiaochow +kyar +kyars +KIAS +kyat +kyathoi +kyathos +kyats +kiaugh +kiaughs +kyaung +kibbe +kibbeh +kibbehs +kibber +kibbes +kibble +kibbled +kibbler +kibblerman +kibbles +kibbling +kibbutz +kibbutzim +kibbutznik +kibe +Kibei +kibeis +Kybele +kibes +kiby +kibitka +kibitz +kibitzed +kibitzer +kibitzers +kibitzes +kibitzing +kibla +kiblah +kiblahs +kiblas +kibosh +kiboshed +kiboshes +kiboshing +kibsey +Kyburz +kichel +kick +kickable +kick-about +Kickapoo +kickback +kickbacks +kickball +kickboard +kickdown +kicked +kickee +kicker +kickers +kicky +kickier +kickiest +kickie-wickie +kicking +kicking-colt +kicking-horses +kickish +kickless +kickoff +kick-off +kickoffs +kickout +kickplate +kicks +kickseys +kicksey-winsey +kickshaw +kickshaws +kicksies +kicksie-wicksie +kicksy-wicksy +kick-sled +kicksorter +kickstand +kickstands +kick-start +kicktail +kickup +kick-up +kickups +kickwheel +kickxia +Kicva +Kid +Kyd +kidang +kidcote +Kidd +Kidde +kidded +Kidder +Kidderminster +kidders +kiddy +kiddie +kiddier +kiddies +kidding +kiddingly +kiddish +kiddishness +kiddle +kiddo +kiddoes +kiddos +Kiddush +kiddushes +kiddushin +kid-glove +kid-gloved +kidhood +kidlet +kidlike +kidling +kidnap +kidnaped +kidnapee +kidnaper +kidnapers +kidnaping +Kidnapped +kidnappee +kidnapper +kidnappers +kidnapper's +kidnapping +kidnappings +kidnapping's +kidnaps +kidney +kidney-leaved +kidneylike +kidneylipped +kidneyroot +kidneys +kidney's +kidney-shaped +kidneywort +Kidron +Kids +kid's +kidskin +kid-skin +kidskins +kidsman +kidvid +kidvids +kie +kye +Kief +kiefekil +Kiefer +Kieffer +kiefs +Kieger +Kiehl +Kiehn +kieye +kiekie +Kiel +kielbasa +kielbasas +kielbasi +kielbasy +Kielce +Kiele +Kieler +Kielstra +Kielty +Kienan +Kiepura +Kier +Kieran +Kierkegaard +Kierkegaardian +Kierkegaardianism +Kiernan +kiers +Kiersten +Kies +kieselguhr +kieselgur +kieserite +kiesselguhr +kiesselgur +kiesserite +Kiester +kiesters +kiestless +Kieta +Kiev +Kievan +Kiewit +KIF +kifs +Kigali +Kigensetsu +Kihei +Kiho +kiyas +kiyi +ki-yi +Kiyohara +Kiyoshi +Kiirun +Kikai +kikar +Kikatsik +kikawaeo +kike +kyke +Kikelia +Kiker +kikes +Kiki +kikki +Kikldhes +Kyklopes +Kyklops +kikoi +Kikongo +kikori +kiku +kikuel +Kikuyu +Kikuyus +kikumon +Kikwit +kil +Kyl +Kila +Kyla +kiladja +Kilah +Kylah +Kilaya +kilampere +Kilan +Kylander +Kilar +Kilauea +Kilby +Kilbourne +kilbrickenite +Kilbride +Kildare +kildee +kilderkin +Kile +Kyle +kileh +Kiley +kileys +Kylen +kilerg +Kylertown +Kilgore +Kilhamite +kilhig +Kilian +kiliare +Kylie +kylies +kilij +kylikec +kylikes +Kylila +kilim +Kilimanjaro +kilims +kylin +Kylynn +kylite +kylix +Kilk +Kilkenny +kill +kill- +killable +killadar +Killam +Killanin +Killarney +killas +Killawog +Killbuck +killcalf +kill-courtesy +kill-cow +kill-crazy +killcrop +killcu +killdee +killdeer +killdeers +killdees +kill-devil +Killduff +killed +Killeen +Killen +killer +killer-diller +killers +killese +Killy +Killian +killick +killickinnic +killickinnick +killicks +Killie +Killiecrankie +killies +killifish +killifishes +killig +Killigrew +killikinic +killikinick +killing +killingly +killingness +killings +Killington +killinite +Killion +killjoy +kill-joy +killjoys +kill-kid +killoch +killock +killocks +killogie +Killona +Killoran +killow +kills +kill-time +kill-wart +killweed +killwort +Kilmarnock +Kilmarx +Kilmer +Kilmichael +Kiln +kiln-burnt +kiln-dry +kiln-dried +kiln-drying +kilned +kilneye +kilnhole +kilning +kilnman +kilnrib +kilns +kilnstick +kilntree +kilo +kylo +kilo- +kiloampere +kilobar +kilobars +kilobaud +kilobit +kilobyte +kilobytes +kilobits +kiloblock +kilobuck +kilocalorie +kilocycle +kilocycles +kilocurie +kilodyne +kyloe +kilogauss +kilograin +kilogram +kilogram-calorie +kilogram-force +kilogramme +kilogramme-metre +kilogram-meter +kilogrammetre +kilograms +kilohertz +kilohm +kilojoule +kiloline +kiloliter +kilolitre +kilolumen +kilom +kilomegacycle +kilometer +kilometers +kilometrage +kilometre +kilometric +kilometrical +kilomole +kilomoles +kilooersted +kilo-oersted +kiloparsec +kilopoise +kilopound +kilorad +kilorads +kilos +kilostere +kiloton +kilotons +kilovar +kilovar-hour +kilovolt +kilovoltage +kilovolt-ampere +kilovolt-ampere-hour +kilovolts +kiloware +kilowatt +kilowatt-hour +kilowatts +kiloword +kilp +Kilpatrick +Kilroy +Kilsyth +Kylstra +kilt +kilted +kilter +kilters +kilty +kiltie +kilties +kilting +kiltings +kiltlike +kilts +Kiluba +kiluck +Kilung +Kilwich +Kim +Kym +kymation +kymatology +Kimball +Kimballton +kymbalon +kimbang +Kimbe +Kimbell +Kimber +Kimberlee +Kimberley +Kimberli +Kimberly +kimberlin +Kimberlyn +kimberlite +Kimberton +Kimble +kimbo +Kimbolton +Kimbra +Kimbundu +kimchee +kimchees +kimchi +kimchis +Kimeridgian +kimigayo +Kimitri +kim-kam +Kimmel +Kimmell +kimmer +kimmeridge +Kimmi +Kimmy +Kimmie +kimmo +Kimmochi +Kimmswick +kimnel +kymnel +kymogram +kymograms +kymograph +kymography +kymographic +Kimon +kimono +kimonoed +kimonos +Kimper +Kimpo +Kymry +Kymric +Kimura +kin +kina +Kinabalu +kinabulu +kinaestheic +kinaesthesia +kinaesthesias +kinaesthesis +kinaesthetic +kinaesthetically +kinah +Kynan +Kinards +kinas +kinase +kinases +Kinata +Kinau +kinboot +kinbot +kinbote +Kincaid +Kincardine +Kincardineshire +Kinch +Kincheloe +Kinchen +kinchin +Kinchinjunga +kinchinmort +kincob +Kind +kindal +Kinde +Kinder +kindergarten +kindergartener +kindergartening +kindergartens +kindergartner +kindergartners +Kinderhook +Kindertotenlieder +kindest +kindheart +kindhearted +kind-hearted +kindheartedly +kindheartedness +Kindig +kindjal +kindle +kindled +kindler +kindlers +kindles +kindlesome +kindless +kindlessly +kindly +kindly-disposed +kindlier +kindliest +kindlily +kindliness +kindlinesses +kindling +kindlings +kind-mannered +kindness +kindnesses +kindred +kindredless +kindredly +kindredness +kindreds +kindredship +kindrend +kinds +Kindu +Kindu-Port-Empain +kine +Kyne +Kinelski +kinema +kinemas +kinematic +kinematical +kinematically +kinematics +kinematograph +kinematographer +kinematography +kinematographic +kinematographical +kinematographically +kinemometer +kineplasty +kinepox +kines +kinesalgia +kinescope +kinescoped +kinescopes +kinescoping +kineses +kinesi- +kinesiatric +kinesiatrics +kinesic +kinesically +kinesics +kinesimeter +kinesiology +kinesiologic +kinesiological +kinesiologies +kinesiometer +kinesipathy +kinesis +kinesitherapy +kinesodic +kinestheses +kinesthesia +kinesthesias +kinesthesis +kinesthetic +kinesthetically +kinetic +kinetical +kinetically +kineticism +kineticist +kinetics +kinetin +kinetins +kineto- +kinetochore +kinetogenesis +kinetogenetic +kinetogenetically +kinetogenic +kinetogram +kinetograph +kinetographer +kinetography +kinetographic +kinetomer +kinetomeric +kinetonema +kinetonucleus +kinetophobia +kinetophone +kinetophonograph +kinetoplast +kinetoplastic +kinetoscope +kinetoscopic +kinetosis +kinetosome +Kynewulf +kinfolk +kinfolks +King +kingbird +king-bird +kingbirds +kingbolt +king-bolt +kingbolts +Kingchow +kingcob +king-crab +kingcraft +king-craft +kingcup +king-cup +kingcups +kingdom +kingdomed +kingdomful +kingdomless +kingdoms +kingdom's +kingdomship +Kingdon +kinged +king-emperor +Kingfield +kingfish +king-fish +Kingfisher +kingfishers +kingfishes +kinghead +king-hit +kinghood +kinghoods +Kinghorn +kinghunter +kinging +king-killer +kingklip +Kinglake +kingless +kinglessness +kinglet +kinglets +kingly +kinglier +kingliest +kinglihood +kinglike +kinglily +kingliness +kingling +kingmaker +king-maker +kingmaking +Kingman +Kingmont +king-of-arms +king-of-the-herrings +king-of-the-salmon +kingpiece +king-piece +kingpin +king-pin +kingpins +kingpost +king-post +kingposts +king-ridden +kingrow +Kings +Kingsburg +Kingsbury +Kingsdown +Kingsford +kingship +kingships +kingside +kingsides +kingsize +king-size +king-sized +Kingsland +Kingsley +Kingsly +kingsman +kingsnake +kings-of-arms +Kingsport +Kingston +Kingston-upon-Hull +Kingstown +Kingstree +Kingsville +Kingtehchen +Kingu +Kingwana +kingweed +king-whiting +king-whitings +Kingwood +kingwoods +kinhin +Kinhwa +kinic +kinin +kininogen +kininogenic +kinins +Kinipetu +kink +kinkable +Kinkaid +Kinkaider +kinkajou +kinkajous +kinkcough +kinked +kinker +kinkhab +kinkhaust +kinkhost +kinky +kinkier +kinkiest +kinkily +kinkiness +kinking +kinkle +kinkled +kinkly +kinks +kinksbush +kinless +Kinloch +Kinmundy +Kinna +Kinnard +Kinnear +Kinney +Kinnelon +kinnery +Kinny +Kinnie +kinnikinic +kinnikinick +kinnikinnic +kinnikinnick +kinnikinnik +Kinnon +kinnor +kino +kinofluous +kinology +kinone +kinoo +kinoos +kinoplasm +kinoplasmic +Kinorhyncha +kinos +kinospore +Kinosternidae +Kinosternon +kinot +kinotannic +Kinross +Kinrossshire +kins +Kinsale +Kinsey +kinsen +kinsfolk +Kinshasa +Kinshasha +kinship +kinships +Kinsley +Kinsler +Kinsman +kinsmanly +kinsmanship +kinsmen +Kinson +kinspeople +Kinston +kinswoman +kinswomen +Kinta +kintar +Kynthia +Kintyre +kintlage +Kintnersville +kintra +kintry +Kinu +kinura +kynurenic +kynurin +kynurine +Kinzer +Kinzers +kioea +Kioga +Kyoga +Kioko +Kiona +kionectomy +kionectomies +Kyongsong +kionotomy +kionotomies +kyoodle +kyoodled +kyoodling +kiosk +kiosks +Kioto +Kyoto +kiotome +kiotomy +kiotomies +Kiowa +Kioway +Kiowan +Kiowas +KIP +kipage +Kipchak +kipe +kipfel +kip-ft +kyphoscoliosis +kyphoscoliotic +kyphoses +Kyphosidae +kyphosis +kyphotic +Kipling +Kiplingese +Kiplingism +Kipnis +Kipnuk +Kipp +kippage +Kippar +kipped +kippeen +kippen +Kipper +kippered +kipperer +kippering +kipper-nut +kippers +Kippy +Kippie +kippin +kipping +kippur +Kyprianou +KIPS +kipsey +kipskin +kipskins +Kipton +kipuka +kir +Kira +Kyra +Kiran +Kiranti +Kirbee +Kirby +Kirbie +kirbies +Kirby-Smith +Kirbyville +Kirch +Kircher +Kirchhoff +Kirchner +Kirchoff +Kirghiz +Kirghizean +Kirghizes +Kirghizia +Kiri +Kyriako +kyrial +Kyriale +Kiribati +Kirichenko +Kyrie +kyrielle +kyries +kirigami +kirigamis +Kirilenko +Kirillitsa +Kirima +Kirimia +kirimon +Kirin +kyrine +kyriologic +kyrios +Kirit +Kiriwina +Kirk +Kirkby +Kirkcaldy +Kirkcudbright +Kirkcudbrightshire +Kirkenes +kirker +Kirkersville +kirkyard +kirkify +kirking +kirkinhead +Kirkland +kirklike +Kirklin +Kirkman +kirkmen +Kirkpatrick +kirks +Kirksey +kirk-shot +Kirksville +kirkton +kirktown +Kirkuk +Kirkville +Kirkwall +kirkward +Kirkwood +Kirman +Kirmanshah +kirmess +kirmesses +kirmew +kirn +kirned +kirning +kirns +kirombo +Kiron +Kironde +Kirov +Kirovabad +Kirovograd +kirpan +kirs +Kirsch +kirsches +Kirschner +kirschwasser +kirsen +Kirshbaum +Kirst +Kirsten +Kirsteni +Kirsti +Kirsty +Kirstin +Kirstyn +Kyrstin +Kirt +Kirtland +kirtle +kirtled +Kirtley +kirtles +Kiruna +Kirundi +kirve +Kirven +kirver +Kirvin +Kirwin +kisaeng +kisan +kisang +Kisangani +kischen +kyschty +kyschtymite +Kiselevsk +Kish +Kishambala +Kishar +kishen +Kishi +kishy +Kishinev +kishka +kishkas +kishke +kishkes +kishon +kiskadee +kiskatom +kiskatomas +kiskitom +kiskitomas +Kislev +Kismayu +kismat +kismats +Kismet +kismetic +kismets +Kisor +kisra +KISS +kissability +kissable +kissableness +kissably +kissage +kissar +kissed +Kissee +Kissel +kisser +kissers +kisses +kissy +Kissiah +Kissie +Kissimmee +kissing +Kissinger +kissingly +kiss-me +kiss-me-quick +Kissner +kiss-off +kissproof +kisswise +kist +kistful +kistfuls +Kistiakowsky +Kistler +Kistna +Kistner +kists +kistvaen +Kisumu +Kisung +kiswa +kiswah +Kiswahili +Kit +kitab +kitabi +kitabis +Kitakyushu +Kitalpha +Kitamat +kitambilla +Kitan +kitar +Kitasato +kitbag +kitcat +kit-cat +Kitchen +kitchendom +Kitchener +kitchenet +kitchenette +kitchenettes +kitchenful +kitcheny +kitchenless +kitchenmaid +kitchenman +kitchen-midden +kitchenry +kitchens +kitchen's +kitchenward +kitchenwards +kitchenware +kitchenwife +kitchie +Kitchi-juz +kitching +kite +Kyte +kited +kiteflier +kiteflying +kitelike +kitenge +kiter +kiters +kites +kytes +kite-tailed +kite-wind +kit-fox +kith +kithara +kitharas +kithe +kythe +kithed +kythed +Kythera +kithes +kythes +kithing +kything +Kythira +kithless +kithlessness +kithogue +kiths +kiting +kitish +kitysol +Kitkahaxki +Kitkehahki +kitling +kitlings +Kitlope +kitman +kitmudgar +kytoon +kits +kit's +kitsch +kitsches +kitschy +Kittanning +kittar +Kittatinny +kitted +kittel +kitten +kitten-breeches +kittendom +kittened +kittenhearted +kittenhood +kittening +kittenish +kittenishly +kittenishness +kittenless +kittenlike +kittens +kitten's +kittenship +kitter +kittereen +Kittery +kitthoge +Kitti +Kitty +kitty-cat +kittycorner +kitty-corner +kittycornered +kitty-cornered +Kittie +kitties +Kittyhawk +Kittikachorn +kitting +kittisol +kittysol +Kittitas +kittiwake +kittle +kittled +kittlepins +kittler +kittles +kittlest +kittly +kittly-benders +kittling +kittlish +kittock +kittool +Kittredge +Kittrell +kittul +Kitunahan +Kitwe +Kitzmiller +kyu +kyung +Kiungchow +Kiungshan +Kyurin +Kyurinish +Kiushu +Kyushu +kiutle +kiva +kivas +kiver +kivikivi +Kivu +kiwach +Kiwai +Kiwanian +Kiwanis +kiwi +kiwikiwi +kiwis +Kizi-kumuk +Kizil +Kyzyl +Kizilbash +Kizzee +Kizzie +kJ +Kjeldahl +kjeldahlization +kjeldahlize +Kjersti +Kjolen +Kkyra +KKK +KKt +KKtP +kl +kl- +kl. +klaberjass +Klabund +klafter +klaftern +Klagenfurt +Klagshamn +Klayman +Klaipeda +klam +Klamath +Klamaths +Klan +Klangfarbe +Klanism +klans +Klansman +Klansmen +Klanswoman +Klapp +Klappvisier +Klaproth +klaprotholite +Klara +Klarika +Klarrisa +Klaskino +klatch +klatches +klatsch +klatsches +Klatt +klaudia +Klaus +Klausenburg +klavern +klaverns +Klavier +Klaxon +klaxons +Klber +kleagle +kleagles +Kleber +Klebs +Klebsiella +Klecka +Klee +Kleeman +kleeneboc +kleenebok +Kleenex +Kleffens +Klehm +Kleiber +kleig +Kleiman +Klein +Kleinian +kleinite +Kleinstein +Kleist +Kleistian +Klemens +Klement +Klemm +Klemme +Klemperer +klendusic +klendusity +klendusive +Klenk +Kleon +Klepac +Kleper +klepht +klephtic +klephtism +klephts +klept- +kleptic +kleptistic +kleptomania +kleptomaniac +kleptomaniacal +kleptomaniacs +kleptomanias +kleptomanist +kleptophobia +Kler +klesha +Kletter +Kleve +klezmer +Kliber +klick +klicket +Klickitat +Klydonograph +klieg +Klikitat +Kliman +Kliment +Klimesh +Klimt +Klina +Kline +K-line +Kling +Klingel +Klinger +Klingerstown +Klinges +Klingsor +klino +klip +klipbok +klipdachs +klipdas +klipfish +kliphaas +klippe +klippen +KLIPS +klipspringer +klismoi +klismos +klister +klisters +Klystron +klystrons +Kljuc +kln +Klngsley +KLOC +Klockau +klockmannite +kloesse +klom +Kloman +Klondike +Klondiker +klong +klongs +klooch +kloof +kloofs +klook-klook +klootch +klootchman +klop +klops +Klopstock +Klos +klosh +klosse +Klossner +Kloster +Klosters +Klotz +klowet +Kluang +Kluck +klucker +Kluckhohn +Kluczynski +kludge +kludged +kludges +kludging +Klug +Kluge +kluges +Klump +klunk +Klusek +Klute +klutz +klutzes +klutzy +klutzier +klutziest +klutziness +Klux +Kluxer +klva +km +km. +km/sec +kMc +kmel +K-meson +kmet +Kmmel +kmole +KN +kn- +kn. +knab +knabble +Knaben +knack +knackaway +knackebrod +knacked +knacker +knackery +knackeries +knackers +knacky +knackier +knackiest +knacking +knackish +knacks +Knackwurst +knackwursts +knag +knagged +knaggy +knaggier +knaggiest +knaidel +knaidlach +knaydlach +knap +knapbottle +knap-bottle +knape +Knapp +knappan +knappe +knapped +knapper +knappers +knappy +knapping +knappish +knappishly +knapple +knaps +knapsack +knapsacked +knapsacking +knapsacks +knapsack's +knapscap +knapscull +knapweed +knapweeds +knar +knark +knarl +knarle +knarred +knarry +knars +knaster +knatch +knatte +Knauer +knaur +knaurs +Knautia +knave +knave-child +knavery +knaveries +knaves +knave's +knaveship +knavess +knavish +knavishly +knavishness +knaw +knawel +knawels +knead +kneadability +kneadable +kneaded +kneader +kneaders +kneading +kneadingly +kneading-trough +kneads +knebelite +knee +knee-bent +knee-bowed +knee-braced +knee-breeched +kneebrush +kneecap +knee-cap +kneecapping +kneecappings +kneecaps +knee-crooking +kneed +knee-deep +knee-high +kneehole +knee-hole +kneeholes +kneeing +knee-joint +knee-jointed +kneel +Kneeland +kneeled +knee-length +kneeler +kneelers +kneelet +kneeling +kneelingly +kneels +kneepad +kneepads +kneepan +knee-pan +kneepans +kneepiece +knees +knee-shaking +knee-shaped +knee-sprung +kneestone +knee-tied +knee-timber +knee-worn +Kneiffia +Kneippism +knell +knelled +Kneller +knelling +knell-like +knells +knell's +knelt +Knepper +Knesset +Knesseth +knessets +knet +knetch +knevel +knew +knez +knezi +kniaz +knyaz +kniazi +knyazi +Knick +knicker +Knickerbocker +knickerbockered +knickerbockers +knickerbocker's +knickered +knickers +knickknack +knick-knack +knickknackatory +knickknacked +knickknackery +knickknacket +knickknacky +knickknackish +knickknacks +knicknack +knickpoint +Knierim +Knies +knife +knife-backed +knife-bladed +knifeboard +knife-board +knifed +knife-edge +knife-edged +knife-featured +knifeful +knife-grinder +knife-handle +knife-jawed +knifeless +knifelike +knifeman +knife-plaited +knife-point +knifeproof +knifer +kniferest +knifers +knifes +knife-shaped +knifesmith +knife-stripped +knifeway +knifing +knifings +Knifley +Kniggr +Knight +knight-adventurer +knightage +Knightdale +knighted +knight-errant +knight-errantry +knight-errantries +knight-errantship +knightess +knighthead +knight-head +knighthood +knighthood-errant +knighthoods +Knightia +knighting +knightless +knightly +knightlihood +knightlike +knightliness +knightling +Knighton +knights +Knightsbridge +Knightsen +knights-errant +knight-service +knightship +knight's-spur +Knightstown +Knightsville +knightswort +Knigsberg +Knigshte +Knik +Knin +Knipe +Kniphofia +Knippa +knipperdolling +knish +knishes +knysna +Knisteneaux +knit +knitback +knitch +Knitra +knits +knitster +knittable +knitted +Knitter +knitters +knittie +knitting +knittings +knittle +knitwear +knitwears +knitweed +knitwork +knive +knived +knivey +knives +knob +knobbed +knobber +knobby +knobbier +knobbiest +knob-billed +knobbiness +knobbing +knobble +knobbled +knobbler +knobbly +knobblier +knobbliest +knobbling +Knobel +knobkerry +knobkerrie +Knoblick +knoblike +Knobloch +knob-nosed +Knobnoster +knobs +knob's +knobstick +knobstone +knobular +knobweed +knobwood +knock +knock- +knockabout +knock-about +knockaway +knockdown +knock-down +knock-down-and-drag +knock-down-and-drag-out +knock-down-drag-out +knockdowns +knocked +knocked-down +knockemdown +knocker +knocker-off +knockers +knocker-up +knocking +knockings +knocking-shop +knock-knee +knock-kneed +knock-knees +knockless +knock-me-down +knockoff +knockoffs +knock-on +knockout +knock-out +knockouts +knocks +knockstone +knockup +knockwurst +knockwursts +knoit +Knoke +knol-khol +Knoll +knolled +knoller +knollers +knolly +knolling +knolls +knoll's +knop +knopite +knopped +knopper +knoppy +knoppie +knops +knopweed +knorhaan +knorhmn +knorr +Knorria +Knorring +knosp +knosped +knosps +Knossian +Knossos +knot +knotberry +knotgrass +knot-grass +knothead +knothole +knotholes +knothorn +knot-jointed +knotless +knotlike +knot-portering +knotroot +knots +knot's +Knott +knotted +knotter +knotters +knotty +knottier +knottiest +knotty-leaved +knottily +knottiness +knotting +knotty-pated +knotweed +knotweeds +knotwork +knotwort +knout +knouted +knouting +knouts +know +knowability +knowable +knowableness +know-all +knowe +knower +knowers +knoweth +knowhow +know-how +knowhows +knowing +knowinger +knowingest +knowingly +knowingness +knowings +know-it-all +Knowland +Knowle +knowledgable +knowledgableness +knowledgably +knowledge +knowledgeability +knowledgeable +knowledgeableness +knowledgeably +knowledged +knowledge-gap +knowledgeless +knowledgement +knowledges +knowledging +Knowles +Knowlesville +Knowling +know-little +Knowlton +known +know-nothing +knownothingism +Know-nothingism +know-nothingness +knowns +knowperts +knows +Knox +Knoxboro +Knoxdale +Knoxian +Knoxville +knoxvillite +KNP +Knt +Knt. +knub +knubby +knubbier +knubbiest +knubbly +knublet +knuckle +knuckleball +knuckleballer +knucklebone +knuckle-bone +knucklebones +knuckled +knuckle-deep +knuckle-duster +knuckle-dusters +knucklehead +knuckleheaded +knuckleheadedness +knuckleheads +knuckle-joint +knuckle-kneed +knuckler +knucklers +knuckles +knucklesome +knuckly +knucklier +knuckliest +knuckling +knucks +knuclesome +Knudsen +Knudson +knuffe +knulling +knur +knurl +knurled +knurly +knurlier +knurliest +knurlin +knurling +knurls +knurry +knurs +Knut +Knute +Knuth +Knutsen +Knutson +knutty +KO +Koa +koae +Koah +Koal +koala +koalas +koali +koan +koans +koas +Koasati +kob +Kobayashi +Koball +koban +kobang +Kobarid +Kobe +kobellite +Kobenhavn +Kobi +Koby +Kobylak +kobird +Koblas +Koblenz +Koblick +kobo +kobold +kobolds +kobong +kobs +kobu +Kobus +Koch +Kochab +Kocher +Kochetovka +Kochi +Kochia +Kochkin +kochliarion +koda +Kodachrome +Kodagu +Kodak +Kodaked +kodaker +Kodaking +kodakist +kodakked +kodakking +kodakry +Kodaly +Kodashim +Kodiak +Kodyma +kodkod +kodogu +Kodok +kodro +kodurite +kOe +Koeberlinia +Koeberliniaceae +koeberliniaceous +koechlinite +Koehler +Koeksotenok +koel +Koellia +Koelreuteria +koels +Koeltztown +koenenite +Koenig +Koenigsberg +Koeninger +Koenraad +Koepang +Koeppel +Koeri +Koerlin +Koerner +Koestler +Koetke +koff +Koffka +Koffler +Koffman +koft +kofta +koftgar +koftgari +Kofu +kogai +kogasin +koggelmannetje +Kogia +Koh +Kohanim +Kohathite +kohekohe +Koheleth +kohemp +Kohen +Kohens +Kohima +Kohinoor +Koh-i-noor +Kohistan +Kohistani +Kohl +Kohlan +Kohler +kohlrabi +kohlrabies +kohls +Kohn +Kohoutek +kohua +koi +Koy +koyan +Koiari +Koibal +koyemshi +koi-kopal +koil +koila +koilanaglyphic +koilon +koilonychia +koimesis +Koine +koines +koinon +koinonia +Koipato +Koirala +Koitapu +kojang +Kojiki +kojima +kojiri +kokako +kokam +kokama +kokan +Kokand +kokanee +kokanees +Kokaras +Kokas +ko-katana +Kokengolo +kokerboom +kokia +kokil +kokila +kokio +Kokka +Kokkola +koklas +koklass +Koko +kokobeh +Kokoda +Kokomo +kokoon +Kokoona +kokopu +kokoromiko +Kokoruda +kokos +Kokoschka +kokowai +kokra +koksaghyz +kok-saghyz +koksagyz +Kok-Sagyz +kokstad +koktaite +koku +kokum +kokumin +kokumingun +Kokura +Kol +Kola +kolach +Kolacin +kolacky +Kolami +Kolar +Kolarian +kolas +Kolasin +kolattam +Kolb +kolbasi +kolbasis +kolbassi +Kolbe +Kolchak +Koldaji +Koldewey +Kolding +kolea +Koleen +koleroga +Kolhapur +kolhoz +kolhozes +kolhozy +Koli +Kolima +Kolyma +kolinski +kolinsky +kolinskies +Kolis +Kolivas +Kolk +kolkhos +kolkhoses +kolkhosy +kolkhoz +kolkhozes +kolkhozy +kolkhoznik +kolkka +kolkoz +kolkozes +kolkozy +kollast +kollaster +Koller +kollergang +Kollwitz +Kolmar +kolmogorov +Koln +Kolnick +Kolnos +kolo +Koloa +kolobia +kolobion +kolobus +Kolodgie +kolokolo +Kolomak +Kolombangara +Kolomea +Kolomna +kolos +Kolosick +Koloski +Kolozsv +Kolozsvar +kolskite +kolsun +koltunna +koltunnor +Koluschan +Kolush +Kolva +Kolwezi +Komara +komarch +Komarek +Komati +komatik +komatiks +kombu +Kome +Komi +Komintern +kominuter +komitadji +komitaji +komma-ichi-da +kommandatura +kommetje +kommos +Kommunarsk +Komondor +komondoroc +komondorock +Komondorok +Komondors +kompeni +kompow +Komsa +Komsomol +Komsomolsk +komtok +Komura +kon +Kona +konak +Konakri +Konakry +Konarak +Konariot +Konawa +Konde +kondo +Kondon +Kone +Koner +Konev +konfyt +Kong +Kongo +Kongoese +Kongolese +kongoni +kongsbergite +kongu +Konia +Konya +Koniaga +Konyak +Konia-ladik +Konig +Koniga +Koniggratz +Konigsberg +Konigshutte +Konikow +konilite +konimeter +Konyn +koninckite +konini +koniology +koniophobia +koniscope +konjak +konk +Konkani +konked +konking +konks +Kono +konohiki +Konoye +Konomihu +Konopka +Konrad +konseal +Konstance +Konstantin +Konstantine +konstantinos +Konstanz +Konstanze +kontakia +kontakion +Konzentrationslager +Konzertmeister +Koo +koodoo +koodoos +Kooima +kook +kooka +kookaburra +kookeree +kookery +kooky +kookie +kookier +kookiest +kookiness +kookri +kooks +koolah +koolau +kooletah +kooliman +koolokamba +Koolooly +koombar +koomkie +Kooning +koonti +koopbrief +koorajong +Koord +Koorg +koorhmn +koorka +Koosharem +koosin +Koosis +Kooskia +kootcha +kootchar +Kootenai +Kootenay +kop +Kopagmiut +Kopans +Kopaz +kopec +kopeck +kopecks +Kopeisk +Kopeysk +kopek +kopeks +kopfring +koph +kophs +kopi +kopis +kopje +kopjes +kopophobia +Kopp +koppa +koppas +Koppel +koppen +Kopperl +Koppers +Kopperston +koppie +koppies +koppite +Kopple +Koprino +kops +kor +Kora +koradji +Korah +Korahite +Korahitic +korai +korait +korakan +Koral +Koralie +Koralle +Koran +Korana +Koranic +Koranist +korari +korat +korats +Korbel +Korbut +Korc +Korchnoi +kordax +Kordofan +Kordofanian +Kordula +Kore +Korea +Korean +koreans +korec +koreci +Korey +Koreish +Koreishite +Korella +Koren +Korenblat +korero +Koreshan +Koreshanity +Koressa +korfball +Korff +Korfonta +korhmn +Kori +Kory +Koryak +Koridethianus +Korie +korimako +korymboi +korymbos +korin +korma +Korman +Kornberg +Korney +Kornephorus +kornerupine +Korngold +Kornher +Korns +kornskeppa +kornskeppur +korntonde +korntonder +korntunna +korntunnur +Koroa +koromika +koromiko +korona +Koror +Koroseal +korova +korrel +Korry +Korrie +korrigan +korrigum +kors +korsakoff +korsakow +Kort +Korten +Kortrijk +korumburra +korun +koruna +korunas +koruny +Korwa +Korwin +Korwun +korzec +Korzybski +Kos +Kosak +Kosaka +Kosalan +Koschei +Kosciusko +Kosey +Kosel +Koser +kosha +koshare +kosher +koshered +koshering +koshers +Koshkonong +Koshu +Kosice +Kosygin +Kosimo +kosin +Kosiur +Koslo +kosmokrator +Koso +kosong +kosos +kosotoxin +Kosovo +Kosovo-Metohija +Kosrae +Koss +Kossaean +Kosse +Kossean +Kossel +Kossuth +Kostelanetz +Kosteletzkya +Kosti +Kostival +Kostman +Kostroma +koswite +Kota +Kotabaru +kotal +Kotar +Kotchian +Kotick +kotyle +kotylos +Kotlik +koto +kotoite +Kotoko +kotos +kotow +kotowed +kotower +kotowers +kotowing +kotows +kotschubeite +Kotta +kottaboi +kottabos +kottigite +Kotto +kotuku +kotukutuku +kotwal +kotwalee +kotwali +Kotz +Kotzebue +kou +koulan +koulibiaca +koumis +koumys +koumises +koumyses +koumiss +koumyss +koumisses +koumysses +Koungmiut +Kountze +kouprey +koupreys +kouproh +kourbash +kouroi +kouros +Kourou +kousin +Koussevitzky +koussin +kousso +koussos +Kouts +kouza +Kovacev +Kovacs +Koval +Kovalevsky +Kovar +kovil +Kovno +Kovrov +Kowagmiut +Kowal +Kowalewski +Kowalski +Kowatch +kowbird +KOWC +Koweit +kowhai +Kowloon +Kowtko +kowtow +kow-tow +kowtowed +kowtower +kowtowers +kowtowing +kowtows +Kozani +Kozhikode +Koziara +Koziarz +Koziel +Kozloski +Kozlov +kozo +kozuka +KP +K-particle +kpc +kph +KPNO +KPO +Kpuesi +KQC +KR +kr. +Kra +kraal +kraaled +kraaling +kraals +K-radiation +Kraemer +Kraepelin +Krafft +Krafft-Ebing +Kraft +krafts +Krag +kragerite +krageroite +Kragh +Kragujevac +Krahling +Krahmer +krait +kraits +Krak +Krakatao +Krakatau +Krakatoa +Krakau +Kraken +krakens +Krakow +krakowiak +kral +Krall +Krama +Kramatorsk +Kramer +Krameria +Krameriaceae +krameriaceous +Kramlich +kran +Kranach +krang +Kranj +krans +Krantz +krantzite +Kranzburg +krapfen +Krapina +kras +krasis +Kraska +Krasner +Krasny +Krasnodar +Krasnoff +Krasnoyarsk +krater +kraters +kratogen +kratogenic +Kraul +Kraunhia +kraurite +kraurosis +kraurotic +Kraus +Krause +krausen +krausite +Krauss +Kraut +Krauthead +krauts +krautweed +kravers +Kravits +Krawczyk +Kreager +Kreamer +kreatic +Krebs +Kreda +Kreegar +kreep +kreeps +kreese +Krefeld +Krefetz +Kreg +Kreigs +Kreiker +kreil +Kreymborg +Krein +Kreindler +Kreiner +Kreis +Kreisky +Kreisler +Kreistag +kreistle +Kreit +Kreitman +kreitonite +kreittonite +kreitzman +Krell +krelos +Kremenchug +Kremer +kremersite +Kremlin +Kremlinology +Kremlinologist +kremlinologists +kremlins +Kremmling +Krems +Kremser +Krenek +kreng +Krenn +krennerite +kreosote +Krepi +krepis +kreplach +kreplech +Kresge +Kresgeville +Kresic +Kress +Kreutzer +kreutzers +kreuzer +kreuzers +Krever +Krieg +Kriege +Krieger +kriegspiel +krieker +Kriemhild +Kries +Krigia +Krigsman +kriya-sakti +kriya-shakti +krikorian +krill +krills +Krylon +Krilov +Krym +krimmer +krimmers +krym-saghyz +krina +Krinthos +Krio +kryo- +kryokonite +kryolite +kryolites +kryolith +kryoliths +Kriophoros +Krips +krypsis +kryptic +krypticism +kryptocyanine +kryptol +kryptomere +krypton +kryptonite +kryptons +Kris +Krys +Krischer +krises +Krisha +Krishna +Krishnah +Krishnaism +Krishnaist +Krishnaite +Krishnaitic +Kryska +krispies +Krispin +Kriss +Krissy +Krissie +Krista +Krysta +Kristal +Krystal +Krystalle +Kristan +Kriste +Kristel +Kristen +Kristi +Kristy +Kristian +Kristiansand +Kristianson +Kristianstad +Kristie +Kristien +Kristin +Kristyn +Krystin +Kristina +Krystyna +Kristinaux +Kristine +Krystle +Kristmann +Kristo +Kristof +Kristofer +Kristoffer +Kristofor +Kristoforo +Kristopher +Kristos +krisuvigite +kritarchy +Krithia +kriton +kritrima +krivu +krna +krobyloi +krobylos +krocidolite +Krock +krocket +Kroeber +Krogh +krohnkite +Kroll +krome +kromeski +kromesky +kromogram +kromskop +krona +Kronach +krone +Kronecker +kronen +kroner +Kronfeld +Krongold +Kronick +Kronion +kronor +Kronos +Kronstadt +kronur +Kroo +kroon +krooni +kroons +Kropotkin +krosa +krouchka +kroushka +KRP +krs +Krti +Kru +krubi +krubis +krubut +krubuts +Krucik +Krueger +Krug +Kruger +Krugerism +Krugerite +Krugerrand +Krugersdorp +kruller +krullers +Krum +Kruman +krumhorn +Krummholz +krummhorn +Krupp +Krupskaya +Krusche +Kruse +Krusenstern +Krutch +Krute +Kruter +Krutz +krzysztof +KS +k's +ksar +KSC +K-series +KSF +KSH +K-shaped +Kshatriya +Kshatriyahood +ksi +KSR +KSU +KT +Kt. +KTB +Kten +K-term +kthibh +Kthira +K-truss +KTS +KTU +Ku +Kua +Kualapuu +Kuan +Kuangchou +Kuantan +Kuan-tung +Kuar +Kuba +Kubachi +Kuban +Kubango +Kubanka +kubba +Kubelik +Kubera +Kubetz +Kubiak +Kubis +kubong +Kubrick +kubuklion +Kuchean +kuchen +kuchens +Kuching +Kucik +kudize +kudo +kudos +Kudrun +kudu +Kudur-lagamar +kudus +Kudva +kudzu +kudzus +kue +Kuebbing +kueh +Kuehn +Kuehnel +Kuehneola +kuei +Kuenlun +kues +Kufa +kuffieh +Kufic +kufiyeh +kuge +kugel +kugelhof +kugels +Kuhlman +Kuhn +Kuhnau +Kuhnia +Kui +Kuibyshev +kuichua +Kuyp +kujawiak +kukang +kukeri +Kuki +Kuki-Chin +Ku-Klux +Ku-kluxer +Ku-kluxism +kukoline +kukri +kukris +Kuksu +kuku +kukui +Kukulcan +kukupa +Kukuruku +Kula +kulack +Kulah +kulaite +kulak +kulaki +kulakism +kulaks +kulan +Kulanapan +kulang +Kulda +kuldip +Kuli +kulimit +kulkarni +Kulla +kullaite +Kullani +Kullervo +Kulm +kulmet +Kulpmont +Kulpsville +Kulseth +Kulsrud +Kultur +Kulturkampf +Kulturkreis +Kulturkreise +kulturs +Kulun +Kum +Kumagai +Kumamoto +Kuman +Kumar +kumara +kumari +Kumasi +kumbaloi +kumbi +kumbuk +kumhar +Kumyk +kumis +kumys +kumyses +kumiss +kumisses +kumkum +Kumler +Kummel +kummels +Kummer +kummerbund +kumminost +Kumni +kumquat +kumquats +kumrah +kumshaw +Kun +Kuna +kunai +Kunama +Kunbi +kundalini +Kundry +Kuneste +Kung +kung-fu +Kungs +Kungur +Kunia +Kuniyoshi +Kunin +kunk +Kunkle +Kunkletown +kunkur +Kunlun +Kunming +Kunmiut +Kunowsky +Kunstlied +Kunst-lied +Kunstlieder +Kuntsevo +kunwari +Kunz +kunzite +kunzites +Kuo +kuo-yu +Kuomintang +Kuopio +kupfernickel +kupfferite +kuphar +kupper +Kuprin +Kur +Kura +kurajong +Kuranko +kurbash +kurbashed +kurbashes +kurbashing +kurchatovium +kurchicine +kurchine +Kurd +Kurdish +Kurdistan +Kure +Kurg +Kurgan +kurgans +Kuri +kurikata +Kurilian +Kurys +Kurku +Kurland +Kurma +Kurman +kurmburra +Kurmi +kurn +Kuroki +Kuropatkin +Kurosawa +Kuroshio +Kurr +kurrajong +Kursaal +kursch +Kursh +Kursk +Kurt +kurta +kurtas +Kurten +Kurth +Kurthwood +Kurtis +Kurtistown +kurtosis +kurtosises +Kurtz +Kurtzig +Kurtzman +kuru +Kuruba +Kurukh +kuruma +kurumaya +Kurumba +kurung +Kurus +Kurusu +kurvey +kurveyor +Kurzawa +Kurzeme +Kus +kusa +kusam +Kusan +Kusch +Kush +kusha +Kushner +Kushshu +kusimanse +kusimansel +Kusin +Kuska +kuskite +Kuskokwim +kuskos +kuskus +Kuskwogmiut +Kussell +kusso +kussos +Kustanai +Kustenau +Kuster +kusti +kusum +Kutais +Kutaisi +Kutch +kutcha +Kutchin +Kutchins +Kutenai +Kutenay +Kuth +kutta +kuttab +kuttar +kuttaur +Kuttawa +Kutuzov +Kutzenco +Kutzer +Kutztown +kuvasz +kuvaszok +Kuvera +Kuwait +Kuwaiti +KV +kVA +kVAH +Kval +kVAr +kvarner +kvas +kvases +kvass +kvasses +kvetch +kvetched +kvetches +kvetching +kvint +kvinter +kvutza +kvutzah +KW +Kwa +Kwabena +kwacha +kwachas +kwaiken +Kwajalein +Kwajalein-Eniwetok +Kwakiutl +Kwame +kwamme +Kwan +Kwang +Kwangchow +Kwangchowan +Kwangju +Kwangtung +Kwannon +Kwantung +kwanza +kwanzas +Kwapa +Kwapong +Kwara +kwarta +Kwarteng +kwarterka +kwartje +kwashiorkor +Kwasi +kwatuma +kwaznku +kwazoku +Kwazulu +kwe-bird +Kwei +Kweichow +Kweihwating +Kweiyang +Kweilin +Kweisui +kwela +Kwethluk +kWh +kwhr +KWIC +Kwigillingok +kwintra +KWOC +Kwok +Kwon +KWT +L +l- +L. +L.A. +l.c. +L.C.L. +L.D.S. +l.h. +L.I. +L.P. +L.S.D. +l.t. +L/C +L/Cpl +L/P +l/w +L1 +L2 +L3 +L4 +L5 +LA +La. +Laager +laagered +laagering +laagers +Laaland +laang +Laaspere +LAB +Lab. +labaara +Labadie +Labadieville +labadist +Laban +Labana +Laband +Labanna +Labannah +labara +Labarge +labaria +LaBarre +labarum +labarums +LaBaw +labba +labbella +labber +labby +labdacism +labdacismus +Labdacus +labdanum +labdanums +Labe +labefact +labefactation +labefaction +labefy +labefied +labefying +label +labeled +labeler +labelers +labeling +labella +labellate +LaBelle +labelled +labeller +labellers +labelling +labelloid +labellum +labels +labia +labial +labialisation +labialise +labialised +labialising +labialism +labialismus +labiality +labialization +labialize +labialized +labializing +labially +labials +Labiatae +labiate +labiated +labiates +labiatiflorous +labibia +Labiche +labidometer +labidophorous +Labidura +Labiduridae +labiella +labile +lability +labilities +labilization +labilize +labilized +labilizing +labio- +labioalveolar +labiocervical +labiodendal +labiodental +labioglossal +labioglossolaryngeal +labioglossopharyngeal +labiograph +labiogression +labioguttural +labiolingual +labiomancy +labiomental +labionasal +labiopalatal +labiopalatalize +labiopalatine +labiopharyngeal +labioplasty +labiose +labiotenaculum +labiovelar +labiovelarisation +labiovelarise +labiovelarised +labiovelarising +labiovelarization +labiovelarize +labiovelarized +labiovelarizing +labioversion +Labyrinth +labyrinthal +labyrinthally +labyrinthed +labyrinthian +labyrinthibranch +labyrinthibranchiate +Labyrinthibranchii +labyrinthic +labyrinthical +labyrinthically +Labyrinthici +labyrinthiform +labyrinthine +labyrinthitis +Labyrinthodon +labyrinthodont +Labyrinthodonta +labyrinthodontian +labyrinthodontid +labyrinthodontoid +labyrinths +Labyrinthula +Labyrinthulidae +labis +labite +labium +lablab +Labolt +labor +laborability +laborable +laborage +laborant +laboratory +laboratorial +laboratorially +laboratorian +laboratories +laboratory's +labordom +labored +laboredly +laboredness +laborer +laborers +labores +laboress +laborhood +laboring +laboringly +laborings +laborious +laboriously +laboriousness +Laborism +laborist +laboristic +Laborite +laborites +laborius +laborless +laborous +laborously +laborousness +Labors +laborsaving +labor-saving +laborsome +laborsomely +laborsomeness +Laboulbenia +Laboulbeniaceae +laboulbeniaceous +Laboulbeniales +labour +labourage +laboured +labouredly +labouredness +labourer +labourers +labouress +labouring +labouringly +Labourism +labourist +Labourite +labourless +labours +laboursaving +labour-saving +laboursome +laboursomely +labra +Labrador +Labradorean +Labradorian +labradorite +labradoritic +Labrador-Ungava +labral +labras +labredt +labret +labretifery +labrets +labrid +Labridae +labrys +labroid +Labroidea +labroids +labrosaurid +labrosauroid +Labrosaurus +labrose +labrum +labrums +Labrus +labrusca +labs +lab's +Labuan +Laburnum +laburnums +LAC +Lacagnia +Lacaille +Lacamp +Lacarne +Lacassine +lacatan +lacca +Laccadive +laccaic +laccainic +laccase +laccic +laccin +laccol +laccolite +laccolith +laccolithic +laccoliths +laccolitic +lace +lacebark +lace-bordered +lace-covered +lace-curtain +lace-curtained +laced +Lacedaemon +Lacedaemonian +Lacee +lace-edged +lace-fern +Lacefield +lace-finishing +laceflower +lace-fronted +Lacey +laceybark +laceier +laceiest +Laceyville +laceleaf +lace-leaf +lace-leaves +laceless +lacelike +lacemaker +lacemaking +laceman +lacemen +lacepiece +lace-piece +lacepod +lacer +lacerability +lacerable +lacerant +lacerate +lacerated +lacerately +lacerates +lacerating +laceration +lacerations +lacerative +lacery +lacerna +lacernae +lacernas +lacers +lacert +Lacerta +Lacertae +lacertian +Lacertid +Lacertidae +lacertids +lacertiform +Lacertilia +Lacertilian +lacertiloid +lacertine +lacertoid +lacertose +laces +lacet +lacetilian +lace-trimmed +lace-vine +lacewing +lace-winged +lacewings +lacewoman +lacewomen +lacewood +lacewoods +lacework +laceworker +laceworks +Lach +Lachaise +Lachance +lache +Lachenalia +laches +Lachesis +Lachine +Lachish +Lachlan +Lachman +Lachnanthes +Lachnosterna +lachryma +lachrymable +lachrymae +lachrymaeform +lachrymal +lachrymally +lachrymalness +lachrymary +lachrymation +lachrymator +lachrymatory +lachrymatories +lachrymiform +lachrymist +lachrymogenic +lachrymonasal +lachrymosal +lachrymose +lachrymosely +lachrymosity +lachrymous +lachsa +Lachus +Lacy +Lacie +lacier +laciest +Lacygne +lacily +Lacinaria +laciness +lacinesses +lacing +lacings +lacinia +laciniate +laciniated +laciniation +laciniform +laciniola +laciniolate +laciniose +lacinious +lacinula +lacinulas +lacinulate +lacinulose +lacis +lack +lackaday +lackadaisy +lackadaisic +lackadaisical +lackadaisicality +lackadaisically +lackadaisicalness +lack-all +Lackawanna +Lackawaxen +lack-beard +lack-brain +lackbrained +lackbrainedness +lacked +lackey +lackeydom +lackeyed +lackeying +lackeyism +lackeys +lackeyship +lacker +lackered +lackerer +lackering +lackers +lack-fettle +lackies +lacking +lackland +lack-latin +lack-learning +lack-linen +lack-love +lackluster +lacklusterness +lacklustre +lack-lustre +lacklustrous +lack-pity +lacks +lacksense +lackwit +lackwitted +lackwittedly +lackwittedness +Laclede +Laclos +lacmoid +lacmus +lacoca +lacolith +Lacombe +Lacon +Lacona +Laconia +Laconian +Laconic +laconica +laconical +laconically +laconicalness +laconicism +laconicness +laconics +laconicum +laconism +laconisms +laconize +laconized +laconizer +laconizing +Lacoochee +Lacosomatidae +Lacoste +Lacota +lacquey +lacqueyed +lacqueying +lacqueys +lacquer +lacquered +lacquerer +lacquerers +lacquering +lacquerist +lacquers +lacquerwork +Lacrescent +Lacretelle +lacrym +lacrim- +lacrimal +lacrimals +lacrimation +lacrimator +lacrimatory +lacrimatories +Lacroix +lacroixite +Lacrosse +lacrosser +lacrosses +lacs +lact- +lactagogue +lactalbumin +lactam +lactamide +lactams +lactant +lactarene +lactary +lactarine +lactarious +lactarium +Lactarius +lactase +lactases +lactate +lactated +lactates +lactating +lactation +lactational +lactationally +lactations +lacteal +lacteally +lacteals +lactean +lactenin +lacteous +lactesce +lactescence +lactescency +lactescenle +lactescense +lactescent +lactic +lacticinia +lactid +lactide +lactiferous +lactiferousness +lactify +lactific +lactifical +lactification +lactified +lactifying +lactiflorous +lactifluous +lactiform +lactifuge +lactigenic +lactigenous +lactigerous +lactyl +lactim +lactimide +lactinate +lactivorous +lacto +lacto- +lactobaccilli +lactobacilli +Lactobacillus +lactobutyrometer +lactocele +lactochrome +lactocitrate +lactodensimeter +lactoflavin +lactogen +lactogenic +lactoglobulin +lactoid +lactol +lactometer +lactone +lactones +lactonic +lactonization +lactonize +lactonized +lactonizing +lactophosphate +lactoproteid +lactoprotein +lactoscope +lactose +lactoses +lactosid +lactoside +lactosuria +lactothermometer +lactotoxin +lactovegetarian +Lactuca +lactucarium +lactucerin +lactucin +lactucol +lactucon +lacuna +lacunae +lacunal +lacunar +lacunary +lacunaria +lacunaris +lacunars +lacunas +lacunate +lacune +lacunes +lacunome +lacunose +lacunosis +lacunosity +lacunule +lacunulose +lacuscular +lacustral +lacustrian +lacustrine +LACW +lacwork +Lad +Ladakhi +ladakin +ladang +ladanigerous +ladanum +ladanums +LADAR +Ladd +ladder +ladder-back +ladder-backed +laddered +laddery +laddering +ladderless +ladderlike +ladderman +laddermen +ladders +ladderway +ladderwise +laddess +Laddy +Laddie +laddies +laddikie +laddish +l'addition +laddock +Laddonia +lade +laded +la-de-da +lademan +Laden +ladened +ladening +ladens +lader +laders +lades +Ladew +ladhood +Lady +ladybird +lady-bird +ladybirds +ladybug +ladybugs +ladyclock +lady-cow +la-di-da +ladydom +ladies +Ladiesburg +ladies-in-waiting +ladies-of-the-night +ladies'-tobacco +ladies'-tobaccoes +ladies'-tobaccos +ladies-tresses +ladyfern +ladify +ladyfy +ladified +ladifying +ladyfinger +ladyfingers +ladyfish +lady-fish +ladyfishes +ladyfly +ladyflies +lady-help +ladyhood +ladyhoods +lady-in-waiting +ladyish +ladyishly +ladyishness +ladyism +Ladik +ladykiller +lady-killer +lady-killing +ladykin +ladykind +ladykins +ladyless +ladyly +ladylike +ladylikely +ladylikeness +ladyling +ladylintywhite +ladylove +lady-love +ladyloves +Ladin +lading +ladings +Ladino +Ladinos +lady-of-the-night +ladypalm +ladypalms +lady's +lady's-eardrop +ladysfinger +Ladyship +ladyships +Ladislas +Ladislaus +ladyslipper +lady-slipper +lady's-mantle +Ladysmith +lady-smock +ladysnow +lady's-slipper +lady's-smock +lady's-thistle +lady's-thumb +lady's-tresses +Ladytide +ladkin +ladle +ladled +ladleful +ladlefuls +ladler +ladlers +ladles +ladlewood +ladling +ladner +Ladoga +Ladon +Ladonia +Ladonna +Ladora +ladron +ladrone +Ladrones +ladronism +ladronize +ladrons +lads +Ladson +LADT +Ladue +Lae +Lael +Laelaps +Laelia +Laelius +Laemmle +laemodipod +Laemodipoda +laemodipodan +laemodipodiform +laemodipodous +laemoparalysis +laemostenosis +laen +laender +Laennec +laeotropic +laeotropism +laeotropous +Laertes +Laertiades +Laestrygon +Laestrygones +Laestrygonians +laet +laetation +laeti +laetic +Laetitia +laetrile +laevigate +Laevigrada +laevo +laevo- +laevoduction +laevogyrate +laevogyre +laevogyrous +laevolactic +laevorotation +laevorotatory +laevotartaric +laevoversion +laevulin +laevulose +LaF +Lafayette +Lafarge +Lafargeville +Lafcadio +Laferia +Lafferty +Laffite +Lafite +Lafitte +Laflam +Lafleur +Lafollette +Lafontaine +Laforge +Laforgue +Lafox +Lafrance +laft +LAFTA +lag +lagan +lagans +lagarto +Lagas +Lagash +Lagasse +lagen +lagena +lagenae +Lagenaria +lagend +lagends +lagenian +lageniform +lageniporm +Lager +lagered +lagering +Lagerkvist +Lagerl +Lagerlof +lagers +lagerspetze +Lagerstroemia +Lagetta +lagetto +laggar +laggard +laggardism +laggardly +laggardness +laggardnesses +laggards +lagged +laggen +laggen-gird +lagger +laggers +laggin +lagging +laggingly +laggings +laggins +Laghouat +laglast +lagly +lagna +lagnappe +lagnappes +lagniappe +lagniappes +Lagomyidae +lagomorph +Lagomorpha +lagomorphic +lagomorphous +lagomrph +lagonite +lagoon +lagoonal +lagoons +lagoon's +lagoonside +lagophthalmos +lagophthalmus +lagopode +lagopodous +lagopous +Lagopus +Lagorchestes +Lagos +lagostoma +Lagostomus +Lagothrix +Lagrange +Lagrangeville +Lagrangian +Lagro +lags +Lagthing +Lagting +Laguerre +Laguiole +Laguna +lagunas +Laguncularia +lagune +Lagunero +lagunes +Lagunitas +Lagurus +lagwort +lah +Lahabra +Lahaina +Lahamu +lahar +Laharpe +lahars +Lahaska +lah-di-dah +Lahey +Lahmansville +Lahmu +Lahnda +Lahoma +Lahontan +Lahore +Lahti +Lahuli +Lai +Lay +layabout +layabouts +Layamon +Layard +layaway +layaways +Laibach +layback +lay-by +layboy +laic +laical +laicality +laically +laich +laichs +laicisation +laicise +laicised +laicises +laicising +laicism +laicisms +laicity +laicization +laicize +laicized +laicizer +laicizes +laicizing +laics +laid +lay-day +Laidlaw +laidly +laydown +lay-down +Laie +layed +layer +layerage +layerages +layered +layery +layering +layerings +layer-on +layer-out +layer-over +layers +layers-out +layer-up +layette +layettes +lay-fee +layfolk +laigh +laighs +Layia +laying +laik +Lail +Layla +Layland +lay-land +laylight +layloc +laylock +Layman +lay-man +laymanship +laymen +lay-minded +lain +Laina +lainage +Laine +Layne +Lainey +Layney +lainer +layner +Laing +Laings +Laingsburg +layoff +lay-off +layoffs +lay-on +laiose +layout +lay-out +layouts +layout's +layover +lay-over +layovers +layperson +lair +lairage +Laird +lairdess +lairdie +lairdly +lairdocracy +lairds +lairdship +Lairdsville +laired +lairy +lairing +lairless +lairman +lairmen +layrock +lairs +lair's +lairstone +LAIS +lays +Laise +laiser +layshaft +lay-shaft +layship +laisse +laisser-aller +laisser-faire +laissez +laissez-aller +laissez-faire +laissez-faireism +laissez-passer +laystall +laystow +Lait +laitance +laitances +Laith +laithe +laithly +laity +laities +Layton +Laytonville +layup +lay-up +layups +Laius +laywoman +laywomen +Lajas +Lajoie +Lajos +Lajose +Lak +lakarpite +lakatan +lakatoi +Lake +lake-bound +lake-colored +laked +lakefront +lake-girt +Lakehurst +lakey +Lakeland +lake-land +lakelander +lakeless +lakelet +lakelike +lakemanship +lake-moated +Lakemore +lakeport +lakeports +laker +lake-reflected +lake-resounding +lakers +lakes +lake's +lakeshore +lakeside +lakesides +lake-surrounded +Lakeview +lakeward +lakeweed +Lakewood +lakh +lakhs +laky +lakie +lakier +lakiest +Lakin +laking +lakings +lakish +lakishness +lakism +lakist +lakke +Lakme +lakmus +Lakota +Laks +laksa +Lakshadweep +Lakshmi +Laktasic +LAL +Lala +la-la +Lalage +Lalande +lalang +lalapalooza +lalaqui +Lali +lalia +laliophobia +Lalise +Lalita +Lalitta +Lalittah +lall +Lalla +Lallage +Lallan +Lalland +lallands +Lallans +lallapalooza +lallation +lalled +L'Allegro +Lally +Lallies +lallygag +lallygagged +lallygagging +lallygags +lalling +lalls +Lalo +Laloma +laloneurosis +lalopathy +lalopathies +lalophobia +laloplegia +Lalu +Laluz +LAM +Lam. +LAMA +Lamadera +lamaic +Lamaism +Lamaist +Lamaistic +Lamaite +lamany +Lamanism +Lamanite +Lamano +lamantin +Lamar +Lamarck +Lamarckia +Lamarckian +Lamarckianism +Lamarckism +Lamarque +Lamarre +Lamartine +Lamas +lamasary +lamasery +lamaseries +lamastery +Lamb +Lamba +lamback +Lambadi +lambale +Lambard +Lambarn +Lambart +lambast +lambaste +lambasted +lambastes +lambasting +lambasts +lambda +lambdacism +lambdas +lambdiod +lambdoid +lambdoidal +lambeau +lambed +lambency +lambencies +lambent +lambently +lamber +lambers +Lambert +Lamberto +Lamberton +lamberts +Lambertson +Lambertville +lambes +Lambeth +lambhood +lamby +lambie +lambies +lambiness +lambing +lambish +lambitive +lambkill +lambkills +lambkin +lambkins +lambly +Lamblia +lambliasis +lamblike +lamb-like +lamblikeness +lambling +lamboy +lamboys +Lambrecht +lambrequin +Lambric +Lambrook +Lambrusco +lambs +lamb's +Lambsburg +lambsdown +lambskin +lambskins +lamb's-quarters +lambsuccory +lamb's-wool +LAMDA +lamdan +lamden +Lamdin +lame +lame-born +lamebrain +lame-brain +lamebrained +lamebrains +Lamech +lamed +lamedh +lamedhs +lamedlamella +lameds +lameduck +LaMee +lame-footed +lame-horsed +lamel +lame-legged +lamely +lamell- +lamella +lamellae +lamellar +lamellary +Lamellaria +Lamellariidae +lamellarly +lamellas +lamellate +lamellated +lamellately +lamellation +lamelli- +lamellibranch +Lamellibranchia +Lamellibranchiata +lamellibranchiate +lamellicorn +lamellicornate +Lamellicornes +Lamellicornia +lamellicornous +lamelliferous +lamelliform +lamellirostral +lamellirostrate +Lamellirostres +lamelloid +lamellose +lamellosity +lamellule +lameness +lamenesses +lament +lamentabile +lamentability +lamentable +lamentableness +lamentably +lamentation +lamentational +Lamentations +lamentation's +lamentatory +lamented +lamentedly +lamenter +lamenters +lamentful +lamenting +lamentingly +lamentive +lamentory +laments +lamer +Lamero +lames +Lamesa +lamest +lamester +lamestery +lameter +lametta +lamia +Lamiaceae +lamiaceous +lamiae +lamias +Lamicoid +lamiger +lamiid +Lamiidae +Lamiides +Lamiinae +lamin +lamin- +lamina +laminability +laminable +laminae +laminal +laminar +laminary +Laminaria +Laminariaceae +laminariaceous +Laminariales +laminarian +laminarin +laminarioid +laminarite +laminas +laminate +laminated +laminates +laminating +lamination +laminations +laminator +laminboard +laminectomy +laming +lamington +lamini- +laminiferous +laminiform +laminiplantar +laminiplantation +laminitis +laminose +laminous +lamish +Lamison +Lamista +lamister +lamisters +lamiter +Lamium +lamm +Lammas +Lammastide +lammed +lammer +lammergeier +lammergeyer +lammergeir +lammy +lammie +lamming +lammock +Lammond +Lamna +lamnectomy +lamnid +Lamnidae +lamnoid +Lamoille +Lamond +Lamoni +LaMonica +Lamont +Lamonte +Lamoree +LaMori +Lamotte +Lamoure +Lamoureux +Lamp +lampad +lampadaire +lampadary +lampadaries +lampadedromy +lampadephore +lampadephoria +lampadist +lampadite +lampads +Lampang +lampara +lampas +Lampasas +lampases +lampate +lampatia +lamp-bearing +lamp-bedecked +lampblack +lamp-black +lampblacked +lampblacking +lamp-blown +lamp-decked +Lampe +lamped +Lampedusa +lamper +lamper-eel +lampern +lampers +lamperses +Lampert +Lampeter +Lampetia +lampf +lampfly +lampflower +lamp-foot +lampful +lamp-heated +Lamphere +lamphole +lamp-hour +lampic +lamping +lampion +lampions +lampyrid +Lampyridae +lampyrids +lampyrine +Lampyris +lamp-iron +lampist +lampistry +lampless +lamplet +lamplight +lamplighted +lamplighter +lamp-lined +lamplit +lampmaker +lampmaking +lampman +lampmen +lamp-oil +Lampong +lampoon +lampooned +lampooner +lampoonery +lampooners +lampooning +lampoonist +lampoonists +lampoons +lamppost +lamp-post +lampposts +Lamprey +lampreys +lamprel +lampret +Lampridae +lampro- +lampron +lamprophyre +lamprophyric +lamprophony +lamprophonia +lamprophonic +lamprotype +lamps +lamp's +lampshade +lampshell +Lampsilis +Lampsilus +lampstand +lamp-warmed +lampwick +lampworker +lampworking +Lamrert +Lamrouex +lams +lamsiekte +Lamson +lamster +lamsters +Lamus +Lamut +lamziekte +LAN +Lana +Lanae +Lanagan +Lanai +lanais +Lanam +lanameter +Lananna +Lanao +Lanark +Lanarkia +lanarkite +Lanarkshire +lanas +lanate +lanated +lanaz +Lancashire +Lancaster +Lancaster' +Lancasterian +Lancastrian +LANCE +lance-acuminated +lance-breaking +lanced +lance-fashion +lancegay +lancegaye +Lancey +lancejack +lance-jack +lance-knight +lance-leaved +lancelet +lancelets +lancely +lancelike +lance-linear +Lancelle +Lancelot +lanceman +lancemen +lance-oblong +lanceolar +lanceolate +lanceolated +lanceolately +lanceolation +lance-oval +lance-ovate +lancepesade +lance-pierced +lancepod +lanceprisado +lanceproof +lancer +lancers +lances +lance-shaped +lancet +lanceted +lanceteer +lancetfish +lancetfishes +lancets +lancewood +lance-worn +lanch +lancha +lanchara +Lanchow +lanciers +lanciferous +lanciform +lancinate +lancinated +lancinating +lancination +Lancing +Lancs +Lanctot +Land +Landa +landage +Landahl +landamman +landammann +Landan +Landau +landaulet +landaulette +landaus +land-bank +Landbert +landblink +landbook +land-born +land-bred +land-breeze +land-cast +land-crab +land-damn +land-devouring +landdrost +landdrosten +lande +land-eating +landed +Landel +Landenberg +Lander +Landers +Landes +Landeshauptmann +landesite +Landess +landfall +landfalls +landfang +landfast +landfill +landfills +landflood +land-flood +landfolk +landform +landforms +landgafol +landgate +landgates +land-gavel +land-girt +land-grabber +land-grabbing +landgravate +landgrave +landgraveship +landgravess +landgraviate +landgravine +landhold +landholder +land-holder +landholders +landholdership +landholding +landholdings +land-horse +land-hungry +Landy +landyard +landimere +Landing +landing-place +landings +Landingville +landing-waiter +Landini +Landino +landiron +Landis +Landisburg +Landisville +landlady +landladydom +landladies +landladyhood +landladyish +landlady's +landladyship +land-law +Land-leaguer +Land-leaguism +landleaper +land-leaper +landler +landlers +landless +landlessness +landlike +landline +land-line +landlock +landlocked +landlook +landlooker +landloper +land-loper +landloping +landlord +landlordism +landlordly +landlordry +landlords +landlord's +landlordship +landlouper +landlouping +landlubber +land-lubber +landlubberish +landlubberly +landlubbers +landlubbing +landman +landmark +Landmarker +landmarks +landmark's +landmass +landmasses +land-measure +Landmeier +landmen +land-mere +land-meter +land-metster +landmil +landmonger +Lando +land-obsessed +landocracy +landocracies +landocrat +Landolphia +Landon +Landor +landowner +landowners +landowner's +landownership +landowning +Landowska +landplane +land-poor +Landrace +landrail +landraker +land-rat +Landre +landreeve +Landri +Landry +landright +land-rover +Landrum +lands +landsale +landsat +landscape +landscaped +landscaper +landscapers +landscapes +landscaping +landscapist +Landseer +land-service +landshard +landshark +land-sheltered +landship +Landshut +landsick +landside +land-side +landsides +landskip +landskips +landsknecht +land-slater +landsleit +landslid +landslidden +landslide +landslided +landslides +landsliding +landslip +landslips +Landsm' +Landsmaal +Landsmal +Landsm'al +Landsman +landsmanleit +landsmanshaft +landsmanshaften +landsmen +landspout +land-spring +landspringy +Landsteiner +Landsthing +Landsting +landstorm +Landsturm +land-surrounded +land-surveying +landswoman +Landtag +land-tag +land-tax +land-taxer +land-tie +landtrost +Landuman +Landus +land-value +Landville +land-visiting +landway +landways +landwaiter +landward +landwards +landwash +land-water +Landwehr +landwhin +land-wind +landwire +landwrack +landwreck +Lane +Laneburg +Laney +lanely +lanes +lane's +Lanesboro +lanesome +Lanesville +lanete +Lanett +Lanette +Laneview +Laneville +laneway +Lanexa +Lanford +Lanfranc +Lanfri +Lang +lang. +langaha +Langan +langarai +langate +langauge +langbanite +Langbehn +langbeinite +langca +Langdon +Lange +langeel +langel +Langelo +Langeloth +Langer +Langford +Langham +Langhian +Langhorne +langi +langiel +Langill +Langille +langite +langka +lang-kail +Langland +langlauf +langlaufer +langlaufers +langlaufs +langle +Langley +langleys +Langlois +Langmuir +Lango +Langobard +Langobardic +langoon +langooty +langosta +langourous +langourously +langouste +langrage +langrages +langrel +langrels +Langrenus +Langreo +Langres +langret +langridge +langsat +Langsdon +Langsdorffia +langset +langsettle +Langshan +langshans +Langside +langsyne +langsynes +langspiel +langspil +Langston +Langsville +langteraloo +Langton +Langtry +language +languaged +languageless +languages +language's +languaging +langue +langued +Languedoc +Languedocian +Languedoc-Roussillon +languent +langues +languescent +languet +languets +languette +languid +languidly +languidness +languidnesses +languish +languished +languisher +languishers +languishes +languishing +languishingly +languishment +languor +languorment +languorous +languorously +languorousness +languors +langur +langurs +Langworthy +Lanham +Lani +laniard +lanyard +laniards +lanyards +laniary +laniaries +laniariform +laniate +Lanie +Lanier +laniferous +lanific +lanifice +laniflorous +laniform +lanigerous +Laniidae +laniiform +Laniinae +Lanikai +lanioid +lanista +lanistae +Lanita +Lanital +lanitals +Lanius +lank +Lanka +lank-bellied +lank-blown +lank-cheeked +lank-eared +lanker +lankest +Lankester +lanket +lank-haired +lanky +lankier +lankiest +lankily +Lankin +lankiness +lankish +lank-jawed +lank-lean +lankly +lankness +lanknesses +lank-sided +Lankton +lank-winged +LANL +Lanna +lanner +lanneret +lannerets +lanners +Lanni +Lanny +Lannie +Lannon +lanolated +lanolin +lanoline +lanolines +lanolins +lanose +lanosity +lanosities +lansa +lansat +Lansberg +Lansdale +Lansdowne +Lanse +lanseh +Lansford +lansfordite +Lansing +lansknecht +lanson +lansquenet +lant +Lanta +lantaca +lantaka +Lantana +lantanas +lantanium +lantcha +lanterloo +lantern +lanterned +lanternfish +lanternfishes +lanternflower +lanterning +lanternist +lantern-jawed +lanternleaf +lanternlit +lanternman +lanterns +lantern's +Lantha +lanthana +lanthania +lanthanid +lanthanide +lanthanite +lanthanon +Lanthanotidae +Lanthanotus +lanthanum +lanthopin +lanthopine +lanthorn +lanthorns +Lanti +Lantry +Lantsang +lantum +Lantz +lanuginose +lanuginous +lanuginousness +lanugo +lanugos +lanum +Lanuvian +lanx +Lanza +lanzknecht +lanzon +LAO +Laoag +Laocoon +laodah +Laodamas +Laodamia +Laodice +Laodicea +Laodicean +Laodiceanism +Laodocus +Laoighis +Laomedon +Laon +Laona +Laos +Laothoe +Laotian +laotians +Lao-tse +Laotto +Laotze +Lao-tzu +LAP +lapacho +lapachol +lapactic +Lapageria +laparectomy +laparo- +laparocele +laparocholecystotomy +laparocystectomy +laparocystotomy +laparocolectomy +laparocolostomy +laparocolotomy +laparocolpohysterotomy +laparocolpotomy +laparoelytrotomy +laparoenterostomy +laparoenterotomy +laparogastroscopy +laparogastrotomy +laparohepatotomy +laparohysterectomy +laparohysteropexy +laparohysterotomy +laparoileotomy +laparomyitis +laparomyomectomy +laparomyomotomy +laparonephrectomy +laparonephrotomy +laparorrhaphy +laparosalpingectomy +laparosalpingotomy +laparoscope +laparoscopy +laparosplenectomy +laparosplenotomy +laparostict +Laparosticti +laparothoracoscopy +laparotome +laparotomy +laparotomies +laparotomist +laparotomize +laparotomized +laparotomizing +laparotrachelotomy +laparo-uterotomy +Lapaz +LAPB +lapboard +lapboards +lap-butted +lap-chart +lapcock +LAPD +lapdog +lap-dog +lapdogs +Lapeer +Lapeyrouse +Lapeirousia +lapel +lapeled +lapeler +lapelled +lapels +lapel's +lapful +lapfuls +Lapham +Laphystius +Laphria +lapicide +lapidary +lapidarian +lapidaries +lapidarist +lapidate +lapidated +lapidates +lapidating +lapidation +lapidator +lapideon +lapideous +Lapides +lapidescence +lapidescent +lapidicolous +lapidify +lapidific +lapidifical +lapidification +lapidified +lapidifies +lapidifying +lapidist +lapidists +lapidity +lapidose +lapies +lapilli +lapilliform +lapillo +lapillus +lapin +Lapine +lapinized +lapins +lapis +lapises +Lapith +Lapithae +Lapithaean +Lapiths +lap-jointed +Laplace +Laplacian +Lapland +Laplander +laplanders +Laplandian +Laplandic +Laplandish +lap-lap +lapling +lap-love +LAPM +Lapointe +lapon +Laportea +Lapotin +Lapp +Lappa +lappaceous +lappage +lapped +Lappeenranta +lapper +lappered +lappering +lappers +lappet +lappeted +lappethead +lappets +Lappic +lappilli +lapping +Lappish +Lapponese +Lapponian +lapps +Lappula +lapputan +Lapryor +lap-rivet +laps +lap's +lapsability +lapsable +Lapsana +lapsation +lapse +lapsed +Lapsey +lapser +lapsers +lapses +lapsful +lapsi +lapsibility +lapsible +lapsided +lapsing +lapsingly +lapstone +lapstrake +lapstreak +lap-streak +lapstreaked +lapstreaker +lapsus +laptop +laptops +lapulapu +Laputa +Laputan +laputically +Lapwai +lapwing +lapwings +lapwork +laquais +laquear +laquearia +laquearian +laquei +Laquey +laqueus +L'Aquila +LAR +Lara +Laraine +Laralia +Laramide +Laramie +larararia +lararia +lararium +Larbaud +larboard +larboards +larbolins +larbowlines +LARC +larcenable +larcener +larceners +larceny +larcenic +larcenies +larcenish +larcenist +larcenists +larcenous +larcenously +larcenousness +larch +larchen +Larcher +larches +Larchmont +Larchwood +larcin +larcinry +lard +lardacein +lardaceous +lard-assed +larded +larder +larderellite +larderer +larderful +larderie +larderlike +larders +lardy +lardy-dardy +lardier +lardiest +lardiform +lardiner +larding +lardite +Lardizabalaceae +lardizabalaceous +lardlike +Lardner +lardon +lardons +lardoon +lardoons +lardry +lards +lardworm +lare +lareabell +Laredo +laree +Lareena +larees +Lareine +Larena +Larentalia +Larentia +Larentiidae +Lares +Laresa +largamente +largando +large +large-acred +large-ankled +large-bayed +large-billed +large-bodied +large-boned +large-bore +large-bracted +largebrained +large-browed +large-built +large-caliber +large-celled +large-crowned +large-diameter +large-drawn +large-eared +large-eyed +large-finned +large-flowered +large-footed +large-framed +large-fronded +large-fruited +large-grained +large-grown +largehanded +large-handed +large-handedness +large-headed +largehearted +large-hearted +largeheartedly +largeheartedness +large-heartedness +large-hipped +large-horned +large-leaved +large-lettered +largely +large-limbed +large-looking +large-lunged +large-minded +large-mindedly +large-mindedness +large-molded +largemouth +largemouthed +largen +large-natured +large-necked +largeness +largenesses +large-nostriled +Largent +largeour +largeous +large-petaled +larger +large-rayed +larges +large-scale +large-scaled +large-size +large-sized +large-souled +large-spaced +largess +largesse +largesses +largest +large-stomached +larget +large-tailed +large-thoughted +large-throated +large-type +large-toothed +large-trunked +large-utteranced +large-viewed +large-wheeled +large-wristed +larghetto +larghettos +larghissimo +larghissimos +largy +largifical +largish +largishness +largition +largitional +Largo +largos +Lari +Laria +Larianna +lariat +lariated +lariating +lariats +larick +larid +Laridae +laridine +larigo +larigot +lariid +Lariidae +larikin +Larimer +Larimor +Larimore +larin +Larina +Larinae +Larine +laryng- +laryngal +laryngalgia +laryngeal +laryngeally +laryngean +laryngeating +laryngectomee +laryngectomy +laryngectomies +laryngectomize +laryngectomized +laryngectomizing +laryngemphraxis +laryngendoscope +larynges +laryngic +laryngismal +laryngismus +laryngitic +laryngitis +laryngitises +laryngitus +laryngo- +laryngocele +laryngocentesis +laryngofission +laryngofissure +laryngograph +laryngography +laryngology +laryngologic +laryngological +laryngologist +laryngometry +laryngoparalysis +laryngopathy +laryngopharyngeal +laryngopharynges +laryngopharyngitis +laryngopharynx +laryngopharynxes +laryngophony +laryngophthisis +laryngoplasty +laryngoplegia +laryngorrhagia +laryngorrhea +laryngoscleroma +laryngoscope +laryngoscopy +laryngoscopic +laryngoscopical +laryngoscopically +laryngoscopies +laryngoscopist +laryngospasm +laryngostasis +laryngostenosis +laryngostomy +laryngostroboscope +laryngotyphoid +laryngotome +laryngotomy +laryngotomies +laryngotracheal +laryngotracheitis +laryngotracheoscopy +laryngotracheotomy +laryngovestibulitis +larynx +larynxes +Laris +Larisa +Larissa +Laryssa +larithmic +larithmics +Larix +larixin +Lark +lark-colored +larked +larker +larkers +lark-heel +lark-heeled +larky +larkier +larkiest +Larkin +larkiness +larking +larkingly +Larkins +larkish +larkishly +larkishness +larklike +larkling +larks +lark's +larksome +larksomes +Larkspur +larkspurs +Larksville +larlike +larmier +larmoyant +larn +larnakes +Larnaudian +larnax +Larned +Larner +larnyx +Larochelle +Laroy +laroid +laron +Larose +Larousse +Larrabee +larree +Larry +Larrie +larries +larrigan +larrigans +larrikin +larrikinalian +larrikiness +larrikinism +larrikins +larriman +Larrisa +larrup +larruped +larruper +larrupers +larruping +larrups +Lars +Larsa +Larsen +larsenite +Larslan +Larson +l-arterenol +Larto +LaRue +larum +larum-bell +larums +Larunda +Larus +Larussell +larva +Larvacea +larvae +larval +Larvalia +larvaria +larvarium +larvariums +larvas +larvate +larvated +larve +larvi- +larvicidal +larvicide +larvicolous +larviform +larvigerous +larvikite +larviparous +larviposit +larviposition +larvivorous +larvule +Larwill +Larwood +Las +lasa +lasagna +lasagnas +lasagne +lasagnes +Lasal +Lasala +Lasalle +lasarwort +lascar +lascaree +lascarine +lascars +Lascassas +Lascaux +laschety +lascivient +lasciviently +lascivious +lasciviously +lasciviousness +lasciviousnesses +lase +lased +LASER +laserdisk +laserdisks +laserjet +Laserpitium +lasers +laser's +laserwort +lases +Lash +Lashar +lashed +lasher +lashers +lashes +lashing +lashingly +lashings +lashins +Lashio +Lashkar +lashkars +lashless +lashlight +lashlite +Lashmeet +lashness +Lashoh +Lashond +Lashonda +Lashonde +Lashondra +lashorn +lash-up +Lasi +lasianthous +lasing +Lasiocampa +lasiocampid +Lasiocampidae +Lasiocampoidea +lasiocarpous +Lasius +lask +Lasker +lasket +Laski +Lasky +lasking +Lasko +Lasley +Lasmarias +Lasonde +LaSorella +Laspeyresia +Laspisa +laspring +lasque +LASS +Lassa +Lassalle +Lasse +Lassell +Lasser +lasses +lasset +Lassie +lassiehood +lassieish +lassies +lassiky +Lassiter +lassitude +lassitudes +lasslorn +lasso +lassock +lassockie +lassoed +lassoer +lassoers +lassoes +lassoing +lassos +lass's +lassu +Lassus +last +lastage +lastage-free +last-born +last-cyclic +last-cited +last-ditch +last-ditcher +lasted +laster +last-erected +lasters +Lastex +lasty +last-in +lasting +lastingly +lastingness +lastings +lastjob +lastly +last-made +last-mentioned +last-minute +last-named +lastness +lastre +Lastrup +lasts +lastspring +Laszlo +LAT +Lat. +LATA +Latah +Latakia +latakias +Latania +latanier +Latashia +Latax +latch +latched +latcher +latches +latchet +latchets +latching +latchkey +latch-key +latchkeys +latchless +latchman +latchmen +latchstring +latch-string +latchstrings +late +Latea +late-begun +late-betrayed +late-blooming +late-born +latebra +latebricole +late-built +late-coined +late-come +latecomer +late-comer +latecomers +latecoming +late-cruising +lated +late-disturbed +late-embarked +lateen +lateener +lateeners +lateenrigged +lateen-rigged +lateens +late-filled +late-flowering +late-found +late-imprisoned +late-kissed +late-lamented +lately +lateliness +late-lingering +late-lost +late-met +late-model +latemost +laten +latence +latency +latencies +latened +lateness +latenesses +latening +latens +latensify +latensification +latensified +latensifying +latent +latentize +latently +latentness +latents +late-protracted +later +latera +laterad +lateral +lateraled +lateraling +lateralis +laterality +lateralities +lateralization +lateralize +lateralized +lateralizing +laterally +laterals +Lateran +lateri- +latericeous +latericumbent +lateriflexion +laterifloral +lateriflorous +laterifolious +Laterigradae +laterigrade +laterinerved +late-ripening +laterite +laterites +lateritic +lateritious +lateriversion +laterization +laterize +latero- +lateroabdominal +lateroanterior +laterocaudal +laterocervical +laterodeviation +laterodorsal +lateroduction +lateroflexion +lateromarginal +lateronuchal +lateroposition +lateroposterior +lateropulsion +laterostigmatal +laterostigmatic +laterotemporal +laterotorsion +lateroventral +lateroversion +late-sacked +latescence +latescent +latesome +latest +latest-born +latests +late-taken +late-transformed +late-wake +lateward +latewhile +latewhiles +late-won +latewood +latewoods +latex +latexes +Latexo +latexosis +lath +Latham +Lathan +lath-backed +Lathe +lathe-bore +lathed +lathee +latheman +lathen +lather +latherability +latherable +lathered +lathereeve +latherer +latherers +lathery +latherin +lathering +latheron +lathers +latherwort +lathes +lathesman +lathesmen +lathhouse +lathi +lathy +lathie +lathier +lathiest +lathing +lathings +lathyric +lathyrism +lathyritic +Lathyrus +lathis +lath-legged +lathlike +Lathraea +lathreeve +Lathrop +Lathrope +laths +lathwork +lathworks +Lati +lati- +Latia +Latian +latibule +latibulize +latices +laticifer +laticiferous +laticlave +laticostate +latidentate +Latif +latifolia +latifoliate +latifolious +latifundia +latifundian +latifundio +latifundium +latigo +latigoes +latigos +Latimer +Latimeria +Latimore +Latin +Latina +Latin-American +Latinate +Latiner +Latinesce +Latinesque +Latini +Latinian +Latinic +Latiniform +Latinisation +Latinise +Latinised +Latinising +Latinism +Latinist +Latinistic +Latinistical +Latinitaster +Latinity +latinities +Latinization +Latinize +Latinized +Latinizer +latinizes +Latinizing +Latinless +Latino +latinos +latins +Latinus +lation +latipennate +latipennine +latiplantar +latirostral +Latirostres +latirostrous +Latirus +LATIS +latisept +latiseptal +latiseptate +latish +Latisha +latissimi +latissimus +latisternal +latitancy +latitant +latitat +latite +Latitia +latitude +latitudes +latitude's +latitudinal +latitudinally +latitudinary +Latitudinarian +latitudinarianism +latitudinarianisn +latitudinarians +latitudinous +Latium +lative +latke +latkes +Latoya +Latoye +Latoyia +latomy +latomia +Laton +Latona +Latonia +Latoniah +Latonian +Latooka +latosol +latosolic +latosols +Latouche +latoun +Latour +latrant +latrate +latration +latrede +Latreece +Latreese +Latrell +Latrena +Latreshia +latreutic +latreutical +latry +latria +latrial +latrially +latrian +latrias +Latrice +Latricia +Latrididae +Latrina +latrine +latrines +latrine's +Latris +latro +Latrobe +latrobite +latrociny +latrocinium +Latrodectus +latron +lats +Latt +Latta +latten +lattener +lattens +latter +latter-day +latterkin +latterly +Latterll +lattermath +lattermint +lattermost +latterness +Latty +lattice +latticed +latticeleaf +lattice-leaf +lattice-leaves +latticelike +lattices +lattice's +lattice-window +latticewise +latticework +lattice-work +latticicini +latticing +latticinii +latticinio +Lattie +Lattimer +Lattimore +lattin +lattins +Latton +Lattonia +Latuka +latus +Latvia +Latvian +latvians +Latviia +Latvina +Lau +lauan +lauans +laubanite +Lauber +Laubin +Laud +Lauda +laudability +laudable +laudableness +laudably +laudanidine +laudanin +laudanine +laudanosine +laudanum +laudanums +laudation +laudative +laudator +laudatory +laudatorily +laudators +laude +lauded +Lauder +Lauderdale +lauders +laudes +Laudian +Laudianism +Laudianus +laudification +lauding +Laudism +Laudist +lauds +Laue +Lauenburg +Lauer +Laufer +laugh +laughability +laughable +laughableness +laughably +laughed +laughee +laugher +laughers +laughful +laughy +laughing +laughingly +laughings +laughingstock +laughing-stock +laughingstocks +Laughlin +Laughlintown +Laughry +laughs +laughsome +laughter +laughter-dimpled +laughterful +laughterless +laughter-lighted +laughter-lit +laughter-loving +laughter-provoking +laughters +laughter-stirring +Laughton +laughworthy +lauhala +lauia +laulau +laumonite +laumontite +laun +Launce +Launceiot +Launcelot +launces +Launceston +launch +launchable +launched +launcher +launchers +launches +launchful +launching +launchings +launchpad +launchplex +launchways +launch-ways +laund +launder +launderability +launderable +laundered +launderer +launderers +launderess +launderesses +Launderette +laundering +launderings +launders +Laundes +laundress +laundresses +laundry +laundries +laundrymaid +laundryman +laundrymen +laundryowner +laundrywoman +laundrywomen +Laundromat +laundromats +launeddas +Laupahoehoe +laur +Laura +Lauraceae +lauraceous +laurae +Lauraine +Laural +lauraldehyde +Lauralee +Laurance +lauras +Laurasia +laurate +laurdalite +Laure +laureal +laureate +laureated +laureates +laureateship +laureateships +laureating +laureation +Lauree +Laureen +Laurel +laurel-bearing +laurel-browed +laurel-crowned +laurel-decked +laureled +laureling +Laurella +laurel-leaf +laurel-leaved +laurelled +laurellike +laurelling +laurel-locked +laurels +laurel's +laurelship +Laurelton +Laurelville +laurelwood +laurel-worthy +laurel-wreathed +Lauren +Laurena +Laurence +Laurencia +Laurencin +Laurene +Laurens +Laurent +Laurentia +Laurentian +Laurentians +Laurentide +Laurentides +Laurentium +Laurentius +laureole +laurestinus +Lauretta +Laurette +Lauri +laury +Laurianne +lauric +Laurice +Laurie +Laurier +lauryl +Laurin +Lauryn +Laurinburg +Laurinda +laurinoxylon +laurionite +Laurissa +Laurita +laurite +Lauritz +Laurium +Lauro +Laurocerasus +lauroyl +laurone +laurotetanine +Laurus +laurustine +laurustinus +laurvikite +laus +Lausanne +lautarite +lautenclavicymbal +Lauter +lautite +lautitious +Lautreamont +Lautrec +lautu +Lautverschiebung +lauwine +lauwines +Laux +Lauzon +lav +lava +lavable +Lavabo +lavaboes +lavabos +lava-capped +lavacre +Lavada +lavadero +lavage +lavages +Laval +lavalava +lava-lava +lavalavas +Lavalette +lavalier +lavaliere +lavalieres +lavaliers +lavalike +lava-lit +Lavalle +Lavallette +lavalliere +lavament +lavandera +lavanderas +lavandero +lavanderos +lavandin +Lavandula +lavanga +lavant +lava-paved +L'Avare +lavaret +lavas +lavash +Lavater +Lavatera +lavatic +lavation +lavational +lavations +lavatory +lavatorial +lavatories +lavatory's +lavature +LAVC +lave +laveche +laved +Laveen +laveer +laveered +laveering +laveers +Lavehr +Lavella +Lavelle +lavement +Laven +Lavena +lavender +lavender-blue +lavendered +lavender-flowered +lavendering +lavenders +lavender-scented +lavender-tinted +lavender-water +lavenite +Laver +Laveran +Laverania +Lavergne +Lavery +Laverkin +Lavern +Laverna +Laverne +Lavernia +laveroc +laverock +laverocks +lavers +laverwort +laves +Laveta +lavette +Lavi +lavy +lavialite +lavic +Lavilla +Lavina +Lavine +laving +Lavinia +Lavinie +lavish +lavished +lavisher +lavishers +lavishes +lavishest +lavishing +lavishingly +lavishly +lavishment +lavishness +Lavoie +Lavoisier +lavolta +Lavon +Lavona +Lavonia +Lavonne +lavrock +lavrocks +lavroffite +lavrovite +lavs +Law +law-abiding +lawabidingness +law-abidingness +Lawai +Laward +law-beaten +lawbook +law-book +lawbooks +law-borrow +lawbreak +lawbreaker +law-breaker +lawbreakers +lawbreaking +law-bred +law-condemned +lawcourt +lawcraft +law-day +lawed +Lawen +laweour +Lawes +law-fettered +Lawford +lawful +lawfully +lawfullness +lawfulness +lawgive +lawgiver +lawgivers +lawgiving +law-hand +law-honest +lawyer +lawyered +lawyeress +lawyeresses +lawyery +lawyering +lawyerism +lawyerly +lawyerlike +lawyerling +lawyers +lawyer's +lawyership +Lawyersville +lawine +lawines +lawing +lawings +lawish +lawk +lawks +lawlants +law-learned +law-learnedness +Lawley +Lawler +lawless +lawlessly +lawlessness +lawlike +Lawlor +law-loving +law-magnifying +lawmake +lawmaker +law-maker +lawmakers +lawmaking +Lawman +lawmen +law-merchant +lawmonger +lawn +Lawndale +lawned +lawner +lawny +lawnleaf +lawnlet +lawnlike +lawnmower +lawn-roller +lawns +lawn's +Lawnside +lawn-sleeved +lawn-tennis +lawn-tractor +lawproof +law-reckoning +Lawrence +Lawrenceburg +Lawrenceville +Lawrencian +lawrencite +lawrencium +Lawrenson +Lawrentian +law-revering +Lawry +law-ridden +Lawrie +lawrightman +lawrightmen +Laws +law's +Lawson +lawsone +Lawsoneve +Lawsonia +lawsonite +Lawsonville +law-stationer +lawsuit +lawsuiting +lawsuits +lawsuit's +Lawtey +Lawtell +lawter +Lawton +Lawtons +Lawtun +law-worthy +lawzy +LAX +laxate +laxation +laxations +laxative +laxatively +laxativeness +laxatives +laxator +laxer +laxest +lax-flowered +laxiflorous +laxifoliate +laxifolious +laxism +laxist +laxity +laxities +laxly +Laxness +laxnesses +Laz +Lazar +Lazare +lazaret +lazarets +lazarette +lazaretto +lazarettos +lazar-house +lazary +Lazarist +lazarly +lazarlike +Lazaro +lazarole +lazarone +lazarous +lazars +Lazaruk +Lazarus +Lazbuddie +laze +Lazear +lazed +Lazes +lazy +lazyback +lazybed +lazybird +lazybone +lazybones +lazyboots +lazied +lazier +lazies +laziest +lazyhood +lazying +lazyish +lazylegs +lazily +laziness +lazinesses +lazing +Lazio +lazys +lazyship +Lazor +Lazos +lazule +lazuli +lazuline +lazulis +lazulite +lazulites +lazulitic +lazurite +lazurites +Lazzaro +lazzarone +lazzaroni +LB +lb. +Lbeck +lbf +LBHS +lbinit +LBJ +LBL +LBO +LBP +LBS +lbw +LC +LCA +LCAMOS +LCC +LCCIS +LCCL +LCCLN +LCD +LCDN +LCDR +LCF +l'chaim +LCI +LCIE +LCJ +LCL +LCLOC +LCM +LCN +lconvert +LCP +LCR +LCS +LCSE +LCSEN +lcsymbol +LCT +LCVP +LD +Ld. +LDC +LDEF +Ldenscheid +Lderitz +LDF +Ldg +ldinfo +LDL +LDMTS +L-dopa +LDP +LDS +LDX +le +LEA +lea. +Leach +leachability +leachable +leachate +leachates +leached +leacher +leachers +leaches +leachy +leachier +leachiest +leaching +leachman +leachmen +Leachville +Leacock +Lead +leadable +leadableness +leadage +Leaday +leadback +Leadbelly +lead-blue +lead-burn +lead-burned +lead-burner +lead-burning +lead-clad +lead-coated +lead-colored +lead-covered +leaded +leaden +leaden-blue +lead-encased +leaden-colored +leaden-eyed +leaden-footed +leaden-headed +leadenhearted +leadenheartedness +leaden-heeled +leaden-hued +leadenly +leaden-natured +leadenness +leaden-paced +leadenpated +leaden-skulled +leaden-soled +leaden-souled +leaden-spirited +leaden-thoughted +leaden-weighted +leaden-willed +leaden-winged +leaden-witted +leader +leaderess +leaderette +leaderless +leaders +leadership +leaderships +leadership's +leadeth +lead-filled +lead-gray +lead-hardening +lead-headed +leadhillite +leady +leadier +leadiest +leadin +lead-in +leadiness +leading +leadingly +leadings +lead-lapped +lead-lead +leadless +leadline +lead-lined +leadman +lead-melting +leadmen +leadoff +lead-off +leadoffs +Leadore +leadout +leadplant +leadproof +lead-pulverizing +lead-ruled +leads +lead-sheathed +leadsman +lead-smelting +leadsmen +leadstone +lead-tempering +lead-up +Leadville +leadway +Leadwood +leadwork +leadworks +leadwort +leadworts +Leaf +leafage +leafages +leaf-bearing +leafbird +leafboy +leaf-clad +leaf-climber +leaf-climbing +leafcup +leaf-cutter +leafdom +leaf-eared +leaf-eating +leafed +leafen +leafer +leafery +leaf-footed +leaf-forming +leaf-fringed +leafgirl +leaf-gold +leafhopper +leaf-hopper +leafhoppers +leafy +leafier +leafiest +leafiness +leafing +leafy-stemmed +leafit +leaf-laden +leaf-lard +leafless +leaflessness +leaflet +leafleteer +leaflets +leaflet's +leaflike +leafmold +leaf-nose +leaf-nosed +leafs +leaf-shaded +leaf-shaped +leaf-sheltered +leafstalk +leafstalks +leaf-strewn +leafwood +leafwork +leafworm +leafworms +league +leagued +leaguelong +leaguer +leaguered +leaguerer +leaguering +leaguers +leagues +leaguing +Leah +Leahey +Leahy +leak +leakage +leakages +leakage's +leakance +Leake +leaked +Leakey +leaker +leakers +Leakesville +leaky +leakier +leakiest +leakily +leakiness +leaking +leakless +leakproof +leaks +Leal +lealand +lea-land +leally +lealness +lealty +lealties +leam +leamer +Leamington +Lean +Leanard +lean-cheeked +Leander +Leandra +Leandre +Leandro +lean-eared +leaned +leaner +leaners +leanest +lean-face +lean-faced +lean-fleshed +leangle +lean-headed +lean-horned +leany +leaning +leanings +leanish +lean-jawed +leanly +lean-limbed +lean-looking +lean-minded +Leann +Leanna +Leanne +lean-necked +leanness +leannesses +Leanor +Leanora +lean-ribbed +leans +lean-souled +leant +lean-to +lean-tos +lean-witted +Leao +LEAP +leapable +leaped +Leaper +leapers +leapfrog +leap-frog +leapfrogged +leapfrogger +leapfrogging +leapfrogs +leapful +leaping +leapingly +leaps +leapt +Lear +Learchus +Leary +learier +leariest +lea-rig +learn +learnable +Learned +learnedly +learnedness +learner +learners +learnership +learning +learnings +learns +learnt +Learoy +Learoyd +lears +LEAS +leasable +Leasburg +lease +leaseback +lease-back +leased +leasehold +leaseholder +leaseholders +leaseholding +leaseholds +lease-lend +leaseless +leaseman +leasemen +leasemonger +lease-pardle +lease-purchase +leaser +leasers +leases +leash +leashed +leashes +leashing +leashless +leash's +Leasia +leasing +leasings +leasow +least +leasts +leastways +leastwise +leat +leath +leather +leatherback +leather-backed +leatherbark +leatherboard +leather-bound +leatherbush +leathercoat +leather-colored +leather-covered +leathercraft +leather-cushioned +leather-cutting +leathered +leatherer +Leatherette +leather-faced +leatherfish +leatherfishes +leatherflower +leather-hard +Leatherhead +leather-headed +leathery +leatherine +leatheriness +leathering +leatherize +leatherjacket +leather-jacket +leatherleaf +leatherleaves +leatherlike +leatherlikeness +leather-lined +leather-lunged +leathermaker +leathermaking +leathern +leatherneck +leather-necked +leathernecks +Leatheroid +leatherroot +leathers +leatherside +Leatherstocking +leatherware +leatherwing +leather-winged +Leatherwood +leatherwork +leatherworker +leatherworking +leathwake +leatman +leatmen +Leatri +Leatrice +leave +leaved +leaveless +Leavelle +leavelooker +leaven +leavened +leavening +leavenish +leavenless +leavenous +leavens +Leavenworth +leaver +leavers +leaverwood +leaves +leavetaking +leave-taking +Leavy +leavier +leaviest +leaving +leavings +Leavis +Leavitt +Leavittsburg +leawill +Leawood +Lebam +Leban +Lebanese +Lebanon +Lebar +Lebaron +lebban +lebbek +Lebbie +Lebeau +Lebec +leben +lebens +Lebensraum +lebes +Lebesgue +lebhaft +Lebistes +lebkuchen +Leblanc +Lebna +Lebo +Leboff +Lebowa +lebrancho +LeBrun +Leburn +LEC +lecama +lecaniid +Lecaniinae +lecanine +Lecanium +lecanomancer +lecanomancy +lecanomantic +Lecanora +Lecanoraceae +lecanoraceous +lecanoric +lecanorine +lecanoroid +lecanoscopy +lecanoscopic +Lecanto +Lecce +Lech +lechayim +lechayims +lechatelierite +leche +Lechea +Lecheates +leched +lecher +lechered +lecherer +lechery +lecheries +lechering +lecherous +lecherously +lecherousness +lecherousnesses +lechers +leches +leching +Lechner +lechosa +lechriodont +Lechriodonta +lechuguilla +lechuguillas +lechwe +Lecia +Lecidea +Lecideaceae +lecideaceous +lecideiform +lecideine +lecidioid +lecyth +lecithal +lecithalbumin +lecithality +lecythi +lecithic +lecythid +Lecythidaceae +lecythidaceous +lecithin +lecithinase +lecithins +Lecythis +lecithoblast +lecythoi +lecithoid +lecythoid +lecithoprotein +lecythus +leck +lecker +Lecky +Leckie +Leckkill +Leckrone +Leclair +Leclaire +Lecoma +Lecompton +lecontite +lecotropal +LeCroy +lect +lect. +lectern +lecterns +lecthi +lectica +lectin +lectins +lection +lectionary +lectionaries +lections +lectisternium +lector +lectorate +lectorial +lectors +lectorship +lectotype +Lectra +lectress +lectrice +lectual +lectuary +lecture +lectured +lecture-demonstration +lecturee +lectureproof +lecturer +lecturers +lectures +lectureship +lectureships +lecturess +lecturette +lecturing +lecturn +Lecuona +LED +Leda +Ledah +Ledbetter +Ledda +Leddy +lede +Ledeen +leden +Lederach +Lederberg +Lederer +lederhosen +lederite +ledge +ledged +ledgeless +ledgeman +ledgement +Ledger +ledger-book +ledgerdom +ledgered +ledgering +ledgers +ledges +ledget +Ledgewood +ledgy +ledgier +ledgiest +ledging +ledgment +Ledyard +Ledidae +ledol +LeDoux +leds +Ledum +Lee +leeangle +LeeAnn +Leeanne +leeboard +lee-board +leeboards +lee-bow +leech +leech-book +Leechburg +leechcraft +leechdom +leecheater +leeched +leecher +leechery +leeches +leeching +leechkin +leechlike +leechman +leech's +leechwort +Leeco +leed +Leede +Leedey +Leeds +Lee-Enfield +leef +leefang +leefange +leeftail +leeful +leefully +leegatioen +Leegrant +leegte +leek +Leeke +leek-green +leeky +leekish +leeks +Leela +Leelah +Leeland +leelane +leelang +Lee-Metford +Leemont +Leena +leep +Leeper +leepit +leer +leered +leerfish +leery +leerier +leeriest +leerily +leeriness +leering +leeringly +leerish +leerness +Leeroy +leeroway +leers +Leersia +lees +Leesa +Leesburg +Leese +Leesen +leeser +leeshyy +leesing +leesome +leesomely +Leesport +Leesville +Leet +Leeth +leetle +leetman +leetmen +Leeton +Leetonia +leets +Leetsdale +Leeuwarden +Leeuwenhoek +Leeuwfontein +Leevining +leeway +lee-way +leeways +leewan +leeward +leewardly +leewardmost +leewardness +leewards +leewill +Leewood +Leff +Leffen +Leffert +Lefkowitz +Lefor +Lefors +lefsel +lefsen +left +left-bank +left-brained +left-eyed +left-eyedness +lefter +leftest +left-foot +left-footed +left-footedness +left-footer +left-hand +left-handed +left-handedly +left-handedness +left-hander +left-handiness +Lefty +lefties +leftish +leftism +leftisms +Leftist +leftists +leftist's +left-lay +left-laid +left-legged +left-leggedness +leftments +leftmost +leftness +left-off +Lefton +leftover +left-over +leftovers +leftover's +lefts +left-sided +leftward +leftwardly +leftwards +Leftwich +leftwing +left-wing +leftwinger +left-winger +left-wingish +left-wingism +leg +leg. +legacy +legacies +legacy's +legal +legalese +legaleses +legalise +legalised +legalises +legalising +legalism +legalisms +legalist +legalistic +legalistically +legalists +legality +legalities +legalization +legalizations +legalize +legalized +legalizes +legalizing +legally +legalness +legals +legantine +legantinelegatary +Legaspi +legatary +legate +legated +legatee +legatees +legates +legateship +legateships +legati +legatine +legating +legation +legationary +legations +legative +legato +legator +legatory +legatorial +legators +legatos +legature +legatus +Legazpi +leg-bail +legbar +leg-break +leg-breaker +lege +legend +legenda +legendary +legendarian +legendaries +legendarily +legendic +legendist +legendize +legendized +legendizing +legendless +Legendre +legendry +Legendrian +legendries +legends +legend's +Leger +legerdemain +legerdemainist +legerdemains +legerete +legerity +legerities +legers +leges +Leggat +Legge +legged +legger +Leggett +leggy +leggiadrous +leggier +leggiero +leggiest +leggin +legginess +legging +legginged +leggings +leggins +legharness +leg-harness +Leghorn +leghorns +legibility +legibilities +legible +legibleness +legibly +legifer +legific +legion +legionary +legionaries +legioned +legioner +legionnaire +legionnaires +legionry +legions +legion's +leg-iron +Legis +legislate +legislated +legislates +legislating +legislation +legislational +legislations +legislativ +legislative +legislatively +legislator +legislatorial +legislatorially +legislators +legislator's +legislatorship +legislatress +legislatresses +legislatrices +legislatrix +legislatrixes +legislature +legislatures +legislature's +legist +legister +legists +legit +legitim +legitimacy +legitimacies +legitimate +legitimated +legitimately +legitimateness +legitimating +legitimation +legitimatise +legitimatised +legitimatising +legitimatist +legitimatization +legitimatize +legitimatized +legitimatizing +legitime +legitimisation +legitimise +legitimised +legitimising +legitimism +legitimist +legitimistic +legitimity +legitimization +legitimizations +legitimize +legitimized +legitimizer +legitimizes +legitimizing +legitimum +legits +leglen +legless +leglessness +leglet +leglike +legman +legmen +Legnica +LEGO +legoa +leg-of-mutton +lego-literary +leg-o'-mutton +legong +legongs +legpiece +legpull +leg-pull +legpuller +leg-puller +legpulling +Legra +Legrand +Legree +legrete +legroom +legrooms +legrope +legs +legua +leguan +Leguatia +Leguia +leguleian +leguleious +legume +legumelin +legumen +legumes +legumin +leguminiform +Leguminosae +leguminose +leguminous +legumins +leg-weary +legwork +legworks +lehay +lehayim +lehayims +Lehar +Lehet +Lehi +Lehigh +Lehighton +Lehman +Lehmann +Lehmbruck +lehmer +Lehr +lehrbachite +Lehrer +Lehrfreiheit +lehrman +lehrmen +lehrs +lehrsman +lehrsmen +lehua +lehuas +lei +Ley +Leia +Leibman +Leibnitz +Leibnitzian +Leibnitzianism +Leibniz +Leibnizian +Leibnizianism +Leicester +Leicestershire +Leichhardt +Leics +Leid +Leiden +Leyden +Leyes +Leif +Leifer +Leifeste +leifite +leiger +Leigh +Leigha +Leighland +Leighton +Leila +Leyla +Leilah +leyland +Leilani +leimtype +Leinsdorf +Leinster +leio- +leiocephalous +leiocome +leiodermatous +leiodermia +leiomyofibroma +leiomyoma +leiomyomas +leiomyomata +leiomyomatous +leiomyosarcoma +leiophyllous +Leiophyllum +Leiothrix +Leiotrichan +Leiotriches +Leiotrichi +leiotrichy +Leiotrichidae +Leiotrichinae +leiotrichine +leiotrichous +leiotropic +leip- +Leipoa +Leipsic +Leipzig +Leiria +Leis +leys +Leisenring +Leiser +Leisha +Leishmania +leishmanial +leishmaniasis +leishmanic +leishmanioid +leishmaniosis +leysing +leiss +Leisten +leister +leistered +leisterer +leistering +leisters +leisurabe +leisurable +leisurably +leisure +leisured +leisureful +leisureless +leisurely +leisureliness +leisureness +leisures +Leitao +Leitchfield +Leyte +Leiter +Leitersford +Leith +Leitman +leitmotif +leitmotifs +leitmotiv +Leitneria +Leitneriaceae +leitneriaceous +Leitneriales +Leyton +Leitrim +Leitus +Leivasy +Leix +Lejeune +Lek +lekach +lekanai +lekane +leke +lekha +lekythi +lekythoi +lekythos +lekythus +lekker +leks +leku +lekvar +lekvars +Lela +Lelah +Leland +Leler +Lely +Lelia +Lelith +Lello +lelwel +LEM +lem- +Lema +Lemaceon +LeMay +Lemaireocereus +Lemaitre +Lemal +Leman +Lemanea +Lemaneaceae +lemanry +lemans +Lemar +Lemars +Lemass +Lemasters +Lemberg +Lemcke +leme +lemel +Lemessus +Lemhi +Lemieux +Leming +Lemire +Lemitar +Lemkul +lemma +lemmas +lemma's +lemmata +lemmatize +Lemmy +Lemmie +lemming +lemmings +Lemminkainen +lemmitis +lemmoblastic +lemmocyte +Lemmon +Lemmuela +Lemmueu +Lemmus +Lemna +Lemnaceae +lemnaceous +lemnad +Lemnian +lemniscata +lemniscate +lemniscatic +lemnisci +lemniscus +lemnisnisci +Lemnitzer +Lemnos +lemogra +lemography +Lemoyen +Lemoyne +lemology +Lemon +lemonade +lemonades +lemonado +lemon-color +lemon-colored +lemon-faced +lemonfish +lemonfishes +lemon-flavored +lemongrass +lemon-green +lemony +Lemonias +lemon-yellow +Lemoniidae +Lemoniinae +lemonish +lemonlike +Lemonnier +lemons +lemon's +lemon-scented +Lemont +lemon-tinted +lemonweed +lemonwood +Lemoore +Lemosi +Lemovices +Lemper +lempira +lempiras +Lempres +Lempster +Lemuel +Lemuela +Lemuelah +lemur +Lemuralia +lemures +Lemuria +Lemurian +lemurid +Lemuridae +lemuriform +Lemurinae +lemurine +lemurlike +lemuroid +Lemuroidea +lemuroids +lemurs +Len +Lena +lenad +Lenaea +Lenaean +Lenaeum +Lenaeus +Lenapah +Lenape +Lenapes +Lenard +Lenca +Lencan +Lencas +lench +lencheon +Lenci +LENCL +Lenclos +lend +lendable +lended +lendee +lender +lenders +lending +lend-lease +lend-leased +lend-leasing +lends +Lendu +lene +Lenee +Lenes +Lenette +L'Enfant +leng +Lengby +Lengel +lenger +lengest +Lenglen +length +lengthen +lengthened +lengthener +lengtheners +lengthening +lengthens +lengther +lengthful +lengthy +lengthier +lengthiest +lengthily +lengthiness +lengthly +lengthman +lengths +lengthsman +lengthsmen +lengthsome +lengthsomeness +lengthways +lengthwise +Lenhard +Lenhart +Lenhartsville +leniate +lenience +leniences +leniency +leniencies +lenient +leniently +lenientness +lenify +Leni-lenape +Lenin +Leninabad +Leninakan +Leningrad +Leninism +Leninist +leninists +Leninite +lenis +lenity +lenitic +lenities +lenition +lenitive +lenitively +lenitiveness +lenitives +lenitude +Lenka +Lenna +Lennard +Lenni +Lenny +Lennie +lennilite +Lenno +Lennoaceae +lennoaceous +Lennon +lennow +Lennox +Leno +lenocinant +Lenoir +Lenora +Lenorah +Lenore +lenos +Lenotre +Lenox +Lenoxdale +Lenoxville +Lenrow +lens +lense +lensed +lenses +lensing +lensless +lenslike +lensman +lensmen +lens-mount +lens's +Lenssen +lens-shaped +lent +lentamente +lentando +Lenten +Lententide +lenth +Lentha +Lenthiel +lenthways +Lentibulariaceae +lentibulariaceous +lentic +lenticel +lenticellate +lenticels +lenticle +lenticonus +lenticula +lenticular +lenticulare +lenticularis +lenticularly +lenticulas +lenticulate +lenticulated +lenticulating +lenticulation +lenticule +lenticulo-optic +lenticulostriate +lenticulothalamic +lentiform +lentigerous +lentigines +lentiginose +lentiginous +lentigo +lentil +lentile +Lentilla +lentils +lentil's +lentiner +lentisc +lentiscine +lentisco +lentiscus +lentisk +lentisks +lentissimo +lentitude +lentitudinous +Lentner +lento +lentoid +lentor +lentos +lentous +lenvoi +lenvoy +l'envoy +Lenwood +Lenz +Lenzburg +Lenzi +Lenzites +LEO +Leoben +Leocadia +Leod +leodicid +Leodis +Leodora +Leofric +Leoine +Leola +Leoline +Leoma +Leominster +Leon +Leona +Leonanie +Leonard +Leonardesque +Leonardi +Leonardo +Leonardsville +Leonardtown +Leonardville +Leonato +Leoncavallo +leoncito +Leone +Leonelle +Leonerd +leones +Leonese +Leong +Leonhard +leonhardite +Leoni +Leonia +Leonid +Leonidas +Leonides +Leonids +Leonie +Leonine +leoninely +leonines +Leonis +Leonist +leonite +Leonnoys +Leonor +Leonora +Leonore +Leonotis +Leonov +Leonsis +Leonteen +Leonteus +leontiasis +Leontina +Leontine +Leontyne +Leontocebus +leontocephalous +Leontodon +Leontopodium +Leonurus +Leonville +leopard +leoparde +leopardess +Leopardi +leopardine +leopardite +leopard-man +leopards +leopard's +leopard's-bane +leopardskin +leopardwood +Leopold +Leopoldeen +Leopoldine +Leopoldinia +leopoldite +Leopoldo +Leopoldville +Leopolis +Leor +Leora +Leos +Leota +leotard +leotards +Leoti +Leotie +Leotine +Leotyne +lep +lepa +lepadid +Lepadidae +lepadoid +lepage +Lepaya +lepal +Lepanto +lepargylic +Lepargyraea +Lepas +Lepaute +Lepcha +leper +leperdom +lepered +lepero +lepers +lepid +lepid- +lepidene +lepidin +lepidine +lepidity +Lepidium +lepidly +lepido- +lepidoblastic +Lepidodendraceae +lepidodendraceous +lepidodendrid +lepidodendrids +lepidodendroid +lepidodendroids +Lepidodendron +lepidoid +Lepidoidei +lepidolite +lepidomelane +lepidophyllous +Lepidophyllum +lepidophyte +lepidophytic +Lepidophloios +lepidoporphyrin +lepidopter +Lepidoptera +lepidopteral +lepidopteran +lepidopterid +lepidopterist +lepidopterology +lepidopterological +lepidopterologist +lepidopteron +lepidopterous +Lepidosauria +lepidosaurian +lepidoses +Lepidosiren +Lepidosirenidae +lepidosirenoid +lepidosis +Lepidosperma +Lepidospermae +Lepidosphes +Lepidostei +lepidosteoid +Lepidosteus +Lepidostrobus +lepidote +Lepidotes +lepidotic +Lepidotus +Lepidurus +Lepidus +Lepilemur +Lepine +Lepiota +Lepisma +Lepismatidae +Lepismidae +lepismoid +Lepisosteidae +Lepisosteus +Lepley +lepocyta +lepocyte +Lepomis +leporicide +leporid +Leporidae +leporide +leporids +leporiform +leporine +Leporis +Lepospondyli +lepospondylous +Leposternidae +Leposternon +lepothrix +Lepp +Lepper +leppy +lepra +Lepralia +lepralian +lepre +leprechaun +leprechauns +lepry +lepric +leprid +leprine +leproid +leprology +leprologic +leprologist +leproma +lepromatous +leprosaria +leprosarium +leprosariums +leprose +leprosed +leprosery +leproseries +leprosy +leprosied +leprosies +leprosis +leprosity +leprotic +leprous +leprously +leprousness +lepsaria +lepsy +Lepsius +lept +lepta +Leptamnium +Leptandra +leptandrin +leptene +leptera +leptid +Leptidae +leptiform +Leptilon +leptynite +leptinolite +Leptinotarsa +leptite +lepto- +leptobos +Leptocardia +leptocardian +Leptocardii +leptocentric +leptocephalan +leptocephali +leptocephaly +leptocephalia +leptocephalic +leptocephalid +Leptocephalidae +leptocephaloid +leptocephalous +Leptocephalus +leptocercal +leptochlorite +leptochroa +leptochrous +leptoclase +leptodactyl +Leptodactylidae +leptodactylous +Leptodactylus +leptodermatous +leptodermous +Leptodora +Leptodoridae +leptoform +lepto-form +Leptogenesis +leptokurtic +leptokurtosis +Leptolepidae +Leptolepis +Leptolinae +leptology +leptomatic +leptome +Leptomedusae +leptomedusan +leptomeningeal +leptomeninges +leptomeningitis +leptomeninx +leptometer +leptomonad +Leptomonas +Lepton +leptonecrosis +leptonema +leptonic +leptons +leptopellic +leptophyllous +Leptophis +leptoprosope +leptoprosopy +leptoprosopic +leptoprosopous +Leptoptilus +Leptorchis +leptorrhin +leptorrhine +leptorrhiny +leptorrhinian +leptorrhinism +Leptosyne +leptosomatic +leptosome +leptosomic +leptosperm +Leptospermum +Leptosphaeria +Leptospira +leptospirae +leptospiral +leptospiras +leptospire +leptospirosis +leptosporangiate +Leptostraca +leptostracan +leptostracous +Leptostromataceae +leptotene +Leptothrix +lepto-type +Leptotyphlopidae +Leptotyphlops +Leptotrichia +leptus +Lepus +lequear +Lequire +Ler +Leraysville +LERC +lere +Lerida +Lermontov +Lerna +Lernaea +Lernaeacea +Lernaean +Lernaeidae +lernaeiform +lernaeoid +Lernaeoides +Lerne +Lernean +Lerner +Lernfreiheit +Leroi +LeRoy +Lerona +Leros +Lerose +lerot +lerp +lerret +Lerwa +Lerwick +Les +Lesage +Lesak +Lesath +Lesbia +Lesbian +Lesbianism +lesbianisms +lesbians +Lesbos +lesche +Leschen +Leschetizky +lese +lesed +lese-majesty +Lesgh +Lesh +Leshia +Lesya +lesiy +lesion +lesional +lesioned +lesions +Leskea +Leskeaceae +leskeaceous +Lesko +Leslee +Lesley +Lesleya +Lesli +Lesly +Leslie +Lesotho +Lespedeza +Lesquerella +less +Lessard +lessee +lessees +lesseeship +lessen +lessened +lessener +lessening +lessens +Lesseps +Lesser +lesses +lessest +Lessing +lessive +Lesslie +lessn +lessness +lesson +lessoned +lessoning +lessons +lesson's +lessor +lessors +LEST +leste +Lester +Lesterville +lestiwarite +lestobioses +lestobiosis +lestobiotic +Lestodon +Lestosaurus +lestrad +Lestrigon +Lestrigonian +Lesueur +let +Leta +let-alone +Letart +Letch +letched +Letcher +letches +letchy +letching +Letchworth +letdown +letdowns +lete +letgame +Letha +lethal +lethality +lethalities +lethalize +lethally +lethals +lethargy +lethargic +lethargical +lethargically +lethargicalness +lethargies +lethargise +lethargised +lethargising +lethargize +lethargized +lethargizing +lethargus +Lethbridge +Lethe +Lethean +lethes +lethy +Lethia +Lethied +lethiferous +Lethocerus +lethologica +Leticia +Letisha +Letitia +Letizia +Leto +letoff +let-off +Letohatchee +Letona +letorate +let-out +let-pass +L'Etranger +Letreece +Letrice +letrist +lets +let's +Letsou +Lett +Letta +lettable +Lette +letted +letten +letter +letter-bound +lettercard +letter-card +letter-copying +letter-duplicating +lettered +letterer +letter-erasing +letterers +letteret +letter-fed +letter-folding +letterform +lettergae +lettergram +letterhead +letterheads +letter-high +letterin +lettering +letterings +letterleaf +letter-learned +letterless +letterman +lettermen +lettern +letter-opener +letter-perfect +letterpress +letter-press +letters +letterset +letterspace +letterspaced +letterspacing +letterure +letterweight +letter-winged +letterwood +Letti +Letty +Lettic +Lettice +Lettie +lettiga +letting +Lettish +Letto-lithuanian +Letto-slavic +Letto-slavonic +lettrin +lettrure +Letts +lettsomite +Lettsworth +lettuce +lettuces +letuare +letup +let-up +letups +leu +leuc- +Leucadendron +Leucadian +leucaemia +leucaemic +Leucaena +leucaethiop +leucaethiopes +leucaethiopic +Leucaeus +leucaniline +leucanthous +Leucas +leucaugite +leucaurin +Leuce +leucemia +leucemias +leucemic +Leucetta +leuch +leuchaemia +leuchemia +leuchtenbergite +leucic +Leucichthys +Leucifer +Leuciferidae +leucyl +leucin +leucine +leucines +leucins +Leucippe +Leucippides +Leucippus +leucism +leucite +leucite-basanite +leucites +leucite-tephrite +leucitic +leucitis +leucitite +leucitohedron +leucitoid +leucitophyre +Leuckartia +Leuckartiidae +leuco +leuco- +leucobasalt +leucoblast +leucoblastic +Leucobryaceae +Leucobryum +leucocarpous +leucochalcite +leucocholy +leucocholic +leucochroic +leucocyan +leucocidic +leucocidin +leucocism +leucocytal +leucocyte +leucocythaemia +leucocythaemic +leucocythemia +leucocythemic +leucocytic +leucocytoblast +leucocytogenesis +leucocytoid +leucocytolysin +leucocytolysis +leucocytolytic +leucocytology +leucocytometer +leucocytopenia +leucocytopenic +leucocytoplania +leucocytopoiesis +leucocytosis +leucocytotherapy +leucocytotic +Leucocytozoon +leucocrate +leucocratic +Leucocrinum +leucoderma +leucodermatous +leucodermia +leucodermic +leucoencephalitis +leucoethiop +leucogenic +leucoid +leucoindigo +leucoindigotin +Leucojaceae +Leucojum +leucoline +leucolytic +leucoma +leucomaine +leucomas +leucomatous +leucomelanic +leucomelanous +Leucon +leucones +leuconoid +Leuconostoc +leucopenia +leucopenic +leucophane +leucophanite +leucophyllous +leucophyre +leucophlegmacy +leucophoenicite +leucophore +Leucophryne +leucopyrite +leucoplakia +leucoplakial +leucoplast +leucoplastid +leucopoiesis +leucopoietic +leucopus +leucoquinizarin +leucoryx +leucorrhea +leucorrheal +leucorrhoea +leucorrhoeal +leucosyenite +leucosis +Leucosolenia +Leucosoleniidae +leucospermous +leucosphenite +leucosphere +leucospheric +leucostasis +Leucosticte +leucotactic +leucotaxin +leucotaxine +Leucothea +Leucothoe +leucotic +leucotome +leucotomy +leucotomies +leucotoxic +leucous +leucoxene +Leuctra +Leucus +leud +leudes +leuds +leuk +leukaemia +leukaemic +Leukas +leukemia +leukemias +leukemic +leukemics +leukemid +leukemoid +leuko- +leukoblast +leukoblastic +leukocidic +leukocidin +leukocyt- +leukocyte +leukocytes +leukocythemia +leukocytic +leukocytoblast +leukocytoid +leukocytopenia +leukocytosis +leukocytotic +leukoctyoid +leukoderma +leukodystrophy +leukoma +leukomas +leukon +leukons +leukopedesis +leukopenia +leukopenic +leukophoresis +leukopoiesis +leukopoietic +leukorrhea +leukorrheal +leukorrhoea +leukorrhoeal +leukoses +leukosis +leukotaxin +leukotaxine +Leukothea +leukotic +leukotomy +leukotomies +leuma +Leund +leung +Leupold +Leupp +Leuricus +Leutze +Leuven +Lev +lev- +Lev. +leva +levade +Levallois +Levalloisian +Levan +Levana +levance +levancy +Levania +Levant +levanted +Levanter +levantera +levanters +Levantine +levanting +Levantinism +levanto +levants +levarterenol +Levasy +levation +levator +levatores +levators +leve +leveche +levee +leveed +leveeing +levees +levee's +leveful +Levey +level +level-coil +leveled +leveler +levelers +levelheaded +level-headed +levelheadedly +levelheadedness +level-headedness +leveling +levelish +levelism +level-jawed +Levelland +levelled +Leveller +levellers +levellest +levelly +levelling +levelman +levelness +levelnesses +Levelock +level-off +levels +level-wind +Leven +Levenson +Leventhal +Leventis +Lever +lever-action +leverage +leveraged +leverages +leveraging +levered +leverer +leveret +leverets +Leverett +Leverhulme +Leverick +Leveridge +Levering +Leverkusen +leverlike +leverman +Leveroni +Leverrier +levers +lever's +leverwood +levesel +Levesque +levet +Levi +Levy +leviable +leviathan +leviathans +leviation +levied +levier +leviers +levies +levigable +levigate +levigated +levigates +levigating +levigation +levigator +levying +levyist +Levin +Levina +Levine +levyne +leviner +levining +levynite +Levins +Levinson +levir +levirate +levirates +leviratic +leviratical +leviration +Levis +levi's +Levison +Levisticum +Levi-Strauss +Levit +Levit. +Levitan +levitant +levitate +levitated +levitates +levitating +levitation +levitational +levitations +levitative +levitator +Levite +leviter +levity +Levitical +Leviticalism +Leviticality +Levitically +Leviticalness +Leviticism +Leviticus +levities +Levitism +Levitt +Levittown +LeVitus +Levkas +levo +levo- +levodopa +levoduction +levogyrate +levogyre +levogyrous +levoglucose +levolactic +levolimonene +Levon +Levona +Levophed +levo-pinene +levorotary +levorotation +levorotatory +levotartaric +levoversion +Levroux +levulic +levulin +levulinic +levulins +levulose +levuloses +levulosuria +Lew +Lewak +Lewan +Lewanna +lewd +lewder +lewdest +lewdly +lewdness +lewdnesses +lewdster +lewe +Lewellen +Lewendal +Lewert +Lewes +Lewie +Lewin +lewing +Lewis +Lewisberry +Lewisburg +lewises +Lewisetta +Lewisham +Lewisia +Lewisian +lewisite +lewisites +Lewisohn +Lewison +Lewisport +Lewiss +lewisson +lewissons +lewist +Lewiston +Lewistown +Lewisville +Lewls +lewnite +Lewse +lewth +lewty +lew-warm +lex +lex. +Lexa +Lexell +lexeme +lexemes +lexemic +lexes +Lexi +Lexy +lexia +lexic +lexica +lexical +lexicalic +lexicality +lexically +lexicog +lexicog. +lexicographer +lexicographers +lexicography +lexicographian +lexicographic +lexicographical +lexicographically +lexicographies +lexicographist +lexicology +lexicologic +lexicological +lexicologist +lexicon +lexiconist +lexiconize +lexicons +lexicon's +lexicostatistic +lexicostatistical +lexicostatistics +Lexie +lexigraphy +lexigraphic +lexigraphical +lexigraphically +Lexine +Lexington +lexiphanes +lexiphanic +lexiphanicism +Lexis +lexological +lez +lezes +Lezghian +Lezley +Lezlie +lezzy +lezzie +lezzies +LF +LFACS +LFS +LFSA +LG +lg. +LGA +LGB +LGBO +Lger +LGk +l-glucose +LGM +lgth +lgth. +LH +Lhary +Lhasa +lhb +LHD +lherzite +lherzolite +Lhevinne +lhiamba +Lho-ke +L'Hospital +Lhota +LHS +LI +ly +Lia +liability +liabilities +liability's +liable +liableness +Lyaeus +liaise +liaised +liaises +liaising +liaison +liaisons +liaison's +Liakoura +Lyall +Lyallpur +Liam +lyam +liamba +lyam-hound +Lian +Liana +lianas +lyance +Liane +lianes +liang +liangle +liangs +Lianna +Lianne +lianoid +Liao +Liaoyang +Liaoning +Liaopeh +Liaotung +liar +Liard +lyard +liards +liars +liar's +lyart +Lias +Lyas +lyase +lyases +liasing +liason +Liassic +Liatrice +Liatris +Lyautey +Lib +Lib. +Liba +libament +libaniferous +libanophorous +libanotophorous +libant +libard +libate +libated +libating +libation +libational +libationary +libationer +libations +libatory +Libau +Libava +Libb +libbard +libbed +Libbey +libber +libbers +libbet +Libbi +Libby +Libbie +libbing +Libbna +libbra +libecchio +libeccio +libeccios +libel +libelant +libelants +libeled +libelee +libelees +libeler +libelers +libeling +libelist +libelists +libellant +libellary +libellate +libelled +libellee +libellees +libeller +libellers +libelling +libellist +libellous +libellously +Libellula +libellulid +Libellulidae +libelluloid +libelous +libelously +libels +Libenson +Liber +Libera +Liberal +Liberalia +liberalisation +liberalise +liberalised +liberaliser +liberalising +Liberalism +liberalisms +liberalist +liberalistic +liberalites +liberality +liberalities +liberalization +liberalizations +liberalize +liberalized +liberalizer +liberalizes +liberalizing +liberally +liberal-minded +liberal-mindedness +liberalness +liberals +liberate +liberated +liberates +Liberati +liberating +liberation +liberationism +liberationist +liberationists +liberations +liberative +Liberator +liberatory +liberators +liberator's +liberatress +liberatrice +liberatrix +Liberec +Liberia +Liberian +liberians +Liberius +liberomotor +libers +libertarian +libertarianism +libertarians +Libertas +Liberty +liberticidal +liberticide +liberties +libertyless +libertinage +libertine +libertines +libertinism +liberty's +Libertytown +Libertyville +liberum +libethenite +libget +Libia +Libya +Libyan +libyans +libidibi +libidinal +libidinally +libidinist +libidinization +libidinized +libidinizing +libidinosity +libidinous +libidinously +libidinousness +libido +libidos +libinit +Libyo-phoenician +Libyo-teutonic +Libytheidae +Libytheinae +Libitina +libitum +libken +libkin +liblab +Lib-Lab +liblabs +Libna +Libnah +Libocedrus +Liborio +Libove +libr +Libra +Librae +librairie +libral +library +librarian +librarianess +librarians +librarian's +librarianship +libraries +librarii +libraryless +librarious +library's +librarius +libras +librate +librated +librates +librating +libration +librational +libratory +Libre +libretti +librettist +librettists +libretto +librettos +libretto-writing +Libreville +libri +Librid +libriform +libris +Librium +libroplast +libs +Lyburn +Libuse +lyc +Lycaena +lycaenid +Lycaenidae +Lycaeus +Lican-antai +Licania +lycanthrope +lycanthropy +lycanthropia +lycanthropic +lycanthropies +lycanthropist +lycanthropize +lycanthropous +Lycaon +Lycaonia +licareol +Licastro +licca +lice +lycea +lyceal +lycee +lycees +licence +licenceable +licenced +licencee +licencees +licencer +licencers +licences +licencing +licensable +license +licensed +licensee +licensees +licenseless +licenser +licensers +licenses +licensing +licensor +licensors +licensure +licente +licenti +licentiate +licentiates +licentiateship +licentiation +licentious +licentiously +licentiousness +licentiousnesses +licet +Licetus +Lyceum +lyceums +lich +lych +Licha +licham +lichanos +Lichas +lichee +lychee +lichees +lychees +lichen +lichenaceous +lichen-clad +lichen-crusted +lichened +Lichenes +lichen-grown +licheny +lichenian +licheniasis +lichenic +lichenicolous +lichenification +licheniform +lichenin +lichening +lichenins +lichenise +lichenised +lichenising +lichenism +lichenist +lichenivorous +lichenization +lichenize +lichenized +lichenizing +lichen-laden +lichenlike +lichenographer +lichenography +lichenographic +lichenographical +lichenographist +lichenoid +lichenology +lichenologic +lichenological +lichenologist +Lichenopora +Lichenoporidae +lichenose +lichenous +lichens +lichen's +liches +Lichfield +lich-gate +lych-gate +lich-house +lichi +lichis +Lychnic +Lychnis +lychnises +lychnomancy +Lichnophora +Lichnophoridae +lychnoscope +lychnoscopic +lich-owl +Licht +lichted +Lichtenberg +Lichtenfeld +Lichtenstein +Lichter +lichting +lichtly +lichts +lichwake +Licia +Lycia +Lycian +lycid +Lycidae +Lycidas +Licymnius +lycine +Licinian +licit +licitation +licitly +licitness +Lycium +Lick +lick-dish +licked +licker +licker-in +lickerish +lickerishly +lickerishness +lickerous +lickers +lickety +lickety-brindle +lickety-cut +lickety-split +lick-finger +lick-foot +Licking +lickings +Lickingville +lick-ladle +Lyckman +Licko +lickpenny +lick-platter +licks +lick-spigot +lickspit +lickspits +lickspittle +lick-spittle +lickspittling +Lycodes +Lycodidae +lycodoid +Lycomedes +Lycoming +Lycon +lycopene +lycopenes +Lycoperdaceae +lycoperdaceous +Lycoperdales +lycoperdoid +Lycoperdon +Lycopersicon +Lycophron +lycopin +lycopod +lycopode +Lycopodiaceae +lycopodiaceous +Lycopodiales +Lycopodium +lycopods +Lycopsida +Lycopsis +Lycopus +licorice +licorices +lycorine +licorn +licorne +licorous +Lycosa +lycosid +Lycosidae +Lycotherses +licour +lyctid +Lyctidae +lictor +lictorian +lictors +Lyctus +Licuala +Lycurgus +licuri +licury +Lycus +lid +Lida +Lyda +Lidah +LIDAR +lidars +Lidda +Lydda +lidded +lidder +Lidderdale +lidderon +Liddy +Liddiard +Liddie +lidding +lyddite +lyddites +Liddle +Lide +Lydell +lidflower +lidgate +Lydgate +Lidgerwood +Lidia +Lydia +Lydian +lidias +Lidice +lidicker +Lidie +Lydie +lydite +lidless +lidlessly +Lido +lidocaine +Lydon +lidos +lids +lid's +Lidstone +Lie +lye +lie-abed +liebenerite +Liebenthal +lieberkuhn +Lieberman +Liebermann +Liebeslied +Liebfraumilch +liebgeaitor +lie-by +Liebig +liebigite +lie-bys +Liebknecht +lieblich +Liebman +Liebowitz +Liechtenstein +lied +lieder +Liederkranz +Liederman +Liedertafel +lie-down +Lief +liefer +liefest +liefly +liefsome +Liege +liegedom +liegeful +liegefully +liegeless +liegely +liegeman +liege-manship +liegemen +lieger +lieges +liegewoman +liegier +Liegnitz +Lyell +lien +lienable +lienal +Lyencephala +lyencephalous +lienculi +lienculus +lienectomy +lienectomies +lienee +Lienhard +lienholder +lienic +lienitis +lieno- +lienocele +lienogastric +lienointestinal +lienomalacia +lienomedullary +lienomyelogenous +lienopancreatic +lienor +lienorenal +lienotoxin +liens +lien's +lientery +lienteria +lienteric +lienteries +Liepaja +liepot +lieproof +lieprooflier +lieproofliest +lier +lyery +Lyerly +lierne +liernes +lierre +liers +lies +lyes +Liesa +liesh +liespfund +liest +Liestal +Lietman +Lietuva +lieu +lieue +lieus +Lieut +Lieut. +lieutenancy +lieutenancies +lieutenant +lieutenant-colonelcy +lieutenant-general +lieutenant-governorship +lieutenantry +lieutenants +lieutenant's +lieutenantship +lievaart +lieve +liever +lievest +lievrite +Liew +Lif +Lifar +Life +life-abhorring +life-and-death +life-bearing +life-beaten +life-begetting +life-bereft +lifeblood +life-blood +lifebloods +lifeboat +lifeboatman +lifeboatmen +lifeboats +life-breathing +life-bringing +lifebuoy +life-consuming +life-creating +life-crowded +lifeday +life-deserted +life-destroying +life-devouring +life-diffusing +lifedrop +life-ending +life-enriching +life-force +lifeful +lifefully +lifefulness +life-giver +life-giving +lifeguard +life-guard +lifeguards +life-guardsman +lifehold +lifeholder +lifehood +life-hugging +lifey +life-yielding +life-infatuate +life-infusing +life-invigorating +lifeleaf +life-lengthened +lifeless +lifelessly +lifelessness +lifelet +lifelike +life-like +lifelikeness +lifeline +lifelines +lifelong +life-lorn +life-lost +life-maintaining +lifemanship +lifen +life-or-death +life-outfetching +life-penetrated +life-poisoning +life-preserver +life-preserving +life-prolonging +life-quelling +lifer +life-rendering +life-renewing +liferent +liferented +liferenter +liferenting +liferentrix +life-restoring +liferoot +lifers +life-sapping +lifesaver +life-saver +lifesavers +lifesaving +lifesavings +life-serving +life-size +life-sized +lifeskills +lifesome +lifesomely +lifesomeness +lifespan +lifespans +life-spent +lifespring +lifestyle +life-style +lifestyles +life-sustaining +life-sweet +life-teeming +life-thirsting +life-tide +lifetime +life-timer +lifetimes +lifetime's +lifeway +lifeways +lifeward +life-weary +life-weariness +life-while +lifework +lifeworks +life-worthy +Liffey +LIFIA +lyfkie +liflod +LIFO +Lyford +Lifschitz +lift +liftable +liftboy +lifted +lifter +lifters +liftgate +lifting +liftless +liftman +liftmen +liftoff +lift-off +liftoffs +Lifton +lifts +lift-slab +lig +ligable +lygaeid +Lygaeidae +ligament +ligamenta +ligamental +ligamentary +ligamentous +ligamentously +ligaments +ligamentta +ligamentum +ligan +ligand +ligands +ligans +ligas +ligase +ligases +ligate +ligated +ligates +ligating +ligation +ligations +ligative +ligator +ligatory +ligature +ligatured +ligatures +ligaturing +lig-by +lige +ligeance +Ligeia +liger +ligers +Ligeti +Ligetti +Lygeum +liggat +ligge +ligger +Ligget +Liggett +Liggitt +Light +lightable +light-adapted +lightage +light-armed +light-bearded +light-bellied +light-blue +light-bluish +lightboard +lightboat +light-bob +light-bodied +light-borne +light-bounding +lightbrained +light-brained +light-built +lightbulb +lightbulbs +light-causing +light-century +light-charged +light-cheap +light-clad +light-colored +light-complexioned +light-creating +light-diffusing +light-disposed +light-drab +light-draft +lighted +light-embroidered +lighten +lightened +lightener +lighteners +lightening +lightens +lighter +lighterage +lightered +lighterful +lightering +lighterman +lightermen +lighters +lighter's +lighter-than-air +lightest +lightface +lightfaced +light-faced +lightfast +light-fast +lightfastness +lightfingered +light-fingered +light-fingeredness +Lightfoot +light-foot +lightfooted +light-footed +light-footedly +light-footedness +lightful +lightfully +lightfulness +light-gilded +light-giving +light-gray +light-grasp +light-grasping +light-green +light-haired +light-handed +light-handedly +light-handedness +light-harnessed +light-hating +lighthead +lightheaded +light-headed +lightheadedly +light-headedly +lightheadedness +light-headedness +lighthearted +light-hearted +lightheartedly +light-heartedly +lightheartedness +light-heartedness +lightheartednesses +light-heeled +light-horseman +light-horsemen +lighthouse +lighthouseman +lighthouses +lighthouse's +light-hued +lighty +light-year +lightyears +light-years +light-yellow +lighting +lightings +lightish +lightish-blue +lightkeeper +light-leaved +light-legged +lightless +lightlessness +lightly +light-limbed +light-loaded +light-locked +Lightman +lightmans +lightmanship +light-marching +lightmen +light-minded +lightmindedly +light-mindedly +lightmindedness +light-mindedness +lightmouthed +lightness +lightnesses +lightning +lightningbug +lightninged +lightninglike +lightning-like +lightningproof +lightnings +lightning's +light-of-love +light-o'love +light-o'-love +light-pervious +lightplane +light-poised +light-producing +lightproof +light-proof +light-reactive +light-refracting +light-refractive +light-robed +lightroom +light-rooted +light-rootedness +lights +light-scattering +lightscot +light-sensitive +lightship +lightships +light-skinned +light-skirts +lightsman +lightsmen +lightsome +lightsomely +lightsomeness +lights-out +light-spirited +light-spreading +light-struck +light-thoughted +lighttight +light-timbered +light-tongued +light-treaded +light-veined +lightwards +light-waved +lightweight +light-weight +lightweights +light-winged +light-witted +lightwood +lightwort +Ligyda +Ligydidae +ligitimized +ligitimizing +lign- +lignaloes +lign-aloes +lignatile +ligne +ligneous +lignes +lignescent +ligni- +lignicole +lignicoline +lignicolous +ligniferous +lignify +lignification +lignifications +lignified +lignifies +lignifying +ligniform +lignin +lignins +ligninsulphonate +ligniperdous +lignite +lignites +lignitic +lignitiferous +lignitize +lignivorous +ligno- +lignocaine +lignocellulose +lignocellulosic +lignoceric +lignography +lignone +lignose +lignosity +lignosulfonate +lignosulphite +lignosulphonate +lignous +lignum +lignums +Lygodesma +Lygodium +Ligon +Ligonier +Lygosoma +ligroin +ligroine +ligroines +ligroins +ligula +ligulae +ligular +Ligularia +ligulas +ligulate +ligulated +ligulate-flowered +ligule +ligules +liguli- +Liguliflorae +liguliflorous +liguliform +ligulin +liguloid +Liguori +Liguorian +ligure +ligures +Liguria +Ligurian +ligurite +ligurition +ligurrition +lygus +Ligusticum +ligustrin +Ligustrum +Lihyanite +Lihue +liin +lying +lying-in +lying-ins +lyingly +lyings +lyings-in +liyuan +lija +likability +likable +likableness +Likasi +like +likeability +likeable +likeableness +liked +like-eyed +like-fashioned +like-featured +likeful +likehood +Likely +likelier +likeliest +likelihead +likelihood +likelihoods +likeliness +like-looking +like-made +likeminded +like-minded +like-mindedly +likemindedness +like-mindedness +liken +lyken +like-natured +likened +likeness +likenesses +likeness's +likening +likens +Lykens +like-persuaded +liker +likerish +likerous +likers +likes +Lykes +like-sex +like-shaped +like-sized +likesome +likest +likeways +lykewake +lyke-wake +likewalk +likewise +likewisely +likewiseness +likin +liking +likingly +likings +likker +liknon +Likoura +Likud +likuta +Lil +Lila +Lilac +lilac-banded +lilac-blue +lilac-colored +lilaceous +lilac-flowered +lilac-headed +lilacin +lilacky +lilac-mauve +lilac-pink +lilac-purple +lilacs +lilac's +lilacthroat +lilactide +lilac-tinted +lilac-violet +Lilaeopsis +Lilah +Lilas +Lilbourn +Lilburn +Lilburne +lile +Lyle +liles +Lyles +Lilesville +Lili +Lily +Lyly +Lilia +Liliaceae +liliaceous +lilial +Liliales +Lilian +Lilyan +Liliane +Lilias +liliated +Lilibel +Lilybel +Lilibell +Lilibelle +Lilybelle +lily-cheeked +lily-clear +lily-cradled +lily-crowned +Lilydale +lilied +Lilienthal +lilies +lilyfy +lily-fingered +lily-flower +liliform +lilyhanded +Liliiflorae +lilylike +lily-liver +lily-livered +lily-liveredness +lily-paved +lily-pot +lily-robed +lily's +lily-shaped +lily-shining +Lilith +Lilithe +lily-tongued +lily-trotter +Lilium +Liliuokalani +Lilius +Lily-white +lily-whiteness +lilywood +lilywort +lily-wristed +lill +Lilla +Lille +Lilli +Lilly +Lillian +lillianite +Lillibullero +Lillie +lilly-low +Lillington +lilly-pilly +Lilliput +Lilliputian +Lilliputianize +lilliputians +lilliputs +Lillis +Lillith +Lilliwaup +Lillywhite +Lilllie +Lillo +Lilo +Lilongwe +lilt +lilted +lilty +lilting +liltingly +liltingness +lilts +LIM +lym +Lima +limace +Limacea +limacel +limacelle +limaceous +Limacidae +limaciform +Limacina +limacine +limacines +limacinid +Limacinidae +limacoid +limacon +limacons +limail +limaille +Liman +Lyman +Limann +Lymann +limans +Lymantria +lymantriid +Lymantriidae +limas +Limassol +limation +Limaville +Limawood +Limax +limb +limba +limbal +limbas +limbat +limbate +limbation +limbec +limbeck +limbecks +limbed +Limber +limbered +limberer +limberest +limberham +limbering +limberly +limberneck +limber-neck +limberness +limbers +Limbert +limbi +limby +limbic +limbie +limbier +limbiest +limbiferous +limbing +limbless +limbmeal +limb-meal +limbo +limboinfantum +limbos +Limbourg +limbous +limbs +Limbu +Limburg +Limburger +limburgite +limbus +limbuses +lime +Lyme +limeade +limeades +Limean +lime-ash +limeberry +limeberries +lime-boiled +lime-burner +limebush +limed +lyme-grass +lyme-hound +Limehouse +limey +limeys +lime-juicer +limekiln +lime-kiln +limekilns +limeless +limelight +limelighter +limelights +limelike +limeman +Limemann +limen +Limenia +limens +lime-pit +Limeport +limequat +limer +Limerick +limericks +lime-rod +limes +lime's +limestone +limestones +limesulfur +limesulphur +lime-sulphur +limetta +limettin +lime-twig +limewash +limewater +lime-water +lime-white +limewood +limewort +lymhpangiophlebitis +limy +Limicolae +limicoline +limicolous +Limidae +limier +limiest +limina +liminal +liminary +limine +liminess +liminesses +liming +Limington +Lymington +limit +limitability +limitable +limitableness +limitably +limital +limitanean +limitary +limitarian +limitaries +limitate +limitation +limitational +limitations +limitation's +limitative +limitatively +limited +limitedly +limitedness +limiteds +limiter +limiters +limites +limity +limiting +limitive +limitless +limitlessly +limitlessness +limitor +limitrophe +limits +limit-setting +limivorous +limli +LIMM +limma +Limmasol +limmata +limmer +limmers +limmock +L'Immoraliste +limmu +limn +Lymn +Limnaea +Lymnaea +lymnaean +lymnaeid +Lymnaeidae +limnal +limnanth +Limnanthaceae +limnanthaceous +Limnanthemum +Limnanthes +limned +limner +limnery +limners +limnetic +Limnetis +limniad +limnic +limnimeter +limnimetric +limning +limnite +limnobiology +limnobiologic +limnobiological +limnobiologically +limnobios +Limnobium +Limnocnida +limnograph +limnology +limnologic +limnological +limnologically +limnologist +limnometer +limnophil +limnophile +limnophilid +Limnophilidae +limnophilous +limnophobia +limnoplankton +Limnorchis +Limnoria +Limnoriidae +limnorioid +limns +limo +Limodorum +Limoges +limoid +Limoli +Limon +limoncillo +limoncito +limonene +limonenes +limoniad +limonin +limonite +limonites +limonitic +limonitization +limonium +limos +Limosa +limose +Limosella +Limosi +limous +Limousin +limousine +limousine-landaulet +limousines +limp +limpa +limpas +limped +limper +limpers +limpest +limpet +limpets +lymph +lymph- +lymphad +lymphadenectasia +lymphadenectasis +lymphadenia +lymphadenitis +lymphadenoid +lymphadenoma +lymphadenomas +lymphadenomata +lymphadenome +lymphadenopathy +lymphadenosis +lymphaemia +lymphagogue +lymphangeitis +lymphangial +lymphangiectasis +lymphangiectatic +lymphangiectodes +lymphangiitis +lymphangioendothelioma +lymphangiofibroma +lymphangiology +lymphangioma +lymphangiomas +lymphangiomata +lymphangiomatous +lymphangioplasty +lymphangiosarcoma +lymphangiotomy +lymphangitic +lymphangitides +lymphangitis +lymphatic +lymphatical +lymphatically +lymphation +lymphatism +lymphatitis +lymphatolysin +lymphatolysis +lymphatolytic +limphault +lymphectasia +lymphedema +lymphemia +lymphenteritis +lymphy +lympho- +lymphoadenoma +lympho-adenoma +lymphoblast +lymphoblastic +lymphoblastoma +lymphoblastosis +lymphocele +lymphocyst +lymphocystosis +lymphocyte +lymphocytes +lymphocythemia +lymphocytic +lymphocytoma +lymphocytomatosis +lymphocytopenia +lymphocytosis +lymphocytotic +lymphocytotoxin +lymphodermia +lymphoduct +lymphoedema +lymphogenic +lymphogenous +lymphoglandula +lymphogranuloma +lymphogranulomas +lymphogranulomata +lymphogranulomatosis +lymphogranulomatous +lymphography +lymphographic +lymphoid +lymphoidectomy +lymphoidocyte +lymphology +lymphoma +lymphomas +lymphomata +lymphomatoid +lymphomatosis +lymphomatous +lymphomyxoma +lymphomonocyte +lymphopathy +lymphopenia +lymphopenial +lymphopoieses +lymphopoiesis +lymphopoietic +lymphoprotease +lymphorrhage +lymphorrhagia +lymphorrhagic +lymphorrhea +lymphosarcoma +lymphosarcomas +lymphosarcomatosis +lymphosarcomatous +lymphosporidiosis +lymphostasis +lymphotaxis +lymphotome +lymphotomy +lymphotoxemia +lymphotoxin +lymphotrophy +lymphotrophic +lymphous +lymphs +lymphuria +lymph-vascular +limpy +limpid +limpidity +limpidly +limpidness +limpily +limpin +limpiness +limping +limpingly +limpingness +limpish +limpkin +limpkins +limply +limpness +limpnesses +Limpopo +limps +limpsey +limpsy +limpsier +limpwort +limsy +limu +limu-eleele +limu-kohu +limuli +limulid +Limulidae +limuloid +Limuloidea +limuloids +Limulus +limurite +Lin +Lyn +lin. +Lina +linable +linac +Linaceae +linaceous +Linacre +linacs +linaga +linage +linages +linalyl +linaloa +linaloe +linalol +linalols +linalool +linalools +linamarin +Linanthus +Linares +Linaria +linarite +Linasec +Lynbrook +LINC +lyncean +Lynceus +Linch +Lynch +lynchable +linchbolt +Lynchburg +lynched +lyncher +lynchers +lynches +linchet +lynchet +lynching +lynchings +linchpin +linch-pin +lynchpin +linchpinned +linchpins +Lyncid +lyncine +Lyncis +lincloth +Lynco +Lincoln +Lincolndale +Lincolnesque +Lincolnian +Lincolniana +Lincolnlike +Lincolnshire +Lincolnton +Lincolnville +lincomycin +Lincroft +lincrusta +Lincs +lincture +linctus +Lind +Lynd +Linda +Lynda +lindabrides +lindackerite +Lindahl +Lindale +lindane +lindanes +Lindberg +Lindbergh +Lindblad +Lindbom +Lynde +Lindeberg +Lyndeborough +Lyndel +Lindell +Lyndell +Lindemann +Linden +Lynden +Lindenau +Lindenhurst +lindens +Lindenwold +Lindenwood +Linder +Lindera +Linders +Lyndes +Lindesnes +Lindgren +Lindholm +Lyndhurst +Lindi +Lindy +Lyndy +Lindybeth +Lindie +lindied +lindies +lindying +Lindylou +Lindisfarne +Lindley +Lindleyan +Lindly +Lindner +Lindo +lindoite +Lindon +Lyndon +Lyndonville +Lyndora +Lindquist +Lindrith +Lindsay +Lyndsay +Lindsborg +Lindsey +Lyndsey +Lindseyville +Lindsy +Lindside +Lyndsie +Lindsley +Lindstrom +Lindwall +lindworm +Line +Linea +Lynea +lineable +lineage +lineaged +lineages +lineal +lineality +lineally +lineament +lineamental +lineamentation +lineaments +lineameter +linear +linear-acute +linear-attenuate +linear-awled +linear-elliptical +linear-elongate +linear-ensate +linear-filiform +lineary +linearifolius +linearisation +linearise +linearised +linearising +linearity +linearities +linearizable +linearization +linearize +linearized +linearizes +linearizing +linear-lanceolate +linear-leaved +linearly +linear-ligulate +linear-oblong +linear-obovate +linear-setaceous +linear-shaped +linear-subulate +lineas +lineate +lineated +lineation +lineatum +lineature +linebacker +linebackers +linebacking +linebred +line-bred +linebreed +line-breed +linebreeding +line-bucker +linecaster +linecasting +line-casting +linecut +linecuts +lined +line-engraving +linefeed +linefeeds +line-firing +Linehan +line-haul +line-hunting +liney +lineiform +lineless +linelet +linelike +Linell +Lynelle +lineman +linemen +linen +Lynen +linen-armourer +linendrapers +Linene +linener +linenette +linenfold +lineny +linenize +linenizer +linenman +linens +linen's +linenumber +linenumbers +lineocircular +lineograph +lineolate +lineolated +line-out +lineprinter +liner +linerange +linerless +liners +lines +line's +line-sequential +linesides +linesman +linesmen +Linesville +Linet +linetest +Lynett +Linetta +Linette +Lynette +lineup +line-up +lineups +Lineville +linewalker +linework +ling +ling. +linga +Lingayat +Lingayata +lingala +lingam +lingams +lingas +lingberry +lingberries +Lyngbyaceae +Lyngbyeae +lingbird +lingcod +lingcods +linge +lingel +lingenberry +lingence +linger +lingered +lingerer +lingerers +lingerie +lingeries +lingering +lingeringly +lingers +linget +lingy +Lyngi +lingier +lingiest +lingism +Lingle +Lingleville +lingo +lingoe +lingoes +lingonberry +lingonberries +lingot +Lingoum +lings +lingster +lingtow +lingtowman +lingu- +lingua +linguacious +linguaciousness +linguadental +linguae +linguaeform +lingual +linguale +lingualis +linguality +lingualize +lingually +linguals +Lingualumina +linguanasal +Linguata +Linguatula +Linguatulida +Linguatulina +linguatuline +linguatuloid +linguet +linguidental +linguiform +linguine +linguines +linguini +linguinis +linguipotence +linguished +linguist +linguister +linguistic +linguistical +linguistically +linguistician +linguistics +linguistry +linguists +linguist's +lingula +lingulae +lingulate +lingulated +Lingulella +lingulid +Lingulidae +linguliferous +linguliform +linguloid +linguo- +linguodental +linguodistal +linguogingival +linguopalatal +linguopapillitis +linguoversion +Lingwood +lingwort +linha +linhay +liny +linie +linier +liniest +liniya +liniment +liniments +linin +lininess +lining +lining-out +linings +lining-up +linins +Linyphia +linyphiid +Linyphiidae +Linis +linitis +Linyu +linja +linje +Link +linkable +linkage +linkages +linkage's +linkboy +link-boy +linkboys +linked +linkedit +linkedited +linkediting +linkeditor +linkeditted +linkeditting +linkedness +Linker +linkers +linky +linkier +linkiest +linking +linkman +linkmen +Linkoping +Linkoski +Linkping +links +linksman +linksmen +linksmith +linkster +linkup +link-up +linkups +Linkwood +linkwork +linkworks +lin-lan-lone +linley +Linlithgow +Linn +Lynn +Lynna +Linnaea +Linnaean +Linnaeanism +linnaeite +Linnaeus +Lynndyl +Linne +Lynne +Linnea +Lynnea +Linnean +Linnell +Lynnell +Lynnelle +Linneman +linneon +Linnet +Lynnet +Linnete +linnets +Lynnett +Linnette +Lynnette +Linneus +Lynnfield +lynnhaven +Linnhe +Linnie +linns +Lynnville +Lynnwood +Lynnworth +lino +linocut +linocuts +Linoel +Linofilm +linolate +linoleate +linoleic +linolein +linolenate +linolenic +linolenin +linoleum +linoleums +linolic +linolin +linometer +linon +linonophobia +Linopteris +Linos +Linotype +Linotyped +Linotyper +linotypes +Linotyping +linotypist +lino-typist +linous +linoxin +linoxyn +linpin +linquish +Lins +Lyns +Linsang +linsangs +linseed +linseeds +linsey +Lynsey +linseys +linsey-woolsey +linsey-woolseys +Linsk +Linskey +Linson +linstock +linstocks +lint +lintel +linteled +linteling +lintelled +lintelling +lintels +linten +linter +lintern +linters +linty +lintie +lintier +lintiest +lintless +lintol +lintols +Linton +lintonite +lints +lintseed +lintwhite +lint-white +Linum +linums +linuron +linurons +Linus +Lynus +Linville +Linwood +Lynwood +Lynx +lynx-eyed +lynxes +lynxlike +lynx's +Linz +Linzer +Linzy +lyo- +lyocratic +Liod +liodermia +lyolysis +lyolytic +Lyomeri +lyomerous +liomyofibroma +liomyoma +Lion +Lyon +Lyonais +lion-bold +lionced +lioncel +lion-color +lion-drunk +Lionel +Lionello +Lyonese +lionesque +lioness +lionesses +lioness's +lionet +Lyonetia +lyonetiid +Lyonetiidae +lionfish +lionfishes +lion-footed +lion-guarded +lion-haunted +lion-headed +lionheart +lion-heart +lionhearted +lion-hearted +lionheartedly +lionheartedness +lion-hided +lionhood +lion-hued +lionisation +lionise +lionised +lioniser +lionisers +lionises +lionising +lionism +lionizable +lionization +lionizations +lionize +lionized +lionizer +lionizers +lionizes +lionizing +lionly +lionlike +lion-like +lion-maned +lion-mettled +Lyonnais +lyonnaise +lionne +Lyonnesse +lionproof +Lions +lion's +Lyons +lionship +lion-tailed +lion-tawny +lion-thoughted +Lyontine +lion-toothed +lyophil +lyophile +lyophiled +lyophilic +lyophilization +lyophilize +lyophilized +lyophilizer +lyophilizing +lyophobe +lyophobic +Lyopoma +Lyopomata +lyopomatous +Liothrix +Liotrichi +Liotrichidae +liotrichine +lyotrope +lyotropic +Liou +Liouville +lip +lip- +lipa +lipacidemia +lipaciduria +lipaemia +lipaemic +Lipan +Liparian +liparid +Liparidae +Liparididae +Liparis +liparite +liparocele +liparoid +liparomphalus +liparous +lipase +lipases +lip-back +lip-bearded +lip-blushing +lip-born +Lipchitz +Lipcombe +lip-deep +lipectomy +lipectomies +lypemania +lipemia +lipemic +Lyperosia +Lipetsk +Lipeurus +Lipfert +lip-good +lipic +lipid +lipide +lipides +lipidic +lipids +lipin +lipins +Lipinski +Lipizzaner +Lipkin +lip-labour +lip-learned +lipless +liplet +lip-licking +liplike +Lipman +Lipmann +lipo- +lipoblast +lipoblastoma +Lipobranchia +lipocaic +lipocardiac +lipocele +lipoceratous +lipocere +lipochondroma +lipochrome +lipochromic +lipochromogen +lipocyte +lipocytes +lipoclasis +lipoclastic +lipodystrophy +lipodystrophia +lipoferous +lipofibroma +lipogenesis +lipogenetic +lipogenic +lipogenous +lipogram +lipogrammatic +lipogrammatism +lipogrammatist +lipography +lipographic +lipohemia +lipoid +lipoidaemia +lipoidal +lipoidemia +lipoidic +lipoids +lipolyses +lipolysis +lipolitic +lipolytic +lipoma +lipomas +lipomata +lipomatosis +lipomatous +lipometabolic +lipometabolism +lipomyoma +lipomyxoma +lipomorph +Liponis +lipopectic +lip-open +lipopexia +lipophagic +lipophilic +lipophore +lipopod +Lipopoda +lipopolysaccharide +lipoprotein +liposarcoma +liposis +liposoluble +liposome +lipostomy +lipothymy +lipothymia +lypothymia +lipothymial +lipothymic +lipotype +Lipotyphla +lipotrophy +lipotrophic +lipotropy +lipotropic +lipotropin +lipotropism +lipovaccine +lipoxeny +lipoxenous +lipoxidase +Lipp +Lippe +lipped +lippen +lippened +lippening +lippens +lipper +lippered +lippering +lipperings +lippers +Lippershey +Lippi +lippy +Lippia +lippie +lippier +lippiest +Lippincott +lippiness +lipping +lippings +lippitude +lippitudo +Lippizaner +Lippizzana +Lippmann +Lippold +Lipps +lipread +lip-read +lipreading +lip-reading +lipreadings +lip-red +lip-round +lip-rounding +LIPS +lip's +lipsalve +lipsanographer +lipsanotheca +Lipschitz +Lipscomb +lipse +Lipsey +Lipski +lip-smacking +Lipson +lip-spreading +lipstick +lipsticks +Liptauer +lip-teeth +Lipton +lipuria +lipwork +liq +liq. +liquable +liquamen +liquate +liquated +liquates +liquating +liquation +liquefacient +liquefaction +liquefactions +liquefactive +liquefy +liquefiability +liquefiable +liquefied +liquefier +liquefiers +liquefies +liquefying +liquer +liquesce +liquescence +liquescency +liquescent +liquet +liqueur +liqueured +liqueuring +liqueurs +liquid +liquidable +Liquidambar +liquidamber +liquidate +liquidated +liquidates +liquidating +liquidation +liquidations +liquidation's +liquidator +liquidators +liquidatorship +liquidy +liquidise +liquidised +liquidising +liquidity +liquidities +liquidization +liquidize +liquidized +liquidizer +liquidizes +liquidizing +liquidless +liquidly +liquidness +liquidogenic +liquidogenous +liquids +liquid's +liquidus +liquify +liquified +liquifier +liquifiers +liquifies +liquifying +liquiform +liquor +liquor-drinking +liquored +liquorer +liquory +liquorice +liquoring +liquorish +liquorishly +liquorishness +liquorist +liquorless +liquor-loving +liquors +liquor's +Lir +Lira +Lyra +Lyrae +Lyraid +liras +lirate +lyrate +lyrated +lyrately +lyrate-lobed +liration +lyraway +lire +lyre +lyrebird +lyrebirds +lyreflower +lyre-guitar +lyre-leaved +lirella +lirellate +lirelliform +lirelline +lirellous +lyreman +lyres +lyre-shaped +lyretail +lyre-tailed +lyric +lyrical +lyrically +lyricalness +lyrichord +lyricisation +lyricise +lyricised +lyricises +lyricising +lyricism +lyricisms +lyricist +lyricists +lyricization +lyricize +lyricized +lyricizes +lyricizing +lyricked +lyricking +lyrico-dramatic +lyrico-epic +lyrics +lyric-writing +Lyrid +lyriform +lirioddra +liriodendra +Liriodendron +liriodendrons +liripipe +liripipes +liripoop +Liris +Lyris +lyrism +lyrisms +lyrist +lyrists +liroconite +lirot +liroth +Lyrurus +Lyrus +lis +Lys +lys- +LISA +Lisabet +Lisabeth +Lisan +Lysander +Lisandra +Lysandra +Li-sao +lysate +lysates +Lisbeth +Lisboa +Lisbon +Lisco +Liscomb +Lise +lyse +lysed +Liselotte +Lysenko +Lysenkoism +lisente +lisere +lysergic +lyses +Lisetta +Lisette +lish +Lisha +Lishe +Lysias +lysidin +lysidine +lisiere +Lisieux +lysigenic +lysigenous +lysigenously +Lysiloma +Lysimachia +Lysimachus +lysimeter +lysimetric +lysin +lysine +lysines +lysing +lysins +Lysippe +Lysippus +lysis +Lysistrata +Lysite +Lisk +Lisle +lisles +Lisman +Lismore +lyso- +lysogen +lysogenesis +lysogenetic +lysogeny +lysogenic +lysogenicity +lysogenies +lysogenization +lysogenize +lysogens +Lysol +lysolecithin +lysosomal +lysosomally +lysosome +lysosomes +lysozyme +lysozymes +LISP +lisped +lisper +lispers +lisping +lispingly +lispound +lisps +lisp's +lispund +Liss +Lissa +Lyssa +Lissajous +Lissak +Lissamphibia +lissamphibian +lyssas +Lissencephala +lissencephalic +lissencephalous +lisses +Lissi +Lissy +lyssic +Lissie +Lissner +Lissoflagellata +lissoflagellate +lissom +lissome +lissomely +lissomeness +lissomly +lissomness +lyssophobia +lissotrichan +Lissotriches +lissotrichy +lissotrichous +LIST +listable +listed +listedness +listel +listels +listen +listenable +listened +listener +listener-in +listeners +listenership +listening +listenings +listens +Lister +Listera +listerelloses +listerellosis +Listeria +Listerian +listeriases +listeriasis +Listerine +listerioses +listeriosis +Listerise +Listerised +Listerising +Listerism +Listerize +Listerized +Listerizing +listers +listful +listy +Listie +listing +listings +listing's +listless +listlessly +listlessness +listlessnesses +listred +lists +listwork +Lisuarte +Liszt +Lisztian +Lit +lit. +Lita +Litae +litai +litaneutical +litany +litanies +litanywise +litarge +litas +litation +litatu +LitB +Litch +Litchfield +litchi +litchis +Litchville +LitD +lite +lyte +liter +literacy +literacies +literaehumaniores +literaily +literal +literalisation +literalise +literalised +literaliser +literalising +literalism +literalist +literalistic +literalistically +literality +literalities +literalization +literalize +literalized +literalizer +literalizing +literally +literalminded +literal-minded +literalmindedness +literalness +literals +literary +literarian +literaryism +literarily +literariness +literata +literate +literated +literately +literateness +literates +literati +literatim +literation +literatist +literato +literator +literatos +literature +literatured +literatures +literature's +literatus +Literberry +lyterian +literose +literosity +liters +lites +lith +lith- +Lith. +Litha +lithaemia +lithaemic +lithagogue +lithangiuria +lithanode +lithanthrax +litharge +litharges +lithate +lithatic +lithe +lythe +Lithea +lithectasy +lithectomy +lithely +lithemia +lithemias +lithemic +litheness +lither +litherly +litherness +lithesome +lithesomeness +lithest +lithi +lithy +Lithia +lithias +lithiasis +lithiastic +lithiate +lithic +lithically +lithifaction +lithify +lithification +lithified +lithifying +lithiophilite +lithite +lithium +lithiums +lithless +litho +litho- +litho. +lithobiid +Lithobiidae +lithobioid +Lithobius +Lithocarpus +lithocenosis +lithochemistry +lithochromatic +lithochromatics +lithochromatography +lithochromatographic +lithochromy +lithochromic +lithochromography +lithocyst +lithocystotomy +lithoclase +lithoclast +lithoclasty +lithoclastic +lithoculture +Lithodes +lithodesma +lithodialysis +lithodid +Lithodidae +lithodomous +Lithodomus +lithoed +lithofellic +lithofellinic +lithofracteur +lithofractor +lithog +lithogenesy +lithogenesis +lithogenetic +lithogeny +lithogenous +lithoglyph +lithoglypher +lithoglyphic +lithoglyptic +lithoglyptics +lithograph +lithographed +lithographer +lithographers +lithography +lithographic +lithographical +lithographically +lithographies +lithographing +lithographize +lithographs +lithogravure +lithoid +lithoidal +lithoidite +lithoing +lithol +lithol. +litholabe +litholapaxy +litholatry +litholatrous +litholysis +litholyte +litholytic +lithology +lithologic +lithological +lithologically +lithologist +lithomancy +lithomarge +lithometeor +lithometer +lithonephria +lithonephritis +lithonephrotomy +lithonephrotomies +Lithonia +lithontriptic +lithontriptist +lithontriptor +lithopaedion +lithopaedium +lithopedion +lithopedium +lithophagous +lithophane +lithophany +lithophanic +lithophyl +lithophile +lithophyll +lithophyllous +lithophilous +lithophysa +lithophysae +lithophysal +lithophyte +lithophytic +lithophytous +lithophone +lithophotography +lithophotogravure +lithophthisis +Lithopolis +lithopone +lithoprint +lithoprinter +lithos +lithoscope +lithosere +lithosian +lithosiid +Lithosiidae +Lithosiinae +lithosis +lithosol +lithosols +lithosperm +lithospermon +lithospermous +Lithospermum +lithosphere +lithospheric +lithotint +lithotype +lithotyped +lithotypy +lithotypic +lithotyping +lithotome +lithotomy +lithotomic +lithotomical +lithotomies +lithotomist +lithotomize +lithotomous +lithotony +lithotresis +lithotripsy +lithotriptor +lithotrite +lithotrity +lithotritic +lithotrities +lithotritist +lithotritor +lithous +lithoxyl +lithoxyle +lithoxylite +Lythraceae +lythraceous +Lythrum +lithsman +Lithuania +Lithuanian +lithuanians +Lithuanic +lithuresis +lithuria +liti +lytic +lytically +liticontestation +Lityerses +litigable +litigant +litigants +litigate +litigated +litigates +litigating +litigation +litigationist +litigations +litigator +litigatory +litigators +litigiosity +litigious +litigiously +litigiousness +litigiousnesses +Litiopa +litiscontest +litiscontestation +litiscontestational +Lititz +Lytle +Litman +litmus +litmuses +Litopterna +litoral +Litorina +Litorinidae +litorinoid +litotes +litotic +litra +litre +litres +lits +Litsea +litster +Litt +Litta +lytta +lyttae +lyttas +LittB +Littcarr +LittD +Littell +litten +Lytten +litter +litterateur +litterateurs +litteratim +litterbag +litter-bearer +litterbug +litterbugs +littered +litterer +litterers +littery +littering +littermate +littermates +litters +Little +little-able +little-by-little +little-bitsy +little-bitty +little-boukit +little-branched +little-ease +Little-endian +Littlefield +little-footed +little-girlish +little-girlishness +little-go +Little-good +little-haired +little-headed +Littlejohn +little-known +littleleaf +little-loved +little-minded +little-mindedness +littleneck +littlenecks +littleness +littlenesses +Littleport +little-prized +littler +little-read +little-regarded +littles +littlest +little-statured +Littlestown +Littleton +little-trained +little-traveled +little-used +littlewale +little-worth +littlin +littling +littlish +LittM +Littman +Litton +Lytton +littoral +littorals +Littorella +Littoria +littrateur +Littre +littress +Littrow +litu +lituate +litui +lituiform +lituite +Lituites +Lituitidae +lituitoid +Lituola +lituoline +lituoloid +liturate +liturgy +liturgic +liturgical +liturgically +liturgician +liturgics +liturgies +liturgiology +liturgiological +liturgiologist +liturgism +liturgist +liturgistic +liturgistical +liturgists +liturgize +litus +lituus +Litvak +Litvinov +litz +LIU +Lyubertsy +Lyublin +Lyudmila +Liuka +Liukiu +Liv +Liva +livability +livabilities +livable +livableness +livably +Livarot +live +liveability +liveable +liveableness +livebearer +live-bearer +live-bearing +liveborn +live-box +lived +lived-in +livedo +live-ever +live-forever +liveyer +live-in-idleness +Lively +livelier +liveliest +livelihead +livelihood +livelihoods +livelily +liveliness +livelinesses +livelong +liven +livened +livener +liveners +liveness +livenesses +livening +livens +Livenza +live-oak +liver +liverance +liverberry +liverberries +liver-brown +liver-colored +livered +liverhearted +liverheartedness +liver-hued +livery +liverydom +liveried +liveries +liveryless +liveryman +livery-man +liverymen +livering +liverish +liverishness +livery-stable +liverleaf +liverleaves +liverless +Livermore +liver-moss +Liverpool +Liverpudlian +liver-rot +livers +liver-white +liverwort +liverworts +liverwurst +liverwursts +lives +Livesay +live-sawed +livest +livestock +livestocks +liveth +livetin +livetrap +livetrapped +livetrapping +livetraps +liveware +liveweight +Livi +Livy +Livia +Livian +livid +livid-brown +lividity +lividities +lividly +lividness +livier +livyer +liviers +livyers +living +livingless +livingly +livingness +livings +Livingston +Livingstone +livingstoneite +Livish +livishly +Livistona +livlihood +Livonia +Livonian +livor +Livorno +livraison +livre +livres +Livvi +Livvy +Livvie +Livvyy +liwan +lixive +lixivia +lixivial +lixiviate +lixiviated +lixiviating +lixiviation +lixiviator +lixivious +lixivium +lixiviums +lyxose +Liz +Liza +Lizabeth +Lizard +lizardfish +lizardfishes +lizardlike +lizards +lizard's +lizards-tail +lizard's-tail +lizardtail +lizary +Lizbeth +lyze +Lizella +Lizemores +Lizette +Lizton +Lizzy +Lizzie +LJ +LJBF +Ljod +Ljoka +Ljubljana +Ljutomer +LL +'ll +ll. +LL.B. +LL.D. +LL.M. +LLAMA +llamas +Llanberisslate +Llandaff +Llandeilo +Llandovery +Llandudno +Llanelli +Llanelly +llanero +Llanfairpwllgwyngyll +Llangollen +Llano +llanos +llareta +llautu +LLB +LLC +LLD +Lleburgaz +ller +Lleu +Llew +Llewelyn +Llewellyn +llyn +L-line +Llyr +Llywellyn +LLM +LLN +LLNL +LLO +LLoyd +lloyd's +Llovera +LLOX +LLP +Llud +Lludd +LM +lm/ft +lm/m +lm/W +Lman +LMC +LME +LMF +lm-hr +LMMS +LMOS +LMT +ln +LN2 +lndg +Lneburg +LNG +l-noradrenaline +l-norepinephrine +Lnos +lnr +LO +LOA +loach +Loachapoka +loaches +load +loadable +loadage +loaded +loadedness +loaden +loader +loaders +loadinfo +loading +loadings +loadless +loadpenny +loads +loadsome +loadspecs +loadstar +loadstars +loadstone +loadstones +loadum +load-water-line +loaf +loafed +loafer +loaferdom +loaferish +Loafers +loafing +loafingly +Loafishness +loaflet +loafs +loaf-sugar +loaghtan +loaiasis +loam +loamed +Loami +loamy +loamier +loamiest +loamily +loaminess +loaming +loamless +Loammi +loams +loan +loanable +loanblend +Loanda +loaned +loaner +loaners +loange +loanin +loaning +loanings +loanmonger +loan-office +loans +loanshark +loan-shark +loansharking +loan-sharking +loanshift +loanword +loanwords +Loar +Loasa +Loasaceae +loasaceous +loath +loathe +loathed +loather +loathers +loathes +loathful +loathfully +loathfulness +loathy +loathing +loathingly +loathings +loathly +loathliness +loathness +loathsome +loathsomely +loathsomeness +Loats +Loatuko +loave +loaves +LOB +lob- +Lobachevsky +Lobachevskian +lobal +Lobale +lobar +Lobaria +Lobata +Lobatae +lobate +lobated +lobately +lobation +lobations +lobato- +lobato-digitate +lobato-divided +lobato-foliaceous +lobato-partite +lobato-ramulose +lobbed +Lobber +lobbers +lobby +lobbied +lobbyer +lobbyers +lobbies +lobbygow +lobbygows +lobbying +lobbyism +lobbyisms +lobbyist +lobbyists +lobbyman +lobbymen +lobbing +lobbish +lobcock +lobcokt +lobe +Lobeco +lobectomy +lobectomies +lobed +lobed-leaved +lobefin +lobefins +lobefoot +lobefooted +lobefoots +Lobel +lobeless +lobelet +Lobelia +Lobeliaceae +lobeliaceous +lobelias +lobelin +lobeline +lobelines +Lobell +lobellated +Lobelville +Lobengula +lobes +lobe's +lobfig +lobi +lobiform +lobigerous +lobing +lobiped +Lobito +loblolly +loblollies +lobo +lobola +lobolo +lobolos +lobopodium +lobos +Lobosa +lobose +lobotomy +lobotomies +lobotomize +lobotomized +lobotomizing +lobs +lobscourse +lobscouse +lobscouser +lobsided +lobster +lobster-horns +lobstering +lobsterish +lobsterlike +lobsterman +lobsterproof +lobster-red +lobsters +lobster's +lobsters-claw +lobster-tail +lobster-tailed +lobstick +lobsticks +lobtail +lobular +Lobularia +lobularly +lobulate +lobulated +lobulation +lobule +lobules +lobulette +lobuli +lobulose +lobulous +lobulus +lobus +lobworm +lob-worm +lobworms +LOC +loca +locable +local +locale +localed +locales +localing +localisable +localisation +localise +localised +localiser +localises +localising +localism +localisms +localist +localistic +localists +localite +localites +locality +localities +locality's +localizable +localization +localizations +localize +localized +localizer +localizes +localizing +localled +locally +localling +localness +locals +locanda +LOCAP +Locarnist +Locarnite +Locarnize +Locarno +locatable +locate +located +locater +locaters +locates +locating +locatio +location +locational +locationally +locations +locative +locatives +locator +locators +locator's +locatum +locellate +locellus +Loch +lochaber +lochage +lochagus +lochan +loche +lochetic +Lochgelly +lochi +lochy +Lochia +lochial +Lochinvar +lochiocyte +lochiocolpos +lochiometra +lochiometritis +lochiopyra +lochiorrhagia +lochiorrhea +lochioschesis +Lochlin +Lochloosa +Lochmere +Lochner +lochometritis +lochoperitonitis +lochopyra +lochs +lochus +loci +lociation +lock +lockable +lock-a-daisy +lockage +lockages +Lockatong +Lockbourne +lockbox +lockboxes +Locke +Lockean +Lockeanism +locked +Lockeford +locker +Lockerbie +lockerman +lockermen +lockers +Lockesburg +locket +lockets +Lockett +lockfast +lockful +lock-grained +Lockhart +Lockheed +lockhole +Locky +Lockian +Lockianism +Lockie +Lockyer +locking +lockings +lockjaw +lock-jaw +lockjaws +Lockland +lockless +locklet +Locklin +lockmaker +lockmaking +lockman +Lockney +locknut +locknuts +lockout +lock-out +lockouts +lockout's +lockpin +Lockport +lockram +lockrams +lockrum +locks +locksman +locksmith +locksmithery +locksmithing +locksmiths +lockspit +lockstep +locksteps +lockstitch +lockup +lock-up +lockups +lockup's +Lockwood +lockwork +locn +Loco +locodescriptive +loco-descriptive +locoed +locoes +Locofoco +loco-foco +Locofocoism +locofocos +locoing +locoism +locoisms +locoman +locomobile +locomobility +locomote +locomoted +locomotes +locomotility +locomoting +locomotion +locomotions +locomotive +locomotively +locomotiveman +locomotivemen +locomotiveness +locomotives +locomotive's +locomotivity +locomotor +locomotory +locomutation +locos +locoweed +locoweeds +Locrian +Locrine +Locris +Locrus +loculament +loculamentose +loculamentous +locular +loculate +loculated +loculation +locule +loculed +locules +loculi +loculicidal +loculicidally +loculose +loculous +loculus +locum +locums +locum-tenency +locuplete +locupletely +locus +locusca +locust +locusta +locustae +locustal +locustberry +Locustdale +locustelle +locustid +Locustidae +locusting +locustlike +locusts +locust's +locust-tree +Locustville +locution +locutionary +locutions +locutor +locutory +locutoria +locutories +locutorium +locutorship +locuttoria +Lod +Loda +Loddigesia +lode +lodeman +lodemanage +loden +lodens +lodes +lodesman +lodesmen +lodestar +lodestars +lodestone +lodestuff +Lodge +lodgeable +lodged +lodgeful +Lodgegrass +lodgeman +lodgement +lodgements +lodgepole +lodger +lodgerdom +lodgers +lodges +lodging +lodginghouse +lodgings +lodgment +lodgments +Lodha +Lodhia +Lodi +Lody +lodicula +lodicule +lodicules +Lodie +Lodmilla +Lodoicea +Lodovico +Lodowic +Lodowick +Lodur +Lodz +LOE +Loeb +loed +Loeffler +Loegria +loeil +l'oeil +loeing +Loella +loellingite +Loesceke +loess +loessal +loesses +loessial +loessic +loessland +loessoid +Loewe +Loewi +Loewy +LOF +Loferski +Loffler +Lofn +lofstelle +LOFT +loft-dried +lofted +lofter +lofters +Lofti +lofty +lofty-browed +loftier +loftiest +lofty-headed +lofty-humored +loftily +lofty-looking +lofty-minded +loftiness +loftinesses +Lofting +lofty-notioned +lofty-peaked +lofty-plumed +lofty-roofed +Loftis +lofty-sounding +loftless +loftman +loftmen +lofts +loft's +loftsman +loftsmen +Loftus +log +log- +Logan +loganberry +loganberries +Logandale +Logania +Loganiaceae +loganiaceous +loganin +logans +Logansport +logan-stone +Loganton +Loganville +logaoedic +logarithm +logarithmal +logarithmetic +logarithmetical +logarithmetically +logarithmic +logarithmical +logarithmically +logarithmomancy +logarithms +logarithm's +logbook +log-book +logbooks +logchip +logcock +loge +logeia +logeion +loger +loges +logeum +loggat +loggats +logged +logger +loggerhead +loggerheaded +loggerheads +loggers +logger's +logget +loggets +loggy +Loggia +loggias +loggie +loggier +loggiest +loggin +logginess +logging +loggings +Loggins +loggish +loghead +logheaded +Logi +logy +logia +logian +logic +logical +logicalist +logicality +logicalization +logicalize +logically +logicalness +logicaster +logic-chopper +logic-chopping +logician +logicianer +logicians +logician's +logicise +logicised +logicises +logicising +logicism +logicist +logicity +logicize +logicized +logicizes +logicizing +logicless +logico-metaphysical +logics +logic's +logie +logier +logiest +logily +login +loginess +loginesses +Loginov +logins +logion +logions +logis +logist +logistic +logistical +logistically +logistician +logisticians +logistics +logium +logjam +logjams +loglet +loglike +loglog +log-log +logman +lognormal +lognormality +lognormally +logo +logo- +logocracy +logodaedaly +logodaedalus +logoes +logoff +logogogue +logogram +logogrammatic +logogrammatically +logograms +logograph +logographer +logography +logographic +logographical +logographically +logogriph +logogriphic +logoi +logolatry +logology +logomach +logomacher +logomachy +logomachic +logomachical +logomachies +logomachist +logomachize +logomachs +logomancy +logomania +logomaniac +logometer +logometric +logometrical +logometrically +logopaedics +logopedia +logopedic +logopedics +logophobia +logorrhea +logorrheic +logorrhoea +Logos +logothete +logothete- +logotype +logotypes +logotypy +logotypies +logout +logperch +logperches +Logres +Logria +Logris +logroll +log-roll +logrolled +logroller +log-roller +logrolling +log-rolling +logrolls +Logrono +logs +log's +logship +logue +logway +logways +logwise +logwood +logwoods +logwork +lohan +Lohana +Lohar +Lohengrin +Lohman +Lohn +Lohner +lohoch +lohock +Lohrman +Lohrmann +Lohrville +Lohse +LOI +Loy +loyal +loyaler +loyalest +loyalism +loyalisms +Loyalist +loyalists +loyalize +Loyall +loyally +loyalness +loyalty +loyalties +loyalty's +Loyalton +Loyang +loiasis +Loyce +loyd +Loyde +Loydie +loimic +loimography +loimology +loin +loyn +loincloth +loinclothes +loincloths +loined +loinguard +loins +loin's +Loyola +Loyolism +Loyolite +loir +Loire +Loire-Atlantique +Loiret +Loir-et-Cher +Lois +Loysburg +Loise +Loiseleuria +Loysville +loiter +loitered +loiterer +loiterers +loitering +loiteringly +loiteringness +loiters +Loiza +Loja +loka +lokacara +Lokayata +Lokayatika +lokao +lokaose +lokapala +loke +lokelani +loket +Loki +lokiec +Lokindra +Lokman +lokshen +Lola +Lolande +Lolanthe +Lole +Loleta +loli +Loliginidae +Loligo +Lolita +Lolium +loll +Lolland +lollapaloosa +lollapalooza +Lollard +Lollardy +Lollardian +Lollardism +Lollardist +Lollardize +Lollardlike +Lollardry +lolled +loller +lollers +Lolly +lollies +lollygag +lollygagged +lollygagging +lollygags +lolling +lollingite +lollingly +lollipop +lollypop +lollipops +lollypops +lollop +lolloped +lollopy +lolloping +lollops +lolls +loll-shraub +lollup +Lolo +Lom +Loma +Lomalinda +Lomamar +Loman +Lomasi +lomastome +lomata +lomatine +lomatinous +Lomatium +Lomax +Lomb +Lombard +Lombardeer +Lombardesque +Lombardi +Lombardy +Lombardian +Lombardic +Lombardo +lombard-street +lomboy +Lombok +Lombrosian +Lombroso +Lome +lomein +lomeins +loment +lomenta +lomentaceous +Lomentaria +lomentariaceous +lomentlike +loments +lomentum +lomentums +Lometa +lomilomi +lomi-lomi +Lomira +Lomita +lommock +Lomond +lomonite +Lompoc +lomta +LON +Lona +Lonaconing +Lonchocarpus +Lonchopteridae +lond +Londinensian +London +Londonderry +Londoner +londoners +Londonese +Londonesque +Londony +Londonian +Londonish +Londonism +Londonization +Londonize +Londres +Londrina +lone +Lonedell +Lonee +loneful +Loney +Lonejack +lonely +lonelier +loneliest +lonelihood +lonelily +loneliness +lonelinesses +loneness +lonenesses +loner +Lonergan +loners +lonesome +lonesomely +lonesomeness +lonesomenesses +lonesomes +Lonestar +Lonetree +long +long- +longa +long-accustomed +longacre +long-acre +long-agitated +long-ago +Longan +longanamous +longanimity +longanimities +longanimous +longans +long-arm +long-armed +Longaville +Longawa +long-awaited +long-awned +long-axed +long-backed +long-barreled +longbeak +long-beaked +longbeard +long-bearded +long-bellied +Longbenton +long-berried +longbill +long-billed +longboat +long-boat +longboats +long-bodied +long-borne +Longbottom +longbow +long-bow +longbowman +longbows +long-bracted +long-branched +long-breathed +long-buried +long-celled +long-chained +long-cycle +long-cycled +long-clawed +longcloth +long-coated +long-coats +long-contended +long-continued +long-continuing +long-coupled +long-crested +long-day +Longdale +long-dated +long-dead +long-delayed +long-descending +long-deserted +long-desired +long-destroying +long-distance +long-docked +long-drawn +long-drawn-out +longe +longear +long-eared +longed +longed-for +longee +longeing +long-enduring +longer +Longerich +longeron +longerons +longers +longes +longest +long-established +longeval +longeve +longevity +longevities +longevous +long-exerted +long-expected +long-experienced +long-extended +long-faced +long-faded +long-favored +long-fed +Longfellow +longfelt +long-fiber +long-fibered +longfin +long-fingered +long-finned +long-fleeced +long-flowered +long-footed +Longford +long-forgotten +long-fronted +long-fruited +longful +long-gown +long-gowned +long-grassed +longhair +long-hair +longhaired +long-haired +longhairs +longhand +long-hand +long-handed +long-handled +longhands +longhead +long-head +longheaded +long-headed +longheadedly +longheadedness +long-headedness +longheads +long-heeled +long-hid +Longhorn +long-horned +longhorns +longhouse +longi- +longicaudal +longicaudate +longicone +longicorn +Longicornia +Longyearbyen +longies +longyi +longilateral +longilingual +longiloquence +longiloquent +longimanous +longimetry +longimetric +Longinean +longing +longingly +longingness +longings +Longinian +longinquity +Longinus +longipennate +longipennine +longirostral +longirostrate +longirostrine +Longirostrines +longisection +longish +longitude +longitudes +longitude's +longitudianl +longitudinal +longitudinally +longjaw +long-jawed +longjaws +long-jointed +long-journey +Longkey +long-kept +long-lacked +Longlane +long-lasting +long-lastingness +Longleaf +long-leaved +longleaves +longleg +long-leg +long-legged +longlegs +Longley +longly +longlick +long-limbed +longline +long-line +long-lined +longliner +long-liner +longlinerman +longlinermen +longlines +long-lining +long-lived +long-livedness +long-living +long-locked +long-lost +long-lunged +Longmeadow +long-memoried +Longmire +Longmont +longmouthed +long-nebbed +longneck +long-necked +longness +longnesses +longnose +long-nosed +Longo +Longobard +Longobardi +Longobardian +Longobardic +long-off +Longomontanus +long-on +long-parted +long-past +long-pasterned +long-pending +long-playing +long-planned +long-plumed +longpod +long-pod +long-podded +Longport +long-possessed +long-projected +long-protracted +long-quartered +long-range +long-reaching +long-resounding +long-ribbed +long-ridged +long-robed +long-roofed +longroot +long-rooted +longrun +Longs +long-saved +long-settled +long-shaded +long-shadowed +long-shafted +long-shanked +longshanks +long-shaped +longship +longships +longshore +long-shore +longshoreman +longshoremen +longshoring +longshot +longshucks +long-shut +longsighted +long-sighted +longsightedness +long-sightedness +long-skulled +long-sleeved +longsleever +long-snouted +longsome +longsomely +longsomeness +long-sought +long-span +long-spine +long-spined +longspun +long-spun +longspur +long-spurred +longspurs +long-staffed +long-stalked +longstanding +long-standing +long-staple +long-stapled +long-stemmed +long-styled +long-stocked +long-streaming +Longstreet +long-stretched +long-stroke +long-succeeding +long-sufferance +long-suffered +longsuffering +long-suffering +long-sufferingly +long-sundered +longtail +long-tail +long-tailed +long-term +long-termer +long-thinking +long-threatened +longtime +long-time +long-timed +longtimer +Longtin +long-toed +Longton +long-tongue +long-tongued +long-toothed +long-traveled +longue +longues +Longueuil +longueur +longueurs +longulite +Longus +Longview +Longville +long-visaged +longway +longways +long-waisted +longwall +long-wandered +long-wandering +long-wave +long-wedded +long-winded +long-windedly +long-windedness +long-winged +longwise +long-wished +long-withdrawing +long-withheld +Longwood +longwool +long-wooled +longword +long-worded +longwork +longwort +Longworth +lonhyn +Loni +Lonicera +Lonie +Lonier +Lonk +Lonna +Lonnard +Lonne +Lonni +Lonny +Lonnie +Lonnrot +Lonoke +lonouhard +lonquhard +Lonsdale +Lons-le-Saunier +lontar +Lontson +Lonzie +Lonzo +loo +loob +looby +loobies +loobyish +loobily +looch +lood +looed +looey +looeys +loof +loofa +loofah +loofahs +loofas +loofie +loofness +loofs +Loogootee +looie +looies +looing +look +lookahead +look-alike +look-alikes +lookdown +look-down +lookdowns +Lookeba +looked +looked-for +lookee +looker +looker-on +lookers +lookers-on +looky +look-in +looking +looking-glass +lookout +lookouts +look-over +looks +look-see +look-through +lookum +lookup +look-up +lookups +lookup's +LOOM +loomed +loomer +loomery +loomfixer +looming +Loomis +looms +loom-state +Loon +looney +looneys +Looneyville +loonery +loony +loonybin +loonier +loonies +looniest +looniness +loons +loop +loopback +loope +looped +looper +loopers +loopful +loophole +loop-hole +loopholed +loopholes +loophole's +loopholing +loopy +loopier +loopiest +looping +loopist +looplet +looplike +LOOPS +loop-the-loop +loord +loory +Loos +loose +loose-barbed +loose-bodied +loosebox +loose-coupled +loose-curled +loosed +loose-driving +loose-enrobed +loose-fibered +loose-fitting +loose-fleshed +loose-floating +loose-flowered +loose-flowing +loose-footed +loose-girdled +loose-gowned +loose-handed +loose-hanging +loose-hipped +loose-hung +loose-jointed +loose-kneed +looseleaf +loose-leaf +looseleafs +loosely +loose-lying +loose-limbed +loose-lipped +loose-lived +loose-living +loose-locked +loose-mannered +loose-moraled +loosemouthed +loosen +loose-necked +loosened +loosener +looseners +looseness +loosenesses +loosening +loosens +loose-packed +loose-panicled +loose-principled +looser +loose-robed +looses +loose-skinned +loose-spiked +loosest +loosestrife +loose-thinking +loose-tongued +loose-topped +loose-wadded +loose-wived +loose-woven +loose-writ +loosing +loosish +loot +lootable +looted +looten +looter +looters +lootie +lootiewallah +looting +loots +lootsman +lootsmans +loover +LOP +Lopatnikoff +Lopatnikov +Lope +lop-ear +lop-eared +loped +lopeman +Lopeno +loper +lopers +Lopes +lopeskonce +Lopez +Lopezia +lopheavy +lophiid +Lophiidae +lophin +lophine +Lophiodon +lophiodont +Lophiodontidae +lophiodontoid +Lophiola +Lophiomyidae +Lophiomyinae +Lophiomys +lophiostomate +lophiostomous +lopho- +lophobranch +lophobranchiate +Lophobranchii +lophocalthrops +lophocercal +Lophocome +Lophocomi +Lophodermium +lophodont +lophophytosis +Lophophora +lophophoral +lophophore +Lophophorinae +lophophorine +Lophophorus +Lophopoda +Lophornis +Lophortyx +lophostea +lophosteon +lophosteons +lophotriaene +lophotrichic +lophotrichous +Lophura +loping +Lopoldville +lopolith +loppard +lopped +lopper +loppered +loppering +loppers +loppet +loppy +loppier +loppiest +lopping +lops +lopseed +lopsided +lop-sided +lopsidedly +lopsidedness +lopsidednesses +lopstick +lopsticks +loq +loq. +loquacious +loquaciously +loquaciousness +loquacity +loquacities +loquat +loquats +loquence +loquency +loquent +loquently +loquitur +lor +lor' +Lora +Lorado +Lorain +Loraine +Loral +Loralee +Loralie +Loralyn +Loram +LORAN +lorandite +Lorane +Loranger +lorans +loranskite +Lorant +Loranthaceae +loranthaceous +Loranthus +lorarii +lorarius +lorate +Lorca +lorcha +Lord +Lordan +lorded +lordy +lording +lordings +lord-in-waiting +lordkin +lordless +lordlet +lordly +lordlier +lordliest +lord-lieutenancy +lord-lieutenant +lordlike +lordlily +lordliness +lordling +lordlings +lordolatry +lordoma +lordomas +lordoses +lordosis +lordotic +Lords +lords-and-ladies +Lordsburg +Lordship +lordships +lords-in-waiting +lordswike +lordwood +Lore +loreal +Loreauville +lored +Loredana +Loredo +Loree +Loreen +lorel +Lorelei +loreless +Lorelie +Lorella +Lorelle +Loren +Lorena +Lorence +Lorene +Lorens +Lorentz +Lorenz +Lorenza +Lorenzan +Lorenzana +lorenzenite +Lorenzetti +Lorenzo +lores +Lorestan +Loresz +loretin +Loretta +Lorette +Lorettine +Loretto +lorettoite +lorgnette +lorgnettes +lorgnon +lorgnons +Lori +Lory +Loria +Lorianna +Lorianne +loric +lorica +loricae +loricarian +Loricariidae +loricarioid +Loricata +loricate +loricated +loricates +Loricati +loricating +lorication +loricoid +Lorida +Lorie +Lorien +Lorient +lories +lorikeet +lorikeets +Lorilee +lorilet +Lorilyn +Lorimer +lorimers +Lorimor +Lorin +Lorinda +Lorine +Loriner +loriners +Loring +loriot +Loris +lorises +lorisiform +Lorita +Lorius +Lorman +lormery +Lorn +Lorna +Lorne +lornness +lornnesses +loro +Lorola +Lorolla +Lorollas +loros +Lorou +Lorrain +Lorraine +Lorrayne +Lorrainer +Lorrainese +Lorri +Lorry +Lorrie +lorries +lorriker +Lorrimer +Lorrimor +Lorrin +Lorris +lors +Lorsung +Lorton +lorum +Lorus +Lorusso +LOS +losable +losableness +losang +Lose +Loseff +Losey +losel +loselism +loselry +losels +losenger +lose-out +loser +losers +loses +LOSF +losh +losing +losingly +losings +Loss +Lossa +Losse +lossenite +losser +losses +lossful +lossy +lossier +lossiest +lossless +lossproof +loss's +lost +Lostant +Lostine +lostling +lostness +lostnesses +Lot +Lota +L'Otage +lotah +lotahs +lotan +lotas +lotase +lote +lotebush +Lot-et-Garonne +lotewood +loth +Lotha +Lothair +Lothaire +Lothar +Lotharingian +Lothario +Lotharios +Lothian +Lothians +lothly +Lothringen +lothsome +Loti +lotic +lotiform +lotion +lotions +Lotis +lotium +lotment +loto +lotong +Lotophagi +lotophagous +lotophagously +lotor +lotos +lotoses +lotrite +LOTS +lot's +Lotson +Lott +Lotta +Lotte +lotted +lotter +lottery +lotteries +Lotti +Lotty +Lottie +lotting +lotto +lottos +Lottsburg +Lotuko +Lotus +lotus-eater +lotus-eating +lotuses +lotusin +lotuslike +Lotz +Lotze +Lou +Louann +Louanna +Louanne +louch +louche +louchettes +Loucheux +loud +loud-acclaiming +loud-applauding +loud-bellowing +loud-blustering +loud-calling +loud-clamoring +loud-cursing +louden +loudened +loudening +loudens +louder +loudering +loudest +loud-hailer +loudy-da +loudish +loudishness +loud-laughing +loudly +loudlier +loudliest +loudmouth +loud-mouth +loudmouthed +loud-mouthed +loudmouths +loud-mouths +loudness +loudnesses +Loudon +Loudonville +loud-ringing +loud-roared +loud-roaring +loud-screaming +loud-singing +loud-sounding +loudspeak +loudspeaker +loud-speaker +loudspeakers +loudspeaker's +loudspeaking +loud-speaking +loud-spoken +loud-squeaking +loud-thundering +loud-ticking +loud-voiced +louey +Louella +Louellen +Lough +Loughborough +Lougheed +lougheen +Loughlin +Loughman +loughs +Louhi +Louie +louies +Louin +louiqa +Louis +Louys +Louisa +Louisburg +Louise +Louisette +Louisiana +Louisianan +louisianans +Louisianian +louisianians +louisine +Louisville +Louisvillian +louk +loukas +loukoum +loukoumi +Louls +loulu +loun +lounder +lounderer +Lounge +lounged +lounger +loungers +lounges +loungy +lounging +loungingly +Lounsbury +Loup +loupcervier +loup-cervier +loupcerviers +loupe +louped +loupen +loupes +loup-garou +louping +loups +loups-garous +lour +lourd +Lourdes +lourdy +lourdish +loured +loury +Lourie +louring +louringly +louringness +lours +louse +louseberry +louseberries +loused +louses +louse-up +lousewort +lousy +lousier +lousiest +lousily +lousiness +lousinesses +lousing +louster +lout +louted +louter +Louth +louther +louty +louting +loutish +loutishly +loutishness +Loutitia +loutre +loutrophoroi +loutrophoros +louts +Louvain +Louvale +louvar +louver +louvered +louvering +louvers +Louvertie +L'Ouverture +louverwork +Louviers +Louvre +louvred +louvres +Loux +lovability +lovable +lovableness +lovably +lovage +lovages +lovanenty +Lovash +lovat +Lovato +lovats +Love +loveability +loveable +loveableness +loveably +love-anguished +love-apple +love-begot +love-begotten +lovebird +love-bird +lovebirds +love-bitten +love-born +love-breathing +lovebug +lovebugs +love-crossed +loved +loveday +love-darting +love-delighted +love-devouring +love-drury +lovee +love-entangle +love-entangled +love-enthralled +love-feast +loveflower +loveful +lovegrass +lovehood +lovey +lovey-dovey +love-illumined +love-in-a-mist +love-in-idleness +love-inspired +love-inspiring +Lovejoy +love-knot +Lovel +Lovelace +Lovelaceville +love-lacking +love-laden +Lovelady +Loveland +lovelass +love-learned +loveless +lovelessly +lovelessness +Lovely +lovelier +lovelies +love-lies-bleeding +loveliest +lovelihead +lovelily +love-lilt +loveliness +lovelinesses +loveling +Lovell +Lovelock +lovelocks +lovelorn +love-lorn +lovelornness +love-mad +love-madness +love-maker +lovemaking +love-making +loveman +lovemans +lovemate +lovemonger +love-mourning +love-performing +lovepot +loveproof +Lover +lover-boy +loverdom +lovered +loverhood +lovery +Loveridge +Lovering +loverless +loverly +loverlike +loverliness +lovers +lovership +loverwise +loves +lovesick +love-sick +lovesickness +love-smitten +lovesome +lovesomely +lovesomeness +love-spent +love-starved +love-stricken +love-touched +Lovett +Lovettsville +Loveville +lovevine +lovevines +love-whispering +loveworth +loveworthy +love-worthy +love-worthiness +love-wounded +Lovich +Lovie +lovier +loviers +Lovilia +Loving +lovingkindness +loving-kindness +lovingly +lovingness +Lovingston +Lovington +Lovmilla +Low +lowa +lowable +Lowake +lowan +lowance +low-arched +low-backed +lowball +lowballs +lowbell +low-bellowing +low-bended +Lowber +low-blast +low-blooded +low-bodied +lowboy +low-boiling +lowboys +lowborn +low-born +low-boughed +low-bowed +low-breasted +lowbred +low-bred +lowbrow +low-brow +low-browed +lowbrowism +lowbrows +low-built +low-camp +low-caste +low-ceiled +low-ceilinged +low-charge +Low-Churchism +Low-churchist +Low-Churchman +Low-churchmanship +low-class +low-conceited +low-conditioned +low-consumption +low-cost +low-country +low-crested +low-crowned +low-current +low-cut +lowdah +low-deep +Lowden +Lowder +lowdown +low-down +low-downer +low-downness +lowdowns +Lowe +low-ebbed +lowed +loweite +Lowell +Lowellville +Lowenstein +Lowenstern +Lower +lowerable +lowercase +lower-case +lower-cased +lower-casing +lowerclassman +lowerclassmen +lowered +lowerer +Lowery +lowering +loweringly +loweringness +lowermost +lowers +Lowes +lowest +Lowestoft +Lowesville +low-filleted +low-flighted +low-fortuned +low-frequency +low-gauge +low-geared +low-grade +low-heeled +low-hung +lowy +lowigite +lowing +lowings +low-intensity +Lowis +lowish +lowishly +lowishness +low-key +low-keyed +Lowl +Lowland +Lowlander +lowlanders +Lowlands +low-level +low-leveled +lowly +lowlier +lowliest +lowlife +lowlifer +lowlifes +lowlihead +lowlihood +low-lying +lowlily +lowliness +lowlinesses +low-lipped +low-lived +lowlives +low-living +low-low +Lowman +Lowmansville +low-masted +low-melting +lowmen +low-minded +low-mindedly +low-mindedness +Lowmoor +lowmost +low-murmuring +low-muttered +lown +Lowndes +Lowndesboro +Lowndesville +low-necked +Lowney +lowness +lownesses +lownly +low-paneled +low-pitched +low-power +low-pressure +low-priced +low-principled +low-priority +low-profile +low-purposed +low-quality +low-quartered +Lowrance +low-rate +low-rented +low-resistance +Lowry +lowrider +Lowrie +low-rimmed +low-rise +low-roofed +lows +lowse +lowsed +lowser +lowsest +low-set +lowsin +lowsing +low-sized +Lowson +low-sounding +low-spirited +low-spiritedly +low-spiritedness +low-spoken +low-statured +low-temperature +low-tension +low-test +lowth +low-thoughted +low-toned +low-tongued +low-tread +low-uttered +Lowveld +Lowville +low-voiced +low-voltage +low-waisted +low-water +low-wattage +low-wheeled +low-withered +low-witted +lowwood +LOX +Loxahatchee +loxed +loxes +loxia +Loxias +loxic +Loxiinae +loxing +Loxley +loxoclase +loxocosm +loxodograph +Loxodon +loxodont +Loxodonta +loxodontous +loxodrome +loxodromy +loxodromic +loxodromical +loxodromically +loxodromics +loxodromism +Loxolophodon +loxolophodont +Loxomma +loxophthalmus +Loxosoma +Loxosomidae +loxotic +loxotomy +Loz +Lozano +Lozar +lozenge +lozenged +lozenger +lozenges +lozenge-shaped +lozengeways +lozengewise +lozengy +Lozere +Lozi +LP +L-P +LPC +LPCDF +LPDA +LPF +LPG +LPL +lpm +LPN +LPP +LPR +LPS +LPT +LPV +lpW +LR +L-radiation +LRAP +LRB +LRBM +LRC +lrecisianism +lrecl +Lrida +LRS +LRSP +LRSS +LRU +LS +l's +LSAP +LSB +LSC +LSD +LSD-25 +LSE +L-series +L-shell +LSI +LSM +LSP +LSR +LSRP +LSS +LSSD +LST +LSV +LT +Lt. +LTA +LTAB +LTC +LTD +Ltd. +LTF +LTG +LTh +lt-yr +LTJG +LTL +LTP +LTPD +ltr +l'tre +LTS +LTV +LTVR +Ltzen +LU +Lualaba +Luana +Luanda +Luane +Luann +Luanne +Luanni +luau +luaus +lub +Luba +Lubba +lubbard +lubber +lubbercock +lubber-hole +Lubberland +lubberly +lubberlike +lubberliness +lubbers +Lubbi +Lubbock +lube +Lubec +Lubeck +Lubell +Luben +lubes +Lubet +Luby +Lubin +Lubiniezky +Lubitsch +Lubke +Lublin +Lubow +lubra +lubric +lubrical +lubricant +lubricants +lubricant's +lubricate +lubricated +lubricates +lubricating +lubrication +lubricational +lubrications +lubricative +lubricator +lubricatory +lubricators +lubricious +lubriciously +lubriciousness +lubricity +lubricities +lubricous +lubrifaction +lubrify +lubrification +lubritory +lubritorian +lubritorium +Lubumbashi +luc +Luca +Lucayan +Lucais +Lucama +Lucan +Lucania +lucanid +Lucanidae +Lucanus +lucarne +lucarnes +Lucas +Lucasville +lucban +Lucca +Lucchese +Lucchesi +Luce +Lucedale +Lucey +Lucelle +lucence +lucences +lucency +lucencies +lucent +Lucentio +lucently +Luceres +lucern +lucernal +Lucernaria +lucernarian +Lucernariidae +Lucerne +lucernes +lucerns +luces +lucet +Luchesse +Lucho +Luchuan +Luci +Lucy +Lucia +Lucian +Luciana +Lucianne +Luciano +Lucias +lucible +Lucic +lucid +lucida +lucidae +lucidity +lucidities +lucidly +lucidness +lucidnesses +Lucie +Lucien +Lucienne +Lucier +lucifee +Lucifer +luciferase +Luciferian +Luciferidae +luciferin +luciferoid +luciferous +luciferously +luciferousness +lucifers +lucific +luciform +lucifugal +lucifugous +lucigen +Lucila +Lucile +Lucilia +Lucilius +Lucilla +Lucille +lucimeter +Lucina +Lucinacea +Lucinda +Lucine +Lucinidae +lucinoid +Lucio +Lucita +Lucite +Lucius +lucivee +Luck +lucked +Luckey +lucken +Luckett +luckful +Lucky +lucky-bag +luckie +luckier +luckies +luckiest +luckily +Luckin +luckiness +luckinesses +lucking +luckless +lucklessly +lucklessness +luckly +Lucknow +lucks +lucombe +lucration +lucrative +lucratively +lucrativeness +lucrativenesses +lucre +Lucrece +lucres +Lucretia +Lucretian +Lucretius +Lucrezia +lucriferous +lucriferousness +lucrify +lucrific +Lucrine +lucrous +lucrum +luctation +luctiferous +luctiferousness +luctual +lucubrate +lucubrated +lucubrates +lucubrating +lucubration +lucubrations +lucubrator +lucubratory +lucule +luculent +luculently +Lucullan +Lucullean +Lucullian +lucullite +Lucullus +Lucuma +lucumia +Lucumo +lucumony +Lud +Ludd +ludden +luddy +Luddism +Luddite +Ludditism +lude +ludefisk +Ludell +Ludeman +Ludendorff +Luderitz +ludes +Ludewig +Ludgate +Ludgathian +Ludgatian +Ludhiana +Ludian +ludibry +ludibrious +ludic +ludicro- +ludicropathetic +ludicroserious +ludicrosity +ludicrosities +ludicrosplenetic +ludicrous +ludicrously +ludicrousness +ludicrousnesses +Ludie +ludification +Ludington +ludlamite +Ludlew +Ludly +Ludlovian +Ludlow +Ludmilla +ludo +Ludolphian +Ludovick +Ludovico +Ludovika +Ludowici +Ludvig +Ludwig +Ludwigg +ludwigite +Ludwigsburg +Ludwigshafen +Ludwog +lue +Luebbering +Luebke +Lueders +Luedtke +Luehrmann +Luella +Luelle +Luening +lues +luetic +luetically +luetics +lufbery +lufberry +luff +Luffa +luffas +luffed +luffer +luffing +luffs +Lufkin +Lufthansa +Luftwaffe +LUG +Lugana +Luganda +Lugansk +Lugar +luge +luged +lugeing +Luger +luges +luggage +luggageless +luggages +luggar +luggard +lugged +lugger +luggers +luggie +luggies +lugging +Luggnagg +lughdoan +luging +lugmark +Lugnas +Lugnasad +Lugo +Lugoff +Lugones +lug-rigged +lugs +lugsail +lugsails +lugsome +lugubriosity +lugubrious +lugubriously +lugubriousness +lugubriousnesses +lugubrous +lugworm +lug-worm +lugworms +Luhe +Luhey +luhinga +Luht +lui +Luian +Luigi +luigini +Luigino +Luik +Luing +Luis +Luisa +Luise +Luiseno +Luite +Luiza +lujaurite +lujavrite +lujula +Luk +Lukacs +Lukan +Lukas +Lukash +Lukasz +Lukaszewicz +Luke +Lukey +lukely +lukemia +lukeness +luket +Lukeville +lukeward +lukewarm +lukewarmish +lukewarmly +lukewarmness +lukewarmth +Lukin +Luks +Lula +lulab +lulabim +lulabs +lulav +lulavim +lulavs +Lulea +Luli +Lulie +Luling +Lulita +Lull +Lullaby +lullabied +lullabies +lullabying +lullay +lulled +luller +Lulli +Lully +Lullian +lulliloo +lullilooed +lullilooing +lulling +lullingly +lulls +Lulu +Luluabourg +luluai +lulus +lum +lumachel +lumachella +lumachelle +lumb- +lumbaginous +lumbago +lumbagos +lumbayao +lumbang +lumbar +Lumbard +lumbarization +lumbars +lumber +lumberdar +lumberdom +lumbered +lumberer +lumberers +lumberyard +lumberyards +lumbering +lumberingly +lumberingness +lumberjack +lumberjacket +lumberjacks +lumberless +lumberly +lumberman +lumbermen +lumbermill +lumber-pie +Lumberport +lumbers +lumbersome +Lumberton +Lumbye +lumbo- +lumbo-abdominal +lumbo-aortic +lumbocolostomy +lumbocolotomy +lumbocostal +lumbodynia +lumbodorsal +lumbo-iliac +lumbo-inguinal +lumbo-ovarian +lumbosacral +lumbovertebral +lumbrical +lumbricales +lumbricalis +lumbricid +Lumbricidae +lumbriciform +lumbricine +lumbricoid +lumbricosis +Lumbricus +lumbrous +lumbus +Lumen +lumenal +lumen-hour +lumens +lumeter +Lumiere +lumin- +lumina +luminaire +Luminal +luminance +luminances +luminant +luminare +luminary +luminaria +luminaries +luminarious +luminarism +luminarist +luminate +lumination +luminative +luminator +lumine +lumined +luminesce +luminesced +luminescence +luminescences +luminescent +luminesces +luminescing +luminiferous +luminificent +lumining +luminism +luminist +luministe +luminists +luminodynamism +luminodynamist +luminologist +luminometer +luminophor +luminophore +luminosity +luminosities +luminous +luminously +luminousness +lumisterol +lumme +lummy +lummox +lummoxes +lump +lumpectomy +lumped +lumpen +lumpenproletariat +lumpens +lumper +lumpers +lumpet +lumpfish +lump-fish +lumpfishes +lumpy +lumpier +lumpiest +lumpily +lumpiness +lumping +lumpingly +lumpish +lumpishly +lumpishness +Lumpkin +lumpman +lumpmen +lumps +lumpsucker +Lumpur +lums +Lumumba +lumut +LUN +Luna +lunacy +lunacies +lunambulism +lunar +lunar-diurnal +lunare +lunary +Lunaria +lunarian +lunarians +lunarist +lunarium +lunars +lunas +lunata +lunate +lunated +lunately +lunatellus +lunatic +lunatical +lunatically +lunatics +lunation +lunations +lunatize +lunatum +lunch +lunched +luncheon +luncheoner +luncheonette +luncheonettes +luncheonless +luncheons +luncheon's +luncher +lunchers +lunches +lunchhook +lunching +lunchless +lunchroom +lunchrooms +lunchtime +Lund +Lunda +Lundale +Lundberg +Lundeen +Lundell +Lundgren +Lundy +lundyfoot +Lundin +Lundinarium +Lundquist +lundress +Lundt +Lune +Lunel +Lunenburg +lunes +lunet +lunets +Lunetta +Lunette +lunettes +Luneville +lung +lungan +lungans +lunge +lunged +lungee +lungees +lungeous +lunger +lungers +lunges +lungfish +lungfishes +lungflower +lungful +lungi +lungy +lungie +lungyi +lungyis +lunging +lungis +Lungki +lungless +lungmotor +lungoor +lungs +lungsick +lungworm +lungworms +lungwort +lungworts +luny +lunicurrent +lunier +lunies +luniest +luniform +lunyie +Lunik +Luning +lunisolar +lunistice +lunistitial +lunitidal +lunk +Lunka +lunker +lunkers +lunkhead +lunkheaded +lunkheads +lunks +Lunn +Lunna +Lunneta +Lunnete +lunoid +Luns +Lunseth +Lunsford +Lunt +lunted +lunting +lunts +lunula +lunulae +lunular +Lunularia +lunulate +lunulated +lunule +lunules +lunulet +lunulite +Lunulites +Lunville +Luo +Luorawetlan +lupanar +lupanarian +lupanars +lupanin +lupanine +Lupe +Lupee +lupeol +lupeose +Lupercal +Lupercalia +Lupercalian +Lupercalias +Luperci +Lupercus +lupetidin +lupetidine +Lupi +lupicide +Lupid +Lupien +lupiform +lupin +lupinaster +lupine +lupines +lupinin +lupinine +lupinosis +lupinous +lupins +Lupinus +lupis +Lupita +lupoid +lupoma +lupous +Lupton +lupulic +lupulin +lupuline +lupulinic +lupulinous +lupulins +lupulinum +lupulone +lupulus +Lupus +lupuserythematosus +lupuses +Luquillo +Lur +Lura +luracan +Luray +lural +Lurcat +lurch +lurched +lurcher +lurchers +lurches +lurching +lurchingfully +lurchingly +lurchline +lurdan +lurdane +lurdanes +lurdanism +lurdans +lure +lured +lureful +lurement +lurer +lurers +lures +luresome +Lurette +Lurex +lurg +Lurgan +lurgworm +Luri +lurid +luridity +luridly +luridness +Lurie +luring +luringly +Luristan +lurk +lurked +lurker +lurkers +lurky +lurking +lurkingly +lurkingness +lurks +Lurleen +Lurlei +Lurlene +Lurline +lurry +lurrier +lurries +Lurton +Lusa +Lusaka +Lusatia +Lusatian +Lusby +Luscinia +luscious +lusciously +lusciousness +lusciousnesses +luser +lush +Lushai +lushburg +lushed +Lushei +lusher +lushes +lushest +lushy +lushier +lushiest +lushing +lushly +lushness +lushnesses +Lusia +Lusiad +Lusian +Lusitania +Lusitanian +Lusitano-american +Lusk +lusky +lusory +Lussi +Lussier +Lust +lust-born +lust-burned +lust-burning +lusted +lust-engendered +luster +lustered +lusterer +lustering +lusterless +lusterlessness +lusters +lusterware +lustful +lustfully +lustfulness +Lusty +Lustick +lustier +lustiest +Lustig +lustihead +lustihood +lustily +lustiness +lustinesses +lusting +lustless +lustly +Lustprinzip +lustra +lustral +lustrant +lustrate +lustrated +lustrates +lustrating +lustration +lustrational +lustrative +lustratory +lustre +lustred +lustreless +lustres +lustreware +lustrical +lustrify +lustrification +lustrine +lustring +lustrings +lustrous +lustrously +lustrousness +lustrum +lustrums +lusts +lust-stained +lust-tempting +lusus +lususes +LUT +lutaceous +Lutayo +lutany +lutanist +lutanists +Lutao +lutarious +lutation +Lutcher +lute +lute- +lutea +luteal +lute-backed +lutecia +lutecium +luteciums +luted +lute-fashion +luteic +lutein +luteinization +luteinize +luteinized +luteinizing +luteins +lutelet +lutemaker +lutemaking +Lutenist +lutenists +luteo +luteo- +luteocobaltic +luteofulvous +luteofuscescent +luteofuscous +luteolin +luteolins +luteolous +luteoma +luteorufescent +luteotrophic +luteotrophin +luteotropic +luteotropin +luteous +luteovirescent +lute-playing +luter +Lutero +lutes +lute's +lutescent +lutestring +lute-string +Lutesville +Lutetia +Lutetian +lutetium +lutetiums +luteum +lute-voiced +luteway +lutfisk +Luth +Luth. +Luthanen +Luther +Lutheran +Lutheranic +Lutheranism +Lutheranize +Lutheranizer +lutherans +Lutherism +Lutherist +luthern +lutherns +Luthersburg +Luthersville +Lutherville +luthier +luthiers +Luthuli +lutianid +Lutianidae +lutianoid +Lutianus +lutidin +lutidine +lutidinic +Lutyens +luting +lutings +lutist +lutists +Lutjanidae +Lutjanus +Luton +lutose +Lutoslawski +Lutra +Lutraria +Lutreola +lutrin +Lutrinae +lutrine +Lutsen +Luttrell +Lutts +Lutuamian +Lutuamians +lutulence +lutulent +Lutz +luv +Luvaridae +Luverne +Luvian +Luvish +luvs +Luwana +Luwian +Lux +Lux. +luxate +luxated +luxates +luxating +luxation +luxations +luxe +Luxembourg +Luxemburg +Luxemburger +Luxemburgian +luxes +luxive +Luxor +Luxora +luxulianite +luxullianite +luxury +luxuria +luxuriance +luxuriances +luxuriancy +luxuriant +luxuriantly +luxuriantness +luxuriate +luxuriated +luxuriates +luxuriating +luxuriation +luxurient +luxuries +luxuriety +luxury-loving +luxurious +luxuriously +luxuriousness +luxury-proof +luxury's +luxurist +luxurity +luxus +Luz +Luzader +Luzern +Luzerne +Luzon +Luzula +LV +lv. +lvalue +lvalues +Lviv +Lvos +Lvov +L'vov +LW +Lwe +lwei +lweis +LWL +LWM +Lwo +Lwoff +lwop +LWP +LWSP +LWT +lx +LXE +LXX +LZ +Lzen +m +M' +M'- +'m +M. +M.A. +M.Arch. +M.B. +M.B.A. +M.B.E. +M.C. +M.D. +M.E. +M.Ed. +M.I.A. +M.M. +m.m.f. +M.O. +M.P. +M.P.S. +M.S. +m.s.l. +M.Sc. +M/D +m/s +M-1 +M-14 +M-16 +MA +MAA +maad +MAAG +Maalox +maam +ma'am +maamselle +maana +MAAP +maar +MAArch +Maarianhamina +Maarib +maars +maarten +Maas +Maastricht +Maat +Mab +Maba +Mabank +mabble +mabe +Mabel +mabela +Mabelle +Mabellona +Mabelvale +Maben +mabes +mabi +Mabie +mabyer +Mabinogion +Mable +Mableton +mabolo +Mabscott +Mabton +Mabuse +mabuti +MAC +Mac- +macaasim +macaber +macabi +macaboy +macabre +macabrely +macabreness +macabresque +Macaca +macaco +macacos +Macacus +macadam +macadamer +Macadamia +macadamise +macadamite +macadamization +macadamize +macadamized +macadamizer +macadamizes +macadamizing +macadams +Macaglia +macague +macan +macana +Macanese +Macao +Macap +Macapa +Macapagal +macaque +macaques +Macaranga +Macarani +Macareus +Macario +macarism +macarize +macarized +macarizing +macaron +macaroni +macaronic +macaronical +macaronically +macaronicism +macaronics +macaronies +macaronis +macaronism +macaroon +macaroons +MacArthur +Macartney +Macassar +Macassarese +Macatawa +Macau +macauco +Macaulay +macaviator +macaw +macaws +Macbeth +MACBS +Macc +Macc. +Maccabaeus +maccabaw +maccabaws +Maccabean +Maccabees +maccaboy +maccaboys +Maccarone +maccaroni +MacCarthy +macchia +macchie +macchinetta +MacClenny +MacClesfield +macco +maccoboy +maccoboys +maccus +MacDermot +MacDoel +MacDona +MacDonald +MacDonell +MacDougall +MacDowell +Macduff +Mace +macebearer +mace-bearer +Maced +Maced. +macedoine +Macedon +Macedonia +Macedonian +Macedonian-persian +macedonians +Macedonic +MacEgan +macehead +Macey +Maceio +macellum +maceman +Maceo +macer +macerable +macerate +macerated +macerater +maceraters +macerates +macerating +maceration +macerative +macerator +macerators +macers +maces +MacFadyn +MacFarlan +MacFarlane +Macflecknoe +MacGregor +MacGuiness +Mach +mach. +Macha +Machabees +Machado +Machaerus +machair +machaira +machairodont +Machairodontidae +Machairodontinae +Machairodus +machan +Machaon +machar +Machault +Machaut +mache +machecoled +macheer +Machel +Machen +machera +maches +machete +Machetes +machi +machy +Machias +Machiasport +Machiavel +Machiavelian +Machiavelli +Machiavellian +Machiavellianism +Machiavellianist +Machiavellianly +machiavellians +Machiavellic +Machiavellism +machiavellist +Machiavellistic +machicolate +machicolated +machicolating +machicolation +machicolations +machicoulis +Machicui +machila +Machilidae +Machilis +machin +machina +machinability +machinable +machinal +machinament +machinate +machinated +machinates +machinating +machination +machinations +machinator +machine +machineable +machine-breaking +machine-broken +machine-cut +machined +machine-drilled +machine-driven +machine-finished +machine-forged +machineful +machine-gun +machine-gunned +machine-gunning +machine-hour +machine-knitted +machineless +machinely +machinelike +machine-made +machineman +machinemen +machine-mixed +machinemonger +machiner +machinery +machineries +machines +machine's +machine-sewed +machine-stitch +machine-stitched +machine-tooled +machine-woven +machine-wrought +machinify +machinification +machining +machinism +machinist +machinists +machinization +machinize +machinized +machinizing +machinoclast +machinofacture +machinotechnique +machinule +Machipongo +machismo +machismos +Machmeter +macho +Machogo +machopolyp +Machos +machree +machrees +machs +Machtpolitik +Machute +Machutte +machzor +machzorim +machzors +Macy +macies +Macigno +macilence +macilency +macilent +MacIlroy +macing +MacIntyre +MacIntosh +macintoshes +Mack +MacKay +mackaybean +mackallow +Mackey +MacKeyville +mackenboy +Mackenie +Mackensen +MacKenzie +mackerel +mackereler +mackereling +mackerels +Mackerras +Mackie +Mackinac +Mackinaw +mackinawed +mackinaws +mackinboy +mackins +Mackintosh +mackintoshed +mackintoshes +mackintoshite +mackle +mackled +Mackler +mackles +macklike +mackling +Macknair +Mackoff +macks +Macksburg +Macksinn +Macksville +Mackville +MacLay +MacLaine +macle +Macleaya +MacLean +Maclear +macled +MacLeish +MacLeod +macles +maclib +Maclura +Maclurea +maclurin +MacMahon +MacMillan +Macmillanite +MacMullin +MacNair +MacNamara +MacNeice +maco +macoma +Macomb +Macomber +Macon +maconite +maconne +macons +MacPherson +Macquarie' +macquereau +macr- +Macracanthorhynchus +macracanthrorhynchiasis +macradenous +MacRae +macram +macrame +macrames +macrander +macrandre +macrandrous +macrauchene +Macrauchenia +macraucheniid +Macraucheniidae +macraucheniiform +macrauchenioid +Macready +macrencephaly +macrencephalic +macrencephalous +Macri +macrli +macro +macro- +macroaggregate +macroaggregated +macroanalysis +macroanalyst +macroanalytical +macro-axis +macrobacterium +macrobian +macrobiosis +macrobiote +macrobiotic +macrobiotically +macrobiotics +Macrobiotus +Macrobius +macroblast +macrobrachia +macrocarpous +Macrocentrinae +Macrocentrus +macrocephali +macrocephaly +macrocephalia +macrocephalic +macrocephalism +macrocephalous +macrocephalus +macrochaeta +macrochaetae +macrocheilia +Macrochelys +macrochemical +macrochemically +macrochemistry +Macrochira +macrochiran +Macrochires +macrochiria +Macrochiroptera +macrochiropteran +macrocyst +Macrocystis +macrocyte +macrocythemia +macrocytic +macrocytosis +macrocladous +macroclimate +macroclimatic +macroclimatically +macroclimatology +macrococcus +macrocoly +macroconidial +macroconidium +macroconjugant +macrocornea +macrocosm +macrocosmic +macrocosmical +macrocosmically +macrocosmology +macrocosmos +macrocosms +macrocrystalline +macrodactyl +macrodactyly +macrodactylia +macrodactylic +macrodactylism +macrodactylous +macrodiagonal +macrodomatic +macrodome +macrodont +macrodontia +macrodontic +macrodontism +macroeconomic +macroeconomics +macroelement +macroergate +macroevolution +macroevolutionary +macrofarad +macrofossil +macrogamete +macrogametocyte +macrogamy +macrogastria +macroglobulin +macroglobulinemia +macroglobulinemic +macroglossate +macroglossia +macrognathic +macrognathism +macrognathous +macrogonidium +macrograph +macrography +macrographic +macroinstruction +macrolecithal +macrolepidoptera +macrolepidopterous +macrolinguistic +macrolinguistically +macrolinguistics +macrolith +macrology +macromandibular +macromania +macromastia +macromazia +macromelia +macromeral +macromere +macromeric +macromerite +macromeritic +macromesentery +macrometeorology +macrometeorological +macrometer +macromethod +macromyelon +macromyelonal +macromole +macromolecular +macromolecule +macromolecules +macromolecule's +macron +macrons +macronuclear +macronucleate +macronucleus +macronutrient +macropetalous +macrophage +macrophagic +macrophagocyte +macrophagus +macrophyllous +macrophysics +macrophyte +macrophytic +Macrophoma +macrophotograph +macrophotography +macropia +Macropygia +macropinacoid +macropinacoidal +macropyramid +macroplankton +macroplasia +macroplastia +macropleural +macropod +macropodia +macropodian +Macropodidae +Macropodinae +macropodine +macropodous +macroprism +macroprocessor +macroprosopia +macropsy +macropsia +macropteran +macroptery +macropterous +macroptic +Macropus +macroreaction +Macrorhamphosidae +Macrorhamphosus +macrorhinia +Macrorhinus +macros +macro's +macroscale +macroscelia +Macroscelides +macroscian +macroscopic +macroscopical +macroscopically +macrosegment +macroseism +macroseismic +macroseismograph +macrosepalous +macroseptum +macrosymbiont +macrosmatic +macrosomatia +macrosomatous +macrosomia +macrospecies +macrosphere +macrosplanchnic +macrosporange +macrosporangium +macrospore +macrosporic +Macrosporium +macrosporophyl +macrosporophyll +macrosporophore +Macrostachya +macrostyle +macrostylospore +macrostylous +macrostomatous +macrostomia +macrostructural +macrostructure +macrothere +Macrotheriidae +macrotherioid +Macrotherium +macrotherm +macrotia +macrotin +Macrotolagus +macrotome +macrotone +macrotous +macrourid +Macrouridae +Macrourus +Macrozamia +macrozoogonidium +macrozoospore +Macrura +macrural +macruran +macrurans +macruroid +macrurous +macs +MACSYMA +MacSwan +mactation +Mactra +Mactridae +mactroid +macuca +macula +maculacy +maculae +macular +maculas +maculate +maculated +maculates +maculating +maculation +maculations +macule +maculed +macules +maculicole +maculicolous +maculiferous +maculing +maculocerebral +maculopapular +maculose +Macumba +Macungie +macupa +macupi +Macur +macushla +Macusi +macuta +macute +MAD +Mada +madafu +Madag +Madag. +Madagascan +Madagascar +Madagascarian +Madagass +Madai +Madaih +Madalena +Madalyn +Madalynne +madam +Madame +madames +madams +Madancy +Madang +madapolam +madapolan +madapollam +mad-apple +Madaras +Madariaga +madarosis +madarotic +Madawaska +madbrain +madbrained +mad-brained +mad-bred +madcap +madcaply +madcaps +MADD +Maddalena +madded +Madden +maddened +maddening +maddeningly +maddeningness +maddens +madder +madderish +madders +madderwort +maddest +Maddeu +Maddi +Maddy +Maddie +madding +maddingly +Maddis +maddish +maddle +maddled +Maddock +Maddocks +mad-doctor +Maddox +made +Madea +made-beaver +Madecase +madefaction +madefy +Madegassy +Madeira +Madeiran +madeiras +Madeiravine +Madel +Madelaine +Madeleine +Madelen +Madelena +Madelene +Madeli +Madelia +Madelin +Madelyn +Madelina +Madeline +Madella +Madelle +Madelon +mademoiselle +mademoiselles +made-over +Madera +Maderno +Madero +madescent +made-to-measure +made-to-order +made-up +Madge +madhab +mad-headed +Madhyamika +madhouse +madhouses +madhuca +Madhva +Madi +Mady +Madia +Madian +Madid +madidans +Madiga +Madigan +Madill +Madinensor +Madison +Madisonburg +Madisonville +madisterium +Madlen +madly +Madlin +Madlyn +madling +Madm +madman +madmen +MADN +madnep +madness +madnesses +mado +Madoc +Madoera +Madonia +Madonna +Madonnahood +Madonnaish +Madonnalike +madonnas +madoqua +Madora +Madotheca +Madox +Madra +madrague +Madras +madrasah +madrases +Madrasi +madrassah +madrasseh +madre +madreline +madreperl +madre-perl +Madrepora +Madreporacea +madreporacean +madreporal +Madreporaria +madreporarian +madrepore +madreporian +madreporic +madreporiform +madreporite +madreporitic +madres +Madrid +Madriene +madrier +madrigal +madrigaler +madrigalesque +madrigaletto +madrigalian +madrigalist +madrigals +madrih +madril +Madrilene +Madrilenian +madroa +madrona +madronas +madrone +madrones +madrono +madronos +mads +Madsen +madship +Madson +madstone +madtom +Madura +Madurai +Madurese +maduro +maduros +madweed +madwoman +madwomen +madwort +madworts +madzoon +madzoons +MAE +Maeander +Maeandra +Maeandrina +maeandrine +maeandriniform +maeandrinoid +maeandroid +Maebashi +Maebelle +Maecenas +Maecenasship +MAEd +Maegan +maegbot +maegbote +maeing +Maeystown +Mael +Maely +Maelstrom +maelstroms +Maemacterion +maenad +maenades +maenadic +maenadically +maenadism +maenads +maenaite +Maenalus +Maenidae +Maeon +Maeonian +Maeonides +Maera +MAeroE +maes +maestive +maestoso +maestosos +maestra +maestri +Maestricht +maestro +maestros +Maeterlinck +Maeterlinckian +Maeve +Maewo +MAF +Mafala +Mafalda +mafey +Mafeking +Maffa +Maffei +maffia +maffias +maffick +mafficked +mafficker +mafficking +mafficks +maffioso +maffle +maffler +mafflin +Mafia +mafias +mafic +mafiosi +Mafioso +mafoo +maftir +maftirs +mafura +mafurra +MAG +mag. +Maga +Magadhi +magadis +magadize +Magahi +Magalensia +Magalia +Magallanes +Magan +Magangue +magani +Magas +magasin +Magavern +magazinable +magazinage +magazine +magazined +magazinelet +magaziner +magazines +magazine's +magazinette +magaziny +magazining +magazinish +magazinism +magazinist +Magbie +magbote +Magda +Magdaia +Magdala +Magdalen +Magdalena +Magdalene +magdalenes +Magdalenian +Magdalenne +magdalens +magdaleon +Magdau +Magdeburg +mage +MAgEc +MAgEd +Magee +Magel +Magelhanz +Magellan +Magellanian +Magellanic +Magen +Magena +Magenta +magentas +magerful +Mages +magestical +magestically +magged +Maggee +Maggi +Maggy +Maggie +magging +Maggio +Maggiore +maggle +maggot +maggoty +maggotiness +maggotpie +maggot-pie +maggotry +maggots +maggot's +Maggs +Magh +Maghi +Maghreb +Maghrib +Maghribi +Maghutte +maghzen +Magi +Magian +Magianism +magians +Magyar +Magyaran +Magyarism +Magyarization +Magyarize +Magyarized +Magyarizing +Magyarorsz +Magyarorszag +magyars +magic +magical +magicalize +magically +magicdom +magician +magicians +magician's +magicianship +magicked +magicking +magico-religious +magico-sympathetic +magics +Magill +magilp +magilps +Magindanao +Magindanaos +Maginus +magiric +magirics +magirist +magiristic +magirology +magirological +magirologist +Magism +magister +magistery +magisterial +magisteriality +magisterially +magisterialness +magisteries +magisterium +magisters +magistracy +magistracies +magistral +magistrality +magistrally +magistrand +magistrant +magistrate +magistrates +magistrate's +magistrateship +magistratic +magistratical +magistratically +magistrative +magistrature +magistratus +Maglemose +Maglemosean +Maglemosian +maglev +magma +magmas +magmata +magmatic +magmatism +Magna +magnale +magnality +magnalium +magnanerie +magnanime +magnanimity +magnanimities +magnanimous +magnanimously +magnanimousness +magnanimousnesses +magnascope +magnascopic +magnate +magnates +magnateship +magne- +magnecrystallic +magnelectric +magneoptic +Magner +magnes +Magnesia +magnesial +magnesian +magnesias +magnesic +magnesioferrite +magnesite +magnesium +magnesiums +Magness +magnet +magnet- +magneta +magnetic +magnetical +magnetically +magneticalness +magnetician +magnetico- +magnetics +magnetiferous +magnetify +magnetification +magnetimeter +magnetisation +magnetise +magnetised +magnetiser +magnetising +magnetism +magnetisms +magnetism's +magnetist +magnetite +magnetite-basalt +magnetite-olivinite +magnetites +magnetite-spinellite +magnetitic +magnetizability +magnetizable +magnetization +magnetizations +magnetize +magnetized +magnetizer +magnetizers +magnetizes +magnetizing +magneto +magneto- +magnetobell +magnetochemical +magnetochemistry +magnetod +magnetodynamo +magnetoelectric +magneto-electric +magnetoelectrical +magnetoelectricity +magneto-electricity +magnetofluiddynamic +magnetofluiddynamics +magnetofluidmechanic +magnetofluidmechanics +magnetogasdynamic +magnetogasdynamics +magnetogenerator +magnetogram +magnetograph +magnetographic +magnetohydrodynamic +magnetohydrodynamically +magnetohydrodynamics +magnetoid +magnetolysis +magnetomachine +magnetometer +magnetometers +magnetometry +magnetometric +magnetometrical +magnetometrically +magnetomotive +magnetomotivity +magnetomotor +magneton +magnetons +magnetooptic +magnetooptical +magnetooptically +magnetooptics +magnetopause +magnetophone +magnetophonograph +magnetoplasmadynamic +magnetoplasmadynamics +magnetoplumbite +magnetoprinter +magnetoresistance +magnetos +magnetoscope +magnetosphere +magnetospheric +magnetostatic +magnetostriction +magnetostrictive +magnetostrictively +magnetotelegraph +magnetotelephone +magnetotelephonic +magnetotherapy +magnetothermoelectricity +magnetotransmitter +magnetron +magnets +magnicaudate +magnicaudatous +Magnien +magnify +magnifiable +magnific +magnifical +magnifically +Magnificat +magnificate +magnification +magnifications +magnificative +magnifice +magnificence +magnificences +magnificent +magnificently +magnificentness +magnifico +magnificoes +magnificos +magnified +magnifier +magnifiers +magnifies +magnifying +magnifique +magniloquence +magniloquent +magniloquently +magniloquy +magnipotence +magnipotent +magnirostrate +magnisonant +Magnitogorsk +magnitude +magnitudes +magnitude's +magnitudinous +magnochromite +magnoferrite +Magnolia +Magnoliaceae +magnoliaceous +magnolias +magnon +Magnum +magnums +Magnus +Magnuson +Magnusson +Magocsi +Magog +magot +magots +magpie +magpied +magpieish +magpies +MAgr +Magree +magrim +Magritte +Magruder +mags +magsman +maguari +maguey +magueys +Maguire +Magulac +Magus +Mah +maha +Mahabalipuram +Mahabharata +Mahadeva +Mahaffey +Mahayana +Mahayanism +Mahayanist +Mahayanistic +mahajan +mahajun +mahal +Mahala +mahalamat +mahaleb +mahaly +Mahalia +Mahalie +mahalla +Mahamaya +Mahan +Mahanadi +mahant +mahar +maharaj +maharaja +maharajah +maharajahs +maharajas +maharajrana +maharana +maharanee +maharanees +maharani +maharanis +maharao +Maharashtra +Maharashtri +maharawal +maharawat +maharishi +maharishis +maharmah +maharshi +Mahasamadhi +Mahaska +mahat +mahatma +mahatmaism +mahatmas +Mahau +Mahavira +mahbub +Mahdi +Mahdian +Mahdis +Mahdiship +Mahdism +Mahdist +Mahendra +Maher +mahesh +mahewu +Mahi +Mahican +Mahicans +mahimahi +mahjong +mahjongg +Mah-Jongg +mahjonggs +mahjongs +Mahla +Mahler +Mahlon +mahlstick +mahmal +Mahmoud +Mahmud +mahmudi +Mahnomen +mahoe +mahoes +mahogany +mahogany-brown +mahoganies +mahoganize +mahogony +mahogonies +mahoitre +maholi +maholtine +Mahomet +Mahometan +Mahometry +Mahon +mahone +Mahoney +Mahonia +mahonias +Mahopac +Mahori +Mahound +mahout +mahouts +Mahra +Mahran +Mahratta +Mahratti +Mahren +Mahri +Mahrisch-Ostrau +Mahri-sokotri +mahseer +mahsir +mahsur +Mahto +Mahtowa +mahu +mahua +mahuang +mahuangs +mahwa +Mahwah +mahzor +mahzorim +mahzors +Mai +May +Maia +Maya +Mayaca +Mayacaceae +mayacaceous +Maiacca +Mayag +Mayaguez +Maiah +Mayakovski +Mayakovsky +Mayan +Mayance +mayans +Maianthemum +mayapis +mayapple +may-apple +mayapples +Maya-quiche +Mayas +Mayathan +Maibach +maybe +Maybee +Maybell +Maybelle +Mayberry +maybes +Maybeury +Maybird +Maible +Maybloom +Maybrook +may-bug +maybush +may-bush +maybushes +may-butter +Maice +Mayce +Maycock +maid +Maida +Mayda +Mayday +May-day +maydays +maidan +Maidanek +maidchild +Maidel +Maydelle +maiden +maidenchild +maidenhair +maidenhairs +maidenhairtree +maidenhair-tree +maidenhair-vine +Maidenhead +maidenheads +maidenhood +maidenhoods +maidenish +maidenism +maidenly +maidenlike +maidenliness +Maidens +maidenship +maiden's-tears +maiden's-wreath +maiden's-wreaths +maidenweed +may-dew +maidhead +maidhood +maidhoods +Maidy +Maidie +maidin +maid-in-waiting +maidish +maidishness +maidism +maidkin +maidly +maidlike +maidling +maids +maidservant +maidservants +maids-hair +maids-in-waiting +Maidstone +Maidsville +Maidu +Maiduguri +mayduke +Maye +mayed +Mayeda +maiefic +Mayey +Mayeye +Mayence +Mayenne +Maier +Mayer +Mayersville +Mayes +mayest +Mayesville +Mayetta +maieutic +maieutical +maieutics +Mayfair +Mayfield +mayfish +mayfishes +Mayfly +may-fly +mayflies +Mayflower +mayflowers +Mayfowl +Maiga +may-game +Maighdiln +Maighdlin +maigre +mayhap +mayhappen +mayhaps +maihem +mayhem +mayhemmed +mayhemming +maihems +mayhems +Mayhew +maiid +Maiidae +Maying +mayings +Mayking +Maikop +mail +mailability +mailable +may-lady +Mailand +mailbag +mailbags +mailbox +mailboxes +mailbox's +mailcatcher +mail-cheeked +mailclad +mailcoach +mail-coach +maile +mailed +mailed-cheeked +Maylene +Mailer +mailers +mailes +mailguard +mailie +Maylike +mailing +mailings +maill +Maillart +maille +maillechort +mailless +Maillol +maillot +maillots +maills +mailman +mailmen +may-lord +mailperson +mailpersons +mailplane +mailpouch +mails +mailsack +mailwoman +mailwomen +maim +Mayman +Mayme +maimed +maimedly +maimedness +maimer +maimers +maiming +maimon +Maimonidean +Maimonides +Maimonist +maims +maimul +Main +Mainan +Maynard +Maynardville +Mainauer +mainbrace +main-brace +main-course +main-deck +main-de-fer +Maine +Mayne +Maine-et-Loire +Mainer +Mainesburg +Maynet +Maineville +mainferre +mainframe +mainframes +mainframe's +main-guard +main-yard +main-yardman +Mainis +Mainland +mainlander +mainlanders +mainlands +mainly +mainline +mainlined +mainliner +mainliners +mainlines +mainlining +mainmast +mainmasts +mainmortable +mainor +Maynord +mainour +mainpast +mainpernable +mainpernor +mainpin +mainport +mainpost +mainprise +mainprised +mainprising +mainprisor +mainprize +mainprizer +mains +mainsail +mainsails +mainsheet +main-sheet +mainspring +mainsprings +mainstay +mainstays +mainstream +mainstreams +Mainstreeter +Mainstreetism +mainswear +mainsworn +maint +maynt +mayn't +maintain +maintainability +maintainabilities +maintainable +maintainableness +maintainance +maintainances +maintained +maintainer +maintainers +maintaining +maintainment +maintainor +maintains +maintenance +maintenances +maintenance's +Maintenon +maintien +maintop +main-top +main-topgallant +main-topgallantmast +maintopman +maintopmast +main-topmast +maintopmen +maintops +maintopsail +main-topsail +mainward +Mainz +Mayo +Maiocco +Mayodan +maioid +Maioidea +maioidean +Maioli +maiolica +maiolicas +Mayologist +Mayon +Maiongkong +mayonnaise +mayonnaises +Mayor +mayoral +mayorality +mayoralty +mayoralties +mayor-elect +mayoress +mayoresses +mayors +mayor's +mayorship +mayorships +Mayoruna +mayos +Mayotte +Maypearl +Maypole +maypoles +Maypoling +maypop +maypops +Mayport +Maipure +Mair +mairatour +Maire +mairie +mairs +Mays +Maise +Maisey +Maisel +Maysel +Maysfield +Maisie +maysin +Mayslick +Maison +maison-dieu +maisonette +maisonettes +maist +mayst +maister +maistres +maistry +maists +Maysville +Mai-Tai +Maite +mayten +Maytenus +maythe +maythes +Maithili +Maythorn +maithuna +Maytide +Maitilde +Maytime +Maitland +maitlandite +Maytown +maitre +Maitreya +maitres +maitresse +maitrise +Maitund +Maius +Mayview +Mayville +mayvin +mayvins +mayweed +mayweeds +Maywings +Maywood +may-woon +Mayworm +Maywort +Maize +maizebird +maize-eater +maizenic +maizer +maizes +Maj +Maja +Majagga +majagua +majaguas +majas +Maje +Majesta +majestatic +majestatis +Majesty +majestic +majestical +majestically +majesticalness +majesticness +majesties +majestious +majesty's +majestyship +majeure +majidieh +Majka +Majlis +majo +majolica +majolicas +majolist +ma-jong +majoon +Major +majora +majorat +majorate +majoration +Majorca +Majorcan +majordomo +major-domo +majordomos +major-domos +major-domoship +majored +majorem +majorette +majorettes +major-general +major-generalcy +major-generalship +majoring +Majorism +Majorist +Majoristic +majoritarian +majoritarianism +majority +majorities +majority's +majorize +major-league +major-leaguer +majors +majorship +majos +Majunga +Majuro +majusculae +majuscular +majuscule +majuscules +Mak +makable +makadoo +Makah +makahiki +makale +Makalu +Makanda +makar +makara +Makaraka +Makari +makars +Makasar +Makassar +makatea +Makawao +Makaweli +make +make- +makeable +make-ado +makebate +makebates +make-belief +make-believe +Makedhonia +make-do +makedom +Makeevka +make-faith +make-falcon +makefast +makefasts +makefile +make-fire +make-fray +make-game +make-hawk +Makeyevka +make-king +make-law +makeless +Makell +make-mirth +make-or-break +make-peace +Maker +makeready +make-ready +makeress +maker-off +makers +makership +maker-up +makes +make-shame +makeshift +makeshifty +makeshiftiness +makeshiftness +makeshifts +make-sport +make-talk +makeup +make-up +makeups +make-way +makeweight +make-weight +makework +make-work +Makhachkala +makhorka +makhzan +makhzen +maki +makimono +makimonos +Makinen +making +makings +making-up +Makkah +makluk +mako +makomako +Makonde +makopa +makos +Makoti +makoua +makran +makroskelic +maksoorah +Maku +Makua +makuk +Makurdi +makuta +makutas +makutu +MAL +mal- +Mala +malaanonang +Malabar +Malabarese +malabathrum +Malabo +malabsorption +malac- +malacanthid +Malacanthidae +malacanthine +Malacanthus +malacaton +Malacca +Malaccan +malaccas +malaccident +Malaceae +malaceous +Malachi +Malachy +malachite +malacia +Malaclemys +malaclypse +malaco- +Malacobdella +Malacocotylea +malacoderm +Malacodermatidae +malacodermatous +Malacodermidae +malacodermous +malacoid +malacolite +malacology +malacologic +malacological +malacologist +malacon +malacone +malacophyllous +malacophilous +malacophonous +malacopod +Malacopoda +malacopodous +malacopterygian +Malacopterygii +malacopterygious +Malacoscolices +Malacoscolicine +Malacosoma +Malacostraca +malacostracan +malacostracology +malacostracous +malacotic +malactic +maladapt +maladaptation +maladapted +maladaptive +maladdress +malade +malady +maladies +malady's +maladive +maladjust +maladjusted +maladjustive +maladjustment +maladjustments +maladminister +maladministered +maladministering +maladministers +maladministration +maladministrative +maladministrator +maladresse +maladroit +maladroitly +maladroitness +maladventure +Malaga +malagash +Malagasy +Malagigi +malagma +malaguea +malaguena +malaguenas +malaguetta +malahack +Malay +Malaya +Malayalam +Malayalim +Malayan +malayans +Malayic +Malayize +malayo- +Malayoid +Malayo-Indonesian +Malayo-Javanese +Malayo-negrito +Malayo-Polynesian +malays +malaise +malaises +Malaysia +Malaysian +malaysians +Malakal +malakin +Malakoff +malakon +malalignment +malam +malambo +Malamud +Malamut +malamute +malamutes +Malan +malander +malandered +malanders +malandrous +Malang +malanga +malangas +Malange +Malanie +Malanje +malapaho +malapert +malapertly +malapertness +malaperts +malapi +malapplication +malappointment +malapportioned +malapportionment +malappropriate +malappropriation +Malaprop +malapropian +malapropish +malapropism +malapropisms +malapropoism +malapropos +malaprops +Malapterurus +Malar +malaria +malarial +malarian +malariaproof +malarias +malarin +malarioid +malariology +malariologist +malariotherapy +malarious +Malarkey +malarkeys +malarky +malarkies +malaroma +malaromas +malarrangement +malars +malasapsap +Malaspina +malassimilation +malassociation +malate +malates +Malatesta +Malathion +malati +Malatya +malattress +Malawi +malawians +malax +malaxable +malaxage +malaxate +malaxation +malaxator +malaxed +malaxerman +malaxermen +malaxing +Malaxis +malbehavior +malbrouck +Malca +Malcah +Malchy +malchite +Malchus +Malcolm +Malcom +malconceived +malconduct +malconformation +malconstruction +malcontent +malcontented +malcontentedly +malcontentedness +malcontentism +malcontently +malcontentment +malcontents +malconvenance +malcreated +malcultivation +MALD +Malda +Malden +maldeveloped +maldevelopment +maldigestion +maldirection +maldistribute +maldistribution +Maldive +Maldives +Maldivian +maldocchio +Maldon +maldonite +malduck +Male +male- +maleability +malease +maleate +maleates +maleberry +Malebolge +Malebolgian +Malebolgic +Malebranche +Malebranchism +Malecite +maledicent +maledict +maledicted +maledicting +malediction +maledictions +maledictive +maledictory +maledicts +maleducation +malee +Maleeny +malefaction +malefactions +malefactor +malefactory +malefactors +malefactor's +malefactress +malefactresses +malefeazance +malefic +malefical +malefically +malefice +maleficence +maleficences +maleficent +maleficently +maleficia +maleficial +maleficiate +maleficiation +maleficio +maleficium +maleic +maleinoid +maleinoidal +Malek +Maleki +malella +malellae +malemiut +malemiuts +malemuit +malemuits +Malemute +malemutes +Malena +maleness +malenesses +malengin +malengine +Malenkov +malentendu +mal-entendu +maleo +maleos +maleruption +males +male's +Malesherbia +Malesherbiaceae +malesherbiaceous +male-sterile +Malet +maletolt +maletote +Maletta +Malevich +malevolence +malevolences +malevolency +malevolent +malevolently +malevolous +malexecution +malfeasance +malfeasances +malfeasant +malfeasantly +malfeasants +malfeasor +malfed +malformation +malformations +malformed +malfortune +malfunction +malfunctioned +malfunctioning +malfunctions +malgovernment +malgr +malgrace +malgrado +malgre +malguzar +malguzari +Malherbe +malheur +malhygiene +malhonest +Mali +Malia +Malibran +Malibu +malic +malice +maliceful +maliceproof +malices +malicho +malicious +maliciously +maliciousness +malicorium +malidentification +malie +maliferous +maliform +malign +malignance +malignancy +malignancies +malignant +malignantly +malignation +maligned +maligner +maligners +malignify +malignified +malignifying +maligning +malignity +malignities +malignly +malignment +maligns +malihini +malihinis +Malik +malikadna +malikala +malikana +Maliki +Malikite +malikzadi +malimprinted +Malin +Malina +malinche +Malinda +Malynda +Malinde +maline +Malines +malinfluence +malinger +malingered +malingerer +malingerers +malingery +malingering +malingers +Malinin +Malinke +Malinois +Malinovsky +Malinowski +malinowskite +malinstitution +malinstruction +Malinta +malintent +malinvestment +Malipiero +malism +malison +malisons +Malissa +Malissia +malist +malistic +Malita +malitia +Maljamar +Malka +Malkah +Malkin +malkins +Malkite +Mall +malladrite +mallam +mallanders +mallangong +mallard +mallardite +mallards +Mallarme +malleability +malleabilities +malleabilization +malleable +malleableize +malleableized +malleableizing +malleableness +malleably +malleablize +malleablized +malleablizing +malleal +mallear +malleate +malleated +malleating +malleation +mallecho +malled +mallee +mallees +mallei +Malley +Malleifera +malleiferous +malleiform +mallein +malleinization +malleinize +malleli +mallemaroking +mallemuck +Mallen +mallender +mallenders +malleoincudal +malleolable +malleolar +malleoli +malleolus +Maller +Mallet +malleted +malleting +mallets +mallet's +malleus +Mallia +Mallie +Mallin +Mallina +Malling +Mallis +Mallissa +Malloch +Malloy +Mallon +Mallophaga +mallophagan +mallophagous +Mallorca +Mallory +Mallorie +malloseismic +Mallotus +mallow +mallows +mallowwort +malls +mallum +mallus +malm +malmag +Malmaison +malmarsh +Malmdy +malmed +Malmedy +Malmesbury +malmy +malmier +malmiest +malmignatte +malming +Malmo +malmock +malms +malmsey +malmseys +malmstone +malnourished +malnourishment +malnutrite +malnutrition +malnutritions +Malo +malobservance +malobservation +mal-observation +maloca +malocchio +maloccluded +malocclusion +malocclusions +malodor +malodorant +malodorous +malodorously +malodorousness +malodorousnesses +malodors +malodour +Maloy +malojilla +malolactic +malonate +Malone +Maloney +Maloneton +Malony +malonic +malonyl +malonylurea +Malonis +Malope +maloperation +malorganization +malorganized +Malory +Malorie +maloti +Malott +malouah +malpais +Malpighi +Malpighia +Malpighiaceae +malpighiaceous +Malpighian +malplaced +malpoise +malposed +malposition +malpractice +malpracticed +malpractices +malpracticing +malpractioner +malpractitioner +malpraxis +malpresentation +malproportion +malproportioned +malpropriety +malpublication +Malraux +malreasoning +malrotation +MALS +malshapen +malsworn +malt +Malta +maltable +maltalent +maltase +maltases +malt-dust +malted +malteds +malter +Maltese +maltha +malthas +Malthe +malthene +malthite +malt-horse +malthouse +malt-house +Malthus +Malthusian +Malthusianism +Malthusiast +Malti +malty +maltier +maltiest +maltine +maltiness +malting +maltman +Malto +maltobiose +maltodextrin +maltodextrine +maltol +maltols +maltolte +Malton +maltose +maltoses +maltreat +maltreated +maltreating +maltreatment +maltreatments +maltreator +maltreats +malts +maltster +maltsters +malturned +maltworm +malt-worm +Maltz +Maltzman +Maluku +malum +malunion +Malurinae +malurine +Malurus +Malus +Malva +Malvaceae +malvaceous +malval +Malvales +Malvasia +malvasian +malvasias +Malvastrum +Malvern +Malverne +malversation +malverse +Malvia +Malvie +Malvin +Malvina +Malvine +Malvino +malvoisie +malvolition +malwa +Mam +Mama +mamaguy +mamaliga +Mamallapuram +mamaloi +mamamouchi +mamamu +Mamaroneck +mamas +mamba +mambas +mambo +mamboed +mamboes +mamboing +mambos +mambu +Mame +mamey +mameyes +mameys +mameliere +mamelon +mamelonation +mameluco +Mameluke +mamelukes +Mamercus +Mamers +Mamertine +Mamertino +Mamie +mamies +Mamilius +mamilla +mamillary +mamillate +mamillated +mamillation +Mamisburg +mamlatdar +mamluk +mamluks +mamlutdar +mamma +mammae +mammal +mammalgia +Mammalia +mammalian +mammalians +mammaliferous +mammality +mammalogy +mammalogical +mammalogist +mammalogists +mammals +mammal's +mammary +mammas +mamma's +mammate +mammati +mammatocumulus +mammato-cumulus +mammatus +Mammea +mammectomy +mammee +mammees +mammey +mammeys +mammer +mammered +mammering +mammers +mammet +mammets +mammy +mammie +mammies +mammifer +Mammifera +mammiferous +mammiform +mammilate +mammilated +mammilla +mammillae +mammillaplasty +mammillar +mammillary +Mammillaria +mammillate +mammillated +mammillation +mammilliform +mammilloid +mammilloplasty +mammin +mammitides +mammitis +mammock +mammocked +mammocking +mammocks +mammodi +mammogen +mammogenic +mammogenically +mammogram +mammography +mammographic +mammographies +Mammon +mammondom +mammoni +mammoniacal +mammonish +mammonism +mammonist +mammonistic +mammonite +mammonitish +mammonization +mammonize +mammonolatry +mammons +Mammonteus +mammose +mammoth +mammothrept +mammoths +mammotomy +mammotropin +mammula +mammulae +mammular +Mammut +Mammutidae +mamo +mamona +mamoncillo +mamoncillos +Mamor +Mamore +mamoty +Mamou +Mamoun +mampalon +mampara +mampus +mamry +mamsell +Mamurius +mamushi +mamzer +MAN +Man. +Mana +man-abhorring +man-about-town +Manabozho +manace +manacing +manacle +manacled +manacles +manacling +Manacus +manada +Manado +manage +manageability +manageabilities +manageable +manageableness +manageablenesses +manageably +managed +managee +manageless +management +managemental +managements +management's +manager +managerdom +manageress +managery +managerial +managerially +managers +manager's +managership +manages +managing +Managua +Manahawkin +manaism +manak +Manaker +manakin +manakins +Manakinsabot +manal +Manala +Manama +manana +mananas +Manannn +Manara +Manard +manarvel +manas +manasic +Manasquan +Manassa +Manassas +Manasseh +Manasses +Manassite +Manat +man-at-arms +manatee +manatees +Manati +Manatidae +manatine +manation +manatoid +Manatus +Manaus +manavel +manavelins +manavendra +manavilins +manavlins +Manawa +Manawyddan +manba +man-back +manbarklak +man-bearing +man-begot +manbird +man-bodied +man-born +manbot +manbote +manbria +man-brute +mancala +mancando +man-carrying +man-catching +Mancelona +man-centered +Manchaca +man-changed +Manchaug +Manche +manches +Manchester +Manchesterdom +Manchesterism +Manchesterist +Manchestrian +manchet +manchets +manchette +manchild +man-child +manchineel +Manchu +Manchukuo +Manchuria +Manchurian +manchurians +Manchus +mancy +mancinism +Mancino +mancipable +mancipant +mancipare +mancipate +mancipation +mancipative +mancipatory +mancipee +mancipia +mancipium +manciple +manciples +mancipleship +mancipular +man-compelling +mancono +Mancos +man-created +Mancunian +mancus +mand +Manda +mandacaru +Mandaean +Mandaeism +man-day +Mandaic +man-days +Mandaite +Mandal +mandala +Mandalay +mandalas +mandalic +mandament +mandamus +mandamuse +mandamused +mandamuses +mandamusing +Mandan +mandant +mandapa +mandar +mandarah +Mandaree +Mandarin +mandarinate +mandarindom +mandarined +mandariness +mandarinic +mandarining +mandarinism +mandarinize +mandarins +mandarinship +mandat +mandatary +mandataries +mandate +mandated +mandatedness +mandatee +mandates +mandating +mandation +mandative +mandator +mandatory +mandatories +mandatorily +mandatoriness +mandators +mandats +mandatum +Mande +Mandean +man-degrading +Mandel +mandelate +Mandelbaum +mandelic +Mandell +manderelle +Manderson +man-destroying +Mandeville +man-devised +man-devouring +Mandi +Mandy +mandyai +mandyas +mandyases +mandible +mandibles +mandibula +mandibular +mandibulary +Mandibulata +mandibulate +mandibulated +mandibuliform +mandibulo- +mandibulo-auricularis +mandibulohyoid +mandibulomaxillary +mandibulopharyngeal +mandibulosuspensorial +Mandych +Mandie +mandyi +mandil +mandilion +Mandingan +Mandingo +Mandingoes +Mandingos +mandioca +mandiocas +mandir +Mandle +mandlen +Mandler +mandment +mando-bass +mando-cello +mandoer +mandola +mandolas +mandolin +mandoline +mandolinist +mandolinists +mandolins +mandolute +mandom +mandora +mandore +mandorla +mandorlas +mandorle +mandra +mandragora +mandragvn +mandrake +mandrakes +mandrel +mandrels +mandriarch +mandril +mandrill +mandrills +mandrils +mandrin +mandritta +mandruka +mands +mandua +manducable +manducate +manducated +manducating +manducation +manducatory +mane +man-eater +man-eating +maned +manege +maneges +maneh +manei +maney +maneless +Manella +man-enchanting +man-enslaved +manent +manequin +manerial +Manes +mane's +manesheet +maness +Manet +Manetho +Manetti +Manettia +maneuver +maneuverability +maneuverabilities +maneuverable +maneuvered +maneuverer +maneuvering +maneuvers +maneuvrability +maneuvrable +maneuvre +maneuvred +maneuvring +man-fashion +man-fearing +manfish +man-forked +Manfred +Manfreda +manful +manfully +manfulness +mang +manga +mangabey +mangabeira +mangabeys +mangabev +mangaby +mangabies +mangal +Mangalitza +Mangalore +mangan- +mangana +manganapatite +manganate +manganblende +manganbrucite +manganeisen +manganese +manganeses +manganesian +manganesic +manganetic +manganhedenbergite +manganic +manganiferous +Manganin +manganite +manganium +manganize +Manganja +manganocalcite +manganocolumbite +manganophyllite +manganosiderite +manganosite +manganostibiite +manganotantalite +manganous +manganpectolite +Mangar +Mangarevan +Mangbattu +mange +mangeao +mangey +mangeier +mangeiest +mangel +mangelin +mangels +mangelwurzel +mangel-wurzel +mange-mange +manger +mangery +mangerite +mangers +manger's +manges +Mangham +mangi +mangy +Mangyan +mangier +mangiest +Mangifera +mangily +manginess +mangle +mangled +mangleman +mangler +manglers +mangles +mangling +manglingly +Mango +man-god +mangoes +Mangohick +mangold +mangolds +mangold-wurzel +mangona +mangonel +mangonels +mangonism +mangonization +mangonize +mangoro +mangos +mango-squash +mangosteen +mangour +mangrass +mangrate +mangrove +mangroves +man-grown +Mangrum +Mangue +Mangum +mangwe +manhaden +manhandle +man-handle +manhandled +manhandler +manhandles +manhandling +Manhasset +man-hater +man-hating +Manhattan +Manhattanite +Manhattanize +manhattans +manhead +man-headed +Manheim +man-high +manhole +man-hole +manholes +manhood +manhoods +man-hour +manhours +manhunt +manhunter +man-hunter +manhunting +manhunts +Mani +many +many- +mania +Manya +maniable +maniac +maniacal +maniacally +many-acred +maniacs +maniac's +many-angled +maniaphobia +many-armed +manias +manyatta +many-banded +many-beaming +many-belled +manyberry +many-bleating +many-blossomed +many-blossoming +many-branched +many-breasted +manic +manically +Manicamp +Manicaria +manicate +manic-depressive +many-celled +Manichae +Manichaean +Manichaeanism +Manichaeanize +Manichaeism +Manichaeist +Manichaeus +many-chambered +Manichean +Manicheanism +Manichee +Manicheism +Manicheus +manichord +manichordon +many-cobwebbed +manicole +many-colored +many-coltered +manicon +manicord +many-cornered +manicotti +manics +maniculatus +manicure +manicured +manicures +manicuring +manicurist +manicurists +manid +Manidae +manie +man-year +many-eared +many-eyed +Manyema +manienie +maniere +many-faced +many-facedness +many-faceted +manifer +manifest +manifesta +manifestable +manifestant +manifestation +manifestational +manifestationist +manifestations +manifestation's +manifestative +manifestatively +manifested +manifestedness +manifester +manifesting +manifestive +manifestly +manifestness +manifesto +manifestoed +manifestoes +manifestos +manifests +manify +manificum +many-flowered +manifold +manyfold +manifolded +many-folded +manifolder +manifolding +manifoldly +manifoldness +manifolds +manifold's +manifoldwise +maniform +many-formed +many-fountained +many-gifted +many-handed +many-headed +many-headedness +many-horned +Manihot +manihots +many-hued +many-yeared +many-jointed +manikin +manikinism +manikins +many-knotted +Manila +many-lay +many-languaged +manilas +many-leaved +many-legged +manilio +Manilius +many-lived +Manilla +manillas +manille +manilles +many-lobed +many-meaning +many-millioned +many-minded +many-mingled +many-mingling +many-mouthed +many-named +many-nationed +many-nerved +manyness +manini +Maninke +manioc +manioca +maniocas +maniocs +many-one +Manyoshu +many-parted +many-peopled +many-petaled +many-pigeonholed +many-pillared +maniple +maniples +manyplies +many-pointed +manipulability +manipulable +manipular +manipulary +manipulatability +manipulatable +manipulate +manipulated +manipulates +manipulating +manipulation +manipulational +manipulations +manipulative +manipulatively +manipulator +manipulatory +manipulators +manipulator's +Manipur +Manipuri +many-rayed +many-ranked +many-ribbed +manyroot +many-rooted +many-rowed +Manis +Manisa +many-seated +many-seatedness +many-seeded +many-sided +manysidedness +many-sidedness +many-syllabled +manism +many-sounding +many-spangled +many-spotted +manist +Manistee +many-steepled +many-stemmed +manistic +Manistique +many-storied +many-stringed +manit +many-tailed +Manity +many-tinted +Manito +Manitoba +Manitoban +many-toned +many-tongued +manitos +Manitou +Manitoulin +manitous +many-towered +Manitowoc +many-tribed +manitrunk +manitu +many-tubed +manitus +many-twinkling +maniu +Manius +Maniva +many-valued +many-valved +many-veined +many-voiced +manyways +many-wandering +many-weathered +manywhere +many-winding +many-windowed +many-wintered +manywise +Manizales +manjack +manjak +manjeet +manjel +manjeri +Manjusri +mank +Mankato +man-keen +mankeeper +manky +mankie +Mankiewicz +mankiller +man-killer +mankilling +man-killing +mankin +mankind +mankindly +mankind's +manks +Manley +manless +manlessly +manlessness +manlet +Manly +manlier +manliest +manlihood +manlike +manlikely +manlikeness +manlily +manliness +manling +Manlius +Manlove +manmade +man-made +man-maiming +man-making +man-midwife +man-midwifery +man-milliner +man-mimicking +man-minded +man-minute +Mann +mann- +manna +manna-croup +Mannaean +mannaia +mannan +mannans +Mannar +mannas +Mannboro +manned +mannequin +mannequins +manner +mannerable +mannered +manneredness +Mannerheim +mannerhood +mannering +mannerism +mannerisms +Mannerist +manneristic +manneristical +manneristically +mannerize +mannerless +mannerlessness +mannerly +mannerliness +mannerlinesses +Manners +mannersome +Mannes +manness +mannet +Mannford +Mannheim +Mannheimar +Manny +mannide +Mannie +manniferous +mannify +mannified +mannikin +mannikinism +mannikins +Manning +Mannington +mannire +mannish +mannishly +mannishness +mannishnesses +mannitan +mannite +mannites +mannitic +mannitol +mannitols +mannitose +Mannlicher +Manno +mannoheptite +mannoheptitol +mannoheptose +mannoketoheptose +mannonic +mannopus +Mannos +mannosan +mannose +mannoses +Mannschoice +Mannsville +Mannuela +Mano +Manoah +Manobo +manoc +manoeuver +manoeuvered +manoeuvering +manoeuvre +manoeuvred +manoeuvreing +manoeuvrer +manoeuvring +Manoff +man-of-the-earths +man-of-war +manograph +manoir +Manokin +Manokotak +Manolete +manolis +Manolo +Manomet +manometer +manometers +manometer's +manometry +manometric +manometrical +manometrically +manometries +manomin +Manon +manor +man-orchis +Manorhaven +manor-house +manorial +manorialism +manorialisms +manorialize +manors +manor's +manorship +Manorville +manos +manoscope +manostat +manostatic +Manouch +man-o'-war +manpack +man-pleasing +manpower +manpowers +manqu +manque +manquee +manqueller +Manquin +manred +manrent +Manresa +man-ridden +manroot +manrope +manropes +Mans +man's +Mansard +mansarded +mansards +Mansart +manscape +manse +manser +manservant +man-servant +manses +Mansfield +man-shaped +manship +Mansholt +mansion +mansional +mansionary +mansioned +mansioneer +mansion-house +mansionry +mansions +mansion's +man-size +man-sized +manslayer +manslayers +manslaying +manslaughter +manslaughterer +manslaughtering +manslaughterous +manslaughters +manso +Manson +mansonry +Mansoor +Mansra +man-stalking +manstealer +manstealing +manstopper +manstopping +man-subduing +mansuete +mansuetely +mansuetude +man-supporting +Mansur +Mansura +manswear +mansworn +mant +Manta +Mantachie +Mantador +man-tailored +mantal +mantapa +mantappeaux +mantas +man-taught +manteau +manteaus +manteaux +Manteca +Mantee +manteel +mantegar +Mantegna +mantel +mantelet +mantelets +manteline +Mantell +mantelletta +mantellone +mantellshelves +mantelpiece +mantelpieces +mantels +mantel's +mantelshelf +manteltree +mantel-tree +Manteno +Manteo +Manter +mantes +mantevil +Manthei +Manti +manty +mantic +mantically +manticism +manticora +manticore +mantid +Mantidae +mantids +mantilla +mantillas +Mantinea +Mantinean +mantis +mantises +Mantisia +Mantispa +mantispid +Mantispidae +mantissa +mantissas +mantissa's +mantistic +Mantius +Mantle +mantled +mantlepiece +mantlepieces +mantlerock +mantle-rock +mantles +mantle's +mantlet +mantletree +mantlets +mantling +mantlings +Manto +Mantodea +mantoid +Mantoidea +mantology +mantologist +Mantoloking +man-to-man +Manton +Mantorville +Mantova +mantra +mantram +mantrap +man-trap +mantraps +mantras +mantric +Mantua +mantuamaker +mantuamaking +Mantuan +mantuas +Mantzu +Manu +manual +manualii +manualism +manualist +manualiter +manually +manuals +manual's +manuao +manuary +manubaliste +manubria +manubrial +manubriated +manubrium +manubriums +manucaption +manucaptor +manucapture +manucode +Manucodia +manucodiata +manuduce +manuduct +manuduction +manuductive +manuductor +manuductory +Manue +Manuel +Manuela +manuever +manueverable +manuevered +manuevers +manuf +manuf. +manufact +manufaction +manufactor +manufactory +manufactories +manufacturable +manufactural +manufacture +manufactured +manufacturer +manufacturers +manufacturer's +manufactures +manufacturess +manufacturing +manuka +Manukau +manul +manuma +manumea +manumisable +manumise +manumission +manumissions +manumissive +manumit +manumits +manumitted +manumitter +manumitting +manumotive +manuprisor +manurable +manurage +manurance +manure +manured +manureless +manurement +manurer +manurers +manures +Manuri +manurial +manurially +manuring +Manus +manuscript +manuscriptal +manuscription +manuscripts +manuscript's +manuscriptural +manusina +manustupration +manutagi +manutenency +manutergium +Manutius +Manvantara +Manvel +Manvell +Manvil +Manville +manway +manward +manwards +manweed +Manwell +manwise +man-woman +man-worshiping +manworth +man-worthy +man-worthiness +Manx +Manxman +Manxmen +Manxwoman +manzana +Manzanilla +manzanillo +manzanita +Manzanola +Manzas +manzil +Manzoni +Manzu +Mao +Maoism +Maoist +maoists +maomao +Maori +Maoridom +Maoriland +Maorilander +Maoris +maormor +MAP +mapach +mapache +mapau +Mapaville +Mapel +Mapes +maphrian +mapland +maple +maplebush +Maplecrest +mapleface +maple-faced +maple-leaved +maplelike +Maples +maple's +Mapleshade +Maplesville +Mapleton +Mapleview +Mapleville +Maplewood +maplike +mapmaker +mapmakers +mapmaking +mapo +mappable +Mappah +mapped +mappemonde +mappen +mapper +mappers +mappy +Mappila +mapping +mappings +mapping's +mappist +Mappsville +maps +map's +MAPSS +MAPTOP +Mapuche +Maputo +mapwise +maquahuitl +maquereau +maquette +maquettes +maqui +maquillage +Maquiritare +maquis +maquisard +Maquoketa +Maquon +MAR +mar- +Mar. +Mara +Marabel +Marabelle +marabotin +marabou +marabous +Marabout +maraboutism +marabouts +marabunta +marabuto +maraca +Maracay +Maracaibo +maracan +Maracanda +maracas +maracock +marae +Maragato +marage +maraged +maraging +marah +maray +marais +Maraj +marajuana +marakapas +maral +Marala +Maralina +Maraline +Maramec +Marana +maranao +maranatha +marang +Maranh +Maranha +Maranham +Maranhao +Maranon +Maranta +Marantaceae +marantaceous +marantas +marantic +marara +mararie +maras +Marasar +marasca +marascas +maraschino +maraschinos +Marasco +Marashio +marasmic +Marasmius +marasmoid +marasmous +marasmus +marasmuses +Marat +Maratha +Marathi +Marathon +marathoner +Marathonian +marathons +Maratism +Maratist +Marattia +Marattiaceae +marattiaceous +Marattiales +maraud +marauded +marauder +marauders +marauding +marauds +maravedi +maravedis +Maravi +marbelization +marbelize +marbelized +marbelizing +MARBI +Marble +marble-arched +marble-breasted +marble-calm +marble-checkered +marble-colored +marble-constant +marble-covered +marbled +marble-faced +marble-grinding +marble-hard +Marblehead +marbleheader +marblehearted +marble-imaged +marbleization +marbleize +marbleized +marbleizer +marbleizes +marbleizing +marblelike +marble-looking +marble-minded +marble-mindedness +marbleness +marble-pale +marble-paved +marble-piled +marble-pillared +marble-polishing +marble-quarrying +marbler +marble-ribbed +marblers +marbles +marble-sculptured +marble-topped +marble-white +marblewood +marbly +marblier +marbliest +marbling +marblings +marblish +marbrinus +Marburg +Marbury +Marbut +MARC +Marcan +marcando +marcantant +Marcantonio +marcasite +marcasitic +marcasitical +marcassin +marcatissimo +marcato +Marceau +Marcel +Marcela +Marcelia +Marceline +Marcell +Marcella +Marcelle +marcelled +marceller +Marcellette +Marcellian +Marcellianism +Marcellina +Marcelline +marcelling +Marcello +Marcellus +Marcelo +marcels +marcescence +marcescent +marcgrave +Marcgravia +Marcgraviaceae +marcgraviaceous +MArch +March. +Marchak +Marchal +Marchall +Marchand +Marchantia +Marchantiaceae +marchantiaceous +Marchantiales +MArchE +marched +Marchelle +Marchen +marcher +marchers +Marches +marchesa +Marchese +Marcheshvan +marchesi +marchet +Marchette +marchetti +marchetto +marching +marchioness +marchionesses +marchioness-ship +marchite +marchland +march-land +marchman +march-man +marchmen +Marchmont +marchpane +march-past +Marci +Marcy +Marcia +Marcian +Marciano +Marcianus +marcid +Marcie +Marcile +Marcille +Marcin +Marcion +Marcionism +Marcionist +Marcionite +Marcionitic +Marcionitish +Marcionitism +Marcite +Marcius +Marco +Marcobrunner +Marcola +Marcomanni +Marcomannic +Marconi +marconigram +marconigraph +marconigraphy +Marconi-rigged +marcor +Marcos +Marcosian +marcot +marcottage +Marcoux +marcs +Marcus +Marcuse +Marcushook +Marden +Marder +Mardi +mardy +Mardochai +Marduk +Mare +Mareah +mareblob +Mareca +marechal +marechale +Maregos +Marehan +Marek +marekanite +Marela +Mareld +Marelda +Marelya +Marella +maremma +maremmatic +maremme +maremmese +Maren +Marena +Marengo +Marenisco +marennin +Marentic +Marenzio +mareograph +Mareotic +Mareotid +mare-rode +mares +mare's +mareschal +mare's-nest +Maressa +mare's-tail +Maretta +Marette +Maretz +marezzo +Marfa +Marfik +marfire +Marfrance +marg +marg. +Marga +margay +margays +Margalit +Margalo +margarate +Margarelon +Margaret +Margareta +Margarete +Margaretha +Margarethe +Margaretta +Margarette +Margarettsville +Margaretville +margaric +Margarida +margarin +margarine +margarines +margarins +Margarita +margaritaceous +margaritae +margarite +margaritic +margaritiferous +margaritomancy +Margarodes +margarodid +Margarodinae +margarodite +Margaropus +margarosanite +Margate +Margaux +Marge +Margeaux +marged +margeline +margent +margented +margenting +margents +Margery +marges +Marget +Margette +Margetts +Margherita +Margi +Margy +Margie +margin +marginability +marginal +marginalia +marginality +marginalize +marginally +marginals +marginate +marginated +marginating +margination +margined +Marginella +Marginellidae +marginelliform +marginicidal +marginiform +margining +marginirostral +Marginis +marginoplasty +margins +margin's +Margit +Margo +margosa +Margot +margravate +margrave +margravely +margraves +margravial +margraviate +margravine +Margret +Margreta +Marguerie +Marguerita +Marguerite +marguerites +margullie +marhala +mar-hawk +Marheshvan +Mari +Mary +Maria +Marya +mariachi +mariachis +Maria-Giuseppe +Maryalice +marialite +Mariam +Mariamman +Marian +Mariana +Marianao +Mariand +Mariande +Mariandi +Marianic +marianist +Mariann +Maryann +Marianna +Maryanna +Marianne +Maryanne +Mariano +Marianolatry +Marianolatrist +Marianskn +Mariastein +Mariba +Maribel +Marybella +Maribelle +Marybelle +Maribeth +Marybeth +Marybob +Maribor +Maryborough +marybud +marica +Maricao +Marice +maricolous +Maricopa +mariculture +marid +Maryd +Maridel +Marydel +Marydell +Marie +Marieann +Marie-Ann +Mariehamn +Mariejeanne +Marie-Jeanne +Mariel +Mariele +Marielle +Mariellen +Maryellen +Marienbad +mariengroschen +Marienthal +Marienville +maries +mariet +Mariett +Marietta +Mariette +Marifrances +Maryfrances +Marigene +marigenous +Marigold +Marigolda +Marigolde +marigolds +marigram +marigraph +marigraphic +marihuana +marihuanas +Mariya +Marijane +Maryjane +Marijn +Marijo +Maryjo +marijuana +marijuanas +Marika +Marykay +Mariken +marikina +Maryknoll +Mariko +Maril +Maryl +Maryland +Marylander +marylanders +Marylandian +Marilee +Marylee +Marylhurst +Maryly +Marilin +Marilyn +Marylin +Marylyn +Marylinda +Marilynne +Marylynne +Marilla +Marillin +Marilou +Marylou +Marymass +marimba +marimbaist +marimbas +marimonda +Marin +Maryn +Marina +marinade +marinaded +marinades +marinading +marinal +marinara +marinaras +marinas +marinate +marinated +marinates +marinating +marination +Marinduque +marine +Maryneal +marined +marine-finish +Marinelli +Mariner +mariners +marinership +marines +Marinette +Marinetti +Maringouin +marinheiro +Marini +Marinism +Marinist +Marinistic +Marinna +Marino +marinorama +Marinus +Mario +mariola +Mariolater +Mariolatry +Mariolatrous +Mariology +Mariological +Mariologist +Marion +marionet +marionette +marionettes +Marionville +mariou +Mariposa +Mariposan +mariposas +mariposite +Mariquilla +Maryrose +Maryruth +Maris +Marys +Marisa +Marysa +marish +marishes +marishy +marishness +Mariska +Marisol +marysole +Marissa +Marist +Marysvale +Marysville +Marita +maritage +maritagium +Maritain +marital +maritality +maritally +mariti +mariticidal +mariticide +maritimal +maritimate +Maritime +Maritimer +maritimes +maritorious +Maritsa +Mariupol +mariupolite +Marius +Maryus +Marivaux +Maryville +Marj +Marja +Marjana +Marje +Marji +Marjy +Marjie +marjoram +marjorams +Marjory +Marjorie +Mark +marka +Markab +markable +Markan +markaz +markazes +markdown +markdowns +Markeb +marked +markedly +markedness +marker +marker-down +markery +marker-off +marker-out +markers +markers-off +Markesan +Market +Marketa +marketability +marketable +marketableness +marketably +marketech +marketed +marketeer +marketeers +marketer +marketers +marketing +marketings +marketman +marketplace +marketplaces +marketplace's +market-ripe +markets +marketstead +marketwise +Markevich +markfieldite +Markgenossenschaft +Markham +markhoor +markhoors +markhor +markhors +marking +markingly +markings +markis +markka +markkaa +markkas +Markland +Markle +Markleeville +Markleysburg +markless +Markleton +Markleville +Markman +markmen +markmoot +markmote +Marko +mark-on +Markos +Markov +Markova +Markovian +Markowitz +Marks +markshot +marksman +marksmanly +marksmanship +marksmanships +marksmen +Markson +markstone +Marksville +markswoman +markswomen +markup +mark-up +markups +Markus +Markville +markweed +markworthy +Marl +Marla +marlaceous +marlacious +Marland +Marlane +marlberry +Marlboro +Marlborough +Marlea +Marleah +marled +Marlee +Marleen +Marleene +Marley +Marleigh +Marlen +Marlena +Marlene +Marler +marlet +Marlette +marli +marly +Marlie +marlier +marliest +Marlin +Marlyn +Marline +marlines +marlinespike +marline-spike +marlinespikes +marling +marlings +marlingspike +marlins +marlinspike +marlinsucker +Marlinton +marlite +marlites +marlitic +marllike +Marlo +marlock +Marlon +Marlovian +Marlow +Marlowe +Marlowesque +Marlowish +Marlowism +marlpit +marl-pit +marls +Marlton +marm +Marmaduke +marmalade +marmalades +marmalady +Marmar +Marmara +marmaritin +marmarization +marmarize +marmarized +marmarizing +marmarosis +Marmarth +marmatite +Marmawke +Marmax +MarMechE +marmelos +marmennill +Marmet +marmink +Marmion +marmit +Marmite +marmites +Marmolada +marmolite +marmor +Marmora +marmoraceous +marmorate +marmorated +marmoration +marmoreal +marmoreally +marmorean +marmoric +marmorize +Marmosa +marmose +marmoset +marmosets +marmot +Marmota +marmots +Marna +Marne +Marney +Marni +Marnia +Marnie +marnix +Maro +Maroa +Maroc +marocain +Maroilles +marok +Marola +Marolda +Marolles +Maron +Maroney +Maronian +Maronist +Maronite +maroon +marooned +marooner +marooning +maroons +maroquin +maror +Maros +marotte +Marou +marouflage +Marozas +Marozik +Marpessa +Marpet +marplot +marplotry +marplots +Marprelate +Marq +Marquand +Marquardt +marque +marquee +marquees +marques +Marquesan +marquess +marquessate +marquesses +Marquet +marqueterie +marquetry +Marquette +Marquez +Marquis +marquisal +marquisate +marquisdom +marquise +marquises +marquisess +marquisette +marquisettes +marquisina +marquisotte +marquisship +Marquita +marquito +marquois +Marr +Marra +marraine +Marrakech +Marrakesh +marram +marrams +Marranism +marranize +Marrano +Marranoism +Marranos +Marras +marred +marree +Marrella +marrer +Marrero +marrers +marry +marriable +marriage +marriageability +marriageable +marriageableness +marriage-bed +marriageproof +marriages +marriage's +Marryat +married +marriedly +marrieds +marrier +marryer +marriers +marries +Marrietta +marrying +Marrilee +marrymuffe +Marrin +marring +Marriott +Marris +marrys +Marrissa +marrock +Marron +marrons +marrot +marrow +marrowbone +marrowbones +marrowed +marrowfat +marrowy +marrowing +marrowish +marrowless +marrowlike +marrows +marrowsky +marrowskyer +marrube +Marrubium +Marrucinian +Marruecos +MARS +Marsala +marsalas +Marsden +Marsdenia +marse +marseillais +Marseillaise +Marseille +Marseilles +marses +Marsh +Marsha +Marshal +marshalate +marshalcy +marshalcies +marshaled +marshaler +marshaless +marshaling +Marshall +Marshallberg +marshalled +marshaller +Marshallese +marshalling +marshalls +Marshalltown +Marshallville +marshalman +marshalment +marshals +Marshalsea +marshalship +marshbanker +marshberry +marshberries +marshbuck +marshes +Marshessiding +Marshfield +marshfire +marshflower +marshy +marshier +marshiest +marshiness +marshite +marshland +marshlander +marshlands +marshlike +marshlocks +marshmallow +marsh-mallow +marshmallowy +marshmallows +marshman +marshmen +marshs +marsh's +Marshville +marshwort +Marsi +Marsian +Marsyas +Marsiella +Marsilea +Marsileaceae +marsileaceous +Marsilia +Marsiliaceae +Marsilid +Marsing +marsipobranch +Marsipobranchia +Marsipobranchiata +marsipobranchiate +Marsipobranchii +Marsland +marsoon +Marspiter +Marssonia +Marssonina +Marsteller +Marston +marsupia +marsupial +Marsupialia +marsupialian +marsupialise +marsupialised +marsupialising +marsupialization +marsupialize +marsupialized +marsupializing +marsupials +marsupian +Marsupiata +marsupiate +marsupium +Mart +Marta +Martaban +martagon +martagons +Martainn +Marte +marted +Marteena +Martel +martele +marteline +Martell +Martella +martellate +martellato +Martelle +martellement +Martelli +Martello +martellos +martemper +Marten +marteniko +martenot +Martens +Martensdale +martensite +martensitic +martensitically +Martes +martext +Martguerita +Marth +Martha +Marthasville +Marthaville +Marthe +Marthena +Marti +Marty +Martial +martialed +martialing +martialism +Martialist +martialists +martiality +martialization +martialize +martialled +martially +martialling +martialness +martials +Martian +martians +Martica +Martie +Martijn +martiloge +Martin +Martyn +Martin' +Martina +Martindale +Martine +Martineau +Martinelli +martinet +martineta +martinetish +martinetishness +martinetism +martinets +martinetship +Martinez +marting +martingal +martingale +martingales +Martini +Martynia +Martyniaceae +martyniaceous +Martinic +Martinican +martinico +Martini-Henry +Martinique +martinis +Martinism +Martinist +Martinmas +Martynne +Martino +martinoe +Martinon +martins +Martinsburg +Martinsdale +Martinsen +Martinson +Martinsville +Martinton +Martinu +Martyr +martyrdom +martyrdoms +martyred +martyrer +martyress +martyry +martyria +martyries +martyring +martyrisation +martyrise +martyrised +martyrish +martyrising +martyrium +martyrization +martyrize +martyrized +martyrizer +martyrizing +martyrly +martyrlike +martyrolatry +martyrologe +martyrology +martyrologic +martyrological +martyrologist +martyrologistic +martyrologium +martyrs +martyr's +martyrship +martyrtyria +Martita +martite +Martius +martlet +martlets +martnet +Martres +martrix +marts +Martsen +Martu +Martville +Martz +maru +Marucci +Marut +Marutani +Marv +Marva +Marve +Marvel +marveled +marveling +Marvell +Marvella +marvelled +marvelling +marvellous +marvellously +marvellousness +marvelment +marvel-of-Peru +marvelous +marvelously +marvelousness +marvelousnesses +marvelry +marvels +Marven +marver +marvy +Marvin +Marwar +Marwari +marwer +Marwin +Marx +Marxian +Marxianism +Marxism +Marxism-Leninism +Marxist +Marxist-Leninist +marxists +Marzi +marzipan +marzipans +mas +masa +Masaccio +Masai +masais +Masan +masanao +masanobu +Masao +masarid +masaridid +Masarididae +Masaridinae +Masaryk +Masaris +MASB +Masbate +MASC +masc. +Mascagni +mascagnine +mascagnite +mascally +mascara +mascaras +mascaron +maschera +Mascherone +Mascia +mascle +mascled +mascleless +mascon +mascons +Mascot +mascotism +mascotry +mascots +Mascotte +Mascoutah +Mascouten +mascularity +masculate +masculation +masculy +Masculine +masculinely +masculineness +masculines +masculinism +masculinist +masculinity +masculinities +masculinization +masculinizations +masculinize +masculinized +masculinizing +masculist +masculo- +masculofeminine +masculonucleus +masdeu +Masdevallia +Masefield +maselin +MASER +Masera +masers +Maseru +Masgat +MASH +Masha +mashak +mashal +mashallah +masham +Masharbrum +Mashe +mashed +mashelton +masher +mashers +mashes +mashgiach +mashgiah +mashgichim +mashgihim +Mashhad +mashy +mashie +mashier +mashies +mashiest +mashiness +mashing +mashlam +mashlin +mashloch +mashlum +mashman +mashmen +Mashona +Mashpee +mashrebeeyah +mashrebeeyeh +mashru +Masinissa +masjid +masjids +mask +maskable +maskalonge +maskalonges +maskanonge +maskanonges +masked +maskeg +Maskegon +maskegs +Maskelyne +maskelynite +Maskell +masker +maskery +maskers +maskette +maskflower +masking +maskings +maskinonge +maskinonges +Maskins +masklike +maskmv +Maskoi +maskoid +masks +maslin +MASM +masochism +masochisms +masochist +masochistic +masochistically +masochists +masochist's +Masolino +Mason +masoned +masoner +Masonic +masonically +masoning +Masonite +masonry +masonried +masonries +masonrying +masons +mason's +Masontown +Masonville +masonwork +masooka +masoola +Masora +Masorah +Masorete +Masoreth +Masoretic +Masoretical +Masorite +Maspero +Maspiter +Masqat +masque +masquer +masquerade +masqueraded +masquerader +masqueraders +masquerades +masquerading +masquers +masques +Masry +Mass +Massa +Massachuset +Massachusetts +massacre +massacred +massacrer +massacrers +massacres +massacring +massacrous +massage +massaged +massager +massagers +massages +massageuse +massaging +massagist +massagists +Massalia +Massalian +Massapequa +massaranduba +Massarelli +massas +massasauga +Massasoit +Massaua +Massawa +mass-book +masscult +masse +massebah +massecuite +massed +massedly +massedness +Massey +Massekhoth +massel +masselgem +Massena +mass-energy +Massenet +masser +masses +masseter +masseteric +masseterine +masseters +masseur +masseurs +masseuse +masseuses +mass-fiber +mass-house +massy +massicot +massicotite +massicots +Massie +massier +massiest +massif +massifs +massig +massily +Massilia +Massilian +Massillon +Massimiliano +Massimo +massymore +Massine +massiness +massing +Massinger +Massingill +Massinisa +Massinissa +massy-proof +Massys +massive +massively +massiveness +massivenesses +massivity +masskanne +massless +masslessness +masslessnesses +masslike +mass-minded +mass-mindedness +Massmonger +mass-monger +Massna +massoy +Masson +massoola +Massora +Massorah +Massorete +Massoretic +Massoretical +massotherapy +massotherapist +mass-penny +mass-priest +mass-produce +mass-produced +massula +mass-word +MAST +mast- +mastaba +mastabah +mastabahs +mastabas +mastadenitis +mastadenoma +mastage +mastalgia +Mastat +mastatrophy +mastatrophia +mastauxe +mastax +mastectomy +mastectomies +masted +Master +masterable +master-at-arms +masterate +master-builder +masterdom +mastered +masterer +masterfast +masterful +masterfully +masterfulness +master-hand +masterhood +mastery +masteries +mastering +masterings +master-key +masterless +masterlessness +masterly +masterlike +masterlily +masterliness +masterling +masterman +master-mason +mastermen +mastermind +masterminded +masterminding +masterminds +masterous +masterpiece +masterpieces +masterpiece's +masterproof +masters +master's +masters-at-arms +mastership +masterships +mastersinger +master-singer +mastersingers +Masterson +masterstroke +master-stroke +master-vein +masterwork +master-work +masterworks +masterwort +mast-fed +mastful +masthead +mast-head +mastheaded +mastheading +mastheads +masthelcosis +masty +Mastic +masticability +masticable +masticate +masticated +masticates +masticating +mastication +mastications +masticator +masticatory +masticatories +mastiche +mastiches +masticic +masticot +mastics +Masticura +masticurous +mastiff +mastiffs +Mastigamoeba +mastigate +mastigia +mastigium +mastigobranchia +mastigobranchial +mastigoneme +mastigophobia +Mastigophora +mastigophoran +mastigophore +mastigophoric +mastigophorous +mastigopod +Mastigopoda +mastigopodous +mastigote +mastigure +masting +mastitic +mastitides +mastitis +mastix +mastixes +mastless +mastlike +mastman +mastmen +masto- +mastocarcinoma +mastocarcinomas +mastocarcinomata +mastoccipital +mastochondroma +mastochondrosis +mastodynia +mastodon +mastodonic +mastodons +mastodonsaurian +Mastodonsaurus +mastodont +mastodontic +Mastodontidae +mastodontine +mastodontoid +mastoid +mastoidal +mastoidale +mastoideal +mastoidean +mastoidectomy +mastoidectomies +mastoideocentesis +mastoideosquamous +mastoiditis +mastoidohumeral +mastoidohumeralis +mastoidotomy +mastoids +mastology +mastological +mastologist +mastomenia +mastoncus +mastooccipital +mastoparietal +mastopathy +mastopathies +mastopexy +mastoplastia +mastorrhagia +mastoscirrhus +mastosquamose +mastotympanic +mastotomy +mastras +Mastrianni +masts +masturbate +masturbated +masturbates +masturbatic +masturbating +masturbation +masturbational +masturbations +masturbator +masturbatory +masturbators +mastwood +masu +Masulipatam +Masuren +Masury +Masuria +masurium +masuriums +Mat +Mata +Matabele +Matabeleland +Matabeles +Matacan +matachin +matachina +matachinas +mataco +matadero +Matadi +Matador +matadors +mataeology +mataeological +mataeologue +mataeotechny +Matagalpa +Matagalpan +matagasse +Matagorda +matagory +matagouri +matai +matajuelo +matalan +matamata +mata-mata +matambala +Matamoras +matamoro +Matamoros +Matane +Matanuska +matanza +Matanzas +Matapan +matapi +Matar +matara +matasano +Matatua +Matawan +matax +Matazzoni +matboard +MATCALS +match +matchable +matchableness +matchably +matchboard +match-board +matchboarding +matchbook +matchbooks +matchbox +matchboxes +matchcloth +matchcoat +matched +matcher +matchers +matches +matchet +matchy +matching +matchings +matchless +matchlessly +matchlessness +match-lined +matchlock +matchlocks +matchmake +matchmaker +matchmakers +matchmaking +matchmark +Matchotic +matchsafe +matchstalk +matchstick +matchup +matchups +matchwood +matc-maker +mat-covered +MatE +mated +mategriffon +matehood +matey +Mateya +mateyness +mateys +Matejka +matelass +matelasse +Matelda +mateley +mateless +matelessness +mately +matellasse +matelot +matelotage +matelote +matelotes +matelotte +matelow +matemilk +Mateo +mateo- +mater +materfamilias +Materi +materia +materiable +material +materialisation +materialise +materialised +materialiser +materialising +materialism +materialisms +materialist +materialistic +materialistical +materialistically +materialists +materiality +materialities +materialization +materializations +materialize +materialized +materializee +materializer +materializes +materializing +materially +materialman +materialmen +materialness +materials +materiarian +materiate +materiation +materiel +materiels +maternal +maternalise +maternalised +maternalising +maternalism +maternalistic +maternality +maternalize +maternalized +maternalizing +maternally +maternalness +maternity +maternities +maternology +maters +Materse +mates +mate's +mateship +mateships +Mateusz +Matewan +matezite +MATFAP +matfellon +matfelon +mat-forming +matgrass +math +math. +matha +Mathe +mathematic +mathematical +mathematically +mathematicals +mathematician +mathematicians +mathematician's +mathematicize +mathematico- +mathematico-logical +mathematico-physical +mathematics +Mathematik +mathematization +mathematize +mathemeg +Matheny +Mather +Matherville +mathes +mathesis +Matheson +mathetic +Mathew +Mathews +Mathewson +Mathi +Mathia +Mathian +Mathias +Mathieu +Mathilda +Mathilde +Mathis +Mathiston +Matholwych +Mathre +maths +Mathur +Mathura +Mathurin +Mathusala +maty +Matias +matico +matie +maties +Matilda +matildas +Matilde +matildite +matin +Matina +matinal +matindol +matinee +matinees +matiness +matinesses +mating +matings +Matinicus +matins +matipo +Matisse +matka +matkah +Matland +Matless +Matlick +matlo +Matlock +matlockite +matlow +matmaker +matmaking +matman +Matoaka +matoke +Matozinhos +matr- +matra +matrace +matrah +matral +Matralia +matranee +matrass +matrasses +matreed +matres +matri- +matriarch +matriarchal +matriarchalism +matriarchate +matriarches +matriarchy +matriarchic +matriarchical +matriarchies +matriarchist +matriarchs +matric +matrical +Matricaria +matrice +matrices +matricidal +matricide +matricides +matriclan +matriclinous +matricula +matriculable +matriculae +matriculant +matriculants +matricular +matriculate +matriculated +matriculates +matriculating +matriculation +matriculations +matriculator +matriculatory +mat-ridden +Matrigan +matriheritage +matriherital +matrilateral +matrilaterally +matriline +matrilineage +matrilineal +matrilineally +matrilinear +matrilinearism +matrilinearly +matriliny +matrilinies +matrilocal +matrilocality +matrimony +matrimonial +matrimonially +matrimonies +matrimonii +matrimonious +matrimoniously +matriotism +matripotestal +matris +matrisib +matrix +matrixes +matrixing +matroclinal +matrocliny +matroclinic +matroclinous +matroid +matron +Matrona +matronage +matronal +Matronalia +matronhood +matronymic +matronism +matronize +matronized +matronizing +matronly +matronlike +matron-like +matronliness +Matronna +matrons +matronship +mat-roofed +matross +MATS +mat's +matsah +matsahs +Matsya +Matsys +Matson +matster +Matsu +matsue +Matsuyama +Matsumoto +matsuri +Matt +Matt. +Matta +Mattah +mattamore +Mattapoisett +Mattaponi +Mattapony +mattaro +Mattathias +Mattawamkeag +Mattawan +Mattawana +mattboard +matte +matted +mattedly +mattedness +Matteo +Matteotti +matter +matterate +matterative +mattered +matterful +matterfulness +Matterhorn +mattery +mattering +matterless +matter-of +matter-of-course +matter-of-fact +matter-of-factly +matter-of-factness +matters +mattes +Matteson +Matteuccia +Matthaean +Matthaeus +Matthaus +matthean +Matthei +Mattheus +Matthew +Matthews +Matthia +Matthias +Matthyas +Matthieu +Matthiew +Matthiola +Matthus +Matti +Matty +Mattias +Mattie +mattin +matting +mattings +mattins +Mattituck +Mattland +mattock +mattocks +mattoid +mattoids +mattoir +Mattoon +Mattox +mattrass +mattrasses +mattress +mattresses +mattress's +matts +Mattson +mattulla +maturable +maturant +maturate +maturated +maturates +maturating +maturation +maturational +maturations +maturative +mature +matured +maturely +maturement +matureness +maturer +matures +maturescence +maturescent +maturest +Maturine +maturing +maturish +maturity +maturities +Matusow +Matuta +matutinal +matutinally +matutinary +matutine +matutinely +matweed +matza +matzah +matzahs +matzas +matzo +matzoh +matzohs +matzoon +matzoons +matzos +matzot +matzoth +MAU +Maubeuge +mauby +maucaco +maucauco +Mauceri +maucherite +Mauchi +Mauckport +Maud +Maude +maudeline +Maudy +Maudie +Maudye +maudle +maudlin +maudlinism +maudlinize +maudlinly +maudlinness +maudlinwort +mauds +Maudslay +Mauer +Maugansville +mauger +maugh +Maugham +maught +Maugis +maugrabee +maugre +Maui +Mauk +maukin +maul +Maulana +Maulawiyah +Mauldin +Mauldon +mauled +mauley +Mauler +maulers +mauling +Maulmain +mauls +maulstick +maulvi +Mauman +Mau-Mau +Maumee +maumet +maumetry +maumetries +maumets +Maun +Maunabo +maunch +maunche +maund +maunder +maundered +maunderer +maunderers +maundering +maunders +maundful +maundy +maundies +maunds +maunge +maungy +Maunie +maunna +Maunsell +Maupassant +Maupertuis +Maupin +mauquahog +Maura +Mauralia +Maurandia +Maure +Maureen +Maureene +Maurey +Maurene +Maurepas +Maurer +Maurertown +mauresque +Mauretania +Mauretanian +Mauretta +Mauri +Maury +Maurya +Mauriac +Mauryan +Maurice +Mauricetown +Mauriceville +Mauricio +Maurie +Maurili +Maurilia +Maurilla +Maurine +Maurise +Maurist +Maurita +Mauritania +Mauritanian +mauritanians +Mauritia +Mauritian +Mauritius +Maurits +Maurizia +Maurizio +Mauro +Maurois +Maurreen +Maurus +Mauser +mausole +mausolea +mausoleal +mausolean +mausoleum +mausoleums +Mauston +maut +mauther +mauts +Mauve +mauvein +mauveine +mauves +mauvette +mauvine +maux +maven +mavens +maverick +mavericks +mavie +mavies +Mavilia +mavin +mavins +Mavis +Mavisdale +mavises +Mavortian +mavourneen +mavournin +Mavra +Mavrodaphne +maw +mawali +mawbound +mawed +mawger +mawing +mawk +mawky +mawkin +mawkingly +mawkish +mawkishly +mawkishness +mawkishnesses +mawks +mawmish +mawn +mawp +Mawr +maws +mawseed +mawsie +Mawson +Mawworm +Max +max. +Maxa +Maxama +Maxantia +Maxatawny +Maxbass +Maxey +Maxentia +Maxfield +MAXI +Maxy +Maxia +maxicoat +maxicoats +Maxie +maxilla +maxillae +maxillar +maxillary +maxillaries +maxillas +maxilliferous +maxilliform +maxilliped +maxillipedary +maxillipede +maxillo- +maxillodental +maxillofacial +maxillojugal +maxillolabial +maxillomandibular +maxillopalatal +maxillopalatine +maxillopharyngeal +maxillopremaxillary +maxilloturbinal +maxillozygomatic +Maxim +Maxima +maximal +Maximalism +Maximalist +maximally +maximals +maximate +maximation +Maxime +maximed +Maximes +Maximilian +Maximilianus +Maximilien +maximin +maximins +maximise +maximised +maximises +maximising +maximist +maximistic +maximite +maximites +maximization +maximize +maximized +maximizer +maximizers +maximizes +maximizing +Maximo +Maximon +maxims +maxim's +maximum +maximumly +maximums +Maximus +Maxine +maxis +maxisingle +maxiskirt +maxixe +maxixes +Maxma +Maxton +Maxwell +Maxwellian +maxwells +Maxwelton +maza +mazaedia +mazaedidia +mazaedium +mazagran +mazalgia +Mazama +mazame +Mazanderani +mazapilite +mazard +mazards +Mazarin +mazarine +Mazatec +Mazateco +Mazatl +Mazatlan +Mazda +Mazdaism +Mazdaist +Mazdakean +Mazdakite +Mazdean +mazdoor +mazdur +Maze +mazed +mazedly +mazedness +mazeful +maze-gane +Mazel +mazelike +mazement +Mazeppa +mazer +mazers +mazes +maze's +Mazhabi +mazy +Maziar +mazic +Mazie +mazier +maziest +mazily +maziness +mazinesses +mazing +Mazlack +Mazman +mazocacothesis +mazodynia +mazolysis +mazolytic +Mazomanie +Mazon +Mazonson +mazopathy +mazopathia +mazopathic +mazopexy +mazourka +mazourkas +Mazovian +mazuca +mazuma +mazumas +Mazur +Mazurek +Mazurian +mazurka +mazurkas +mazut +mazzard +mazzards +Mazzini +Mazzinian +Mazzinianism +Mazzinist +MB +MBA +M'Ba +Mbabane +Mbaya +mbalolo +Mbandaka +mbd +MBE +mbeuer +mbira +mbiras +Mbm +MBO +Mboya +mbori +MBPS +Mbuba +Mbujimayi +Mbunda +MBWA +MC +Mc- +MCA +MCAD +McAdams +McAdenville +McAdoo +MCAE +McAfee +McAlester +McAlister +McAlisterville +McAllen +McAllister +McAlpin +McAndrews +McArthur +McBain +McBee +McBride +McBrides +MCC +McCabe +McCafferty +mccaffrey +McCahill +McCaysville +McCall +McCalla +McCallion +McCallsburg +McCallum +McCamey +McCammon +McCandless +McCann +McCanna +McCarley +McCarr +McCartan +McCarthy +McCarthyism +McCarty +McCartney +McCaskill +McCauley +McCaulley +McCausland +McClain +McClary +McClave +McCleary +McClees +McClellan +McClelland +McClellandtown +McClellanville +McClenaghan +McClenon +McClimans +McClish +McCloy +McCloud +McClure +McClurg +McCluskey +McClusky +McCoy +McColl +McCollum +McComas +McComb +McCombs +McConaghy +McCondy +McConnel +McConnell +McConnells +McConnellsburg +McConnellstown +McConnellsville +McConnelsville +McCook +McCool +McCord +McCordsville +McCormac +McCormack +McCormick +McCourt +McCowyn +McCracken +McCrae +McCready +McCreary +McCreery +McCrory +MCCS +McCullers +McCully +McCulloch +McCullough +McCune +McCurdy +McCurtain +McCutchenville +McCutcheon +McDade +McDaniel +McDaniels +McDavid +McDermitt +McDermott +McDiarmid +McDonald +McDonnell +McDonough +McDougal +McDougall +McDowell +McElhattan +McElroy +McEvoy +McEwen +McEwensville +Mcf +McFadden +McFaddin +McFall +McFarlan +McFarland +Mcfd +McFee +McFerren +mcg +McGaheysville +McGannon +McGaw +McGean +McGee +McGehee +McGill +McGilvary +McGinnis +McGirk +McGonagall +McGovern +McGowan +McGrady +McGray +McGrann +McGrath +McGraw +McGraws +McGregor +McGrew +McGrody +McGruter +McGuffey +McGuire +McGurn +MCH +McHail +McHale +MCHB +Mchen +Mchen-Gladbach +McHenry +McHugh +MCI +MCIAS +McIlroy +McIntire +McIntyre +McIntosh +MCJ +McKay +McKale +McKean +McKee +McKeesport +McKenna +McKenney +McKenzie +McKeon +McKesson +McKim +McKinley +McKinney +McKinnon +McKissick +McKittrick +McKnight +McKnightstown +McKuen +McLain +McLaughlin +McLaurin +McLean +McLeansboro +McLeansville +McLemoresville +McLeod +McLeroy +McLyman +McLoughlin +McLouth +McLuhan +McMahon +McMaster +McMath +McMechen +McMillan +McMillin +McMinnville +McMullan +McMullen +McMurry +MCN +McNabb +McNair +McNalley +McNally +McNamara +McNamee +McNary +McNaughton +MCNC +McNeal +McNeely +McNeil +McNeill +McNelly +McNully +McNulty +McNutt +Mcon +Mconnais +MCP +MCPAS +mcphail +McPherson +MCPO +McQuade +McQuady +McQueen +McQueeney +McQuillin +McQuoid +MCR +McRae +McReynolds +McRipley +McRoberts +MCS +McShan +McSherrystown +McSpadden +MCSV +McTeague +McTyre +MCTRAP +MCU +McVeigh +McVeytown +McVille +McWherter +McWhorter +McWilliams +MD +Md. +MDACS +M-day +MDAP +MDAS +MDC +MDDS +MDE +MDEC +MDES +Mdewakanton +MDF +MDI +MDiv +Mdlle +Mdlles +Mdm +Mdme +Mdms +mdnt +Mdoc +MDQS +MDRE +MDS +mdse +MDT +MDU +MDX +ME +Me. +MEA +meable +meach +meaching +meacock +meacon +Mead +Meade +meader +Meador +Meadow +Meadowbrook +meadow-brown +meadowbur +meadowed +meadower +meadowy +meadowing +meadowink +meadowland +meadowlands +meadowlark +meadowlarks +meadowless +Meadows +meadow's +meadowsweet +meadow-sweet +meadowsweets +meadowwort +Meads +meadsman +meadsweet +Meadville +meadwort +Meagan +meager +meagerly +meagerness +meagernesses +Meaghan +Meagher +meagre +meagrely +meagreness +meak +Meakem +meaking +meal +mealable +mealberry +mealed +mealer +mealy +mealy-back +mealybug +mealybugs +mealie +mealier +mealies +mealiest +mealily +mealymouth +mealymouthed +mealy-mouthed +mealymouthedly +mealymouthedness +mealy-mouthedness +mealiness +mealing +mealywing +mealless +Meally +mealman +mealmen +mealmonger +mealmouth +mealmouthed +mealock +mealproof +meals +meal's +mealtide +mealtime +mealtimes +mealworm +mealworms +mean +mean-acting +mean-conditioned +meander +meandered +meanderer +meanderers +meandering +meanderingly +meanders +mean-dressed +meandrine +meandriniform +meandrite +meandrous +meandrously +meaned +meaner +meaners +meanest +Meany +meanie +meanies +meaning +meaningful +meaningfully +meaningfulness +meaningless +meaninglessly +meaninglessness +meaningly +meaningness +meanings +meaning's +meanish +meanless +meanly +mean-looking +mean-minded +meanness +meannesses +MEANS +mean-souled +meanspirited +mean-spirited +meanspiritedly +mean-spiritedly +meanspiritedness +mean-spiritedness +Meansville +meant +Meantes +meantime +meantimes +meantone +meanwhile +meanwhiles +mean-witted +mear +Meara +Meares +Mears +mearstone +meas +mease +measle +measled +measledness +measles +measlesproof +measly +measlier +measliest +measondue +measurability +measurable +measurableness +measurably +measurage +measuration +measure +measured +measuredly +measuredness +measureless +measurelessly +measurelessness +measurely +measurement +measurements +measurement's +measurer +measurers +measures +measuring +measuringworm +meat +meatal +meatball +meatballs +meatbird +meatcutter +meat-eater +meat-eating +meated +meat-fed +Meath +meathe +meathead +meatheads +meathook +meathooks +meat-hungry +meaty +meatic +meatier +meatiest +meatily +meatiness +meatless +meatloaf +meatman +meatmen +meato- +meatometer +meatorrhaphy +meatoscope +meatoscopy +meatotome +meatotomy +meat-packing +meats +meat's +meature +meatus +meatuses +meatworks +meaul +Meave +meaw +meazle +Mebane +mebos +Mebsuta +MEC +mecamylamine +Mecaptera +mecate +mecati +Mecca +Meccan +Meccano +meccas +Meccawee +mech +mech. +mechael +mechan- +mechanal +mechanality +mechanalize +Mechaneus +mechanic +mechanical +mechanicalism +mechanicalist +mechanicality +mechanicalization +mechanicalize +mechanically +mechanicalness +mechanician +mechanico- +mechanicochemical +mechanicocorpuscular +mechanicointellectual +mechanicotherapy +mechanics +mechanic's +Mechanicsburg +Mechanicstown +Mechanicsville +Mechanicville +mechanism +mechanismic +mechanisms +mechanism's +mechanist +mechanistic +mechanistically +mechanists +mechanizable +mechanization +mechanizations +mechanization's +mechanize +mechanized +mechanizer +mechanizers +mechanizes +mechanizing +mechanochemical +mechanochemistry +mechanolater +mechanology +mechanomorphic +mechanomorphically +mechanomorphism +mechanophobia +mechanoreception +mechanoreceptive +mechanoreceptor +mechanotherapeutic +mechanotherapeutics +mechanotherapy +mechanotherapies +mechanotherapist +mechanotherapists +mechanotheraputic +mechanotheraputically +mechant +Mechelen +Mechelle +Mechir +Mechitarist +Mechitaristican +mechitzah +mechitzoth +Mechlin +Mechling +Mechnikov +mechoacan +Mecisteus +meck +Mecke +meckelectomy +Meckelian +Mecklenburg +Mecklenburgian +Meckling +meclizine +MECO +mecodont +Mecodonta +mecometer +mecometry +mecon +meconic +meconidium +meconin +meconioid +meconium +meconiums +meconology +meconophagism +meconophagist +Mecoptera +mecopteran +mecopteron +mecopterous +Mecosta +mecrobeproof +mecum +mecums +mecurial +mecurialism +MED +med. +Meda +medaddy-bush +medaillon +medaka +medakas +medal +medaled +medalet +medaling +medalist +medalists +medalize +medallary +medalled +medallic +medallically +medalling +medallion +medallioned +medallioning +medallionist +medallions +medallion's +medallist +medals +medal's +Medan +Medanales +Medarda +Medardas +Medaryville +Medawar +meddle +meddlecome +meddled +meddlement +meddler +meddlers +meddles +meddlesome +meddlesomely +meddlesomeness +meddling +meddlingly +Mede +Medea +Medeah +Medell +Medellin +medenagan +Medeola +Medeus +medevac +medevacs +Medfield +medfly +medflies +Medford +medi- +Media +mediacy +mediacid +mediacies +mediad +mediae +mediaeval +mediaevalism +mediaevalist +mediaevalize +mediaevally +medial +medialization +medialize +medialkaline +medially +medials +Median +medianic +medianimic +medianimity +medianism +medianity +medianly +medians +median's +mediant +mediants +Mediapolis +mediary +medias +mediastina +mediastinal +mediastine +mediastinitis +mediastino-pericardial +mediastino-pericarditis +mediastinotomy +mediastinum +mediate +mediated +mediately +mediateness +mediates +mediating +mediatingly +mediation +mediational +mediations +mediatisation +mediatise +mediatised +mediatising +mediative +mediatization +mediatize +mediatized +mediatizing +mediator +mediatory +mediatorial +mediatorialism +mediatorially +mediatorious +mediators +mediatorship +mediatress +mediatrice +mediatrices +mediatrix +mediatrixes +Medic +medica +medicable +medicably +Medicago +Medicaid +medicaids +medical +medicalese +medically +medicals +medicament +medicamental +medicamentally +medicamentary +medicamentation +medicamentous +medicaments +medicant +Medicare +medicares +medicaster +medicate +medicated +medicates +medicating +medication +medications +medicative +medicator +medicatory +Medicean +Medici +medicinable +medicinableness +medicinal +medicinally +medicinalness +medicinary +medicine +medicined +medicinelike +medicinemonger +mediciner +medicines +medicine's +medicining +medick +medicks +medico +medico- +medicobotanical +medicochirurgic +medicochirurgical +medicodental +medicolegal +medicolegally +medicomania +medicomechanic +medicomechanical +medicommissure +medicomoral +medicophysical +medicophysics +medicopsychology +medicopsychological +medicos +medicostatistic +medicosurgical +medicotopographic +medicozoologic +medics +medic's +medidia +medidii +mediety +Medieval +medievalism +medievalisms +medievalist +medievalistic +medievalists +medievalize +medievally +medievals +medifixed +mediglacial +Medii +Medill +medille +medimn +medimno +medimnos +medimnus +Medin +Medina +Medinah +medinas +medine +Medinilla +medino +medio +medio- +medioanterior +mediocarpal +medioccipital +mediocracy +mediocral +mediocre +mediocrely +mediocreness +mediocris +mediocrist +mediocrity +mediocrities +mediocubital +mediodepressed +mediodigital +mediodorsal +mediodorsally +mediofrontal +mediolateral +mediopalatal +mediopalatine +mediopassive +medio-passive +mediopectoral +medioperforate +mediopontine +medioposterior +mediosilicic +mediostapedial +mediotarsal +medioventral +medisance +medisect +medisection +Medish +Medism +Medit +Medit. +meditabund +meditance +meditant +meditate +meditated +meditatedly +meditater +meditates +meditating +meditatingly +meditatio +meditation +meditationist +meditations +meditatist +meditative +meditatively +meditativeness +meditator +mediterrane +Mediterranean +Mediterraneanism +Mediterraneanization +Mediterraneanize +mediterraneous +medithorax +Meditrinalia +meditullium +medium +medium-dated +mediumism +mediumistic +mediumization +mediumize +mediumly +medium-rare +mediums +medium's +mediumship +medium-sized +medius +Medize +Medizer +medjidie +medjidieh +medlar +medlars +medle +medley +medleyed +medleying +medleys +medlied +Medlin +Medoc +Medomak +Medon +Medo-persian +Medor +Medora +Medorra +Medovich +medregal +Medrek +medrick +medrinacks +medrinacles +medrinaque +MedScD +medscheat +medula +medulla +medullae +medullar +medullary +medullas +medullate +medullated +medullation +medullispinal +medullitis +medullization +medullose +medullous +Medusa +medusae +Medusaean +medusal +medusalike +medusan +medusans +Medusas +medusiferous +medusiform +medusoid +medusoids +Medway +Medwin +Mee +meebos +Meece +meech +meecher +meeching +meed +meedful +meedless +meeds +Meehan +Meek +meek-browed +meek-eyed +meeken +Meeker +meekest +meekhearted +meekheartedness +meekly +meekling +meek-minded +meekness +meeknesses +Meekoceras +Meeks +meek-spirited +Meenen +Meer +meered +meerkat +Meers +meerschaum +meerschaums +Meerut +meese +meet +meetable +Meeteetse +meeten +meeter +meeterly +meeters +meeth +meethelp +meethelper +meeting +meetinger +meetinghouse +meeting-house +meetinghouses +meeting-place +meetings +meetly +meetness +meetnesses +meets +Mefitis +Meg +mega- +megaara +megabar +megabars +megabaud +megabit +megabyte +megabytes +megabits +megabuck +megabucks +megacephaly +megacephalia +megacephalic +megacephalous +megacerine +Megaceros +megacerotine +Megachile +megachilid +Megachilidae +Megachiroptera +megachiropteran +megachiropterous +megacycle +megacycles +megacity +megacolon +megacosm +megacoulomb +megacurie +megadeath +megadeaths +megadynamics +megadyne +megadynes +megadont +megadonty +megadontia +megadontic +megadontism +megadose +Megadrili +Megaera +megaerg +megafarad +megafog +megagamete +megagametophyte +megahertz +megahertzes +megajoule +megakaryoblast +megakaryocyte +megakaryocytic +megal- +Megalactractus +Megaladapis +Megalaema +Megalaemidae +Megalania +megalecithal +megaleme +Megalensian +megalerg +Megalesia +Megalesian +megalesthete +megalethoscope +Megalichthyidae +Megalichthys +megalith +megalithic +megaliths +megalo- +Megalobatrachus +megaloblast +megaloblastic +megalocardia +megalocarpous +megalocephaly +megalocephalia +megalocephalic +megalocephalous +Megaloceros +megalochirous +megalocyte +megalocytosis +megalocornea +megalodactylia +megalodactylism +megalodactylous +Megalodon +megalodont +megalodontia +Megalodontidae +megaloenteron +megalogastria +megaloglossia +megalograph +megalography +megalohepatia +megalokaryocyte +megalomania +megalomaniac +megalomaniacal +megalomaniacally +megalomaniacs +megalomanic +megalomelia +Megalonychidae +Megalonyx +megalopa +megalopenis +megalophonic +megalophonous +megalophthalmus +megalopia +megalopic +Megalopidae +Megalopyge +Megalopygidae +Megalopinae +megalopine +megaloplastocyte +megalopolis +megalopolises +megalopolistic +megalopolitan +megalopolitanism +megalopore +megalops +megalopsia +megalopsychy +Megaloptera +megalopteran +megalopterous +Megalornis +Megalornithidae +megalosaur +megalosaurian +Megalosauridae +megalosauroid +Megalosaurus +megaloscope +megaloscopy +megalosyndactyly +megalosphere +megalospheric +megalosplenia +megaloureter +Megaluridae +Megamastictora +megamastictoral +Megamede +megamere +megameter +megametre +megampere +Megan +Meganeura +Meganthropus +meganucleus +megaparsec +Megapenthes +megaphyllous +Megaphyton +megaphone +megaphoned +megaphones +megaphonic +megaphonically +megaphoning +megaphotography +megaphotographic +megapod +megapode +megapodes +Megapodidae +Megapodiidae +Megapodius +megapods +megapolis +megapolitan +megaprosopous +Megaptera +Megapterinae +megapterine +Megara +megarad +Megarean +Megarensian +Megargee +Megargel +Megarhinus +Megarhyssa +Megarian +Megarianism +Megaric +Megaris +megaron +megarons +Megarus +megasclere +megascleric +megasclerous +megasclerum +megascope +megascopic +megascopical +megascopically +megaseism +megaseismic +megaseme +megasynthetic +Megasoma +megasporange +megasporangium +megaspore +megasporic +megasporogenesis +megasporophyll +megass +megasse +megasses +megathere +megatherian +Megatheriidae +megatherine +megatherioid +Megatherium +megatherm +megathermal +megathermic +megatheroid +megatype +megatypy +megaton +megatons +megatron +megavitamin +megavolt +megavolt-ampere +megavolts +megawatt +megawatt-hour +megawatts +megaweber +megaword +megawords +megazooid +megazoospore +megbote +Megdal +Megen +megerg +Meges +Megger +Meggi +Meggy +Meggie +Meggs +Meghalaya +Meghan +Meghann +Megiddo +megillah +megillahs +megilloth +megilp +megilph +megilphs +megilps +megmho +megnetosphere +megohm +megohmit +megohmmeter +megohms +megomit +megophthalmus +megotalc +Megrel +Megrez +megrim +megrimish +megrims +meguilp +Mehala +Mehalek +Mehalick +mehalla +mehari +meharis +meharist +Mehelya +Meherrin +Mehetabel +Mehitabel +Mehitable +mehitzah +mehitzoth +mehmandar +Mehoopany +mehrdad +Mehta +mehtar +mehtarship +Mehul +Mehuman +Mei +Meibers +Meibomia +Meibomian +Meier +Meyer +Meyerbeer +Meyerhof +meyerhofferite +Meyeroff +Meyers +Meyersdale +Meyersville +meigomian +Meigs +Meijer +Meiji +meikle +meikles +meile +Meilen +meiler +Meilewagon +Meilhac +Meilichius +Meill +mein +Meindert +meindre +Meingolda +Meingoldas +meiny +meinie +meinies +Meinong +meio +meiobar +meiocene +meionite +meiophylly +meioses +meiosis +meiostemonous +meiotaxy +meiotic +meiotically +Meir +Meisel +meisje +Meissa +Meissen +Meissonier +Meistersinger +Meistersingers +Meisterstck +Meit +meith +Meithei +Meitner +meizoseismal +meizoseismic +mejorana +Mekbuda +Mekhitarist +mekilta +Mekinock +Mekka +Mekn +Meknes +mekometer +Mekong +Mekoryuk +Mel +Mela +melaconite +melada +meladiorite +melaena +melaenic +melagabbro +melagra +melagranite +Melaka +Melaleuca +melalgia +melam +melamdim +Melamed +Melamie +melamin +melamine +melamines +melammdim +melammed +melampyrin +melampyrite +melampyritol +Melampyrum +melampod +melampode +melampodium +Melampsora +Melampsoraceae +Melampus +Melan +melan- +melanaemia +melanaemic +melanagogal +melanagogue +melancholy +melancholia +melancholiac +melancholiacs +melancholian +melancholic +melancholically +melancholies +melancholyish +melancholily +melancholiness +melancholious +melancholiously +melancholiousness +melancholish +melancholist +melancholize +melancholomaniac +Melanchthon +Melanchthonian +Melanconiaceae +melanconiaceous +Melanconiales +Melanconium +melanemia +melanemic +Melanesia +Melanesian +melanesians +melange +melanger +melanges +melangeur +Melany +Melania +melanian +melanic +melanics +Melanie +melaniferous +Melaniidae +melanilin +melaniline +melanin +melanins +Melanion +Melanippe +Melanippus +melanism +melanisms +melanist +melanistic +melanists +melanite +melanites +melanitic +melanization +melanize +melanized +melanizes +melanizing +melano +melano- +melanoblast +melanoblastic +melanoblastoma +melanocarcinoma +melanocerite +Melanochroi +melanochroic +Melanochroid +melanochroite +melanochroous +melanocyte +melanocomous +melanocrate +melanocratic +Melanodendron +melanoderm +melanoderma +melanodermia +melanodermic +Melanogaster +melanogen +melanogenesis +Melanoi +melanoid +melanoidin +melanoids +melanoma +melanomas +melanomata +Melano-papuan +melanopathy +melanopathia +melanophore +melanoplakia +Melanoplus +melanorrhagia +melanorrhea +Melanorrhoea +melanosarcoma +melanosarcomatosis +melanoscope +melanose +melanosed +melanosis +melanosity +melanosome +melanospermous +melanotekite +melanotic +melanotype +melanotrichous +melanous +melanterite +Melantha +Melanthaceae +melanthaceous +melanthy +Melanthium +Melanthius +Melantho +Melanthus +melanure +melanurenic +melanuresis +melanuria +melanuric +melaphyre +Melar +Melas +melasma +melasmic +melasses +melassigenic +Melastoma +Melastomaceae +melastomaceous +melastomad +melastome +melatonin +melatope +melaxuma +Melba +Melber +Melbeta +Melborn +Melbourne +Melburn +Melburnian +Melcarth +melch +Melcher +Melchers +Melchiades +Melchior +Melchisedech +Melchite +Melchizedek +Melchora +Melcroft +MELD +Melda +melded +Melder +melders +melding +Meldoh +meldometer +Meldon +Meldrim +meldrop +melds +mele +Meleager +Meleagridae +Meleagrina +Meleagrinae +meleagrine +Meleagris +melebiose +Melecent +melee +melees +Melena +melene +MElEng +melenic +Melentha +Meles +Melesa +Melessa +Melete +Meletian +meletin +Meletius +Meletski +melezitase +melezitose +Melfa +Melgar +Meli +Melia +Meliaceae +meliaceous +Meliad +Meliadus +Meliae +Melian +Melianthaceae +melianthaceous +Melianthus +meliatin +melibiose +Meliboea +melic +Melica +Melicent +melicera +meliceric +meliceris +melicerous +Melicerta +Melicertes +Melicertidae +melichrous +melicitose +Melicocca +melicoton +melicrate +melicraton +melicratory +melicratum +Melie +melilite +melilite-basalt +melilites +melilitite +Melilla +melilot +melilots +Melilotus +Melina +Melinae +Melinda +Melinde +meline +Melinis +melinite +melinites +Meliola +melior +meliorability +meliorable +meliorant +meliorate +meliorated +meliorater +meliorates +meliorating +melioration +meliorations +meliorative +melioratively +meliorator +meliorism +meliorist +melioristic +meliority +meliphagan +Meliphagidae +meliphagidan +meliphagous +meliphanite +Melipona +Meliponinae +meliponine +melis +Melisa +Melisande +Melisandra +Melise +Melisenda +Melisent +melisma +melismas +melismata +melismatic +melismatics +Melissa +Melisse +Melisseus +Melissy +Melissie +melissyl +melissylic +Melita +Melitaea +melitaemia +melitemia +Melitene +melithaemia +melithemia +melitis +Melitopol +melitose +melitriose +Melitta +melittology +melittologist +melituria +melituric +melkhout +Melkite +Mell +Mella +mellaginous +mellah +mellay +Mellar +mellate +mell-doll +melled +Mellen +Mellenville +melleous +meller +Mellers +Melleta +Mellette +Melli +Melly +mellic +Mellicent +Mellie +Mellifera +melliferous +mellific +mellificate +mellification +mellifluate +mellifluence +mellifluent +mellifluently +mellifluous +mellifluously +mellifluousness +mellifluousnesses +mellilita +mellilot +mellimide +melling +Mellins +Mellisa +Mellisent +mellisonant +mellisugent +mellit +mellita +mellitate +mellite +mellitic +mellitum +mellitus +Mellitz +Mellivora +Mellivorinae +mellivorous +Mellman +Mello +Mellon +mellone +Melloney +mellonides +mellophone +Mellott +mellow +mellow-breathing +mellow-colored +mellow-deep +mellowed +mellow-eyed +mellower +mellowest +mellow-flavored +mellowy +mellowing +mellowly +mellow-lighted +mellow-looking +mellow-mouthed +mellowness +mellownesses +mellowphone +mellow-ripe +mellows +mellow-tasted +mellow-tempered +mellow-toned +mells +mellsman +mell-supper +Mellwood +Melmon +Melmore +Melnick +Melocactus +melocoton +melocotoon +Melodee +melodeon +melodeons +Melody +melodia +melodial +melodially +melodias +melodic +melodica +melodical +melodically +melodicon +melodics +Melodie +Melodye +melodied +melodies +melodying +melodyless +melodiograph +melodion +melodious +melodiously +melodiousness +melodiousnesses +melody's +melodise +melodised +melodises +melodising +melodism +melodist +melodists +melodium +melodize +melodized +melodizer +melodizes +melodizing +melodractically +melodram +melodrama +melodramas +melodrama's +melodramatic +melodramatical +melodramatically +melodramaticism +melodramatics +melodramatise +melodramatised +melodramatising +melodramatist +melodramatists +melodramatization +melodramatize +melodrame +meloe +melogram +Melogrammataceae +melograph +melographic +meloid +Meloidae +meloids +melologue +Melolontha +melolonthid +Melolonthidae +melolonthidan +Melolonthides +Melolonthinae +melolonthine +melomame +melomane +melomania +melomaniac +melomanic +melon +melon-bulb +meloncus +Melone +Melonechinus +melon-faced +melon-formed +melongena +melongrower +Melony +Melonie +melon-yellow +melonist +melonite +Melonites +melon-laden +melon-leaved +melonlike +melonmonger +melonry +melons +melon's +melon-shaped +melophone +melophonic +melophonist +melopiano +melopianos +meloplast +meloplasty +meloplastic +meloplasties +melopoeia +melopoeic +Melos +Melosa +Melospiza +melote +Melothria +melotragedy +melotragic +melotrope +melpell +Melpomene +Melquist +Melrose +mels +Melstone +melt +meltability +meltable +meltage +meltages +meltdown +meltdowns +melted +meltedness +melteigite +melter +melters +melteth +melting +meltingly +meltingness +meltith +Melton +Meltonian +meltons +melts +meltwater +Melun +Melungeon +Melursus +Melva +Melvena +Melvern +melvie +Melvil +Melville +Melvin +Melvyn +Melvina +Melvindale +mem +mem. +Member +membered +Memberg +memberless +members +member's +membership +memberships +membership's +membracid +Membracidae +membracine +membral +membrally +membrana +membranaceous +membranaceously +membranal +membranate +membrane +membraned +membraneless +membranelike +membranella +membranelle +membraneous +membranes +membraniferous +membraniform +membranin +Membranipora +Membraniporidae +membranocalcareous +membranocartilaginous +membranocoriaceous +membranocorneous +membranogenic +membranoid +membranology +membranonervous +membranophone +membranophonic +membranosis +membranous +membranously +membranula +membranule +membrette +membretto +Memel +memento +mementoes +mementos +meminna +Memlinc +Memling +Memnon +Memnonia +Memnonian +Memnonium +memo +memoir +memoire +memoirism +memoirist +memoirs +memorabile +memorabilia +memorability +memorabilities +memorable +memorableness +memorablenesses +memorably +memoranda +memorandist +memorandize +memorandum +memorandums +memorate +memoration +memorative +memorda +Memory +memoria +memorial +memorialisation +memorialise +memorialised +memorialiser +memorialising +memorialist +memorialization +memorializations +memorialize +memorialized +memorializer +memorializes +memorializing +memorially +memorials +memoried +memories +memoryless +memorylessness +memorious +memory's +memorise +memorist +memoriter +memory-trace +memorizable +memorization +memorizations +memorize +memorized +memorizer +memorizers +memorizes +memorizing +memos +memo's +Memphian +Memphis +Memphite +Memphitic +Memphremagog +mems +memsahib +mem-sahib +memsahibs +men +men- +Mena +menaccanite +menaccanitic +menace +menaceable +menaced +menaceful +menacement +menacer +menacers +menaces +menacing +menacingly +menacme +menad +menadic +menadione +Menado +menads +Menaechmi +menage +menagerie +menageries +menagerist +menages +Menahga +menald +Menam +Menan +Menander +Menangkabau +menaquinone +menarche +menarcheal +menarches +menarchial +Menard +Menasha +Menashem +Menaspis +menat +men-at-arms +menazon +menazons +Mencher +men-children +Mencius +Mencken +Menckenian +Mend +mendable +mendacious +mendaciously +mendaciousness +mendacity +mendacities +Mendaite +Mende +mended +mendee +Mendel +Mendeleev +Mendeleyev +Mendelejeff +mendelevium +Mendelian +Mendelianism +Mendelianist +mendelyeevite +Mendelism +Mendelist +Mendelize +Mendelsohn +Mendelson +Mendelssohn +Mendelssohnian +Mendelssohnic +Mendenhall +mender +Menderes +menders +Mendes +Mendez +Mendham +Mendi +Mendy +mendiant +mendicancy +mendicancies +mendicant +mendicantism +mendicants +mendicate +mendicated +mendicating +mendication +mendicity +Mendie +mendigo +mendigos +mending +mendings +mendipite +Mendips +Mendive +mendment +Mendocino +mendole +Mendon +Mendota +Mendoza +mendozite +mends +mene +Meneau +Menedez +meneghinite +menehune +Menelaus +Menell +Menemsha +Menendez +Meneptah +Menes +Menestheus +Menesthius +menevian +menfolk +men-folk +menfolks +Menfra +Menfro +Meng +Mengelberg +Mengtze +Meng-tze +Mengwe +menhaden +menhadens +menhir +menhirs +meny +menial +menialism +meniality +menially +menialness +menials +menialty +Menyanthaceae +Menyanthaceous +Menyanthes +Menic +Menides +Menifee +menyie +menilite +mening- +meningeal +meninges +meningic +meningina +meningioma +meningism +meningismus +meningitic +meningitides +meningitis +meningitophobia +meningo- +meningocele +meningocephalitis +meningocerebritis +meningococcal +meningococcemia +meningococci +meningococcic +meningococcocci +meningococcus +meningocortical +meningoencephalitic +meningoencephalitis +meningoencephalocele +meningomalacia +meningomyclitic +meningomyelitis +meningomyelocele +meningomyelorrhaphy +meningo-osteophlebitis +meningorachidian +meningoradicular +meningorhachidian +meningorrhagia +meningorrhea +meningorrhoea +meningosis +meningospinal +meningotyphoid +meninting +meninx +Menippe +Menis +meniscal +meniscate +meniscectomy +menisci +menisciform +meniscitis +meniscocytosis +meniscoid +meniscoidal +Meniscotheriidae +Meniscotherium +meniscus +meniscuses +menise +menison +menisperm +Menispermaceae +menispermaceous +menispermin +menispermine +Menispermum +meniver +Menkalinan +Menkar +Menken +Menkib +menkind +Menkure +Menlo +Menninger +Menno +mennom +mennon +Mennonist +Mennonite +mennonites +Mennonitism +mennuet +Meno +meno- +Menobranchidae +Menobranchus +Menodice +Menoeceus +Menoetes +Menoetius +men-of-the-earth +men-of-war +menognath +menognathous +Menoken +menology +menologies +menologyes +menologium +menometastasis +Menominee +Menomini +Menomonie +Menon +menopausal +menopause +menopauses +menopausic +menophania +menoplania +Menopoma +Menorah +menorahs +Menorca +Menorhyncha +menorhynchous +menorrhagy +menorrhagia +menorrhagic +menorrhea +menorrheic +menorrhoea +menorrhoeic +menoschesis +menoschetic +menosepsis +menostasia +menostasis +menostatic +menostaxis +Menotyphla +menotyphlic +Menotti +menow +menoxenia +mens +men's +Mensa +mensae +mensal +mensalize +mensas +Mensch +menschen +mensches +mense +mensed +menseful +menseless +menservants +menses +Menshevik +Menshevism +Menshevist +mensing +mensis +mensk +menstrua +menstrual +menstruant +menstruate +menstruated +menstruates +menstruating +menstruation +menstruations +menstrue +menstruoos +menstruosity +menstruous +menstruousness +menstruum +menstruums +mensual +mensurability +mensurable +mensurableness +mensurably +mensural +mensuralist +mensurate +mensuration +mensurational +mensurative +menswear +menswears +ment +menta +mentagra +mental +mentalis +mentalism +mentalist +mentalistic +mentalistically +mentalists +mentality +mentalities +mentalization +mentalize +mentally +mentary +mentation +Mentcle +mentery +Mentes +Mentha +Menthaceae +menthaceous +menthadiene +menthan +menthane +Menthe +menthene +menthenes +menthenol +menthenone +menthyl +menthol +mentholated +Mentholatum +menthols +menthone +menticide +menticultural +menticulture +mentiferous +mentiform +mentigerous +mentimeter +mentimutation +mention +mentionability +mentionable +mentioned +mentioner +mentioners +mentioning +mentionless +mentions +mentis +Mentmore +mento- +mentoanterior +mentobregmatic +mentocondylial +mentohyoid +mentolabial +mentomeckelian +Menton +Mentone +mentoniere +mentonniere +mentonnieres +mentoposterior +Mentor +mentored +mentorial +mentorism +Mentor-on-the-Lake-Village +mentors +mentor's +mentorship +mentum +Mentzelia +menu +Menuhin +menuiserie +menuiseries +menuisier +menuisiers +menuki +Menura +Menurae +Menuridae +menus +menu's +menzie +Menzies +Menziesia +Meo +meou +meoued +meouing +meous +meow +meowed +meowing +meows +MEP +MEPA +mepacrine +meperidine +Mephisto +Mephistophelean +Mephistopheleanly +Mephistopheles +Mephistophelian +Mephistophelic +Mephistophelistic +mephitic +mephitical +mephitically +Mephitinae +mephitine +Mephitis +mephitises +mephitism +Meppen +meprobamate +meq +Mequon +mer +mer- +Mera +Merak +meralgia +meraline +Merano +Meraree +Merari +Meras +Merat +Meratia +Meraux +merbaby +merbromin +Merc +Merca +Mercado +mercal +mercantile +mercantilely +mercantilism +mercantilist +mercantilistic +mercantilists +mercantility +mercaptal +mercaptan +mercaptide +mercaptides +mercaptids +mercapto +mercapto- +mercaptol +mercaptole +mercaptopurine +Mercast +mercat +Mercator +mercatoria +Mercatorial +mercature +Merce +Merced +Mercedarian +Mercedes +Mercedinus +Mercedita +Mercedonius +Merceer +mercement +mercenary +mercenarian +mercenaries +mercenarily +mercenariness +mercenarinesses +mercenary's +Mercer +merceress +mercery +merceries +mercerization +mercerize +mercerized +mercerizer +mercerizes +mercerizing +mercers +Mercersburg +mercership +merch +merchandy +merchandisability +merchandisable +merchandise +merchandised +merchandiser +merchandisers +merchandises +merchandising +merchandize +merchandized +merchandry +merchandrise +Merchant +merchantability +merchantable +merchantableness +merchant-adventurer +merchanted +merchanteer +merchanter +merchanthood +merchanting +merchantish +merchantly +merchantlike +merchantman +merchantmen +merchantry +merchantries +merchants +merchant's +merchantship +merchant-tailor +merchant-venturer +Merchantville +merchet +Merci +Mercy +Mercia +merciable +merciablely +merciably +Mercian +Mercie +Mercier +mercies +mercify +merciful +mercifully +mercifulness +merciless +mercilessly +mercilessness +merciment +mercyproof +mercy-seat +Merck +Mercola +Mercorr +Mercouri +mercur- +mercurate +mercuration +Mercurean +Mercuri +Mercury +mercurial +Mercurialis +mercurialisation +mercurialise +mercurialised +mercurialising +mercurialism +mercurialist +mercuriality +mercurialization +mercurialize +mercurialized +mercurializing +mercurially +mercurialness +mercurialnesses +mercuriamines +mercuriammonium +Mercurian +mercuriate +mercuric +mercurid +mercuride +mercuries +mercurify +mercurification +mercurified +mercurifying +Mercurius +mercurization +mercurize +mercurized +mercurizing +Mercurochrome +mercurophen +mercurous +merd +merde +merdes +Merdith +merdivorous +merdurinous +mere +mered +Meredeth +Meredi +Meredith +Meredyth +Meredithe +Meredithian +Meredithville +Meredosia +merel +merely +Merell +merels +merenchyma +merenchymatous +merengue +merengued +merengues +merenguing +merer +meres +meresman +meresmen +merest +merestone +mereswine +Mereta +Merete +meretrices +meretricious +meretriciously +meretriciousness +meretrix +merfold +merfolk +merganser +mergansers +merge +merged +mergence +mergences +merger +mergers +merges +mergh +Merginae +merging +Mergui +Mergulus +Mergus +Meri +meriah +mericarp +merice +Merychippus +merycism +merycismus +Merycoidodon +Merycoidodontidae +Merycopotamidae +Merycopotamus +Merida +Meridale +Meridel +Meriden +Merideth +Meridian +Meridianii +meridians +Meridianville +meridie +meridiem +meridienne +Meridion +Meridionaceae +Meridional +meridionality +meridionally +Meridith +Meriel +Merigold +meril +Meryl +Merilee +Merilyn +Merill +Merima +meringue +meringued +meringues +meringuing +Merino +merinos +Meriones +Merioneth +Merionethshire +meriquinoid +meriquinoidal +meriquinone +meriquinonic +meriquinonoid +Meris +Merise +merises +merisis +merism +merismatic +merismoid +Merissa +merist +meristele +meristelic +meristem +meristematic +meristematically +meristems +meristic +meristically +meristogenous +merit +meritable +merited +meritedly +meritedness +meriter +meritful +meriting +meritless +meritlessness +meritmonger +merit-monger +meritmongery +meritmongering +meritocracy +meritocracies +meritocrat +meritocratic +meritory +meritorious +meritoriously +meritoriousness +meritoriousnesses +merits +Meriwether +merk +Merkel +merkhet +merkin +Merkle +Merkley +merks +Merl +Merla +Merle +Merleau-Ponty +merles +merlette +merligo +Merlin +Merlina +Merline +merling +merlins +merlion +merlon +merlons +merlot +merlots +merls +Merlucciidae +Merluccius +mermaid +mermaiden +mermaids +merman +mermen +Mermentau +Mermerus +Mermis +mermithaner +mermithergate +Mermithidae +mermithization +mermithized +mermithogyne +Mermnad +Mermnadae +mermother +Merna +Merneptah +mero +mero- +meroblastic +meroblastically +merocele +merocelic +merocerite +meroceritic +merocyte +merocrine +merocrystalline +Merodach +merodus +Meroe +merogamy +merogastrula +merogenesis +merogenetic +merogenic +merognathite +merogony +merogonic +merohedral +merohedric +merohedrism +meroistic +Meroitic +Merola +Merom +Meromyaria +meromyarian +meromyosin +meromorphic +merop +Merope +Meropes +meropia +meropias +meropic +Meropidae +meropidan +meroplankton +meroplanktonic +meropodite +meropoditic +Merops +merorganization +merorganize +meros +merosymmetry +merosymmetrical +merosystematic +merosomal +Merosomata +merosomatous +merosome +merosthenic +Merostomata +merostomatous +merostome +merostomous +merotomy +merotomize +merotropy +merotropism +merous +Merovingian +Merow +meroxene +Merozoa +merozoite +MERP +merpeople +Merralee +Merras +Merrel +Merrell +Merri +Merry +Merriam +merry-andrew +merry-andrewism +merry-andrewize +merribauks +merribush +Merrick +Merricourt +Merridie +Merrie +merry-eyed +Merrielle +merrier +merriest +merry-faced +Merrifield +merry-go-round +merry-hearted +Merril +Merrile +Merrilee +merriless +Merrili +Merrily +Merrilyn +Merrill +Merrillan +Merrimac +Merrimack +merrymake +merry-make +merrymaker +merrymakers +merrymaking +merry-making +merrymakings +Merriman +merryman +merrymeeting +merry-meeting +merrymen +merriment +merriments +merry-minded +merriness +Merriott +merry-singing +merry-smiling +merrythought +merry-totter +merrytrotter +Merritt +Merrittstown +Merryville +merrywing +Merrouge +Merrow +merrowes +MERS +Merse +Merseburg +Mersey +Merseyside +Mershon +Mersin +mersion +Mert +Merta +Mertens +Mertensia +Merth +Merthiolate +Merton +Mertzon +Mertztown +meruit +Merula +meruline +merulioid +Merulius +Merv +mervail +merveileux +merveilleux +Mervin +Mervyn +Merwin +Merwyn +merwinite +merwoman +Mes +mes- +mesa +mesabite +mesaconate +mesaconic +mesad +Mesadenia +mesail +mesal +mesalike +mesally +mesalliance +mesalliances +mesameboid +mesange +mesaortitis +mesaraic +mesaraical +mesarch +mesarteritic +mesarteritis +Mesartim +mesas +mesaticephal +mesaticephali +mesaticephaly +mesaticephalic +mesaticephalism +mesaticephalous +mesatipellic +mesatipelvic +mesatiskelic +Mesaverde +mesaxonic +mescal +Mescalero +mescaline +mescalism +mescals +meschant +meschantly +mesdames +mesdemoiselles +mese +mesectoderm +meseemed +meseems +mesel +mesela +meseled +meseledness +mesely +meselry +mesem +Mesembryanthemaceae +Mesembryanthemum +mesembryo +mesembryonic +Mesena +mesencephala +mesencephalic +mesencephalon +mesencephalons +mesenchyma +mesenchymal +mesenchymatal +mesenchymatic +mesenchymatous +mesenchyme +mesendoderm +mesenna +mesentera +mesentery +mesenterial +mesenteric +mesenterical +mesenterically +mesenteries +mesenteriform +mesenteriolum +mesenteritic +mesenteritis +mesenterium +mesenteron +mesenteronic +mesentoderm +mesepimeral +mesepimeron +mesepisternal +mesepisternum +mesepithelial +mesepithelium +meseraic +Meservey +mesethmoid +mesethmoidal +mesh +Meshach +Meshech +Meshed +meshes +meshy +meshier +meshiest +meshing +Meshoppen +meshrabiyeh +meshrebeeyeh +meshuga +meshugaas +meshugah +meshugana +meshugga +meshuggaas +meshuggah +meshuggana +meshugge +meshuggenah +meshummad +meshwork +meshworks +mesiad +mesial +mesially +mesian +mesic +mesically +Mesick +Mesics +Mesilla +mesymnion +mesiobuccal +mesiocervical +mesioclusion +mesiodistal +mesiodistally +mesiogingival +mesioincisal +mesiolabial +mesiolingual +mesion +mesioocclusal +mesiopulpal +mesioversion +Mesita +Mesitae +Mesites +Mesitidae +mesityl +mesitylene +mesitylenic +mesitine +mesitite +mesivta +mesked +meslen +Mesmer +mesmerian +mesmeric +mesmerical +mesmerically +mesmerisation +mesmerise +mesmeriser +mesmerism +mesmerisms +mesmerist +mesmerists +mesmerite +mesmerizability +mesmerizable +mesmerization +mesmerize +mesmerized +mesmerizee +mesmerizer +mesmerizers +mesmerizes +mesmerizing +mesmeromania +mesmeromaniac +mesnage +mesnality +mesnalty +mesnalties +mesne +mesnes +meso +meso- +mesoappendiceal +mesoappendicitis +mesoappendix +mesoarial +mesoarium +mesobar +mesobenthos +mesoblast +mesoblastem +mesoblastema +mesoblastemic +mesoblastic +mesobranchial +mesobregmate +mesocadia +mesocaecal +mesocaecum +mesocardia +mesocardium +mesocarp +mesocarpic +mesocarps +mesocentrous +mesocephal +mesocephaly +mesocephalic +mesocephalism +mesocephalon +mesocephalous +mesochilium +mesochondrium +mesochroic +mesocoele +mesocoelia +mesocoelian +mesocoelic +mesocola +mesocolic +mesocolon +mesocolons +mesocoracoid +mesocranial +mesocranic +mesocratic +mesocuneiform +mesode +mesoderm +mesodermal +mesodermic +mesoderms +Mesodesma +Mesodesmatidae +Mesodesmidae +Mesodevonian +Mesodevonic +mesodic +mesodisilicic +mesodont +mesodontic +mesodontism +Mesoenatides +mesofurca +mesofurcal +mesogaster +mesogastral +mesogastric +mesogastrium +mesogyrate +mesoglea +mesogleal +mesogleas +mesogloea +mesogloeal +mesognathy +mesognathic +mesognathion +mesognathism +mesognathous +mesohepar +Mesohippus +mesokurtic +mesolabe +mesole +mesolecithal +Mesolgion +mesolimnion +mesolite +Mesolithic +mesology +mesologic +mesological +Mesolonghi +mesomere +mesomeres +mesomeric +mesomerism +mesometeorology +mesometeorological +mesometral +mesometric +mesometrium +Mesomyodi +mesomyodian +mesomyodous +mesomitosis +mesomorph +mesomorphy +mesomorphic +mesomorphism +mesomorphous +meson +mesonasal +Mesonemertini +mesonephric +mesonephridium +mesonephritic +mesonephroi +mesonephros +mesonic +Mesonychidae +Mesonyx +mesonotal +mesonotum +mesons +mesoparapteral +mesoparapteron +mesopause +mesopeak +mesopectus +mesopelagic +mesoperiodic +mesopetalum +mesophil +mesophyl +mesophile +mesophilic +mesophyll +mesophyllic +mesophyllous +mesophyllum +mesophilous +mesophyls +mesophyte +mesophytic +mesophytism +mesophragm +mesophragma +mesophragmal +mesophryon +mesopic +mesoplankton +mesoplanktonic +mesoplast +mesoplastic +mesoplastra +mesoplastral +mesoplastron +mesopleura +mesopleural +mesopleuron +Mesoplodon +mesoplodont +mesopodia +mesopodial +mesopodiale +mesopodialia +mesopodium +Mesopotamia +Mesopotamian +mesopotamic +mesoprescutal +mesoprescutum +mesoprosopic +mesopterygial +mesopterygium +mesopterygoid +mesorchial +mesorchium +Mesore +mesorecta +mesorectal +mesorectta +mesorectum +mesorectums +Mesoreodon +mesorhin +mesorhinal +mesorhine +mesorhiny +mesorhinian +mesorhinism +mesorhinium +mesorrhin +mesorrhinal +mesorrhine +mesorrhiny +mesorrhinian +mesorrhinism +mesorrhinium +mesosalpinx +mesosaur +Mesosauria +Mesosaurus +mesoscale +mesoscapula +mesoscapular +mesoscutal +mesoscutellar +mesoscutellum +mesoscutum +mesoseismal +mesoseme +mesosiderite +mesosigmoid +mesoskelic +mesosoma +mesosomata +mesosomatic +mesosome +mesosomes +mesosperm +mesosphere +mesospheric +mesospore +mesosporic +mesosporium +mesost +mesostasis +mesosterna +mesosternal +mesosternebra +mesosternebral +mesosternum +mesostethium +mesostyle +mesostylous +Mesostoma +Mesostomatidae +mesostomid +Mesosuchia +mesosuchian +Mesotaeniaceae +Mesotaeniales +mesotarsal +mesotartaric +Mesothelae +mesothelia +mesothelial +mesothelioma +mesothelium +mesotherm +mesothermal +mesothesis +mesothet +mesothetic +mesothetical +mesothoraces +mesothoracic +mesothoracotheca +mesothorax +mesothoraxes +mesothorium +mesotympanic +mesotype +mesotonic +mesotroch +mesotrocha +mesotrochal +mesotrochous +mesotron +mesotronic +mesotrons +mesotrophic +mesotropic +mesovaria +mesovarian +mesovarium +mesoventral +mesoventrally +mesoxalate +mesoxalic +mesoxalyl +mesoxalyl-urea +Mesozoa +mesozoan +Mesozoic +mespil +Mespilus +Mespot +mesprise +mesquin +mesquit +mesquita +Mesquite +mesquites +mesquits +Mesropian +mess +message +message-bearer +messaged +messageer +messagery +messages +message's +messaging +Messalian +Messalina +messaline +messan +messans +Messapian +Messapic +messe +messed +messed-up +Messeigneurs +messelite +Messene +messenger +messengers +messenger's +messengership +Messenia +messer +Messere +Messerschmitt +messes +messet +messy +Messiaen +Messiah +messiahs +Messiahship +Messianic +Messianically +Messianism +Messianist +Messianize +Messias +Messidor +Messier +messiest +messieurs +messily +messin +Messina +Messines +Messinese +messiness +Messing +messire +mess-john +messkit +messman +messmate +messmates +messmen +messor +messroom +Messrs +messtin +messuage +messuages +mess-up +mest +mestee +mestees +mesteno +mester +mesteso +mestesoes +mestesos +mestfull +Mesthles +mestino +mestinoes +mestinos +mestiza +mestizas +mestizo +mestizoes +mestizos +mestlen +mestome +Mestor +mestranol +Mesua +Mesvinian +MET +met. +Meta +meta- +metabases +metabasis +metabasite +metabatic +Metabel +metabiology +metabiological +metabiosis +metabiotic +metabiotically +metabismuthic +metabisulphite +metabit +metabits +metabletic +Metabola +metabole +metaboly +Metabolia +metabolian +metabolic +metabolical +metabolically +metabolise +metabolised +metabolising +metabolism +metabolisms +metabolite +metabolites +metabolizability +metabolizable +metabolize +metabolized +metabolizes +metabolizing +metabolon +metabolous +metaborate +metaboric +metabranchial +metabrushite +metabular +Metabus +metacapi +metacarpal +metacarpale +metacarpals +metacarpi +metacarpophalangeal +metacarpus +metacenter +metacentral +metacentre +metacentric +metacentricity +metacercaria +metacercarial +metacetone +metachemic +metachemical +metachemistry +Metachlamydeae +metachlamydeous +metachromasis +metachromatic +metachromatin +metachromatinic +metachromatism +metachrome +metachronal +metachronism +metachronistic +metachrosis +metacyclic +metacymene +metacinnabar +metacinnabarite +metacircular +metacircularity +metacism +metacismus +metaclase +metacneme +metacoele +metacoelia +Metacomet +metaconal +metacone +metaconid +metaconule +metacoracoid +metacrasis +metacresol +metacryst +metacromial +metacromion +metad +metadiabase +metadiazine +metadiorite +metadiscoidal +metadromous +metae +metaethical +metaethics +metafemale +metafluidal +metaformaldehyde +metafulminuric +metagalactic +metagalaxy +metagalaxies +metagaster +metagastric +metagastrula +metage +Metageitnion +metagelatin +metagelatine +metagenesis +metagenetic +metagenetically +metagenic +metageometer +metageometry +metageometrical +metages +metagnath +metagnathism +metagnathous +metagnomy +metagnostic +metagnosticism +metagram +metagrammatism +metagrammatize +metagraphy +metagraphic +metagrobolize +metahewettite +metahydroxide +metayage +metayer +metaigneous +metainfective +Metairie +metakinesis +metakinetic +metal +metal. +metalammonium +metalanguage +metalaw +metalbearing +metal-bearing +metal-bending +metal-boring +metal-bound +metal-broaching +metalbumin +metal-bushed +metal-clad +metal-clasped +metal-cleaning +metal-coated +metal-covered +metalcraft +metal-cutting +metal-decorated +metaldehyde +metal-drying +metal-drilling +metaled +metal-edged +metal-embossed +metalepses +metalepsis +metaleptic +metaleptical +metaleptically +metaler +metal-forged +metal-framed +metal-grinding +Metaline +metalined +metaling +metalinguistic +metalinguistically +metalinguistics +metalise +metalised +metalises +metalising +metalism +metalist +metalists +metalization +metalize +metalized +metalizes +metalizing +metal-jacketed +metall +metallary +metalled +metalleity +metaller +metallic +metallical +metallically +metallicity +metallicize +metallicly +metallics +metallide +metallifacture +metalliferous +metallify +metallification +metalliform +metallik +metallike +metalline +metal-lined +metalling +metallisation +metallise +metallised +metallish +metallising +metallism +metallist +metal-lithography +metallization +metallizations +metallize +metallized +metallizing +metallo- +metallocene +metallochrome +metallochromy +metalloenzyme +metallogenetic +metallogeny +metallogenic +metallograph +metallographer +metallography +metallographic +metallographical +metallographically +metallographist +metalloid +metalloidal +metallometer +metallo-organic +metallophobia +metallophone +metalloplastic +metallorganic +metallotherapeutic +metallotherapy +metallurgy +metallurgic +metallurgical +metallurgically +metallurgies +metallurgist +metallurgists +metalmark +metal-melting +metalmonger +metalogic +metalogical +metaloph +metalorganic +metaloscope +metaloscopy +metal-perforating +metal-piercing +metals +metal's +metal-shaping +metal-sheathed +metal-slitting +metal-slotting +metalsmith +metal-studded +metal-testing +metal-tipped +metal-trimming +metaluminate +metaluminic +metalware +metalwares +metalwork +metalworker +metalworkers +metalworking +metalworkings +metalworks +metamale +metamathematical +metamathematician +metamathematics +metamer +metameral +metamere +metameres +metamery +metameric +metamerically +metameride +metamerism +metamerization +metamerize +metamerized +metamerous +metamers +Metamynodon +metamitosis +Metamora +metamorphy +metamorphic +metamorphically +metamorphism +metamorphisms +metamorphize +metamorphopsy +metamorphopsia +metamorphosable +metamorphose +metamorphosed +metamorphoser +Metamorphoses +metamorphosy +metamorphosian +metamorphosic +metamorphosical +metamorphosing +metamorphosis +metamorphostical +metamorphotic +metamorphous +metanalysis +metanauplius +Metanemertini +metanephric +metanephritic +metanephroi +metanephron +metanephros +metanepionic +metanetwork +metanilic +metaniline +metanym +metanitroaniline +metanitrophenol +metanoia +metanomen +metanotal +metanotion +metanotions +metanotum +metantimonate +metantimonic +metantimonious +metantimonite +metantimonous +metaorganism +metaparapteral +metaparapteron +metapectic +metapectus +metapepsis +metapeptone +metaperiodic +metaph +metaph. +metaphase +Metaphen +metaphenylene +metaphenylenediamin +metaphenylenediamine +metaphenomenal +metaphenomenon +metaphys +metaphyseal +metaphysic +Metaphysical +metaphysically +metaphysician +metaphysicianism +metaphysicians +metaphysicist +metaphysicize +metaphysico- +metaphysicous +metaphysics +metaphysis +metaphyte +metaphytic +metaphyton +metaphloem +metaphony +metaphonical +metaphonize +metaphor +metaphoric +metaphorical +metaphorically +metaphoricalness +metaphorist +metaphorize +metaphors +metaphor's +metaphosphate +metaphosphated +metaphosphating +metaphosphoric +metaphosphorous +metaphragm +metaphragma +metaphragmal +metaphrase +metaphrased +metaphrasing +metaphrasis +metaphrast +metaphrastic +metaphrastical +metaphrastically +metaplasia +metaplasis +metaplasm +metaplasmic +metaplast +metaplastic +metapleur +metapleura +metapleural +metapleure +metapleuron +metaplumbate +metaplumbic +metapneumonic +metapneustic +metapodia +metapodial +metapodiale +metapodium +metapolitic +metapolitical +metapolitician +metapolitics +metapophyseal +metapophysial +metapophysis +metapore +metapostscutellar +metapostscutellum +metaprescutal +metaprescutum +metaprotein +metapsychic +metapsychical +metapsychics +metapsychism +metapsychist +metapsychology +metapsychological +metapsychosis +metapterygial +metapterygium +metapterygoid +metarabic +metargon +metarhyolite +metarossite +metarsenic +metarsenious +metarsenite +metarule +metarules +metas +metasaccharinic +metascope +metascutal +metascutellar +metascutellum +metascutum +metasedimentary +metasequoia +metasilicate +metasilicic +metasymbol +metasyntactic +metasoma +metasomal +metasomasis +metasomatic +metasomatically +metasomatism +metasomatosis +metasome +metasperm +Metaspermae +metaspermic +metaspermous +metastability +metastable +metastably +metastannate +metastannic +metastases +Metastasio +metastasis +metastasize +metastasized +metastasizes +metastasizing +metastatic +metastatical +metastatically +metasternal +metasternum +metasthenic +metastibnite +metastigmate +metastyle +metastoma +metastomata +metastome +metastrophe +metastrophic +metatantalic +metatarsal +metatarsale +metatarsally +metatarse +metatarsi +metatarsophalangeal +metatarsus +metatarsusi +metatatic +metatatical +metatatically +metataxic +metataxis +metate +metates +metathalamus +metatheology +metatheory +Metatheria +metatherian +metatheses +metathesis +metathesise +metathesize +metathetic +metathetical +metathetically +metathoraces +metathoracic +metathorax +metathoraxes +metatype +metatypic +metatitanate +metatitanic +metatoluic +metatoluidine +meta-toluidine +metatracheal +metatroph +metatrophy +metatrophic +metatungstic +Metaurus +metavanadate +metavanadic +metavariable +metavauxite +metavoltine +Metaxa +Metaxas +metaxenia +metaxylem +metaxylene +metaxite +Metazoa +metazoal +metazoan +metazoans +metazoea +metazoic +metazoon +Metcalf +Metcalfe +Metchnikoff +mete +metecorn +meted +metegritics +meteyard +metel +metely +metempiric +metempirical +metempirically +metempiricism +metempiricist +metempirics +metempsychic +metempsychosal +metempsychose +metempsychoses +metempsychosic +metempsychosical +metempsychosis +metempsychosize +metemptosis +metencephala +metencephalic +metencephalla +metencephalon +metencephalons +metensarcosis +metensomatosis +metenteron +metenteronic +meteogram +meteograph +meteor +meteorgraph +meteoric +meteorical +meteorically +meteoris +meteorism +meteorist +meteoristic +meteorital +meteorite +meteorites +meteoritic +meteoritical +meteoritics +meteorization +meteorize +meteorlike +meteorogram +meteorograph +meteorography +meteorographic +meteoroid +meteoroidal +meteoroids +meteorol +meteorol. +meteorolite +meteorolitic +meteorology +meteorologic +meteorological +meteorologically +meteorologies +meteorologist +meteorologists +meteoromancy +meteorometer +meteoropathologic +meteoroscope +meteoroscopy +meteorous +meteors +meteor's +meteorscope +metepa +metepas +metepencephalic +metepencephalon +metepimeral +metepimeron +metepisternal +metepisternum +meter +meterable +meterage +meterages +meter-ampere +meter-candle +meter-candle-second +metered +metergram +metering +meter-kilogram +meter-kilogram-second +meterless +meterman +meter-millimeter +meterological +meter-reading +meters +metership +meterstick +metes +metestick +metestrus +metewand +Meth +meth- +methacrylate +methacrylic +methadon +methadone +methadones +methadons +methaemoglobin +methamphetamine +methanal +methanate +methanated +methanating +methane +methanes +methanoic +methanol +methanolic +methanolysis +methanols +methanometer +methantheline +methaqualone +Methedrine +metheglin +methemoglobin +methemoglobinemia +methemoglobinuria +methenamine +methene +methenyl +mether +methhead +methicillin +methid +methide +methyl +methylacetanilide +methylal +methylals +methylamine +methylaniline +methylanthracene +methylase +methylate +methylated +methylating +methylation +methylator +methylbenzene +methylcatechol +methylcholanthrene +methyldopa +methylene +methylenimine +methylenitan +methylethylacetic +methylglycine +methylglycocoll +methylglyoxal +methylheptenone +methylic +methylidyne +methylmalonic +methylnaphthalene +methylol +methylolurea +methylosis +methylotic +methylparaben +methylpentose +methylpentoses +methylphenidate +methylpropane +methyls +methylsulfanol +methyltri-nitrob +methyltrinitrobenzene +methine +methinks +methiodide +methionic +methionine +methyprylon +methysergide +metho +methobromide +Method +methodaster +methodeutic +Methody +methodic +methodical +methodically +methodicalness +methodicalnesses +methodics +methodise +methodised +methodiser +methodising +Methodism +Methodist +Methodisty +Methodistic +Methodistical +Methodistically +methodists +methodist's +Methodius +methodization +Methodize +methodized +methodizer +methodizes +methodizing +methodless +methodology +methodological +methodologically +methodologies +methodology's +methodologist +methodologists +methods +method's +methol +methomania +methone +methotrexate +methought +Methow +methoxamine +methoxy +methoxybenzene +methoxychlor +methoxide +methoxyflurane +methoxyl +methronic +meths +Methuen +Methuselah +metic +Metycaine +meticais +metical +meticals +meticulosity +meticulous +meticulously +meticulousness +meticulousnesses +metier +metiers +metif +metin +meting +Metioche +Metion +Metis +Metiscus +metisse +metisses +Metius +Metoac +metochy +metochous +metoestrous +metoestrum +metoestrus +Metol +metonic +metonym +metonymy +metonymic +metonymical +metonymically +metonymies +metonymous +metonymously +metonyms +me-too +me-tooism +metopae +Metope +metopes +Metopias +metopic +metopion +metopism +Metopoceros +metopomancy +metopon +metopons +metoposcopy +metoposcopic +metoposcopical +metoposcopist +metorganism +metosteal +metosteon +metostylous +metoxazine +metoxeny +metoxenous +metr- +metra +metralgia +metran +metranate +metranemia +metratonia +Metrazol +metre +metre-candle +metrectasia +metrectatic +metrectomy +metrectopy +metrectopia +metrectopic +metrectotmy +metred +metregram +metre-kilogram-second +metreless +metreme +metres +metreship +metreta +metrete +metretes +metreza +metry +metria +metric +metrical +metrically +metricate +metricated +metricates +metricating +metrication +metrications +metrician +metricise +metricised +metricising +metricism +metricist +metricity +metricize +metricized +metricizes +metricizing +metrics +metric's +Metridium +metrify +metrification +metrified +metrifier +metrifies +metrifying +metring +metriocephalic +metrise +metrist +metrists +metritis +metritises +metrizable +metrization +metrize +metrized +metrizing +metro +metro- +metrocampsis +metrocarat +metrocarcinoma +metrocele +metrocystosis +metroclyst +metrocolpocele +metrocracy +metrocratic +metrodynia +metrofibroma +metrography +metrolymphangitis +metroliner +metroliners +metrology +metrological +metrologically +metrologies +metrologist +metrologue +metromalacia +metromalacoma +metromalacosis +metromania +metromaniac +metromaniacal +metrometer +metron +metroneuria +metronidazole +metronym +metronymy +metronymic +metronome +metronomes +metronomic +metronomical +metronomically +metroparalysis +metropathy +metropathia +metropathic +metroperitonitis +metrophlebitis +metrophotography +metropole +metropoleis +metropolic +Metropolis +metropolises +metropolitan +metropolitanate +metropolitancy +metropolitanism +metropolitanize +metropolitanized +metropolitanship +metropolite +metropolitic +metropolitical +metropolitically +metroptosia +metroptosis +metroradioscope +metrorrhagia +metrorrhagic +metrorrhea +metrorrhexis +metrorthosis +metros +metrosalpingitis +metrosalpinx +metroscirrhus +metroscope +metroscopy +Metrosideros +metrosynizesis +metrostaxis +metrostenosis +metrosteresis +metrostyle +metrotherapy +metrotherapist +metrotome +metrotometry +metrotomy +Metroxylon +mets +Metsys +Metsky +Mettah +mettar +Metter +Metternich +Metty +Mettie +mettle +mettled +mettles +mettlesome +mettlesomely +mettlesomeness +Metton +Metts +Metuchen +metump +metumps +metus +metusia +metwand +Metz +metze +Metzgar +Metzger +Metzler +meu +meubles +Meum +Meung +meuni +Meunier +meuniere +Meurer +Meursault +Meurthe-et-Moselle +meurtriere +Meuse +Meuser +meute +MeV +mew +Mewar +meward +me-ward +mewed +mewer +mewing +mewl +mewled +mewler +mewlers +mewling +mewls +mews +MEX +Mexia +Mexica +mexical +Mexicali +Mexican +Mexicanize +Mexicano +mexicans +Mexico +Mexitl +Mexitli +MexSp +MEZ +mezail +mezair +mezcal +mezcaline +mezcals +Mezentian +Mezentism +Mezentius +mezereon +mezereons +mezereum +mezereums +mezo +Mezoff +mezquit +mezquite +mezquites +mezquits +mezuza +mezuzah +mezuzahs +mezuzas +mezuzot +mezuzoth +mezzanine +mezzanines +mezzavoce +mezzo +mezzograph +mezzolith +mezzolithic +mezzo-mezzo +mezzo-relievo +mezzo-relievos +mezzo-rilievi +mezzo-rilievo +mezzos +mezzo-soprano +mezzotint +mezzotinted +mezzotinter +mezzotinting +mezzotinto +MF +MFA +MFB +mfd +mfd. +MFENET +MFG +MFH +MFJ +MFLOPS +MFM +MFR +MFS +MFT +MG +mGal +MGB +mgd +MGeolE +MGH +MGk +MGM +MGr +MGT +MH +MHA +Mhausen +MHD +MHE +MHF +MHG +MHL +mho +mhometer +mhorr +mhos +MHR +MHS +m-hum +MHW +MHz +MI +MY +mi- +my- +mi. +MI5 +MI6 +MIA +Mya +Myacea +miacis +miae +Mial +myal +myalgia +myalgias +myalgic +myalia +myalism +myall +Miami +miamia +Miamis +Miamisburg +Miamitown +Miamiville +mian +Miao +Miaotse +Miaotze +miaou +miaoued +miaouing +miaous +miaow +miaowed +miaower +miaowing +miaows +Miaplacidus +miargyrite +Myaria +myarian +miarolitic +mias +miascite +myases +myasis +miaskite +miasm +miasma +miasmal +miasmas +miasmata +miasmatic +miasmatical +miasmatically +miasmatize +miasmatology +miasmatous +miasmic +miasmology +miasmous +miasms +Miass +myasthenia +myasthenic +Miastor +myatony +myatonia +myatonic +myatrophy +miauer +miaul +miauled +miauler +miauling +miauls +miauw +miazine +MIB +mibound +mibs +Mic +myc +myc- +Mic. +mica +Myca +micaceous +micacious +micacite +Micaela +Micah +Mycah +Micajah +Micanopy +micas +micasization +micasize +micast +micasting +micasts +micate +mication +Micaville +Micawber +Micawberish +Micawberism +micawbers +Micco +Miccosukee +MICE +mycele +myceles +mycelia +mycelial +mycelian +Mycelia-sterilia +mycelioid +mycelium +micell +micella +micellae +micellar +micellarly +micelle +micelles +micells +myceloid +Mycenae +Mycenaean +miceplot +Mycerinus +micerun +micesource +mycete +Mycetes +mycetism +myceto- +mycetocyte +mycetogenesis +mycetogenetic +mycetogenic +mycetogenous +mycetoid +mycetology +mycetological +mycetoma +mycetomas +mycetomata +mycetomatous +mycetome +Mycetophagidae +mycetophagous +mycetophilid +Mycetophilidae +mycetous +Mycetozoa +mycetozoan +mycetozoon +Mich +Mich. +Michabo +Michabou +Michael +Mychael +Michaela +Michaelangelo +Michaele +Michaelina +Michaeline +Michaelites +Michaella +Michaelmas +Michaelmastide +Michaeu +Michail +Michal +Mychal +Michale +Michaud +Michaux +Miche +Micheal +Micheas +miched +Michey +Micheil +Michel +Michelangelesque +Michelangelism +Michelangelo +Michele +Michelia +Michelin +Michelina +Micheline +Michell +Michella +Michelle +Michelozzo +Michelsen +Michelson +Michener +micher +michery +miches +Michi +Michie +michiel +Michigamea +Michigamme +Michigan +Michigander +Michiganian +Michiganite +Michiko +miching +Michoac +Michoacan +Michoacano +Michol +Michon +micht +Mick +Mickey +Mickeys +Mickelson +mickery +Micki +Micky +Mickie +mickies +Mickiewicz +mickle +micklemote +mickle-mouthed +mickleness +mickler +mickles +micklest +Mickleton +micks +Micmac +Micmacs +mico +myco- +Mycobacteria +Mycobacteriaceae +mycobacterial +Mycobacterium +mycocecidium +mycocyte +mycoderm +mycoderma +mycodermatoid +mycodermatous +mycodermic +mycodermitis +mycodesmoid +mycodomatium +mycoflora +mycogastritis +Mycogone +mycohaemia +mycohemia +mycoid +mycol +mycol. +mycology +mycologic +mycological +mycologically +mycologies +mycologist +mycologists +mycologize +mycomycete +Mycomycetes +mycomycetous +mycomycin +mycomyringitis +miconcave +Miconia +mycophagy +mycophagist +mycophagous +mycophyte +Mycoplana +mycoplasm +mycoplasma +mycoplasmal +mycoplasmic +mycoprotein +mycorhiza +mycorhizal +mycorrhiza +mycorrhizae +mycorrhizal +mycorrhizic +mycorrihizas +mycose +mycoses +mycosymbiosis +mycosin +mycosis +mycosozin +Mycosphaerella +Mycosphaerellaceae +mycostat +mycostatic +Mycostatin +mycosterol +mycotic +mycotoxic +mycotoxin +mycotrophic +MICR +micr- +micra +micraco +micracoustic +micraesthete +micramock +Micrampelis +micranatomy +micrander +micrandrous +micraner +micranthropos +Micraster +micrencephaly +micrencephalia +micrencephalic +micrencephalous +micrencephalus +micrergate +micresthete +micrify +micrified +micrifies +micrifying +Micro +micro- +microaerophile +micro-aerophile +microaerophilic +micro-aerophilic +microammeter +microampere +microanalyses +microanalysis +microanalyst +microanalytic +microanalytical +microanatomy +microanatomical +microangstrom +microapparatus +microarchitects +microarchitecture +microarchitectures +micro-audiphone +microbacteria +microbacterium +microbacteteria +microbal +microbalance +microbar +microbarogram +microbarograph +microbars +microbattery +microbe +microbeam +microbeless +microbeproof +microbes +microbial +microbian +microbic +microbicidal +microbicide +microbiology +microbiologic +microbiological +microbiologically +microbiologies +microbiologist +microbiologists +microbion +microbiophobia +microbiosis +microbiota +microbiotic +microbious +microbism +microbium +microblast +microblephary +microblepharia +microblepharism +microbody +microbrachia +microbrachius +microburet +microburette +microburner +microbus +microbuses +microbusses +microcaltrop +microcamera +microcapsule +microcard +microcardia +microcardius +microcards +microcarpous +Microcebus +microcellular +microcentrosome +microcentrum +microcephal +microcephali +microcephaly +microcephalia +microcephalic +microcephalism +microcephalous +microcephalus +microceratous +microchaeta +microchaetae +microcharacter +microcheilia +microcheiria +microchemic +microchemical +microchemically +microchemistry +microchip +microchiria +Microchiroptera +microchiropteran +microchiropterous +microchromosome +microchronometer +microcycle +microcycles +microcinema +microcinematograph +microcinematography +microcinematographic +Microciona +Microcyprini +microcircuit +microcircuitry +microcirculation +microcirculatory +microcyst +microcyte +microcythemia +microcytic +microcytosis +Microcitrus +microclastic +microclimate +microclimates +microclimatic +microclimatically +microclimatology +microclimatologic +microclimatological +microclimatologist +microcline +microcnemia +microcoat +micrococcal +Micrococceae +micrococci +micrococcic +micrococcocci +Micrococcus +microcode +microcoded +microcodes +microcoding +microcoleoptera +microcolon +microcolorimeter +microcolorimetry +microcolorimetric +microcolorimetrically +microcolumnar +microcombustion +microcomputer +microcomputers +microcomputer's +microconidial +microconidium +microconjugant +Microconodon +microconstituent +microcopy +microcopied +microcopies +microcopying +microcoria +microcos +microcosm +microcosmal +microcosmian +microcosmic +microcosmical +microcosmically +microcosmography +microcosmology +microcosmos +microcosms +microcosmus +microcoulomb +microcranous +microcryptocrystalline +microcrystal +microcrystalline +microcrystallinity +microcrystallogeny +microcrystallography +microcrystalloscopy +microcrith +microcultural +microculture +microcurie +microdactylia +microdactylism +microdactylous +microdensitometer +microdensitometry +microdensitometric +microdentism +microdentous +microdetection +microdetector +microdetermination +microdiactine +microdimensions +microdyne +microdissection +microdistillation +microdont +microdonty +microdontia +microdontic +microdontism +microdontous +microdose +microdot +microdrawing +Microdrili +microdrive +microeconomic +microeconomics +microelectrode +microelectrolysis +microelectronic +microelectronically +microelectronics +microelectrophoresis +microelectrophoretic +microelectrophoretical +microelectrophoretically +microelectroscope +microelement +microencapsulate +microencapsulation +microenvironment +microenvironmental +microerg +microestimation +microeutaxitic +microevolution +microevolutionary +microexamination +microfarad +microfauna +microfaunal +microfelsite +microfelsitic +microfibril +microfibrillar +microfiche +microfiches +microfilaria +microfilarial +microfilm +microfilmable +microfilmed +microfilmer +microfilming +microfilms +microfilm's +microflora +microfloral +microfluidal +microfoliation +microform +micro-form +microforms +microfossil +microfungal +microfungus +microfurnace +Microgadus +microgalvanometer +microgamete +microgametocyte +microgametophyte +microgamy +microgamies +Microgaster +microgastria +Microgastrinae +microgastrine +microgauss +microgeology +microgeological +microgeologist +microgilbert +microgyne +microgyria +microglia +microglial +microglossia +micrognathia +micrognathic +micrognathous +microgonidial +microgonidium +microgram +microgramme +microgrammes +microgramming +micrograms +microgranite +microgranitic +microgranitoid +microgranular +microgranulitic +micrograph +micrographer +micrography +micrographic +micrographical +micrographically +micrographist +micrographs +micrograver +microgravimetric +microgroove +microgrooves +microhabitat +microhardness +microhenry +microhenries +microhenrys +microhepatia +Microhymenoptera +microhymenopteron +microhistochemical +microhistology +microhm +microhmmeter +microhms +microimage +microinch +microinjection +microinstruction +microinstructions +microinstruction's +micro-instrumentation +microjoule +microjump +microjumps +microlambert +microlecithal +microlepidopter +microlepidoptera +microlepidopteran +microlepidopterist +microlepidopteron +microlepidopterous +microleukoblast +microlevel +microlite +microliter +microlith +microlithic +microlitic +micrology +micrologic +micrological +micrologically +micrologist +micrologue +microluces +microlux +microluxes +micromania +micromaniac +micromanipulation +micromanipulator +micromanipulators +micromanometer +Micromastictora +micromazia +micromeasurement +micromechanics +micromeli +micromelia +micromelic +micromelus +micromembrane +micromeral +micromere +Micromeria +micromeric +micromerism +micromeritic +micromeritics +micromesentery +micrometallographer +micrometallography +micrometallurgy +micrometeorite +micrometeoritic +micrometeorogram +micrometeorograph +micrometeoroid +micrometeorology +micrometeorological +micrometeorologist +micrometer +micrometers +micromethod +micrometry +micrometric +micrometrical +micrometrically +micromho +micromhos +micromicrocurie +micromicrofarad +micromicron +micromyelia +micromyeloblast +micromil +micromillimeter +micromineralogy +micromineralogical +microminiature +microminiatures +microminiaturization +microminiaturizations +microminiaturize +microminiaturized +microminiaturizing +micromodule +micromolar +micromole +micromorph +micromorphology +micromorphologic +micromorphological +micromorphologically +micromotion +micromotoscope +micro-movie +micron +micro-needle +micronemous +Micronesia +Micronesian +micronesians +micronization +micronize +micronometer +microns +micronuclear +micronucleate +micronuclei +micronucleus +micronutrient +microoperations +microorganic +microorganism +microorganismal +microorganisms +micropalaeontology +micropaleontology +micropaleontologic +micropaleontological +micropaleontologist +micropantograph +microparasite +microparasitic +micropathology +micropathological +micropathologies +micropathologist +micropegmatite +micropegmatitic +micropenis +microperthite +microperthitic +micropetalous +micropetrography +micropetrology +micropetrologist +microphage +microphagy +microphagocyte +microphagous +microphakia +microphallus +microphyll +microphyllous +microphysical +microphysically +microphysics +microphysiography +microphytal +microphyte +microphytic +microphytology +microphobia +microphone +microphones +microphonic +microphonics +microphoning +microphonism +microphonograph +microphot +microphotograph +microphotographed +microphotographer +microphotography +microphotographic +microphotographing +microphotographs +microphotometer +microphotometry +microphotometric +microphotometrically +microphotoscope +microphthalmia +microphthalmic +microphthalmos +microphthalmus +micropia +micropylar +micropyle +micropin +micropipet +micropipette +micropyrometer +microplakite +microplankton +microplastocyte +microplastometer +micropodal +Micropodi +micropodia +Micropodidae +Micropodiformes +micropodous +micropoecilitic +micropoicilitic +micropoikilitic +micropolariscope +micropolarization +micropopulation +micropore +microporosity +microporous +microporphyritic +microprint +microprobe +microprocedure +microprocedures +microprocessing +microprocessor +microprocessors +microprocessor's +microprogram +microprogrammable +microprogrammed +microprogrammer +microprogramming +microprograms +microprogram's +microprojection +microprojector +micropsy +micropsia +micropterygid +Micropterygidae +micropterygious +Micropterygoidea +micropterism +Micropteryx +micropterous +Micropterus +microptic +micropublisher +micropublishing +micropulsation +micropuncture +Micropus +microradiograph +microradiography +microradiographic +microradiographical +microradiographically +microradiometer +microreaction +microreader +microrefractometer +microreproduction +microrhabdus +microrheometer +microrheometric +microrheometrical +Microrhopias +micros +Microsauria +microsaurian +microscale +microsclere +microsclerous +microsclerum +microscopal +microscope +microscopes +microscope's +microscopy +microscopial +microscopic +microscopical +microscopically +microscopics +Microscopid +microscopies +microscopist +Microscopium +microscopize +microscopopy +microsec +microsecond +microseconds +microsecond's +microsection +microsegment +microseism +microseismic +microseismical +microseismicity +microseismograph +microseismology +microseismometer +microseismometry +microseismometrograph +microseme +microseptum +microsiemens +microsystems +microskirt +microsmatic +microsmatism +microsoftware +microsoma +microsomal +microsomatous +microsome +microsomia +microsomial +microsomic +microsommite +Microsorex +microspace +microspacing +microspecies +microspectrophotometer +microspectrophotometry +microspectrophotometric +microspectrophotometrical +microspectrophotometrically +microspectroscope +microspectroscopy +microspectroscopic +Microspermae +microspermous +Microsphaera +microsphaeric +microsphere +microspheric +microspherical +microspherulitic +microsplanchnic +microsplenia +microsplenic +microsporange +microsporanggia +microsporangia +microsporangiate +microsporangium +microspore +microsporiasis +microsporic +Microsporidia +microsporidian +microsporocyte +microsporogenesis +Microsporon +microsporophyll +microsporophore +microsporosis +microsporous +Microsporum +microstat +microstate +microstates +microstethoscope +microsthene +Microsthenes +microsthenic +Microstylis +microstylospore +microstylous +microstomatous +microstome +microstomia +microstomous +microstore +microstress +micro-stress +microstructural +microstructure +microsublimation +microsurgeon +microsurgeons +microsurgery +microsurgeries +microsurgical +microswitch +microtasimeter +microtechnic +microtechnique +microtektite +microtelephone +microtelephonic +Microthelyphonida +microtheos +microtherm +microthermic +Microthyriaceae +microthorax +microtia +Microtinae +microtine +microtines +microtypal +microtype +microtypical +microtitration +microtome +microtomy +microtomic +microtomical +microtomist +microtonal +microtonality +microtonally +microtone +microtubular +microtubule +Microtus +microvasculature +microvax +microvaxes +microvillar +microvillous +microvillus +microvolt +microvolume +microvolumetric +microwatt +microwave +microwaves +microweber +microword +microwords +microzyma +microzyme +microzymian +microzoa +microzoal +microzoan +microzoary +microzoaria +microzoarian +microzoic +microzone +microzooid +microzoology +microzoon +microzoospore +micrurgy +micrurgic +micrurgical +micrurgies +micrurgist +Micrurus +Mycteria +mycteric +mycterism +miction +Myctodera +myctophid +Myctophidae +Myctophum +micturate +micturated +micturating +micturation +micturition +Miculek +MID +mid- +'mid +Mid. +mid-act +Mid-african +midafternoon +mid-age +mid-aged +Mydaidae +midair +mid-air +midairs +mydaleine +Mid-america +Mid-american +Mid-april +mid-arctic +MIDAS +Mid-asian +Mid-atlantic +mydatoxine +Mid-august +Mydaus +midautumn +midaxillary +mid-back +midband +mid-block +midbody +mid-body +midbrain +midbrains +mid-breast +Mid-cambrian +mid-career +midcarpal +mid-carpal +mid-central +mid-century +midchannel +mid-channel +mid-chest +mid-continent +midcourse +mid-course +mid-court +mid-crowd +midcult +midcults +mid-current +midday +middays +Mid-december +Middelburg +midden +Middendorf +middens +middenstead +middes +middest +middy +mid-diastolic +middies +mid-dish +mid-distance +Middle +Middle-age +middle-aged +middle-agedly +middle-agedness +Middle-ageism +Middlebass +Middleboro +Middleborough +Middlebourne +middlebreaker +Middlebrook +middlebrow +middlebrowism +middlebrows +Middleburg +Middleburgh +Middlebury +middle-burst +middlebuster +middleclass +middle-class +middle-classdom +middle-classism +middle-classness +middle-colored +middled +middle-distance +middle-earth +Middlefield +middle-growthed +middlehand +middle-horned +middleland +middleman +middlemanism +middlemanship +Middlemarch +middlemen +middlemost +middleness +middle-of-the-road +middle-of-the-roader +Middleport +middler +middle-rate +middle-road +middlers +middles +middlesail +Middlesboro +Middlesbrough +Middlesex +middle-sized +middle-sizedness +middlesplitter +middle-statured +Middlesworth +Middleton +middletone +middle-tone +Middletown +Middleville +middleway +middlewards +middleweight +middleweights +middle-witted +middlewoman +middlewomen +middle-wooled +middling +middlingish +middlingly +middlingness +middlings +middorsal +Mide +mid-earth +Mideast +Mideastern +mid-eighteenth +Mid-empire +Mider +Mid-europe +Mid-european +midevening +midewin +midewiwin +midfacial +mid-feather +Mid-february +Midfield +mid-field +midfielder +midfields +mid-flight +midforenoon +mid-forty +mid-front +midfrontal +Midgard +Midgardhr +Midgarth +Midge +midges +midget +midgety +midgets +midgy +mid-gray +midgut +mid-gut +midguts +Midheaven +mid-heaven +mid-hour +Mid-huronian +MIDI +Midian +Midianite +Midianitish +mid-ice +midicoat +Mididae +midyear +midyears +midified +mid-incisor +mydine +midinette +midinettes +Midi-Pyrn +midiron +midirons +Midis +midiskirt +Mid-italian +Mid-january +Mid-july +Mid-june +mid-kidney +Midkiff +mid-lake +Midland +Midlander +Midlandize +Midlands +midlandward +midlatitude +midleg +midlegs +mid-length +mid-lent +midlenting +midlife +mid-life +midline +mid-line +midlines +mid-link +midlives +mid-lobe +Midlothian +Mid-may +midmain +midmandibular +Mid-march +mid-mixed +midmonth +midmonthly +midmonths +midmorn +midmorning +midmost +midmosts +mid-mouth +mid-movement +midn +midnight +midnightly +midnights +mid-nineteenth +midnoon +midnoons +Mid-november +midocean +mid-ocean +Mid-october +mid-oestral +mid-off +mid-on +mid-orbital +Mid-pacific +midparent +midparentage +midparental +mid-part +mid-period +mid-periphery +mid-pillar +Midpines +midpit +Mid-pleistocene +midpoint +mid-point +midpoints +midpoint's +mid-position +midrange +midranges +midrash +midrashic +midrashim +midrashoth +mid-refrain +mid-region +Mid-renaissance +mydriasine +mydriasis +mydriatic +mydriatine +midrib +midribbed +midribs +midriff +midriffs +mid-river +mid-road +mids +midscale +mid-sea +midseason +mid-season +midsection +midsemester +midsentence +Mid-september +midship +midshipman +midshipmanship +midshipmen +midshipmite +midships +Mid-siberian +mid-side +midsize +mid-sky +mid-slope +mid-sole +midspace +midspaces +midspan +mid-span +midst +'midst +midstead +midstyled +mid-styled +midstory +midstories +midstout +midstream +midstreams +midstreet +mid-stride +midstroke +midsts +midsummer +midsummery +midsummerish +midsummer-men +midsummers +mid-sun +mid-swing +midtap +midtarsal +mid-tarsal +midterm +mid-term +midterms +Mid-tertiary +mid-thigh +mid-thoracic +mid-tide +mid-time +mid-totality +mid-tow +midtown +mid-town +midtowns +mid-travel +Mid-upper +Midvale +mid-value +midvein +midventral +mid-ventral +midverse +Mid-victorian +Mid-victorianism +Midville +mid-volley +Midway +midways +mid-walk +mid-wall +midward +midwatch +midwatches +mid-water +midweek +mid-week +midweekly +midweeks +Midwest +Midwestern +Midwesterner +midwesterners +midwestward +mid-wicket +midwife +midwifed +midwifery +midwiferies +midwifes +midwifing +midwinter +midwinterly +midwinters +midwintry +midwise +midwived +midwives +midwiving +mid-workings +mid-world +mid-zone +MIE +myectomy +myectomize +myectopy +myectopia +miek +myel +myel- +myelalgia +myelapoplexy +myelasthenia +myelatrophy +myelauxe +myelemia +myelencephala +myelencephalic +myelencephalon +myelencephalons +myelencephalous +myelic +myelin +myelinate +myelinated +myelination +myeline +myelines +myelinic +myelinization +myelinogenesis +myelinogenetic +myelinogeny +myelins +myelitic +myelitides +myelitis +myelo- +myeloblast +myeloblastic +myelobrachium +myelocele +myelocerebellar +myelocyst +myelocystic +myelocystocele +myelocyte +myelocythaemia +myelocythemia +myelocytic +myelocytosis +myelocoele +myelodiastasis +myeloencephalitis +myelofibrosis +myelofibrotic +myeloganglitis +myelogenesis +myelogenetic +myelogenic +myelogenous +myelogonium +myelography +myelographic +myelographically +myeloic +myeloid +myelolymphangioma +myelolymphocyte +myeloma +myelomalacia +myelomas +myelomata +myelomatoid +myelomatosis +myelomatous +myelomenia +myelomeningitis +myelomeningocele +myelomere +myelon +myelonal +myeloneuritis +myelonic +myeloparalysis +myelopathy +myelopathic +myelopetal +myelophthisis +myeloplast +myeloplastic +myeloplax +myeloplaxes +myeloplegia +myelopoiesis +myelopoietic +myeloproliferative +myelorrhagia +myelorrhaphy +myelosarcoma +myelosclerosis +myelosyphilis +myelosyphilosis +myelosyringosis +myelospasm +myelospongium +myelosuppression +myelosuppressions +myelotherapy +Myelozoa +myelozoan +Mielziner +mien +miens +Mientao +myentasis +myenteric +myenteron +Myer +Mieres +Myers +miersite +Myerstown +Myersville +Miescherian +myesthesia +Miett +MIF +MIFASS +miff +miffed +miffy +miffier +miffiest +miffiness +miffing +Mifflin +Mifflinburg +Mifflintown +Mifflinville +miffs +Mig +myg +migale +mygale +mygalid +mygaloid +Mygdon +Migeon +migg +miggle +miggles +miggs +Mighell +might +might-be +mighted +mightful +mightfully +mightfulness +might-have-been +mighty +mighty-brained +mightier +mightiest +mighty-handed +mightyhearted +mightily +mighty-minded +mighty-mouthed +mightiness +mightyship +mighty-spirited +mightless +mightly +mightnt +mightn't +mights +miglio +migmatite +migniard +migniardise +migniardize +Mignon +Mignonette +mignonettes +mignonette-vine +Mignonne +mignonness +mignons +Migonitis +migraine +migraines +migrainoid +migrainous +migrans +migrant +migrants +migratation +migratational +migratations +migrate +migrated +migrates +migrating +migration +migrational +migrationist +migrations +migrative +migrator +migratory +migratorial +migrators +migs +Miguel +Miguela +Miguelita +Mihail +Mihalco +miharaite +Mihe +mihrab +mihrabs +Myiarchus +Miyasawa +myiases +myiasis +myiferous +Myingyan +myiodesopsia +myiosis +myitis +mijakite +mijl +mijnheer +mijnheerl +mijnheers +Mika +Mikado +mikadoate +mikadoism +mikados +Mikael +Mikaela +Mikal +Mikan +Mikana +Mikania +Mikasuki +Mike +Myke +miked +Mikey +Mikel +Mykerinos +Mikes +Mikhail +Miki +mikie +Mikihisa +miking +Mikir +Mikiso +mykiss +Mikkanen +Mikkel +Miko +Mikol +mikra +mikrkra +mikron +mikrons +Miksen +mikvah +mikvahs +mikveh +mikvehs +mikvoth +MIL +mil. +Mila +Milaca +milacre +miladi +milady +miladies +miladis +milage +milages +Milam +milammeter +Milan +Mylan +milanaise +Mylander +Milanese +Milanion +Milano +Milanov +Milanville +Mylar +milarite +Milazzo +Milbank +Milburn +Milburr +Milburt +milch +milch-cow +milched +milcher +milchy +milchig +milchigs +mild +Milda +mild-aired +mild-aspected +mild-blowing +mild-brewed +mild-cured +Milde +mild-eyed +milden +mildened +mildening +mildens +milder +mildest +mildew +mildewed +mildewer +mildewy +mildewing +mildewproof +mildew-proof +mildews +mild-faced +mild-flavored +mildful +mildfulness +mildhearted +mildheartedness +mildish +mildly +mild-looking +mild-mannered +mild-mooned +mildness +mildnesses +Mildred +Mildrid +mild-savored +mild-scented +mild-seeming +mild-spirited +mild-spoken +mild-tempered +mild-tongued +mild-worded +Mile +mileage +mileages +Miledh +Mi-le-fo +Miley +Milena +mile-ohm +mileometer +milepost +mileposts +mile-pound +miler +milers +Miles +mile's +Myles +Milesburg +Milesian +milesima +milesimo +milesimos +Milesius +milestone +milestones +milestone's +Milesville +mile-ton +Miletus +mileway +Milewski +Milfay +milfoil +milfoils +mil-foot +Milford +milha +Milhaud +milia +miliaceous +miliarenses +miliarensis +miliary +miliaria +miliarial +miliarias +miliarium +milice +Milicent +milieu +milieus +milieux +Milinda +myliobatid +Myliobatidae +myliobatine +myliobatoid +Miliola +milioliform +milioline +miliolite +miliolitic +Milissa +Milissent +milit +milit. +militancy +militancies +militant +militantly +militantness +militants +militar +military +militaries +militaryism +militarily +militaryment +military-minded +militariness +militarisation +militarise +militarised +militarising +militarism +militarisms +militarist +militaristic +militaristical +militaristically +militarists +militarization +militarize +militarized +militarizes +militarizing +militaster +militate +militated +militates +militating +militation +militia +militiaman +militiamen +militias +militiate +Mylitta +Milyukov +milium +miljee +milk +Milka +milk-and-water +milk-and-watery +milk-and-wateriness +milk-and-waterish +milk-and-waterism +milk-bearing +milk-blended +milk-borne +milk-breeding +milkbush +milk-condensing +milk-cooling +milk-curdling +milk-drying +milked +milken +milker +milkeress +milkers +milk-faced +milk-fed +milkfish +milkfishes +milk-giving +milkgrass +milkhouse +milk-hued +milky +milkier +milkiest +milk-yielding +milkily +milkiness +milkinesses +milking +milkless +milklike +milk-livered +milkmaid +milkmaids +milkmaid's +milkman +milkmen +milkness +milko +milk-punch +Milks +milkshake +milkshed +milkshop +milksick +milksop +milksopism +milksoppery +milksoppy +milksoppiness +milksopping +milksoppish +milksoppishness +milksops +milkstone +milk-tested +milk-testing +milktoast +milk-toast +milk-tooth +milkwagon +milk-warm +milk-washed +milkweed +milkweeds +milk-white +milkwood +milkwoods +milkwort +milkworts +Mill +Milla +millable +Milladore +millage +millages +Millay +Millais +Millan +millanare +Millar +Millard +millboard +Millboro +Millbrae +Millbrook +Millbury +Millburn +millcake +millclapper +millcourse +Millda +Milldale +milldam +mill-dam +milldams +milldoll +mille +Millecent +milled +Milledgeville +millefeuille +millefiore +millefiori +millefleur +millefleurs +milleflorous +millefoliate +Millen +millenary +millenarian +millenarianism +millenaries +millenarist +millenia +millenist +millenium +millennia +millennial +millennialism +millennialist +millennialistic +millennially +millennian +millenniary +millenniarism +millennium +millenniums +milleped +millepede +millepeds +Millepora +millepore +milleporiform +milleporine +milleporite +milleporous +millepunctate +Miller +Millerand +milleress +milleri +millering +Millerism +Millerite +millerole +Millers +Millersburg +Millersport +miller's-thumb +Millerstown +Millersville +Millerton +Millerville +Milles +millesimal +millesimally +Millet +millets +Millettia +millfeed +Millfield +Millford +millful +Millhall +Millham +mill-headed +Millheim +Millhon +millhouse +Millhousen +Milli +Milly +milli- +milliad +milliammeter +milliamp +milliampere +milliamperemeter +milliamperes +Millian +milliangstrom +milliard +milliardaire +milliards +milliare +milliares +milliary +milliarium +millibar +millibarn +millibars +Millican +Millicent +millicron +millicurie +millidegree +Millie +millieme +milliemes +milliequivalent +millier +milliers +millifarad +millifold +milliform +milligal +milligals +Milligan +milligrade +milligram +milligramage +milligram-hour +milligramme +milligrams +millihenry +millihenries +millihenrys +millijoule +Millikan +Milliken +millilambert +millile +milliliter +milliliters +millilitre +milliluces +millilux +milliluxes +millime +millimes +millimeter +millimeters +millimetmhos +millimetre +millimetres +millimetric +millimho +millimhos +millimiccra +millimicra +millimicron +millimicrons +millimol +millimolar +millimole +millincost +milline +milliner +millinery +millinerial +millinering +milliners +millines +milling +millings +Millington +Millingtonia +mill-ink +Millinocket +millinormal +millinormality +millioctave +millioersted +milliohm +milliohms +million +millionaire +millionairedom +millionaires +millionaire's +millionairess +millionairish +millionairism +millionary +millioned +millioner +millionfold +millionism +millionist +millionize +millionnaire +millionocracy +millions +millionth +millionths +milliped +millipede +millipedes +millipede's +millipeds +milliphot +millipoise +milliradian +millirem +millirems +milliroentgen +Millis +millisec +millisecond +milliseconds +Millisent +millisiemens +millistere +Millite +millithrum +millivolt +millivoltmeter +millivolts +milliwatt +milliweber +millken +mill-lead +mill-leat +Millman +millmen +Millmont +millnia +millocracy +millocrat +millocratism +millosevichite +millowner +millpond +mill-pond +millponds +millpool +Millport +millpost +mill-post +millrace +mill-race +millraces +Millry +Millrift +millrind +mill-rind +millrynd +mill-round +millrun +mill-run +millruns +Mills +Millsap +Millsboro +Millshoals +millsite +mill-sixpence +Millstadt +millstock +Millston +millstone +millstones +millstone's +millstream +millstreams +milltail +Milltown +Millur +Millvale +Millville +millward +Millwater +millwheel +mill-wheel +Millwood +millwork +millworker +millworks +millwright +millwrighting +millwrights +Milmay +Milman +Milmine +Milne +milneb +milnebs +Milner +Milnesand +Milnesville +MILNET +Milnor +Milo +Mylo +mylodei +Mylodon +mylodont +Mylodontidae +mylohyoid +mylohyoidean +mylohyoidei +mylohyoideus +milometer +Milon +Milone +mylonite +mylonites +mylonitic +milor +Mylor +milord +milords +Milore +Milos +Milovan +milpa +milpas +Milpitas +Milquetoast +milquetoasts +MILR +milreis +milrind +Milroy +mils +milsey +milsie +Milson +MILSTD +Milstein +Milstone +Milt +milted +milter +milters +Milty +Miltiades +Miltie +miltier +miltiest +milting +miltlike +Milton +Miltona +Miltonia +Miltonian +Miltonic +Miltonically +Miltonism +Miltonist +Miltonize +Miltonvale +miltos +Miltown +milts +miltsick +miltwaste +Milurd +Milvago +Milvinae +milvine +milvinous +Milvus +Milwaukee +Milwaukeean +Milwaukie +milwell +milzbrand +Milzie +MIM +mym +Mima +Mimamsa +Mymar +mymarid +Mymaridae +Mimas +mimbar +mimbars +mimble +Mimbreno +Mimbres +MIMD +MIME +mimed +mimeo +mimeoed +Mimeograph +mimeographed +mimeography +mimeographic +mimeographically +mimeographing +mimeographist +mimeographs +mimeoing +mimeos +mimer +mimers +mimes +mimesis +mimesises +mimester +mimetene +mimetesite +mimetic +mimetical +mimetically +mimetism +mimetite +mimetites +Mimi +mimiambi +mimiambic +mimiambics +mimic +mimical +mimically +mimicism +mimicked +mimicker +mimickers +mimicking +mimicry +mimicries +mimics +Mimidae +Miminae +MIMinE +miming +miminypiminy +miminy-piminy +Mimir +mimish +mimly +mimmation +mimmed +mimmest +mimming +mimmock +mimmocky +mimmocking +mimmood +mimmoud +mimmouthed +mimmouthedness +mimodrama +mimographer +mimography +mimologist +Mimosa +Mimosaceae +mimosaceous +mimosa-leaved +mimosas +mimosis +mimosite +mimotannic +mimotype +mimotypic +mimp +Mimpei +Mims +mimsey +mimsy +Mimulus +MIMunE +Mimus +Mimusops +mimzy +MIN +min. +Mina +Myna +Minabe +minable +minacious +minaciously +minaciousness +minacity +minacities +mynad-minded +minae +Minaean +minah +mynah +Minahassa +Minahassan +Minahassian +mynahs +Minamoto +minar +Minardi +minaret +minareted +minarets +minargent +minas +mynas +minasragrite +Minatare +minatnrial +minatory +minatorial +minatorially +minatories +minatorily +minauderie +minaway +minbar +minbu +Minburn +MINCE +minced +minced-pie +mincemeat +mince-pie +mincer +mincers +minces +Minch +Minchah +minchen +minchery +minchiate +mincy +mincier +minciers +minciest +mincing +mincingly +mincingness +mincio +Minco +Mincopi +Mincopie +Mind +Minda +Mindanao +mind-blind +mind-blindness +mindblower +mind-blowing +mind-body +mind-boggler +mind-boggling +mind-changer +mind-changing +mind-curist +minded +mindedly +mindedness +Mindel +Mindelian +MindelMindel-riss +Mindel-riss +Minden +minder +Mindererus +minders +mind-expanding +mind-expansion +mindful +mindfully +mindfulness +mind-healer +mind-healing +Mindi +Mindy +mind-infected +minding +mind-your-own-business +mindless +mindlessly +mindlessness +mindlessnesses +mindly +Mindoro +mind-perplexing +mind-ravishing +mind-reader +minds +mindset +mind-set +mindsets +mind-sick +mindsickness +mindsight +mind-stricken +Mindszenty +mind-torturing +mind-wrecking +MiNE +mineable +mined +minefield +minelayer +minelayers +Minelamotte +Minenwerfer +Mineola +mineowner +Miner +mineragraphy +mineragraphic +mineraiogic +mineral +mineral. +mineralise +mineralised +mineralising +mineralist +mineralizable +mineralization +mineralize +mineralized +mineralizer +mineralizes +mineralizing +mineralocorticoid +mineralogy +mineralogic +mineralogical +mineralogically +mineralogies +mineralogist +mineralogists +mineralogize +mineraloid +minerals +mineral's +minery +minerology +minerological +minerologies +minerologist +minerologists +miners +Minersville +mine-run +Minerva +minerval +Minervan +Minervic +Mines +minestra +minestrone +minesweeper +minesweepers +minesweeping +Minetta +Minette +Minetto +minever +Mineville +mineworker +Minford +Ming +Mingche +minge +mingelen +mingy +mingie +mingier +mingiest +minginess +mingle +mingleable +mingled +mingledly +mingle-mangle +mingle-mangleness +mingle-mangler +minglement +mingler +minglers +mingles +mingling +minglingly +Mingo +Mingoville +Mingrelian +minguetite +Mingus +mingwort +minhag +minhagic +minhagim +Minhah +Mynheer +mynheers +Minho +Minhow +Mini +miny +mini- +Minya +miniaceous +Minyades +Minyadidae +Minyae +Minyan +minyanim +minyans +miniard +Minyas +miniate +miniated +miniating +miniator +miniatous +miniature +miniatured +miniatureness +miniatures +miniature's +miniaturing +miniaturist +miniaturistic +miniaturists +miniaturization +miniaturizations +miniaturize +miniaturized +miniaturizes +miniaturizing +minibike +minibikes +minibrain +minibrains +minibudget +minibudgets +minibus +minibuses +minibusses +Minica +minicab +minicabs +minicalculator +minicalculators +minicam +minicamera +minicameras +minicar +minicars +miniclock +miniclocks +minicomponent +minicomponents +minicomputer +minicomputers +minicomputer's +Miniconjou +miniconvention +miniconventions +minicourse +minicourses +minicrisis +minicrisises +minidisk +minidisks +minidrama +minidramas +minidress +minidresses +Minie +minienize +Minier +minifestival +minifestivals +minify +minification +minified +minifies +minifying +minifloppy +minifloppies +minigarden +minigardens +minigrant +minigrants +minigroup +minigroups +miniguide +miniguides +minihospital +minihospitals +miniken +minikin +minikinly +minikins +minilanguage +minileague +minileagues +minilecture +minilectures +minim +minima +minimacid +minimal +minimalism +Minimalist +minimalists +minimalkaline +minimally +minimals +minimarket +minimarkets +minimax +minimaxes +miniment +minimetric +minimi +minimifidian +minimifidianism +minimiracle +minimiracles +minimis +minimisation +minimise +minimised +minimiser +minimises +minimising +minimism +minimistic +Minimite +minimitude +minimization +minimizations +minimization's +minimize +minimized +minimizer +minimizers +minimizes +minimizing +minims +minimum +minimums +minimus +minimuscular +minimuseum +minimuseums +minination +mininations +mininetwork +mininetworks +mining +minings +mininovel +mininovels +minion +minionette +minionism +minionly +minions +minionship +minious +minipanic +minipanics +minipark +minipill +miniprice +miniprices +miniproblem +miniproblems +minirebellion +minirebellions +minirecession +minirecessions +minirobot +minirobots +minis +miniscandal +miniscandals +minischool +minischools +miniscule +minisedan +minisedans +miniseries +miniserieses +minish +minished +minisher +minishes +minishing +minishment +minisystem +minisystems +miniski +miniskirt +miniskirted +miniskirts +miniskis +minislump +minislumps +minisociety +minisocieties +mini-specs +ministate +ministates +minister +ministered +minister-general +ministeriable +ministerial +ministerialism +ministerialist +ministeriality +ministerially +ministerialness +ministering +ministerium +ministers +minister's +ministership +ministrable +ministral +ministrant +ministrants +ministrate +ministration +ministrations +ministrative +ministrator +ministrer +ministress +ministry +ministries +ministrike +ministrikes +ministry's +ministryship +minisub +minisubmarine +minisubmarines +minisurvey +minisurveys +minitant +Minitari +miniterritory +miniterritories +minitheater +minitheaters +Minitrack +minitrain +minitrains +minium +miniums +minivacation +minivacations +minivan +minivans +miniver +minivers +miniversion +miniversions +minivet +mink +minke +minkery +minkes +minkfish +minkfishes +minkish +Minkopi +mink-ranching +minks +mink's +Minn +Minn. +Minna +Minnaminnie +Minne +Minneapolis +Minneapolitan +Minnehaha +Minneola +Minneota +minnesinger +minnesingers +minnesong +Minnesota +Minnesotan +minnesotans +minnesota's +Minnetaree +Minnetonka +Minnewaukan +Minnewit +Minni +Minny +Minnie +minniebush +minnies +minning +Minnis +Minnnie +minnow +minnows +minnow's +Mino +Minoa +Minoan +Minocqua +minoize +minole-mangle +minometer +Minong +Minonk +Minooka +Minor +minora +minorage +minorate +minoration +Minorca +Minorcan +minorcas +minored +Minoress +minoring +Minorist +Minorite +minority +minorities +minority's +minor-league +minor-leaguer +minors +minor's +minorship +Minoru +Minos +Minot +Minotaur +Minotola +minow +mynpacht +mynpachtbrief +mins +Minseito +minsitive +Minsk +Minsky +Minster +minsteryard +minsters +minstrel +minstreless +minstrels +minstrel's +minstrelship +minstrelsy +minstrelsies +mint +Minta +mintage +mintages +Mintaka +mintbush +minted +Minter +minters +Minthe +minty +mintier +mintiest +minting +mintmaker +mintmaking +mintman +mintmark +mintmaster +Minto +Mintoff +Minton +mints +Mintun +Minturn +mintweed +Mintz +minuend +minuends +minuet +minuetic +minuetish +minuets +Minuit +minum +minunet +minus +minuscular +minuscule +minuscules +minuses +minutary +minutation +minute +minuted +minutely +Minuteman +minutemen +minuteness +minutenesses +minuter +minutes +minutest +minuthesis +minutia +minutiae +minutial +minuting +minutiose +minutious +minutiously +minutissimic +minvend +minverite +MINX +minxes +minxish +minxishly +minxishness +minxship +Mio +Myo +mio- +myo- +myoalbumin +myoalbumose +myoatrophy +MYOB +myoblast +myoblastic +myoblasts +miocardia +myocardia +myocardiac +myocardial +myocardiogram +myocardiograph +myocarditic +myocarditis +myocardium +myocdia +myocele +myocellulitis +Miocene +Miocenic +myocyte +myoclonic +myoclonus +myocoel +myocoele +myocoelom +myocolpitis +myocomma +myocommata +myodegeneration +Myodes +myodiastasis +myodynamia +myodynamic +myodynamics +myodynamiometer +myodynamometer +myoedema +myoelectric +myoendocarditis +myoenotomy +myoepicardial +myoepithelial +myofibril +myofibrilla +myofibrillar +myofibroma +myofilament +myogen +myogenesis +myogenetic +myogenic +myogenicity +myogenous +myoglobin +myoglobinuria +myoglobulin +myogram +myograph +myographer +myography +myographic +myographical +myographically +myographist +myographs +myohaematin +myohematin +myohemoglobin +myohemoglobinuria +Miohippus +myoid +myoidema +myoinositol +myokymia +myokinesis +myolemma +myolipoma +myoliposis +myoliposmias +myolysis +miolithic +Miollnir +Miolnir +myology +myologic +myological +myologies +myologisral +myologist +myoma +myomalacia +myomancy +myomantic +myomas +myomata +myomatous +miombo +myomectomy +myomectomies +myomelanosis +myomere +myometritis +myometrium +myomohysterectomy +myomorph +Myomorpha +myomorphic +myomotomy +myonema +myoneme +myoneural +myoneuralgia +myoneurasthenia +myoneure +myoneuroma +myoneurosis +myonosus +myopachynsis +myoparalysis +myoparesis +myopathy +myopathia +myopathic +myopathies +myope +myoperitonitis +myopes +myophan +myophysical +myophysics +myophore +myophorous +myopy +myopia +myopias +myopic +myopical +myopically +myopies +myoplasm +mioplasmia +myoplasty +myoplastic +myopolar +Myoporaceae +myoporaceous +myoporad +Myoporum +myoproteid +myoprotein +myoproteose +myops +myorrhaphy +myorrhexis +myosalpingitis +myosarcoma +myosarcomatous +myosclerosis +myoscope +myoscopes +myoseptum +mioses +myoses +myosin +myosynizesis +myosinogen +myosinose +myosins +miosis +myosis +myositic +myositis +myosote +myosotes +Myosotis +myosotises +myospasm +myospasmia +Myosurus +myosuture +myotacismus +Myotalpa +Myotalpinae +myotasis +myotenotomy +miothermic +myothermic +miotic +myotic +miotics +myotics +myotome +myotomes +myotomy +myotomic +myotomies +myotony +myotonia +myotonias +myotonic +myotonus +myotrophy +myowun +Myoxidae +myoxine +Myoxus +MIP +Miphiboseth +MIPS +miqra +Miquela +miquelet +miquelets +Miquelon +Miquon +MIR +Mira +Myra +myrabalanus +Mirabeau +Mirabel +Mirabell +Mirabella +Mirabelle +mirabile +mirabilia +mirabiliary +Mirabilis +mirabilite +mirable +myrabolam +Mirac +Mirach +miracicidia +miracidia +miracidial +miracidium +miracle +miracle-breeding +miracled +miraclemonger +miraclemongering +miracle-proof +miracles +miracle's +miracle-worker +miracle-working +miracling +miraclist +miracular +miraculist +miraculize +miraculosity +miraculous +miraculously +miraculousness +mirador +miradors +Miraflores +mirage +mirages +miragy +Myrah +Mirak +Miraloma +Miramar +Miramolin +Miramonte +Miran +Mirana +Miranda +Myranda +mirandous +Miranha +Miranhan +mirate +mirbane +myrcene +Myrcia +mircrobicidal +mird +mirdaha +mirdha +mire +mired +Mireielle +Mireille +Mirella +Mirelle +mirepois +mirepoix +mires +miresnipe +mirex +mirexes +Mirfak +miri +miry +myria- +myriacanthous +miryachit +myriacoulomb +myriad +myriaded +myriadfold +myriad-leaf +myriad-leaves +myriadly +myriad-minded +myriads +myriadth +myriagram +myriagramme +myrialiter +myrialitre +Miriam +Miryam +Myriam +myriameter +myriametre +miriamne +Myrianida +myriapod +Myriapoda +myriapodan +myriapodous +myriapods +myriarch +myriarchy +myriare +Myrica +Myricaceae +myricaceous +Myricales +myricas +myricetin +myricyl +myricylic +myricin +myrick +mirid +Miridae +Mirielle +Myrientomata +mirier +miriest +mirific +mirifical +miriki +Mirilla +Myrilla +Myrina +miriness +mirinesses +miring +myringa +myringectomy +myringitis +myringodectomy +myringodermatitis +myringomycosis +myringoplasty +myringotome +myringotomy +myrio- +myriological +myriologist +myriologue +myriophyllite +myriophyllous +Myriophyllum +myriopod +Myriopoda +myriopodous +myriopods +myriorama +myrioscope +myriosporous +myriotheism +myriotheist +Myriotrichia +Myriotrichiaceae +myriotrichiaceous +mirish +Mirisola +myristate +myristic +Myristica +Myristicaceae +myristicaceous +Myristicivora +myristicivorous +myristin +myristone +mirk +mirker +mirkest +mirky +mirkier +mirkiest +mirkily +mirkiness +mirkish +mirkly +mirkness +mirks +mirksome +Myrle +mirled +Myrlene +mirly +mirligo +mirliton +mirlitons +myrmec- +Myrmecia +myrmeco- +Myrmecobiinae +myrmecobiine +myrmecobine +Myrmecobius +myrmecochory +myrmecochorous +myrmecoid +myrmecoidy +myrmecology +myrmecological +myrmecologist +Myrmecophaga +Myrmecophagidae +myrmecophagine +myrmecophagoid +myrmecophagous +myrmecophile +myrmecophily +myrmecophilism +myrmecophilous +myrmecophyte +myrmecophytic +myrmecophobic +myrmekite +Myrmeleon +Myrmeleonidae +Myrmeleontidae +Myrmica +myrmicid +Myrmicidae +myrmicine +myrmicoid +Myrmidon +Myrmidones +Myrmidonian +Myrmidons +myrmotherine +Mirna +Myrna +Miro +myrobalan +Myron +myronate +myronic +myropolist +myrosin +myrosinase +Myrothamnaceae +myrothamnaceous +Myrothamnus +Mirounga +Myroxylon +myrrh +Myrrha +myrrhed +myrrhy +myrrhic +myrrhine +Myrrhis +myrrhol +myrrhophore +myrrhs +myrrh-tree +mirror +mirrored +mirror-faced +mirrory +mirroring +mirrorize +mirrorlike +mirrors +mirrorscope +mirror-writing +MIRS +Myrsinaceae +myrsinaceous +myrsinad +Myrsiphyllum +Myrt +Myrta +Myrtaceae +myrtaceous +myrtal +Myrtales +Mirth +mirthful +mirthfully +mirthfulness +mirthfulnesses +mirth-inspiring +mirthless +mirthlessly +mirthlessness +mirth-loving +mirth-making +mirth-marring +mirth-moving +mirth-provoking +mirths +mirthsome +mirthsomeness +Myrtia +Myrtice +Myrtie +myrtiform +Myrtilus +Myrtle +myrtleberry +myrtle-berry +myrtle-leaved +myrtlelike +myrtles +Myrtlewood +myrtol +Myrtus +Miru +MIRV +Myrvyn +mirvs +Myrwyn +mirza +mirzas +MIS +mis- +misaccent +misaccentuation +misaccept +misacception +misaccount +misaccused +misachievement +misacknowledge +misact +misacted +misacting +misacts +misadapt +misadaptation +misadapted +misadapting +misadapts +misadd +misadded +misadding +misaddress +misaddressed +misaddresses +misaddressing +misaddrest +misadds +misadjudicated +misadjust +misadjusted +misadjusting +misadjustment +misadjusts +misadmeasurement +misadminister +misadministration +misadressed +misadressing +misadrest +misadvantage +misadventure +misadventurer +misadventures +misadventurous +misadventurously +misadvertence +misadvice +misadvise +misadvised +misadvisedly +misadvisedness +misadvises +misadvising +misaffect +misaffected +misaffection +misaffirm +misagent +misagents +misaim +misaimed +misaiming +misaims +misalienate +misalign +misaligned +misalignment +misalignments +misallegation +misallege +misalleged +misalleging +misally +misalliance +misalliances +misallied +misallies +misallying +misallocation +misallot +misallotment +misallotted +misallotting +misallowance +misalphabetize +misalphabetized +misalphabetizes +misalphabetizing +misalter +misaltered +misaltering +misalters +misanalysis +misanalyze +misanalyzed +misanalyzely +misanalyzing +misandry +misanswer +misanthrope +misanthropes +misanthropi +misanthropy +misanthropia +misanthropic +misanthropical +misanthropically +misanthropies +misanthropism +misanthropist +misanthropists +misanthropize +misanthropos +misapparel +misappear +misappearance +misappellation +misappended +misapply +misapplicability +misapplication +misapplied +misapplier +misapplies +misapplying +misappoint +misappointment +misappraise +misappraised +misappraisement +misappraising +misappreciate +misappreciation +misappreciative +misapprehend +misapprehended +misapprehending +misapprehendingly +misapprehends +misapprehensible +misapprehension +misapprehensions +misapprehensive +misapprehensively +misapprehensiveness +misappropriate +misappropriated +misappropriately +misappropriates +misappropriating +misappropriation +misappropriations +misarchism +misarchist +misarray +misarrange +misarranged +misarrangement +misarrangements +misarranges +misarranging +misarticulate +misarticulated +misarticulating +misarticulation +misascribe +misascription +misasperse +misassay +misassayed +misassaying +misassays +misassent +misassert +misassertion +misassign +misassignment +misassociate +misassociation +misate +misatone +misatoned +misatones +misatoning +misattend +misattribute +misattribution +misaunter +misauthorization +misauthorize +misauthorized +misauthorizing +misaventeur +misaver +mis-aver +misaverred +misaverring +misavers +misaward +misawarded +misawarding +misawards +misbandage +misbaptize +misbear +misbecame +misbecome +misbecoming +misbecomingly +misbecomingness +misbede +misbefall +misbefallen +misbefitting +misbegan +misbeget +misbegetting +misbegin +misbeginning +misbegins +misbegot +misbegotten +misbegun +misbehave +misbehaved +misbehaver +misbehavers +misbehaves +misbehaving +misbehavior +misbehaviors +misbehaviour +misbeholden +misbelief +misbeliefs +misbelieve +misbelieved +misbeliever +misbelieving +misbelievingly +misbelove +misbeseem +misbestow +misbestowal +misbestowed +misbestowing +misbestows +misbetide +misbias +misbiased +misbiases +misbiasing +misbiassed +misbiasses +misbiassing +misbill +misbilled +misbilling +misbills +misbind +misbinding +misbinds +misbirth +misbode +misboden +misborn +misbound +misbrand +misbranded +misbranding +misbrands +misbrew +misbuild +misbuilding +misbuilds +misbuilt +misbusy +misbuttoned +misc +misc. +miscal +miscalculate +miscalculated +miscalculates +miscalculating +miscalculation +miscalculations +miscalculation's +miscalculator +miscall +miscalled +miscaller +miscalling +miscalls +miscanonize +miscarry +miscarriage +miscarriageable +miscarriages +miscarried +miscarries +miscarrying +miscast +miscasted +miscasting +miscasts +miscasualty +miscategorize +miscategorized +miscategorizing +misce +misceability +miscegenate +miscegenation +miscegenational +miscegenationist +miscegenations +miscegenator +miscegenetic +miscegenist +miscegine +miscellanarian +miscellane +miscellanea +miscellaneal +miscellaneity +miscellaneous +miscellaneously +miscellaneousness +miscellaneousnesses +miscellany +miscellanies +miscellanist +miscensure +mis-censure +miscensured +miscensuring +mis-center +MISCF +Mischa +mischallenge +mischance +mischanceful +mischances +mischancy +mischanter +mischaracterization +mischaracterize +mischaracterized +mischaracterizing +mischarge +mischarged +mischarges +mischarging +mischief +mischiefful +mischief-loving +mischief-maker +mischief-making +mischiefs +mischief-working +mischieve +mischievous +mischievously +mischievousness +mischievousnesses +mischio +mischoice +mischoose +mischoosing +mischose +mischosen +mischristen +miscibility +miscibilities +miscible +miscipher +miscitation +mis-citation +miscite +mis-cite +miscited +miscites +misciting +misclaim +misclaimed +misclaiming +misclaims +misclass +misclassed +misclasses +misclassify +misclassification +misclassifications +misclassified +misclassifies +misclassifying +misclassing +miscode +miscoded +miscodes +miscognizable +miscognizant +miscoin +miscoinage +miscoined +miscoining +miscoins +miscollocation +miscolor +miscoloration +miscolored +miscoloring +miscolors +miscolour +miscomfort +miscommand +miscommit +miscommunicate +miscommunication +miscommunications +miscompare +miscomplacence +miscomplain +miscomplaint +miscompose +miscomprehend +miscomprehension +miscomputation +miscompute +miscomputed +miscomputing +mis-con +misconceit +misconceive +misconceived +misconceiver +misconceives +misconceiving +misconception +misconceptions +misconception's +misconclusion +miscondition +misconduct +misconducted +misconducting +misconducts +misconfer +misconfidence +misconfident +misconfiguration +misconjecture +misconjectured +misconjecturing +misconjugate +misconjugated +misconjugating +misconjugation +misconjunction +misconnection +misconsecrate +misconsecrated +misconsequence +misconstitutional +misconstruable +misconstrual +misconstruct +misconstruction +misconstructions +misconstructive +misconstrue +misconstrued +misconstruer +misconstrues +misconstruing +miscontent +miscontinuance +misconvey +misconvenient +miscook +miscooked +miscookery +miscooking +miscooks +miscopy +mis-copy +miscopied +miscopies +miscopying +miscorrect +miscorrected +miscorrecting +miscorrection +miscounsel +miscounseled +miscounseling +miscounselled +miscounselling +miscount +miscounted +miscounting +miscounts +miscovet +miscreance +miscreancy +miscreant +miscreants +miscreate +miscreated +miscreating +miscreation +miscreative +miscreator +miscredit +miscredited +miscredulity +miscreed +miscript +miscrop +miscue +mis-cue +miscued +miscues +miscuing +miscultivated +misculture +miscurvature +miscut +miscuts +miscutting +misdate +misdated +misdateful +misdates +misdating +misdaub +misdeal +misdealer +misdealing +misdeals +misdealt +misdecide +misdecision +misdeclaration +misdeclare +misdeed +misdeeds +misdeem +misdeemed +misdeemful +misdeeming +misdeems +misdefine +misdefined +misdefines +misdefining +misdeformed +misdeliver +misdelivery +misdeliveries +misdemean +misdemeanant +misdemeaned +misdemeaning +misdemeanist +misdemeanor +misdemeanors +misdemeanour +misdentition +misdepart +misderivation +misderive +misderived +misderiving +misdescribe +misdescribed +misdescriber +misdescribing +misdescription +misdescriptive +misdesert +misdeserve +misdesignate +misdesire +misdetermine +misdevise +misdevoted +misdevotion +misdiagnose +misdiagnosed +misdiagnoses +misdiagnosing +misdiagnosis +misdiagrammed +misdial +misdials +misdictated +misdid +misdidived +misdiet +misdight +misdirect +misdirected +misdirecting +misdirection +misdirections +misdirects +misdispose +misdisposition +misdistinguish +misdistribute +misdistribution +misdived +misdivide +misdividing +misdivision +misdo +misdoer +misdoers +misdoes +misdoing +misdoings +misdone +misdoubt +misdoubted +misdoubtful +misdoubting +misdoubts +misdower +misdraw +misdrawing +misdrawn +misdraws +misdread +misdrew +misdrive +misdriven +misdrives +misdriving +misdrove +mise +misease +miseased +miseases +miseat +mis-eat +miseating +miseats +misecclesiastic +misedit +misedited +misediting +misedits +miseducate +miseducated +miseducates +miseducating +miseducation +miseducative +mise-enscene +mise-en-scene +miseffect +mysel +myself +mysell +misemphasis +misemphasize +misemphasized +misemphasizing +misemploy +misemployed +misemploying +misemployment +misemploys +misencourage +misendeavor +misenforce +misengrave +Misenheimer +misenite +misenjoy +Miseno +misenrol +misenroll +misenrolled +misenrolling +misenrolls +misenrols +misenter +mis-enter +misentered +misentering +misenters +misentitle +misentreat +misentry +mis-entry +misentries +misenunciation +Misenus +miser +miserabilia +miserabilism +miserabilist +miserabilistic +miserability +miserable +miserableness +miserablenesses +miserably +miseration +miserdom +misere +miserected +Miserere +misereres +miserhood +misery +misericord +misericorde +Misericordia +miseries +misery's +miserism +miserly +miserliness +miserlinesses +misers +mises +misesteem +misesteemed +misesteeming +misestimate +misestimated +misestimating +misestimation +misevaluate +misevaluation +misevent +mis-event +misevents +misexample +misexecute +misexecution +misexpectation +misexpend +misexpenditure +misexplain +misexplained +misexplanation +misexplicate +misexplication +misexposition +misexpound +misexpress +misexpression +misexpressive +misfaith +misfaiths +misfall +misfare +misfashion +misfashioned +misfate +misfather +misfault +misfeasance +misfeasances +misfeasor +misfeasors +misfeature +misfeatured +misfeign +misfield +misfielded +misfielding +misfields +misfigure +misfile +misfiled +misfiles +misfiling +misfire +misfired +misfires +misfiring +misfit +misfits +misfit's +misfitted +misfitting +misfocus +misfocused +misfocusing +misfocussed +misfocussing +misfond +misforgive +misform +misformation +misformed +misforming +misforms +misfortunate +misfortunately +misfortune +misfortuned +misfortune-proof +misfortuner +misfortunes +misfortune's +misframe +misframed +misframes +misframing +misgauge +misgauged +misgauges +misgauging +misgave +misgesture +misgye +misgive +misgiven +misgives +misgiving +misgivingly +misgivinglying +misgivings +misgo +misgotten +misgovern +misgovernance +misgoverned +misgoverning +misgovernment +misgovernor +misgoverns +misgracious +misgrade +misgraded +misgrading +misgraff +misgraffed +misgraft +misgrafted +misgrafting +misgrafts +misgrave +misgrew +misground +misgrounded +misgrow +misgrowing +misgrown +misgrows +misgrowth +misguage +misguaged +misguess +misguessed +misguesses +misguessing +misguggle +misguidance +misguide +misguided +misguidedly +misguidedness +misguider +misguiders +misguides +misguiding +misguidingly +misguise +Misha +Mishaan +mis-hallowed +mishandle +mishandled +mishandles +mishandling +mishanter +mishap +mishappen +mishaps +mishap's +mishara +mishave +Mishawaka +mishear +mis-hear +misheard +mis-hearer +mishearing +mishears +mis-heed +Mishicot +Mishikhwutmetunne +Mishima +miships +mishit +mis-hit +mishits +mishitting +mishmash +mish-mash +mishmashes +mishmee +Mishmi +mishmosh +mishmoshes +Mishna +Mishnah +Mishnaic +Mishnayoth +Mishnic +Mishnical +mis-hold +Mishongnovi +mis-humility +misy +Mysia +Mysian +mysid +Mysidacea +Mysidae +mysidean +misidentify +misidentification +misidentifications +misidentified +misidentifies +misidentifying +mysids +Misima +misimagination +misimagine +misimpression +misimprove +misimproved +misimprovement +misimproving +misimputation +misimpute +misincensed +misincite +misinclination +misincline +misinfer +misinference +misinferred +misinferring +misinfers +misinflame +misinform +misinformant +misinformants +misinformation +misinformations +misinformative +misinformed +misinformer +misinforming +misinforms +misingenuity +misinspired +misinstruct +misinstructed +misinstructing +misinstruction +misinstructions +misinstructive +misinstructs +misintelligence +misintelligible +misintend +misintention +misinter +misinterment +misinterpret +misinterpretable +misinterpretation +misinterpretations +misinterpreted +misinterpreter +misinterpreting +misinterprets +misinterred +misinterring +misinters +misintimation +misyoke +misyoked +misyokes +misyoking +misiones +Mysis +misitemized +misjoin +misjoinder +misjoined +misjoining +misjoins +misjudge +misjudged +misjudgement +misjudger +misjudges +misjudging +misjudgingly +misjudgment +misjudgments +miskal +miskals +miskeep +miskeeping +miskeeps +misken +miskenning +miskept +misky +miskick +miskicks +miskill +miskin +miskindle +Miskito +misknew +misknow +misknowing +misknowledge +misknown +misknows +Miskolc +mislabel +mislabeled +mislabeling +mislabelled +mislabelling +mislabels +mislabor +mislabored +mislaboring +mislabors +mislay +mislaid +mislayer +mislayers +mislaying +mislain +mislays +mislanguage +mislead +misleadable +misleader +misleading +misleadingly +misleadingness +misleads +mislear +misleared +mislearn +mislearned +mislearning +mislearns +mislearnt +misled +misleered +mislen +mislest +misly +mislie +mis-lie +mislies +mislight +mislighted +mislighting +mislights +mislying +mislikable +mislike +misliked +misliken +mislikeness +misliker +mislikers +mislikes +misliking +mislikingly +mislin +mislippen +mislit +mislive +mislived +mislives +misliving +mislled +mislocate +mislocated +mislocating +mislocation +mislodge +mislodged +mislodges +mislodging +misluck +mismade +mismake +mismakes +mismaking +mismanage +mismanageable +mismanaged +mismanagement +mismanagements +mismanager +mismanages +mismanaging +mismannered +mismanners +mismark +mis-mark +mismarked +mismarking +mismarks +mismarry +mismarriage +mismarriages +mismatch +mismatched +mismatches +mismatching +mismatchment +mismate +mismated +mismates +mismating +mismaze +mismean +mismeasure +mismeasured +mismeasurement +mismeasuring +mismeet +mis-meet +mismeeting +mismeets +mismenstruation +mismet +mismetre +misminded +mismingle +mismosh +mismoshes +mismotion +mismount +mismove +mismoved +mismoves +mismoving +misname +misnamed +misnames +misnaming +misnarrate +misnarrated +misnarrating +misnatured +misnavigate +misnavigated +misnavigating +misnavigation +Misniac +misnomed +misnomer +misnomered +misnomers +misnumber +misnumbered +misnumbering +misnumbers +misnurture +misnutrition +miso +miso- +misobedience +misobey +misobservance +misobserve +misocainea +misocapnic +misocapnist +misocatholic +misoccupy +misoccupied +misoccupying +misogallic +misogamy +misogamic +misogamies +misogamist +misogamists +misogyne +misogyny +misogynic +misogynical +misogynies +misogynism +mysogynism +misogynist +misogynistic +misogynistical +misogynists +misogynous +misohellene +mysoid +misology +misologies +misologist +misomath +misoneism +misoneist +misoneistic +misopaedia +misopaedism +misopaedist +misopaterist +misopedia +misopedism +misopedist +mysophilia +mysophobia +misopinion +misopolemical +misorder +misordination +Mysore +misorganization +misorganize +misorganized +misorganizing +misorient +misorientation +misos +misoscopist +misosopher +misosophy +misosophist +mysosophist +mysost +mysosts +misotheism +misotheist +misotheistic +misotyranny +misotramontanism +misoxene +misoxeny +mispackaged +mispacked +mispage +mispaged +mispages +mispagination +mispaging +mispay +mispaid +mispaying +mispaint +mispainted +mispainting +mispaints +misparse +misparsed +misparses +misparsing +mispart +misparted +misparting +misparts +mispassion +mispatch +mispatched +mispatches +mispatching +mispen +mis-pen +mispenned +mispenning +mispens +misperceive +misperceived +misperceiving +misperception +misperform +misperformance +mispersuade +misperuse +misphrase +misphrased +misphrasing +mispick +mispickel +misplace +misplaced +misplacement +misplaces +misplacing +misplay +misplayed +misplaying +misplays +misplan +misplans +misplant +misplanted +misplanting +misplants +misplead +mispleaded +mispleading +mispleads +misplease +mispled +mispoint +mispointed +mispointing +mispoints +mispoise +mispoised +mispoises +mispoising +mispolicy +misposition +mispossessed +mispractice +mispracticed +mispracticing +mispractise +mispractised +mispractising +mispraise +misprejudiced +mispresent +misprice +misprincipled +misprint +misprinted +misprinting +misprints +misprisal +misprise +misprised +mispriser +misprising +misprision +misprisions +misprizal +misprize +misprized +misprizer +misprizes +misprizing +misproceeding +misproduce +misproduced +misproducing +misprofess +misprofessor +mispronounce +mispronounced +mispronouncement +mispronouncer +mispronounces +mispronouncing +mispronunciation +mispronunciations +misproportion +misproportioned +misproportions +misproposal +mispropose +misproposed +misproposing +misproud +misprovide +misprovidence +misprovoke +misprovoked +misprovoking +mispublicized +mispublished +mispunch +mispunctuate +mispunctuated +mispunctuating +mispunctuation +mispurchase +mispurchased +mispurchasing +mispursuit +misput +misputting +misqualify +misqualified +misqualifying +misquality +misquotation +misquotations +misquote +misquoted +misquoter +misquotes +misquoting +misraise +misraised +misraises +misraising +misrate +misrated +misrates +misrating +misread +misreaded +misreader +misreading +misreads +misrealize +misreason +misreceive +misrecital +misrecite +misreckon +misreckoned +misreckoning +misrecognition +misrecognize +misrecollect +misrecollected +misrefer +misreference +misreferred +misreferring +misrefers +misreflect +misreform +misregulate +misregulated +misregulating +misrehearsal +misrehearse +misrehearsed +misrehearsing +misrelate +misrelated +misrelating +misrelation +misrely +mis-rely +misreliance +misrelied +misrelies +misreligion +misrelying +misremember +misremembered +misremembrance +misrender +misrendering +misrepeat +misreport +misreported +misreporter +misreporting +misreports +misreposed +misrepresent +misrepresentation +misrepresentations +misrepresentation's +misrepresentative +misrepresented +misrepresentee +misrepresenter +misrepresenting +misrepresents +misreprint +misrepute +misresemblance +misresolved +misresult +misreward +misrhyme +misrhymed +misrhymer +misroute +misrule +misruled +misruler +misrules +misruly +misruling +misrun +Miss +Miss. +Missa +missable +missay +mis-say +missaid +missayer +missaying +missays +missal +missals +missample +missampled +missampling +missang +missary +missatical +misscribed +misscribing +misscript +mis-season +misseat +mis-seat +misseated +misseating +misseats +missed +mis-see +mis-seek +misseem +mis-seem +missel +missel-bird +misseldin +missels +missel-thrush +missemblance +missend +mis-send +missending +missends +missense +mis-sense +missenses +missent +missentence +misserve +mis-serve +misservice +misses +misset +mis-set +missets +missetting +miss-fire +misshape +mis-shape +misshaped +misshapen +mis-shapen +misshapenly +misshapenness +misshapes +misshaping +mis-sheathed +misship +mis-ship +misshipment +misshipped +misshipping +misshod +mis-shod +misshood +Missi +Missy +missible +Missie +missies +missificate +missyish +missile +missileer +missileman +missilemen +missileproof +missilery +missiles +missile's +missyllabication +missyllabify +missyllabification +missyllabified +missyllabifying +missilry +missilries +missiness +missing +mis-sing +missingly +missiology +mission +missional +missionary +missionaries +missionary's +missionaryship +missionarize +missioned +missioner +missioning +missionization +missionize +missionizer +missions +missis +Missisauga +missises +missish +missishness +Mississauga +Mississippi +Mississippian +mississippians +missit +missive +missives +missmark +missment +Miss-Nancyish +Missolonghi +mis-solution +missort +mis-sort +missorted +missorting +missorts +Missoula +missound +mis-sound +missounded +missounding +missounds +Missouri +Missourian +Missourianism +missourians +Missouris +missourite +missout +missouts +misspace +mis-space +misspaced +misspaces +misspacing +misspeak +mis-speak +misspeaking +misspeaks +misspeech +misspeed +misspell +mis-spell +misspelled +misspelling +misspellings +misspells +misspelt +misspend +mis-spend +misspender +misspending +misspends +misspent +misspoke +misspoken +misstay +misstart +mis-start +misstarted +misstarting +misstarts +misstate +mis-state +misstated +misstatement +misstatements +misstater +misstates +misstating +missteer +mis-steer +missteered +missteering +missteers +misstep +mis-step +misstepping +missteps +misstyle +mis-style +misstyled +misstyles +misstyling +mis-stitch +misstop +mis-stop +misstopped +misstopping +misstops +mis-strike +mis-stroke +missuade +mis-succeeding +mis-sue +missuggestion +missuit +mis-suit +missuited +missuiting +missuits +missummation +missung +missuppose +missupposed +missupposing +missus +missuses +mis-sway +mis-swear +mis-sworn +mist +myst +mystacal +mystacial +mystacine +mystacinous +Mystacocete +Mystacoceti +mystagog +mystagogy +mystagogic +mystagogical +mystagogically +mystagogs +mystagogue +mistakable +mistakableness +mistakably +mistake +mistakeful +mistaken +mistakenly +mistakenness +mistakeproof +mistaker +mistakers +mistakes +mistaking +mistakingly +mistakion +mistal +Mistassini +mistaste +mistaught +mystax +mist-blotted +mist-blurred +mistbow +mistbows +mist-clad +mistcoat +mist-covered +misteach +misteacher +misteaches +misteaching +misted +mistell +mistelling +mistemper +mistempered +mistend +mistended +mistendency +mistending +mistends +mist-enshrouded +Mister +mistered +mistery +mystery +mysterial +mysteriarch +mysteries +mistering +mysteriosophy +mysteriosophic +mysterious +mysteriously +mysteriousness +mysteriousnesses +mystery's +mysterize +misterm +mistermed +misterming +misterms +misters +mystes +mistetch +misteuk +mist-exhaling +mistfall +mistflower +mistful +misthink +misthinking +misthinks +misthought +misthread +misthrew +misthrift +misthrive +misthrow +misthrowing +misthrown +misthrows +Misti +Misty +mistic +Mystic +mystical +mysticality +mystically +mysticalness +Mysticete +Mysticeti +mysticetous +mysticise +mysticism +mysticisms +mysticity +mysticize +mysticized +mysticizing +mysticly +mistico +mystico- +mystico-allegoric +mystico-religious +mystics +mystic's +mistide +misty-eyed +mistier +mistiest +mistify +mystify +mystific +mystifically +mystification +mystifications +mystificator +mystificatory +mystified +mystifiedly +mystifier +mystifiers +mystifies +mystifying +mystifyingly +mistigri +mistigris +mistyish +mistily +mistilled +mis-tilled +mistime +mistimed +mistimes +mistiming +misty-moisty +mist-impelling +mistiness +misting +mistion +mistype +mistyped +mistypes +mistyping +mistypings +mystique +mystiques +mistitle +mistitled +mistitles +mistitling +mist-laden +mistle +mistless +mistletoe +mistletoes +mistold +Miston +mistone +mistonusk +mistook +mistouch +mistouched +mistouches +mistouching +mistrace +mistraced +mistraces +mistracing +mistradition +mistrain +Mistral +mistrals +mistranscribe +mistranscribed +mistranscribing +mistranscript +mistranscription +mistranslate +mistranslated +mistranslates +mistranslating +mistranslation +mistreading +mistreat +mistreated +mistreating +mistreatment +mistreatments +mistreats +Mistress +mistressdom +mistresses +mistresshood +mistressless +mistressly +mistress-piece +mistress-ship +mistry +mistrial +mistrials +mistrist +mistryst +mistrysted +mistrysting +mistrysts +Mistrot +mistrow +mistrust +mistrusted +mistruster +mistrustful +mistrustfully +mistrustfulness +mistrustfulnesses +mistrusting +mistrustingly +mistrustless +mistrusts +mistruth +Mists +mist-shrouded +mistune +mis-tune +mistuned +mistunes +mistuning +misture +misturn +mistutor +mistutored +mistutoring +mistutors +mist-wet +mist-wreathen +misunderstand +misunderstandable +misunderstanded +misunderstander +misunderstanders +misunderstanding +misunderstandingly +misunderstandings +misunderstanding's +misunderstands +misunderstood +misunderstoodness +misunion +mis-union +misunions +misura +misusage +misusages +misuse +misused +misuseful +misusement +misuser +misusers +misuses +misusing +misusurped +misvaluation +misvalue +misvalued +misvalues +misvaluing +misventure +misventurous +misviding +misvouch +misvouched +misway +miswandered +miswed +miswedded +misween +miswend +miswern +miswire +miswired +miswiring +miswisdom +miswish +miswoman +misword +mis-word +misworded +miswording +miswords +misworship +misworshiped +misworshiper +misworshipper +miswrest +miswrit +miswrite +miswrites +miswriting +miswritten +miswrote +miswrought +miszealous +miszone +miszoned +miszoning +MIT +Mita +mytacism +Mitakshara +Mitanni +Mitannian +Mitannic +Mitannish +mitapsis +Mitch +Mitchael +mitchboard +mitch-board +Mitchel +Mitchell +Mitchella +Mitchells +Mitchellsburg +Mitchellville +Mitchiner +mite +Mitella +miteproof +miter +miter-clamped +mitered +miterer +miterers +miterflower +mitergate +mitering +miter-jointed +miters +miterwort +mites +Mitford +myth +myth. +mithan +mither +mithers +Mithgarth +Mithgarthr +mythic +mythical +mythicalism +mythicality +mythically +mythicalness +mythicise +mythicised +mythiciser +mythicising +mythicism +mythicist +mythicization +mythicize +mythicized +mythicizer +mythicizing +mythico- +mythico-historical +mythico-philosophical +mythico-romantic +mythify +mythification +mythified +mythifier +mythifying +mythism +mythist +mythize +mythland +mythmaker +mythmaking +mytho- +mythoclast +mythoclastic +mythogeneses +mythogenesis +mythogeny +mythogony +mythogonic +mythographer +mythography +mythographies +mythographist +mythogreen +mythoheroic +mythohistoric +mythoi +mythol +mythologema +mythologer +mythology +mythologian +mythologic +mythological +mythologically +mythologies +mythology's +mythologise +mythologist +mythologists +mythologization +mythologize +mythologized +mythologizer +mythologizing +mythologue +mythomania +mythomaniac +mythometer +mythonomy +mythopastoral +mythopeic +mythopeist +mythopoeia +mythopoeic +mythopoeism +mythopoeist +mythopoem +mythopoesy +mythopoesis +mythopoet +mythopoetic +mythopoetical +mythopoetise +mythopoetised +mythopoetising +mythopoetize +mythopoetized +mythopoetizing +mythopoetry +mythos +Mithra +Mithraea +Mithraeum +Mithraeums +Mithraic +Mithraicism +Mithraicist +Mithraicize +Mithraism +Mithraist +Mithraistic +Mithraitic +Mithraize +Mithras +Mithratic +Mithriac +mithridate +Mithridatic +mithridatise +mithridatised +mithridatising +mithridatism +mithridatize +mithridatized +mithridatizing +myths +mythus +MITI +mity +miticidal +miticide +miticides +mitier +mitiest +mitigable +mitigant +mitigate +mitigated +mitigatedly +mitigates +mitigating +mitigation +mitigations +mitigative +mitigator +mitigatory +mitigators +Mytilacea +mytilacean +mytilaceous +Mytilene +Mytiliaspis +mytilid +Mytilidae +mytiliform +Mitilni +mytiloid +mytilotoxine +Mytilus +miting +Mitinger +mitis +mitises +Mytishchi +Mitman +Mitnagdim +Mitnagged +mitochondria +mitochondrial +mitochondrion +mitogen +mitogenetic +mitogenic +mitogenicity +mitogens +mitokoromono +mitome +mitomycin +Myton +mitoses +mitosis +mitosome +mitotic +mitotically +Mitra +mitraille +mitrailleur +mitrailleuse +mitral +Mitran +mitrate +Mitre +mitred +mitreflower +mitre-jointed +Mitrephorus +mitrer +mitres +mitrewort +mitre-wort +Mitridae +mitriform +mitring +MITS +mit's +Mitscher +Mitsukurina +Mitsukurinidae +mitsumata +mitsvah +mitsvahs +mitsvoth +mitt +mittatur +Mittel +Mitteleuropa +Mittel-europa +mittelhand +Mittelmeer +mitten +mittened +mittenlike +mittens +mitten's +mittent +Mitterrand +mitty +Mittie +mittimus +mittimuses +mittle +mitts +Mitu +Mitua +mitvoth +Mitzi +Mitzie +Mitzl +mitzvah +mitzvahs +mitzvoth +Miun +miurus +mix +myxa +mixability +mixable +mixableness +myxadenitis +myxadenoma +myxaemia +myxamoeba +myxangitis +myxasthenia +mixblood +Mixe +mixed +mixed-blood +myxedema +myxedemas +myxedematoid +myxedematous +myxedemic +mixedly +mixedness +mixed-up +myxemia +mixen +mixer +mixeress +mixers +mixes +Mix-hellene +mixhill +mixy +mixible +Mixie +mixilineal +mixy-maxy +Myxine +mixing +Myxinidae +myxinoid +Myxinoidei +mixite +myxo +mixo- +myxo- +Myxobacteria +Myxobacteriaceae +myxobacteriaceous +Myxobacteriales +mixobarbaric +myxoblastoma +myxochondroma +myxochondrosarcoma +mixochromosome +myxocystoma +myxocyte +myxocytes +Myxococcus +Mixodectes +Mixodectidae +myxoedema +myxoedemic +myxoenchondroma +myxofibroma +myxofibrosarcoma +myxoflagellate +myxogaster +Myxogasteres +Myxogastrales +Myxogastres +myxogastric +myxogastrous +myxoglioma +myxoid +myxoinoma +mixolydian +myxolipoma +mixology +mixologies +mixologist +myxoma +myxomas +myxomata +myxomatosis +myxomatous +Myxomycetales +myxomycete +Myxomycetes +myxomycetous +myxomyoma +myxoneuroma +myxopapilloma +Myxophyceae +myxophycean +Myxophyta +myxophobia +mixoploid +mixoploidy +myxopod +Myxopoda +myxopodan +myxopodia +myxopodium +myxopodous +myxopoiesis +myxorrhea +myxosarcoma +Mixosaurus +Myxospongiae +myxospongian +Myxospongida +myxospore +Myxosporidia +myxosporidian +Myxosporidiida +Myxosporium +myxosporous +Myxothallophyta +myxotheca +mixotrophic +myxoviral +myxovirus +mixt +Mixtec +Mixtecan +Mixteco +Mixtecos +Mixtecs +mixtiform +mixtilineal +mixtilinear +mixtilion +mixtion +mixture +mixtures +mixture's +mixup +mix-up +mixups +Mizar +Mize +mizen +mizenmast +mizen-mast +mizens +Mizitra +mizmaze +Myzodendraceae +myzodendraceous +Myzodendron +Mizoguchi +Myzomyia +myzont +Myzontes +Mizoram +Myzostoma +Myzostomata +myzostomatous +myzostome +myzostomid +Myzostomida +Myzostomidae +myzostomidan +myzostomous +Mizpah +mizrach +Mizrachi +mizrah +Mizrahi +Mizraim +Mizuki +mizzen +mizzenmast +mizzenmastman +mizzenmasts +mizzens +mizzentop +mizzentopman +mizzen-topmast +mizzentopmen +mizzy +mizzle +mizzled +mizzler +mizzles +mizzly +mizzling +mizzonite +MJ +Mjico +Mjollnir +Mjolnir +Mk +mk. +MKS +mkt +mkt. +MKTG +ML +ml. +MLA +Mlaga +mlange +Mlar +Mlawsky +MLC +MLCD +MLD +mlechchha +MLEM +Mler +MLF +MLG +Mli +M-line +MLitt +MLL +Mlle +Mlles +Mllly +MLO +Mlos +MLR +MLS +MLT +MLV +MLW +mlx +MM +MM. +MMC +MMDF +MME +MMES +MMetE +mmf +mmfd +MMFS +MMGT +MMH +mmHg +MMJ +MMM +mmmm +MMOC +MMP +MMS +MMT +MMU +MMus +MMW +MMX +MN +MNA +mnage +MNAS +MNE +mnem +mneme +mnemic +Mnemiopsis +Mnemon +mnemonic +mnemonical +mnemonicalist +mnemonically +mnemonicon +mnemonics +mnemonic's +mnemonism +mnemonist +mnemonization +mnemonize +mnemonized +mnemonizing +Mnemosyne +mnemotechny +mnemotechnic +mnemotechnical +mnemotechnics +mnemotechnist +mnesic +Mnesicles +mnestic +Mnevis +Mngr +Mniaceae +mniaceous +Mnidrome +mnioid +Mniotiltidae +Mnium +MNOS +MNP +MNRAS +MNS +MNurs +mo +Mo. +MOA +Moab +Moabite +Moabitess +Moabitic +Moabitish +moan +moaned +moanful +moanfully +moanification +moaning +moaningly +moanless +moans +Moapa +Moaria +Moarian +moas +moat +moated +moathill +moating +moatlike +moats +moat's +Moatsville +Moattalite +Moazami +mob +mobable +mobbable +mobbed +mobber +mobbers +mobby +mobbie +mobbing +mobbish +mobbishly +mobbishness +mobbism +mobbist +mobble +mobcap +mob-cap +mobcaps +mobed +Mobeetie +Moberg +Moberly +Mobil +Mobile +mobiles +mobilia +Mobilian +mobilianer +mobiliary +mobilisable +mobilisation +mobilise +mobilised +mobiliser +mobilises +mobilising +mobility +mobilities +mobilizable +mobilization +mobilizations +mobilize +mobilized +mobilizer +mobilizers +mobilizes +mobilizing +mobilometer +Mobius +Mobjack +moble +Mobley +moblike +mob-minded +mobocracy +mobocracies +mobocrat +mobocratic +mobocratical +mobocrats +mobolatry +mobproof +Mobridge +mobs +mob's +mobship +mobsman +mobsmen +mobster +mobsters +Mobula +Mobulidae +Mobutu +MOC +MOCA +Mocambique +moccasin +moccasins +moccasin's +moccenigo +Mocha +mochas +Moche +mochel +mochy +Mochica +mochila +mochilas +mochras +mochudi +Mochun +mock +mockable +mockado +mockage +mock-beggar +mockbird +mock-bird +mocked +mocker +mockery +mockeries +mockery-proof +mockernut +mockers +mocketer +mockful +mockfully +mockground +mock-heroic +mock-heroical +mock-heroically +mocking +mockingbird +mocking-bird +mockingbirds +mockingly +mockingstock +mocking-stock +mockish +mocks +Mocksville +mockup +mock-up +mockups +Moclips +mocmain +moco +Mocoa +Mocoan +mocock +mocomoco +Moctezuma +mocuck +MOD +mod. +modal +Modale +modalism +modalist +modalistic +modality +modalities +modality's +modalize +modally +modder +Mode +model +modeled +modeler +modelers +modeless +modelessness +modeling +modelings +modelist +modelize +modelled +modeller +modellers +modelling +modelmaker +modelmaking +models +model's +MODEM +modems +Modena +Modenese +moder +moderant +moderantism +moderantist +moderate +moderated +moderately +moderateness +moderatenesses +moderates +moderating +moderation +moderationism +moderationist +Moderations +moderatism +moderatist +moderato +moderator +moderatorial +moderators +moderatorship +moderatos +moderatrix +Moderatus +Modern +modern-bred +modern-built +moderne +moderner +modernest +modernicide +modernisation +modernise +modernised +moderniser +modernish +modernising +modernism +modernist +modernistic +modernists +modernity +modernities +modernizable +modernization +modernizations +modernize +modernized +modernizer +modernizers +modernizes +modernizing +modernly +modern-looking +modern-made +modernness +modernnesses +modern-practiced +moderns +modern-sounding +modes +modest +Modesta +Modeste +modester +modestest +Modesty +Modestia +modesties +Modestine +modestly +modestness +Modesto +Modesttown +modge +modi +mody +modiation +Modibo +modica +modicity +modicum +modicums +Modie +modif +modify +modifiability +modifiable +modifiableness +modifiably +modificability +modificable +modificand +modification +modificationist +modifications +modificative +modificator +modificatory +modified +modifier +modifiers +modifies +modifying +Modigliani +modili +modillion +modiolar +modioli +Modiolus +modish +modishly +modishness +modist +modiste +modistes +modistry +modius +Modjeska +Modla +modo +Modoc +Modred +Mods +modula +modulability +modulant +modular +modularity +modularities +modularization +modularize +modularized +modularizes +modularizing +modularly +modulate +modulated +modulates +modulating +modulation +modulations +modulative +modulator +modulatory +modulators +modulator's +module +modules +module's +modulet +moduli +Modulidae +modulize +modulo +modulus +modumite +modus +Moe +Moebius +moeble +moeck +Moed +Moehringia +moellon +Moen +Moerae +Moeragetes +moerithere +moeritherian +Moeritheriidae +Moeritherium +Moersch +Moesia +Moesogoth +Moeso-goth +Moesogothic +Moeso-gothic +moet +moeurs +mofette +mofettes +moff +Moffat +Moffett +moffette +moffettes +Moffit +Moffitt +moffle +mofussil +mofussilite +MOFW +MOG +Mogadiscio +Mogador +Mogadore +Mogan +Mogans +mogdad +Mogerly +moggan +mogged +moggy +moggies +mogging +moggio +Moghan +moghul +mogigraphy +mogigraphia +mogigraphic +mogilalia +mogilalism +Mogilev +mogiphonia +mogitocia +mogo +mogographia +Mogollon +mogos +mogote +Mograbi +Mogrebbin +mogs +moguey +Moguel +Mogul +moguls +mogulship +Moguntine +MOH +moha +mohabat +Mohacan +mohair +mohairs +mohalim +Mohall +Moham +Moham. +Mohamed +Mohammad +Mohammed +Mohammedan +Mohammedanism +Mohammedanization +Mohammedanize +Mohammedism +Mohammedist +Mohammedization +Mohammedize +Mohandas +Mohandis +mohar +Moharai +Moharram +mohatra +Mohave +Mohaves +Mohawk +Mohawkian +mohawkite +Mohawks +Mohegan +mohel +mohelim +mohels +Mohenjo-Daro +Mohican +Mohicans +Mohineyam +Mohism +Mohist +Mohl +Mohn +mohnseed +Mohnton +Moho +Mohock +Mohockism +Mohole +Moholy-Nagy +mohoohoo +mohos +Mohr +Mohrodendron +Mohrsville +Mohsen +Mohun +mohur +mohurs +mohwa +MOI +moy +Moia +Moya +moid +moider +moidore +moidores +moyen +moyen-age +moyenant +moyener +moyenless +moyenne +moier +Moyer +Moyers +moiest +moieter +moiety +moieties +MOIG +Moigno +moyite +moil +moyl +moile +moyle +moiled +moiley +moiler +moilers +moiles +moiling +moilingly +moils +moilsome +Moina +Moyna +Moynahan +moineau +Moines +Moingwena +moio +moyo +Moyobamba +Moyock +Moir +Moira +Moyra +Moirai +moire +moireed +moireing +moires +moirette +Moise +Moiseyev +Moiseiwitsch +Moises +Moishe +Moism +moison +Moissan +moissanite +moist +moisten +moistened +moistener +moisteners +moistening +moistens +moister +moistest +moistful +moisty +moistify +moistiness +moistish +moistishness +moistless +moistly +moistness +moistnesses +moisture +moisture-absorbent +moistureless +moistureproof +moisture-resisting +moistures +moisturize +moisturized +moisturizer +moisturizers +moisturizes +moisturizing +moit +moither +moity +moitier +moitiest +Moitoso +mojarra +mojarras +Mojave +Mojaves +Mojgan +Moji +Mojo +mojoes +mojos +Mok +mokaddam +mokador +mokamoka +Mokane +Mokas +moke +Mokena +mokes +Mokha +moki +moky +mokihana +mokihi +Moko +moko-moko +Mokpo +moksha +mokum +MOL +mol. +MOLA +molal +Molala +molality +molalities +Molalla +molar +molary +molariform +molarimeter +molarity +molarities +molars +molas +Molasse +molasses +molasseses +molassy +molassied +molave +mold +moldability +moldable +moldableness +moldasle +Moldau +Moldavia +Moldavian +moldavite +moldboard +moldboards +molded +molder +moldered +moldery +moldering +molders +moldy +moldier +moldiest +moldiness +moldinesses +molding +moldings +moldmade +Moldo-wallachian +moldproof +molds +moldwarp +moldwarps +Mole +mole-blind +mole-blindedly +molebut +molecast +mole-catching +Molech +molecula +molecular +molecularist +molecularity +molecularly +molecule +molecules +molecule's +mole-eyed +molehead +mole-head +moleheap +molehill +mole-hill +molehilly +molehillish +molehills +moleism +molelike +Molena +molendinar +molendinary +molengraaffite +moleproof +moler +moles +mole-sighted +moleskin +moleskins +molest +molestation +molestations +molested +molester +molesters +molestful +molestfully +molestie +molesting +molestious +molests +molet +molewarp +Molge +Molgula +Moli +moly +molybdate +molybdena +molybdenic +molybdeniferous +molybdenite +molybdenous +molybdenum +molybdic +molybdite +molybdocardialgia +molybdocolic +molybdodyspepsia +molybdomancy +molybdomenite +molybdonosus +molybdoparesis +molybdophyllite +molybdosis +molybdous +Molidae +Moliere +molies +molify +molified +molifying +molilalia +molimen +moliminous +Molina +molinary +Moline +molinet +moling +Molini +Molinia +Molinism +Molinist +Molinistic +Molino +Molinos +Moliones +molys +Molise +molysite +molition +molka +Moll +molla +Mollah +mollahs +molland +Mollberg +molle +Mollee +Mollendo +molles +mollescence +mollescent +Mollet +molleton +Molli +Molly +mollichop +mollycoddle +molly-coddle +mollycoddled +mollycoddler +mollycoddlers +mollycoddles +mollycoddling +mollycosset +mollycot +mollicrush +Mollie +mollienisia +mollient +molliently +Mollies +mollify +mollifiable +mollification +mollifications +mollified +mollifiedly +mollifier +mollifiers +mollifies +mollifying +mollifyingly +mollifyingness +molligrant +molligrubs +mollyhawk +mollymawk +mollipilose +Mollisiaceae +mollisiose +mollisol +mollities +mollitious +mollitude +Molloy +molls +Molluginaceae +Mollugo +mollusc +Mollusca +molluscan +molluscans +molluscicidal +molluscicide +molluscivorous +molluscoid +Molluscoida +molluscoidal +molluscoidan +Molluscoidea +molluscoidean +molluscous +molluscousness +molluscs +molluscum +mollusk +molluskan +mollusklike +mollusks +molman +molmen +molmutian +Moln +Molniya +Moloch +Molochize +molochs +Molochship +molocker +moloid +Molokai +Molokan +moloker +molompi +Molopo +Molorchus +molosse +molosses +Molossian +molossic +Molossidae +molossine +molossoid +Molossus +Molothrus +Molotov +molpe +molrooken +mols +molt +molted +molten +moltenly +molter +molters +molting +Moltke +molto +Molton +molts +moltten +Molucca +Moluccan +Moluccas +Moluccella +Moluche +Molus +molvi +mom +Mombasa +mombin +momble +Mombottu +mome +Momence +moment +momenta +momental +momentally +momentaneall +momentaneity +momentaneous +momentaneously +momentaneousness +momentany +momentary +momentarily +momentariness +momently +momento +momentoes +momentos +momentous +momentously +momentousment +momentousments +momentousness +momentousnesses +moments +moment's +Momentum +momentums +momes +Momi +momiology +momish +momism +momisms +momist +momma +mommas +momme +mommer +mommet +Mommi +Mommy +mommies +Mommsen +momo +Momordica +Momos +Momotidae +Momotinae +Momotus +Mompos +moms +momser +momsers +Momus +Momuses +MOMV +momzer +momzers +Mon +mon- +Mon. +Mona +Monaca +Monacan +monacanthid +Monacanthidae +monacanthine +monacanthous +monacetin +monach +Monacha +monachal +monachate +Monachi +monachism +monachist +monachization +monachize +monacid +monacidic +monacids +monacillo +monacillos +Monaco +monact +monactin +monactinal +monactine +monactinellid +monactinellidan +monad +monadal +monadelph +Monadelphia +monadelphian +monadelphous +monades +monadic +monadical +monadically +monadiform +monadigerous +Monadina +monadism +monadisms +monadistic +monadnock +monadology +monads +monaene +Monafo +Monagan +Monaghan +Monah +Monahan +Monahans +Monahon +monal +monamide +monamine +monamniotic +Monanday +monander +monandry +Monandria +monandrian +monandric +monandries +monandrous +Monango +monanthous +monaphase +monapsal +monarch +monarchal +monarchally +monarchess +monarchy +monarchial +Monarchian +monarchianism +Monarchianist +monarchianistic +monarchic +monarchical +monarchically +monarchies +monarchy's +monarchism +monarchist +monarchistic +monarchists +monarchize +monarchized +monarchizer +monarchizing +monarchlike +monarcho +monarchomachic +monarchomachist +monarchs +Monarda +monardas +Monardella +Monario +Monarski +monarthritis +monarticular +monas +Monasa +Monascidiae +monascidian +monase +Monash +monaster +monastery +monasterial +monasterially +monasteries +monastery's +monastic +monastical +monastically +monasticism +monasticisms +monasticize +monastics +Monastir +monatomic +monatomically +monatomicity +monatomism +monaul +monauli +monaulos +monaural +monaurally +Monaville +monax +monaxial +monaxile +monaxon +monaxonial +monaxonic +Monaxonida +monaxons +monazine +monazite +monazites +Monbazillac +Monbuttu +Moncear +Monceau +Monchengladbach +Monchhof +monchiquite +Monck +Monclova +Moncton +Moncure +Mond +Monda +Monday +Mondayish +Mondayishness +Mondayland +mondain +mondaine +Mondays +monday's +Mondale +Mondamin +monde +mondego +mondes +mondial +mondo +mondos +Mondovi +Mondrian +mondsee +mone +monecian +monecious +monedula +Monee +Monegasque +money +moneyage +moneybag +money-bag +moneybags +money-bloated +money-bound +money-box +money-breeding +moneychanger +money-changer +moneychangers +money-earning +moneyed +moneyer +moneyers +moneyflower +moneygetting +money-getting +money-grasping +moneygrub +money-grub +moneygrubber +moneygrubbing +money-grubbing +money-hungry +moneying +moneylender +money-lender +moneylenders +moneylending +moneyless +moneylessness +money-loving +money-mad +moneymake +moneymaker +money-maker +moneymakers +moneymaking +money-making +moneyman +moneymonger +moneymongering +moneyocracy +money-raising +moneys +moneysaving +money-saving +money-spelled +money-spinner +money's-worth +moneywise +moneywort +money-wort +Monel +monellin +monembryary +monembryony +monembryonic +moneme +monepic +monepiscopacy +monepiscopal +monepiscopus +moner +Monera +moneral +moneran +monergic +monergism +monergist +monergistic +moneric +moneron +monerons +Monerozoa +monerozoan +monerozoic +monerula +Moneses +monesia +Monessen +monest +monestrous +Monet +Moneta +monetary +monetarily +monetarism +monetarist +monetarists +moneth +monetise +monetised +monetises +monetising +monetite +monetization +monetize +monetized +monetizes +monetizing +Monett +Monetta +Monette +mong +mongcorn +Monge +Mongeau +mongeese +monger +mongered +mongerer +mongery +mongering +mongers +Monghol +Mongholian +Mongibel +mongler +Mongo +mongoe +mongoes +Mongoyo +Mongol +Mongolia +Mongolian +Mongolianism +mongolians +Mongolic +Mongolioid +Mongolish +Mongolism +mongolisms +Mongolization +Mongolize +Mongolo-dravidian +Mongoloid +mongoloids +Mongolo-manchurian +Mongolo-tatar +Mongolo-turkic +mongols +mongoose +Mongooses +mongos +mongrel +mongreldom +mongrelisation +mongrelise +mongrelised +mongreliser +mongrelish +mongrelising +mongrelism +mongrelity +mongrelization +mongrelize +mongrelized +mongrelizing +mongrelly +mongrelness +mongrels +mongst +'mongst +Monhegan +monheimite +mony +Monia +monial +Monias +monic +Monica +monicker +monickers +Monico +Monie +monied +monier +monies +Monika +moniker +monikers +monilated +monilethrix +Monilia +Moniliaceae +moniliaceous +monilial +Moniliales +moniliasis +monilicorn +moniliform +moniliformly +monilioid +moniment +Monimia +Monimiaceae +monimiaceous +monimolite +monimostylic +Monique +monish +monished +monisher +monishes +monishing +monishment +monism +monisms +monist +monistic +monistical +monistically +monists +monitary +monition +monitions +monitive +monitor +monitored +monitory +monitorial +monitorially +monitories +monitoring +monitorish +monitors +monitorship +monitress +monitrix +Moniz +Monjan +Monjo +Monk +monkbird +monkcraft +monkdom +monkey +monkey-ball +monkeyboard +monkeyed +monkeyface +monkey-face +monkey-faced +monkeyfy +monkeyfied +monkeyfying +monkeyflower +monkey-god +monkeyhood +monkeying +monkeyish +monkeyishly +monkeyishness +monkeyism +monkeylike +monkeynut +monkeypod +monkeypot +monkey-pot +monkeyry +monkey-rigged +monkeyrony +monkeys +monkeyshine +monkeyshines +monkeytail +monkey-tailed +monkery +monkeries +monkeryies +monkess +monkfish +monk-fish +monkfishes +monkflower +Mon-Khmer +monkhood +monkhoods +monkish +monkishly +monkishness +monkishnesses +monkism +monkly +monklike +monkliness +monkmonger +monks +monk's +monkship +monkshood +monk's-hood +monkshoods +Monkton +Monmouth +monmouthite +Monmouthshire +Monney +Monnet +monny +monniker +monnion +Mono +mono- +monoacetate +monoacetin +monoacid +monoacidic +monoacids +monoalphabetic +monoamid +monoamide +monoamin +monoamine +monoaminergic +monoamino +monoammonium +monoatomic +monoazo +monobacillary +monobase +monobasic +monobasicity +monobath +monoblastic +monoblepsia +monoblepsis +monobloc +monobranchiate +monobromacetone +monobromated +monobromide +monobrominated +monobromination +monobromized +monobromoacetanilide +monobromoacetone +monobutyrin +monocable +monocalcium +monocarbide +monocarbonate +monocarbonic +monocarboxylic +monocardian +monocarp +monocarpal +monocarpellary +monocarpian +monocarpic +monocarpous +monocarps +monocellular +monocentric +monocentrid +Monocentridae +Monocentris +monocentroid +monocephalous +monocerco +monocercous +Monoceros +Monocerotis +monocerous +monochasia +monochasial +monochasium +Monochlamydeae +monochlamydeous +monochlor +monochloracetic +monochloranthracene +monochlorbenzene +monochloride +monochlorinated +monochlorination +monochloro +monochloro- +monochloroacetic +monochlorobenzene +monochloromethane +monochoanitic +monochord +monochordist +monochordize +monochroic +monochromasy +monochromat +monochromate +monochromatic +monochromatically +monochromaticity +monochromatism +monochromator +monochrome +monochromes +monochromy +monochromic +monochromical +monochromically +monochromist +monochromous +monochronic +monochronometer +monochronous +monocyanogen +monocycle +monocycly +monocyclic +Monocyclica +monociliated +monocystic +Monocystidae +Monocystidea +Monocystis +monocyte +monocytes +monocytic +monocytoid +monocytopoiesis +monocle +monocled +monocleid +monocleide +monocles +monoclinal +monoclinally +monocline +monoclinian +monoclinic +monoclinism +monoclinometric +monoclinous +monoclonal +Monoclonius +Monocoelia +monocoelian +monocoelic +Monocondyla +monocondylar +monocondylian +monocondylic +monocondylous +monocoque +monocormic +monocot +monocotyl +monocotyledon +Monocotyledones +monocotyledonous +monocotyledons +monocots +monocracy +monocrat +monocratic +monocratis +monocrats +monocrotic +monocrotism +monocular +monocularity +monocularly +monoculate +monocule +monoculist +monoculous +monocultural +monoculture +monoculus +monodactyl +monodactylate +monodactyle +monodactyly +monodactylism +monodactylous +monodelph +Monodelphia +monodelphian +monodelphic +monodelphous +monodermic +monody +monodic +monodical +monodically +monodies +monodimetric +monodynamic +monodynamism +monodist +monodists +monodize +monodomous +Monodon +monodont +Monodonta +monodontal +monodram +monodrama +monodramatic +monodramatist +monodrame +monodromy +monodromic +monoecy +Monoecia +monoecian +monoecies +monoecious +monoeciously +monoeciousness +monoecism +monoeidic +monoenergetic +monoester +monoestrous +monoethanolamine +monoethylamine +monofil +monofilament +monofilm +monofils +monoflagellate +monoformin +monofuel +monofuels +monogamy +monogamian +monogamic +monogamies +monogamik +monogamist +monogamistic +monogamists +monogamou +monogamous +monogamously +monogamousness +monoganglionic +monogastric +monogene +Monogenea +monogenean +monogeneity +monogeneous +monogenesy +monogenesis +monogenesist +monogenetic +Monogenetica +monogeny +monogenic +monogenically +monogenies +monogenism +monogenist +monogenistic +monogenous +monogerm +monogyny +monogynia +monogynic +monogynies +monogynious +monogynist +monogynoecial +monogynous +monoglycerid +monoglyceride +monoglot +monogoneutic +monogony +monogonoporic +monogonoporous +monogram +monogramed +monograming +monogramm +monogrammatic +monogrammatical +monogrammed +monogrammic +monogramming +monograms +monogram's +monograph +monographed +monographer +monographers +monographes +monography +monographic +monographical +monographically +monographing +monographist +monographs +monograph's +monograptid +Monograptidae +Monograptus +monohybrid +monohydrate +monohydrated +monohydric +monohydrogen +monohydroxy +monohull +monoicous +monoid +mono-ideic +mono-ideism +mono-ideistic +mono-iodo +mono-iodohydrin +mono-iodomethane +mono-ion +monoketone +monokini +monolayer +monolater +monolatry +monolatrist +monolatrous +monoline +monolingual +monolinguist +monoliteral +monolith +monolithal +monolithic +monolithically +monolithism +monoliths +monolobular +monolocular +monolog +monology +monologian +monologic +monological +monologies +monologist +monologists +monologize +monologized +monologizing +monologs +monologue +monologues +monologuist +monologuists +monomachy +monomachist +monomail +monomania +monomaniac +monomaniacal +monomaniacs +monomanias +monomark +monomastigate +monomeniscous +monomer +monomeric +monomerous +monomers +monometalism +monometalist +monometallic +monometallism +monometallist +monometer +monomethyl +monomethylamine +monomethylated +monomethylic +monometric +monometrical +Monomya +monomial +monomials +monomyary +Monomyaria +monomyarian +monomict +monomineral +monomineralic +monomolecular +monomolecularly +monomolybdate +Monomorium +monomorphemic +monomorphic +monomorphism +monomorphous +Monon +Monona +mononaphthalene +mononch +Mononchus +mononeural +Monongah +Monongahela +mononychous +mononym +mononymy +mononymic +mononymization +mononymize +mononitrate +mononitrated +mononitration +mononitride +mononitrobenzene +mononomial +mononomian +monont +mononuclear +mononucleated +mononucleoses +mononucleosis +mononucleosises +mononucleotide +monoousian +monoousious +monoparental +monoparesis +monoparesthesia +monopathy +monopathic +monopectinate +monopersonal +monopersulfuric +monopersulphuric +Monopetalae +monopetalous +monophagy +monophagia +monophagism +monophagous +monophase +monophasia +monophasic +monophylety +monophyletic +monophyleticism +monophyletism +monophylite +monophyllous +monophyodont +monophyodontism +Monophysism +Monophysite +Monophysitic +Monophysitical +Monophysitism +monophobia +monophoic +monophone +monophony +monophonic +monophonically +monophonies +monophonous +monophotal +monophote +Monophoto +monophthalmic +monophthalmus +monophthong +monophthongal +monophthongization +monophthongize +monophthongized +monophthongizing +Monopylaea +Monopylaria +monopylean +monopyrenous +monopitch +monoplace +Monoplacophora +monoplacula +monoplacular +monoplaculate +monoplane +monoplanes +monoplanist +monoplasmatic +monoplasric +monoplast +monoplastic +monoplegia +monoplegic +monoploid +Monopneumoa +monopneumonian +monopneumonous +monopode +monopodes +monopody +monopodia +monopodial +monopodially +monopodic +monopodies +monopodium +monopodous +monopolar +monopolaric +monopolarity +monopole +monopoles +Monopoly +monopolies +monopolylogist +monopolylogue +monopoly's +monopolisation +monopolise +monopolised +monopoliser +monopolising +monopolism +monopolist +monopolistic +monopolistically +monopolists +monopolitical +monopolizable +monopolization +monopolizations +monopolize +monopolized +monopolizer +monopolizes +monopolizing +monopoloid +monopolous +monopotassium +monoprionid +monoprionidian +monoprogrammed +monoprogramming +monopropellant +monoprotic +monopsychism +monopsony +monopsonistic +monoptera +monopteral +Monopteridae +monopteroi +monopteroid +monopteron +monopteros +monopterous +monoptic +monoptical +monoptote +monoptotic +monopttera +monorail +monorailroad +monorails +monorailway +monorchid +monorchidism +monorchis +monorchism +monorganic +monorhyme +monorhymed +Monorhina +monorhinal +monorhine +monorhinous +monorhythmic +monorime +monos +monosaccharide +monosaccharose +monoschemic +monoscope +monose +monosemy +monosemic +monosepalous +monoservice +monosexuality +monosexualities +monosilane +monosilicate +monosilicic +monosyllabic +monosyllabical +monosyllabically +monosyllabicity +monosyllabism +monosyllabize +monosyllable +monosyllables +monosyllablic +monosyllogism +monosymmetry +monosymmetric +monosymmetrical +monosymmetrically +monosymptomatic +monosynaptic +monosynaptically +monosynthetic +monosiphonic +monosiphonous +monoski +monosodium +monosomatic +monosomatous +monosome +monosomes +monosomy +monosomic +monospace +monosperm +monospermal +monospermy +monospermic +monospermous +monospherical +monospondylic +monosporangium +monospore +monospored +monosporiferous +monosporous +monostable +monostele +monostely +monostelic +monostelous +monostich +monostichic +monostichous +monostylous +Monostomata +Monostomatidae +monostomatous +monostome +Monostomidae +monostomous +Monostomum +monostromatic +monostrophe +monostrophic +monostrophics +monosubstituted +monosubstitution +monosulfone +monosulfonic +monosulphide +monosulphone +monosulphonic +monotelephone +monotelephonic +monotellurite +monotessaron +Monothalama +monothalaman +monothalamian +monothalamic +monothalamous +monothecal +monotheism +monotheisms +monotheist +monotheistic +monotheistical +monotheistically +monotheists +Monothelete +Monotheletian +Monotheletic +Monotheletism +monothelious +Monothelism +Monothelite +Monothelitic +Monothelitism +monothetic +monotic +monotint +monotints +monotypal +Monotype +monotypes +monotypic +monotypical +monotypous +Monotocardia +monotocardiac +monotocardian +monotocous +monotomous +monotonal +monotone +monotones +monotony +monotonic +monotonical +monotonically +monotonicity +monotonies +monotonist +monotonize +monotonous +monotonously +monotonousness +monotonousnesses +monotremal +Monotremata +monotremate +monotrematous +monotreme +monotremous +monotrichate +monotrichic +monotrichous +monotriglyph +monotriglyphic +Monotrocha +monotrochal +monotrochian +monotrochous +monotron +Monotropa +Monotropaceae +monotropaceous +monotrophic +monotropy +monotropic +monotropically +monotropies +Monotropsis +monoureide +monovalence +monovalency +monovalent +monovariant +monoverticillate +Monoville +monovoltine +monovular +monoxenous +monoxy- +monoxide +monoxides +monoxyla +monoxyle +monoxylic +monoxylon +monoxylous +monoxime +monozygotic +monozygous +Monozoa +monozoan +monozoic +Monponsett +Monreal +Monro +Monroe +Monroeism +Monroeist +Monroeton +Monroeville +Monroy +monrolite +Monrovia +Mons +Monsanto +Monsarrat +Monsey +Monseigneur +monseignevr +monsia +monsieur +monsieurs +monsieurship +Monsignor +monsignore +Monsignori +monsignorial +monsignors +Monson +Monsoni +monsoon +monsoonal +monsoonish +monsoonishly +monsoons +Monsour +monspermy +monster +Monstera +monster-bearing +monster-breeding +monster-eating +monster-guarded +monsterhood +monsterlike +monsters +monster's +monstership +monster-taming +monster-teeming +monstrance +monstrances +monstrate +monstration +monstrator +monstricide +monstriferous +monstrify +monstrification +monstrosity +monstrosities +monstrous +monstrously +monstrousness +Mont +Mont. +montabyn +montadale +montage +montaged +montages +montaging +Montagna +Montagnac +Montagnais +Montagnard +Montagnards +montagne +Montagu +Montague +Montaigne +Montale +Montalvo +Montana +Montanan +montanans +Montanari +montanas +montana's +montane +montanes +Montanez +montanic +montanin +Montanism +Montanist +Montanistic +Montanistical +montanite +Montanize +Montano +montant +montanto +Montargis +Montasio +Montauban +Montauk +Montbliard +montbretia +Montcalm +Mont-Cenis +Montclair +mont-de-piete +mont-de-pit +Monte +montebrasite +Montefiascone +Montefiore +montegre +Monteith +monteiths +monte-jus +montem +Montenegrin +Montenegro +Montepulciano +montera +Monterey +Monteria +montero +monteros +Monterrey +Montes +Montesco +Montesinos +Montespan +Montesquieu +Montessori +Montessorian +Montessorianism +Monteux +Montevallo +Monteverdi +Montevideo +Montezuma +Montford +Montfort +Montgolfier +montgolfiers +Montgomery +Montgomeryshire +Montgomeryville +month +Montherlant +monthly +monthlies +monthlong +monthon +months +month's +Monti +Monty +Montia +monticellite +Monticello +monticle +monticola +monticolae +monticoline +monticulate +monticule +monticuline +Monticulipora +Monticuliporidae +monticuliporidean +monticuliporoid +monticulose +monticulous +monticulus +montiform +montigeneous +montilla +montjoy +Montjoie +montjoye +Montlucon +Montmartre +montmartrite +Montmelian +Montmorency +montmorillonite +montmorillonitic +montmorilonite +Monto +monton +Montoursville +Montparnasse +Montpelier +Montpellier +Montrachet +montre +Montreal +Montreuil +Montreux +montroydite +Montrose +montross +Monts +Mont-Saint-Michel +Montserrat +Montu +monture +montuvio +Monumbo +monument +monumental +monumentalise +monumentalised +monumentalising +monumentalism +monumentality +monumentalization +monumentalize +monumentalized +monumentalizing +monumentally +monumentary +monumented +monumenting +monumentless +monumentlike +monuments +monument's +monuron +monurons +Monza +Monzaemon +monzodiorite +monzogabbro +monzonite +monzonitic +moo +Mooachaht +moocah +mooch +moocha +mooched +moocher +moochers +mooches +mooching +moochulka +mood +mooder +Moody +moodier +moodiest +moodily +moodiness +moodinesses +moodir +Moodys +moodish +moodishly +moodishness +moodle +moods +mood's +Moodus +mooed +Mooers +mooing +Mook +mookhtar +mooktar +mool +moola +moolah +moolahs +moolas +mooley +mooleys +moolet +moolings +mools +moolum +moolvee +moolvi +moolvie +Moon +Moonachie +moonack +moonal +moonbeam +moonbeams +moonbill +moon-blanched +moon-blasted +moon-blasting +moonblind +moon-blind +moonblink +moon-born +moonbow +moonbows +moon-bright +moon-browed +mooncalf +moon-calf +mooncalves +moon-charmed +mooncreeper +moon-crowned +moon-culminating +moon-dial +moondog +moondown +moondrop +mooned +Mooney +mooneye +moon-eye +moon-eyed +mooneyes +mooner +moonery +moonet +moonface +moonfaced +moon-faced +moonfall +moon-fern +moonfish +moon-fish +moonfishes +moonflower +moon-flower +moong +moon-gathered +moon-gazing +moonglade +moon-glittering +moonglow +moon-god +moon-gray +moonhead +moony +moonie +Moonier +mooniest +moonily +mooniness +mooning +moonish +moonishly +moonite +moonja +moonjah +moon-led +moonless +moonlessness +moonlet +moonlets +moonlight +moonlighted +moonlighter +moonlighters +moonlighty +moonlighting +moonlights +moonlike +moonlikeness +moonling +moonlit +moonlitten +moon-loved +moon-mad +moon-made +moonman +moon-man +moonmen +moonpath +moonpenny +moonport +moonproof +moonquake +moon-raised +moonraker +moonraking +moonrat +moonrise +moonrises +moons +moonsail +moonsails +moonscape +moonscapes +moonseed +moonseeds +moonset +moonsets +moonshade +moon-shaped +moonshee +moonshine +moonshined +moonshiner +moonshiners +moonshines +moonshiny +moonshining +moonshot +moonshots +moonsick +moonsickness +moonsif +moonstone +moonstones +moonstricken +moon-stricken +moonstruck +moon-struck +moon-taught +moontide +moon-tipped +moon-touched +moon-trodden +moonway +moonwalk +moonwalker +moonwalking +moonwalks +moonward +moonwards +moon-white +moon-whitened +moonwort +moonworts +moop +Moor +moorage +moorages +moorball +moorband +moorberry +moorberries +moorbird +moor-bred +moorburn +moorburner +moorburning +moorcock +moor-cock +Moorcroft +Moore +moored +Moorefield +Mooreland +Mooresboro +Mooresburg +mooress +Moorestown +Mooresville +Mooreton +Mooreville +moorflower +moorfowl +moor-fowl +moorfowls +Moorhead +moorhen +moor-hen +moorhens +moory +moorier +mooriest +mooring +moorings +Moorish +moorishly +moorishness +Moorland +moorlander +moorlands +Moor-lipped +Moorman +moormen +moorn +moorpan +moor-pout +moorpunky +moors +Moorship +moorsman +moorstone +moortetter +mooruk +moorup +moorwort +moorworts +moos +moosa +moose +mooseberry +mooseberries +moosebird +moosebush +moosecall +moose-ear +mooseflower +Mooseheart +moosehood +moosey +moosemilk +moosemise +moose-misse +moosetongue +moosewob +moosewood +Moosic +moost +Moosup +moot +mootable +mootch +mooted +mooter +mooters +mooth +moot-hill +moot-house +mooting +mootman +mootmen +mootness +moots +mootstead +moot-stow +mootsuddy +mootworthy +MOP +Mopan +mopane +mopani +mopboard +mopboards +mope +moped +mopeder +mopeders +mopeds +mope-eyed +mopehawk +mopey +mopeier +mopeiest +moper +mopery +moperies +mopers +mopes +moph +mophead +mopheaded +mopheadedness +mopy +mopier +mopiest +moping +mopingly +mopish +mopishly +mopishness +mopla +moplah +mopoke +mopokes +mopped +mopper +moppers +moppers-up +mopper-up +moppet +moppets +moppy +mopping +mopping-up +Moppo +mops +mopsey +mopsy +mopstick +Mopsus +MOpt +mop-up +mopus +mopuses +mopusses +Moquelumnan +moquette +moquettes +Moqui +MOR +Mora +morabit +Moraceae +moraceous +morada +Moradabad +morae +Moraea +Moraga +Moray +morainal +moraine +moraines +morainic +morays +moral +morale +moraler +morales +moralioralist +moralise +moralised +moralises +moralising +moralism +moralisms +moralist +moralistic +moralistically +moralists +morality +moralities +moralization +moralize +moralized +moralizer +moralizers +moralizes +moralizing +moralizingly +moraller +moralless +morally +moralness +morals +Moran +Morandi +Morann +Morar +moras +morass +morasses +morassy +morassic +morassweed +morat +morate +moration +moratory +moratoria +moratorium +moratoriums +Morattico +morattoria +Moratuwa +Morava +Moravia +Moravian +Moravianism +Moravianized +Moravid +moravite +Moraxella +Morazan +morbid +morbidezza +morbidity +morbidities +morbidize +morbidly +morbidness +morbidnesses +Morbier +morbiferal +morbiferous +morbify +morbific +morbifical +morbifically +Morbihan +morbility +morbillary +morbilli +morbilliform +morbillous +morbleu +morbose +morbus +morceau +morceaux +morcellate +morcellated +morcellating +morcellation +morcellement +morcha +Morchella +Morcote +Mord +mordacious +mordaciously +mordacity +mordancy +mordancies +mordant +mordanted +mordanting +mordantly +mordants +Mordecai +Mordella +mordellid +Mordellidae +mordelloid +mordenite +mordent +mordents +Mordy +mordicant +mordicate +mordication +mordicative +mordieu +mordisheen +mordore +Mordred +mordu +Mordv +Mordva +Mordvin +Mordvinian +more +Morea +Moreau +Moreauville +Morecambe +Moreen +moreens +morefold +Morehead +Morehouse +Morey +moreish +Morel +Moreland +Morelia +Morell +morella +morelle +morelles +morello +morellos +Morelos +morels +Morena +Morenci +morencite +morendo +moreness +morenita +Moreno +morenosite +Morentz +Moreote +moreover +morepeon +morepork +mores +Moresby +Moresco +Moresque +moresques +Moreta +Moretown +Moretta +Morette +Moretus +Moreville +Morez +morfond +morfound +morfounder +morfrey +morg +morga +Morgagni +morgay +Morgan +Morgana +morganatic +morganatical +morganatically +Morganfield +morganic +Morganica +morganite +morganize +Morganne +Morganstein +Morganton +Morgantown +Morganville +Morganza +Morgen +morgengift +morgens +morgenstern +Morgenthaler +Morgenthau +morglay +morgue +morgues +Morgun +Mori +Moria +Moriah +morian +Moriarty +moribund +moribundity +moribundities +moribundly +moric +Morice +moriche +Moriches +Morie +moriform +morigerate +morigeration +morigerous +morigerously +morigerousness +moriglio +Moriyama +Morike +morillon +morin +Morinaceae +Morinda +morindin +morindone +morinel +Moringa +Moringaceae +moringaceous +moringad +Moringua +moringuid +Moringuidae +moringuoid +Morini +morion +morions +Moriori +Moriscan +Morisco +Moriscoes +Moriscos +morish +Morison +Morisonian +Morisonianism +Morissa +Morita +Moritz +morkin +Morland +Morlee +Morley +Morly +morling +morlop +mormaer +mormal +mormaor +mormaordom +mormaorship +mormyr +mormyre +mormyrian +mormyrid +Mormyridae +mormyroid +Mormyrus +mormo +Mormon +Mormondom +Mormoness +Mormonism +Mormonist +Mormonite +mormons +Mormonweed +Mormoops +mormorando +morn +Morna +Mornay +morne +morned +mornette +Morning +morning-breathing +morning-bright +morning-colored +morning-gift +morning-glory +morningless +morningly +mornings +morningstar +morningtide +morning-tide +morningward +morning-watch +morning-winged +mornless +mornlike +morns +morntime +mornward +Moro +moroc +morocain +Moroccan +moroccans +Morocco +Morocco-head +Morocco-jaw +moroccos +morocota +Morogoro +morology +morological +morologically +morologist +moromancy +moron +moroncy +morone +morones +morong +Moroni +moronic +moronically +Moronidae +moronism +moronisms +moronity +moronities +moronry +morons +Moropus +moror +Moros +morosaurian +morosauroid +Morosaurus +morose +morosely +moroseness +morosenesses +morosis +morosity +morosities +morosoph +Morovis +moroxite +morph +morph- +morphactin +morphallaxes +morphallaxis +morphea +Morphean +morpheme +morphemes +morphemic +morphemically +morphemics +morphetic +Morpheus +morphew +morphgan +morphy +morphia +morphias +morphiate +morphic +morphically +morphin +morphinate +morphine +morphines +morphinic +morphinism +morphinist +morphinization +morphinize +morphinomania +morphinomaniac +morphins +morphiomania +morphiomaniac +morphism +morphisms +morphized +morphizing +Morpho +morpho- +morphogeneses +morphogenesis +morphogenetic +morphogenetically +morphogeny +morphogenic +morphographer +morphography +morphographic +morphographical +morphographist +morphol +morpholin +morpholine +morphology +morphologic +morphological +morphologically +morphologies +morphologist +morphologists +morpholoical +morphometry +morphometric +morphometrical +morphometrically +morphon +morphoneme +morphonemic +morphonemics +morphonomy +morphonomic +morphophyly +morphophoneme +morphophonemic +morphophonemically +morphophonemics +morphoplasm +morphoplasmic +morphos +morphoses +morphosis +morphotic +morphotonemic +morphotonemics +morphotropy +morphotropic +morphotropism +morphous +morphrey +morphs +morpion +morpunkee +Morra +Morral +Morrell +Morrenian +Morrhua +morrhuate +morrhuin +morrhuine +Morry +Morrice +morricer +Morrie +Morrigan +Morril +Morrill +Morrilton +morrion +morrions +Morris +Morrisdale +morris-dance +Morrisean +morrises +Morrison +Morrisonville +morris-pike +Morrissey +Morriston +Morristown +Morrisville +morro +morros +Morrow +morrowing +morrowless +morrowmass +morrow-mass +morrows +morrowspeech +morrowtide +morrow-tide +Morrowville +Mors +morsal +Morse +morsel +morseled +morseling +morselization +morselize +morselled +morselling +morsels +morsel's +morsing +morsure +Mort +Morta +mortacious +mortadella +mortal +mortalism +mortalist +mortality +mortalities +mortalize +mortalized +mortalizing +mortally +mortalness +mortals +mortalty +mortalwise +mortancestry +mortar +mortarboard +mortar-board +mortarboards +mortared +mortary +mortaring +mortarize +mortarless +mortarlike +mortars +mortarware +mortbell +mortcloth +mortem +Morten +Mortensen +mortersheen +mortgage +mortgageable +mortgaged +mortgagee +mortgagees +mortgage-holder +mortgager +mortgagers +mortgages +mortgage's +mortgaging +mortgagor +mortgagors +morth +morthwyrtha +Morty +mortice +morticed +morticer +mortices +mortician +morticians +morticing +Mortie +mortier +mortiferous +mortiferously +mortiferousness +mortify +mortific +mortification +mortifications +mortified +mortifiedly +mortifiedness +mortifier +mortifies +mortifying +mortifyingly +Mortimer +mortis +mortise +mortised +mortiser +mortisers +mortises +mortising +mortlake +mortling +mortmain +mortmainer +mortmains +Morton +mortorio +mortress +mortreux +mortrewes +morts +mortuary +mortuarian +mortuaries +mortuous +morula +morulae +morular +morulas +morulation +morule +moruloid +Morus +Morven +Morville +Morvin +morw +morwong +MOS +Mosa +Mosaic +Mosaical +mosaically +mosaic-drawn +mosaic-floored +mosaicism +mosaicist +Mosaicity +mosaicked +mosaicking +mosaic-paved +mosaics +mosaic's +Mosaism +Mosaist +mosan +mosandrite +mosasaur +Mosasauri +Mosasauria +mosasaurian +mosasaurid +Mosasauridae +mosasauroid +Mosasaurus +Mosatenan +Mosby +Mosca +moschate +moschatel +moschatelline +Moschi +Moschidae +moschiferous +Moschinae +moschine +Moschus +Moscow +Mose +mosey +moseyed +moseying +moseys +Mosel +Moselblmchen +Moseley +Moselle +Mosenthal +Moser +Mosera +Moses +mosesite +Mosetena +mosette +MOSFET +Mosgu +Moshannon +moshav +moshavim +Moshe +Mosheim +Moshell +Mosherville +Moshesh +Moshi +Mosier +Mosinee +Mosira +mosk +moskeneer +mosker +Moskow +mosks +Moskva +Mosley +Moslem +Moslemah +Moslemic +Moslemin +Moslemism +Moslemite +Moslemize +Moslems +moslings +mosoceca +mosocecum +Mosora +Mosotho +mosque +mosquelet +Mosquero +mosques +mosquish +mosquital +Mosquito +mosquitobill +mosquito-bitten +mosquito-bred +mosquitocidal +mosquitocide +mosquitoey +mosquitoes +mosquitofish +mosquitofishes +mosquito-free +mosquitoish +mosquitoproof +mosquitos +mosquittoey +Mosra +Moss +mossback +moss-back +mossbacked +moss-backed +mossbacks +mossbanker +Mossbauer +moss-begrown +Mossberg +mossberry +moss-bordered +moss-bound +moss-brown +mossbunker +moss-clad +moss-covered +moss-crowned +mossed +mosser +mossery +mossers +mosses +mossful +moss-gray +moss-green +moss-grown +moss-hag +mosshead +mosshorn +Mossi +mossy +mossyback +mossy-backed +mossie +mossier +mossiest +mossiness +mossing +moss-inwoven +Mossyrock +mossless +mosslike +moss-lined +Mossman +mosso +moss's +mosstrooper +moss-trooper +mosstroopery +mosstrooping +Mossville +mosswort +moss-woven +most +mostaccioli +mostdeal +moste +mostest +mostests +mostic +Mosting +mostly +mostlike +mostlings +mostness +mostra +mosts +mostwhat +Mosul +mosur +Moszkowski +MOT +mota +motacil +Motacilla +motacillid +Motacillidae +Motacillinae +motacilline +MOTAS +motatory +motatorious +Motazilite +Motch +mote +moted +mote-hill +motey +motel +moteless +motels +motel's +moter +motes +motet +motets +motettist +motetus +Moth +mothball +mothballed +moth-balled +mothballing +mothballs +moth-eat +moth-eaten +mothed +Mother +motherboard +mother-church +mothercraft +motherdom +mothered +motherer +motherers +motherfucker +mothergate +motherhood +motherhoods +motherhouse +mothery +motheriness +mothering +mother-in-law +motherkin +motherkins +motherland +motherlands +motherless +motherlessness +motherly +motherlike +motherliness +motherling +mother-naked +mother-of-pearl +mother-of-thyme +mother-of-thymes +mother-of-thousands +mothers +mother's +mothership +mother-sick +mothers-in-law +mothersome +mother-spot +motherward +Motherwell +motherwise +motherwort +mothy +mothier +mothiest +mothless +mothlike +mothproof +mothproofed +mothproofer +mothproofing +moths +mothworm +motif +motific +motifs +motif's +motyka +Motilal +motile +motiles +motility +motilities +motion +motionable +motional +motioned +motioner +motioners +motioning +motionless +motionlessly +motionlessness +motionlessnesses +motion-picture +motions +MOTIS +motitation +motivate +motivated +motivates +motivating +motivation +motivational +motivationally +motivations +motivative +motivator +motive +motived +motiveless +motivelessly +motivelessness +motive-monger +motive-mongering +motiveness +motives +motivic +motiving +motivity +motivities +motivo +Motley +motleyer +motleyest +motley-minded +motleyness +motleys +motlier +motliest +motmot +motmots +moto- +motocar +motocycle +motocross +motofacient +motograph +motographic +motomagnetic +moton +motoneuron +motophone +motor +motorable +motorbicycle +motorbike +motorbikes +motorboat +motorboater +motorboating +motorboatman +motorboats +motorbus +motorbuses +motorbusses +motorcab +motorcade +motorcades +motor-camper +motor-camping +motorcar +motorcars +motorcar's +motorcycle +motorcycled +motorcycler +motorcycles +motorcycle's +motorcycling +motorcyclist +motorcyclists +motorcoach +motordom +motor-driven +motordrome +motored +motor-generator +motory +motorial +motoric +motorically +motoring +motorings +motorisation +motorise +motorised +motorises +motorising +motorism +motorist +motorists +motorist's +motorium +motorization +motorize +motorized +motorizes +motorizing +motorless +motorman +motor-man +motormen +motor-minded +motor-mindedness +motorneer +Motorola +motorphobe +motorphobia +motorphobiac +motors +motorsailer +motorscooters +motorship +motor-ship +motorships +motortruck +motortrucks +motorway +motorways +MOTOS +Motown +Motozintlec +Motozintleca +motricity +mots +MOTSS +Mott +motte +Motteo +mottes +mottetto +motty +mottle +mottled +mottledness +mottle-leaf +mottlement +mottler +mottlers +mottles +mottling +motto +mottoed +mottoes +mottoless +mottolike +mottos +mottramite +motts +Mottville +Motu +MOTV +MOU +mouch +moucharaby +moucharabies +mouchard +mouchardism +mouche +mouched +mouches +mouching +mouchoir +mouchoirs +mouchrabieh +moud +moudy +moudie +moudieman +moudy-warp +moue +mouedhin +moues +moufflon +moufflons +mouflon +mouflons +Mougeotia +Mougeotiaceae +mought +mouill +mouillation +mouille +mouillure +moujik +moujiks +Moukden +moul +moulage +moulages +mould +mouldboard +mould-board +moulded +Moulden +moulder +mouldered +mouldery +mouldering +moulders +mouldy +mouldier +mouldies +mouldiest +mouldiness +moulding +moulding-board +mouldings +mouldmade +Mouldon +moulds +mouldwarp +Moule +mouly +moulin +moulinage +moulinet +Moulins +moulleen +Moulmein +moulrush +mouls +moult +moulted +moulten +moulter +moulters +moulting +Moulton +Moultonboro +Moultrie +moults +moulvi +moun +Mound +mound-builder +mound-building +mounded +moundy +moundiness +mounding +moundlet +Mounds +moundsman +moundsmen +Moundsville +Moundville +moundwork +mounseer +Mount +mountable +mountably +Mountain +mountain-built +mountain-dwelling +mountained +mountaineer +mountaineered +mountaineering +mountaineers +mountainer +mountainet +mountainette +mountain-girdled +mountain-green +mountain-high +mountainy +mountainless +mountainlike +mountain-loving +mountainous +mountainously +mountainousness +mountains +mountain's +mountain-sick +Mountainside +mountainsides +mountaintop +mountaintops +mountain-walled +mountainward +mountainwards +mountance +mountant +Mountbatten +mountebank +mountebanked +mountebankery +mountebankeries +mountebankish +mountebankism +mountebankly +mountebanks +mounted +mountee +mounter +mounters +Mountford +Mountfort +Mounty +Mountie +Mounties +mounting +mounting-block +mountingly +mountings +mountlet +mounts +mounture +moup +Mourant +Moureaux +mourn +mourne +mourned +mourner +mourneress +mourners +mournful +mournfuller +mournfullest +mournfully +mournfulness +mournfulnesses +mourning +mourningly +mournings +mournival +mourns +mournsome +MOUSE +mousebane +mousebird +mouse-brown +mouse-color +mouse-colored +mouse-colour +moused +mouse-deer +mouse-dun +mousee +mouse-ear +mouse-eared +mouse-eaten +mousees +mousefish +mousefishes +mouse-gray +mousehawk +mousehole +mouse-hole +mousehound +mouse-hunt +mousey +Mouseion +mouse-killing +mousekin +mouselet +mouselike +mouseling +mousemill +mouse-pea +mousepox +mouseproof +mouser +mousery +mouseries +mousers +mouses +mouseship +mouse-still +mousetail +mousetrap +mousetrapped +mousetrapping +mousetraps +mouseweb +mousy +Mousie +mousier +mousiest +mousily +mousiness +mousing +mousingly +mousings +mousle +mouslingly +mousme +mousmee +Mousoni +mousquetaire +mousquetaires +moussaka +moussakas +mousse +mousseline +mousses +mousseux +Moussorgsky +moustache +moustached +moustaches +moustachial +moustachio +Mousterian +Moustierian +moustoc +mout +moutan +moutarde +mouth +mouthable +mouthbreeder +mouthbrooder +Mouthcard +mouthe +mouthed +mouther +mouthers +mouthes +mouth-filling +mouthful +mouthfuls +mouthy +mouthier +mouthiest +mouthily +mouthiness +mouthing +mouthingly +mouthishly +mouthless +mouthlike +mouth-made +mouth-organ +mouthpart +mouthparts +mouthpiece +mouthpieces +mouthpipe +mouthroot +mouths +mouth-to-mouth +mouthwash +mouthwashes +mouthwatering +mouth-watering +mouthwise +moutler +moutlers +Mouton +moutoneed +moutonnee +moutons +mouzah +mouzouna +MOV +movability +movable +movableness +movables +movably +movant +move +moveability +moveable +moveableness +moveables +moveably +moved +moveless +movelessly +movelessness +movement +movements +movement's +movent +mover +movers +moves +movie +moviedom +moviedoms +moviegoer +movie-goer +moviegoing +movieize +movieland +moviemaker +moviemakers +movie-minded +Movieola +movies +movie's +Movietone +Moville +moving +movingly +movingness +movings +Moviola +moviolas +mow +mowable +mowana +Mowbray +mowburn +mowburnt +mow-burnt +mowch +mowcht +mowe +Moweaqua +mowed +mower +mowers +mowha +mowhay +mowhawk +mowie +mowing +mowings +mowland +mown +mowra +mowrah +Mowrystown +mows +mowse +mowstead +mowt +mowth +moxa +Moxahala +moxas +Moxee +moxibustion +moxie +moxieberry +moxieberries +moxies +Moxo +Mozamb +Mozambican +Mozambique +Mozarab +Mozarabian +Mozarabic +Mozart +Mozartean +Mozartian +moze +Mozelle +mozemize +Mozes +mozetta +mozettas +mozette +Mozier +mozing +mozo +mozos +Mozza +mozzarella +mozzetta +mozzettas +mozzette +MP +MPA +Mpangwe +mpb +mpbs +MPC +MPCC +MPCH +MPDU +MPE +MPers +MPG +MPH +MPharm +MPhil +mphps +MPIF +MPL +MPO +Mpondo +MPOW +MPP +MPPD +MPR +mpret +MPS +MPT +MPU +MPV +MPW +MR +Mr. +MRA +Mraz +MrBrown +MRC +Mrchen +MRD +MRE +mrem +Mren +MRF +MRFL +MRI +Mrida +mridang +mridanga +mridangas +Mrike +mRNA +m-RNA +Mroz +MRP +MRS +Mrs. +MrsBrown +MrSmith +MRSR +MRSRM +MrsSmith +MRTS +MRU +MS +m's +MS. +MSA +MSAE +msalliance +MSAM +MSArch +MSB +MSBA +MSBC +MSBus +MSC +MScD +MSCDEX +MSCE +MSChE +MScMed +MSCons +MSCP +MSD +MSDOS +MSE +msec +MSEE +MSEM +MSEnt +M-series +MSF +MSFC +MSFM +MSFor +MSFR +MSG +MSGeolE +MSGM +MSGMgt +Msgr +Msgr. +MSgt +MSH +MSHA +M-shaped +MSHE +MSI +MSIE +M'sieur +msink +MSJ +MSL +MSM +MSME +MSMetE +MSMgtE +MSN +MSO +MSOrNHort +msource +MSP +MSPE +MSPH +MSPhar +MSPHE +MSPHEd +MSR +MSS +MSSc +MST +Mster +Msterberg +Ms-Th +MSTS +MSW +M-swahili +MT +Mt. +MTA +M'Taggart +MTB +Mtbaldy +MTBF +MTBRP +MTC +MTD +MTech +MTF +mtg +mtg. +mtge +MTh +MTI +mtier +Mtis +MTM +mtn +MTO +MTP +MTR +MTS +mtscmd +MTSO +MTTF +MTTFF +MTTR +MTU +MTV +Mtwara +MTX +MU +MUA +muang +mubarat +muc- +mucago +mucaro +mucate +mucedin +mucedinaceous +mucedine +mucedineous +mucedinous +much +muchacha +muchacho +muchachos +much-admired +much-advertised +much-branched +much-coiled +much-containing +much-devouring +much-discussed +muchel +much-enduring +much-engrossed +muches +muchfold +much-honored +much-hunger +much-lauded +muchly +much-loved +much-loving +much-mooted +muchness +muchnesses +much-pondering +much-praised +much-revered +much-sought +much-suffering +much-valued +muchwhat +much-worshiped +mucic +mucid +mucidity +mucidities +mucidness +muciferous +mucific +muciform +mucigen +mucigenous +mucilage +mucilages +mucilaginous +mucilaginously +mucilaginousness +mucin +mucinogen +mucinoid +mucinolytic +mucinous +mucins +muciparous +mucivore +mucivorous +muck +muckamuck +mucked +muckender +Mucker +muckerer +muckerish +muckerism +muckers +mucket +muckhill +muckhole +mucky +muckibus +muckier +muckiest +muckily +muckiness +mucking +muckite +muckle +muckles +muckluck +mucklucks +muckman +muckment +muckmidden +muckna +muckrake +muck-rake +muckraked +muckraker +muckrakers +muckrakes +muckraking +mucks +mucksy +mucksweat +muckthrift +muck-up +muckweed +muckworm +muckworms +mucluc +muclucs +muco- +mucocele +mucocellulose +mucocellulosic +mucocutaneous +mucodermal +mucofibrous +mucoflocculent +mucoid +mucoidal +mucoids +mucoitin-sulphuric +mucolytic +mucomembranous +muconic +mucopolysaccharide +mucoprotein +mucopurulent +mucopus +mucor +Mucoraceae +mucoraceous +Mucorales +mucorine +mucorioid +mucormycosis +mucorrhea +mucorrhoea +mucors +mucosa +mucosae +mucosal +mucosanguineous +mucosas +mucose +mucoserous +mucosity +mucosities +mucositis +mucoso- +mucosocalcareous +mucosogranular +mucosopurulent +mucososaccharine +mucous +mucousness +mucoviscidosis +mucoviscoidosis +mucro +mucronate +mucronated +mucronately +mucronation +mucrones +mucroniferous +mucroniform +mucronulate +mucronulatous +muculent +Mucuna +mucus +mucuses +mucusin +mud +mudar +mudbank +mud-bespattered +mud-built +mudcap +mudcapped +mudcapping +mudcaps +mudcat +mudcats +mud-color +mud-colored +Mudd +mudde +mudded +mudden +mudder +mudders +muddy +muddybrained +muddybreast +muddy-complexioned +muddied +muddier +muddies +muddiest +muddify +muddyheaded +muddying +muddily +muddy-mettled +muddiness +muddinesses +mudding +muddish +muddle +muddlebrained +muddled +muddledness +muddledom +muddlehead +muddleheaded +muddle-headed +muddleheadedness +muddlement +muddle-minded +muddleproof +muddler +muddlers +muddles +muddlesome +muddly +muddling +muddlingly +mudee +Mudejar +mud-exhausted +mudfat +mudfish +mud-fish +mudfishes +mudflow +mudflows +mudguard +mudguards +mudhead +mudhole +mudholes +mudhook +mudhopper +mudir +mudiria +mudirieh +Mudjar +mudland +mudlark +mudlarker +mudlarks +mudless +mud-lost +mudminnow +mudminnows +mudpack +mudpacks +mudproof +mudpuppy +mudpuppies +mudra +mudras +mudrock +mudrocks +mud-roofed +mudroom +mudrooms +muds +mud-shot +mudsill +mudsills +mudskipper +mudslide +mudsling +mudslinger +mudslingers +mudslinging +mud-slinging +mudspate +mud-splashed +mudspringer +mudstain +mudstone +mudstones +mudsucker +mudtrack +mud-walled +mudweed +mudwort +mueddin +mueddins +Muehlenbeckia +Mueller +Muenster +muensters +muermo +muesli +mueslis +muette +muezzin +muezzins +MUF +mufasal +muff +muffed +muffer +muffet +muffetee +muffy +Muffin +muffineer +muffing +muffins +muffin's +muffish +muffishness +muffle +muffled +muffledly +muffle-jaw +muffleman +mufflemen +muffler +mufflers +muffles +muffle-shaped +mufflin +muffling +muffs +muff's +Mufi +Mufinella +Mufti +mufty +muftis +Mufulira +mug +muga +Mugabe +mugearite +mugful +mugfuls +mugg +muggar +muggars +mugged +muggee +muggees +mugger +muggered +muggery +muggering +muggers +mugget +muggy +muggier +muggiest +muggily +mugginess +mugginesses +mugging +muggings +muggins +muggish +muggles +Muggletonian +Muggletonianism +muggs +muggur +muggurs +mugho +mughopine +mughouse +mug-house +mugience +mugiency +mugient +Mugil +Mugilidae +mugiliform +mugiloid +mugs +mug's +muguet +mug-up +mugweed +mugwet +mug-wet +mugwort +mugworts +mugwump +mugwumpery +mugwumpian +mugwumpish +mugwumpism +mugwumps +Muhajir +Muhajirun +Muhammad +Muhammadan +Muhammadanism +muhammadi +Muhammedan +Muharram +Muhlenberg +Muhlenbergia +muhly +muhlies +muid +Muilla +Muir +muirburn +muircock +Muire +muirfowl +Muirhead +Muysca +muishond +muist +mui-tsai +muyusa +Mujahedeen +mujeres +mujik +mujiks +mujtahid +mukade +Mukden +Mukerji +mukhtar +Mukilteo +mukluk +mukluks +Mukri +muktar +muktatma +muktear +mukti +muktuk +muktuks +Mukul +Mukund +Mukwonago +mulada +muladi +mulaprakriti +mulatta +mulatto +mulattoes +mulattoism +mulattos +mulatto-wood +mulattress +Mulberry +mulberries +mulberry-faced +mulberry's +Mulcahy +mulch +mulched +mulcher +mulches +mulching +Mulciber +Mulcibirian +mulct +mulctable +mulctary +mulctation +mulctative +mulctatory +mulcted +mulcting +mulcts +mulctuary +MULDEM +mulder +Mulderig +Muldon +Muldoon +Muldraugh +Muldrow +mule +muleback +muled +mule-fat +mulefoot +mule-foot +mulefooted +mule-headed +muley +muleys +mule-jenny +muleman +mulemen +mules +mule's +Muleshoe +mulet +muleta +muletas +muleteer +muleteers +muletress +muletta +mulewort +Mulford +Mulga +Mulhac +Mulhacen +Mulhall +Mulhausen +Mulhouse +muliebral +muliebria +muliebrile +muliebrity +muliebrous +mulier +mulierine +mulierly +mulierose +mulierosity +mulierty +muling +Mulino +mulish +mulishly +mulishness +mulishnesses +mulism +mulita +Mulius +mulk +Mulkeytown +Mulki +Mull +mulla +mullah +mullahism +mullahs +Mullan +Mullane +mullar +mullas +mulled +mulley +mullein +mulleins +mulleys +Mullen +mullenize +MullenMullens +Mullens +Muller +Mullerian +mullers +mullet +mulletry +mullets +mullid +Mullidae +Mulligan +mulligans +mulligatawny +mulligrubs +Mulliken +Mullin +mulling +Mullins +Mullinville +mullion +mullioned +mullioning +mullions +mullite +mullites +mullock +mullocker +mullocky +mullocks +Mulloy +mulloid +mulloway +mulls +Mullusca +mulm +mulmul +mulmull +Mulock +Mulry +mulse +mulsify +mult +Multan +multangle +multangula +multangular +multangularly +multangularness +multangulous +multangulum +Multani +multanimous +multarticulate +multeity +multi +multi- +multiage +multiangular +multiareolate +multiarmed +multiarticular +multiarticulate +multiarticulated +multiaxial +multiaxially +multiband +multibarreled +multibillion +multibirth +multibit +multibyte +multiblade +multibladed +multiblock +multibranched +multibranchiate +multibreak +multibuilding +multibus +multicamerate +multicapitate +multicapsular +multicar +multicarinate +multicarinated +multicast +multicasting +multicasts +multicelled +multicellular +multicellularity +multicenter +multicentral +multicentrally +multicentric +multichambered +multichannel +multichanneled +multichannelled +multicharge +multichord +multichrome +multicycle +multicide +multiciliate +multiciliated +multicylinder +multicylindered +multicipital +multicircuit +multicircuited +multicoccous +multicoil +multicollinearity +multicolor +multicolored +multicolorous +multi-colour +multicoloured +multicomponent +multicomputer +multiconductor +multiconstant +multicordate +multicore +multicorneal +multicostate +multicounty +multicourse +multicrystalline +MULTICS +multicultural +multicurie +multicuspid +multicuspidate +multicuspidated +multidenominational +multidentate +multidenticulate +multidenticulated +multidestination +multidigitate +multidimensional +multidimensionality +multidirectional +multidisciplinary +multidiscipline +multidisperse +multidivisional +multidrop +multidwelling +multiengine +multiengined +multiethnic +multiexhaust +multifaced +multifaceted +multifactor +multifactorial +multifactorially +multifamily +multifamilial +multifarious +multifariously +multifariousness +multifarous +multifarously +multiferous +multifetation +multifibered +multifibrous +multifid +multifidly +multifidous +multifidus +multifil +multifilament +multifistular +multifistulous +multiflagellate +multiflagellated +multiflash +multiflora +multiflorae +multifloras +multiflorous +multiflow +multiflue +multifocal +multifoil +multifoiled +multifold +multifoldness +multifoliate +multifoliolate +multifont +multiform +multiformed +multiformity +multiframe +multifunction +multifunctional +multifurcate +multiganglionic +multigap +multigerm +multigyrate +multigrade +multigranular +multigranulate +multigranulated +Multigraph +multigrapher +multigravida +multiguttulate +multihead +multiheaded +multihearth +multihop +multihospital +multihued +multihull +multiyear +multiinfection +multijet +multi-jet +multijugate +multijugous +multilaciniate +multilayer +multilayered +multilamellar +multilamellate +multilamellous +multilaminar +multilaminate +multilaminated +multilane +multilaned +multilateral +multilaterality +multilaterally +multileaving +multilevel +multileveled +multilighted +multilineal +multilinear +multilingual +multilingualism +multilingualisms +multilingually +multilinguist +multilirate +multiliteral +Multilith +multilobar +multilobate +multilobe +multilobed +multilobular +multilobulate +multilobulated +multilocation +multilocular +multiloculate +multiloculated +multiloquence +multiloquent +multiloquy +multiloquious +multiloquous +multimachine +multimacular +multimammate +multimarble +multimascular +multimedia +multimedial +multimegaton +multimember +multimetalic +multimetallic +multimetallism +multimetallist +multimeter +multimicrocomputer +multimillion +multimillionaire +multimillionaires +multimodal +multimodality +multimodalities +multimode +multimolecular +multimotor +multimotored +multinational +multinationals +multinervate +multinervose +multinodal +multinodate +multinode +multinodous +multinodular +multinomial +multinominal +multinominous +multinuclear +multinucleate +multinucleated +multinucleolar +multinucleolate +multinucleolated +multiovular +multiovulate +multiovulated +multipacket +multipara +multiparae +multiparient +multiparity +multiparous +multipart +multiparty +multipartisan +multipartite +multipass +multipath +multiped +multipede +multipeds +multiperforate +multiperforated +multipersonal +multiphase +multiphaser +multiphasic +multiphotography +multipying +multipinnate +multiplan +multiplane +multiplant +multiplated +multiple +multiple-choice +multiple-clutch +multiple-die +multiple-disk +multiple-dome +multiple-drill +multiple-line +multiple-pass +multiplepoinding +multiples +multiple's +multiple-series +multiple-speed +multiplet +multiple-threaded +multiple-toothed +multiple-tuned +multiple-valued +multiplex +multiplexed +multiplexer +multiplexers +multiplexes +multiplexing +multiplexor +multiplexors +multiplexor's +multiply +multi-ply +multipliable +multipliableness +multiplicability +multiplicable +multiplicand +multiplicands +multiplicand's +multiplicate +multiplication +multiplicational +multiplications +multiplicative +multiplicatively +multiplicatives +multiplicator +multiplicious +multiplicity +multiplicities +multiplied +multiplier +multipliers +multiplies +multiplying +multiplying-glass +multipointed +multipolar +multipolarity +multipole +multiported +multipotent +multipresence +multipresent +multiproblem +multiprocess +multiprocessing +multiprocessor +multiprocessors +multiprocessor's +multiproduct +multiprogram +multiprogrammed +multiprogramming +multipronged +multi-prop +multipurpose +multiracial +multiracialism +multiradial +multiradiate +multiradiated +multiradical +multiradicate +multiradicular +multiramified +multiramose +multiramous +multirate +multireflex +multiregister +multiresin +multirole +multiroomed +multirooted +multirotation +multirotatory +multisaccate +multisacculate +multisacculated +multiscience +multiscreen +multiseated +multisect +multisection +multisector +multisegmental +multisegmentate +multisegmented +multisense +multisensory +multisensual +multiseptate +multiserial +multiserially +multiseriate +multiserver +multiservice +multishot +multisided +multisiliquous +multisyllabic +multisyllability +multisyllable +multisystem +multisonant +multisonic +multisonorous +multisonorously +multisonorousness +multisonous +multispecies +multispeed +multispermous +multispicular +multispiculate +multispindle +multispindled +multispinous +multispiral +multispired +multistage +multistaminate +multistate +multistep +multistorey +multistory +multistoried +multistratified +multistratous +multistriate +multisulcate +multisulcated +multitagged +multitalented +multitarian +multitask +multitasking +multitentacled +multitentaculate +multitester +multitheism +multitheist +multithread +multithreaded +multititular +multitoed +multiton +multitoned +multitrack +multitube +Multituberculata +multituberculate +multituberculated +multituberculy +multituberculism +multitubular +multitude +multitudes +multitude's +multitudinal +multitudinary +multitudinism +multitudinist +multitudinistic +multitudinosity +multitudinous +multitudinously +multitudinousness +multiturn +multiunion +multiunit +multiuse +multiuser +multivagant +multivalence +multivalency +multivalent +multivalued +multivalve +multivalved +multivalvular +multivane +multivariant +multivariate +multivariates +multivarious +multiversant +multiverse +multiversion +multiversity +multiversities +multivibrator +multiview +multiviewing +multivincular +multivious +multivitamin +multivitamins +multivocal +multivocality +multivocalness +multivoiced +multivolent +multivoltine +multivolume +multivolumed +multivorous +multiway +multiwall +multiwarhead +multiword +multiwords +multo +multocular +multum +multungulate +multure +multurer +multures +Mulvane +mulvel +Mulvihill +mum +mumble +mumblebee +mumbled +mumblement +mumbler +mumblers +mumbles +mumble-the-peg +mumbletypeg +mumblety-peg +mumbly +mumbling +mumblingly +mumblings +mumbly-peg +mumbo +mumbo-jumbo +Mumbo-jumboism +mumbudget +mumchance +mume +mu-meson +Mumetal +Mumford +mumhouse +Mu'min +mumjuma +mumm +mummed +mummer +mummery +mummeries +mummers +mummy +mummia +mummy-brown +mummichog +mummick +mummy-cloth +mummydom +mummied +mummies +mummify +mummification +mummifications +mummified +mummifies +mummifying +mummiform +mummyhood +mummying +mummylike +mumming +mummy's +mumms +mumness +mump +mumped +mumper +mumpers +mumphead +mumping +mumpish +mumpishly +mumpishness +MUMPS +mumpsimus +mumruffin +mums +mumsy +mumu +mumus +Mun +mun. +Muna +Munafo +Munandi +Muncey +Muncerian +Munch +munchausen +Munchausenism +Munchausenize +munched +munchee +muncheel +muncher +munchers +munches +munchet +Munchhausen +munchy +munchies +munching +munchkin +Muncy +Muncie +muncupate +mund +Munda +Munday +mundal +mundane +mundanely +mundaneness +mundanism +mundanity +Mundari +mundation +mundatory +Mundelein +Munden +Mundford +Mundy +mundic +mundify +mundificant +mundification +mundified +mundifier +mundifying +mundil +mundivagant +mundle +Mundt +Mundugumor +Mundugumors +mundungo +mundungos +mundungus +mundunugu +Munford +Munfordville +MUNG +munga +mungcorn +munge +mungey +Munger +mungy +Mungo +mungofa +mungoos +mungoose +mungooses +mungos +Mungovan +mungrel +mungs +munguba +Munhall +Muni +Munia +munic +Munich +Munychia +Munychian +Munychion +Munichism +municipal +municipalise +municipalism +municipalist +municipality +municipalities +municipality's +municipalization +municipalize +municipalized +municipalizer +municipalizing +municipally +municipia +municipium +munify +munific +munificence +munificences +munificency +munificent +munificently +munificentness +munifience +muniment +muniments +Munin +Munippus +Munising +munite +munited +Munith +munity +muniting +munition +munitionary +munitioned +munitioneer +munitioner +munitioning +munitions +Munitus +munj +munjeet +munjistin +Munmro +Munn +Munniks +munnion +munnions +Munnopsidae +Munnopsis +Munnsville +Munro +Munroe +Muns +Munsee +Munsey +Munshi +munsif +munsiff +Munson +Munsonville +Munster +munsters +Munt +Muntiacus +muntin +munting +Muntingia +muntings +muntins +muntjac +muntjacs +muntjak +muntjaks +muntz +muon +Muong +muonic +muonium +muoniums +muons +MUP +Muphrid +Mur +Mura +Muradiyah +Muraena +muraenid +Muraenidae +muraenids +muraenoid +Murage +Muraida +mural +muraled +muralist +muralists +murally +murals +Muran +Muranese +murarium +muras +murasakite +Murat +Muratorian +murchy +Murchison +Murcia +murciana +murdabad +murder +murdered +murderee +murderees +murderer +murderers +murderess +murderesses +murdering +murderingly +murderish +murderment +murderous +murderously +murderousness +murders +Murdo +Murdocca +Murdoch +Murdock +murdrum +Mure +mured +Mureil +murein +mureins +murenger +Mures +murex +murexan +murexes +murexid +murexide +Murfreesboro +murga +murgavi +murgeon +Muriah +Murial +muriate +muriated +muriates +muriatic +muricate +muricated +murices +muricid +Muricidae +muriciform +muricine +muricoid +muriculate +murid +Muridae +muridism +murids +Muriel +Murielle +muriform +muriformly +Murillo +Murinae +murine +murines +muring +murinus +murionitric +muriti +murium +Murjite +murk +murker +murkest +murky +murkier +murkiest +murkily +murkiness +murkinesses +murkish +murkly +murkness +murks +murksome +murlack +murlain +murlemewes +murly +murlin +murlock +Murmansk +Murmi +murmur +murmuration +murmurator +murmured +murmurer +murmurers +murmuring +murmuringly +murmurish +murmurless +murmurlessly +murmurous +murmurously +murmurs +murnival +muroid +Murols +muromontite +murph +Murphy +murphied +murphies +murphying +Murphys +Murphysboro +murr +murra +Murrah +Murray +Murraya +murrain +murrains +Murraysville +Murrayville +murral +murraro +murras +murre +murrey +murreys +murrelet +murrelets +Murrell +murres +murrha +murrhas +murrhine +murrhuine +Murry +murries +Murrieta +murrina +murrine +murrion +Murrysville +murrnong +Murrow +murrs +Murrumbidgee +murshid +Murtagh +Murtaugh +Murtha +murther +murthered +murtherer +murthering +murthers +murthy +Murton +murumuru +Murut +muruxi +murva +Murvyn +murza +Murzim +Mus +mus. +Mus.B. +Musa +Musaceae +musaceous +Musaeus +Musagetes +musal +Musales +Musalmani +musang +musar +musard +musardry +MusB +Musca +muscade +muscadel +muscadelle +muscadels +Muscadet +muscadin +Muscadine +Muscadinia +Muscae +muscalonge +muscardine +Muscardinidae +Muscardinus +Muscari +muscariform +muscarine +muscarinic +muscaris +Muscat +muscatel +muscatels +Muscatine +muscatorium +muscats +muscavada +muscavado +muschelkalk +Musci +Muscicapa +Muscicapidae +muscicapine +muscicide +muscicole +muscicoline +muscicolous +muscid +Muscidae +muscids +musciform +Muscinae +muscle +musclebound +muscle-bound +muscle-building +muscle-celled +muscled +muscle-kneading +muscleless +musclelike +muscleman +musclemen +muscles +muscle-tired +muscly +muscling +Muscoda +Muscogee +muscoid +Muscoidea +Muscolo +muscology +muscologic +muscological +muscologist +muscone +muscose +muscoseness +muscosity +muscot +Muscotah +muscovade +muscovadite +muscovado +Muscovi +Muscovy +Muscovite +muscovites +Muscovitic +muscovitization +muscovitize +muscovitized +muscow +muscul- +musculamine +muscular +muscularity +muscularities +muscularize +muscularly +musculation +musculature +musculatures +muscule +musculi +musculin +musculo- +musculoarterial +musculocellular +musculocutaneous +musculodermic +musculoelastic +musculofibrous +musculointestinal +musculoligamentous +musculomembranous +musculopallial +musculophrenic +musculoskeletal +musculospinal +musculospiral +musculotegumentary +musculotendinous +musculous +musculus +MusD +Muse +mused +Muse-descended +museful +musefully +musefulness +Muse-haunted +Muse-inspired +museist +Muse-led +museless +muselessness +muselike +Musella +Muse-loved +museographer +museography +museographist +museology +museologist +muser +musery +Muse-ridden +musers +Muses +muset +Musetta +Musette +musettes +museum +museumize +museums +museum's +Musgu +mush +musha +mushaa +Mushabbihite +mushed +musher +mushers +mushes +mushhead +mushheaded +mushheadedness +mushy +mushier +mushiest +mushily +mushiness +mushing +mush-kinu +mushla +mushmelon +mushrebiyeh +Mushro +mushroom +mushroom-colored +mushroomed +mushroomer +mushroom-grown +mushroomy +mushroomic +mushrooming +mushroomlike +mushrooms +mushroom-shaped +mushru +mushrump +Musial +music +musica +musical +musicale +musicales +musicality +musicalization +musicalize +musically +musicalness +musicals +musicate +music-copying +music-drawing +music-flowing +music-footed +musician +musiciana +musicianer +musicianly +musicians +musicianship +musicianships +musicker +musicless +musiclike +music-like +music-loving +music-mad +music-making +musicmonger +musico +musico- +musicoartistic +musicodramatic +musicofanatic +musicographer +musicography +musicology +musicological +musicologically +musicologies +musicologist +musicologists +musicologue +musicomania +musicomechanical +musicophile +musicophilosophical +musicophysical +musicophobia +musicopoetic +musicotherapy +musicotherapies +music-panting +musicproof +musicry +musics +music-stirring +music-tongued +musie +Musigny +Musil +musily +musimon +musing +musingly +musings +musion +musit +musive +musjid +musjids +musk +muskadel +muskallonge +muskallunge +muskat +musk-cat +musk-cod +musk-deer +musk-duck +musked +muskeg +muskeggy +Muskego +Muskegon +muskegs +muskellunge +muskellunges +musket +musketade +musketeer +musketeers +musketlike +musketo +musketoon +musketproof +musketry +musketries +muskets +musket's +muskflower +muskgrass +Muskhogean +musky +muskie +muskier +muskies +muskiest +muskified +muskily +muskiness +muskinesses +muskish +muskit +muskits +musklike +muskmelon +muskmelons +Muskogean +Muskogee +Muskogees +muskone +muskox +musk-ox +muskoxen +muskrat +musk-rat +muskrats +muskrat's +muskroot +musk-root +musks +musk-tree +Muskwaki +muskwood +musk-wood +Muslem +Muslems +Muslim +Muslimism +Muslims +muslin +muslined +muslinet +muslinette +muslins +MusM +musmon +musnud +muso +Musophaga +Musophagi +Musophagidae +musophagine +musophobia +Muspelheim +Muspell +Muspellsheim +Muspelsheim +muspike +muspikes +musquash +musquashes +musquashroot +musquashweed +musquaspen +musquaw +musqueto +musrol +musroomed +muss +mussable +mussably +mussack +Mussaenda +mussal +mussalchee +mussed +mussel +musselcracker +musseled +musseler +mussellim +mussels +mussel's +mussel-shell +Musser +musses +Musset +mussy +mussick +mussier +mussiest +mussily +mussiness +mussinesses +mussing +mussitate +mussitation +Mussman +Mussolini +Mussorgski +Mussorgsky +mussuck +mussuk +Mussulman +Mussulmanic +Mussulmanish +Mussulmanism +Mussulmans +Mussulwoman +mussurana +must +mustache +mustached +mustaches +mustachial +mustachio +mustachioed +mustachios +mustafina +mustafuz +Mustagh +Mustahfiz +mustang +mustanger +mustangs +mustard +mustarder +mustardy +mustards +musted +mustee +mustees +Mustela +mustelid +Mustelidae +mustelin +musteline +mustelinous +musteloid +Mustelus +muster +musterable +musterdevillers +mustered +musterer +musterial +mustering +mustermaster +muster-out +musters +musth +musths +musty +mustier +musties +mustiest +mustify +mustily +mustiness +mustinesses +musting +mustnt +mustn't +Mustoe +musts +mustulent +musumee +mut +muta +Mutabilia +mutability +mutabilities +mutable +mutableness +mutably +mutafacient +mutage +mutagen +mutagenesis +mutagenetic +mutagenic +mutagenically +mutagenicity +mutagenicities +mutagens +mutandis +mutant +mutants +mutarotate +mutarotation +mutase +mutases +mutate +mutated +mutates +mutating +mutation +mutational +mutationally +mutationism +mutationist +mutations +mutatis +mutative +mutator +mutatory +mutawalli +mutawallis +Mutazala +Mutazila +Mutazilite +mutch +mutches +mutchkin +mutchkins +mute +muted +mutedly +mutedness +mutely +muteness +mutenesses +Muter +mutes +mutesarif +mutescence +mutessarif +mutessarifat +mutest +muth +muth-labben +muthmannite +muthmassel +mutic +muticate +muticous +mutilate +mutilated +mutilates +mutilating +mutilation +mutilations +mutilative +mutilator +mutilatory +mutilators +Mutilla +mutillid +Mutillidae +mutilous +mutinado +mutine +mutined +mutineer +mutineered +mutineering +mutineers +mutines +muting +mutiny +mutinied +mutinies +mutinying +mutining +mutiny's +mutinize +mutinous +mutinously +mutinousness +Mutinus +Mutisia +Mutisiaceae +mutism +mutisms +mutist +mutistic +mutive +mutivity +muto- +muton +mutons +mutoscope +mutoscopic +muts +mutsje +mutsuddy +Mutsuhito +mutt +mutten +mutter +muttered +mutterer +mutterers +muttering +mutteringly +mutters +mutton +muttonbird +muttonchop +mutton-chop +muttonchops +muttonfish +mutton-fish +muttonfishes +muttonhead +mutton-head +muttonheaded +muttonheadedness +muttonhood +muttony +mutton-legger +muttonmonger +muttons +muttonwood +Muttra +mutts +mutual +mutualisation +mutualise +mutualised +mutualising +mutualism +mutualist +mutualistic +mutuality +mutualities +mutualization +mutualize +mutualized +mutualizing +mutually +mutualness +mutuals +mutuant +mutuary +mutuate +mutuatitious +mutuel +mutuels +mutular +mutulary +mutule +mutules +Mutunus +Mutus +mutuum +mutwalli +Mutz +muumuu +muu-muu +muumuus +muvule +MUX +Muzak +muzarab +muzhik +muzhiks +Muzio +muzjik +muzjiks +Muzo +muzoona +Muzorewa +muzz +muzzy +muzzier +muzziest +muzzily +muzziness +muzzle +muzzled +muzzleloader +muzzle-loader +muzzleloading +muzzle-loading +muzzler +muzzlers +muzzles +muzzle's +muzzlewood +muzzling +MV +MVA +MVD +MVEd +MVY +MVO +MVP +MVS +MVSc +MVSSP +MVSXA +MW +MWA +mwalimu +Mwanza +Mweru +MWM +MWT +MX +mxd +MXU +mzee +Mzi +mzungu +n +n- +N. +N.A. +N.B. +N.C. +N.C.O. +n.d. +N.F. +N.G. +N.I. +N.Y. +N.Y.C. +N.J. +n.p. +N.S. +N.S.W. +N.T. +N.U.T. +N.W.T. +N.Z. +n/a +n/f +N/S/F +NA +NAA +NAACP +NAAFI +Naalehu +Naam +Naaman +Naamana +Naamann +Naameh +Naara +Naarah +NAAS +Naashom +Naassenes +NAB +NABAC +nabak +Nabal +Nabala +Nabalas +Nabalism +Nabalite +Nabalitic +Nabaloi +Nabalus +Nabataean +Nabatean +Nabathaean +Nabathean +Nabathite +Nabb +nabbed +nabber +nabbers +Nabby +nabbing +nabbuk +nabcheat +nabe +nabes +Nabila +Nabis +Nabisco +nabk +nabla +nablas +nable +Nablus +nabob +nabobery +naboberies +nabobess +nabobesses +nabobical +nabobically +nabobish +nabobishly +nabobism +nabobisms +nabobry +nabobrynabobs +nabobs +nabobship +Nabokov +Nabonassar +Nabonidus +Naboth +Nabothian +nabs +Nabu +Nabuchodonosor +NAC +NACA +nacarat +nacarine +Nace +nacelle +nacelles +nach +nachani +nachas +nache +Naches +Nachison +Nachitoch +Nachitoches +nacho +nachos +Nachschlag +nachtmml +Nachtmusik +nachus +Nachusa +Nacionalista +Nackenheimer +nacket +Naco +Nacoochee +nacre +nacred +nacreous +nacreousness +nacres +nacry +nacrine +nacrite +nacrous +NACS +NAD +Nada +Nadab +Nadaba +Nadabas +Nadabb +Nadabus +Nadaha +Nadbus +Nadda +nadder +Nadean +Nadeau +nadeem +Nadeen +Na-Dene +Nader +NADGE +NADH +Nady +Nadia +Nadya +Nadiya +Nadine +nadir +nadiral +nadirs +Nadja +Nadler +Nador +nadorite +NADP +nae +naebody +naegait +naegate +naegates +nael +Naemorhedinae +naemorhedine +Naemorhedus +naether +naething +naethings +naevi +naevoid +naevus +naf +Nafis +Nafl +Nafud +NAG +Naga +nagaika +Nagaland +nagami +nagana +naganas +Nagano +nagara +Nagari +Nagasaki +nagatelite +NAGE +Nageezi +Nagey +Nagel +naggar +nagged +nagger +naggers +naggy +naggier +naggiest +naggin +nagging +naggingly +naggingness +naggish +naggle +naggly +naght +Nagy +nagyagite +naging +Nagyszeben +Nagyvarad +Nagyvrad +nagkassar +Nagle +nagmaal +nagman +nagnag +nagnail +Nagoya +nagor +Nagpur +nags +nag's +Nagshead +nagsman +nagster +nag-tailed +Naguabo +nagual +nagualism +nagualist +Nah +Nah. +Naha +Nahama +Nahamas +Nahanarvali +Nahane +Nahani +Nahant +Naharvali +Nahma +nahoor +Nahor +Nahshon +Nahshu +Nahshun +Nahshunn +Nahtanha +Nahua +Nahuan +Nahuatl +Nahuatlac +Nahuatlan +Nahuatleca +Nahuatlecan +Nahuatls +Nahum +Nahunta +Nay +naiad +Naiadaceae +naiadaceous +Naiadales +Naiades +naiads +naiant +Nayar +Nayarit +Nayarita +Naias +nayaur +naib +naid +Naida +Naiditch +naif +naifly +naifs +naig +naigie +naigue +naik +nail +nail-bearing +nailbin +nail-biting +nailbrush +nail-clipping +nail-cutting +nailed +nailer +naileress +nailery +nailers +nailfile +nailfold +nailfolds +nailhead +nail-head +nail-headed +nailheads +naily +nailing +nailless +naillike +Naylor +nail-paring +nail-pierced +nailprint +nailproof +nailrod +nails +nailset +nailsets +nail-shaped +nailshop +nailsick +nail-sick +nailsickness +nailsmith +nail-studded +nail-tailed +nailwort +naim +Naima +nain +nainsel +nainsell +nainsook +nainsooks +naio +naipkin +naique +Nair +naira +nairy +Nairn +Nairnshire +Nairobi +nais +nays +naysay +nay-say +naysayer +naysaying +naish +naiskoi +naiskos +Naismith +naissance +naissant +Naytahwaush +naither +naitly +naive +naively +naiveness +naivenesses +naiver +naives +naivest +naivete +naivetes +naivety +naiveties +naivetivet +naivite +nayward +nayword +Naja +Naji +NAK +Nakada +Nakayama +Nakashima +Nakasuji +nake +naked +naked-armed +naked-bladed +naked-eared +naked-eye +naked-eyed +nakeder +nakedest +naked-flowered +naked-fruited +nakedish +nakedize +nakedly +nakedness +nakednesses +naked-seeded +naked-stalked +naked-tailed +nakedweed +nakedwood +nake-footed +naker +Nakhichevan +nakhlite +nakhod +nakhoda +Nakina +Nakir +Naknek +nako +Nakomgilisala +nakong +nakoo +Nakula +Nakuru +Nalani +Nalchik +Nalda +Naldo +nale +naled +naleds +Nalepka +NALGO +Nalita +nallah +Nallen +Nally +Nalline +Nalor +nalorphine +naloxone +naloxones +NAM +Nama +namability +namable +namaycush +Namaland +Naman +Namangan +Namaqua +Namaqualand +Namaquan +Namara +namare +namaste +namatio +namaz +namazlik +namban +Nambe +namby +namby-pamby +namby-pambical +namby-pambics +namby-pambies +namby-pambyish +namby-pambyism +namby-pambiness +namby-pambyness +namda +name +nameability +nameable +nameboard +name-caller +name-calling +name-child +named +name-day +name-drop +name-dropped +name-dropper +name-dropping +nameless +namelessless +namelessly +namelessness +namely +nameling +Namen +nameplate +nameplates +namer +namers +Names +namesake +namesakes +namesake's +nametag +nametags +nametape +Namhoi +Namibia +naming +NAMM +namma +nammad +nammo +Nammu +Nampa +Nampula +Namtar +Namur +Nan +Nana +Nanafalia +Nanaimo +Nanak +nanako +Nanakuli +nanander +Nananne +nanas +nanawood +Nance +Nancee +Nancey +nances +Nanchang +Nan-ching +Nanci +Nancy +Nancie +nancies +NAND +nanda +Nandi +nandin +Nandina +nandine +nandins +Nandor +nandow +nandu +nanduti +nane +nanes +Nanete +Nanette +nanga +nangca +nanger +nangka +Nanhai +Nani +Nanice +nanigo +Nanine +nanism +nanisms +nanitic +nanization +Nanjemoy +Nanji +nankeen +nankeens +Nankin +Nanking +Nankingese +nankins +nanmu +Nanna +nannander +nannandrium +nannandrous +Nannette +Nanni +Nanny +nannyberry +nannyberries +nannybush +Nannie +nannies +nanny-goat +Nanning +nanninose +nannofossil +nannoplankton +nannoplanktonic +nano- +nanocephaly +nanocephalia +nanocephalic +nanocephalism +nanocephalous +nanocephalus +nanocurie +nanocuries +nanogram +nanograms +nanoid +nanoinstruction +nanoinstructions +nanomelia +nanomelous +nanomelus +nanometer +nanometre +Nanon +Nanook +nanoplankton +nanoprogram +nanoprogramming +nanosec +nanosecond +nanoseconds +nanosoma +nanosomia +nanosomus +nanostore +nanostores +nanowatt +nanowatts +nanoword +NANP +nanpie +Nansen +nansomia +nant +Nantais +Nanterre +Nantes +Nanticoke +Nantyglo +nantle +nantokite +nants +Nantua +Nantucket +Nantung +Nantz +Nanuet +naoi +Naoise +naology +naological +Naoma +naometry +Naomi +Naor +Naos +Naosaurus +naoto +Nap +Napa +Napaea +Napaeae +Napaean +Napakiak +napal +napalm +napalmed +napalming +napalms +Napanoch +NAPAP +Napavine +nape +napead +napecrest +napellus +Naper +naperer +napery +Naperian +naperies +Naperville +napes +Naphtali +naphth- +naphtha +naphthacene +naphthalate +naphthalene +naphthaleneacetic +naphthalenesulphonic +naphthalenic +naphthalenoid +naphthalic +naphthalidine +naphthalin +naphthaline +naphthalise +naphthalised +naphthalising +naphthalization +naphthalize +naphthalized +naphthalizing +naphthalol +naphthamine +naphthanthracene +naphthas +naphthene +naphthenic +naphthyl +naphthylamine +naphthylaminesulphonic +naphthylene +naphthylic +naphthinduline +naphthionate +naphtho +naphthoic +naphthol +naphtholate +naphtholize +naphthols +naphtholsulphonate +naphtholsulphonic +naphthoquinone +naphthoresorcinol +naphthosalol +naphthous +naphthoxide +naphtol +naphtols +Napier +Napierian +napiform +napkin +napkined +napkining +napkins +napkin's +Naples +napless +naplessness +NAPLPS +Napoleon +Napoleonana +Napoleonic +Napoleonically +Napoleonism +Napoleonist +Napoleonistic +napoleonite +Napoleonize +napoleons +Napoleonville +Napoli +Naponee +napoo +napooh +nappa +Nappanee +nappe +napped +napper +nappers +nappes +Nappy +Nappie +nappier +nappies +nappiest +nappiness +napping +nappishness +naprapath +naprapathy +napron +naps +nap's +napthionic +napu +Naquin +NAR +Nara +Narah +Narayan +Narayanganj +Naraka +Naranjito +Naravisa +Narbada +Narberth +Narbonne +narc +Narcaciontes +Narcaciontidae +Narcaeus +narcein +narceine +narceines +narceins +Narcho +Narcis +narciscissi +narcism +narcisms +Narciss +Narcissan +narcissi +Narcissine +narcissism +narcissisms +narcissist +narcissistic +narcissistically +narcissists +Narcissus +narcissuses +narcist +narcistic +narcists +narco +narco- +narcoanalysis +narcoanesthesia +Narcobatidae +Narcobatoidea +Narcobatus +narcohypnia +narcohypnoses +narcohypnosis +narcohypnotic +narcolepsy +narcolepsies +narcoleptic +narcoma +narcomania +narcomaniac +narcomaniacal +narcomas +narcomata +narcomatous +Narcomedusae +narcomedusan +narcos +narcose +narcoses +narcosynthesis +narcosis +narcostimulant +narcotherapy +narcotherapies +narcotherapist +narcotia +narcotic +narcotical +narcotically +narcoticalness +narcoticism +narcoticness +narcotico-acrid +narcotico-irritant +narcotics +narcotin +narcotina +narcotine +narcotinic +narcotisation +narcotise +narcotised +narcotising +narcotism +narcotist +narcotization +narcotize +narcotized +narcotizes +narcotizing +narcous +narcs +nard +Narda +NARDAC +Nardin +nardine +nardoo +nards +nardu +Nardus +nare +naren +narendra +nares +Naresh +Narev +Narew +narghile +narghiles +nargil +nargile +nargileh +nargilehs +nargiles +Nari +Nary +narial +naric +narica +naricorn +nariform +Nariko +Narine +naringenin +naringin +naris +nark +Narka +narked +narky +narking +narks +Narmada +narr +Narra +Narraganset +Narragansett +Narragansetts +narrante +narras +narratable +narrate +narrated +narrater +narraters +narrates +narrating +narratio +narration +narrational +narrations +narrative +narratively +narratives +narrative's +narrator +narratory +narrators +narratress +narratrix +narrawood +narrishkeit +narrow +narrow-backed +narrow-billed +narrow-bladed +narrow-brained +narrow-breasted +narrowcast +narrow-celled +narrow-chested +narrow-crested +narrowed +narrow-eyed +narrow-ended +narrower +narrowest +narrow-faced +narrow-fisted +narrow-gage +narrow-gauge +narrow-gauged +narrow-guage +narrow-guaged +narrow-headed +narrowhearted +narrow-hearted +narrowheartedness +narrow-hipped +narrowy +narrowing +narrowingness +narrowish +narrow-jointed +narrow-laced +narrow-leaved +narrowly +narrow-meshed +narrow-minded +narrow-mindedly +narrow-mindedness +narrow-mouthed +narrow-necked +narrowness +narrownesses +narrow-nosed +narrow-petaled +narrow-rimmed +Narrows +Narrowsburg +narrow-seeded +narrow-shouldered +narrow-shouldred +narrow-skulled +narrow-souled +narrow-spirited +narrow-spiritedness +narrow-streeted +narrow-throated +narrow-toed +narrow-visioned +narrow-waisted +narsarsukite +narsinga +Narsinh +narthecal +Narthecium +narthex +narthexes +Narton +Naruna +Narva +Narvaez +Narvik +Narvon +narw +narwal +narwals +narwhal +narwhale +narwhales +narwhalian +narwhals +NAS +nas- +NASA +nasab +NASAGSFC +nasal +Nasalis +nasalise +nasalised +nasalises +nasalising +nasalism +nasality +nasalities +nasalization +nasalize +nasalized +nasalizes +nasalizing +nasally +nasals +nasalward +nasalwards +nasard +nasat +nasaump +Nasby +Nasca +Nascan +Nascapi +NASCAR +nascence +nascences +nascency +nascencies +nascent +nasch +nasciturus +NASD +NASDA +NASDAQ +naseberry +naseberries +Naseby +Naselle +nasethmoid +Nash +Nashbar +Nashe +nashgab +nash-gab +nashgob +Nashim +Nashira +Nashner +Nasho +Nashoba +Nashom +Nashoma +Nashotah +Nashport +Nashua +Nashville +Nashwauk +Nasi +Nasia +Nasya +nasial +nasicorn +Nasicornia +nasicornous +Nasiei +nasiform +nasilabial +nasillate +nasillation +nasioalveolar +nasiobregmatic +nasioinial +nasiomental +nasion +nasions +Nasireddin +nasitis +Naskhi +NASM +Nasmyth +naso +naso- +nasoalveola +nasoantral +nasobasilar +nasobronchial +nasobuccal +nasoccipital +nasociliary +nasoethmoidal +nasofrontal +nasolabial +nasolachrymal +nasolacrimal +nasology +nasological +nasologist +nasomalar +nasomaxillary +Nason +nasonite +nasoorbital +nasopalatal +nasopalatine +nasopharyngeal +nasopharynges +nasopharyngitis +nasopharynx +nasopharynxes +nasoprognathic +nasoprognathism +nasorostral +nasoscope +nasoseptal +nasosinuitis +nasosinusitis +nasosubnasal +nasoturbinal +NASP +nasrol +Nassa +Nassau +Nassawadox +Nassellaria +nassellarian +Nasser +Nassi +Nassidae +Nassir +nassology +Nast +nastaliq +Nastase +Nastassia +nasty +nastic +nastier +nasties +nastiest +nastika +nastily +nastiness +nastinesses +Nastrnd +nasturtion +nasturtium +nasturtiums +Nasua +nasus +nasute +nasuteness +nasutiform +nasutus +Nat +Nata +natability +nataka +Natal +Natala +Natalbany +Natale +Natalee +Natalia +Natalya +Natalian +Natalie +Natalina +Nataline +natalism +natalist +natality +natalitial +natalities +natally +nataloin +natals +Nataniel +natant +natantly +Nataraja +Natascha +Natasha +Natassia +natation +natational +natations +natator +natatores +natatory +natatoria +natatorial +natatorious +natatorium +natatoriums +natch +natchbone +natch-bone +Natchez +Natchezan +Natchitoches +natchnee +Nate +Natelson +nates +Nath +Nathalia +Nathalie +Nathan +Nathanael +Nathanial +Nathaniel +Nathanil +Nathanson +nathe +natheless +nathemo +nather +nathless +Nathrop +Natica +Naticidae +naticiform +naticine +Natick +naticoid +Natie +natiform +Natiha +Natika +natimortality +nation +National +nationaliser +nationalism +nationalisms +nationalist +nationalistic +nationalistically +nationalists +nationalist's +nationality +nationalities +nationality's +nationalization +nationalizations +nationalize +nationalized +nationalizer +nationalizes +nationalizing +nationally +nationalness +nationals +nationalty +nationhood +nationhoods +nationless +Nations +nation's +nation-state +nationwide +native +native-born +native-bornness +natively +nativeness +natives +Natividad +nativism +nativisms +nativist +nativistic +nativists +Nativity +nativities +nativus +Natka +natl +natl. +NATO +Natoma +Natorp +natr +natraj +Natricinae +natricine +natrium +natriums +natriuresis +natriuretic +Natrix +natrochalcite +natrojarosite +natrolite +natron +natrons +NATS +NATSOPA +Natt +Natta +natter +nattered +natteredness +nattering +natterjack +natters +Natty +Nattie +nattier +nattiest +nattily +nattiness +nattinesses +nattle +nattock +nattoria +natu +natuary +natura +naturae +natural +natural-born +naturale +naturalesque +naturalia +naturalisation +naturalise +naturaliser +naturalism +naturalisms +naturalist +naturalistic +naturalistically +naturalists +naturality +naturalization +naturalizations +naturalize +naturalized +naturalizer +naturalizes +naturalizing +naturally +naturalness +naturalnesses +naturals +naturata +Nature +naturecraft +natured +naturedly +naturel +naturelike +natureliked +naturellement +natureopathy +nature-print +nature-printing +natures +nature's +naturing +naturism +naturist +naturistic +naturistically +Naturita +naturize +naturopath +naturopathy +naturopathic +naturopathist +natus +NAU +Naubinway +nauch +nauclerus +naucorid +naucrar +naucrary +Naucratis +naufrage +naufragous +naugahyde +Naugatuck +nauger +naught +naughty +naughtier +naughtiest +naughtily +naughtiness +naughtinesses +naughts +naujaite +naukrar +naulage +naulum +Naum +naumacay +naumachy +naumachia +naumachiae +naumachias +naumachies +Naumann +naumannite +Naumburgia +naumk +naumkeag +naumkeager +naunt +nauntle +naupathia +nauplial +naupliform +nauplii +naupliiform +nauplioid +Nauplius +nauplplii +naur +nauropometer +Nauru +Nauruan +nauscopy +nausea +nauseam +nauseant +nauseants +nauseaproof +nauseas +nauseate +nauseated +nauseates +nauseating +nauseatingly +nauseation +nauseous +nauseously +nauseousness +Nauset +nauseum +Nausicaa +Nausithous +nausity +naut +naut. +nautch +nautches +Nautes +nauther +nautic +nautica +nautical +nauticality +nautically +nauticals +nautics +nautiform +Nautilacea +nautilacean +nautili +nautilicone +nautiliform +nautilite +nautiloid +Nautiloidea +nautiloidean +nautilus +nautiluses +nautophone +Nauvoo +nav +nav. +Nava +Navada +navagium +Navaglobe +Navaho +Navahoes +Navahos +navaid +navaids +Navajo +Navajoes +Navajos +Naval +navalese +navalism +navalist +navalistic +navalistically +navally +navar +navarch +navarchy +navarho +navarin +Navarino +Navarra +Navarre +Navarrese +Navarrian +Navarro +navars +Navasota +NAVDAC +nave +navel +naveled +navely +navellike +navels +navel-shaped +navelwort +naveness +naves +Navesink +navet +naveta +navete +navety +navette +navettes +navew +navi +navy +navicella +navicert +navicerts +navicula +Naviculaceae +naviculaeform +navicular +naviculare +naviculoid +navies +naviform +navig +navig. +navigability +navigabilities +navigable +navigableness +navigably +navigant +navigate +navigated +navigates +navigating +navigation +navigational +navigationally +navigations +navigator +navigators +navigator's +navigerous +navipendular +navipendulum +navis +navy's +navite +Navpaktos +Navratilova +NAVSWC +navvy +navvies +naw +nawab +nawabs +nawabship +nawies +nawle +nawob +Nawrocki +nawt +Naxalite +Naxera +Naxos +Nazar +Nazarate +nazard +Nazarean +Nazarene +nazarenes +Nazarenism +Nazareth +Nazario +Nazarite +Nazariteship +Nazaritic +Nazaritish +Nazaritism +Nazarius +nazdrowie +Naze +nazeranna +Nazerini +Nazi +Nazify +nazification +nazified +nazifies +nazifying +Naziism +nazim +Nazimova +nazir +Nazirate +Nazirite +Naziritic +Nazis +nazi's +Nazism +Nazler +Nazlini +NB +NBA +NBC +NbE +Nberg +NBFM +NBG +NBO +N-bomb +NBP +NBS +NBVM +NbW +NC +NCA +NCAA +NCAR +NCB +NCC +NCCF +NCCL +NCD +NCDC +NCE +NCGA +nCi +NCIC +NCMOS +NCO +NCP +NCR +NCS +NCSA +NCSC +NCSL +NCTE +NCTL +NCV +ND +NDA +NDAC +NDak +NDB +NDCC +NDDL +NDE +NDEA +Ndebele +Ndebeles +NDI +n-dimensional +NDIS +Ndjamena +N'Djamena +NDL +ndoderm +Ndola +NDP +NDSL +NDT +NDV +NE +ne- +NEA +Neaera +neaf +Neafus +Neagh +neakes +Neal +Neala +Nealah +Neale +Nealey +Nealy +Neall +neallotype +Nealon +Nealson +Neander +Neanderthal +Neanderthaler +Neanderthalism +Neanderthaloid +neanderthals +neanic +neanthropic +neap +neaped +Neapolis +Neapolitan +neapolitans +neaps +NEAR +near- +nearable +nearabout +nearabouts +near-acquainted +near-adjoining +nearaivays +near-at-hand +nearaway +nearaways +nearby +near-by +near-blindness +near-bordering +Nearch +near-colored +near-coming +Nearctic +Nearctica +near-dwelling +neared +nearer +nearest +near-fighting +near-following +near-growing +near-guessed +near-hand +nearing +nearish +near-legged +nearly +nearlier +nearliest +near-miss +nearmost +nearness +nearnesses +NEARNET +near-point +near-related +near-resembling +nears +nearshore +nearside +nearsight +near-sight +nearsighted +near-sighted +nearsightedly +nearsightedness +nearsightednesses +near-silk +near-smiling +near-stored +near-threatening +nearthrosis +near-touching +near-ushering +near-white +neascus +neat +neat-ankled +neat-dressed +neaten +neatened +neatening +neatens +neater +neatest +neat-faced +neat-fingered +neat-folded +neat-footed +neath +neat-handed +neat-handedly +neat-handedness +neatherd +neatherdess +neatherds +neathmost +neat-house +neatify +neatly +neat-limbed +neat-looking +neatness +neatnesses +neats +Neau +neavil +Neavitt +NEB +neback +Nebaioth +Nebalia +Nebaliacea +nebalian +Nebaliidae +nebalioid +nebbed +nebby +nebbish +nebbishes +nebbuck +nebbuk +NEbE +nebel +nebelist +nebenkern +Nebiim +NEbn +neb-neb +Nebo +Nebr +Nebr. +Nebraska +Nebraskan +nebraskans +nebris +nebrodi +Nebrophonus +NEBS +Nebuchadnezzar +Nebuchadrezzar +nebula +nebulae +nebular +nebularization +nebularize +nebulas +nebulated +nebulation +nebule +nebulescent +nebuly +nebuliferous +nebulisation +nebulise +nebulised +nebuliser +nebulises +nebulising +nebulite +nebulium +nebulization +nebulize +nebulized +nebulizer +nebulizers +nebulizes +nebulizing +nebulon +nebulose +nebulosity +nebulosities +nebulosus +nebulous +nebulously +nebulousness +NEC +necation +Necator +Necedah +necessar +necessary +necessarian +necessarianism +necessaries +necessarily +necessariness +necessarium +necessarius +necesse +necessism +necessist +necessitarian +necessitarianism +necessitate +necessitated +necessitatedly +necessitates +necessitating +necessitatingly +necessitation +necessitative +necessity +necessities +necessitous +necessitously +necessitousness +necessitude +necessitudo +Neche +Neches +Necho +necia +neck +Neckar +neckatee +neckband +neck-band +neckbands +neck-beef +neck-bone +neck-break +neck-breaking +neckcloth +neck-cracking +neck-deep +necked +neckenger +Necker +neckercher +neckerchief +neckerchiefs +neckerchieves +neckers +neck-fast +neckful +neckguard +neck-high +neck-hole +necking +neckinger +neckings +neckyoke +necklace +necklaced +necklaces +necklace's +necklaceweed +neckless +necklet +necklike +neckline +necklines +neckmold +neckmould +neckpiece +neck-piece +neck-rein +necks +neckstock +neck-stretching +necktie +neck-tie +necktieless +neckties +necktie's +neck-verse +neckward +neckwear +neckwears +neckweed +necr- +necraemia +necrectomy +necremia +necro +necro- +necrobacillary +necrobacillosis +necrobiosis +necrobiotic +necrogenic +necrogenous +necrographer +necrolatry +necrology +necrologic +necrological +necrologically +necrologies +necrologist +necrologue +necromancer +necromancers +necromancy +necromancies +necromancing +necromania +necromantic +necromantical +necromantically +necromimesis +necromorphous +necronite +necropathy +Necrophaga +necrophagan +necrophagy +necrophagia +necrophagous +necrophil +necrophile +necrophily +necrophilia +necrophiliac +necrophilic +necrophilism +necrophilistic +necrophilous +necrophobia +necrophobic +Necrophorus +necropoleis +necropoles +necropoli +necropolis +necropolises +necropolitan +necropsy +necropsied +necropsies +necropsying +necroscopy +necroscopic +necroscopical +necrose +necrosed +necroses +necrosing +necrosis +necrotic +necrotically +necrotype +necrotypic +necrotise +necrotised +necrotising +necrotization +necrotize +necrotized +necrotizing +necrotomy +necrotomic +necrotomies +necrotomist +Nectandra +nectar +nectar-bearing +nectar-breathing +nectar-dropping +nectareal +nectarean +nectared +nectareous +nectareously +nectareousness +nectary +nectarial +nectarian +nectaried +nectaries +nectariferous +nectarin +nectarine +nectarines +Nectarinia +Nectariniidae +nectarious +Nectaris +nectarise +nectarised +nectarising +nectarium +nectarivorous +nectarize +nectarized +nectarizing +nectarlike +nectar-loving +nectarous +nectars +nectar-secreting +nectar-seeking +nectar-spouting +nectar-streaming +nectar-tongued +nectiferous +nectocalyces +nectocalycine +nectocalyx +necton +Nectonema +nectophore +nectopod +Nectria +nectriaceous +Nectrioidaceae +nectron +Necturidae +Necturus +NED +Neda +NEDC +Nedda +nedder +Neddy +Neddie +neddies +Neddra +Nederland +Nederlands +Nedi +Nedra +Nedrah +Nedry +Nedrow +Nedrud +Nee +neebor +neebour +need +need-be +needed +needer +needers +needfire +needful +needfully +needfulness +needfuls +needgates +Needham +needy +needier +neediest +needily +neediness +needing +needle +needle-and-thread +needle-bar +needlebill +needle-billed +needlebook +needlebush +needlecase +needlecord +needlecraft +needled +needlefish +needle-fish +needlefishes +needle-form +needleful +needlefuls +needle-gun +needle-leaved +needlelike +needle-made +needlemaker +needlemaking +needleman +needlemen +needlemonger +needle-nosed +needlepoint +needle-point +needle-pointed +needlepoints +needleproof +needler +needlers +Needles +needle-scarred +needle-shaped +needle-sharp +needless +needlessly +needlessness +needlestone +needle-witted +needlewoman +needlewomen +needlewood +needlework +needleworked +needleworker +needleworks +needly +needling +needlings +needment +needments +Needmore +needn +need-not +neednt +needn't +needs +needs-be +needsly +needsome +Needville +neeger +Neel +Neela +neel-bhunder +neeld +neele +neelghan +Neely +Neelyton +Neelyville +Neelon +neem +neemba +neems +Neenah +neencephala +neencephalic +neencephalon +neencephalons +Neengatu +Neeoma +neep +neepour +neeps +neer +ne'er +ne'er-dos +neer-do-well +ne'er-do-well +neese +Neeses +neet +neetup +neeze +nef +nefandous +nefandousness +nefarious +nefariouses +nefariously +nefariousness +nefas +nefast +nefastus +Nefen +Nefertem +Nefertiti +Neff +neffy +Neffs +Nefretete +Nefreteted +Nefreteting +NEFS +neftgil +NEG +negara +negate +negated +negatedness +negater +negaters +negates +negating +negation +negational +negationalist +negationist +negation-proof +negations +negativate +negative +negatived +negatively +negativeness +negative-pole +negativer +negative-raising +negatives +negativing +negativism +negativist +negativistic +negativity +negaton +negatons +negator +negatory +negators +negatron +negatrons +Negaunee +neger +Negev +neginoth +neglect +neglectable +neglected +neglectedly +neglected-looking +neglectedness +neglecter +neglectful +neglectfully +neglectfulness +neglecting +neglectingly +neglection +neglective +neglectively +neglector +neglectproof +neglects +Negley +neglig +neglige +negligee +negligees +negligence +negligences +negligency +negligent +negligentia +negligently +negliges +negligibility +negligible +negligibleness +negligibly +negoce +negotiability +negotiable +negotiables +negotiably +negotiant +negotiants +negotiate +negotiated +negotiates +negotiating +negotiation +negotiations +negotiator +negotiatory +negotiators +negotiatress +negotiatrix +negotiatrixes +negotious +negqtiator +Negreet +Negress +Negrillo +Negrillos +negrine +Negris +negrita +Negritian +Negritic +Negritise +Negritised +Negritising +Negritize +Negritized +Negritizing +Negrito +Negritoes +Negritoid +Negritos +negritude +Negro +negrodom +Negroes +Negrofy +negrohead +negro-head +negrohood +Negroid +Negroidal +negroids +Negroise +Negroised +negroish +Negroising +Negroism +Negroization +Negroize +Negroized +Negroizing +negrolike +Negroloid +Negroni +negronis +Negrophil +Negrophile +Negrophilism +Negrophilist +Negrophobe +Negrophobia +Negrophobiac +Negrophobist +Negropont +Negros +Negrotic +Negundo +Negus +neguses +Neh +Neh. +Nehalem +Nehantic +Nehawka +Nehemiah +Nehemias +nehiloth +Nehru +NEI +Ney +neyanda +Neibart +Neidhardt +neif +neifs +neigh +neighbor +neighbored +neighborer +neighboress +neighborhood +neighborhoods +neighborhood's +neighboring +neighborless +neighborly +neighborlike +neighborlikeness +neighborliness +neighborlinesses +neighbors +neighborship +neighborstained +neighbour +neighboured +neighbourer +neighbouress +neighbourhood +neighbouring +neighbourless +neighbourly +neighbourlike +neighbourliness +neighbours +neighbourship +neighed +neigher +neighing +neighs +Neihart +Neil +Neila +Neilah +Neile +Neill +Neilla +Neille +Neillia +Neillsville +Neils +Neilson +Neilton +Neiman +nein +neiper +Neisa +Neysa +Neison +Neisse +Neisseria +Neisserieae +neist +Neith +neither +Neiva +Nejd +Nejdi +nek +Nekhbet +Nekhebet +Nekhebit +Nekhebt +Nekkar +Nekoma +Nekoosa +Nekrasov +nekton +nektonic +nektons +Nel +Nela +Nelan +Nelda +Neleus +Nelia +Nelides +Nelie +Neligh +nelken +Nell +Nella +Nellda +Nelle +Nelli +Nelly +Nellie +nellies +Nellir +Nellis +Nellysford +Nelliston +Nelrsa +Nels +Nelse +Nelsen +Nelson +Nelsonia +nelsonite +nelsons +Nelsonville +nelumbian +Nelumbium +Nelumbo +Nelumbonaceae +nelumbos +NEMA +Nemacolin +Nemaha +nemaline +Nemalion +Nemalionaceae +Nemalionales +nemalite +Neman +nemas +Nemastomaceae +nemat- +Nematelmia +nematelminth +Nematelminthes +nemathece +nemathecia +nemathecial +nemathecium +Nemathelmia +nemathelminth +Nemathelminthes +nematic +nematicidal +nematicide +nemato- +nematoblast +nematoblastic +Nematocera +nematoceran +nematocerous +nematocidal +nematocide +nematocyst +nematocystic +Nematoda +nematode +nematodes +nematodiasis +nematogen +nematogene +nematogenic +nematogenous +nematognath +Nematognathi +nematognathous +nematogone +nematogonous +nematoid +Nematoidea +nematoidean +nematology +nematological +nematologist +Nematomorpha +nematophyton +Nematospora +nematozooid +Nembutal +Nembutsu +Nemea +Nemean +Nemery +Nemertea +nemertean +nemertian +nemertid +Nemertina +nemertine +Nemertinea +nemertinean +Nemertini +nemertoid +Nemeses +Nemesia +nemesic +Nemesis +Nemhauser +Nemichthyidae +Nemichthys +nemine +Nemo +Nemocera +nemoceran +nemocerous +Nemopanthus +Nemophila +nemophily +nemophilist +nemophilous +nemoral +Nemorensian +nemoricole +nemoricoline +nemoricolous +nemos +Nemours +NEMP +nempne +Nemrod +Nemunas +Nena +nenarche +nene +nenes +Nengahiba +Nenney +Nenni +nenta +nenuphar +Nenzel +Neo +neo- +neoacademic +neoanthropic +Neoarctic +neoarsphenamine +Neo-attic +Neo-babylonian +Neobalaena +Neobeckia +neoblastic +neobotany +neobotanist +neo-Catholic +NeoCatholicism +neo-Celtic +Neocene +Neoceratodus +neocerotic +neochristianity +neo-Christianity +neocyanine +neocyte +neocytosis +neoclassic +neo-classic +neoclassical +neoclassically +Neoclassicism +neoclassicist +neo-classicist +neoclassicists +neocolonial +neocolonialism +neocolonialist +neocolonialists +neocolonially +Neocomian +neoconcretist +Neo-Confucian +Neo-Confucianism +Neo-Confucianist +neoconservative +neoconstructivism +neoconstructivist +neocortex +neocortical +neocosmic +neocracy +neocriticism +neocubism +neocubist +neodadaism +neodadaist +neodamode +neo-Darwinian +Neo-Darwinism +Neo-Darwinist +Neodesha +neodidymium +neodymium +neodiprion +Neo-egyptian +neoexpressionism +neoexpressionist +Neofabraea +neofascism +neofetal +neofetus +Neofiber +neoformation +neoformative +Neoga +Neogaea +Neogaeal +Neogaean +Neogaeic +neogamy +neogamous +Neogea +Neogeal +Neogean +Neogeic +Neogene +neogenesis +neogenetic +Neognathae +neognathic +neognathous +Neo-Gothic +neogrammarian +neo-grammarian +neogrammatical +neographic +neo-Greek +Neo-hebraic +Neo-hebrew +Neo-Hegelian +Neo-Hegelianism +Neo-hellenic +Neo-hellenism +neohexane +Neo-hindu +Neohipparion +neoholmia +neoholmium +neoimpressionism +Neo-Impressionism +neoimpressionist +Neo-Impressionist +neoytterbium +Neo-Ju +Neo-Kantian +Neo-kantianism +Neo-kantism +Neola +neolalia +Neo-Lamarckian +Neo-Lamarckism +Neo-lamarckist +neolater +Neo-Latin +neolatry +neolith +Neolithic +neoliths +neology +neologian +neologianism +neologic +neological +neologically +neologies +neologise +neologised +neologising +neologism +neologisms +neologist +neologistic +neologistical +neologization +neologize +neologized +neologizing +Neo-Lutheranism +Neom +Neoma +Neomah +Neo-malthusian +Neo-malthusianism +Neo-manichaean +Neo-marxian +neomedievalism +Neo-Melanesian +Neo-mendelian +Neo-mendelism +neomenia +neomenian +Neomeniidae +neomycin +neomycins +Neomylodon +neomiracle +neomodal +neomorph +Neomorpha +neomorphic +neomorphism +neomorphs +neon +Neona +neonatal +neonatally +neonate +neonates +neonatology +neonatus +neoned +neoneds +neonychium +neonomian +neonomianism +neons +neontology +neoologist +neoorthodox +neoorthodoxy +neo-orthodoxy +neopagan +neopaganism +neopaganize +Neopaleozoic +neopallial +neopallium +neoparaffin +Neo-persian +neophilism +neophilological +neophilologist +neophyte +neophytes +neophytic +neophytish +neophytism +neophobia +neophobic +neophrastic +Neophron +Neopieris +Neopilina +neopine +Neopit +Neo-Pythagorean +Neo-Pythagoreanism +Neo-plantonic +neoplasia +neoplasm +neoplasma +neoplasmata +neoplasms +neoplasty +Neoplastic +Neo-Plastic +neoplasticism +neo-Plasticism +Neoplasticist +Neo-Plasticist +neoplasties +Neoplatonic +Neoplatonician +neo-Platonician +Neoplatonism +Neo-Platonism +Neoplatonist +Neo-platonist +Neoplatonistic +neoprene +neoprenes +Neoprontosil +Neoptolemus +Neo-punic +neorama +neorealism +Neo-Realism +Neo-Realist +Neornithes +neornithic +neo-Roman +Neo-Romanticism +Neosalvarsan +neo-Sanskrit +neo-Sanskritic +neo-Scholastic +Neoscholasticism +neo-Scholasticism +Neosho +Neo-Synephrine +neo-Syriac +neo-Sogdian +Neosorex +Neosporidia +neossin +neossine +neossology +neossoptile +neostigmine +neostyle +neostyled +neostyling +neostriatum +neo-Sumerian +neoteinia +neoteinic +neoteny +neotenia +neotenic +neotenies +neotenous +neoteric +neoterical +neoterically +neoterics +neoterism +neoterist +neoteristic +neoterize +neoterized +neoterizing +neothalamus +neo-Thomism +neotype +neotypes +Neotoma +neotraditionalism +neotraditionalist +Neotragus +Neotremata +Neotropic +Neotropical +Neotsu +neovitalism +neovolcanic +Neowashingtonia +neoza +Neozoic +NEP +Nepa +Nepal +Nepalese +Nepali +Nepean +Nepenthaceae +nepenthaceous +nepenthe +nepenthean +Nepenthes +Neper +Neperian +Nepeta +Neph +nephalism +nephalist +nephalistic +nephanalysis +Nephele +nepheligenous +nepheline +nephelinic +nephelinite +nephelinitic +nephelinitoid +nephelite +nephelite-basanite +nephelite-diorite +nephelite-porphyry +nephelite-syenite +nephelite-tephrite +Nephelium +nephelo- +nephelognosy +nepheloid +nephelometer +nephelometry +nephelometric +nephelometrical +nephelometrically +nephelorometer +nepheloscope +nephesh +nephew +nephews +nephew's +nephewship +Nephi +Nephila +nephilim +Nephilinae +nephionic +Nephite +nephogram +nephograph +nephology +nephological +nephologist +nephometer +nephophobia +nephoscope +nephphridia +nephr- +nephradenoma +nephralgia +nephralgic +nephrapostasis +nephratonia +nephrauxe +nephrectasia +nephrectasis +nephrectomy +nephrectomies +nephrectomise +nephrectomised +nephrectomising +nephrectomize +nephrectomized +nephrectomizing +nephrelcosis +nephremia +nephremphraxis +nephria +nephric +nephridia +nephridial +nephridiopore +nephridium +nephrism +nephrisms +nephrite +nephrites +nephritic +nephritical +nephritides +nephritis +nephritises +nephro- +nephroabdominal +nephrocardiac +nephrocele +nephrocystitis +nephrocystosis +nephrocyte +nephrocoele +nephrocolic +nephrocolopexy +nephrocoloptosis +nephrodinic +Nephrodium +nephroerysipelas +nephrogastric +nephrogenetic +nephrogenic +nephrogenous +nephrogonaduct +nephrohydrosis +nephrohypertrophy +nephroid +Nephrolepis +nephrolysin +nephrolysis +nephrolith +nephrolithic +nephrolithosis +nephrolithotomy +nephrolithotomies +nephrolytic +nephrology +nephrologist +nephromalacia +nephromegaly +nephromere +nephron +nephroncus +nephrons +nephroparalysis +nephropathy +nephropathic +nephropexy +nephrophthisis +nephropyelitis +nephropyeloplasty +nephropyosis +nephropore +Nephrops +Nephropsidae +nephroptosia +nephroptosis +nephrorrhagia +nephrorrhaphy +nephros +nephrosclerosis +nephrosis +nephrostoma +nephrostome +nephrostomy +nephrostomial +nephrostomous +nephrotic +nephrotyphoid +nephrotyphus +nephrotome +nephrotomy +nephrotomies +nephrotomise +nephrotomize +nephrotoxic +nephrotoxicity +nephrotoxin +nephrotuberculosis +nephro-ureterectomy +nephrozymosis +Nephtali +Nephthys +Nepidae +Nepil +nepionic +nepit +nepman +nepmen +Neponset +Nepos +nepotal +nepote +nepotic +nepotious +nepotism +nepotisms +nepotist +nepotistic +nepotistical +nepotistically +nepotists +nepouite +nepquite +Neptune +Neptunean +Neptunian +neptunism +neptunist +neptunium +neral +Nerbudda +NERC +nerd +nerdy +nerds +nere +Nereen +Nereid +Nereidae +nereidean +nereides +nereidiform +Nereidiformia +nereidous +Nereids +Nereis +nereite +Nereocystis +Nereus +Nergal +Neri +Nerin +Nerine +Nerinx +Nerissa +Nerita +nerite +Nerites +neritic +Neritidae +Neritina +neritjc +neritoid +Nerium +nerka +Nerland +Nernst +Nero +Neroic +nerol +neroli +nerolis +nerols +Neron +Neronian +Neronic +Neronize +Nero's-crown +Nerstrand +Nert +Nerta +Nerte +nerterology +Nerthridae +Nerthrus +Nerthus +Nerti +Nerty +Nertie +nerts +nertz +Neruda +nerv- +Nerva +Nerval +nervate +nervation +nervature +nerve +nerve-ache +nerve-celled +nerve-cutting +nerved +nerve-deaf +nerve-deafness +nerve-destroying +nerve-irritating +nerve-jangling +nerveless +nervelessly +nervelessness +nervelet +nerveproof +nerver +nerve-racked +nerve-racking +nerve-rending +nerve-ridden +nerveroot +nerves +nerve's +nerve-shaken +nerve-shaking +nerve-shattering +nerve-stretching +nerve-tingling +nerve-trying +nerve-winged +nerve-wracking +nervy +nervid +nerviduct +nervier +nerviest +Nervii +nervily +nervimotion +nervimotor +nervimuscular +nervine +nervines +nerviness +nerving +nervings +nervish +nervism +nervo- +nervomuscular +nervosa +nervosanguineous +nervose +nervosism +nervosity +nervosities +nervous +nervously +nervousness +nervousnesses +nervular +nervule +nervules +nervulet +nervulose +nervuration +nervure +nervures +nervus +NES +NESAC +Nesbit +Nesbitt +NESC +nescience +nescient +nescients +Nesconset +Nescopeck +nese +Neses +nesh +Neshkoro +neshly +neshness +Nesiot +nesiote +Neskhi +neslave +Neslia +Nesline +Neslund +Nesmith +Nesogaea +Nesogaean +Nesokia +Nesonetta +nesosilicate +Nesotragus +Nespelem +Nespelim +Nesquehoning +nesquehonite +ness +Nessa +nessberry +Nesselrode +nesses +Nessi +Nessy +Nessie +Nessim +nesslerise +nesslerised +nesslerising +nesslerization +Nesslerize +nesslerized +nesslerizing +Nessus +nest +Nesta +nestable +nestage +nest-building +nested +nest-egg +Nester +nesters +nestful +nesty +nestiatria +nesting +nestings +nestitherapy +nestle +nestle-cock +nestled +nestler +nestlers +nestles +nestlike +nestling +nestlings +Nesto +Nestor +Nestorian +Nestorianism +Nestorianize +Nestorianizer +nestorine +Nestorius +nestors +nests +NET +Netaji +Netawaka +netball +NETBIOS +NETBLT +netbraider +netbush +NETCDF +netcha +Netchilik +Netcong +nete +neter +net-fashion +netful +Neth +Neth. +netheist +nether +Netherlander +Netherlandian +Netherlandic +Netherlandish +Netherlands +nethermore +nethermost +netherstock +netherstone +netherward +netherwards +netherworld +Nethinim +Nethou +Neti +netkeeper +netleaf +netless +netlike +netmaker +netmaking +netman +netmen +netminder +netmonger +Neto +netop +netops +nets +net's +netsman +netsuke +netsukes +Nett +Netta +nettable +nettably +Nettapus +Nette +netted +netted-veined +net-tender +netter +netters +Netti +Netty +Nettie +nettier +nettiest +nettie-wife +netting +nettings +Nettion +Nettle +nettlebed +nettlebird +nettle-cloth +nettled +nettlefire +nettlefish +nettlefoot +nettle-leaved +nettlelike +nettlemonger +nettler +nettle-rough +nettlers +nettles +nettlesome +nettle-stung +Nettleton +nettle-tree +nettlewort +nettly +nettlier +nettliest +nettling +netts +net-veined +net-winged +netwise +network +networked +networking +networks +network's +Neu +Neuberger +Neubrandenburg +Neuburger +Neuchatel +Neuchtel +Neudeckian +Neufchatel +Neufchtel +Neufer +neugkroschen +neugroschen +Neuilly +Neuilly-sur-Seine +neuk +Neukam +neuks +neum +neuma +Neumayer +Neumann +Neumark +neumatic +neumatizce +neumatize +neume +Neumeyer +neumes +neumic +neums +Neumster +Neupest +neur- +neurad +neuradynamia +neural +neurale +neuralgy +neuralgia +neuralgiac +neuralgias +neuralgic +neuralgiform +neuralist +neurally +neuraminidase +neurapophyseal +neurapophysial +neurapophysis +neurarthropathy +neurasthenia +neurasthenias +neurasthenic +neurasthenical +neurasthenically +neurasthenics +neurataxy +neurataxia +Neurath +neuration +neuratrophy +neuratrophia +neuratrophic +neuraxial +neuraxis +neuraxitis +neuraxon +neuraxone +neuraxons +neurectasy +neurectasia +neurectasis +neurectome +neurectomy +neurectomic +neurectopy +neurectopia +neurenteric +neurepithelium +neurergic +neurexairesis +neurhypnology +neurhypnotist +neuriatry +neuric +neuridine +neurilema +neurilematic +neurilemma +neurilemmal +neurilemmatic +neurilemmatous +neurilemmitis +neurility +neurin +neurine +neurines +neurinoma +neurinomas +neurinomata +neurypnology +neurypnological +neurypnologist +neurism +neuristor +neurite +neuritic +neuritics +neuritides +neuritis +neuritises +neuro- +neuroactive +neuroanatomy +neuroanatomic +neuroanatomical +neuroanatomist +neuroanotomy +neurobiology +neurobiological +neurobiologist +neurobiotactic +neurobiotaxis +neuroblast +neuroblastic +neuroblastoma +neurocanal +neurocardiac +neurocele +neurocelian +neurocental +neurocentral +neurocentrum +neurochemical +neurochemist +neurochemistry +neurochitin +neurochondrite +neurochord +neurochorioretinitis +neurocirculator +neurocirculatory +neurocyte +neurocity +neurocytoma +neuroclonic +neurocoel +neurocoele +neurocoelian +neurocrine +neurocrinism +neurodegenerative +neurodendrite +neurodendron +neurodermatitis +neurodermatosis +neurodermitis +neurodiagnosis +neurodynamic +neurodynia +neuroelectricity +neuroembryology +neuroembryological +neuroendocrine +neuroendocrinology +neuroepidermal +neuroepithelial +neuroepithelium +neurofibril +neurofibrilla +neurofibrillae +neurofibrillar +neurofibrillary +neurofibroma +neurofibromatosis +neurofil +neuroganglion +neurogastralgia +neurogastric +neurogenesis +neurogenetic +neurogenic +neurogenically +neurogenous +neuroglandular +neuroglia +neurogliac +neuroglial +neurogliar +neuroglic +neuroglioma +neurogliosis +neurogram +neurogrammic +neurography +neurographic +neurohypnology +neurohypnotic +neurohypnotism +neurohypophyseal +neurohypophysial +neurohypophysis +neurohistology +neurohormonal +neurohormone +neurohumor +neurohumoral +neuroid +neurokeratin +neurokyme +neurol +neurolemma +neuroleptanalgesia +neuroleptanalgesic +neuroleptic +neuroleptoanalgesia +neurolymph +neurolysis +neurolite +neurolytic +neurology +neurologic +neurological +neurologically +neurologies +neurologist +neurologists +neurologize +neurologized +neuroma +neuromalacia +neuromalakia +neuromas +neuromast +neuromastic +neuromata +neuromatosis +neuromatous +neuromere +neuromerism +neuromerous +neuromyelitis +neuromyic +neuromimesis +neuromimetic +neuromotor +neuromuscular +neuromusculature +neuron +neuronal +neurone +neurones +neuronic +neuronym +neuronymy +neuronism +neuronist +neuronophagy +neuronophagia +neurons +neuron's +neuroparalysis +neuroparalytic +neuropath +neuropathy +neuropathic +neuropathical +neuropathically +neuropathies +neuropathist +neuropathology +neuropathological +neuropathologist +Neurope +neurophagy +neuropharmacology +neuropharmacologic +neuropharmacological +neuropharmacologist +neurophil +neurophile +neurophilic +neurophysiology +neurophysiologic +neurophysiological +neurophysiologically +neurophysiologist +neuropil +neuropile +neuroplasm +neuroplasmatic +neuroplasmic +neuroplasty +neuroplexus +neuropod +neuropodial +neuropodium +neuropodous +neuropore +neuropsych +neuropsychiatry +neuropsychiatric +neuropsychiatrically +neuropsychiatrist +neuropsychic +neuropsychical +neuropsychology +neuropsychological +neuropsychologist +neuropsychopathy +neuropsychopathic +neuropsychosis +neuropter +Neuroptera +neuropteran +Neuropteris +neuropterist +neuropteroid +Neuropteroidea +neuropterology +neuropterological +neuropteron +neuropterous +neuroretinitis +neurorrhaphy +Neurorthoptera +neurorthopteran +neurorthopterous +neurosal +neurosarcoma +neuroscience +neuroscientist +neurosclerosis +neurosecretion +neurosecretory +neurosensory +neuroses +neurosynapse +neurosyphilis +neurosis +neuroskeletal +neuroskeleton +neurosome +neurospasm +neurospast +neurospongium +neurospora +neurosthenia +neurosurgeon +neurosurgeons +neurosurgery +neurosurgeries +neurosurgical +neurosuture +neurotendinous +neurotension +neurotherapeutics +neurotherapy +neurotherapist +neurothlipsis +neurotic +neurotically +neuroticism +neuroticize +neurotics +neurotization +neurotome +neurotomy +neurotomical +neurotomist +neurotomize +neurotonic +neurotoxia +neurotoxic +neurotoxicity +neurotoxicities +neurotoxin +neurotransmission +neurotransmitter +neurotransmitters +neurotripsy +neurotrophy +neurotrophic +neurotropy +neurotropic +neurotropism +neurovaccination +neurovaccine +neurovascular +neurovisceral +neurual +neurula +neurulae +neurulas +Neusatz +Neuss +neustic +neuston +neustonic +neustons +Neustria +Neustrian +neut +neut. +neuter +neutercane +neuterdom +neutered +neutering +neuterly +neuterlike +neuterness +neuters +neutral +neutralise +neutralism +neutralist +neutralistic +neutralists +neutrality +neutralities +neutralization +neutralizations +neutralize +neutralized +neutralizer +neutralizers +neutralizes +neutralizing +neutrally +neutralness +neutrals +neutral-tinted +neutretto +neutrettos +neutria +neutrino +neutrinos +neutrino's +neutro- +neutroceptive +neutroceptor +neutroclusion +Neutrodyne +neutrologistic +neutron +neutrons +neutropassive +neutropenia +neutrophil +neutrophile +neutrophilia +neutrophilic +neutrophilous +neutrophils +neutrosphere +Nev +Nev. +Neva +Nevada +Nevadan +nevadans +nevadians +nevadite +Nevai +nevat +Neve +Neveda +nevel +nevell +neven +never +never-ceasing +never-ceasingly +never-certain +never-changing +never-conquered +never-constant +never-daunted +never-dead +never-dietree +never-dying +never-ended +never-ending +never-endingly +never-endingness +never-fading +never-failing +Neverland +never-lasting +nevermass +nevermind +nevermore +never-needed +neverness +never-never +Never-Never-land +never-quenching +never-ready +never-resting +Nevers +never-say-die +never-satisfied +never-setting +never-shaken +never-silent +Neversink +never-sleeping +never-smiling +never-stable +never-strike +never-swerving +never-tamed +neverthelater +nevertheless +never-tiring +never-to-be-equaled +never-trodden +never-twinkling +never-vacant +never-varied +never-varying +never-waning +never-wearied +never-winking +never-withering +neves +nevi +nevyanskite +Neviim +Nevil +Nevile +Neville +Nevin +Nevins +Nevis +Nevisdale +Nevlin +nevo +nevoy +nevoid +Nevome +Nevsa +Nevski +nevus +New +new-admitted +new-apparel +Newar +Newari +Newark +Newark-on-Trent +new-array +new-awaked +new-begotten +Newberg +Newbery +newberyite +Newberry +Newby +Newbill +new-bladed +new-bloomed +new-blown +Newbold +newborn +new-born +newbornness +newborns +new-built +Newburg +Newburgh +Newbury +Newburyport +newcal +Newcastle +Newcastle-under-Lyme +Newcastle-upon-Tyne +Newchwang +new-coined +Newcomb +Newcombe +newcome +new-come +Newcomen +Newcomer +newcomers +newcomer's +Newcomerstown +new-create +new-cut +new-day +Newel +Newell +newel-post +newels +newelty +newer +newest +new-fallen +newfangle +newfangled +newfangledism +newfangledly +newfangledness +newfanglement +newfangleness +new-fashion +newfashioned +new-fashioned +Newfeld +Newfie +newfish +new-fledged +newfound +new-found +Newfoundland +Newfoundlander +new-front +new-furbish +new-furnish +Newgate +newground +new-grown +Newhall +Newham +Newhaven +Newhouse +Newichawanoc +newie +new-year +newies +newing +newings +newish +Newkirk +new-laid +Newland +newlandite +newly +newlight +new-light +Newlin +newline +newlines +newlings +newlins +newly-rich +newlywed +newlyweds +Newlon +new-looking +new-made +Newman +Newmanise +Newmanised +Newmanising +Newmanism +Newmanite +Newmanize +Newmanized +Newmanizing +Newmann +Newmark +Newmarket +new-mint +new-minted +new-mintedness +new-model +new-modeler +newmown +new-mown +new-name +newness +newnesses +new-people +Newport +new-rich +new-rigged +new-risen +NEWS +newsagent +newsbeat +newsbill +newsboard +newsboat +newsboy +newsboys +newsbreak +newscast +newscaster +newscasters +newscasting +newscasts +newsdealer +newsdealers +new-set +newsful +newsgirl +newsgirls +news-greedy +newsgroup +new-shaped +newshawk +newshen +newshound +newsy +newsie +newsier +newsies +newsiest +newsiness +newsless +newslessness +newsletter +news-letter +newsletters +newsmagazine +newsmagazines +news-making +newsman +news-man +newsmanmen +newsmen +newsmonger +newsmongery +newsmongering +Newsom +newspaper +newspaperdom +newspaperese +newspapery +newspaperish +newspaperized +newspaperman +newspapermen +newspapers +newspaper's +newspaperwoman +newspaperwomen +newspeak +newspeaks +newsprint +newsprints +new-sprung +new-spun +newsreader +newsreel +newsreels +newsroom +newsrooms +news-seeking +newssheet +news-sheet +newsstand +newsstands +newstand +newstands +newsteller +newsvendor +Newsweek +newswoman +newswomen +newsworthy +newsworthiness +newswriter +news-writer +newswriting +NEWT +newtake +New-Testament +Newton +Newtonabbey +Newtonian +Newtonianism +Newtonic +Newtonist +newtonite +newton-meter +newtons +newts +new-written +new-wrought +nexal +Nexo +NEXRAD +NEXT +next-beside +nextdoor +next-door +nextly +nextness +nexum +nexus +nexuses +NF +NFC +NFD +NFFE +NFL +NFPA +NFR +NFS +NFT +NFU +NFWI +NG +NGA +ngai +ngaio +Ngala +n'gana +Nganhwei +ngapi +Ngbaka +NGC +NGk +NGO +Ngoko +ngoma +Nguyen +ngultrum +Nguni +ngwee +NH +NHA +nhan +Nheengatu +NHG +NHI +NHL +NHLBI +NHR +NHS +NI +NY +NIA +NYA +Niabi +Nyac +niacin +niacinamide +niacins +Nyack +Niagara +Niagaran +niagra +Nyaya +niais +niaiserie +Nial +nyala +nialamide +nyalas +Niall +Niamey +Niam-niam +Nyamwezi +Niangua +Nyanja +Niantic +nyanza +Niarada +Niarchos +Nias +nyas +Nyasa +Nyasaland +Niasese +Nyassa +niata +nib +nibbana +nibbed +nibber +nibby +nibby-jibby +nibbing +nibble +nybble +nibbled +nibbler +nibblers +nibbles +nybbles +nibbling +nibblingly +nybblize +Nibbs +Nibelung +Nibelungenlied +Nibelungs +Nyberg +niblic +niblick +niblicks +niblike +Niblungs +nibong +nibs +nibsome +nibung +NIC +NYC +Nica +nicad +nicads +Nicaea +Nicaean +Nicaragua +Nicaraguan +nicaraguans +Nicarao +Nicasio +niccolic +niccoliferous +niccolite +Niccolo +niccolous +NICE +niceish +nicely +niceling +Nicene +nice-nelly +nice-Nellie +nice-Nellyism +niceness +nicenesses +Nicenian +Nicenist +nicer +nicesome +nicest +Nicetas +nicety +niceties +nicetish +Niceville +Nich +nichael +Nichani +niche +niched +nichelino +nicher +niches +nichevo +Nichy +nichil +niching +Nichol +Nichola +Nicholas +Nicholasville +Nichole +Nicholl +Nicholle +Nicholls +Nichols +Nicholson +Nicholville +Nichrome +nicht +nychthemer +nychthemeral +nychthemeron +nichts +nici +Nicias +Nicippe +Nick +nickar +nick-eared +nicked +Nickey +nickeys +nickel +nickelage +nickelbloom +nickeled +nyckelharpa +nickelic +nickeliferous +nickeline +nickeling +nickelise +nickelised +nickelising +nickelization +nickelize +nickelized +nickelizing +nickelled +nickellike +nickelling +nickelodeon +nickelodeons +nickelous +nickel-plate +nickel-plated +nickels +nickel's +Nickelsen +Nickelsville +nickeltype +nicker +nickered +nickery +nickering +nickerpecker +nickers +Nickerson +nicker-tree +Nicki +Nicky +Nickie +Nickieben +nicking +Nicklaus +nickle +nickled +Nickles +nickling +nicknack +nick-nack +nicknacks +nickname +nicknameable +nicknamed +nicknamee +nicknameless +nicknamer +nicknames +nicknaming +Nickneven +Nicko +Nickola +Nickolai +Nickolas +Nickolaus +nickpoint +nickpot +Nicks +nickstick +Nicktown +nickum +NICMOS +Nico +Nicobar +Nicobarese +Nicodemite +Nicodemus +Nicol +Nicola +Nicolai +Nicolay +nicolayite +Nicolais +Nicolaitan +Nicolaitanism +Nicolas +Nicolau +Nicolaus +Nicole +Nicolea +Nicolella +Nicolet +Nicolette +Nicoli +Nicolina +Nicoline +Nicolis +Nicolle +Nicollet +nicolo +nicols +Nicolson +Nicomachean +Nicosia +Nicostratus +nicotia +nicotian +Nicotiana +nicotianin +nicotic +nicotin +nicotina +nicotinamide +nicotine +nicotinean +nicotined +nicotineless +nicotines +nicotinian +nicotinic +nicotinise +nicotinised +nicotinising +nicotinism +nicotinize +nicotinized +nicotinizing +nicotins +nicotism +nicotize +Nyctaginaceae +nyctaginaceous +Nyctaginia +nyctalgia +nyctalope +nyctalopy +nyctalopia +nyctalopic +nyctalops +Nyctanthes +nictate +nictated +nictates +nictating +nictation +Nyctea +Nyctereutes +nycteribiid +Nycteribiidae +Nycteridae +nycterine +Nycteris +Nycteus +Nictheroy +nycti- +Nycticorax +Nyctimene +Nyctimus +nyctinasty +nyctinastic +nyctipelagic +Nyctipithecinae +nyctipithecine +Nyctipithecus +nictitant +nictitate +nictitated +nictitates +nictitating +nictitation +nyctitropic +nyctitropism +nycto- +nyctophobia +nycturia +Nicut +nid +Nida +nidal +nidamental +nidana +nidary +Nidaros +nidation +nidatory +nidder +niddering +niddick +niddicock +niddy-noddy +niddle +niddle-noddle +nide +nided +nidering +niderings +nides +nidge +nidget +nidgety +nidgets +Nidhug +nidi +Nidia +Nydia +nidicolous +nidify +nidificant +nidificate +nidificated +nidificating +nidification +nidificational +nidified +nidifier +nidifies +nidifying +nidifugous +niding +nidiot +nid-nod +nidology +nidologist +nidor +Nidorf +nidorose +nidorosity +nidorous +nidorulent +nidudi +nidulant +Nidularia +Nidulariaceae +nidulariaceous +Nidulariales +nidulate +nidulation +niduli +nidulus +nidus +niduses +Nye +Nieberg +Niebuhr +niece +nieceless +nieces +niece's +nieceship +Niederosterreich +Niedersachsen +Niehaus +Niel +Niela +niellated +nielled +nielli +niellist +niellists +niello +nielloed +nielloing +niellos +Niels +Nielsen +Nielson +Nielsville +Nyeman +Niemen +Niemler +Niemoeller +niepa +Niepce +Nier +Nierembergia +Nyerere +Nierman +Nierstein +Niersteiner +Nies +nieshout +nyet +Nietzsche +Nietzschean +Nietzscheanism +Nietzscheism +nieve +Nievelt +nieves +nieveta +nievie-nievie-nick-nack +nievling +nife +nifesima +niff +niffer +niffered +niffering +niffers +niffy-naffy +niff-naff +niff-naffy +nific +nifle +Niflheim +Niflhel +nifling +nifty +niftier +nifties +niftiest +niftily +niftiness +NIFTP +NIG +Nigel +Nigella +Niger +Niger-Congo +Nigeria +Nigerian +nigerians +niggard +niggarded +niggarding +niggardise +niggardised +niggardising +niggardize +niggardized +niggardizing +niggardly +niggardliness +niggardlinesses +niggardling +niggardness +niggards +nigged +nigger +niggerdom +niggered +niggerfish +niggerfishes +niggergoose +niggerhead +niggery +niggerish +niggerism +niggerling +niggers +niggertoe +niggerweed +nigget +nigging +niggle +niggled +niggler +nigglers +niggles +niggly +niggling +nigglingly +nigglings +niggot +niggra +niggun +nigh +nigh-destroyed +nigh-drowned +nigh-ebbed +nighed +nigher +nighest +nighhand +nigh-hand +nighing +nighish +nighly +nigh-naked +nighness +nighnesses +nigh-past +nighs +nigh-spent +night +night-bird +night-black +night-blind +night-blindness +night-blooming +night-blowing +night-born +night-bringing +nightcap +night-cap +nightcapped +nightcaps +night-cellar +night-cheering +nightchurr +night-clad +night-cloaked +nightclothes +night-clothes +nightclub +night-club +night-clubbed +nightclubber +night-clubbing +nightclubs +night-contending +night-cradled +nightcrawler +nightcrawlers +night-crow +night-dark +night-decking +night-dispersing +nightdress +night-dress +nighted +night-eyed +night-enshrouded +nighter +nightery +nighters +nightertale +nightfall +night-fallen +nightfalls +night-faring +night-feeding +night-filled +nightfish +night-fly +night-flying +nightflit +night-flowering +night-folded +night-foundered +nightfowl +nightgale +night-gaping +nightglass +night-glass +nightglow +nightgown +night-gown +nightgowns +night-grown +night-hag +night-haired +night-haunted +nighthawk +night-hawk +nighthawks +night-heron +night-hid +nighty +nightie +nighties +nightime +nighting +Nightingale +nightingales +nightingale's +nightingalize +nighty-night +nightish +nightjar +nightjars +nightless +nightlessness +nightly +nightlife +night-light +nightlike +nightlong +night-long +nightman +night-mantled +nightmare +nightmares +nightmare's +nightmary +nightmarish +nightmarishly +nightmarishness +nightmen +night-night +night-overtaken +night-owl +night-piece +night-prowling +night-rail +night-raven +nightrider +nightriders +nightriding +night-riding +night-robbing +night-robe +night-robed +night-rolling +nights +night-scented +night-season +nightshade +nightshades +night-shift +nightshine +night-shining +nightshirt +night-shirt +nightshirts +nightside +night-singing +night-spell +nightspot +nightspots +nightstand +nightstands +nightstick +nightstock +nightstool +night-straying +night-struck +night-swaying +night-swift +night-swollen +nighttide +night-tide +nighttime +night-time +nighttimes +night-traveling +night-tripping +night-veiled +nightwake +nightwalk +nightwalker +night-walker +nightwalkers +nightwalking +night-wandering +night-warbling +nightward +nightwards +night-watch +night-watching +night-watchman +nightwear +nightwork +night-work +nightworker +nignay +nignye +nigori +nigranilin +nigraniline +nigre +nigrescence +nigrescent +nigresceous +nigrescite +nigricant +nigrify +nigrification +nigrified +nigrifies +nigrifying +nigrine +Nigritian +nigrities +nigritude +nigritudinous +nigromancer +nigrosin +nigrosine +nigrosins +nigrous +nigua +NIH +Nyhagen +Nihal +Nihhi +Nihi +nihil +nihilianism +nihilianistic +nihilify +nihilification +Nihilism +nihilisms +nihilist +nihilistic +nihilistically +nihilists +nihility +nihilitic +nihilities +nihilobstat +nihils +nihilum +Nihon +niyama +niyanda +Niigata +Niihau +niyoga +nijholt +Nijinsky +Nijmegen +nik +Nika +Nikaniki +Nikaria +nikau +Nike +Nikeno +Nikep +nikethamide +Niki +Nikisch +Nikiski +Nikita +Nikki +Nikky +Nikkie +Nikko +nikkud +nikkudim +Niklaus +niklesite +Niko +Nykobing +Nikola +Nikolai +Nikolayer +Nikolayev +Nikolainkaupunki +Nikolaos +Nikolas +Nikolaus +Nikoletta +Nikolia +Nikolos +Nikolski +Nikon +Nikos +niku-bori +Nil +Nila +Niland +nylast +Nile +Niles +nilgai +nilgais +nilgau +nylgau +nilgaus +nilghai +nylghai +nilghais +nylghais +nilghau +nylghau +nilghaus +nylghaus +nill +Nilla +nilled +nilling +nilly-willy +nills +Nilometer +Nilometric +nylon +nylons +Nilo-Saharan +Niloscope +Nilot +Nilote +Nilotes +Nilotic +Nilous +nilpotent +Nils +Nilson +Nilsson +Nilus +Nilwood +NIM +nimb +nimbated +nimbed +nimbi +NIMBY +nimbiferous +nimbification +nimble +nimblebrained +nimble-eyed +nimble-feathered +nimble-fingered +nimble-footed +nimble-headed +nimble-heeled +nimble-jointed +nimble-mouthed +nimble-moving +nimbleness +nimblenesses +nimble-pinioned +nimbler +nimble-shifting +nimble-spirited +nimblest +nimble-stepping +nimble-tongued +nimble-toothed +nimble-winged +nimblewit +nimble-witted +nimble-wittedness +nimbly +nimbose +nimbosity +nimbostratus +Nimbus +nimbused +nimbuses +Nimes +Nimesh +NIMH +nimiety +nimieties +nymil +niminy +niminy-piminy +niminy-piminyism +niminy-pimininess +nimious +Nimitz +Nimkish +nimmed +nimmer +nimming +nimmy-pimmy +Nimocks +nymph +nympha +nymphae +Nymphaea +Nymphaeaceae +nymphaeaceous +nymphaeum +nymphal +nymphalid +Nymphalidae +Nymphalinae +nymphaline +nympheal +nymphean +nymphet +nymphets +nymphette +nympheum +nymphic +nymphical +nymphid +nymphine +Nymphipara +nymphiparous +nymphish +nymphitis +nymphly +nymphlike +nymphlin +nympho +Nymphoides +nympholepsy +nympholepsia +nympholepsies +nympholept +nympholeptic +nymphomania +nymphomaniac +nymphomaniacal +nymphomaniacs +nymphomanias +nymphon +Nymphonacea +nymphos +nymphosis +nymphotomy +nymphs +nymphwise +n'importe +Nimrod +Nimrodian +Nimrodic +Nimrodical +Nimrodize +nimrods +Nimrud +NIMS +nimshi +nymss +Nimwegen +Nymwegen +Nina +nincom +nincompoop +nincompoopery +nincompoophood +nincompoopish +nincompoops +nincum +Ninde +Nine +nine-banded +ninebark +ninebarks +nine-circled +nine-cornered +nine-day +nine-eyed +nine-eyes +ninefold +nine-foot +nine-hole +nineholes +nine-holes +nine-hour +nine-year +nine-inch +nine-jointed +nine-killer +nine-knot +nine-lived +nine-mile +nine-part +ninepegs +ninepence +ninepences +ninepenny +ninepennies +ninepin +ninepins +nine-ply +nine-point +nine-pound +nine-pounder +nine-power +nines +ninescore +nine-share +nine-shilling +nine-syllabled +nine-spined +nine-spot +nine-spotted +nine-tailed +nineted +nineteen +nineteenfold +nineteens +nineteenth +nineteenthly +nineteenths +nine-tenths +ninety +ninety-acre +ninety-day +ninety-eight +ninety-eighth +nineties +ninetieth +ninetieths +ninety-fifth +ninety-first +ninety-five +ninetyfold +ninety-four +ninety-fourth +ninety-hour +ninetyish +ninetyknot +ninety-mile +ninety-nine +ninety-ninth +ninety-one +ninety-second +ninety-seven +ninety-seventh +ninety-six +ninety-sixth +ninety-third +ninety-three +ninety-ton +ninety-two +ninety-word +Ninetta +Ninette +Nineveh +Ninevite +Ninevitical +Ninevitish +nine-voiced +nine-word +NYNEX +ning +Ningal +Ningirsu +ningle +Ningpo +Ningsia +ninhydrin +Ninhursag +Ninib +Ninigino-Mikoto +Ninilchik +ninja +ninjas +Ninkur +Ninlil +Ninmah +Ninnekah +Ninnetta +Ninnette +ninny +ninnies +ninnyhammer +ninny-hammer +ninnyish +ninnyism +ninnyship +ninnywatch +Nino +Ninon +ninons +Nynorsk +Ninos +Ninox +Ninsar +Ninshubur +ninth +ninth-born +ninth-built +ninth-class +ninth-formed +ninth-hand +ninth-known +ninthly +ninth-mentioned +ninth-rate +ninths +ninth-told +Nintoo +nintu +Ninurta +Ninus +ninut +niobate +Niobe +Niobean +niobic +Niobid +Niobite +niobium +niobiums +niobous +Niobrara +niog +Niolo +Nyoro +Niort +Niota +Niotaze +Nip +NYP +nipa +nipas +nipcheese +Nipha +niphablepsia +nyphomania +niphotyphlosis +Nipigon +Nipissing +Niple +Nipmuc +Nipmuck +Nipmucks +Nipomo +nipped +nipper +nipperkin +nippers +nipperty-tipperty +nippy +nippier +nippiest +nippily +nippiness +nipping +nippingly +nippitate +nippitaty +nippitato +nippitatum +nipple +nippled +nippleless +nipples +nipplewort +nippling +Nippon +Nipponese +Nipponism +nipponium +Nipponize +Nippur +nips +nipter +nip-up +Niquiran +Nyquist +NIR +NIRA +NIRC +Nyregyhza +Nireus +niris +nirles +nirls +Nirmalin +nirmanakaya +Nyroca +nirvana +nirvanas +nirvanic +NIS +Nisa +Nysa +Nisaean +Nisan +nisberry +Nisbet +NISC +NISDN +NYSE +Nisei +Nyseides +niseis +Nisen +NYSERNET +Nish +Nishada +Nishapur +Nishi +nishiki +Nishinomiya +nisi +nisi-prius +nisnas +NISO +nispero +Nisqualli +Nissa +Nyssa +Nyssaceae +Nissan +Nisse +Nissensohn +Nissy +Nissie +Nisswa +NIST +nystagmic +nystagmus +nystatin +Nistru +Nisula +nisus +nit +Nita +nitch +nitchevo +nitchie +nitchies +Nitella +nitency +nitent +nitently +Niter +niter-blue +niterbush +nitered +nitery +niteries +nitering +Niteroi +niters +nit-grass +nither +nithing +nitid +nitidous +nitidulid +Nitidulidae +Nitin +nitinol +nitinols +nito +niton +nitons +nitos +nitpick +nitpicked +nitpicker +nitpickers +nitpicking +nit-picking +nitpicks +nitr- +Nitralloy +nitramin +nitramine +nitramino +nitranilic +nitraniline +nitrate +nitrated +nitrates +nitratine +nitrating +nitration +nitrator +nitrators +nitre +nitred +nitres +Nitrian +nitriary +nitriaries +nitric +nitrid +nitridation +nitride +nitrided +nitrides +nitriding +nitridization +nitridize +nitrids +nitrifaction +nitriferous +nitrify +nitrifiable +nitrification +nitrified +nitrifier +nitrifies +nitrifying +nitril +nitryl +nytril +nitrile +nitriles +nitrils +Nitriot +nitriry +nitrite +nitrites +nitritoid +Nitro +nitro- +nitroalizarin +nitroamine +nitroanilin +nitroaniline +Nitrobacter +nitrobacteria +Nitrobacteriaceae +Nitrobacterieae +nitrobacterium +nitrobarite +nitrobenzene +nitrobenzol +nitrobenzole +nitrocalcite +nitrocellulose +nitro-cellulose +nitrocellulosic +nitrochloroform +nitrocotton +nitro-cotton +nitroform +nitrofuran +nitrogelatin +nitrogelatine +nitrogen +nitrogenate +nitrogenation +nitrogen-fixing +nitrogen-free +nitrogenic +nitrogenisation +nitrogenise +nitrogenised +nitrogenising +nitrogenization +nitrogenize +nitrogenized +nitrogenizing +nitrogenous +nitrogens +nitroglycerin +nitroglycerine +nitroglycerines +nitroglycerins +nitroglucose +nitro-hydro-carbon +nitrohydrochloric +nitrolamine +nitrolic +nitrolim +nitrolime +nitromagnesite +nitromannite +nitromannitol +nitromersol +nitrometer +nitromethane +nitrometric +nitromuriate +nitromuriatic +nitronaphthalene +nitroparaffin +nitrophenol +nitrophile +nitrophilous +nitrophyte +nitrophytic +nitroprussiate +nitroprussic +nitroprusside +nitros +nitros- +nitrosamin +nitrosamine +nitrosate +nitrosify +nitrosification +nitrosyl +nitrosyls +nitrosylsulfuric +nitrosylsulphuric +nitrosite +nitroso +nitroso- +nitrosoamine +nitrosobacteria +nitrosobacterium +nitrosochloride +Nitrosococcus +Nitrosomonas +nitrososulphuric +nitrostarch +nitrosulphate +nitrosulphonic +nitrosulphuric +nitrosurea +nitrotoluene +nitrotoluol +nitrotrichloromethane +nitrous +nitroxyl +nits +nitta +Nittayuma +nitter +Nitti +nitty +nittier +nittiest +nitty-gritty +nitwit +nitwits +nitwitted +Nitz +Nitza +Nitzschia +Nitzschiaceae +NIU +NYU +Niuan +Niue +Niuean +Niv +nival +nivation +niveau +nivellate +nivellation +nivellator +nivellization +Niven +nivenite +niveous +Nivernais +nivernaise +Niverville +nivicolous +Nivose +nivosity +Nivre +Niwot +nix +Nyx +Nixa +nixe +nixed +nixer +nixes +nixy +Nixie +nixies +nixing +nyxis +Nixon +nixtamal +Nizam +nizamat +nizamate +nizamates +nizams +nizamut +nizey +nizy +NJ +njave +Njord +Njorth +NKGB +Nkkelost +Nkomo +Nkrumah +NKS +NKVD +NL +NLC +NLDP +NLF +NLLST +NLM +NLP +NLRB +NLS +NM +NMC +NMI +NMOS +NMR +NMS +NMU +Nnamdi +NNE +nnethermore +NNP +NNTP +NNW +NNX +No +noa +NOAA +no-account +Noach +Noachian +Noachic +Noachical +Noachite +Noachiun +Noah +Noahic +Noak +Noakes +Noam +Noami +noance +NOAO +Noatun +nob +nobackspace +no-ball +nobatch +nobber +nobby +nobbier +nobbiest +nobbily +nobble +nobbled +nobbler +nobblers +nobbles +nobbling +nobbut +Nobe +no-being +Nobel +Nobelist +nobelists +nobelium +nobeliums +Nobell +Noby +Nobie +Nobile +nobiliary +nobilify +nobilitate +nobilitation +nobility +nobilities +nobis +Noble +noble-born +Nobleboro +noble-couraged +nobled +noble-featured +noble-fronted +noblehearted +nobleheartedly +nobleheartedness +nobley +noble-looking +nobleman +noblemanly +noblemem +noblemen +noble-minded +noble-mindedly +noble-mindedness +noble-natured +nobleness +noblenesses +nobler +nobles +noble-spirited +noblesse +noblesses +noblest +Noblesville +noble-tempered +Nobleton +noble-visaged +noblewoman +noblewomen +nobly +noblify +nobling +nobody +nobodyd +nobody'd +nobodies +nobodyness +nobs +Nobusuke +nobut +NOC +nocake +Nocardia +nocardiosis +Nocatee +nocence +nocent +nocerite +nocht +Nochur +nociassociation +nociceptive +nociceptor +nociperception +nociperceptive +nocive +nock +nocked +nockerl +nocket +nocking +nocks +nocktat +Nocona +noconfirm +no-count +NOCS +noct- +noctambulant +noctambulate +noctambulation +noctambule +noctambulism +noctambulist +noctambulistic +noctambulous +Nocten +nocti- +noctidial +noctidiurnal +noctiferous +noctiflorous +Noctilio +Noctilionidae +Noctiluca +noctilucae +noctilucal +noctilucan +noctilucence +noctilucent +Noctilucidae +noctilucin +noctilucine +noctilucous +noctiluminous +noctiluscence +noctimania +noctipotent +noctis +noctivagant +noctivagation +noctivagous +noctograph +Noctor +noctovision +noctua +Noctuae +noctuid +Noctuidae +noctuideous +noctuidous +noctuids +noctuiform +noctule +noctules +noctuoid +nocturia +nocturn +nocturnal +nocturnality +nocturnally +nocturne +nocturnes +nocturns +nocuity +nocument +nocumentum +nocuous +nocuously +nocuousness +Nod +Nodab +Nodababus +nodal +nodality +nodalities +nodally +Nodarse +nodated +Nodaway +nodded +nodder +nodders +noddi +noddy +noddies +nodding +noddingly +noddle +noddlebone +noddled +noddles +noddling +node +noded +no-deposit +no-deposit-no-return +nodes +node's +nodi +nodi- +nodiak +nodical +nodicorn +nodiferous +nodiflorous +nodiform +Nodosaria +nodosarian +nodosariform +nodosarine +nodosaur +nodose +nodosity +nodosities +nodous +nods +nod's +nodular +nodulate +nodulated +nodulation +nodule +noduled +nodules +noduli +nodulize +nodulized +nodulizing +nodulose +nodulous +nodulus +nodus +Noe +noebcd +noecho +noegenesis +noegenetic +Noel +Noelani +Noelyn +Noell +Noella +Noelle +Noellyn +noels +noematachograph +noematachometer +noematachometic +noematical +Noemi +Noemon +noerror +noes +noesis +noesises +Noetherian +noetian +Noetic +noetics +noex +noexecute +no-fault +nofile +Nofretete +nog +nogada +Nogai +nogaku +Nogal +Nogales +Nogas +nogg +nogged +noggen +Noggerath +noggin +nogging +noggings +noggins +noggs +noghead +nogheaded +no-go +no-good +nogs +Noguchi +Noh +nohes +nohex +no-hit +no-hitter +no-hoper +nohow +Nohuntsik +noy +noyade +noyaded +noyades +noyading +noyance +noyant +noyau +NoibN +noibwood +Noyes +noyful +noil +noilage +noiler +noily +noils +noint +nointment +Noyon +noyous +noir +noire +noires +noisance +noise +noised +noiseful +noisefully +noisefulness +noiseless +noiselessly +noiselessness +noisemake +noisemaker +noisemakers +noisemaking +noiseproof +noises +noisette +noisy +noisier +noisiest +noisily +noisiness +noisinesses +noising +noisome +noisomely +noisomeness +noix +Nokesville +Nokomis +nokta +nol +Nola +Nolan +Nolana +Noland +Nolanville +Nolascan +nold +Nolde +Nole +Nolensville +Noleta +Noletta +Noli +Nolie +noli-me-tangere +Nolita +nolition +Nolitta +Noll +nolle +nolleity +nollepros +Nolly +Nollie +noll-kholl +nolo +nolos +nol-pros +nol-prossed +nol-prossing +nolt +Nolte +Noludar +nom +nom. +Noma +nomad +nomade +nomades +nomadian +nomadic +nomadical +nomadically +Nomadidae +nomadise +nomadism +nomadisms +nomadization +nomadize +nomads +Noman +nomancy +no-man's-land +nomap +nomarch +nomarchy +nomarchies +nomarchs +Nomarthra +nomarthral +nomas +nombles +nombril +nombrils +Nome +Nomeidae +nomen +nomenclate +nomenclative +nomenclator +nomenclatory +nomenclatorial +nomenclatorship +nomenclatural +nomenclature +nomenclatures +nomenclaturist +nomes +Nomeus +Nomi +nomy +nomial +nomic +nomina +nominable +nominal +nominalism +nominalist +nominalistic +nominalistical +nominalistically +nominality +nominalize +nominalized +nominalizing +nominally +nominalness +nominals +nominate +nominated +nominately +nominates +nominating +nomination +nominations +nominatival +nominative +nominatively +nominatives +nominator +nominators +nominatrix +nominature +nomine +nominee +nomineeism +nominees +nominy +nomism +nomisma +nomismata +nomisms +nomistic +nomnem +nomo- +nomocanon +nomocracy +nomogeny +nomogenist +nomogenous +nomogram +nomograms +nomograph +nomographer +nomography +nomographic +nomographical +nomographically +nomographies +nomoi +nomology +nomological +nomologies +nomologist +nomopelmous +nomophylax +nomophyllous +nomos +nomotheism +nomothete +nomothetes +nomothetic +nomothetical +noms +Nomura +non +non- +Nona +nona- +nonabandonment +nonabatable +nonabdication +nonabdicative +nonabiding +nonabidingly +nonabidingness +nonability +non-ability +nonabjuration +nonabjuratory +nonabjurer +nonabolition +nonabortive +nonabortively +nonabortiveness +nonabrasive +nonabrasively +nonabrasiveness +nonabridgable +nonabridgment +nonabrogable +nonabsentation +nonabsolute +nonabsolutely +nonabsoluteness +nonabsolution +nonabsolutist +nonabsolutistic +nonabsolutistically +nonabsorbability +nonabsorbable +nonabsorbency +nonabsorbent +nonabsorbents +nonabsorbing +nonabsorption +nonabsorptive +nonabstainer +nonabstainers +nonabstaining +nonabstemious +nonabstemiously +nonabstemiousness +nonabstention +nonabstract +nonabstracted +nonabstractedly +nonabstractedness +nonabstractly +nonabstractness +nonabusive +nonabusively +nonabusiveness +nonacademic +nonacademical +nonacademically +nonacademicalness +nonacademics +nonaccedence +nonacceding +nonacceleration +nonaccelerative +nonacceleratory +nonaccent +nonaccented +nonaccenting +nonaccentual +nonaccentually +nonacceptance +nonacceptant +nonacceptation +nonaccepted +nonaccess +non-access +nonaccession +nonaccessory +nonaccessories +nonaccidental +nonaccidentally +nonaccidentalness +nonaccommodable +nonaccommodably +nonaccommodating +nonaccommodatingly +nonaccommodatingness +nonaccompanying +nonaccompaniment +nonaccomplishment +nonaccord +nonaccordant +nonaccordantly +nonaccredited +nonaccretion +nonaccretive +nonaccrued +nonaccruing +nonacculturated +nonaccumulating +nonaccumulation +nonaccumulative +nonaccumulatively +nonaccumulativeness +nonaccusing +nonachievement +nonacid +nonacidic +nonacidity +nonacids +nonacknowledgment +nonacosane +nonacoustic +nonacoustical +nonacoustically +nonacquaintance +nonacquaintanceship +nonacquiescence +nonacquiescent +nonacquiescently +nonacquiescing +nonacquisitive +nonacquisitively +nonacquisitiveness +nonacquittal +nonact +nonactinic +nonactinically +nonaction +nonactionable +nonactionably +nonactivation +nonactivator +nonactive +nonactives +nonactivity +nonactivities +nonactor +nonactual +nonactuality +nonactualities +nonactualness +nonacuity +nonaculeate +nonaculeated +nonacute +nonacutely +nonacuteness +nonadaptability +nonadaptable +nonadaptableness +nonadaptabness +nonadaptation +nonadaptational +nonadapter +nonadapting +nonadaptive +nonadaptor +nonaddict +nonaddicted +nonaddicting +nonaddictive +nonadditive +nonadditivity +nonaddress +nonaddresser +nonadecane +nonadept +nonadeptly +nonadeptness +nonadherence +nonadherences +nonadherent +nonadhering +nonadhesion +nonadhesive +nonadhesively +nonadhesiveness +nonadjacency +nonadjacencies +nonadjacent +nonadjacently +nonadjectival +nonadjectivally +nonadjectively +nonadjoining +nonadjournment +nonadjudicated +nonadjudication +nonadjudicative +nonadjudicatively +nonadjunctive +nonadjunctively +nonadjustability +nonadjustable +nonadjustably +nonadjuster +nonadjustive +nonadjustment +nonadjustor +nonadministrable +nonadministrant +nonadministrative +nonadministratively +nonadmiring +nonadmissibility +nonadmissible +nonadmissibleness +nonadmissibly +nonadmission +nonadmissions +nonadmissive +nonadmitted +nonadmittedly +nonadoptable +nonadopter +nonadoption +Nonadorantes +nonadorner +nonadorning +nonadornment +nonadult +nonadults +nonadvancement +nonadvantageous +nonadvantageously +nonadvantageousness +nonadventitious +nonadventitiously +nonadventitiousness +nonadventurous +nonadventurously +nonadventurousness +nonadverbial +nonadverbially +nonadvertence +nonadvertency +nonadvocacy +nonadvocate +nonaerated +nonaerating +nonaerobiotic +nonaesthetic +nonaesthetical +nonaesthetically +nonaffectation +nonaffecting +nonaffectingly +nonaffection +nonaffective +nonaffiliated +nonaffiliating +nonaffiliation +nonaffilliated +nonaffinity +nonaffinities +nonaffinitive +nonaffirmance +nonaffirmation +Non-african +nonage +nonagenary +nonagenarian +nonagenarians +nonagenaries +nonagency +nonagent +nonages +nonagesimal +nonagglomerative +nonagglutinant +nonagglutinating +nonagglutinative +nonagglutinator +nonaggression +nonaggressions +nonaggressive +nonagon +nonagons +nonagrarian +nonagreeable +nonagreement +nonagricultural +Nonah +nonahydrate +nonaid +nonair +nonalarmist +nonalcohol +nonalcoholic +non-Alexandrian +nonalgebraic +nonalgebraical +nonalgebraically +nonalien +nonalienating +nonalienation +nonalignable +nonaligned +nonalignment +nonalined +nonalinement +nonalkaloid +nonalkaloidal +nonallegation +nonallegiance +nonallegoric +nonallegorical +nonallegorically +nonallelic +nonallergenic +nonalliterated +nonalliterative +nonalliteratively +nonalliterativeness +nonallotment +nonalluvial +nonalphabetic +nonalphabetical +nonalphabetically +nonalternating +nonaltruistic +nonaltruistically +nonaluminous +nonamalgamable +nonamazedness +nonamazement +nonambiguity +nonambiguities +nonambiguous +nonambitious +nonambitiously +nonambitiousness +nonambulaties +nonambulatory +nonamenability +nonamenable +nonamenableness +nonamenably +nonamendable +nonamendment +Non-american +nonamino +nonamorous +nonamorously +nonamorousness +nonamotion +nonamphibian +nonamphibious +nonamphibiously +nonamphibiousness +nonamputation +nonanachronistic +nonanachronistically +nonanachronous +nonanachronously +nonanaemic +nonanalytic +nonanalytical +nonanalytically +nonanalyzable +nonanalyzed +nonanalogy +nonanalogic +nonanalogical +nonanalogically +nonanalogicalness +nonanalogous +nonanalogously +nonanalogousness +nonanaphoric +nonanaphthene +nonanarchic +nonanarchical +nonanarchically +nonanarchistic +nonanatomic +nonanatomical +nonanatomically +nonancestral +nonancestrally +nonane +nonanemic +nonanesthetic +nonanesthetized +nonangelic +Non-anglican +nonangling +nonanguished +nonanimal +nonanimality +nonanimate +nonanimated +nonanimating +nonanimatingly +nonanimation +nonannexable +nonannexation +nonannihilability +nonannihilable +nonannouncement +nonannuitant +nonannulment +nonanoic +nonanonymity +nonanonymousness +nonanswer +nonantagonistic +nonantagonistically +nonanticipation +nonanticipative +nonanticipatively +nonanticipatory +nonanticipatorily +nonantigenic +Nonantum +nonaphasiac +nonaphasic +nonaphetic +nonaphoristic +nonaphoristically +nonapologetic +nonapologetical +nonapologetically +nonapostatizing +nonapostolic +nonapostolical +nonapostolically +nonapparent +nonapparently +nonapparentness +nonapparitional +nonappealability +nonappealable +nonappealing +nonappealingly +nonappealingness +nonappearance +non-appearance +nonappearances +nonappearer +nonappearing +nonappeasability +nonappeasable +nonappeasing +nonappellate +nonappendance +nonappendant +nonappendence +nonappendent +nonappendicular +nonapply +nonapplicability +nonapplicable +nonapplicableness +nonapplicabness +nonapplication +nonapplicative +nonapplicatory +nonappointive +nonappointment +nonapportionable +nonapportionment +nonapposable +nonappraisal +nonappreciation +nonappreciative +nonappreciatively +nonappreciativeness +nonapprehensibility +nonapprehensible +nonapprehension +nonapprehensive +nonapproachability +nonapproachable +nonapproachableness +nonapproachabness +nonappropriable +nonappropriation +nonappropriative +nonapproval +nonaquatic +nonaqueous +Non-arab +Non-arabic +nonarbitrable +nonarbitrary +nonarbitrarily +nonarbitrariness +Non-archimedean +nonarching +nonarchitectonic +nonarchitectural +nonarchitecturally +nonarcing +nonarcking +non-arcking +nonargentiferous +nonarguable +nonargumentative +nonargumentatively +nonargumentativeness +nonary +non-Aryan +nonaries +nonaristocratic +nonaristocratical +nonaristocratically +nonarithmetic +nonarithmetical +nonarithmetically +nonarmament +nonarmigerous +nonaromatic +nonaromatically +nonarraignment +nonarresting +nonarrival +nonarrogance +nonarrogancy +nonarsenic +nonarsenical +nonart +nonarterial +nonartesian +nonarticulate +nonarticulated +nonarticulately +nonarticulateness +nonarticulation +nonarticulative +nonartistic +nonartistical +nonartistically +nonarts +nonas +nonasbestine +nonascendance +nonascendancy +nonascendant +nonascendantly +nonascendence +nonascendency +nonascendent +nonascendently +nonascertainable +nonascertainableness +nonascertainably +nonascertaining +nonascertainment +nonascetic +nonascetical +nonascetically +nonasceticism +nonascription +nonaseptic +nonaseptically +non-Asian +Non-asiatic +nonaspersion +nonasphalt +nonaspirate +nonaspirated +nonaspirating +nonaspiratory +nonaspiring +nonassault +nonassent +nonassentation +nonassented +nonassenting +nonassertion +nonassertive +nonassertively +nonassertiveness +nonassessability +nonassessable +nonassessment +nonassignability +nonassignabilty +nonassignable +nonassignably +nonassigned +nonassignment +nonassimilability +nonassimilable +nonassimilating +nonassimilation +nonassimilative +nonassimilatory +nonassistance +nonassistant +nonassister +nonassistive +nonassociability +nonassociable +nonassociation +nonassociational +nonassociative +nonassociatively +nonassonance +nonassonant +nonassortment +nonassumed +non-assumpsit +nonassumption +nonassumptive +nonassurance +nonasthmatic +nonasthmatically +nonastonishment +nonastral +nonastringency +nonastringent +nonastringently +nonastronomic +nonastronomical +nonastronomically +nonatheistic +nonatheistical +nonatheistically +nonathlete +nonathletic +nonathletically +nonatmospheric +nonatmospherical +nonatmospherically +nonatomic +nonatomical +nonatomically +nonatonement +nonatrophic +nonatrophied +nonattached +nonattachment +nonattacking +nonattainability +nonattainable +nonattainment +nonattendance +non-attendance +nonattendant +nonattention +nonattestation +Non-attic +nonattribution +nonattributive +nonattributively +nonattributiveness +nonaudibility +nonaudible +nonaudibleness +nonaudibly +nonaugmentative +nonauricular +nonauriferous +nonauthentic +nonauthentical +nonauthenticated +nonauthentication +nonauthenticity +nonauthoritative +nonauthoritatively +nonauthoritativeness +nonautobiographical +nonautobiographically +nonautomated +nonautomatic +nonautomatically +nonautomotive +nonautonomous +nonautonomously +nonautonomousness +nonavailability +nonavoidable +nonavoidableness +nonavoidably +nonavoidance +nonaxiomatic +nonaxiomatical +nonaxiomatically +nonazotized +nonbachelor +nonbacterial +nonbacterially +nonbailable +nonballoting +nonbanishment +nonbank +nonbankable +Non-bantu +Non-baptist +nonbarbarian +nonbarbaric +nonbarbarous +nonbarbarously +nonbarbarousness +nonbaronial +nonbase +nonbasement +nonbasic +nonbasing +nonbathing +nonbearded +nonbearing +nonbeatific +nonbeatifically +nonbeauty +nonbeauties +nonbeing +nonbeings +nonbelief +nonbeliever +nonbelievers +nonbelieving +nonbelievingly +nonbelligerency +nonbelligerent +nonbelligerents +nonbending +nonbeneficed +nonbeneficence +nonbeneficent +nonbeneficently +nonbeneficial +nonbeneficially +nonbeneficialness +nonbenevolence +nonbenevolent +nonbenevolently +nonbetrayal +nonbeverage +nonbiased +Non-biblical +non-Biblically +nonbibulous +nonbibulously +nonbibulousness +nonbigoted +nonbigotedly +nonbilabiate +nonbilious +nonbiliously +nonbiliousness +nonbillable +nonbinding +nonbindingly +nonbindingness +nonbinomial +nonbiodegradable +nonbiographical +nonbiographically +nonbiological +nonbiologically +nonbiting +nonbitter +nonbituminous +nonblack +nonblamable +nonblamableness +nonblamably +nonblameful +nonblamefully +nonblamefulness +nonblameless +nonblank +nonblasphemy +nonblasphemies +nonblasphemous +nonblasphemously +nonblasphemousness +nonbleach +nonbleeding +nonblended +nonblending +nonblinding +nonblindingly +nonblockaded +nonblocking +nonblooded +nonblooming +nonblundering +nonblunderingly +nonboaster +nonboasting +nonboastingly +nonbody +nonbodily +nonboding +nonbodingly +nonboiling +Non-bolshevik +non-Bolshevism +Non-bolshevist +non-Bolshevistic +nonbook +nonbookish +nonbookishly +nonbookishness +nonbooks +nonborrower +nonborrowing +nonbotanic +nonbotanical +nonbotanically +nonbourgeois +non-Brahmanic +Non-brahmanical +non-Brahminic +non-Brahminical +nonbrand +nonbranded +nonbreach +nonbreaching +nonbreakable +nonbreeder +nonbreeding +nonbristled +Non-british +nonbromidic +nonbroody +nonbroodiness +nonbrooding +nonbrowser +nonbrowsing +nonbrutal +nonbrutally +Non-buddhist +non-Buddhistic +nonbudding +nonbuying +nonbulbaceous +nonbulbar +nonbulbiferous +nonbulbous +nonbulkhead +nonbuoyancy +nonbuoyant +nonbuoyantly +nonburdensome +nonburdensomely +nonburdensomeness +nonbureaucratic +nonbureaucratically +nonburgage +nonburgess +nonburnable +nonburning +nonbursting +nonbusy +nonbusily +nonbusiness +nonbusyness +nonbuttressed +noncabinet +noncadenced +noncadent +noncaffeine +noncaffeinic +noncaking +Noncalcarea +noncalcareous +noncalcified +noncalculable +noncalculably +noncalculating +noncalculative +noncallability +noncallable +noncaloric +noncalumniating +noncalumnious +Non-calvinist +non-Calvinistic +non-Calvinistical +noncancelable +noncancellable +noncancellation +noncancerous +noncandescence +noncandescent +noncandescently +noncandidate +noncandidates +noncannibalistic +noncannibalistically +noncannonical +noncanonical +noncanonization +noncanvassing +noncapillary +noncapillaries +noncapillarity +noncapital +noncapitalist +noncapitalistic +noncapitalistically +noncapitalized +noncapitulation +noncapricious +noncapriciously +noncapriciousness +noncapsizable +noncaptious +noncaptiously +noncaptiousness +noncapture +noncarbohydrate +noncarbolic +noncarbon +noncarbonate +noncarbonated +noncareer +noncarnivorous +noncarnivorously +noncarnivorousness +noncarrier +noncartelized +noncash +noncaste +noncastigating +noncastigation +noncasual +noncasuistic +noncasuistical +noncasuistically +noncataclysmal +noncataclysmic +noncatalytic +noncatalytically +noncataloguer +noncatarrhal +noncatastrophic +noncatechistic +noncatechistical +noncatechizable +noncategorical +noncategorically +noncategoricalness +noncathartic +noncathartical +noncathedral +Non-catholic +noncatholicity +Non-caucasian +non-Caucasic +non-Caucasoid +noncausable +noncausal +noncausality +noncausally +noncausation +noncausative +noncausatively +noncausativeness +noncaustic +noncaustically +nonce +noncelebration +noncelestial +noncelestially +noncellular +noncellulosic +noncellulous +Non-celtic +noncensored +noncensorious +noncensoriously +noncensoriousness +noncensurable +noncensurableness +noncensurably +noncensus +noncentral +noncentrally +noncereal +noncerebral +nonceremonial +nonceremonially +nonceremonious +nonceremoniously +nonceremoniousness +noncertain +noncertainty +noncertainties +noncertification +noncertified +noncertitude +nonces +nonchafing +nonchalance +nonchalances +nonchalant +nonchalantly +nonchalantness +nonchalky +nonchallenger +nonchallenging +nonchampion +nonchangeable +nonchangeableness +nonchangeably +nonchanging +nonchanneled +nonchannelized +nonchaotic +nonchaotically +noncharacteristic +noncharacteristically +noncharacterized +nonchargeable +noncharismatic +noncharitable +noncharitableness +noncharitably +nonchastisement +nonchastity +Non-chaucerian +nonchemical +nonchemist +nonchimeric +nonchimerical +nonchimerically +Non-chinese +nonchivalric +nonchivalrous +nonchivalrously +nonchivalrousness +nonchokable +nonchokebore +noncholeric +Non-christian +nonchromatic +nonchromatically +nonchromosomal +nonchronic +nonchronical +nonchronically +nonchronological +nonchurch +nonchurched +nonchurchgoer +nonchurchgoers +nonchurchgoing +noncyclic +noncyclical +noncyclically +nonciliate +nonciliated +Non-cymric +noncircuit +noncircuital +noncircuited +noncircuitous +noncircuitously +noncircuitousness +noncircular +noncircularly +noncirculating +noncirculation +noncirculatory +noncircumscribed +noncircumscriptive +noncircumspect +noncircumspectly +noncircumspectness +noncircumstantial +noncircumstantially +noncircumvallated +noncitable +noncitation +nonciteable +noncitizen +noncitizens +noncivilian +noncivilizable +noncivilized +nonclaim +non-claim +nonclaimable +nonclamorous +nonclamorously +nonclarifiable +nonclarification +nonclarified +nonclass +nonclassable +nonclassic +nonclassical +nonclassicality +nonclassically +nonclassifiable +nonclassification +nonclassified +nonclastic +nonclearance +noncleistogamic +noncleistogamous +nonclergyable +nonclerical +nonclerically +nonclerics +nonclimactic +nonclimactical +nonclimbable +nonclimbing +noncling +nonclinging +nonclinical +nonclinically +noncloistered +nonclose +nonclosely +nonclosure +nonclotting +noncoagulability +noncoagulable +noncoagulating +noncoagulation +noncoagulative +noncoalescence +noncoalescent +noncoalescing +noncock +noncodified +noncoercible +noncoercion +noncoercive +noncoercively +noncoerciveness +noncogency +noncogent +noncogently +noncognate +noncognition +noncognitive +noncognizable +noncognizably +noncognizance +noncognizant +noncognizantly +noncohabitation +noncoherence +noncoherency +noncoherent +noncoherently +noncohesion +noncohesive +noncohesively +noncohesiveness +noncoinage +noncoincidence +noncoincident +noncoincidental +noncoincidentally +noncoking +non-coll +noncollaboration +noncollaborative +noncollapsable +noncollapsibility +noncollapsible +noncollectable +noncollectible +noncollection +noncollective +noncollectively +noncollectivistic +noncollegiate +non-collegiate +noncollinear +noncolloid +noncolloidal +noncollusion +noncollusive +noncollusively +noncollusiveness +noncolonial +noncolonially +noncolor +noncolorability +noncolorable +noncolorableness +noncolorably +noncoloring +noncom +non-com +noncombat +noncombatant +non-combatant +noncombatants +noncombative +noncombination +noncombinative +noncombining +noncombustibility +noncombustible +noncombustibles +noncombustion +noncombustive +noncome +noncomic +noncomical +noncomicality +noncomically +noncomicalness +noncoming +noncommemoration +noncommemorational +noncommemorative +noncommemoratively +noncommemoratory +noncommencement +noncommendable +noncommendableness +noncommendably +noncommendatory +noncommensurable +noncommercial +noncommerciality +noncommercially +noncommiseration +noncommiserative +noncommiseratively +noncommissioned +non-commissioned +noncommitally +noncommitment +noncommittal +non-committal +noncommittalism +noncommittally +noncommittalness +noncommitted +noncommodious +noncommodiously +noncommodiousness +noncommonable +noncommorancy +noncommunal +noncommunally +noncommunicability +noncommunicable +noncommunicableness +noncommunicant +non-communicant +noncommunicating +noncommunication +noncommunicative +noncommunicatively +noncommunicativeness +noncommunion +noncommunist +noncommunistic +noncommunistical +noncommunistically +noncommunists +noncommutative +noncompearance +noncompensable +noncompensating +noncompensation +noncompensative +noncompensatory +noncompetency +noncompetent +noncompetently +noncompeting +noncompetitive +noncompetitively +noncompetitiveness +noncomplacence +noncomplacency +noncomplacencies +noncomplacent +noncomplacently +noncomplaisance +noncomplaisant +noncomplaisantly +noncompletion +noncompliance +noncompliances +noncompliant +noncomplicity +noncomplicities +noncomplying +noncompos +noncomposes +noncomposite +noncompositely +noncompositeness +noncomposure +noncompound +noncompoundable +noncompounder +non-compounder +noncomprehendible +noncomprehending +noncomprehendingly +noncomprehensible +noncomprehensiblely +noncomprehension +noncomprehensive +noncomprehensively +noncomprehensiveness +noncompressibility +noncompressible +noncompression +noncompressive +noncompressively +noncompromised +noncompromising +noncompulsion +noncompulsive +noncompulsively +noncompulsory +noncompulsorily +noncompulsoriness +noncomputation +noncoms +noncon +non-con +nonconcealment +nonconceiving +nonconcentrated +nonconcentratiness +nonconcentration +nonconcentrative +nonconcentrativeness +nonconcentric +nonconcentrical +nonconcentrically +nonconcentricity +nonconception +nonconceptual +nonconceptually +nonconcern +nonconcession +nonconcessive +nonconciliating +nonconciliatory +nonconcision +nonconcludency +nonconcludent +nonconcluding +nonconclusion +nonconclusive +nonconclusively +nonconclusiveness +nonconcordant +nonconcordantly +nonconcur +nonconcurred +nonconcurrence +nonconcurrency +nonconcurrent +nonconcurrently +nonconcurring +noncondemnation +noncondensable +noncondensation +noncondensed +noncondensibility +noncondensible +noncondensing +non-condensing +noncondescending +noncondescendingly +noncondescendingness +noncondescension +noncondiment +noncondimental +nonconditional +nonconditioned +noncondonation +nonconduciness +nonconducive +nonconduciveness +nonconductibility +nonconductible +nonconducting +nonconduction +nonconductive +nonconductor +non-conductor +nonconductors +nonconfederate +nonconfederation +nonconferrable +nonconfession +nonconficient +nonconfidence +nonconfident +nonconfidential +nonconfidentiality +nonconfidentially +nonconfidentialness +nonconfidently +nonconfiding +nonconfined +nonconfinement +nonconfining +nonconfirmation +nonconfirmative +nonconfirmatory +nonconfirming +nonconfiscable +nonconfiscation +nonconfiscatory +nonconfitent +nonconflicting +nonconflictive +nonconform +nonconformability +nonconformable +nonconformably +nonconformance +nonconformer +nonconformest +nonconforming +nonconformism +Nonconformist +nonconformistical +nonconformistically +nonconformists +nonconformitant +nonconformity +nonconfrontation +nonconfutation +noncongealing +noncongenital +noncongestion +noncongestive +noncongratulatory +Non-congregational +noncongregative +Non-congressional +noncongruence +noncongruency +noncongruent +noncongruently +noncongruity +noncongruities +noncongruous +noncongruously +noncongruousness +nonconjecturable +nonconjecturably +nonconjectural +nonconjugal +nonconjugality +nonconjugally +nonconjugate +nonconjugation +nonconjunction +nonconjunctive +nonconjunctively +nonconnection +nonconnective +nonconnectively +nonconnectivity +nonconnivance +nonconnivence +nonconnotative +nonconnotatively +nonconnubial +nonconnubiality +nonconnubially +nonconscientious +nonconscientiously +nonconscientiousness +nonconscious +nonconsciously +nonconsciousness +nonconscriptable +nonconscription +nonconsecration +nonconsecutive +nonconsecutively +nonconsecutiveness +nonconsent +nonconsenting +nonconsequence +nonconsequent +nonconsequential +nonconsequentiality +nonconsequentially +nonconsequentialness +nonconservation +nonconservational +nonconservative +nonconserving +nonconsideration +nonconsignment +nonconsistorial +nonconsolable +nonconsolidation +nonconsoling +nonconsolingly +nonconsonance +nonconsonant +nonconsorting +nonconspirator +nonconspiratorial +nonconspiring +nonconstant +nonconstituent +nonconstituted +nonconstitutional +nonconstraining +nonconstraint +nonconstricted +nonconstricting +nonconstrictive +nonconstruability +nonconstruable +nonconstruction +nonconstructive +nonconstructively +nonconstructiveness +nonconsular +nonconsultative +nonconsultatory +nonconsumable +nonconsuming +nonconsummation +nonconsumption +nonconsumptive +nonconsumptively +nonconsumptiveness +noncontact +noncontagion +non-contagion +noncontagionist +noncontagious +noncontagiously +noncontagiousness +noncontaminable +noncontamination +noncontaminative +noncontemplative +noncontemplatively +noncontemplativeness +noncontemporaneous +noncontemporaneously +noncontemporaneousness +noncontemporary +noncontemporaries +noncontemptibility +noncontemptible +noncontemptibleness +noncontemptibly +noncontemptuous +noncontemptuously +noncontemptuousness +noncontending +noncontent +non-content +noncontention +noncontentious +noncontentiously +nonconterminal +nonconterminous +nonconterminously +noncontestable +noncontestation +noncontextual +noncontextually +noncontiguity +noncontiguities +noncontiguous +noncontiguously +noncontiguousness +noncontinence +noncontinency +noncontinental +noncontingency +noncontingent +noncontingently +noncontinuable +noncontinuably +noncontinuance +noncontinuation +noncontinuity +noncontinuous +noncontinuously +noncontinuousness +noncontraband +noncontrabands +noncontraction +noncontractual +noncontradiction +non-contradiction +noncontradictory +noncontradictories +noncontrariety +noncontrarieties +noncontrastable +noncontrastive +noncontributable +noncontributing +noncontribution +noncontributive +noncontributively +noncontributiveness +noncontributor +noncontributory +noncontributories +noncontrivance +noncontrollable +noncontrollablely +noncontrollably +noncontrolled +noncontrolling +noncontroversial +noncontroversially +noncontumacious +noncontumaciously +noncontumaciousness +nonconvective +nonconvectively +nonconveyance +nonconvenable +nonconventional +nonconventionally +nonconvergence +nonconvergency +nonconvergent +nonconvergently +nonconverging +nonconversable +nonconversableness +nonconversably +nonconversance +nonconversancy +nonconversant +nonconversantly +nonconversational +nonconversationally +nonconversion +nonconvertibility +nonconvertible +nonconvertibleness +nonconvertibly +nonconviction +nonconvivial +nonconviviality +nonconvivially +non-co-operate +noncooperating +noncooperation +nonco-operation +non-co-operation +noncooperationist +nonco-operationist +non-co-operationist +noncooperative +non-co-operative +noncooperator +nonco-operator +non-co-operator +noncoordinating +noncoordination +non-co-ordination +noncopying +noncoplanar +noncoring +noncorporate +noncorporately +noncorporation +noncorporative +noncorporeal +noncorporeality +noncorpuscular +noncorrection +noncorrectional +noncorrective +noncorrectively +noncorrelating +noncorrelation +noncorrelative +noncorrelatively +noncorrespondence +noncorrespondent +noncorresponding +noncorrespondingly +noncorroborating +noncorroboration +noncorroborative +noncorroboratively +noncorroboratory +noncorrodible +noncorroding +noncorrosive +noncorrosively +noncorrosiveness +noncorrupt +noncorrupter +noncorruptibility +noncorruptible +noncorruptibleness +noncorruptibly +noncorruption +noncorruptive +noncorruptly +noncorruptness +noncortical +noncortically +noncosmic +noncosmically +noncosmopolitan +noncosmopolitanism +noncosmopolite +noncosmopolitism +noncostraight +noncotyledonal +noncotyledonary +noncotyledonous +noncottager +noncounteractive +noncounterfeit +noncounty +noncovetous +noncovetously +noncovetousness +noncranking +noncreation +noncreative +noncreatively +noncreativeness +noncreativity +noncredence +noncredent +noncredibility +noncredible +noncredibleness +noncredibly +noncredit +noncreditable +noncreditableness +noncreditably +noncreditor +noncredulous +noncredulously +noncredulousness +noncreeping +noncrenate +noncrenated +noncretaceous +noncrime +noncriminal +noncriminality +noncriminally +noncrinoid +noncryptic +noncryptical +noncryptically +noncrystalline +noncrystallizable +noncrystallized +noncrystallizing +noncritical +noncritically +noncriticalness +noncriticizing +noncrossover +noncrucial +noncrucially +noncruciform +noncruciformly +noncrusading +noncrushability +noncrushable +noncrustaceous +nonculminating +nonculmination +nonculpability +nonculpable +nonculpableness +nonculpably +noncultivability +noncultivable +noncultivatable +noncultivated +noncultivation +noncultural +nonculturally +nonculture +noncultured +noncumbrous +noncumbrously +noncumbrousness +noncumulative +noncumulatively +noncurantist +noncurative +noncuratively +noncurativeness +noncurdling +noncuriosity +noncurious +noncuriously +noncuriousness +noncurling +noncurrency +noncurrent +noncurrently +noncursive +noncursively +noncurtailing +noncurtailment +noncuspidate +noncuspidated +noncustodial +noncustomary +noncustomarily +noncutting +Non-czech +non-Czechoslovakian +nonda +nondairy +Nondalton +nondamageable +nondamaging +nondamagingly +nondamnation +nondance +nondancer +nondangerous +nondangerously +nondangerousness +Non-danish +nondark +Non-darwinian +nondatival +nondeadly +nondeaf +nondeafened +nondeafening +nondeafeningly +nondeafly +nondeafness +nondealer +nondebatable +nondebater +nondebating +nondebilitating +nondebilitation +nondebilitative +nondebtor +nondecadence +nondecadency +nondecadent +nondecayed +nondecaying +nondecalcification +nondecalcified +nondecane +nondecasyllabic +nondecasyllable +nondecatoic +nondeceit +nondeceivable +nondeceiving +nondeceleration +nondeception +nondeceptive +nondeceptively +nondeceptiveness +Nondeciduata +nondeciduate +nondeciduous +nondeciduously +nondeciduousness +nondecision +nondecisive +nondecisively +nondecisiveness +nondeclamatory +nondeclarant +nondeclaration +nondeclarative +nondeclaratively +nondeclaratory +nondeclarer +nondeclivitous +nondecomposition +nondecorated +nondecoration +nondecorative +nondecorous +nondecorously +nondecorousness +nondecreasing +nondedication +nondedicative +nondedicatory +nondeducible +nondeductibility +nondeductible +nondeduction +nondeductive +nondeductively +nondeep +nondefalcation +nondefamatory +nondefaulting +nondefeasance +nondefeasibility +nondefeasible +nondefeasibleness +nondefeasibness +nondefeat +nondefecting +nondefection +nondefective +nondefectively +nondefectiveness +nondefector +nondefendant +nondefense +nondefensibility +nondefensible +nondefensibleness +nondefensibly +nondefensive +nondefensively +nondefensiveness +nondeferable +nondeference +nondeferent +nondeferential +nondeferentially +nondeferrable +nondefiance +nondefiant +nondefiantly +nondefiantness +nondeficiency +nondeficiencies +nondeficient +nondeficiently +nondefilement +nondefiling +nondefinability +nondefinable +nondefinably +nondefined +nondefiner +nondefining +nondefinite +nondefinitely +nondefiniteness +nondefinition +nondefinitive +nondefinitively +nondefinitiveness +nondeflation +nondeflationary +nondeflected +nondeflection +nondeflective +nondeforestation +nondeformation +nondeformed +nondeformity +nondeformities +nondefunct +nondegeneracy +nondegeneracies +nondegenerate +nondegenerately +nondegenerateness +nondegeneration +nondegenerative +nondegerming +nondegradable +nondegradation +nondegrading +nondegreased +nondehiscent +nondeist +nondeistic +nondeistical +nondeistically +nondelegable +nondelegate +nondelegation +nondeleterious +nondeleteriously +nondeleteriousness +nondeliberate +nondeliberately +nondeliberateness +nondeliberation +nondelicate +nondelicately +nondelicateness +nondelineation +nondelineative +nondelinquent +nondeliquescence +nondeliquescent +nondelirious +nondeliriously +nondeliriousness +nondeliverance +nondelivery +nondeliveries +nondeluded +nondeluding +nondelusive +nondemand +nondemanding +nondemise +nondemobilization +nondemocracy +nondemocracies +nondemocratic +nondemocratical +nondemocratically +nondemolition +nondemonstrability +nondemonstrable +nondemonstrableness +nondemonstrably +nondemonstration +nondemonstrative +nondemonstratively +nondemonstrativeness +nondendroid +nondendroidal +nondenial +nondenominational +nondenominationalism +nondenominationally +nondenotative +nondenotatively +nondense +nondenseness +nondensity +nondenumerable +nondenunciating +nondenunciation +nondenunciative +nondenunciatory +nondeodorant +nondeodorizing +nondepartmental +nondepartmentally +nondeparture +nondependability +nondependable +nondependableness +nondependably +nondependance +nondependancy +nondependancies +nondependence +nondependency +nondependencies +nondependent +nondepletion +nondepletive +nondepletory +nondeportation +nondeported +nondeposition +nondepositor +nondepravation +nondepraved +nondepravity +nondepravities +nondeprecating +nondeprecatingly +nondeprecative +nondeprecatively +nondeprecatory +nondeprecatorily +nondepreciable +nondepreciating +nondepreciation +nondepreciative +nondepreciatively +nondepreciatory +nondepressed +nondepressing +nondepressingly +nondepression +nondepressive +nondepressively +nondeprivable +nondeprivation +nonderelict +nonderisible +nonderisive +nonderivability +nonderivable +nonderivative +nonderivatively +nonderogation +nonderogative +nonderogatively +nonderogatory +nonderogatorily +nonderogatoriness +nondescribable +nondescript +nondescriptive +nondescriptively +nondescriptiveness +nondescriptly +nondesecration +nondesignate +nondesignative +nondesigned +nondesire +nondesirous +nondesistance +nondesistence +nondesisting +nondespotic +nondespotically +nondesquamative +nondestruction +nondestructive +nondestructively +nondestructiveness +nondesulfurization +nondesulfurized +nondesulphurized +nondetachability +nondetachable +nondetachment +nondetailed +nondetention +nondeterioration +nondeterminable +nondeterminacy +nondeterminant +nondeterminate +nondeterminately +nondetermination +nondeterminative +nondeterminatively +nondeterminativeness +nondeterminism +nondeterminist +nondeterministic +nondeterministically +nondeterrent +nondetest +nondetinet +nondetonating +nondetractive +nondetractively +nondetractory +nondetrimental +nondetrimentally +nondevelopable +nondeveloping +nondevelopment +nondevelopmental +nondevelopmentally +nondeviant +nondeviating +nondeviation +nondevious +nondeviously +nondeviousness +nondevotional +nondevotionally +nondevout +nondevoutly +nondevoutness +nondexterity +nondexterous +nondexterously +nondexterousness +nondextrous +nondiabetic +nondiabolic +nondiabolical +nondiabolically +nondiabolicalness +nondiagnosis +nondiagonal +nondiagonally +nondiagrammatic +nondiagrammatical +nondiagrammatically +nondialectal +nondialectally +nondialectic +nondialectical +nondialectically +nondialyzing +nondiametral +nondiametrally +nondiapausing +nondiaphanous +nondiaphanously +nondiaphanousness +nondiastasic +nondiastatic +nondiathermanous +nondiazotizable +nondichogamy +nondichogamic +nondichogamous +nondichotomous +nondichotomously +nondictation +nondictatorial +nondictatorially +nondictatorialness +nondictionary +nondidactic +nondidactically +nondietetic +nondietetically +nondieting +nondifferentation +nondifferentiable +nondifferentiation +nondifficult +nondiffidence +nondiffident +nondiffidently +nondiffractive +nondiffractively +nondiffractiveness +nondiffuse +nondiffused +nondiffusible +nondiffusibleness +nondiffusibly +nondiffusing +nondiffusion +nondigestibility +nondigestible +nondigestibleness +nondigestibly +nondigesting +nondigestion +nondigestive +nondilapidated +nondilatability +nondilatable +nondilation +nondiligence +nondiligent +nondiligently +nondilution +nondimensioned +nondiminishing +nondynamic +nondynamical +nondynamically +nondynastic +nondynastical +nondynastically +nondiocesan +nondiphtherial +nondiphtheric +nondiphtheritic +nondiphthongal +nondiplomacy +nondiplomatic +nondiplomatically +nondipterous +nondirection +nondirectional +nondirective +nondirigibility +nondirigible +nondisagreement +nondisappearing +nondisarmament +nondisastrous +nondisastrously +nondisastrousness +nondisbursable +nondisbursed +nondisbursement +nondiscerning +nondiscernment +nondischarging +nondisciplinable +nondisciplinary +nondisciplined +nondisciplining +nondisclaim +nondisclosure +nondiscontinuance +nondiscordant +nondiscountable +nondiscoverable +nondiscovery +nondiscoveries +nondiscretionary +nondiscriminating +nondiscriminatingly +nondiscrimination +nondiscriminations +nondiscriminative +nondiscriminatively +nondiscriminatory +nondiscursive +nondiscursively +nondiscursiveness +nondiscussion +nondiseased +nondisestablishment +nondisfigurement +nondisfranchised +nondisguised +nondisingenuous +nondisingenuously +nondisingenuousness +nondisintegrating +nondisintegration +nondisinterested +nondisjunct +nondisjunction +nondisjunctional +nondisjunctive +nondisjunctively +nondismemberment +nondismissal +nondisparaging +nondisparate +nondisparately +nondisparateness +nondisparity +nondisparities +nondispensable +nondispensation +nondispensational +nondispensible +nondyspeptic +nondyspeptical +nondyspeptically +nondispersal +nondispersion +nondispersive +nondisposable +nondisposal +nondisposed +nondisputatious +nondisputatiously +nondisputatiousness +nondisqualifying +nondisrupting +nondisruptingly +nondisruptive +nondissent +nondissenting +nondissidence +nondissident +nondissipated +nondissipatedly +nondissipatedness +nondissipative +nondissolution +nondissolving +nondistant +nondistillable +nondistillation +nondistinctive +nondistinguishable +nondistinguishableness +nondistinguishably +nondistinguished +nondistinguishing +nondistorted +nondistortedly +nondistortedness +nondistorting +nondistortingly +nondistortion +nondistortive +nondistracted +nondistractedly +nondistracting +nondistractingly +nondistractive +nondistribution +nondistributional +nondistributive +nondistributively +nondistributiveness +nondisturbance +nondisturbing +nondivergence +nondivergency +nondivergencies +nondivergent +nondivergently +nondiverging +nondiversification +nondividing +nondivinity +nondivinities +nondivisibility +nondivisible +nondivisiblity +nondivision +nondivisional +nondivisive +nondivisively +nondivisiveness +nondivorce +nondivorced +nondivulgence +nondivulging +nondo +nondoctrinaire +nondoctrinal +nondoctrinally +nondocumental +nondocumentary +nondocumentaries +nondogmatic +nondogmatical +nondogmatically +nondoing +nondomestic +nondomestically +nondomesticated +nondomesticating +nondominance +nondominant +nondominating +nondomination +nondomineering +nondonation +nondormant +nondoubtable +nondoubter +nondoubting +nondoubtingly +nondramatic +nondramatically +nondrying +nondrinkable +nondrinker +nondrinkers +nondrinking +nondriver +nondropsical +nondropsically +nondrug +Non-druid +nondruidic +nondruidical +nondualism +nondualistic +nondualistically +nonduality +nonductile +nonductility +nondumping +nonduplicating +nonduplication +nonduplicative +nonduplicity +nondurability +nondurable +nondurableness +nondurably +nondutiable +none +noneager +noneagerly +noneagerness +nonearning +noneastern +noneatable +nonebullience +nonebulliency +nonebullient +nonebulliently +noneccentric +noneccentrically +nonecclesiastic +nonecclesiastical +nonecclesiastically +nonechoic +noneclectic +noneclectically +noneclipsed +noneclipsing +nonecliptic +nonecliptical +nonecliptically +nonecompense +noneconomy +noneconomic +noneconomical +noneconomically +noneconomies +nonecstatic +nonecstatically +nonecumenic +nonecumenical +nonedibility +nonedible +nonedibleness +nonedibness +nonedified +noneditor +noneditorial +noneditorially +noneducable +noneducated +noneducation +noneducational +noneducationally +noneducative +noneducatory +noneffective +non-effective +noneffervescent +noneffervescently +noneffete +noneffetely +noneffeteness +nonefficacy +nonefficacious +nonefficaciously +nonefficiency +nonefficient +non-efficient +nonefficiently +noneffusion +noneffusive +noneffusively +noneffusiveness +Non-egyptian +Non-egyptologist +nonego +non-ego +nonegocentric +nonegoistic +nonegoistical +nonegoistically +nonegos +nonegotistic +nonegotistical +nonegotistically +nonegregious +nonegregiously +nonegregiousness +noneidetic +nonejaculatory +nonejecting +nonejection +nonejective +nonelaborate +nonelaborately +nonelaborateness +nonelaborating +nonelaborative +nonelastic +nonelastically +nonelasticity +nonelect +non-elect +nonelected +nonelection +nonelective +nonelectively +nonelectiveness +nonelector +nonelectric +non-electric +nonelectrical +nonelectrically +nonelectrification +nonelectrified +nonelectrized +nonelectrocution +nonelectrolyte +nonelectrolytic +nonelectronic +noneleemosynary +nonelemental +nonelementally +nonelementary +nonelevating +nonelevation +nonelicited +noneligibility +noneligible +noneligibly +nonelimination +noneliminative +noneliminatory +nonelite +nonelliptic +nonelliptical +nonelliptically +nonelongation +nonelopement +noneloquence +noneloquent +noneloquently +nonelucidating +nonelucidation +nonelucidative +nonelusive +nonelusively +nonelusiveness +nonemanant +nonemanating +nonemancipation +nonemancipative +nonembarkation +nonembellished +nonembellishing +nonembellishment +nonembezzlement +nonembryonal +nonembryonic +nonembryonically +nonemendable +nonemendation +nonemergence +nonemergent +nonemigrant +nonemigration +nonemission +nonemotional +nonemotionalism +nonemotionally +nonemotive +nonemotively +nonemotiveness +nonempathic +nonempathically +nonemphatic +nonemphatical +nonempiric +nonempirical +nonempirically +nonempiricism +nonemploying +nonemployment +nonempty +nonemulation +nonemulative +nonemulous +nonemulously +nonemulousness +nonenactment +nonencyclopaedic +nonencyclopedic +nonencyclopedical +nonenclosure +nonencroachment +nonendemic +nonendorsement +nonendowment +nonendurable +nonendurance +nonenduring +nonene +nonenemy +nonenemies +nonenergetic +nonenergetically +nonenergic +nonenervating +nonenforceability +nonenforceable +nonenforced +nonenforcedly +nonenforcement +nonenforcements +nonenforcing +nonengagement +nonengineering +Non-english +nonengrossing +nonengrossingly +nonenigmatic +nonenigmatical +nonenigmatically +nonenlightened +nonenlightening +nonenrolled +non-ens +nonent +nonentailed +nonenteric +nonenterprising +nonentertaining +nonentertainment +nonenthusiastic +nonenthusiastically +nonenticing +nonenticingly +nonentitative +nonentity +nonentities +nonentityism +nonentitive +nonentitize +nonentomologic +nonentomological +nonentrant +nonentreating +nonentreatingly +nonentres +nonentresse +nonentry +nonentries +nonenumerated +nonenumerative +nonenunciation +nonenunciative +nonenunciatory +nonenviable +nonenviableness +nonenviably +nonenvious +nonenviously +nonenviousness +nonenvironmental +nonenvironmentally +nonenzymic +nonephemeral +nonephemerally +nonepic +nonepical +nonepically +nonepicurean +nonepigrammatic +nonepigrammatically +nonepileptic +nonepiscopal +nonepiscopalian +non-Episcopalian +nonepiscopally +nonepisodic +nonepisodical +nonepisodically +nonepithelial +nonepochal +nonequability +nonequable +nonequableness +nonequably +nonequal +nonequalization +nonequalized +nonequalizing +nonequals +nonequation +nonequatorial +nonequatorially +nonequestrian +nonequilateral +nonequilaterally +nonequilibrium +nonequitable +nonequitably +nonequivalence +nonequivalency +nonequivalent +nonequivalently +nonequivalents +nonequivocal +nonequivocally +nonequivocating +noneradicable +noneradicative +nonerasure +nonerecting +nonerection +noneroded +nonerodent +noneroding +nonerosive +nonerotic +nonerotically +nonerrant +nonerrantly +nonerratic +nonerratically +nonerroneous +nonerroneously +nonerroneousness +nonerudite +noneruditely +noneruditeness +nonerudition +noneruption +noneruptive +nones +nonescape +none-so-pretty +none-so-pretties +nonesoteric +nonesoterically +nonespionage +nonespousal +nonessential +non-essential +nonessentials +nonestablishment +nonesthetic +nonesthetical +nonesthetically +nonestimable +nonestimableness +nonestimably +nonesuch +nonesuches +nonesurient +nonesuriently +nonet +noneternal +noneternally +noneternalness +noneternity +nonetheless +nonethereal +nonethereality +nonethereally +nonetherealness +nonethic +nonethical +nonethically +nonethicalness +nonethyl +nonethnic +nonethnical +nonethnically +nonethnologic +nonethnological +nonethnologically +nonets +nonetto +Non-euclidean +noneugenic +noneugenical +noneugenically +noneuphonious +noneuphoniously +noneuphoniousness +Non-european +nonevacuation +nonevadable +nonevadible +nonevading +nonevadingly +nonevaluation +nonevanescent +nonevanescently +nonevangelic +nonevangelical +nonevangelically +nonevaporable +nonevaporating +nonevaporation +nonevaporative +nonevasion +nonevasive +nonevasively +nonevasiveness +nonevent +nonevents +noneviction +nonevident +nonevidential +nonevil +nonevilly +nonevilness +nonevincible +nonevincive +nonevocative +nonevolutional +nonevolutionally +nonevolutionary +nonevolutionist +nonevolving +nonexactable +nonexacting +nonexactingly +nonexactingness +nonexaction +nonexaggerated +nonexaggeratedly +nonexaggerating +nonexaggeration +nonexaggerative +nonexaggeratory +nonexamination +nonexcavation +nonexcepted +nonexcepting +nonexceptional +nonexceptionally +nonexcerptible +nonexcessive +nonexcessively +nonexcessiveness +nonexchangeability +nonexchangeable +nonexcitable +nonexcitableness +nonexcitably +nonexcitative +nonexcitatory +nonexciting +nonexclamatory +nonexclusion +nonexclusive +nonexcommunicable +nonexculpable +nonexculpation +nonexculpatory +nonexcusable +nonexcusableness +nonexcusably +nonexecutable +nonexecution +nonexecutive +nonexemplary +nonexemplification +nonexemplificatior +nonexempt +nonexemption +nonexercisable +nonexercise +nonexerciser +nonexertion +nonexertive +nonexhausted +nonexhaustible +nonexhaustive +nonexhaustively +nonexhaustiveness +nonexhibition +nonexhibitionism +nonexhibitionistic +nonexhibitive +nonexhortation +nonexhortative +nonexhortatory +nonexigent +nonexigently +nonexistence +non-existence +nonexistences +nonexistent +non-existent +nonexistential +nonexistentialism +nonexistentially +nonexisting +nonexoneration +nonexotic +nonexotically +nonexpanded +nonexpanding +nonexpansibility +nonexpansible +nonexpansile +nonexpansion +nonexpansive +nonexpansively +nonexpansiveness +nonexpectant +nonexpectantly +nonexpectation +nonexpedience +nonexpediency +nonexpedient +nonexpediential +nonexpediently +nonexpeditious +nonexpeditiously +nonexpeditiousness +nonexpendable +nonexperience +nonexperienced +nonexperiential +nonexperientially +nonexperimental +nonexperimentally +nonexpert +nonexpiable +nonexpiation +nonexpiatory +nonexpiration +nonexpiry +nonexpiries +nonexpiring +nonexplainable +nonexplanative +nonexplanatory +nonexplicable +nonexplicative +nonexploitation +nonexplorative +nonexploratory +nonexplosive +nonexplosively +nonexplosiveness +nonexplosives +nonexponential +nonexponentially +nonexponible +nonexportable +nonexportation +nonexposure +nonexpressionistic +nonexpressive +nonexpressively +nonexpressiveness +nonexpulsion +nonexpulsive +nonextant +nonextempore +nonextended +nonextendible +nonextendibleness +nonextensibility +nonextensible +nonextensibleness +nonextensibness +nonextensile +nonextension +nonextensional +nonextensive +nonextensively +nonextensiveness +nonextenuating +nonextenuatingly +nonextenuative +nonextenuatory +nonexteriority +nonextermination +nonexterminative +nonexterminatory +nonexternal +nonexternality +nonexternalized +nonexternally +nonextinct +nonextinction +nonextinguishable +nonextinguished +nonextortion +nonextortive +nonextractable +nonextracted +nonextractible +nonextraction +nonextractive +nonextraditable +nonextradition +nonextraneous +nonextraneously +nonextraneousness +nonextreme +nonextricable +nonextricably +nonextrication +nonextrinsic +nonextrinsical +nonextrinsically +nonextrusive +nonexuberance +nonexuberancy +nonexuding +nonexultant +nonexultantly +nonexultation +nonfabulous +nonfacetious +nonfacetiously +nonfacetiousness +nonfacial +nonfacility +nonfacing +nonfact +nonfactious +nonfactiously +nonfactiousness +nonfactitious +nonfactitiously +nonfactitiousness +nonfactory +nonfacts +nonfactual +nonfactually +nonfacultative +nonfaculty +nonfaddist +nonfading +nonfailure +nonfallacious +nonfallaciously +nonfallaciousness +nonfalse +nonfaltering +nonfalteringly +nonfamily +nonfamilial +nonfamiliar +nonfamiliarly +nonfamilies +nonfamous +nonfan +nonfanatic +nonfanatical +nonfanatically +nonfanciful +nonfans +nonfantasy +nonfantasies +nonfarcical +nonfarcicality +nonfarcically +nonfarcicalness +nonfarm +nonfascist +Non-fascist +nonfascists +nonfashionable +nonfashionableness +nonfashionably +nonfastidious +nonfastidiously +nonfastidiousness +nonfat +nonfatal +nonfatalistic +nonfatality +nonfatalities +nonfatally +nonfatalness +nonfatigable +nonfattening +nonfatty +nonfaulty +nonfavorable +nonfavorableness +nonfavorably +nonfavored +nonfavorite +nonfealty +nonfealties +nonfeasance +non-feasance +nonfeasibility +nonfeasible +nonfeasibleness +nonfeasibly +nonfeasor +nonfeatured +nonfebrile +nonfecund +nonfecundity +nonfederal +nonfederated +nonfeeble +nonfeebleness +nonfeebly +nonfeeding +nonfeeling +nonfeelingly +nonfeldspathic +nonfelicity +nonfelicitous +nonfelicitously +nonfelicitousness +nonfelony +nonfelonious +nonfeloniously +nonfeloniousness +nonfenestrated +nonfermentability +nonfermentable +nonfermentation +nonfermentative +nonfermented +nonfermenting +nonferocious +nonferociously +nonferociousness +nonferocity +nonferrous +nonfertile +nonfertility +nonfervent +nonfervently +nonferventness +nonfervid +nonfervidly +nonfervidness +nonfestive +nonfestively +nonfestiveness +nonfeudal +nonfeudally +nonfeverish +nonfeverishly +nonfeverishness +nonfeverous +nonfeverously +nonfibrous +nonfiction +nonfictional +nonfictionally +nonfictitious +nonfictitiously +nonfictitiousness +nonfictive +nonfictively +nonfidelity +nonfiduciary +nonfiduciaries +nonfighter +nonfigurative +nonfiguratively +nonfigurativeness +nonfilamentous +nonfilial +nonfilter +nonfilterable +nonfimbriate +nonfimbriated +nonfinal +nonfinancial +nonfinancially +nonfinding +nonfinishing +nonfinite +nonfinitely +nonfiniteness +nonfireproof +nonfiscal +nonfiscally +nonfisherman +nonfishermen +nonfissile +nonfissility +nonfissionable +nonfixation +nonflagellate +nonflagellated +nonflagitious +nonflagitiously +nonflagitiousness +nonflagrance +nonflagrancy +nonflagrant +nonflagrantly +nonflaky +nonflakily +nonflakiness +nonflammability +nonflammable +nonflammatory +nonflatulence +nonflatulency +nonflatulent +nonflatulently +nonflawed +Non-flemish +nonflexibility +nonflexible +nonflexibleness +nonflexibly +nonflyable +nonflying +nonflirtatious +nonflirtatiously +nonflirtatiousness +nonfloatation +nonfloating +nonfloatingly +nonfloriferous +nonflowering +nonflowing +nonfluctuating +nonfluctuation +nonfluency +nonfluent +nonfluently +nonfluentness +nonfluid +nonfluidic +nonfluidity +nonfluidly +nonfluids +nonfluorescence +nonfluorescent +nonflux +nonfocal +nonfollowing +nonfood +nonforbearance +nonforbearing +nonforbearingly +nonforeclosing +nonforeclosure +nonforeign +nonforeigness +nonforeignness +nonforeknowledge +nonforensic +nonforensically +nonforest +nonforested +nonforfeitable +nonforfeiting +nonforfeiture +nonforfeitures +nonforgiving +nonform +nonformal +nonformalism +nonformalistic +nonformally +nonformalness +nonformation +nonformative +nonformatively +nonformidability +nonformidable +nonformidableness +nonformidably +nonforming +nonformulation +nonfortifiable +nonfortification +nonfortifying +nonfortuitous +nonfortuitously +nonfortuitousness +nonfossiliferous +nonfouling +nonfragile +nonfragilely +nonfragileness +nonfragility +nonfragmented +nonfragrant +nonfrangibility +nonfrangible +nonfrat +nonfraternal +nonfraternally +nonfraternity +nonfrauder +nonfraudulence +nonfraudulency +nonfraudulent +nonfraudulently +nonfreedom +nonfreeman +nonfreemen +nonfreezable +nonfreeze +nonfreezing +Non-french +nonfrenetic +nonfrenetically +nonfrequence +nonfrequency +nonfrequent +nonfrequently +nonfricative +nonfriction +nonfrigid +nonfrigidity +nonfrigidly +nonfrigidness +nonfrosted +nonfrosting +nonfrugal +nonfrugality +nonfrugally +nonfrugalness +nonfruition +nonfrustration +nonfuel +nonfugitive +nonfugitively +nonfugitiveness +nonfulfillment +nonfulminating +nonfunctional +nonfunctionally +nonfunctioning +nonfundable +nonfundamental +nonfundamentalist +nonfundamentally +nonfunded +nonfungible +nonfuroid +nonfused +nonfusibility +nonfusible +nonfusion +nonfutile +nonfuturistic +nonfuturity +nonfuturition +nong +Non-gaelic +nongay +nongays +nongalactic +nongalvanized +nongame +nonganglionic +nongangrenous +nongarrulity +nongarrulous +nongarrulously +nongarrulousness +nongas +nongaseness +nongaseous +nongaseousness +nongases +nongassy +nongelatinizing +nongelatinous +nongelatinously +nongelatinousness +nongelling +nongenealogic +nongenealogical +nongenealogically +nongeneralized +nongenerating +nongenerative +nongeneric +nongenerical +nongenerically +nongenetic +nongenetical +nongenetically +nongentile +nongenuine +nongenuinely +nongenuineness +nongeographic +nongeographical +nongeographically +nongeologic +nongeological +nongeologically +nongeometric +nongeometrical +nongeometrically +Non-german +nongermane +Non-germanic +nongerminal +nongerminating +nongermination +nongerminative +nongerundial +nongerundive +nongerundively +nongestic +nongestical +nongilded +nongildsman +nongilled +nongymnast +nongipsy +nongypsy +non-Gypsy +non-Gypsies +nonglacial +nonglacially +nonglandered +nonglandular +nonglandulous +nonglare +nonglazed +nonglobular +nonglobularly +nonglucose +nonglucosidal +nonglucosidic +nonglutenous +nongod +nongold +nongolfer +nongospel +Non-gothic +non-Gothically +nongovernance +nongovernment +Non-government +nongovernmental +nongraceful +nongracefully +nongracefulness +nongraciosity +nongracious +nongraciously +nongraciousness +nongraded +nongraduate +nongraduated +nongraduation +nongray +nongrain +nongrained +nongrammatical +nongranular +nongranulated +nongraphic +nongraphical +nongraphically +nongraphicalness +nongraphitic +nongrass +nongratification +nongratifying +nongratifyingly +nongratuitous +nongratuitously +nongratuitousness +nongraven +nongravitation +nongravitational +nongravitationally +nongravitative +nongravity +nongravities +nongreasy +non-Greek +nongreen +nongregarious +nongregariously +nongregariousness +nongrey +nongremial +non-gremial +nongrieved +nongrieving +nongrievous +nongrievously +nongrievousness +nongrooming +nongrounded +nongrounding +nonguarantee +nonguaranty +nonguaranties +nonguard +nonguidable +nonguidance +nonguilt +nonguilts +nonguttural +nongutturally +nongutturalness +nonhabitability +nonhabitable +nonhabitableness +nonhabitably +nonhabitation +nonhabitual +nonhabitually +nonhabitualness +nonhabituating +nonhackneyed +nonhalation +nonhallucinated +nonhallucination +nonhallucinatory +Non-hamitic +nonhandicap +nonhardenable +nonhardy +nonharmony +nonharmonic +nonharmonies +nonharmonious +nonharmoniously +nonharmoniousness +nonhazardous +nonhazardously +nonhazardousness +nonheading +nonhearer +nonheathen +nonheathens +Non-hebraic +non-Hebraically +Non-hebrew +nonhectic +nonhectically +nonhedonic +nonhedonically +nonhedonistic +nonhedonistically +nonheinous +nonheinously +nonheinousness +Non-hellenic +nonhematic +nonheme +nonhemophilic +nonhepatic +nonhereditability +nonhereditable +nonhereditably +nonhereditary +nonhereditarily +nonhereditariness +nonheretical +nonheretically +nonheritability +nonheritable +nonheritably +nonheritor +nonhero +nonheroes +nonheroic +nonheroical +nonheroically +nonheroicalness +nonheroicness +nonhesitant +nonhesitantly +nonheuristic +Non-hibernian +nonhydrated +nonhydraulic +nonhydrogenous +nonhydrolyzable +nonhydrophobic +nonhierarchic +nonhierarchical +nonhierarchically +nonhieratic +nonhieratical +nonhieratically +nonhygrometric +nonhygroscopic +nonhygroscopically +Non-hindu +Non-hinduized +nonhyperbolic +nonhyperbolical +nonhyperbolically +nonhypnotic +nonhypnotically +nonhypostatic +nonhypostatical +nonhypostatically +nonhistone +nonhistoric +nonhistorical +nonhistorically +nonhistoricalness +nonhistrionic +nonhistrionical +nonhistrionically +nonhistrionicalness +nonhomaloidal +nonhome +Non-homeric +nonhomiletic +nonhomogeneity +nonhomogeneous +nonhomogeneously +nonhomogeneousness +nonhomogenous +nonhomologous +nonhostile +nonhostilely +nonhostility +nonhouseholder +nonhousekeeping +nonhubristic +nonhuman +nonhumaness +nonhumanist +nonhumanistic +nonhumanized +nonhumanness +nonhumorous +nonhumorously +nonhumorousness +nonhumus +nonhunting +Noni +nonya +Non-yahgan +nonic +noniconoclastic +noniconoclastically +nonideal +nonidealist +nonidealistic +nonidealistically +nonideational +nonideationally +nonidempotent +nonidentical +nonidentification +nonidentity +nonidentities +nonideologic +nonideological +nonideologically +nonidyllic +nonidyllically +nonidiomatic +nonidiomatical +nonidiomatically +nonidiomaticalness +nonidolatrous +nonidolatrously +nonidolatrousness +Nonie +nonigneous +nonignitability +nonignitable +nonignitibility +nonignitible +nonignominious +nonignominiously +nonignominiousness +nonignorant +nonignorantly +nonyielding +nonyl +nonylene +nonylenic +nonylic +nonillative +nonillatively +nonillion +nonillionth +nonilluminant +nonilluminating +nonilluminatingly +nonillumination +nonilluminative +nonillusional +nonillusive +nonillusively +nonillusiveness +nonillustration +nonillustrative +nonillustratively +nonyls +nonimage +nonimaginary +nonimaginarily +nonimaginariness +nonimaginational +nonimbricate +nonimbricated +nonimbricately +nonimbricating +nonimbricative +nonimitability +nonimitable +nonimitating +nonimitation +nonimitational +nonimitative +nonimitatively +nonimitativeness +nonimmanence +nonimmanency +nonimmanent +nonimmanently +nonimmateriality +nonimmersion +nonimmigrant +nonimmigration +nonimmune +nonimmunity +nonimmunities +nonimmunization +nonimmunized +nonimpact +nonimpacted +nonimpairment +nonimpartation +nonimpartment +nonimpatience +nonimpeachability +nonimpeachable +nonimpeachment +nonimpedimental +nonimpedimentary +nonimperative +nonimperatively +nonimperativeness +nonimperial +nonimperialistic +nonimperialistically +nonimperially +nonimperialness +nonimperious +nonimperiously +nonimperiousness +nonimplement +nonimplemental +nonimplication +nonimplicative +nonimplicatively +nonimportation +non-importation +nonimporting +nonimposition +nonimpregnated +nonimpressionability +nonimpressionable +nonimpressionableness +nonimpressionabness +nonimpressionist +nonimpressionistic +nonimprovement +nonimpulsive +nonimpulsively +nonimpulsiveness +nonimputability +nonimputable +nonimputableness +nonimputably +nonimputation +nonimputative +nonimputatively +nonimputativeness +nonincandescence +nonincandescent +nonincandescently +nonincarnate +nonincarnated +nonincestuous +nonincestuously +nonincestuousness +nonincident +nonincidental +nonincidentally +nonincitement +noninclinable +noninclination +noninclinational +noninclinatory +noninclusion +noninclusive +noninclusively +noninclusiveness +nonincorporated +nonincorporative +nonincreasable +nonincrease +nonincreasing +nonincriminating +nonincrimination +nonincriminatory +nonincrusting +nonindependent +nonindependently +nonindexed +Non-indian +nonindictable +nonindictment +nonindigenous +nonindividual +nonindividualistic +nonindividuality +nonindividualities +Non-indo-european +noninduced +noninducible +noninductive +noninductively +noninductivity +nonindulgence +nonindulgent +nonindulgently +nonindurated +nonindurative +nonindustrial +nonindustrialization +nonindustrialized +nonindustrially +nonindustrious +nonindustriously +nonindustriousness +noninert +noninertial +noninertly +noninertness +noninfallibilist +noninfallibility +noninfallible +noninfallibleness +noninfallibly +noninfantry +noninfected +noninfecting +noninfection +noninfectious +noninfectiously +noninfectiousness +noninferable +noninferably +noninferential +noninferentially +noninfinite +noninfinitely +noninfiniteness +noninflammability +noninflammable +noninflammableness +noninflammably +noninflammatory +noninflation +noninflationary +noninflected +noninflectional +noninflectionally +noninfluence +noninfluential +noninfluentially +noninformational +noninformative +noninformatively +noninformativeness +noninfraction +noninfusibility +noninfusible +noninfusibleness +noninfusibness +noninhabitability +noninhabitable +noninhabitance +noninhabitancy +noninhabitancies +noninhabitant +noninherence +noninherent +noninherently +noninheritability +noninheritable +noninheritableness +noninheritabness +noninherited +noninhibitive +noninhibitory +noninitial +noninitially +noninjury +noninjuries +noninjurious +noninjuriously +noninjuriousness +noninoculation +noninoculative +noninquiring +noninquiringly +noninsect +noninsertion +noninsistence +noninsistency +noninsistencies +noninsistent +noninspissating +noninstinctive +noninstinctively +noninstinctual +noninstinctually +noninstitution +noninstitutional +noninstitutionally +noninstruction +noninstructional +noninstructionally +noninstructive +noninstructively +noninstructiveness +noninstructress +noninstrumental +noninstrumentalistic +noninstrumentally +noninsular +noninsularity +noninsurance +nonintegrable +nonintegrated +nonintegration +nonintegrity +nonintellectual +nonintellectually +nonintellectualness +nonintellectuals +nonintelligence +nonintelligent +nonintelligently +nonintent +nonintention +noninteracting +noninteractive +nonintercepting +noninterceptive +noninterchangeability +noninterchangeable +noninterchangeableness +noninterchangeably +nonintercourse +non-intercourse +noninterdependence +noninterdependency +noninterdependent +noninterdependently +noninterfaced +noninterference +non-interference +noninterferer +noninterfering +noninterferingly +noninterleaved +nonintermission +nonintermittence +nonintermittent +nonintermittently +nonintermittentness +noninternational +noninternationally +noninterpolating +noninterpolation +noninterpolative +noninterposition +noninterpretability +noninterpretable +noninterpretational +noninterpretative +noninterpretively +noninterpretiveness +noninterrupted +noninterruptedly +noninterruptedness +noninterruption +noninterruptive +nonintersecting +nonintersectional +nonintersector +nonintervention +non-intervention +noninterventional +noninterventionalist +noninterventionist +noninterventionists +nonintimidation +nonintoxicant +nonintoxicants +nonintoxicating +nonintoxicatingly +nonintoxicative +nonintrospective +nonintrospectively +nonintrospectiveness +nonintroversive +nonintroversively +nonintroversiveness +nonintroverted +nonintrovertedly +nonintrovertedness +nonintrusion +non-intrusion +nonintrusionism +nonintrusionist +nonintrusive +nonintuitive +nonintuitively +nonintuitiveness +noninvasive +noninverted +noninverting +noninvidious +noninvidiously +noninvidiousness +noninvincibility +noninvincible +noninvincibleness +noninvincibly +noninvolved +noninvolvement +noninvolvements +noniodized +nonion +nonionic +Non-ionic +nonionized +nonionizing +nonirate +nonirately +nonirenic +nonirenical +noniridescence +noniridescent +noniridescently +Non-irish +noniron +non-iron +nonironic +nonironical +nonironically +nonironicalness +nonirradiated +nonirrational +nonirrationally +nonirrationalness +nonirreparable +nonirrevocability +nonirrevocable +nonirrevocableness +nonirrevocably +nonirrigable +nonirrigated +nonirrigating +nonirrigation +nonirritability +nonirritable +nonirritableness +nonirritably +nonirritancy +nonirritant +nonirritating +Non-islamic +non-Islamitic +nonisobaric +nonisoelastic +nonisolable +nonisotropic +nonisotropous +Non-israelite +non-Israelitic +Non-israelitish +nonissuable +nonissuably +nonissue +Non-italian +non-Italic +Nonius +Non-japanese +Non-jew +Non-jewish +nonjoinder +non-joinder +nonjournalistic +nonjournalistically +nonjudgmental +nonjudicable +nonjudicative +nonjudicatory +nonjudicatories +nonjudiciable +nonjudicial +nonjudicially +nonjurable +nonjurancy +nonjurant +non-jurant +nonjurantism +nonjuress +nonjury +non-jury +nonjuridic +nonjuridical +nonjuridically +nonjuries +nonjurying +nonjuring +non-juring +nonjurist +nonjuristic +nonjuristical +nonjuristically +Nonjuror +non-juror +nonjurorism +nonjurors +Non-kaffir +nonkinetic +nonknowledge +nonknowledgeable +nonkosher +nonlabeling +nonlabelling +nonlacteal +nonlacteally +nonlacteous +nonlactescent +nonlactic +nonlayered +nonlaying +nonlaminable +nonlaminated +nonlaminating +nonlaminative +nonlanguage +nonlarcenous +non-Latin +nonlawyer +nonleaded +nonleafy +nonleaking +nonlegal +nonlegato +Non-legendrean +nonlegislative +nonlegislatively +nonlegitimacy +nonlegitimate +nonlegume +nonleguminous +nonlepidopteral +nonlepidopteran +nonlepidopterous +nonleprous +nonleprously +nonlethal +nonlethally +nonlethargic +nonlethargical +nonlethargically +nonlevel +nonleviable +nonlevulose +nonly +nonliability +nonliabilities +nonliable +nonlibelous +nonlibelously +nonliberal +nonliberalism +nonliberation +nonlibidinous +nonlibidinously +nonlibidinousness +nonlicensable +nonlicensed +nonlicentiate +nonlicentious +nonlicentiously +nonlicentiousness +nonlicet +nonlicit +nonlicking +nonlife +nonlimitation +nonlimitative +nonlimiting +nonlymphatic +nonlineal +nonlinear +nonlinearity +nonlinearities +nonlinearity's +nonlinearly +nonlinguistic +nonlinkage +nonlipoidal +nonliquefiable +nonliquefying +nonliquid +nonliquidating +nonliquidation +nonliquidly +nonlyric +nonlyrical +nonlyrically +nonlyricalness +nonlyricism +nonlister +nonlisting +nonliteracy +nonliteral +nonliterality +nonliterally +nonliteralness +nonliterary +nonliterarily +nonliterariness +nonliterate +non-literate +nonlitigated +nonlitigation +nonlitigious +nonlitigiously +nonlitigiousness +nonliturgic +nonliturgical +nonliturgically +nonlive +nonlives +nonliving +nonlixiviated +nonlixiviation +nonlocal +nonlocalizable +nonlocalized +nonlocally +nonlocals +nonlocation +nonlogic +nonlogical +nonlogicality +nonlogically +nonlogicalness +nonlogistic +nonlogistical +nonloyal +nonloyally +nonloyalty +nonloyalties +nonlosable +nonloser +nonlover +nonloving +nonloxodromic +nonloxodromical +nonlubricant +nonlubricating +nonlubricious +nonlubriciously +nonlubriciousness +nonlucid +nonlucidity +nonlucidly +nonlucidness +nonlucrative +nonlucratively +nonlucrativeness +nonlugubrious +nonlugubriously +nonlugubriousness +nonluminescence +nonluminescent +nonluminosity +nonluminous +nonluminously +nonluminousness +nonluster +nonlustrous +nonlustrously +nonlustrousness +Non-lutheran +Non-magyar +nonmagnetic +nonmagnetical +nonmagnetically +nonmagnetizable +nonmagnetized +nonmailable +nonmaintenance +nonmajor +nonmajority +nonmajorities +nonmakeup +Non-malay +Non-malayan +nonmalarial +nonmalarian +nonmalarious +nonmalicious +nonmaliciously +nonmaliciousness +nonmalignance +nonmalignancy +nonmalignant +nonmalignantly +nonmalignity +nonmalleability +nonmalleable +nonmalleableness +nonmalleabness +Non-malthusian +nonmammalian +nonman +nonmanagement +nonmandatory +nonmandatories +nonmanifest +nonmanifestation +nonmanifestly +nonmanifestness +nonmanila +nonmanipulative +nonmanipulatory +nonmannered +nonmanneristic +nonmannite +nonmanual +nonmanually +nonmanufacture +nonmanufactured +nonmanufacturing +Non-marcan +nonmarine +nonmarital +nonmaritally +nonmaritime +nonmarket +nonmarketability +nonmarketable +nonmarriage +nonmarriageability +nonmarriageable +nonmarriageableness +nonmarriageabness +nonmarrying +nonmartial +nonmartially +nonmartialness +nonmarveling +nonmasculine +nonmasculinely +nonmasculineness +nonmasculinity +nonmaskable +nonmason +Non-mason +nonmastery +nonmasteries +nonmatching +nonmaterial +nonmaterialistic +nonmaterialistically +nonmateriality +nonmaternal +nonmaternally +nonmathematic +nonmathematical +nonmathematically +nonmathematician +nonmatrimonial +nonmatrimonially +nonmatter +nonmaturation +nonmaturative +nonmature +nonmaturely +nonmatureness +nonmaturity +nonmeasurability +nonmeasurable +nonmeasurableness +nonmeasurably +nonmeat +nonmechanical +nonmechanically +nonmechanicalness +nonmechanistic +nonmediation +nonmediative +nonmedicable +nonmedical +nonmedically +nonmedicative +nonmedicinal +nonmedicinally +nonmeditative +nonmeditatively +nonmeditativeness +Non-mediterranean +nonmedullated +nonmelodic +nonmelodically +nonmelodious +nonmelodiously +nonmelodiousness +nonmelodramatic +nonmelodramatically +nonmelting +nonmember +non-member +nonmembers +nonmembership +nonmen +nonmenacing +Non-mendelian +nonmendicancy +nonmendicant +nonmenial +nonmenially +nonmental +nonmentally +nonmercantile +nonmercearies +nonmercenary +nonmercenaries +nonmerchantable +nonmeritorious +nonmetal +non-metal +nonmetallic +nonmetalliferous +nonmetallurgic +nonmetallurgical +nonmetallurgically +nonmetals +nonmetamorphic +nonmetamorphoses +nonmetamorphosis +nonmetamorphous +nonmetaphysical +nonmetaphysically +nonmetaphoric +nonmetaphorical +nonmetaphorically +nonmeteoric +nonmeteorically +nonmeteorologic +nonmeteorological +nonmeteorologically +nonmethodic +nonmethodical +nonmethodically +nonmethodicalness +Non-methodist +non-Methodistic +nonmetric +nonmetrical +nonmetrically +nonmetropolitan +nonmicrobic +nonmicroprogrammed +nonmicroscopic +nonmicroscopical +nonmicroscopically +nonmigrant +nonmigrating +nonmigration +nonmigratory +nonmilitancy +nonmilitant +nonmilitantly +nonmilitants +nonmilitary +nonmilitarily +nonmillionaire +nonmimetic +nonmimetically +nonmineral +nonmineralogical +nonmineralogically +nonminimal +nonministerial +nonministerially +nonministration +nonmyopic +nonmyopically +nonmiraculous +nonmiraculously +nonmiraculousness +nonmischievous +nonmischievously +nonmischievousness +nonmiscibility +nonmiscible +nonmissionary +nonmissionaries +nonmystic +nonmystical +nonmystically +nonmysticalness +nonmysticism +nonmythical +nonmythically +nonmythologic +nonmythological +nonmythologically +nonmitigation +nonmitigative +nonmitigatory +nonmobile +nonmobility +nonmodal +nonmodally +nonmoderate +nonmoderately +nonmoderateness +nonmodern +nonmodernistic +nonmodernly +nonmodernness +nonmodificative +nonmodificatory +nonmodifying +Non-mohammedan +nonmolar +nonmolecular +nonmomentary +nonmomentariness +nonmonarchal +nonmonarchally +nonmonarchial +nonmonarchic +nonmonarchical +nonmonarchically +nonmonarchist +nonmonarchistic +nonmonastic +nonmonastically +nonmoney +nonmonetary +Non-mongol +Non-mongolian +nonmonist +nonmonistic +nonmonistically +nonmonogamous +nonmonogamously +nonmonopolistic +nonmonotheistic +Non-moorish +nonmorainic +nonmoral +non-moral +nonmorality +Non-mormon +nonmortal +nonmortally +Non-moslem +Non-moslemah +non-Moslems +nonmotile +nonmotility +nonmotion +nonmotivated +nonmotivation +nonmotivational +nonmotoring +nonmotorist +nonmountainous +nonmountainously +nonmoveability +nonmoveable +nonmoveableness +nonmoveably +nonmucilaginous +nonmucous +non-Muhammadan +non-Muhammedan +nonmulched +nonmultiple +nonmultiplication +nonmultiplicational +nonmultiplicative +nonmultiplicatively +nonmunicipal +nonmunicipally +nonmuscular +nonmuscularly +nonmusic +nonmusical +nonmusically +nonmusicalness +non-Muslem +non-Muslems +non-Muslim +non-Muslims +nonmussable +nonmutability +nonmutable +nonmutableness +nonmutably +nonmutational +nonmutationally +nonmutative +nonmutinous +nonmutinously +nonmutinousness +nonmutual +nonmutuality +nonmutually +Nonna +Nonnah +nonnant +nonnarcism +nonnarcissism +nonnarcissistic +nonnarcotic +nonnarration +nonnarrative +nonnasal +nonnasality +nonnasally +nonnat +nonnational +nonnationalism +nonnationalistic +nonnationalistically +nonnationalization +nonnationally +nonnative +nonnatively +nonnativeness +nonnatives +nonnatty +non-natty +nonnattily +nonnattiness +nonnatural +non-natural +nonnaturalism +nonnaturalist +nonnaturalistic +nonnaturality +nonnaturally +nonnaturalness +nonnaturals +nonnautical +nonnautically +nonnaval +nonnavigability +nonnavigable +nonnavigableness +nonnavigably +nonnavigation +nonnebular +nonnebulous +nonnebulously +nonnebulousness +nonnecessary +nonnecessity +non-necessity +nonnecessities +nonnecessitous +nonnecessitously +nonnecessitousness +nonnegation +nonnegative +nonnegativism +nonnegativistic +nonnegativity +nonnegligence +nonnegligent +nonnegligently +nonnegligibility +nonnegligible +nonnegligibleness +nonnegligibly +nonnegotiability +nonnegotiable +nonnegotiation +Non-negritic +Non-negro +non-Negroes +nonnephritic +nonnervous +nonnervously +nonnervousness +nonnescience +nonnescient +nonneural +nonneurotic +nonneutral +nonneutrality +nonneutrally +nonnews +non-Newtonian +nonny +Non-nicene +nonnicotinic +nonnihilism +nonnihilist +nonnihilistic +nonny-nonny +nonnitric +nonnitrogenized +nonnitrogenous +nonnitrous +nonnobility +nonnoble +non-noble +nonnocturnal +nonnocturnally +nonnomad +nonnomadic +nonnomadically +nonnominalistic +nonnomination +non-Nordic +nonnormal +nonnormality +nonnormally +nonnormalness +Non-norman +Non-norse +nonnotable +nonnotableness +nonnotably +nonnotational +nonnotification +nonnotional +nonnoumenal +nonnoumenally +nonnourishing +nonnourishment +nonnovel +nonnuclear +nonnucleated +nonnullification +nonnumeral +nonnumeric +nonnumerical +nonnutrient +nonnutriment +nonnutritious +nonnutritiously +nonnutritiousness +nonnutritive +nonnutritively +nonnutritiveness +Nono +no-no +nonobedience +non-obedience +nonobedient +nonobediently +nonobese +nonobjectification +nonobjection +nonobjective +nonobjectivism +nonobjectivist +nonobjectivistic +nonobjectivity +nonobligated +nonobligatory +nonobligatorily +nonobscurity +nonobscurities +nonobservable +nonobservably +nonobservance +nonobservances +nonobservant +nonobservantly +nonobservation +nonobservational +nonobserving +nonobservingly +nonobsession +nonobsessional +nonobsessive +nonobsessively +nonobsessiveness +nonobstetric +nonobstetrical +nonobstetrically +nonobstructive +nonobstructively +nonobstructiveness +nonobvious +nonobviously +nonobviousness +nonoccidental +nonoccidentally +nonocclusion +nonocclusive +nonoccult +nonocculting +nonoccupance +nonoccupancy +nonoccupant +nonoccupation +nonoccupational +nonoccurrence +nonodoriferous +nonodoriferously +nonodoriferousness +nonodorous +nonodorously +nonodorousness +nonoecumenic +nonoecumenical +nonoffender +nonoffensive +nonoffensively +nonoffensiveness +nonofficeholder +nonofficeholding +nonofficial +nonofficially +nonofficinal +nonogenarian +nonohmic +nonoic +nonoily +nonolfactory +nonolfactories +nonoligarchic +nonoligarchical +nonomad +nonomissible +nonomission +nononerous +nononerously +nononerousness +no-nonsense +nonopacity +nonopacities +nonopaque +nonopening +nonoperable +nonoperatic +nonoperatically +nonoperating +nonoperational +nonoperative +nonopinionaness +nonopinionated +nonopinionatedness +nonopinionative +nonopinionatively +nonopinionativeness +nonopposable +nonopposal +nonopposing +nonopposition +nonoppression +nonoppressive +nonoppressively +nonoppressiveness +nonopprobrious +nonopprobriously +nonopprobriousness +nonoptic +nonoptical +nonoptically +nonoptimistic +nonoptimistical +nonoptimistically +nonoptional +nonoptionally +nonoral +nonorally +nonorchestral +nonorchestrally +nonordained +nonordered +nonordination +nonorganic +nonorganically +nonorganization +nonorientable +nonoriental +nonorientation +nonoriginal +nonoriginally +nonornamental +nonornamentality +nonornamentally +nonorthodox +nonorthodoxly +nonorthogonal +nonorthogonality +nonorthographic +nonorthographical +nonorthographically +non-Oscan +nonoscine +nonosmotic +nonosmotically +nonostensible +nonostensibly +nonostensive +nonostensively +nonostentation +nonoutlawry +nonoutlawries +nonoutrage +nonoverhead +nonoverlapping +nonowner +nonowners +nonowning +nonoxidating +nonoxidation +nonoxidative +nonoxidizable +nonoxidization +nonoxidizing +nonoxygenated +nonoxygenous +nonpacifiable +nonpacific +nonpacifical +nonpacifically +nonpacification +nonpacificatory +nonpacifist +nonpacifistic +nonpagan +nonpaganish +nonpagans +nonpaid +nonpayer +nonpaying +nonpayment +non-payment +nonpayments +nonpainter +nonpalatability +nonpalatable +nonpalatableness +nonpalatably +nonpalatal +nonpalatalization +Non-pali +nonpalliation +nonpalliative +nonpalliatively +nonpalpability +nonpalpable +nonpalpably +Non-paninean +nonpantheistic +nonpantheistical +nonpantheistically +nonpapal +nonpapist +nonpapistic +nonpapistical +nonpar +nonparabolic +nonparabolical +nonparabolically +nonparadoxical +nonparadoxically +nonparadoxicalness +nonparalyses +nonparalysis +nonparalytic +nonparallel +nonparallelism +nonparametric +nonparasitic +nonparasitical +nonparasitically +nonparasitism +nonpardoning +nonpareil +nonpareils +nonparent +nonparental +nonparentally +nonpariello +nonparishioner +Non-parisian +nonparity +nonparliamentary +nonparlor +nonparochial +nonparochially +nonparous +nonparty +nonpartial +nonpartiality +nonpartialities +nonpartially +nonpartible +nonparticipant +nonparticipants +nonparticipating +nonparticipation +nonpartisan +nonpartisanism +nonpartisans +nonpartisanship +nonpartizan +nonpartner +nonpassenger +nonpasserine +nonpassible +nonpassionate +nonpassionately +nonpassionateness +nonpast +nonpastoral +nonpastorally +nonpasts +nonpatentability +nonpatentable +nonpatented +nonpatently +nonpaternal +nonpaternally +nonpathogenic +nonpathologic +nonpathological +nonpathologically +nonpatriotic +nonpatriotically +nonpatterned +nonpause +nonpeak +nonpeaked +nonpearlitic +nonpecuniary +nonpedagogic +nonpedagogical +nonpedagogically +nonpedestrian +nonpedigree +nonpedigreed +nonpejorative +nonpejoratively +nonpelagic +nonpeltast +nonpenal +nonpenalized +nonpendant +nonpendency +nonpendent +nonpendently +nonpending +nonpenetrability +nonpenetrable +nonpenetrably +nonpenetrating +nonpenetration +nonpenitent +nonpensionable +nonpensioner +nonperceivable +nonperceivably +nonperceiving +nonperceptibility +nonperceptible +nonperceptibleness +nonperceptibly +nonperception +nonperceptional +nonperceptive +nonperceptively +nonperceptiveness +nonperceptivity +nonperceptual +nonpercipience +nonpercipiency +nonpercipient +nonpercussive +nonperfected +nonperfectibility +nonperfectible +nonperfection +nonperforate +nonperforated +nonperforating +nonperformance +non-performance +nonperformances +nonperformer +nonperforming +nonperilous +nonperilously +nonperiodic +nonperiodical +nonperiodically +nonperishable +nonperishables +nonperishing +nonperjured +nonperjury +nonperjuries +nonpermanence +nonpermanency +nonpermanent +nonpermanently +nonpermeability +nonpermeable +nonpermeation +nonpermeative +nonpermissibility +nonpermissible +nonpermissibly +nonpermission +nonpermissive +nonpermissively +nonpermissiveness +nonpermitted +nonperpendicular +nonperpendicularity +nonperpendicularly +nonperpetration +nonperpetual +nonperpetually +nonperpetuance +nonperpetuation +nonperpetuity +nonperpetuities +nonpersecuting +nonpersecution +nonpersecutive +nonpersecutory +nonperseverance +nonperseverant +nonpersevering +nonpersistence +nonpersistency +nonpersistent +nonpersistently +nonpersisting +nonperson +nonpersonal +nonpersonally +nonpersonification +nonpersons +nonperspective +nonpersuadable +nonpersuasible +nonpersuasive +nonpersuasively +nonpersuasiveness +nonpertinence +nonpertinency +nonpertinent +nonpertinently +nonperturbable +nonperturbing +Non-peruvian +nonperverse +nonperversely +nonperverseness +nonperversion +nonperversity +nonperversities +nonperversive +nonperverted +nonpervertedly +nonpervertible +nonpessimistic +nonpessimistically +nonpestilent +nonpestilential +nonpestilently +nonphagocytic +nonpharmaceutic +nonpharmaceutical +nonpharmaceutically +nonphenolic +nonphenomenal +nonphenomenally +nonphilanthropic +nonphilanthropical +nonphilologic +nonphilological +nonphilosophy +nonphilosophic +nonphilosophical +nonphilosophically +nonphilosophies +nonphysical +nonphysically +nonphysiologic +nonphysiological +nonphysiologically +nonphobic +nonphonemic +nonphonemically +nonphonetic +nonphonetical +nonphonetically +nonphosphatic +nonphosphorized +nonphosphorous +nonphotobiotic +nonphotographic +nonphotographical +nonphotographically +nonphrenetic +nonphrenetically +nonpickable +nonpictorial +nonpictorially +nonpigmented +nonpinaceous +nonpyogenic +nonpyritiferous +Non-pythagorean +nonplacental +nonplacet +non-placet +nonplay +nonplays +nonplanar +nonplane +nonplanetary +nonplantowning +nonplastic +nonplasticity +nonplate +nonplated +nonplatitudinous +nonplatitudinously +nonplausibility +nonplausible +nonplausibleness +nonplausibly +nonpleadable +nonpleading +nonpleadingly +nonpliability +nonpliable +nonpliableness +nonpliably +nonpliancy +nonpliant +nonpliantly +nonpliantness +nonpluralistic +nonplurality +nonpluralities +nonplus +nonplusation +nonplused +nonpluses +nonplushed +nonplusing +nonplussation +nonplussed +nonplusses +nonplussing +nonplutocratic +nonplutocratical +nonpneumatic +nonpneumatically +nonpoet +nonpoetic +nonpoisonous +nonpoisonously +nonpoisonousness +nonpolar +nonpolarity +nonpolarizable +nonpolarizing +nonpolemic +nonpolemical +nonpolemically +Non-polish +nonpolitical +nonpolitically +nonpolluted +nonpolluting +nonponderability +nonponderable +nonponderosity +nonponderous +nonponderously +nonponderousness +nonpoor +nonpopery +nonpopular +nonpopularity +nonpopularly +nonpopulous +nonpopulously +nonpopulousness +nonporness +nonpornographic +nonporous +nonporousness +nonporphyritic +nonport +nonportability +nonportable +nonportentous +nonportentously +nonportentousness +nonportrayable +nonportrayal +Non-portuguese +nonpositive +nonpositivistic +nonpossessed +nonpossession +nonpossessive +nonpossessively +nonpossessiveness +nonpossessory +nonpossible +nonpossibly +nonposthumous +nonpostponement +nonpotable +nonpotential +nonpower +nonpracticability +nonpracticable +nonpracticableness +nonpracticably +nonpractical +nonpracticality +nonpractically +nonpracticalness +nonpractice +nonpracticed +nonpraedial +nonpragmatic +nonpragmatical +nonpragmatically +nonpreaching +nonprecedent +nonprecedential +nonprecious +nonpreciously +nonpreciousness +nonprecipitation +nonprecipitative +nonpredatory +nonpredatorily +nonpredatoriness +nonpredestination +nonpredicative +nonpredicatively +nonpredictable +nonpredictive +nonpreferability +nonpreferable +nonpreferableness +nonpreferably +nonpreference +nonpreferential +nonpreferentialism +nonpreferentially +nonpreformed +nonpregnant +nonprehensile +nonprejudiced +nonprejudicial +nonprejudicially +nonprelatic +nonprelatical +nonpremium +nonprepayment +nonpreparation +nonpreparative +nonpreparatory +nonpreparedness +nonprepositional +nonprepositionally +nonpresbyter +Non-presbyterian +nonprescient +nonpresciently +nonprescribed +nonprescriber +nonprescription +nonprescriptive +nonpresence +nonpresentability +nonpresentable +nonpresentableness +nonpresentably +nonpresentation +nonpresentational +nonpreservable +nonpreservation +nonpreservative +nonpresidential +nonpress +nonpressing +nonpressure +nonpresumptive +nonpresumptively +nonprevalence +nonprevalent +nonprevalently +nonpreventable +nonpreventible +nonprevention +nonpreventive +nonpreventively +nonpreventiveness +nonpriestly +nonprimitive +nonprimitively +nonprimitiveness +nonprincipiate +nonprincipled +nonprint +nonprintable +nonprinting +nonprivileged +nonprivity +nonprivities +nonprobability +nonprobabilities +nonprobable +nonprobably +nonprobation +nonprobative +nonprobatory +nonproblematic +nonproblematical +nonproblematically +nonprocedural +nonprocedurally +nonprocessional +nonprocreation +nonprocreative +nonprocurable +nonprocuration +nonprocurement +nonproducer +nonproducible +nonproducing +nonproduction +nonproductive +nonproductively +nonproductiveness +nonproductivity +nonprofane +nonprofanely +nonprofaneness +nonprofanity +nonprofanities +nonprofessed +nonprofession +nonprofessional +nonprofessionalism +nonprofessionally +nonprofessorial +nonprofessorially +nonproficience +nonproficiency +non-proficiency +nonproficient +nonprofit +nonprofitability +nonprofitable +nonprofitablely +nonprofitableness +nonprofiteering +non-profit-making +nonprognostication +nonprognosticative +nonprogrammable +nonprogrammer +nonprogressive +nonprogressively +nonprogressiveness +nonprohibitable +nonprohibition +nonprohibitive +nonprohibitively +nonprohibitory +nonprohibitorily +nonprojecting +nonprojection +nonprojective +nonprojectively +nonproletarian +nonproletariat +nonproliferation +nonproliferations +nonproliferous +nonprolific +nonprolificacy +nonprolifically +nonprolificness +nonprolifiness +nonprolix +nonprolixity +nonprolixly +nonprolixness +nonprolongation +nonprominence +nonprominent +nonprominently +nonpromiscuous +nonpromiscuously +nonpromiscuousness +nonpromissory +nonpromotion +nonpromotive +nonpromulgation +nonpronunciation +nonpropagable +nonpropagandist +nonpropagandistic +nonpropagation +nonpropagative +nonpropellent +nonprophetic +nonprophetical +nonprophetically +nonpropitiable +nonpropitiation +nonpropitiative +nonproportionable +nonproportional +nonproportionally +nonproportionate +nonproportionately +nonproportionateness +nonproportioned +nonproprietary +nonproprietaries +nonpropriety +nonproprietor +nonprorogation +nonpros +non-pros +nonprosaic +nonprosaically +nonprosaicness +nonproscription +nonproscriptive +nonproscriptively +nonprosecution +non-prosequitur +nonprospect +nonprosperity +nonprosperous +nonprosperously +nonprosperousness +nonprossed +non-prossed +nonprosses +nonprossing +non-prossing +nonprotecting +nonprotection +nonprotective +nonprotectively +nonproteid +nonprotein +nonproteinaceous +Non-protestant +nonprotestation +nonprotesting +nonprotractile +nonprotractility +nonprotraction +nonprotrusion +nonprotrusive +nonprotrusively +nonprotrusiveness +nonprotuberance +nonprotuberancy +nonprotuberancies +nonprotuberant +nonprotuberantly +nonprovable +nonproven +nonprovided +nonprovident +nonprovidential +nonprovidentially +nonprovidently +nonprovider +nonprovincial +nonprovincially +nonprovisional +nonprovisionally +nonprovisionary +nonprovocation +nonprovocative +nonprovocatively +nonprovocativeness +nonproximity +nonprudence +nonprudent +nonprudential +nonprudentially +nonprudently +Non-prussian +nonpsychiatric +nonpsychic +nonpsychical +nonpsychically +nonpsychoanalytic +nonpsychoanalytical +nonpsychoanalytically +nonpsychologic +nonpsychological +nonpsychologically +nonpsychopathic +nonpsychopathically +nonpsychotic +nonpublic +nonpublication +nonpublicity +nonpublishable +nonpueblo +nonpuerile +nonpuerilely +nonpuerility +nonpuerilities +nonpulmonary +nonpulsating +nonpulsation +nonpulsative +nonpumpable +nonpunctual +nonpunctually +nonpunctualness +nonpunctuating +nonpunctuation +nonpuncturable +nonpungency +nonpungent +nonpungently +nonpunishable +nonpunishing +nonpunishment +nonpunitive +nonpunitory +nonpurchasability +nonpurchasable +nonpurchase +nonpurchaser +nonpurgation +nonpurgative +nonpurgatively +nonpurgatorial +nonpurification +nonpurifying +nonpuristic +nonpurposive +nonpurposively +nonpurposiveness +nonpursuance +nonpursuant +nonpursuantly +nonpursuit +nonpurulence +nonpurulent +nonpurulently +nonpurveyance +nonputrescence +nonputrescent +nonputrescible +nonputting +Non-quaker +non-Quakerish +nonqualification +nonqualifying +nonqualitative +nonqualitatively +nonquality +nonqualities +nonquantitative +nonquantitatively +nonquantitativeness +nonquota +nonrabbinical +nonracial +nonracially +nonradiable +nonradiance +nonradiancy +nonradiant +nonradiantly +nonradiating +nonradiation +nonradiative +nonradical +nonradically +nonradicalness +nonradicness +nonradioactive +nonrayed +nonrailroader +nonraisable +nonraiseable +nonraised +nonrandom +nonrandomly +nonrandomness +nonranging +nonrapport +nonratability +nonratable +nonratableness +nonratably +nonrateability +nonrateable +nonrateableness +nonrateably +nonrated +nonratification +nonratifying +nonrational +nonrationalism +nonrationalist +nonrationalistic +nonrationalistical +nonrationalistically +nonrationality +nonrationalization +nonrationalized +nonrationally +nonrationalness +nonreaction +nonreactionary +nonreactionaries +nonreactive +nonreactor +nonreadability +nonreadable +nonreadableness +nonreadably +nonreader +nonreaders +nonreading +nonrealism +nonrealist +nonrealistic +nonrealistically +nonreality +nonrealities +nonrealizable +nonrealization +nonrealizing +nonreasonability +nonreasonable +nonreasonableness +nonreasonably +nonreasoner +nonreasoning +nonrebel +nonrebellion +nonrebellious +nonrebelliously +nonrebelliousness +nonrecalcitrance +nonrecalcitrancy +nonrecalcitrant +nonreceipt +nonreceivable +nonreceiving +nonrecent +nonreception +nonreceptive +nonreceptively +nonreceptiveness +nonreceptivity +nonrecess +nonrecession +nonrecessive +nonrecipience +nonrecipiency +nonrecipient +nonreciprocal +nonreciprocally +nonreciprocals +nonreciprocating +nonreciprocity +nonrecision +nonrecital +nonrecitation +nonrecitative +nonreclaimable +nonreclamation +nonrecluse +nonreclusive +nonrecognition +nonrecognized +nonrecoil +nonrecoiling +non-recoiling +nonrecollection +nonrecollective +nonrecombinant +nonrecommendation +nonreconcilability +nonreconcilable +nonreconcilableness +nonreconcilably +nonreconciliation +nonrecourse +nonrecoverable +nonrecovery +nonrectangular +nonrectangularity +nonrectangularly +nonrectifiable +nonrectified +nonrecuperatiness +nonrecuperation +nonrecuperative +nonrecuperativeness +nonrecuperatory +nonrecurent +nonrecurently +nonrecurrent +nonrecurring +nonredeemable +nonredemptible +nonredemption +nonredemptive +nonredressing +nonreduced +nonreducibility +nonreducible +nonreducibly +nonreducing +nonreduction +non-reduction +nonreductional +nonreductive +nonre-eligibility +nonre-eligible +nonreference +nonrefillable +nonrefined +nonrefinement +nonreflected +nonreflecting +nonreflection +nonreflective +nonreflectively +nonreflectiveness +nonreflector +nonreformation +nonreformational +nonrefracting +nonrefraction +nonrefractional +nonrefractive +nonrefractively +nonrefractiveness +nonrefrigerant +nonrefueling +nonrefuelling +nonrefundable +nonrefutal +nonrefutation +nonregardance +nonregarding +nonregenerate +nonregenerating +nonregeneration +nonregenerative +nonregeneratively +nonregent +non-regent +nonregimental +nonregimented +nonregistered +nonregistrability +nonregistrable +nonregistration +nonregression +nonregressive +nonregressively +nonregulation +non-regulation +nonregulative +nonregulatory +nonrehabilitation +nonreigning +nonreimbursement +nonreinforcement +nonreinstatement +nonrejection +nonrejoinder +nonrelapsed +nonrelated +nonrelatiness +nonrelation +nonrelational +nonrelative +nonrelatively +nonrelativeness +nonrelativistic +nonrelativistically +nonrelativity +nonrelaxation +nonrelease +nonrelenting +nonreliability +nonreliable +nonreliableness +nonreliably +nonreliance +nonrelieving +nonreligion +nonreligious +nonreligiously +nonreligiousness +nonrelinquishment +nonremanie +nonremedy +nonremediability +nonremediable +nonremediably +nonremedial +nonremedially +nonremedies +nonremembrance +nonremissible +nonremission +nonremittable +nonremittably +nonremittal +nonremonstrance +nonremonstrant +nonremovable +nonremuneration +nonremunerative +nonremuneratively +nonrendition +nonrenewable +nonrenewal +nonrenouncing +nonrenunciation +nonrepayable +nonrepaying +nonrepair +nonrepairable +nonreparable +nonreparation +nonrepatriable +nonrepatriation +nonrepealable +nonrepealing +nonrepeat +nonrepeated +nonrepeater +nonrepellence +nonrepellency +nonrepellent +nonrepeller +nonrepentance +nonrepentant +nonrepentantly +nonrepetition +nonrepetitious +nonrepetitiously +nonrepetitiousness +nonrepetitive +nonrepetitively +nonreplaceable +nonreplacement +nonreplicate +nonreplicated +nonreplication +nonreportable +nonreprehensibility +nonreprehensible +nonreprehensibleness +nonreprehensibly +nonrepresentable +nonrepresentation +nonrepresentational +nonrepresentationalism +nonrepresentationist +nonrepresentative +nonrepresentatively +nonrepresentativeness +nonrepressed +nonrepressible +nonrepressibleness +nonrepressibly +nonrepression +nonrepressive +nonreprisal +nonreproducible +nonreproduction +nonreproductive +nonreproductively +nonreproductiveness +nonrepublican +nonrepudiable +nonrepudiation +nonrepudiative +nonreputable +nonreputably +nonrequirable +nonrequirement +nonrequisite +nonrequisitely +nonrequisiteness +nonrequisition +nonrequital +nonrescissible +nonrescission +nonrescissory +nonrescue +nonresemblance +nonreservable +nonreservation +nonreserve +nonresidence +non-residence +nonresidency +nonresident +non-resident +nonresidental +nonresidenter +nonresidential +non-residential +nonresidentiary +nonresidentor +nonresidents +nonresidual +nonresignation +nonresilience +nonresiliency +nonresilient +nonresiliently +nonresinifiable +nonresistance +non-resistance +nonresistant +non-resistant +nonresistants +nonresister +nonresistibility +nonresistible +nonresisting +nonresistive +nonresistively +nonresistiveness +nonresolution +nonresolvability +nonresolvable +nonresolvableness +nonresolvably +nonresolvabness +nonresonant +nonresonantly +nonrespectability +nonrespectabilities +nonrespectable +nonrespectableness +nonrespectably +nonrespirable +nonresponsibility +nonresponsibilities +nonresponsible +nonresponsibleness +nonresponsibly +nonresponsive +nonresponsively +nonrestitution +nonrestoration +nonrestorative +nonrestrained +nonrestraint +nonrestricted +nonrestrictedly +nonrestricting +nonrestriction +nonrestrictive +nonrestrictively +nonresumption +nonresurrection +nonresurrectional +nonresuscitable +nonresuscitation +nonresuscitative +nonretail +nonretainable +nonretainment +nonretaliation +nonretardation +nonretardative +nonretardatory +nonretarded +nonretardment +nonretention +nonretentive +nonretentively +nonretentiveness +nonreticence +nonreticent +nonreticently +nonretinal +nonretired +nonretirement +nonretiring +nonretraceable +nonretractation +nonretractile +nonretractility +nonretraction +nonretrenchment +nonretroactive +nonretroactively +nonretroactivity +nonreturn +nonreturnable +nonreusable +nonrevaluation +nonrevealing +nonrevelation +nonrevenge +nonrevenger +nonrevenue +nonreverence +nonreverent +nonreverential +nonreverentially +nonreverently +nonreverse +nonreversed +nonreversibility +nonreversible +nonreversibleness +nonreversibly +nonreversing +nonreversion +nonrevertible +nonrevertive +nonreviewable +nonrevision +nonrevival +nonrevivalist +nonrevocability +nonrevocable +nonrevocably +nonrevocation +nonrevokable +nonrevolting +nonrevoltingly +nonrevolution +nonrevolutionary +nonrevolutionaries +nonrevolving +nonrhetorical +nonrhetorically +nonrheumatic +nonrhyme +nonrhymed +nonrhyming +nonrhythm +nonrhythmic +nonrhythmical +nonrhythmically +nonriding +Non-riemannian +nonrigid +nonrigidity +nonrioter +nonrioting +nonriparian +nonritualistic +nonritualistically +nonrival +nonrivals +nonroyal +nonroyalist +nonroyally +nonroyalty +Non-roman +nonromantic +nonromantically +nonromanticism +nonrotatable +nonrotating +nonrotation +nonrotational +nonrotative +nonround +nonrousing +nonroutine +nonrubber +nonrudimental +nonrudimentary +nonrudimentarily +nonrudimentariness +nonruinable +nonruinous +nonruinously +nonruinousness +nonruling +nonruminant +Nonruminantia +nonruminating +nonruminatingly +nonrumination +nonruminative +nonrun +nonrupturable +nonrupture +nonrural +nonrurally +Non-russian +nonrustable +nonrustic +nonrustically +nonsabbatic +non-Sabbatic +non-Sabbatical +non-Sabbatically +nonsaccharin +nonsaccharine +nonsaccharinity +nonsacerdotal +nonsacerdotally +nonsacramental +nonsacred +nonsacredly +nonsacredness +nonsacrifice +nonsacrificial +nonsacrificing +nonsacrilegious +nonsacrilegiously +nonsacrilegiousness +nonsailor +nonsalability +nonsalable +nonsalably +nonsalaried +nonsale +nonsaleability +nonsaleable +nonsaleably +nonsaline +nonsalinity +nonsalubrious +nonsalubriously +nonsalubriousness +nonsalutary +nonsalutarily +nonsalutariness +nonsalutation +nonsalvageable +nonsalvation +nonsanative +nonsancties +nonsanctification +nonsanctimony +nonsanctimonious +nonsanctimoniously +nonsanctimoniousness +nonsanction +nonsanctity +nonsanctities +nonsane +nonsanely +nonsaneness +nonsanguine +nonsanguinely +nonsanguineness +nonsanity +Non-sanskritic +nonsaponifiable +nonsaponification +nonsaporific +nonsatiability +nonsatiable +nonsatiation +nonsatire +nonsatiric +nonsatirical +nonsatirically +nonsatiricalness +nonsatirizing +nonsatisfaction +nonsatisfying +nonsaturated +nonsaturation +nonsaving +nonsawing +Non-saxon +nonscalding +nonscaling +nonscandalous +nonscandalously +Non-scandinavian +nonscarcity +nonscarcities +nonscented +nonscheduled +nonschematic +nonschematically +nonschematized +nonschismatic +nonschismatical +nonschizophrenic +nonscholar +nonscholarly +nonscholastic +nonscholastical +nonscholastically +nonschooling +nonsciatic +nonscience +nonscientific +nonscientifically +nonscientist +nonscientists +nonscoring +nonscraping +nonscriptural +nonscripturalist +nonscrutiny +nonscrutinies +nonsculptural +nonsculpturally +nonsculptured +nonseasonable +nonseasonableness +nonseasonably +nonseasonal +nonseasonally +nonseasoned +nonsecession +nonsecessional +nonsecluded +nonsecludedly +nonsecludedness +nonseclusion +nonseclusive +nonseclusively +nonseclusiveness +nonsecrecy +nonsecrecies +nonsecret +nonsecretarial +nonsecretion +nonsecretionary +nonsecretive +nonsecretively +nonsecretly +nonsecretor +nonsecretory +nonsecretories +nonsectarian +nonsectional +nonsectionally +nonsectorial +nonsecular +nonsecurity +nonsecurities +nonsedentary +nonsedentarily +nonsedentariness +nonsedimentable +nonseditious +nonseditiously +nonseditiousness +nonsegmental +nonsegmentally +nonsegmentary +nonsegmentation +nonsegmented +nonsegregable +nonsegregated +nonsegregation +nonsegregative +nonseismic +nonseizure +nonselected +nonselection +nonselective +nonself +nonself-governing +nonselfregarding +nonselling +nonsemantic +nonsemantically +nonseminal +Non-semite +Non-semitic +nonsenatorial +nonsensate +nonsensation +nonsensationalistic +nonsense +nonsenses +nonsensibility +nonsensible +nonsensibleness +nonsensibly +nonsensic +nonsensical +nonsensicality +nonsensically +nonsensicalness +nonsensify +nonsensification +nonsensitive +nonsensitively +nonsensitiveness +nonsensitivity +nonsensitivities +nonsensitization +nonsensitized +nonsensitizing +nonsensory +nonsensorial +nonsensual +nonsensualistic +nonsensuality +nonsensually +nonsensuous +nonsensuously +nonsensuousness +nonsentence +nonsententious +nonsententiously +nonsententiousness +nonsentience +nonsentiency +nonsentient +nonsentiently +nonseparability +nonseparable +nonseparableness +nonseparably +nonseparating +nonseparation +nonseparatist +nonseparative +nonseptate +nonseptic +nonsequacious +nonsequaciously +nonsequaciousness +nonsequacity +nonsequent +nonsequential +nonsequentially +nonsequestered +nonsequestration +nonseraphic +nonseraphical +nonseraphically +nonserial +nonseriality +nonserially +nonseriate +nonseriately +nonserif +nonserious +nonseriously +nonseriousness +nonserous +nonserviceability +nonserviceable +nonserviceableness +nonserviceably +nonserviential +nonservile +nonservilely +nonservileness +nonsetter +nonsetting +nonsettlement +nonseverable +nonseverance +nonseverity +nonseverities +nonsexist +nonsexists +nonsexlinked +nonsex-linked +nonsexual +nonsexually +nonshaft +Non-shakespearean +non-Shakespearian +nonsharing +nonshatter +nonshattering +nonshedder +nonshedding +nonshipper +nonshipping +nonshredding +nonshrinkable +nonshrinking +nonshrinkingly +nonsibilance +nonsibilancy +nonsibilant +nonsibilantly +nonsiccative +nonsidereal +Non-sienese +nonsignable +nonsignatory +nonsignatories +nonsignature +nonsignificance +nonsignificancy +nonsignificant +nonsignificantly +nonsignification +nonsignificative +nonsilicate +nonsilicated +nonsiliceous +nonsilicious +nonsyllabic +nonsyllabicness +nonsyllogistic +nonsyllogistical +nonsyllogistically +nonsyllogizing +nonsilver +nonsymbiotic +nonsymbiotical +nonsymbiotically +nonsymbolic +nonsymbolical +nonsymbolically +nonsymbolicalness +nonsimilar +nonsimilarity +nonsimilarly +nonsimilitude +nonsymmetry +nonsymmetrical +nonsymmetries +nonsympathetic +nonsympathetically +nonsympathy +nonsympathies +nonsympathizer +nonsympathizing +nonsympathizingly +nonsymphonic +nonsymphonically +nonsymphonious +nonsymphoniously +nonsymphoniousness +nonsimplicity +nonsimplification +nonsymptomatic +nonsimular +nonsimulate +nonsimulation +nonsimulative +nonsync +nonsynchronal +nonsynchronic +nonsynchronical +nonsynchronically +nonsynchronous +nonsynchronously +nonsynchronousness +nonsyncopation +nonsyndicate +nonsyndicated +nonsyndication +nonsine +nonsynesthetic +nonsinging +nonsingle +nonsingleness +nonsingular +nonsingularity +nonsingularities +nonsinkable +nonsynodic +nonsynodical +nonsynodically +nonsynonymous +nonsynonymously +nonsynoptic +nonsynoptical +nonsynoptically +nonsyntactic +nonsyntactical +nonsyntactically +nonsyntheses +nonsynthesis +nonsynthesized +nonsynthetic +nonsynthetical +nonsynthetically +nonsyntonic +nonsyntonical +nonsyntonically +nonsinusoidal +nonsiphonage +Non-syrian +nonsystem +nonsystematic +nonsystematical +nonsystematically +nonsister +nonsitter +nonsitting +nonsked +nonskeds +nonskeletal +nonskeletally +nonskeptic +nonskeptical +nonskid +nonskidding +nonskier +nonskiers +nonskilled +nonskipping +nonslanderous +nonslaveholding +Non-slavic +nonslip +nonslippery +nonslipping +nonsludging +nonsmoker +nonsmokers +nonsmoking +nonsmutting +nonsober +nonsobering +nonsoberly +nonsoberness +nonsobriety +nonsociability +nonsociable +nonsociableness +nonsociably +nonsocial +nonsocialist +nonsocialistic +nonsociality +nonsocially +nonsocialness +nonsocietal +nonsociety +non-society +nonsociological +nonsolar +nonsoldier +nonsolicitation +nonsolicitous +nonsolicitously +nonsolicitousness +nonsolid +nonsolidarity +nonsolidification +nonsolidified +nonsolidifying +nonsolidly +nonsolids +nonsoluable +nonsoluble +nonsolubleness +nonsolubly +nonsolution +nonsolvability +nonsolvable +nonsolvableness +nonsolvency +nonsolvent +nonsonant +nonsophistic +nonsophistical +nonsophistically +nonsophisticalness +nonsoporific +nonsovereign +nonsovereignly +nonspacious +nonspaciously +nonspaciousness +nonspalling +Non-spanish +nonsparing +nonsparking +nonsparkling +Non-spartan +nonspatial +nonspatiality +nonspatially +nonspeaker +nonspeaking +nonspecial +nonspecialist +nonspecialists +nonspecialist's +nonspecialized +nonspecializing +nonspecially +nonspecie +nonspecifiable +nonspecific +nonspecifically +nonspecification +nonspecificity +nonspecified +nonspecious +nonspeciously +nonspeciousness +nonspectacular +nonspectacularly +nonspectral +nonspectrality +nonspectrally +nonspeculation +nonspeculative +nonspeculatively +nonspeculativeness +nonspeculatory +nonspheral +nonspheric +nonspherical +nonsphericality +nonspherically +nonspill +nonspillable +nonspinal +nonspiny +nonspinning +nonspinose +nonspinosely +nonspinosity +nonspiral +nonspirit +nonspirited +nonspiritedly +nonspiritedness +nonspiritous +nonspiritual +nonspirituality +nonspiritually +nonspiritualness +nonspirituness +nonspirituous +nonspirituousness +nonspontaneous +nonspontaneously +nonspontaneousness +nonspored +nonsporeformer +nonsporeforming +nonspore-forming +nonsporting +nonsportingly +nonspottable +nonsprouting +nonspurious +nonspuriously +nonspuriousness +nonstabile +nonstability +nonstable +nonstableness +nonstably +nonstainable +nonstainer +nonstaining +nonstampable +nonstandard +nonstandardization +nonstandardized +nonstanzaic +nonstaple +nonstarch +nonstarter +nonstarting +nonstatement +nonstatic +nonstationary +nonstationaries +nonstatistic +nonstatistical +nonstatistically +nonstative +nonstatutable +nonstatutory +nonstellar +nonstereotyped +nonstereotypic +nonstereotypical +nonsterile +nonsterilely +nonsterility +nonsterilization +nonsteroid +nonsteroidal +nonstick +nonsticky +nonstylization +nonstylized +nonstimulable +nonstimulant +nonstimulating +nonstimulation +nonstimulative +nonstyptic +nonstyptical +nonstipticity +nonstipulation +nonstock +Non-stoic +nonstoical +nonstoically +nonstoicalness +nonstooping +nonstop +nonstorable +nonstorage +nonstory +nonstowed +nonstrategic +nonstrategical +nonstrategically +nonstratified +nonstress +nonstretchable +nonstretchy +nonstriated +nonstrictness +nonstrictured +nonstriker +non-striker +nonstrikers +nonstriking +nonstringent +nonstriped +nonstrophic +nonstructural +nonstructurally +nonstructure +nonstructured +nonstudent +nonstudents +nonstudy +nonstudied +nonstudious +nonstudiously +nonstudiousness +nonstultification +nonsubconscious +nonsubconsciously +nonsubconsciousness +nonsubject +nonsubjected +nonsubjectification +nonsubjection +nonsubjective +nonsubjectively +nonsubjectiveness +nonsubjectivity +nonsubjugable +nonsubjugation +nonsublimation +nonsubliminal +nonsubliminally +nonsubmerged +nonsubmergence +nonsubmergibility +nonsubmergible +nonsubmersible +nonsubmissible +nonsubmission +nonsubmissive +nonsubmissively +nonsubmissiveness +nonsubordinate +nonsubordinating +nonsubordination +nonsubscriber +non-subscriber +nonsubscribers +nonsubscribing +nonsubscripted +nonsubscription +nonsubsidy +nonsubsidiary +nonsubsidiaries +nonsubsididies +nonsubsidies +nonsubsiding +nonsubsistence +nonsubsistent +nonsubstantial +non-substantial +nonsubstantialism +nonsubstantialist +nonsubstantiality +nonsubstantially +nonsubstantialness +nonsubstantiation +nonsubstantival +nonsubstantivally +nonsubstantive +nonsubstantively +nonsubstantiveness +nonsubstituted +nonsubstitution +nonsubstitutional +nonsubstitutionally +nonsubstitutionary +nonsubstitutive +nonsubtile +nonsubtilely +nonsubtileness +nonsubtility +nonsubtle +nonsubtleness +nonsubtlety +nonsubtleties +nonsubtly +nonsubtraction +nonsubtractive +nonsubtractively +nonsuburban +nonsubversion +nonsubversive +nonsubversively +nonsubversiveness +nonsuccess +nonsuccessful +nonsuccessfully +nonsuccession +nonsuccessional +nonsuccessionally +nonsuccessive +nonsuccessively +nonsuccessiveness +nonsuccor +nonsuccour +nonsuch +nonsuches +nonsuction +nonsuctorial +nonsudsing +nonsufferable +nonsufferableness +nonsufferably +nonsufferance +nonsuffrage +nonsugar +nonsugars +nonsuggestible +nonsuggestion +nonsuggestive +nonsuggestively +nonsuggestiveness +nonsuit +nonsuited +nonsuiting +nonsuits +nonsulfurous +nonsulphurous +nonsummons +nonsupervision +nonsupplemental +nonsupplementally +nonsupplementary +nonsupplicating +nonsupplication +nonsupport +nonsupportability +nonsupportable +nonsupportableness +nonsupportably +nonsupporter +nonsupporting +nonsupports +nonsupposed +nonsupposing +nonsuppositional +nonsuppositionally +nonsuppositive +nonsuppositively +nonsuppressed +nonsuppression +nonsuppressive +nonsuppressively +nonsuppressiveness +nonsuppurative +nonsupression +nonsurface +nonsurgical +nonsurgically +nonsurrealistic +nonsurrealistically +nonsurrender +nonsurvival +nonsurvivor +nonsusceptibility +nonsusceptible +nonsusceptibleness +nonsusceptibly +nonsusceptiness +nonsusceptive +nonsusceptiveness +nonsusceptivity +nonsuspect +nonsuspended +nonsuspension +nonsuspensive +nonsuspensively +nonsuspensiveness +nonsustainable +nonsustained +nonsustaining +nonsustenance +nonswearer +nonswearing +nonsweating +Non-swedish +nonswimmer +nonswimming +Non-swiss +nontabular +nontabularly +nontabulated +nontactic +nontactical +nontactically +nontactile +nontactility +nontalented +nontalkative +nontalkatively +nontalkativeness +nontan +nontangental +nontangential +nontangentially +nontangible +nontangibleness +nontangibly +nontannic +nontannin +nontanning +nontarget +nontariff +nontarnishable +nontarnished +nontarnishing +nontarred +Non-tartar +nontautological +nontautologically +nontautomeric +nontautomerizable +nontax +nontaxability +nontaxable +nontaxableness +nontaxably +nontaxation +nontaxer +nontaxes +nontaxonomic +nontaxonomical +nontaxonomically +nonteachability +nonteachable +nonteachableness +nonteachably +nonteacher +nonteaching +nontechnical +nontechnically +nontechnicalness +nontechnologic +nontechnological +nontechnologically +nonteetotaler +nonteetotalist +nontelegraphic +nontelegraphical +nontelegraphically +nonteleological +nonteleologically +nontelepathic +nontelepathically +nontelephonic +nontelephonically +nontelescopic +nontelescoping +nontelic +nontemperable +nontemperamental +nontemperamentally +nontemperate +nontemperately +nontemperateness +nontempered +nontemporal +nontemporally +nontemporary +nontemporarily +nontemporariness +nontemporizing +nontemporizingly +nontemptation +nontenability +nontenable +nontenableness +nontenably +nontenant +nontenantable +nontensile +nontensility +nontentative +nontentatively +nontentativeness +nontenure +non-tenure +nontenured +nontenurial +nontenurially +nonterm +non-term +nonterminability +nonterminable +nonterminableness +nonterminably +nonterminal +nonterminally +nonterminals +nonterminal's +nonterminating +nontermination +nonterminative +nonterminatively +nonterminous +nonterrestrial +nonterritorial +nonterritoriality +nonterritorially +nontestable +nontestamentary +nontesting +Non-teuton +Non-teutonic +nontextual +nontextually +nontextural +nontexturally +nontheatric +nontheatrical +nontheatrically +nontheistic +nontheistical +nontheistically +nonthematic +nonthematically +nontheocratic +nontheocratical +nontheocratically +nontheologic +nontheological +nontheologically +nontheoretic +nontheoretical +nontheoretically +nontheosophic +nontheosophical +nontheosophically +nontherapeutic +nontherapeutical +nontherapeutically +nonthermal +nonthermally +nonthermoplastic +nonthinker +nonthinking +nonthoracic +nonthoroughfare +nonthreaded +nonthreatening +nonthreateningly +nontidal +nontillable +nontimbered +nontinted +nontyphoidal +nontypical +nontypically +nontypicalness +nontypographic +nontypographical +nontypographically +nontyrannic +nontyrannical +nontyrannically +nontyrannicalness +nontyrannous +nontyrannously +nontyrannousness +nontitaniferous +nontitle +nontitled +nontitular +nontitularly +nontolerable +nontolerableness +nontolerably +nontolerance +nontolerant +nontolerantly +nontolerated +nontoleration +nontolerative +nontonal +nontonality +nontoned +nontonic +nontopographical +nontortuous +nontortuously +nontotalitarian +nontourist +nontoxic +nontoxically +nontraceability +nontraceable +nontraceableness +nontraceably +nontractability +nontractable +nontractableness +nontractably +nontraction +nontrade +nontrader +nontrading +nontradition +nontraditional +nontraditionalist +nontraditionalistic +nontraditionally +nontraditionary +nontragedy +nontragedies +nontragic +nontragical +nontragically +nontragicalness +nontrailing +nontrained +nontraining +nontraitorous +nontraitorously +nontraitorousness +nontranscribing +nontranscription +nontranscriptive +nontransferability +nontransferable +nontransference +nontransferential +nontransformation +nontransforming +nontransgression +nontransgressive +nontransgressively +nontransience +nontransiency +nontransient +nontransiently +nontransientness +nontransitional +nontransitionally +nontransitive +nontransitively +nontransitiveness +nontranslocation +nontranslucency +nontranslucent +nontransmission +nontransmittal +nontransmittance +nontransmittible +nontransparence +nontransparency +nontransparent +nontransparently +nontransparentness +nontransportability +nontransportable +nontransportation +nontransposable +nontransposing +nontransposition +nontraveler +nontraveling +nontraveller +nontravelling +nontraversable +nontreasonable +nontreasonableness +nontreasonably +nontreatable +nontreated +nontreaty +nontreaties +nontreatment +nontrespass +nontrial +nontribal +nontribally +nontribesman +nontribesmen +nontributary +nontrier +nontrigonometric +nontrigonometrical +nontrigonometrically +non-Trinitarian +nontrivial +nontriviality +nontronite +nontropic +nontropical +nontropically +nontroubling +nontruancy +nontruant +nontrump +nontrunked +nontrust +nontrusting +nontruth +nontruths +nontubercular +nontubercularly +nontuberculous +nontubular +nontumorous +nontumultuous +nontumultuously +nontumultuousness +nontuned +nonturbinate +nonturbinated +non-Turk +non-Turkic +Non-turkish +Non-tuscan +nontutorial +nontutorially +non-U +nonubiquitary +nonubiquitous +nonubiquitously +nonubiquitousness +Non-ukrainian +nonulcerous +nonulcerously +nonulcerousness +nonultrafilterable +nonumbilical +nonumbilicate +nonumbrellaed +Non-umbrian +nonunanimous +nonunanimously +nonunanimousness +nonuncial +nonundergraduate +nonunderstandable +nonunderstanding +nonunderstandingly +nonunderstood +nonundulant +nonundulate +nonundulating +nonundulatory +nonunification +nonunified +nonuniform +nonuniformist +nonuniformitarian +nonuniformity +nonuniformities +nonuniformly +nonunion +non-union +nonunionism +nonunionist +nonunions +nonunique +nonuniquely +nonuniqueness +nonunison +nonunitable +nonunitarian +Non-unitarian +nonuniteable +nonunited +nonunity +nonuniting +nonuniversal +nonuniversalist +Non-universalist +nonuniversality +nonuniversally +nonuniversity +nonuniversities +nonupholstered +nonuple +nonuples +nonuplet +nonuplicate +nonupright +nonuprightly +nonuprightness +Non-uralian +nonurban +nonurbanite +nonurgent +nonurgently +nonusable +nonusage +nonuse +nonuseable +nonuser +non-user +nonusers +nonuses +nonusing +nonusurious +nonusuriously +nonusuriousness +nonusurping +nonusurpingly +nonuterine +nonutile +nonutilitarian +nonutility +nonutilities +nonutilization +nonutilized +nonutterance +nonvacancy +nonvacancies +nonvacant +nonvacantly +nonvaccination +nonvacillating +nonvacillation +nonvacua +nonvacuous +nonvacuously +nonvacuousness +nonvacuum +nonvacuums +nonvaginal +nonvagrancy +nonvagrancies +nonvagrant +nonvagrantly +nonvagrantness +nonvalent +nonvalid +nonvalidation +nonvalidity +nonvalidities +nonvalidly +nonvalidness +nonvalorous +nonvalorously +nonvalorousness +nonvaluable +nonvaluation +nonvalue +nonvalued +nonvalve +nonvanishing +nonvaporosity +nonvaporous +nonvaporously +nonvaporousness +nonvariability +nonvariable +nonvariableness +nonvariably +nonvariance +nonvariant +nonvariation +nonvaried +nonvariety +nonvarieties +nonvarious +nonvariously +nonvariousness +nonvascular +non-vascular +nonvascularly +nonvasculose +nonvasculous +nonvassal +nonvector +Non-vedic +nonvegetable +nonvegetation +nonvegetative +nonvegetatively +nonvegetativeness +nonvegetive +nonvehement +nonvehemently +nonvenal +nonvenally +nonvendibility +nonvendible +nonvendibleness +nonvendibly +nonvenereal +Non-venetian +nonvenomous +nonvenomously +nonvenomousness +nonvenous +nonvenously +nonvenousness +nonventilation +nonventilative +nonveracious +nonveraciously +nonveraciousness +nonveracity +nonverbal +nonverbalized +nonverbally +nonverbosity +nonverdict +Non-vergilian +nonverifiable +nonverification +nonveritable +nonveritableness +nonveritably +nonverminous +nonverminously +nonverminousness +nonvernacular +nonversatility +nonvertebral +nonvertebrate +nonvertical +nonverticality +nonvertically +nonverticalness +nonvesicular +nonvesicularly +nonvesting +nonvesture +nonveteran +nonveterinary +nonveterinaries +nonvexatious +nonvexatiously +nonvexatiousness +nonviability +nonviable +nonvibratile +nonvibrating +nonvibration +nonvibrator +nonvibratory +nonvicarious +nonvicariously +nonvicariousness +nonvictory +nonvictories +nonvigilance +nonvigilant +nonvigilantly +nonvigilantness +nonvillager +nonvillainous +nonvillainously +nonvillainousness +nonvindicable +nonvindication +nonvinosity +nonvinous +nonvintage +nonviolability +nonviolable +nonviolableness +nonviolably +nonviolation +nonviolative +nonviolence +nonviolences +nonviolent +nonviolently +nonviral +nonvirginal +nonvirginally +Non-virginian +nonvirile +nonvirility +nonvirtue +nonvirtuous +nonvirtuously +nonvirtuousness +nonvirulent +nonvirulently +nonviruliferous +nonvisaed +nonvisceral +nonviscid +nonviscidity +nonviscidly +nonviscidness +nonviscous +nonviscously +nonviscousness +nonvisibility +nonvisibilities +nonvisible +nonvisibly +nonvisional +nonvisionary +nonvisitation +nonvisiting +nonvisual +nonvisualized +nonvisually +nonvital +nonvitality +nonvitalized +nonvitally +nonvitalness +nonvitiation +nonvitreous +nonvitrified +nonvitriolic +nonvituperative +nonvituperatively +nonviviparity +nonviviparous +nonviviparously +nonviviparousness +nonvocable +nonvocal +nonvocalic +nonvocality +nonvocalization +nonvocally +nonvocalness +nonvocational +nonvocationally +nonvoice +nonvoid +nonvoidable +nonvolant +nonvolatile +nonvolatileness +nonvolatility +nonvolatilizable +nonvolatilized +nonvolatiness +nonvolcanic +nonvolition +nonvolitional +nonvolubility +nonvoluble +nonvolubleness +nonvolubly +nonvoluntary +nonvortical +nonvortically +nonvoter +nonvoters +nonvoting +nonvulcanizable +nonvulcanized +nonvulgarity +nonvulgarities +nonvulval +nonvulvar +nonvvacua +nonwaiver +nonwalking +nonwar +nonwarrantable +nonwarrantably +nonwarranted +nonwashable +nonwasting +nonwatertight +nonwavering +nonwaxing +nonweakness +nonwelcome +nonwelcoming +Non-welsh +nonwestern +nonwetted +nonwhite +non-White +nonwhites +nonwinged +nonwithering +nonwonder +nonwondering +nonwoody +nonword +nonwords +nonworker +nonworkers +nonworking +nonworship +nonwoven +nonwrinkleable +nonwrite +nonzealous +nonzealously +nonzealousness +nonzebra +nonzero +Non-zionist +nonzodiacal +nonzonal +nonzonally +nonzonate +nonzonated +nonzoologic +nonzoological +nonzoologically +noo +noodge +noodged +noodges +noodging +noodle +noodled +noodledom +noodlehead +noodle-head +noodleism +noodles +noodling +nook +nooked +nookery +nookeries +nooky +nookie +nookier +nookies +nookiest +nooking +nooklet +nooklike +nooks +nook's +Nooksack +nook-shotten +noology +noological +noologist +noometry +noon +Noonan +Noonberg +noonday +noondays +no-one +nooned +noonflower +nooning +noonings +noonish +noonlight +noon-light +noonlit +noonmeat +noons +noonstead +noontide +noontides +noontime +noontimes +noonwards +noop +Noordbrabant +Noordholland +nooscopic +noose +noosed +nooser +noosers +nooses +noosing +noosphere +Nootka +Nootkas +NOP +nopal +Nopalea +nopalry +nopals +no-par +no-par-value +nope +nopinene +no-place +Nor +nor' +nor- +Nor. +Nora +NORAD +noradrenalin +noradrenaline +noradrenergic +Norah +norard +norate +noration +norbergite +Norbert +Norbertine +Norby +Norbie +Norborne +norcamphane +Norcatur +Norco +Norcross +Nord +Nordau +nordcaper +Norden +nordenfelt +nordenskioldine +Nordenskj +Nordenskjold +Nordgren +Nordhausen +Nordheim +Nordhoff +Nordic +Nordica +Nordicism +Nordicist +Nordicity +Nordicization +Nordicize +Nordin +Nordine +Nord-lais +Nordland +Nordman +nordmarkite +NORDO +Nordrhein-Westfalen +Nordstrom +Nore +Norean +noreast +nor'east +noreaster +nor'easter +Noreen +norelin +Norene +norepinephrine +Norfolk +Norfolkian +Norford +Norge +NORGEN +norgine +nori +noria +norias +Noric +norice +Noricum +norie +norimon +Norina +Norine +norit +Norita +norite +norites +noritic +norito +Nork +norkyn +norland +norlander +norlandism +norlands +Norlene +norleucine +Norlina +Norling +Norm +Norma +normal +normalacy +normalcy +normalcies +Normalie +normalisation +normalise +normalised +normalising +normalism +normalist +normality +normalities +normalizable +normalization +normalizations +normalize +normalized +normalizer +normalizes +normalizing +normally +normalness +normals +Normalville +Norman +Normand +Normandy +Normanesque +Norman-French +Normangee +Normanise +Normanish +Normanism +Normanist +Normanization +Normanize +Normanizer +Normanly +Normanna +Normannic +normans +Normantown +normated +normative +normatively +normativeness +normed +Normi +Normy +Normie +NORML +normless +normoblast +normoblastic +normocyte +normocytic +normotensive +normothermia +normothermic +norms +norm's +Norn +Norna +nornicotine +Nornis +nor-noreast +nornorwest +Norns +noropianic +Norphlet +norpinic +Norri +Norry +Norridgewock +Norrie +Norris +Norristown +Norrkoping +Norrkping +Norroy +Norroway +Norrv +Norse +Norse-american +norsel +Norseland +norseled +norseler +norseling +norselled +norselling +Norseman +norsemen +Norsk +nortelry +North +Northallerton +Northam +Northampton +Northamptonshire +Northants +north'ard +Northborough +northbound +Northcliffe +northcountryman +north-countryman +north-countriness +Northeast +north-east +northeaster +north-easter +northeasterly +north-easterly +northeastern +north-eastern +northeasterner +northeasternmost +northeasters +northeasts +northeastward +north-eastward +northeastwardly +northeastwards +Northey +northen +north-end +Northener +northeners +norther +northered +northering +northerly +northerlies +northerliness +Northern +Northerner +northerners +Northernise +Northernised +Northernising +Northernize +northernly +northernmost +northernness +northerns +northers +northest +northfieldite +north-following +northing +northings +Northington +Northland +northlander +northlight +north-light +Northman +Northmen +northmost +northness +north-northeast +north-north-east +north-northeastward +north-northeastwardly +north-northeastwards +north-northwest +north-north-west +north-northwestward +north-northwestwardly +north-northwestwards +north-polar +Northport +north-preceding +Northrop +Northrup +norths +north-seeking +north-sider +Northumb +Northumber +Northumberland +Northumbria +Northumbrian +northupite +Northvale +Northville +Northway +northward +northwardly +northwards +Northwest +north-west +northwester +north-wester +northwesterly +north-westerly +northwestern +north-western +northwesterner +northwests +northwestward +north-westward +northwestwardly +northwestwards +Northwich +Northwoods +Norty +Norton +Nortonville +nortriptyline +Norumbega +Norval +Norvall +Norvan +Norvell +Norvelt +Norven +Norvil +Norvin +Norvol +Norvun +Norw +Norw. +Norway +Norwalk +Norward +norwards +Norwegian +norwegians +norweyan +Norwell +norwest +nor'west +nor'-west +norwester +nor'wester +nor'-wester +norwestward +Norwich +Norwood +Norword +NOS +nos- +Nosairi +Nosairian +nosarian +NOSC +nose +nosean +noseanite +nosebag +nose-bag +nosebags +noseband +nose-band +nosebanded +nosebands +nose-belled +nosebleed +nose-bleed +nosebleeds +nosebone +noseburn +nosed +nosedive +nose-dive +nose-dived +nose-diving +nose-dove +nosee-um +nosegay +nosegaylike +nosegays +nose-grown +nose-heavy +noseherb +nose-high +nosehole +nosey +nose-leafed +nose-led +noseless +noselessly +noselessness +noselike +noselite +Nosema +Nosematidae +nose-nippers +noseover +nosepiece +nose-piece +nose-piercing +nosepinch +nose-pipe +nose-pulled +noser +nose-ring +noses +nose-shy +nosesmart +nose-smart +nosethirl +nose-thirl +nose-thumbing +nose-tickling +nosetiology +nose-up +nosewards +nosewheel +nosewing +nosewise +nose-wise +nosewort +nosh +noshed +nosher +noshers +noshes +noshing +no-show +nosh-up +nosy +no-side +nosier +nosiest +nosig +nosily +nosine +nosiness +nosinesses +nosing +nosings +nosism +no-system +nosite +noso- +nosochthonography +nosocomial +nosocomium +nosogenesis +nosogenetic +nosogeny +nosogenic +nosogeography +nosogeographic +nosogeographical +nosographer +nosography +nosographic +nosographical +nosographically +nosographies +nosohaemia +nosohemia +nosology +nosologic +nosological +nosologically +nosologies +nosologist +nosomania +nosomycosis +nosonomy +nosophyte +nosophobia +nosopoetic +nosopoietic +nosotaxy +nosotrophy +nossel +nostalgy +nostalgia +nostalgias +nostalgic +nostalgically +nostalgies +noster +nostic +Nostoc +Nostocaceae +nostocaceous +nostochine +nostocs +nostology +nostologic +nostomania +nostomanic +Nostradamic +Nostradamus +Nostrand +nostrificate +nostrification +nostril +nostriled +nostrility +nostrilled +nostrils +nostril's +nostrilsome +nostrum +nostrummonger +nostrummongery +nostrummongership +nostrums +Nosu +no-surrender +not +not- +nota +notabene +notabilia +notability +notabilities +notable +notableness +notables +notably +notacanthid +Notacanthidae +notacanthoid +notacanthous +Notacanthus +notaeal +notaeum +notal +notalgia +notalgic +Notalia +notan +notanduda +notandum +notandums +notanencephalia +notary +notarial +notarially +notariate +notaries +notarikon +notaryship +notarization +notarizations +notarize +notarized +notarizes +notarizing +Notasulga +notate +notated +notates +notating +notation +notational +notations +notation's +notative +notator +notaulix +not-being +notch +notchback +notchboard +notched +notched-leaved +notchel +notcher +notchers +notches +notchful +notchy +notching +notch-lobed +notchweed +notchwing +notchwort +not-delivery +note +note-blind +note-blindness +notebook +note-book +notebooks +notebook's +notecase +notecases +noted +notedly +notedness +notehead +noteholder +note-holder +notekin +Notelaea +noteless +notelessly +notelessness +notelet +noteman +notemigge +notemugge +notencephalocele +notencephalus +notepad +notepads +notepaper +note-paper +note-perfect +not-ephemeral +noter +noters +noterse +notes +notewise +noteworthy +noteworthily +noteworthiness +not-good +nothal +notharctid +Notharctidae +Notharctus +nother +nothing +nothingarian +nothingarianism +nothingism +nothingist +nothingize +nothingless +nothingly +nothingness +nothingnesses +nothingology +nothings +Nothofagus +Notholaena +no-thoroughfare +nothosaur +Nothosauri +nothosaurian +Nothosauridae +Nothosaurus +nothous +nothus +Noti +noticable +notice +noticeabili +noticeability +noticeable +noticeableness +noticeably +noticed +noticer +notices +noticing +Notidani +notidanian +notidanid +Notidanidae +notidanidan +notidanoid +Notidanus +notify +notifiable +notification +notificational +notifications +notified +notifyee +notifier +notifiers +notifies +notifying +no-tillage +noting +notion +notionable +notional +notionalist +notionality +notionally +notionalness +notionary +notionate +notioned +notionist +notionless +notions +Notiosorex +NOTIS +notist +notitia +notition +Notkerian +not-living +noto- +notocentrous +notocentrum +notochord +notochordal +notocord +notodontian +notodontid +Notodontidae +notodontoid +Notogaea +Notogaeal +Notogaean +Notogaeic +Notogea +notoire +notommatid +Notommatidae +Notonecta +notonectal +notonectid +Notonectidae +notopodial +notopodium +notopterid +Notopteridae +notopteroid +Notopterus +Notorhynchus +notorhizal +Notoryctes +notoriety +notorieties +notorious +notoriously +notoriousness +Notornis +Notostraca +notothere +Nototherium +Nototrema +nototribe +notoungulate +notour +notourly +not-out +Notre +Notrees +Notropis +no-trump +no-trumper +nots +notself +not-self +not-soul +Nottage +Nottawa +Nottingham +Nottinghamshire +Nottoway +Notts +notturni +notturno +notum +Notungulata +notungulate +Notus +notwithstanding +nou +Nouakchott +nouche +nougat +nougatine +nougats +nought +noughty +noughtily +noughtiness +noughtly +noughts +noughts-and-crosses +nouille +nouilles +nould +Nouma +Noumea +noumeaite +noumeite +noumena +noumenal +noumenalism +noumenalist +noumenality +noumenalize +noumenally +noumenism +noumenon +noumenona +noummos +noun +nounal +nounally +nounize +nounless +nouns +noun's +noup +nourice +nourish +nourishable +nourished +nourisher +nourishers +nourishes +nourishing +nourishingly +nourishment +nourishments +nouriture +nous +nousel +nouses +nouther +nouveau +nouveau-riche +nouveaute +nouveautes +nouveaux +nouvelle +Nouvelle-Caldonie +nouvelles +Nov +Nov. +Nova +Novachord +novaculite +novae +Novah +Novak +novale +novalia +novalike +Novalis +Novanglian +Novanglican +novantique +Novara +novarsenobenzene +novas +novate +Novatian +Novatianism +Novatianist +novation +novations +novative +Novato +novator +novatory +novatrix +novcic +noveboracensis +novel +novela +novelant +novelcraft +novel-crazed +noveldom +novelese +novelesque +novelet +noveletist +novelette +noveletter +novelettes +noveletty +novelettish +novelettist +Novelia +novelisation +novelise +novelised +novelises +novelish +novelising +novelism +novelist +novelistic +novelistically +novelists +novelist's +novelivelle +novelization +novelizations +novelize +novelized +novelizes +novelizing +novella +novellae +novellas +novelle +novelless +novelly +novellike +Novello +novel-making +novelmongering +novelness +novel-purchasing +novel-reading +novelry +Novels +novel's +novel-sick +novelty +novelties +novelty's +novelwright +novel-writing +novem +novemarticulate +November +Novemberish +novembers +november's +novemcostate +novemdecillion +novemdecillionth +novemdigitate +novemfid +novemlobate +novemnervate +novemperfoliate +novena +novenae +novenary +novenas +novendial +novene +novennial +novercal +noverify +noverint +Nov-Esperanto +Novgorod +Novi +Novia +Novial +novice +novicehood +novicelike +novicery +novices +novice's +noviceship +noviciate +Novick +Novikoff +novillada +novillero +novillo +novilunar +Novinger +novity +novitial +novitiate +novitiates +novitiateship +novitiation +novitious +Nov-Latin +novo +novobiocin +Novocain +Novocaine +Novocherkassk +novodamus +Novokuznetsk +Novonikolaevsk +novorolsky +Novorossiisk +Novoshakhtinsk +Novosibirsk +Novotny +Novo-zelanian +Novum +novus +now +now-accumulated +nowaday +now-a-day +nowadays +now-a-days +noway +noways +nowanights +Nowata +now-being +now-big +now-borne +nowch +now-dead +nowder +nowed +Nowel +Nowell +now-existing +now-fallen +now-full +nowhat +nowhen +nowhence +nowhere +nowhere-dense +nowhereness +nowheres +nowhit +nowhither +nowy +nowise +now-known +now-lost +now-neglected +nowness +Nowroze +nows +nowt +nowthe +nowther +nowtherd +nowts +now-waning +Nox +noxa +noxal +noxally +Noxapater +Noxen +noxial +noxious +noxiously +noxiousness +Noxon +Nozi +Nozicka +nozzle +nozzler +nozzles +NP +NPA +Npaktos +NPC +npeel +npfx +NPG +NPI +NPL +n-ple +n-ply +NPN +NPP +NPR +NPRM +NPSI +Npt +NPV +NQ +NQS +nr +nr. +NRA +NRAB +NRAO +nrarucu +NRC +NRDC +NRE +NREN +nritta +NRL +NRM +NRO +NROFF +NRPB +NRZ +NRZI +NS +n's +NSA +NSAP +ns-a-vis +NSB +NSC +NSCS +NSDSSO +NSE +NSEC +NSEL +NSEM +NSF +NSFNET +N-shaped +N-shell +NSO +NSP +NSPCC +NSPMP +NSRB +NSSDC +NST +NSTS +NSU +NSUG +NSW +NSWC +NT +-n't +NTEC +NTEU +NTF +Nth +NTIA +n-type +NTIS +NTN +NTO +NTP +NTR +NTS +NTSB +NTSC +NTT +n-tuple +n-tuply +NU +NUA +NUAAW +nuadu +nuagism +nuagist +nuance +nuanced +nuances +nuancing +Nuangola +Nu-arawak +nub +Nuba +nubby +nubbier +nubbiest +nubbin +nubbiness +nubbins +nubble +nubbled +nubbles +nubbly +nubblier +nubbliest +nubbliness +nubbling +nubecula +nubeculae +Nubia +Nubian +nubias +Nubieber +nubiferous +nubiform +nubigenous +nubilate +nubilation +nubile +nubility +nubilities +nubilose +nubilous +Nubilum +Nubium +nubs +nucal +nucament +nucamentaceous +nucellar +nucelli +nucellus +nucha +nuchae +nuchal +nuchale +nuchalgia +nuchals +nuci- +nuciculture +nuciferous +nuciform +nucin +nucivorous +Nucla +nucle- +nucleal +nucleant +nuclear +nucleary +nuclease +nucleases +nucleate +nucleated +nucleates +nucleating +nucleation +nucleations +nucleator +nucleators +nucleclei +nuclei +nucleic +nucleiferous +nucleiform +nuclein +nucleinase +nucleins +nucleization +nucleize +nucleli +nucleo- +nucleoalbumin +nucleoalbuminuria +nucleocapsid +nucleofugal +nucleohyaloplasm +nucleohyaloplasma +nucleohistone +nucleoid +nucleoidioplasma +nucleolar +nucleolate +nucleolated +nucleole +nucleoles +nucleoli +nucleolini +nucleolinus +nucleolysis +nucleolocentrosome +nucleoloid +nucleolus +nucleomicrosome +nucleon +nucleone +nucleonic +nucleonics +nucleons +nucleopetal +nucleophile +nucleophilic +nucleophilically +nucleophilicity +nucleoplasm +nucleoplasmatic +nucleoplasmic +nucleoprotein +nucleosid +nucleosidase +nucleoside +nucleosynthesis +nucleotidase +nucleotide +nucleotides +nucleotide's +nucleus +nucleuses +nuclide +nuclides +nuclidic +Nucula +Nuculacea +nuculane +nuculania +nuculanium +nucule +nuculid +Nuculidae +nuculiform +nuculoid +Nuda +nudate +nudation +Nudd +nuddy +nuddle +nude +nudely +nudeness +nudenesses +Nudens +nuder +nudes +nudest +nudge +nudged +nudger +nudgers +nudges +nudging +nudi- +nudibranch +Nudibranchia +nudibranchian +nudibranchiate +nudicaudate +nudicaul +nudicaulous +nudie +nudies +nudifier +nudiflorous +nudiped +nudish +nudism +nudisms +nudist +nudists +nuditarian +nudity +nudities +nudnick +nudnicks +nudnik +nudniks +nudophobia +nudum +nudzh +nudzhed +nudzhes +nudzhing +Nueces +Nuevo +Nuffield +Nufud +nugacious +nugaciousness +nugacity +nugacities +nugae +nugament +nugator +nugatory +nugatorily +nugatoriness +Nugent +nuggar +nugget +nuggety +nuggets +nugi- +nugify +nugilogue +NUGMW +Nugumiut +NUI +nuisance +nuisancer +nuisances +nuisance's +nuisome +Nuits-Saint-Georges +Nuits-St-Georges +NUJ +nuke +nuked +nukes +nuking +Nuku'alofa +Nukuhivan +Nukus +NUL +Nuli +null +nullable +nullah +nullahs +nulla-nulla +nullary +nullbiety +nulled +nullibicity +nullibiety +nullibility +nullibiquitous +nullibist +nullify +nullification +nullificationist +nullifications +nullificator +nullifidian +nullifidianism +nullified +nullifier +nullifiers +nullifies +nullifying +nulling +nullipara +nulliparae +nulliparity +nulliparous +nullipennate +Nullipennes +nulliplex +nullipore +nulliporous +nullism +nullisome +nullisomic +nullity +nullities +nulliverse +null-manifold +nullo +nullos +nulls +Nullstellensatz +nullum +nullus +NUM +Numa +numac +Numantia +Numantine +Numanus +numb +numbat +numbats +numbed +numbedness +number +numberable +numbered +numberer +numberers +numberful +numbering +numberings +numberless +numberlessness +numberous +numberplate +Numbers +numbersome +numbest +numbfish +numb-fish +numbfishes +numbing +numbingly +numble +numbles +numbly +numbness +numbnesses +numbs +numbskull +numda +numdah +numen +Numenius +numerable +numerableness +numerably +numeracy +numeral +numerally +numerals +numeral's +numerant +numerary +numerate +numerated +numerates +numerating +numeration +numerations +numerative +numerator +numerators +numerator's +numeric +numerical +numerically +numericalness +numerics +Numerische +numerist +numero +numerology +numerological +numerologies +numerologist +numerologists +numeros +numerose +numerosity +numerous +numerously +numerousness +Numida +Numidae +Numidia +Numidian +Numididae +Numidinae +numina +Numine +numinism +numinous +numinouses +numinously +numinousness +numis +numis. +numismatic +numismatical +numismatically +numismatician +numismatics +numismatist +numismatists +numismatography +numismatology +numismatologist +Numitor +nummary +nummi +nummiform +nummular +nummulary +Nummularia +nummulated +nummulation +nummuline +Nummulinidae +nummulite +Nummulites +nummulitic +Nummulitidae +nummulitoid +nummuloidal +nummus +numnah +nump +numps +numskull +numskulled +numskulledness +numskullery +numskullism +numskulls +numud +Nun +Nunapitchuk +nunatak +nunataks +nunation +nunbird +nun-bird +nun-buoy +nunc +nunce +nunch +nunchaku +nuncheon +nunchion +Nunci +Nuncia +Nunciata +nunciate +nunciative +nunciatory +nunciature +nuncio +nuncios +nuncioship +nuncius +nuncle +nuncles +nuncupate +nuncupated +nuncupating +nuncupation +nuncupative +nuncupatively +nuncupatory +Nunda +nundinal +nundination +nundine +Nuneaton +Nunes +Nunez +nunhood +Nunica +Nunki +nunky +nunks +nunlet +nunlike +Nunn +nunnari +nunnated +nunnation +nunned +Nunnelly +Nunnery +nunneries +nunni +nunnify +nunning +nunnish +nunnishness +nunquam +nunry +nuns +nun's +nunship +nunting +nuntius +Nunu +NUPE +Nupercaine +Nuphar +nupson +nuptial +nuptiality +nuptialize +nuptially +nuptials +nuque +NUR +nuragh +nuraghe +nuraghes +nuraghi +NURBS +nurd +nurds +Nureyev +Nuremberg +nurhag +Nuri +Nuriel +Nuris +Nuristan +nurl +nurled +nurly +nurling +nurls +Nurmi +nurry +nursable +Nurse +nurse-child +nursed +nursedom +nurse-father +nursegirl +nursehound +nursekeeper +nursekin +nurselet +nurselike +nurseling +nursemaid +nursemaids +nurse-mother +nurser +nursery +nurserydom +nurseries +nurseryful +nurserymaid +nurserymaids +nurseryman +nurserymen +nursery's +nursers +nurses +nursetender +nurse-tree +nursy +nursing +nursingly +nursings +nursle +nursling +nurslings +nurturable +nurtural +nurturance +nurturant +nurture +nurtured +nurtureless +nurturer +nurturers +nurtures +nurtureship +nurturing +NUS +Nusairis +Nusakan +NUSC +nusfiah +Nusku +Nussbaum +NUT +nutant +nutarian +nutate +nutated +nutates +nutating +nutation +nutational +nutations +nutbreaker +nutbrown +nut-brown +nutcake +nutcase +nutcrack +nut-crack +nutcracker +nut-cracker +nutcrackery +nutcrackers +nut-cracking +nutgall +nut-gall +nutgalls +nut-gathering +nutgrass +nut-grass +nutgrasses +nuthatch +nuthatches +nuthook +nut-hook +nuthouse +nuthouses +nutjobber +Nutley +nutlet +nutlets +nutlike +nutmeat +nutmeats +nutmeg +nutmegged +nutmeggy +nutmegs +nut-oil +nutpecker +nutpick +nutpicks +nutramin +nutria +nutrias +nutrice +nutricial +nutricism +nutriculture +nutrient +nutrients +nutrify +nutrilite +nutriment +nutrimental +nutriments +Nutrioso +nutritial +nutrition +nutritional +nutritionally +nutritionary +nutritionist +nutritionists +nutritions +nutritious +nutritiously +nutritiousness +nutritive +nutritively +nutritiveness +nutritory +nutriture +nuts +nut's +nutsedge +nutsedges +nutseed +nut-shaped +nutshell +nut-shelling +nutshells +nutsy +nutsier +nutsiest +nut-sweet +Nuttallia +nuttalliasis +nuttalliosis +nut-tapper +nutted +Nutter +nuttery +nutters +nutty +nutty-brown +nuttier +nuttiest +nutty-flavored +nuttily +nutty-looking +nuttiness +Nutting +nuttings +nuttish +nuttishness +nut-toasting +nut-tree +Nuttsville +nut-weevil +nutwood +nutwoods +nu-value +NUWW +nuzzer +nuzzerana +Nuzzi +nuzzle +nuzzled +nuzzler +nuzzlers +nuzzles +nuzzling +NV +NVH +NVLAP +NVRAM +NW +NWA +NWbn +NWbW +NWC +NWLB +NWS +NWT +NXX +NZ +NZBC +o +O' +O'- +o- +-o- +O. +O.B. +O.C. +O.D. +o.e. +O.E.D. +O.F.M. +O.G. +O.P. +o.r. +O.S. +O.S.A. +O.S.B. +O.S.D. +O.S.F. +O.T.C. +o/c +O/S +O2 +OA +OACIS +Oacoma +oad +oadal +oaf +oafdom +oafish +oafishly +oafishness +oafs +Oahu +OAK +oak-apple +oak-beamed +oakberry +Oakbluffs +oak-boarded +Oakboy +Oakboro +oak-clad +oak-covered +oak-crested +oak-crowned +Oakdale +oaken +oakenshaw +Oakes +Oakesdale +Oakesia +Oakfield +Oakford +Oakhall +Oakham +Oakhurst +oaky +Oakie +Oakland +Oaklawn +oak-leaved +Oakley +Oakleil +oaklet +oaklike +Oaklyn +oakling +Oakman +Oakmont +oakmoss +oakmosses +oak-paneled +Oaks +oak-tanned +oak-timbered +Oakton +oaktongue +Oaktown +oak-tree +oakum +oakums +Oakvale +Oakview +Oakville +oak-wainscoted +oakweb +oakwood +oam +Oannes +OAO +OAP +OAPC +oar +oarage +oarcock +oared +oarfish +oarfishes +oar-footed +oarhole +oary +oarial +oarialgia +oaric +oaring +oariocele +oariopathy +oariopathic +oariotomy +oaritic +oaritis +oarium +Oark +oarless +oarlike +oarlock +oarlocks +oarlop +oarman +oarrowheaded +oars +oar's +oarsman +oarsmanship +oarsmen +oarswoman +oarswomen +oarweed +OAS +oasal +oasean +oases +oasis +OASYS +oasitic +oast +oasthouse +oast-house +oast-houses +oasts +OAT +oat-bearing +oatbin +oatcake +oat-cake +oatcakes +oat-crushing +oatear +oaten +oatenmeal +oater +oaters +Oates +oat-fed +oatfowl +oat-growing +oath +oathay +oath-bound +oath-breaking +oath-despising +oath-detesting +oathed +oathful +oathlet +oath-making +oaths +oathworthy +oaty +Oatis +oatland +oatlike +Oatman +oatmeal +oatmeals +oat-producing +OATS +oatseed +oat-shaped +OAU +oaves +Oaxaca +OB +ob- +ob. +Oba +Obad +Obad. +Obadiah +Obadias +Obafemi +Obala +Oballa +Obama +obambulate +obambulation +obambulatory +Oban +Obara +obarne +obarni +Obasanjo +Obau +Obaza +obb +obb. +Obbard +Obbenite +obbligati +obbligato +obbligatos +obclavate +obclude +obcompressed +obconic +obconical +obcordate +obcordiform +obcuneate +OBD +obdeltoid +obdiplostemony +obdiplostemonous +obdormition +obdt +obdt. +obduce +obduction +obduracy +obduracies +obdurate +obdurated +obdurately +obdurateness +obdurating +obduration +obdure +OBE +obeah +obeahism +obeahisms +obeahs +obeche +Obed +Obeded +Obediah +obedience +obediences +obediency +obedient +obediential +obedientially +obedientialness +obedientiar +obedientiary +obedientiaries +obediently +obey +obeyable +obeyance +Obeid +obeyed +obeyeo +obeyer +obeyers +obeying +obeyingly +obeys +obeisance +obeisances +obeisant +obeisantly +obeish +obeism +Obel +obeli +Obelia +obeliac +obelial +obelias +obelion +obeliscal +obeliscar +obelise +obelised +obelises +obelising +obelisk +obelisked +obelisking +obeliskoid +obelisks +obelism +obelisms +obelize +obelized +obelizes +obelizing +Obellia +obelus +Obeng +Ober +Oberammergau +Oberg +Oberhausen +Oberheim +Oberland +Oberlin +Obernburg +Oberon +Oberosterreich +Oberstone +Obert +obes +obese +obesely +obeseness +obesity +obesities +obex +obfirm +obfuscable +obfuscate +obfuscated +obfuscates +obfuscating +obfuscation +obfuscations +obfuscator +obfuscatory +obfuscators +obfuscity +obfuscous +obfusk +obi +Oby +obia +obias +Obidiah +Obidicut +Obie +obiism +obiisms +obiit +Obion +obis +obispo +obit +obital +obiter +obits +obitual +obituary +obituarian +obituaries +obituarily +obituarist +obituarize +obj +obj. +object +objectable +objectant +objectation +objectative +objected +objectee +objecter +object-glass +objecthood +objectify +objectification +objectified +objectifying +objecting +objection +objectionability +objectionable +objectionableness +objectionably +objectional +objectioner +objectionist +objections +objection's +objectival +objectivate +objectivated +objectivating +objectivation +objective +objectively +objectiveness +objectivenesses +objectives +objectivism +objectivist +objectivistic +objectivity +objectivities +objectivize +objectivized +objectivizing +objectization +objectize +objectized +objectizing +objectless +objectlessly +objectlessness +object-matter +objector +objectors +objector's +objects +object's +objecttification +objet +objicient +objranging +objscan +objuration +objure +objurgate +objurgated +objurgates +objurgating +objurgation +objurgations +objurgative +objurgatively +objurgator +objurgatory +objurgatorily +objurgatrix +obl +Obla +oblanceolate +oblast +oblasti +oblasts +oblat +oblata +oblate +oblated +oblately +oblateness +oblates +oblating +oblatio +oblation +oblational +oblationary +oblations +oblatory +oblectate +oblectation +obley +obli +oblicque +obligability +obligable +obligancy +obligant +obligate +obligated +obligately +obligates +obligati +obligating +obligation +obligational +obligationary +obligations +obligation's +obligative +obligativeness +obligato +obligator +obligatory +obligatorily +obligatoriness +obligatos +obligatum +oblige +obliged +obligedly +obligedness +obligee +obligees +obligement +obliger +obligers +obliges +obliging +obligingly +obligingness +obligistic +obligor +obligors +obliquangular +obliquate +obliquation +oblique +oblique-angled +obliqued +oblique-fire +obliquely +obliqueness +obliquenesses +obliques +obliquing +obliquity +obliquities +obliquitous +obliquus +obliterable +obliterate +obliterated +obliterates +obliterating +obliteration +obliterations +obliterative +obliterator +obliterators +oblivescence +oblivial +obliviality +oblivion +oblivionate +oblivionist +oblivionize +oblivions +oblivious +obliviously +obliviousness +obliviousnesses +obliviscence +obliviscible +oblocution +oblocutor +oblong +oblong-acuminate +oblongata +oblongatae +oblongatal +oblongatas +oblongated +oblong-cylindric +oblong-cordate +oblong-elliptic +oblong-elliptical +oblong-falcate +oblong-hastate +oblongish +oblongitude +oblongitudinal +oblong-lanceolate +oblong-leaved +oblongly +oblong-linear +oblongness +oblong-ovate +oblong-ovoid +oblongs +oblong-spatulate +oblong-triangular +oblong-wedgeshaped +obloquy +obloquial +obloquies +obloquious +obmit +obmutescence +obmutescent +obnebulate +obnounce +obnounced +obnouncing +obnoxiety +obnoxious +obnoxiously +obnoxiousness +obnoxiousnesses +obnubilate +obnubilation +obnunciation +OBO +Oboe +oboes +O'Boyle +oboist +oboists +obol +Obola +obolary +Obolaria +obole +oboles +obolet +oboli +obolos +obols +obolus +obomegoid +Obongo +oboormition +Obote +obouracy +oboval +obovate +obovoid +obpyramidal +obpyriform +Obrazil +Obrecht +Obrenovich +obreption +obreptitious +obreptitiously +Obrien +O'Brien +OBrit +obrize +obrogate +obrogated +obrogating +obrogation +obrotund +OBS +obs. +obscene +obscenely +obsceneness +obscener +obscenest +obscenity +obscenities +obscura +obscurancy +obscurant +obscurantic +obscuranticism +obscurantism +obscurantist +obscurantists +obscuras +obscuration +obscurative +obscuratory +obscure +obscured +obscuredly +obscurely +obscurement +obscureness +obscurer +obscurers +obscures +obscurest +obscuring +obscurism +obscurist +obscurity +obscurities +obsecrate +obsecrated +obsecrating +obsecration +obsecrationary +obsecratory +obsede +obsequeence +obsequence +obsequent +obsequy +obsequial +obsequience +obsequies +obsequiosity +obsequious +obsequiously +obsequiousness +obsequiousnesses +obsequity +obsequium +observability +observable +observableness +observably +observance +observances +observance's +observancy +observanda +observandum +Observant +Observantine +Observantist +observantly +observantness +observatin +observation +observational +observationalism +observationally +observations +observation's +observative +observator +observatory +observatorial +observatories +observe +observed +observedly +observer +observers +observership +observes +observing +observingly +obsess +obsessed +obsesses +obsessing +obsessingly +obsession +obsessional +obsessionally +obsessionist +obsessions +obsession's +obsessive +obsessively +obsessiveness +obsessor +obsessors +obside +obsidian +obsidianite +obsidians +obsidional +obsidionary +obsidious +obsign +obsignate +obsignation +obsignatory +obsolesc +obsolesce +obsolesced +obsolescence +obsolescences +obsolescent +obsolescently +obsolescing +obsolete +obsoleted +obsoletely +obsoleteness +obsoletes +obsoleting +obsoletion +obsoletism +obstacle +obstacles +obstacle's +obstancy +obstant +obstante +obstet +obstet. +obstetric +obstetrical +obstetrically +obstetricate +obstetricated +obstetricating +obstetrication +obstetricy +obstetrician +obstetricians +obstetricies +obstetrics +obstetrist +obstetrix +obstinacy +obstinacies +obstinacious +obstinance +obstinancy +obstinant +obstinate +obstinately +obstinateness +obstination +obstinative +obstipant +obstipate +obstipated +obstipation +obstreperate +obstreperosity +obstreperous +obstreperously +obstreperousness +obstreperousnesses +obstriction +obstringe +obstruct +obstructant +obstructed +obstructedly +obstructer +obstructers +obstructing +obstructingly +obstruction +obstructionism +obstructionist +obstructionistic +obstructionists +obstructions +obstruction's +obstructive +obstructively +obstructiveness +obstructivism +obstructivity +obstructor +obstructors +obstructs +obstruent +obstruse +obstruxit +obstupefy +obtain +obtainability +obtainable +obtainableness +obtainably +obtainal +obtainance +obtained +obtainer +obtainers +obtaining +obtainment +obtains +obtect +obtected +obtemper +obtemperate +obtend +obtenebrate +obtenebration +obtent +obtention +obtest +obtestation +obtested +obtesting +obtests +obtrect +obtriangular +obtrude +obtruded +obtruder +obtruders +obtrudes +obtruding +obtruncate +obtruncation +obtruncator +obtrusion +obtrusionist +obtrusions +obtrusive +obtrusively +obtrusiveness +obtrusivenesses +obtund +obtunded +obtundent +obtunder +obtunding +obtundity +obtunds +obturate +obturated +obturates +obturating +obturation +obturator +obturatory +obturbinate +obtusangular +obtuse +obtuse-angled +obtuse-angular +obtusely +obtuseness +obtuser +obtusest +obtusi- +obtusifid +obtusifolious +obtusilingual +obtusilobous +obtusion +obtusipennate +obtusirostrate +obtusish +obtusity +Obuda +OBulg +obumbrant +obumbrate +obumbrated +obumbrating +obumbration +obus +obv +obvallate +obvelation +obvention +obversant +obverse +obversely +obverses +obversion +obvert +obverted +obvertend +obverting +obverts +obviable +obviate +obviated +obviates +obviating +obviation +obviations +obviative +obviator +obviators +obvious +obviously +obviousness +obviousnesses +obvolute +obvoluted +obvolution +obvolutive +obvolve +obvolvent +Obwalden +OC +Oc. +Oca +Ocala +O'Callaghan +OCAM +Ocana +ocarina +ocarinas +O'Carroll +ocas +O'Casey +OCATE +OCC +Occam +occamy +Occamism +Occamist +Occamistic +Occamite +occas +occas. +occasion +occasionable +occasional +occasionalism +occasionalist +occasionalistic +occasionality +occasionally +occasionalness +occasionary +occasionate +occasioned +occasioner +occasioning +occasionings +occasionless +occasions +occasive +Occident +Occidental +Occidentalisation +Occidentalise +Occidentalised +Occidentalising +Occidentalism +Occidentalist +occidentality +Occidentalization +Occidentalize +Occidentalized +Occidentalizing +occidentally +occidentals +occidents +occiduous +occipiputs +occipita +occipital +occipitalis +occipitally +occipito- +occipitoanterior +occipitoatlantal +occipitoatloid +occipitoaxial +occipitoaxoid +occipitobasilar +occipitobregmatic +occipitocalcarine +occipitocervical +occipitofacial +occipitofrontal +occipitofrontalis +occipitohyoid +occipitoiliac +occipitomastoid +occipitomental +occipitonasal +occipitonuchal +occipitootic +occipitoparietal +occipitoposterior +occipitoscapular +occipitosphenoid +occipitosphenoidal +occipitotemporal +occipitothalamic +occiput +occiputs +occision +occitone +Occleve +occlude +occluded +occludent +occludes +occluding +occlusal +occluse +occlusion +occlusions +occlusion's +occlusive +occlusiveness +occlusocervical +occlusocervically +occlusogingival +occlusometer +occlusor +Occoquan +occult +occultate +occultation +occulted +occulter +occulters +occulting +occultism +occultist +occultists +occultly +occultness +occults +occupable +occupance +occupancy +occupancies +occupant +occupants +occupant's +occupation +occupational +occupationalist +occupationally +occupationless +occupations +occupation's +occupative +occupy +occupiable +occupied +occupier +occupiers +occupies +occupying +occur +occurence +occurences +occurred +occurrence +occurrences +occurrence's +occurrent +occurring +occurrit +occurs +occurse +occursive +OCD +OCDM +OCE +ocean +Oceana +oceanarium +oceanaut +oceanauts +ocean-born +ocean-borne +ocean-carrying +ocean-compassed +oceaned +oceanet +ocean-flooded +oceanfront +oceanfronts +oceanful +ocean-girdled +oceangoing +ocean-going +ocean-guarded +Oceania +Oceanian +Oceanic +Oceanica +Oceanican +oceanicity +Oceanid +oceanity +oceanlike +Oceano +oceanog +oceanog. +oceanographer +oceanographers +oceanography +oceanographic +oceanographical +oceanographically +oceanographies +oceanographist +oceanology +oceanologic +oceanological +oceanologically +oceanologist +oceanologists +oceanophyte +oceanous +Oceanport +ocean-rocked +oceans +ocean's +ocean-severed +Oceanside +ocean-skirted +ocean-smelling +ocean-spanning +ocean-sundered +Oceanus +Oceanview +Oceanville +oceanways +oceanward +oceanwards +ocean-wide +oceanwise +ocellana +ocellar +ocellary +ocellate +ocellated +ocellation +ocelli +ocelli- +ocellicyst +ocellicystic +ocelliferous +ocelliform +ocelligerous +ocellus +oceloid +ocelot +ocelots +Oceola +och +ochava +ochavo +Ocheyedan +Ochelata +ocher +ocher-brown +ocher-colored +ochered +ochery +ocher-yellow +ochering +ocherish +ocherous +ocher-red +ochers +ochidore +ochymy +Ochimus +ochlesis +ochlesitic +ochletic +ochlocracy +ochlocrat +ochlocratic +ochlocratical +ochlocratically +ochlomania +ochlophobia +ochlophobist +Ochna +Ochnaceae +ochnaceous +Ochoa +ochone +Ochopee +ochophobia +Ochotona +Ochotonidae +Ochozath +Ochozias +Ochozoma +ochraceous +Ochrana +ochratoxin +ochre +ochrea +ochreae +ochreate +ochred +ochreish +ochr-el-guerche +ochreous +ochres +ochry +ochring +ochro +ochro- +ochrocarpous +ochrogaster +ochroid +ochroleucous +ochrolite +Ochroma +ochronosis +ochronosus +ochronotic +ochrous +Ochs +ocht +OCI +OCIAA +ocydrome +ocydromine +Ocydromus +Ocie +Ocilla +Ocimum +Ocypete +Ocypoda +ocypodan +Ocypode +ocypodian +Ocypodidae +ocypodoid +Ocyroe +Ocyroidae +Ocyrrhoe +ocyte +ock +Ockeghem +Ockenheim +Ocker +ockers +Ockham +Ocko +ockster +OCLC +OCLI +oclock +o'clock +Ocneria +Ocnus +OCO +Ocoee +Oconee +oconnell +O'Connell +O'Conner +Oconnor +O'Connor +Oconomowoc +Oconto +ocote +Ocotea +Ocotillo +ocotillos +ocque +OCR +ocracy +Ocracoke +ocrea +ocreaceous +ocreae +Ocreatae +ocreate +ocreated +OCS +OCST +Oct +oct- +Oct. +octa- +octachloride +octachord +octachordal +octachronous +Octacnemus +octacolic +octactinal +octactine +Octactiniae +octactinian +octad +octadecahydrate +octadecane +octadecanoic +octadecyl +octadic +octadrachm +octadrachma +octads +octaechos +octaemera +octaemeron +octaeteric +octaeterid +octaeteris +octagon +octagonal +octagonally +octagons +octahedra +octahedral +octahedrally +octahedric +octahedrical +octahedrite +octahedroid +octahedron +octahedrons +octahedrous +octahydrate +octahydrated +octakishexahedron +octal +octamerism +octamerous +octameter +octan +octanaphthene +Octandria +octandrian +octandrious +octane +octanes +octangle +octangles +octangular +octangularness +octanol +octanols +Octans +octant +octantal +octants +octapeptide +octapla +octaploid +octaploidy +octaploidic +octapody +octapodic +octarch +octarchy +octarchies +octary +octarius +octaroon +octarticulate +octasemic +octastich +octastichon +octastichous +octastyle +octastylos +octastrophic +Octateuch +octaval +octavalent +octavaria +octavarium +octavd +Octave +octaves +Octavia +Octavian +octavic +Octavie +octavina +Octavius +Octavla +octavo +octavos +Octavus +octdra +octect +octects +octenary +octene +octennial +octennially +octet +octets +octette +octettes +octic +octyl +octile +octylene +octillion +octillions +octillionth +octyls +octine +octyne +octingentenary +octo- +octoad +octoalloy +octoate +octobass +October +octobers +october's +octobrachiate +Octobrist +octocentenary +octocentennial +octochord +Octocoralla +octocorallan +Octocorallia +octocoralline +octocotyloid +octodactyl +octodactyle +octodactylous +octode +octodecillion +octodecillions +octodecillionth +octodecimal +octodecimo +octodecimos +octodentate +octodianome +Octodon +octodont +Octodontidae +Octodontinae +octoechos +octofid +octofoil +octofoiled +octogamy +octogenary +octogenarian +octogenarianism +octogenarians +octogenaries +octogild +Octogynia +octogynian +octogynious +octogynous +octoglot +octohedral +octoic +octoid +octoyl +octolateral +octolocular +octomeral +octomerous +octometer +octonal +octonare +octonary +octonarian +octonaries +octonarius +octonematous +octonion +octonocular +octoon +octopartite +octopean +octoped +octopede +octopetalous +octophyllous +octophthalmous +octopi +octopine +octoploid +octoploidy +octoploidic +octopod +Octopoda +octopodan +octopodes +octopodous +octopods +octopolar +octopus +octopuses +octoradial +octoradiate +octoradiated +octoreme +octoroon +octoroons +octose +octosepalous +octosyllabic +octosyllable +octospermous +octospore +octosporous +octostichous +octothorp +octothorpe +octothorpes +octovalent +octroi +octroy +octrois +OCTU +octuor +octuple +octupled +octuples +octuplet +octuplets +octuplex +octuply +octuplicate +octuplication +octupling +OCU +ocuby +ocul- +ocular +oculary +ocularist +ocularly +oculars +oculate +oculated +oculauditory +oculi +oculiferous +oculiform +oculigerous +Oculina +oculinid +Oculinidae +oculinoid +oculist +oculistic +oculists +oculli +oculo- +oculocephalic +oculofacial +oculofrontal +oculomotor +oculomotory +oculonasal +oculopalpebral +oculopupillary +oculospinal +oculozygomatic +oculus +ocurred +OD +ODA +Odab +ODAC +Odacidae +odacoid +odal +odalborn +odalisk +odalisks +odalisque +odaller +odalman +odalwoman +Odanah +Odawa +Odax +ODD +oddball +oddballs +odd-come-short +odd-come-shortly +ODDD +odder +oddest +odd-fangled +Oddfellow +odd-humored +oddish +oddity +oddities +oddity's +odd-jobber +odd-jobman +oddlegs +oddly +odd-looking +odd-lot +oddman +odd-mannered +odd-me-dod +oddment +oddments +oddness +oddnesses +odd-numbered +odd-pinnate +Odds +Oddsbud +odd-shaped +oddside +oddsman +odds-on +odd-sounding +odd-thinking +odd-toed +ode +odea +Odebolt +Odeen +Odey +Odel +Odele +Odelet +Odelia +Odelinda +Odell +O'Dell +Odella +Odelle +Odelsthing +Odelsting +Odem +Oden +Odense +Odenton +Odenville +odeon +odeons +Oder +Odericus +odes +ode's +Odessa +Odets +Odetta +Odette +odeum +odeums +ODI +Ody +odible +odic +odically +Odie +ODIF +odiferous +odyl +odyle +odyles +Odilia +odylic +odylism +odylist +odylization +odylize +Odille +Odilo +Odilon +odyls +Odin +Odine +Odynerus +Odinian +Odinic +Odinism +Odinist +odinite +Odinitic +odiometer +odious +odiously +odiousness +odiousnesses +ODISS +Odyssean +Odyssey +odysseys +Odysseus +odist +odists +odium +odiumproof +odiums +odling +Odlo +ODM +Odo +Odoacer +Odobenidae +Odobenus +Odocoileus +odograph +odographs +odology +Odom +odometer +odometers +odometry +odometrical +odometries +Odon +Odonata +odonate +odonates +O'Doneven +Odonnell +O'Donnell +O'Donoghue +O'Donovan +odont +odont- +odontagra +odontalgia +odontalgic +Odontaspidae +Odontaspididae +Odontaspis +odontatrophy +odontatrophia +odontexesis +odontia +odontiasis +odontic +odontist +odontitis +odonto- +odontoblast +odontoblastic +odontocele +Odontocete +Odontoceti +odontocetous +odontochirurgic +odontoclasis +odontoclast +odontodynia +odontogen +odontogenesis +odontogeny +odontogenic +Odontoglossae +odontoglossal +odontoglossate +Odontoglossum +Odontognathae +odontognathic +odontognathous +odontograph +odontography +odontographic +odontohyperesthesia +odontoid +odontoids +Odontolcae +odontolcate +odontolcous +odontolite +odontolith +odontology +odontological +odontologist +odontoloxia +odontoma +odontomous +odontonecrosis +odontoneuralgia +odontonosology +odontopathy +odontophobia +odontophoral +odontophoran +odontophore +Odontophoridae +Odontophorinae +odontophorine +odontophorous +Odontophorus +odontoplast +odontoplerosis +Odontopteris +Odontopteryx +odontorhynchous +Odontormae +Odontornithes +odontornithic +odontorrhagia +odontorthosis +odontoschism +odontoscope +Odontosyllis +odontosis +odontostomatous +odontostomous +odontotechny +odontotherapy +odontotherapia +odontotomy +Odontotormae +odontotrypy +odontotripsis +odoom +odophone +odor +odorable +odorant +odorants +odorate +odorator +odored +odorful +Odoric +odoriferant +odoriferosity +odoriferous +odoriferously +odoriferousness +odorific +odorimeter +odorimetry +odoriphor +odoriphore +odorivector +odorization +odorize +odorized +odorizer +odorizes +odorizing +odorless +odorlessly +odorlessness +odorometer +odorosity +odorous +odorously +odorousness +odorproof +odors +odor's +Odostemon +odour +odoured +odourful +odourless +odours +Odovacar +Odra +Odrick +O'Driscoll +ODS +Odsbodkins +odso +ODT +Odum +Odus +odwyer +O'Dwyer +Odz +Odzookers +Odzooks +OE +Oeagrus +Oeax +Oebalus +Oecanthus +OECD +Oech +oeci +oecist +oecodomic +oecodomical +oecoid +oecology +oecological +oecologies +oeconomic +oeconomus +oecoparasite +oecoparasitism +oecophobia +oecumenian +oecumenic +oecumenical +oecumenicalism +oecumenicity +oecus +OED +oedema +oedemas +oedemata +oedematous +oedemerid +Oedemeridae +oedicnemine +Oedicnemus +Oedipal +oedipally +Oedipean +Oedipus +oedipuses +Oedogoniaceae +oedogoniaceous +Oedogoniales +Oedogonium +OEEC +Oeflein +Oehlenschlger +Oehsen +oeil-de-boeuf +oeillade +oeillades +oeillet +oeils-de-boeuf +oekist +oelet +Oelrichs +Oelwein +OEM +oenanthaldehyde +oenanthate +Oenanthe +oenanthic +oenanthyl +oenanthylate +oenanthylic +oenanthol +oenanthole +Oeneus +oenin +Oeno +oeno- +Oenocarpus +oenochoae +oenochoe +oenocyte +oenocytic +oenolic +oenolin +oenology +oenological +oenologies +oenologist +oenomancy +oenomania +Oenomaus +oenomel +oenomels +oenometer +Oenone +oenophile +oenophiles +oenophilist +oenophobist +Oenopides +Oenopion +oenopoetic +Oenothera +Oenotheraceae +oenotheraceous +Oenotrian +OEO +Oeonus +OEP +oer +o'er +Oerlikon +oersted +oersteds +o'ertop +OES +Oesel +oesogi +oesophagal +oesophageal +oesophagean +oesophagi +oesophagism +oesophagismus +oesophagitis +oesophago- +oesophagostomiasis +Oesophagostomum +oesophagus +oestradiol +Oestrelata +oestrian +oestriasis +oestrid +Oestridae +oestrin +oestrins +oestriol +oestriols +oestrogen +oestroid +oestrone +oestrones +oestrous +oestrual +oestruate +oestruation +oestrum +oestrums +oestrus +oestruses +oeuvre +oeuvres +OEXP +OF +of- +ofay +ofays +Ofallon +O'Fallon +O'Faolain +of-door +Ofelia +Ofella +ofer +off +off- +off. +Offa +of-fact +offal +Offaly +offaling +offals +off-balance +off-base +off-bear +off-bearer +offbeat +offbeats +off-bitten +off-board +offbreak +off-break +off-Broadway +offcast +off-cast +offcasts +off-center +off-centered +off-centre +off-chance +off-color +off-colored +offcolour +offcome +off-corn +offcut +off-cutting +off-drive +offed +Offen +Offenbach +offence +offenceless +offencelessly +offences +offend +offendable +offendant +offended +offendedly +offendedness +offender +offenders +offendible +offending +offendress +offends +offense +offenseful +offenseless +offenselessly +offenselessness +offenseproof +offenses +offensible +offension +offensive +offensively +offensiveness +offensivenesses +offensives +offer +offerable +offered +offeree +offerer +offerers +offering +offerings +Offerle +Offerman +offeror +offerors +offers +Offertory +offertorial +offertories +off-fall +off-falling +off-flavor +off-flow +off-glide +off-go +offgoing +offgrade +off-guard +offhand +off-hand +offhanded +off-handed +offhandedly +offhandedness +off-hit +off-hitting +off-hour +offic +officaries +office +office-bearer +office-boy +officeholder +officeholders +officeless +officemate +officer +officerage +officered +officeress +officerhood +officerial +officering +officerism +officerless +officers +officer's +officership +offices +office-seeking +Official +officialdom +officialdoms +officialese +officialisation +officialism +officiality +officialities +officialization +officialize +officialized +officializing +officially +officials +officialty +officiant +officiants +officiary +officiate +officiated +officiates +officiating +officiation +officiator +officina +officinal +officinally +officio +officious +officiously +officiousness +officiousnesses +off-year +offing +offings +offish +offishly +offishness +offkey +off-key +offlap +offlet +offlicence +off-licence +off-license +off-lying +off-limits +offline +off-line +offload +off-load +offloaded +offloading +off-loading +offloads +offlook +off-look +off-mike +off-off-Broadway +offpay +off-peak +off-pitch +offprint +offprinted +offprinting +offprints +offpspring +off-put +off-putting +offramp +offramps +off-reckoning +offs +offsaddle +offscape +offscour +offscourer +offscouring +offscourings +offscreen +offscum +off-season +offset +offset-litho +offsets +offset's +offsetting +off-setting +off-shaving +off-shed +offshoot +offshoots +offshore +offside +offsider +off-sider +offsides +off-sloping +off-sorts +offspring +offsprings +offstage +off-stage +off-standing +off-street +offtake +off-taking +off-the-cuff +off-the-face +off-the-peg +off-the-record +off-the-wall +off-thrown +off-time +offtype +off-tone +offtrack +off-turning +offuscate +offuscation +Offutt +offward +offwards +off-wheel +off-wheeler +off-white +O'Fiaich +oficina +Ofilia +OFlem +oflete +OFM +OFNPS +Ofo +Ofori +OFr +OFris +OFS +oft +often +oftener +oftenest +oftenness +oftens +oftentime +oftentimes +ofter +oftest +of-the-moment +ofthink +oftly +oft-named +oftness +oft-repeated +ofttime +oft-time +ofttimes +oft-times +oftwhiles +OG +Ogaden +ogaire +Ogallah +Ogallala +ogam +ogamic +ogams +Ogata +Ogawa +Ogbomosho +Ogboni +Ogburn +Ogcocephalidae +Ogcocephalus +Ogdan +Ogden +Ogdensburg +ogdoad +ogdoads +ogdoas +Ogdon +ogee +O-gee +ogeed +ogees +Ogema +ogenesis +ogenetic +Ogg +ogganition +ogham +oghamic +oghamist +oghamists +oghams +Oghuz +OGI +OGICSE +Ogygia +Ogygian +Ogygus +Ogilvy +Ogilvie +ogival +ogive +ogived +ogives +Oglala +ogle +ogled +ogler +oglers +ogles +Oglesby +Oglethorpe +ogling +Ogma +ogmic +Ogmios +OGO +ogonium +Ogor +O'Gowan +OGPU +O'Grady +ography +ogre +ogreish +ogreishly +ogreism +ogreisms +Ogren +ogres +ogress +ogresses +ogrish +ogrishly +ogrism +ogrisms +OGT +ogtiern +ogum +Ogun +Ogunquit +OH +Ohara +O'Hara +Ohare +O'Hare +Ohatchee +Ohaus +ohed +ohelo +OHG +ohia +ohias +O'Higgins +ohing +Ohio +Ohioan +ohioans +Ohiopyle +ohio's +Ohiowa +Ohl +Ohley +Ohlman +Ohm +ohmage +ohmages +ohm-ammeter +ohmic +ohmically +ohmmeter +ohmmeters +ohm-mile +OHMS +oho +ohoy +ohone +OHP +ohs +oh's +ohv +oy +Oyama +Oyana +oyapock +oic +OIcel +oicks +oid +oidal +oidea +oidia +oidioid +oidiomycosis +oidiomycotic +Oidium +oidwlfe +oie +oyelet +Oyens +oyer +oyers +oyes +oyesses +oyez +oii +oik +oikology +oikomania +oikophobia +oikoplast +oiks +oil +oil-bag +oil-bearing +oilberry +oilberries +oilbird +oilbirds +oil-bright +oil-burning +oilcake +oilcamp +oilcamps +oilcan +oilcans +oil-carrying +oilcase +oilcloth +oilcloths +oilcoat +oil-colorist +oil-colour +oil-containing +oil-cooled +oilcup +oilcups +oil-dispensing +oil-distributing +oildom +oil-driven +oiled +oil-electric +oiler +oilery +oilers +oylet +Oileus +oil-fed +oilfield +oil-filled +oil-finding +oil-finished +oilfired +oil-fired +oilfish +oilfishes +oil-forming +oil-fueled +oil-gilding +oil-harden +oil-hardening +oil-heat +oil-heated +oilheating +oilhole +oilholes +oily +oily-brown +oilier +oiliest +oiligarchy +oil-yielding +oilyish +oilily +oily-looking +oiliness +oilinesses +oiling +oil-insulated +oilish +oily-smooth +oily-tongued +Oilla +oil-laden +oilless +oillessness +oillet +oillike +oil-lit +oilman +oilmen +oil-mill +oilmonger +oilmongery +Oilmont +oil-nut +oilometer +oilpaper +oilpapers +oil-plant +oil-producing +oilproof +oilproofing +oil-pumping +oil-refining +oil-regulating +oils +oil-saving +oil-seal +oil-secreting +oilseed +oil-seed +oilseeds +oilskin +oilskinned +oilskins +oil-smelling +oil-soaked +oilstock +oilstone +oilstoned +oilstones +oilstoning +oilstove +oil-temper +oil-tempered +oil-testing +oil-thickening +oiltight +oiltightness +Oilton +oil-tongued +oil-tree +Oiltrough +Oilville +oilway +oilways +oilwell +oime +Oina +oink +oinked +oinking +oinks +oino- +oinochoai +oinochoe +oinochoes +oinochoi +oinology +oinologies +oinomancy +oinomania +oinomel +oinomels +oint +ointment +ointments +Oyo +OIr +OIRA +Oireachtas +Oys +Oise +Oisin +oisivity +oyster +oysterage +oysterbird +oystercatcher +oyster-catcher +oyster-culturist +oystered +oysterer +oysterers +oysterfish +oysterfishes +oystergreen +oysterhood +oysterhouse +oysteries +oystering +oysterings +oysterish +oysterishness +oysterlike +oysterling +oysterman +oystermen +oysterous +oysterroot +oysters +oyster's +oysterseed +oyster-shaped +oystershell +Oysterville +oysterwife +oysterwoman +oysterwomen +Oistrakh +OIt +Oita +oitava +oiticica +oiticicas +OIU +OIW +Oizys +Ojai +Ojibwa +Ojibway +Ojibwas +OJT +OK +Oka +Okabena +Okahumpka +Okay +Okayama +okayed +okaying +okays +Okajima +okanagan +Okanogan +okapi +Okapia +okapis +Okarche +okas +Okaton +Okauchee +Okavango +Okawville +Okazaki +OK'd +oke +Okean +Okeana +Okechuku +okee +Okeechobee +O'Keeffe +Okeene +Okeghem +okeh +okehs +okey +okeydoke +okey-doke +okeydokey +O'Kelley +O'Kelly +Okemah +Okemos +Oken +okenite +oker +okes +oket +Oketo +Okhotsk +oki +okia +Okie +okimono +Okinagan +Okinawa +Okinawan +Okla +Okla. +Oklafalaya +Oklahannali +Oklahoma +Oklahoman +oklahomans +Oklaunion +Oklawaha +okle-dokle +Oklee +Okmulgee +Okoboji +okolehao +Okolona +okoniosis +okonite +okoume +Okovanggo +okra +okras +Okreek +okro +okroog +okrug +okruzi +okshoofd +okta +Oktaha +oktastylos +okthabah +Oktoberfest +Okuari +Okubo +Okun +Okuninushi +okupukupu +Okwu +ol +Ola +Olacaceae +olacaceous +olacad +Olaf +Olag +Olalla +olam +olamic +Olamon +Olancha +Oland +Olanta +Olar +olater +Olatha +Olathe +Olaton +Olav +Olavo +Olax +Olbers +Olcha +Olchi +Olcott +Old +old-age +old-aged +old-bachelorish +old-bachelorship +old-boyish +Oldcastle +old-clothesman +old-country +olden +Oldenburg +oldened +oldening +Older +oldermost +olders +oldest +old-established +olde-worlde +old-faced +oldfangled +old-fangled +oldfangledness +old-farrand +old-farrandlike +old-fashioned +old-fashionedly +old-fashionedness +Oldfieldia +old-fogeydom +old-fogeyish +old-fogy +old-fogydom +old-fogyish +old-fogyishness +old-fogyism +old-gathered +old-gentlemanly +old-gold +old-growing +Oldham +Oldhamia +oldhamite +oldhearted +oldy +oldie +oldies +old-young +oldish +old-ivory +old-ladyhood +oldland +old-line +old-liner +old-looking +old-maid +old-maidenish +old-maidish +old-maidishness +old-maidism +old-man's-beard +oldness +oldnesses +old-new +old-rose +Olds +Old-school +old-sighted +old-sightedness +Oldsmobile +oldsquaw +old-squaw +old-standing +oldster +oldsters +oldstyle +old-style +oldstyles +Old-Testament +old-time +old-timey +old-timer +old-timy +old-timiness +oldwench +oldwife +old-wifely +old-wifish +oldwives +old-womanish +old-womanishness +old-womanism +old-womanly +old-world +old-worldish +old-worldism +old-worldly +old-worldliness +ole +ole- +Olea +Oleaceae +oleaceous +Oleacina +Oleacinidae +oleaginous +oleaginously +oleaginousness +Olean +oleana +oleander +oleanders +oleandomycin +oleandrin +oleandrine +oleary +O'Leary +Olearia +olease +oleaster +oleasters +oleate +oleates +olecranal +olecranarthritis +olecranial +olecranian +olecranoid +olecranon +olefiant +olefin +olefine +olefines +olefinic +olefins +Oleg +Oley +oleic +oleiferous +olein +oleine +oleines +oleins +Olema +Olen +olena +olenellidian +Olenellus +olenid +Olenidae +olenidian +Olenka +Olenolin +olent +Olenta +Olenus +oleo +oleo- +oleocalcareous +oleocellosis +oleocyst +oleoduct +oleograph +oleographer +oleography +oleographic +oleoyl +oleomargaric +oleomargarin +oleomargarine +oleomargarines +oleometer +oleoptene +oleorefractometer +oleoresin +oleoresinous +oleoresins +oleos +oleosaccharum +oleose +oleosity +oleostearate +oleostearin +oleostearine +oleothorax +oleous +olepy +Oler +Oleraceae +oleraceous +olericultural +olericulturally +olericulture +olericulturist +Oleron +oles +Oleta +Oletha +Olethea +Olethreutes +olethreutid +Olethreutidae +Oletta +Olette +oleum +oleums +olfact +olfactable +olfacty +olfactible +olfaction +olfactive +olfactology +olfactometer +olfactometry +olfactometric +olfactophobia +olfactor +olfactoreceptor +olfactory +olfactories +olfactorily +Olfe +OLG +Olga +Oly +Olia +Oliana +oliban +olibanum +olibanums +olibene +olycook +olid +olig- +oligacanthous +oligaemia +oligandrous +oliganthous +oligarch +oligarchal +oligarchy +oligarchic +oligarchical +oligarchically +oligarchies +oligarchism +oligarchist +oligarchize +oligarchs +oligemia +oligidic +oligidria +oligist +oligistic +oligistical +oligo- +oligocarpous +Oligocene +Oligochaeta +oligochaete +oligochaetous +oligochete +oligochylia +oligocholia +oligochrome +oligochromemia +oligochronometer +oligocystic +oligocythemia +oligocythemic +oligoclase +oligoclasite +oligodactylia +oligodendroglia +oligodendroglioma +oligodynamic +oligodipsia +oligodontous +oligogalactia +oligohemia +oligohydramnios +oligolactia +oligomenorrhea +oligomer +oligomery +oligomeric +oligomerization +oligomerous +oligomers +oligometochia +oligometochic +oligomycin +Oligomyodae +oligomyodian +oligomyoid +Oligonephria +oligonephric +oligonephrous +oligonite +oligonucleotide +oligopepsia +oligopetalous +oligophagy +oligophagous +oligophyllous +oligophosphaturia +oligophrenia +oligophrenic +oligopyrene +oligoplasmia +oligopnea +oligopoly +oligopolist +oligopolistic +oligoprothesy +oligoprothetic +oligopsychia +oligopsony +oligopsonistic +oligorhizous +oligosaccharide +oligosepalous +oligosialia +oligosideric +oligosiderite +oligosyllabic +oligosyllable +oligosynthetic +oligosite +oligospermia +oligospermous +oligostemonous +oligotokeus +oligotokous +oligotrichia +oligotrophy +oligotrophic +oligotropic +oliguresia +oliguresis +oliguretic +oliguria +Oliy +olykoek +Olimbos +Olympe +Olimpia +Olympia +Olympiad +Olympiadic +olympiads +Olympian +Olympianism +Olympianize +Olympianly +Olympians +Olympianwise +Olympias +Olympic +Olympicly +Olympicness +Olympics +Olympie +Olympieion +Olympio +Olympionic +Olympium +Olympus +Olin +Olinde +Olinia +Oliniaceae +oliniaceous +Olynthiac +Olynthian +Olynthus +olio +olios +Oliphant +Olyphant +oliprance +OLIT +olitory +Oliva +olivaceo- +olivaceous +Olivann +olivary +olivaster +Olive +Olivean +olive-backed +olive-bordered +olive-branch +olive-brown +Oliveburg +olive-cheeked +olive-clad +olive-colored +olive-complexioned +olived +olive-drab +olive-green +olive-greenish +olive-growing +Olivehurst +Olivella +oliveness +olivenite +olive-pale +Oliver +Oliverea +Oliverian +oliverman +olivermen +Olivero +oliversmith +Olives +olive's +olivescent +olive-shaded +olive-shadowed +olivesheen +olive-sided +olive-skinned +Olivet +Olivetan +Olivette +Olivetti +olivewood +olive-wood +Olivia +Olividae +Olivie +Olivier +Oliviero +oliviferous +oliviform +olivil +olivile +olivilin +olivine +olivine-andesite +olivine-basalt +olivinefels +olivines +olivinic +olivinite +olivinitic +OLLA +Ollayos +ollamh +ollapod +olla-podrida +ollas +ollav +Ollen +ollenite +Olli +Olly +Ollie +ollock +olluck +Olm +Olmito +Olmitz +Olmstead +Olmsted +Olmstedville +Olnay +Olnee +Olney +Olneya +Olnek +Olnton +Olodort +olof +ology +ological +ologies +ologist +ologistic +ologists +olograph +olographic +ololiuqui +olomao +Olomouc +olona +Olonets +Olonetsian +Olonetsish +Olonos +Olor +Oloron +oloroso +olorosos +olp +olpae +Olpe +olpes +Olpidiaster +Olpidium +Olsburg +Olsen +Olsewski +Olshausen +Olson +Olsson +Olszyn +OLTM +Olton +oltonde +OLTP +oltunna +Olustee +Olva +Olvan +Olwen +Olwena +OLWM +OM +Om. +oma +omadhaun +Omagh +omagra +Omagua +Omaha +Omahas +O'Mahony +Omayyad +Omak +omalgia +O'Malley +Oman +omander +Omani +omao +Omar +Omari +Omarr +omarthritis +omasa +omasitis +omasum +OMB +omber +ombers +ombre +ombrellino +ombrellinos +ombres +ombrette +ombrifuge +ombro- +ombrograph +ombrographic +ombrology +ombrological +ombrometer +ombrometric +ombrophil +ombrophile +ombrophily +ombrophilic +ombrophilous +ombrophyte +ombrophobe +ombrophoby +ombrophobous +ombudsman +ombudsmanship +ombudsmen +ombudsperson +OMD +Omdurman +ome +O'Meara +omega +omegas +omegoid +omelet +omelets +omelette +omelettes +omelie +omen +Omena +omened +omening +omenology +omens +omen's +omenta +omental +omentectomy +omentitis +omentocele +omentofixation +omentopexy +omentoplasty +omentorrhaphy +omentosplenopexy +omentotomy +omentulum +omentum +omentums +omentuta +Omer +Omero +omers +ometer +omicron +omicrons +Omidyar +omikron +omikrons +omina +ominate +ominous +ominously +ominousness +ominousnesses +omissible +omission +omissions +omission's +omissive +omissively +omissus +omit +omitis +omits +omittable +omittance +omitted +omitter +omitters +omitting +omlah +Omland +OMM +Ommastrephes +Ommastrephidae +ommatea +ommateal +ommateum +ommatidia +ommatidial +ommatidium +ommatitidia +ommatophore +ommatophorous +ommetaphobia +Ommiad +Ommiades +Ommiads +omneity +omnes +omni +omni- +omniactive +omniactuality +omniana +omniarch +omniarchs +omnibearing +omnibenevolence +omnibenevolent +omnibus +omnibus-driving +omnibuses +omnibus-fashion +omnibusman +omnibus-riding +omnicausality +omnicompetence +omnicompetent +omnicorporeal +omnicredulity +omnicredulous +omnidenominational +omnidirectional +omnidistance +omnierudite +omniessence +omnifacial +omnifarious +omnifariously +omnifariousness +omniferous +omnify +omnific +omnificence +omnificent +omnifidel +omnified +omnifying +omnifocal +omniform +omniformal +omniformity +omnigenous +omnigerent +omnigraph +omnihuman +omnihumanity +omni-ignorant +omnilegent +omnilingual +omniloquent +omnilucent +omnimental +omnimeter +omnimode +omnimodous +omninescience +omninescient +omniparent +omniparient +omniparity +omniparous +omnipatient +omnipercipience +omnipercipiency +omnipercipient +omniperfect +Omnipotence +omnipotences +omnipotency +omnipotent +omnipotentiality +omnipotently +omnipregnant +omnipresence +omnipresences +omnipresent +omnipresently +omniprevalence +omniprevalent +omniproduction +omniprudence +omniprudent +omnirange +omniregency +omniregent +omnirepresentative +omnirepresentativeness +omnirevealing +Omniscience +omnisciences +omnisciency +omniscient +omnisciently +omniscope +omniscribent +omniscriptive +omnisentience +omnisentient +omnisignificance +omnisignificant +omnispective +omnist +omnisufficiency +omnisufficient +omnitemporal +omnitenent +omnitolerant +omnitonal +omnitonality +omnitonic +omnitude +omnium +omnium-gatherum +omnium-gatherums +omnivagant +omnivalence +omnivalent +omnivalous +omnivarious +omnividence +omnivident +omnivision +omnivolent +Omnivora +omnivoracious +omnivoracity +omnivorant +omnivore +omnivores +omnivorism +omnivorous +omnivorously +omnivorousness +omnivorousnesses +omodynia +omohyoid +omo-hyoid +omoideum +Omoo +omophagy +omophagia +omophagic +omophagies +omophagist +omophagous +omophoria +omophorion +omoplate +omoplatoscopy +Omor +Omora +omostegite +omosternal +omosternum +OMPF +omphacy +omphacine +omphacite +Omphale +omphalectomy +omphali +omphalic +omphalism +omphalitis +omphalo- +omphalocele +omphalode +omphalodia +omphalodium +omphalogenous +omphaloid +omphaloma +omphalomesaraic +omphalomesenteric +omphaloncus +omphalopagus +omphalophlebitis +omphalopsychic +omphalopsychite +omphalorrhagia +omphalorrhea +omphalorrhexis +omphalos +omphalosite +omphaloskepsis +omphalospinous +omphalotomy +omphalotripsy +omphalus +omrah +Omri +Omro +OMS +Omsk +Omura +Omuta +OMV +on +on- +ONA +ONAC +Onaga +on-again-off-again +onager +onagers +onaggri +Onagra +Onagraceae +onagraceous +onagri +Onaka +ONAL +Onalaska +Onamia +Onan +Onancock +onanism +onanisms +onanist +onanistic +onanists +Onarga +Onas +Onassis +Onawa +Onaway +onboard +on-board +ONC +onca +once +once-accented +once-born +once-over +oncer +once-run +onces +oncet +oncetta +Onchidiidae +Onchidium +Onchiota +Onchocerca +onchocerciasis +onchocercosis +oncia +Oncidium +oncidiums +oncin +onco- +oncogene +oncogenesis +oncogenic +oncogenicity +oncograph +oncography +oncology +oncologic +oncological +oncologies +oncologist +oncologists +oncome +oncometer +oncometry +oncometric +oncoming +on-coming +oncomings +Oncorhynchus +oncoses +oncosimeter +oncosis +oncosphere +oncost +oncostman +oncotic +oncotomy +OND +ondagram +ondagraph +ondameter +ondascope +ondatra +Onder +ondy +Ondine +onding +on-ding +on-dit +Ondo +ondogram +ondograms +ondograph +ondoyant +ondometer +ondoscope +Ondrea +Ondrej +on-drive +ondule +one +one-a-cat +one-act +one-acter +Oneal +Oneals +one-and-a-half +oneanother +one-armed +oneberry +one-berry +one-by-one +one-blade +one-bladed +one-buttoned +one-celled +one-chambered +one-class +one-classer +Oneco +one-colored +one-crop +one-cusped +one-day +one-decker +one-dimensional +one-dollar +one-eared +one-egg +one-eyed +one-eyedness +one-eighty +one-finned +one-flowered +onefold +onefoldness +one-foot +one-footed +one-fourth +Onega +onegite +Onego +one-grained +one-hand +one-handed +one-handedness +onehearted +one-hearted +onehood +one-hoofed +one-horned +one-horse +onehow +one-humped +one-hundred-fifty +one-hundred-percenter +one-hundred-percentism +Oneida +oneidas +one-ideaed +one-year +oneyer +Oneil +O'Neil +Oneill +O'Neill +one-inch +oneiric +oneiro- +oneirocrit +oneirocritic +oneirocritical +oneirocritically +oneirocriticism +oneirocritics +oneirodynia +oneirology +oneirologist +oneiromancer +oneiromancy +oneiroscopy +oneiroscopic +oneiroscopist +oneirotic +oneism +one-jointed +Onekama +one-layered +one-leaf +one-leaved +one-legged +one-leggedness +one-letter +one-line +one-lung +one-lunged +one-lunger +one-man +one-many +onement +one-minute +Onemo +one-nerved +oneness +onenesses +one-night +one-nighter +one-oclock +one-off +one-one +Oneonta +one-petaled +one-piece +one-piecer +one-pipe +one-point +one-pope +one-pound +one-pounder +one-price +one-quarter +oner +one-rail +onerary +onerate +onerative +one-reeler +onery +one-ribbed +onerier +oneriest +one-roomed +onerose +onerosity +onerosities +onerous +onerously +onerousness +ones +one's +one-seater +one-seeded +oneself +one-sepaled +one-septate +one-shot +one-sided +one-sidedly +one-sidedness +onesigned +one-spot +one-step +one-story +one-storied +one-striper +one-term +onethe +one-third +onetime +one-time +one-toed +one-to-one +one-track +one-two +One-two-three +one-up +oneupmanship +one-upmanship +one-valued +one-way +onewhere +one-windowed +one-winged +one-word +ONF +onfall +onflemed +onflow +onflowing +Onfre +Onfroi +Ong +onga-onga +ongaro +on-glaze +on-glide +on-go +ongoing +on-going +Ongun +onhanger +on-hit +ONI +ony +Onia +onycha +onychatrophia +onychauxis +onychia +onychin +onychite +onychitis +onychium +onychogryposis +onychoid +onycholysis +onychomalacia +onychomancy +onychomycosis +onychonosus +onychopathy +onychopathic +onychopathology +onychophagy +onychophagia +onychophagist +onychophyma +Onychophora +onychophoran +onychophorous +onychoptosis +onychorrhexis +onychoschizia +onychosis +onychotrophy +onicolo +Onida +onym +onymal +onymancy +onymatic +onymy +onymity +onymize +onymous +oniomania +oniomaniac +onion +onion-eyed +onionet +oniony +onionized +onionlike +onionpeel +Onions +onionskin +onionskins +oniro- +onirotic +Oniscidae +onisciform +oniscoid +Oniscoidea +oniscoidean +Oniscus +Oniskey +Onitsha +onium +Onyx +onyxes +onyxis +onyxitis +onker +onkilonite +onkos +onlay +onlaid +onlaying +onlap +Onley +onlepy +onless +only +only-begotten +onliest +on-limits +online +on-line +onliness +onlook +onlooker +onlookers +onlooking +onmarch +Onmun +Ono +Onobrychis +onocentaur +Onoclea +onocrotal +Onofredo +onofrite +Onohippidium +onolatry +onomancy +onomantia +onomasiology +onomasiological +onomastic +onomastical +onomasticon +onomastics +onomato- +onomatology +onomatologic +onomatological +onomatologically +onomatologist +onomatomancy +onomatomania +onomatop +onomatope +onomatophobia +onomatopy +onomatoplasm +onomatopoeia +onomatopoeial +onomatopoeian +onomatopoeic +onomatopoeical +onomatopoeically +onomatopoesy +onomatopoesis +onomatopoetic +onomatopoetically +onomatopoieses +onomatopoiesis +onomatous +onomomancy +Onondaga +Onondagan +Onondagas +Ononis +Onopordon +Onosmodium +onotogenic +ONR +onrush +onrushes +onrushing +ons +onset +onsets +onset's +onsetter +onsetting +onshore +onside +onsight +onslaught +onslaughts +Onslow +Onstad +onstage +on-stage +onstand +onstanding +onstead +Onsted +on-stream +onsweep +onsweeping +ont +ont- +Ont. +ontal +Ontarian +Ontaric +Ontario +ontic +ontically +Ontina +Ontine +onto +onto- +ontocycle +ontocyclic +ontogenal +ontogeneses +ontogenesis +ontogenetic +ontogenetical +ontogenetically +ontogeny +ontogenic +ontogenically +ontogenies +ontogenist +ontography +ontology +ontologic +ontological +ontologically +ontologies +ontologise +ontologised +ontologising +ontologism +ontologist +ontologistic +ontologize +Ontonagon +ontosophy +onus +onuses +onwaiting +onward +onwardly +onwardness +onwards +onza +OO +oo- +o-o +o-o-a-a +ooangium +OOB +oobit +ooblast +ooblastic +oocyesis +oocyst +Oocystaceae +oocystaceous +oocystic +Oocystis +oocysts +oocyte +oocytes +OODB +oodles +oodlins +ooecia +ooecial +ooecium +oof +oofbird +oofy +oofier +oofiest +oofless +ooftish +oogamete +oogametes +oogamy +oogamies +oogamous +oogenesis +oogenetic +oogeny +oogenies +ooglea +oogloea +oogone +oogonia +oogonial +oogoninia +oogoniophore +oogonium +oogoniums +oograph +ooh +oohed +oohing +oohs +ooid +ooidal +Ookala +ookinesis +ookinete +ookinetic +oolachan +oolachans +oolak +oolakan +oo-la-la +oolemma +oolite +oolites +oolith +ooliths +Oolitic +oolly +oollies +Oologah +oology +oologic +oological +oologically +oologies +oologist +oologists +oologize +oolong +oolongs +Ooltewah +oomancy +oomantia +oometer +oometry +oometric +oomiac +oomiack +oomiacks +oomiacs +oomiak +oomiaks +oomycete +Oomycetes +oomycetous +oompah +oompahed +oompahs +oomph +oomphs +oon +Oona +Oonagh +oons +oont +oooo +OOP +oopack +oopak +OOPART +oophyte +oophytes +oophytic +oophoralgia +oophorauxe +oophore +oophorectomy +oophorectomies +oophorectomize +oophorectomized +oophorectomizing +oophoreocele +oophorhysterectomy +oophoric +oophoridia +oophoridium +oophoridiums +oophoritis +oophorocele +oophorocystectomy +oophoroepilepsy +oophoroma +oophoromalacia +oophoromania +oophoron +oophoropexy +oophororrhaphy +oophorosalpingectomy +oophorostomy +oophorotomy +OOPL +ooplasm +ooplasmic +ooplast +oopod +oopodal +ooporphyrin +OOPS +OOPSTAD +oopuhue +oorali +ooralis +oord +oory +oorial +oorie +oos +o-os +ooscope +ooscopy +oose +OOSH +oosperm +oosperms +oosphere +oospheres +oosporange +oosporangia +oosporangium +oospore +Oosporeae +oospores +oosporic +oosporiferous +oosporous +Oost +Oostburg +oostegite +oostegitic +Oostende +oosterbeek +OOT +ootheca +oothecae +oothecal +ootid +ootids +ootype +ootocoid +Ootocoidea +ootocoidean +ootocous +oots +ootwith +oouassa +ooze +oozed +oozes +Oozy +oozier +ooziest +oozily +ooziness +oozinesses +oozing +oozoa +oozoid +oozooid +OP +op- +op. +OPA +opacate +opacify +opacification +opacified +opacifier +opacifies +opacifying +opacimeter +opacite +opacity +opacities +opacous +opacousness +opacus +opah +opahs +opai +opaion +Opal +opaled +opaleye +opalesce +opalesced +opalescence +opalescent +opalesces +opalescing +opalesque +Opalina +Opaline +opalines +opalinid +Opalinidae +opalinine +opalish +opalize +opalized +opalizing +Opalocka +Opa-Locka +opaloid +opalotype +opals +opal's +opal-tinted +opaque +opaqued +opaquely +opaqueness +opaquenesses +opaquer +opaques +opaquest +opaquing +Opata +opathy +OPC +opcode +OPCW +opdalite +Opdyke +OPDU +ope +OPEC +oped +opedeldoc +Opegrapha +opeidoscope +Opel +opelet +Opelika +Opelousas +Opelt +opelu +open +openability +openable +open-air +openairish +open-airish +open-airishness +open-airism +openairness +open-airness +open-and-shut +open-armed +open-armedly +open-back +open-backed +openband +openbeak +openbill +open-bill +open-bladed +open-breasted +open-caisson +opencast +openchain +open-chested +opencircuit +open-circuit +open-coil +open-countenanced +open-crib +open-cribbed +opencut +open-door +open-doored +open-eared +opened +open-eyed +open-eyedly +open-end +open-ended +openendedness +open-endedness +opener +openers +openest +open-face +open-faced +open-field +open-fire +open-flowered +open-front +open-fronted +open-frontedness +open-gaited +Openglopish +open-grained +openhanded +open-handed +openhandedly +open-handedly +openhandedness +openhead +open-headed +openhearted +open-hearted +openheartedly +open-heartedly +openheartedness +open-heartedness +open-hearth +open-hearthed +open-housed +open-housedness +open-housing +opening +openings +opening's +open-joint +open-jointed +open-kettle +open-kneed +open-letter +openly +open-lined +open-market +open-minded +open-mindedly +open-mindedness +openmouthed +open-mouthed +openmouthedly +open-mouthedly +openmouthedness +open-mouthedness +openness +opennesses +open-newel +open-pan +open-patterned +open-phase +open-pit +open-pitted +open-plan +open-pollinated +open-reel +open-roofed +open-rounded +opens +open-sand +open-shelf +open-shelved +open-shop +openside +open-sided +open-sidedly +open-sidedness +open-sleeved +open-spaced +open-spacedly +open-spacedness +open-spoken +open-spokenly +open-spokenness +open-tank +open-tide +open-timber +open-timbered +open-timbre +open-top +open-topped +open-view +open-visaged +open-weave +open-web +open-webbed +open-webbedness +open-well +open-windowed +open-windowedness +openwork +open-work +open-worked +openworks +OPEOS +OPer +opera +operabily +operability +operabilities +operable +operably +operae +operagoer +opera-going +operalogue +opera-mad +operameter +operance +operancy +operand +operandi +operands +operand's +operant +operantis +operantly +operants +operary +operas +opera's +operatable +operate +operated +operatee +operates +operatic +operatical +operatically +operatics +operating +operation +operational +operationalism +operationalist +operationalistic +operationally +operationism +operationist +operations +operation's +operative +operatively +operativeness +operatives +operativity +operatize +operator +operatory +operators +operator's +operatrices +operatrix +opercele +operceles +opercle +opercled +opercula +opercular +Operculata +operculate +operculated +opercule +opercules +operculi- +operculiferous +operculiform +operculigenous +operculigerous +operculum +operculums +operetta +operettas +operette +operettist +operla +operon +operons +operose +operosely +operoseness +operosity +OPers +opes +OPF +Oph +Opheim +Ophelia +Ophelie +ophelimity +Opheltes +Ophia +Ophian +ophiasis +ophic +ophicalcite +Ophicephalidae +ophicephaloid +Ophicephalus +Ophichthyidae +ophichthyoid +ophicleide +ophicleidean +ophicleidist +Ophidia +ophidian +ophidians +Ophidiidae +Ophidiobatrachia +ophidioid +ophidiomania +Ophidion +ophidiophobia +ophidious +ophidium +ophidology +ophidologist +ophio- +Ophiobatrachia +Ophiobolus +Ophioglossaceae +ophioglossaceous +Ophioglossales +Ophioglossum +ophiography +ophioid +ophiolater +ophiolatry +ophiolatrous +ophiolite +ophiolitic +ophiology +ophiologic +ophiological +ophiologist +ophiomancy +ophiomorph +Ophiomorpha +ophiomorphic +ophiomorphous +Ophion +ophionid +Ophioninae +ophionine +ophiophagous +ophiophagus +ophiophilism +ophiophilist +ophiophobe +ophiophoby +ophiophobia +ophiopluteus +Ophiosaurus +ophiostaphyle +ophiouride +Ophir +Ophis +Ophisaurus +Ophism +Ophite +ophites +Ophitic +Ophitism +Ophiuchid +Ophiuchus +Ophiucus +ophiuran +ophiurid +Ophiurida +ophiuroid +Ophiuroidea +ophiuroidean +ophresiophobia +ophryon +Ophrys +ophthalaiater +ophthalitis +ophthalm +ophthalm- +ophthalmagra +ophthalmalgia +ophthalmalgic +ophthalmatrophia +ophthalmectomy +ophthalmencephalon +ophthalmetrical +ophthalmy +ophthalmia +ophthalmiac +ophthalmiater +ophthalmiatrics +ophthalmic +ophthalmious +ophthalmist +ophthalmite +ophthalmitic +ophthalmitis +ophthalmo- +ophthalmoblennorrhea +ophthalmocarcinoma +ophthalmocele +ophthalmocopia +ophthalmodiagnosis +ophthalmodiastimeter +ophthalmodynamometer +ophthalmodynia +ophthalmography +ophthalmol +ophthalmoleucoscope +ophthalmolith +ophthalmology +ophthalmologic +ophthalmological +ophthalmologically +ophthalmologies +ophthalmologist +ophthalmologists +ophthalmomalacia +ophthalmometer +ophthalmometry +ophthalmometric +ophthalmometrical +ophthalmomycosis +ophthalmomyositis +ophthalmomyotomy +ophthalmoneuritis +ophthalmopathy +ophthalmophlebotomy +ophthalmophore +ophthalmophorous +ophthalmophthisis +ophthalmoplasty +ophthalmoplegia +ophthalmoplegic +ophthalmopod +ophthalmoptosis +ophthalmo-reaction +ophthalmorrhagia +ophthalmorrhea +ophthalmorrhexis +Ophthalmosaurus +ophthalmoscope +ophthalmoscopes +ophthalmoscopy +ophthalmoscopic +ophthalmoscopical +ophthalmoscopies +ophthalmoscopist +ophthalmostasis +ophthalmostat +ophthalmostatometer +ophthalmothermometer +ophthalmotomy +ophthalmotonometer +ophthalmotonometry +ophthalmotrope +ophthalmotropometer +opia +opiane +opianic +opianyl +opiate +opiated +opiateproof +opiates +opiatic +opiating +Opiconsivia +opifex +opifice +opificer +opiism +Opilia +Opiliaceae +opiliaceous +Opiliones +Opilionina +opilionine +Opilonea +Opimian +opinability +opinable +opinably +opinant +opination +opinative +opinatively +opinator +opine +opined +opiner +opiners +opines +oping +opiniaster +opiniastre +opiniastrety +opiniastrous +opiniate +opiniated +opiniatedly +opiniater +opiniative +opiniatively +opiniativeness +opiniatre +opiniatreness +opiniatrety +opinicus +opinicuses +opining +opinion +opinionable +opinionaire +opinional +opinionate +opinionated +opinionatedly +opinionatedness +opinionately +opinionative +opinionatively +opinionativeness +opinioned +opinionedness +opinionist +opinions +opinion's +opinion-sampler +opioid +opioids +opiomania +opiomaniac +opiophagy +opiophagism +opiparous +Opis +opisometer +opisthenar +opisthion +opistho- +opisthobranch +Opisthobranchia +opisthobranchiate +Opisthocoelia +opisthocoelian +opisthocoelous +opisthocome +Opisthocomi +Opisthocomidae +opisthocomine +opisthocomous +opisthodetic +opisthodome +opisthodomos +opisthodomoses +opisthodomus +opisthodont +opisthogastric +opisthogyrate +opisthogyrous +opisthoglyph +Opisthoglypha +opisthoglyphic +opisthoglyphous +Opisthoglossa +opisthoglossal +opisthoglossate +Opisthognathidae +opisthognathism +opisthognathous +opisthograph +opisthographal +opisthography +opisthographic +opisthographical +Opisthoparia +opisthoparian +opisthophagic +opisthoporeia +opisthorchiasis +Opisthorchis +opisthosomal +Opisthothelae +opisthotic +opisthotonic +opisthotonoid +opisthotonos +opisthotonus +opium +opium-drinking +opium-drowsed +opium-eating +opiumism +opiumisms +opiums +opium-shattered +opium-smoking +opium-taking +OPM +opobalsam +opobalsamum +opodeldoc +opodidymus +opodymus +opolis +opopanax +opoponax +Oporto +opossum +opossums +opotherapy +Opp +opp. +Oppen +Oppenheim +Oppenheimer +Oppian +oppida +oppidan +oppidans +oppidum +oppignerate +oppignorate +oppilant +oppilate +oppilated +oppilates +oppilating +oppilation +oppilative +opplete +oppletion +oppone +opponency +opponens +opponent +opponents +opponent's +Opportina +Opportuna +opportune +opportuneless +opportunely +opportuneness +opportunism +opportunisms +opportunist +opportunistic +opportunistically +opportunists +opportunity +opportunities +opportunity's +opposability +opposabilities +opposable +opposal +oppose +opposed +opposeless +opposer +opposers +opposes +opposing +opposingly +opposit +opposite +opposite-leaved +oppositely +oppositeness +oppositenesses +opposites +oppositi- +oppositiflorous +oppositifolious +opposition +oppositional +oppositionary +oppositionism +oppositionist +oppositionists +oppositionless +oppositions +oppositious +oppositipetalous +oppositipinnate +oppositipolar +oppositisepalous +oppositive +oppositively +oppositiveness +oppossum +opposure +oppress +oppressed +oppresses +oppressible +oppressing +oppression +oppressionist +oppressions +oppressive +oppressively +oppressiveness +oppressor +oppressors +oppressor's +opprobry +opprobriate +opprobriated +opprobriating +opprobrious +opprobriously +opprobriousness +opprobrium +opprobriums +oppugn +oppugnacy +oppugnance +oppugnancy +oppugnant +oppugnate +oppugnation +oppugned +oppugner +oppugners +oppugning +oppugns +OPS +opsy +opsigamy +opsimath +opsimathy +opsin +opsins +opsiometer +opsis +opsisform +opsistype +OPSM +opsonia +opsonic +opsoniferous +opsonify +opsonification +opsonified +opsonifies +opsonifying +opsonin +opsonins +opsonist +opsonium +opsonization +opsonize +opsonized +opsonizes +opsonizing +opsonogen +opsonoid +opsonology +opsonometry +opsonophilia +opsonophilic +opsonophoric +opsonotherapy +opt +optable +optableness +optably +Optacon +optant +optate +optation +optative +optatively +optatives +opted +Optez +opthalmic +opthalmology +opthalmologic +opthalmophorium +opthalmoplegy +opthalmoscopy +opthalmothermometer +optic +optical +optically +optician +opticians +opticism +opticist +opticists +opticity +opticly +optico- +opticochemical +opticociliary +opticon +opticopapillary +opticopupillary +optics +optigraph +optima +optimacy +optimal +optimality +optimally +optimate +optimates +optime +optimes +optimeter +optimise +optimised +optimises +optimising +optimism +optimisms +optimist +optimistic +optimistical +optimistically +optimisticalness +optimists +optimity +optimization +optimizations +optimization's +optimize +optimized +optimizer +optimizers +optimizes +optimizing +optimum +optimums +opting +option +optional +optionality +optionalize +optionally +optionals +optionary +optioned +optionee +optionees +optioning +optionor +options +option's +optive +opto- +optoacoustic +optoblast +optoelectronic +optogram +optography +optoisolate +optokinetic +optology +optological +optologist +optomeninx +optometer +optometry +optometric +optometrical +optometries +optometrist +optometrists +optophone +optotechnics +optotype +opts +Opulaster +opulence +opulences +opulency +opulencies +opulent +opulently +opulus +Opuntia +Opuntiaceae +Opuntiales +opuntias +opuntioid +opus +opuscle +opuscula +opuscular +opuscule +opuscules +opusculum +opuses +OPX +oquassa +oquassas +Oquawka +Oquossoc +or +or- +Ora +orabassu +Orabel +Orabelle +orach +orache +oraches +oracy +oracle +oracler +oracles +oracle's +Oracon +oracula +oracular +oracularity +oracularly +oracularness +oraculate +oraculous +oraculously +oraculousness +oraculum +orad +Oradea +Oradell +orae +orage +oragious +oraison +Orakzai +oral +orale +Oralee +oraler +Oralia +Oralie +oralism +oralisms +oralist +oralists +orality +oralities +oralization +oralize +Oralla +Oralle +orally +oralogy +oralogist +orals +Oram +Oran +Orang +Orange +orangeade +orangeades +orangeado +orangeat +orangeberry +orangeberries +orangebird +orange-blossom +Orangeburg +orange-colored +orange-crowned +orange-eared +Orangefield +orange-fleshed +orange-flower +orange-flowered +orange-headed +orange-hued +orangey +orange-yellow +orangeish +Orangeism +Orangeist +orangeleaf +orange-leaf +Orangeman +Orangemen +orangeness +oranger +orange-red +orangery +orangeries +orangeroot +orange-rufous +oranges +orange's +orange-shaped +orange-sized +orange-striped +orange-tailed +orange-tawny +orange-throated +orange-tip +orange-tipped +orange-tree +Orangevale +Orangeville +orange-winged +orangewoman +orangewood +orangy +orangier +orangiest +oranginess +orangish +orangism +orangist +orangite +orangize +orangoutan +orangoutang +orang-outang +orangoutans +orangs +orangutan +orang-utan +orangutang +orangutangs +orangutans +orans +orant +orante +orantes +Oraon +orary +oraria +orarian +orarion +orarium +oras +orate +orated +orates +orating +oration +orational +orationer +orations +oration's +orator +Oratory +oratorial +oratorially +Oratorian +Oratorianism +Oratorianize +oratoric +oratorical +oratorically +oratories +oratorio +oratorios +oratory's +oratorium +oratorize +oratorlike +orators +orator's +oratorship +oratress +oratresses +oratrices +oratrix +Oraville +Orazio +ORB +Orbadiah +Orban +orbate +orbation +orbed +orbell +orby +orbic +orbical +Orbicella +orbicle +orbicular +orbiculares +orbicularis +orbicularity +orbicularly +orbicularness +orbiculate +orbiculated +orbiculately +orbiculation +orbiculato- +orbiculatocordate +orbiculatoelliptical +Orbiculoidea +orbier +orbiest +orbific +Orbilian +Orbilius +orbing +Orbisonia +orbit +orbital +orbitale +orbitally +orbitals +orbitar +orbitary +orbite +orbited +orbitelar +Orbitelariae +orbitelarian +orbitele +orbitelous +orbiter +orbiters +orbity +orbiting +orbito- +orbitofrontal +Orbitoides +Orbitolina +orbitolite +Orbitolites +orbitomalar +orbitomaxillary +orbitonasal +orbitopalpebral +orbitosphenoid +orbitosphenoidal +orbitostat +orbitotomy +orbitozygomatic +orbits +orbitude +orbless +orblet +orblike +orbs +Orbulina +orc +Orca +Orcadian +orcanet +orcanette +Orcas +orcein +orceins +orch +orch. +orchamus +orchanet +orchard +orcharding +orchardist +orchardists +orchardman +orchardmen +orchards +orchard's +orchat +orchectomy +orcheitis +orchel +orchella +orchen +orchesis +orchesography +orchester +Orchestia +orchestian +orchestic +orchestiid +Orchestiidae +orchestra +orchestral +orchestraless +orchestrally +orchestras +orchestra's +orchestrate +orchestrated +orchestrater +orchestrates +orchestrating +orchestration +orchestrational +orchestrations +orchestrator +orchestrators +orchestre +orchestrelle +orchestric +orchestrina +orchestrion +orchialgia +orchic +orchichorea +orchid +Orchidaceae +orchidacean +orchidaceous +Orchidales +orchidalgia +orchidean +orchidectomy +orchidectomies +orchideous +orchideously +orchidist +orchiditis +orchido- +orchidocele +orchidocelioplasty +orchidology +orchidologist +orchidomania +orchidopexy +orchidoplasty +orchidoptosis +orchidorrhaphy +orchidotherapy +orchidotomy +orchidotomies +orchids +orchid's +orchiectomy +orchiectomies +orchiencephaloma +orchiepididymitis +orchil +orchilytic +orchilla +orchils +orchiocatabasis +orchiocele +orchiodynia +orchiomyeloma +orchioncus +orchioneuralgia +orchiopexy +orchioplasty +orchiorrhaphy +orchioscheocele +orchioscirrhus +orchiotomy +Orchis +orchises +orchitic +orchitis +orchitises +orchotomy +orchotomies +orcin +orcine +orcinol +orcinols +orcins +Orcinus +orcs +Orcus +Orczy +Ord +ord. +ordain +ordainable +ordained +ordainer +ordainers +ordaining +ordainment +ordains +ordalian +ordalium +ordanchite +ordeal +ordeals +ordene +order +orderable +order-book +ordered +orderedness +orderer +orderers +ordering +orderings +orderless +orderlessness +orderly +orderlies +orderliness +orderlinesses +orders +Orderville +ordinability +ordinable +ordinaire +ordinal +ordinally +ordinals +ordinance +ordinances +ordinance's +ordinand +ordinands +ordinant +ordinar +ordinary +ordinariate +ordinarier +ordinaries +ordinariest +ordinarily +ordinariness +ordinaryship +ordinarius +ordinate +ordinated +ordinately +ordinates +ordinating +ordination +ordinations +ordinative +ordinatomaculate +ordinato-punctate +ordinator +ordinee +ordines +ORDLIX +ordn +ordn. +ordnance +ordnances +ordo +ordonnance +ordonnances +ordonnant +ordos +ordosite +Ordovian +Ordovices +Ordovician +ordu +ordure +ordures +ordurous +ordurousness +Ordway +Ordzhonikidze +Ore +oread +oreads +Oreamnos +Oreana +Oreas +ore-bearing +Orebro +ore-buying +orecchion +ore-crushing +orectic +orective +ored +ore-extracting +Orefield +ore-forming +Oreg +Oreg. +oregano +oreganos +Oregon +oregoni +Oregonia +Oregonian +oregonians +ore-handling +ore-hoisting +oreide +oreides +orey-eyed +oreilet +oreiller +oreillet +oreillette +O'Reilly +orejon +Orel +Oreland +Orelee +Orelia +Orelie +Orella +Orelle +orellin +Orelu +Orem +oreman +ore-milling +ore-mining +oremus +Oren +Orenburg +orenda +orendite +Orense +Oreocarya +Oreodon +oreodont +Oreodontidae +oreodontine +oreodontoid +Oreodoxa +oreography +Oreophasinae +oreophasine +Oreophasis +Oreopithecus +Oreortyx +oreotragine +Oreotragus +Oreotrochilus +ore-roasting +ores +ore's +oreshoot +ore-smelting +Orest +Oreste +Orestean +Oresteia +Orestes +Oresund +oretic +ore-washing +oreweed +ore-weed +orewood +orexin +orexis +orf +orfe +Orfeo +Orferd +ORFEUS +orfevrerie +Orff +orfgild +Orfield +Orfinger +Orford +Orfordville +orfray +orfrays +Orfurd +org +org. +orgal +orgament +orgamy +organ +organ- +organa +organal +organbird +organ-blowing +organdy +organdie +organdies +organella +organellae +organelle +organelles +organer +organette +organ-grinder +organy +organic +organical +organically +organicalness +organicism +organicismal +organicist +organicistic +organicity +organics +organify +organific +organifier +organing +organisability +organisable +organisation +organisational +organisationally +organise +organised +organises +organising +organism +organismal +organismic +organismically +organisms +organism's +organist +organistic +organistrum +organists +organist's +organistship +organity +organizability +organizable +organization +organizational +organizationally +organizationist +organizations +organization's +organizatory +organize +organized +organizer +organizers +organizes +organizing +organless +organo- +organoantimony +organoarsenic +organobismuth +organoboron +organochlorine +organochordium +organogel +organogen +organogenesis +organogenetic +organogenetically +organogeny +organogenic +organogenist +organogold +organography +organographic +organographical +organographies +organographist +organoid +organoiron +organolead +organoleptic +organoleptically +organolithium +organology +organologic +organological +organologist +organomagnesium +organomercury +organomercurial +organometallic +organon +organonym +organonymal +organonymy +organonymic +organonyn +organonomy +organonomic +organons +organopathy +organophil +organophile +organophyly +organophilic +organophone +organophonic +organophosphate +organophosphorous +organophosphorus +organoplastic +organoscopy +organosilicon +organosiloxane +organosilver +organosodium +organosol +organotherapeutics +organotherapy +organotin +organotrophic +organotropy +organotropic +organotropically +organotropism +organozinc +organ-piano +organ-pipe +organry +organs +organ's +organule +organum +organums +organza +organzas +organzine +organzined +Orgas +orgasm +orgasmic +orgasms +orgastic +orgeat +orgeats +Orgel +Orgell +orgy +orgia +orgiac +orgiacs +orgiasm +orgiast +orgiastic +orgiastical +orgiastically +orgic +orgies +orgyia +orgy's +Orgoglio +orgone +orgones +orgue +orgueil +orguil +orguinette +orgulous +orgulously +orhamwood +Ori +ory +oria +orial +Orian +Oriana +Oriane +Orianna +orians +Orias +oribatid +Oribatidae +oribatids +Oribel +Oribella +Oribelle +oribi +oribis +orichalc +orichalceous +orichalch +orichalcum +oricycle +Orick +oriconic +orycterope +Orycteropodidae +Orycteropus +oryctics +orycto- +oryctognosy +oryctognostic +oryctognostical +oryctognostically +Oryctolagus +oryctology +oryctologic +oryctologist +Oriel +ori-ellipse +oriels +oriency +Orient +Oriental +Orientalia +Orientalis +Orientalisation +Orientalise +Orientalised +Orientalising +Orientalism +Orientalist +orientality +orientalization +Orientalize +orientalized +orientalizing +orientally +Orientalogy +orientals +orientate +orientated +orientates +orientating +orientation +orientational +orientationally +orientations +orientation's +orientative +orientator +Oriente +oriented +orienteering +orienter +orienting +orientite +orientization +orientize +oriently +orientness +orients +orifacial +orifice +orifices +orifice's +orificial +oriflamb +oriflamme +oriform +orig +orig. +origami +origamis +origan +origanized +origans +Origanum +origanums +Origen +Origenian +Origenic +Origenical +Origenism +Origenist +Origenistic +Origenize +origin +originable +original +originalist +originality +originalities +originally +originalness +originals +originant +originary +originarily +originate +originated +originates +originating +origination +originative +originatively +originator +originators +originator's +originatress +Origine +origines +originist +origins +origin's +orignal +orihyperbola +orihon +Oriya +orillion +orillon +Orin +orinasal +orinasality +orinasally +orinasals +Orinda +Oringa +Oringas +Orinoco +Oryol +Oriole +orioles +Oriolidae +Oriolus +Orion +Orionis +orious +Oriska +Oriskany +Oriskanian +orismology +orismologic +orismological +orison +orisons +orisphere +Orissa +oryssid +Oryssidae +Oryssus +oristic +Orit +Orithyia +orium +Oryx +oryxes +Oryza +Orizaba +oryzanin +oryzanine +oryzenin +oryzivorous +Oryzomys +Oryzopsis +Oryzorictes +Oryzorictinae +Orji +Orjonikidze +orkey +Orkhon +Orkney +Orkneyan +Orkneys +orl +Orla +orlage +Orlan +Orlanais +Orland +Orlando +Orlans +Orlanta +Orlantha +orle +Orlean +Orleanais +Orleanism +Orleanist +Orleanistic +Orleans +Orlena +Orlene +orles +orlet +orleways +orlewise +Orly +Orlich +Orlin +Orlina +Orlinda +Orling +orlo +Orlon +orlop +orlops +orlos +Orlosky +Orlov +ORM +Orma +Orman +Ormand +Ormandy +Ormazd +Orme +ormer +ormers +Ormiston +ormolu +ormolus +Ormond +Orms +Ormsby +Ormuz +ormuzine +Orna +ORNAME +ornament +ornamental +ornamentalism +ornamentalist +ornamentality +ornamentalize +ornamentally +ornamentary +ornamentation +ornamentations +ornamented +ornamenter +ornamenting +ornamentist +ornaments +ornary +Ornas +ornate +ornately +ornateness +ornatenesses +ornation +ornature +Orne +ornery +ornerier +orneriest +ornerily +orneriness +ornes +Orneus +Ornie +ornify +ornis +orniscopy +orniscopic +orniscopist +ornith +ornith- +ornithes +ornithic +ornithichnite +ornithine +Ornithischia +ornithischian +ornithivorous +ornitho- +ornithobiography +ornithobiographical +ornithocephalic +Ornithocephalidae +ornithocephalous +Ornithocephalus +ornithocoprolite +ornithocopros +ornithodelph +Ornithodelphia +ornithodelphian +ornithodelphic +ornithodelphous +Ornithodoros +Ornithogaea +Ornithogaean +Ornithogalum +ornithogeographic +ornithogeographical +ornithography +ornithoid +ornithol +ornithol. +Ornitholestes +ornitholite +ornitholitic +ornithology +ornithologic +ornithological +ornithologically +ornithologist +ornithologists +ornithomancy +ornithomania +ornithomantia +ornithomantic +ornithomantist +ornithomimid +Ornithomimidae +Ornithomimus +ornithomyzous +ornithomorph +ornithomorphic +ornithon +Ornithopappi +ornithophile +ornithophily +ornithophilist +ornithophilite +ornithophilous +ornithophobia +ornithopod +Ornithopoda +ornithopter +Ornithoptera +Ornithopteris +Ornithorhynchidae +ornithorhynchous +Ornithorhynchus +ornithosaur +Ornithosauria +ornithosaurian +Ornithoscelida +ornithoscelidan +ornithoscopy +ornithoscopic +ornithoscopist +ornithoses +ornithosis +ornithotic +ornithotomy +ornithotomical +ornithotomist +ornithotrophy +Ornithurae +ornithuric +ornithurous +ornithvrous +Ornytus +ORNL +ornoite +Ornstead +oro- +oroanal +Orobanchaceae +orobanchaceous +Orobanche +orobancheous +orobathymetric +Orobatoidea +orocentral +Orochon +Orocovis +orocratic +orodiagnosis +orogen +orogenesy +orogenesis +orogenetic +orogeny +orogenic +orogenies +oroggaphical +orograph +orography +orographic +orographical +orographically +oroheliograph +orohydrography +orohydrographic +orohydrographical +Orohippus +oroide +oroides +Orola +orolingual +orology +orological +orologies +orologist +OROM +orometer +orometers +orometry +orometric +Oromo +oronasal +oronasally +Orondo +Orono +Oronoco +Oronogo +oronoko +oronooko +Orontes +Orontium +Orontius +oropharyngeal +oropharynges +oropharynx +oropharynxes +Orose +Orosi +Orosius +orotherapy +Orotinan +orotund +orotundity +orotunds +O'Rourke +Orovada +Oroville +Orozco +Orpah +Orpha +orphan +orphanage +orphanages +orphancy +orphandom +orphaned +orphange +orphanhood +orphaning +orphanism +orphanize +orphanry +orphans +orphanship +orpharion +Orphean +Orpheist +orpheon +orpheonist +orpheum +Orpheus +Orphic +Orphical +Orphically +Orphicism +Orphism +Orphist +Orphize +orphrey +orphreyed +orphreys +orpiment +orpiments +orpin +orpinc +orpine +orpines +Orpington +orpins +orpit +Orr +orra +Orran +Orren +orrery +orreriec +orreries +orrhoid +orrhology +orrhotherapy +orrice +orrices +Orrick +Orrin +Orrington +orris +orrises +orrisroot +orrow +Orrstown +Orrtanna +Orrum +Orrville +ors +or's +Orsa +Orsay +orsede +orsedue +orseille +orseilline +orsel +orselle +orseller +orsellic +orsellinate +orsellinic +Orsini +Orsino +Orsk +Orsola +Orson +ORT +ortalid +Ortalidae +ortalidian +Ortalis +ortanique +Ortega +Ortegal +Orten +Ortensia +orterde +ortet +Orth +orth- +Orth. +Orthaea +Orthagoriscus +orthal +orthant +orthantimonic +Ortheris +Orthia +orthian +orthic +orthicon +orthiconoscope +orthicons +orthid +Orthidae +Orthis +orthite +orthitic +Orthman +ortho +ortho- +orthoarsenite +orthoaxis +orthobenzoquinone +orthobiosis +orthoborate +orthobrachycephalic +orthocarbonic +orthocarpous +Orthocarpus +orthocenter +orthocentre +orthocentric +orthocephaly +orthocephalic +orthocephalous +orthoceracone +Orthoceran +Orthoceras +Orthoceratidae +orthoceratite +orthoceratitic +orthoceratoid +orthochlorite +orthochromatic +orthochromatize +orthocym +orthocymene +orthoclase +orthoclase-basalt +orthoclase-gabbro +orthoclasite +orthoclastic +orthocoumaric +ortho-cousin +orthocresol +orthodiaene +orthodiagonal +orthodiagram +orthodiagraph +orthodiagraphy +orthodiagraphic +orthodiazin +orthodiazine +orthodolichocephalic +orthodomatic +orthodome +orthodontia +orthodontic +orthodontics +orthodontist +orthodontists +Orthodox +orthodoxal +orthodoxality +orthodoxally +orthodoxes +Orthodoxy +orthodoxian +orthodoxical +orthodoxically +orthodoxicalness +orthodoxies +orthodoxism +orthodoxist +orthodoxly +orthodoxness +orthodromy +orthodromic +orthodromics +orthoepy +orthoepic +orthoepical +orthoepically +orthoepies +orthoepist +orthoepistic +orthoepists +orthoformic +orthogamy +orthogamous +orthoganal +orthogenesis +orthogenetic +orthogenetically +orthogenic +orthognathy +orthognathic +orthognathism +orthognathous +orthognathus +orthogneiss +orthogonal +orthogonality +orthogonalization +orthogonalize +orthogonalized +orthogonalizing +orthogonally +orthogonial +orthograde +orthogranite +orthograph +orthographer +orthography +orthographic +orthographical +orthographically +orthographies +orthographise +orthographised +orthographising +orthographist +orthographize +orthographized +orthographizing +orthohydrogen +orthologer +orthology +orthologian +orthological +orthometopic +orthometry +orthometric +orthomolecular +orthomorphic +Orthonectida +orthonitroaniline +orthonormal +orthonormality +ortho-orsellinic +orthopaedy +orthopaedia +orthopaedic +orthopaedically +orthopaedics +orthopaedist +orthopath +orthopathy +orthopathic +orthopathically +orthopedy +orthopedia +orthopedic +orthopedical +orthopedically +orthopedics +orthopedist +orthopedists +orthophenylene +orthophyre +orthophyric +orthophony +orthophonic +orthophoria +orthophoric +orthophosphate +orthophosphoric +orthopinacoid +orthopinacoidal +orthopyramid +orthopyroxene +orthoplasy +orthoplastic +orthoplumbate +orthopnea +orthopneic +orthopnoea +orthopnoeic +orthopod +Orthopoda +orthopraxy +orthopraxia +orthopraxis +orthoprism +orthopsychiatry +orthopsychiatric +orthopsychiatrical +orthopsychiatrist +orthopter +Orthoptera +orthopteral +orthopteran +orthopterist +orthopteroid +Orthopteroidea +orthopterology +orthopterological +orthopterologist +orthopteron +orthopterous +orthoptetera +orthoptic +orthoptics +orthoquinone +orthorhombic +Orthorrhapha +orthorrhaphy +orthorrhaphous +Orthos +orthoscope +orthoscopic +orthose +orthoselection +orthosemidin +orthosemidine +orthosilicate +orthosilicic +orthosymmetry +orthosymmetric +orthosymmetrical +orthosymmetrically +orthosis +orthosite +orthosomatic +orthospermous +orthostat +orthostatai +orthostates +orthostati +orthostatic +orthostichy +orthostichies +orthostichous +orthostyle +orthosubstituted +orthotactic +orthotectic +orthotic +orthotics +orthotype +orthotypous +orthotist +orthotolidin +orthotolidine +orthotoluic +orthotoluidin +orthotoluidine +ortho-toluidine +orthotomic +orthotomous +orthotone +orthotonesis +orthotonic +orthotonus +orthotropal +orthotropy +orthotropic +orthotropically +orthotropism +orthotropous +orthovanadate +orthovanadic +orthoveratraldehyde +orthoveratric +orthoxazin +orthoxazine +orthoxylene +ortho-xylene +orthron +Orthros +Orthrus +ortiga +ortygan +Ortygian +Ortyginae +ortygine +Orting +ortive +Ortyx +Ortiz +Ortley +Ortler +Ortles +ortman +Ortol +ortolan +ortolans +Orton +Ortonville +Ortrud +Ortrude +orts +ortstaler +ortstein +Orunchun +Oruntha +Oruro +ORuss +Orv +Orva +Orvah +Orvan +Orvas +orvet +Orvie +orvietan +orvietite +Orvieto +Orvil +Orville +Orwell +Orwellian +Orwigsburg +Orwin +orzo +orzos +OS +o's +OS2 +OSA +OSAC +Osage +Osages +Osaka +Osakis +osamin +osamine +Osana +Osanna +osar +Osawatomie +osazone +OSB +Osber +Osbert +Osborn +Osborne +Osbourn +Osbourne +Osburn +OSC +Oscan +OSCAR +Oscarella +Oscarellidae +oscars +oscella +Osceola +oscheal +oscheitis +oscheo- +oscheocarcinoma +oscheocele +oscheolith +oscheoma +oscheoncus +oscheoplasty +Oschophoria +Oscilight +oscillance +oscillancy +oscillant +Oscillaria +Oscillariaceae +oscillariaceous +oscillate +oscillated +oscillates +oscillating +oscillation +oscillational +oscillations +oscillation's +oscillative +oscillatively +oscillator +oscillatory +Oscillatoria +Oscillatoriaceae +oscillatoriaceous +oscillatorian +oscillators +oscillator's +oscillogram +oscillograph +oscillography +oscillographic +oscillographically +oscillographies +oscillometer +oscillometry +oscillometric +oscillometries +oscilloscope +oscilloscopes +oscilloscope's +oscilloscopic +oscilloscopically +oscin +oscine +Oscines +oscinian +Oscinidae +oscinine +Oscinis +oscitance +oscitancy +oscitancies +oscitant +oscitantly +oscitate +oscitation +oscnode +Osco +Oscoda +Osco-Umbrian +OSCRL +oscula +osculable +osculant +oscular +oscularity +osculate +osculated +osculates +osculating +osculation +osculations +osculatory +osculatories +osculatrix +osculatrixes +oscule +oscules +osculiferous +osculum +oscurantist +oscurrantist +OSD +OSDIT +OSDS +ose +Osee +Osei +osela +osella +oselle +oses +Osetian +Osetic +OSF +OSFCW +Osgood +OSHA +oshac +O-shaped +Oshawa +oshea +O'Shea +O'Shee +Osher +Oshinski +Oshkosh +Oshogbo +Oshoto +Oshtemo +OSI +Osy +Osiandrian +oside +osier +osier-bordered +osiered +osier-fringed +osiery +osieries +osierlike +osier-like +osiers +osier-woven +Osijek +Osyka +OSINET +Osirian +Osiride +Osiridean +Osirify +Osirification +Osiris +Osirism +OSIRM +osis +Osyth +Osithe +osity +Oskaloosa +Oskar +OSlav +Osler +Oslo +Osman +Osmanie +Osmanli +Osmanlis +Osmanthus +osmate +osmateria +osmaterium +osmatic +osmatism +osmazomatic +osmazomatous +osmazome +OSME +Osmen +Osmeridae +Osmerus +osmesis +osmeteria +osmeterium +osmetic +osmiamic +osmic +osmics +osmidrosis +osmi-iridium +osmin +osmina +osmio- +osmious +osmiridium +osmite +osmium +osmiums +Osmo +osmo- +osmodysphoria +osmogene +osmograph +osmol +osmolagnia +osmolal +osmolality +osmolar +osmolarity +osmology +osmols +osmometer +osmometry +osmometric +osmometrically +Osmond +osmondite +osmophobia +osmophore +osmoregulation +osmoregulatory +Osmorhiza +osmoscope +osmose +osmosed +osmoses +osmosing +osmosis +osmotactic +osmotaxis +osmotherapy +osmotic +osmotically +osmous +Osmund +Osmunda +Osmundaceae +osmundaceous +osmundas +osmundine +osmunds +OSN +Osnabr +Osnabrock +Osnabruck +Osnaburg +osnaburgs +Osnappar +OSO +osoberry +oso-berry +osoberries +osone +osophy +osophies +osophone +Osorno +osotriazine +osotriazole +OSP +osperm +OSPF +osphere +osphyalgia +osphyalgic +osphyarthritis +osphyitis +osphyocele +osphyomelitis +osphradia +osphradial +osphradium +osphresiolagnia +osphresiology +osphresiologic +osphresiologist +osphresiometer +osphresiometry +osphresiophilia +osphresis +osphretic +Osphromenidae +ospore +Osprey +ospreys +OSPS +OSRD +Osric +Osrick +Osrock +OSS +OSSA +ossal +ossarium +ossature +OSSE +ossea +ossein +osseins +osselet +ossements +Osseo +osseo- +osseoalbuminoid +osseoaponeurotic +osseocartilaginous +osseofibrous +osseomucoid +osseous +osseously +Osset +Ossete +osseter +Ossetia +Ossetian +Ossetic +Ossetine +Ossetish +Ossy +ossia +Ossian +Ossianesque +Ossianic +Ossianism +Ossianize +ossicle +ossicles +ossicula +ossicular +ossiculate +ossiculated +ossicule +ossiculectomy +ossiculotomy +ossiculum +Ossie +Ossietzky +ossiferous +ossify +ossific +ossification +ossifications +ossificatory +ossified +ossifier +ossifiers +ossifies +ossifying +ossifluence +ossifluent +ossiform +ossifrage +ossifrangent +Ossineke +Ossining +Ossip +Ossipee +ossypite +ossivorous +ossuary +ossuaries +ossuarium +Osswald +OST +ostalgia +Ostap +Ostara +ostariophysan +Ostariophyseae +Ostariophysi +ostariophysial +ostariophysous +ostarthritis +oste- +osteal +ostealgia +osteanabrosis +osteanagenesis +ostearthritis +ostearthrotomy +ostectomy +ostectomies +osteectomy +osteectomies +osteectopy +osteectopia +Osteen +Osteichthyes +ostein +osteitic +osteitides +osteitis +ostemia +ostempyesis +Ostend +Ostende +ostensibility +ostensibilities +ostensible +ostensibly +ostension +ostensive +ostensively +ostensory +ostensoria +ostensories +ostensorium +ostensorsoria +ostent +ostentate +ostentation +ostentations +ostentatious +ostentatiously +ostentatiousness +ostentive +ostentous +osteo- +osteoaneurysm +osteoarthritic +osteoarthritis +osteoarthropathy +osteoarthrotomy +osteoblast +osteoblastic +osteoblastoma +osteoblasts +osteocachetic +osteocarcinoma +osteocartilaginous +osteocele +osteocephaloma +osteochondritis +osteochondrofibroma +osteochondroma +osteochondromatous +osteochondropathy +osteochondrophyte +osteochondrosarcoma +osteochondrous +osteocystoma +osteocyte +osteoclasia +osteoclasis +osteoclast +osteoclasty +osteoclastic +osteocolla +osteocomma +osteocranium +osteodentin +osteodentinal +osteodentine +osteoderm +osteodermal +osteodermatous +osteodermia +osteodermis +osteodermous +osteodiastasis +osteodynia +osteodystrophy +osteoencephaloma +osteoenchondroma +osteoepiphysis +osteofibroma +osteofibrous +osteogangrene +osteogen +osteogenesis +osteogenetic +osteogeny +osteogenic +osteogenist +osteogenous +osteoglossid +Osteoglossidae +osteoglossoid +Osteoglossum +osteographer +osteography +osteohalisteresis +osteoid +osteoids +Osteolepidae +Osteolepis +osteolysis +osteolite +osteolytic +osteologer +osteology +osteologic +osteological +osteologically +osteologies +osteologist +osteoma +osteomalacia +osteomalacial +osteomalacic +osteomancy +osteomanty +osteomas +osteomata +osteomatoid +osteome +osteomere +osteometry +osteometric +osteometrical +osteomyelitis +osteoncus +osteonecrosis +osteoneuralgia +osteopaedion +osteopath +osteopathy +osteopathic +osteopathically +osteopathies +osteopathist +osteopaths +osteopedion +osteopenia +osteoperiosteal +osteoperiostitis +osteopetrosis +osteophage +osteophagia +osteophyma +osteophyte +osteophytic +osteophlebitis +osteophone +osteophony +osteophore +osteoplaque +osteoplast +osteoplasty +osteoplastic +osteoplasties +osteoporosis +osteoporotic +osteorrhaphy +osteosarcoma +osteosarcomatous +osteoscleroses +osteosclerosis +osteosclerotic +osteoscope +osteoses +osteosynovitis +osteosynthesis +osteosis +osteosteatoma +osteostixis +osteostomatous +osteostomous +osteostracan +Osteostraci +osteosuture +osteothrombosis +osteotome +osteotomy +osteotomies +osteotomist +osteotribe +osteotrite +osteotrophy +osteotrophic +Oster +Osterburg +Osterhus +osteria +Osterreich +Ostertagia +Osterville +Ostia +Ostiak +Ostyak +Ostyak-samoyedic +ostial +ostiary +ostiaries +ostiarius +ostiate +Ostic +ostinato +ostinatos +ostiolar +ostiolate +ostiole +ostioles +ostitis +ostium +Ostler +ostleress +ostlerie +ostlers +Ostmannic +ostmark +ostmarks +Ostmen +ostomatid +ostomy +ostomies +ostoses +ostosis +ostosises +OSTP +Ostpreussen +ostraca +Ostracea +ostracean +ostraceous +Ostraciidae +ostracine +ostracioid +Ostracion +ostracise +ostracism +ostracisms +ostracite +ostracizable +ostracization +ostracize +ostracized +ostracizer +ostracizes +ostracizing +ostraco- +ostracod +Ostracoda +ostracodan +ostracode +ostracoderm +Ostracodermi +ostracodous +ostracods +ostracoid +Ostracoidea +ostracon +ostracophore +Ostracophori +ostracophorous +ostracum +Ostraeacea +ostraite +Ostrander +Ostrava +Ostraw +ostrca +Ostrea +ostreaceous +ostreger +ostrei- +ostreicultural +ostreiculture +ostreiculturist +Ostreidae +ostreiform +ostreodynamometer +ostreoid +ostreophage +ostreophagist +ostreophagous +Ostrya +ostrich +ostrich-egg +ostriches +ostrich-feather +ostrichlike +ostrich-plume +ostrich's +ostringer +Ostrogoth +Ostrogothian +Ostrogothic +ostsis +ostsises +Ostwald +Osugi +osullivan +O'Sullivan +Osvaldo +Oswal +Oswald +Oswaldo +Oswegan +Oswegatchie +Oswego +Oswell +Oswiecim +Oswin +ot +ot- +OTA +otacoustic +otacousticon +otacust +Otaheitan +Otaheite +otalgy +otalgia +otalgias +otalgic +otalgies +otary +Otaria +otarian +otaries +Otariidae +Otariinae +otariine +otarine +otarioid +Otaru +otate +OTB +OTBS +OTC +OTDR +ote +OTEC +otectomy +Otego +otelcosis +Otelia +Otello +Otero +Otes +OTF +Otha +othaematoma +Othake +OTHB +Othe +othelcosis +Othelia +Othella +Othello +othematoma +othematomata +othemorrhea +otheoscope +Other +other-directed +other-directedness +other-direction +otherdom +otherest +othergates +other-group +otherguess +otherguise +otherhow +otherism +otherist +otherness +others +other-self +othersome +othertime +othertimes +otherways +otherwards +otherwhence +otherwhere +otherwhereness +otherwheres +otherwhile +otherwhiles +otherwhither +otherwise +otherwiseness +otherworld +otherworldly +otherworldliness +otherworldness +othygroma +Othilia +Othilie +Othin +Othinism +Othman +othmany +Othniel +Otho +Othoniel +Othonna +Otyak +otiant +otiatry +otiatric +otiatrics +otic +oticodinia +Otidae +Otides +otidia +Otididae +otidiform +otidine +Otidiphaps +otidium +Otila +Otilia +Otina +Otionia +otiorhynchid +Otiorhynchidae +Otiorhynchinae +otiose +otiosely +otioseness +otiosity +otiosities +Otis +Otisco +Otisville +otitic +otitides +otitis +otium +otkon +OTL +Otley +OTLF +OTM +Oto +oto- +otoantritis +otoblennorrhea +otocariasis +otocephaly +otocephalic +otocerebritis +Otocyon +otocyst +otocystic +otocysts +otocleisis +otoconia +otoconial +otoconite +otoconium +otocrane +otocranial +otocranic +otocranium +otodynia +otodynic +Otoe +otoencephalitis +otogenic +otogenous +Otogyps +otography +otographical +OTOH +otohemineurasthenia +otolaryngology +otolaryngologic +otolaryngological +otolaryngologies +otolaryngologist +otolaryngologists +otolite +otolith +otolithic +Otolithidae +otoliths +Otolithus +otolitic +otology +otologic +otological +otologically +otologies +otologist +Otomaco +Otomanguean +otomassage +Otomi +Otomian +otomyces +otomycosis +Otomitlan +otomucormycosis +otonecrectomy +otoneuralgia +otoneurasthenia +otoneurology +O'Toole +otopathy +otopathic +otopathicetc +otopharyngeal +otophone +otopiesis +otopyorrhea +otopyosis +otoplasty +otoplastic +otopolypus +otorhinolaryngology +otorhinolaryngologic +otorhinolaryngologist +otorrhagia +otorrhea +otorrhoea +otosalpinx +otosclerosis +otoscope +otoscopes +otoscopy +otoscopic +otoscopies +otosis +otosphenal +otosteal +otosteon +ototoi +ototomy +ototoxic +ototoxicity +ototoxicities +Otozoum +OTR +Otranto +OTS +Otsego +Ott +ottajanite +ottar +ottars +ottava +ottavarima +ottavas +ottave +Ottavia +ottavino +Ottawa +ottawas +Otte +Otter +Otterbein +Otterburn +otterer +otterhound +otters +otter's +Ottertail +Otterville +ottetto +Otti +Ottie +Ottilie +Ottillia +Ottine +Ottinger +ottingkar +Otto +Ottoman +Ottomanean +Ottomanic +Ottomanism +Ottomanization +Ottomanize +Ottomanlike +Ottomans +Ottomite +Ottonian +ottos +Ottosen +Ottoville +ottrelife +ottrelite +ottroye +Ottsville +Ottumwa +Ottweilian +Otuquian +oturia +Otus +OTV +Otway +Otwell +otxi +OU +ouabain +ouabains +ouabaio +ouabe +Ouachita +Ouachitas +ouachitite +Ouagadougou +ouakari +ouananiche +ouanga +Ouaquaga +Oubangi +Oubangui +oubliance +oubliet +oubliette +oubliettes +ouch +ouched +ouches +ouching +oud +Oudemian +oudenarde +Oudenodon +oudenodont +Oudh +ouds +ouenite +Ouessant +Oueta +ouf +oufought +ough +ought +oughted +oughting +oughtlings +oughtlins +oughtness +oughtnt +oughtn't +oughts +ouguiya +oui +Ouida +ouyezd +Ouija +ouistiti +ouistitis +Oujda +oukia +oulap +Oulman +Oulu +ounce +ounces +oundy +ounding +ounds +ouph +ouphe +ouphes +ouphish +ouphs +our +Ouray +ourali +ourang +ourang-outang +ourangs +ourano- +ouranophobia +Ouranos +ourari +ouraris +ourebi +ourebis +ouricury +ourie +ourn +our'n +ouroub +Ourouparia +ours +oursel +ourself +oursels +ourselves +ous +Ouse +ousel +ousels +ousia +Ouspensky +oust +ousted +oustee +ouster +ouster-le-main +ousters +ousting +oustiti +ousts +out +out- +outact +outacted +outacting +outacts +outadd +outadded +outadding +outadds +outadmiral +Outagami +outage +outages +outambush +out-and-out +out-and-outer +outarde +outargue +out-argue +outargued +outargues +outarguing +outas +outasight +outask +out-ask +outasked +outasking +outasks +outate +outawe +outawed +outawing +outbabble +out-babble +outbabbled +outbabbling +Out-babylon +outback +outbacker +outbacks +outbade +outbake +outbaked +outbakes +outbaking +outbalance +outbalanced +outbalances +outbalancing +outban +outbanned +outbanning +outbanter +outbar +outbargain +outbargained +outbargaining +outbargains +outbark +outbarked +outbarking +outbarks +outbarred +outbarring +outbarter +outbat +outbatted +outbatter +outbatting +outbawl +outbawled +outbawling +outbawls +outbbled +outbbred +outbeam +outbeamed +outbeaming +outbeams +outbear +outbearing +outbeg +outbeggar +outbegged +outbegging +outbegs +outbelch +outbellow +outbend +outbending +outbent +outbetter +outby +out-by +outbid +outbidden +outbidder +outbidding +outbids +outbye +outbirth +outbitch +outblacken +outblaze +outblazed +outblazes +outblazing +outbleat +outbleated +outbleating +outbleats +outbled +outbleed +outbleeding +outbless +outblessed +outblesses +outblessing +outblew +outbloom +outbloomed +outblooming +outblooms +outblossom +outblot +outblotted +outblotting +outblow +outblowing +outblown +outbluff +outbluffed +outbluffing +outbluffs +outblunder +outblush +outblushed +outblushes +outblushing +outbluster +outboard +out-boarder +outboards +outboast +outboasted +outboasting +outboasts +outbolting +outbond +outbook +outbore +outborn +outborne +outborough +outbound +out-bound +outboundaries +outbounds +outbow +outbowed +out-bowed +outbowl +outbox +outboxed +outboxes +outboxing +outbrag +out-brag +outbragged +outbragging +outbrags +outbray +outbraid +outbranch +outbranching +outbrave +outbraved +outbraves +outbraving +outbrawl +outbrazen +outbreak +outbreaker +outbreaking +outbreaks +outbreak's +outbreath +outbreathe +outbreathed +outbreather +outbreathing +outbred +outbreed +outbreeding +outbreeds +outbribe +outbribed +outbribes +outbribing +outbridge +outbridged +outbridging +outbring +outbringing +outbrother +outbrought +outbud +outbudded +outbudding +outbuy +outbuild +outbuilding +out-building +outbuildings +outbuilds +outbuilt +outbulge +outbulged +outbulging +outbulk +outbulks +outbully +outbullied +outbullies +outbullying +outburn +out-burn +outburned +outburning +outburns +outburnt +outburst +outbursts +outburst's +outbustle +outbustled +outbustling +outbuzz +outcame +outcant +outcaper +outcapered +outcapering +outcapers +out-cargo +outcarol +outcaroled +outcaroling +outcarry +outcase +outcast +outcaste +outcasted +outcastes +outcasting +outcastness +outcasts +outcast's +outcatch +outcatches +outcatching +outcaught +outcavil +outcaviled +outcaviling +outcavilled +outcavilling +outcavils +outcept +outchamber +outcharm +outcharmed +outcharming +outcharms +outchase +outchased +outchasing +outchatter +outcheat +outcheated +outcheating +outcheats +outchid +outchidden +outchide +outchided +outchides +outchiding +outcity +outcities +outclamor +outclass +outclassed +outclasses +outclassing +out-clearer +out-clearing +outclerk +outclimb +outclimbed +outclimbing +outclimbs +outclomb +outcoach +out-college +outcome +outcomer +outcomes +outcome's +outcoming +outcompass +outcompete +outcomplete +outcompliment +outcook +outcooked +outcooking +outcooks +outcorner +outcount +outcountry +out-country +outcourt +out-craft +outcrawl +outcrawled +outcrawling +outcrawls +outcreep +outcreeping +outcrept +outcry +outcricket +outcried +outcrier +outcries +outcrying +outcrop +outcropped +outcropper +outcropping +outcroppings +outcrops +outcross +outcrossed +outcrosses +outcrossing +outcrow +outcrowd +outcrowed +outcrowing +outcrows +outcull +outcure +outcured +outcuring +outcurse +outcursed +outcurses +outcursing +outcurve +outcurved +outcurves +outcurving +outcut +outcutting +outdaciousness +outdance +outdanced +outdances +outdancing +outdare +outdared +outdares +outdaring +outdate +outdated +outdatedness +outdates +outdating +outdazzle +outdazzled +outdazzling +outdespatch +outdevil +outdeviled +outdeviling +outdid +outdispatch +outdistance +outdistanced +outdistances +outdistancing +outdistrict +outdo +outdodge +outdodged +outdodges +outdodging +outdoer +outdoers +outdoes +outdoing +outdone +outdoor +out-door +outdoorness +outdoors +outdoorsy +outdoorsman +outdoorsmanship +outdoorsmen +outdraft +outdrag +outdragon +outdrags +outdrank +outdraught +outdraw +outdrawing +outdrawn +outdraws +outdream +outdreamed +outdreaming +outdreams +outdreamt +outdress +outdressed +outdresses +outdressing +outdrew +outdrink +outdrinking +outdrinks +outdrive +outdriven +outdrives +outdriving +outdrop +outdropped +outdropping +outdrops +outdrove +outdrunk +outduel +outduels +outdure +outdwell +outdweller +outdwelling +outdwelt +outearn +outearns +outeat +outeate +outeaten +outeating +outeats +outecho +outechoed +outechoes +outechoing +outechos +outed +outedge +outedged +outedging +outeye +outeyed +outen +outequivocate +outequivocated +outequivocating +Outer +outercoat +outer-directed +outerly +outermost +outerness +outers +outerwear +outfable +outfabled +outfables +outfabling +outface +outfaced +outfaces +outfacing +outfall +outfalls +outfame +outfamed +outfaming +outfangthief +outfast +outfasted +outfasting +outfasts +outfawn +outfawned +outfawning +outfawns +outfeast +outfeasted +outfeasting +outfeasts +outfeat +outfed +outfeed +outfeeding +outfeel +outfeeling +outfeels +outfelt +outfence +outfenced +outfencing +outferret +outffed +outfiction +outfield +out-field +outfielded +outfielder +out-fielder +outfielders +outfielding +outfields +outfieldsman +outfieldsmen +outfight +outfighter +outfighting +outfights +outfigure +outfigured +outfiguring +outfind +outfinding +outfinds +outfire +outfired +outfires +outfiring +outfish +outfit +outfits +outfit's +outfitted +outfitter +outfitters +outfitting +outfittings +outflame +outflamed +outflaming +outflank +outflanked +outflanker +outflanking +outflanks +outflare +outflared +outflaring +outflash +outflatter +outfled +outflee +outfleeing +outflew +outfly +outflies +outflying +outfling +outflinging +outfloat +outflourish +outflow +outflowed +outflowing +outflown +outflows +outflue +outflung +outflunky +outflush +outflux +outfold +outfool +outfooled +outfooling +outfools +outfoot +outfooted +outfooting +outfoots +outform +outfort +outforth +outfought +outfound +outfox +outfoxed +outfoxes +outfoxing +outfreeman +outfront +outfroth +outfrown +outfrowned +outfrowning +outfrowns +outgabble +outgabbled +outgabbling +outgain +outgained +outgaining +outgains +outgallop +outgamble +outgambled +outgambling +outgame +outgamed +outgaming +outgang +outgarment +outgarth +outgas +outgassed +outgasses +outgassing +outgate +outgauge +outgave +outgaze +outgazed +outgazing +outgeneral +outgeneraled +outgeneraling +outgeneralled +outgeneralling +outgive +outgiven +outgives +outgiving +outglad +outglare +outglared +outglares +outglaring +outgleam +outglitter +outgloom +outglow +outglowed +outglowing +outglows +outgnaw +outgnawed +outgnawing +outgnawn +outgnaws +outgo +outgoer +outgoes +outgoing +outgoingness +outgoings +outgone +outgreen +outgrew +outgrin +outgrinned +outgrinning +outgrins +outgross +outground +outgroup +out-group +outgroups +outgrow +outgrowing +outgrown +outgrows +outgrowth +outgrowths +outguard +out-guard +outguess +outguessed +outguesses +outguessing +outguide +outguided +outguides +outguiding +outgun +outgunned +outgunning +outguns +outgush +outgushes +outgushing +outhammer +outhasten +outhaul +outhauler +outhauls +Outhe +outhear +outheard +outhearing +outhears +outheart +outhector +outheel +outher +Out-herod +outhymn +outhyperbolize +outhyperbolized +outhyperbolizing +outhire +outhired +outhiring +outhiss +outhit +outhits +outhitting +outhold +outhomer +outhorn +outhorror +outhouse +outhouses +outhousing +outhowl +outhowled +outhowling +outhowls +outhue +outhumor +outhumored +outhumoring +outhumors +outhunt +outhunts +outhurl +outhut +outyard +outyell +outyelled +outyelling +outyells +outyelp +outyelped +outyelping +outyelps +outyield +outyielded +outyielding +outyields +outimage +Outing +outings +outinvent +outish +outissue +outissued +outissuing +outjazz +outjest +outjet +outjetted +outjetting +outjinx +outjinxed +outjinxes +outjinxing +outjockey +outjourney +outjourneyed +outjourneying +outjuggle +outjuggled +outjuggling +outjump +outjumped +outjumping +outjumps +outjut +outjuts +outjutted +outjutting +outkeep +outkeeper +outkeeping +outkeeps +outkept +outkick +outkicked +outkicking +outkicks +outkill +outkills +outking +outkiss +outkissed +outkisses +outkissing +outkitchen +outknave +outknee +out-kneed +outlabor +outlay +outlaid +outlaying +outlain +outlays +outlay's +outlance +outlanced +outlancing +outland +outlander +outlandish +outlandishly +outlandishlike +outlandishness +outlands +outlash +outlast +outlasted +outlasting +outlasts +outlaugh +outlaughed +outlaughing +outlaughs +outlaunch +Outlaw +outlawed +outlawing +outlawry +outlawries +outlaws +outlead +outleading +outlean +outleap +outleaped +outleaping +outleaps +outleapt +outlearn +outlearned +outlearning +outlearns +outlearnt +outled +outlegend +outlength +outlengthen +outler +outlet +outlets +outlet's +outly +outlie +outlier +outliers +outlies +outligger +outlighten +outlying +outlimb +outlimn +outline +outlinear +outlined +outlineless +outliner +outlines +outlinger +outlining +outlip +outlipped +outlipping +outlive +outlived +outliver +outlivers +outlives +outliving +outlled +outlodging +Outlook +outlooker +outlooks +outlope +outlord +outlot +outlove +outloved +outloves +outloving +outlung +outluster +Out-machiavelli +outmagic +outmalaprop +outmalapropped +outmalapropping +outman +outmaneuver +outmaneuvered +outmaneuvering +outmaneuvers +outmanned +outmanning +outmanoeuvered +outmanoeuvering +outmanoeuvre +outmans +outmantle +outmarch +outmarched +outmarches +outmarching +outmarry +outmarriage +outmarried +outmarrying +outmaster +outmatch +outmatched +outmatches +outmatching +outmate +outmated +outmating +outmeasure +outmeasured +outmeasuring +outmen +outmerchant +out-migrant +out-migrate +out-migration +Out-milton +outmiracle +outmode +outmoded +outmodes +outmoding +outmost +outmount +outmouth +outmove +outmoved +outmoves +outmoving +outname +Out-nero +outness +outnight +outnoise +outnook +outnumber +outnumbered +outnumbering +outnumbers +out-of +out-of-bounds +out-of-center +out-of-course +out-of-date +out-of-dateness +out-of-door +out-of-doors +out-of-fashion +outoffice +out-office +out-of-focus +out-of-hand +out-of-humor +out-of-joint +out-of-line +out-of-office +out-of-order +out-of-place +out-of-plumb +out-of-pocket +out-of-print +out-of-reach +out-of-school +out-of-season +out-of-stater +out-of-stock +out-of-the-common +out-of-the-way +out-of-the-world +out-of-town +out-of-towner +out-of-townish +out-of-tune +out-of-tunish +out-of-turn +out-of-vogue +outoven +outpace +outpaced +outpaces +outpacing +outpage +outpay +outpayment +outpaint +outpainted +outpainting +outpaints +outparagon +outparamour +outparish +out-parish +outpart +outparts +outpass +outpassed +outpasses +outpassing +outpassion +outpath +outpatient +out-patient +outpatients +outpeal +outpeep +outpeer +outpension +out-pension +outpensioner +outpeople +outpeopled +outpeopling +outperform +outperformed +outperforming +outperforms +outpick +outpicket +outpipe +outpiped +outpiping +outpitch +outpity +outpitied +outpities +outpitying +outplace +outplay +outplayed +outplaying +outplays +outplan +outplanned +outplanning +outplans +outplease +outpleased +outpleasing +outplod +outplodded +outplodding +outplods +outplot +outplots +outplotted +outplotting +outpocketing +outpoint +outpointed +out-pointed +outpointing +outpoints +outpoise +outpoison +outpoll +outpolled +outpolling +outpolls +outpomp +outpop +outpopped +outpopping +outpopulate +outpopulated +outpopulating +outporch +outport +outporter +outportion +outports +outpost +outposts +outpost's +outpouching +outpour +outpoured +outpourer +outpouring +outpourings +outpours +outpractice +outpracticed +outpracticing +outpray +outprayed +outpraying +outprays +outpraise +outpraised +outpraising +outpreach +outpreen +outpreened +outpreening +outpreens +outpress +outpressed +outpresses +outpressing +outpry +outprice +outpriced +outprices +outpricing +outpried +outprying +outprodigy +outproduce +outproduced +outproduces +outproducing +outpromise +outpromised +outpromising +outpull +outpulled +outpulling +outpulls +outpunch +outpupil +outpurl +outpurse +outpursue +outpursued +outpursuing +outpush +outpushed +outpushes +outpushing +output +outputs +output's +outputted +outputter +outputting +outquaff +out-quarter +outquarters +outqueen +outquery +outqueried +outquerying +outquestion +outquibble +outquibbled +outquibbling +outquibled +outquibling +Out-quixote +outquote +outquoted +outquotes +outquoting +outr +outrace +outraced +outraces +outracing +outrage +outraged +outragely +outrageous +outrageously +outrageousness +outrageproof +outrager +outrages +outraging +outray +outrail +outraise +outraised +outraises +outraising +outrake +outran +outrance +outrances +outrang +outrange +outranged +outranges +outranging +outrank +outranked +outranking +outranks +outrant +outrap +outrapped +outrapping +outrate +outrated +outrates +outrating +outraught +outrave +outraved +outraves +outraving +outraze +outre +outreach +outreached +outreaches +outreaching +outread +outreading +outreads +outreason +outreasoned +outreasoning +outreasons +outreckon +outrecuidance +outredden +outrede +outregeous +outregeously +outreign +outrelief +out-relief +outremer +outreness +outrhyme +outrhymed +outrhyming +outrib +outribbed +outribbing +outrick +outridden +outride +outrider +outriders +outrides +outriding +outrig +outrigged +outrigger +outriggered +outriggerless +outriggers +outrigging +outright +outrightly +outrightness +outring +outringing +outrings +outrival +outrivaled +outrivaling +outrivalled +outrivalling +outrivals +outrive +outroad +outroar +outroared +outroaring +outroars +outrock +outrocked +outrocking +outrocks +outrode +outrogue +outrogued +outroguing +outroyal +outroll +outrolled +outrolling +outrolls +outromance +outromanced +outromancing +out-room +outroop +outrooper +outroot +outrooted +outrooting +outroots +outrove +outroved +outroving +outrow +outrowed +outrows +outrun +outrung +outrunner +outrunning +outruns +outrush +outrushes +outs +outsay +outsaid +outsaying +outsail +outsailed +outsailing +outsails +outsaint +outsally +outsallied +outsallying +outsang +outsat +outsatisfy +outsatisfied +outsatisfying +outsavor +outsavored +outsavoring +outsavors +outsaw +outscape +outscent +outscold +outscolded +outscolding +outscolds +outscoop +outscore +outscored +outscores +outscoring +outscorn +outscorned +outscorning +outscorns +outscour +outscouring +outscout +outscream +outsea +outseam +outsearch +outsee +outseeing +outseek +outseeking +outseen +outsees +outsell +outselling +outsells +outsend +outsentinel +outsentry +out-sentry +outsentries +outsert +outserts +outservant +outserve +outserved +outserves +outserving +outset +outsets +outsetting +outsettlement +out-settlement +outsettler +outshadow +outshake +outshame +outshamed +outshames +outshaming +outshape +outshaped +outshaping +outsharp +outsharpen +outsheathe +outshift +outshifts +outshine +outshined +outshiner +outshines +outshining +outshone +outshoot +outshooting +outshoots +outshot +outshoulder +outshout +outshouted +outshouting +outshouts +outshove +outshoved +outshoving +outshow +outshowed +outshower +outshown +outshriek +outshrill +outshut +outside +outsided +outsidedness +outsideness +outsider +outsiderness +outsiders +outsider's +outsides +outsift +outsigh +outsight +outsights +outsin +outsing +outsinging +outsings +outsinned +outsinning +outsins +outsit +outsits +outsitting +outsize +outsized +outsizes +outskate +outskill +outskip +outskipped +outskipping +outskirmish +outskirmisher +outskirt +outskirter +outskirts +outslander +outslang +outsleep +outsleeping +outsleeps +outslept +outslick +outslid +outslide +outsling +outslink +outslip +outsmart +outsmarted +outsmarting +outsmarts +outsmell +outsmile +outsmiled +outsmiles +outsmiling +outsmoke +outsmoked +outsmokes +outsmoking +outsnatch +outsnore +outsnored +outsnores +outsnoring +outsoar +outsoared +outsoaring +outsoars +outsold +outsole +outsoler +outsoles +outsonet +outsonnet +outsophisticate +outsophisticated +outsophisticating +outsought +out-soul +outsound +outspan +outspanned +outspanning +outspans +outsparkle +outsparkled +outsparkling +outsparspied +outsparspying +outsparspinned +outsparspinning +outsparsprued +outsparspruing +outspat +outspeak +outspeaker +outspeaking +outspeaks +outsped +outspeech +outspeed +outspell +outspelled +outspelling +outspells +outspelt +outspend +outspending +outspends +outspent +outspy +outspied +outspying +outspill +outspin +outspinned +outspinning +outspirit +outspit +outsplendor +outspoke +outspoken +outspokenly +outspokenness +outspokennesses +outsport +outspout +outsprang +outspread +outspreading +outspreads +outspring +outsprint +outsprue +outsprued +outspruing +outspue +outspurn +outspurt +outstagger +outstay +outstaid +outstayed +outstaying +outstair +outstays +outstand +outstander +outstanding +outstandingly +outstandingness +outstandings +outstands +outstank +outstare +outstared +outstares +outstaring +outstart +outstarted +outstarter +outstarting +outstartle +outstartled +outstartling +outstarts +outstate +outstated +outstater +outstates +outstating +outstation +out-station +outstations +outstatistic +outstature +outstatured +outstaturing +outsteal +outstealing +outsteam +outsteer +outsteered +outsteering +outsteers +outstep +outstepped +outstepping +outsting +outstinging +outstink +outstole +outstolen +outstood +outstorm +outstrain +outstream +outstreet +out-street +outstretch +outstretched +outstretcher +outstretches +outstretching +outstridden +outstride +outstriding +outstrike +outstrip +outstripped +outstripping +outstrips +outstrive +outstriven +outstriving +outstrode +outstroke +outstrove +outstruck +outstrut +outstrutted +outstrutting +outstudent +outstudy +outstudied +outstudies +outstudying +outstung +outstunt +outstunted +outstunting +outstunts +outsubtle +outsuck +outsucken +outsuffer +outsuitor +outsulk +outsulked +outsulking +outsulks +outsum +outsummed +outsumming +outsung +outsuperstition +outswagger +outswam +outsware +outswarm +outswear +outswearing +outswears +outsweep +outsweeping +outsweepings +outsweeten +outswell +outswift +outswim +outswimming +outswims +outswindle +outswindled +outswindling +outswing +outswinger +outswinging +outswirl +outswore +outsworn +outswum +outswung +outtake +out-take +outtaken +outtakes +outtalent +outtalk +outtalked +outtalking +outtalks +outtask +outtasked +outtasking +outtasks +outtaste +outtear +outtearing +outtease +outteased +outteasing +outtell +outtelling +outtells +outthank +outthanked +outthanking +outthanks +outthieve +outthieved +outthieving +outthink +outthinking +outthinks +outthought +outthreaten +outthrew +outthrob +outthrobbed +outthrobbing +outthrobs +outthrough +outthrow +out-throw +outthrowing +outthrown +outthrows +outthrust +out-thrust +outthruster +outthrusting +outthunder +outthwack +Out-timon +outtinkle +outtinkled +outtinkling +outtyrannize +outtyrannized +outtyrannizing +outtire +outtired +outtiring +outtoil +outtold +outtongue +outtongued +outtonguing +outtop +out-top +outtopped +outtopping +outtore +Out-tory +outtorn +outtower +outtowered +outtowering +outtowers +outtrade +outtraded +outtrades +outtrading +outtrail +outtravel +out-travel +outtraveled +outtraveling +outtrick +outtricked +outtricking +outtricks +outtrot +outtrots +outtrotted +outtrotting +outtrump +outtrumped +outtrumping +outtrumps +outttore +outttorn +outturn +outturned +outturns +outtwine +outusure +outvalue +outvalued +outvalues +outvaluing +outvanish +outvaunt +outvaunted +outvaunting +outvaunts +outvelvet +outvenom +outvictor +outvie +outvied +outvier +outvies +outvigil +outvying +outvillage +outvillain +outvociferate +outvociferated +outvociferating +outvoyage +outvoyaged +outvoyaging +outvoice +outvoiced +outvoices +outvoicing +outvote +outvoted +outvoter +out-voter +outvotes +outvoting +outway +outwait +outwaited +outwaiting +outwaits +outwake +outwale +outwalk +outwalked +outwalking +outwalks +outwall +out-wall +outwallop +outwander +outwar +outwarble +outwarbled +outwarbling +outward +outward-bound +outward-bounder +outward-facing +outwardly +outwardmost +outwardness +outwards +outwarred +outwarring +outwars +outwash +outwashes +outwaste +outwasted +outwastes +outwasting +outwatch +outwatched +outwatches +outwatching +outwater +OUTWATS +outwave +outwaved +outwaving +outwealth +outweapon +outweaponed +outwear +outweary +outwearied +outwearies +outwearying +outwearing +outwears +outweave +outweaving +outweed +outweep +outweeping +outweeps +outweigh +outweighed +outweighing +outweighs +outweight +outwell +outwent +outwept +outwhirl +outwhirled +outwhirling +outwhirls +outwick +outwiggle +outwiggled +outwiggling +outwile +outwiled +outwiles +outwiling +outwill +outwilled +outwilling +outwills +outwin +outwind +outwinded +outwinding +outwindow +outwinds +outwing +outwish +outwished +outwishes +outwishing +outwit +outwith +outwits +outwittal +outwitted +outwitter +outwitting +outwoe +outwoman +outwood +outword +outwore +outwork +outworked +outworker +out-worker +outworkers +outworking +outworks +outworld +outworn +outworth +outwove +outwoven +outwrangle +outwrangled +outwrangling +outwrench +outwrest +outwrestle +outwrestled +outwrestling +outwriggle +outwriggled +outwriggling +outwring +outwringing +outwrit +outwrite +outwrites +outwriting +outwritten +outwrote +outwrought +outwrung +outwwept +outwwove +outwwoven +outzany +ouvert +ouverte +ouvrage +ouvre +ouvrier +ouvriere +ouze +ouzel +ouzels +Ouzinkie +ouzo +ouzos +OV +ov- +Ova +Ovaherero +Oval +oval-arched +oval-berried +oval-bodied +oval-bored +ovalbumen +ovalbumin +ovalescent +oval-faced +oval-figured +oval-headed +ovaliform +ovalish +ovality +ovalities +ovalization +ovalize +oval-lanceolate +Ovalle +oval-leaved +ovally +ovalness +ovalnesses +Ovalo +ovaloid +ovals +oval's +oval-shaped +oval-truncate +oval-visaged +ovalwise +Ovambo +Ovampo +Ovando +Ovangangela +ovant +Ovapa +ovary +ovaria +ovarial +ovarian +ovariectomy +ovariectomize +ovariectomized +ovariectomizing +ovaries +ovarin +ovario- +ovarioabdominal +ovariocele +ovariocentesis +ovariocyesis +ovariodysneuria +ovariohysterectomy +ovariole +ovarioles +ovariolumbar +ovariorrhexis +ovariosalpingectomy +ovariosteresis +ovariostomy +ovariotomy +ovariotomies +ovariotomist +ovariotomize +ovariotubal +ovarious +ovary's +ovaritides +ovaritis +ovarium +ovate +ovate-acuminate +ovate-cylindraceous +ovate-cylindrical +ovateconical +ovate-cordate +ovate-cuneate +ovated +ovate-deltoid +ovate-ellipsoidal +ovate-elliptic +ovate-lanceolate +ovate-leaved +ovately +ovate-oblong +ovate-orbicular +ovate-rotundate +ovate-serrate +ovate-serrated +ovate-subulate +ovate-triangular +ovation +ovational +ovationary +ovations +ovato- +ovatoacuminate +ovatocylindraceous +ovatoconical +ovatocordate +ovatodeltoid +ovatoellipsoidal +ovatoglobose +ovatolanceolate +ovatooblong +ovatoorbicular +ovatopyriform +ovatoquadrangular +ovatorotundate +ovatoserrate +ovatotriangular +ovey +oven +oven-bake +oven-baked +ovenbird +oven-bird +ovenbirds +ovendry +oven-dry +oven-dried +ovened +ovenful +ovening +ovenly +ovenlike +ovenman +ovenmen +ovenpeel +oven-ready +ovens +oven's +oven-shaped +ovensman +ovenstone +ovenware +ovenwares +ovenwise +ovenwood +over +over- +overability +overable +overably +overabound +over-abound +overabounded +overabounding +overabounds +overabsorb +overabsorption +overabstain +overabstemious +overabstemiously +overabstemiousness +overabundance +overabundances +overabundant +overabundantly +overabuse +overabused +overabusing +overabusive +overabusively +overabusiveness +overaccelerate +overaccelerated +overaccelerating +overacceleration +overaccentuate +overaccentuated +overaccentuating +overaccentuation +overacceptance +overacceptances +overaccumulate +overaccumulated +overaccumulating +overaccumulation +overaccuracy +overaccurate +overaccurately +overachieve +overachieved +overachiever +overachievers +overachieving +overacidity +overact +overacted +overacting +overaction +overactivate +overactivated +overactivating +overactive +overactiveness +overactivity +overacts +overacute +overacutely +overacuteness +overaddiction +overadorn +overadorned +overadornment +overadvance +overadvanced +overadvancing +overadvice +overaffect +overaffected +overaffirm +overaffirmation +overaffirmative +overaffirmatively +overaffirmativeness +overafflict +overaffliction +overage +over-age +overageness +overages +overaggravate +overaggravated +overaggravating +overaggravation +overaggresive +overaggressive +overaggressively +overaggressiveness +overagitate +overagitated +overagitating +overagitation +overagonize +overalcoholize +overalcoholized +overalcoholizing +overall +over-all +overalled +overallegiance +overallegorize +overallegorized +overallegorizing +overalls +overall's +overambitioned +overambitious +overambitiously +overambitiousness +overambling +overamplify +overamplified +overamplifies +overamplifying +overanalysis +overanalytical +overanalytically +overanalyze +overanalyzed +overanalyzely +overanalyzes +overanalyzing +overangelic +overangry +overanimated +overanimatedly +overanimation +overannotate +overannotated +overannotating +overanswer +overanxiety +overanxieties +overanxious +over-anxious +overanxiously +overanxiousness +overapologetic +overappareled +overapplaud +overappraisal +overappraise +overappraised +overappraising +overappreciation +overappreciative +overappreciatively +overappreciativeness +overapprehended +overapprehension +overapprehensive +overapprehensively +overapprehensiveness +overapt +overaptly +overaptness +overarch +overarched +overarches +overarching +overargue +overargued +overarguing +overargumentative +overargumentatively +overargumentativeness +overarm +over-arm +overarousal +overarouse +overaroused +overarouses +overarousing +overartificial +overartificiality +overartificially +overassail +overassert +overassertion +overassertive +overassertively +overassertiveness +overassess +overassessment +overassume +overassumed +overassuming +overassumption +overassumptive +overassumptively +overassured +overassuredly +overassuredness +overate +overattached +overattachment +overattention +overattentive +overattentively +overattentiveness +overattenuate +overattenuated +overattenuating +overawe +overawed +overawes +overawful +overawing +overawn +overawning +overbade +overbait +overbake +overbaked +overbakes +overbaking +overbalance +overbalanced +overbalances +overbalancing +overballast +overbalm +overbanded +overbandy +overbank +overbanked +overbar +overbarish +overbark +overbarren +overbarrenness +overbase +overbaseness +overbashful +overbashfully +overbashfulness +overbattle +overbbore +overbborne +overbbred +overbear +overbearance +overbearer +overbearing +overbearingly +overbearingness +overbears +overbeat +overbeating +overbed +overbeetling +overbelief +overbend +overbepatched +overberg +overbet +overbets +overbetted +overbetting +overby +overbias +overbid +overbidden +overbidding +overbide +overbids +overbig +overbigness +overbill +overbillow +overbit +overbite +overbites +overbitten +overbitter +overbitterly +overbitterness +overblack +overblame +overblamed +overblaming +overblanch +overblaze +overbleach +overblessed +overblessedness +overblew +overblind +overblindly +overblithe +overbloom +overblouse +overblow +overblowing +overblown +overblows +overboard +overboast +overboastful +overboastfully +overboastfulness +overbody +overbodice +overboding +overboil +overbold +over-bold +overboldly +overboldness +overbook +overbooked +overbooking +overbookish +overbookishly +overbookishness +overbooks +overbooming +overboot +overbore +overborn +overborne +overborrow +overborrowed +overborrowing +overborrows +overbought +overbound +overbounteous +overbounteously +overbounteousness +overbow +overbowed +overbowl +overbrace +overbraced +overbracing +overbrag +overbragged +overbragging +overbray +overbrained +overbrake +overbraked +overbraking +overbranch +overbravado +overbrave +overbravely +overbraveness +overbravery +overbreak +overbreakage +overbreathe +overbred +overbreed +overbreeding +overbribe +overbridge +overbright +overbrightly +overbrightness +overbrilliance +overbrilliancy +overbrilliant +overbrilliantly +overbrim +overbrimmed +overbrimming +overbrimmingly +overbroad +overbroaden +overbroil +overbrood +Overbrook +overbrow +overbrown +overbrowse +overbrowsed +overbrowsing +overbrush +overbrutal +overbrutality +overbrutalities +overbrutalization +overbrutalize +overbrutalized +overbrutalizing +overbrutally +overbubbling +overbuy +overbuying +overbuild +overbuilded +overbuilding +overbuilds +overbuilt +overbuys +overbulk +overbulky +overbulkily +overbulkiness +overbumptious +overbumptiously +overbumptiousness +overburden +overburdened +overburdening +overburdeningly +overburdens +overburdensome +overburn +overburned +overburningly +overburnt +overburst +overburthen +overbusy +overbusily +overbusiness +overbusyness +overcalculate +overcalculation +overcall +overcalled +overcalling +overcalls +overcame +overcanny +overcanopy +overcap +overcapability +overcapable +overcapably +overcapacity +overcapacities +overcape +overcapitalisation +overcapitalise +overcapitalised +overcapitalising +overcapitalization +overcapitalize +over-capitalize +overcapitalized +overcapitalizes +overcapitalizing +overcaptious +overcaptiously +overcaptiousness +overcard +overcare +overcareful +overcarefully +overcarefulness +overcareless +overcarelessly +overcarelessness +overcaring +overcarking +overcarry +overcarrying +overcast +overcasting +overcasts +overcasual +overcasually +overcasualness +overcasuistical +overcatch +overcaustic +overcaustically +overcausticity +overcaution +over-caution +overcautious +over-cautious +overcautiously +overcautiousness +overcensor +overcensorious +overcensoriously +overcensoriousness +overcentralization +overcentralize +overcentralized +overcentralizing +overcerebral +overcertify +overcertification +overcertified +overcertifying +overchafe +overchafed +overchafing +overchannel +overchant +overcharge +overcharged +overchargement +overcharger +overcharges +overcharging +overcharitable +overcharitableness +overcharitably +overcharity +overchase +overchased +overchasing +overcheap +overcheaply +overcheapness +overcheck +overcherish +overcherished +overchidden +overchief +overchildish +overchildishly +overchildishness +overchill +overchlorinate +overchoke +overchrome +overchurch +overcirculate +overcircumspect +overcircumspection +overcivil +overcivility +overcivilization +overcivilize +overcivilized +overcivilizing +overcivilly +overclaim +overclamor +overclasp +overclean +overcleanly +overcleanness +overcleave +overclemency +overclement +overclever +overcleverly +overcleverness +overclimb +overclinical +overclinically +overclinicalness +overcloak +overclog +overclogged +overclogging +overcloy +overclose +overclosely +overcloseness +overclothe +overclothes +overcloud +overclouded +overclouding +overclouds +overcluster +overclutter +overcoached +overcoat +overcoated +overcoating +overcoats +overcoat's +overcoy +overcoil +overcoyly +overcoyness +overcold +overcoldly +overcollar +overcolor +overcoloration +overcoloring +overcolour +overcomable +overcome +overcomer +overcomes +overcoming +overcomingly +overcommand +overcommend +overcommendation +overcommercialization +overcommercialize +overcommercialized +overcommercializing +overcommit +overcommited +overcommiting +overcommitment +overcommits +overcommon +overcommonly +overcommonness +overcommunicative +overcompensate +overcompensated +overcompensates +overcompensating +overcompensation +overcompensations +overcompensatory +overcompensators +overcompetition +overcompetitive +overcompetitively +overcompetitiveness +overcomplacence +overcomplacency +overcomplacent +overcomplacently +overcomplete +overcomplex +overcomplexity +overcompliant +overcomplicate +overcomplicated +overcomplicates +overcomplicating +overcompound +overconcentrate +overconcentrated +overconcentrating +overconcentration +overconcern +overconcerned +overconcerning +overconcerns +overcondensation +overcondense +overcondensed +overcondensing +overconfidence +overconfidences +overconfident +over-confident +overconfidently +overconfiding +overconfute +overconquer +overconscientious +overconscientiously +overconscientiousness +overconscious +overconsciously +overconsciousness +overconservatism +overconservative +overconservatively +overconservativeness +overconsiderate +overconsiderately +overconsiderateness +overconsideration +overconstant +overconstantly +overconstantness +overconsume +overconsumed +overconsumes +overconsuming +overconsumption +overconsumptions +overcontented +overcontentedly +overcontentedness +overcontentious +overcontentiously +overcontentiousness +overcontentment +overcontract +overcontraction +overcontribute +overcontributed +overcontributing +overcontribution +overcontrite +overcontritely +overcontriteness +overcontrol +overcontroled +overcontroling +overcontrolled +overcontrolling +overcontrols +overcook +overcooked +overcooking +overcooks +overcool +overcooled +overcooling +overcoolly +overcoolness +overcools +overcopious +overcopiously +overcopiousness +overcorned +overcorrect +over-correct +overcorrected +overcorrecting +overcorrection +overcorrects +overcorrupt +overcorruption +overcorruptly +overcostly +overcostliness +overcount +over-counter +overcourteous +overcourteously +overcourteousness +overcourtesy +overcover +overcovetous +overcovetously +overcovetousness +overcow +overcram +overcramme +overcrammed +overcrammi +overcramming +overcrams +overcredit +overcredulity +overcredulous +over-credulous +overcredulously +overcredulousness +overcreed +overcreep +overcry +overcritical +overcritically +overcriticalness +overcriticism +overcriticize +overcriticized +overcriticizing +overcrop +overcropped +overcropping +overcrops +overcross +overcrossing +overcrow +overcrowd +overcrowded +overcrowdedly +overcrowdedness +overcrowding +overcrowds +overcrown +overcrust +overcull +overcultivate +overcultivated +overcultivating +overcultivation +overculture +overcultured +overcumber +overcunning +overcunningly +overcunningness +overcup +overcure +overcured +overcuriosity +overcurious +over-curious +overcuriously +overcuriousness +overcurl +overcurrency +overcurrent +overcurtain +overcustom +overcut +overcutter +overcutting +overdainty +overdaintily +overdaintiness +overdamn +overdance +overdangle +overdare +overdared +overdares +overdaring +overdaringly +overdarken +overdash +overdated +overdazed +overdazzle +overdazzled +overdazzling +overdeal +overdear +over-dear +overdearly +overdearness +overdebate +overdebated +overdebating +overdebilitate +overdebilitated +overdebilitating +overdecadence +overdecadent +overdecadently +overdeck +over-deck +overdecked +overdecking +overdecks +overdecorate +overdecorated +overdecorates +overdecorating +overdecoration +overdecorative +overdecoratively +overdecorativeness +overdedicate +overdedicated +overdedicating +overdedication +overdeeming +overdeep +overdeepen +overdeeply +overdefensive +overdefensively +overdefensiveness +overdeferential +overdeferentially +overdefiant +overdefiantly +overdefiantness +overdefined +overdeliberate +overdeliberated +overdeliberately +overdeliberateness +overdeliberating +overdeliberation +overdelicacy +overdelicate +over-delicate +overdelicately +overdelicateness +overdelicious +overdeliciously +overdeliciousness +overdelighted +overdelightedly +overdemand +overdemandiness +overdemandingly +overdemandingness +overdemocracy +overdemonstrative +overden +overdenunciation +overdepend +overdepended +overdependence +overdependent +overdepending +overdepends +overdepress +overdepressive +overdepressively +overdepressiveness +overderide +overderided +overderiding +overderisive +overderisively +overderisiveness +overdescant +overdescribe +overdescribed +overdescribing +overdescriptive +overdescriptively +overdescriptiveness +overdesire +overdesirous +overdesirously +overdesirousness +overdestructive +overdestructively +overdestructiveness +overdetailed +overdetermination +overdetermined +overdevelop +over-develop +overdeveloped +overdeveloping +overdevelopment +overdevelops +overdevoted +overdevotedly +overdevotedness +overdevotion +overdevout +overdevoutness +overdid +overdye +overdyed +overdyeing +overdyer +overdyes +overdiffuse +overdiffused +overdiffusely +overdiffuseness +overdiffusing +overdiffusingly +overdiffusingness +overdiffusion +overdigest +overdignify +overdignified +overdignifiedly +overdignifiedness +overdignifying +overdignity +overdying +overdilate +overdilated +overdilating +overdilation +overdiligence +overdiligent +overdiligently +overdiligentness +overdilute +overdiluted +overdiluting +overdilution +overdischarge +over-discharge +overdiscipline +overdisciplined +overdisciplining +overdiscount +overdiscourage +overdiscouraged +overdiscouragement +overdiscouraging +overdiscreet +overdiscreetly +overdiscreetness +overdiscriminating +overdiscriminatingly +overdiscrimination +overdiscuss +overdistance +overdistant +overdistantly +overdistantness +overdistempered +overdistend +overdistension +overdistention +overdistort +overdistortion +overdistrait +overdistraught +overdiverse +overdiversely +overdiverseness +overdiversify +overdiversification +overdiversified +overdiversifies +overdiversifying +overdiversity +overdo +overdoctrinaire +overdoctrinize +overdoer +overdoers +overdoes +overdogmatic +overdogmatical +overdogmatically +overdogmaticalness +overdogmatism +overdoing +overdome +overdomesticate +overdomesticated +overdomesticating +overdominance +overdominant +overdominate +overdominated +overdominating +overdone +overdoor +overdosage +overdose +overdosed +overdoses +overdosing +overdoubt +overdoze +overdozed +overdozing +overdraft +overdrafts +overdraft's +overdrain +overdrainage +overdramatic +overdramatically +overdramatize +overdramatized +overdramatizes +overdramatizing +overdrank +overdrape +overdrapery +overdraught +overdraw +overdrawer +overdrawing +overdrawn +overdraws +overdream +overdredge +overdredged +overdredging +overdrench +overdress +overdressed +overdresses +overdressing +overdrew +overdry +overdried +overdrifted +overdrily +overdriness +overdrink +overdrinking +overdrinks +overdrip +overdrive +overdriven +overdrives +overdriving +overdroop +overdrove +overdrowsed +overdrunk +overdub +overdubbed +overdubs +overdue +overdunged +overdure +overdust +overeager +over-eager +overeagerly +overeagerness +overearly +overearnest +over-earnest +overearnestly +overearnestness +overeasy +overeasily +overeasiness +overeat +overeate +overeaten +overeater +overeaters +overeating +overeats +overed +overedge +overedit +overeditorialize +overeditorialized +overeditorializing +overeducate +overeducated +overeducates +overeducating +overeducation +overeducative +overeducatively +overeffort +overeffusive +overeffusively +overeffusiveness +overegg +overeye +overeyebrowed +overeyed +overeying +overelaborate +overelaborated +overelaborately +overelaborateness +overelaborates +overelaborating +overelaboration +overelate +overelated +overelating +overelegance +overelegancy +overelegant +overelegantly +overelegantness +overelliptical +overelliptically +overembellish +overembellished +overembellishes +overembellishing +overembellishment +overembroider +overemotional +overemotionality +overemotionalize +overemotionalized +overemotionalizing +overemotionally +overemotionalness +overemphases +overemphasis +overemphasize +overemphasized +overemphasizes +overemphasizing +overemphatic +overemphatical +overemphatically +overemphaticalness +overemphaticness +overempired +overempirical +overempirically +overemploy +overemployment +overempty +overemptiness +overemulate +overemulated +overemulating +overemulation +overenergetic +overenter +overenthusiasm +overenthusiastic +overenthusiastically +overentreat +overentry +overenvious +overenviously +overenviousness +overequal +overequip +overest +overesteem +overestimate +over-estimate +overestimated +overestimates +overestimating +overestimation +overestimations +overexacting +overexaggerate +overexaggerated +overexaggerates +overexaggerating +overexaggeration +overexaggerations +overexcelling +overexcitability +overexcitable +overexcitably +overexcite +over-excite +overexcited +overexcitement +overexcitements +overexcites +overexciting +overexercise +overexercised +overexercises +overexercising +overexert +over-exert +overexerted +overexertedly +overexertedness +overexerting +overexertion +overexertions +overexerts +overexhaust +overexhausted +overexhausting +overexhausts +overexpand +overexpanded +overexpanding +overexpands +overexpansion +overexpansions +overexpansive +overexpansively +overexpansiveness +overexpect +overexpectant +overexpectantly +overexpectantness +overexpend +overexpenditure +overexpert +overexplain +overexplained +overexplaining +overexplains +overexplanation +overexplicit +overexploit +overexploited +overexploiting +overexploits +overexpose +over-expose +overexposed +overexposes +overexposing +overexposure +overexpress +overexpressive +overexpressively +overexpressiveness +overexquisite +overexquisitely +overextend +overextended +overextending +overextends +overextension +overextensions +overextensive +overextreme +overexuberance +overexuberant +overexuberantly +overexuberantness +overface +overfacile +overfacilely +overfacility +overfactious +overfactiously +overfactiousness +overfactitious +overfag +overfagged +overfagging +overfaint +overfaintly +overfaintness +overfaith +overfaithful +overfaithfully +overfaithfulness +overfall +overfallen +overfalling +overfamed +overfamiliar +overfamiliarity +overfamiliarly +overfamous +overfancy +overfanciful +overfancifully +overfancifulness +overfar +overfast +overfastidious +overfastidiously +overfastidiousness +overfasting +overfat +overfatigue +overfatigued +overfatigues +overfatiguing +overfatness +overfatten +overfault +overfavor +overfavorable +overfavorableness +overfavorably +overfear +overfeared +overfearful +overfearfully +overfearfulness +overfearing +overfears +overfeast +overfeatured +overfed +overfee +overfeed +over-feed +overfeeding +overfeeds +overfeel +overfell +overfellowly +overfellowlike +overfelon +overfeminine +overfemininely +overfemininity +overfeminize +overfeminized +overfeminizing +overfertile +overfertility +overfertilize +overfertilized +overfertilizes +overfertilizing +overfervent +overfervently +overferventness +overfestoon +overfew +overfierce +overfiercely +overfierceness +overfile +overfill +overfilled +overfilling +overfills +overfilm +overfilter +overfine +overfinished +overfish +overfished +overfishes +overfishing +overfit +overfix +overflap +overflat +overflatly +overflatness +overflatten +overflavor +overfleece +overfleshed +overflew +overflexion +overfly +overflies +overflight +overflights +overflying +overfling +overfloat +overflog +overflogged +overflogging +overflood +overflorid +overfloridly +overfloridness +overflour +overflourish +overflow +overflowable +overflowed +overflower +overflowing +overflowingly +overflowingness +overflown +overflows +overfluency +overfluent +overfluently +overfluentness +overflush +overflutter +overfold +overfond +overfondle +overfondled +overfondly +overfondling +overfondness +overfoolish +overfoolishly +overfoolishness +overfoot +overforce +overforced +overforcing +overforged +overformalize +overformalized +overformalizing +overformed +overforward +overforwardly +overforwardness +overfought +overfoul +overfoully +overfoulness +overfragile +overfragmented +overfrail +overfrailly +overfrailness +overfrailty +overfranchised +overfrank +overfrankly +overfrankness +overfraught +overfree +overfreedom +overfreely +overfreight +overfreighted +overfrequency +overfrequent +overfrequently +overfret +overfrieze +overfrighted +overfrighten +overfroth +overfrown +overfrozen +overfrugal +overfrugality +overfrugally +overfruited +overfruitful +overfruitfully +overfruitfulness +overfrustration +overfull +overfullness +overfunctioning +overfund +overfurnish +overfurnished +overfurnishes +overfurnishing +Overgaard +overgaiter +overgalled +overgamble +overgambled +overgambling +overgang +overgarment +overgarnish +overgarrison +overgaze +over-gear +overgeneral +overgeneralization +overgeneralize +overgeneralized +overgeneralizes +overgeneralizing +overgenerally +overgenerosity +overgenerous +overgenerously +overgenerousness +overgenial +overgeniality +overgenially +overgenialness +overgentle +overgently +overgesticulate +overgesticulated +overgesticulating +overgesticulation +overgesticulative +overgesticulatively +overgesticulativeness +overget +overgetting +overgifted +overgild +overgilded +overgilding +overgilds +overgilt +overgilted +overgird +overgirded +overgirding +overgirdle +overgirds +overgirt +overgive +overglad +overgladly +overglamorize +overglamorized +overglamorizes +overglamorizing +overglance +overglanced +overglancing +overglass +overglaze +overglazed +overglazes +overglazing +overglide +overglint +overgloom +overgloomy +overgloomily +overgloominess +overglorious +overgloss +overglut +overgo +overgoad +overgoaded +overgoading +overgoads +overgod +overgodly +overgodliness +overgoing +overgone +overgood +overgorge +overgorged +overgot +overgotten +overgovern +overgovernment +overgown +overgrace +overgracious +overgraciously +overgraciousness +overgrade +overgraded +overgrading +overgraduated +overgrain +overgrainer +overgrasping +overgrateful +overgratefully +overgratefulness +overgratify +overgratification +overgratified +overgratifying +overgratitude +overgraze +overgrazed +overgrazes +overgrazing +overgreasy +overgreasiness +overgreat +overgreatly +overgreatness +overgreed +overgreedy +over-greedy +overgreedily +overgreediness +overgrew +overgrieve +overgrieved +overgrieving +overgrievous +overgrievously +overgrievousness +overgrind +overgross +overgrossly +overgrossness +overground +overgrow +overgrowing +overgrown +overgrows +overgrowth +overguilty +overgun +overhail +overhair +overhale +overhalf +overhand +overhanded +overhandicap +overhandicapped +overhandicapping +overhanding +overhandle +overhandled +overhandling +overhands +overhang +overhanging +overhangs +overhappy +overhappily +overhappiness +overharass +overharassment +overhard +over-hard +overharden +overhardy +overhardness +overharsh +overharshly +overharshness +overharvest +overharvested +overharvesting +overharvests +overhaste +overhasten +overhasty +over-hasty +overhastily +overhastiness +overhate +overhated +overhates +overhating +overhatted +overhaughty +overhaughtily +overhaughtiness +overhaul +overhauled +overhauler +overhauling +overhauls +overhead +overheady +overheadiness +overheadman +overheads +overheap +overheaped +overheaping +overheaps +overhear +overheard +overhearer +overhearing +overhears +overhearty +overheartily +overheartiness +overheat +overheated +overheatedly +overheating +overheats +overheave +overheavy +overheavily +overheaviness +overheight +overheighten +overheinous +overheld +overhelp +overhelpful +overhelpfully +overhelpfulness +overhie +overhigh +overhighly +overhill +overhip +overhype +overhysterical +overhit +overhold +overholding +overholds +overholy +overholiness +overhollow +overhomely +overhomeliness +overhonest +overhonesty +overhonestly +overhonestness +overhonor +overhope +overhoped +overhopes +overhoping +overhorse +overhostile +overhostilely +overhostility +overhot +overhotly +overhour +overhouse +overhover +overhuge +overhugely +overhugeness +overhuman +overhumane +overhumanity +overhumanize +overhumanized +overhumanizing +overhumble +overhumbleness +overhumbly +overhung +overhunt +overhunted +overhunting +overhunts +overhurl +overhurry +overhurried +overhurriedly +overhurrying +overhusk +overidden +overidealism +overidealistic +overidealize +overidealized +overidealizes +overidealizing +overidentify +overidentified +overidentifying +overidle +overidleness +overidly +overidness +overidolatrous +overidolatrously +overidolatrousness +overyear +Overijssel +overillustrate +overillustrated +overillustrating +overillustration +overillustrative +overillustratively +overimaginative +overimaginatively +overimaginativeness +overimbibe +overimbibed +overimbibes +overimbibing +overimitate +overimitated +overimitating +overimitation +overimitative +overimitatively +overimitativeness +overimmunize +overimmunized +overimmunizing +overimport +overimportance +overimportation +overimpose +overimposed +overimposing +overimpress +overimpressed +overimpresses +overimpressibility +overimpressible +overimpressibly +overimpressing +overimpressionability +overimpressionable +overimpressionableness +overimpressionably +overinclinable +overinclination +overincline +overinclined +overinclines +overinclining +overinclusive +overincrust +overincurious +overindebted +overindividualism +overindividualistic +overindividualistically +overindividualization +overindulge +over-indulge +overindulged +overindulgence +overindulgent +overindulgently +overindulges +overindulging +overindustrialism +overindustrialization +overindustrialize +overindustrialized +overindustrializes +overindustrializing +overinflate +overinflated +overinflates +overinflating +overinflation +overinflationary +overinflative +overinfluence +overinfluenced +overinfluences +overinfluencing +overinfluential +overinform +over-inform +overing +overinhibit +overinhibited +overink +overinsist +overinsistence +overinsistency +overinsistencies +overinsistent +overinsistently +overinsolence +overinsolent +overinsolently +overinstruct +overinstruction +overinstructive +overinstructively +overinstructiveness +overinsurance +overinsure +overinsured +overinsures +overinsuring +overintellectual +overintellectualism +overintellectuality +overintellectualization +overintellectualize +overintellectualized +overintellectualizing +overintellectually +overintellectualness +overintense +overintensely +overintenseness +overintensify +overintensification +overintensified +overintensifying +overintensity +overintensities +overinterest +overinterested +overinterestedly +overinterestedness +overinterference +overinventoried +overinvest +overinvested +overinvesting +overinvestment +overinvests +overinvolve +overinvolved +overinvolves +overinvolving +overiodize +overiodized +overiodizing +overyoung +overyouthful +overirrigate +overirrigated +overirrigating +overirrigation +overissue +over-issue +overissued +overissues +overissuing +overitching +overjacket +overjade +overjaded +overjading +overjawed +overjealous +overjealously +overjealousness +overjob +overjocular +overjocularity +overjocularly +overjoy +overjoyed +overjoyful +overjoyfully +overjoyfulness +overjoying +overjoyous +overjoyously +overjoyousness +overjoys +overjudge +overjudging +overjudgment +overjudicious +overjudiciously +overjudiciousness +overjump +overjust +overjutting +overkeen +overkeenly +overkeenness +overkeep +overkick +overkill +overkilled +overkilling +overkills +overkind +overkindly +overkindness +overking +over-king +overknavery +overknee +overknow +overknowing +overlabor +overlabored +overlaboring +overlabour +over-labour +overlaboured +overlabouring +overlace +overlactate +overlactated +overlactating +overlactation +overlade +overladed +overladen +overlades +overlading +overlay +overlaid +overlayed +overlayer +overlaying +overlain +overlays +Overland +Overlander +overlands +overlaness +overlanguaged +overlap +overlapped +overlapping +overlaps +overlap's +overlard +overlarge +overlargely +overlargeness +overlascivious +overlasciviously +overlasciviousness +overlash +overlast +overlate +overlateness +overlather +overlaud +overlaudation +overlaudatory +overlaugh +overlaunch +overlave +overlavish +overlavishly +overlavishness +overlax +overlaxative +overlaxly +overlaxness +overlead +overleaf +overlean +overleap +overleaped +overleaping +overleaps +overleapt +overlearn +overlearned +overlearnedly +overlearnedness +overleather +overleave +overleaven +overleer +overleg +overlegislate +overlegislated +overlegislating +overlegislation +overleisured +overlend +overlength +overlent +overlet +overlets +overlettered +overletting +overlewd +overlewdly +overlewdness +Overly +overliberal +over-liberal +overliberality +overliberalization +overliberalize +overliberalized +overliberalizing +overliberally +overlicentious +overlicentiously +overlicentiousness +overlick +overlie +overlier +overlies +overlift +overlight +overlighted +overlightheaded +overlightly +overlightness +overlightsome +overliing +overlying +overliking +overlimit +overline +overling +overlinger +overlinked +overlip +over-lip +overlipping +overlisted +overlisten +overlit +overliterary +overliterarily +overliterariness +overlittle +overlive +overlived +overlively +overliveliness +overliver +overlives +overliving +overload +overloaded +overloading +overloads +overloan +overloath +overlock +overlocker +overlofty +overloftily +overloftiness +overlogical +overlogicality +overlogically +overlogicalness +overloyal +overloyally +overloyalty +overloyalties +overlong +over-long +overlook +overlooked +overlooker +overlooking +overlooks +overloose +overloosely +overlooseness +overlord +overlorded +overlording +overlords +overlordship +overloud +overloudly +overloudness +overloup +overlove +overloved +overlover +overloves +overloving +overlow +overlowness +overlubricate +overlubricated +overlubricating +overlubricatio +overlubrication +overluscious +overlusciously +overlusciousness +overlush +overlushly +overlushness +overlusty +overlustiness +overluxuriance +overluxuriancy +overluxuriant +overluxuriantly +overluxurious +overluxuriously +overluxuriousness +overmagnetic +overmagnetically +overmagnify +overmagnification +overmagnified +overmagnifies +overmagnifying +overmagnitude +overmajority +overmalapert +overman +overmanage +overmanaged +overmanaging +overmany +overmanned +overmanning +overmans +overmantel +overmantle +overmarch +overmark +overmarking +overmarl +overmask +overmast +overmaster +overmastered +overmasterful +overmasterfully +overmasterfulness +overmastering +overmasteringly +overmasters +overmatch +overmatched +overmatches +overmatching +overmatter +overmature +overmaturely +overmatureness +overmaturity +overmean +overmeanly +overmeanness +overmeasure +over-measure +overmeddle +overmeddled +overmeddling +overmedicate +overmedicated +overmedicates +overmedicating +overmeek +overmeekly +overmeekness +overmellow +overmellowly +overmellowness +overmelodied +overmelodious +overmelodiously +overmelodiousness +overmelt +overmelted +overmelting +overmelts +overmen +overmerciful +overmercifully +overmercifulness +overmerit +overmerry +overmerrily +overmerriment +overmerriness +overmeticulous +overmeticulousness +overmettled +overmickle +overmighty +overmild +overmilitaristic +overmilitaristically +overmilk +overmill +overmind +overmine +overminute +overminutely +overminuteness +overmystify +overmystification +overmystified +overmystifying +overmitigate +overmitigated +overmitigating +overmix +overmixed +overmixes +overmixing +overmobilize +overmobilized +overmobilizing +overmoccasin +overmodernization +overmodernize +overmodernized +overmodernizing +overmodest +over-modest +overmodesty +overmodestly +overmodify +overmodification +overmodified +overmodifies +overmodifying +overmodulation +overmoist +overmoisten +overmoisture +overmonopolize +overmonopolized +overmonopolizing +overmonopo-lizing +overmoral +overmoralistic +overmoralize +overmoralized +overmoralizing +overmoralizingly +overmorally +overmore +overmortgage +overmortgaged +overmortgaging +overmoss +overmost +overmotor +overmount +overmounts +overmourn +overmournful +overmournfully +overmournfulness +overmuch +overmuches +overmuchness +overmultiply +overmultiplication +overmultiplied +overmultiplying +overmultitude +overmuse +overname +overnarrow +overnarrowly +overnarrowness +overnationalization +overnationalize +overnationalized +overnationalizing +overnear +overnearness +overneat +overneatly +overneatness +overneglect +overneglectful +overneglectfully +overneglectfulness +overnegligence +overnegligent +overnegligently +overnegligentness +overnervous +overnervously +overnervousness +overness +overnet +overneutralization +overneutralize +overneutralized +overneutralizer +overneutralizing +overnew +overnice +over-nice +overnicely +overniceness +overnicety +overniceties +overnigh +overnight +overnighter +overnighters +overnimble +overnipping +overnoble +overnobleness +overnobly +overnoise +overnormal +overnormality +overnormalization +overnormalize +overnormalized +overnormalizing +overnormally +overnotable +overnourish +overnourishingly +overnourishment +overnoveled +overnumber +overnumerous +overnumerously +overnumerousness +overnurse +overnursed +overnursing +overobedience +overobedient +overobediently +overobese +overobesely +overobeseness +overobesity +overobject +overobjectify +overobjectification +overobjectified +overobjectifying +overoblige +overobsequious +overobsequiously +overobsequiousness +overobvious +overoffend +overoffensive +overoffensively +overoffensiveness +overofficered +overofficious +overofficiously +overofficiousness +overoptimism +overoptimist +overoptimistic +overoptimistically +overorder +overorganization +overorganize +overorganized +overorganizes +overorganizing +overornament +overornamental +overornamentality +overornamentally +overornamentation +overornamented +overoxidization +overoxidize +overoxidized +overoxidizing +overpack +overpay +overpaid +overpaying +overpayment +overpayments +overpained +overpainful +overpainfully +overpainfulness +overpaint +overpays +overpamper +overpark +overpart +overparted +overparty +overpartial +overpartiality +overpartially +overpartialness +overparticular +overparticularity +overparticularly +overparticularness +overpass +overpassed +overpasses +overpassing +overpassionate +overpassionately +overpassionateness +overpast +overpatient +overpatriotic +overpatriotically +overpatriotism +Overpeck +overpeer +overpenalization +overpenalize +overpenalized +overpenalizing +overpending +overpensive +overpensively +overpensiveness +overpeople +over-people +overpeopled +overpeopling +overpepper +overperemptory +overperemptorily +overperemptoriness +overpermissive +overpermissiveness +overpersecute +overpersecuted +overpersecuting +overpersuade +over-persuade +overpersuaded +overpersuading +overpersuasion +overpert +overpessimism +overpessimistic +overpessimistically +overpet +overphilosophize +overphilosophized +overphilosophizing +overphysic +overpick +overpictorialize +overpictorialized +overpictorializing +overpicture +overpinching +overpious +overpiousness +overpitch +overpitched +overpiteous +overpiteously +overpiteousness +overplace +overplaced +overplacement +overplay +overplayed +overplaying +overplain +overplainly +overplainness +overplays +overplan +overplant +overplausible +overplausibleness +overplausibly +overplease +over-please +overpleased +overpleasing +overplenitude +overplenteous +overplenteously +overplenteousness +overplenty +overplentiful +overplentifully +overplentifulness +overply +overplied +overplies +overplying +overplot +overplow +overplumb +overplume +overplump +overplumpness +overplus +overpluses +overpoeticize +overpoeticized +overpoeticizing +overpointed +overpoise +overpole +overpolemical +overpolemically +overpolemicalness +overpolice +overpoliced +overpolicing +overpolish +overpolitic +overpolitical +overpolitically +overpollinate +overpollinated +overpollinating +overponderous +overponderously +overponderousness +overpopular +overpopularity +overpopularly +overpopulate +over-populate +overpopulated +overpopulates +overpopulating +overpopulation +overpopulous +overpopulously +overpopulousness +overpositive +overpositively +overpositiveness +overpossess +overpossessive +overpost +overpot +overpotency +overpotent +overpotential +overpotently +overpotentness +overpour +overpower +overpowered +overpowerful +overpowerfully +overpowerfulness +overpowering +overpoweringly +overpoweringness +overpowers +overpractice +overpracticed +overpracticing +overpray +overpraise +overpraised +overpraises +overpraising +overprase +overprased +overprases +overprasing +overpratice +overpraticed +overpraticing +overpreach +overprecise +overprecisely +overpreciseness +overprecision +overpreface +overpregnant +overpreoccupation +overpreoccupy +overpreoccupied +overpreoccupying +overprescribe +overprescribed +overprescribes +overprescribing +overpress +overpressure +overpressures +overpresumption +overpresumptive +overpresumptively +overpresumptiveness +overpresumptuous +overpresumptuously +overpresumptuousness +overprice +overpriced +overprices +overpricing +overprick +overpride +overprint +over-print +overprinted +overprinting +overprints +overprivileged +overprize +overprized +overprizer +overprizing +overprocrastination +overproduce +over-produce +overproduced +overproduces +overproducing +overproduction +overproductions +overproductive +overproficiency +overproficient +overproficiently +overprofusion +overprolific +overprolifically +overprolificness +overprolix +overprolixity +overprolixly +overprolixness +overprominence +overprominent +overprominently +overprominentness +overpromise +overpromised +overpromising +overprompt +overpromptly +overpromptness +overprone +overproneness +overproness +overpronounce +overpronounced +overpronouncing +overpronunciation +overproof +over-proof +overproportion +over-proportion +overproportionate +overproportionated +overproportionately +overproportioned +overprosperity +overprosperous +overprosperously +overprosperousness +overprotect +overprotected +overprotecting +overprotection +overprotective +overprotects +overprotract +overprotraction +overproud +overproudly +overproudness +overprove +overproved +overprovender +overprovide +overprovided +overprovident +overprovidently +overprovidentness +overproviding +overproving +overprovision +overprovocation +overprovoke +overprovoked +overprovoking +overprune +overpruned +overpruning +overpsychologize +overpsychologized +overpsychologizing +overpublic +overpublicity +overpublicize +overpublicized +overpublicizes +overpublicizing +overpuff +overpuissant +overpuissantly +overpump +overpunish +overpunishment +overpurchase +overpurchased +overpurchasing +overput +overqualify +overqualification +overqualified +overqualifying +overquantity +overquarter +overquell +overquick +overquickly +overquiet +overquietly +overquietness +overrace +overrack +overrake +overraked +overraking +overran +overraness +overrange +overrank +overrankness +overrapture +overrapturize +overrash +overrashly +overrashness +overrate +overrated +overrates +overrating +overrational +overrationalization +overrationalize +overrationalized +overrationalizing +overrationally +overraught +overravish +overreach +overreached +overreacher +overreachers +overreaches +overreaching +overreachingly +overreachingness +overreact +overreacted +overreacting +overreaction +overreactions +overreactive +overreacts +overread +over-read +overreader +overready +overreadily +overreadiness +overreading +overrealism +overrealistic +overrealistically +overreckon +over-reckon +overreckoning +overrecord +overreduce +overreduced +overreducing +overreduction +overrefine +over-refine +overrefined +overrefinement +overrefines +overrefining +overreflection +overreflective +overreflectively +overreflectiveness +overregiment +overregimentation +overregister +overregistration +overregular +overregularity +overregularly +overregulate +overregulated +overregulates +overregulating +overregulation +overregulations +overrelax +overreliance +overreliances +overreliant +overreligion +overreligiosity +overreligious +overreligiously +overreligiousness +overremiss +overremissly +overremissness +overrennet +overrent +over-rent +overreplete +overrepletion +overrepresent +overrepresentation +overrepresentative +overrepresentatively +overrepresentativeness +overrepresented +overrepresenting +overrepresents +overrepress +overreprimand +overreserved +overreservedly +overreservedness +overresist +overresolute +overresolutely +overresoluteness +overrespond +overresponded +overresponding +overresponds +overrestore +overrestrain +overrestraint +overrestrict +overrestriction +overretention +overreward +overrich +overriches +overrichly +overrichness +overrid +overridden +override +overrider +overrides +overriding +over-riding +overrife +overrigged +overright +overrighteous +overrighteously +overrighteousness +overrigid +overrigidity +overrigidly +overrigidness +overrigorous +overrigorously +overrigorousness +overrim +overriot +overripe +overripely +overripen +overripeness +overrise +overrisen +overrising +overroast +overroasted +overroasting +overroasts +overrode +overroyal +overroll +overromanticize +overromanticized +overromanticizing +overroof +overrooted +overrose +overrough +overroughly +overroughness +over-round +overrude +overrudely +overrudeness +overruff +overruffed +overruffing +overruffs +overrule +over-rule +overruled +overruler +overrules +overruling +overrulingly +overrun +overrunner +overrunning +overrunningly +overruns +overrush +overrusset +overrust +overs +oversacrificial +oversacrificially +oversacrificialness +oversad +oversadly +oversadness +oversay +oversaid +oversail +oversale +oversales +oversaliva +oversalt +oversalted +oversalty +oversalting +oversalts +oversand +oversanded +oversanguine +oversanguinely +oversanguineness +oversapless +oversate +oversated +oversatiety +oversating +oversatisfy +oversaturate +oversaturated +oversaturates +oversaturating +oversaturation +oversauce +oversaucy +oversauciness +oversave +oversaved +oversaves +oversaving +oversaw +overscare +overscatter +overscented +oversceptical +oversceptically +overscepticalness +overscepticism +overscore +overscored +overscoring +overscour +overscratch +overscrawl +overscream +overscribble +overscrub +overscrubbed +overscrubbing +overscruple +overscrupled +overscrupling +overscrupulosity +overscrupulous +over-scrupulous +overscrupulously +overscrupulousness +overscurf +overscutched +oversea +overseal +overseam +overseamer +oversearch +overseas +overseason +overseasoned +overseated +oversecrete +oversecreted +oversecreting +oversecretion +oversecure +oversecured +oversecurely +oversecuring +oversecurity +oversedation +oversee +overseed +overseeded +overseeding +overseeds +overseeing +overseen +overseer +overseerism +overseers +overseership +oversees +overseethe +overseing +oversell +over-sell +overselling +oversells +oversend +oversensibility +oversensible +oversensibleness +oversensibly +oversensitive +oversensitively +oversensitiveness +oversensitivity +oversensitize +oversensitized +oversensitizing +oversententious +oversentimental +oversentimentalism +oversentimentality +oversentimentalize +oversentimentalized +oversentimentalizing +oversentimentally +overserene +overserenely +overserenity +overserious +overseriously +overseriousness +overservice +overservile +overservilely +overservileness +overservility +overset +oversets +oversetter +oversetting +oversettle +oversettled +oversettlement +oversettling +oversevere +overseverely +oversevereness +overseverity +oversew +oversewed +oversewing +oversewn +oversews +oversexed +overshade +overshaded +overshading +overshadow +overshadowed +overshadower +overshadowing +overshadowingly +overshadowment +overshadows +overshake +oversharp +oversharpness +overshave +oversheet +overshelving +overshepherd +overshine +overshined +overshining +overshirt +overshoe +over-shoe +overshoes +overshone +overshoot +overshooting +overshoots +overshort +overshorten +overshortly +overshortness +overshot +overshots +overshoulder +overshowered +overshrink +overshroud +oversick +overside +oversides +oversight +oversights +oversight's +oversigned +oversile +oversilence +oversilent +oversilently +oversilentness +oversilver +oversimple +oversimpleness +oversimply +oversimplicity +oversimplify +oversimplification +oversimplifications +oversimplified +oversimplifies +oversimplifying +oversystematic +oversystematically +oversystematicalness +oversystematize +oversystematized +oversystematizing +oversize +over-size +oversized +oversizes +oversizing +overskeptical +overskeptically +overskepticalness +overskeptticism +overskim +overskip +overskipper +overskirt +overslack +overslander +overslaugh +overslaughed +overslaughing +overslavish +overslavishly +overslavishness +oversleep +oversleeping +oversleeps +oversleeve +overslept +overslid +overslidden +overslide +oversliding +overslight +overslip +overslipped +overslipping +overslips +overslipt +overslop +overslope +overslow +overslowly +overslowness +overslur +oversmall +oversman +oversmite +oversmitten +oversmoke +oversmooth +oversmoothly +oversmoothness +oversness +oversnow +oversoak +oversoaked +oversoaking +oversoaks +oversoap +oversoar +oversocial +oversocialize +oversocialized +oversocializing +oversocially +oversock +oversoft +oversoften +oversoftly +oversoftness +oversold +oversolemn +oversolemnity +oversolemnly +oversolemnness +oversolicitous +oversolicitously +oversolicitousness +oversolidify +oversolidification +oversolidified +oversolidifying +oversoon +oversoothing +oversoothingly +oversophisticated +oversophistication +oversorrow +oversorrowed +oversorrowful +oversorrowfully +oversorrowfulness +oversot +oversoul +over-soul +oversouls +oversound +oversour +oversourly +oversourness +oversow +oversowed +oversowing +oversown +overspacious +overspaciously +overspaciousness +overspan +overspangled +overspanned +overspanning +oversparing +oversparingly +oversparingness +oversparred +overspatter +overspeak +overspeaking +overspecialization +overspecialize +overspecialized +overspecializes +overspecializing +overspeculate +overspeculated +overspeculating +overspeculation +overspeculative +overspeculatively +overspeculativeness +overspeech +overspeed +overspeedy +overspeedily +overspeediness +overspend +overspended +overspender +overspending +overspends +overspent +overspice +overspiced +overspicing +overspill +overspilled +overspilling +overspilt +overspin +overspins +oversplash +overspoke +overspoken +overspread +overspreading +overspreads +overspring +oversprinkle +oversprung +overspun +oversqueak +oversqueamish +oversqueamishly +oversqueamishness +oversshot +overstaff +overstaffed +overstaffing +overstaffs +overstay +overstayal +overstaid +overstayed +overstaying +overstain +overstays +overstale +overstalely +overstaleness +overstalled +overstand +overstanding +overstarch +overstaring +overstate +overstated +overstately +overstatement +overstatements +overstatement's +overstates +overstating +oversteadfast +oversteadfastly +oversteadfastness +oversteady +oversteadily +oversteadiness +oversteer +overstep +overstepped +overstepping +oversteps +overstiff +overstiffen +overstiffly +overstiffness +overstifle +overstimulate +overstimulated +overstimulates +overstimulating +overstimulation +overstimulative +overstimulatively +overstimulativeness +overstir +overstirred +overstirring +overstirs +overstitch +overstock +overstocked +overstocking +overstocks +overstood +overstoop +overstoping +overstore +overstored +overstory +overstoring +overstout +overstoutly +overstoutness +overstowage +overstowed +overstraight +overstraighten +overstraightly +overstraightness +overstrain +overstrained +overstraining +overstrains +overstrait +overstraiten +overstraitly +overstraitness +overstream +overstrength +overstrengthen +overstress +overstressed +overstresses +overstressing +overstretch +overstretched +overstretches +overstretching +overstrew +overstrewed +overstrewing +overstrewn +overstricken +overstrict +overstrictly +overstrictness +overstridden +overstride +overstridence +overstridency +overstrident +overstridently +overstridentness +overstriding +overstrike +overstrikes +overstriking +overstring +overstringing +overstrive +overstriven +overstriving +overstrode +overstrong +overstrongly +overstrongness +overstrove +overstruck +overstrung +overstud +overstudy +overstudied +overstudying +overstudious +overstudiously +overstudiousness +overstuff +overstuffed +oversublime +oversubscribe +over-subscribe +oversubscribed +oversubscriber +oversubscribes +oversubscribing +oversubscription +oversubtile +oversubtle +oversubtlety +oversubtleties +oversubtly +oversuds +oversufficiency +oversufficient +oversufficiently +oversum +oversup +oversuperstitious +oversuperstitiously +oversuperstitiousness +oversupped +oversupping +oversupply +over-supply +oversupplied +oversupplies +oversupplying +oversups +oversure +oversured +oversurely +oversureness +oversurety +oversurge +oversuring +oversurviving +oversusceptibility +oversusceptible +oversusceptibleness +oversusceptibly +oversuspicious +oversuspiciously +oversuspiciousness +oversway +overswarm +overswarming +overswarth +oversweated +oversweep +oversweet +oversweeten +oversweetened +oversweetening +oversweetens +oversweetly +oversweetness +overswell +overswelled +overswelling +overswift +overswim +overswimmer +overswing +overswinging +overswirling +overswollen +overt +overtakable +overtake +overtaken +overtaker +overtakers +overtakes +overtaking +overtalk +overtalkative +overtalkatively +overtalkativeness +overtalker +overtame +overtamely +overtameness +overtapped +overtare +overtariff +overtarry +overtart +overtartly +overtartness +overtask +overtasked +overtasking +overtasks +overtaught +overtax +overtaxation +overtaxed +overtaxes +overtaxing +overteach +overteaching +overtechnical +overtechnicality +overtechnically +overtedious +overtediously +overtediousness +overteem +overtell +overtelling +overtempt +overtenacious +overtenaciously +overtenaciousness +overtenacity +overtender +overtenderly +overtenderness +overtense +overtensely +overtenseness +overtension +overterrible +overtest +overtheatrical +overtheatrically +overtheatricalness +over-the-counter +overtheorization +overtheorize +overtheorized +overtheorizing +overthick +overthickly +overthickness +overthin +overthink +overthinly +overthinness +overthought +overthoughtful +overthoughtfully +overthoughtfulness +overthrew +overthrifty +overthriftily +overthriftiness +overthrong +overthrow +overthrowable +overthrowal +overthrower +overthrowers +overthrowing +overthrown +overthrows +overthrust +overthwart +overthwartarchaic +overthwartly +overthwartness +overthwartways +overthwartwise +overtide +overtight +overtighten +overtightened +overtightening +overtightens +overtightly +overtightness +overtill +overtilt +overtimbered +overtime +overtimed +overtimer +overtimes +overtimid +overtimidity +overtimidly +overtimidness +overtiming +overtimorous +overtimorously +overtimorousness +overtinsel +overtinseled +overtinseling +overtint +overtip +overtype +overtyped +overtipple +overtippled +overtippling +overtips +overtire +overtired +overtiredness +overtires +overtiring +overtitle +overtly +overtness +overtoe +overtoil +overtoiled +overtoiling +overtoils +overtoise +overtold +overtolerance +overtolerant +overtolerantly +Overton +overtone +overtones +overtone's +overtongued +overtook +overtop +overtopped +overtopping +overtopple +overtops +overtorture +overtortured +overtorturing +overtower +overtrace +overtrack +overtrade +overtraded +overtrader +overtrading +overtrailed +overtrain +over-train +overtrained +overtraining +overtrains +overtrample +overtravel +overtread +overtreading +overtreat +overtreated +overtreating +overtreatment +overtreats +overtrick +overtrim +overtrimme +overtrimmed +overtrimming +overtrims +overtrod +overtrodden +overtrouble +over-trouble +overtroubled +overtroubling +overtrue +overtruly +overtrump +overtrust +over-trust +overtrustful +overtrustfully +overtrustfulness +overtrusting +overtruthful +overtruthfully +overtruthfulness +overtumble +overture +overtured +overtures +overture's +overturing +overturn +overturnable +overturned +overturner +overturning +overturns +overtutor +overtwine +overtwist +overuberous +over-under +overunionize +overunionized +overunionizing +overunsuitable +overurbanization +overurbanize +overurbanized +overurbanizing +overurge +overurged +overurges +overurging +overuse +overused +overuses +overusing +overusual +overusually +overutilize +overutilized +overutilizes +overutilizing +overvaliant +overvaliantly +overvaliantness +overvaluable +overvaluableness +overvaluably +overvaluation +overvalue +over-value +overvalued +overvalues +overvaluing +overvary +overvariation +overvaried +overvariety +overvarying +overvault +overvehemence +overvehement +overvehemently +overvehementness +overveil +overventilate +overventilated +overventilating +overventilation +overventuresome +overventurous +overventurously +overventurousness +overview +overviews +overview's +overvigorous +overvigorously +overvigorousness +overviolent +overviolently +overviolentness +overvoltage +overvote +overvoted +overvotes +overvoting +overwade +overwages +overway +overwake +overwalk +overwander +overward +overwary +overwarily +overwariness +overwarm +overwarmed +overwarming +overwarms +overwart +overwash +overwasted +overwatch +overwatcher +overwater +overwave +overweak +overweakly +overweakness +overwealth +overwealthy +overweaponed +overwear +overweary +overwearied +overwearying +overwearing +overwears +overweather +overweave +overweb +overween +overweened +overweener +overweening +overweeningly +overweeningness +overweens +overweep +overweigh +overweighed +overweighing +overweighs +overweight +over-weight +overweightage +overweighted +overweighting +overwell +overwelt +overwend +overwent +overwet +over-wet +overwetness +overwets +overwetted +overwetting +overwheel +overwhelm +overwhelmed +overwhelmer +overwhelming +overwhelmingly +overwhelmingness +overwhelms +overwhip +overwhipped +overwhipping +overwhirl +overwhisper +overwide +overwidely +overwideness +overwild +overwildly +overwildness +overwily +overwilily +overwilling +overwillingly +overwillingness +overwin +overwind +overwinding +overwinds +overwing +overwinning +overwinter +overwintered +overwintering +overwiped +overwisdom +overwise +over-wise +overwisely +overwithered +overwoman +overwomanize +overwomanly +overwon +overwood +overwooded +overwoody +overword +overwords +overwore +overwork +overworked +overworking +overworks +overworld +overworn +overworry +overworship +overwound +overwove +overwoven +overwrap +overwrest +overwrested +overwrestle +overwrite +overwrited +overwrites +overwriting +overwritten +overwrote +overwroth +overwrought +overwwrought +overzeal +over-zeal +overzealous +overzealously +overzealousness +overzeals +ovest +Oveta +Ovett +ovewound +ovi- +Ovibos +Ovibovinae +ovibovine +ovicapsular +ovicapsule +ovicell +ovicellular +ovicidal +ovicide +ovicides +ovicyst +ovicystic +ovicular +oviculated +oviculum +Ovid +Ovida +Ovidae +Ovidian +oviducal +oviduct +oviductal +oviducts +Oviedo +oviferous +ovification +oviform +ovigenesis +ovigenetic +ovigenic +ovigenous +oviger +ovigerm +ovigerous +ovile +Ovillus +Ovinae +ovine +ovines +ovinia +ovipara +oviparal +oviparity +oviparous +oviparously +oviparousness +oviposit +oviposited +ovipositing +oviposition +ovipositional +ovipositor +oviposits +Ovis +ovisac +ovisaclike +ovisacs +oviscapt +ovism +ovispermary +ovispermiduct +ovist +ovistic +ovivorous +ovo- +ovocyte +ovoelliptic +ovoflavin +ovogenesis +ovogenetic +ovogenous +ovoglobulin +ovogonium +ovoid +ovoidal +ovoids +ovolemma +ovoli +ovolytic +ovolo +ovology +ovological +ovologist +ovolos +ovomucoid +ovonic +ovonics +ovopyriform +ovoplasm +ovoplasmic +ovorhomboid +ovorhomboidal +ovotesticular +ovotestis +ovo-testis +ovovitellin +Ovovivipara +ovoviviparism +ovoviviparity +ovoviviparous +ovo-viviparous +ovoviviparously +ovoviviparousness +Ovula +ovular +ovulary +ovularian +ovulate +ovulated +ovulates +ovulating +ovulation +ovulations +ovulatory +ovule +ovules +ovuliferous +ovuligerous +ovulist +ovulite +ovulum +ovum +OW +Owades +Owain +Owaneco +Owanka +Owasco +Owasso +Owatonna +O-wave +owd +owe +owed +Owego +owelty +Owen +Owena +Owendale +Owenia +Owenian +Owenism +Owenist +Owenite +Owenize +Owens +Owensboro +Owensburg +Owensville +Owenton +ower +owerance +owerby +owercome +owergang +owerloup +Owerri +owertaen +owerword +owes +owght +owhere +OWHN +OWI +Owicim +Owyhee +owyheeite +owing +Owings +Owings-Mills +Owingsville +owk +owl +owldom +owl-eyed +owler +owlery +owleries +owlet +owlets +owl-faced +Owlglass +owl-glass +owl-haunted +owlhead +owl-headed +owly +owling +owlish +owlishly +owlishness +owlism +owllight +owl-light +owllike +owls +owl's +owl's-crown +Owlshead +owl-sighted +Owlspiegle +owl-wide +owl-winged +own +ownable +owned +owner +ownerless +owners +ownership +ownerships +own-form +ownhood +owning +ownness +own-root +own-rooted +owns +ownself +ownwayish +Owosso +owrecome +owregane +owrehip +owrelay +owse +owsen +owser +owt +owtchah +Ox +ox- +oxa- +oxacid +oxacillin +oxadiazole +oxal- +oxalacetate +oxalacetic +oxalaemia +oxalaldehyde +oxalamid +oxalamide +oxalan +oxalate +oxalated +oxalates +oxalating +oxalato +oxaldehyde +oxalemia +oxalic +Oxalidaceae +oxalidaceous +oxalyl +oxalylurea +Oxalis +oxalises +oxalite +oxalo- +oxaloacetate +oxaloacetic +oxalodiacetic +oxalonitril +oxalonitrile +oxaluramid +oxaluramide +oxalurate +oxaluria +oxaluric +oxamate +oxamethane +oxamic +oxamid +oxamide +oxamidin +oxamidine +oxammite +oxan +oxanate +oxane +oxanic +oxanilate +oxanilic +oxanilide +oxazepam +oxazin +oxazine +oxazines +oxazole +oxbane +oxberry +oxberries +oxbird +ox-bird +oxbiter +oxblood +oxbloods +oxboy +Oxbow +ox-bow +oxbows +oxbrake +Oxbridge +oxcart +oxcarts +oxcheek +oxdiacetic +oxdiazole +oxea +oxeate +oxeye +ox-eye +ox-eyed +oxeyes +oxen +Oxenstierna +oxeote +oxer +oxes +oxetone +oxfly +ox-foot +Oxford +Oxfordian +Oxfordism +Oxfordist +Oxfords +Oxfordshire +oxgall +oxgang +oxgate +oxgoad +Ox-god +oxharrow +ox-harrow +oxhead +ox-head +ox-headed +oxheal +oxheart +oxhearts +oxherd +oxhide +oxhoft +oxhorn +ox-horn +oxhouse +oxhuvud +oxy +oxi- +oxy- +oxyacanthin +oxyacanthine +oxyacanthous +oxyacetylene +oxy-acetylene +oxyacid +oxyacids +Oxyaena +Oxyaenidae +oxyaldehyde +oxyamine +oxyanthracene +oxyanthraquinone +oxyaphia +oxyaster +oxyazo +oxybapha +oxybaphon +Oxybaphus +oxybenzaldehyde +oxybenzene +oxybenzyl +oxybenzoic +oxyberberine +oxyblepsia +oxybromide +oxybutyria +oxybutyric +oxycalcium +oxy-calcium +oxycalorimeter +oxycamphor +oxycaproic +oxycarbonate +oxycellulose +oxycephaly +oxycephalic +oxycephalism +oxycephalous +oxychlor- +oxychlorate +oxychloric +oxychlorid +oxychloride +oxychlorine +oxycholesterol +oxychromatic +oxychromatin +oxychromatinic +oxycyanide +oxycinnamic +oxycobaltammine +Oxycoccus +oxycopaivic +oxycoumarin +oxycrate +oxid +oxidability +oxidable +oxydactyl +oxidant +oxidants +oxidase +oxydase +oxidases +oxidasic +oxydasic +oxidate +oxidated +oxidates +oxidating +oxidation +oxydation +oxidational +oxidation-reduction +oxidations +oxidative +oxidatively +oxidator +oxide +Oxydendrum +Oxyderces +oxides +oxide's +oxydiact +oxidic +oxidimetry +oxidimetric +oxidise +oxidised +oxidiser +oxidisers +oxidises +oxidising +oxidizability +oxidizable +oxidization +oxidizations +oxidize +oxidized +oxidizement +oxidizer +oxidizers +oxidizes +oxidizing +oxidoreductase +oxidoreduction +oxids +oxidulated +oxyesthesia +oxyether +oxyethyl +oxyfatty +oxyfluoride +oxygas +oxygen +oxygen-acetylene +oxygenant +oxygenase +oxygenate +oxygenated +oxygenates +oxygenating +oxygenation +oxygenator +oxygenerator +oxygenic +oxygenicity +oxygenium +oxygenizable +oxygenization +oxygenize +oxygenized +oxygenizement +oxygenizer +oxygenizing +oxygenless +oxygenous +oxygens +oxygeusia +oxygnathous +oxygon +oxygonal +oxygonial +oxyhaematin +oxyhaemoglobin +oxyhalide +oxyhaloid +oxyhematin +oxyhemocyanin +oxyhemoglobin +oxyhexactine +oxyhexaster +oxyhydrate +oxyhydric +oxyhydrogen +oxyiodide +oxyketone +oxyl +Oxylabracidae +Oxylabrax +oxyluciferin +oxyluminescence +oxyluminescent +Oxylus +oxim +oxymandelic +oximate +oximation +oxime +oxymel +oximes +oximeter +oxymethylene +oximetry +oximetric +oxymomora +oxymora +oxymoron +oxymoronic +oxims +oxymuriate +oxymuriatic +oxynaphthoic +oxynaphtoquinone +oxynarcotine +oxindole +oxyneurin +oxyneurine +oxynitrate +oxyntic +oxyophitic +oxyopy +oxyopia +Oxyopidae +oxyosphresia +oxypetalous +oxyphenyl +oxyphenol +oxyphil +oxyphile +oxyphiles +oxyphilic +oxyphyllous +oxyphilous +oxyphils +oxyphyte +oxyphony +oxyphonia +oxyphosphate +oxyphthalic +oxypycnos +oxypicric +Oxypolis +oxyproline +oxypropionic +oxypurine +oxyquinaseptol +oxyquinoline +oxyquinone +oxyrhynch +oxyrhynchid +oxyrhynchous +oxyrhynchus +oxyrhine +oxyrhinous +Oxyrrhyncha +oxyrrhynchid +oxysalicylic +oxysalt +oxy-salt +oxysalts +oxysome +oxysomes +oxystearic +Oxystomata +oxystomatous +oxystome +oxysulfid +oxysulfide +oxysulphate +oxysulphid +oxysulphide +oxyterpene +oxytetracycline +oxytylotate +oxytylote +oxytocia +oxytocic +oxytocics +oxytocin +oxytocins +oxytocous +oxytoluene +oxytoluic +oxytone +oxytones +oxytonesis +oxytonic +oxytonical +oxytonize +Oxytricha +Oxytropis +oxyuriasis +oxyuricide +oxyurid +Oxyuridae +oxyurous +oxywelding +oxland +Oxley +Oxly +oxlike +oxlip +oxlips +oxman +oxmanship +Oxnard +oxo +oxo- +oxoindoline +Oxon +Oxonian +oxonic +oxonium +Oxonolatry +oxozone +oxozonide +oxozonides +oxpecker +oxpeckers +oxphony +oxreim +oxshoe +oxskin +ox-stall +oxtail +ox-tail +oxtails +oxter +oxters +oxtongue +ox-tongue +oxtongues +Oxus +oxwort +Oz +oz. +Oza +ozaena +ozaena- +Ozalid +Ozan +Ozark +ozarkite +Ozarks +Ozawkie +Ozen +ozena +Ozenfant +Ozias +Ozkum +Ozmo +ozobrome +ozocerite +ozoena +ozokerit +ozokerite +ozon- +Ozona +ozonate +ozonation +ozonator +ozone +ozoned +ozoner +ozones +ozonic +ozonid +ozonide +ozonides +ozoniferous +ozonify +ozonification +ozonise +ozonised +ozonises +ozonising +Ozonium +ozonization +ozonize +ozonized +ozonizer +ozonizers +ozonizes +ozonizing +ozonolysis +ozonometer +ozonometry +ozonoscope +ozonoscopic +ozonosphere +ozonospheric +ozonous +ozophen +ozophene +ozostomia +ozotype +ozs +Ozzy +Ozzie +P +P. +P.A. +P.B. +P.C. +P.D. +P.E. +P.E.I. +P.G. +P.I. +P.M. +P.M.G. +P.O. +P.O.D. +P.P. +p.q. +P.R. +p.r.n. +P.S. +P.T. +P.T.O. +P.W.D. +P/C +P2 +P3 +P4 +PA +Pa. +paal +paaneleinrg +Paapanen +paar +paaraphimosis +paas +Paasikivi +Paauhau +Paauilo +paauw +paawkier +PABA +pabalum +pabble +Pablo +Pablum +pabouch +Pabst +pabular +pabulary +pabulation +pabulatory +pabulous +pabulum +pabulums +PABX +PAC +paca +pacable +Pacaguara +pacay +pacaya +pacane +paca-rana +pacas +pacate +pacately +pacation +pacative +Paccanarist +Pacceka +paccha +Pacchionian +paccioli +PACE +paceboard +paced +pacemake +pacemaker +pacemakers +pacemaking +pacer +pacers +paces +pacesetter +pacesetters +pacesetting +paceway +pacha +pachadom +pachadoms +pachak +pachalic +pachalics +pachanga +pachas +Pacheco +Pachelbel +pachy- +pachyacria +pachyaemia +pachyblepharon +pachycarpous +pachycephal +pachycephaly +pachycephalia +pachycephalic +pachycephalous +pachychilia +pachychymia +pachycholia +pachycladous +pachydactyl +pachydactyly +pachydactylous +pachyderm +pachyderma +pachydermal +Pachydermata +pachydermateous +pachydermatocele +pachydermatoid +pachydermatosis +pachydermatous +pachydermatously +pachydermia +pachydermial +pachydermic +pachydermoid +pachydermous +pachyderms +pachyemia +pachyglossal +pachyglossate +pachyglossia +pachyglossous +pachyhaemia +pachyhaemic +pachyhaemous +pachyhematous +pachyhemia +pachyhymenia +pachyhymenic +Pachylophus +pachylosis +Pachyma +pachymenia +pachymenic +pachymeningitic +pachymeningitis +pachymeninx +pachymeter +pachynathous +pachynema +pachinko +pachynsis +pachyntic +pachyodont +pachyotia +pachyotous +pachyperitonitis +pachyphyllous +pachypleuritic +pachypod +pachypodous +pachypterous +pachyrhynchous +Pachyrhizus +pachysalpingitis +Pachysandra +pachysandras +pachysaurian +pachisi +pachisis +pachysomia +pachysomous +pachystichous +Pachystima +pachytene +Pachytylus +pachytrichous +pachyvaginitis +Pachmann +pachnolite +pachometer +Pachomian +Pachomius +Pachons +pachouli +pachoulis +Pachston +Pacht +Pachton +Pachuca +Pachuco +pachucos +Pachuta +Pacian +Pacien +Pacifa +pacify +pacifiable +Pacific +Pacifica +pacifical +pacifically +Pacificas +pacificate +pacificated +pacificating +pacification +pacifications +pacificator +pacificatory +Pacificia +pacificism +pacificist +pacificistic +pacificistically +pacificity +pacifico +pacificos +pacified +pacifier +pacifiers +pacifies +pacifying +pacifyingly +pacifism +pacifisms +pacifist +pacifistic +pacifistically +pacifists +pacing +Pacinian +pacinko +Pack +packability +packable +package +packaged +packager +packagers +packages +packaging +packagings +packall +Packard +pack-bearing +packboard +packbuilder +packcloth +packed +packed-up +Packer +packery +packeries +packers +packet +packet-boat +packeted +packeting +packets +packet's +packhorse +pack-horse +packhorses +packhouse +packing +packinghouse +packings +pack-laden +packless +packly +packmaker +packmaking +packman +packmanship +packmen +pack-needle +packness +packnesses +packplane +packrat +packs +packsack +packsacks +packsaddle +pack-saddle +packsaddles +packstaff +packstaves +Packston +packthread +packthreaded +packthreads +Packton +packtong +packtrain +packway +packwall +packwaller +packware +Packwaukee +packwax +packwaxes +Packwood +Paco +Pacoima +Pacolet +Pacorro +pacos +pacota +pacouryuva +pacquet +pacs +PACT +pacta +paction +pactional +pactionally +pactions +Pactolian +Pactolus +pacts +pact's +pactum +pacu +PACX +PAD +Padang +padasha +padauk +padauks +padcloth +padcluoth +Padda +padded +padder +padders +Paddy +paddybird +paddy-bird +Paddie +Paddies +Paddyism +paddymelon +padding +paddings +Paddington +Paddywack +paddywatch +Paddywhack +paddle +paddleball +paddleboard +paddleboat +paddlecock +paddled +paddlefish +paddlefishes +paddlefoot +paddlelike +paddler +paddlers +paddles +paddle-shaped +paddle-wheel +paddlewood +paddling +paddlings +paddock +paddocked +paddocking +paddockride +paddocks +paddockstone +paddockstool +paddoing +Padegs +padeye +padeyes +padelion +padella +pademelon +Paden +Paderborn +Paderewski +Paderna +padesoy +padfoot +padge +Padget +Padgett +padi +padige +Padina +padis +Padishah +padishahs +padle +padles +padlike +padlock +padlocked +padlocking +padlocks +padmasana +padmelon +padnag +padnags +padou +padouk +padouks +Padova +padpiece +Padraic +Padraig +padre +padres +padri +Padriac +padrino +padroadist +padroado +padrona +padrone +padrones +Padroni +padronism +pads +pad's +padsaw +padshah +padshahs +padstone +padtree +Padua +Paduan +Paduanism +paduasoy +paduasoys +Paducah +Padus +paean +paeanism +paeanisms +paeanize +paeanized +paeanizing +paeans +paed- +paedagogy +paedagogic +paedagogism +paedagogue +paedarchy +paedatrophy +paedatrophia +paederast +paederasty +paederastic +paederastically +paedeutics +paediatry +paediatric +paediatrician +paediatrics +paedo- +paedobaptism +paedobaptist +paedogenesis +paedogenetic +paedogenic +paedology +paedological +paedologist +paedometer +paedometrical +paedomorphic +paedomorphism +paedomorphosis +paedonymy +paedonymic +paedophilia +paedopsychologist +paedotribe +paedotrophy +paedotrophic +paedotrophist +paegel +paegle +Paelignian +paella +paellas +paenula +paenulae +paenulas +Paeon +paeony +Paeonia +Paeoniaceae +Paeonian +paeonic +paeonin +paeons +paeounlae +paepae +paesan +paesani +paesano +paesanos +paesans +Paesiello +Paestum +paetrick +Paff +PaG +paga +pagador +pagan +Paganalia +Paganalian +pagandom +pagandoms +paganic +paganical +paganically +Paganini +paganisation +paganise +paganised +paganiser +paganises +paganish +paganishly +paganising +paganism +paganisms +paganist +paganistic +paganists +paganity +paganization +paganize +paganized +paganizer +paganizes +paganizing +paganly +Pagano-christian +pagano-Christianism +Pagano-christianize +paganry +pagans +pagan's +Pagas +pagatpat +Page +pageant +pageanted +pageanteer +pageantic +pageantry +pageantries +pageants +pageant's +pageboy +page-boy +pageboys +paged +Pagedale +pagedom +pageful +pagehood +Pageland +pageless +pagelike +Pageos +pager +pagers +Pages +page's +pageship +pagesize +Paget +Pageton +paggle +pagina +paginae +paginal +paginary +paginate +paginated +paginates +paginating +pagination +pagine +paging +pagings +pagiopod +Pagiopoda +pagne +pagnes +Pagnol +pagod +pagoda +pagodalike +pagodas +pagoda-tree +pagodite +pagods +pagoscope +pagrus +Paguate +Paguma +pagurian +pagurians +pagurid +Paguridae +Paguridea +pagurids +pagurine +Pagurinea +paguroid +Paguroidea +Pagurus +pagus +pah +paha +pahachroma +Pahala +Pahang +Pahareen +Pahari +Paharia +Paharis +pahautea +pahi +Pahl +Pahlavi +pahlavis +Pahlevi +pahmi +paho +Pahoa +pahoehoe +Pahokee +pahos +Pahouin +Pahrump +Pahsien +pahutan +pay +pay- +Paia +Paya +payability +payable +payableness +payables +payably +Payagua +Payaguan +pay-all +pay-as-you-go +payback +paybacks +paybox +paiche +paycheck +paychecks +paycheck's +paycheque +paycheques +Paicines +Paiconeca +paid +paid- +payday +pay-day +paydays +paideia +paideutic +paideutics +paid-in +paidle +paidology +paidological +paidologist +paidonosology +PAYE +payed +payee +payees +payen +payeny +payer +payers +payer's +payess +Payette +Paige +paigle +Paignton +paygrade +pai-hua +payyetan +paying +paijama +Paik +paiked +paiker +paiking +paiks +Pail +pailette +pailful +pailfuls +paillard +paillasse +pailles +paillette +pailletted +paillettes +paillon +paillons +payload +payloads +pailolo +pailoo +pai-loo +pai-loos +pailou +pailow +pails +pail's +pailsful +paimaneh +Paymar +paymaster +Paymaster-General +paymaster-generalship +paymasters +paymastership +payment +payments +payment's +paymistress +Pain +pain-afflicted +pain-assuaging +pain-bearing +pain-bought +painch +pain-chastened +painches +Paincourtville +paindemaine +pain-dispelling +pain-distorted +pain-drawn +Paine +Payne +pained +Painesdale +Painesville +Paynesville +Payneville +pain-fearing +pain-free +painful +painfuller +painfullest +painfully +painfulness +pain-giving +Payni +paynim +paynimhood +paynimry +paynimrie +paynims +pain-inflicting +paining +painingly +Paynize +painkiller +pain-killer +painkillers +painkilling +pain-killing +painless +painlessly +painlessness +pain-producing +painproof +pain-racked +pains +painstaker +painstaking +painstakingly +painstakingness +pain-stricken +painsworthy +paint +paintability +paintable +paintableness +paintably +Paintbank +paint-beplastered +paintbox +paintbrush +paintbrushes +painted +paintedness +Painter +Paynter +painterish +painterly +painterlike +painterliness +painters +paintership +painter-stainer +paint-filler +paint-filling +painty +paintier +paintiest +paintiness +painting +paintingness +paintings +paintless +Paintlick +paint-mixing +Painton +paintpot +paintproof +paint-removing +paintress +paintry +paintrix +paintroot +paints +paint-splashed +paint-spotted +paint-spraying +paint-stained +Paintsville +painture +paint-washing +paint-worn +pain-worn +pain-wrought +pain-wrung +paiock +paiocke +payoff +pay-off +payoffs +payoff's +payola +payolas +payong +payor +payors +payout +payouts +paip +pair +paired +pairedness +pay-rent +pairer +pair-horse +pairial +pairing +pairings +pairle +pairmasts +pairment +pair-oar +pair-oared +payroll +pay-roller +payrolls +pair-royal +pairs +pairt +pairwise +pais +pays +paisa +paysage +paysagist +paisan +paisana +paisanas +Paysand +Paysandu +paisanite +paysanne +paisano +paisanos +paisans +paisas +paise +Paisiello +Paisley +paisleys +Payson +payt +payt. +paytamine +Payton +pay-TV +Paiute +paiwari +Paixhans +paized +paizing +pajahuello +pajama +pajamaed +pajamahs +pajamas +pajaroello +pajero +pajock +Pajonism +PAK +Pakanbaru +Pakawa +Pakawan +pakchoi +pak-choi +pak-chois +pakeha +Pakhpuluk +Pakhtun +Paki +Paki-bashing +Pakistan +Pakistani +pakistanis +Pakokku +pakpak-lauin +Pakse +paktong +PAL +Pal. +Pala +palabra +palabras +palace +palaced +palacelike +palaceous +palaces +palace's +palaceward +palacewards +palach +Palacios +palacsinta +paladin +paladins +Paladru +Palae-alpine +palaeanthropic +Palaearctic +Palaeechini +palaeechinoid +Palaeechinoidea +palaeechinoidean +palaeentomology +palaeethnology +palaeethnologic +palaeethnological +palaeethnologist +Palaeeudyptes +Palaeic +palaeichthyan +Palaeichthyes +palaeichthyic +Palaemon +palaemonid +Palaemonidae +palaemonoid +palaeo- +palaeoalchemical +Palaeo-american +palaeoanthropic +palaeoanthropography +palaeoanthropology +Palaeoanthropus +Palaeo-asiatic +palaeoatavism +palaeoatavistic +palaeobiogeography +palaeobiology +palaeobiologic +palaeobiological +palaeobiologist +palaeobotany +palaeobotanic +palaeobotanical +palaeobotanically +palaeobotanist +Palaeocarida +palaeoceanography +Palaeocene +palaeochorology +Palaeo-christian +palaeocyclic +palaeoclimatic +palaeoclimatology +palaeoclimatologic +palaeoclimatological +palaeoclimatologist +Palaeoconcha +palaeocosmic +palaeocosmology +Palaeocrinoidea +palaeocrystal +palaeocrystallic +palaeocrystalline +palaeocrystic +palaeodendrology +palaeodendrologic +palaeodendrological +palaeodendrologically +palaeodendrologist +Palaeodictyoptera +palaeodictyopteran +palaeodictyopteron +palaeodictyopterous +palaeoecology +palaeoecologic +palaeoecological +palaeoecologist +palaeoencephala +palaeoencephalon +palaeoentomology +palaeoentomologic +palaeoentomological +palaeoentomologist +palaeoeremology +palaeoethnic +palaeoethnobotany +palaeoethnology +palaeoethnologic +palaeoethnological +palaeoethnologist +palaeofauna +Palaeogaea +Palaeogaean +Palaeogene +palaeogenesis +palaeogenetic +palaeogeography +palaeogeographic +palaeogeographical +palaeogeographically +palaeoglaciology +palaeoglyph +Palaeognathae +palaeognathic +palaeognathous +palaeograph +palaeographer +palaeography +palaeographic +palaeographical +palaeographically +palaeographist +palaeoherpetology +palaeoherpetologist +palaeohydrography +palaeohistology +palaeolatry +palaeolimnology +palaeolith +palaeolithy +Palaeolithic +palaeolithical +palaeolithist +palaeolithoid +palaeology +palaeological +palaeologist +Palaeologus +palaeomagnetism +Palaeomastodon +palaeometallic +palaeometeorology +palaeometeorological +Palaeonemertea +palaeonemertean +palaeonemertine +Palaeonemertinea +Palaeonemertini +palaeoniscid +Palaeoniscidae +palaeoniscoid +Palaeoniscum +Palaeoniscus +palaeontography +palaeontographic +palaeontographical +palaeontol +palaeontol. +palaeontology +palaeontologic +palaeontological +palaeontologically +palaeontologies +palaeontologist +palaeopathology +palaeopedology +palaeophile +palaeophilist +Palaeophis +palaeophysiography +palaeophysiology +palaeophytic +palaeophytology +palaeophytological +palaeophytologist +palaeoplain +palaeopotamology +palaeopsychic +palaeopsychology +palaeopsychological +palaeoptychology +Palaeornis +Palaeornithinae +palaeornithine +palaeornithology +palaeornithological +palaeosaur +Palaeosaurus +palaeosophy +Palaeospondylus +palaeostyly +palaeostylic +Palaeostraca +palaeostracan +palaeostriatal +palaeostriatum +palaeotechnic +palaeothalamus +Palaeothentes +Palaeothentidae +palaeothere +palaeotherian +Palaeotheriidae +palaeotheriodont +palaeotherioid +Palaeotherium +palaeotheroid +palaeotype +palaeotypic +palaeotypical +palaeotypically +palaeotypography +palaeotypographic +palaeotypographical +palaeotypographist +Palaeotropical +palaeovolcanic +Palaeozoic +palaeozoology +palaeozoologic +palaeozoological +palaeozoologist +palaestra +palaestrae +palaestral +palaestras +palaestrian +palaestric +palaestrics +palaetiology +palaetiological +palaetiologist +palafitte +palagonite +palagonitic +palay +palayan +Palaic +Palaihnihan +palaiotype +palais +palaiste +palaite +palaka +palala +palama +palamae +palamate +palame +Palamedea +palamedean +Palamedeidae +Palamedes +Palamite +Palamitism +palampore +palander +palank +palanka +palankeen +palankeened +palankeener +palankeening +palankeeningly +palanquin +palanquined +palanquiner +palanquining +palanquiningly +palanquins +palapala +palapalai +Palapteryx +Palaquium +palar +palas +palatability +palatable +palatableness +palatably +palatal +palatalism +palatality +palatalization +palatalize +palatalized +palatally +palatals +palate +palated +palateful +palatefulness +palateless +palatelike +palates +palate's +palatia +palatial +palatially +palatialness +palatian +palatic +palatinal +Palatinate +palatinates +Palatine +palatines +palatineship +Palatinian +palatinite +palation +palatist +palatitis +palatium +palative +palatization +palatize +Palatka +palato- +palatoalveolar +palatodental +palatoglossal +palatoglossus +palatognathous +palatogram +palatograph +palatography +palatomaxillary +palatometer +palatonasal +palatopharyngeal +palatopharyngeus +palatoplasty +palatoplegia +palatopterygoid +palatoquadrate +palatorrhaphy +palatoschisis +Palatua +Palau +Palaung +palaver +palavered +palaverer +palavering +palaverist +palaverment +palaverous +palavers +Palawan +palazzi +palazzo +palazzos +palberry +palch +Palco +pale +pale- +palea +paleaceous +paleae +paleal +paleanthropic +Palearctic +Pale-asiatic +paleate +palebelly +pale-blooded +pale-blue +palebreast +pale-bright +palebuck +Palecek +pale-cheeked +palechinoid +pale-colored +pale-complexioned +paled +paledness +pale-dried +pale-eared +pale-eyed +paleencephala +paleencephalon +paleencephalons +paleentomology +paleethnographer +paleethnology +paleethnologic +paleethnological +paleethnologist +paleface +pale-face +pale-faced +palefaces +palegold +pale-gray +pale-green +palehearted +pale-hued +Paley +paleichthyology +paleichthyologic +paleichthyologist +pale-yellow +paleiform +pale-leaved +palely +pale-livered +pale-looking +Paleman +Palembang +Palencia +paleness +palenesses +Palenque +Palenville +paleo- +paleoalchemical +Paleo-american +Paleo-amerind +paleoandesite +paleoanthropic +paleoanthropography +paleoanthropology +paleoanthropological +paleoanthropologist +Paleoanthropus +Paleo-Asiatic +paleoatavism +paleoatavistic +paleobiogeography +paleobiology +paleobiologic +paleobiological +paleobiologist +paleobotany +paleobotanic +paleobotanical +paleobotanically +paleobotanist +paleoceanography +Paleocene +paleochorology +paleochorologist +Paleo-christian +paleocyclic +paleoclimatic +paleoclimatology +paleoclimatologic +paleoclimatological +paleoclimatologist +Paleoconcha +paleocosmic +paleocosmology +paleocrystal +paleocrystallic +paleocrystalline +paleocrystic +paleodendrology +paleodendrologic +paleodendrological +paleodendrologically +paleodendrologist +paleodentrologist +paleoecology +paleoecologic +paleoecological +paleoecologist +paleoencephalon +paleoentomologic +paleoentomological +paleoentomologist +paleoeremology +Paleo-eskimo +paleoethnic +paleoethnography +paleoethnology +paleoethnologic +paleoethnological +paleoethnologist +paleofauna +paleog +Paleogene +paleogenesis +paleogenetic +paleogeography +paleogeographic +paleogeographical +paleogeographically +paleogeologic +paleoglaciology +paleoglaciologist +paleoglyph +paleograph +paleographer +paleographers +paleography +paleographic +paleographical +paleographically +paleographist +paleoherpetology +paleoherpetologist +paleohydrography +paleohistology +paleoichthyology +paleoytterbium +paleokinetic +paleola +paleolate +paleolatry +paleolimnology +paleolith +paleolithy +Paleolithic +paleolithical +paleolithist +paleolithoid +paleology +paleological +paleologist +paleomagnetic +paleomagnetically +paleomagnetism +paleomagnetist +paleomammalogy +paleomammology +paleomammologist +paleometallic +paleometeorology +paleometeorological +paleometeorologist +paleon +paleontography +paleontographic +paleontographical +paleontol +paleontology +paleontologic +paleontological +paleontologically +paleontologies +paleontologist +paleontologists +paleopathology +paleopathologic +paleopathological +paleopathologist +paleopedology +paleophysiography +paleophysiology +paleophysiologist +paleophytic +paleophytology +paleophytological +paleophytologist +paleopicrite +paleoplain +paleopotamology +paleopotamoloy +paleopsychic +paleopsychology +paleopsychological +paleornithology +paleornithological +paleornithologist +Paleosiberian +Paleo-Siberian +paleosol +paleostyly +paleostylic +paleostriatal +paleostriatum +paleotechnic +paleothalamus +paleothermal +paleothermic +Paleotropical +paleovolcanic +Paleozoic +paleozoology +paleozoologic +paleozoological +paleozoologist +paler +pale-red +pale-reddish +pale-refined +Palermitan +Palermo +paleron +Pales +Palesman +pale-souled +pale-spirited +pale-spotted +palest +Palestine +Palestinian +palestinians +palestra +palestrae +palestral +palestras +palestrian +palestric +Palestrina +pale-striped +palet +pale-tinted +paletiology +paletot +paletots +palets +palette +palettelike +palettes +paletz +pale-visaged +palew +paleways +palewise +palfgeys +palfrey +palfreyed +palfreys +palfrenier +palfry +palgat +Palgrave +Pali +paly +paly-bendy +Palici +Palicourea +palier +paliest +palification +paliform +paligorskite +palikar +palikarism +palikars +palikinesia +Palila +palilalia +Palilia +Palilicium +palillogia +palilogetic +palilogy +palimbacchic +palimbacchius +palimony +palimpsest +palimpsestic +palimpsests +palimpset +palinal +palindrome +palindromes +palindromic +palindromical +palindromically +palindromist +paling +palingenesy +palingenesia +palingenesian +palingenesis +palingenesist +palingenetic +palingenetically +palingeny +palingenic +palingenist +palings +palinode +palinoded +palinodes +palinody +palinodial +palinodic +palinodist +palynology +palynologic +palynological +palynologically +palynologist +palynomorph +palinopic +palinurid +Palinuridae +palinuroid +Palinurus +paliphrasia +palirrhea +palis +Palisa +palisade +palisaded +Palisades +palisading +palisado +palisadoed +palisadoes +palisadoing +palisander +palisfy +palish +palisse +Palissy +palistrophia +Palitzsch +Paliurus +palkee +palki +Pall +Palla +palladammin +palladammine +Palladia +Palladian +Palladianism +palladic +palladiferous +Palladin +palladinize +palladinized +palladinizing +Palladio +palladion +palladious +Palladium +palladiumize +palladiumized +palladiumizing +palladiums +palladize +palladized +palladizing +palladodiammine +palladosammine +palladous +pallae +pallah +pallall +pallanesthesia +pallar +Pallas +pallasite +Pallaten +Pallaton +pallbearer +pallbearers +palled +pallescence +pallescent +pallesthesia +pallet +palleting +palletization +palletize +palletized +palletizer +palletizing +pallets +pallette +pallettes +pallholder +palli +pally +pallia +pallial +palliament +palliard +palliasse +Palliata +palliate +palliated +palliates +palliating +palliation +palliations +palliative +palliatively +palliator +palliatory +pallid +pallid-faced +pallid-fuliginous +pallid-gray +pallidiflorous +pallidipalpate +palliditarsate +pallidity +pallidiventrate +pallidly +pallid-looking +pallidness +pallid-ochraceous +pallid-tomentose +pallier +pallies +palliest +Palliyan +palliness +palling +Pallini +pallio- +Palliobranchiata +palliobranchiate +palliocardiac +pallioessexite +pallion +palliopedal +palliostratus +palliser +pallium +palliums +pall-like +Pallmall +pall-mall +pallograph +pallographic +pallometric +pallone +pallor +pallors +palls +Pallu +Pallua +Palluites +pallwise +Palm +Palma +Palmaceae +palmaceous +palmad +Palmae +palmanesthesia +palmar +palmary +palmarian +palmaris +Palmas +palmate +palmated +palmately +palmati- +palmatifid +palmatiform +palmatilobate +palmatilobed +palmation +palmatiparted +palmatipartite +palmatisect +palmatisected +palmature +palm-bearing +palmchrist +Palmcoast +palmcrist +palm-crowned +Palmdale +Palmdesert +palmed +Palmella +Palmellaceae +palmellaceous +palmelloid +Palmer +Palmerdale +palmery +palmeries +palmerin +palmerite +palmers +Palmerston +Palmersville +Palmerton +palmerworm +palmer-worm +palmesthesia +palmette +palmettes +palmetto +palmettoes +palmettos +palmetum +palm-fringed +palmful +Palmgren +palmy +palmi- +palmic +palmicoleus +palmicolous +palmier +palmiest +palmiferous +palmification +palmiform +palmigrade +palmilla +palmillo +palmilobate +palmilobated +palmilobed +palmin +palminervate +palminerved +palming +palmiped +Palmipedes +palmipes +Palmira +Palmyra +palmyras +Palmyrene +Palmyrenian +Palmiro +palmist +palmiste +palmister +palmistry +palmistries +palmists +palmitate +palmite +palmitic +palmitin +palmitine +palmitinic +palmitins +palmito +palmitoleic +palmitone +palmitos +palmiveined +palmivorous +palmlike +palmo +palmodic +palm-oil +Palmolive +Palmore +palmoscopy +palmospasmus +palm-reading +palms +palm-shaded +palm-shaped +palm-thatched +palm-tree +palmula +palmus +palm-veined +palmwise +palmwood +Palo +Paloalto +Palocedro +Palocz +palolo +palolos +Paloma +Palomar +palombino +palometa +Palomino +palominos +palooka +palookas +Palopinto +Palos +palosapis +palour +Palouse +palouser +Paloverde +palp +palpability +palpable +palpableness +palpably +palpacle +palpal +palpate +palpated +palpates +palpating +palpation +palpations +palpator +palpatory +palpators +palpebra +palpebrae +palpebral +palpebrate +palpebration +palpebritis +palped +palpi +palpicorn +Palpicornia +palpifer +palpiferous +palpiform +palpiger +palpigerous +palpitant +palpitate +palpitated +palpitates +palpitating +palpitatingly +palpitation +palpitations +palpless +palpocil +palpon +palps +palpulus +palpus +Pals +pal's +palsgraf +palsgrave +palsgravine +palship +palships +palsy +palsied +palsies +palsify +palsification +palsying +palsylike +palsy-quaking +palsy-shaken +palsy-shaking +palsy-sick +palsy-stricken +palsy-struck +palsy-walsy +palsywort +palstaff +palstave +palster +palt +Palta +palter +paltered +palterer +palterers +paltering +palterly +palters +paltock +paltry +paltrier +paltriest +paltrily +paltriness +Palua +Paluas +paludal +paludament +paludamenta +paludamentum +palude +paludi- +paludial +paludian +paludic +Paludicella +Paludicolae +paludicole +paludicoline +paludicolous +paludiferous +Paludina +paludinal +paludine +paludinous +paludism +paludisms +paludose +paludous +paludrin +paludrine +palule +paluli +palulus +Palumbo +Palus +palustral +palustrian +palustrine +Paluxy +PAM +pam. +pamaceous +Pama-Nyungan +pamaquin +pamaquine +pambanmanche +PAMD +Pamela +Pamelina +Pamella +pament +pameroon +pamhy +Pamir +Pamiri +Pamirian +Pamirs +Pamlico +pamment +Pammi +Pammy +Pammie +Pampa +Pampanga +Pampangan +Pampango +pampanito +pampas +pampas-grass +pampean +pampeans +Pampeluna +pamper +pampered +pamperedly +pamperedness +pamperer +pamperers +pampering +pamperize +pampero +pamperos +pampers +pamphagous +pampharmacon +Pamphylia +Pamphiliidae +Pamphilius +pamphysic +pamphysical +pamphysicism +pamphlet +pamphletage +pamphletary +pamphleteer +pamphleteers +pamphleter +pamphletful +pamphletic +pamphletical +pamphletize +pamphletized +pamphletizing +pamphlets +pamphlet's +pamphletwise +pamphrey +pampilion +pampination +pampiniform +pampinocele +pamplegia +Pamplico +Pamplin +Pamplona +pampootee +pampootie +pampre +pamprodactyl +pamprodactylism +pamprodactylous +pampsychism +pampsychist +Pampuch +pams +Pamunkey +PAN +pan- +Pan. +Pana +panabase +Panaca +panace +Panacea +panacean +panaceas +panacea's +panaceist +panache +panached +panaches +panachure +panada +panadas +panade +panaesthesia +panaesthetic +Pan-African +Pan-Africanism +Pan-Africanist +Pan-afrikander +Pan-afrikanderdom +Panaggio +Panagia +panagiarion +Panagias +Panay +Panayan +Panayano +Panayiotis +Panak +Panaka +Panama +Panamaian +Panaman +Panamanian +panamanians +Panamano +panamas +Pan-america +Pan-American +Pan-Americanism +Panamic +Panamint +Panamist +Pan-anglican +panapospory +Pan-Arab +Pan-arabia +Pan-Arabic +Pan-Arabism +panarchy +panarchic +panary +panaris +panaritium +panarteritis +panarthritis +Pan-asianism +Pan-asiatic +Pan-asiaticism +panatela +panatelas +panatella +panatellas +Panathenaea +Panathenaean +Panathenaic +panatrope +panatrophy +panatrophic +panautomorphic +panax +panbabylonian +Pan-babylonian +panbabylonism +Pan-babylonism +Panboeotian +Pan-britannic +Pan-british +panbroil +pan-broil +pan-broiled +pan-broiling +Pan-buddhism +Pan-buddhist +pancake +pancaked +pancakes +pancake's +pancaking +pancarditis +Pan-celtic +Pan-celticism +Panchaia +Panchayat +panchayet +panchama +panchart +Panchatantra +panchax +panchaxes +pancheon +Pan-china +panchion +Panchito +Pancho +panchreston +Pan-christian +panchromatic +panchromatism +panchromatization +panchromatize +panchway +pancyclopedic +panclastic +panclastite +panconciliatory +pancosmic +pancosmism +pancosmist +pancratia +pancratian +pancratiast +pancratiastic +pancratic +pancratical +pancratically +pancration +Pancratis +pancratism +pancratist +pancratium +pancreas +pancreases +pancreat- +pancreatalgia +pancreatectomy +pancreatectomize +pancreatectomized +pancreatemphraxis +pancreathelcosis +pancreatic +pancreaticoduodenal +pancreaticoduodenostomy +pancreaticogastrostomy +pancreaticosplenic +pancreatin +pancreatism +pancreatitic +pancreatitis +pancreatization +pancreatize +pancreatoduodenectomy +pancreatoenterostomy +pancreatogenic +pancreatogenous +pancreatoid +pancreatolipase +pancreatolith +pancreatomy +pancreatoncus +pancreatopathy +pancreatorrhagia +pancreatotomy +pancreatotomies +pancreectomy +pancreozymin +Pan-croat +panctia +pand +panda +pandal +pandan +Pandanaceae +pandanaceous +Pandanales +pandani +Pandanus +pandanuses +pandar +pandaram +Pandarctos +Pandareus +pandaric +Pandarus +pandas +pandation +pandava +Pandavas +Pandean +pandect +Pandectist +pandects +pandemy +pandemia +pandemian +Pandemic +pandemicity +pandemics +pandemoniac +Pandemoniacal +Pandemonian +pandemonic +pandemonism +Pandemonium +pandemoniums +Pandemos +pandenominational +pander +panderage +pandered +panderer +panderers +panderess +pandering +panderism +panderize +panderly +Panderma +pandermite +panderous +panders +pandership +pandestruction +pandy +pandiabolism +pandybat +Pandich +pandiculation +pandied +pandies +pandying +Pandion +Pandionidae +Pandit +pandita +pandits +pandle +pandlewhew +Pandolfi +pandoor +pandoors +Pandora +pandoras +pandore +Pandorea +pandores +Pandoridae +Pandorina +Pandosto +pandour +pandoura +pandours +pandowdy +pandowdies +pandrop +Pandrosos +pandura +panduras +pandurate +pandurated +pandure +panduriform +pane +panecclesiastical +paned +panegyre +panegyry +panegyric +panegyrica +panegyrical +panegyrically +panegyricize +panegyricon +panegyrics +panegyricum +panegyris +panegyrist +panegyrists +panegyrize +panegyrized +panegyrizer +panegyrizes +panegyrizing +panegoism +panegoist +paneity +panel +panela +panelation +panelboard +paneled +paneler +paneless +paneling +panelings +panelist +panelists +panelist's +Panelyte +panellation +panelled +panelling +panellist +panels +panelwise +panelwork +panentheism +panes +pane's +panesthesia +panesthetic +panetela +panetelas +panetella +panetiere +panettone +panettones +panettoni +paneulogism +Pan-europe +Pan-european +panfil +pan-fired +panfish +panfishes +panfry +pan-fry +panfried +pan-fried +panfries +pan-frying +panful +panfuls +Pang +panga +Pangaea +pangamy +pangamic +pangamous +pangamously +pangane +pangara +Pangaro +pangas +pangasi +Pangasinan +Pangburn +panged +pangen +pangene +pangenes +pangenesis +pangenetic +pangenetically +pangenic +pangens +pangerang +Pan-German +Pan-germany +Pan-germanic +Pan-Germanism +Pan-germanist +Pang-fou +pangful +pangi +panging +pangyrical +Pangium +pangless +panglessly +panglima +Pangloss +Panglossian +Panglossic +pangolin +pangolins +Pan-gothic +pangrammatist +pangs +pang's +panguingue +panguingui +Panguitch +Pangwe +panhandle +panhandled +panhandler +panhandlers +panhandles +panhandling +panharmonic +panharmonicon +panhas +panhead +panheaded +pan-headed +Panhellenic +Panhellenios +Panhellenism +Panhellenist +Panhellenium +panhematopenia +panhidrosis +panhygrous +panhyperemia +panhypopituitarism +Pan-hispanic +Pan-hispanism +panhysterectomy +panhuman +Pani +panyar +Panic +panical +panically +panic-driven +panicful +panichthyophagous +panicked +panicky +panickier +panickiest +panickiness +panicking +panicle +panicled +panicles +paniclike +panicmonger +panicmongering +paniconograph +paniconography +paniconographic +panic-pale +panic-prone +panic-proof +panics +panic's +panic-stricken +panic-strike +panic-struck +panic-stunned +Panicularia +paniculate +paniculated +paniculately +paniculitis +Panicum +panicums +panidiomorphic +panidrosis +panier +paniers +panification +panime +panimmunity +Paninean +Panini +paniolo +panion +Panionia +Panionian +Panionic +Panipat +Paniquita +Paniquitan +panisc +panisca +paniscus +panisic +panisk +Pan-islam +Pan-islamic +Pan-islamism +Pan-islamist +Pan-israelitish +panivorous +Panjabi +panjandrum +panjandrums +Panjim +pank +Pankhurst +pankin +pankration +pan-Latin +Pan-latinist +pan-leaf +panleucopenia +panleukopenia +pan-loaf +panlogical +panlogism +panlogist +panlogistic +panlogistical +panlogistically +panman +panmelodicon +panmelodion +panmerism +panmeristic +panmyelophthisis +panmixes +panmixy +panmixia +panmixias +panmixis +panmnesia +Pan-mongolian +Pan-mongolism +Pan-moslemism +panmug +Panmunjom +Panmunjon +Panna +pannade +pannag +pannage +pannam +Pannamaria +pannationalism +panne +panned +pannel +pannellation +panner +pannery +pannes +panneuritic +panneuritis +pannicle +pannicular +panniculitis +panniculus +pannier +panniered +pannierman +panniers +pannikin +pannikins +panning +Pannini +Pannon +Pannonia +Pannonian +Pannonic +pannose +pannosely +pannum +pannus +pannuscorium +Panoan +panocha +panochas +panoche +panoches +panococo +Panofsky +panoistic +Panola +panomphaean +Panomphaeus +panomphaic +panomphean +panomphic +Panopeus +panophobia +panophthalmia +panophthalmitis +panoply +panoplied +panoplies +panoplying +panoplist +Panoptes +panoptic +panoptical +panopticon +Panora +panoram +panorama +panoramas +panoramic +panoramical +panoramically +panoramist +panornithic +Panorpa +Panorpatae +panorpian +panorpid +Panorpidae +Pan-orthodox +Pan-orthodoxy +panos +panosteitis +panostitis +panotype +panotitis +panouchi +panowie +Pan-pacific +panpathy +panpharmacon +panphenomenalism +panphobia +Panpipe +pan-pipe +panpipes +panplegia +panpneumatism +panpolism +Pan-presbyterian +Pan-protestant +Pan-prussianism +panpsychic +panpsychism +panpsychist +panpsychistic +Pan-russian +PANS +pan's +Pan-satanism +pan-Saxon +Pan-scandinavian +panscientist +pansciolism +pansciolist +Pan-sclavic +Pan-sclavism +Pan-sclavist +Pan-sclavonian +pansclerosis +pansclerotic +panse +Pansey +Pan-serb +pansexism +pansexual +pansexualism +pan-sexualism +pansexualist +pansexuality +pansexualize +pan-shaped +panshard +Pansy +pansy-colored +panside +pansideman +Pansie +pansied +pansiere +pansies +pansified +pansy-growing +pansy-yellow +pansyish +Pansil +pansylike +pansinuitis +pansinusitis +pansy-purple +Pansir +Pan-syrian +pansy's +pansit +pansy-violet +Pan-Slav +Pan-Slavic +Pan-Slavism +Pan-slavist +Pan-slavistic +Pan-slavonian +Pan-slavonic +Pan-slavonism +pansmith +pansophy +pansophic +pansophical +pansophically +pansophies +pansophism +pansophist +panspermatism +panspermatist +panspermy +panspermia +panspermic +panspermism +panspermist +pansphygmograph +panstereorama +pant +pant- +Panta +panta- +pantachromatic +pantacosm +pantagamy +pantagogue +pantagraph +pantagraphic +pantagraphical +Pantagruel +Pantagruelian +Pantagruelic +Pantagruelically +Pantagrueline +pantagruelion +Pantagruelism +Pantagruelist +Pantagruelistic +Pantagruelistical +Pantagruelize +pantalan +pantaleon +pantalet +pantaletless +pantalets +pantalette +pantaletted +pantalettes +pantalgia +pantalon +Pantalone +Pantaloon +pantalooned +pantaloonery +pantaloons +pantameter +pantamorph +pantamorphia +pantamorphic +pantanemone +pantanencephalia +pantanencephalic +pantaphobia +pantarbe +pantarchy +pantas +pantascope +pantascopic +Pantastomatida +Pantastomina +pantatype +pantatrophy +pantatrophia +pantdress +pantechnic +pantechnicon +panted +Pantego +pantelegraph +pantelegraphy +panteleologism +pantelephone +pantelephonic +pantelis +Pantelleria +pantellerite +Panter +panterer +Pan-Teutonism +Panthea +Pantheas +Pantheian +pantheic +pantheism +pantheist +pantheistic +pantheistical +pantheistically +pantheists +panthelematism +panthelism +pantheology +pantheologist +Pantheon +pantheonic +pantheonization +pantheonize +pantheons +Panther +pantheress +pantherine +pantherish +pantherlike +panthers +panther's +pantherwood +pantheum +Panthia +Panthous +panty +Pantia +pantie +panties +pantihose +pantyhose +panty-hose +pantile +pantiled +pantiles +pantiling +Pantin +pantine +panting +pantingly +pantisocracy +pantisocrat +pantisocratic +pantisocratical +pantisocratist +pantywaist +pantywaists +pantle +pantler +panto +panto- +Pantocain +pantochrome +pantochromic +pantochromism +pantochronometer +Pantocrator +pantod +Pantodon +Pantodontidae +pantoffle +pantofle +pantofles +pantoganglitis +pantogelastic +pantoglossical +pantoglot +pantoglottism +pantograph +pantographer +pantography +pantographic +pantographical +pantographically +pantoiatrical +pantology +pantologic +pantological +pantologist +pantomancer +pantomania +pantometer +pantometry +pantometric +pantometrical +pantomime +pantomimed +pantomimes +pantomimic +pantomimical +pantomimically +pantomimicry +pantomiming +pantomimish +pantomimist +pantomimists +pantomimus +pantomnesia +pantomnesic +pantomorph +pantomorphia +pantomorphic +panton +pantonal +pantonality +pantoon +pantopelagian +pantophagy +pantophagic +pantophagist +pantophagous +pantophile +pantophobia +pantophobic +pantophobous +pantoplethora +pantopod +Pantopoda +pantopragmatic +pantopterous +pantos +pantoscope +pantoscopic +pantosophy +Pantostomata +pantostomate +pantostomatous +pantostome +pantotactic +pantothen +pantothenate +pantothenic +pantothere +Pantotheria +pantotherian +pantotype +pantoum +pantoums +pantry +pantries +pantryman +pantrymen +pantry's +pantrywoman +pantropic +pantropical +pantropically +pants +pantsuit +pantsuits +pantun +Pan-turanian +Pan-turanianism +Pan-turanism +panuelo +panuelos +panung +panure +Panurge +panurgy +panurgic +panus +Panza +panzer +Panzerfaust +panzers +panzoism +panzooty +panzootia +panzootic +PAO +Paola +Paoli +Paolina +Paolo +paon +Paonia +paopao +Paoshan +Paoting +Paotow +PAP +papa +papability +papable +papabot +papabote +papacy +papacies +Papadopoulos +papagay +Papagayo +papagallo +Papagena +Papageno +Papago +papaya +Papayaceae +papayaceous +papayan +papayas +Papaikou +papain +papains +papaio +papayotin +papal +papalise +papalism +papalist +papalistic +papality +papalization +papalize +papalizer +papally +papaloi +papalty +Papandreou +papane +papaphobia +papaphobist +papaprelatical +papaprelatist +paparazzi +paparazzo +paparchy +paparchical +papas +papaship +Papaver +Papaveraceae +papaveraceous +Papaverales +papaverin +papaverine +papaverous +papaw +papaws +papboat +Pape +Papeete +papegay +papey +papelera +papeleras +papelon +papelonne +Papen +paper +paperasserie +paperback +paper-backed +paperbacks +paperback's +paper-baling +paperbark +paperboard +paperboards +paperboy +paperboys +paperbound +paper-bound +paper-capped +paper-chasing +paperclip +paper-clothed +paper-coated +paper-coating +paper-collared +paper-covered +paper-cutter +papercutting +paper-cutting +paper-drilling +papered +paper-embossing +paperer +paperers +paper-faced +paper-filled +paper-folding +paper-footed +paperful +papergirl +paperhanger +paperhangers +paperhanging +paperhangings +paper-hangings +papery +paperiness +papering +paperings +papery-skinned +paperknife +paperknives +paperlike +paper-lined +papermaker +papermaking +paper-mended +papermouth +papern +paper-palisaded +paper-paneled +paper-patched +papers +paper's +paper-saving +paper-selling +papershell +paper-shell +paper-shelled +paper-shuttered +paper-slitting +paper-sparing +paper-stainer +paper-stamping +Papert +paper-testing +paper-thick +paper-thin +paper-using +paper-varnishing +paper-waxing +paperweight +paperweights +paper-white +paper-whiteness +paper-windowed +paperwork +papess +papeterie +Paphian +paphians +Paphiopedilum +Paphlagonia +Paphos +Paphus +Papiamento +Papias +papicolar +papicolist +papier +papier-mache +papier-mch +Papilio +Papilionaceae +papilionaceous +Papiliones +papilionid +Papilionidae +Papilionides +Papilioninae +papilionine +papilionoid +Papilionoidea +papilla +papillae +papillar +papillary +papillate +papillated +papillectomy +papilledema +papilliferous +papilliform +papillitis +papilloadenocystoma +papillocarcinoma +papilloedema +papilloma +papillomas +papillomata +papillomatosis +papillomatous +papillon +papillons +papilloretinitis +papillosarcoma +papillose +papillosity +papillote +papillous +papillulate +papillule +Papinachois +Papineau +papingo +Papinian +Papio +papion +papiopio +papyr +papyraceous +papyral +papyrean +papyri +papyrian +papyrin +papyrine +papyritious +papyro- +papyrocracy +papyrograph +papyrographer +papyrography +papyrographic +papyrology +papyrological +papyrologist +papyrophobia +papyroplastics +papyrotamia +papyrotint +papyrotype +papyrus +papyruses +papish +papisher +papism +Papist +papistic +papistical +papistically +papistly +papistlike +papistry +papistries +papists +papize +Papke +papless +paplike +papmeat +papolater +papolatry +papolatrous +papoose +papooseroot +papoose-root +papooses +papoosh +Papotto +papoula +papovavirus +Papp +pappain +Pappano +Pappas +Pappea +pappenheimer +pappescent +pappi +pappy +pappier +pappies +pappiest +pappiferous +pappiform +pappyri +pappoose +pappooses +pappose +pappous +pappox +pappus +papreg +paprica +papricas +paprika +paprikas +papriks +paps +Papst +Papsukai +Papua +Papuan +papuans +papula +papulae +papulan +papular +papulate +papulated +papulation +papule +papules +papuliferous +papulo- +papuloerythematous +papulopustular +papulopustule +papulose +papulosquamous +papulous +papulovesicular +Paque +paquet +Paquito +PAR +par- +par. +para +para- +para-agglutinin +paraaminobenzoic +para-aminophenol +para-analgesia +para-anesthesia +para-appendicitis +parabanate +parabanic +parabaptism +parabaptization +parabasal +parabases +parabasic +parabasis +parabema +parabemata +parabematic +parabenzoquinone +parabien +parabiosis +parabiotic +parabiotically +parablast +parablastic +parable +parabled +parablepsy +parablepsia +parablepsis +parableptic +parables +parabling +parabola +parabolanus +parabolas +parabole +parabolic +parabolical +parabolicalism +parabolically +parabolicness +paraboliform +parabolise +parabolised +parabolising +parabolist +parabolization +parabolize +parabolized +parabolizer +parabolizing +paraboloid +paraboloidal +parabomb +parabotulism +parabrake +parabranchia +parabranchial +parabranchiate +parabulia +parabulic +paracanthosis +paracarmine +paracasein +paracaseinate +Paracelsian +Paracelsianism +Paracelsic +Paracelsist +Paracelsistic +Paracelsus +paracenteses +paracentesis +paracentral +paracentric +paracentrical +paracephalus +paracerebellar +paracetaldehyde +paracetamol +parachaplain +paracholia +parachor +parachordal +parachors +parachrea +parachroia +parachroma +parachromatism +parachromatophorous +parachromatopsia +parachromatosis +parachrome +parachromoparous +parachromophoric +parachromophorous +parachronism +parachronistic +parachrose +parachute +parachuted +parachuter +parachutes +parachute's +parachutic +parachuting +parachutism +parachutist +parachutists +paracyanogen +paracyeses +paracyesis +paracymene +para-cymene +paracystic +paracystitis +paracystium +paracium +Paraclete +paracmasis +paracme +paracoele +paracoelian +paracolitis +paracolon +paracolpitis +paracolpium +paracondyloid +paracone +paraconic +paraconid +paraconscious +paracorolla +paracotoin +paracoumaric +paracresol +Paracress +paracrostic +paracusia +paracusic +paracusis +parada +parade +paraded +paradeful +paradeless +paradelike +paradenitis +paradental +paradentitis +paradentium +parader +paraderm +paraders +parades +paradiastole +paradiazine +paradichlorbenzene +paradichlorbenzol +paradichlorobenzene +paradichlorobenzol +paradiddle +paradidym +paradidymal +paradidymis +Paradies +paradigm +paradigmatic +paradigmatical +paradigmatically +paradigmatize +paradigms +paradigm's +parading +paradingly +paradiplomatic +Paradis +paradisaic +paradisaical +paradisaically +paradisal +paradisally +Paradise +Paradisea +paradisean +Paradiseidae +Paradiseinae +paradises +Paradisia +paradisiac +paradisiacal +paradisiacally +paradisial +paradisian +paradisic +paradisical +Paradiso +parado +paradoctor +parador +paradors +parados +paradoses +paradox +paradoxal +paradoxer +paradoxes +paradoxy +paradoxial +paradoxic +paradoxical +paradoxicalism +paradoxicality +paradoxically +paradoxicalness +paradoxician +Paradoxides +paradoxidian +paradoxism +paradoxist +paradoxographer +paradoxographical +paradoxology +paradox's +paradoxure +Paradoxurinae +paradoxurine +Paradoxurus +paradromic +paradrop +paradropped +paradropping +paradrops +Paraebius +paraenesis +paraenesize +paraenetic +paraenetical +paraengineer +paraesthesia +paraesthetic +paraffin +paraffin-base +paraffine +paraffined +paraffiner +paraffiny +paraffinic +paraffining +paraffinize +paraffinized +paraffinizing +paraffinoid +paraffins +paraffle +parafle +parafloccular +paraflocculus +parafoil +paraform +paraformaldehyde +paraforms +parafunction +paragammacism +paraganglion +paragaster +paragastral +paragastric +paragastrula +paragastrular +parage +paragenesia +paragenesis +paragenetic +paragenetically +paragenic +paragerontic +parageusia +parageusic +parageusis +paragglutination +paraglenal +paraglycogen +paraglider +paraglobin +paraglobulin +paraglossa +paraglossae +paraglossal +paraglossate +paraglossia +paragnath +paragnathism +paragnathous +paragnaths +paragnathus +paragneiss +paragnosia +paragoge +paragoges +paragogic +paragogical +paragogically +paragogize +paragon +Paragonah +paragoned +paragonimiasis +Paragonimus +paragoning +paragonite +paragonitic +paragonless +paragons +paragon's +Paragould +paragram +paragrammatist +paragraph +paragraphed +paragrapher +paragraphia +paragraphic +paragraphical +paragraphically +paragraphing +paragraphism +paragraphist +paragraphistical +paragraphize +paragraphs +Paraguay +Paraguayan +paraguayans +parah +paraheliotropic +paraheliotropism +parahematin +parahemoglobin +parahepatic +parahydrogen +parahypnosis +Parahippus +parahopeite +parahormone +Paraiba +Paraiyan +paraison +parakeet +parakeets +parakeratosis +parakilya +parakinesia +parakinesis +parakinetic +parakite +paralactate +paralalia +paralambdacism +paralambdacismus +paralanguage +paralaurionite +paraldehyde +parale +paralectotype +paralegal +paraleipsis +paralepsis +paralexia +paralexic +paralgesia +paralgesic +paralian +paralimnion +paralinguistic +paralinguistics +paralinin +paralipomena +Paralipomenon +Paralipomenona +paralipses +paralipsis +paralysation +paralyse +paralysed +paralyser +paralyses +paralysing +paralysis +paralytic +paralytica +paralitical +paralytical +paralytically +paralyzant +paralyzation +paralyze +paralyzed +paralyzedly +paralyzer +paralyzers +paralyzes +paralyzing +paralyzingly +parallactic +parallactical +parallactically +parallax +parallaxes +parallel +parallelable +paralleled +parallelepiped +parallelepipedal +parallelepipedic +parallelepipedon +parallelepipedonal +parallelepipedous +paralleler +parallelinervate +parallelinerved +parallelinervous +paralleling +parallelisation +parallelise +parallelised +parallelising +parallelism +parallelisms +parallelist +parallelistic +parallelith +parallelization +parallelize +parallelized +parallelizer +parallelizes +parallelizing +parallelled +parallelless +parallelly +parallelling +parallelodrome +parallelodromous +parallelogram +parallelogrammatic +parallelogrammatical +parallelogrammic +parallelogrammical +parallelograms +parallelogram's +parallelograph +parallelometer +parallelopiped +parallelopipedon +parallelotropic +parallelotropism +parallels +parallel-veined +parallelwise +parallepipedous +paralogy +paralogia +paralogic +paralogical +paralogician +paralogism +paralogist +paralogistic +paralogize +paralogized +paralogizing +paraluminite +param +paramagnet +paramagnetic +paramagnetically +paramagnetism +paramandelic +Paramaribo +paramarine +paramastigate +paramastitis +paramastoid +Paramatman +paramatta +paramecia +Paramecidae +Paramecium +parameciums +paramedian +paramedic +paramedical +paramedics +paramelaconite +paramenia +parament +paramenta +paraments +paramere +parameric +parameron +paramese +paramesial +parameter +parameterizable +parameterization +parameterizations +parameterization's +parameterize +parameterized +parameterizes +parameterizing +parameterless +parameters +parameter's +parametral +parametric +parametrical +parametrically +parametritic +parametritis +parametrium +parametrization +parametrize +parametrized +parametrizing +paramid +paramide +paramyelin +paramilitary +paramylum +paramimia +paramine +paramyoclonus +paramiographer +paramyosin +paramyosinogen +paramyotone +paramyotonia +paramita +paramitome +paramyxovirus +paramnesia +paramo +Paramoecium +paramorph +paramorphia +paramorphic +paramorphine +paramorphism +paramorphosis +paramorphous +paramos +Paramount +paramountcy +paramountly +paramountness +paramountship +paramour +paramours +Paramus +paramuthetic +Paran +Parana +Paranagua +paranasal +paranatellon +parandrus +paranema +paranematic +paranephric +paranephritic +paranephritis +paranephros +paranepionic +paranete +parang +parangi +parangs +paranymph +paranymphal +paranitraniline +para-nitrophenol +paranitrosophenol +paranja +paranoea +paranoeac +paranoeas +paranoia +paranoiac +paranoiacs +paranoias +paranoic +paranoid +paranoidal +paranoidism +paranoids +paranomia +paranormal +paranormality +paranormally +paranosic +paranotions +paranthelion +paranthracene +Paranthropus +paranuclear +paranucleate +paranuclei +paranucleic +paranuclein +paranucleinic +paranucleus +parao +paraoperation +Parapaguridae +paraparesis +paraparetic +parapathy +parapathia +parapdia +parapegm +parapegma +parapegmata +paraperiodic +parapet +parapetalous +parapeted +parapetless +parapets +parapet's +paraph +paraphasia +paraphasic +paraphed +paraphemia +paraphenetidine +para-phenetidine +paraphenylene +paraphenylenediamine +parapherna +paraphernal +paraphernalia +paraphernalian +paraphia +paraphilia +paraphiliac +paraphyllia +paraphyllium +paraphimosis +paraphing +paraphysate +paraphysical +paraphysiferous +paraphysis +paraphonia +paraphoniac +paraphonic +paraphototropism +paraphragm +paraphrasable +paraphrase +paraphrased +paraphraser +paraphrasers +paraphrases +paraphrasia +paraphrasian +paraphrasing +paraphrasis +paraphrasist +paraphrast +paraphraster +paraphrastic +paraphrastical +paraphrastically +paraphrenia +paraphrenic +paraphrenitis +paraphronesis +paraphrosyne +paraphs +paraplasis +paraplasm +paraplasmic +paraplastic +paraplastin +paraplectic +paraplegy +paraplegia +paraplegias +paraplegic +paraplegics +parapleuritis +parapleurum +parapod +parapodia +parapodial +parapodium +parapophysial +parapophysis +parapphyllia +parapraxia +parapraxis +paraproctitis +paraproctium +paraprofessional +paraprofessionals +paraprostatitis +paraprotein +parapsychical +parapsychism +parapsychology +parapsychological +parapsychologies +parapsychologist +parapsychologists +parapsychosis +Parapsida +parapsidal +parapsidan +parapsis +paraptera +parapteral +parapteron +parapterum +paraquadrate +Paraquat +paraquats +paraquet +paraquets +paraquinone +Pararctalia +Pararctalian +pararectal +pararek +parareka +para-rescue +pararhotacism +pararosaniline +pararosolic +pararthria +paras +parasaboteur +parasalpingitis +parasang +parasangs +parascene +parascenia +parascenium +parasceve +paraschematic +parasecretion +paraselenae +paraselene +paraselenic +parasemidin +parasemidine +parasexual +parasexuality +Parashah +Parashioth +Parashoth +parasigmatism +parasigmatismus +parasympathetic +parasympathomimetic +parasynapsis +parasynaptic +parasynaptist +parasyndesis +parasynesis +parasynetic +parasynovitis +parasynthesis +parasynthetic +parasyntheton +parasyphilis +parasyphilitic +parasyphilosis +parasystole +Parasita +parasital +parasitary +parasite +parasitelike +parasitemia +parasites +parasite's +parasithol +parasitic +Parasitica +parasitical +parasitically +parasiticalness +parasiticidal +parasiticide +parasiticidic +parasitics +parasiticus +Parasitidae +parasitism +parasitisms +parasitization +parasitize +parasitized +parasitizes +parasitizing +parasitogenic +parasitoid +parasitoidism +parasitoids +parasitology +parasitologic +parasitological +parasitologies +parasitologist +parasitophobia +parasitosis +parasitotrope +parasitotropy +parasitotropic +parasitotropism +paraskenion +para-ski +parasnia +parasol +parasoled +parasolette +parasols +parasol-shaped +paraspecific +parasphenoid +parasphenoidal +paraspy +paraspotter +parastades +parastas +parastatic +parastemon +parastemonal +parasternal +parasternum +parastichy +parastichies +parastyle +parasubphonate +parasubstituted +Parasuchia +parasuchian +paratactic +paratactical +paratactically +paratartaric +parataxic +parataxis +parate +paraterminal +Paratheria +paratherian +parathesis +parathetic +parathymic +parathion +parathyrin +parathyroid +parathyroidal +parathyroidectomy +parathyroidectomies +parathyroidectomize +parathyroidectomized +parathyroidectomizing +parathyroids +parathyroprival +parathyroprivia +parathyroprivic +parathormone +Para-thor-mone +paratype +paratyphlitis +paratyphoid +paratypic +paratypical +paratypically +paratitla +paratitles +paratitlon +paratoloid +paratoluic +paratoluidine +para-toluidine +paratomial +paratomium +paratonic +paratonically +paratonnerre +paratory +paratorium +paratracheal +paratragedia +paratragoedia +paratransversan +paratrichosis +paratrimma +paratriptic +paratroop +paratrooper +paratroopers +paratroops +paratrophy +paratrophic +paratuberculin +paratuberculosis +paratuberculous +paratungstate +paratungstic +paraunter +parava +paravaginitis +paravail +paravane +paravanes +paravant +paravauxite +paravent +paravertebral +paravesical +paravidya +parawing +paraxial +paraxially +paraxylene +paraxon +paraxonic +Parazoa +parazoan +parazonium +parbake +Parbate +Parber +parbleu +parboil +parboiled +parboiling +parboils +parbreak +parbuckle +parbuckled +parbuckling +PARC +Parca +Parcae +Parcel +parcel-blind +parcel-carrying +parcel-deaf +parcel-divine +parcel-drunk +parceled +parcel-gilder +parcel-gilding +parcel-gilt +Parcel-greek +parcel-guilty +parceling +parcellary +parcellate +Parcel-latin +parcellation +parcel-learned +parcelled +parcelling +parcellization +parcellize +parcel-mad +parcelment +parcel-packing +parcel-plate +parcel-popish +parcels +parcel-stupid +parcel-terrestrial +parcel-tying +parcelwise +parcenary +parcener +parceners +parcenership +parch +parchable +parched +parchedly +parchedness +Parcheesi +parchemin +parcher +parches +parchesi +parchy +parching +parchingly +parchisi +parchment +parchment-colored +parchment-covered +parchmenter +parchment-faced +parchmenty +parchmentize +parchmentized +parchmentizing +parchmentlike +parchment-maker +parchments +parchment-skinned +parchment-spread +parcidenta +parcidentate +parciloquy +parclose +Parcoal +parcook +pard +pardah +pardahs +pardal +pardale +pardalote +Pardanthus +pardao +pardaos +parde +parded +pardee +Pardeesville +Pardeeville +pardesi +Pardew +pardhan +pardi +pardy +pardie +pardieu +pardine +Pardner +pardners +pardnomastic +Pardo +Pardoes +pardon +pardonable +pardonableness +pardonably +pardoned +pardonee +pardoner +pardoners +pardoning +pardonless +pardonmonger +pardons +pards +Pardubice +Pare +parecy +parecious +pareciously +pareciousness +parecism +parecisms +pared +paregal +paregmenon +paregoric +paregorical +paregorics +Pareiasauri +Pareiasauria +pareiasaurian +Pareiasaurus +pareil +Pareioplitae +pareira +pareiras +pareja +parel +parelectronomy +parelectronomic +parella +parelle +parellic +paren +parencephalic +parencephalon +parenchym +parenchyma +parenchymal +parenchymatic +parenchymatitis +parenchymatous +parenchymatously +parenchyme +parenchymous +parenesis +parenesize +parenetic +parenetical +parennece +parennir +parens +Parent +parentage +parentages +parental +Parentalia +parentalism +parentality +parentally +parentate +parentation +parentdom +parented +parentela +parentele +parentelic +parenteral +parenterally +parentheses +parenthesis +parenthesize +parenthesized +parenthesizes +parenthesizing +parenthetic +parenthetical +parentheticality +parenthetically +parentheticalness +parenthood +parenthoods +parenticide +parenting +parent-in-law +parentis +parentless +parentlike +parents +parent's +parentship +Pareoean +parepididymal +parepididymis +parepigastric +parer +parerethesis +parerga +parergal +parergy +parergic +parergon +parers +pares +pareses +Paresh +paresis +paresthesia +paresthesis +paresthetic +parethmoid +paretic +paretically +paretics +Pareto +paretta +Parette +pareu +pareunia +pareus +pareve +parfait +parfaits +parfey +parfield +parfilage +Parfitt +parfleche +parflesh +parfleshes +parfocal +parfocality +parfocalize +parfum +parfumerie +parfumeur +parfumoir +pargana +pargasite +parge +pargeboard +parged +parges +parget +pargeted +pargeter +pargeting +pargets +pargetted +pargetting +pargyline +parging +pargings +pargo +pargos +Parhe +parhelia +parheliacal +parhelic +parhelion +parhelnm +parhypate +parhomology +parhomologous +pari +pari- +pariah +pariahdom +pariahism +pariahs +pariahship +parial +Parian +parians +Pariasauria +Pariasaurus +Paryavi +parica +Paricut +Paricutin +Paridae +paridigitate +paridrosis +paries +pariet +parietal +Parietales +parietals +parietary +Parietaria +parietes +parieto- +parietofrontal +parietojugal +parietomastoid +parieto-occipital +parietoquadrate +parietosphenoid +parietosphenoidal +parietosplanchnic +parietosquamosal +parietotemporal +parietovaginal +parietovisceral +parify +parigenin +pariglin +Parik +Parilia +Parilicium +parilla +parillin +parimutuel +pari-mutuel +parimutuels +Parinarium +parine +paring +parings +paryphodrome +paripinnate +Paris +parises +Parish +Parishad +parished +parishen +parishes +parishional +parishionally +parishionate +parishioner +parishioners +parishionership +parish-pump +parish-rigged +parish's +Parishville +parishwide +parisia +Parisian +Parisianism +Parisianization +Parisianize +Parisianly +parisians +parisienne +Parisii +parisyllabic +parisyllabical +parisis +parisite +parisology +parison +parisonic +paristhmic +paristhmion +Pariti +parity +parities +Paritium +paritor +parivincular +Parjanya +Park +parka +parkas +Parkdale +Parke +parked +parkee +Parker +Parkerford +parkers +Parkersburg +Parkesburg +Parkhall +parky +Parkin +parking +parkings +Parkinson +Parkinsonia +parkinsonian +Parkinsonism +parkish +parkland +parklands +parkleaves +parklike +Parkman +Parks +Parksley +Parkston +Parksville +Parkton +Parkville +parkway +parkways +parkward +Parl +Parl. +parlay +parlayed +parlayer +parlayers +parlaying +parlays +parlamento +parlance +parlances +parlando +parlante +parlatory +Parlatoria +parle +parled +Parley +parleyed +parleyer +parleyers +parleying +parleys +parleyvoo +parlement +parles +parlesie +parli +parly +parlia +Parliament +parliamental +parliamentary +Parliamentarian +parliamentarianism +parliamentarians +parliamentarily +parliamentariness +parliamentarism +parliamentarization +parliamentarize +parliamenteer +parliamenteering +parliamenter +parliaments +parliament's +Parlier +Parlin +parling +parlish +parlor +parlorish +parlormaid +parlors +parlor's +parlour +parlourish +parlours +parlous +parlously +parlousness +Parma +parmacety +parmack +parmak +Parmele +Parmelee +Parmelia +Parmeliaceae +parmeliaceous +parmelioid +Parmenidean +Parmenides +Parmentier +Parmentiera +Parmesan +Parmese +parmigiana +Parmigianino +Parmigiano +Parnahiba +Parnahyba +Parnaiba +Parnas +Parnassia +Parnassiaceae +parnassiaceous +Parnassian +Parnassianism +Parnassiinae +Parnassism +Parnassus +parnel +Parnell +Parnellism +Parnellite +Parnopius +parnorpine +paroarion +paroarium +paroccipital +paroch +parochial +parochialic +parochialis +parochialise +parochialised +parochialising +parochialism +parochialisms +parochialist +parochiality +parochialization +parochialize +parochially +parochialness +parochian +parochin +parochine +parochiner +parode +parodi +parody +parodiable +parodial +parodic +parodical +parodied +parodies +parodying +parodinia +parodyproof +parodist +parodistic +parodistically +parodists +parodize +parodoi +parodontia +parodontitia +parodontitis +parodontium +parodos +parodus +paroecy +paroecious +paroeciously +paroeciousness +paroecism +paroemia +paroemiac +paroemiographer +paroemiography +paroemiology +paroemiologist +paroicous +parol +parolable +parole +paroled +parolee +parolees +paroler +parolers +paroles +parolfactory +paroli +paroling +parolist +parols +paromoeon +paromologetic +paromology +paromologia +paromphalocele +paromphalocelic +Paron +paronychia +paronychial +paronychium +paronym +paronymy +paronymic +paronymization +paronymize +paronymous +paronyms +paronomasia +paronomasial +paronomasian +paronomasiastic +paronomastic +paronomastical +paronomastically +paroophoric +paroophoritis +paroophoron +paropsis +paroptesis +paroptic +paroquet +paroquets +parorchid +parorchis +parorexia +Paros +Parosela +parosmia +parosmic +parosteal +parosteitis +parosteosis +parostosis +parostotic +parostotis +Parotia +parotic +parotid +parotidean +parotidectomy +parotiditis +parotids +parotis +parotitic +parotitis +parotoid +parotoids +parous +Parousia +parousiamania +parovarian +parovariotomy +parovarium +Parowan +paroxazine +paroxysm +paroxysmal +paroxysmalist +paroxysmally +paroxysmic +paroxysmist +paroxysms +paroxytone +paroxytonic +paroxytonize +parpal +parpen +parpend +parquet +parquetage +parqueted +parqueting +parquetry +parquetries +parquets +Parr +Parra +parrah +parrakeet +parrakeets +parral +parrall +parrals +parramatta +parred +parrel +parrels +parrhesia +parrhesiastic +Parry +parriable +parricidal +parricidally +parricide +parricided +parricides +parricidial +parricidism +Parridae +parridge +parridges +Parrie +parried +parrier +parries +parrying +parring +Parrington +Parris +Parrisch +Parrish +parritch +parritches +Parryville +Parrnell +parrock +parroket +parrokets +parroque +parroquet +parrot +parrotbeak +parrot-beak +parrot-beaked +parrotbill +parrot-billed +parrot-coal +parroted +parroter +parroters +parrot-fashion +parrotfish +parrot-fish +parrotfishes +parrot-gray +parrothood +parroty +parroting +parrotism +parrotize +parrot-learned +parrotlet +parrotlike +parrot-mouthed +parrot-nosed +parrot-red +parrotry +parrots +parrot's-bill +parrot's-feather +Parrott +parrot-toed +Parrottsville +parrotwise +parrs +pars +parsable +Parsaye +parse +parsec +parsecs +parsed +Parsee +Parseeism +parser +parsers +parses +parsettensite +parseval +Parshall +Parshuram +Parsi +Parsic +Parsifal +Parsiism +parsimony +parsimonies +parsimonious +parsimoniously +parsimoniousness +parsing +parsings +Parsippany +Parsism +parsley +parsley-flavored +parsley-leaved +parsleylike +parsleys +parsleywort +parsnip +parsnips +parson +parsonage +parsonages +parsonarchy +parson-bird +parsondom +parsoned +parsonese +parsoness +parsonet +parsonhood +parsony +parsonic +parsonical +parsonically +parsoning +parsonish +parsonity +parsonize +parsonly +parsonlike +parsonolatry +parsonology +parsonry +Parsons +parson's +Parsonsburg +parsonship +Parsonsia +parsonsite +Parsva +part +part. +partable +partage +partakable +partake +partaken +partaker +partakers +partakes +partaking +Partan +partanfull +partanhanded +partans +part-created +part-done +parte +part-earned +parted +partedness +parten +parter +parterre +parterred +parterres +parters +partes +part-finished +part-heard +Parthen +Parthena +Parthenia +partheniad +Partheniae +parthenian +parthenic +Parthenium +Parthenius +parthenocarpelly +parthenocarpy +parthenocarpic +parthenocarpical +parthenocarpically +parthenocarpous +Parthenocissus +parthenogeneses +parthenogenesis +parthenogenetic +parthenogenetically +parthenogeny +parthenogenic +parthenogenitive +parthenogenous +parthenogone +parthenogonidium +Parthenolatry +parthenology +Parthenon +Parthenopaeus +parthenoparous +Parthenope +Parthenopean +parthenophobia +Parthenos +parthenosperm +parthenospore +Parthia +Parthian +Parthinia +par-three +parti +party +parti- +partial +partialed +partialise +partialised +partialising +partialism +partialist +partialistic +partiality +partialities +partialize +partially +partialness +partials +partiary +partibility +partible +particate +particeps +Particia +participability +participable +participance +participancy +participant +participantly +participants +participant's +participate +participated +participates +participating +participatingly +participation +participations +participative +participatively +participator +participatory +participators +participatress +participial +participiality +participialization +participialize +participially +participle +participles +particle +particlecelerator +particled +particles +particle's +parti-color +parti-colored +party-colored +parti-coloured +particular +particularisation +particularise +particularised +particulariser +particularising +particularism +particularist +particularistic +particularistically +particularity +particularities +particularization +particularize +particularized +particularizer +particularizes +particularizing +particularly +particularness +particulars +particulate +particule +parti-decorated +partie +partied +partier +partyer +partiers +partyers +parties +partigen +party-giving +partying +partyism +partyist +partykin +partile +partyless +partim +party-making +party-man +partimembered +partimen +partimento +partymonger +parti-mortgage +parti-named +parting +partings +partinium +party-political +partis +party's +partisan +partisanism +partisanize +partisanry +partisans +partisan's +partisanship +partisanships +partyship +party-spirited +parti-striped +partita +partitas +partite +partition +partitional +partitionary +partitioned +partitioner +partitioning +partitionist +partitionment +partitions +partitive +partitively +partitura +partiversal +partivity +party-wall +party-walled +partizan +partizans +partizanship +party-zealous +partley +partless +Partlet +partlets +partly +Partlow +partner +partnered +partnering +partnerless +partners +partnership +partnerships +parto +part-off +parton +partons +partook +part-opened +part-owner +Partridge +partridgeberry +partridge-berry +partridgeberries +partridgelike +partridges +partridge's +partridgewood +partridge-wood +partridging +parts +partschinite +part-score +part-song +part-time +part-timer +parture +parturiate +parturience +parturiency +parturient +parturifacient +parturition +parturitions +parturitive +partway +part-writing +Parukutu +parulis +parumbilical +parura +paruras +parure +parures +paruria +Parus +parvanimity +Parvati +parve +parvenu +parvenudom +parvenue +parvenuism +parvenus +parvi- +parvicellular +parviflorous +parvifoliate +parvifolious +parvipotent +parvirostrate +parvis +parviscient +parvise +parvises +parvitude +parvolin +parvoline +parvolins +parvule +parvuli +parvulus +Parzival +PAS +Pasadena +Pasadis +Pasahow +Pasay +pasan +pasang +Pasargadae +Pascagoula +Pascal +Pascale +pascals +Pascasia +Pasch +Pascha +paschal +paschalist +paschals +Paschaltide +Paschasia +pasch-egg +paschflower +paschite +Pascia +Pascin +Pasco +Pascoag +Pascoe +pascoite +Pascola +pascuage +Pascual +pascuous +Pas-de-Calais +pase +pasear +pasela +paseng +paseo +paseos +pases +pasewa +pasgarde +pash +pasha +pashadom +pashadoms +pashalic +pashalics +pashalik +pashaliks +pashas +pashaship +pashed +pashes +pashim +pashing +pashka +pashm +pashmina +Pasho +Pashto +pasi +Pasia +Pasigraphy +pasigraphic +pasigraphical +pasilaly +pasillo +Pasionaria +Pasiphae +pasis +Pasitelean +Pasithea +pask +Paske +Paskenta +Paski +pasmo +Paso +Pasol +Pasolini +Paspalum +Pasquale +Pasqualina +pasqueflower +pasque-flower +pasquil +pasquilant +pasquiler +pasquilic +pasquillant +pasquiller +pasquillic +pasquils +Pasquin +pasquinade +pasquinaded +pasquinader +pasquinades +pasquinading +Pasquinian +Pasquino +Pass +pass- +pass. +passable +passableness +passably +passacaglia +passacaglio +passade +passades +passado +passadoes +passados +Passadumkeag +passage +passageable +passage-boat +passaged +passage-free +passage-making +passager +passages +passage's +passageway +passageways +passage-work +passaggi +passaggio +Passagian +passaging +passagio +passay +Passaic +passalid +Passalidae +Passalus +Passamaquoddy +passament +passamezzo +passangrahan +passant +passaree +passata +passback +passband +passbands +pass-by +pass-bye +passbook +pass-book +passbooks +Passe +passed +passed-master +passee +passegarde +passel +passels +passemeasure +passement +passemented +passementerie +passementing +passemezzo +passen +passenger +passenger-mile +passenger-pigeon +passengers +passenger's +passe-partout +passe-partouts +passepied +Passer +passerby +passer-by +Passeres +passeriform +Passeriformes +Passerina +passerine +passerines +passers +passersby +passers-by +passes +passe-temps +passewa +passgang +pass-guard +Passy +passibility +passible +passibleness +Passiflora +Passifloraceae +passifloraceous +Passiflorales +passim +passymeasure +passy-measures +passimeter +passing +passingly +passingness +passing-note +passings +Passion +passional +passionary +passionaries +passionate +passionateless +passionately +passionateness +passionative +passionato +passion-blazing +passion-breathing +passion-colored +passion-distracted +passion-driven +passioned +passion-feeding +passion-filled +passionflower +passion-flower +passion-fraught +passion-frenzied +passionfruit +passionful +passionfully +passionfulness +passion-guided +Passionist +passion-kindled +passion-kindling +passion-led +passionless +passionlessly +passionlessness +passionlike +passionometer +passionproof +passion-proud +passion-ridden +passions +passion-shaken +passion-smitten +passion-stirred +passion-stung +passion-swayed +passion-thrilled +passion-thrilling +Passiontide +passion-torn +passion-tossed +passion-wasted +passion-winged +passionwise +passion-worn +passionwort +passir +passival +passivate +passivation +passive +passively +passive-minded +passiveness +passives +passivism +passivist +passivity +passivities +passkey +pass-key +passkeys +passless +passman +pass-man +passo +passometer +passout +pass-out +Passover +passoverish +passovers +passpenny +passport +passportless +passports +passport's +passsaging +passu +passulate +passulation +Passumpsic +passus +passuses +passway +passwoman +password +passwords +password's +passworts +Past +pasta +pastas +past-due +paste +pasteboard +pasteboardy +pasteboards +pasted +pastedness +pastedown +paste-egg +pastel +pastelist +pastelists +Pastelki +pastellist +pastellists +pastels +pastel-tinted +paster +pasterer +pastern +Pasternak +pasterned +pasterns +pasters +pastes +pasteup +paste-up +pasteups +Pasteur +Pasteurella +pasteurellae +pasteurellas +Pasteurelleae +pasteurellosis +Pasteurian +pasteurisation +pasteurise +pasteurised +pasteurising +pasteurism +pasteurization +pasteurizations +pasteurize +pasteurized +pasteurizer +pasteurizers +pasteurizes +pasteurizing +pasty +pasticcci +pasticci +pasticcio +pasticcios +pastiche +pastiches +pasticheur +pasticheurs +pasticheuse +pasticheuses +pastie +pastier +pasties +pastiest +pasty-faced +pasty-footed +pastil +pastile +pastiled +pastiling +pastille +pastilled +pastilles +pastilling +pastils +pastime +pastimer +pastimes +pastime's +pastina +Pastinaca +pastinas +pastiness +pasting +pastis +pastises +pastler +past-master +pastness +pastnesses +Pasto +pastophor +pastophorion +pastophorium +pastophorus +pastor +pastora +pastorage +pastoral +pastorale +pastoraled +pastorales +pastorali +pastoraling +pastoralisation +pastoralism +pastoralist +pastorality +pastoralization +pastoralize +pastoralized +pastoralizing +pastorally +pastoralness +pastorals +pastorate +pastorates +pastored +pastorela +pastor-elect +pastoress +pastorhood +pastoring +pastorised +pastorising +pastorita +pastorium +pastoriums +pastorize +pastorless +pastorly +pastorlike +pastorling +pastors +pastor's +pastorship +pastose +pastosity +pastour +pastourelle +pastrami +pastramis +pastry +pastrycook +pastries +pastryman +pastromi +pastromis +pasts +past's +pasturability +pasturable +pasturage +pastural +Pasture +pastured +pastureland +pastureless +pasturer +pasturers +pastures +pasture's +pasturewise +pasturing +pasul +PAT +pat. +pata +pataca +pat-a-cake +patacao +patacas +patache +pataco +patacoon +patagia +patagial +patagiate +patagium +Patagon +Patagones +Patagonia +Patagonian +pataka +patamar +patamars +patana +patand +patao +patapat +pataque +Pataria +Patarin +Patarine +Patarinism +patart +patas +patashte +Pataskala +patata +Patavian +patavinity +patball +patballer +patch +patchable +patchboard +patch-box +patchcock +patched +patcher +patchery +patcheries +patchers +patches +patchhead +patchy +patchier +patchiest +patchily +patchiness +patching +patchleaf +patchless +Patchogue +patchouli +patchouly +patchstand +patchwise +patchword +patchwork +patchworky +patchworks +patd +Pate +pated +patee +patefaction +patefy +patel +patella +patellae +patellar +patellaroid +patellas +patellate +Patellidae +patellidan +patelliform +patelline +patellofemoral +patelloid +patellula +patellulae +patellulate +Paten +patency +patencies +patener +patens +patent +patentability +patentable +patentably +patente +patented +patentee +patentees +patenter +patenters +patenting +patently +patentness +patentor +patentors +patents +Pater +patera +paterae +patercove +paterero +paterfamiliar +paterfamiliarly +paterfamilias +paterfamiliases +pateria +pateriform +paterissa +paternal +paternalism +paternalist +paternalistic +paternalistically +paternality +paternalize +paternally +paternalness +paternity +paternities +Paternoster +paternosterer +paternosters +Pateros +paters +Paterson +pates +patesi +patesiate +patetico +patgia +path +path- +Pathan +pathbreaker +Pathe +pathed +pathema +pathematic +pathematically +pathematology +pathenogenicity +pathetic +pathetical +pathetically +patheticalness +patheticate +patheticly +patheticness +pathetism +pathetist +pathetize +pathfarer +pathfind +pathfinder +pathfinders +pathfinding +pathy +pathic +pathicism +pathless +pathlessness +pathlet +pathment +pathname +pathnames +patho- +pathoanatomy +pathoanatomical +pathobiology +pathobiological +pathobiologist +pathochemistry +pathocure +pathodontia +pathoformic +pathogen +pathogene +pathogeneses +pathogenesy +pathogenesis +pathogenetic +pathogeny +pathogenic +pathogenically +pathogenicity +pathogenous +pathogens +pathogerm +pathogermic +pathognomy +pathognomic +pathognomical +pathognomonic +pathognomonical +pathognomonically +pathognostic +pathography +pathographic +pathographical +pathol +pathol. +patholysis +patholytic +pathology +pathologic +pathological +pathologically +pathologicoanatomic +pathologicoanatomical +pathologicoclinical +pathologicohistological +pathologicopsychological +pathologies +pathologist +pathologists +pathomania +pathometabolism +pathometer +pathomimesis +pathomimicry +pathomorphology +pathomorphologic +pathomorphological +pathoneurosis +pathonomy +pathonomia +pathophysiology +pathophysiologic +pathophysiological +pathophobia +pathophoresis +pathophoric +pathophorous +pathoplastic +pathoplastically +pathopoeia +pathopoiesis +pathopoietic +pathopsychology +pathopsychosis +pathoradiography +pathos +pathoses +pathosis +pathosocial +Pathrusim +paths +Pathsounder +pathway +pathwayed +pathways +pathway's +paty +patia +Patiala +patible +patibulary +patibulate +patibulated +Patience +patience-dock +patiences +patiency +patient +patienter +patientest +patientless +patiently +patientness +patients +Patillas +Patin +patina +patinae +patinaed +patinas +patinate +patinated +patination +patine +patined +patines +patining +patinize +patinized +patinous +patins +patio +patios +patise +patisserie +patisseries +patissier +patly +Patman +Patmian +Patmo +Patmore +Patmos +Patna +patness +patnesses +patnidar +Patnode +pato +patois +Patoka +patola +Paton +patonce +pat-pat +patr- +Patrai +Patras +Patrecia +patresfamilias +patri- +patria +patriae +patrial +patriarch +patriarchal +patriarchalism +patriarchally +patriarchate +patriarchates +patriarchdom +patriarched +patriarchess +patriarchy +patriarchic +patriarchical +patriarchically +patriarchies +patriarchism +patriarchist +patriarchs +patriarchship +Patric +Patrica +Patrice +patrices +Patrich +Patricia +Patrician +patricianhood +patricianism +patricianly +patricians +patrician's +patricianship +patriciate +patricidal +patricide +patricides +Patricio +Patrick +Patricksburg +patriclan +patriclinous +patrico +patridge +patrilateral +patrilineage +patrilineal +patrilineally +patrilinear +patrilinearly +patriliny +patrilinies +patrilocal +patrilocality +patrimony +patrimonial +patrimonially +patrimonies +patrimonium +patrin +Patriofelis +patriolatry +patriot +patrioteer +patriotess +patriotic +patriotical +patriotically +patriotics +patriotism +patriotisms +patriotly +patriots +patriot's +patriotship +Patripassian +Patripassianism +Patripassianist +Patripassianly +patripotestal +patrisib +patrist +patristic +patristical +patristically +patristicalness +patristicism +patristics +patrix +patrixes +patrizate +patrization +Patrizia +Patrizio +Patrizius +patrocinate +patrocinium +patrocliny +patroclinic +patroclinous +Patroclus +patrogenesis +patroiophobia +patrol +patrole +patrolled +patroller +patrollers +patrolling +patrollotism +patrolman +patrolmen +patrology +patrologic +patrological +patrologies +patrologist +patrols +patrol's +patrolwoman +patrolwomen +patron +patronage +patronages +patronal +patronate +patrondom +patroness +patronesses +patronessship +patronym +patronymy +patronymic +patronymically +patronymics +patronisable +patronise +patronised +patroniser +patronising +patronisingly +patronite +patronizable +patronization +patronize +patronized +patronizer +patronizers +patronizes +patronizing +patronizingly +patronless +patronly +patronne +patronomatology +patrons +patron's +patronship +patroon +patroonry +patroons +patroonship +patroullart +patruity +pats +Patsy +patsies +Patsis +Patt +patta +pattable +pattamar +pattamars +Pattani +pattara +patte +patted +pattee +Patten +pattened +pattener +pattens +patter +pattered +patterer +patterers +pattering +patterings +patterist +Patterman +pattern +patternable +pattern-bomb +patterned +patterner +patterny +patterning +patternize +patternless +patternlike +patternmaker +patternmaking +patterns +patternwise +patters +Patterson +Pattersonville +Patti +Patty +patty-cake +pattidari +Pattie +patties +Pattin +patting +pattinsonize +pattypan +pattypans +patty's +patty-shell +Pattison +pattle +Patton +Pattonsburg +Pattonville +pattoo +pattu +patu +patuca +patulent +patulin +patulous +patulously +patulousness +Patuxent +patwari +Patwin +patzer +patzers +PAU +paua +paucal +pauci- +pauciarticulate +pauciarticulated +paucidentate +paucify +pauciflorous +paucifoliate +paucifolious +paucijugate +paucilocular +pauciloquent +pauciloquently +pauciloquy +paucinervate +paucipinnate +pauciplicate +pauciradiate +pauciradiated +paucispiral +paucispirated +paucity +paucities +paucitypause +Paucker +Paugh +paughty +Pauiie +pauky +paukpan +Paul +Paula +paular +Paulden +Paulding +pauldron +pauldrons +Paule +Pauletta +Paulette +Pauli +Pauly +Pauliad +Paulian +Paulianist +Pauliccian +paulician +Paulicianism +Paulie +paulin +Paulina +Pauline +Pauling +Paulinia +Paulinian +Paulinism +Paulinist +Paulinistic +Paulinistically +Paulinity +Paulinize +paulins +Paulinus +Paulism +Paulist +Paulista +Paulita +Paulite +Paull +Paullina +Paulo +paulopast +paulopost +paulo-post-future +paulospore +Paulownia +Paul-Pry +Paulsboro +Paulsen +Paulson +Paulus +Paumari +Paumgartner +paunch +paunche +paunched +paunches +paunchful +paunchy +paunchier +paunchiest +paunchily +paunchiness +paup +Paupack +pauper +pauperage +pauperate +pauper-born +pauper-bred +pauper-breeding +pauperdom +paupered +pauperess +pauper-fed +pauper-feeding +paupering +pauperis +pauperisation +pauperise +pauperised +pauperiser +pauperising +pauperism +pauperisms +pauperitic +pauperization +pauperize +pauperized +pauperizer +pauperizes +pauperizing +pauper-making +paupers +Paur +pauraque +Paurometabola +paurometaboly +paurometabolic +paurometabolism +paurometabolous +pauropod +Pauropoda +pauropodous +pausably +pausai +pausal +pausalion +Pausanias +pausation +pause +paused +pauseful +pausefully +pauseless +pauselessly +pausement +pauser +pausers +pauses +pausing +pausingly +paussid +Paussidae +paut +Pauwles +pauxi +pav +pavade +pavage +pavan +pavane +pavanes +pavanne +pavans +pave +paved +paveed +Pavel +pavement +pavemental +pavements +pavement's +paven +Paver +pavers +paves +Pavese +pavestone +Pavetta +pavy +Pavia +pavid +pavidity +Pavier +Pavyer +pavies +pavilion +pavilioned +pavilioning +pavilions +pavilion's +Pavillion +pavillon +pavin +paving +pavings +pavins +Pavior +paviors +Paviotso +Paviotsos +Paviour +paviours +pavis +pavisade +pavisado +pavise +paviser +pavisers +pavises +pavisor +pavisse +Pavkovic +Pavla +Pavlish +Pavlodar +Pavlov +Pavlova +pavlovian +Pavo +pavois +pavonated +pavonazzetto +pavonazzo +Pavoncella +pavone +Pavonia +pavonian +pavonine +Pavonis +pavonize +paw +pawaw +Pawcatuck +pawdite +pawed +pawed-over +pawer +pawers +Pawhuska +pawing +pawk +pawkery +pawky +pawkier +pawkiest +pawkily +pawkiness +pawkrie +pawl +Pawlet +Pawling +pawls +pawmark +pawn +pawnable +pawnage +pawnages +pawnbroker +pawnbrokerage +pawnbrokeress +pawnbrokery +pawnbrokering +pawnbrokers +pawnbroking +pawned +Pawnee +Pawneerock +pawnees +pawner +pawners +pawnie +pawning +pawnor +pawnors +pawns +pawn's +pawnshop +pawnshops +Pawpaw +paw-paw +paw-pawness +pawpaws +paws +Pawsner +Pawtucket +PAX +paxes +Paxico +paxilla +paxillae +paxillar +paxillary +paxillate +paxilli +paxilliferous +paxilliform +Paxillosa +paxillose +paxillus +Paxinos +paxiuba +Paxon +Paxton +Paxtonville +paxwax +paxwaxes +Paz +Paza +pazaree +pazazz +pazazzes +Pazend +Pazia +Pazice +Pazit +PB +PBC +PBD +PBM +PBS +PBT +PBX +pbxes +PC +pc. +PCA +PCAT +PCB +PCC +PCDA +PCDOS +P-Celtic +PCF +PCH +PCI +PCIE +PCL +PCM +PCN +PCNFS +PCO +PCPC +PCS +PCSA +pct +pct. +PCTE +PCTS +PCTV +PD +pd. +PDAD +PDE +PDES +PDF +PDI +PDL +PDN +PDP +PDQ +PDS +PDSA +PDSP +PDT +PDU +PE +pea +peaberry +peabird +Peabody +peabrain +pea-brained +peabush +Peace +peace-abiding +peaceable +peaceableness +peaceably +peace-blessed +peacebreaker +peacebreaking +peace-breathing +peace-bringing +peaced +peace-enamored +peaceful +peacefuller +peacefullest +peacefully +peacefulness +peace-giving +peace-inspiring +peacekeeper +peacekeepers +peacekeeping +peacekeepings +peaceless +peacelessness +peacelike +peace-loving +peace-lulled +peacemake +peacemaker +peacemakers +peacemaking +peaceman +peacemonger +peacemongering +peacenik +peace-offering +peace-preaching +peace-procuring +peace-restoring +peaces +peacetime +peacetimes +peace-trained +peach +Peacham +peachberry +peachbloom +peachblossom +peach-blossom +peachblow +peach-blow +Peachbottom +peach-colored +peached +peachen +peacher +peachery +peachers +peaches +peachy +peachick +pea-chick +peachier +peachiest +peachify +peachy-keen +peachiness +peaching +Peachland +peach-leaved +peachlet +peachlike +peach's +Peachtree +peachwood +peachwort +peacing +peacoat +pea-coat +peacoats +Peacock +peacock-blue +peacocked +peacockery +peacock-feathered +peacock-fish +peacock-flower +peacock-herl +peacock-hued +peacocky +peacockier +peacockiest +peacocking +peacockish +peacockishly +peacockishness +peacockism +peacockly +peacocklike +peacocks +peacock's +peacock-spotted +peacock-voiced +peacockwise +peacod +pea-combed +Peadar +pea-flower +pea-flowered +peafowl +peafowls +peag +peage +peages +peagoose +peags +peahen +peahens +peai +peaiism +pea-jacket +peak +Peake +peaked +peakedly +peakedness +peaker +peakgoose +peaky +peakier +peakiest +peaky-faced +peakyish +peakily +peakiness +peaking +peakish +peakishly +peakishness +peakless +peaklike +peaks +peakward +peal +Peale +pealed +pealer +pealike +pealing +peals +peamouth +peamouths +pean +Peano +peans +peanut +peanuts +peanut's +Peapack +pea-picking +peapod +pear +Pearblossom +Pearce +pearceite +pearch +Pearcy +Peary +Pearisburg +Pearl +Pearla +Pearland +pearlash +pearl-ash +pearlashes +pearl-barley +pearl-bearing +pearlberry +pearl-besprinkled +pearlbird +pearl-bordered +pearlbush +pearl-bush +pearl-coated +pearl-colored +pearl-crowned +Pearle +pear-leaved +pearled +pearleye +pearleyed +pearl-eyed +pearleyes +pearl-encrusted +pearler +pearlers +pearlescence +pearlescent +pearlet +pearlfish +pearl-fishery +pearlfishes +pearlfruit +pearl-gemmed +pearl-gray +pearl-handled +pearl-headed +pearl-hued +pearly +pearlier +pearliest +pearl-yielding +pearlike +pearlin +Pearline +pearliness +pearling +pearlings +Pearlington +pearlish +pearlite +pearlites +pearlitic +pearly-white +pearlized +pearl-like +pearl-lined +pearl-lipped +Pearlman +pearloyster +pearl-oyster +pearl-pale +pearl-pure +pearl-round +pearls +pearl's +pearl-set +pearl-shell +pearlsides +pearlspar +Pearlstein +pearlstone +pearl-studded +pearl-teethed +pearl-toothed +pearlweed +pearl-white +pearlwort +pearl-wreathed +pearmain +pearmains +Pearman +pearmonger +Pears +Pearsall +Pearse +pear-shaped +Pearson +peart +pearten +pearter +peartest +peartly +peartness +pearwood +peas +pea's +peasant +peasant-born +peasantess +peasanthood +peasantism +peasantize +peasantly +peasantlike +peasantry +peasantries +peasants +peasant's +peasantship +peascod +peascods +Pease +peasecod +peasecods +peaselike +peasen +peases +peaseweep +pea-shoot +peashooter +peasy +pea-sized +peason +pea-soup +peasouper +pea-souper +pea-soupy +peastake +peastaking +Peaster +peastick +peasticking +peastone +peat +peatery +peathouse +peaty +peatier +peatiest +peatman +peatmen +pea-tree +Peatroy +peat-roofed +peats +peatship +peat-smoked +peatstack +peatweed +peatwood +peauder +peavey +peaveys +peavy +peavie +peavies +peavine +Peba +Peban +pebble +pebble-covered +pebbled +pebble-dashed +pebblehearted +pebble-paved +pebble-paven +pebbles +pebble's +pebble-shaped +pebblestone +pebble-stone +pebble-strewn +pebbleware +pebbly +pebblier +pebbliest +pebbling +pebrine +pebrinous +Pebrook +Pebworth +pecan +pecans +Pecatonica +PECC +peccability +peccable +peccadillo +peccadilloes +peccadillos +peccancy +peccancies +peccant +peccantly +peccantness +peccary +peccaries +peccation +peccatiphobia +peccatophobia +peccavi +peccavis +pech +pechay +pechan +pechans +peched +Pechenga +pechili +peching +pechys +Pechora +pechs +pecht +pecify +pecite +Peck +peckage +pecked +pecker +peckers +peckerwood +pecket +peckful +Peckham +peckhamite +pecky +peckier +peckiest +peckiness +pecking +Peckinpah +peckish +peckishly +peckishness +peckle +peckled +peckly +pecks +Pecksniff +Pecksniffery +Pecksniffian +Pecksniffianism +Pecksniffism +Peckville +Peconic +Pecopteris +pecopteroid +Pecora +Pecorino +Pecos +Pecs +pectase +pectases +pectate +pectates +pecten +pectens +pectic +pectin +Pectinacea +pectinacean +pectinaceous +pectinal +pectinase +pectinate +pectinated +pectinately +pectinatella +pectination +pectinatodenticulate +pectinatofimbricate +pectinatopinnate +pectineal +pectines +pectinesterase +pectineus +pectini- +pectinibranch +Pectinibranchia +pectinibranchian +Pectinibranchiata +pectinibranchiate +pectinic +pectinid +Pectinidae +pectiniferous +pectiniform +pectinirostrate +pectinite +pectinogen +pectinoid +pectinose +pectinous +pectins +pectizable +pectization +pectize +pectized +pectizes +pectizing +pectocellulose +pectolite +pectora +pectoral +pectorales +pectoralgia +pectoralis +pectoralist +pectorally +pectorals +pectoriloque +pectoriloquy +pectoriloquial +pectoriloquism +pectoriloquous +pectoris +pectosase +pectose +pectosic +pectosinase +pectous +pectron +pectunculate +Pectunculus +pectus +peculatation +peculatations +peculate +peculated +peculates +peculating +peculation +peculations +peculator +peculators +peculia +peculiar +peculiarise +peculiarised +peculiarising +peculiarism +peculiarity +peculiarities +peculiarity's +peculiarization +peculiarize +peculiarized +peculiarizing +peculiarly +peculiarness +peculiars +peculiarsome +peculium +pecunia +pecunial +pecuniary +pecuniarily +pecuniosity +pecunious +ped +ped- +ped. +peda +pedage +pedagese +pedagog +pedagogal +pedagogery +pedagogy +pedagogyaled +pedagogic +pedagogical +pedagogically +pedagogics +pedagogies +pedagogying +pedagogish +pedagogism +pedagogist +pedagogs +pedagogue +pedagoguery +pedagogues +pedagoguish +pedagoguism +Pedaiah +Pedaias +pedal +pedaled +pedaler +pedalfer +pedalferic +pedalfers +Pedaliaceae +pedaliaceous +pedalian +pedalier +pedaliers +pedaling +Pedalion +pedalism +pedalist +pedaliter +pedality +Pedalium +pedalled +pedaller +pedalling +pedalo +pedal-pushers +pedals +pedanalysis +pedant +pedante +pedantesque +pedantess +pedanthood +pedantic +pedantical +pedantically +pedanticalness +pedanticism +pedanticly +pedanticness +pedantics +pedantism +pedantize +pedantocracy +pedantocrat +pedantocratic +pedantry +pedantries +pedants +pedary +pedarian +Pedasus +Pedata +pedate +pedated +pedately +pedati- +pedatifid +pedatiform +pedatilobate +pedatilobed +pedatinerved +pedatipartite +pedatisect +pedatisected +pedatrophy +pedatrophia +PedD +Peddada +pedder +peddlar +peddle +peddled +peddler +peddleress +peddlery +peddleries +peddlerism +peddlers +peddler's +peddles +peddling +peddlingly +pede +pedee +pedelion +Peder +pederast +pederasty +pederastic +pederastically +pederasties +pederasts +pederero +Pedersen +Pederson +pedes +pedeses +pedesis +pedestal +pedestaled +pedestaling +pedestalled +pedestalling +pedestals +pedestrial +pedestrially +pedestrian +pedestrianate +pedestrianise +pedestrianised +pedestrianising +pedestrianism +pedestrianize +pedestrianized +pedestrianizing +pedestrians +pedestrian's +pedestrious +pedetentous +Pedetes +pedetic +Pedetidae +Pedetinae +Pedi +pedi- +pediad +pediadontia +pediadontic +pediadontist +pedial +pedialgia +Pediastrum +pediatry +pediatric +pediatrician +pediatricians +pediatrics +pediatrist +pedicab +pedicabs +pedicel +pediceled +pedicellar +pedicellaria +pedicellate +pedicellated +pedicellation +pedicelled +pedicelliform +Pedicellina +pedicellus +pedicels +pedicle +pedicled +pedicles +pedicular +Pedicularia +Pedicularis +pediculate +pediculated +Pediculati +pediculation +pedicule +Pediculi +pediculicidal +pediculicide +pediculid +Pediculidae +Pediculina +pediculine +pediculofrontal +pediculoid +pediculoparietal +pediculophobia +pediculosis +pediculous +Pediculus +pedicure +pedicured +pedicures +pedicuring +pedicurism +pedicurist +pedicurists +pediferous +pediform +pedigerous +pedigraic +pedigree +pedigreed +pedigreeless +pedigrees +pediluvium +Pedimana +pedimane +pedimanous +pediment +pedimental +pedimented +pediments +pedimentum +pediococci +pediococcocci +pediococcus +Pedioecetes +pedion +pedionomite +Pedionomus +pedipalp +pedipalpal +pedipalpate +Pedipalpi +Pedipalpida +pedipalpous +pedipalps +pedipalpus +pedipulate +pedipulation +pedipulator +PEDir +pediwak +pedlar +pedlary +pedlaries +pedlars +pedler +pedlery +pedleries +pedlers +pedo- +pedobaptism +pedobaptist +pedocal +pedocalcic +pedocalic +pedocals +pedodontia +pedodontic +pedodontist +pedodontology +pedogenesis +pedogenetic +pedogenic +pedograph +pedology +pedologic +pedological +pedologies +pedologist +pedologistical +pedologistically +pedomancy +pedomania +pedometer +pedometers +pedometric +pedometrical +pedometrically +pedometrician +pedometrist +pedomorphic +pedomorphism +pedomotive +pedomotor +pedophile +pedophilia +pedophiliac +pedophilic +pedophobia +pedosphere +pedospheric +pedotribe +pedotrophy +pedotrophic +pedotrophist +pedrail +pedregal +Pedrell +pedrero +Pedrick +Pedricktown +Pedro +pedros +Pedrotti +Pedroza +peds +pedule +pedum +peduncle +peduncled +peduncles +peduncular +Pedunculata +pedunculate +pedunculated +pedunculation +pedunculi +pedunculus +pee +peebeen +peebeens +Peebles +Peeblesshire +peed +Peedee +peeing +peek +peekaboo +peekaboos +peek-bo +peeke +peeked +peeking +peeks +Peekskill +Peel +peelable +peelcrow +Peele +peeled +peeledness +peeler +peelers +peelhouse +peelie-wally +peeling +peelings +Peelism +Peelite +Peell +peelman +peels +peen +Peene +peened +peenge +peening +peens +peen-to +peeoy +peep +peep-bo +peeped +pee-pee +peepeye +peeper +peepers +peephole +peep-hole +peepholes +peepy +peeping +peeps +peepshow +peep-show +peepshows +peepul +peepuls +Peer +peerage +peerages +Peerce +peerdom +peered +peeress +peeresses +peerhood +Peery +peerie +peeries +peering +peeringly +Peerless +peerlessly +peerlessness +peerly +peerling +Peers +peership +peert +pees +peesash +peeseweep +peesoreh +peesweep +peesweeps +peetweet +peetweets +Peetz +peeve +peeved +peevedly +peevedness +Peever +peevers +peeves +peeving +peevish +peevishly +peevishness +peevishnesses +peewee +peeweep +peewees +peewit +peewits +Peg +Pega +pegador +peg-a-lantern +pegall +pegamoid +peganite +Peganum +Pegasean +Pegasian +Pegasid +Pegasidae +pegasoid +Pegasus +pegboard +pegboards +pegbox +pegboxes +Pegeen +Pegg +pegged +pegger +Peggi +Peggy +Peggie +peggymast +pegging +Peggir +peggle +Peggs +pegh +peglegged +pegless +peglet +peglike +Pegma +pegman +pegmatite +pegmatitic +pegmatization +pegmatize +pegmatoid +pegmatophyre +pegmen +pegology +pegomancy +pegoxyl +Pegram +pegroots +pegs +peg's +peg-top +pegtops +Pegu +Peguan +pegwood +Peh +Pehlevi +peho +pehs +Pehuenche +PEI +Peiching +Pei-ching +Peyerian +peignoir +peignoirs +peiktha +pein +peine +peined +peining +peins +peyote +peyotes +peyotyl +peyotyls +peyotism +peyotl +peyotls +Peiping +Peipus +Peiraeus +Peiraievs +peirameter +peirastic +peirastically +Peirce +Peirsen +peisage +peisant +Peisch +peise +peised +Peisenor +peiser +peises +peising +Peisistratus +Peyter +Peitho +Peyton +Peytona +Peytonsburg +peytral +peytrals +peitrel +peytrel +peytrels +peixere +peixerey +peize +Pejepscot +pejerrey +pejorate +pejoration +pejorationist +pejorative +pejoratively +pejoratives +pejorism +pejorist +pejority +Pejsach +pekan +pekans +peke +pekes +Pekin +Pekinese +Peking +Pekingese +pekins +pekoe +pekoes +Pel +pelade +peladic +pelado +peladore +Pelag +Pelaga +Pelage +pelages +Pelagi +Pelagia +pelagial +Pelagian +Pelagianism +Pelagianize +Pelagianized +Pelagianizer +Pelagianizing +Pelagias +pelagic +Pelagius +Pelagon +Pelagothuria +pelagra +Pelahatchie +pelamyd +pelanos +Pelargi +pelargic +Pelargikon +pelargomorph +Pelargomorphae +pelargomorphic +pelargonate +pelargonic +pelargonidin +pelargonin +pelargonium +Pelasgi +Pelasgian +Pelasgic +Pelasgikon +Pelasgoi +Pelasgus +Pele +pelean +pelecan +Pelecani +Pelecanidae +Pelecaniformes +Pelecanoides +Pelecanoidinae +Pelecanus +Pelecyopoda +pelecypod +Pelecypoda +pelecypodous +pelecoid +Pelee +Pelegon +pelelith +peleliu +peleng +pelerin +pelerine +pelerines +peles +peletre +Peleus +Pelew +pelf +pelfs +Pelham +Pelias +pelican +pelicanry +pelicans +pelick +pelycogram +pelycography +pelycology +pelicometer +pelycometer +pelycometry +pelycosaur +Pelycosauria +pelycosaurian +Pelides +Pelidnota +pelikai +pelike +peliom +pelioma +Pelion +peliosis +pelisse +pelisses +pelite +pelites +pelitic +Pelkie +Pell +Pella +Pellaea +pellage +pellagra +pellagragenic +pellagras +pellagric +pellagrin +pellagroid +pellagrose +pellagrous +Pellan +pellar +pellard +pellas +pellate +pellation +Pelleas +Pellegrini +pellekar +peller +Pelles +Pellet +pelletal +pelleted +pellety +Pelletier +pelletierine +pelleting +pelletization +pelletize +pelletized +pelletizer +pelletizes +pelletizing +pelletlike +pellets +Pellian +pellicle +pellicles +pellicula +pellicular +pellicularia +pelliculate +pellicule +Pelligrini +Pellikka +pellile +pellitory +pellitories +pellmell +pell-mell +pellmells +pellock +pellotin +pellotine +Pellston +pellucent +pellucid +pellucidity +pellucidly +pellucidness +Pellville +Pelmanism +Pelmanist +Pelmanize +Pelmas +pelmata +pelmatic +pelmatogram +Pelmatozoa +pelmatozoan +pelmatozoic +pelmet +pelmets +pelo- +Pelobates +pelobatid +Pelobatidae +pelobatoid +Pelodytes +pelodytid +Pelodytidae +pelodytoid +peloid +Pelomedusa +pelomedusid +Pelomedusidae +pelomedusoid +Pelomyxa +pelon +Pelopaeus +Pelopea +Pelopi +Pelopia +Pelopid +Pelopidae +Peloponnese +Peloponnesian +Peloponnesos +Peloponnesus +Pelops +peloria +pelorian +pelorias +peloriate +peloric +pelorism +pelorization +pelorize +pelorized +pelorizing +pelorus +peloruses +pelota +Pelotas +pelotherapy +peloton +Pelpel +Pelson +Pelsor +pelt +pelta +peltae +Peltandra +peltast +peltasts +peltate +peltated +peltately +peltatifid +peltation +peltatodigitate +pelted +pelter +peltered +pelterer +pelters +pelti- +Peltier +peltiferous +peltifolious +peltiform +Peltigera +Peltigeraceae +peltigerine +peltigerous +peltinervate +peltinerved +pelting +peltingly +peltish +peltless +peltmonger +Peltogaster +peltry +peltries +pelts +Peltz +pelu +peludo +pelure +Pelusios +pelveoperitonitis +pelves +Pelvetia +pelvi- +pelvic +pelvics +pelviform +pelvigraph +pelvigraphy +pelvimeter +pelvimetry +pelvimetric +pelviolithotomy +pelvioperitonitis +pelvioplasty +pelvioradiography +pelvioscopy +pelviotomy +pelviperitonitis +pelvirectal +pelvis +pelvisacral +pelvises +pelvisternal +pelvisternum +Pelzer +PEM +Pemaquid +Pemba +Pember +Pemberton +Pemberville +Pembina +pembinas +Pembine +Pembroke +Pembrokeshire +Pembrook +pemican +pemicans +pemmican +pemmicanization +pemmicanize +pemmicans +pemoline +pemolines +pemphigoid +pemphigous +pemphigus +pemphix +pemphixes +PEN +pen- +Pen. +Pena +penacute +Penaea +Penaeaceae +penaeaceous +penal +penalisable +penalisation +penalise +penalised +penalises +penalising +penalist +penality +penalities +penalizable +penalization +penalize +penalized +penalizes +penalizing +penally +Penalosa +penalty +penalties +penalty's +penance +penanced +penanceless +penancer +penances +penancy +penancing +pen-and-ink +Penang +penang-lawyer +penangs +penannular +Penargyl +penaria +Penasco +Penates +penbard +pen-bearing +pen-cancel +pencatite +Pence +pencey +pencel +penceless +pencels +penchant +penchants +penche +Penchi +penchute +pencil +pencil-case +penciled +penciler +pencilers +pencil-formed +penciliform +penciling +pencilled +penciller +pencillike +pencilling +pencil-mark +pencilry +pencils +pencil-shaped +pencilwood +penclerk +pen-clerk +pencraft +pend +penda +pendaflex +pendant +pendanted +pendanting +pendantlike +pendants +pendant-shaped +pendant-winding +pendative +pendecagon +pended +pendeloque +pendency +pendencies +pendens +pendent +pendente +pendentive +pendently +pendents +Pender +Penderecki +Pendergast +Pendergrass +pendicle +pendicler +pending +pendle +Pendleton +pendn +pendom +Pendragon +pendragonish +pendragonship +pen-driver +Pendroy +pends +pendulant +pendular +pendulate +pendulating +pendulation +pendule +penduline +pendulosity +pendulous +pendulously +pendulousness +pendulum +pendulumlike +pendulums +pendulum's +pene- +penecontemporaneous +penectomy +peneid +Peneios +Penelopa +Penelope +Penelopean +Penelophon +Penelopinae +penelopine +peneplain +peneplains +peneplanation +peneplane +penes +peneseismic +penest +penetrability +penetrable +penetrableness +penetrably +penetral +penetralia +penetralian +penetrameter +penetrance +penetrancy +penetrant +penetrate +penetrated +penetrates +penetrating +penetratingly +penetratingness +penetration +penetrations +penetrative +penetratively +penetrativeness +penetrativity +penetrator +penetrators +penetrator's +penetrology +penetrolqgy +penetrometer +Peneus +pen-feather +pen-feathered +Penfield +penfieldite +pen-fish +penfold +penful +peng +Pengelly +Penghu +P'eng-hu +penghulu +Penghutao +Pengilly +pengo +pengos +Pengpu +penguin +penguinery +penguins +penguin's +pengun +Penh +Penhall +penhead +penholder +Penhook +penial +peniaphobia +penible +penicil +penicilium +penicillate +penicillated +penicillately +penicillation +penicillia +penicilliform +penicillin +penicillinic +penicillins +Penicillium +penicils +penide +penile +penillion +Peninsula +peninsular +peninsularism +peninsularity +peninsulas +peninsula's +peninsulate +penintime +peninvariant +penis +penises +penistone +Penitas +penitence +penitencer +penitences +penitency +penitent +Penitente +Penitentes +penitential +penitentially +penitentials +penitentiary +penitentiaries +penitentiaryship +penitently +penitents +penitis +penk +penkeeper +Penki +penknife +penknives +Penland +penlight +penlights +penlike +penlite +penlites +penlop +penmaker +penmaking +Penman +penmanship +penmanships +penmaster +penmen +Penn +Penn. +Penna +pennaceous +Pennacook +pennae +pennage +Pennales +penname +pennames +pennant +pennants +pennant-winged +Pennaria +Pennariidae +Pennatae +pennate +pennated +pennati- +pennatifid +pennatilobate +pennatipartite +pennatisect +pennatisected +Pennatula +Pennatulacea +pennatulacean +pennatulaceous +pennatularian +pennatulid +Pennatulidae +pennatuloid +Pennebaker +penned +penneech +penneeck +Penney +Pennell +Pennellville +penner +penners +penner-up +pennet +Penni +Penny +penni- +pennia +penny-a-line +penny-a-liner +Pennyan +pennybird +pennycress +penny-cress +penny-dreadful +Pennie +pennyearth +pennied +pennies +penny-farthing +penniferous +pennyflower +penniform +penny-gaff +pennigerous +penny-grass +pennyhole +pennyland +pennyleaf +penniless +pennilessly +pennilessness +pennill +pennine +penninervate +penninerved +Pennines +penning +Pennington +penninite +penny-pinch +penny-pincher +penny-pinching +penny-plain +pennipotent +pennyroyal +pennyroyals +pennyrot +pennis +penny's +Pennisetum +pennysiller +pennystone +penny-stone +penniveined +pennyweight +pennyweights +pennywhistle +penny-whistle +pennywinkle +pennywise +penny-wise +pennywort +pennyworth +pennyworths +Pennlaird +Pennock +pennon +pennoncel +pennoncelle +pennoned +pennons +pennopluma +pennoplume +pennorth +Pennsauken +Pennsboro +Pennsburg +Pennsylvania +Pennsylvanian +pennsylvanians +pennsylvanicus +Pennsville +pennuckle +Pennville +Penobscot +Penobscots +penoche +penoches +penochi +Penoyer +Penokee +penology +penologic +penological +penologies +penologist +penologists +penoncel +penoncels +penorcon +penoun +penpoint +penpoints +penpusher +pen-pusher +penrack +Penryn +Penrith +Penrod +Penrose +penroseite +pens +Pensacola +penscript +pense +pensee +Pensees +penseful +pensefulness +penseroso +pen-shaped +penship +pensy +pensil +pensile +pensileness +pensility +pensils +pension +pensionable +pensionably +pensionary +pensionaries +pensionat +pensione +pensioned +pensioner +pensioners +pensionership +pensiones +pensioning +pensionless +pensionnaire +pensionnat +pensionry +pensions +pensive +pensived +pensively +pensiveness +penstemon +penster +pensters +penstick +penstock +penstocks +pensum +Pent +penta +penta- +penta-acetate +pentabasic +pentabromide +pentacapsular +pentacarbon +pentacarbonyl +pentacarpellary +pentace +pentacetate +pentachenium +pentachloride +pentachlorophenol +pentachord +pentachromic +pentacyanic +pentacyclic +pentacid +pentacle +pentacles +pentacoccous +pentacontane +pentacosane +Pentacrinidae +pentacrinite +pentacrinoid +Pentacrinus +pentacron +pentacrostic +pentactinal +pentactine +pentacular +pentad +pentadactyl +Pentadactyla +pentadactylate +pentadactyle +pentadactylism +pentadactyloid +pentadecagon +pentadecahydrate +pentadecahydrated +pentadecane +pentadecatoic +pentadecyl +pentadecylic +pentadecoic +pentadelphous +pentadic +pentadicity +pentadiene +pentadodecahedron +pentadrachm +pentadrachma +pentads +pentaerythrite +pentaerythritol +pentafid +pentafluoride +pentagamist +pentagyn +Pentagynia +pentagynian +pentagynous +pentaglossal +pentaglot +pentaglottical +Pentagon +pentagonal +pentagonally +Pentagonese +pentagonohedron +pentagonoid +pentagonon +pentagons +pentagon's +pentagram +pentagrammatic +pentagrams +pentagrid +pentahalide +pentahedra +pentahedral +pentahedrical +pentahedroid +pentahedron +pentahedrous +pentahexahedral +pentahexahedron +pentahydrate +pentahydrated +pentahydric +pentahydroxy +pentail +pen-tailed +pentaiodide +pentalobate +pentalogy +pentalogies +pentalogue +pentalpha +Pentamera +pentameral +pentameran +pentamery +pentamerid +Pentameridae +pentamerism +pentameroid +pentamerous +Pentamerus +pentameter +pentameters +pentamethylene +pentamethylenediamine +pentametrist +pentametrize +pentander +Pentandria +pentandrian +pentandrous +pentane +pentanedione +pentanes +pentangle +pentangular +pentanitrate +pentanoic +pentanol +pentanolide +pentanone +pentapeptide +pentapetalous +Pentaphylacaceae +pentaphylacaceous +Pentaphylax +pentaphyllous +pentaploid +pentaploidy +pentaploidic +pentapody +pentapodic +pentapodies +pentapolis +pentapolitan +pentaprism +pentapterous +pentaptych +pentaptote +pentaquin +pentaquine +pentarch +pentarchy +pentarchical +pentarchies +pentarchs +pentasepalous +pentasilicate +pentasyllabic +pentasyllabism +pentasyllable +pentaspermous +pentaspheric +pentaspherical +pentastich +pentastichy +pentastichous +pentastyle +pentastylos +pentastom +pentastome +Pentastomida +pentastomoid +pentastomous +Pentastomum +pentasulphide +Pentateuch +Pentateuchal +pentathionate +pentathionic +pentathlete +pentathlon +pentathlons +pentathlos +pentatomic +pentatomid +Pentatomidae +Pentatomoidea +pentatone +pentatonic +pentatriacontane +pentatron +pentavalence +pentavalency +pentavalent +pentazocine +penteconta- +penteconter +pentecontoglossal +Pentecost +Pentecostal +pentecostalism +pentecostalist +pentecostals +Pentecostaria +pentecostarion +pentecoster +pentecostys +Pentelic +Pentelican +Pentelicus +Pentelikon +pentene +pentenes +penteteric +Pentha +Penthea +Pentheam +Pentheas +penthemimer +penthemimeral +penthemimeris +Penthesilea +Penthesileia +Penthestes +Pentheus +penthiophen +penthiophene +Penthoraceae +Penthorum +penthouse +penthoused +penthouselike +penthouses +penthousing +penthrit +penthrite +pentice +penticle +pentyl +pentylene +pentylenetetrazol +pentylic +pentylidene +pentyls +pentimenti +pentimento +pentine +pentyne +pentiodide +pentit +pentite +pentitol +Pentland +pentlandite +pentobarbital +pentobarbitone +pentode +pentodes +pentoic +pentol +pentolite +pentomic +pentosan +pentosane +pentosans +pentose +pentoses +pentosid +pentoside +pentosuria +Pentothal +pentoxide +pentremital +pentremite +Pentremites +Pentremitidae +Pentress +pentrit +pentrite +pent-roof +pentrough +Pentstemon +pentstock +penttail +pent-up +Pentwater +Pentzia +penuche +penuches +penuchi +penuchis +penuchle +penuchles +penuckle +penuckles +Penuelas +penult +penultim +penultima +penultimate +penultimately +penultimatum +penults +penumbra +penumbrae +penumbral +penumbras +penumbrous +penup +penury +penuries +penurious +penuriously +penuriousness +Penutian +Penwell +penwiper +penwoman +penwomanship +penwomen +penworker +penwright +pen-written +Penza +Penzance +peon +peonage +peonages +peones +Peony +peonies +peony-flowered +Peonir +peonism +peonisms +peonize +peons +people +people-blinding +people-born +peopled +people-devouring +peopledom +peoplehood +peopleize +people-king +peopleless +people-loving +peoplement +people-pestered +people-pleasing +peopler +peoplers +Peoples +people's +peoplet +peopling +peoplish +Peoria +Peorian +Peosta +peotomy +Peotone +PEP +PEPE +Pepeekeo +Peper +peperek +peperine +peperino +Peperomia +peperoni +peperonis +pepful +Pephredo +Pepi +Pepillo +Pepin +pepinella +pepino +pepinos +Pepys +Pepysian +Pepita +Pepito +pepla +pepless +peplos +peplosed +peploses +peplum +peplumed +peplums +peplus +pepluses +pepo +peponid +peponida +peponidas +peponium +peponiums +pepos +Peppard +pepped +Peppel +Pepper +pepper-and-salt +pepperbox +pepper-box +pepper-castor +peppercorn +peppercorny +peppercornish +peppercorns +peppered +Pepperell +pepperer +pepperers +peppergrass +peppery +pepperidge +pepperily +pepperiness +peppering +pepperish +pepperishly +peppermint +pepperminty +peppermints +pepperoni +pepper-pot +pepperproof +pepperroot +peppers +peppershrike +peppertree +pepper-tree +pepperweed +pepperwood +pepperwort +Peppi +Peppy +Peppie +peppier +peppiest +peppily +peppin +peppiness +pepping +peps +Pepsi +PepsiCo +pepsin +pepsinate +pepsinated +pepsinating +pepsine +pepsines +pepsinhydrochloric +pepsiniferous +pepsinogen +pepsinogenic +pepsinogenous +pepsins +pepsis +peptic +peptical +pepticity +peptics +peptid +peptidase +peptide +peptides +peptidic +peptidically +peptidoglycan +peptidolytic +peptids +peptizable +peptization +peptize +peptized +peptizer +peptizers +peptizes +peptizing +Pepto-Bismol +peptogaster +peptogen +peptogeny +peptogenic +peptogenous +peptohydrochloric +peptolysis +peptolytic +peptonaemia +peptonate +peptone +peptonelike +peptonemia +peptones +peptonic +peptonisation +peptonise +peptonised +peptoniser +peptonising +peptonization +peptonize +peptonized +peptonizer +peptonizing +peptonoid +peptonuria +peptotoxin +peptotoxine +Pepusch +Pequabuck +Pequannock +Pequea +Pequot +Per +per- +per. +Pera +Peracarida +peracephalus +peracetate +peracetic +peracid +peracidite +peracidity +peracids +peract +peracute +peradventure +Peraea +peragrate +peragration +perai +Perak +Perakim +Peralta +peramble +perambulant +perambulate +perambulated +perambulates +perambulating +perambulation +perambulations +perambulator +perambulatory +perambulators +Perameles +Peramelidae +perameline +perameloid +Peramium +Peratae +Perates +perau +perbend +perborate +perborax +perbromide +Perbunan +Perca +percale +percales +percaline +percarbide +percarbonate +percarbonic +percase +Perce +perceant +perceivability +perceivable +perceivableness +perceivably +perceivance +perceivancy +perceive +perceived +perceivedly +perceivedness +perceiver +perceivers +perceives +perceiving +perceivingness +percent +percentable +percentably +percentage +percentaged +percentages +percental +percenter +percentile +percentiles +percents +percentual +percentum +percept +perceptibility +perceptible +perceptibleness +perceptibly +perception +perceptional +perceptionalism +perceptionism +perceptions +perceptive +perceptively +perceptiveness +perceptivity +percepts +perceptual +perceptually +perceptum +Percesoces +percesocine +Perceval +perch +percha +perchable +perchance +Perche +perched +percher +Percheron +perchers +perches +perching +perchlor- +perchlorate +perchlorethane +perchlorethylene +perchloric +perchloride +perchlorinate +perchlorinated +perchlorinating +perchlorination +perchloroethane +perchloroethylene +perchloromethane +perchromate +perchromic +Perchta +Percy +percid +Percidae +perciform +Perciformes +percylite +percipi +percipience +percipiency +percipient +Percival +Percivale +perclose +percnosome +percoct +percoid +Percoidea +percoidean +percoids +percolable +percolate +percolated +percolates +percolating +percolation +percolative +percolator +percolators +percomorph +Percomorphi +percomorphous +percompound +percontation +percontatorial +percribrate +percribration +percrystallization +perculsion +perculsive +percur +percurration +percurrent +percursory +percuss +percussed +percusses +percussing +percussion +percussional +percussioner +percussionist +percussionists +percussionize +percussion-proof +percussions +percussive +percussively +percussiveness +percussor +percutaneous +percutaneously +percutient +perdendo +perdendosi +perdy +Perdicinae +perdicine +Perdido +perdie +perdifoil +perdifume +perdiligence +perdiligent +perdit +Perdita +perdition +perditionable +Perdix +perdricide +perdrigon +perdrix +Perdu +perdue +perduellion +perdues +perdurability +perdurable +perdurableness +perdurably +perdurance +perdurant +perdure +perdured +perdures +perduring +perduringly +perdus +pere +perea +Perean +peregrin +peregrina +peregrinate +peregrinated +peregrination +peregrinations +peregrinative +peregrinator +peregrinatory +Peregrine +peregrinism +peregrinity +peregrinoid +peregrins +peregrinus +pereia +pereion +pereiopod +Pereira +pereirine +perejonet +Perelman +perempt +peremption +peremptory +peremptorily +peremptoriness +perendinant +perendinate +perendination +perendure +perennate +perennation +perennial +perenniality +perennialize +perennially +perennialness +perennial-rooted +perennials +perennibranch +Perennibranchiata +perennibranchiate +perennity +pereon +pereopod +perequitate +pererrate +pererration +peres +Pereskia +Peretz +pereundem +Perez +perezone +perf +perfay +PERFECT +perfecta +perfectability +perfectas +perfectation +perfected +perfectedly +perfecter +perfecters +perfectest +perfecti +perfectibilian +perfectibilism +perfectibilist +perfectibilitarian +perfectibility +perfectibilities +perfectible +perfecting +perfection +perfectionate +perfectionation +perfectionator +perfectioner +perfectionism +perfectionist +perfectionistic +perfectionists +perfectionist's +perfectionize +perfectionizement +perfectionizer +perfectionment +perfections +perfectism +perfectist +perfective +perfectively +perfectiveness +perfectivise +perfectivised +perfectivising +perfectivity +perfectivize +perfectly +perfectness +perfectnesses +perfecto +perfector +perfectos +perfects +perfectuation +Perfectus +perfervent +perfervid +perfervidity +perfervidly +perfervidness +perfervor +perfervour +Perfeti +perficient +perfidy +perfidies +perfidious +perfidiously +perfidiousness +perfilograph +perfin +perfins +perfix +perflable +perflate +perflation +perfluent +perfoliate +perfoliation +perforable +perforant +Perforata +perforate +perforated +perforates +perforating +perforation +perforationproof +perforations +perforative +perforator +perforatory +perforatorium +perforators +perforce +perforcedly +perform +performability +performable +performance +performances +performance's +performant +performative +performatory +performed +performer +performers +performing +performs +perfricate +perfrication +perfumatory +perfume +perfumed +perfumeless +perfumer +perfumeress +perfumery +perfumeries +perfumers +perfumes +perfumy +perfuming +perfunctionary +perfunctory +perfunctorily +perfunctoriness +perfunctorious +perfunctoriously +perfunctorize +perfuncturate +perfusate +perfuse +perfused +perfuses +perfusing +perfusion +perfusive +Pergamene +pergameneous +Pergamenian +pergamentaceous +Pergamic +pergamyn +Pergamon +Pergamos +Pergamum +Pergamus +pergelisol +pergola +pergolas +Pergolesi +Pergrim +pergunnah +perh +perhalide +perhalogen +Perham +perhaps +perhapses +perhazard +perhydroanthracene +perhydrogenate +perhydrogenation +perhydrogenize +perhydrogenized +perhydrogenizing +perhydrol +perhorresce +Peri +peri- +Peria +periacinal +periacinous +periactus +periadenitis +Perialla +periamygdalitis +perianal +Periander +periangiocholitis +periangioma +periangitis +perianth +perianthial +perianthium +perianths +periaortic +periaortitis +periapical +Periapis +periappendicitis +periappendicular +periapt +periapts +Periarctic +periareum +periarterial +periarteritis +periarthric +periarthritis +periarticular +periaster +periastra +periastral +periastron +periastrum +periatrial +periauger +periauricular +periaxial +periaxillary +periaxonal +periblast +periblastic +periblastula +periblem +periblems +Periboea +periboli +periboloi +peribolos +peribolus +peribranchial +peribronchial +peribronchiolar +peribronchiolitis +peribronchitis +peribulbar +peribursal +pericaecal +pericaecitis +pericanalicular +pericapsular +pericardia +pericardiac +pericardiacophrenic +pericardial +pericardian +pericardicentesis +pericardiectomy +pericardiocentesis +pericardiolysis +pericardiomediastinitis +pericardiophrenic +pericardiopleural +pericardiorrhaphy +pericardiosymphysis +pericardiotomy +pericarditic +pericarditis +pericardium +pericardotomy +pericarp +pericarpial +pericarpic +pericarpium +pericarpoidal +pericarps +Perice +pericecal +pericecitis +pericellular +pericemental +pericementitis +pericementoclasia +pericementum +pericenter +pericentral +pericentre +pericentric +pericephalic +pericerebral +perichaete +perichaetia +perichaetial +perichaetium +perichaetous +perichdria +perichete +perichylous +pericholangitis +pericholecystitis +perichondral +perichondria +perichondrial +perichondritis +perichondrium +perichord +perichordal +perichoresis +perichorioidal +perichoroidal +perichtia +pericycle +pericyclic +pericycloid +pericyclone +pericyclonic +pericynthion +pericystic +pericystitis +pericystium +pericytial +pericladium +periclase +periclasia +periclasite +periclaustral +Periclean +Pericles +Periclymenus +periclinal +periclinally +pericline +periclinium +periclitate +periclitation +pericolitis +pericolpitis +periconchal +periconchitis +pericopae +pericopal +pericope +pericopes +pericopic +pericorneal +pericowperitis +pericoxitis +pericrania +pericranial +pericranitis +pericranium +pericristate +Pericu +periculant +periculous +periculum +peridendritic +peridental +peridentium +peridentoclasia +periderm +peridermal +peridermic +peridermis +Peridermium +periderms +peridesm +peridesmic +peridesmitis +peridesmium +peridia +peridial +peridiastole +peridiastolic +perididymis +perididymitis +peridiiform +peridila +Peridineae +Peridiniaceae +peridiniaceous +peridinial +Peridiniales +peridinian +peridinid +Peridinidae +Peridinieae +Peridiniidae +Peridinium +peridiola +peridiole +peridiolum +peridium +Peridot +peridotic +peridotite +peridotitic +peridots +peridrome +peridromoi +peridromos +periductal +periegesis +periegetic +perielesis +periencephalitis +perienteric +perienteritis +perienteron +periependymal +Perieres +periergy +periesophageal +periesophagitis +perifistular +perifoliary +perifollicular +perifolliculitis +perigangliitis +periganglionic +perigastric +perigastritis +perigastrula +perigastrular +perigastrulation +perigeal +perigean +perigee +perigees +perigemmal +perigenesis +perigenital +perigeum +perigyny +perigynial +perigynies +perigynium +perigynous +periglacial +periglandular +periglial +perigloea +periglottic +periglottis +perignathic +perigon +perigonadial +perigonal +perigone +perigonia +perigonial +perigonium +perigonnia +perigons +Perigord +Perigordian +perigraph +perigraphic +Perigune +perihelia +perihelial +perihelian +perihelion +perihelium +periheloin +perihepatic +perihepatitis +perihermenial +perihernial +perihysteric +peri-insular +perijejunitis +perijove +perikarya +perikaryal +perikaryon +Perikeiromene +Perikiromene +perikronion +peril +perilabyrinth +perilabyrinthitis +perilaryngeal +perilaryngitis +Perilaus +periled +perilenticular +periligamentous +perilymph +perilymphangial +perilymphangitis +perilymphatic +periling +Perilla +peril-laden +perillas +perilled +perilless +perilling +perilobar +perilous +perilously +perilousness +perils +peril's +perilsome +perilune +perilunes +perimartium +perimastitis +Perimedes +perimedullary +Perimele +perimeningitis +perimeter +perimeterless +perimeters +perimetral +perimetry +perimetric +perimetrical +perimetrically +perimetritic +perimetritis +perimetrium +perimyelitis +perimysia +perimysial +perimysium +perimorph +perimorphic +perimorphism +perimorphous +perinaeum +perinatal +perinde +perine +perinea +perineal +perineo- +perineocele +perineoplasty +perineoplastic +perineorrhaphy +perineoscrotal +perineosynthesis +perineostomy +perineotomy +perineovaginal +perineovulvar +perinephral +perinephria +perinephrial +perinephric +perinephritic +perinephritis +perinephrium +perineptunium +perineum +perineural +perineuria +perineurial +perineurical +perineuritis +perineurium +perinium +perinuclear +periocular +period +periodate +periodic +periodical +periodicalism +periodicalist +periodicalize +periodically +periodicalness +periodicals +periodicity +periodid +periodide +periodids +periodization +periodize +periodogram +periodograph +periodology +periodontal +periodontally +periodontia +periodontic +periodontics +periodontist +periodontitis +periodontium +periodontoclasia +periodontology +periodontologist +periodontoses +periodontosis +periodontum +periodoscope +periods +period's +Perioeci +perioecians +perioecic +perioecid +perioecus +perioesophageal +perioikoi +periomphalic +perionychia +perionychium +perionyx +perionyxis +perioophoritis +periophthalmic +periophthalmitis +Periopis +periople +perioplic +perioptic +perioptometry +perioque +perioral +periorbit +periorbita +periorbital +periorchitis +periost +periost- +periostea +periosteal +periosteally +periosteitis +periosteoalveolar +periosteo-edema +periosteoma +periosteomedullitis +periosteomyelitis +periosteophyte +periosteorrhaphy +periosteotome +periosteotomy +periosteous +periosteum +periostitic +periostitis +periostoma +periostosis +periostotomy +periostraca +periostracal +periostracum +periotic +periovular +peripachymeningitis +peripancreatic +peripancreatitis +peripapillary +peripatetian +Peripatetic +peripatetical +peripatetically +peripateticate +Peripateticism +peripatetics +Peripatidae +Peripatidea +peripatize +peripatoid +Peripatopsidae +Peripatopsis +Peripatus +peripenial +peripericarditis +peripetalous +peripetasma +peripeteia +peripety +peripetia +peripeties +periphacitis +peripharyngeal +Periphas +periphasis +peripherad +peripheral +peripherally +peripherallies +peripherals +periphery +peripherial +peripheric +peripherical +peripherically +peripheries +periphery's +peripherocentral +peripheroceptor +peripheromittor +peripheroneural +peripherophose +Periphetes +periphyllum +periphyse +periphysis +periphytic +periphyton +periphlebitic +periphlebitis +periphractic +periphrase +periphrased +periphrases +periphrasing +periphrasis +periphrastic +periphrastical +periphrastically +periphraxy +peripylephlebitis +peripyloric +Periplaneta +periplasm +periplast +periplastic +periplegmatic +peripleural +peripleuritis +Periploca +periplus +peripneumony +peripneumonia +peripneumonic +peripneustic +peripolar +peripolygonal +periportal +periproct +periproctal +periproctic +periproctitis +periproctous +periprostatic +periprostatitis +peripter +peripteral +periptery +peripteries +peripteroi +peripteros +peripterous +peripters +perique +periques +perirectal +perirectitis +perirenal +perirhinal +periryrle +perirraniai +peris +perisalpingitis +perisarc +perisarcal +perisarcous +perisarcs +perisaturnium +periscian +periscians +periscii +perisclerotic +periscopal +periscope +periscopes +periscopic +periscopical +periscopism +periselene +perish +perishability +perishabilty +perishable +perishableness +perishables +perishable's +perishably +perished +perisher +perishers +perishes +perishing +perishingly +perishless +perishment +perisigmoiditis +perisynovial +perisinuitis +perisinuous +perisinusitis +perisystole +perisystolic +perisoma +perisomal +perisomatic +perisome +perisomial +perisperm +perispermal +perispermatitis +perispermic +perisphere +perispheric +perispherical +perisphinctean +Perisphinctes +Perisphinctidae +perisphinctoid +perisplanchnic +perisplanchnitis +perisplenetic +perisplenic +perisplenitis +perispome +perispomena +perispomenon +perispondylic +perispondylitis +perispore +Perisporiaceae +perisporiaceous +Perisporiales +perissad +perissodactyl +Perissodactyla +perissodactylate +perissodactyle +perissodactylic +perissodactylism +perissodactylous +perissology +perissologic +perissological +perissosyllabic +peristalith +peristalses +peristalsis +peristaltic +peristaltically +peristaphyline +peristaphylitis +peristele +peristerite +peristeromorph +Peristeromorphae +peristeromorphic +peristeromorphous +peristeronic +peristerophily +peristeropod +peristeropodan +peristeropode +Peristeropodes +peristeropodous +peristethium +peristylar +peristyle +peristyles +peristylium +peristylos +peristylum +peristole +peristoma +peristomal +peristomatic +peristome +peristomial +peristomium +peristrephic +peristrephical +peristrumitis +peristrumous +perit +peritcia +perite +peritectic +peritendineum +peritenon +perithece +perithecia +perithecial +perithecium +perithelia +perithelial +perithelioma +perithelium +perithyreoiditis +perithyroiditis +perithoracic +perityphlic +perityphlitic +perityphlitis +peritlia +peritomy +peritomize +peritomous +periton- +peritonaea +peritonaeal +peritonaeum +peritonea +peritoneal +peritonealgia +peritonealize +peritonealized +peritonealizing +peritoneally +peritoneocentesis +peritoneoclysis +peritoneomuscular +peritoneopathy +peritoneopericardial +peritoneopexy +peritoneoplasty +peritoneoscope +peritoneoscopy +peritoneotomy +peritoneum +peritoneums +peritonism +peritonital +peritonitic +peritonitis +peritonsillar +peritonsillitis +peritracheal +peritrack +Peritrate +peritrema +peritrematous +peritreme +peritrich +Peritricha +peritrichan +peritrichate +peritrichic +peritrichous +peritrichously +peritroch +peritrochal +peritrochanteric +peritrochium +peritrochoid +peritropal +peritrophic +peritropous +peritura +periumbilical +periungual +periuranium +periureteric +periureteritis +periurethral +periurethritis +periuterine +periuvular +perivaginal +perivaginitis +perivascular +perivasculitis +perivenous +perivertebral +perivesical +perivisceral +perivisceritis +perivitellin +perivitelline +periwig +periwigged +periwigpated +periwigs +periwinkle +periwinkled +periwinkler +periwinkles +perizonium +perjink +perjinkety +perjinkities +perjinkly +perjure +perjured +perjuredly +perjuredness +perjurement +perjurer +perjurers +perjures +perjuress +perjury +perjuries +perjurymonger +perjurymongering +perjuring +perjurious +perjuriously +perjuriousness +perjury-proof +perjurous +perk +Perkasie +perked +perky +perkier +perkiest +perkily +Perkin +perkiness +perking +perkingly +perkinism +Perkins +Perkinston +Perkinsville +Perkiomenville +perkish +perknite +Perkoff +Perks +PERL +Perla +perlaceous +Perlaria +perlative +Perle +perleche +perlection +Perley +perlid +Perlidae +Perlie +perligenous +perling +perlingual +perlingually +Perlis +perlite +perlites +perlitic +Perlman +perlocution +perlocutionary +Perloff +perloir +perlucidus +perlustrate +perlustration +perlustrator +Perm +permafrost +Permalloy +permanence +permanences +permanency +permanencies +permanent +permanently +permanentness +permanents +permanganate +permanganic +permansion +permansive +permatron +permeability +permeable +permeableness +permeably +permeameter +permeance +permeant +permease +permeases +permeate +permeated +permeates +permeating +permeation +permeations +permeative +permeator +permed +Permiak +Permian +permillage +perming +perminvar +permirific +permiss +permissable +permissibility +permissible +permissibleness +permissibly +permissiblity +permission +permissioned +permissions +permissive +permissively +permissiveness +permissivenesses +permissory +permistion +permit +permits +permit's +permittable +permittance +permitted +permittedly +permittee +permitter +permitting +permittivity +permittivities +permix +permixable +permixed +permixtion +permixtive +permixture +Permocarboniferous +permonosulphuric +permoralize +perms +permutability +permutable +permutableness +permutably +permutate +permutated +permutating +permutation +permutational +permutationist +permutationists +permutations +permutation's +permutator +permutatory +permutatorial +permute +permuted +permuter +permutes +permuting +pern +Pernambuco +pernancy +Pernas +pernasal +pernavigate +pernea +pernel +Pernell +pernephria +Pernettia +Perni +pernychia +pernicion +pernicious +perniciously +perniciousness +Pernick +pernickety +pernicketiness +pernicketty +pernickity +pernyi +Pernik +pernine +pernio +Pernis +pernitrate +pernitric +pernoctate +pernoctation +Pernod +pernor +Pero +peroba +perobrachius +perocephalus +perochirus +perodactylus +Perodipus +perofskite +Perognathinae +Perognathus +peroliary +Peromedusae +Peromela +peromelous +peromelus +Peromyscus +Peron +peronate +perone +peroneal +peronei +peroneocalcaneal +peroneotarsal +peroneotibial +peroneus +peronial +Peronism +Peronismo +Peronist +Peronista +Peronistas +peronium +peronnei +Peronospora +Peronosporaceae +peronosporaceous +Peronosporales +peropod +Peropoda +peropodous +peropus +peroral +perorally +perorate +perorated +perorates +perorating +peroration +perorational +perorations +perorative +perorator +peroratory +peroratorical +peroratorically +peroses +perosis +perosmate +perosmic +perosomus +Perot +perotic +Perotin +Perotinus +Perovo +perovskite +peroxy +peroxy- +peroxyacid +peroxyborate +peroxid +peroxidase +peroxidate +peroxidation +peroxide +peroxide-blond +peroxided +peroxides +peroxidic +peroxiding +peroxidize +peroxidized +peroxidizement +peroxidizing +peroxids +peroxyl +peroxisomal +peroxisome +perozonid +perozonide +perp +perpend +perpended +perpendicle +perpendicular +perpendicularity +perpendicularities +perpendicularly +perpendicularness +perpendiculars +perpending +perpends +perpense +perpension +perpensity +perpent +perpents +perpera +perperfect +perpession +perpet +perpetrable +perpetrate +perpetrated +perpetrates +perpetrating +perpetration +perpetrations +perpetrator +perpetrators +perpetrator's +perpetratress +perpetratrix +Perpetua +perpetuable +perpetual +perpetualism +perpetualist +perpetuality +perpetually +perpetualness +perpetuana +perpetuance +perpetuant +perpetuate +perpetuated +perpetuates +perpetuating +perpetuation +perpetuations +perpetuator +perpetuators +perpetuity +perpetuities +perpetuum +perphenazine +Perpignan +perplantar +perplex +perplexable +perplexed +perplexedly +perplexedness +perplexer +perplexes +perplexing +perplexingly +perplexity +perplexities +perplexment +perplication +perquadrat +perqueer +perqueerly +perqueir +perquest +perquisite +perquisites +perquisition +perquisitor +Perr +perradial +perradially +perradiate +perradius +Perrault +Perreault +perreia +Perren +Perret +Perretta +Perri +Perry +perridiculous +Perrie +perrier +perries +Perryhall +Perryman +Perrin +Perrine +Perrineville +Perrinist +Perrins +Perrinton +Perryopolis +Perris +Perrysburg +Perrysville +Perryton +Perryville +Perron +perrons +Perronville +perroquet +perruche +perrukery +perruque +perruquier +perruquiers +perruthenate +perruthenic +Pers +Persae +persalt +persalts +Persas +perscent +perscribe +perscrutate +perscrutation +perscrutator +Perse +Persea +persecute +persecuted +persecutee +persecutes +persecuting +persecutingly +persecution +persecutional +persecutions +persecutive +persecutiveness +persecutor +persecutory +persecutors +persecutor's +persecutress +persecutrix +Perseid +perseite +perseity +perseitol +persentiscency +Persephassa +Persephone +Persepolis +Persepolitan +perses +Perseus +perseverance +perseverances +perseverant +perseverate +perseveration +perseverative +persevere +persevered +perseveres +persevering +perseveringly +Pershing +Persia +Persian +Persianist +Persianization +Persianize +persians +Persic +persicary +Persicaria +Persichetti +Persicize +persico +persicot +persienne +persiennes +persiflage +persiflate +persifleur +persilicic +persillade +persymmetric +persymmetrical +persimmon +persimmons +persio +Persis +Persism +persist +persistance +persisted +persistence +persistences +persistency +persistencies +persistent +persistently +persister +persisters +persisting +persistingly +persistive +persistively +persistiveness +persists +Persius +persnickety +persnicketiness +persolve +person +persona +personable +personableness +personably +Personae +personage +personages +personage's +personal +personalia +personalis +personalisation +personalism +personalist +personalistic +personality +personalities +personality's +personalization +personalize +personalized +personalizes +personalizing +personally +personalness +personals +personalty +personalties +personam +personarum +personas +personate +personated +personately +personating +personation +personative +personator +personed +personeity +personhood +personify +personifiable +personifiant +personification +personifications +personificative +personificator +personified +personifier +personifies +personifying +personization +personize +personnel +Persons +person's +personship +person-to-person +persorption +perspection +perspectival +perspective +perspectived +perspectiveless +perspectively +perspectives +perspective's +Perspectivism +perspectivist +perspectivity +perspectograph +perspectometer +Perspex +perspicable +perspicacious +perspicaciously +perspicaciousness +perspicacity +perspicacities +perspicil +perspicous +perspicuity +perspicuous +perspicuously +perspicuousness +perspirability +perspirable +perspirant +perspirate +perspiration +perspirations +perspirative +perspiratory +perspire +perspired +perspires +perspiry +perspiring +perspiringly +Persse +Persson +perstand +perstringe +perstringement +persuadability +persuadable +persuadableness +persuadably +persuade +persuaded +persuadedly +persuadedness +persuader +persuaders +persuades +persuading +persuadingly +persuasibility +persuasible +persuasibleness +persuasibly +persuasion +persuasion-proof +persuasions +persuasion's +persuasive +persuasively +persuasiveness +persuasivenesses +persuasory +persue +persulfate +persulphate +persulphide +persulphocyanate +persulphocyanic +persulphuric +PERT +pert. +pertain +pertained +pertaining +pertainment +pertains +perten +pertenencia +perter +pertest +Perth +perthiocyanate +perthiocyanic +perthiotophyre +perthite +perthitic +perthitically +perthophyte +perthosite +Perthshire +perty +pertinaceous +pertinacious +pertinaciously +pertinaciousness +pertinacity +pertinacities +pertinate +pertinence +pertinences +pertinency +pertinencies +pertinent +pertinentia +pertinently +pertinentness +pertish +pertly +pertness +pertnesses +perturb +perturbability +perturbable +perturbance +perturbancy +perturbant +perturbate +perturbation +perturbational +perturbations +perturbation's +perturbatious +perturbative +perturbator +perturbatory +perturbatress +perturbatrix +perturbed +perturbedly +perturbedness +perturber +perturbing +perturbingly +perturbment +perturbs +Pertusaria +Pertusariaceae +pertuse +pertused +pertusion +pertussal +pertussis +Peru +Perugia +Perugian +Peruginesque +Perugino +peruke +peruked +perukeless +peruker +perukery +perukes +perukier +perukiership +perula +Perularia +perulate +perule +Perun +perusable +perusal +perusals +peruse +perused +peruser +perusers +peruses +perusing +Perusse +Perutz +Peruvian +Peruvianize +peruvians +Peruzzi +perv +pervade +pervaded +pervadence +pervader +pervaders +pervades +pervading +pervadingly +pervadingness +pervagate +pervagation +pervalvar +pervasion +pervasive +pervasively +pervasiveness +pervenche +perverse +perversely +perverseness +perversenesses +perverse-notioned +perversion +perversions +perversite +perversity +perversities +perversive +pervert +perverted +pervertedly +pervertedness +perverter +pervertibility +pervertible +pervertibly +perverting +pervertive +perverts +pervestigate +perviability +perviable +pervial +pervicacious +pervicaciously +pervicaciousness +pervicacity +pervigilium +pervious +perviously +perviousness +Pervouralsk +pervulgate +pervulgation +perwick +perwitsky +Perzan +pes +pesa +Pesach +pesade +pesades +pesage +Pesah +pesante +Pesaro +Pescadero +Pescadores +Pescara +pescod +Pesek +peseta +pesetas +pesewa +pesewas +Peshastin +Peshawar +Peshito +Peshitta +peshkar +peshkash +Peshtigo +peshwa +peshwaship +pesky +peskier +peskiest +peskily +peskiness +Peskoff +peso +pesos +Pesotum +pess +Pessa +pessary +pessaries +pessimal +pessimism +pessimisms +pessimist +pessimistic +pessimistically +pessimists +pessimize +pessimum +pessomancy +pessoner +pessular +pessulus +Pest +Pestalozzi +Pestalozzian +Pestalozzianism +Pestana +Peste +pester +pestered +pesterer +pesterers +pestering +pesteringly +pesterment +pesterous +pesters +pestersome +pestful +pesthole +pestholes +pesthouse +pest-house +pesticidal +pesticide +pesticides +pestiduct +pestiferous +pestiferously +pestiferousness +pestify +pestifugous +pestilence +pestilence-proof +pestilences +pestilenceweed +pestilencewort +pestilent +pestilential +pestilentially +pestilentialness +pestilently +pestis +pestle +pestled +pestles +pestle-shaped +pestling +pesto +pestology +pestological +pestologist +pestos +pestproof +pest-ridden +pests +Pet +Pet. +PETA +peta- +Petaca +Petain +petal +petalage +petaled +petaly +Petalia +petaliferous +petaliform +Petaliidae +petaline +petaling +petalism +petalite +petalled +petalless +petallike +petalling +petalocerous +petalody +petalodic +petalodies +petalodont +petalodontid +Petalodontidae +petalodontoid +Petalodus +petaloid +petaloidal +petaloideous +petalomania +petalon +Petalostemon +petalostichous +petalous +petals +petal's +Petaluma +petalwise +Petar +petara +petard +petardeer +petardier +petarding +petards +petary +Petasites +petasma +petasos +petasoses +petasus +petasuses +petate +petaurine +petaurist +Petaurista +Petauristidae +Petauroides +Petaurus +petchary +petcock +pet-cock +petcocks +PetE +peteca +petechia +petechiae +petechial +petechiate +petegreu +Petey +peteman +petemen +Peter +peter-boat +Peterboro +Peterborough +Peterec +petered +peterero +petering +Peterkin +Peterlee +Peterloo +Peterman +petermen +peternet +peter-penny +Peters +Petersburg +Petersen +Petersham +Peterson +Peterstown +Peterus +peterwort +Petes +Petfi +petful +pether +pethidine +Peti +Petie +Petigny +petiolar +petiolary +Petiolata +petiolate +petiolated +petiole +petioled +petioles +petioli +Petioliventres +petiolular +petiolulate +petiolule +petiolus +Petit +petit-bourgeois +Petite +petiteness +petites +petitgrain +petitio +petition +petitionable +petitional +petitionary +petitionarily +petitioned +petitionee +petitioner +petitioners +petitioning +petitionist +petitionproof +petition-proof +petitions +petit-juryman +petit-juror +petit-maftre +petit-maitre +petit-maltre +petit-mattre +Petit-Moule +petit-negre +petit-noir +petitor +petitory +petits +Petiveria +Petiveriaceae +petkin +petkins +petling +PETN +petnap +petnapping +petnappings +petnaps +peto +Petofi +petos +Petoskey +Petr +petr- +Petra +Petracca +petralogy +Petrarch +Petrarchal +Petrarchan +Petrarchesque +Petrarchian +Petrarchianism +Petrarchism +Petrarchist +Petrarchistic +Petrarchistical +Petrarchize +petrary +Petras +petre +Petrea +petrean +Petrey +petreity +Petrel +petrels +petrescence +petrescency +petrescent +petri +Petrick +Petricola +Petricolidae +petricolous +Petrie +petrifaction +petrifactions +petrifactive +petrify +petrifiable +petrific +petrificant +petrificate +petrification +petrified +petrifier +petrifies +petrifying +Petrillo +Petrina +Petrine +Petrinism +Petrinist +Petrinize +petrissage +petro +petro- +Petrobium +Petrobrusian +petrochemical +petrochemicals +petrochemistry +petrodollar +petrodollars +petrog +petrog. +Petrogale +petrogenesis +petrogenetic +petrogeny +petrogenic +petroglyph +petroglyphy +petroglyphic +Petrograd +petrogram +petrograph +petrographer +petrographers +petrography +petrographic +petrographical +petrographically +petrohyoid +petrol +petrol. +petrolage +petrolatum +petrolean +petrolene +petroleous +petroleum +petroleums +petroleur +petroleuse +Petrolia +petrolic +petroliferous +petrolific +petrolin +Petrolina +petrolist +petrolithic +petrolization +petrolize +petrolized +petrolizing +petrolled +petrolling +petrology +petrologic +petrological +petrologically +petrologist +petrologists +petrols +petromastoid +Petromilli +Petromyzon +Petromyzonidae +petromyzont +Petromyzontes +Petromyzontidae +petromyzontoid +petronel +Petronella +petronellier +petronels +Petronia +Petronilla +Petronille +Petronius +petro-occipital +Petropavlovsk +petropharyngeal +petrophilous +Petros +petrosa +petrosal +Petroselinum +Petrosian +petrosilex +petrosiliceous +petrosilicious +petrosphenoid +petrosphenoidal +petrosphere +petrosquamosal +petrosquamous +petrostearin +petrostearine +petrosum +petrotympanic +Petrouchka +petrous +Petrovsk +petroxolin +Petrozavodsk +Petrpolis +pets +petsai +petsais +Petsamo +Petta +pettable +pettah +petted +pettedly +pettedness +petter +petters +petter's +petti +Petty +pettiagua +petty-bag +Pettibone +pettichaps +petticoat +petticoated +petticoatery +petticoaterie +petticoaty +petticoating +petticoatism +petticoatless +petticoats +petticoat's +pettier +pettiest +Pettifer +pettifog +pettyfog +pettifogged +pettifogger +pettifoggery +pettifoggers +pettifogging +pettifogs +pettifogulize +pettifogulizer +Pettiford +pettygod +Pettigrew +pettily +petty-minded +petty-mindedly +petty-mindedness +pettiness +pettinesses +petting +pettingly +pettings +pettish +pettishly +pettishness +pettiskirt +Pettisville +Pettit +pettitoes +pettle +pettled +pettles +pettling +petto +Pettus +Petua +Petula +Petulah +petulance +petulances +petulancy +petulancies +petulant +petulantly +Petulia +petum +petune +Petunia +petunias +petunse +petuntse +petuntses +petuntze +petuntzes +Petuu +petwood +petzite +peucedanin +Peucedanum +Peucetii +peucyl +peucites +Peugeot +Peugia +peuhl +Peul +peulvan +Peumus +Peursem +Peutingerian +Pevely +Pevsner +Pevzner +pew +pewage +Pewamo +Pewaukee +pewdom +pewee +pewees +pewfellow +pewful +pewholder +pewy +pewing +pewit +pewits +pewless +pewmate +pews +pew's +pewter +pewterer +pewterers +pewtery +pewters +pewterwort +PEX +PEXSI +pezantic +Peziza +Pezizaceae +pezizaceous +pezizaeform +Pezizales +peziziform +pezizoid +pezograph +Pezophaps +PF +pf. +Pfaff +Pfaffian +Pfafftown +Pfalz +Pfannkuchen +PFB +pfc +pfd +Pfeffer +Pfeffernsse +pfeffernuss +Pfeifer +Pfeifferella +pfennig +pfennige +pfennigs +pfft +pfg +Pfister +Pfitzner +Pfizer +pflag +Pflugerville +Pforzheim +Pfosi +PFPU +pfui +pfund +pfunde +pfx +PG +Pg. +PGA +pgntt +pgnttrp +PH +PHA +Phaca +Phacelia +phacelite +phacella +phacellite +phacellus +Phacidiaceae +Phacidiales +phacitis +phacoanaphylaxis +phacocele +phacochere +phacocherine +phacochoere +phacochoerid +phacochoerine +phacochoeroid +Phacochoerus +phacocyst +phacocystectomy +phacocystitis +phacoglaucoma +phacoid +phacoidal +phacoidoscope +phacolysis +phacolite +phacolith +phacomalacia +phacometer +phacopid +Phacopidae +Phacops +phacosclerosis +phacoscope +phacotherapy +Phaea +Phaeacia +Phaeacian +Phaeax +Phaedo +Phaedra +Phaedrus +phaeism +phaelite +phaenanthery +phaenantherous +Phaenna +phaenogam +Phaenogamia +phaenogamian +phaenogamic +phaenogamous +phaenogenesis +phaenogenetic +phaenology +phaenological +phaenomenal +phaenomenism +phaenomenon +phaenozygous +phaeochrous +Phaeodaria +phaeodarian +phaeomelanin +Phaeophyceae +phaeophycean +phaeophyceous +phaeophyl +phaeophyll +Phaeophyta +phaeophytin +phaeophore +phaeoplast +Phaeosporales +phaeospore +Phaeosporeae +phaeosporous +Phaestus +Phaet +Phaethon +Phaethonic +Phaethontes +Phaethontic +Phaethontidae +Phaethusa +phaeton +phaetons +phage +phageda +Phagedaena +phagedaenic +phagedaenical +phagedaenous +phagedena +phagedenic +phagedenical +phagedenous +phages +phagy +phagia +Phagineae +phago- +phagocytable +phagocytal +phagocyte +phagocyter +phagocytic +phagocytism +phagocytize +phagocytized +phagocytizing +phagocytoblast +phagocytolysis +phagocytolytic +phagocytose +phagocytosed +phagocytosing +phagocytosis +phagocytotic +phagodynamometer +phagolysis +phagolytic +phagomania +phagophobia +phagosome +phagous +Phaidra +Phaye +Phaih +Phail +phainolion +Phainopepla +Phaistos +Phajus +phako- +Phalacrocoracidae +phalacrocoracine +Phalacrocorax +phalacrosis +Phalaecean +Phalaecian +Phalaenae +Phalaenidae +phalaenopsid +Phalaenopsis +Phalan +phalangal +Phalange +phalangeal +phalangean +phalanger +Phalangeridae +Phalangerinae +phalangerine +phalanges +phalangette +phalangian +phalangic +phalangid +Phalangida +phalangidan +Phalangidea +phalangidean +Phalangides +phalangiform +Phalangigrada +phalangigrade +phalangigrady +phalangiid +Phalangiidae +phalangist +Phalangista +Phalangistidae +phalangistine +phalangite +phalangitic +phalangitis +Phalangium +phalangology +phalangologist +phalanstery +phalansterial +phalansterian +phalansterianism +phalansteric +phalansteries +phalansterism +phalansterist +phalanx +phalanxed +phalanxes +phalarica +Phalaris +Phalarism +phalarope +phalaropes +Phalaropodidae +phalera +phalerae +phalerate +phalerated +Phaleucian +Phallaceae +phallaceous +Phallales +phallalgia +phallaneurysm +phallephoric +phalli +phallic +phallical +phallically +phallicism +phallicist +phallics +phallin +phallis +phallism +phallisms +phallist +phallists +phallitis +phallocrypsis +phallodynia +phalloid +phalloncus +phalloplasty +phallorrhagia +phallus +phalluses +Phanar +Phanariot +Phanariote +phanatron +phane +phaneric +phanerite +phanero- +Phanerocarpae +Phanerocarpous +Phanerocephala +phanerocephalous +phanerocodonic +phanerocryst +phanerocrystalline +phanerogam +phanerogamy +Phanerogamia +phanerogamian +phanerogamic +phanerogamous +phanerogenetic +phanerogenic +Phaneroglossa +phaneroglossal +phaneroglossate +phaneromania +phaneromere +phaneromerous +phanerophyte +phaneroscope +phanerosis +Phanerozoic +phanerozonate +Phanerozonia +phany +phanic +phano +phanos +phanotron +phansigar +phantascope +phantasy +phantasia +Phantasiast +Phantasiastic +phantasied +phantasies +phantasying +phantasist +phantasize +phantasm +phantasma +phantasmag +phantasmagory +phantasmagoria +phantasmagorial +phantasmagorially +phantasmagorian +phantasmagorianly +phantasmagorias +phantasmagoric +phantasmagorical +phantasmagorically +phantasmagories +phantasmagorist +phantasmal +phantasmalian +phantasmality +phantasmally +phantasmascope +phantasmata +Phantasmatic +phantasmatical +phantasmatically +phantasmatography +phantasmic +phantasmical +phantasmically +Phantasmist +phantasmogenesis +phantasmogenetic +phantasmograph +phantasmology +phantasmological +phantasms +phantast +phantastic +phantastical +phantasts +Phantasus +phantic +phantom +phantomatic +phantom-fair +phantomy +phantomic +phantomical +phantomically +Phantomist +phantomize +phantomizer +phantomland +phantomlike +phantomnation +phantomry +phantoms +phantom's +phantomship +phantom-white +phantoplex +phantoscope +Phar +Pharaoh +pharaohs +Pharaonic +Pharaonical +PharB +Pharbitis +PharD +Phare +Phareodus +Phares +Pharian +pharyng- +pharyngal +pharyngalgia +pharyngalgic +pharyngeal +pharyngealization +pharyngealized +pharyngectomy +pharyngectomies +pharyngemphraxis +pharynges +pharyngic +pharyngismus +pharyngitic +pharyngitis +pharyngo- +pharyngoamygdalitis +pharyngobranch +pharyngobranchial +pharyngobranchiate +Pharyngobranchii +pharyngocele +pharyngoceratosis +pharyngodynia +pharyngoepiglottic +pharyngoepiglottidean +pharyngoesophageal +pharyngoglossal +pharyngoglossus +pharyngognath +Pharyngognathi +pharyngognathous +pharyngography +pharyngographic +pharyngokeratosis +pharyngolaryngeal +pharyngolaryngitis +pharyngolith +pharyngology +pharyngological +pharyngomaxillary +pharyngomycosis +pharyngonasal +pharyngo-oesophageal +pharyngo-oral +pharyngopalatine +pharyngopalatinus +pharyngoparalysis +pharyngopathy +pharyngoplasty +pharyngoplegy +pharyngoplegia +pharyngoplegic +pharyngopleural +Pharyngopneusta +pharyngopneustal +pharyngorhinitis +pharyngorhinoscopy +pharyngoscleroma +pharyngoscope +pharyngoscopy +pharyngospasm +pharyngotherapy +pharyngotyphoid +pharyngotome +pharyngotomy +pharyngotonsillitis +pharyngoxerosis +pharynogotome +pharynx +pharynxes +Pharisaean +Pharisaic +pharisaical +Pharisaically +Pharisaicalness +Pharisaism +Pharisaist +Pharisean +Pharisee +Phariseeism +pharisees +Pharm +pharmacal +pharmaceutic +pharmaceutical +pharmaceutically +pharmaceuticals +pharmaceutics +pharmaceutist +pharmacy +pharmacic +pharmacies +pharmacist +pharmacists +pharmacite +pharmaco- +pharmacochemistry +pharmacodiagnosis +pharmacodynamic +pharmacodynamical +pharmacodynamically +pharmacodynamics +pharmacoendocrinology +pharmacogenetic +pharmacogenetics +pharmacognosy +pharmacognosia +pharmacognosis +pharmacognosist +pharmacognostic +pharmacognostical +pharmacognostically +pharmacognostics +pharmacography +pharmacokinetic +pharmacokinetics +pharmacol +pharmacolite +pharmacology +pharmacologia +pharmacologic +pharmacological +pharmacologically +pharmacologies +pharmacologist +pharmacologists +pharmacomania +pharmacomaniac +pharmacomaniacal +pharmacometer +pharmacon +pharmaco-oryctology +pharmacopedia +pharmacopedic +pharmacopedics +pharmacopeia +pharmacopeial +pharmacopeian +pharmacopeias +pharmacophobia +pharmacopoeia +pharmacopoeial +pharmacopoeian +pharmacopoeias +pharmacopoeic +pharmacopoeist +pharmacopolist +pharmacoposia +pharmacopsychology +pharmacopsychosis +pharmacosiderite +pharmacotherapy +pharmakoi +pharmakos +PharmD +pharmic +PharmM +pharmuthi +pharo +Pharoah +pharology +Pharomacrus +Pharos +pharoses +Pharr +Pharsalia +Pharsalian +Pharsalus +Phascaceae +phascaceous +Phascogale +Phascolarctinae +Phascolarctos +phascolome +Phascolomyidae +Phascolomys +Phascolonus +Phascum +phase +phaseal +phase-contrast +phased +phaseless +phaselin +phasemeter +phasemy +Phaseolaceae +phaseolin +phaseolous +phaseolunatin +Phaseolus +phaseometer +phaseout +phaseouts +phaser +phasers +Phases +phaseun +phase-wound +phasia +Phasianella +Phasianellidae +phasianic +phasianid +Phasianidae +Phasianinae +phasianine +phasianoid +Phasianus +phasic +phasing +Phasiron +phasis +phasitron +phasm +phasma +phasmajector +phasmatid +Phasmatida +Phasmatidae +Phasmatodea +phasmatoid +Phasmatoidea +phasmatrope +phasmid +Phasmida +Phasmidae +phasmids +phasmoid +phasmophobia +phasogeneous +phasor +phasotropy +phat +Phathon +phatic +phatically +PHC +PhD +pheal +phearse +pheasant +pheasant-eyed +pheasant-plumed +pheasantry +pheasants +pheasant's +pheasant's-eye +pheasant's-eyes +pheasant-shell +pheasant-tailed +pheasantwood +Pheb +Pheba +Phebe +Phecda +Phedra +Phedre +pheeal +Phegeus +Phegopteris +Pheidippides +Pheidole +Phelan +Phelgen +Phelgon +Phelia +Phelips +phellandrene +phellem +phellems +phello- +Phellodendron +phelloderm +phellodermal +phellogen +phellogenetic +phellogenic +phellonic +phelloplastic +phelloplastics +phellum +phelonia +phelonion +phelonionia +phelonions +Phelps +Phemerol +Phemia +phemic +Phemie +Phemius +phen- +phenacaine +phenacetin +phenacetine +phenaceturic +phenacyl +phenacite +Phenacodontidae +Phenacodus +phenakism +phenakistoscope +phenakite +Phenalgin +phenanthraquinone +phenanthrene +phenanthrenequinone +phenanthridine +phenanthridone +phenanthrol +phenanthroline +phenarsine +phenate +phenates +phenazin +phenazine +phenazins +phenazone +Phene +phenegol +phenelzine +phenene +phenethicillin +phenethyl +phenetic +pheneticist +phenetics +phenetidin +phenetidine +phenetol +phenetole +phenetols +phenformin +phengite +phengitical +Pheni +Pheny +phenic +Phenica +phenicate +Phenice +Phenicia +phenicine +phenicious +phenicopter +phenyl +phenylacetaldehyde +phenylacetamide +phenylacetic +phenylaceticaldehyde +phenylalanine +phenylamide +phenylamine +phenylate +phenylated +phenylation +phenylbenzene +phenylboric +phenylbutazone +phenylcarbamic +phenylcarbimide +phenylcarbinol +phenyldiethanolamine +phenylene +phenylenediamine +phenylephrine +phenylethylene +phenylethylmalonylure +phenylethylmalonylurea +phenylglycine +phenylglycolic +phenylglyoxylic +phenylhydrazine +phenylhydrazone +phenylic +phenylketonuria +phenylketonuric +phenylmethane +phenyls +phenylthiocarbamide +phenylthiourea +phenin +phenine +Phenix +phenixes +phenmetrazine +phenmiazine +pheno- +phenobarbital +phenobarbitol +phenobarbitone +phenocain +phenocoll +phenocopy +phenocopies +phenocryst +phenocrystalline +phenocrystic +phenogenesis +phenogenetic +phenol +phenolate +phenolated +phenolia +phenolic +phenolics +phenoliolia +phenolion +phenolions +phenolization +phenolize +phenology +phenologic +phenological +phenologically +phenologist +phenoloid +phenolphthalein +phenol-phthalein +phenols +phenolsulphonate +phenolsulphonephthalein +phenolsulphonic +phenom +phenomena +phenomenal +phenomenalism +phenomenalist +phenomenalistic +phenomenalistically +phenomenalists +phenomenality +phenomenalization +phenomenalize +phenomenalized +phenomenalizing +phenomenally +phenomenalness +phenomenic +phenomenical +phenomenism +phenomenist +phenomenistic +phenomenize +phenomenized +phenomenology +phenomenologic +phenomenological +phenomenologically +phenomenologies +phenomenologist +phenomenon +phenomenona +phenomenons +phenoms +phenoplast +phenoplastic +phenoquinone +phenosafranine +phenosal +phenose +phenosol +phenospermy +phenospermic +phenothiazine +phenotype +phenotypes +phenotypic +phenotypical +phenotypically +phenoxazine +phenoxy +phenoxybenzamine +phenoxid +phenoxide +phenozygous +phentolamine +pheochromocytoma +pheon +pheophyl +pheophyll +pheophytin +Pherae +Phereclus +Pherecratean +Pherecratian +Pherecratic +Pherephatta +pheretrer +Pherkad +pheromonal +pheromone +pheromones +Pherophatta +Phersephatta +Phersephoneia +phew +Phi +Phia +phial +phialae +phialai +phiale +phialed +phialful +phialide +phialine +phialing +phialled +phiallike +phialling +phialophore +phialospore +phials +phycic +Phyciodes +phycite +Phycitidae +phycitol +phyco- +phycochrom +phycochromaceae +phycochromaceous +phycochrome +Phycochromophyceae +phycochromophyceous +phycocyanin +phycocyanogen +phycocolloid +Phycodromidae +phycoerythrin +phycography +phycology +phycological +phycologist +Phycomyces +phycomycete +Phycomycetes +phycomycetous +phycophaein +phycoxanthin +phycoxanthine +Phidiac +Phidian +Phidias +Phidippides +phies +Phyfe +Phigalian +phygogalactic +PHIGS +phil +Phyl +phil- +phyl- +Phil. +Phila +phyla +philabeg +philabegs +phylacobiosis +phylacobiotic +phylactery +phylacteric +phylacterical +phylacteried +phylacteries +phylacterize +phylactic +phylactocarp +phylactocarpal +Phylactolaema +Phylactolaemata +phylactolaematous +Phylactolema +Phylactolemata +philadelphy +Philadelphia +Philadelphian +Philadelphianism +philadelphians +philadelphite +Philadelphus +Philae +phylae +Phil-african +philalethist +philamot +Philan +Philana +Philander +philandered +philanderer +philanderers +philandering +philanders +philanthid +Philanthidae +philanthrope +philanthropy +philanthropian +philanthropic +philanthropical +philanthropically +philanthropies +philanthropine +philanthropinism +philanthropinist +Philanthropinum +philanthropise +philanthropised +philanthropising +philanthropism +philanthropist +philanthropistic +philanthropists +philanthropize +philanthropized +philanthropizing +Philanthus +philantomba +phylar +Phil-arabian +Phil-arabic +phylarch +philarchaist +phylarchy +phylarchic +phylarchical +philaristocracy +phylartery +philately +philatelic +philatelical +philatelically +philatelies +philatelism +philatelist +philatelistic +philatelists +Philathea +philathletic +philauty +phylaxis +phylaxises +Philbert +Philby +Philbin +Philbo +Philbrook +Philcox +phile +phyle +Philem +Philem. +philematology +Philemol +Philemon +Philender +phylephebic +Philepitta +Philepittidae +phyleses +Philesia +phylesis +phylesises +Philetaerus +phyletic +phyletically +phyletism +Phyleus +Philharmonic +philharmonics +philhellene +philhellenic +philhellenism +philhellenist +philhymnic +philhippic +philia +philiater +philibeg +philibegs +Philibert +philic +phylic +Philydraceae +philydraceous +Philina +Philine +Philip +Philipa +Philipines +Philipp +Philippa +Philippan +Philippe +Philippeville +Philippi +Philippian +Philippians +Philippic +philippicize +Philippics +philippina +Philippine +Philippines +Philippism +Philippist +Philippistic +Philippizate +philippize +philippizer +Philippopolis +Philipps +philippus +Philips +Philipsburg +Philipson +Philyra +Philis +Phylis +Phylys +Phyliss +philister +Philistia +Philistian +Philistine +Philistinely +philistines +Philistinian +Philistinic +Philistinish +Philistinism +Philistinize +Philius +phill +phyll +phyll- +Phyllachora +Phyllactinia +Phillada +phyllade +phyllamania +phyllamorph +Phillane +Phyllanthus +phyllary +phyllaries +Phyllaurea +Philly +Phillida +Phyllida +Phillie +phylliform +phillilew +philliloo +phyllin +phylline +Phillip +Phillipe +phillipeener +Phillipp +Phillippe +phillippi +Phillips +Phillipsburg +phillipsine +phillipsite +Phillipsville +Phillyrea +phillyrin +Phillis +Phyllis +Phyllys +phyllite +phyllites +phyllitic +Phyllitis +Phyllium +phyllo +phyllo- +phyllobranchia +phyllobranchial +phyllobranchiate +Phyllocactus +phyllocarid +Phyllocarida +phyllocaridan +Phylloceras +phyllocerate +Phylloceratidae +phyllocyanic +phyllocyanin +phyllocyst +phyllocystic +phylloclad +phylloclade +phyllocladia +phyllocladioid +phyllocladium +phyllocladous +phyllode +phyllodes +phyllody +phyllodia +phyllodial +phyllodination +phyllodineous +phyllodiniation +phyllodinous +phyllodium +Phyllodoce +phylloerythrin +phyllogenetic +phyllogenous +phylloid +phylloidal +phylloideous +phylloids +phyllomancy +phyllomania +phyllome +phyllomes +phyllomic +phyllomorph +phyllomorphy +phyllomorphic +phyllomorphosis +Phyllophaga +phyllophagan +phyllophagous +phyllophyllin +phyllophyte +phyllophore +phyllophorous +phyllopyrrole +phyllopod +Phyllopoda +phyllopodan +phyllopode +phyllopodiform +phyllopodium +phyllopodous +phylloporphyrin +Phyllopteryx +phylloptosis +phylloquinone +phyllorhine +phyllorhinine +phyllos +phylloscopine +Phylloscopus +phyllosilicate +phyllosiphonic +phyllosoma +Phyllosomata +phyllosome +Phyllospondyli +phyllospondylous +Phyllostachys +Phyllosticta +Phyllostoma +Phyllostomatidae +Phyllostomatinae +phyllostomatoid +phyllostomatous +phyllostome +Phyllostomidae +Phyllostominae +phyllostomine +phyllostomous +Phyllostomus +phyllotactic +phyllotactical +phyllotaxy +phyllotaxic +phyllotaxis +phyllous +phylloxanthin +Phylloxera +phylloxerae +phylloxeran +phylloxeras +phylloxeric +Phylloxeridae +phyllozooid +phillumenist +Philmont +Philo +Phylo +philo- +phylo- +Philo-athenian +philobiblian +philobiblic +philobiblical +philobiblist +philobotanic +philobotanist +philobrutish +philocaly +philocalic +philocalist +philocathartic +philocatholic +philocyny +philocynic +philocynical +philocynicism +philocomal +Philoctetes +philocubist +philodemic +philodendra +Philodendron +philodendrons +philodespot +philodestructiveness +Philodina +Philodinidae +philodox +philodoxer +philodoxical +philodramatic +philodramatist +Philoetius +philofelist +philofelon +Philo-french +Philo-Gallic +Philo-gallicism +philogarlic +philogastric +philogeant +phylogenesis +phylogenetic +phylogenetical +phylogenetically +phylogeny +phylogenic +phylogenist +philogenitive +philogenitiveness +Philo-german +Philo-germanism +phylogerontic +phylogerontism +philogynaecic +philogyny +philogynist +philogynous +philograph +phylography +philographic +Philo-greek +Philohela +philohellenian +Philo-hindu +Philo-yankee +Philo-yankeeist +Philo-jew +philokleptic +philol +philol. +Philo-laconian +Philolaus +philoleucosis +philologaster +philologastry +philologer +philology +phylology +philologian +philologic +philological +philologically +philologist +philologistic +philologists +philologize +philologue +Philomachus +Philomath +philomathematic +philomathematical +philomathy +philomathic +philomathical +philome +Philomel +Philomela +philomelanist +philomelian +philomels +Philomena +philomystic +philomythia +philomythic +Philomont +philomuse +philomusical +phylon +philonatural +phyloneanic +philoneism +phylonepionic +Philonian +Philonic +Philonis +Philonism +Philonist +philonium +philonoist +Philonome +Phylonome +Philoo +philopagan +philopater +philopatrian +Philo-peloponnesian +philopena +philophilosophos +philopig +philoplutonic +philopoet +philopogon +Philo-pole +philopolemic +philopolemical +Philo-polish +philopornist +philoprogeneity +philoprogenitive +philoprogenitiveness +philopterid +Philopteridae +philopublican +philoradical +philorchidaceous +philornithic +philorthodox +Philo-russian +philos +philos. +Philo-slav +Philo-slavism +philosoph +philosophaster +philosophastering +philosophastry +philosophe +philosophedom +philosopheme +philosopher +philosopheress +philosophers +philosopher's +philosophership +philosophes +philosophess +philosophy +philosophic +philosophical +philosophically +philosophicalness +philosophicide +philosophico- +philosophicohistorical +philosophicojuristic +philosophicolegal +philosophicopsychological +philosophicoreligious +philosophicotheological +philosophies +philosophilous +philosophy's +philosophisation +philosophise +philosophised +philosophiser +philosophising +philosophism +philosophist +philosophister +philosophistic +philosophistical +philosophization +philosophize +philosophized +philosophizer +philosophizers +philosophizes +philosophizing +philosophling +philosophobia +philosophocracy +philosophuncule +philosophunculist +philotadpole +philotechnic +philotechnical +philotechnist +Philo-teuton +Philo-teutonism +philothaumaturgic +philotheism +philotheist +philotheistic +philotheosophical +philotherian +philotherianism +Philotria +Philo-turk +Philo-turkish +Philo-turkism +philous +Philoxenian +philoxygenous +Philo-zionist +philozoic +philozoist +philozoonist +Philpot +Philps +philter +philtered +philterer +philtering +philterproof +philters +philtra +philtre +philtred +philtres +philtring +philtrum +phylum +phylumla +phyma +phymas +phymata +phymatic +phymatid +Phymatidae +Phymatodes +phymatoid +phymatorhysin +phymatosis +phi-meson +phimosed +phimoses +Phymosia +phimosis +phimotic +Phina +Phineas +Phineus +Phio +Phiomia +Phiona +Phionna +Phip +phi-phenomena +phi-phenomenon +phippe +Phippen +Phipps +Phippsburg +Phira +phyre +phiroze +phis +phys +phys. +Physa +physagogue +Physalia +physalian +Physaliidae +Physalis +physalite +Physalospora +Physapoda +Physaria +Physcia +Physciaceae +physcioid +Physcomitrium +physed +physeds +physes +Physeter +Physeteridae +Physeterinae +physeterine +physeteroid +Physeteroidea +physharmonica +physi- +physianthropy +physiatric +physiatrical +physiatrics +physiatrist +physic +physical +physicalism +physicalist +physicalistic +physicalistically +physicality +physicalities +physically +physicalness +physicals +physician +physicianary +physiciancy +physicianed +physicianer +physicianess +physicianing +physicianless +physicianly +physicians +physician's +physicianship +physicism +physicist +physicists +physicist's +physicked +physicker +physicky +physicking +physicks +physic-nut +physico- +physicoastronomical +physicobiological +physicochemic +physicochemical +physicochemically +physicochemist +physicochemistry +physicogeographical +physicologic +physicological +physicomathematical +physicomathematics +physicomechanical +physicomedical +physicomental +physicomorph +physicomorphic +physicomorphism +physicooptics +physicophilosophy +physicophilosophical +physicophysiological +physicopsychical +physicosocial +physicotheology +physico-theology +physicotheological +physicotheologist +physicotherapeutic +physicotherapeutics +physicotherapy +physics +physid +Physidae +physiform +Physik +physio- +physiochemical +physiochemically +physiochemistry +physiocracy +physiocrat +physiocratic +physiocratism +physiocratist +physiogenesis +physiogenetic +physiogeny +physiogenic +physiognomy +physiognomic +physiognomical +physiognomically +physiognomics +physiognomies +physiognomist +physiognomize +physiognomonic +physiognomonical +physiognomonically +physiogony +physiographer +physiography +physiographic +physiographical +physiographically +physiol +physiolater +physiolatry +physiolatrous +physiologer +physiology +physiologian +physiologic +physiological +physiologically +physiologicoanatomic +physiologies +physiologist +physiologists +physiologize +physiologue +physiologus +physiopathology +physiopathologic +physiopathological +physiopathologically +physiophilist +physiophilosopher +physiophilosophy +physiophilosophical +physiopsychic +physiopsychical +physiopsychology +physiopsychological +physiosociological +physiosophy +physiosophic +physiotherapeutic +physiotherapeutical +physiotherapeutics +physiotherapy +physiotherapies +physiotherapist +physiotherapists +physiotype +physiotypy +physique +physiqued +physiques +physis +physitheism +physitheist +physitheistic +physitism +physiurgy +physiurgic +physnomy +physo- +physocarpous +Physocarpus +physocele +physoclist +Physoclisti +physoclistic +physoclistous +Physoderma +physogastry +physogastric +physogastrism +physometra +Physonectae +physonectous +physophora +Physophorae +physophoran +physophore +physophorous +physopod +Physopoda +physopodan +Physostegia +Physostigma +physostigmine +physostomatous +physostome +Physostomi +physostomous +PHYSREV +phit +phyt- +phytalbumose +Phytalus +phytane +phytanes +phytase +phytate +phyte +Phytelephas +Phyteus +Phithom +phytic +phytiferous +phytiform +phytyl +phytin +phytins +phytivorous +phyto- +phytoalexin +phytobacteriology +phytobezoar +phytobiology +phytobiological +phytobiologist +phytochemical +phytochemically +phytochemist +phytochemistry +phytochlore +phytochlorin +phytochrome +phytocidal +phytocide +phytoclimatology +phytoclimatologic +phytoclimatological +phytocoenoses +phytocoenosis +phytodynamics +phytoecology +phytoecological +phytoecologist +Phytoflagellata +phytoflagellate +phytogamy +phytogenesis +phytogenetic +phytogenetical +phytogenetically +phytogeny +phytogenic +phytogenous +phytogeographer +phytogeography +phytogeographic +phytogeographical +phytogeographically +phytoglobulin +phytognomy +phytograph +phytographer +phytography +phytographic +phytographical +phytographist +phytohaemagglutinin +phytohemagglutinin +phytohormone +phytoid +phytokinin +phytol +Phytolacca +Phytolaccaceae +phytolaccaceous +phytolatry +phytolatrous +phytolite +phytolith +phytolithology +phytolithological +phytolithologist +phytology +phytologic +phytological +phytologically +phytologist +phytols +phytoma +Phytomastigina +Phytomastigoda +phytome +phytomer +phytomera +phytometer +phytometry +phytometric +phytomonad +Phytomonadida +Phytomonadina +Phytomonas +phytomorphic +phytomorphology +phytomorphosis +phyton +phytonadione +phitones +phytonic +phytonomy +phytonomist +phytons +phytooecology +phytopaleontology +phytopaleontologic +phytopaleontological +phytopaleontologist +phytoparasite +phytopathogen +phytopathogenic +phytopathology +phytopathologic +phytopathological +phytopathologist +Phytophaga +phytophagan +phytophage +phytophagy +phytophagic +Phytophagineae +phytophagous +phytopharmacology +phytopharmacologic +phytophenology +phytophenological +phytophil +phytophylogenetic +phytophylogeny +phytophylogenic +phytophilous +phytophysiology +phytophysiological +Phytophthora +phytoplankton +phytoplanktonic +phytoplasm +phytopsyche +phytoptid +Phytoptidae +phytoptose +phytoptosis +Phytoptus +phytorhodin +phytosaur +Phytosauria +phytosaurian +phytoserology +phytoserologic +phytoserological +phytoserologically +phytosynthesis +phytosis +phytosociology +phytosociologic +phytosociological +phytosociologically +phytosociologist +phytosterin +phytosterol +phytostrote +phytosuccivorous +phytotaxonomy +phytotechny +phytoteratology +phytoteratologic +phytoteratological +phytoteratologist +Phytotoma +phytotomy +Phytotomidae +phytotomist +phytotopography +phytotopographical +phytotoxic +phytotoxicity +phytotoxin +phytotron +phytovitellin +Phytozoa +phytozoan +Phytozoaria +phytozoon +Phitsanulok +Phyxius +Phiz +phizes +phizog +PhL +phleb- +phlebalgia +phlebangioma +phlebarteriectasia +phlebarteriodialysis +phlebectasy +phlebectasia +phlebectasis +phlebectomy +phlebectopy +phlebectopia +phlebemphraxis +phlebenteric +phlebenterism +phlebitic +phlebitis +phlebo- +Phlebodium +phlebogram +phlebograph +phlebography +phlebographic +phlebographical +phleboid +phleboidal +phlebolite +phlebolith +phlebolithiasis +phlebolithic +phlebolitic +phlebology +phlebological +phlebometritis +phlebopexy +phleboplasty +phleborrhage +phleborrhagia +phleborrhaphy +phleborrhexis +phlebosclerosis +phlebosclerotic +phlebostasia +phlebostasis +phlebostenosis +phlebostrepsis +phlebothrombosis +phlebotome +phlebotomy +phlebotomic +phlebotomical +phlebotomically +phlebotomies +phlebotomisation +phlebotomise +phlebotomised +phlebotomising +phlebotomist +phlebotomization +phlebotomize +Phlebotomus +Phlegethon +Phlegethontal +Phlegethontic +Phlegyas +phlegm +phlegma +phlegmagogue +phlegmasia +phlegmatic +phlegmatical +phlegmatically +phlegmaticalness +phlegmaticly +phlegmaticness +phlegmatism +phlegmatist +phlegmatized +phlegmatous +phlegmy +phlegmier +phlegmiest +phlegmless +phlegmon +phlegmonic +phlegmonoid +phlegmonous +phlegms +Phleum +Phlias +phlyctaena +phlyctaenae +phlyctaenula +phlyctena +phlyctenae +phlyctenoid +phlyctenula +phlyctenule +phlyzacious +phlyzacium +phlobaphene +phlobatannin +phloem +phloems +phloeophagous +phloeoterma +phloeum +phlogisma +phlogistian +phlogistic +phlogistical +phlogisticate +phlogistication +phlogiston +phlogistonism +phlogistonist +phlogogenetic +phlogogenic +phlogogenous +phlogopite +phlogosed +phlogosin +phlogosis +phlogotic +Phlomis +phloretic +phloretin +phlorhizin +phloridzin +phlorina +phlorizin +phloro- +phloroglucic +phloroglucin +phloroglucinol +phlorol +phlorone +phlorrhizin +phlox +phloxes +phloxin +PhM +pho +phobe +Phobetor +phoby +phobia +phobiac +phobias +phobic +phobics +phobies +phobism +phobist +phobophobia +Phobos +Phobus +phoca +phocacean +phocaceous +Phocaea +Phocaean +Phocaena +Phocaenina +phocaenine +phocal +Phocean +phocenate +phocenic +phocenin +Phocian +phocid +Phocidae +phociform +Phocylides +Phocinae +phocine +Phocion +Phocis +phocodont +Phocodontia +phocodontic +Phocoena +phocoid +phocomeli +phocomelia +phocomelous +phocomelus +phoebads +Phoebe +Phoebean +phoebes +Phoebus +Phoenicaceae +phoenicaceous +Phoenicales +phoenicean +Phoenicia +Phoenician +Phoenicianism +phoenicians +Phoenicid +Phoenicis +phoenicite +Phoenicize +phoenicochroite +phoenicopter +Phoenicopteridae +Phoenicopteriformes +phoenicopteroid +Phoenicopteroideae +phoenicopterous +Phoenicopterus +Phoeniculidae +Phoeniculus +phoenicurous +phoenigm +Phoenix +phoenixes +phoenixity +Phoenixlike +Phoenixville +phoh +phokomelia +pholad +Pholadacea +pholadian +pholadid +Pholadidae +Pholadinea +pholadoid +Pholas +pholcid +Pholcidae +pholcoid +Pholcus +pholido +pholidolite +pholidosis +Pholidota +pholidote +Pholiota +Phoma +Phomopsis +Phomvihane +phon +phon- +phon. +phonal +phonasthenia +phonate +phonated +phonates +phonating +phonation +phonatory +phonautogram +phonautograph +phonautographic +phonautographically +phone +phoned +phoney +phoneidoscope +phoneidoscopic +phoneyed +phoneier +phoneiest +phone-in +phoneys +Phonelescope +phonematic +phonematics +phoneme +phonemes +phoneme's +phonemic +phonemically +phonemicist +phonemicize +phonemicized +phonemicizing +phonemics +phonendoscope +phoner +phones +phonesis +phonestheme +phonesthemic +phonet +phonetic +phonetical +phonetically +phonetician +phoneticians +phoneticism +phoneticist +phoneticization +phoneticize +phoneticogrammatical +phoneticohieroglyphic +phonetics +phonetism +phonetist +phonetization +phonetize +Phonevision +phonghi +phony +phoniatry +phoniatric +phoniatrics +phonic +phonically +phonics +phonied +phonier +phonies +phoniest +phonying +phonikon +phonily +phoniness +phoning +phonism +phono +phono- +phonocamptic +phonocardiogram +phonocardiograph +phonocardiography +phonocardiographic +phonocinematograph +phonodeik +phonodynamograph +phonoglyph +phonogram +phonogramic +phonogramically +phonogrammatic +phonogrammatical +phonogrammic +phonogrammically +phonograph +phonographally +phonographer +phonography +phonographic +phonographical +phonographically +phonographist +phonographs +phonol +phonol. +phonolite +phonolitic +phonologer +phonology +phonologic +phonological +phonologically +phonologist +phonologists +phonomania +phonometer +phonometry +phonometric +phonomimic +phonomotor +phonon +phonons +phonopathy +phonophile +phonophobia +phonophone +phonophore +phonophoric +phonophorous +phonophote +phonophotography +phonophotoscope +phonophotoscopic +phonoplex +phonopore +phonoreception +phonoreceptor +phonorecord +phonos +phonoscope +phonotactics +phonotelemeter +phonotype +phonotyper +phonotypy +phonotypic +phonotypical +phonotypically +phonotypist +phons +Phonsa +phoo +phooey +phooka +phoo-phoo +Phora +Phoradendron +phoranthium +phorate +phorates +phorbin +Phorcys +phore +phoresy +phoresis +phoria +phorid +Phoridae +phorminx +Phormium +phorology +phorometer +phorometry +phorometric +phorone +Phoroneus +phoronic +phoronid +Phoronida +Phoronidea +Phoronis +phoronomy +phoronomia +phoronomic +phoronomically +phoronomics +Phororhacidae +Phororhacos +phoroscope +phorous +phorozooid +phorrhea +phos +phos- +phose +phosgene +phosgenes +phosgenic +phosgenite +phosis +phosph- +phosphagen +phospham +phosphamic +phosphamide +phosphamidic +phosphamidon +phosphammonium +phosphatase +phosphate +phosphated +phosphatemia +phosphates +phosphate's +phosphatese +phosphatic +phosphatide +phosphatidic +phosphatidyl +phosphatidylcholine +phosphation +phosphatisation +phosphatise +phosphatised +phosphatising +phosphatization +phosphatize +phosphatized +phosphatizing +phosphaturia +phosphaturic +phosphene +phosphenyl +phosphid +phosphide +phosphids +phosphyl +phosphin +phosphinate +phosphine +phosphinic +phosphins +phosphite +phospho +phospho- +phosphoaminolipide +phosphocarnic +phosphocreatine +phosphodiesterase +phosphoenolpyruvate +phosphoferrite +phosphofructokinase +phosphoglyceraldehyde +phosphoglycerate +phosphoglyceric +phosphoglycoprotein +phosphoglucomutase +phosphokinase +phospholipase +phospholipid +phospholipide +phospholipin +phosphomolybdate +phosphomolybdic +phosphomonoesterase +phosphonate +phosphonic +phosphonium +phosphonuclease +phosphophyllite +phosphophori +phosphoprotein +Phosphor +phosphorate +phosphorated +phosphorating +phosphore +phosphoreal +phosphorent +phosphoreous +phosphoresce +phosphoresced +phosphorescence +phosphorescences +phosphorescent +phosphorescently +phosphorescing +phosphoreted +phosphoretted +phosphorhidrosis +phosphori +phosphoric +phosphorical +phosphoriferous +phosphoryl +phosphorylase +phosphorylate +phosphorylated +phosphorylating +phosphorylation +phosphorylative +phosphorisation +phosphorise +phosphorised +phosphorising +phosphorism +phosphorite +phosphoritic +phosphorize +phosphorizing +phosphoro- +phosphorogen +phosphorogene +phosphorogenic +phosphorograph +phosphorography +phosphorographic +phosphorolysis +phosphorolytic +phosphoroscope +phosphorous +phosphors +phosphoruria +Phosphorus +phosphosilicate +phosphotartaric +phosphotungstate +phosphotungstic +phosphowolframic +phosphuranylite +phosphuret +phosphuria +phoss +phossy +phot +phot- +phot. +photaesthesia +photaesthesis +photaesthetic +photal +photalgia +photechy +photelectrograph +photeolic +photerythrous +photesthesis +photic +photically +photics +Photima +Photina +Photinia +Photinian +Photinianism +photism +photistic +Photius +photo +photo- +photoactinic +photoactivate +photoactivation +photoactive +photoactivity +photoaesthetic +photoalbum +photoalgraphy +photoanamorphosis +photoaquatint +photoautotrophic +photoautotrophically +Photobacterium +photobathic +photobiography +photobiology +photobiologic +photobiological +photobiologist +photobiotic +photobromide +photocampsis +photocatalysis +photocatalyst +photocatalytic +photocatalyzer +photocathode +PHOTOCD +photocell +photocells +photocellulose +photoceptor +photoceramic +photoceramics +photoceramist +photochemic +photochemical +photochemically +photochemigraphy +photochemist +photochemistry +photochloride +photochlorination +photochromascope +photochromatic +photochrome +photochromy +photochromic +photochromism +photochromography +photochromolithograph +photochromoscope +photochromotype +photochromotypy +photochronograph +photochronography +photochronographic +photochronographical +photochronographically +photocinesis +photocoagulation +photocollograph +photocollography +photocollographic +photocollotype +photocombustion +photocompose +photocomposed +photocomposer +photocomposes +photocomposing +photocomposition +photoconduction +photoconductive +photoconductivity +photoconductor +photocopy +photocopied +photocopier +photocopiers +photocopies +photocopying +photocrayon +photocurrent +photodecomposition +photodensitometer +photodermatic +photodermatism +photodetector +photodynamic +photodynamical +photodynamically +photodynamics +photodiode +photodiodes +photodisintegrate +photodisintegration +photodysphoria +photodissociate +photodissociation +photodissociative +photodrama +photodramatic +photodramatics +photodramatist +photodramaturgy +photodramaturgic +photodrome +photodromy +photoduplicate +photoduplication +photoed +photoelastic +photoelasticity +photoelectric +photo-electric +photoelectrical +photoelectrically +photoelectricity +photoelectron +photoelectronic +photoelectronics +photoelectrotype +photoemission +photoemissive +photoeng +photoengrave +photoengraved +photoengraver +photoengravers +photoengraves +photoengraving +photo-engraving +photoengravings +photoepinasty +photoepinastic +photoepinastically +photoesthesis +photoesthetic +photoetch +photoetched +photoetcher +photoetching +photofilm +photofinish +photo-finish +photofinisher +photofinishing +photofission +Photofit +photoflash +photoflight +photoflood +photofloodlamp +photofluorogram +photofluorograph +photofluorography +photofluorographic +photog +photogalvanograph +photogalvanography +photo-galvanography +photogalvanographic +photogastroscope +photogelatin +photogen +photogene +photogenetic +photogeny +photogenic +photogenically +photogenous +photogeology +photogeologic +photogeological +photogyric +photoglyph +photoglyphy +photoglyphic +photoglyphography +photoglyptic +photoglyptography +photogram +photogrammeter +photogrammetry +photogrammetric +photogrammetrical +photogrammetrist +photograph +photographable +photographally +photographed +photographee +photographer +photographeress +photographers +photographess +photography +photographic +photographical +photographically +photographies +photographing +photographist +photographize +photographometer +photographs +photograt +photogravure +photogravurist +photogs +photohalide +photoheliograph +photoheliography +photoheliographic +photoheliometer +photohyponasty +photohyponastic +photohyponastically +photoimpression +photoinactivation +photoinduced +photoinduction +photoinductive +photoing +photoinhibition +photointaglio +photoionization +photoisomeric +photoisomerization +photoist +photojournalism +photojournalist +photojournalistic +photojournalists +photokinesis +photokinetic +photolysis +photolyte +photolith +photolitho +photolithograph +photolithographer +photolithography +photolithographic +photolithographically +photolithoprint +photolytic +photolytically +photolyzable +photolyze +photology +photologic +photological +photologist +photoluminescence +photoluminescent +photoluminescently +photoluminescents +photom +photom. +photoma +photomacrograph +photomacrography +photomagnetic +photomagnetism +photomap +photomappe +photomapped +photomapper +photomappi +photomapping +photomaps +photomechanical +photomechanically +photometeor +photometer +photometers +photometry +photometric +photometrical +photometrically +photometrician +photometrist +photometrograph +photomezzotype +photomicrogram +photomicrograph +photomicrographer +photomicrography +photomicrographic +photomicrographical +photomicrographically +photomicrographs +photomicroscope +photomicroscopy +photomicroscopic +photomontage +photomorphogenesis +photomorphogenic +photomorphosis +photo-mount +photomultiplier +photomural +photomurals +Photon +photonasty +photonastic +photonegative +photonephograph +photonephoscope +photoneutron +photonic +photonosus +photons +photonuclear +photo-offset +photooxidation +photooxidative +photopathy +photopathic +photoperceptive +photoperimeter +photoperiod +photoperiodic +photoperiodically +photoperiodism +photophane +photophygous +photophile +photophily +photophilic +photophilous +photophysical +photophysicist +photophobe +photophobia +photophobic +photophobous +photophone +photophony +photophonic +photophore +photophoresis +photophosphorescent +photophosphorylation +photopia +photopias +photopic +photopile +photopitometer +photoplay +photoplayer +photoplays +photoplaywright +photopography +photopolarigraph +photopolymer +photopolymerization +photopositive +photoprint +photoprinter +photoprinting +photoprocess +photoproduct +photoproduction +photoproton +photoptometer +photoradio +Photoradiogram +photoreactivating +photoreactivation +photoreception +photoreceptive +photoreceptor +photoreconnaissance +photo-reconnaissance +photorecorder +photorecording +photoreduction +photoregression +photorelief +photoresist +photoresistance +photorespiration +photo-retouch +photos +photo's +photosalt +photosantonic +photoscope +photoscopy +photoscopic +photosculptural +photosculpture +photosensitive +photosensitiveness +photosensitivity +photosensitization +photosensitize +photosensitized +photosensitizer +photosensitizes +photosensitizing +photosensory +photoset +photo-set +photosets +photosetter +photosetting +photo-setting +photosyntax +photosynthate +photosyntheses +photosynthesis +photosynthesises +photosynthesize +photosynthesized +photosynthesizes +photosynthesizing +photosynthetic +photosynthetically +photosynthometer +photospectroheliograph +photospectroscope +photospectroscopy +photospectroscopic +photospectroscopical +photosphere +photospheres +photospheric +photospherically +photostability +photostable +Photostat +photostated +photostater +photostatic +photostatically +photostating +photostationary +photostats +photostatted +photostatter +photostatting +photostereograph +photosurveying +phototachometer +phototachometry +phototachometric +phototachometrical +phototactic +phototactically +phototactism +phototaxy +phototaxis +phototechnic +phototelegraph +phototelegraphy +phototelegraphic +phototelegraphically +phototelephone +phototelephony +phototelescope +phototelescopic +phototheodolite +phototherapeutic +phototherapeutics +phototherapy +phototherapic +phototherapies +phototherapist +photothermic +phototimer +phototype +phototypesetter +phototypesetters +phototypesetting +phototypy +phototypic +phototypically +phototypist +phototypography +phototypographic +phototonic +phototonus +phototopography +phototopographic +phototopographical +phototransceiver +phototransistor +phototrichromatic +phototrope +phototroph +phototrophy +phototrophic +phototropy +phototropic +phototropically +phototropism +phototube +photovisual +photovitrotype +photovoltaic +photoxylography +photozinco +photozincograph +photozincography +photozincographic +photozincotype +photozincotypy +photphotonegative +Photronic +phots +photuria +phousdar +Phox +phpht +phr +phr. +Phractamphibia +phragma +Phragmidium +Phragmites +Phragmocyttares +phragmocyttarous +phragmocone +phragmoconic +phragmoid +phragmoplast +phragmosis +phrampel +phrarisaical +phrasable +phrasal +phrasally +phrase +phraseable +phrased +phrasey +phraseless +phrasem +phrasemake +phrasemaker +phrasemaking +phraseman +phrasemonger +phrasemongery +phrasemongering +phraseogram +phraseograph +phraseography +phraseographic +phraseology +phraseologic +phraseological +phraseologically +phraseologies +phraseologist +phraser +phrases +phrasy +phrasify +phrasiness +phrasing +phrasings +phrator +phratral +phratry +phratria +phratriac +phratrial +phratric +phratries +phreatic +phreatophyte +phreatophytic +phren +phren- +phren. +phrenesia +phrenesiac +phrenesis +phrenetic +phrenetical +phrenetically +phreneticness +phrenia +phrenic +phrenicectomy +phrenicocolic +phrenicocostal +phrenicogastric +phrenicoglottic +phrenicohepatic +phrenicolienal +phrenicopericardiac +phrenicosplenic +phrenicotomy +phrenics +phrenitic +phrenitis +phreno- +phrenocardia +phrenocardiac +phrenocolic +phrenocostal +phrenodynia +phrenogastric +phrenoglottic +phrenogrady +phrenograih +phrenogram +phrenograph +phrenography +phrenohepatic +phrenol +phrenologer +phrenology +phrenologic +phrenological +phrenologically +phrenologies +phrenologist +phrenologists +phrenologize +phrenomagnetism +phrenomesmerism +phrenopathy +phrenopathia +phrenopathic +phrenopericardiac +phrenoplegy +phrenoplegia +phrenosin +phrenosinic +phrenospasm +phrenosplenic +phrenotropic +phrenoward +phrensy +phrensied +phrensies +phrensying +Phryganea +phryganeid +Phryganeidae +phryganeoid +Phrygia +Phrygian +Phrygianize +phrygium +Phryma +Phrymaceae +phrymaceous +Phryne +phrynid +Phrynidae +phrynin +phrynoid +Phrynosoma +Phrixus +phronemophobia +phronesis +Phronima +Phronimidae +phrontistery +phrontisterion +phrontisterium +PHS +pht +phtalic +phthalacene +phthalan +phthalanilic +phthalate +phthalazin +phthalazine +phthalein +phthaleine +phthaleinometer +phthalic +phthalid +phthalide +phthalyl +phthalylsulfathiazole +phthalimide +phthalin +phthalins +phthalocyanine +phthanite +Phthartolatrae +Phthia +phthinoid +phthiocol +phthiriasis +Phthirius +phthirophagous +phthises +phthisic +phthisical +phthisicky +phthisics +phthisiogenesis +phthisiogenetic +phthisiogenic +phthisiology +phthisiologist +phthisiophobia +phthisiotherapeutic +phthisiotherapy +phthisipneumony +phthisipneumonia +phthisis +phthongal +phthongometer +phthor +phthoric +phu +phugoid +Phuket +phulkari +phulwa +phulwara +phut +phuts +PI +PY +py- +PIA +pya +pia-arachnitis +pia-arachnoid +piaba +piacaba +Piacenza +piacevole +piache +piacle +piacula +piacular +piacularity +piacularly +piacularness +piaculum +pyaemia +pyaemias +pyaemic +Piaf +piaffe +piaffed +piaffer +piaffers +piaffes +piaffing +Piaget +pial +pyal +piala +pialyn +pyalla +pia-matral +pian +Piane +Pyanepsia +pianet +pianeta +pianette +piangendo +pianic +pianino +pianism +pianisms +pianissimo +pianissimos +pianist +pianiste +pianistic +pianistically +pianistiec +pianists +pianka +Piankashaw +piannet +piano +pianoforte +pianofortes +pianofortist +pianograph +Pianokoto +Pianola +pianolist +pianologue +piano-organ +pianos +piano's +pianosa +piano-violin +pians +piarhaemic +piarhemia +piarhemic +Piarist +Piaroa +Piaroan +Piaropus +Piarroan +pyarthrosis +pias +pyas +Piasa +piasaba +piasabas +piasava +piasavas +piassaba +piassabas +piassava +piassavas +Piast +piaster +piasters +piastre +piastres +Piatigorsk +Pyatigorsk +Piatigorsky +piation +Pyatt +piatti +Piaui +Piave +piazadora +piazin +piazine +piazza +piazzaed +piazzaless +piazzalike +piazzas +piazza's +piazze +piazzetta +Piazzi +piazzian +pibal +pibals +pibcorn +pibgorn +piblockto +piblokto +pibloktos +pibroch +pibroches +pibrochs +PIC +Pica +Picabia +Picacho +picachos +picador +picadores +picadors +picadura +Picae +Picayune +picayunes +picayunish +picayunishly +picayunishness +pical +picamar +picaninny +picaninnies +PICAO +picara +picaras +Picard +Picardi +Picardy +picarel +picaresque +picary +Picariae +picarian +Picarii +picaro +picaroon +picarooned +picarooning +picaroons +picaros +picas +Picasso +piccadill +Piccadilly +piccage +piccalilli +piccalillis +piccanin +piccaninny +piccaninnies +piccante +Piccard +piccata +Piccini +picciotto +Picco +piccolo +piccoloist +Piccolomini +piccolos +pice +Picea +picein +Picene +Picenian +piceoferruginous +piceotestaceous +piceous +piceworth +Pich +pyche +pichey +Picher +pichi +pichiciago +pichiciagos +pichiciego +pichuric +pichurim +Pici +Picidae +piciform +Piciformes +Picinae +picine +Picinni +pick +pick- +pickaback +pick-a-back +pickable +pickableness +pickadil +pickadils +pickage +pickaninny +pickaninnies +Pickar +Pickard +pickaroon +pickaway +pickax +pickaxe +pickaxed +pickaxes +pickaxing +pickback +pick-bearing +picked +pickedevant +picke-devant +picked-hatch +pickedly +pickedness +pickee +pickeer +pickeered +pickeering +pickeers +pickel +Pickelhaube +Pickens +Picker +pickerel +pickerels +pickerelweed +pickerel-weed +pickery +Pickering +pickeringite +Pickerington +pickers +picker-up +picket +picketboat +picketed +picketeer +picketer +picketers +picketing +pickets +Pickett +Pickford +pickfork +picky +pickier +pickiest +pickietar +pickin +picking +pickings +pickle +pickle-cured +pickled +pickle-herring +picklelike +pickleman +pickler +pickles +pickleweed +pickleworm +pickling +picklock +picklocks +Pickman +pickmaw +pickmen +pick-me-up +Pickney +picknick +picknicker +pick-nosed +pickoff +pick-off +pickoffs +pickout +pickover +pickpenny +pickpocket +pickpocketism +pickpocketry +pickpockets +pickpole +pickproof +pickpurse +Pickrell +picks +pickshaft +picksman +picksmith +picksome +picksomeness +Pickstown +pickthank +pickthankly +pickthankness +pickthatch +Pickton +picktooth +pickup +pick-up +pickups +pickup's +pick-up-sticks +pickwick +Pickwickian +Pickwickianism +Pickwickianly +pickwicks +pickwork +picloram +piclorams +Pycnanthemum +pycnia +pycnial +picnic +pycnic +picnicked +picnicker +picnickery +picnickers +picnicky +Picnickian +picnicking +picnickish +picnics +picnic's +pycnid +pycnidia +pycnidial +pycnidiophore +pycnidiospore +pycnidium +pycninidia +pycniospore +pycnite +pycnium +pycno- +Pycnocoma +pycnoconidium +pycnodont +Pycnodonti +Pycnodontidae +pycnodontoid +Pycnodus +pycnogonid +Pycnogonida +pycnogonidium +pycnogonoid +picnometer +pycnometer +pycnometochia +pycnometochic +pycnomorphic +pycnomorphous +Pycnonotidae +Pycnonotinae +pycnonotine +Pycnonotus +pycnoses +pycnosis +pycnospore +pycnosporic +pycnostyle +pycnotic +pico +pico- +picocurie +picofarad +picogram +picograms +picoid +picojoule +picolin +picoline +picolines +picolinic +picolins +picometer +picomole +picong +picory +Picorivera +picornavirus +picosecond +picoseconds +picot +picotah +picote +picoted +picotee +picotees +picoting +picotite +picots +picottah +picowatt +picquet +picqueter +picquets +picr- +picra +picramic +Picramnia +picrasmin +picrate +picrated +picrates +picry +picric +picryl +Picris +picrite +picrites +picritic +picro- +picrocarmine +Picrodendraceae +Picrodendron +picroerythrin +picrol +picrolite +picromerite +picropodophyllin +picrorhiza +picrorhizin +picrotin +picrotoxic +picrotoxin +picrotoxinin +PICS +Pict +pictarnie +Pictavi +Pictet +Pictish +Pictland +pictogram +pictograph +pictography +pictographic +pictographically +pictographs +Pictones +Pictor +pictoradiogram +Pictores +pictorial +pictorialisation +pictorialise +pictorialised +pictorialising +pictorialism +pictorialist +pictorialization +pictorialize +pictorially +pictorialness +pictorials +pictoric +pictorical +pictorically +pictun +picturability +picturable +picturableness +picturably +pictural +picture +picture-borrowing +picture-broidered +picture-buying +picturecraft +pictured +picture-dealing +picturedom +picturedrome +pictureful +picturegoer +picture-hanging +picture-hung +pictureless +picturely +picturelike +picturemaker +picturemaking +picture-painting +picture-pasted +Picturephone +picturephones +picturer +picturers +pictures +picture-seeking +picturesque +picturesquely +picturesqueness +picturesquenesses +picturesquish +picture-taking +picture-writing +pictury +picturing +picturization +picturize +picturized +picturizing +picucule +picuda +picudilla +picudo +picul +picule +piculet +piculs +piculule +Picumninae +Picumnus +Picunche +Picuris +Picus +PID +pidan +piddle +piddled +piddler +piddlers +piddles +piddly +piddling +piddlingly +piddock +piddocks +Piderit +Pidgeon +pidgin +pidginization +pidginize +pidgins +pidgized +pidgizing +pidjajap +Pydna +pie +pye +pie-baking +piebald +piebaldism +piebaldly +piebaldness +piebalds +piece +pieceable +pieced +piece-dye +piece-dyed +pieceless +piecemaker +piecemeal +piecemealwise +piecen +piecener +piecer +piecers +pieces +piecette +piecewise +piecework +pieceworker +pieceworkers +piecing +piecings +piecrust +piecrusts +pied +pied- +pied-a-terre +pied-billed +pied-coated +pied-colored +pied-de-biche +pied-faced +piedfort +piedforts +piedly +Piedmont +piedmontal +Piedmontese +piedmontite +piedmonts +piedness +pye-dog +pied-piping +Piedra +piedroit +pied-winged +pie-eater +pie-eyed +pie-faced +Piefer +piefort +pieforts +Piegan +Piegari +pie-gow +piehouse +pieing +pyelectasis +pieless +pielet +pyelic +pielike +pyelitic +pyelitis +pyelitises +pyelocystitis +pyelogram +pyelograph +pyelography +pyelographic +pyelolithotomy +pyelometry +pyelonephritic +pyelonephritis +pyelonephrosis +pyeloplasty +pyeloscopy +pyelotomy +pyeloureterogram +pielum +Pielus +piemag +pieman +piemarker +pyemesis +pyemia +pyemias +pyemic +Piemonte +pien +pienaar +pienanny +piend +pyengadu +pientao +piepan +pieplant +pieplants +piepoudre +piepowder +pieprint +Pier +pierage +piercarlo +Pierce +pierceable +pierced +Piercefield +piercel +pierceless +piercent +piercer +piercers +pierces +Pierceton +Pierceville +Piercy +piercing +piercingly +piercingness +pierdrop +Pierette +pierhead +pier-head +Pieria +Pierian +pierid +Pieridae +Pierides +Pieridinae +pieridine +Pierinae +pierine +Pieris +pierless +pierlike +Piermont +Piero +pierogi +Pierpont +Pierre +pierre-perdu +Pierrepont +Pierrette +Pierro +Pierron +Pierrot +pierrotic +pierrots +Piers +Pierson +piert +Pierz +pies +pyes +pieshop +piest +pie-stuffed +Piet +Pieta +Pietas +piete +Pieter +Pietermaritzburg +piety +pietic +pieties +Pietism +pietisms +Pietist +pietistic +pietistical +pietistically +pietisticalness +pietists +Pietje +pieton +pietose +pietoso +Pietown +Pietra +Pietrek +Pietro +piewife +piewipe +piewoman +piezo +piezo- +piezochemical +piezochemistry +piezochemistries +piezocrystallization +piezoelectric +piezoelectrically +piezoelectricity +piezometer +piezometry +piezometric +piezometrical +PIF +pifero +piff +Piffard +piffero +piffle +piffled +piffler +piffles +piffling +piff-paff +pifine +pig +pygal +pygalgia +Pigalle +pygarg +pygargus +pig-back +pig-backed +pig-bed +pigbelly +pig-bellied +pigboat +pigboats +pig-breeding +pig-bribed +pig-chested +pigdan +pig-dealing +pigdom +pig-driving +pig-eating +pig-eyed +Pigeon +pigeonable +pigeonberry +pigeon-berry +pigeonberries +pigeon-breast +pigeon-breasted +pigeon-breastedness +pigeoneer +pigeoner +pigeonfoot +pigeongram +pigeon-hawk +pigeonhearted +pigeon-hearted +pigeonheartedness +pigeonhole +pigeon-hole +pigeonholed +pigeonholer +pigeonholes +pigeonholing +pigeon-house +pigeonite +pigeon-livered +pigeonman +pigeonneau +pigeon-pea +pigeon-plum +pigeonpox +pigeonry +pigeons +pigeon's +pigeon's-neck +pigeontail +pigeon-tailed +pigeon-toe +pigeon-toed +pigeonweed +pigeonwing +pigeonwood +pigeon-wood +pigface +pig-faced +pig-farming +pig-fat +pigfish +pigfishes +pigflower +pigfoot +pig-footed +pigful +pigg +pigged +piggery +piggeries +Piggy +piggyback +piggybacked +piggybacking +piggybacks +piggie +piggier +piggies +piggiest +piggin +pigging +piggins +piggish +piggishly +piggishness +piggy-wiggy +piggle +Piggott +pig-haired +pig-haunted +pighead +pigheaded +pig-headed +pigheadedly +pigheadedness +pigherd +pight +pightel +pightle +pigyard +pygidia +pygidial +pygidid +Pygididae +Pygidium +pygigidia +pig-iron +pig-jaw +pig-jawed +pig-jump +pig-jumper +pig-keeping +pigless +piglet +piglets +pigly +piglike +pigling +piglinghood +pygmaean +pigmaker +pigmaking +Pygmalion +pygmalionism +pigman +pygmean +pigmeat +pigment +pigmental +pigmentally +pigmentary +pigmentation +pigmentations +pigmented +pigmenting +pigmentize +pigmentolysis +pigmentophage +pigmentose +pigments +pig-metal +pigmew +Pigmy +Pygmy +pygmydom +Pigmies +Pygmies +pygmyhood +pygmyish +pygmyism +pygmyisms +pygmy-minded +pygmy's +pygmyship +pygmyweed +pygmoid +pignet +pignoli +pignolia +pignolis +pignon +pignora +pignorate +pignorated +pignoration +pignoratitious +pignorative +pignus +pignut +pig-nut +pignuts +pygo- +Pygobranchia +Pygobranchiata +pygobranchiate +pygofer +pygopagus +pygopod +Pygopodes +Pygopodidae +pygopodine +pygopodous +Pygopus +pygostyle +pygostyled +pygostylous +pigout +pigouts +pigpen +pigpens +pig-proof +pigritia +pigritude +pigroot +pigroots +Pigs +pig's +pigsconce +pigskin +pigskins +pigsney +pigsneys +pigsnies +pigsty +pigstick +pigsticked +pigsticker +pigsticking +pigsticks +pigsties +pigswill +pigtail +pigtailed +pig-tailed +pigtails +pig-tight +pigwash +pigweabbits +pigweed +pigweeds +pigwidgeon +pigwidgin +pigwigeon +Pigwiggen +Pyhrric +pyic +pyin +piing +pyins +piitis +pyjama +pyjamaed +pyjamas +pi-jaw +pik +pika +pikake +pikakes +pikas +Pike +pyke +pikeblenny +pikeblennies +piked +pike-eyed +pike-gray +pikey +pikel +pikelet +pikelike +pikeman +pikemen +pikemonger +pikeperch +pikeperches +piker +pikers +pikes +pike-snouted +pikestaff +pikestaves +Pikesville +piketail +Piketon +Pikeville +piki +piky +piking +pikle +pyknatom +pyknic +pyknics +pyknoses +pyknosis +pyknotic +pil +pil- +pyla +Pylades +Pylaemenes +Pylaeus +pilaf +pilaff +pilaffs +pilafs +pilage +pylagore +pilandite +pylangial +pylangium +pilapil +Pilar +pylar +pilary +Pylas +pilaster +pilastered +pilastering +pilasters +pilastrade +pilastraded +pilastric +Pilate +Pilatian +Pilatus +pilau +pilaued +pilaus +pilaw +pilaws +pilch +pilchard +pilchards +pilcher +pilcherd +Pilcomayo +pilcorn +pilcrow +pile +Pyle +Pilea +pileata +pileate +pileated +pile-built +piled +pile-driven +pile-driver +pile-driving +pilei +pileiform +pileless +pileolated +pileoli +pileolus +pileorhiza +pileorhize +pileous +pylephlebitic +pylephlebitis +piler +pilers +piles +Pylesville +pylethrombophlebitis +pylethrombosis +pileum +pileup +pileups +pileus +pileweed +pilework +pileworm +pilewort +pileworts +pile-woven +pilfer +pilferage +pilfered +pilferer +pilferers +pilfery +pilfering +pilferingly +pilferment +pilfers +pilfre +pilgarlic +pilgarlicky +Pilger +pilgrim +pilgrimage +pilgrimaged +pilgrimager +pilgrimages +pilgrimage's +pilgrimaging +pilgrimatic +pilgrimatical +pilgrimdom +pilgrimer +pilgrimess +pilgrimism +pilgrimize +pilgrimlike +pilgrims +pilgrim's +pilgrimwise +pili +pily +pylic +pilidium +pilies +pilifer +piliferous +piliform +piligan +piliganin +piliganine +piligerous +pilikai +pilikia +pililloo +pilimiction +pilin +piline +piling +pilings +pilipilula +pilis +pilitico +pilkins +pill +pillage +pillageable +pillaged +pillagee +Pillager +pillagers +pillages +pillaging +pillar +pillar-and-breast +pillar-box +pillared +pillaret +pillary +pillaring +pillarist +pillarize +pillarlet +pillarlike +pillars +pillar-shaped +pillarwise +pillas +pill-boasting +pillbox +pill-box +pillboxes +pill-dispensing +Pylle +pilled +pilledness +piller +pillery +pillet +pilleus +pill-gilding +pillhead +pillicock +pilling +pillion +pillions +pilliver +pilliwinks +pillmaker +pillmaking +pillmonger +Pilloff +pillory +pilloried +pillories +pillorying +pillorization +pillorize +pillow +pillowbeer +pillowber +pillowbere +pillowcase +pillow-case +pillowcases +pillowed +pillowy +pillowing +pillowless +pillowlike +pillowmade +pillows +pillow's +pillow-shaped +pillowslip +pillowslips +pillowwork +pill-rolling +pills +pill's +Pillsbury +pill-shaped +pill-taking +pillular +pillule +pillworm +pillwort +pilm +pilmy +pilo- +Pilobolus +pilocarpidine +pilocarpin +pilocarpine +Pilocarpus +Pilocereus +pilocystic +piloerection +pilomotor +pilon +pylon +piloncillo +pilonidal +pylons +pyloralgia +pylorectomy +pylorectomies +pilori +pylori +pyloric +pyloristenosis +pyloritis +pyloro- +pylorocleisis +pylorodilator +pylorogastrectomy +pyloroplasty +pyloroptosis +pyloroschesis +pyloroscirrhus +pyloroscopy +pylorospasm +pylorostenosis +pylorostomy +pylorous +pylorouses +pylorus +pyloruses +Pilos +Pylos +pilose +pilosebaceous +pilosin +pilosine +pilosis +pilosism +pilosity +pilosities +pilot +pilotage +pilotages +pilotaxitic +pilot-bird +pilot-boat +piloted +pilotee +pilotfish +pilot-fish +pilotfishes +pilothouse +pilothouses +piloti +piloting +pilotings +pilotism +pilotless +pilotman +pilotry +pilots +pilotship +Pilottown +pilotweed +pilous +Pilpai +Pilpay +pilpul +pilpulist +pilpulistic +Pilsen +Pilsener +pilseners +Pilsner +pilsners +Pilsudski +piltock +pilula +pilular +Pilularia +pilule +pilules +pilulist +pilulous +pilum +Pilumnus +pilus +pilusli +pilwillet +pim +Pym +Pima +Piman +pimaric +Pimas +pimbina +Pimbley +pimelate +Pimelea +pimelic +pimelite +pimelitis +piment +Pimenta +pimentel +Pimento +pimenton +pimentos +pi-meson +pimgenet +pimienta +pimiento +pimientos +pimlico +pimola +pimp +pimped +pimpery +pimperlimpimp +pimpernel +pimpernels +Pimpinella +pimping +pimpish +Pimpla +pimple +pimpleback +pimpled +pimpleproof +pimples +pimply +pimplier +pimpliest +Pimplinae +pimpliness +pimpling +pimplo +pimploe +pimplous +pimps +pimpship +PIMS +PIN +pina +pinabete +Pinaceae +pinaceous +pinaces +pinachrome +Pinacyanol +pinacle +Pinacoceras +Pinacoceratidae +pinacocytal +pinacocyte +pinacoid +pinacoidal +pinacol +pinacolate +pinacolic +pinacolin +pinacoline +pinacone +pinacone-pinacolin +pinacoteca +pinacotheca +pinaculum +Pinafore +pinafores +pinayusa +pinakiolite +pinakoid +pinakoidal +pinakotheke +Pinal +Pinaleno +Pinales +pinang +pinangs +pinard +pinards +pinas +pinaster +pinasters +pinata +pinatas +pinatype +pinaverdol +pinax +pinball +pinballs +pinbefore +pinbone +pinbones +pinbrain +pin-brained +pinbush +pin-buttocked +Pincas +pincase +pincement +pince-nez +pincer +pincerlike +pincers +pincer-shaped +pincers-shaped +pincerweed +pincette +pinch +pinch- +pinchable +Pinchas +pinchback +pinchbeck +pinchbelly +pinchbottle +pinchbug +pinchbugs +pinchcock +pinchcommons +pinchcrust +pinche +pincheck +pinchecks +pinched +pinched-in +pinchedly +pinchedness +pinchem +pincher +pinchers +pinches +pinch-faced +pinchfist +pinchfisted +pinchgut +pinch-hit +pinchhitter +pinchhitters +pinch-hitting +pinching +pinchingly +Pynchon +Pinchot +pinchpenny +pinch-run +pinch-spotted +Pincian +Pincince +Pinckard +Pinckney +Pinckneya +Pinckneyville +pincoffin +Pinconning +pincpinc +pinc-pinc +Pinctada +pin-curl +Pincus +pincushion +pincushion-flower +pincushiony +pincushions +pind +pinda +pindal +Pindall +Pindar +Pindari +Pindaric +pindarical +Pindarically +pindarics +Pindarism +Pindarist +Pindarize +Pindarus +pinder +pinders +pindy +pindjajap +pindling +Pindus +PINE +Pyne +pineal +pinealectomy +pinealism +pinealoma +pineapple +pine-apple +pineapples +pineapple's +Pinebank +pine-barren +pine-bearing +Pinebluffs +pine-bordered +Pinebrook +pine-built +Pinebush +pine-capped +pine-clad +Pinecliffe +pinecone +pinecones +pine-covered +Pinecrest +pine-crested +pine-crowned +pined +Pineda +Pinedale +pine-dotted +pinedrops +pine-encircled +pine-fringed +Pinehall +Pinehurst +piney +pin-eyed +Pineywoods +Pineknot +Pinel +Pineland +pinelike +Pinelli +pinene +pinenes +Pineola +piner +pinery +pineries +Pinero +Pines +pinesap +pinesaps +pine-sequestered +pine-shaded +pine-shipping +pineta +Pinetops +Pinetown +pine-tree +Pinetta +Pinette +pinetum +Pineview +Pineville +pineweed +Pinewood +pine-wood +pinewoods +pinfall +pinfeather +pin-feather +pinfeathered +pinfeatherer +pinfeathery +pinfeathers +pinfire +pin-fire +pinfish +pinfishes +pinfold +pinfolded +pinfolding +pinfolds +PING +pinge +pinged +pinger +pingers +pinging +pingle +pingler +pingo +pingos +Ping-Pong +pingrass +pingrasses +Pingre +Pingree +pings +pingster +pingue +pinguecula +pinguedinous +pinguefaction +pinguefy +pinguescence +pinguescent +Pinguicula +Pinguiculaceae +pinguiculaceous +pinguid +pinguidity +pinguiferous +pinguin +pinguinitescent +pinguite +pinguitude +pinguitudinous +pinhead +pin-head +pinheaded +pinheadedness +pinheads +pinhold +pinhole +pin-hole +pinholes +pinhook +Pini +piny +pinic +pinicoline +pinicolous +pinier +piniest +piniferous +piniform +pinyin +pinyins +pinyl +pining +piningly +pinings +pinion +pinyon +pinioned +pinioning +pinionless +pinionlike +pinions +pinyons +pinipicrin +pinitannic +pinite +pinites +pinitol +pinitols +pinivorous +pinjane +pinjra +pink +pinkany +pinkberry +pink-blossomed +pink-bound +pink-breasted +pink-checked +pink-cheeked +pink-coated +pink-colored +pink-eared +pinked +pinkeen +pinkey +pinkeye +pink-eye +pink-eyed +pinkeyes +pinkeys +pinken +pinkened +pinkeny +pinkens +pinker +pinkers +Pinkerton +Pinkertonism +pinkest +pink-faced +pinkfish +pinkfishes +pink-fleshed +pink-flowered +pink-foot +pink-footed +Pinkham +pink-hi +pinky +Pinkiang +pinkie +pinkies +pinkify +pinkified +pinkifying +pinkily +pinkiness +pinking +pinkings +pinkish +pinkishness +pink-leaved +pinkly +pink-lipped +pinkness +pinknesses +pinko +pinkoes +pinkos +pink-ribbed +pinkroot +pinkroots +pinks +pink-shaded +pink-shelled +pink-skinned +pinksome +Pinkster +pink-sterned +pink-striped +pink-tinted +pink-veined +pink-violet +pinkweed +pink-white +pinkwood +pinkwort +pinless +pinlock +pinmaker +pinmaking +pinman +pin-money +Pinna +pinnace +pinnaces +pinnacle +pinnacled +pinnacles +pinnacle's +pinnaclet +pinnacling +pinnae +pinnage +pinnaglobin +pinnal +pinnas +pinnate +pinnated +pinnatedly +pinnate-leaved +pinnately +pinnate-ribbed +pinnate-veined +pinnati- +pinnatifid +pinnatifidly +pinnatifid-lobed +pinnatilobate +pinnatilobed +pinnation +pinnatipartite +pinnatiped +pinnatisect +pinnatisected +pinnatodentate +pinnatopectinate +pinnatulate +pinned +pinnel +pinner +pinners +pinnet +pinny +pinni- +Pinnidae +pinnies +pinniferous +pinniform +pinnigerous +Pinnigrada +pinnigrade +pinninervate +pinninerved +pinning +pinningly +pinnings +pinniped +Pinnipedia +pinnipedian +pinnipeds +pinnisect +pinnisected +pinnitarsal +pinnitentaculate +pinniwinkis +pinnywinkle +pinnywinkles +pinnock +pinnoite +pinnotere +pinnothere +Pinnotheres +pinnotherian +Pinnotheridae +pinnula +pinnulae +pinnular +pinnulate +pinnulated +pinnule +pinnules +pinnulet +pino +pinocchio +Pinochet +pinochle +pinochles +pinocytosis +pinocytotic +pinocytotically +pinocle +pinocles +Pinola +Pinole +pinoles +pinoleum +pinolia +pinolin +Pinon +pinones +pinonic +pinons +Pinopolis +Pinot +pynot +pinots +pinoutpinpatch +pinpillow +pinpoint +pinpointed +pinpointing +pinpoints +pinprick +pin-prick +pinpricked +pinpricking +pinpricks +pinproof +pinrail +pinrowed +pins +pin's +pinscher +pinschers +pinsetter +pinsetters +Pinsk +Pinsky +Pinson +pinsons +pin-spotted +pinspotter +pinspotters +pinstripe +pinstriped +pin-striped +pinstripes +pint +Pinta +pintada +pintadas +pintadera +pintado +pintadoes +pintadoite +pintados +pintail +pin-tailed +pintails +pintano +pintanos +pintas +pinte +Pinter +Pinteresque +pintid +pintle +pintles +Pinto +pin-toed +pintoes +pintos +pint-pot +pints +pint's +pintsize +pint-size +pint-sized +pintura +Pinturicchio +pinuela +pinulus +pynung +pinup +pin-up +pinups +Pinus +pinwale +pinwales +pinweed +pinweeds +pinwheel +pin-wheel +pinwheels +pinwing +pin-wing +pinwork +pinworks +pinworm +pinworms +pinx +pinxit +Pinxter +Pinz +Pinzler +Pinzon +PIO +pyo- +pyobacillosis +pyocele +Pioche +pyocyanase +pyocyanin +pyocyst +pyocyte +pyoctanin +pyoctanine +pyoderma +pyodermas +pyodermatitis +pyodermatosis +pyodermia +pyodermic +pyogenesis +pyogenetic +pyogenic +pyogenin +pyogenous +pyohemothorax +pyoid +pyolabyrinthitis +piolet +piolets +pyolymph +pyometra +pyometritis +pion +pioned +Pioneer +pioneerdom +pioneered +pioneering +pioneers +pioneership +Pioneertown +pyonephritis +pyonephrosis +pyonephrotic +pionery +Pyongyang +pionic +pionnotes +pions +pyopericarditis +pyopericardium +pyoperitoneum +pyoperitonitis +pyophagia +pyophylactic +pyophthalmia +pyophthalmitis +pyoplania +pyopneumocholecystitis +pyopneumocyst +pyopneumopericardium +pyopneumoperitoneum +pyopneumoperitonitis +pyopneumothorax +pyopoiesis +pyopoietic +pyoptysis +pyorrhea +pyorrheal +pyorrheas +pyorrheic +pyorrhoea +pyorrhoeal +pyorrhoeic +pyosalpingitis +pyosalpinx +pioscope +pyosepticemia +pyosepticemic +pyoses +pyosis +piosity +piosities +pyospermia +Pyote +pioted +pyotherapy +pyothorax +piotine +pyotoxinemia +Piotr +Pyotr +piotty +pioupiou +pyoureter +pioury +pious +piously +piousness +pyovesiculosis +pyoxanthose +Pioxe +Piozzi +PIP +pipa +pipage +pipages +pipal +pipals +pipe +pipeage +pipeages +pipe-bending +pipe-boring +pipe-caulking +pipeclay +pipe-clay +pipe-clayey +pipe-clayish +pipe-cleaning +pipecolin +pipecoline +pipecolinic +pipe-cutting +piped +pipe-drawn +pipedream +pipe-dream +pipe-dreaming +pipe-drilling +pipefish +pipe-fish +pipefishes +pipefitter +pipefitting +pipeful +pipefuls +pipey +pipelayer +pipe-layer +pipelaying +pipeless +pipelike +pipeline +pipe-line +pipelined +pipelines +pipelining +pipeman +pipemouth +pipe-necked +pipe-playing +pipe-puffed +Piper +Piperaceae +piperaceous +Piperales +piperate +piperazin +piperazine +pipery +piperic +piperide +piperideine +piperidge +piperidid +piperidide +piperidin +piperidine +piperylene +piperine +piperines +piperitious +piperitone +piperly +piperno +piperocaine +piperoid +pipe-roll +piperonal +piperonyl +pipers +Pipersville +pipes +pipe-shaped +pipe-smoker +pipestapple +Pipestem +pipestems +Pipestone +pipe-stone +pipet +pipe-tapping +pipe-thawing +pipe-threading +pipets +pipette +pipetted +pipettes +pipetting +pipewalker +pipewood +pipework +pipewort +pipi +pipy +pipid +Pipidae +pipier +pipiest +pipikaula +Pipil +Pipile +Pipilo +pipiness +piping +pipingly +pipingness +pipings +pipiri +pipistrel +pipistrelle +Pipistrellus +pipit +pipits +pipkin +pipkinet +pipkins +pipless +Pippa +Pippapasses +Pippas +pipped +pippen +pipper +pipperidge +Pippy +pippier +pippiest +pippin +pippiner +pippinface +pippin-faced +pipping +pippin-hearted +pippins +pip-pip +pipple +Pippo +Pipra +Pipridae +Piprinae +piprine +piproid +pips +pipsissewa +pipsqueak +pip-squeak +pipsqueaks +Piptadenia +Piptomeris +piptonychia +pipunculid +Pipunculidae +piqu +Piqua +piquable +piquance +piquancy +piquancies +piquant +piquantly +piquantness +pique +piqued +piquero +piques +piquet +piquets +piquette +piqueur +piquia +piquiere +piquing +piqure +pir +pyr +pyr- +pyracanth +Pyracantha +Pyraceae +pyracene +piracy +piracies +Pyraechmes +Piraeus +pyragravure +piragua +piraguas +piraya +pirayas +pyral +Pyrales +Pirali +pyralid +Pyralidae +pyralidan +pyralidid +Pyralididae +pyralidiform +Pyralidoidea +pyralids +pyralis +pyraloid +Pyrameis +pyramid +pyramidaire +pyramidal +pyramidale +pyramidalis +Pyramidalism +Pyramidalist +pyramidally +pyramidate +pyramided +Pyramidella +pyramidellid +Pyramidellidae +pyramider +pyramides +pyramidia +pyramidic +pyramidical +pyramidically +pyramidicalness +pyramiding +pyramidion +Pyramidist +pyramidize +pyramidlike +pyramidoattenuate +pyramidoid +pyramidoidal +pyramidologist +Pyramidon +pyramidoprismatic +pyramids +pyramid's +pyramid-shaped +pyramidwise +pyramimidia +pyramoid +pyramoidal +pyramus +pyran +pirana +piranas +pirandellian +Pirandello +Piranesi +Piranga +piranha +piranhas +pyranyl +pyranoid +pyranometer +pyranose +pyranoses +pyranoside +pyrans +pyrargyrite +pirarucu +pirarucus +pirate +pirated +piratelike +piratery +pirates +pirate's +piratess +piraty +piratic +piratical +piratically +pirating +piratism +piratize +piratry +Pyrausta +Pyraustinae +pyrazin +pyrazine +pyrazole +pyrazolyl +pyrazoline +pyrazolone +Pirbhai +Pire +pyre +pyrectic +pyrena +Pyrenaeus +Pirene +Pyrene +Pyrenean +Pyrenees +pyrenematous +pyrenes +Pyreneus +pyrenic +pyrenin +pyrenocarp +pyrenocarpic +pyrenocarpous +Pyrenochaeta +pyrenodean +pyrenodeine +pyrenodeous +pyrenoid +pyrenoids +pyrenolichen +Pyrenomycetales +pyrenomycete +Pyrenomycetes +Pyrenomycetineae +pyrenomycetous +Pyrenopeziza +pyres +pyrethrin +pyrethrine +pyrethroid +Pyrethrum +pyretic +pyreticosis +pyreto- +pyretogenesis +pyretogenetic +pyretogenic +pyretogenous +pyretography +pyretolysis +pyretology +pyretologist +pyretotherapy +pyrewinkes +Pyrex +pyrexia +pyrexial +pyrexias +pyrexic +pyrexical +pyrgeometer +pyrgocephaly +pyrgocephalic +pyrgoidal +pyrgologist +pyrgom +pyrheliometer +pyrheliometry +pyrheliometric +pyrheliophor +Pyribenzamine +pyribole +pyric +Piricularia +pyridazine +pyridic +pyridyl +pyridine +pyridines +pyridinium +pyridinize +Pyridium +pyridone +pyridoxal +pyridoxamine +pyridoxin +pyridoxine +piriform +pyriform +piriformes +piriformis +pyriformis +pirijiri +pyrylium +pyrimethamine +pyrimidyl +pyrimidin +pyrimidine +Pyriphlegethon +piripiri +piririgua +pyritaceous +pyrite +Pyrites +Pirithous +pyritic +pyritical +pyritiferous +pyritization +pyritize +pyrito- +pyritohedral +pyritohedron +pyritoid +pyritology +pyritous +pirl +pirlie +pirn +pirned +pirner +pirny +pirnie +Pirnot +Pyrnrientales +pirns +Piro +pyro +pyro- +pyroacetic +pyroacid +pyro-acid +pyroantimonate +pyroantimonic +pyroarsenate +pyroarsenic +pyroarsenious +pyroarsenite +pyroballogy +pyrobelonite +pyrobi +pyrobitumen +pyrobituminous +pyroborate +pyroboric +pyrocatechin +pyrocatechinol +pyrocatechol +pyrocatechuic +pyrocellulose +pyrochemical +pyrochemically +pyrochlore +pyrochromate +pyrochromic +pyrocinchonic +Pyrocystis +pyrocitric +pyroclastic +pyrocoll +pyrocollodion +pyrocomenic +pyrocondensation +pyroconductivity +pyrocotton +pyrocrystalline +Pyrodine +pyroelectric +pyroelectricity +pirog +pyrogallate +pyrogallic +pyrogallol +pirogen +pyrogen +pyrogenation +pyrogenesia +pyrogenesis +pyrogenetic +pyrogenetically +pyrogenic +pyrogenicity +pyrogenous +pyrogens +pyrogentic +piroghi +pirogi +pirogies +pyroglazer +pyroglutamic +pyrognomic +pyrognostic +pyrognostics +pyrograph +pyrographer +pyrography +pyrographic +pyrographies +pyrogravure +pyroguaiacin +pirogue +pirogues +pyroheliometer +pyroid +pirojki +pirol +Pyrola +Pyrolaceae +pyrolaceous +pyrolas +pyrolater +pyrolatry +pyroligneous +pyrolignic +pyrolignite +pyrolignous +pyroline +pyrolysate +pyrolyse +pyrolysis +pyrolite +pyrolytic +pyrolytically +pyrolyzable +pyrolyzate +pyrolyze +pyrolyzed +pyrolyzer +pyrolyzes +pyrolyzing +pyrollogical +pyrology +pyrological +pyrologies +pyrologist +pyrolusite +pyromachy +pyromagnetic +pyromancer +pyromancy +pyromania +pyromaniac +pyromaniacal +pyromaniacs +pyromanias +pyromantic +pyromeconic +pyromellitic +pyrometallurgy +pyrometallurgical +pyrometamorphic +pyrometamorphism +pyrometer +pyrometers +pyrometry +pyrometric +pyrometrical +pyrometrically +Pyromorphidae +pyromorphism +pyromorphite +pyromorphous +pyromotor +pyromucate +pyromucic +pyromucyl +pyronaphtha +pyrone +Pyronema +pyrones +Pironi +Pyronia +pyronine +pyronines +pyroninophilic +pyronyxis +pyronomics +piroot +pyrope +pyropen +pyropes +pyrophanite +pyrophanous +pyrophile +pyrophilia +pyrophyllite +pyrophilous +pyrophysalite +pyrophobia +pyrophone +pyrophoric +pyrophorous +pyrophorus +pyrophosphate +pyrophosphatic +pyrophosphoric +pyrophosphorous +pyrophotograph +pyrophotography +pyrophotometer +piroplasm +Piroplasma +piroplasmata +piroplasmic +piroplasmosis +piroplasms +pyropuncture +pyropus +piroque +piroques +pyroracemate +pyroracemic +pyroscope +pyroscopy +piroshki +pyrosis +pyrosises +pyrosmalite +Pyrosoma +Pyrosomatidae +pyrosome +Pyrosomidae +pyrosomoid +pyrosphere +pyrostat +pyrostats +pyrostereotype +pyrostilpnite +pyrosulfate +pyrosulfuric +pyrosulphate +pyrosulphite +pyrosulphuric +pyrosulphuryl +pirot +pyrotantalate +pyrotartaric +pyrotartrate +pyrotechny +pyrotechnian +pyrotechnic +pyrotechnical +pyrotechnically +pyrotechnician +pyrotechnics +pyrotechnist +pyroterebic +pyrotheology +Pyrotheria +Pyrotherium +pyrotic +pyrotoxin +pyrotritaric +pyrotritartric +pirouette +pirouetted +pirouetter +pirouettes +pirouetting +pirouettist +pyrouric +Pirous +pyrovanadate +pyrovanadic +pyroxanthin +pyroxene +pyroxenes +pyroxenic +pyroxenite +pyroxenitic +pyroxenoid +pyroxyle +pyroxylene +pyroxylic +pyroxylin +pyroxyline +pyroxmangite +pyroxonium +pirozhki +pirozhok +Pirozzo +pirquetted +pirquetter +pirr +pirraura +pirrauru +Pyrrha +Pyrrhic +pyrrhichian +pyrrhichius +pyrrhicist +pyrrhics +Pyrrho +Pyrrhocoridae +Pyrrhonean +Pyrrhonian +Pyrrhonic +Pyrrhonism +Pyrrhonist +Pyrrhonistic +Pyrrhonize +pyrrhotine +pyrrhotism +pyrrhotist +pyrrhotite +pyrrhous +Pyrrhuloxia +Pyrrhus +Pirri +pirrie +pyrryl +pyrrylene +pirrmaw +pyrrodiazole +pyrroyl +pyrrol +pyrrole +pyrroles +pyrrolic +pyrrolidyl +pyrrolidine +pyrrolidone +pyrrolylene +pyrroline +pyrrols +pyrrophyllin +pyrroporphyrin +pyrrotriazole +pirssonite +Pirtleville +Piru +Pyrula +Pyrularia +pyruline +pyruloid +Pyrus +pyruvaldehyde +pyruvate +pyruvates +pyruvic +pyruvil +pyruvyl +pyruwl +Pirzada +pis +Pisa +Pisaca +Pisacha +pisachee +pisachi +pisay +Pisan +Pisander +Pisanello +pisang +pisanite +Pisano +Pisarik +Pisauridae +piscary +piscaries +Piscataqua +Piscataway +Piscatelli +piscation +piscatology +piscator +piscatory +piscatorial +piscatorialist +piscatorially +piscatorian +piscatorious +piscators +Pisces +pisci- +piscian +piscicapture +piscicapturist +piscicide +piscicolous +piscicultural +pisciculturally +pisciculture +pisciculturist +Piscid +Piscidia +piscifauna +pisciferous +pisciform +piscina +piscinae +piscinal +piscinas +piscine +piscinity +piscioid +Piscis +piscivorous +pisco +piscos +pise +Piseco +Pisek +Piselli +Pisgah +Pish +pishaug +pished +pishes +pishing +pishoge +pishoges +pishogue +pishpash +pish-pash +Pishpek +pishposh +Pishquow +pishu +Pisidia +Pisidian +Pisidium +pisiform +pisiforms +pisistance +Pisistratean +Pisistratidae +Pisistratus +pisk +pisky +piskun +pismire +pismires +pismirism +pismo +piso +pisolite +pisolites +pisolitic +Pisonia +pisote +piss +pissabed +pissant +pissants +Pissarro +pissasphalt +pissed +pissed-off +pisser +pissers +pisses +pissy-eyed +pissing +pissodes +pissoir +pissoirs +pist +pistache +pistaches +pistachio +pistachios +Pistacia +pistacite +pistareen +piste +pisteology +pistes +Pistia +pistic +pistick +pistil +pistillaceous +pistillar +pistillary +pistillate +pistillid +pistillidium +pistilliferous +pistilliform +pistilligerous +pistilline +pistillode +pistillody +pistilloid +pistilogy +pistils +pistil's +pistiology +pistle +pistler +Pistoia +Pistoiese +pistol +pistolade +pistole +pistoled +pistoleer +pistoles +pistolet +pistoleter +pistoletier +pistolgram +pistolgraph +pistolier +pistoling +pistolled +pistollike +pistolling +pistology +pistolography +pistolproof +pistols +pistol's +pistol-shaped +pistol-whip +pistol-whipping +pistolwise +Piston +pistonhead +pistonlike +pistons +piston's +pistrices +pistrix +Pisum +Pyszka +PIT +pita +pitahaya +Pitahauerat +Pitahauirata +pitaya +pitayita +Pitaka +Pitana +pitanga +pitangua +pitapat +pit-a-pat +pitapatation +pitapats +pitapatted +pitapatting +pitarah +Pitarys +pitas +pitastile +Pitatus +pitau +pitawas +pitbird +pit-black +pit-blackness +Pitcairnia +pitch +pitchable +pitch-and-putt +pitch-and-run +pitch-and-toss +pitch-black +pitch-blackened +pitch-blackness +pitchblende +pitch-blende +pitchblendes +pitch-brand +pitch-brown +pitch-colored +pitch-dark +pitch-darkness +pitch-diameter +pitched +Pitcher +pitchered +pitcherful +pitcherfuls +pitchery +pitcherlike +pitcherman +pitcher-plant +pitchers +pitcher-shaped +pitches +pitch-faced +pitch-farthing +pitchfield +Pitchford +pitchfork +pitchforks +pitchhole +pitchi +pitchy +pitchier +pitchiest +pitchily +pitchiness +pitching +pitchlike +pitch-lined +pitchman +pitch-marked +pitchmen +Pitchometer +pitch-ore +pitchout +pitchouts +pitchpike +pitch-pine +pitch-pipe +pitchpole +pitchpoll +pitchpot +pitch-stained +pitchstone +pitchwork +pit-coal +pit-eyed +piteira +piteous +piteously +piteousness +pitfall +pitfalls +pitfall's +pitfold +pith +Pythagoras +Pythagorean +Pythagoreanism +Pythagoreanize +Pythagoreanly +pythagoreans +Pythagoric +Pythagorical +Pythagorically +Pythagorism +Pythagorist +Pythagorize +Pythagorizer +pithanology +pithead +pit-headed +pitheads +Pytheas +pithecan +pithecanthrope +pithecanthropi +pithecanthropic +pithecanthropid +Pithecanthropidae +pithecanthropine +pithecanthropoid +Pithecanthropus +Pithecia +pithecian +Pitheciinae +pitheciine +pithecism +pithecoid +Pithecolobium +pithecology +pithecological +pithecometric +pithecomorphic +pithecomorphism +pithecus +pithed +pithes +pithful +pithy +Pythia +Pythiaceae +Pythiacystis +Pythiad +Pythiambic +Pythian +Pythias +Pythic +pithier +pithiest +pithily +pithiness +pithing +Pythios +Pythium +Pythius +pithless +pithlessly +Pytho +Pithoegia +pythogenesis +pythogenetic +pythogenic +pythogenous +pithoi +Pithoigia +pithole +pit-hole +Pithom +Python +pythoness +pythonic +pythonical +pythonid +Pythonidae +pythoniform +Pythoninae +pythonine +pythonism +Pythonissa +pythonist +pythonize +pythonoid +pythonomorph +Pythonomorpha +pythonomorphic +pythonomorphous +pythons +pithos +piths +pithsome +pithwork +PITI +pity +pitiability +pitiable +pitiableness +pitiably +pity-bound +pitied +pitiedly +pitiedness +pitier +pitiers +pities +pitiful +pitifuller +pitifullest +pitifully +pitifulness +pitying +pityingly +pitikins +pitiless +pitilessly +pitilessness +Pitylus +pity-moved +pityocampa +pityocampe +Pityocamptes +pityproof +pityriasic +pityriasis +Pityrogramma +pityroid +pitirri +Pitys +Pitiscus +pity-worthy +Pitkin +pitless +Pytlik +pitlike +pitmaker +pitmaking +Pitman +pitmans +pitmark +pit-marked +pitmen +pitmenpitmirk +pitmirk +Pitney +Pitocin +pitometer +pitomie +piton +pitons +pitpan +pit-pat +pit-patter +pitpit +pitprop +pitressin +Pitri +Pitris +pit-rotted +pits +pit's +pitsaw +pitsaws +Pitsburg +pitside +pit-specked +Pitt +Pitta +pittacal +Pittacus +pittance +pittancer +pittances +pittard +pitted +Pittel +pitter +pitter-patter +Pittheus +pitticite +Pittidae +pittine +pitting +pittings +Pittism +Pittite +Pittman +pittoid +Pittosporaceae +pittosporaceous +pittospore +Pittosporum +Pitts +Pittsboro +Pittsburg +Pittsburgh +Pittsburgher +Pittsfield +Pittsford +Pittston +Pittstown +Pittsview +Pittsville +pituicyte +pituita +pituital +pituitary +pituitaries +pituite +pituitous +pituitousness +Pituitrin +pituri +pitwood +pitwork +pit-working +pitwright +Pitzer +piu +piupiu +Piura +piuri +pyuria +pyurias +piuricapsular +Pius +Piute +Piutes +pivalic +pivot +pivotable +pivotal +pivotally +pivoted +pivoter +pivoting +pivotman +pivotmen +pivots +Pivski +pyvuril +Piwowar +piwut +pix +pyx +PIXEL +pixels +pixes +pyxes +pixy +Pyxidanthera +pyxidate +pyxides +pyxidia +Pyxidis +pyxidium +pixie +pyxie +pixieish +pixies +pyxies +pixyish +pixilated +pixilation +pixy-led +pixiness +pixinesses +pixys +Pyxis +pix-jury +pyx-jury +Pixley +pizaine +Pizarro +pizazz +pizazzes +pizazzy +pize +Pizor +pizz +pizz. +pizza +pizzas +pizzazz +pizzazzes +pizzeria +pizzerias +pizzicato +pizzle +pizzles +pj's +PK +pk. +pkg +pkg. +pkgs +pks +pkt +pkt. +PKU +pkwy +PL +pl. +PL/1 +PL1 +PLA +placability +placabilty +placable +placableness +placably +Placaean +placage +placard +placarded +placardeer +placarder +placarders +placarding +placards +placard's +placate +placated +placater +placaters +placates +placating +placation +placative +placatively +placatory +placcate +place +placeable +Placean +place-begging +placebo +placeboes +placebos +place-brick +placed +Placedo +Placeeda +placeful +place-grabbing +placeholder +place-holder +place-holding +place-hunter +place-hunting +placekick +place-kick +placekicker +place-kicker +placeless +placelessly +place-loving +placemaker +placemaking +placeman +placemanship +placemen +placement +placements +placement's +place-money +placemonger +placemongering +place-name +place-names +place-naming +placent +placenta +placentae +placental +Placentalia +placentalian +placentary +placentas +placentate +placentation +Placentia +placentiferous +placentiform +placentigerous +placentitis +placentography +placentoid +placentoma +placentomata +place-proud +placer +placers +Placerville +places +place-seeking +placet +placets +placewoman +Placia +placid +Placida +placidamente +placid-featured +Placidia +Placidyl +placidity +placidly +placid-mannered +placidness +Placido +placing +placing-out +placit +Placitas +placitum +plack +plackart +placket +plackets +plackless +placks +placo- +placochromatic +placode +placoderm +placodermal +placodermatous +Placodermi +placodermoid +placodont +Placodontia +Placodus +placoganoid +placoganoidean +Placoganoidei +placoid +placoidal +placoidean +Placoidei +Placoides +placoids +Placophora +placophoran +placoplast +placque +placula +placuntitis +placuntoma +Placus +pladaroma +pladarosis +Plafker +plafond +plafonds +plaga +plagae +plagal +plagate +plage +plages +Plagianthus +plagiaplite +plagiary +plagiarical +plagiaries +plagiarise +plagiarised +plagiariser +plagiarising +plagiarism +plagiarisms +plagiarist +plagiaristic +plagiaristically +plagiarists +plagiarization +plagiarize +plagiarized +plagiarizer +plagiarizers +plagiarizes +plagiarizing +plagihedral +plagio- +plagiocephaly +plagiocephalic +plagiocephalism +plagiocephalous +Plagiochila +plagioclase +plagioclase-basalt +plagioclase-granite +plagioclase-porphyry +plagioclase-porphyrite +plagioclase-rhyolite +plagioclasite +plagioclastic +plagioclimax +plagioclinal +plagiodont +plagiograph +plagioliparite +plagionite +plagiopatagium +plagiophyre +Plagiostomata +plagiostomatous +plagiostome +Plagiostomi +plagiostomous +plagiotropic +plagiotropically +plagiotropism +plagiotropous +plagium +plagose +plagosity +plague +plague-beleagured +plagued +plague-free +plagueful +plague-haunted +plaguey +plague-infected +plague-infested +plagueless +plagueproof +plaguer +plague-ridden +plaguers +plagues +plague-smitten +plaguesome +plaguesomeness +plague-spot +plague-spotted +plague-stricken +plaguy +plaguily +plaguing +plagula +play +playa +playability +playable +playact +play-act +playacted +playacting +playactings +playactor +playacts +playas +playback +playbacks +playbill +play-bill +playbills +play-by-play +playboy +playboyism +playboys +playbook +play-book +playbooks +playbox +playbroker +plaice +plaices +playclothes +playcraft +playcraftsman +plaid +playday +play-day +playdays +playdate +plaided +plaidy +plaidie +plaiding +plaidman +plaidoyer +playdown +play-down +playdowns +plaids +plaid's +played +Player +playerdom +playeress +players +player's +Playfair +playfellow +playfellows +playfellowship +playfere +playfield +playfolk +playful +playfully +playfulness +playfulnesses +playgirl +playgirls +playgoer +playgoers +playgoing +playground +playgrounds +playground's +playhouse +playhouses +playing +playingly +play-judging +playland +playlands +playless +playlet +playlets +playlike +playlist +play-loving +playmaker +playmaking +playman +playmare +playmate +playmates +playmate's +playmonger +playmongering +plain +plainback +plainbacks +plain-bodied +plain-bred +plainchant +plain-clothed +plainclothes +plainclothesman +plainclothesmen +plain-darn +plain-dressing +plained +plain-edged +plainer +plainest +plain-faced +plain-featured +Plainfield +plainful +plain-garbed +plain-headed +plainhearted +plain-hearted +plainy +plaining +plainish +plain-laid +plainly +plain-looking +plain-mannered +plainness +plainnesses +plain-pranked +Plains +Plainsboro +plainscraft +plainsfolk +plainsman +plainsmen +plainsoled +plain-soled +plainsong +plain-speaking +plainspoken +plain-spoken +plain-spokenly +plainspokenness +plain-spokenness +plainstanes +plainstones +plainswoman +plainswomen +plaint +plaintail +plaintext +plaintexts +plaintful +plaintiff +plaintiffs +plaintiff's +plaintiffship +plaintile +plaintive +plaintively +plaintiveness +plaintless +plaints +Plainview +Plainville +plainward +Plainwell +plain-work +playock +playoff +play-off +playoffs +playpen +playpens +play-pretty +play-producing +playreader +play-reading +playroom +playrooms +plays +plaisance +plaisanterie +playschool +playscript +playsome +playsomely +playsomeness +playstead +Plaisted +plaister +plaistered +plaistering +plaisters +Plaistow +playstow +playsuit +playsuits +plait +playte +plaited +plaiter +plaiters +plaything +playthings +plaything's +playtime +playtimes +plaiting +plaitings +plaitless +plaits +plait's +plaitwork +playward +playwear +playwears +playwoman +playwomen +playwork +playwright +playwrightess +playwrighting +playwrightry +playwrights +playwright's +playwriter +playwriting +plak +plakat +PLAN +plan- +Plana +planable +Planada +planaea +planar +Planaria +planarian +planarias +Planarida +planaridan +planariform +planarioid +planarity +planaru +planate +planation +planceer +plancer +planch +planche +plancheite +plancher +planches +planchet +planchets +planchette +planching +planchment +plancier +Planck +Planckian +Planctae +planctus +plandok +plane +planed +plane-faced +planeload +planeness +plane-parallel +plane-polarized +planer +Planera +planers +planes +plane's +planeshear +plane-shear +plane-sheer +planet +planeta +planetable +plane-table +planetabler +plane-tabler +planetal +planetary +planetaria +planetarian +planetaries +planetarily +planetarium +planetariums +planeted +planetesimal +planetesimals +planetfall +planetic +planeticose +planeting +planetist +planetkin +planetless +planetlike +planetogeny +planetography +planetoid +planetoidal +planetoids +planetology +planetologic +planetological +planetologist +planetologists +plane-tree +planets +planet's +planet-stricken +planet-struck +planettaria +planetule +planform +planforms +planful +planfully +planfulness +plang +plangency +plangent +plangently +plangents +plangi +plangor +plangorous +P-language +plani- +planicaudate +planicipital +planidorsate +planifolious +planiform +planigram +planigraph +planigraphy +planilla +planimeter +planimetry +planimetric +planimetrical +planineter +planing +planipennate +Planipennia +planipennine +planipetalous +planiphyllous +planirostal +planirostral +planirostrate +planiscope +planiscopic +planish +planished +planisher +planishes +planishing +planispheral +planisphere +planispheric +planispherical +planispiral +planity +Plank +plankage +plankbuilt +planked +planker +planky +planking +plankings +Plankinton +plankless +planklike +planks +plank-shear +planksheer +plank-sheer +plankter +plankters +planktology +planktologist +plankton +planktonic +planktons +planktont +plankways +plankwise +planless +planlessly +planlessness +planned +planner +planners +planner's +planning +plannings +Plano +plano- +planoblast +planoblastic +planocylindric +Planococcus +planoconcave +plano-concave +planoconical +planoconvex +plano-convex +planoferrite +planogamete +planograph +planography +planographic +planographically +planographist +planohorizontal +planolindrical +planometer +planometry +planomiller +planont +planoorbicular +Planorbidae +planorbiform +planorbine +Planorbis +planorboid +planorotund +Planosarcina +planosol +planosols +planosome +planospiral +planospore +planosubulate +plans +plan's +plansheer +plant +planta +plantable +plantad +Plantae +plantage +Plantagenet +Plantaginaceae +plantaginaceous +Plantaginales +plantagineous +Plantago +plantain +plantain-eater +plantain-leaved +plantains +plantal +plant-animal +plantano +plantar +plantaris +plantarium +Plantation +plantationlike +plantations +plantation's +plantator +plant-cutter +plantdom +Plante +plant-eater +plant-eating +planted +planter +planterdom +planterly +planters +plantership +Plantersville +Plantigrada +plantigrade +plantigrady +Plantin +planting +plantings +plantivorous +plantless +plantlet +plantlike +plantling +plantocracy +plants +plantsman +Plantsville +plantula +plantulae +plantular +plantule +planula +planulae +planulan +planular +planulate +planuliform +planuloid +Planuloidea +planum +planury +planuria +planxty +plap +plappert +plaque +plaques +plaquette +plash +plashed +plasher +plashers +plashes +plashet +plashy +plashier +plashiest +plashing +plashingly +plashment +plasia +plasm +plasm- +plasma +plasmacyte +plasmacytoma +plasmagel +plasmagene +plasmagenic +plasmalemma +plasmalogen +plasmaphaeresis +plasmaphereses +plasmapheresis +plasmaphoresisis +plasmas +plasmase +plasmasol +plasmatic +plasmatical +plasmation +plasmatoparous +plasmatorrhexis +plasmic +plasmid +plasmids +plasmin +plasminogen +plasmins +plasmo- +Plasmochin +plasmocyte +plasmocytoma +plasmode +plasmodesm +plasmodesma +plasmodesmal +plasmodesmata +plasmodesmic +plasmodesmus +plasmodia +plasmodial +plasmodiate +plasmodic +plasmodiocarp +plasmodiocarpous +Plasmodiophora +Plasmodiophoraceae +Plasmodiophorales +plasmodium +plasmogamy +plasmogen +plasmogeny +plasmoid +plasmoids +plasmolyse +plasmolysis +plasmolytic +plasmolytically +plasmolyzability +plasmolyzable +plasmolyze +plasmology +plasmoma +plasmomata +Plasmon +plasmons +Plasmopara +plasmophagy +plasmophagous +plasmoptysis +plasmoquin +plasmoquine +plasmosoma +plasmosomata +plasmosome +plasmotomy +plasms +plasome +plass +Plassey +plasson +plast +plastein +plaster +plasterbill +plasterboard +plastered +plasterer +plasterers +plastery +plasteriness +plastering +plasterlike +plasters +plasterwise +plasterwork +plasty +plastic +plastically +plasticimeter +Plasticine +plasticisation +plasticise +plasticised +plasticising +plasticism +plasticity +plasticities +plasticization +plasticize +plasticized +plasticizer +plasticizes +plasticizing +plasticly +plastics +plastid +plastidial +plastidium +plastidome +Plastidozoa +plastids +plastidular +plastidule +plastify +plastin +plastinoid +plastique +plastiqueur +plastiqueurs +plastisol +plastochondria +plastochron +plastochrone +plastodynamia +plastodynamic +plastogamy +plastogamic +plastogene +plastomer +plastomere +plastometer +plastometry +plastometric +plastosome +plastotype +plastral +plastron +plastrons +plastrum +plastrums +plat +plat. +Plata +Plataea +Plataean +Platalea +Plataleidae +plataleiform +Plataleinae +plataleine +platan +Platanaceae +platanaceous +platane +platanes +platanist +Platanista +Platanistidae +platanna +platano +platans +Platanus +Platas +platband +platch +Plate +platea +plateasm +Plateau +plateaued +plateauing +plateaulith +plateaus +plateau's +plateaux +plate-bending +plate-carrier +plate-collecting +plate-cutting +plated +plate-dog +plate-drilling +plateful +platefuls +plate-glass +plate-glazed +plateholder +plateiasmus +plat-eye +plate-incased +platelayer +plate-layer +plateless +platelet +platelets +platelet's +platelike +platemaker +platemaking +plateman +platemark +plate-mark +platemen +plate-mounting +platen +platens +platen's +plate-punching +plater +platerer +plateresque +platery +plate-roll +plate-rolling +platers +plates +plate-scarfing +platesful +plate-shaped +plate-shearing +plate-tossing +plateway +platework +plateworker +plat-footed +platform +platformally +platformed +platformer +platformy +platformish +platformism +platformist +platformistic +platformless +platforms +platform's +Plath +plathelminth +platy +platy- +platybasic +platybrachycephalic +platybrachycephalous +platybregmatic +platic +Platycarya +platycarpous +Platycarpus +platycelian +platycelous +platycephaly +platycephalic +Platycephalidae +platycephalism +platycephaloid +platycephalous +Platycephalus +Platycercinae +platycercine +Platycercus +Platycerium +platycheiria +platycyrtean +platicly +platycnemia +platycnemic +Platycodon +platycoelian +platycoelous +platycoria +platycrania +platycranial +Platyctenea +platydactyl +platydactyle +platydactylous +platydolichocephalic +platydolichocephalous +platie +platier +platies +platiest +platyfish +platyglossal +platyglossate +platyglossia +Platyhelmia +platyhelminth +Platyhelminthes +platyhelminthic +platyhieric +platykurtic +platykurtosis +platilla +platylobate +platymery +platymeria +platymeric +platymesaticephalic +platymesocephalic +platymeter +platymyoid +platin- +Platina +platinamin +platinamine +platinammin +platinammine +platinas +platinate +platinated +platinating +Platine +plating +platings +platinic +platinichloric +platinichloride +platiniferous +platiniridium +platinisation +platinise +platinised +platinising +Platinite +platynite +platinization +platinize +platinized +platinizing +platino- +platinochloric +platinochloride +platinocyanic +platinocyanide +platinode +platinoid +platinoso- +platynotal +platinotype +platinotron +platinous +platinum +platinum-blond +platinums +platinumsmith +platyodont +platyope +platyopia +platyopic +platypellic +platypetalous +platyphyllous +platypi +platypygous +platypod +Platypoda +platypodia +platypodous +Platyptera +platypus +platypuses +Platyrhina +platyrhynchous +Platyrhini +platyrrhin +Platyrrhina +platyrrhine +Platyrrhini +platyrrhiny +platyrrhinian +platyrrhinic +platyrrhinism +platys +platysma +platysmamyoides +platysmas +platysmata +platysomid +Platysomidae +Platysomus +platystaphyline +Platystemon +platystencephaly +platystencephalia +platystencephalic +platystencephalism +platysternal +Platysternidae +Platystomidae +platystomous +platytrope +platytropy +platitude +platitudes +platitudinal +platitudinarian +platitudinarianism +platitudinisation +platitudinise +platitudinised +platitudiniser +platitudinising +platitudinism +platitudinist +platitudinization +platitudinize +platitudinized +platitudinizer +platitudinizing +platitudinous +platitudinously +platitudinousness +platly +Plato +Platoda +platode +Platodes +platoid +Platon +Platonesque +Platonian +Platonic +Platonical +Platonically +Platonicalness +Platonician +Platonicism +Platonisation +Platonise +Platonised +Platoniser +Platonising +Platonism +Platonist +Platonistic +Platonization +Platonize +Platonizer +platoon +platooned +platooning +platoons +platopic +platosamine +platosammine +Plato-wise +plats +Platt +Plattdeutsch +Platte +platted +Plattekill +platteland +platten +Plattensee +Plattenville +Platter +platterface +platter-faced +platterful +platters +platter's +Platteville +platty +platting +plattnerite +Platto +Plattsburg +Plattsburgh +Plattsmouth +platurous +Platus +Plaucheville +plaud +plaudation +plaudit +plaudite +plauditor +plauditory +plaudits +Plauen +plauenite +plausibility +plausibilities +plausible +plausibleness +plausibly +plausive +plaustral +Plautine +Plautus +plaza +plazas +plazolite +plbroch +PLC +PLCC +PLD +plea +pleach +pleached +pleacher +pleaches +pleaching +plead +pleadable +pleadableness +pleaded +pleader +pleaders +pleading +pleadingly +pleadingness +pleadings +pleads +pleaproof +Pleas +plea's +pleasable +pleasableness +pleasance +Pleasant +pleasantable +Pleasantdale +pleasant-eyed +pleasanter +pleasantest +pleasant-faced +pleasant-featured +pleasantish +pleasantly +pleasant-looking +pleasant-mannered +pleasant-minded +pleasant-natured +pleasantness +pleasantnesses +Pleasanton +pleasantry +pleasantries +Pleasants +pleasantsome +pleasant-sounding +pleasant-spirited +pleasant-spoken +pleasant-tasted +pleasant-tasting +pleasant-tongued +Pleasantville +pleasant-voiced +pleasant-witted +pleasaunce +please +pleased +pleasedly +pleasedness +pleaseman +pleasemen +pleaser +pleasers +pleases +pleaship +pleasing +pleasingly +pleasingness +pleasurability +pleasurable +pleasurableness +pleasurably +pleasure +pleasure-bent +pleasure-bound +pleasured +pleasureful +pleasurefulness +pleasure-giving +pleasure-greedy +pleasurehood +pleasureless +pleasurelessly +pleasure-loving +pleasureman +pleasurement +pleasuremonger +pleasure-pain +pleasureproof +pleasurer +pleasures +pleasure-seeker +pleasure-seeking +pleasure-shunning +pleasure-tempted +pleasure-tired +Pleasureville +pleasure-wasted +pleasure-weary +pleasuring +pleasurist +pleasurous +pleat +pleated +pleater +pleaters +pleating +pleatless +pleats +pleb +plebby +plebe +plebeian +plebeiance +plebeianisation +plebeianise +plebeianised +plebeianising +plebeianism +plebeianization +plebeianize +plebeianized +plebeianizing +plebeianly +plebeianness +plebeians +plebeity +plebes +plebescite +plebian +plebianism +plebicolar +plebicolist +plebicolous +plebify +plebificate +plebification +plebiscitary +plebiscitarian +plebiscitarism +plebiscite +plebiscites +plebiscite's +plebiscitic +plebiscitum +plebs +pleck +Plecoptera +plecopteran +plecopterid +plecopterous +Plecotinae +plecotine +Plecotus +plectognath +Plectognathi +plectognathic +plectognathous +plectopter +plectopteran +plectopterous +plectospondyl +Plectospondyli +plectospondylous +plectra +plectre +plectridial +plectridium +plectron +plectrons +plectrontra +plectrum +plectrums +plectrumtra +pled +pledable +pledge +pledgeable +pledge-bound +pledged +pledgee +pledgees +pledge-free +pledgeholder +pledgeless +pledgeor +pledgeors +Pledger +pledgers +pledges +pledgeshop +pledget +pledgets +pledging +pledgor +pledgors +Plegadis +plegaphonia +plegia +plegometer +Pleiad +Pleiades +pleiads +plein-air +pleinairism +pleinairist +plein-airist +pleio- +pleiobar +Pleiocene +pleiochromia +pleiochromic +pleiomastia +pleiomazia +pleiomery +pleiomerous +pleion +Pleione +pleionian +pleiophylly +pleiophyllous +pleiotaxy +pleiotaxis +pleiotropy +pleiotropic +pleiotropically +pleiotropism +pleis +Pleistocene +Pleistocenic +pleistoseist +plemyrameter +plemochoe +plena +plenary +plenarily +plenariness +plenarium +plenarty +plench +plenches +pleny +plenicorn +pleniloquence +plenilunal +plenilunar +plenilunary +plenilune +plenipo +plenipotence +plenipotency +plenipotent +plenipotential +plenipotentiality +Plenipotentiary +plenipotentiaries +plenipotentiarily +plenipotentiaryship +plenipotentiarize +plenish +plenished +plenishes +plenishing +plenishment +plenism +plenisms +plenist +plenists +plenity +plenitide +plenitude +plenitudes +plenitudinous +plenshing +plenteous +plenteously +plenteousness +Plenty +plenties +plentify +plentiful +plentifully +plentifulness +plentitude +Plentywood +plenum +plenums +pleo- +pleochroic +pleochroism +pleochroitic +pleochromatic +pleochromatism +pleochroous +pleocrystalline +pleodont +pleomastia +pleomastic +pleomazia +pleometrosis +pleometrotic +pleomorph +pleomorphy +pleomorphic +pleomorphism +pleomorphist +pleomorphous +pleon +pleonal +pleonasm +pleonasms +pleonast +pleonaste +pleonastic +pleonastical +pleonastically +pleonectic +pleonexia +pleonic +pleophagous +pleophyletic +pleopod +pleopodite +pleopods +Pleospora +Pleosporaceae +plerergate +plerocercoid +pleroma +pleromatic +plerome +pleromorph +plerophory +plerophoric +plerosis +plerotic +Plerre +plesance +Plesianthropus +plesio- +plesiobiosis +plesiobiotic +plesiomorphic +plesiomorphism +plesiomorphous +plesiosaur +Plesiosauri +Plesiosauria +plesiosaurian +plesiosauroid +Plesiosaurus +plesiotype +plessigraph +plessimeter +plessimetry +plessimetric +Plessis +plessor +plessors +plethysmogram +plethysmograph +plethysmography +plethysmographic +plethysmographically +Plethodon +plethodontid +Plethodontidae +plethora +plethoras +plethoretic +plethoretical +plethory +plethoric +plethorical +plethorically +plethorous +plethron +plethrum +pleur- +pleura +Pleuracanthea +Pleuracanthidae +Pleuracanthini +pleuracanthoid +Pleuracanthus +pleurae +pleural +pleuralgia +pleuralgic +pleurapophysial +pleurapophysis +pleuras +pleurectomy +pleurenchyma +pleurenchymatous +pleuric +pleuriseptate +pleurisy +pleurisies +pleurite +pleuritic +pleuritical +pleuritically +pleuritis +pleuro- +Pleurobrachia +Pleurobrachiidae +pleurobranch +pleurobranchia +pleurobranchial +pleurobranchiate +pleurobronchitis +Pleurocapsa +Pleurocapsaceae +pleurocapsaceous +pleurocarp +Pleurocarpi +pleurocarpous +pleurocele +pleurocentesis +pleurocentral +pleurocentrum +Pleurocera +pleurocerebral +Pleuroceridae +pleuroceroid +Pleurococcaceae +pleurococcaceous +Pleurococcus +Pleurodelidae +pleurodynia +pleurodynic +Pleurodira +pleurodiran +pleurodire +pleurodirous +pleurodiscous +pleurodont +pleurogenic +pleurogenous +pleurohepatitis +pleuroid +pleurolysis +pleurolith +pleuron +pleuronect +Pleuronectes +pleuronectid +Pleuronectidae +pleuronectoid +Pleuronema +pleuropedal +pleuropericardial +pleuropericarditis +pleuroperitonaeal +pleuroperitoneal +pleuroperitoneum +pleuro-peritoneum +pleuropneumonia +pleuro-pneumonia +pleuropneumonic +pleuropodium +pleuropterygian +Pleuropterygii +pleuropulmonary +pleurorrhea +Pleurosaurus +Pleurosigma +pleurospasm +pleurosteal +Pleurosteon +pleurostict +Pleurosticti +Pleurostigma +pleurothotonic +pleurothotonos +pleurothotonus +pleurotyphoid +Pleurotoma +Pleurotomaria +Pleurotomariidae +pleurotomarioid +pleurotomy +pleurotomid +Pleurotomidae +pleurotomies +pleurotomine +pleurotomoid +pleurotonic +pleurotonus +Pleurotremata +pleurotribal +pleurotribe +pleurotropous +Pleurotus +pleurovisceral +pleurum +pleuston +pleustonic +pleustons +Pleven +plevin +Plevna +plew +plewch +plewgh +plews +plex +plexal +plexicose +plexiform +Plexiglas +Plexiglass +pleximeter +pleximetry +pleximetric +Plexippus +plexodont +plexometer +plexor +plexors +plexure +plexus +plexuses +plf +pli +ply +pliability +pliable +pliableness +pliably +Pliam +pliancy +pliancies +pliant +pliant-bodied +pliantly +pliant-necked +pliantness +plyboard +plica +plicable +plicae +plical +plicate +plicated +plicately +plicateness +plicater +plicatile +plicating +plication +plicative +plicato- +plicatocontorted +plicatocristate +plicatolacunose +plicatolobate +plicatopapillose +plicator +plicatoundulate +plicatulate +plicature +plicidentine +pliciferous +pliciform +plie +plied +plier +plyer +pliers +plyers +plies +plygain +plight +plighted +plighter +plighters +plighting +plights +plying +plyingly +plim +plimmed +plimming +Plymouth +Plymouthism +Plymouthist +Plymouthite +plymouths +Plympton +plimsol +plimsole +plimsoles +Plimsoll +plimsolls +plimsols +Pliner +Pliny +Plinian +Plinyism +Plinius +plink +plinked +plinker +plinkers +plinking +plinks +Plynlymmon +plinth +plinther +plinthiform +plinthless +plinthlike +plinths +plio- +Pliocene +Pliofilm +Pliohippus +Plion +Pliopithecus +pliosaur +pliosaurian +Pliosauridae +Pliosaurus +pliothermic +Pliotron +plyscore +Pliske +plisky +pliskie +pliskies +pliss +plisse +plisses +Plisthenes +plitch +plywood +plywoods +PLL +PLM +PLO +ploat +ploce +Ploceidae +ploceiform +Ploceinae +Ploceus +Ploch +plock +plod +plodded +plodder +plodderly +plodders +plodding +ploddingly +ploddingness +plodge +plods +Ploesti +Ploeti +ploy +ploid +ploidy +ploidies +ployed +ploying +Ploima +ploimate +ployment +ploys +ploy's +plomb +plonk +plonked +plonking +plonko +plonks +plook +plop +plopped +plopping +plops +ploration +ploratory +Plos +plosion +plosions +plosive +plosives +Ploss +Plossl +plot +plotch +plotcock +plote +plotful +Plotinian +Plotinic +Plotinical +Plotinism +Plotinist +Plotinize +Plotinus +Plotkin +plotless +plotlessness +plotlib +plotosid +plotproof +plots +plot's +plott +plottage +plottages +plotted +plotter +plottery +plotters +plotter's +plotty +plottier +plotties +plottiest +plotting +plottingly +plotton +plotx +plotz +plotzed +plotzes +plotzing +Plough +ploughboy +plough-boy +ploughed +plougher +ploughers +ploughfish +ploughfoot +ploughgang +ploughgate +ploughhead +plough-head +ploughing +ploughjogger +ploughland +plough-land +ploughline +ploughman +ploughmanship +ploughmell +ploughmen +plough-monday +ploughpoint +ploughs +ploughshare +ploughshoe +ploughstaff +plough-staff +ploughstilt +ploughtail +plough-tail +ploughwise +ploughwright +plouk +plouked +plouky +plounce +plousiocracy +plout +Plouteneion +plouter +Plovdiv +plover +plover-billed +plovery +ploverlike +plover-page +plovers +plow +plowable +plowback +plowbacks +plowboy +plowboys +plowbote +plow-bred +plow-cloven +plowed +plower +plowers +plowfish +plowfoot +plowgang +plowgate +plowgraith +plowhead +plowheads +plowing +plowjogger +plowland +plowlands +plowlight +plowline +plowmaker +plowmaking +plowman +plowmanship +plowmell +plowmen +plowpoint +Plowrightia +plows +plow-shaped +plowshare +plowshares +plowshoe +plowstaff +plowstilt +plowtail +plowter +plow-torn +plowwise +plowwoman +plowwright +PLP +Plpuszta +PLR +PLS +PLSS +PLT +pltano +plu +Pluchea +pluck +pluckage +pluck-buffet +plucked +pluckedness +Pluckemin +plucker +Pluckerian +pluckers +plucky +pluckier +pluckiest +pluckily +pluckiness +plucking +pluckless +plucklessly +plucklessness +plucks +plud +pluff +pluffer +pluffy +plug +plugboard +plugdrawer +pluggable +plugged +plugger +pluggers +pluggy +plugging +pluggingly +plug-hatted +plughole +pluglees +plugless +pluglike +plugman +plugmen +plugola +plugolas +plugs +plug's +plugtray +plugtree +plugugly +plug-ugly +pluguglies +plum +pluma +plumaceous +plumach +plumade +plumage +plumaged +plumagery +plumages +plumasite +plumassier +plumate +Plumatella +plumatellid +Plumatellidae +plumatelloid +plumb +plumb- +plumbable +plumbage +plumbagin +Plumbaginaceae +plumbaginaceous +plumbagine +plumbaginous +plumbago +plumbagos +plumbate +plumb-bob +plumbean +plumbed +plumbeous +plumber +plumber-block +plumbery +plumberies +plumbers +plumbership +plumbet +plumbic +plumbicon +plumbiferous +plumbing +plumbings +plumbism +plumbisms +plumbisolvent +plumbite +plumbless +plumblessness +plumb-line +plum-blue +plumbness +Plumbo +plumbo- +plumbog +plumbojarosite +plumboniobate +plumbosolvency +plumbosolvent +plumbous +plum-brown +plumb-rule +plumbs +plumb's +plumbum +plumbums +plum-cake +plum-colored +plumcot +plumdamas +plumdamis +plum-duff +Plume +plume-crowned +plumed +plume-decked +plume-dressed +plume-embroidered +plume-fronted +plume-gay +plumeless +plumelet +plumelets +plumelike +plume-like +plumemaker +plumemaking +plumeopicean +plumeous +plume-plucked +plume-plucking +plumer +plumery +Plumerville +plumes +plume-soft +plume-stripped +plumet +plumete +plumetis +plumette +plum-green +plumy +plumicorn +plumier +Plumiera +plumieride +plumiest +plumify +plumification +plumiform +plumiformly +plumigerous +pluminess +pluming +plumiped +plumipede +plumipeds +plumist +plumless +plumlet +plumlike +Plummer +plummer-block +plummet +plummeted +plummeting +plummetless +plummets +plummy +plummier +plummiest +plumming +plumose +plumosely +plumoseness +plumosite +plumosity +plumous +plump +plumped +plumpen +plumpened +plumpening +plumpens +plumper +plumpers +plumpest +plumpy +plum-pie +plumping +plumpish +plumply +plumpness +plumpnesses +plum-porridge +plumps +plum-purple +plumrock +plums +plum's +plum-shaped +plum-sized +Plumsteadville +plum-tinted +Plumtree +plum-tree +plumula +plumulaceous +plumular +Plumularia +plumularian +Plumulariidae +plumulate +plumule +plumules +plumuliform +plumulose +Plumville +plunder +plunderable +plunderage +plunderbund +plundered +plunderer +plunderers +plunderess +plundering +plunderingly +plunderless +plunderous +plunderproof +plunders +plunge +plunged +plungeon +plunger +plungers +plunges +plungy +plunging +plungingly +plungingness +plunk +plunked +plunker +plunkers +Plunkett +plunking +plunks +plunther +plup +plupatriotic +pluperfect +pluperfectly +pluperfectness +pluperfects +plupf +plur +plur. +plural +pluralisation +pluralise +pluralised +pluraliser +pluralising +pluralism +pluralist +pluralistic +pluralistically +plurality +pluralities +pluralization +pluralizations +pluralize +pluralized +pluralizer +pluralizes +pluralizing +plurally +pluralness +plurals +plurative +plurel +plurennial +pluri- +pluriaxial +pluribus +pluricarinate +pluricarpellary +pluricellular +pluricentral +pluricipital +pluricuspid +pluricuspidate +pluridentate +pluries +plurifacial +plurifetation +plurify +plurification +pluriflagellate +pluriflorous +plurifoliate +plurifoliolate +pluriglandular +pluriguttulate +plurilateral +plurilingual +plurilingualism +plurilingualist +pluriliteral +plurilocular +plurimammate +plurinominal +plurinucleate +pluripara +pluriparity +pluriparous +pluripartite +pluripetalous +pluripotence +pluripotent +pluripresence +pluriseptate +pluriserial +pluriseriate +pluriseriated +plurisetose +plurisy +plurisyllabic +plurisyllable +plurispiral +plurisporous +plurivalent +plurivalve +plurivory +plurivorous +plus +Plusch +pluses +plus-foured +plus-fours +plush +plushed +plusher +plushes +plushest +plushette +plushy +plushier +plushiest +plushily +plushiness +plushly +plushlike +plushness +Plusia +Plusiinae +plusquam +plusquamperfect +plussage +plussages +plusses +Plutarch +plutarchy +Plutarchian +Plutarchic +Plutarchical +Plutarchically +pluteal +plutean +plutei +pluteiform +Plutella +pluteus +pluteuses +pluteutei +Pluto +plutocracy +plutocracies +plutocrat +plutocratic +plutocratical +plutocratically +plutocrats +plutolatry +plutology +plutological +plutologist +plutomania +pluton +Plutonian +Plutonic +Plutonion +plutonism +plutonist +plutonite +Plutonium +plutoniums +plutonometamorphism +plutonomy +plutonomic +plutonomist +plutons +plutter +Plutus +Pluvi +pluvial +pluvialiform +pluvialine +Pluvialis +pluvially +pluvials +pluvian +pluvine +pluviograph +pluviography +pluviographic +pluviographical +pluviometer +pluviometry +pluviometric +pluviometrical +pluviometrically +pluvioscope +pluvioscopic +Pluviose +pluviosity +pluvious +Pluvius +Plze +Plzen +PM +pm. +PMA +PMAC +PMC +PMDF +PMEG +PMG +PMIRR +pmk +PMO +PMOS +PMRC +pmsg +PMT +PMU +PMX +PN +pn- +PNA +PNB +pnce +PNdB +pnea +pneo- +pneodynamics +pneograph +pneomanometer +pneometer +pneometry +pneophore +pneoscope +pneudraulic +pneum +pneum- +pneuma +pneumarthrosis +pneumas +pneumat- +pneumathaemia +pneumatic +pneumatical +pneumatically +pneumaticity +pneumaticness +pneumatico- +pneumatico-hydraulic +pneumatics +pneumatic-tired +pneumatism +pneumatist +pneumatize +pneumatized +pneumato- +pneumatocardia +pneumatoce +pneumatocele +pneumatochemical +pneumatochemistry +pneumatocyst +pneumatocystic +pneumatode +pneumatogenic +pneumatogenous +pneumatogram +pneumatograph +pneumatographer +pneumatography +pneumatographic +pneumato-hydato-genetic +pneumatolysis +pneumatolitic +pneumatolytic +pneumatology +pneumatologic +pneumatological +pneumatologist +Pneumatomachy +Pneumatomachian +Pneumatomachist +pneumatometer +pneumatometry +pneumatomorphic +pneumatonomy +pneumatophany +pneumatophanic +pneumatophilosophy +pneumatophobia +pneumatophony +pneumatophonic +pneumatophore +pneumatophoric +pneumatophorous +pneumatorrhachis +pneumatoscope +pneumatosic +pneumatosis +pneumatostatics +pneumatotactic +pneumatotherapeutics +pneumatotherapy +Pneumatria +pneumaturia +pneume +pneumectomy +pneumectomies +pneumo- +pneumobacillus +Pneumobranchia +Pneumobranchiata +pneumocele +pneumocentesis +pneumochirurgia +pneumococcal +pneumococcemia +pneumococci +pneumococcic +pneumococcocci +pneumococcous +pneumococcus +pneumoconiosis +pneumoderma +pneumodynamic +pneumodynamics +pneumoencephalitis +pneumoencephalogram +pneumoenteritis +pneumogastric +pneumogram +pneumograph +pneumography +pneumographic +pneumohemothorax +pneumohydropericardium +pneumohydrothorax +pneumolysis +pneumolith +pneumolithiasis +pneumology +pneumological +pneumomalacia +pneumomassage +Pneumometer +pneumomycosis +pneumonalgia +pneumonectasia +pneumonectomy +pneumonectomies +pneumonedema +pneumony +pneumonia +pneumonic +pneumonitic +pneumonitis +pneumono- +pneumonocace +pneumonocarcinoma +pneumonocele +pneumonocentesis +pneumonocirrhosis +pneumonoconiosis +pneumonodynia +pneumonoenteritis +pneumonoerysipelas +pneumonography +pneumonographic +pneumonokoniosis +pneumonolysis +pneumonolith +pneumonolithiasis +pneumonomelanosis +pneumonometer +pneumonomycosis +pneumonoparesis +pneumonopathy +pneumonopexy +pneumonophorous +pneumonophthisis +pneumonopleuritis +pneumonorrhagia +pneumonorrhaphy +pneumonosis +pneumonotherapy +pneumonotomy +pneumonoultramicroscopicsilicovolcanoconiosis +pneumopericardium +pneumoperitoneum +pneumoperitonitis +pneumopexy +pneumopyothorax +pneumopleuritis +pneumorrachis +pneumorrhachis +pneumorrhagia +pneumotactic +pneumotherapeutics +pneumotherapy +pneumothorax +pneumotyphoid +pneumotyphus +pneumotomy +pneumotoxin +pneumotropic +pneumotropism +pneumoventriculography +pnigerophobia +pnigophobia +pnyx +Pnompenh +Pnom-penh +PNP +PNPN +pnxt +PO +POA +Poaceae +poaceous +poach +poachable +poachard +poachards +poached +poacher +poachers +poaches +poachy +poachier +poachiest +poachiness +poaching +Poales +poalike +POB +pobby +pobbies +pobedy +Poblacht +poblacion +POBox +pobs +POC +Poca +Pocahontas +pocan +Pocasset +Pocatello +pochade +pochades +pochay +pochaise +pochard +pochards +poche +pochette +pochettino +pochismo +pochoir +pochote +pocill +pocilliform +pock +pock-arred +pocked +pocket +pocketable +pocketableness +pocketbook +pocket-book +pocketbooks +pocketbook's +pocketcase +pocketed +pocket-eyed +pocketer +pocketers +pocketful +pocketfuls +pocket-handkerchief +pockety +pocketing +pocketknife +pocket-knife +pocketknives +pocketless +pocketlike +pocket-money +pockets +pocketsful +pocket-size +pocket-sized +pock-frecken +pock-fretten +pockhouse +pocky +pockier +pockiest +pockily +pockiness +pocking +pockmanky +pockmanteau +pockmantie +pockmark +pockmarked +pock-marked +pockmarking +pockmarks +pock-pit +pocks +pockweed +pockwood +poco +pococurante +poco-curante +pococuranteism +pococurantic +pococurantish +pococurantism +pococurantist +Pocola +Pocono +Pocopson +pocosen +pocosin +pocosins +pocoson +pocul +poculary +poculation +poculent +poculiform +pocus +pod +PO'd +poda +podagra +podagral +podagras +podagry +podagric +podagrical +podagrous +podal +podalgia +podalic +Podaliriidae +Podalirius +podanger +Podarces +Podarge +Podargidae +Podarginae +podargine +podargue +Podargus +podarthral +podarthritis +podarthrum +podatus +Podaxonia +podaxonial +podded +podder +poddy +poddia +poddidge +poddy-dodger +poddies +poddige +podding +poddish +poddle +poddock +podelcoma +podeon +Podes +podesta +podestas +podesterate +podetia +podetiiform +podetium +podex +podge +podger +podgy +podgier +podgiest +podgily +podginess +Podgorica +Podgoritsa +Podgorny +podia +podial +podiatry +podiatric +podiatries +podiatrist +podiatrists +podical +Podiceps +podices +Podicipedidae +podilegous +podite +podites +poditic +poditti +podium +podiums +podley +podler +podlike +podo- +podobranch +podobranchia +podobranchial +podobranchiate +podocarp +Podocarpaceae +Podocarpineae +podocarpous +Podocarpus +podocephalous +pododerm +pododynia +podogyn +podogyne +podogynium +Podolian +podolite +podology +Podolsk +podomancy +podomere +podomeres +podometer +podometry +Podophyllaceae +podophyllic +podophyllin +podophyllotoxin +podophyllous +Podophyllum +Podophrya +Podophryidae +Podophthalma +Podophthalmata +podophthalmate +podophthalmatous +Podophthalmia +podophthalmian +podophthalmic +podophthalmite +podophthalmitic +podophthalmous +podos +podoscaph +podoscapher +podoscopy +Podosomata +podosomatous +podosperm +Podosphaera +Podostemaceae +podostemaceous +podostemad +Podostemon +Podostemonaceae +podostemonaceous +Podostomata +podostomatous +podotheca +podothecal +podous +Podozamites +pods +pod's +pod-shaped +Podsnap +Podsnappery +podsol +podsolic +podsolization +podsolize +podsolized +podsolizing +podsols +podtia +Podunk +Podura +poduran +podurid +Poduridae +Podvin +podware +podzol +podzolic +podzolization +podzolize +podzolized +podzolizing +podzols +POE +Poeas +poebird +poe-bird +poechore +poechores +poechoric +Poecile +Poeciliidae +poecilite +poecilitic +poecilo- +Poecilocyttares +poecilocyttarous +poecilogony +poecilogonous +poecilomere +poecilonym +poecilonymy +poecilonymic +poecilopod +Poecilopoda +poecilopodous +poem +poematic +poemet +poemlet +poems +poem's +poenitentiae +poenology +Poephaga +poephagous +Poephagus +poesy +poesie +poesies +poesiless +poesis +Poestenkill +poet +poet. +poet-artist +poetaster +poetastery +poetastering +poetasterism +poetasters +poetastress +poetastry +poetastric +poetastrical +poetcraft +poetdom +poet-dramatist +poetesque +poetess +poetesses +poet-farmer +poet-historian +poethood +poet-humorist +poetic +poetical +poeticality +poetically +poeticalness +poeticise +poeticised +poeticising +poeticism +poeticize +poeticized +poeticizing +poeticness +poetico- +poetico-antiquarian +poetico-architectural +poetico-grotesque +poetico-mystical +poetico-mythological +poetico-philosophic +poetics +poeticule +poetiised +poetiising +poet-in-residence +poetise +poetised +poetiser +poetisers +poetises +poetising +poetito +poetization +poetize +poetized +poetizer +poetizers +poetizes +poetizing +poet-king +poet-laureateship +poetless +poetly +poetlike +poetling +poet-musician +poet-novelist +poetomachia +poet-painter +poet-patriot +poet-pilgrim +poet-playwright +poet-plowman +poet-preacher +poet-priest +poet-princess +poetress +poetry +poetries +poetryless +poetry-proof +poetry's +poets +poet's +poet-saint +poet-satirist +poet-seer +poetship +poet-thinker +poet-warrior +poetwise +POF +po-faced +poffle +Pofo +pogamoggan +Pogany +pogey +pogeys +pogge +poggy +poggies +pogy +pogies +POGO +Pogonatum +Pogonia +pogonias +pogoniasis +pogoniate +pogonion +pogonip +pogonips +pogoniris +pogonite +pogonology +pogonological +pogonologist +pogonophobia +pogonophoran +pogonotomy +pogonotrophy +pogo-stick +pogrom +pogromed +pogroming +pogromist +pogromize +pogroms +Pogue +POH +poha +Pohai +Pohang +pohickory +Pohjola +pohna +pohutukawa +poi +poy +Poiana +Poyang +poybird +Poictesme +Poyen +poiesis +poietic +poignado +poignance +poignancy +poignancies +poignant +poignantly +poignard +poignet +poikile +poikilie +poikilitic +poikilo- +poikiloblast +poikiloblastic +poikilocyte +poikilocythemia +poikilocytosis +poikilotherm +poikilothermal +poikilothermy +poikilothermic +poikilothermism +poil +poilu +poilus +poimenic +poimenics +poinado +poinard +Poincar +Poincare +Poinciana +poincianas +poind +poindable +poinded +poinder +poinding +poinds +Poine +poinephobia +Poynette +Poynor +Poinsettia +poinsettias +Point +pointable +pointage +pointal +pointblank +point-blank +point-device +point-duty +pointe +pointed +pointedly +pointedness +pointel +poyntell +Poyntelle +Pointe-Noire +pointer +Pointers +pointes +Pointe-tre +point-event +pointful +pointfully +pointfulness +pointy +pointier +pointiest +poyntill +pointillage +pointille +Pointillism +pointillist +pointilliste +pointillistic +pointillists +pointing +Poynting +pointingly +point-lace +point-laced +pointless +pointlessly +pointlessness +pointlet +pointleted +pointmaker +pointmaking +pointman +pointmen +pointment +point-on +point-particle +pointrel +points +point-set +pointsman +pointsmen +pointswoman +point-to-point +pointure +pointways +pointwise +poyou +poyous +poire +Poirer +pois +poisable +poise +poised +poiser +poisers +poises +poiseuille +poising +Poysippi +poison +poisonable +poisonberry +poisonbush +poisoned +poisoner +poisoners +poisonful +poisonfully +poisoning +poisonings +poison-laden +poisonless +poisonlessness +poisonmaker +poisonous +poisonously +poisonousness +poison-pen +poisonproof +poisons +poison-sprinkled +poison-tainted +poison-tipped +poison-toothed +poisonweed +poisonwood +poissarde +Poyssick +Poisson +poister +poisure +Poitiers +Poitou +Poitou-Charentes +poitrail +poitrel +poitrels +poitrinaire +poivrade +POK +pokable +Pokan +Pokanoket +poke +pokeberry +pokeberries +poke-bonnet +poke-bonneted +poke-brimmed +poke-cheeked +poked +poke-easy +pokeful +pokey +pokeys +pokelogan +pokeloken +pokeout +poke-pudding +poker +pokerface +poker-faced +pokerish +pokerishly +pokerishness +pokerlike +pokeroot +pokeroots +pokers +poker-work +pokes +pokeweed +pokeweeds +poky +pokie +pokier +pokies +pokiest +pokily +pokiness +pokinesses +poking +pokingly +Pokom +Pokomam +Pokomo +pokomoo +Pokonchi +Pokorny +pokunt +POL +Pol. +Pola +Polab +Polabian +Polabish +Polacca +polacca-rigged +Polack +polacre +Polad +Polak +Poland +Polander +Polanisia +Polanski +polar +polaran +polarans +Polard +polary +polari- +polaric +Polarid +polarigraphic +polarily +polarimeter +polarimetry +polarimetric +polarimetries +Polaris +polarisability +polarisable +polarisation +polariscope +polariscoped +polariscopy +polariscopic +polariscopically +polariscoping +polariscopist +polarise +polarised +polariser +polarises +polarising +polaristic +polaristrobometer +polarity +polarities +polarity's +polariton +polarizability +polarizable +polarization +polarizations +polarize +polarized +polarizer +polarizes +polarizing +polarly +polarogram +Polarograph +polarography +polarographic +polarographically +Polaroid +polaroids +polaron +polarons +polars +polarward +Polash +polatouche +polaxis +poldavy +poldavis +polder +polderboy +polderland +polderman +polders +poldoody +poldron +pole +polearm +pole-armed +poleax +poleaxe +pole-axe +poleaxed +poleaxer +poleaxes +poleaxing +poleburn +polecat +polecats +poled +pole-dried +polehead +poley +poleyn +poleyne +poleyns +poleis +pole-jump +polejumper +poleless +poleman +polemarch +pole-masted +polemic +polemical +polemically +polemician +polemicist +polemicists +polemicize +polemics +polemist +polemists +polemize +polemized +polemizes +polemizing +Polemoniaceae +polemoniaceous +Polemoniales +Polemonium +polemoscope +polenta +polentas +Poler +polers +poles +polesaw +polesetter +pole-shaped +Polesian +polesman +pole-stack +polestar +polestars +pole-trap +pole-vault +pole-vaulter +poleward +polewards +polewig +poly +poly- +polyacanthus +polyacid +polyacoustic +polyacoustics +polyacrylamide +polyacrylonitrile +polyact +polyactinal +polyactine +Polyactinia +poliad +polyad +polyadelph +Polyadelphia +polyadelphian +polyadelphous +polyadenia +polyadenitis +polyadenoma +polyadenous +poliadic +polyadic +polyaemia +polyaemic +polyaffectioned +polyalcohol +polyalphabetic +polyamide +polyamylose +polyamine +Polian +polyandry +Polyandria +polyandrian +polyandrianism +polyandric +polyandries +polyandrious +polyandrism +polyandrist +polyandrium +polyandrous +Polyangium +polyangular +polianite +polyantha +Polianthes +polyanthi +polyanthy +polyanthous +polyanthus +polyanthuses +polyarch +polyarchal +polyarchy +polyarchic +polyarchical +polyarchies +polyarchist +Poliard +polyarteritis +polyarthric +polyarthritic +polyarthritis +polyarthrous +polyarticular +Polias +Poliatas +polyatomic +polyatomicity +polyautography +polyautographic +polyaxial +polyaxon +polyaxone +polyaxonic +polybasic +polybasicity +polybasite +Polybius +polyblast +Polyborinae +polyborine +Polyborus +Polybotes +polybranch +Polybranchia +polybranchian +Polybranchiata +polybranchiate +polybrid +polybrids +polybromid +polybromide +polybuny +polybunous +Polybus +polybutene +polybutylene +polybuttoned +polycarbonate +polycarboxylic +Polycarp +polycarpellary +polycarpy +polycarpic +Polycarpon +polycarpous +Polycaste +police +policed +policedom +policeless +polycellular +policeman +policemanish +policemanism +policemanlike +policemanship +policemen +polycentral +polycentric +polycentrism +polycentrist +polycephaly +polycephalic +polycephalous +polices +police's +police-up +policewoman +policewomen +Polychaeta +polychaetal +polychaetan +polychaete +polychaetous +polychasia +polychasial +polychasium +Polichinelle +polychloride +polychoerany +polychord +polychotomy +polychotomous +polychrest +polychresty +polychrestic +polychrestical +polychroic +polychroism +polychroite +polychromasia +polychromate +polychromatic +polychromatism +polychromatist +polychromatize +polychromatophil +polychromatophile +polychromatophilia +polychromatophilic +polychrome +polychromy +polychromia +polychromic +polychromism +polychromist +polychromize +polychromous +polychronicon +polychronious +polychsia +policy +policial +polycyanide +polycycly +polycyclic +policies +polycyesis +policyholder +policy-holder +policyholders +polyciliate +policymaker +policymaking +policing +policy's +polycystic +polycistronic +polycythaemia +polycythaemic +polycythemia +polycythemic +polycitral +Polycyttaria +policize +policizer +polyclad +polyclady +Polycladida +polycladine +polycladose +polycladous +Polycleitus +Polycletan +Polycletus +policlinic +polyclinic +polyclinics +Polyclitus +polyclona +polycoccous +Polycodium +polycondensation +polyconic +polycormic +polycot +polycotyl +polycotyledon +polycotyledonary +polycotyledony +polycotyledonous +polycotyly +polycotylous +polycots +polycracy +polycrase +Polycrates +polycratic +polycrystal +polycrystalline +polycrotic +polycrotism +polyctenid +Polyctenidae +polycttarian +polyculture +polydactyl +polydactyle +polydactyly +polydactylies +polydactylism +polydactylous +Polydactylus +polydaemoniac +polydaemonism +polydaemonist +polydaemonistic +polydemic +polydemonism +polydemonist +polydenominational +polydental +polydermy +polydermous +Polydeuces +polydigital +polydimensional +polydymite +polydynamic +polydipsia +polydipsic +polydisperse +polydispersity +polydomous +polydontia +Polydora +Polydorus +polyedral +polyeidic +polyeidism +polyelectrolyte +polyembryonate +polyembryony +polyembryonic +polyemia +polyemic +poliencephalitis +poliencephalomyelitis +polyene +polyenes +polyenic +polyenzymatic +polyergic +Polyergus +polies +polyester +polyesterification +polyesters +polyesthesia +polyesthetic +polyestrous +polyethylene +polyethnic +Polieus +polyfenestral +Polyfibre +polyflorous +polyfoil +polyfold +Polygala +Polygalaceae +polygalaceous +polygalas +polygalic +polygalin +polygam +polygamy +Polygamia +polygamian +polygamic +polygamical +polygamically +polygamies +polygamist +polygamistic +polygamists +polygamize +polygamodioecious +polygamous +polygamously +polyganglionic +poligar +polygar +polygarchy +poligarship +polygastric +polygene +polygenes +polygenesic +polygenesis +polygenesist +polygenetic +polygenetically +polygeny +polygenic +polygenism +polygenist +polygenistic +polygenous +polygenouss +polygyn +polygynaiky +polygyny +Polygynia +polygynian +polygynic +polygynies +polygynious +polygynist +polygynoecial +polygynous +polygyral +polygyria +polyglandular +polyglycerol +polyglobulia +polyglobulism +polyglossary +polyglot +polyglotism +polyglotry +polyglots +polyglottal +polyglottally +polyglotted +polyglotter +polyglottery +polyglottic +polyglottically +polyglotting +polyglottism +polyglottist +polyglottonic +polyglottous +polyglotwise +Polygnotus +polygon +Polygonaceae +polygonaceous +polygonal +Polygonales +polygonally +Polygonatum +Polygonella +polygoneutic +polygoneutism +polygony +Polygonia +polygonic +polygonically +polygonies +polygonoid +polygonometry +polygonous +polygons +Polygonum +Polygordius +polygram +polygrammatic +polygraph +polygrapher +polygraphy +polygraphic +poligraphical +polygraphically +polygraphist +polygraphs +polygroove +polygrooved +polyhaemia +polyhaemic +polyhalide +polyhalite +polyhalogen +polyharmony +polyharmonic +polyhedra +polyhedral +polyhedrals +polyhedric +polyhedrical +polyhedroid +polyhedron +polyhedrons +polyhedrosis +polyhedrous +polyhemia +polyhemic +polyhybrid +polyhydric +polyhidrosis +polyhydroxy +Polyhymnia +polyhistor +polyhistory +polyhistorian +polyhistoric +polyideic +polyideism +polyidrosis +Polyidus +polyimide +polyiodide +polyisobutene +polyisoprene +polyisotopic +Polik +polykaryocyte +Polykarp +polylaminated +polylemma +polylepidous +polylinguist +polylith +polylithic +polilla +polylobular +polylogy +polyloquent +polymagnet +polymania +polymasty +polymastia +polymastic +Polymastiga +polymastigate +Polymastigida +Polymastigina +polymastigote +polymastigous +polymastism +Polymastodon +polymastodont +Polymastus +polymath +polymathy +polymathic +polymathist +polymaths +polymazia +Polymela +Polymele +polymely +polymelia +polymelian +Polymelus +polymer +polymerase +polymere +polymery +polymeria +polymeric +polymerically +polymeride +polymerise +polymerism +polymerization +polymerize +polymerized +polymerizes +polymerizing +polymerous +polymers +polymer's +polymetallism +polymetameric +polymeter +polymethylene +polymetochia +polymetochic +polimetrum +Polymyaria +polymyarian +Polymyarii +polymicrian +polymicrobial +polymicrobic +polymicroscope +polymignite +Polymyodi +polymyodian +polymyodous +polymyoid +polymyositis +polymythy +polymythic +Polymixia +polymixiid +Polymixiidae +polymyxin +Polymnestor +polymny +Polymnia +polymnite +polymolecular +polymolybdate +polymorph +Polymorpha +polymorphean +polymorphy +polymorphic +polymorphically +polymorphism +polymorphisms +polymorphistic +polymorpho- +polymorphonuclear +polymorphonucleate +polymorphosis +polymorphous +polymorphously +polymorphous-perverse +poly-mountain +polynaphthene +polynee +Polyneices +polynemid +Polynemidae +polynemoid +Polynemus +Polynesia +Polynesian +polynesians +polynesic +polyneural +polyneuric +polyneuritic +polyneuritis +polyneuropathy +poling +polynia +polynya +polynyas +Polinices +Polynices +polynodal +Polynoe +polynoid +Polynoidae +polynome +polynomial +polynomialism +polynomialist +polynomials +polynomial's +polynomic +Polinski +polynucleal +polynuclear +polynucleate +polynucleated +polynucleolar +polynucleosis +polynucleotidase +polynucleotide +polio +Polyodon +polyodont +polyodontal +polyodontia +Polyodontidae +polyodontoid +polyoecy +polyoecious +polyoeciously +polyoeciousness +polyoecism +polioencephalitis +polioencephalomyelitis +polyoicous +polyol +polyoma +polyomas +poliomyelitic +poliomyelitis +poliomyelitises +poliomyelopathy +polyommatous +polioneuromere +polyonychia +polyonym +polyonymal +polyonymy +polyonymic +polyonymist +polyonymous +polyonomy +polyonomous +polionotus +polyophthalmic +polyopia +polyopic +polyopsy +polyopsia +polyorama +poliorcetic +poliorcetics +polyorchidism +polyorchism +polyorganic +polios +polyose +poliosis +Polyot +poliovirus +polyoxide +polyoxymethylene +polyp +polypage +polypaged +polypapilloma +polyparasitic +polyparasitism +polyparesis +polypary +polyparia +polyparian +polyparies +polyparium +polyparous +polypean +polyped +Polypedates +Polypemon +polypeptide +polypeptidic +polypetal +Polypetalae +polypetaly +polypetalous +Polyphaga +polyphage +polyphagy +polyphagia +polyphagian +polyphagic +polyphagist +polyphagous +polyphalangism +polypharmacal +polypharmacy +polypharmacist +polypharmacon +polypharmic +polyphasal +polyphase +polyphaser +polyphasic +Polypheme +polyphemian +polyphemic +polyphemous +Polyphemus +polyphenol +polyphenolic +Polyphides +polyphylesis +polyphylety +polyphyletic +polyphyletically +polyphyleticism +polyphyly +polyphylly +polyphylline +polyphyllous +polyphylogeny +polyphyodont +polyphloesboean +polyphloisboioism +polyphloisboism +polyphobia +polyphobic +polyphone +polyphoned +polyphony +polyphonia +polyphonic +polyphonical +polyphonically +polyphonies +polyphonism +polyphonist +polyphonium +polyphonous +polyphonously +polyphore +polyphosphoric +polyphotal +polyphote +Polypi +polypian +polypide +polypides +polypidom +polypier +polypifer +Polypifera +polypiferous +polypigerous +polypinnate +polypite +Polyplacophora +polyplacophoran +polyplacophore +polyplacophorous +polyplastic +Polyplectron +polyplegia +polyplegic +polyploid +polyploidy +polyploidic +polypnea +polypneas +polypneic +polypnoea +polypnoeic +polypod +Polypoda +polypody +polypodia +Polypodiaceae +polypodiaceous +polypodies +Polypodium +polypodous +polypods +polypoid +polypoidal +Polypomorpha +polypomorphic +Polyporaceae +polyporaceous +polypore +polypores +polyporite +polyporoid +polyporous +Polyporthis +Polyporus +polypose +polyposis +polypotome +polypous +polypragmacy +polypragmaty +polypragmatic +polypragmatical +polypragmatically +polypragmatism +polypragmatist +polypragmist +polypragmon +polypragmonic +polypragmonist +polyprene +polyprism +polyprismatic +polypropylene +polyprothetic +polyprotic +polyprotodont +Polyprotodontia +polyps +polypseudonymous +polypsychic +polypsychical +polypsychism +polypterid +Polypteridae +polypteroid +Polypterus +polyptych +polyptote +polyptoton +polypus +polypuses +polyrhythm +polyrhythmic +polyrhythmical +polyrhythmically +polyrhizal +polyrhizous +polyribonucleotide +polyribosomal +polyribosome +polis +polys +polysaccharide +polysaccharose +Polysaccum +polysalicylide +polysaprobic +polysarcia +polysarcous +polyschematic +polyschematist +poli-sci +polyscope +polyscopic +polysemant +polysemantic +polysemeia +polysemy +polysemia +polysemies +polysemous +polysemousness +polysensuous +polysensuousness +polysepalous +polyseptate +polyserositis +Polish +polishable +Polish-american +polished +polishedly +polishedness +polisher +polishers +polishes +polishing +polishings +Polish-jew +Polish-made +polishment +Polish-speaking +polysided +polysidedness +polysilicate +polysilicic +polysyllabic +polysyllabical +polysyllabically +polysyllabicism +polysyllabicity +polysyllabism +polysyllable +polysyllables +polysyllogism +polysyllogistic +polysymmetry +polysymmetrical +polysymmetrically +polysynaptic +polysynaptically +polysyndetic +polysyndetically +polysyndeton +polysynthesis +polysynthesism +polysynthetic +polysynthetical +polysynthetically +polysyntheticism +polysynthetism +polysynthetize +Polysiphonia +polysiphonic +polysiphonous +polisman +polysomaty +polysomatic +polysomatous +polysome +polysomes +polysomy +polysomia +polysomic +polysomitic +polysomous +polysorbate +polyspast +polyspaston +polyspermal +polyspermatous +polyspermy +polyspermia +polyspermic +polyspermous +polyspondyly +polyspondylic +polyspondylous +Polyspora +polysporangium +polyspore +polyspored +polysporic +polysporous +polissoir +polista +polystachyous +polystaurion +polystele +polystelic +polystellic +polystemonous +Polistes +polystichoid +polystichous +Polystichum +Polystictus +polystylar +polystyle +polystylous +polystyrene +Polystomata +Polystomatidae +polystomatous +polystome +Polystomea +Polystomella +Polystomidae +polystomium +polysulfide +polysulfonate +polysulphid +polysulphide +polysulphonate +polysulphuration +polysulphurization +polysuspensoid +polit +polit. +politarch +politarchic +Politbureau +Politburo +polite +polytechnic +polytechnical +polytechnics +polytechnist +politeful +politei +politeia +politely +polytene +politeness +politenesses +polyteny +polytenies +politer +polyterpene +politesse +politest +polytetrafluoroethylene +Polythalamia +polythalamian +polythalamic +polythalamous +polythecial +polytheism +polytheisms +polytheist +polytheistic +polytheistical +polytheistically +polytheists +polytheize +polythely +polythelia +polythelism +polythene +polythionic +Politi +polity +Politian +politic +political +politicalism +politicalization +politicalize +politicalized +politicalizing +politically +political-minded +politicaster +politician +politician-proof +politicians +politician's +politicious +politicise +politicised +politicising +politicist +politicization +politicize +politicized +politicizer +politicizes +politicizing +politick +politicked +politicker +politicking +politicks +politicly +politicness +politico +politico- +politico-arithmetical +politico-commercial +politico-diplomatic +politico-ecclesiastical +politico-economical +politicoes +politico-ethical +politico-geographical +politico-judicial +politicomania +politico-military +politico-moral +politico-orthodox +politico-peripatetic +politicophobia +politico-religious +politicos +politico-sacerdotal +politico-scientific +politico-social +politico-theological +politics +politied +polities +polytype +polytyped +polytypes +polytypy +polytypic +polytypical +polytyping +polytypism +Politique +politist +polytitanic +politize +Polito +polytocous +polytoky +polytokous +polytomy +polytomies +polytomous +polytonal +polytonalism +polytonality +polytonally +polytone +polytony +polytonic +polytope +polytopic +polytopical +Polytrichaceae +polytrichaceous +polytrichia +polytrichous +Polytrichum +polytrochal +polytrochous +polytrope +polytrophic +polytropic +polytungstate +polytungstic +politure +politzerization +politzerize +Poliuchus +polyunsaturate +polyunsaturated +polyuresis +polyurethan +polyurethane +polyuria +polyurias +polyuric +polyvalence +polyvalency +polyvalent +polyve +Polivy +polyvinyl +polyvinyl-formaldehyde +polyvinylidene +polyvinylpyrrolidone +polyvirulent +polyvoltine +polywater +Polyxena +Polyxenus +Polyxo +Polyzoa +polyzoal +polyzoan +polyzoans +polyzoary +polyzoaria +polyzoarial +polyzoarium +polyzoic +polyzoism +polyzonal +polyzooid +polyzoon +polje +Polk +polka +polkadot +polka-dot +polka-dotted +polkaed +polkaing +polkas +polki +Polky +Polkton +Polkville +Poll +pollable +Pollack +pollacks +polladz +pollage +Pollaiolo +Pollaiuolo +Pollajuolo +Pollak +pollakiuria +pollam +pollan +pollarchy +Pollard +pollarded +pollarding +pollards +pollbook +pollcadot +poll-deed +polled +pollee +pollees +Pollen +pollenate +pollenation +pollen-covered +pollen-dusted +pollened +polleniferous +pollenigerous +pollening +pollenite +pollenivorous +pollenizer +pollenless +pollenlike +pollenosis +pollenproof +pollens +pollen-sprinkled +pollent +poller +pollera +polleras +Pollerd +pollers +pollet +polleten +pollette +pollex +Polly +Pollyanna +Pollyannaish +Pollyannaism +Pollyannish +pollical +pollicar +pollicate +pollices +pollicitation +Pollie +pollyfish +pollyfishes +polly-fox +pollin- +pollinar +pollinarium +pollinate +pollinated +pollinates +pollinating +pollination +pollinations +pollinator +pollinators +pollinctor +pollincture +polling +pollinia +pollinic +pollinical +polliniferous +pollinigerous +pollinium +pollinivorous +pollinization +pollinize +pollinized +pollinizer +pollinizing +pollinodial +pollinodium +pollinoid +pollinose +pollinosis +polly-parrot +pollist +pollists +Pollitt +polliwig +polliwog +pollywog +polliwogs +pollywogs +Polloch +Pollock +pollocks +Pollocksville +polloi +Pollok +poll-parrot +poll-parroty +polls +pollster +pollsters +pollucite +pollutant +pollutants +pollute +polluted +pollutedly +pollutedness +polluter +polluters +pollutes +polluting +pollutingly +pollution +pollutions +pollutive +Pollux +Polo +polocyte +poloconic +poloi +poloidal +poloist +poloists +polonaise +polonaises +Polonese +polony +Polonia +Polonial +Polonian +polonick +Polonism +polonium +poloniums +Polonius +Polonization +Polonize +Polonized +Polonizing +Polonnaruwa +polopony +polos +pols +Polska +Polson +polster +polt +Poltava +poltergeist +poltergeistism +poltergeists +poltfoot +polt-foot +poltfooted +poltina +poltinik +poltinnik +poltophagy +poltophagic +poltophagist +Poltoratsk +poltroon +poltroonery +poltroonish +poltroonishly +poltroonishness +poltroonism +poltroons +poluphloisboic +poluphloisboiotatotic +poluphloisboiotic +Polvadera +polverine +polzenite +POM +pomace +Pomaceae +pomacentrid +Pomacentridae +pomacentroid +Pomacentrus +pomaceous +pomaces +pomada +pomade +pomaded +Pomaderris +pomades +pomading +Pomak +pomander +pomanders +pomane +pomard +pomary +Pomaria +pomarine +pomarium +pomate +pomato +pomatoes +pomatomid +Pomatomidae +Pomatomus +pomatorhine +pomatum +pomatums +Pombal +pombe +pombo +Pomcroy +pome +pome-citron +pomegranate +pomegranates +pomey +pomeys +pomel +pomely +pome-like +pomelo +pomelos +Pomerania +Pomeranian +pomeranians +Pomerene +pomeria +pomeridian +pomerium +Pomeroy +Pomeroyton +Pomerol +pomes +pomeshchik +pomewater +Pomfrey +pomfrest +Pomfret +pomfret-cake +pomfrets +pomiculture +pomiculturist +pomiferous +pomiform +pomivorous +pommado +pommage +Pommard +pomme +pommee +pommey +Pommel +pommeled +pommeler +pommeling +pommelion +pomme-lion +pommelled +pommeller +pommelling +pommelo +pommels +pommer +pommery +Pommern +pommet +pommetty +pommy +pommie +pommies +Pomo +pomoerium +pomolo +pomology +pomological +pomologically +pomologies +pomologist +Pomona +pomonal +pomonic +Pomorze +Pomos +pomp +pompa +Pompadour +pompadours +pompal +pompano +pompanos +pompatic +Pompea +Pompei +Pompey +Pompeia +Pompeian +Pompeii +Pompeiian +pompelmoose +pompelmous +pomperkin +pompholygous +pompholix +pompholyx +pomphus +Pompidou +pompier +pompilid +Pompilidae +pompiloid +Pompilus +pompion +pompist +pompless +pompoleon +pompom +pom-pom +pom-pom-pullaway +pompoms +pompon +pompons +pompoon +pomposity +pomposities +pomposo +pompous +pompously +pompousness +pomps +pompster +Pomptine +poms +pomster +pon +Ponape +Ponca +Poncas +Ponce +ponceau +ponced +poncelet +ponces +Ponchartrain +Ponchatoula +poncho +ponchoed +ponchos +poncing +Poncirus +Pond +pondage +pond-apple +pondbush +ponded +ponder +ponderability +ponderable +ponderableness +Ponderay +ponderal +ponderance +ponderancy +ponderant +ponderary +ponderate +ponderation +ponderative +pondered +ponderer +ponderers +pondering +ponderingly +ponderling +ponderment +ponderomotive +Ponderosa +ponderosae +ponderosapine +ponderosity +ponderous +ponderously +ponderousness +ponders +pondfish +pondfishes +pondful +pondgrass +pondy +Pondicherry +ponding +pondlet +pondlike +pondman +Pondo +pondok +pondokkie +Pondoland +Pondomisi +ponds +pondside +pond-skater +pondus +pondville +pondweed +pondweeds +pondwort +pone +poney +Ponemah +ponent +Ponera +Poneramoeba +ponerid +Poneridae +Ponerinae +ponerine +poneroid +ponerology +pones +Poneto +pong +ponga +ponged +pongee +pongees +pongid +Pongidae +pongids +ponging +Pongo +pongs +ponhaws +pony +poniard +poniarded +poniarding +poniards +ponica +ponycart +ponied +ponier +ponies +ponying +pony's +ponytail +ponytails +ponja +ponograph +ponos +pons +Ponselle +Ponsford +pont +Pontac +Pontacq +pontage +pontal +Pontanus +Pontchartrain +Pontederia +Pontederiaceae +pontederiaceous +pontee +Pontefract +pontes +Pontevedra +Pontiac +pontiacs +Pontian +pontianac +Pontianak +Pontianus +Pontias +Pontic +ponticello +ponticellos +ponticular +ponticulus +pontifex +pontiff +pontiffs +pontify +pontific +pontifical +pontificalia +pontificalibus +pontificality +pontifically +pontificals +pontificate +pontificated +pontificates +pontificating +pontification +pontificator +pontifice +pontifices +pontificial +pontificially +pontificious +pontil +pontile +pontils +pontin +Pontine +Pontypool +Pontypridd +pontist +Pontius +pontlevis +pont-levis +ponto +Pontocaine +Pontocaspian +pontocerebellar +Ponton +Pontone +pontoneer +pontonier +pontons +pontoon +pontooneer +pontooner +pontooning +pontoons +Pontoppidan +Pontormo +Pontos +Pontotoc +Pontus +pontvolant +ponzite +Ponzo +pooa +pooch +pooched +pooches +pooching +Poock +pood +pooder +poodle +poodledom +poodleish +poodler +poodles +poodleship +poods +poof +poofy +poofs +pooftah +pooftahs +poofter +poofters +poogye +Pooh +Pooh-Bah +poohed +poohing +pooh-pooh +pooh-pooher +poohpoohist +poohs +Pooi +poojah +pook +pooka +pookaun +pookawn +pookhaun +pookoo +Pool +Poole +pooled +Pooley +Pooler +Poolesville +poolhall +poolhalls +pooli +pooly +pooling +poolroom +poolrooms +poolroot +pools +poolside +Poolville +poolwort +poon +Poona +poonac +poonah +poonce +poonga +poonga-oil +poongee +poonghee +poonghie +poons +Poop +pooped +poophyte +poophytic +pooping +Poopo +poops +poopsie +poor +poor-blooded +poor-box +poor-charactered +poor-clad +poor-do +Poore +poorer +poorest +poor-feeding +poor-folksy +poorga +poorhouse +poorhouses +poori +pooris +poorish +poor-law +poorly +poorlyish +poorliness +poorling +poormaster +poor-minded +poorness +poornesses +poor-rate +poor-sighted +poor-spirited +poor-spiritedly +poor-spiritedness +poort +poortith +poortiths +poorweed +poorwill +poor-will +poot +poother +pooty +poove +pooves +POP +pop- +popadam +Popayan +popal +popcorn +pop-corn +popcorns +popdock +Pope +Popean +popedom +popedoms +popeholy +pope-holy +popehood +popeye +popeyed +popeyes +popeism +Popejoy +Popele +popeler +popeless +popely +popelike +popeline +popeling +Popelka +popery +poperies +popes +popeship +popess +popglove +popgun +pop-gun +popgunner +popgunnery +popguns +Popian +popie +popify +popinac +popinjay +popinjays +Popish +popishly +popishness +popjoy +poplar +poplar-covered +poplar-crowned +poplared +poplar-flanked +Poplarism +poplar-leaved +poplar-lined +poplar-planted +poplars +Poplarville +popleman +poplesie +poplet +Poplilia +poplin +poplinette +poplins +poplitaeal +popliteal +poplitei +popliteus +poplitic +poplolly +Popocatepetl +Popocatpetl +Popocracy +Popocrat +popode +popodium +pop-off +Popolari +popolis +Popoloco +popomastic +Popov +popover +popovers +Popovets +poppa +poppability +poppable +poppadom +Poppas +poppean +popped +poppel +Popper +poppers +poppet +poppethead +poppet-head +poppets +Poppy +poppy-bordered +poppycock +poppycockish +poppy-colored +poppy-crimson +poppy-crowned +poppied +poppies +poppyfish +poppyfishes +poppy-flowered +poppy-haunted +poppyhead +poppy-head +poppylike +poppin +popping +popping-crease +poppy-pink +poppy-red +poppy's +poppy-seed +poppy-sprinkled +poppywort +popple +poppled +popples +popply +poppling +Poppo +POPS +pop's +popshop +pop-shop +popsy +Popsicle +popsie +popsies +populace +populaces +populacy +popular +populares +popularisation +popularise +popularised +populariser +popularising +popularism +Popularist +popularity +popularities +popularization +popularizations +popularize +popularized +popularizer +popularizes +popularizing +popularly +popularness +popular-priced +populate +populated +populates +populating +population +populational +populationist +populationistic +populationless +populations +populaton +populator +populeon +populi +populicide +populin +Populism +populisms +Populist +Populistic +populists +populous +populously +populousness +populousnesses +populum +Populus +pop-up +popweed +Poquonock +Poquoson +POR +porail +poral +Porbandar +porbeagle +porc +porcate +porcated +porcelain +porcelainization +porcelainize +porcelainized +porcelainizing +porcelainlike +porcelainous +porcelains +porcelaneous +porcelanic +porcelanite +porcelanous +Porcellana +porcellaneous +porcellanian +porcellanic +porcellanid +Porcellanidae +porcellanite +porcellanize +porcellanous +porch +Porche +porched +porches +porching +porchless +porchlike +porch's +Porcia +porcine +porcini +porcino +Porcula +porcupine +porcupines +porcupine's +porcupinish +pore +pored +Poree +porelike +Porella +porencephaly +porencephalia +porencephalic +porencephalitis +porencephalon +porencephalous +porencephalus +porer +pores +poret +Porett +porge +porger +porgy +porgies +porgo +Pori +pory +Poria +poricidal +Porifera +poriferal +Poriferan +poriferous +poriform +porimania +porina +poriness +poring +poringly +poriomanic +porion +porions +Porirua +porism +porismatic +porismatical +porismatically +porisms +poristic +poristical +porite +Porites +Poritidae +poritoid +pork +pork-barreling +porkburger +porkchop +porkeater +porker +porkery +porkers +porket +porkfish +porkfishes +porky +porkier +porkies +porkiest +porkin +porkiness +porkish +porkless +porkling +porkman +porkolt +Porkopolis +porkpen +porkpie +porkpies +porks +porkwood +porkwoods +porn +pornerastic +porny +porno +pornocracy +pornocrat +pornograph +pornographer +pornography +pornographic +pornographically +pornographies +pornographist +pornographomania +pornological +pornos +porns +Porocephalus +porodine +porodite +porogam +porogamy +porogamic +porogamous +porokaiwhiria +porokeratosis +Porokoto +poroma +poromas +poromata +poromeric +porometer +porophyllous +poroplastic +poroporo +pororoca +poros +poroscope +poroscopy +poroscopic +porose +poroseness +porosimeter +porosis +porosity +porosities +porotic +porotype +porous +porously +porousness +porpentine +porphine +porphyr- +Porphyra +Porphyraceae +porphyraceous +porphyratin +Porphyrean +Porphyry +porphyria +Porphyrian +Porphyrianist +porphyries +porphyrin +porphyrine +porphyrinuria +Porphyrio +Porphyrion +porphyrisation +porphyrite +porphyritic +porphyrization +porphyrize +porphyrized +porphyrizing +porphyroblast +porphyroblastic +porphyrogene +porphyrogenite +porphyrogenitic +porphyrogenitism +porphyrogeniture +porphyrogenitus +porphyroid +porphyrophore +porphyropsin +porphyrous +Porpita +porpitoid +porpoise +porpoiselike +porpoises +porpoising +porporate +porr +porraceous +porrect +porrection +porrectus +porret +porry +porridge +porridgelike +porridges +porridgy +porriginous +porrigo +Porrima +porringer +porringers +porriwiggle +Porsena +Porsenna +Porson +Port +Port. +Porta +portability +portable +portableness +portables +portably +Portadown +Portage +portaged +portages +Portageville +portaging +portague +portahepatis +portail +portal +portaled +portalled +portalless +portals +portal's +portal-to-portal +portamenti +portamento +portamentos +portance +portances +portapak +portas +portass +portate +portatile +portative +portato +portator +Port-au-Prince +port-caustic +portcrayon +port-crayon +portcullis +portcullised +portcullises +portcullising +Porte +porte- +porteacid +porte-cochere +ported +porteligature +porte-monnaie +porte-monnaies +portend +portendance +portended +portending +portendment +portends +Porteno +portension +portent +portention +portentious +portentive +portentosity +portentous +portentously +portentousness +portents +porteous +Porter +porterage +Porteranthus +porteress +porterhouse +porter-house +porterhouses +porterly +porterlike +porters +portership +Porterville +Portervillios +portesse +portfire +portfolio +portfolios +Port-Gentil +portglaive +portglave +portgrave +portgreve +Porthetria +Portheus +porthole +port-hole +portholes +porthook +porthors +porthouse +Porty +Portia +portico +porticoed +porticoes +porticos +porticus +Portie +portiere +portiered +portieres +portify +portifory +Portinari +porting +Portingale +portio +portiomollis +portion +portionable +portional +portionally +portioned +portioner +portioners +portiones +portioning +portionist +portionize +portionless +portions +portion's +portitor +Portland +Portlandian +Portlaoise +portlast +portless +portlet +portly +portlier +portliest +portligature +portlight +portlily +portliness +portman +portmanmote +portmanteau +portmanteaus +portmanteaux +portmantle +portmantologism +portment +portmoot +portmote +port-mouthed +Porto +Portobello +Port-of-Spain +portoise +portolan +portolani +portolano +portolanos +Portor +portpayne +portray +portrayable +portrayal +portrayals +portrayed +portrayer +portraying +portrayist +portrayment +portrays +portrait +portraitist +portraitists +portraitlike +portraits +portrait's +portraiture +portraitures +portreeve +portreeveship +portress +portresses +port-royal +Port-royalist +ports +portsale +port-sale +Port-Salut +portside +portsider +portsman +Portsmouth +portsoken +portuary +portugais +Portugal +Portugalism +Portugee +portugese +Portuguese +Portulaca +Portulacaceae +portulacaceous +Portulacaria +portulacas +portulan +Portumnus +Portuna +Portunalia +portunian +portunid +Portunidae +Portunus +porture +port-vent +portway +Portwin +Portwine +port-wine +port-winy +porule +porulose +porulous +Porum +porus +Porush +porwigle +Porzana +POS +pos. +posable +posada +Posadas +posadaship +posaune +posca +poschay +pose +posed +Posehn +posey +Poseidon +Poseidonian +Poseyville +posement +Posen +poser +posers +poses +poseur +poseurs +poseuse +posh +posher +poshest +poshly +poshness +posho +POSI +posy +POSYBL +Posidonius +posied +posies +posing +posingly +posit +posited +positif +positing +position +positional +positioned +positioner +positioning +positionless +positions +positival +positive +positively +positiveness +positivenesses +positiver +positives +positivest +positivism +positivist +positivistic +positivistically +positivity +positivize +positor +positrino +positron +positronium +positrons +posits +positum +positure +POSIX +Poskin +Posnanian +Posner +posnet +posole +posolo +posology +posologic +posological +posologies +posologist +posostemad +pospolite +poss +poss. +posse +posseman +possemen +posses +possess +possessable +possessed +possessedly +possessedness +possesses +possessible +possessing +possessingly +possessingness +possessio +possession +possessional +possessionalism +possessionalist +possessionary +possessionate +possessioned +possessioner +possessiones +possessionist +possessionless +possessionlessness +possessions +possession's +possessival +possessive +possessively +possessiveness +possessivenesses +possessives +possessor +possessoress +possessory +possessorial +possessoriness +possessors +possessor's +possessorship +posset +possets +possy +possibile +possibilism +possibilist +possibilitate +possibility +possibilities +possibility's +possible +possibleness +possibler +possibles +possiblest +possibly +possie +possies +Possing +possisdendi +possodie +possum +possumhaw +possums +possum's +possumwood +Post +post- +postabdomen +postabdominal +postable +postabortal +postacetabular +postact +Post-adamic +postadjunct +postadolescence +postadolescences +postadolescent +Post-advent +postage +postages +postal +Post-alexandrine +postallantoic +postally +postals +postalveolar +postament +postamniotic +postanal +postanesthetic +postantennal +postaortic +postapoplectic +postapostolic +Post-apostolic +postapostolical +Post-apostolical +postappendicular +Post-aristotelian +postarytenoid +postarmistice +Post-armistice +postarterial +postarthritic +postarticular +postaspirate +postaspirated +postasthmatic +postatrial +postattack +post-audit +postauditory +Post-augustan +Post-augustinian +postauricular +postaxiad +postaxial +postaxially +postaxillary +Post-azilian +Post-aztec +Post-babylonian +postbaccalaureate +postbag +post-bag +postbags +postbaptismal +postbase +Post-basket-maker +postbellum +post-bellum +postbiblical +Post-biblical +post-boat +postboy +post-boy +postboys +postbook +postbox +postboxes +postbrachial +postbrachium +postbranchial +postbreakfast +postbreeding +postbronchial +postbuccal +postbulbar +postburn +postbursal +postcaecal +post-Caesarean +postcalcaneal +postcalcarine +Post-cambrian +postcanonical +post-captain +Post-carboniferous +postcard +postcardiac +postcardinal +postcards +postcarnate +Post-carolingian +postcarotid +postcart +Post-cartesian +postcartilaginous +postcatarrhal +postcaudal +postcava +postcavae +postcaval +postcecal +postcenal +postcentral +postcentrum +postcephalic +postcerebellar +postcerebral +postcesarean +post-Cesarean +post-chaise +post-Chaucerian +Post-christian +Post-christmas +postcibal +post-cyclic +postclassic +postclassical +post-classical +postclassicism +postclavicle +postclavicula +postclavicular +postclimax +postclitellian +postclival +postcode +postcoenal +postcoital +postcollege +postcolon +postcolonial +Post-columbian +postcolumellar +postcomitial +postcommissural +postcommissure +postcommunicant +Postcommunion +Post-Communion +postconceptive +postconcretism +postconcretist +postcondylar +postcondition +postconfinement +Post-confucian +postconnubial +postconquest +Post-conquest +postconsonantal +Post-constantinian +postcontact +postcontract +postconvalescent +postconvalescents +postconvulsive +Post-copernican +postcordial +postcornu +postcosmic +postcostal +postcoup +postcoxal +Post-cretacean +postcretaceous +Post-cretaceous +postcribrate +postcritical +postcruciate +postcrural +Post-crusade +postcubital +Post-darwinian +postdate +post-date +postdated +postdates +postdating +Post-davidic +postdental +postdepressive +postdetermined +postdevelopmental +Post-devonian +postdiagnostic +postdiaphragmatic +postdiastolic +postdicrotic +postdigestive +postdigital +postdiluvial +post-diluvial +postdiluvian +post-diluvian +Post-diocletian +postdiphtherial +postdiphtheric +postdiphtheritic +postdisapproved +postdiscoidal +postdysenteric +Post-disruption +postdisseizin +postdisseizor +postdive +postdoctoral +postdoctorate +postdrug +postdural +postea +Post-easter +posted +posteen +posteens +postel +postelection +postelemental +postelementary +Post-elizabethan +Postelle +postembryonal +postembryonic +postemergence +postemporal +postencephalitic +postencephalon +postenteral +postentry +postentries +Post-eocene +postepileptic +poster +posterette +posteriad +posterial +posterio-occlusion +posterior +posteriori +posterioric +posteriorically +posterioristic +posterioristically +posteriority +posteriorly +posteriormost +posteriors +posteriorums +posterish +posterishness +posterist +posterity +posterities +posterization +posterize +postern +posterns +postero- +posteroclusion +posterodorsad +posterodorsal +posterodorsally +posteroexternal +posteroinferior +posterointernal +posterolateral +posteromedial +posteromedian +posteromesial +posteroparietal +posterosuperior +posterotemporal +posteroterminal +posteroventral +posters +posteruptive +postesophageal +posteternity +postethmoid +postexercise +postexilian +postexilic +postexist +postexistence +postexistency +postexistent +postexpressionism +postexpressionist +postface +postfaces +postfact +postfactor +post-factum +postfebrile +postfemoral +postfertilization +postfertilizations +postfetal +post-fine +postfix +postfixal +postfixation +postfixed +postfixes +postfixial +postfixing +postflection +postflexion +postflight +postfoetal +postform +postformed +postforming +postforms +postfoveal +post-free +postfrontal +postfurca +postfurcal +Post-galilean +postgame +postganglionic +postgangrenal +postgastric +postgeminum +postgenial +postgenital +postgeniture +postglacial +post-glacial +postglenoid +postglenoidal +postgonorrheic +Post-gothic +postgracile +postgraduate +post-graduate +postgraduates +postgraduation +postgrippal +posthabit +postharvest +posthaste +post-haste +postheat +posthemiplegic +posthemorrhagic +posthepatic +posthetomy +posthetomist +posthexaplar +posthexaplaric +posthyoid +posthypnotic +posthypnotically +posthypophyseal +posthypophysis +posthippocampal +posthysterical +posthitis +Post-hittite +posthoc +postholder +posthole +postholes +Post-homeric +post-horn +post-horse +posthospital +posthouse +post-house +posthuma +posthume +posthumeral +posthumous +posthumously +posthumousness +posthumus +Post-huronian +postyard +Post-ibsen +postic +postical +postically +postiche +postiches +posticous +posticteric +posticum +posticus +postie +postil +postiler +postilion +postilioned +postilions +postillate +postillation +postillator +postiller +postillion +postillioned +postils +postimperial +postimpressionism +Post-Impressionism +postimpressionist +post-Impressionist +postimpressionistic +post-impressionistic +postin +postinaugural +postincarnation +Post-incarnation +postindustrial +postinfective +postinfluenzal +posting +postingly +postings +postinjection +postinoculation +postins +postintestinal +postique +postiques +postirradiation +postischial +postjacent +Post-johnsonian +postjugular +Post-jurassic +Post-justinian +Post-jutland +post-juvenal +Post-kansan +Post-kantian +postlabial +postlabially +postlachrymal +Post-lafayette +postlapsarian +postlaryngal +postlaryngeal +postlarval +postlegal +postlegitimation +Post-leibnitzian +post-Leibnizian +Post-lent +postlenticular +postless +postlicentiate +postlike +postliminary +postlimini +postliminy +postliminiary +postliminious +postliminium +postliminous +post-Linnean +postliterate +postloitic +postloral +postlude +postludes +postludium +postluetic +postmalarial +postmamillary +postmammary +postmammillary +Postman +postmandibular +postmaniacal +postmarital +postmark +postmarked +postmarking +postmarks +postmarriage +Post-marxian +postmaster +postmaster-generalship +postmasterlike +postmasters +postmaster's +postmastership +postmastoid +postmaturity +postmaxillary +postmaximal +postmeatal +postmedia +postmediaeval +postmedial +postmedian +postmediastinal +postmediastinum +postmedieval +Post-medieval +postmedullary +postmeiotic +postmen +Post-mendelian +postmeningeal +postmenopausal +postmenstrual +postmental +postmeridian +postmeridional +postmesenteric +Post-mesozoic +Post-mycenean +postmycotic +postmillenarian +postmillenarianism +postmillennial +postmillennialism +postmillennialist +postmillennian +postmineral +Post-miocene +Post-mishnaic +Post-mishnic +post-Mishnical +postmistress +postmistresses +postmistress-ship +postmyxedematous +postmyxedemic +postmortal +postmortem +post-mortem +postmortems +postmortuary +Post-mosaic +postmultiply +postmultiplied +postmultiplying +postmundane +postmuscular +postmutative +Post-napoleonic +postnarial +postnaris +postnasal +postnatal +postnatally +postnate +postnati +postnatus +postnecrotic +postnephritic +postneural +postneuralgic +postneuritic +postneurotic +Post-newtonian +Post-nicene +postnodal +postnodular +postnominal +postnota +postnotum +postnotums +postnotumta +postnuptial +postnuptially +post-obit +postobituary +post-obituary +postocular +postoffice +post-officer +postoffices +postoffice's +Post-oligocene +postolivary +postomental +Poston +postoperative +postoperatively +postoptic +postoral +postorbital +postorder +post-ordinar +postordination +Post-ordovician +postorgastic +postosseous +postotic +postpagan +postpaid +postpalatal +postpalatine +Post-paleolithic +Post-paleozoic +postpalpebral +postpaludal +postparalytic +postparietal +postparotid +postparotitic +postparoxysmal +postpartal +postpartum +post-partum +postparturient +postparturition +postpatellar +postpathologic +postpathological +Post-pauline +postpectoral +postpeduncular +Post-pentecostal +postperforated +postpericardial +Post-permian +Post-petrine +postpharyngal +postpharyngeal +Post-phidian +postphlogistic +postphragma +postphrenic +postphthisic +postphthistic +postpycnotic +postpyloric +postpyramidal +postpyretic +Post-pythagorean +postpituitary +postplace +Post-platonic +postplegic +Post-pleistocene +Post-pliocene +postpneumonic +postponable +postpone +postponed +postponement +postponements +postponence +postponer +postpones +postponing +postpontile +postpose +postposit +postposited +postposition +postpositional +postpositionally +postpositive +postpositively +postprandial +postprandially +postpredicament +postprocess +postprocessing +postprocessor +postproduction +postprophesy +postprophetic +Post-prophetic +postprophetical +postprostate +postpubertal +postpuberty +postpubescent +postpubic +postpubis +postpuerperal +postpulmonary +postpupillary +postrace +postrachitic +postradiation +postramus +Post-raphaelite +postrecession +postrectal +postredemption +postreduction +Post-reformation +postremogeniture +post-remogeniture +postremote +Post-renaissance +postrenal +postreproductive +Post-restoration +postresurrection +postresurrectional +postretinal +postretirement +postrevolutionary +post-Revolutionary +postrheumatic +postrhinal +postrider +postriot +post-road +Post-roman +Post-romantic +postrorse +postrostral +postrubeolar +posts +postsaccular +postsacral +postscalenus +postscapula +postscapular +postscapularis +postscarlatinal +postscarlatinoid +postscenium +postscholastic +Post-scholastic +postschool +postscorbutic +postscribe +postscript +postscripts +postscript's +postscriptum +postscutella +postscutellar +postscutellum +postscuttella +postseason +postseasonal +postsecondary +Post-shakespearean +post-Shakespearian +postsigmoid +postsigmoidal +postsign +postsigner +post-signer +Post-silurian +postsymphysial +postsynaptic +postsynaptically +postsync +postsynsacral +postsyphilitic +Post-syrian +postsystolic +Post-socratic +Post-solomonic +postspasmodic +postsphenoid +postsphenoidal +postsphygmic +postspinous +postsplenial +postsplenic +poststernal +poststertorous +postsuppurative +postsurgical +posttabetic +post-Talmudic +Post-talmudical +posttarsal +postteen +posttemporal +posttension +post-tension +Post-tertiary +posttest +posttests +posttetanic +postthalamic +Post-theodosian +postthyroidal +postthoracic +posttibial +posttympanic +posttyphoid +posttonic +post-town +posttoxic +posttracheal +post-Transcendental +posttrapezoid +posttraumatic +posttreaty +posttreatment +posttrial +Post-triassic +Post-tridentine +posttubercular +posttussive +postulance +postulancy +postulant +postulants +postulantship +postulata +postulate +postulated +postulates +postulating +postulation +postulational +postulations +postulator +postulatory +postulatum +postulnar +postumbilical +postumbonal +postural +posture +postured +posture-maker +posturer +posturers +postures +posture's +postureteral +postureteric +posturing +posturise +posturised +posturising +posturist +posturize +posturized +posturizing +postuterine +postvaccinal +postvaccination +postvaricellar +postvarioloid +Post-vedic +postvelar +postvenereal +postvenous +postventral +postverbal +Postverta +postvertebral +postvesical +Post-victorian +postvide +Postville +postvocalic +postvocalically +Post-volstead +Postvorta +postwar +postward +postwise +postwoman +postwomen +postxiphoid +postxyphoid +postzygapophyseal +postzygapophysial +postzygapophysis +pot +pot. +potability +potable +potableness +potables +potage +potager +potagere +potagery +potagerie +potages +potail +potamian +potamic +Potamobiidae +Potamochoerus +Potamogale +Potamogalidae +Potamogeton +Potamogetonaceae +potamogetonaceous +potamology +potamological +potamologist +potamometer +Potamonidae +potamophilous +potamophobia +potamoplankton +potance +Potash +potashery +potashes +potass +potassa +potassamide +potassic +potassiferous +potassio- +potassium +potassiums +potate +potation +potations +potative +potato +potatoes +potator +potatory +potato-sick +pot-au-feu +Potawatami +Potawatomi +Potawatomis +potbank +potbelly +pot-belly +potbellied +pot-bellied +potbellies +potboy +pot-boy +potboydom +potboil +potboiled +potboiler +pot-boiler +potboilers +potboiling +potboils +potboys +pot-bound +potch +potcher +potcherman +potchermen +pot-clay +pot-color +potcrook +potdar +pote +pot-earth +Poteau +potecary +Potecasi +poteen +poteens +Poteet +poteye +Potemkin +potence +potences +potency +potencies +potent +potentacy +potentate +potentates +potentate's +potent-counterpotent +potentee +potenty +potential +potentiality +potentialities +potentialization +potentialize +potentially +potentialness +potentials +potentiate +potentiated +potentiates +potentiating +potentiation +potentiator +potentibility +potenties +Potentilla +potentiometer +potentiometers +potentiometer's +potentiometric +potentize +potently +potentness +poter +Poterium +potestal +potestas +potestate +potestative +potful +potfuls +potgirl +potgun +pot-gun +potgut +pot-gutted +Poth +pothanger +pothead +potheads +pothecary +pothecaries +potheen +potheens +pother +potherb +pot-herb +potherbs +pothered +pothery +pothering +potherment +pothers +potholder +potholders +pothole +pot-hole +potholed +potholer +potholes +potholing +pothook +pot-hook +pothookery +pothooks +Pothos +pothouse +pot-house +pothousey +pothouses +pothunt +pothunted +pothunter +pot-hunter +pothunting +poti +poticary +potycary +potiche +potiches +potichomania +potichomanist +Potidaea +potifer +Potiguara +Potyomkin +potion +potions +Potiphar +potlach +potlache +potlaches +potlatch +potlatched +potlatches +potlatching +pot-lead +potleg +potlicker +potlid +pot-lid +potlike +potlikker +potline +potlines +potling +pot-liquor +potluck +pot-luck +potlucks +potmaker +potmaking +potman +potmen +pot-metal +Potomac +potomania +potomato +potometer +potong +potoo +potoos +potophobia +Potoroinae +potoroo +potoroos +Potorous +Potos +Potosi +potpie +pot-pie +potpies +potpourri +pot-pourri +potpourris +potrack +Potrero +pot-rustler +POTS +pot's +Potsdam +pot-shaped +potshard +potshards +potshaw +potsherd +potsherds +potshoot +potshooter +potshot +pot-shot +potshots +potshotting +potsy +pot-sick +potsie +potsies +potstick +potstone +potstones +pott +pottage +pottages +pottagy +pottah +pottaro +potted +potteen +potteens +Potter +pottered +potterer +potterers +potteress +pottery +Potteries +pottering +potteringly +pottern +potters +potter's +Pottersville +Potterville +potti +potty +Pottiaceae +potty-chair +pottier +potties +pottiest +potting +pottinger +pottle +pottle-bellied +pottle-bodied +pottle-crowned +pottled +pottle-deep +pottles +potto +pottos +Potts +Pottsboro +Pottstown +Pottsville +pottur +potus +POTV +pot-valiance +pot-valiancy +pot-valiant +pot-valiantly +pot-valiantry +pot-valliance +pot-valor +pot-valorous +pot-wabbler +potwaller +potwalling +potwalloper +pot-walloper +pot-walloping +potware +potwhisky +Potwin +pot-wobbler +potwork +potwort +pouce +poucey +poucer +pouch +pouched +Poucher +pouches +pouchful +pouchy +pouchier +pouchiest +pouching +pouchless +pouchlike +pouch's +pouch-shaped +poucy +poudret +poudrette +poudreuse +poudreuses +poudrin +pouf +poufed +pouff +pouffe +pouffed +pouffes +pouffs +poufs +Poughkeepsie +Poughquag +Pouilly +Pouilly-Fuisse +Pouilly-Fume +Poul +poulaine +Poulan +poulard +poularde +poulardes +poulardize +poulards +pouldron +poule +Poulenc +poulet +poulette +Pouligny-St +poulp +poulpe +Poulsbo +poult +poult-de-soie +Poulter +poulterer +poulteress +poulters +poultice +poulticed +poultices +poulticewise +poulticing +Poultney +poultry +poultrydom +poultries +poultryist +poultryless +poultrylike +poultryman +poultrymen +poultryproof +poults +pounamu +pounce +pounced +Pouncey +pouncer +pouncers +pounces +pouncet +pouncet-box +pouncy +pouncing +pouncingly +Pound +poundage +poundages +poundal +poundals +poundbreach +poundcake +pound-cake +pounded +pounder +pounders +pound-folly +pound-foolish +pound-foolishness +pound-foot +pound-force +pounding +poundkeeper +poundless +poundlike +poundman +poundmaster +poundmeal +pounds +poundstone +pound-trap +pound-weight +poundworth +pour +pourability +pourable +pourboire +pourboires +poured +pourer +pourer-off +pourer-out +pourers +pourie +pouring +pouringly +Pournaras +pourparley +pourparler +pourparlers +pourparty +pourpiece +pourpoint +pourpointer +pourprise +pourquoi +pourris +pours +pourvete +pouser +pousy +pousse +pousse-caf +pousse-cafe +poussette +poussetted +poussetting +poussie +poussies +Poussin +Poussinisme +poustie +pout +pouted +pouter +pouters +poutful +pouty +poutier +poutiest +pouting +poutingly +pouts +POV +poverish +poverishment +poverty +poverties +poverty-proof +poverty-stricken +povertyweed +Povindah +POW +Poway +powan +powcat +Powder +powderable +powder-black +powder-blue +powder-charged +powder-down +powdered +powderer +powderers +powder-flask +powder-gray +Powderhorn +powder-horn +powdery +powderies +powderiness +powdering +powderization +powderize +powderizer +powder-laden +Powderly +powderlike +powderman +powder-marked +powder-monkey +powder-posted +powderpuff +powder-puff +powders +powder-scorched +powder-tinged +powdike +powdry +Powe +Powel +Powell +powellite +Powellsville +Powellton +Powellville +POWER +powerable +powerably +powerboat +powerboats +power-dive +power-dived +power-diving +power-dove +power-driven +powered +power-elated +powerful +powerfully +powerfulness +powerhouse +powerhouses +power-hunger +power-hungry +powering +powerless +powerlessly +powerlessness +power-loom +powermonger +power-operate +power-operated +power-packed +powerplants +power-political +power-riveting +Powers +power-saw +power-sawed +power-sawing +power-sawn +power-seeking +powerset +powersets +powerset's +Powersite +powerstat +Powersville +Powhatan +Powhattan +powhead +Powys +powitch +powldoody +Pownal +Pownall +powny +pownie +pows +powsoddy +powsowdy +powter +powters +powwow +powwowed +powwower +powwowing +powwowism +powwows +pox +poxed +poxes +poxy +poxing +pox-marked +poxvirus +poxviruses +poz +Pozna +Poznan +Pozsony +Pozzy +pozzolan +pozzolana +pozzolanic +pozzolans +pozzuolana +pozzuolanic +Pozzuoli +PP +pp. +PPA +PPB +PPBS +PPC +PPCS +PPD +ppd. +PPE +pph +PPI +ppl +P-plane +PPLO +PPM +PPN +PPP +ppr +PPS +PPT +pptn +PQ +PR +Pr. +PRA +praam +praams +prabble +prabhu +pracharak +practic +practicability +practicabilities +practicable +practicableness +practicably +practical +practicalism +practicalist +practicality +practicalities +practicalization +practicalize +practicalized +practicalizer +practically +practical-minded +practical-mindedness +practicalness +practicant +practice +practiced +practicedness +practicer +practices +practice-teach +practician +practicianism +practicing +practico +practicum +practisant +practise +practised +practiser +practises +practising +practitional +practitioner +practitionery +practitioners +practitioner's +practive +prad +Pradeep +Prader +Pradesh +pradhana +Prady +Prado +prae- +praeabdomen +praeacetabular +praeanal +praecava +praecipe +praecipes +praecipitatio +praecipuum +praecoces +praecocial +praecognitum +praecoracoid +praecordia +praecordial +praecordium +praecornu +praecox +praecuneus +praedial +praedialist +praediality +praedium +praeesophageal +praefect +praefectorial +praefects +praefectus +praefervid +praefloration +praefoliation +praehallux +praelabrum +praelect +praelected +praelecting +praelection +praelectionis +praelector +praelectorship +praelectress +praelects +praeludium +praemaxilla +praemolar +praemunientes +praemunire +praenarial +Praeneste +Praenestine +Praenestinian +praeneural +praenomen +praenomens +praenomina +praenominal +praeoperculum +praepositor +praepositure +praepositus +praeposter +praepostor +praepostorial +praepubis +praepuce +praescutum +praesens +praesenti +Praesepe +praesertim +praeses +Praesian +praesidia +praesidium +praesystolic +praesphenoid +praesternal +praesternum +praestomium +praetaxation +praetexta +praetextae +praetor +praetorial +Praetorian +praetorianism +praetorium +Praetorius +praetors +praetorship +praezygapophysis +Prag +Prager +pragmarize +pragmat +pragmatic +pragmatica +pragmatical +pragmaticality +pragmatically +pragmaticalness +pragmaticism +pragmaticist +pragmatics +pragmatism +pragmatisms +pragmatist +pragmatistic +pragmatists +pragmatize +pragmatizer +Prague +Praha +praham +prahm +prahu +prahus +pray +praya +prayable +prayed +prayer +prayer-answering +prayer-book +prayer-clenched +prayerful +prayerfully +prayerfulness +prayer-granting +prayer-hearing +prayerless +prayerlessly +prayerlessness +prayer-lisping +prayer-loving +prayermaker +prayermaking +prayer-repeating +prayers +prayer's +prayerwise +prayful +praying +prayingly +prayingwise +Prairial +prairie +prairiecraft +prairied +prairiedom +prairielike +prairies +prairieweed +prairillon +prays +praisable +praisableness +praisably +praise +praise-begging +praised +praise-deserving +praise-fed +praiseful +praisefully +praisefulness +praise-giving +praiseless +praiseproof +praiser +praisers +praises +praise-spoiled +praise-winning +praiseworthy +praiseworthily +praiseworthiness +praising +praisingly +praiss +praisworthily +praisworthiness +Prajadhipok +Prajapati +prajna +Prakash +Prakrit +prakriti +Prakritic +Prakritize +praline +pralines +pralltriller +pram +Pramnian +prams +prana +pranava +prance +pranced +pranceful +prancer +prancers +prances +prancy +prancing +prancingly +prancome +prand +prandial +prandially +prang +pranged +pranging +prangs +pranidhana +prank +pranked +pranker +prankful +prankfulness +pranky +prankier +prankiest +pranking +prankingly +prankish +prankishly +prankishness +prankle +pranks +prank's +pranksome +pranksomeness +prankster +pranksters +prankt +prao +praos +Prasad +prase +praseocobaltic +praseodidymium +praseodymia +praseodymium +praseolite +prases +prasine +prasinous +praskeen +praso- +prasoid +prasophagy +prasophagous +prastha +prat +pratal +pratap +pratapwant +Pratdesaba +prate +prated +prateful +pratey +pratement +pratensian +Prater +praters +prates +pratfall +pratfalls +Prather +Pratyeka +pratiyasamutpada +pratiloma +Pratincola +pratincole +pratincoline +pratincolous +prating +pratingly +pratique +pratiques +Prato +prats +Pratt +Pratte +prattfall +pratty +prattle +prattled +prattlement +prattler +prattlers +prattles +prattly +prattling +prattlingly +Pratts +Prattsburg +Prattshollow +Prattsville +Prattville +prau +praus +Pravda +pravilege +pravin +Pravit +pravity +pravous +prawn +prawned +prawner +prawners +prawny +prawning +prawns +Praxean +Praxeanist +praxeology +praxeological +praxes +praxinoscope +praxiology +praxis +praxises +Praxitelean +Praxiteles +Praxithea +PRB +PRC +PRCA +PRE +pre- +preabdomen +preabsorb +preabsorbent +preabstract +preabundance +preabundant +preabundantly +preaccept +preacceptance +preacceptances +preaccepted +preaccepting +preaccepts +preaccess +preaccessible +preaccidental +preaccidentally +preaccommodate +preaccommodated +preaccommodating +preaccommodatingly +preaccommodation +preaccomplish +preaccomplishment +preaccord +preaccordance +preaccount +preaccounting +preaccredit +preaccumulate +preaccumulated +preaccumulating +preaccumulation +preaccusation +preaccuse +preaccused +preaccusing +preaccustom +preaccustomed +preaccustoming +preaccustoms +preace +preacetabular +preach +preachable +pre-Achaean +preached +Preacher +preacherdom +preacheress +preacherize +preacherless +preacherling +preachers +preachership +preaches +preachy +preachier +preachiest +preachieved +preachify +preachification +preachified +preachifying +preachily +preachiness +preaching +preaching-house +preachingly +preachings +preachman +preachment +preachments +preacid +preacidity +preacidly +preacidness +preacknowledge +preacknowledged +preacknowledgement +preacknowledging +preacknowledgment +preacness +preacquaint +preacquaintance +preacquire +preacquired +preacquiring +preacquisition +preacquisitive +preacquisitively +preacquisitiveness +preacquit +preacquittal +preacquitted +preacquitting +preact +preacted +preacting +preaction +preactive +preactively +preactiveness +preactivity +preacts +preacute +preacutely +preacuteness +preadamic +preadamite +pre-adamite +preadamitic +preadamitical +preadamitism +preadapt +preadaptable +preadaptation +preadapted +preadapting +preadaptive +preadapts +preaddition +preadditional +preaddress +preadequacy +preadequate +preadequately +preadequateness +preadhere +preadhered +preadherence +preadherent +preadherently +preadhering +preadjectival +preadjectivally +preadjective +preadjourn +preadjournment +preadjunct +preadjust +preadjustable +preadjusted +preadjusting +preadjustment +preadjustments +preadjusts +preadministration +preadministrative +preadministrator +preadmire +preadmired +preadmirer +preadmiring +preadmission +preadmit +preadmits +preadmitted +preadmitting +preadmonish +preadmonition +preadolescence +preadolescences +preadolescent +preadolescents +preadopt +preadopted +preadopting +preadoption +preadopts +preadoration +preadore +preadorn +preadornment +preadult +preadulthood +preadults +preadvance +preadvancement +preadventure +preadvertency +preadvertent +preadvertise +preadvertised +preadvertisement +preadvertiser +preadvertising +preadvice +preadvisable +preadvise +preadvised +preadviser +preadvising +preadvisory +preadvocacy +preadvocate +preadvocated +preadvocating +preaestival +preaffect +preaffection +preaffidavit +preaffiliate +preaffiliated +preaffiliating +preaffiliation +preaffirm +preaffirmation +preaffirmative +preaffirmed +preaffirming +preaffirms +preafflict +preaffliction +preafternoon +preage +preaged +preaggravate +preaggravated +preaggravating +preaggravation +preaggression +preaggressive +preaggressively +preaggressiveness +preaging +preagitate +preagitated +preagitating +preagitation +preagonal +preagony +preagree +preagreed +preagreeing +preagreement +preagricultural +preagriculture +prealarm +prealcohol +prealcoholic +pre-Alfredian +prealgebra +prealgebraic +prealkalic +preallable +preallably +preallegation +preallege +prealleged +prealleging +preally +prealliance +preallied +preallies +preallying +preallocate +preallocated +preallocates +preallocating +preallot +preallotment +preallots +preallotted +preallotting +preallow +preallowable +preallowably +preallowance +preallude +prealluded +prealluding +preallusion +prealphabet +prealphabetical +prealphabetically +prealtar +prealter +prealteration +prealveolar +preamalgamation +preambassadorial +preambition +preambitious +preambitiously +preamble +preambled +preambles +preambling +preambular +preambulary +preambulate +preambulation +preambulatory +pre-American +pre-Ammonite +pre-Ammonitish +preamp +pre-amp +preamplifier +preamplifiers +preamps +preanal +preanaphoral +preanesthetic +preanesthetics +preanimism +preannex +preannounce +preannounced +preannouncement +preannouncements +preannouncer +preannounces +preannouncing +preantepenult +preantepenultimate +preanterior +preanticipate +preanticipated +preanticipating +preantiquity +preantiseptic +preaortic +preappearance +preappearances +preapperception +preapply +preapplication +preapplications +preapplied +preapplying +preappoint +preappointed +preappointing +preappointment +preappoints +preapprehend +preapprehension +preapprise +preapprised +preapprising +preapprize +preapprized +preapprizing +preapprobation +preapproval +preapprove +preapproved +preapproving +preaptitude +pre-Aryan +prearm +prearmed +prearming +pre-Armistice +prearms +prearraignment +prearrange +prearranged +prearrangement +prearrangements +prearranges +prearranging +prearrest +prearrestment +pre-Arthurian +prearticulate +preartistic +preascertain +preascertained +preascertaining +preascertainment +preascertains +preascetic +preascitic +preaseptic +preassemble +preassembled +preassembles +preassembly +preassembling +preassert +preassign +preassigned +preassigning +preassigns +pre-Assyrian +preassume +preassumed +preassuming +preassumption +preassurance +preassure +preassured +preassuring +preataxic +preatomic +preattachment +preattune +preattuned +preattuning +preaudience +preaudit +pre-audit +preauditory +pre-Augustan +pre-Augustine +preauricular +preauthorize +preauthorized +preauthorizes +preauthorizing +preaver +preaverred +preaverring +preavers +preavowal +preaxiad +preaxial +pre-axial +preaxially +pre-Babylonian +prebachelor +prebacillary +pre-Baconian +prebade +prebake +prebalance +prebalanced +prebalancing +preballot +preballoted +preballoting +prebankruptcy +prebaptismal +prebaptize +prebarbaric +prebarbarically +prebarbarous +prebarbarously +prebarbarousness +prebargain +prebasal +prebasilar +prebattle +prebble +prebeleve +prebelief +prebelieve +prebelieved +prebeliever +prebelieving +prebellum +prebeloved +prebend +prebendal +prebendary +prebendaries +prebendaryship +prebendate +prebends +prebenediction +prebeneficiary +prebeneficiaries +prebenefit +prebenefited +prebenefiting +prebeset +prebesetting +prebestow +prebestowal +prebetray +prebetrayal +prebetrothal +prebiblical +prebid +prebidding +prebill +prebilled +prebilling +prebills +prebind +prebinding +prebinds +prebiologic +prebiological +prebiotic +pre-Byzantine +Preble +prebless +preblessed +preblesses +preblessing +preblockade +preblockaded +preblockading +preblooming +Prebo +preboast +preboding +preboyhood +preboil +preboiled +preboiling +preboils +preboom +preborn +preborrowing +prebound +prebrachial +prebrachium +prebranchial +prebreakfast +prebreathe +prebreathed +prebreathing +prebridal +pre-British +prebroadcasting +prebromidic +prebronchial +prebronze +prebrute +prebuccal +pre-Buddhist +prebudget +prebudgetary +prebullying +preburlesque +preburn +prec +precalculable +precalculate +precalculated +precalculates +precalculating +precalculation +precalculations +precalculus +precalculuses +Precambrian +Pre-Cambrian +pre-Cambridge +precampaign +pre-Canaanite +pre-Canaanitic +precancel +precanceled +precanceling +precancellation +precancellations +precancelled +precancelling +precancels +precancerous +precandidacy +precandidature +precanning +precanonical +precant +precantation +precanvass +precapillary +precapitalist +precapitalistic +precaptivity +precapture +precaptured +precapturing +pre-Carboniferous +precarcinomatous +precardiac +precary +precaria +precarious +precariously +precariousness +precariousnesses +precarium +precarnival +pre-Carolingian +precartilage +precartilaginous +precast +precasting +precasts +pre-Catholic +precation +precative +precatively +precatory +precaudal +precausation +precaution +precautional +precautionary +precautioning +precautions +precaution's +precautious +precautiously +precautiousness +precava +precavae +precaval +precchose +precchosen +precedable +precedaneous +precede +preceded +precedence +precedences +precedence's +precedency +precedencies +precedent +precedentable +precedentary +precedented +precedential +precedentless +precedently +precedents +preceder +precedes +preceding +precednce +preceeding +precel +precelebrant +precelebrate +precelebrated +precelebrating +precelebration +precelebrations +pre-Celtic +precensor +precensure +precensured +precensuring +precensus +precent +precented +precentennial +pre-Centennial +precenting +precentless +precentor +precentory +precentorial +precentors +precentorship +precentral +precentress +precentrix +precentrum +precents +precept +preception +preceptist +preceptive +preceptively +preceptor +preceptoral +preceptorate +preceptory +preceptorial +preceptorially +preceptories +preceptors +preceptorship +preceptress +preceptresses +precepts +precept's +preceptual +preceptually +preceramic +precerebellar +precerebral +precerebroid +preceremony +preceremonial +preceremonies +precertify +precertification +precertified +precertifying +preces +precess +precessed +precesses +precessing +precession +precessional +precessions +prechallenge +prechallenged +prechallenging +prechampioned +prechampionship +precharge +precharged +precharging +prechart +precharted +pre-Chaucerian +precheck +prechecked +prechecking +prechecks +Pre-Chellean +prechemical +precherish +prechildhood +prechill +prechilled +prechilling +prechills +pre-Chinese +prechloric +prechloroform +prechoice +prechoose +prechoosing +prechordal +prechoroid +prechose +prechosen +pre-Christian +pre-Christianic +pre-Christmas +preciation +precyclone +precyclonic +precide +precieuse +precieux +precinct +precinction +precinctive +precincts +precinct's +precynical +Preciosa +preciosity +preciosities +precious +preciouses +preciously +preciousness +precipe +precipes +precipice +precipiced +precipices +precipitability +precipitable +precipitance +precipitancy +precipitancies +precipitant +precipitantly +precipitantness +precipitate +precipitated +precipitatedly +precipitately +precipitateness +precipitatenesses +precipitates +precipitating +precipitation +precipitations +precipitative +precipitator +precipitatousness +precipitin +precipitinogen +precipitinogenic +precipitous +precipitously +precipitousness +Precipitron +precirculate +precirculated +precirculating +precirculation +precis +precise +precised +precisely +preciseness +precisenesses +preciser +precises +precisest +precisian +precisianism +precisianist +precisianistic +precisians +precising +precision +precisional +precisioner +precisionism +precisionist +precisionistic +precisionize +precisions +precisive +preciso +precyst +precystic +precitation +precite +precited +preciting +precivilization +preclaim +preclaimant +preclaimer +preclare +preclassic +preclassical +preclassically +preclassify +preclassification +preclassified +preclassifying +preclean +precleaned +precleaner +precleaning +precleans +preclear +preclearance +preclearances +preclerical +preclimax +preclinical +preclival +precloacal +preclose +preclosed +preclosing +preclosure +preclothe +preclothed +preclothing +precludable +preclude +precluded +precludes +precluding +preclusion +preclusive +preclusively +precoagulation +precoccygeal +precoce +precocial +precocious +precociously +precociousness +precocity +precocities +precode +precoded +precodes +precogitate +precogitated +precogitating +precogitation +precognition +precognitions +precognitive +precognizable +precognizant +precognize +precognized +precognizing +precognosce +precoil +precoiler +precoincidence +precoincident +precoincidently +precollapsable +precollapse +precollapsed +precollapsibility +precollapsible +precollapsing +precollect +precollectable +precollection +precollector +precollege +precollegiate +precollude +precolluded +precolluding +precollusion +precollusive +precolonial +precolor +precolorable +precoloration +precoloring +precolour +precolourable +precolouration +pre-Columbian +precombat +precombatant +precombated +precombating +precombination +precombine +precombined +precombining +precombustion +precommand +precommend +precomment +precommercial +precommissural +precommissure +precommit +precommitted +precommitting +precommune +precommuned +precommunicate +precommunicated +precommunicating +precommunication +precommuning +precommunion +precompare +precompared +precomparing +precomparison +precompass +precompel +precompelled +precompelling +precompensate +precompensated +precompensating +precompensation +precompilation +precompile +precompiled +precompiler +precompiling +precompleteness +precompletion +precompliance +precompliant +precomplicate +precomplicated +precomplicating +precomplication +precompose +precomposition +precompound +precompounding +precompoundly +precomprehend +precomprehension +precomprehensive +precomprehensively +precomprehensiveness +precompress +precompression +precompulsion +precompute +precomputed +precomputes +precomputing +precomradeship +preconceal +preconcealed +preconcealing +preconcealment +preconceals +preconcede +preconceded +preconceding +preconceivable +preconceive +preconceived +preconceives +preconceiving +preconcentrate +preconcentrated +preconcentratedly +preconcentrating +preconcentration +preconcept +preconception +preconceptional +preconceptions +preconception's +preconceptual +preconcern +preconcernment +preconcert +preconcerted +preconcertedly +preconcertedness +preconcertion +preconcertive +preconcession +preconcessions +preconcessive +preconclude +preconcluded +preconcluding +preconclusion +preconcur +preconcurred +preconcurrence +preconcurrent +preconcurrently +preconcurring +precondemn +precondemnation +precondemned +precondemning +precondemns +precondensation +precondense +precondensed +precondensing +precondylar +precondyloid +precondition +preconditioned +preconditioning +preconditions +preconduct +preconduction +preconductor +preconfer +preconference +preconferred +preconferring +preconfess +preconfession +preconfide +preconfided +preconfiding +preconfiguration +preconfigure +preconfigured +preconfiguring +preconfine +preconfined +preconfinedly +preconfinement +preconfinemnt +preconfining +preconfirm +preconfirmation +preconflict +preconform +preconformity +preconfound +preconfuse +preconfused +preconfusedly +preconfusing +preconfusion +precongenial +precongested +precongestion +precongestive +precongratulate +precongratulated +precongratulating +precongratulation +pre-Congregationalist +pre-Congress +precongressional +precony +preconise +preconizance +preconization +preconize +preconized +preconizer +preconizing +preconjecture +preconjectured +preconjecturing +preconnection +preconnective +preconnubial +preconquer +preconquest +pre-Conquest +preconquestal +pre-conquestal +preconquestual +preconscious +preconsciously +preconsciousness +preconseccrated +preconseccrating +preconsecrate +preconsecrated +preconsecrating +preconsecration +preconsent +preconsider +preconsideration +preconsiderations +preconsidered +preconsign +preconsoidate +preconsolation +preconsole +preconsolidate +preconsolidated +preconsolidating +preconsolidation +preconsonantal +preconspiracy +preconspiracies +preconspirator +preconspire +preconspired +preconspiring +preconstituent +preconstitute +preconstituted +preconstituting +preconstruct +preconstructed +preconstructing +preconstruction +preconstructs +preconsult +preconsultation +preconsultations +preconsultor +preconsume +preconsumed +preconsumer +preconsuming +preconsumption +precontact +precontain +precontained +precontemn +precontemplate +precontemplated +precontemplating +precontemplation +precontemporaneity +precontemporaneous +precontemporaneously +precontemporary +precontend +precontent +precontention +precontently +precontentment +precontest +precontinental +precontract +pre-contract +precontractive +precontractual +precontribute +precontributed +precontributing +precontribution +precontributive +precontrivance +precontrive +precontrived +precontrives +precontriving +precontrol +precontrolled +precontrolling +precontroversy +precontroversial +precontroversies +preconvey +preconveyal +preconveyance +preconvention +preconversation +preconversational +preconversion +preconvert +preconvict +preconviction +preconvince +preconvinced +preconvincing +precook +precooked +precooker +precooking +precooks +precool +precooled +precooler +precooling +precools +pre-Copernican +pre-Copernicanism +precopy +precopied +precopying +precopulatory +precoracoid +precordia +precordial +precordiality +precordially +precordium +precorneal +precornu +precoronation +precorrect +precorrection +precorrectly +precorrectness +precorrespond +precorrespondence +precorrespondent +precorridor +precorrupt +precorruption +precorruptive +precorruptly +precorruptness +precoruptness +precosmic +precosmical +precosmically +precostal +precounsel +precounseled +precounseling +precounsellor +precoup +precourse +precover +precovering +precox +precranial +precranially +precrash +precreate +precreation +precreative +precredit +precreditor +precreed +precrystalline +precritical +precriticism +precriticize +precriticized +precriticizing +precrucial +precrural +pre-Crusade +precule +precultivate +precultivated +precultivating +precultivation +precultural +preculturally +preculture +precuneal +precuneate +precuneus +precure +precured +precures +precuring +precurrent +precurrer +precurricula +precurricular +precurriculum +precurriculums +precursal +precurse +precursive +precursor +precursory +precursors +precursor's +precurtain +precut +precuts +pred +pred. +predable +predacean +predaceous +predaceousness +predacious +predaciousness +predacity +preday +predaylight +predaytime +predamage +predamaged +predamaging +predamn +predamnation +pre-Dantean +predark +predarkness +pre-Darwinian +pre-Darwinianism +predata +predate +predated +predates +predating +predation +predations +predatism +predative +predator +predatory +predatorial +predatorily +predatoriness +predators +predawn +predawns +predazzite +predealer +predealing +predeath +predeathly +predebate +predebater +predebit +predebtor +predecay +predecease +predeceased +predeceaser +predeceases +predeceasing +predeceive +predeceived +predeceiver +predeceiving +predeception +predecess +predecession +predecessor +predecessors +predecessor's +predecessorship +predecide +predecided +predeciding +predecision +predecisive +predecisively +predeclaration +predeclare +predeclared +predeclaring +predeclination +predecline +predeclined +predeclining +predecree +predecreed +predecreeing +predecrement +prededicate +prededicated +prededicating +prededication +prededuct +prededuction +predefault +predefeat +predefect +predefective +predefence +predefend +predefense +predefy +predefiance +predeficiency +predeficient +predeficiently +predefied +predefying +predefine +predefined +predefines +predefining +predefinite +predefinition +predefinitions +predefinition's +predefray +predefrayal +predegeneracy +predegenerate +predegree +predeication +predelay +predelegate +predelegated +predelegating +predelegation +predeliberate +predeliberated +predeliberately +predeliberating +predeliberation +predelineate +predelineated +predelineating +predelineation +predelinquency +predelinquent +predelinquently +predeliver +predelivery +predeliveries +predella +predelle +predelude +predeluded +predeluding +predelusion +predemand +predemocracy +predemocratic +predemonstrate +predemonstrated +predemonstrating +predemonstration +predemonstrative +predeny +predenial +predenied +predenying +predental +predentary +Predentata +predentate +predepart +predepartmental +predeparture +predependable +predependence +predependent +predeplete +predepleted +predepleting +predepletion +predeposit +predepository +predepreciate +predepreciated +predepreciating +predepreciation +predepression +predeprivation +predeprive +predeprived +predepriving +prederivation +prederive +prederived +prederiving +predescend +predescent +predescribe +predescribed +predescribing +predescription +predesert +predeserter +predesertion +predeserve +predeserved +predeserving +predesign +predesignate +predesignated +predesignates +predesignating +predesignation +predesignations +predesignatory +predesirous +predesirously +predesolate +predesolation +predespair +predesperate +predespicable +predespise +predespond +predespondency +predespondent +predestinable +predestinarian +predestinarianism +predestinate +predestinated +predestinately +predestinates +predestinating +predestination +predestinational +predestinationism +predestinationist +predestinative +predestinator +predestine +predestined +predestines +predestiny +predestining +predestitute +predestitution +predestroy +predestruction +predetach +predetachment +predetail +predetain +predetainer +predetect +predetection +predetention +predeterminability +predeterminable +predeterminant +predeterminate +predeterminately +predetermination +predeterminations +predeterminative +predetermine +predetermined +predeterminer +predetermines +predetermining +predeterminism +predeterministic +predetest +predetestation +predetrimental +predevelop +predevelopment +predevise +predevised +predevising +predevote +predevotion +predevour +predy +prediabetes +prediabetic +prediagnoses +prediagnosis +prediagnostic +predial +predialist +prediality +prediastolic +prediatory +predicability +predicable +predicableness +predicably +predicament +predicamental +predicamentally +predicaments +predicant +predicate +predicated +predicates +predicating +predication +predicational +predications +predicative +predicatively +predicator +predicatory +pre-Dickensian +predicrotic +predict +predictability +predictable +predictably +predictate +predictated +predictating +predictation +predicted +predicting +prediction +predictional +predictions +prediction's +predictive +predictively +predictiveness +predictor +predictory +predictors +predicts +prediet +predietary +predifferent +predifficulty +predigest +predigested +predigesting +predigestion +predigests +predigital +predikant +predilect +predilected +predilection +predilections +prediligent +prediligently +prediluvial +prediluvian +prediminish +prediminishment +prediminution +predynamite +predynastic +predine +predined +predining +predinner +prediphtheritic +prediploma +prediplomacy +prediplomatic +predirect +predirection +predirector +predisability +predisable +predisadvantage +predisadvantageous +predisadvantageously +predisagree +predisagreeable +predisagreed +predisagreeing +predisagreement +predisappointment +predisaster +predisastrous +predisastrously +prediscern +prediscernment +predischarge +predischarged +predischarging +prediscipline +predisciplined +predisciplining +predisclose +predisclosed +predisclosing +predisclosure +prediscontent +prediscontented +prediscontentment +prediscontinuance +prediscontinuation +prediscontinue +prediscount +prediscountable +prediscourage +prediscouraged +prediscouragement +prediscouraging +prediscourse +prediscover +prediscoverer +prediscovery +prediscoveries +prediscreet +prediscretion +prediscretionary +prediscriminate +prediscriminated +prediscriminating +prediscrimination +prediscriminator +prediscuss +prediscussion +predisgrace +predisguise +predisguised +predisguising +predisgust +predislike +predisliked +predisliking +predismiss +predismissal +predismissory +predisorder +predisordered +predisorderly +predispatch +predispatcher +predisperse +predispersed +predispersing +predispersion +predisplace +predisplaced +predisplacement +predisplacing +predisplay +predisponency +predisponent +predisposable +predisposal +predispose +predisposed +predisposedly +predisposedness +predisposes +predisposing +predisposition +predispositional +predispositions +predisputant +predisputation +predispute +predisputed +predisputing +predisregard +predisrupt +predisruption +predissatisfaction +predissolution +predissolve +predissolved +predissolving +predissuade +predissuaded +predissuading +predistinct +predistinction +predistinguish +predistortion +pre-distortion +predistress +predistribute +predistributed +predistributing +predistribution +predistributor +predistrict +predistrust +predistrustful +predisturb +predisturbance +predive +prediversion +predivert +predivide +predivided +predividend +predivider +predividing +predivinable +predivinity +predivision +predivorce +predivorcement +prednisolone +prednisone +prednisones +predoctoral +predoctorate +predocumentary +predomestic +predomestically +predominance +predominances +predominancy +predominant +predominantly +predominate +predominated +predominately +predominates +predominating +predominatingly +predomination +predominator +predonate +predonated +predonating +predonation +predonor +predoom +pre-Dorian +pre-Doric +predormition +predorsal +predoubt +predoubter +predoubtful +predoubtfully +predraft +predrainage +predramatic +pre-Dravidian +pre-Dravidic +predraw +predrawer +predrawing +predrawn +predread +predreadnought +predrew +predry +predried +predrying +predrill +predriller +predrive +predriven +predriver +predriving +predrove +preduplicate +preduplicated +preduplicating +preduplication +predusk +predusks +pre-Dutch +predwell +pree +preearthly +pre-earthly +preearthquake +pre-earthquake +pre-Easter +pre-eclampsia +pre-eclamptic +preeconomic +pre-economic +preeconomical +pre-economical +preeconomically +preed +preedit +pre-edit +preedition +pre-edition +preeditor +pre-editor +preeditorial +pre-editorial +preeditorially +pre-editorially +preedits +preeducate +pre-educate +preeducated +preeducating +preeducation +pre-education +preeducational +pre-educational +preeducationally +pre-educationally +preeffect +pre-effect +preeffective +pre-effective +preeffectively +pre-effectively +preeffectual +pre-effectual +preeffectually +pre-efficiency +pre-efficient +pre-efficiently +preeffort +pre-effort +preeing +preelect +pre-elect +preelected +preelecting +preelection +pre-election +preelective +pre-elective +preelectric +pre-electric +preelectrical +pre-electrical +preelectrically +pre-electrically +preelectronic +preelects +preelemental +pre-elemental +preelementary +pre-elementary +preeligibility +pre-eligibility +preeligible +pre-eligible +preeligibleness +preeligibly +preeliminate +pre-eliminate +preeliminated +preeliminating +preelimination +pre-elimination +preeliminator +pre-eliminator +pre-Elizabethan +preemancipation +pre-emancipation +preembarrass +pre-embarrass +preembarrassment +pre-embarrassment +preembody +pre-embody +preembodied +preembodying +preembodiment +pre-embodiment +preemergence +preemergency +pre-emergency +preemergencies +preemergent +preemie +preemies +preeminence +pre-eminence +preeminences +pre-eminency +preeminent +pre-eminent +preeminently +pre-eminently +pre-eminentness +preemotion +pre-emotion +preemotional +pre-emotional +preemotionally +preemperor +pre-emperor +preemphasis +pre-Empire +preemploy +pre-employ +preemployee +pre-employee +preemployer +pre-employer +preemployment +pre-employment +preempt +pre-empt +preempted +pre-emptible +preempting +preemption +pre-emption +pre-emptioner +preemptions +preemptive +pre-emptive +preemptively +pre-emptively +preemptor +pre-emptor +preemptory +pre-emptory +preempts +preen +preenable +pre-enable +preenabled +preenabling +preenact +pre-enact +preenacted +preenacting +preenaction +pre-enaction +preenacts +preenclose +pre-enclose +preenclosed +preenclosing +preenclosure +pre-enclosure +preencounter +pre-encounter +preencourage +pre-encourage +preencouragement +pre-encouragement +preendeavor +pre-endeavor +preendorse +pre-endorse +preendorsed +preendorsement +pre-endorsement +preendorser +pre-endorser +preendorsing +preened +preener +pre-energetic +pre-energy +preeners +preenforce +pre-enforce +preenforced +preenforcement +pre-enforcement +preenforcing +preengage +pre-engage +preengaged +preengagement +pre-engagement +preengages +preengaging +preengineering +pre-engineering +pre-English +preening +preenjoy +pre-enjoy +preenjoyable +pre-enjoyable +preenjoyment +pre-enjoyment +preenlarge +pre-enlarge +preenlarged +preenlargement +pre-enlargement +preenlarging +preenlighten +pre-enlighten +preenlightener +pre-enlightener +pre-enlightening +preenlightenment +pre-enlightenment +preenlist +pre-enlist +preenlistment +pre-enlistment +preenlistments +preenroll +pre-enroll +preenrollment +pre-enrollment +preens +preentail +pre-entail +preentailment +pre-entailment +preenter +pre-enter +preentertain +pre-entertain +preentertainer +pre-entertainer +preentertainment +pre-entertainment +preenthusiasm +pre-enthusiasm +pre-enthusiastic +preentitle +pre-entitle +preentitled +preentitling +preentrance +pre-entrance +preentry +pre-entry +preenumerate +pre-enumerate +preenumerated +preenumerating +preenumeration +pre-enumeration +preenvelop +pre-envelop +preenvelopment +pre-envelopment +preenvironmental +pre-environmental +pre-epic +preepidemic +pre-epidemic +preepochal +pre-epochal +preequalization +pre-equalization +preequip +pre-equip +preequipment +pre-equipment +preequipped +preequipping +preequity +pre-equity +preerect +pre-erect +preerection +pre-erection +preerupt +pre-erupt +preeruption +pre-eruption +preeruptive +pre-eruptive +preeruptively +prees +preescape +pre-escape +preescaped +preescaping +pre-escort +preesophageal +pre-esophageal +preessay +pre-essay +preessential +pre-essential +preessentially +preestablish +pre-establish +preestablished +pre-established +pre-establisher +preestablishes +preestablishing +pre-establishment +preesteem +pre-esteem +preestimate +pre-estimate +preestimated +preestimates +preestimating +preestimation +pre-estimation +preestival +pre-estival +pre-eter +preeternal +pre-eternal +preeternity +preevade +pre-evade +preevaded +preevading +preevaporate +pre-evaporate +preevaporated +preevaporating +preevaporation +pre-evaporation +preevaporator +pre-evaporator +preevasion +pre-evasion +preevidence +pre-evidence +preevident +pre-evident +preevidently +pre-evidently +pre-evite +preevolutional +pre-evolutional +preevolutionary +pre-evolutionary +preevolutionist +pre-evolutionist +preexact +pre-exact +preexaction +pre-exaction +preexamination +pre-examination +preexaminations +preexamine +pre-examine +preexamined +preexaminer +pre-examiner +preexamines +preexamining +pre-excel +pre-excellence +pre-excellency +pre-excellent +preexcept +pre-except +preexception +pre-exception +preexceptional +pre-exceptional +preexceptionally +pre-exceptionally +preexchange +pre-exchange +preexchanged +preexchanging +preexcitation +pre-excitation +preexcite +pre-excite +preexcited +pre-excitement +preexciting +preexclude +pre-exclude +preexcluded +preexcluding +preexclusion +pre-exclusion +preexclusive +pre-exclusive +preexclusively +pre-exclusively +preexcursion +pre-excursion +preexcuse +pre-excuse +preexcused +preexcusing +preexecute +pre-execute +preexecuted +preexecuting +preexecution +pre-execution +preexecutor +pre-executor +preexempt +pre-exempt +preexemption +pre-exemption +preexhaust +pre-exhaust +preexhaustion +pre-exhaustion +preexhibit +pre-exhibit +preexhibition +pre-exhibition +preexhibitor +pre-exhibitor +pre-exile +preexilian +pre-exilian +preexilic +pre-exilic +preexist +pre-exist +preexisted +preexistence +pre-existence +preexistences +preexistent +pre-existent +pre-existentiary +pre-existentism +preexisting +preexists +preexpand +pre-expand +preexpansion +pre-expansion +preexpect +pre-expect +preexpectant +pre-expectant +preexpectation +pre-expectation +preexpedition +pre-expedition +preexpeditionary +pre-expeditionary +preexpend +pre-expend +preexpenditure +pre-expenditure +preexpense +pre-expense +preexperience +pre-experience +preexperienced +preexperiencing +preexperiment +pre-experiment +preexperimental +pre-experimental +preexpiration +pre-expiration +preexplain +pre-explain +preexplanation +pre-explanation +preexplanatory +pre-explanatory +preexplode +pre-explode +preexploded +preexploding +preexplosion +pre-explosion +preexpose +pre-expose +preexposed +preexposes +preexposing +preexposition +pre-exposition +preexposure +pre-exposure +preexposures +preexpound +pre-expound +preexpounder +pre-expounder +preexpress +pre-express +preexpression +pre-expression +preexpressive +pre-expressive +preextend +pre-extend +preextensive +pre-extensive +preextensively +pre-extensively +preextent +pre-extent +preextinction +pre-extinction +preextinguish +pre-extinguish +preextinguishment +pre-extinguishment +preextract +pre-extract +preextraction +pre-extraction +preeze +pref +pref. +prefab +prefabbed +prefabbing +prefabricate +prefabricated +prefabricates +prefabricating +prefabrication +prefabrications +prefabricator +prefabs +pre-fabulous +Preface +prefaceable +prefaced +prefacer +prefacers +prefaces +prefacial +prefacing +prefacist +prefactor +prefactory +prefade +prefaded +prefades +prefamiliar +prefamiliarity +prefamiliarly +prefamous +prefamously +prefashion +prefashioned +prefatial +prefator +prefatory +prefatorial +prefatorially +prefatorily +prefavor +prefavorable +prefavorably +prefavorite +prefearful +prefearfully +prefeast +prefect +prefectly +prefectoral +prefectorial +prefectorially +prefectorian +prefects +prefectship +prefectual +prefectural +prefecture +prefectures +prefecundation +prefecundatory +prefederal +prefelic +prefer +preferability +preferable +preferableness +preferably +prefered +preferee +preference +preferences +preference's +preferent +preferential +preferentialism +preferentialist +preferentially +preferment +prefermentation +preferments +preferral +preferred +preferredly +preferredness +preferrer +preferrers +preferring +preferrous +prefers +prefertile +prefertility +prefertilization +prefertilize +prefertilized +prefertilizing +prefervid +prefestival +prefet +prefeudal +prefeudalic +prefeudalism +preffroze +preffrozen +prefiction +prefictional +prefight +prefigurate +prefiguration +prefigurative +prefiguratively +prefigurativeness +prefigure +prefigured +prefigurement +prefigurer +prefigures +prefiguring +prefile +prefiled +prefiles +prefill +prefiller +prefills +prefilter +prefilters +prefinal +prefinance +prefinanced +prefinancial +prefinancing +prefine +prefinish +prefire +prefired +prefires +prefix +prefixable +prefixal +prefixally +prefixation +prefixed +prefixedly +prefixes +prefixing +prefixion +prefixions +prefixture +preflagellate +preflagellated +preflame +preflatter +preflattery +preflavor +preflavoring +preflection +preflexion +preflight +preflood +prefloration +preflowering +prefocus +prefocused +prefocuses +prefocusing +prefocussed +prefocusses +prefocussing +prefoliation +prefool +preforbidden +preforceps +preforgave +preforgive +preforgiven +preforgiveness +preforgiving +preforgotten +preform +preformant +preformation +preformationary +preformationism +preformationist +preformative +preformed +preforming +preformism +preformist +preformistic +preforms +preformulate +preformulated +preformulating +preformulation +prefortunate +prefortunately +prefortune +prefoundation +prefounder +prefract +prefragrance +prefragrant +prefrank +prefranked +prefranking +prefrankness +prefranks +prefraternal +prefraternally +prefraud +prefree-trade +pre-free-trade +prefreeze +prefreezes +prefreezing +pre-French +prefreshman +prefreshmen +prefriendly +prefriendship +prefright +prefrighten +prefrontal +prefroze +prefrozen +prefulfill +prefulfillment +prefulgence +prefulgency +prefulgent +prefunction +prefunctional +prefuneral +prefungoidal +prefurlough +prefurnish +pregain +pregainer +pregalvanize +pregalvanized +pregalvanizing +pregame +preganglionic +pregastrular +pregather +pregathering +pregeminum +pregenerate +pregenerated +pregenerating +pregeneration +pregenerosity +pregenerous +pregenerously +pregenial +pregeniculatum +pregeniculum +pregenital +pregeological +pre-Georgian +pre-German +pre-Germanic +preggers +preghiera +pregirlhood +Pregl +preglacial +pre-glacial +pregladden +pregladness +preglenoid +preglenoidal +preglobulin +pregnability +pregnable +pregnance +pregnancy +pregnancies +pregnant +pregnantly +pregnantness +pregnenolone +pregolden +pregolfing +pre-Gothic +pregracile +pregracious +pregrade +pregraded +pregrading +pregraduation +pregranite +pregranitic +pregratify +pregratification +pregratified +pregratifying +pre-Greek +pregreet +pregreeting +pregrievance +pregrowth +preguarantee +preguaranteed +preguaranteeing +preguarantor +preguard +preguess +preguidance +preguide +preguided +preguiding +preguilt +preguilty +preguiltiness +pregust +pregustant +pregustation +pregustator +pregustic +Pregwood +prehallux +prehalter +prehalteres +pre-Han +prehandicap +prehandicapped +prehandicapping +prehandle +prehandled +prehandling +prehaps +preharden +prehardened +prehardener +prehardening +prehardens +preharmony +preharmonious +preharmoniously +preharmoniousness +preharsh +preharshness +preharvest +prehatred +prehaunt +prehaunted +prehaustorium +prehazard +prehazardous +preheal +prehearing +preheat +preheated +preheater +preheating +preheats +pre-Hebrew +pre-Hellenic +prehemiplegic +prehend +prehended +prehensibility +prehensible +prehensile +prehensility +prehension +prehensive +prehensiveness +prehensor +prehensory +prehensorial +prehepatic +prehepaticus +preheroic +prehesitancy +prehesitate +prehesitated +prehesitating +prehesitation +prehexameral +prehydration +pre-Hieronymian +pre-Hinduized +prehypophysis +pre-Hispanic +prehistory +prehistorian +prehistoric +prehistorical +prehistorically +prehistorics +prehistories +prehnite +prehnitic +preholder +preholding +preholiday +pre-Homeric +prehominid +prehorizon +prehorror +prehostile +prehostility +prehuman +prehumans +prehumiliate +prehumiliation +prehumor +prehunger +prey +preidea +preidentify +preidentification +preidentified +preidentifying +preyed +preyer +preyers +preyful +preignition +pre-ignition +preying +preyingly +preilium +preilluminate +preillumination +preillustrate +preillustrated +preillustrating +preillustration +preimage +preimaginary +preimagination +preimagine +preimagined +preimagining +preimbibe +preimbibed +preimbibing +preimbue +preimbued +preimbuing +preimitate +preimitated +preimitating +preimitation +preimitative +preimmigration +preimmunization +preimmunizations +preimmunize +preimmunized +preimmunizes +preimmunizing +preimpair +preimpairment +preimpart +preimperial +preimport +preimportance +preimportant +preimportantly +preimportation +preimposal +preimpose +preimposed +preimposing +preimposition +preimpress +preimpression +preimpressionism +preimpressionist +preimpressive +preimprove +preimproved +preimprovement +preimproving +preinaugural +preinaugurate +preinaugurated +preinaugurating +pre-Inca +pre-Incan +pre-Incarial +preincarnate +preincentive +preincination +preinclination +preincline +preinclined +preinclining +preinclude +preincluded +preincluding +preinclusion +preincorporate +preincorporated +preincorporating +preincorporation +preincrease +preincreased +preincreasing +preindebted +preindebtedly +preindebtedness +preindemnify +preindemnification +preindemnified +preindemnifying +preindemnity +preindependence +preindependent +preindependently +preindesignate +pre-Indian +preindicant +preindicate +preindicated +preindicating +preindication +preindicative +preindispose +preindisposed +preindisposing +preindisposition +preinduce +preinduced +preinducement +preinducing +preinduction +preinductive +preindulge +preindulged +preindulgence +preindulgent +preindulging +preindustry +preindustrial +preinfect +preinfection +preinfer +preinference +preinferred +preinferring +preinflection +preinflectional +preinflict +preinfliction +preinfluence +preinform +preinformation +preinhabit +preinhabitant +preinhabitation +preinhere +preinhered +preinhering +preinherit +preinheritance +preinitial +preinitialize +preinitialized +preinitializes +preinitializing +preinitiate +preinitiated +preinitiating +preinitiation +preinjure +preinjury +preinjurious +preinoculate +preinoculated +preinoculates +preinoculating +preinoculation +preinquisition +preinscribe +preinscribed +preinscribing +preinscription +preinsert +preinserted +preinserting +preinsertion +preinserts +preinsinuate +preinsinuated +preinsinuating +preinsinuatingly +preinsinuation +preinsinuative +preinspect +preinspection +preinspector +preinspire +preinspired +preinspiring +preinstall +preinstallation +preinstill +preinstillation +preinstruct +preinstructed +preinstructing +preinstruction +preinstructional +preinstructive +preinstructs +preinsula +preinsular +preinsulate +preinsulated +preinsulating +preinsulation +preinsult +preinsurance +preinsure +preinsured +preinsuring +preintellectual +preintellectually +preintelligence +preintelligent +preintelligently +preintend +preintention +preintercede +preinterceded +preinterceding +preintercession +preinterchange +preintercourse +preinterest +preinterfere +preinterference +preinterpret +preinterpretation +preinterpretative +preinterrupt +preinterview +preintimate +preintimated +preintimately +preintimating +preintimation +preintone +preinvasive +preinvent +preinvention +preinventive +preinventory +preinventories +preinvest +preinvestigate +preinvestigated +preinvestigating +preinvestigation +preinvestigator +preinvestment +preinvitation +preinvite +preinvited +preinviting +preinvocation +preinvolve +preinvolved +preinvolvement +preinvolving +preiotization +preiotize +preyouthful +pre-Irish +preirrigation +preirrigational +preys +Preiser +pre-Islam +pre-Islamic +pre-Islamite +pre-Islamitic +pre-Israelite +pre-Israelitish +preissuance +preissue +preissued +preissuing +prejacent +pre-Jewish +pre-Johannine +pre-Johnsonian +prejournalistic +prejudge +prejudged +prejudgement +prejudger +prejudges +prejudging +prejudgment +prejudgments +prejudicate +prejudication +prejudicative +prejudicator +prejudice +prejudiced +prejudicedly +prejudiceless +prejudice-proof +prejudices +prejudiciable +prejudicial +pre-judicial +prejudicially +prejudicialness +pre-judiciary +prejudicing +prejudicious +prejudiciously +prejunior +prejurisdiction +prejustify +prejustification +prejustified +prejustifying +pre-Justinian +prejuvenile +Prekantian +pre-Kantian +prekindergarten +prekindergartens +prekindle +prekindled +prekindling +preknew +preknit +preknow +preknowing +preknowledge +preknown +pre-Koranic +prela +prelabel +prelabial +prelabor +prelabrum +prelachrymal +prelacy +prelacies +prelacrimal +prelacteal +prelanguage +prelapsarian +prelaryngoscopic +prelate +prelatehood +prelateity +prelates +prelateship +prelatess +prelaty +prelatial +prelatic +prelatical +prelatically +prelaticalness +pre-Latin +prelation +prelatish +prelatism +prelatist +prelatize +prelatry +prelature +prelaunch +prelaunching +pre-Laurentian +prelaw +prelawful +prelawfully +prelawfulness +prelease +preleased +preleasing +prelect +prelected +prelecting +prelection +prelector +prelectorship +prelectress +prelects +prelecture +prelectured +prelecturing +prelegacy +prelegal +prelegate +prelegatee +prelegend +prelegendary +prelegislative +prelexical +preliability +preliable +prelibation +preliberal +preliberality +preliberally +preliberate +preliberated +preliberating +preliberation +prelicense +prelicensed +prelicensing +prelife +prelim +prelim. +preliminary +preliminaries +preliminarily +prelimit +prelimitate +prelimitated +prelimitating +prelimitation +prelimited +prelimiting +prelimits +prelims +prelingual +prelingually +prelinguistic +pre-Linnaean +pre-Linnean +prelinpinpin +preliquidate +preliquidated +preliquidating +preliquidation +preliteral +preliterally +preliteralness +preliterary +preliterate +preliterature +prelithic +prelitigation +prelives +preloaded +preloan +prelocalization +prelocate +prelocated +prelocating +prelogic +prelogical +preloral +preloreal +preloss +pre-Luciferian +prelude +preluded +preluder +preluders +preludes +prelude's +preludial +Preludin +preluding +preludio +preludious +preludiously +preludium +preludize +prelumbar +prelunch +prelusion +prelusive +prelusively +prelusory +prelusorily +pre-Lutheran +preluxurious +preluxuriously +preluxuriousness +Prem +prem. +premachine +premade +premadness +premaintain +premaintenance +premake +premaker +premaking +pre-Malay +pre-Malayan +pre-Malaysian +premalignant +preman +pre-man +premandibular +premanhood +premaniacal +premanifest +premanifestation +premankind +premanufacture +premanufactured +premanufacturer +premanufacturing +premarital +premarketing +premarry +premarriage +premarried +premarrying +pre-Marxian +premastery +prematch +premate +premated +prematerial +prematernity +premating +prematrimonial +prematrimonially +prematuration +premature +prematurely +prematureness +prematurity +prematurities +premaxilla +premaxillae +premaxillary +premeal +premeasure +premeasured +premeasurement +premeasuring +premechanical +premed +premedia +premedial +premedian +premedic +premedical +premedicate +premedicated +premedicating +premedication +premedics +premedieval +premedievalism +premeditate +premeditated +premeditatedly +premeditatedness +premeditates +premeditating +premeditatingly +premeditation +premeditations +premeditative +premeditator +premeditators +premeds +premeet +premegalithic +premeiotic +prememoda +prememoranda +prememorandum +prememorandums +premen +premenace +premenaced +premenacing +pre-Mendelian +premenopausal +premenstrual +premenstrually +premention +Premer +premeridian +premerit +pre-Messianic +premetallic +premethodical +pre-Methodist +premia +premial +premiant +premiate +premiated +premiating +pre-Mycenaean +premycotic +premidnight +premidsummer +premie +premyelocyte +premier +premieral +premiere +premiered +premieres +premieress +premiering +premierjus +premiers +premier's +premiership +premierships +premies +premilitary +premillenarian +premillenarianism +premillenial +premillennial +premillennialise +premillennialised +premillennialising +premillennialism +premillennialist +premillennialize +premillennialized +premillennializing +premillennially +premillennian +Preminger +preminister +preministry +preministries +premio +premious +PREMIS +premisal +premise +premised +premises +premise's +premising +premisory +premisrepresent +premisrepresentation +premiss +premissable +premisses +premit +premythical +premium +premiums +premium's +premix +premixed +premixer +premixes +premixing +premixture +premodel +premodeled +premodeling +premodern +premodify +premodification +premodified +premodifies +premodifying +pre-Mohammedian +premoisten +premoistened +premoistening +premoistens +premolar +premolars +premold +premolder +premolding +premolds +premolt +premonarchal +premonarchial +premonarchical +premonetary +premonetory +Premongolian +pre-Mongolian +premonish +premonishment +premonition +premonitions +premonitive +premonitor +premonitory +premonitorily +premonopoly +premonopolies +premonopolize +premonopolized +premonopolizing +Premonstrant +Premonstratensian +premonstratensis +premonstration +Premont +premonumental +premoral +premorality +premorally +premorbid +premorbidly +premorbidness +premorning +premorse +premortal +premortally +premortify +premortification +premortified +premortifying +premortuary +premorula +premosaic +pre-Mosaic +pre-Moslem +premotion +premourn +premove +premovement +premover +premuddle +premuddled +premuddling +premultiply +premultiplication +premultiplier +premultiplying +premundane +premune +premunicipal +premunire +premunition +premunitory +premusical +premusically +pre-Muslim +premuster +premutative +premutiny +premutinied +premutinies +premutinying +Pren +prename +prenames +Prenanthes +pre-Napoleonic +prenarcotic +prenares +prenarial +prenaris +prenasal +prenatal +prenatalist +prenatally +prenational +prenative +prenatural +prenaval +prender +Prendergast +prendre +prenebular +prenecessitate +prenecessitated +prenecessitating +preneglect +preneglectful +prenegligence +prenegligent +prenegotiate +prenegotiated +prenegotiating +prenegotiation +preneolithic +prenephritic +preneural +preneuralgic +pre-Newtonian +prenight +pre-Noachian +prenoble +prenodal +prenomen +prenomens +prenomina +prenominal +prenominate +prenominated +prenominating +prenomination +prenominical +prenoon +pre-Norman +pre-Norse +prenotation +prenote +prenoted +prenotice +prenotify +prenotification +prenotifications +prenotified +prenotifies +prenotifying +prenoting +prenotion +Prent +Prenter +Prentice +'prentice +prenticed +prentices +prenticeship +prenticing +Prentiss +prenumber +prenumbering +prenuncial +prenunciate +prenuptial +prenursery +prenurseries +prenzie +preobedience +preobedient +preobediently +preobject +preobjection +preobjective +preobligate +preobligated +preobligating +preobligation +preoblige +preobliged +preobliging +preoblongata +preobservance +preobservation +preobservational +preobserve +preobserved +preobserving +preobstruct +preobstruction +preobtain +preobtainable +preobtrude +preobtruded +preobtruding +preobtrusion +preobtrusive +preobviate +preobviated +preobviating +preobvious +preobviously +preobviousness +preoccasioned +preoccipital +preocclusion +preoccultation +preoccupancy +preoccupant +preoccupate +preoccupation +preoccupations +preoccupative +preoccupy +preoccupied +preoccupiedly +preoccupiedness +preoccupier +preoccupies +preoccupying +preoccur +preoccurred +preoccurrence +preoccurring +preoceanic +preocular +preodorous +preoesophageal +preoffend +preoffense +preoffensive +preoffensively +preoffensiveness +preoffer +preoffering +preofficial +preofficially +preominate +preomission +preomit +preomitted +preomitting +preopen +preopening +preoperate +preoperated +preoperating +preoperation +preoperational +preoperative +preoperatively +preoperator +preopercle +preopercular +preoperculum +pre-operculum +preopinion +preopinionated +preoppose +preopposed +preopposing +preopposition +preoppress +preoppression +preoppressor +preoptic +preoptimistic +preoption +pre-option +preoral +preorally +preorbital +pre-orbital +preordain +pre-ordain +preordained +preordaining +preordainment +preordains +preorder +preordered +preordering +preordinance +pre-ordinate +preordination +preorganic +preorganically +preorganization +preorganize +preorganized +preorganizing +preoriginal +preoriginally +preornamental +pre-Osmanli +preotic +preoutfit +preoutfitted +preoutfitting +preoutline +preoutlined +preoutlining +preoverthrew +preoverthrow +preoverthrowing +preoverthrown +preoviposition +preovulatory +prep +prep. +prepack +prepackage +prepackaged +prepackages +prepackaging +prepacked +prepacking +prepacks +prepaging +prepay +prepayable +prepaid +prepaying +prepayment +prepayments +prepainful +prepays +prepalaeolithic +pre-Palaeozoic +prepalatal +prepalatine +prepaleolithic +pre-Paleozoic +prepanic +preparable +preparateur +preparation +preparationist +preparations +preparation's +preparative +preparatively +preparatives +preparative's +preparator +preparatory +preparatorily +prepardon +prepare +prepared +preparedly +preparedness +preparednesses +preparement +preparental +preparer +preparers +prepares +preparietal +preparing +preparingly +preparliamentary +preparoccipital +preparoxysmal +prepartake +prepartaken +prepartaking +preparticipation +prepartisan +prepartition +prepartnership +prepartook +prepaste +prepatellar +prepatent +prepatrician +pre-Patrician +prepatriotic +pre-Pauline +prepave +prepaved +prepavement +prepaving +prepd +prepectoral +prepeduncle +prepend +prepended +prepending +prepenetrate +prepenetrated +prepenetrating +prepenetration +prepenial +prepense +prepensed +prepensely +prepeople +preperceive +preperception +preperceptive +preperfect +preperitoneal +pre-Permian +pre-Persian +prepersuade +prepersuaded +prepersuading +prepersuasion +prepersuasive +preperusal +preperuse +preperused +preperusing +prepetition +pre-Petrine +prepg +pre-Pharaonic +pre-Phidian +prephragma +prephthisical +prepigmental +prepill +prepyloric +prepineal +prepink +prepious +prepiously +prepyramidal +prepituitary +preplace +preplaced +preplacement +preplacental +preplaces +preplacing +preplan +preplanned +preplanning +preplans +preplant +preplanting +prepledge +prepledged +prepledging +preplot +preplotted +preplotting +prepn +PREPNET +prepoetic +prepoetical +prepoison +prepolice +prepolish +pre-Polish +prepolitic +prepolitical +prepolitically +prepollence +prepollency +prepollent +prepollex +prepollices +preponder +preponderance +preponderances +preponderancy +preponderant +preponderantly +preponderate +preponderated +preponderately +preponderates +preponderating +preponderatingly +preponderation +preponderous +preponderously +prepontile +prepontine +preportray +preportrayal +prepose +preposed +preposing +preposition +prepositional +prepositionally +prepositions +preposition's +prepositive +prepositively +prepositor +prepositorial +prepositure +prepossess +prepossessed +prepossesses +prepossessing +prepossessingly +prepossessingness +prepossession +prepossessionary +prepossessions +prepossessor +preposter +preposterous +preposterously +preposterousness +prepostor +prepostorship +prepotence +prepotency +prepotent +prepotential +prepotently +prepped +preppy +preppie +preppier +preppies +preppily +prepping +prepractical +prepractice +prepracticed +prepracticing +prepractise +prepractised +prepractising +preprandial +prepreference +pre-preference +prepreg +prepregs +prepreparation +preprice +prepriced +prepricing +preprimary +preprimer +preprimitive +preprint +preprinted +preprinting +preprints +preprocess +preprocessed +preprocesses +preprocessing +preprocessor +preprocessors +preproduction +preprofess +preprofessional +preprogram +preprogrammed +preprohibition +prepromise +prepromised +prepromising +prepromote +prepromoted +prepromoting +prepromotion +prepronounce +prepronounced +prepronouncement +prepronouncing +preprophetic +preprostatic +preprove +preproved +preprovide +preprovided +preproviding +preprovision +preprovocation +preprovoke +preprovoked +preprovoking +preprudent +preprudently +preps +prepsychology +prepsychological +prepsychotic +prepuberal +prepuberally +prepubertal +prepubertally +prepuberty +prepubescence +prepubescent +prepubic +prepubis +prepublication +prepublish +prepuce +prepuces +prepueblo +pre-Pueblo +pre-Puebloan +prepunch +prepunched +prepunches +prepunching +prepunctual +prepunish +prepunishment +prepupa +prepupal +prepurchase +prepurchased +prepurchaser +prepurchases +prepurchasing +prepurpose +prepurposed +prepurposing +prepurposive +preputial +preputium +prequalify +prequalification +prequalified +prequalifying +prequarantine +prequarantined +prequarantining +prequel +prequestion +prequotation +prequote +prequoted +prequoting +prerace +preracing +preradio +prerailroad +prerailroadite +prerailway +preramus +pre-Raphael +pre-Raphaelism +Pre-Raphaelite +pre-Raphaelitic +pre-Raphaelitish +Pre-Raphaelitism +prerational +preready +prereadiness +prerealization +prerealize +prerealized +prerealizing +prerebellion +prereceipt +prereceive +prereceived +prereceiver +prereceiving +prerecital +prerecite +prerecited +prereciting +prereckon +prereckoning +prerecognition +prerecognize +prerecognized +prerecognizing +prerecommend +prerecommendation +prereconcile +prereconciled +prereconcilement +prereconciliation +prereconciling +pre-Reconstruction +prerecord +prerecorded +prerecording +prerecords +prerectal +preredeem +preredemption +prereduction +prerefer +prereference +prereferred +prereferring +prerefine +prerefined +prerefinement +prerefining +prereform +prereformation +pre-Reformation +prereformatory +prerefusal +prerefuse +prerefused +prerefusing +preregal +preregister +preregistered +preregistering +preregisters +preregistration +preregistrations +preregnant +preregulate +preregulated +preregulating +preregulation +prerehearsal +prereject +prerejection +prerejoice +prerejoiced +prerejoicing +prerelate +prerelated +prerelating +prerelation +prerelationship +prerelease +prereligious +prereluctance +prereluctation +preremit +preremittance +preremitted +preremitting +preremorse +preremote +preremoval +preremove +preremoved +preremoving +preremunerate +preremunerated +preremunerating +preremuneration +pre-Renaissance +prerenal +prerent +prerental +prereport +prerepresent +prerepresentation +prereproductive +prereption +prerepublican +prerequest +prerequire +prerequired +prerequirement +prerequiring +prerequisite +prerequisites +prerequisite's +prerequisition +preresemblance +preresemble +preresembled +preresembling +preresolution +preresolve +preresolved +preresolving +preresort +prerespectability +prerespectable +prerespiration +prerespire +preresponsibility +preresponsible +prerestoration +pre-Restoration +prerestrain +prerestraint +prerestrict +prerestriction +preretirement +prereturn +prereveal +prerevelation +prerevenge +prerevenged +prerevenging +prereversal +prereverse +prereversed +prereversing +prereview +prerevise +prerevised +prerevising +prerevision +prerevival +pre-Revolution +prerevolutionary +prerheumatic +prerich +prerighteous +prerighteously +prerighteousness +prerinse +preriot +prerock +prerogatival +prerogative +prerogatived +prerogatively +prerogatives +prerogative's +prerogativity +preroyal +preroyally +preroyalty +prerolandic +pre-Roman +preromantic +preromanticism +preroute +prerouted +preroutine +prerouting +prerupt +preruption +Pres +Pres. +presa +presacral +presacrifice +presacrificed +presacrificial +presacrificing +presage +presaged +presageful +presagefully +presagefulness +presagement +presager +presagers +presages +presagient +presaging +presagingly +presay +presaid +presaying +presale +presalvation +presanctify +presanctification +presanctified +presanctifying +presanguine +presanitary +pre-Sargonic +presartorial +presatisfaction +presatisfactory +presatisfy +presatisfied +presatisfying +presavage +presavagery +presaw +pre-Saxon +Presb +Presb. +Presber +presby- +presbyacousia +presbyacusia +presbycousis +presbycusis +presbyope +presbyophrenia +presbyophrenic +presbyopy +presbyopia +presbyopic +Presbyt +presbyte +presbyter +presbyteral +presbyterate +presbyterated +presbytere +presbyteress +presbytery +presbyteria +presbyterial +presbyterially +Presbyterian +Presbyterianism +Presbyterianize +Presbyterianly +presbyterians +presbyteries +presbyterium +presbyters +presbytership +presbytia +presbytic +Presbytinae +Presbytis +presbytism +prescan +prescapula +prescapular +prescapularis +prescholastic +preschool +preschooler +preschoolers +prescience +presciences +prescient +prescientific +presciently +prescind +prescinded +prescindent +prescinding +prescinds +prescission +prescore +prescored +prescores +prescoring +Prescott +prescout +prescribable +prescribe +prescribed +prescriber +prescribes +prescribing +prescript +prescriptibility +prescriptible +prescription +prescriptionist +prescriptions +prescription's +prescriptive +prescriptively +prescriptiveness +prescriptivism +prescriptivist +prescriptorial +prescripts +prescrive +prescutal +prescutum +prese +preseal +presearch +preseason +preseasonal +presecular +presecure +presecured +presecuring +presedentary +presee +preseeing +preseen +preselect +preselected +preselecting +preselection +preselector +preselects +presell +preselling +presells +presemilunar +preseminal +preseminary +pre-Semitic +presence +presence-chamber +presenced +presenceless +presences +presence's +presenile +presenility +presensation +presension +present +presentability +presentable +presentableness +presentably +present-age +presental +presentation +presentational +presentationalism +presentationes +presentationism +presentationist +presentations +presentation's +presentative +presentatively +present-day +presented +presentee +presentence +presentenced +presentencing +presenter +presenters +presential +presentiality +presentially +presentialness +presentiate +presentient +presentiment +presentimental +presentiments +presenting +presentist +presentive +presentively +presentiveness +presently +presentment +presentments +present-minded +presentness +presentor +presents +present-time +preseparate +preseparated +preseparating +preseparation +preseparator +preseptal +preser +preservability +preservable +preserval +preservation +preservationist +preservations +preservative +preservatives +preservatize +preservatory +preserve +preserved +preserver +preserveress +preservers +preserves +preserving +preses +presession +preset +presets +presettable +presetting +presettle +presettled +presettlement +presettling +presexual +preshadow +pre-Shakepeare +pre-Shakespeare +pre-Shakespearean +pre-Shakespearian +preshape +preshaped +preshapes +preshaping +preshare +preshared +presharing +presharpen +preshelter +preship +preshipment +preshipped +preshipping +Presho +preshortage +preshorten +preshow +preshowed +preshowing +preshown +preshows +preshrink +preshrinkage +preshrinked +preshrinking +preshrinks +preshrunk +pre-shrunk +preside +presided +presidence +presidency +presidencia +presidencies +president +presidente +president-elect +presidentes +presidentess +presidential +presidentially +presidentiary +presidents +president's +presidentship +presider +presiders +presides +presidy +presidia +presidial +presidially +presidiary +presiding +Presidio +presidios +presidium +presidiums +presift +presifted +presifting +presifts +presign +presignal +presignaled +presignify +presignificance +presignificancy +presignificant +presignification +presignificative +presignificator +presignified +presignifying +pre-Silurian +presylvian +presimian +presympathy +presympathize +presympathized +presympathizing +presymphysial +presymphony +presymphonic +presymptom +presymptomatic +presynapsis +presynaptic +presynaptically +presynsacral +pre-Syriac +pre-Syrian +presystematic +presystematically +presystole +presystolic +preslavery +presleep +Presley +preslice +presmooth +presoak +presoaked +presoaking +presoaks +presocial +presocialism +presocialist +pre-Socratic +presolar +presold +presolicit +presolicitation +pre-Solomonic +pre-Solonian +presolution +presolvated +presolve +presolved +presolving +presong +presophomore +presort +presorts +presound +pre-Spanish +prespecialist +prespecialize +prespecialized +prespecializing +prespecify +prespecific +prespecifically +prespecification +prespecified +prespecifying +prespective +prespeculate +prespeculated +prespeculating +prespeculation +presphenoid +presphenoidal +presphygmic +prespinal +prespinous +prespiracular +presplendor +presplenomegalic +presplit +prespoil +prespontaneity +prespontaneous +prespontaneously +prespread +prespreading +presprinkle +presprinkled +presprinkling +prespur +prespurred +prespurring +Press +pressable +pressage +press-agent +press-agentry +press-bed +pressboard +Pressburg +pressdom +pressed +Pressey +pressel +presser +pressers +presses +pressfat +press-forge +pressful +pressgang +press-gang +press-yard +pressible +pressie +pressing +pressingly +pressingness +pressings +pression +pressiroster +pressirostral +pressive +pressly +press-made +Pressman +pressmanship +pressmark +press-mark +pressmaster +pressmen +press-money +press-noticed +pressor +pressoreceptor +pressors +pressosensitive +presspack +press-point +press-ridden +pressroom +press-room +pressrooms +pressrun +pressruns +press-up +pressurage +pressural +pressure +pressure-cook +pressured +pressure-fixing +pressureless +pressureproof +pressure-reciprocating +pressure-reducing +pressure-regulating +pressure-relieving +pressures +pressure-testing +pressuring +pressurization +pressurizations +pressurize +pressurized +pressurizer +pressurizers +pressurizes +pressurizing +press-warrant +presswoman +presswomen +presswork +press-work +pressworker +prest +prestabilism +prestability +prestable +prestamp +prestamped +prestamping +prestamps +prestandard +prestandardization +prestandardize +prestandardized +prestandardizing +prestant +prestate +prestated +prestating +prestation +prestatistical +presteam +presteel +prester +presterilize +presterilized +presterilizes +presterilizing +presternal +presternum +pre-sternum +presters +prestezza +prestidigital +prestidigitate +prestidigitation +prestidigitations +prestidigitator +prestidigitatory +prestidigitatorial +prestidigitators +Prestige +prestigeful +prestiges +prestigiate +prestigiation +prestigiator +prestigious +prestigiously +prestigiousness +prestimulate +prestimulated +prestimulating +prestimulation +prestimuli +prestimulus +prestissimo +prestly +prest-money +presto +prestock +prestomial +prestomium +Preston +Prestonpans +Prestonsburg +prestorage +prestore +prestored +prestoring +prestos +prestraighten +prestrain +prestrengthen +prestress +prestressed +prestretch +prestricken +prestrike +prestruggle +prestruggled +prestruggling +prests +prestubborn +prestudy +prestudied +prestudying +prestudious +prestudiously +prestudiousness +Prestwich +Prestwick +presubdue +presubdued +presubduing +presubiculum +presubject +presubjection +presubmission +presubmit +presubmitted +presubmitting +presubordinate +presubordinated +presubordinating +presubordination +presubscribe +presubscribed +presubscriber +presubscribing +presubscription +presubsist +presubsistence +presubsistent +presubstantial +presubstitute +presubstituted +presubstituting +presubstitution +presuccess +presuccessful +presuccessfully +presuffer +presuffering +presufficiency +presufficient +presufficiently +presuffrage +presuggest +presuggestion +presuggestive +presuitability +presuitable +presuitably +presul +presumable +presumableness +presumably +presume +presumed +presumedly +presumer +pre-Sumerian +presumers +presumes +presuming +presumingly +presumption +presumptions +presumption's +presumptious +presumptiously +presumptive +presumptively +presumptiveness +presumptuous +presumptuously +presumptuousness +presuperficial +presuperficiality +presuperficially +presuperfluity +presuperfluous +presuperfluously +presuperintendence +presuperintendency +presupervise +presupervised +presupervising +presupervision +presupervisor +presupplemental +presupplementary +presupply +presupplicate +presupplicated +presupplicating +presupplication +presupplied +presupplying +presupport +presupposal +presuppose +presupposed +presupposes +presupposing +presupposition +presuppositionless +presuppositions +presuppress +presuppression +presuppurative +presupremacy +presupreme +presurgery +presurgical +presurmise +presurmised +presurmising +presurprisal +presurprise +presurrender +presurround +presurvey +presusceptibility +presusceptible +presuspect +presuspend +presuspension +presuspicion +presuspicious +presuspiciously +presuspiciousness +presustain +presutural +preswallow +presweeten +presweetened +presweetening +presweetens +pret +pret. +preta +pretabulate +pretabulated +pretabulating +pretabulation +pretan +pretangible +pretangibly +pretannage +pretanned +pretanning +pretape +pretaped +pretapes +pretardy +pretardily +pretardiness +pretariff +pretarsi +pretarsus +pretarsusi +pretaste +pretasted +pretaster +pretastes +pretasting +pretaught +pretax +pretaxation +preteach +preteaching +pretechnical +pretechnically +preteen +preteens +pre-teens +pretelegraph +pretelegraphic +pretelephone +pretelephonic +pretelevision +pretell +pretelling +pretemperate +pretemperately +pretemporal +pretempt +pretemptation +pretence +pretenced +pretenceful +pretenceless +pretences +pretend +pretendant +pretended +pretendedly +pretender +Pretenderism +pretenders +pretendership +pretending +pretendingly +pretendingness +pretends +pretense +pretensed +pretenseful +pretenseless +pretenses +pretension +pretensional +pretensionless +pretensions +pretensive +pretensively +pretensiveness +pretentative +pretention +pretentious +pretentiously +pretentiousness +pretentiousnesses +preter +preter- +pretercanine +preterchristian +preterconventional +preterdetermined +preterdeterminedly +preterdiplomatic +preterdiplomatically +preterequine +preteressential +pretergress +pretergression +preterhuman +preterience +preterient +preterimperfect +preterintentional +preterist +preterit +preterite +preteriteness +preterite-present +preterition +preteritive +preteritness +preterito-present +preterito-presential +preterit-present +preterits +preterlabent +preterlegal +preterlethal +preterminal +pretermission +pretermit +pretermitted +pretermitter +pretermitting +preternative +preternatural +preternaturalism +preternaturalist +preternaturality +preternaturally +preternaturalness +preternormal +preternotorious +preternuptial +preterperfect +preterpluperfect +preterpolitical +preterrational +preterregular +preterrestrial +preterritorial +preterroyal +preterscriptural +preterseasonable +pretersensual +pre-Tertiary +pretervection +pretest +pretested +pretestify +pretestified +pretestifying +pretestimony +pretestimonies +pretesting +pretests +pretext +pretexta +pretextae +pretexted +pretexting +pretexts +pretext's +pretextuous +pre-Thanksgiving +pretheological +prethyroid +prethoracic +prethoughtful +prethoughtfully +prethoughtfulness +prethreaten +prethrill +prethrust +pretibial +pretil +pretimely +pretimeliness +pretympanic +pretincture +pretype +pretyped +pretypes +pretyphoid +pretypify +pretypified +pretypifying +pretypographical +pretyranny +pretyrannical +pretire +pretired +pretiring +pretium +pretoken +pretold +pretone +pretonic +pretor +Pretoria +pretorial +pretorian +pretorium +Pretorius +pretors +pretorship +pretorsional +pretorture +pretortured +pretorturing +pretournament +pretrace +pretraced +pretracheal +pretracing +pretraditional +pretrain +pretraining +pretransact +pretransaction +pretranscribe +pretranscribed +pretranscribing +pretranscription +pretranslate +pretranslated +pretranslating +pretranslation +pretransmission +pretransmit +pretransmitted +pretransmitting +pretransport +pretransportation +pretravel +pretreat +pretreated +pretreaty +pretreating +pretreatment +pretreats +pretrematic +pretry +pretrial +pretribal +Pretrice +pre-Tridentine +pretried +pretrying +pretrim +pretrims +pretrochal +pretty +pretty-behaved +pretty-by-night +prettied +prettier +pretties +prettiest +prettyface +pretty-face +pretty-faced +prettify +prettification +prettified +prettifier +prettifiers +prettifies +prettifying +pretty-footed +pretty-humored +prettying +prettyish +prettyism +prettikin +prettily +pretty-looking +pretty-mannered +prettiness +prettinesses +pretty-pretty +pretty-spoken +pretty-toned +pretty-witted +pretubercular +pretuberculous +pre-Tudor +pretzel +pretzels +preultimate +preultimately +preumbonal +preunderstand +preunderstanding +preunderstood +preundertake +preundertaken +preundertaking +preundertook +preunion +preunions +preunite +preunited +preunites +preuniting +Preuss +Preussen +preutilizable +preutilization +preutilize +preutilized +preutilizing +preux +prev +prevacate +prevacated +prevacating +prevacation +prevaccinate +prevaccinated +prevaccinating +prevaccination +prevail +prevailance +prevailed +prevailer +prevailers +prevailing +prevailingly +prevailingness +prevailment +prevails +prevalence +prevalences +prevalency +prevalencies +prevalent +prevalently +prevalentness +prevalescence +prevalescent +prevalid +prevalidity +prevalidly +prevaluation +prevalue +prevalued +prevaluing +prevariation +prevaricate +prevaricated +prevaricates +prevaricating +prevarication +prevarications +prevaricative +prevaricator +prevaricatory +prevaricators +prevascular +preve +prevegetation +prevelar +prevenance +prevenances +prevenancy +prevenant +prevene +prevened +prevenience +prevenient +preveniently +prevening +prevent +preventability +preventable +preventably +preventative +preventatives +prevented +preventer +preventible +preventing +preventingly +prevention +preventionism +preventionist +prevention-proof +preventions +preventive +preventively +preventiveness +preventives +preventoria +preventorium +preventoriums +preventral +prevents +preventtoria +preventure +preventured +preventuring +preverb +preverbal +preverify +preverification +preverified +preverifying +prevernal +preversed +preversing +preversion +prevertebral +prevesical +preveto +prevetoed +prevetoes +prevetoing +pre-Victorian +previctorious +previde +previdence +Previdi +preview +previewed +previewing +previews +previgilance +previgilant +previgilantly +Previn +previolate +previolated +previolating +previolation +previous +previously +previousness +pre-Virgilian +previse +prevised +previses +previsibility +previsible +previsibly +prevising +prevision +previsional +previsionary +previsioned +previsioning +previsit +previsitor +previsive +previsor +previsors +previze +prevocal +prevocalic +prevocalically +prevocally +prevocational +prevogue +prevoyance +prevoyant +prevoid +prevoidance +prevolitional +pre-Volstead +prevolunteer +prevomer +Prevost +Prevot +prevotal +prevote +prevoted +prevoting +prevue +prevued +prevues +prevuing +Prew +prewar +prewarm +prewarmed +prewarming +prewarms +prewarn +prewarned +prewarning +prewarns +prewarrant +prewash +prewashed +prewashes +prewashing +preweigh +prewelcome +prewelcomed +prewelcoming +prewelwired +prewelwiring +Prewett +prewhip +prewhipped +prewhipping +prewilling +prewillingly +prewillingness +prewire +prewired +prewireless +prewiring +prewitness +Prewitt +prewonder +prewonderment +prework +preworldly +preworldliness +preworship +preworthy +preworthily +preworthiness +prewound +prewrap +prewrapped +prewrapping +prewraps +prex +prexes +prexy +prexies +prez +prezes +prezygapophysial +prezygapophysis +prezygomatic +prezonal +prezone +prf +PRG +PRI +Pry +pria +priacanthid +Priacanthidae +priacanthine +Priacanthus +Priam +Priapean +priapi +Priapic +priapism +priapismic +priapisms +priapitis +Priapulacea +priapulid +Priapulida +Priapulidae +priapuloid +Priapuloidea +Priapulus +Priapus +priapuses +Priapusian +pribble +pribble-prabble +Price +Pryce +priceable +priceably +price-cut +price-cutter +price-cutting +priced +Pricedale +price-deciding +price-enhancing +pricefixing +price-fixing +pricey +priceite +priceless +pricelessly +pricelessness +price-lowering +pricemaker +pricer +price-raising +price-reducing +pricers +price-ruling +prices +price-stabilizing +prich +Prichard +pricy +pricier +priciest +Pricilla +pricing +prick +prickado +prickant +prick-ear +prick-eared +pricked +pricker +prickers +pricket +prickets +prickfoot +pricky +prickier +prickiest +pricking +prickingly +pricking-up +prickish +prickle +prickleback +prickle-back +prickled +pricklefish +prickles +prickless +prickly +pricklyback +pricklier +prickliest +prickly-finned +prickly-fruited +prickly-lobed +prickly-margined +prickliness +prickling +pricklingly +prickly-seeded +prickly-toothed +pricklouse +prickmadam +prick-madam +prickmedainty +prick-post +prickproof +pricks +prickseam +prick-seam +prickshot +prick-song +prickspur +pricktimber +prick-timber +prickwood +Priddy +Pride +pride-blind +pride-blinded +pride-bloated +prided +pride-fed +prideful +pridefully +pridefulness +pride-inflamed +pride-inspiring +prideless +pridelessly +prideling +pride-of-India +pride-ridden +prides +pride-sick +pride-swollen +prideweed +pridy +pridian +priding +pridingly +prie +Priebe +pried +priedieu +prie-dieu +priedieus +priedieux +prier +pryer +priers +pryers +pries +Priest +priestal +priest-astronomer +priest-baiting +priestcap +priest-catching +priestcraft +priest-dynast +priest-doctor +priestdom +priested +priest-educated +priesteen +priestery +priestess +priestesses +priestfish +priestfishes +priest-guarded +priest-harboring +priest-hating +priest-hermit +priest-hole +priesthood +priesthoods +priestianity +priesting +priestish +priestism +priest-king +priest-knight +priest-led +Priestley +priestless +priestlet +priestly +priestlier +priestliest +priestlike +priestliness +priestlinesses +priestling +priest-monk +priest-noble +priest-philosopher +priest-poet +priest-prince +priest-prompted +priest-ridden +priest-riddenness +priest-ruler +priests +priestship +priestshire +priest-statesman +priest-surgeon +priest-wrought +prig +prigdom +prigged +prigger +priggery +priggeries +priggess +prigging +priggish +priggishly +priggishness +priggism +priggisms +prighood +prigman +prigs +prigster +prying +pryingly +pryingness +pryler +Prylis +prill +prilled +prilling +prillion +prills +prim +prim. +Prima +primacy +primacies +primacord +primaeval +primage +primages +primal +Primalia +primality +primally +primaquine +primar +primary +primarian +primaried +primaries +primarily +primariness +primary's +primas +primatal +primate +Primates +primateship +primatial +primatic +primatical +primatology +primatological +primatologist +Primavera +primaveral +Primaveras +Primaveria +prim-behaving +prime +primed +primegilt +primely +prime-ministerial +prime-ministership +prime-ministry +primeness +primer +primero +primerole +primeros +primers +primes +primeur +primeval +primevalism +primevally +primevarous +primeverin +primeverose +primevity +primevous +primevrin +Primghar +primi +primy +Primianist +primices +primigene +primigenial +primigenian +primigenious +primigenous +primigravida +primine +primines +priming +primings +primipara +primiparae +primiparas +primiparity +primiparous +primipilar +primity +primitiae +primitial +primitias +primitive +primitively +primitiveness +primitivenesses +primitives +primitivism +primitivist +primitivistic +primitivity +primitivities +primly +prim-lipped +prim-looking +prim-mannered +primmed +primmer +primmest +primming +prim-mouthed +primness +primnesses +prim-notioned +Primo +primogenetrix +primogenial +primogenital +primogenitary +primogenitive +primogenitor +primogenitors +primogeniture +primogenitureship +primogenous +primomo +primoprime +primoprimitive +primordality +primordia +primordial +primordialism +primordiality +primordially +primordiate +primordium +primos +primosity +primost +primp +primped +primping +primprint +primps +Primrosa +Primrose +primrose-colored +primrosed +primrose-decked +primrose-dotted +primrose-haunted +primrose-yellow +primrose-leaved +primroses +primrose-scented +primrose-spangled +primrose-starred +primrose-sweet +primrosetide +primrosetime +primrose-tinted +primrosy +prims +prim-seeming +primsie +Primula +Primulaceae +primulaceous +Primulales +primulas +primulaverin +primulaveroside +primulic +primuline +Primulinus +Primus +primuses +primwort +prin +Prince +prince-abbot +princeage +prince-angel +prince-bishop +princecraft +princedom +princedoms +prince-duke +prince-elector +prince-general +princehood +Princeite +prince-killing +princekin +princeless +princelet +princely +princelier +princeliest +princelike +princeliness +princeling +princelings +prince-poet +prince-president +prince-priest +prince-primate +prince-protected +prince-proud +princeps +prince-ridden +princes +prince's-feather +princeship +prince's-pine +Princess +princessdom +princesse +princesses +princessly +princesslike +princess's +princess-ship +prince-teacher +Princeton +prince-trodden +Princeville +Princewick +princewood +prince-wood +princicipia +princify +princified +principal +principality +principalities +principality's +principally +principalness +principals +principalship +principate +Principe +Principes +principi +Principia +principial +principiant +principiate +principiation +principium +Principle +principled +principles +principly +principling +principulus +princock +princocks +princod +princox +princoxes +prine +Prineville +Pringle +prink +prinked +prinker +prinkers +prinky +prinking +prinkle +prinks +Prynne +prinos +Prinsburg +print +printability +printable +printableness +printably +printanier +printed +Printer +printerdom +printery +printeries +printerlike +printers +printing +printing-house +printing-in +printing-out +printing-press +printings +printless +printline +printmake +printmaker +printmaking +printout +print-out +printouts +prints +printscript +printshop +printworks +Prinz +prio +Priodon +priodont +Priodontes +prion +prionid +Prionidae +Prioninae +prionine +Prionodesmacea +prionodesmacean +prionodesmaceous +prionodesmatic +Prionodon +prionodont +Prionopinae +prionopine +Prionops +Prionus +Prior +Pryor +prioracy +prioral +priorate +priorates +Priorato +prioress +prioresses +priori +priory +priories +prioristic +prioristically +priorite +priority +priorities +priority's +prioritize +prioritized +prioritizes +prioritizing +priorly +priors +priorship +Pripet +Pripyat +pryproof +Pris +prys +prisable +prisage +prisal +Prisca +priscan +Priscella +Priscian +Priscianist +Priscilla +Priscillian +Priscillianism +Priscillianist +prise +Pryse +prised +prisere +priseres +prises +prisiadka +Prisilla +prising +PRISM +prismal +prismatic +prismatical +prismatically +prismatization +prismatize +prismatoid +prismatoidal +prismed +prismy +prismoid +prismoidal +prismoids +prisms +prism's +prisometer +prison +prisonable +prison-bound +prisonbreak +prison-bred +prison-bursting +prison-caused +prisondom +prisoned +prisoner +prisoners +prisoner's +prison-escaping +prison-free +prisonful +prisonhouse +prison-house +prisoning +prisonlike +prison-made +prison-making +prisonment +prisonous +prisons +prison-taught +priss +prissed +prisses +Prissy +Prissie +prissier +prissies +prissiest +prissily +prissiness +prissinesses +prissing +pristane +pristanes +pristav +pristaw +pristine +pristinely +pristineness +Pristipomatidae +Pristipomidae +Pristis +Pristodus +prytaneum +prytany +Prytanis +prytanize +pritch +Pritchard +Pritchardia +pritchel +Pritchett +prithee +prythee +Prithivi +prittle +prittle-prattle +prius +priv +priv. +privacy +privacies +privacity +privado +privant +privata +Privatdocent +Privatdozent +private +private-enterprise +privateer +privateered +privateering +privateers +privateersman +privately +privateness +privater +privates +privatest +privation +privation-proof +privations +privatism +privatistic +privative +privatively +privativeness +privatization +privatize +privatized +privatizing +privatum +privet +privets +privy +privy-councilship +privier +privies +priviest +priviledge +privilege +privileged +privileger +privileges +privileging +privily +priviness +privy's +privity +privities +Prix +prizable +prize +prizeable +prized +prizefight +prize-fight +prizefighter +prize-fighter +prizefighters +prizefighting +prizefightings +prizefights +prize-giving +prizeholder +prizeman +prizemen +prize-playing +prizer +prizery +prize-ring +prizers +prizes +prizetaker +prize-taking +prizewinner +prizewinners +prizewinning +prize-winning +prizeworthy +prizing +prlate +PRMD +prn +PRO +pro- +proa +Pro-abyssinian +proabolition +proabolitionist +proabortion +proabsolutism +proabsolutist +proabstinence +proacademic +proaccelerin +proacceptance +proach +proacquisition +proacquittal +proacting +proaction +proactive +proactor +proaddition +proadjournment +proadministration +proadmission +proadoption +proadvertising +proadvertizing +proaeresis +proaesthetic +Pro-african +proaggressionist +proagitation +proagon +proagones +proagrarian +proagreement +proagricultural +proagule +proairesis +proairplane +proal +Pro-alabaman +Pro-alaskan +Pro-albanian +Pro-albertan +proalcoholism +Pro-algerian +proalien +Pro-ally +proalliance +Pro-allied +proallotment +Pro-alpine +Pro-alsatian +proalteration +pro-am +proamateur +proambient +proamendment +Pro-american +Pro-americanism +proamnion +proamniotic +proamusement +proanaphora +proanaphoral +proanarchy +proanarchic +proanarchism +Pro-anatolian +proangiosperm +proangiospermic +proangiospermous +Pro-anglican +proanimistic +Pro-annamese +proannexation +proannexationist +proantarctic +proanthropos +proapostolic +proappointment +proapportionment +proappreciation +proappropriation +proapproval +proaquatic +Pro-arab +Pro-arabian +Pro-arabic +proarbitration +proarbitrationist +proarchery +proarctic +Pro-argentina +Pro-argentinian +Pro-arian +proaristocracy +proaristocratic +Pro-aristotelian +Pro-armenian +proarmy +Pro-arminian +proart +pro-art +Proarthri +proas +Pro-asian +Pro-asiatic +proassessment +proassociation +Pro-athanasian +proatheism +proatheist +proatheistic +Pro-athenian +proathletic +Pro-atlantic +proatlas +proattack +proattendance +proauction +proaudience +proaulion +Pro-australian +Pro-austrian +proauthor +proauthority +proautomation +proautomobile +proavian +proaviation +Proavis +proaward +Pro-azorian +prob +prob. +probabiliorism +probabiliorist +probabilism +probabilist +probabilistic +probabilistically +probability +probabilities +probabilize +probabl +probable +probableness +probably +probachelor +Pro-baconian +Pro-bahamian +probal +Pro-balkan +proballoon +proband +probandi +probands +probang +probangs +probanishment +probankruptcy +probant +Pro-baptist +probargaining +probaseball +probasketball +probata +probate +probated +probates +probathing +probatical +probating +probation +probational +probationally +probationary +probationer +probationerhood +probationers +probationership +probationism +probationist +probations +probationship +probative +probatively +probator +probatory +probattle +probattleship +probatum +Pro-bavarian +probe +probeable +Probe-bibel +probed +probeer +Pro-belgian +probenecid +probe-pointed +Prober +Pro-berlin +Pro-berlinian +Pro-bermudian +probers +Proberta +probes +pro-Bessarabian +probetting +Pro-biblic +Pro-biblical +probing +probings +probiology +Pro-byronic +probirth-control +probit +probity +probities +probits +probituminous +Pro-byzantine +problem +problematic +problematical +problematically +problematicness +problematist +problematize +problemdom +problemist +problemistic +problemize +problems +problem's +problemwise +problockade +Pro-boer +Pro-boerism +Pro-bohemian +proboycott +Pro-bolivian +Pro-bolshevik +Pro-bolshevism +Pro-bolshevist +Pro-bonapartean +Pro-bonapartist +probonding +probonus +proborrowing +proboscidal +proboscidate +Proboscidea +proboscidean +proboscideous +proboscides +proboscidial +proboscidian +proboscidiferous +proboscidiform +probosciform +probosciformed +Probosciger +proboscis +proboscises +proboscislike +Pro-bosnian +Pro-bostonian +probouleutic +proboulevard +probowling +proboxing +Pro-brahman +Pro-brazilian +Pro-bryan +probrick +probridge +Pro-british +Pro-britisher +Pro-britishism +Pro-briton +probroadcasting +Pro-buddhist +Pro-buddhistic +probudget +probudgeting +pro-budgeting +probuying +probuilding +Pro-bulgarian +Pro-burman +pro-bus +probusiness +proc +proc. +procaccia +procaccio +procacious +procaciously +procacity +Pro-caesar +Pro-caesarian +procaine +procaines +Pro-caledonian +Pro-californian +Pro-calvinism +Pro-calvinist +Pro-calvinistic +Pro-calvinistically +procambial +procambium +pro-Cambodia +pro-Cameroun +Pro-canadian +procanal +procancellation +Pro-cantabrigian +Pro-cantonese +procapital +procapitalism +procapitalist +procapitalists +procarbazine +Pro-caribbean +procaryote +procaryotic +Pro-carlylean +procarnival +Pro-carolinian +procarp +procarpium +procarps +procarrier +Pro-castilian +procatalectic +procatalepsis +Pro-catalonian +procatarctic +procatarxis +procathedral +pro-cathedral +Pro-cathedralist +procathedrals +Pro-catholic +Pro-catholicism +Pro-caucasian +Procavia +Procaviidae +procbal +procedendo +procedes +procedural +procedurally +procedurals +procedure +procedured +procedures +procedure's +proceduring +proceed +proceeded +proceeder +proceeders +proceeding +proceedings +proceeds +pro-Ceylon +proceleusmatic +Procellaria +procellarian +procellarid +Procellariidae +Procellariiformes +procellariine +Procellarum +procellas +procello +procellose +procellous +Pro-celtic +procensorship +procensure +procentralization +procephalic +procercoid +procere +procereal +procerebral +procerebrum +proceremonial +proceremonialism +proceremonialist +proceres +procerite +procerity +proceritic +procerus +process +processability +processable +processal +processed +processer +processes +processibility +processible +processing +procession +processional +processionalist +processionally +processionals +processionary +processioner +processioning +processionist +processionize +processions +processionwise +processive +processor +processors +processor's +process's +process-server +processual +processus +proces-verbal +proces-verbaux +prochain +procharity +prochein +prochemical +Pro-chicagoan +Pro-chilean +Pro-chinese +prochlorite +prochondral +prochooi +prochoos +Prochora +Prochoras +prochordal +prochorion +prochorionic +prochromosome +prochronic +prochronism +prochronistic +prochronize +prochurch +prochurchian +procidence +procident +procidentia +Pro-cymric +procinct +Procyon +Procyonidae +procyoniform +Procyoniformia +Procyoninae +procyonine +Procious +Pro-cyprian +pro-Cyprus +procity +pro-city +procivic +procivilian +procivism +proclaim +proclaimable +proclaimant +proclaimed +proclaimer +proclaimers +proclaiming +proclaimingly +proclaims +proclamation +proclamations +proclamation's +proclamator +proclamatory +proclassic +proclassical +proclei +proclergy +proclerical +proclericalism +proclimax +procline +proclisis +proclitic +proclive +proclivity +proclivities +proclivity's +proclivitous +proclivous +proclivousness +Proclus +Procne +procnemial +Procoelia +procoelian +procoelous +procoercion +procoercive +procollectivism +procollectivist +procollectivistic +procollegiate +Pro-colombian +procolonial +Pro-colonial +procombat +procombination +procomedy +procommemoration +procomment +procommercial +procommission +procommittee +procommunal +procommunism +procommunist +procommunists +procommunity +procommutation +procompensation +procompetition +procomprise +procompromise +procompulsion +proconcentration +proconcession +proconciliation +procondemnation +Pro-confederate +proconfederationist +proconference +proconfession +proconfessionist +proconfiscation +proconformity +Pro-confucian +pro-Congolese +Pro-congressional +Proconnesian +proconquest +proconscription +proconscriptive +proconservation +proconservationist +proconsolidation +proconstitutional +proconstitutionalism +proconsul +proconsular +proconsulary +proconsularly +proconsulate +proconsulates +proconsuls +proconsulship +proconsulships +proconsultation +Pro-continental +procontinuation +proconvention +proconventional +proconviction +pro-co-operation +Procopius +Procora +procoracoid +procoracoidal +procorporation +Pro-corsican +procosmetic +procosmopolitan +procotols +procotton +procourt +procrastinate +procrastinated +procrastinates +procrastinating +procrastinatingly +procrastination +procrastinations +procrastinative +procrastinatively +procrastinativeness +procrastinator +procrastinatory +procrastinators +procreant +procreate +procreated +procreates +procreating +procreation +procreations +procreative +procreativeness +procreativity +procreator +procreatory +procreators +procreatress +procreatrix +procremation +Pro-cretan +procrypsis +procryptic +procryptically +Procris +procritic +procritique +Pro-croatian +Procrustean +Procrusteanism +Procrusteanize +Procrustes +proctal +proctalgy +proctalgia +proctatresy +proctatresia +proctectasia +proctectomy +Procter +procteurynter +proctitis +Procto +procto- +proctocele +proctocystoplasty +proctocystotomy +proctoclysis +proctocolitis +proctocolonoscopy +proctodaea +proctodaeal +proctodaedaea +proctodaeum +proctodaeums +proctodea +proctodeal +proctodeudea +proctodeum +proctodeums +proctodynia +proctoelytroplastic +proctology +proctologic +proctological +proctologies +proctologist +proctologists +proctoparalysis +proctoplasty +proctoplastic +proctoplegia +proctopolypus +proctoptoma +proctoptosis +Proctor +proctorage +proctoral +proctored +proctorial +proctorially +proctorical +proctoring +proctorization +proctorize +proctorling +proctorrhagia +proctorrhaphy +proctorrhea +proctors +proctorship +Proctorsville +Proctorville +proctoscope +proctoscopes +proctoscopy +proctoscopic +proctoscopically +proctoscopies +proctosigmoidectomy +proctosigmoiditis +proctospasm +proctostenosis +proctostomy +proctotome +proctotomy +proctotresia +proctotrypid +Proctotrypidae +proctotrypoid +Proctotrypoidea +proctovalvotomy +Pro-cuban +proculcate +proculcation +Proculian +procumbent +procurability +procurable +procurableness +procuracy +procuracies +procural +procurals +procurance +procurate +procuration +procurative +procurator +procuratorate +procurator-fiscal +procurator-general +procuratory +procuratorial +procurators +procuratorship +procuratrix +procure +procured +procurement +procurements +procurement's +procurer +procurers +procures +procuress +procuresses +procureur +procuring +procurrent +procursive +procurvation +procurved +proczarist +Pro-czech +pro-Czechoslovakian +prod +prod. +Pro-dalmation +Pro-danish +pro-Darwin +Pro-darwinian +Pro-darwinism +prodatary +prodd +prodded +prodder +prodders +prodding +proddle +prodecoration +prodefault +prodefiance +prodelay +prodelision +prodemocracy +prodemocrat +prodemocratic +Prodenia +pro-Denmark +prodenominational +prodentine +prodeportation +prodespotic +prodespotism +prodialogue +prodigal +prodigalish +prodigalism +prodigality +prodigalities +prodigalize +prodigally +prodigals +prodigy +prodigies +prodigiosity +prodigious +prodigiously +prodigiousness +prodigus +prodisarmament +prodisplay +prodissoconch +prodissolution +prodistribution +prodition +proditor +proditorious +proditoriously +prodivision +prodivorce +Pro-dominican +Pro-dominion +prodomoi +prodomos +prodproof +prodramatic +Pro-dreyfusard +prodroma +prodromal +prodromata +prodromatic +prodromatically +prodrome +prodromes +Prodromia +prodromic +prodromous +prodromus +prods +producal +produce +produceable +produceableness +produced +producement +producent +producer +producers +producership +produces +producibility +producible +producibleness +producing +product +producted +productibility +productible +productid +Productidae +productile +production +productional +productionist +productions +production's +productive +productively +productiveness +productivenesses +productivity +productivities +productoid +productor +productory +productress +products +product's +Productus +Pro-dutch +pro-East +pro-Eastern +proecclesiastical +proeconomy +pro-Ecuador +Pro-ecuadorean +proeducation +proeducational +Pro-egyptian +proegumenal +proelectric +proelectrical +proelectrification +proelectrocution +proelimination +pro-Elizabethan +proem +proembryo +proembryonic +Pro-emersonian +Pro-emersonianism +proemial +proemium +proempire +proempiricism +proempiricist +proemployee +proemployer +proemployment +proemptosis +proems +proenforcement +Pro-english +proenlargement +Pro-entente +proenzym +proenzyme +proepimeron +Pro-episcopal +proepiscopist +proepisternum +proequality +Pro-eskimo +Pro-esperantist +Pro-esperanto +Pro-estonian +proestrus +proethical +Pro-ethiopian +proethnic +proethnically +proetid +Proetidae +proette +proettes +Proetus +Pro-euclidean +Pro-eurasian +Pro-european +Pro-evangelical +proevolution +proevolutionary +proevolutionist +proexamination +proexecutive +proexemption +proexercise +proexperiment +proexperimentation +proexpert +proexporting +proexposure +proextension +proextravagance +Prof +proface +profaculty +profanable +profanableness +profanably +profanation +profanations +profanatory +profanchise +profane +profaned +profanely +profanement +profaneness +profanenesses +profaner +profaners +profanes +profaning +profanism +profanity +profanities +profanity-proof +profanize +Profant +profarmer +profascism +Pro-fascism +profascist +Pro-fascist +Pro-fascisti +profascists +profection +profectional +profectitious +profederation +profeminism +profeminist +profeminists +profer +proferment +profert +profess +professable +professed +professedly +professes +professing +profession +professional +professionalisation +professionalise +professionalised +professionalising +professionalism +professionalist +professionalists +professionality +professionalization +professionalize +professionalized +professionalizes +professionalizing +professionally +professionals +professionist +professionize +professionless +professions +profession's +professive +professively +professor +professorate +professordom +professoress +professorhood +professory +professorial +professorialism +professorially +professoriat +professoriate +professorlike +professorling +professors +professor's +professorship +professorships +proffer +proffered +profferer +profferers +proffering +proffers +Proffitt +profichi +proficience +proficiency +proficiencies +proficient +proficiently +proficientness +profiction +proficuous +proficuously +profile +profiled +profiler +profilers +profiles +profiling +profilist +profilograph +Profilometer +Pro-finnish +profit +profitability +profitable +profitableness +profitably +profit-and-loss +profit-building +profited +profiteer +profiteered +profiteering +profiteers +profiteer's +profiter +profiterole +profiters +profit-yielding +profiting +profitless +profitlessly +profitlessness +profit-making +profitmonger +profitmongering +profit-producing +profitproof +profits +profit-seeking +profitsharing +profit-sharing +profit-taking +profitted +profitter +profitters +profitter's +proflated +proflavine +Pro-flemish +profligacy +profligacies +profligate +profligated +profligately +profligateness +profligates +profligation +proflogger +Pro-florentine +Pro-floridian +profluence +profluent +profluvious +profluvium +profonde +proforeign +pro-form +proforma +profound +profounder +profoundest +profoundly +profoundness +profounds +Pro-france +profraternity +profre +Pro-french +pro-Freud +Pro-freudian +Pro-friesian +Pro-friesic +PROFS +profugate +profulgent +profunda +profundae +profundity +profundities +profuse +profusely +profuseness +profuser +profusion +profusions +profusive +profusively +profusiveness +Prog +Prog. +Pro-gaelic +progambling +progamete +progamic +proganosaur +Proganosauria +progenerate +progeneration +progenerative +progeny +progenies +progenital +progenity +progenitive +progenitiveness +progenitor +progenitorial +progenitors +progenitorship +progenitress +progenitrix +progeniture +Pro-genoan +Pro-gentile +progeotropic +progeotropism +progeria +Pro-german +Pro-germanism +progermination +progestational +progesterone +progestin +progestogen +progged +progger +proggers +progging +pro-Ghana +Progymnasium +progymnosperm +progymnospermic +progymnospermous +progypsy +proglottic +proglottid +proglottidean +proglottides +proglottis +prognathi +prognathy +prognathic +prognathism +prognathous +progne +prognose +prognosed +prognoses +prognosing +prognosis +prognostic +prognosticable +prognostical +prognostically +prognosticate +prognosticated +prognosticates +prognosticating +prognostication +prognostications +prognosticative +prognosticator +prognosticatory +prognosticators +prognostics +progoneate +progospel +Pro-gothic +progovernment +pro-government +prograde +program +programable +programatic +programed +programer +programers +programing +programist +programistic +programma +programmability +programmabilities +programmable +programmar +programmata +programmatic +programmatically +programmatist +programme +programmed +programmer +programmers +programmer's +programmes +programming +programmist +programmng +programs +program's +progravid +Pro-grecian +progrede +progrediency +progredient +pro-Greek +Progreso +progress +progressed +progresser +progresses +progressing +progression +progressional +progressionally +progressionary +progressionism +progressionist +progressions +progression's +progressism +progressist +Progressive +progressively +progressiveness +progressives +progressivism +progressivist +progressivistic +progressivity +progressor +progs +proguardian +Pro-guatemalan +Pro-guianan +Pro-guianese +Pro-guinean +Pro-haitian +Pro-hanoverian +Pro-hapsburg +prohaste +Pro-hawaiian +proheim +Pro-hellenic +prohibit +prohibita +prohibited +prohibiter +prohibiting +Prohibition +prohibitionary +prohibitionism +prohibitionist +prohibitionists +prohibition-proof +prohibitions +prohibition's +prohibitive +prohibitively +prohibitiveness +prohibitor +prohibitory +prohibitorily +prohibits +prohibitum +prohydrotropic +prohydrotropism +Pro-hindu +Pro-hitler +Pro-hitlerism +Pro-hitlerite +Pro-hohenstaufen +Pro-hohenzollern +proholiday +Pro-honduran +prohostility +prohuman +prohumanistic +Pro-hungarian +Pro-yankee +Pro-icelandic +proidealistic +proimmigration +pro-immigrationist +proimmunity +proinclusion +proincrease +proindemnity +Pro-indian +pro-Indonesian +proindustry +proindustrial +proindustrialisation +proindustrialization +pro-infinitive +proinjunction +proinnovationist +proinquiry +proinsurance +prointegration +prointervention +proinvestment +Pro-iranian +pro-Iraq +pro-Iraqi +Pro-irish +Pro-irishism +proirrigation +pro-Israel +pro-Israeli +Pro-italian +pro-Yugoslav +pro-Yugoslavian +projacient +Pro-jacobean +Pro-japanese +Pro-japanism +Pro-javan +Pro-javanese +project +projectable +projected +projectedly +projectile +projectiles +projecting +projectingly +projection +projectional +projectionist +projectionists +projections +projection's +projective +projectively +projectivity +projector +projectors +projector's +projectress +projectrix +projects +projecture +Pro-jeffersonian +projet +projets +Pro-jewish +projicience +projicient +projiciently +pro-Jordan +projournalistic +Pro-judaic +Pro-judaism +projudicial +Pro-kansan +prokaryote +proke +prokeimenon +proker +prokindergarten +proklausis +Prokofieff +Prokofiev +Prokopyevsk +Pro-korean +pro-Koweit +pro-Kuwait +prolabium +prolabor +prolacrosse +prolactin +Pro-lamarckian +prolamin +prolamine +prolamins +prolan +prolans +pro-Laotian +prolapse +prolapsed +prolapses +prolapsing +prolapsion +prolapsus +prolarva +prolarval +prolate +prolately +prolateness +pro-Latin +Pro-latinism +prolation +prolative +prolatively +Pro-latvian +Prole +proleague +Pro-league +proleaguer +Pro-leaguer +pro-Lebanese +prolectite +proleg +prolegate +prolegislative +prolegomena +prolegomenal +prolegomenary +prolegomenist +prolegomenon +prolegomenona +prolegomenous +prolegs +proleniency +prolepses +prolepsis +proleptic +proleptical +proleptically +proleptics +proles +proletaire +proletairism +proletary +proletarian +proletarianise +proletarianised +proletarianising +proletarianism +proletarianization +proletarianize +proletarianly +proletarianness +proletarians +proletariat +proletariate +proletariatism +proletaries +proletarise +proletarised +proletarising +proletarization +proletarize +proletarized +proletarizing +proletcult +proletkult +Pro-lettish +proleucocyte +proleukocyte +prolia +Pro-liberian +pro-Lybian +prolicense +prolicidal +prolicide +proliferant +proliferate +proliferated +proliferates +proliferating +proliferation +proliferations +proliferative +proliferous +proliferously +prolify +prolific +prolificacy +prolifical +prolifically +prolificalness +prolificate +prolificated +prolificating +prolification +prolificy +prolificity +prolificly +prolificness +proligerous +prolyl +prolin +proline +prolines +proliquor +proliterary +Pro-lithuanian +proliturgical +proliturgist +prolix +prolixious +prolixity +prolixly +prolixness +proller +prolocution +prolocutor +prolocutorship +prolocutress +prolocutrix +PROLOG +prologed +prologi +prologing +prologise +prologised +prologising +prologist +prologize +prologized +prologizer +prologizing +prologlike +prologos +prologs +prologue +prologued +prologuelike +prologuer +prologues +prologuing +prologuise +prologuised +prologuiser +prologuising +prologuist +prologuize +prologuized +prologuizer +prologuizing +prologulogi +prologus +prolong +prolongable +prolongableness +prolongably +prolongate +prolongated +prolongating +prolongation +prolongations +prolonge +prolonged +prolonger +prolonges +prolonging +prolongment +prolongs +prolotherapy +prolusion +prolusionize +prolusory +Pro-lutheran +PROM +prom. +Pro-macedonian +promachinery +Promachorma +promachos +Promachus +pro-Madagascan +Pro-magyar +promagisterial +promagistracy +promagistrate +promajority +pro-Malayan +pro-Malaysian +Pro-maltese +Pro-malthusian +promammal +Promammalia +promammalian +pro-man +Pro-manchukuoan +Pro-manchurian +promarriage +Pro-masonic +promatrimonial +promatrimonialist +PROMATS +promaximum +promazine +Prome +Pro-mediterranean +promemorial +promenade +promenaded +promenader +promenaderess +promenaders +promenades +promenade's +promenading +promercantile +promercy +promerger +promeristem +promerit +promeritor +promerops +Promessi +prometacenter +promethazine +Promethea +Promethean +Prometheus +promethium +Pro-methodist +Pro-mexican +promic +promycelia +promycelial +promycelium +promilitary +promilitarism +promilitarist +Promin +promine +prominence +prominences +prominency +prominent +prominently +promines +prominimum +proministry +prominority +promisable +promiscuity +promiscuities +promiscuous +promiscuously +promiscuousness +promiscuousnesses +promise +promise-bound +promise-breach +promise-breaking +promise-crammed +promised +promisee +promisees +promise-fed +promiseful +promise-fulfilling +promise-keeping +promise-led +promiseless +promise-making +promisemonger +promise-performing +promiseproof +promiser +promisers +promises +promising +promisingly +promisingness +promisor +promisors +promiss +promissionary +promissive +promissor +promissory +promissorily +promissvry +promit +promythic +promitosis +promittor +promnesia +promo +promoderation +promoderationist +promodern +pro-modern +promodernist +promodernistic +Pro-mohammedan +pro-Monaco +promonarchy +promonarchic +promonarchical +promonarchicalness +promonarchist +promonarchists +Pro-mongolian +promonopoly +promonopolist +promonopolistic +promontory +promontoried +promontories +promoral +Pro-mormon +Pro-moroccan +promorph +promorphology +promorphological +promorphologically +promorphologist +promos +Pro-moslem +promotability +promotable +promote +promoted +promotement +promoter +promoters +promotes +promoting +promotion +promotional +promotions +promotive +promotiveness +promotor +promotorial +promotress +promotrix +promovable +promoval +promove +promovent +prompt +promptbook +promptbooks +prompted +prompter +prompters +promptest +prompting +promptings +promptitude +promptive +promptly +promptness +Prompton +promptorium +promptress +prompts +promptuary +prompture +proms +promulgate +promulgated +promulgates +promulgating +promulgation +promulgations +promulgator +promulgatory +promulgators +promulge +promulged +promulger +promulges +promulging +promuscidate +promuscis +pro-Muslem +pro-Muslim +pron +pron. +pronaoi +pronaos +pronate +pronated +pronates +pronating +pronation +pronational +pronationalism +pronationalist +pronationalistic +pronative +pronatoflexor +pronator +pronatores +pronators +Pronaus +pronaval +pronavy +prone +Pro-neapolitan +pronegotiation +pronegro +pro-Negro +pronegroism +pronely +proneness +pronenesses +pronephric +pronephridiostome +pronephron +pronephros +Pro-netherlandian +proneur +prong +prongbuck +pronged +pronger +pronghorn +prong-horned +pronghorns +prongy +pronging +pronglike +prongs +pronic +Pro-nicaraguan +pro-Nigerian +pronymph +pronymphal +pronity +Pronoea +pronograde +pronomial +pronominal +pronominalize +pronominally +pronomination +prononce +Pro-nordic +Pro-norman +pro-North +pro-Northern +Pro-norwegian +pronota +pronotal +pronotum +pronoun +pronounal +pronounce +pronounceable +pronounceableness +pronounced +pronouncedly +pronouncedness +pronouncement +pronouncements +pronouncement's +pronounceness +pronouncer +pronounces +pronouncing +pronouns +pronoun's +pronpl +Pronty +pronto +Prontosil +Pronuba +pronubial +pronuclear +pronuclei +pronucleus +pronumber +pronunciability +pronunciable +pronuncial +pronunciamento +pronunciamentos +pronunciation +pronunciational +pronunciations +pronunciation's +pronunciative +pronunciator +pronunciatory +proo +pro-observance +pro-oceanic +proode +pro-ode +prooemiac +prooemion +prooemium +pro-oestrys +pro-oestrous +pro-oestrum +pro-oestrus +proof +proof-correct +proofed +proofer +proofers +proofful +proofy +proofing +proofless +prooflessly +prooflike +proofness +proof-proof +proofread +proofreaded +proofreader +proofreaders +proofreading +proofreads +proofroom +proofs +proof's +proof-spirit +pro-opera +pro-operation +pro-opic +pro-opium +Pro-oriental +pro-orthodox +pro-orthodoxy +pro-orthodoxical +pro-ostracal +pro-ostracum +pro-otic +prop +prop- +prop. +propacifism +propacifist +propadiene +propaedeutic +propaedeutical +propaedeutics +propagability +propagable +propagableness +propagand +Propaganda +propaganda-proof +propagandas +propagandic +propagandise +propagandised +propagandising +propagandism +propagandist +propagandistic +propagandistically +propagandists +propagandize +propagandized +propagandizes +propagandizing +propagate +propagated +propagates +propagating +propagation +propagational +propagations +propagative +propagator +propagatory +propagators +propagatress +propagines +propago +propagula +propagule +propagulla +propagulum +propayment +PROPAL +propale +propalinal +pro-Panama +Pro-panamanian +propane +propanedicarboxylic +propanedioic +propanediol +propanes +propanol +propanone +propapist +pro-Paraguay +Pro-paraguayan +proparasceve +proparent +propargyl +propargylic +Proparia +proparian +proparliamental +proparoxytone +proparoxytonic +proparticipation +propassion +propatagial +propatagian +propatagium +propatriotic +propatriotism +propatronage +propel +propellable +propellant +propellants +propelled +propellent +propellents +propeller +propellers +propeller's +propelling +propellor +propelment +propels +propend +propended +propendent +propending +propends +propene +propenes +propenyl +propenylic +propenoic +propenol +propenols +propense +propensely +propenseness +propension +propensity +propensities +propensitude +proper +properdin +properer +properest +properispome +properispomenon +properitoneal +properly +properness +propers +Pro-persian +property +propertied +properties +propertyless +property-owning +propertyship +Propertius +Pro-peruvian +propessimism +propessimist +prophage +prophages +prophase +prophases +prophasic +prophasis +prophecy +prophecies +prophecymonger +prophecy's +prophesy +prophesiable +prophesied +prophesier +prophesiers +prophesies +prophesying +Prophet +prophet-bard +prophetess +prophetesses +prophet-flower +prophethood +prophetic +prophetical +propheticality +prophetically +propheticalness +propheticism +propheticly +prophetico-historical +Prophetico-messianic +prophetism +prophetize +prophet-king +prophetless +prophetlike +prophet-painter +prophet-poet +prophet-preacher +prophetry +Prophets +prophet's +prophetship +prophet-statesman +Prophetstown +prophylactic +prophylactical +prophylactically +prophylactics +prophylactodontia +prophylactodontist +prophylaxes +prophylaxy +prophylaxis +Pro-philippine +prophyll +prophyllum +prophilosophical +prophloem +prophoric +prophototropic +prophototropism +propygidium +propyl +propyla +propylacetic +propylaea +propylaeum +propylalaea +propylamine +propylation +propylene +propylhexedrine +propylic +propylidene +propylite +propylitic +propylitization +propylon +propyls +propination +propine +propyne +propined +propines +propining +propinoic +propynoic +propinquant +propinque +propinquitatis +propinquity +propinquities +propinquous +propio +propio- +propiolaldehyde +propiolate +propiolic +propionaldehyde +propionate +propione +propionibacteria +Propionibacterieae +Propionibacterium +propionic +propionyl +propionitril +propionitrile +Propithecus +propitiable +propitial +propitiate +propitiated +propitiates +propitiating +propitiatingly +propitiation +propitiations +propitiative +propitiator +propitiatory +propitiatorily +propitious +propitiously +propitiousness +propjet +propjets +proplasm +proplasma +proplastic +proplastid +propless +propleural +propleuron +proplex +proplexus +Propliopithecus +propman +propmen +propmistress +propmistresses +propodeal +propodeon +propodeum +propodial +propodiale +propodite +propoditic +propodium +propoganda +Pro-polynesian +propolis +propolises +Pro-polish +propolitical +propolitics +propolization +propolize +propoma +propomata +propone +proponed +proponement +proponent +proponents +proponent's +proponer +propones +proponing +propons +Propontic +Propontis +propooling +propopery +proport +proportion +proportionability +proportionable +proportionableness +proportionably +proportional +proportionalism +proportionality +proportionally +proportionate +proportionated +proportionately +proportionateness +proportionating +proportioned +proportioner +proportioning +proportionless +proportionment +proportions +Pro-portuguese +propos +proposable +proposal +proposals +proposal's +proposant +propose +proposed +proposedly +proposer +proposers +proposes +proposing +propositi +propositio +proposition +propositional +propositionally +propositioned +propositioning +propositionize +propositions +propositus +propositusti +proposterously +propound +propounded +propounder +propounders +propounding +propoundment +propounds +propoxy +propoxyphene +proppage +propped +propper +propping +propr +propr. +propraetor +propraetorial +propraetorian +propranolol +proprecedent +pro-pre-existentiary +Pro-presbyterian +propretor +propretorial +propretorian +propria +propriation +propriatory +proprietage +proprietary +proprietarian +proprietariat +proprietaries +proprietarily +proprietatis +propriety +proprieties +proprietor +proprietory +proprietorial +proprietorially +proprietors +proprietor's +proprietorship +proprietorships +proprietous +proprietress +proprietresses +proprietrix +proprioception +proprioceptive +proprioceptor +propriospinal +proprium +proprivilege +proproctor +pro-proctor +proprofit +Pro-protestant +proprovincial +proprovost +Pro-prussian +props +propter +propterygial +propterygium +proptosed +proptoses +proptosis +propublication +propublicity +propugn +propugnacled +propugnaculum +propugnation +propugnator +propugner +propulsation +propulsatory +propulse +propulsion +propulsions +propulsion's +propulsity +propulsive +propulsor +propulsory +propunishment +propupa +propupal +propurchase +Propus +prop-wash +propwood +proquaestor +Pro-quaker +proracing +prorailroad +prorata +pro-rata +proratable +prorate +pro-rate +prorated +prorater +prorates +prorating +proration +prore +proreader +prorealism +prorealist +prorealistic +proreality +prorean +prorebate +prorebel +prorecall +proreciprocation +prorecognition +proreconciliation +prorector +pro-rector +prorectorate +proredemption +proreduction +proreferendum +proreform +proreformist +prorefugee +proregent +prorelease +Pro-renaissance +Proreptilia +proreptilian +proreption +prorepublican +proresearch +proreservationist +proresignation +prorestoration +prorestriction +prorevision +prorevisionist +prorevolution +prorevolutionary +prorevolutionist +prorex +pro-rex +prorhinal +Prorhipidoglossomorpha +proritual +proritualistic +prorogate +prorogation +prorogations +prorogator +prorogue +prorogued +proroguer +prorogues +proroguing +proroyal +proroyalty +Pro-roman +proromance +proromantic +proromanticism +prorrhesis +Prorsa +prorsad +prorsal +Pro-rumanian +prorump +proruption +Pro-russian +Pros +pros- +pro's +pros. +prosabbath +prosabbatical +prosacral +prosaic +prosaical +prosaically +prosaicalness +prosaicism +prosaicness +prosaism +prosaisms +prosaist +prosaists +prosal +Pro-salvadoran +Pro-samoan +prosapy +prosar +Pro-sardinian +Prosarthri +prosateur +Pro-scandinavian +proscapula +proscapular +proscenia +proscenium +prosceniums +proscholastic +proscholasticism +proscholium +proschool +proscience +proscientific +proscind +proscynemata +prosciutto +Prosclystius +proscolecine +proscolex +proscolices +proscribable +proscribe +proscribed +proscriber +proscribes +proscribing +proscript +proscription +proscriptional +proscriptionist +proscriptions +proscriptive +proscriptively +proscriptiveness +Pro-scriptural +pro-Scripture +proscutellar +proscutellum +prose +prosecrecy +prosecretin +prosect +prosected +prosecting +prosection +prosector +prosectorial +prosectorium +prosectorship +prosects +prosecutable +prosecute +prosecuted +prosecutes +prosecuting +prosecution +prosecution-proof +prosecutions +prosecutive +prosecutor +prosecutory +prosecutorial +prosecutors +prosecutrices +prosecutrix +prosecutrixes +prosed +proseity +Prosek +proselenic +prosely +proselike +proselyte +proselyted +proselyter +proselytes +proselytical +proselyting +proselytingly +proselytisation +proselytise +proselytised +proselytiser +proselytising +proselytism +proselytist +proselytistic +proselytization +proselytize +proselytized +proselytizer +proselytizers +proselytizes +proselytizing +proseman +proseminar +proseminary +proseminate +prosemination +Pro-semite +Pro-semitism +prosencephalic +prosencephalon +prosenchyma +prosenchymas +prosenchymata +prosenchymatous +proseneschal +prosequendum +prosequi +prosequitur +proser +Pro-serb +Pro-serbian +Proserpina +Proserpinaca +Proserpine +prosers +proses +prosethmoid +proseucha +proseuche +Pro-shakespearian +prosy +Pro-siamese +Pro-sicilian +prosier +prosiest +prosify +prosification +prosifier +prosily +prosiliency +prosilient +prosiliently +prosyllogism +prosilverite +Prosimiae +prosimian +prosyndicalism +prosyndicalist +prosiness +prosing +prosingly +prosiphon +prosiphonal +prosiphonate +Pro-syrian +prosish +prosist +prosit +pro-skin +proskomide +proslambanomenos +Pro-slav +proslave +proslaver +proslavery +proslaveryism +Pro-slavic +Pro-slavonic +proslyted +proslyting +prosneusis +proso +prosobranch +Prosobranchia +Prosobranchiata +prosobranchiate +prosocele +prosocoele +prosodal +prosode +prosodemic +prosodetic +prosody +prosodiac +prosodiacal +prosodiacally +prosodial +prosodially +prosodian +prosodic +prosodical +prosodically +prosodics +prosodies +prosodion +prosodist +prosodus +prosogaster +prosogyrate +prosogyrous +prosoma +prosomal +pro-Somalia +prosomas +prosomatic +prosonomasia +prosopalgia +prosopalgic +prosopantritis +prosopectasia +prosophist +prosopic +prosopically +prosopyl +prosopyle +Prosopis +prosopite +Prosopium +prosoplasia +prosopography +prosopographical +prosopolepsy +prosopon +prosoponeuralgia +prosopoplegia +prosopoplegic +prosopopoeia +prosopopoeial +prosoposchisis +prosopospasm +prosopotocia +prosorus +prosos +pro-South +Pro-southern +Pro-soviet +pro-Spain +Pro-spanish +Pro-spartan +prospect +prospected +prospecting +prospection +prospections +prospection's +prospective +prospective-glass +prospectively +prospectiveness +prospectives +prospectless +prospector +prospectors +prospector's +prospects +prospectus +prospectuses +prospectusless +prospeculation +Prosper +prosperation +prospered +prosperer +prospering +Prosperity +prosperities +prosperity-proof +Prospero +prosperous +prosperously +prosperousness +prospers +Prosperus +prosphysis +prosphora +prosphoron +prospice +prospicience +prosporangium +prosport +pross +Prosser +prosses +prossy +prossie +prossies +prosstoa +prost +prostades +prostaglandin +prostas +prostasis +prostatauxe +prostate +pro-state +prostatectomy +prostatectomies +prostatelcosis +prostates +prostatic +prostaticovesical +prostatism +prostatitic +prostatitis +prostatocystitis +prostatocystotomy +prostatodynia +prostatolith +prostatomegaly +prostatometer +prostatomyomectomy +prostatorrhea +prostatorrhoea +prostatotomy +prostatovesical +prostatovesiculectomy +prostatovesiculitis +prostemmate +prostemmatic +prostern +prosterna +prosternal +prosternate +prosternum +prosternums +prostheca +prosthenic +prostheses +prosthesis +prosthetic +prosthetically +prosthetics +prosthetist +prosthion +prosthionic +prosthodontia +prosthodontic +prosthodontics +prosthodontist +prostie +prosties +Prostigmin +prostyle +prostyles +prostylos +prostitute +prostituted +prostitutely +prostitutes +prostituting +prostitution +prostitutions +prostitutor +prostoa +prostomia +prostomial +prostomiate +prostomium +prostomiumia +prostoon +prostrate +prostrated +prostrates +prostrating +prostration +prostrations +prostrative +prostrator +prostrike +pro-strike +prosubmission +prosubscription +prosubstantive +prosubstitution +Pro-sudanese +prosuffrage +Pro-sumatran +prosupervision +prosupport +prosurgical +prosurrender +pro-Sweden +Pro-swedish +Pro-swiss +pro-Switzerland +Prot +prot- +Prot. +protactic +protactinium +protagon +protagonism +protagonist +protagonists +Protagoras +Protagorean +Protagoreanism +protalbumose +protamin +protamine +protamins +protandry +protandric +protandrism +protandrous +protandrously +protanomal +protanomaly +protanomalous +protanope +protanopia +protanopic +protargentum +protargin +Protargol +protariff +protarsal +protarsus +protases +protasis +Pro-tasmanian +protaspis +protatic +protatically +protax +protaxation +protaxial +protaxis +prote +prote- +Protea +Proteaceae +proteaceous +protead +protean +proteanly +proteans +proteanwise +proteas +protease +proteases +protechnical +protect +protectable +protectant +protected +protectee +protectible +protecting +protectingly +protectinglyrmal +protectingness +Protection +protectional +protectionate +protectionism +protectionist +protectionists +protectionize +protections +protection's +protectionship +protective +protectively +protectiveness +Protectograph +Protector +protectoral +protectorate +protectorates +protectory +protectorial +protectorian +protectories +protectorless +protectors +protector's +protectorship +protectress +protectresses +protectrix +protects +protege +protegee +protegees +proteges +protege's +protegulum +protei +proteic +proteid +Proteida +Proteidae +proteide +proteidean +proteides +proteidogenous +proteids +proteiform +protein +proteinaceous +proteinase +proteinate +protein-free +proteinic +proteinochromogen +proteinous +proteinphobia +proteins +protein's +proteinuria +proteinuric +PROTEL +Proteles +Protelidae +Protelytroptera +protelytropteran +protelytropteron +protelytropterous +Protem +protemperance +protempirical +protemporaneous +protend +protended +protending +protends +protense +protension +protensity +protensive +protensively +proteoclastic +proteogenous +proteolipide +proteolysis +proteolytic +proteopectic +proteopexy +proteopexic +proteopexis +proteosaurid +Proteosauridae +Proteosaurus +proteose +proteoses +Proteosoma +proteosomal +proteosome +proteosuria +protephemeroid +Protephemeroidea +proterandry +proterandric +proterandrous +proterandrously +proterandrousness +proteranthy +proteranthous +protero- +proterobase +proterogyny +proterogynous +proteroglyph +Proteroglypha +proteroglyphic +proteroglyphous +proterothesis +proterotype +Proterozoic +proterve +protervity +Protesilaus +protest +protestable +protestancy +Protestant +Protestantish +Protestantishly +Protestantism +Protestantize +Protestantly +Protestantlike +protestants +protestation +protestations +protestator +protestatory +protested +protester +protesters +protesting +protestingly +protestive +protestor +protestors +protestor's +protests +protetrarch +Proteus +Pro-teuton +Pro-teutonic +Pro-teutonism +protevangel +protevangelion +protevangelium +protext +prothalamia +prothalamion +prothalamium +prothalamiumia +prothalli +prothallia +prothallial +prothallic +prothalline +prothallium +prothalloid +prothallus +protheatrical +protheca +protheses +prothesis +prothetely +prothetelic +prothetic +prothetical +prothetically +prothyl +prothysteron +prothmia +Prothoenor +prothonotary +prothonotarial +prothonotariat +prothonotaries +prothonotaryship +prothoraces +prothoracic +prothorax +prothoraxes +prothrift +prothrombin +prothrombogen +protid +protide +protyl +protyle +protyles +Protylopus +protyls +protiodide +protype +Pro-tyrolese +protist +Protista +protistan +protistic +protistology +protistological +protistologist +protiston +protists +Protium +protiums +Protivin +proto +proto- +protoactinium +protoalbumose +protoamphibian +protoanthropic +protoapostate +Proto-apostolic +Proto-arabic +protoarchitect +Proto-aryan +Proto-armenian +Protoascales +Protoascomycetes +Proto-attic +Proto-australian +Proto-australoid +Proto-babylonian +protobacco +Protobasidii +Protobasidiomycetes +protobasidiomycetous +protobasidium +Proto-berber +protobishop +protoblast +protoblastic +protoblattoid +Protoblattoidea +Protobranchia +Protobranchiata +protobranchiate +protocalcium +protocanonical +Protocaris +protocaseose +protocatechualdehyde +protocatechuic +Proto-caucasic +Proto-celtic +Protoceras +Protoceratidae +Protoceratops +protocercal +protocerebral +protocerebrum +Proto-chaldaic +protochemist +protochemistry +protochloride +protochlorophyll +Protochorda +Protochordata +protochordate +protochromium +protochronicler +protocitizen +protoclastic +protocneme +Protococcaceae +protococcaceous +protococcal +Protococcales +protococcoid +Protococcus +protocol +protocolar +protocolary +protocoled +Protocoleoptera +protocoleopteran +protocoleopteron +protocoleopterous +protocoling +protocolist +protocolization +protocolize +protocolled +protocolling +protocols +protocol's +protoconch +protoconchal +protocone +protoconid +protoconule +protoconulid +protocopper +Proto-corinthian +protocorm +protodeacon +protoderm +protodermal +protodevil +protodynastic +Protodonata +protodonatan +protodonate +protodont +Protodonta +Proto-doric +protodramatic +Proto-egyptian +Proto-elamite +protoelastose +protoepiphyte +Proto-etruscan +Proto-european +protoforaminifer +protoforester +protogalaxy +protogaster +protogelatose +protogenal +Protogenea +protogenes +protogenesis +protogenetic +Protogenia +protogenic +protogenist +Protogeometric +Proto-geometric +Proto-Germanic +protogine +protogyny +protogynous +protoglobulose +protogod +protogonous +protogospel +Proto-gothonic +protograph +Proto-greek +Proto-hattic +Proto-hellenic +protohematoblast +Protohemiptera +protohemipteran +protohemipteron +protohemipterous +protoheresiarch +Protohydra +protohydrogen +Protohymenoptera +protohymenopteran +protohymenopteron +protohymenopterous +Protohippus +protohistory +protohistorian +protohistoric +Proto-hittite +protohomo +protohuman +Proto-indic +Proto-Indo-European +Proto-ionic +protoypes +protoiron +Proto-Italic +Proto-khattish +protolanguage +protoleration +protoleucocyte +protoleukocyte +protolithic +protoliturgic +protolog +protologist +protoloph +protoma +protomagister +protomagnate +protomagnesium +protomala +Proto-malay +Proto-malayan +protomalal +protomalar +protomammal +protomammalian +protomanganese +Proto-mark +protomartyr +Protomastigida +Proto-matthew +protome +Proto-mede +protomeristem +protomerite +protomeritic +protometal +protometallic +protometals +protometaphrast +Proto-mycenean +Protomycetales +Protominobacter +protomyosinose +Protomonadina +Proto-mongol +protomonostelic +protomorph +protomorphic +Proton +protonate +protonated +protonation +protone +protonegroid +protonema +protonemal +protonemata +protonematal +protonematoid +protoneme +Protonemertini +protonephridial +protonephridium +protonephros +protoneuron +protoneurone +protoneutron +protonic +protonickel +protonym +protonymph +protonymphal +protonitrate +Proto-Norse +protonotary +protonotater +protonotion +protonotions +protons +proton's +proton-synchrotron +protopapas +protopappas +protoparent +protopathy +protopathia +protopathic +protopatriarchal +protopatrician +protopattern +protopectin +protopectinase +protopepsia +Protoperlaria +protoperlarian +protophyll +protophilosophic +Protophyta +protophyte +protophytic +protophloem +Proto-phoenician +protopin +protopine +protopyramid +protoplanet +protoplasm +protoplasma +protoplasmal +protoplasmatic +protoplasmic +protoplasms +protoplast +protoplastic +protopod +protopodial +protopodite +protopoditic +protopods +protopoetic +Proto-polynesian +protopope +protoporphyrin +protopragmatic +protopresbyter +protopresbytery +protoprism +protoproteose +protoprotestant +protopteran +Protopteridae +protopteridophyte +protopterous +Protopterus +protore +protorebel +protoreligious +Proto-renaissance +protoreptilian +Protorohippus +protorosaur +Protorosauria +protorosaurian +Protorosauridae +protorosauroid +Protorosaurus +Protorthoptera +protorthopteran +protorthopteron +protorthopterous +protosalt +protosaurian +protoscientific +Protoselachii +Protosemitic +Proto-semitic +protosilicate +protosilicon +protosinner +protosyntonose +Protosiphon +Protosiphonaceae +protosiphonaceous +protosocial +protosolution +Proto-solutrean +protospasm +Protosphargis +Protospondyli +protospore +protostar +Protostega +Protostegidae +protostele +protostelic +protostome +protostrontium +protosulphate +protosulphide +prototaxites +Proto-teutonic +prototheca +protothecal +prototheme +protothere +Prototheria +prototherian +prototypal +prototype +prototyped +prototypes +prototypic +prototypical +prototypically +prototyping +prototypographer +prototyrant +prototitanium +Prototracheata +prototraitor +prototroch +prototrochal +prototroph +prototrophy +prototrophic +protovanadium +protoveratrine +protovertebra +protovertebral +protovestiary +protovillain +protovum +protoxid +protoxide +protoxidize +protoxidized +protoxids +protoxylem +Protozoa +protozoacidal +protozoacide +protozoal +protozoan +protozoans +protozoea +protozoean +protozoiasis +protozoic +protozoology +protozoological +protozoologist +protozoon +protozoonal +protozzoa +Protracheata +protracheate +protract +protracted +protractedly +protractedness +protracter +protractible +protractile +protractility +protracting +protraction +protractive +protractor +protractors +protracts +protrade +protradition +protraditional +protragedy +protragical +protragie +protransfer +protranslation +protransubstantiation +protravel +protreasurer +protreaty +Protremata +protreptic +protreptical +protriaene +Pro-tripolitan +protropical +protrudable +protrude +protruded +protrudent +protrudes +protruding +protrusible +protrusile +protrusility +protrusion +protrusions +protrusion's +protrusive +protrusively +protrusiveness +protthalli +protuberance +protuberances +protuberancy +protuberancies +protuberant +protuberantial +protuberantly +protuberantness +protuberate +protuberated +protuberating +protuberosity +protuberous +Pro-tunisian +Protura +proturan +Pro-turk +pro-Turkey +Pro-turkish +protutor +protutory +Proud +proud-blind +proud-blooded +proud-crested +prouder +proudest +proud-exulting +Proudfoot +proudful +proud-glancing +proudhearted +proud-hearted +Proudhon +proudish +proudishly +proudly +proudling +proud-looking +Proudlove +Proudman +proud-minded +proud-mindedness +proudness +proud-paced +proud-pillared +proud-prancing +proud-quivered +proud-spirited +proud-stomached +Pro-ukrainian +Pro-ulsterite +Proulx +prouniformity +prounion +prounionism +prounionist +Pro-unitarian +prouniversity +Pro-uruguayan +Proust +Proustian +proustite +Prout +Prouty +Prov +Prov. +provability +provable +provableness +provably +provaccination +provaccine +provaccinist +provand +provant +provascular +Provature +prove +provect +provection +proved +proveditor +proveditore +provedly +provedor +provedore +proven +Provenal +provenance +provenances +Provencal +Provencale +Provencalize +Provence +Provencial +provend +provender +provenders +provene +Pro-venetian +Pro-venezuelan +provenience +provenient +provenly +provent +proventricular +proventricule +proventriculi +proventriculus +prover +proverb +proverbed +proverbial +proverbialism +proverbialist +proverbialize +proverbially +proverbic +proverbing +proverbiology +proverbiologist +proverbize +proverblike +Proverbs +proverb's +provers +proves +proviant +provicar +provicariate +provice-chancellor +pro-vice-chancellor +providable +providance +provide +provided +Providence +providences +provident +providential +providentialism +providentially +providently +providentness +provider +providers +provides +providing +providore +providoring +pro-Vietnamese +province +provinces +province's +Provincetown +provincial +provincialate +provincialism +provincialisms +provincialist +provinciality +provincialities +provincialization +provincialize +provincially +provincialship +provinciate +provinculum +provine +proving +provingly +proviral +Pro-virginian +provirus +proviruses +provision +Provisional +provisionality +provisionally +provisionalness +provisionary +provisioned +provisioner +provisioneress +provisioning +provisionless +provisionment +provisions +provisive +proviso +provisoes +provisor +provisory +provisorily +provisorship +provisos +provitamin +provivisection +provivisectionist +Provo +provocant +provocateur +provocateurs +provocation +provocational +provocations +provocative +provocatively +provocativeness +provocator +provocatory +provokable +provoke +provoked +provokee +provoker +provokers +provokes +provoking +provokingly +provokingness +provola +Provolone +provolunteering +provoquant +provost +provostal +provostess +provost-marshal +provostorial +provostry +provosts +provostship +prow +prowar +prowarden +prowaterpower +prowed +Prowel +Pro-welsh +prower +prowersite +prowess +prowessed +prowesses +prowessful +prowest +pro-West +Pro-western +pro-Westerner +prowfish +prowfishes +Pro-whig +prowl +prowled +prowler +prowlers +prowling +prowlingly +prowls +prows +prow's +prox +prox. +proxemic +proxemics +proxenet +proxenete +proxenetism +proxeny +proxenos +proxenus +proxy +proxically +proxied +proxies +proxying +Proxima +proximad +proximal +proximally +proximate +proximately +proximateness +proximation +proxime +proximity +proximities +proximo +proximobuccal +proximolabial +proximolingual +proxyship +proxysm +prozygapophysis +prozymite +Pro-zionism +Pro-zionist +prozone +prozoning +prp +PRS +prs. +PRTC +Pru +Pruchno +Prud +prude +prudely +prudelike +Pruden +Prudence +prudences +prudent +prudential +prudentialism +prudentialist +prudentiality +prudentially +prudentialness +Prudentius +prudently +Prudenville +prudery +pruderies +prudes +Prudhoe +prudhomme +Prud'hon +Prudi +Prudy +Prudie +prudish +prudishly +prudishness +prudist +prudity +Prue +Pruett +pruh +pruigo +pruinate +pruinescence +pruinose +pruinous +Pruitt +prulaurasin +prunability +prunable +prunableness +prunably +Prunaceae +prunase +prunasin +prune +pruned +prunell +Prunella +prunellas +prunelle +prunelles +Prunellidae +prunello +prunellos +pruner +pruners +prunes +prunetin +prunetol +pruniferous +pruniform +pruning +prunitrin +prunt +prunted +Prunus +prurience +pruriency +prurient +pruriently +pruriginous +prurigo +prurigos +pruriousness +pruritic +pruritus +prurituses +Prus +Prus. +prusiano +Pruss +Prussia +Prussian +prussianisation +prussianise +prussianised +prussianiser +prussianising +Prussianism +Prussianization +Prussianize +prussianized +Prussianizer +prussianizing +prussians +prussiate +prussic +Prussify +Prussification +prussin +prussine +Prut +pruta +prutah +prutenic +Pruter +Pruth +prutot +prutoth +Prvert +Przemy +Przywara +PS +p's +Ps. +PSA +psalis +psalloid +psalm +psalmbook +psalmed +psalmy +psalmic +psalming +psalmist +psalmister +psalmistry +psalmists +psalmless +psalmody +psalmodial +psalmodic +psalmodical +psalmodies +psalmodist +psalmodize +psalmograph +psalmographer +psalmography +Psalms +psalm's +psaloid +Psalter +psalterer +psaltery +psalteria +psalterial +psalterian +psalteries +psalterion +psalterist +psalterium +psalters +psaltes +psalteteria +psaltress +psaltry +psaltries +Psamathe +psammead +psammite +psammites +psammitic +psammo- +psammocarcinoma +psammocharid +Psammocharidae +psammogenous +psammolithic +psammology +psammologist +psammoma +psammon +psammons +psammophile +psammophilous +Psammophis +psammophyte +psammophytic +psammosarcoma +psammosere +psammotherapy +psammous +PSAP +psarolite +Psaronius +PSAT +PSC +pschent +pschents +PSDC +PSDN +PSDS +PSE +psec +Psedera +Pselaphidae +Pselaphus +psellism +psellismus +psend +psephism +psephisma +psephite +psephites +psephitic +psephology +psephological +psephologist +psephomancy +Psephurus +Psetta +pseud +pseud- +pseud. +pseudaconin +pseudaconine +pseudaconitine +pseudacusis +pseudalveolar +pseudambulacral +pseudambulacrum +pseudamoeboid +pseudamphora +pseudamphorae +pseudandry +pseudangina +pseudankylosis +pseudaphia +pseudaposematic +pseudapospory +pseudaposporous +pseudapostle +pseudarachnidan +pseudarthrosis +pseudataxic +pseudatoll +pseudaxine +pseudaxis +Pseudechis +pseudelephant +pseudelytron +pseudelminth +pseudembryo +pseudembryonic +pseudencephalic +pseudencephalus +pseudepigraph +Pseudepigrapha +pseudepigraphal +pseudepigraphy +pseudepigraphic +pseudepigraphical +pseudepigraphous +pseudepiploic +pseudepiploon +pseudepiscopacy +pseudepiscopy +pseudepisematic +pseudesthesia +pseudhaemal +pseudhalteres +pseudhemal +pseudimaginal +pseudimago +pseudisodomic +pseudisodomum +pseudo +pseudo- +pseudoacaccia +pseudoacacia +pseudoacademic +pseudoacademical +pseudoacademically +pseudoaccidental +pseudoaccidentally +pseudoacid +pseudoaconitine +pseudoacquaintance +pseudoacromegaly +pseudoadiabatic +pseudoaesthetic +pseudoaesthetically +pseudoaffectionate +pseudoaffectionately +Pseudo-african +pseudoaggressive +pseudoaggressively +pseudoalkaloid +pseudoallegoristic +pseudoallele +pseudoallelic +pseudoallelism +pseudoalum +pseudoalveolar +pseudoamateurish +pseudoamateurishly +pseudoamateurism +pseudoamatory +pseudoamatorial +pseudoambidextrous +pseudoambidextrously +pseudoameboid +pseudo-American +pseudoanachronistic +pseudoanachronistical +pseudoanaphylactic +pseudoanaphylaxis +pseudoanarchistic +pseudoanatomic +pseudoanatomical +pseudoanatomically +pseudoancestral +pseudoancestrally +pseudoanemia +pseudoanemic +pseudoangelic +pseudoangelical +pseudoangelically +pseudoangina +Pseudo-angle +pseudoangular +pseudoangularly +pseudoankylosis +pseudoanthorine +pseudoanthropoid +pseudoanthropology +pseudoanthropological +pseudoantique +pseudoapologetic +pseudoapologetically +pseudoapoplectic +pseudoapoplectical +pseudoapoplectically +pseudoapoplexy +pseudoappendicitis +pseudoapplicative +pseudoapprehensive +pseudoapprehensively +pseudoaquatic +pseudoarchaic +pseudoarchaically +pseudoarchaism +pseudoarchaist +Pseudo-areopagite +pseudo-Argentinean +Pseudo-argentinian +Pseudo-aryan +pseudoaristocratic +pseudoaristocratical +pseudoaristocratically +pseudo-Aristotelian +pseudoarthrosis +pseudoarticulate +pseudoarticulately +pseudoarticulation +pseudoartistic +pseudoartistically +pseudoascetic +pseudoascetical +pseudoascetically +pseudoasymmetry +pseudoasymmetric +pseudoasymmetrical +pseudoasymmetrically +pseudoassertive +pseudoassertively +pseudo-Assyrian +pseudoassociational +pseudoastringent +pseudoataxia +Pseudo-australian +Pseudo-austrian +Pseudo-babylonian +pseudobacterium +pseudobankrupt +pseudobaptismal +Pseudo-baptist +pseudobasidium +pseudobchia +Pseudo-belgian +pseudobenefactory +pseudobenevolent +pseudobenevolently +pseudobenthonic +pseudobenthos +pseudobia +pseudobinary +pseudobiographic +pseudobiographical +pseudobiographically +pseudobiological +pseudobiologically +pseudoblepsia +pseudoblepsis +Pseudo-bohemian +pseudo-Bolivian +pseudobrachia +pseudobrachial +pseudobrachium +Pseudo-brahman +pseudobranch +pseudobranchia +pseudobranchial +pseudobranchiate +Pseudobranchus +Pseudo-brazilian +pseudobrookite +pseudobrotherly +Pseudo-buddhist +pseudobulb +pseudobulbar +pseudobulbil +pseudobulbous +Pseudo-bulgarian +pseudobutylene +Pseudo-callisthenes +Pseudo-canadian +pseudocandid +pseudocandidly +pseudocapitulum +pseudocaptive +pseudocarbamide +pseudocarcinoid +pseudocarp +pseudo-carp +pseudocarpous +pseudo-Carthaginian +pseudocartilaginous +pseudo-Catholic +pseudocatholically +pseudocele +pseudocelian +pseudocelic +pseudocellus +pseudocelom +pseudocentric +pseudocentrous +pseudocentrum +Pseudoceratites +pseudoceratitic +pseudocercaria +pseudocercariae +pseudocercerci +pseudocerci +pseudocercus +pseudoceryl +pseudocharitable +pseudocharitably +pseudochemical +Pseudo-chilean +pseudochylous +pseudochina +Pseudo-chinese +pseudochrysalis +pseudochrysolite +pseudo-christ +pseudo-Christian +pseudochromesthesia +pseudochromia +pseudochromosome +pseudochronism +pseudochronologist +Pseudo-ciceronian +pseudocyclosis +pseudocyesis +pseudocyphella +pseudocirrhosis +pseudocyst +pseudoclassic +pseudoclassical +pseudoclassicality +pseudoclassicism +Pseudo-clementine +pseudoclerical +pseudoclerically +Pseudococcinae +Pseudococcus +pseudococtate +pseudo-code +pseudocoel +pseudocoele +pseudocoelom +pseudocoelomate +pseudocoelome +pseudocollegiate +pseudocolumella +pseudocolumellar +pseudocommissural +pseudocommissure +pseudocommisural +pseudocompetitive +pseudocompetitively +pseudoconcha +pseudoconclude +pseudocone +pseudoconfessional +pseudoconglomerate +pseudoconglomeration +pseudoconhydrine +pseudoconjugation +pseudoconservative +pseudoconservatively +pseudocorneous +pseudocortex +pseudocosta +pseudocotyledon +pseudocotyledonal +pseudocotyledonary +pseudocourteous +pseudocourteously +pseudocrystalline +pseudocritical +pseudocritically +pseudocroup +pseudocubic +pseudocubical +pseudocubically +pseudocultivated +pseudocultural +pseudoculturally +pseudocumene +pseudocumenyl +pseudocumidine +pseudocumyl +Pseudo-dantesque +pseudodeltidium +pseudodementia +pseudodemocratic +pseudo-Democratic +pseudodemocratically +pseudoderm +pseudodermic +pseudodevice +pseudodiagnosis +pseudodiastolic +Pseudo-dionysius +pseudodiphtheria +pseudodiphtherial +pseudodiphtheric +pseudodiphtheritic +pseudodipteral +pseudodipterally +pseudodipteros +pseudodysentery +pseudodivine +pseudodont +pseudodox +pseudodoxal +pseudodoxy +pseudodramatic +pseudodramatically +Pseudo-dutch +pseudoeconomical +pseudoeconomically +pseudoedema +pseudoedemata +pseudoeditorial +pseudoeditorially +pseudoeducational +pseudoeducationally +pseudo-Egyptian +pseudoelectoral +pseudoelephant +Pseudo-elizabethan +pseudoembryo +pseudoembryonic +pseudoemotional +pseudoemotionally +pseudoencephalitic +Pseudo-english +pseudoenthusiastic +pseudoenthusiastically +pseudoephedrine +pseudoepiscopal +pseudo-Episcopalian +pseudoequalitarian +pseudoerysipelas +pseudoerysipelatous +pseudoerythrin +pseudoerotic +pseudoerotically +pseudoeroticism +pseudoethical +pseudoethically +pseudoetymological +pseudoetymologically +pseudoeugenics +Pseudo-european +pseudoevangelic +pseudoevangelical +pseudoevangelically +pseudoexperimental +pseudoexperimentally +pseudofaithful +pseudofaithfully +pseudofamous +pseudofamously +pseudofarcy +pseudofatherly +pseudofeminine +pseudofever +pseudofeverish +pseudofeverishly +pseudofilaria +pseudofilarian +pseudofiles +pseudofinal +pseudofinally +pseudofluctuation +pseudofluorescence +pseudofoliaceous +pseudoform +pseudofossil +Pseudo-french +pseudogalena +pseudoganglion +pseudogaseous +pseudogaster +pseudogastrula +pseudogenera +pseudogeneral +pseudogeneric +pseudogenerical +pseudogenerically +pseudogenerous +pseudogenteel +pseudogentlemanly +pseudogenus +pseudogenuses +pseudogeometry +Pseudo-georgian +Pseudo-german +pseudogermanic +pseudo-Germanic +pseudogeusia +pseudogeustia +pseudogyne +pseudogyny +pseudogynous +pseudogyrate +pseudoglanders +pseudoglioma +pseudoglobulin +pseudoglottis +Pseudo-gothic +pseudograph +pseudographeme +pseudographer +pseudography +pseudographia +pseudographize +pseudograsserie +Pseudo-grecian +Pseudo-greek +Pseudogryphus +pseudohallucination +pseudohallucinatory +pseudohalogen +pseudohemal +pseudohemophilia +pseudohermaphrodism +pseudohermaphrodite +pseudohermaphroditic +pseudohermaphroditism +pseudoheroic +pseudoheroical +pseudoheroically +pseudohexagonal +pseudohexagonally +pseudohydrophobia +pseudo-hieroglyphic +Pseudo-hindu +pseudohyoscyamine +pseudohypertrophy +pseudohypertrophic +pseudohistoric +pseudohistorical +pseudohistorically +Pseudo-hittite +pseudoholoptic +Pseudo-homeric +pseudohuman +pseudohumanistic +Pseudo-hungarian +pseudoidentical +pseudoimpartial +pseudoimpartially +Pseudo-incan +pseudoindependent +pseudoindependently +Pseudo-indian +pseudoinfluenza +pseudoinsane +pseudoinsoluble +pseudoinspirational +pseudoinspiring +pseudoinstruction +pseudoinstructions +pseudointellectual +pseudointellectually +pseudointellectuals +pseudointernational +pseudointernationalistic +pseudo-intransitive +pseudoinvalid +pseudoinvalidly +pseudoyohimbine +pseudo-ionone +Pseudo-iranian +Pseudo-irish +pseudoisatin +Pseudo-isidore +Pseudo-isidorian +pseudoism +pseudoisomer +pseudoisomeric +pseudoisomerism +pseudoisometric +pseudo-isometric +pseudoisotropy +Pseudo-italian +Pseudo-japanese +pseudojervine +Pseudo-junker +pseudolabia +pseudolabial +pseudolabium +pseudolalia +Pseudolamellibranchia +Pseudolamellibranchiata +pseudolamellibranchiate +pseudolaminated +Pseudolarix +pseudolateral +pseudolatry +pseudolegal +pseudolegality +pseudolegendary +pseudolegislative +pseudoleucite +pseudoleucocyte +pseudoleukemia +pseudoleukemic +pseudoliberal +pseudoliberally +pseudolichen +pseudolinguistic +pseudolinguistically +pseudoliterary +pseudolobar +pseudology +pseudological +pseudologically +pseudologist +pseudologue +pseudolunula +pseudolunulae +pseudolunule +Pseudo-mayan +pseudomalachite +pseudomalaria +pseudomancy +pseudomania +pseudomaniac +pseudomantic +pseudomantist +pseudomasculine +pseudomedical +pseudomedically +pseudomedieval +pseudomedievally +pseudomelanosis +pseudomembrane +pseudomembranous +pseudomemory +pseudomeningitis +pseudomenstruation +pseudomer +pseudomery +pseudomeric +pseudomerism +Pseudo-messiah +Pseudo-messianic +pseudometallic +pseudometameric +pseudometamerism +Pseudo-methodist +pseudometric +Pseudo-mexican +pseudomica +pseudomycelial +pseudomycelium +pseudomilitary +pseudomilitarily +pseudomilitarist +pseudomilitaristic +Pseudo-miltonic +pseudoministerial +pseudoministry +pseudomiraculous +pseudomiraculously +pseudomythical +pseudomythically +pseudomitotic +pseudomnesia +pseudomodern +pseudomodest +pseudomodestly +Pseudo-mohammedan +pseudo-Mohammedanism +pseudomonades +Pseudomonas +pseudomonastic +pseudomonastical +pseudomonastically +Pseudo-mongolian +pseudomonocyclic +pseudomonoclinic +pseudomonocotyledonous +pseudomonotropy +pseudomoral +pseudomoralistic +pseudomorph +pseudomorphia +pseudomorphic +pseudomorphine +pseudomorphism +pseudomorphose +pseudomorphosis +pseudomorphous +pseudomorula +pseudomorular +Pseudo-moslem +pseudomucin +pseudomucoid +pseudomultilocular +pseudomultiseptate +pseudo-Muslem +pseudo-Muslim +pseudomutuality +pseudonarcotic +pseudonational +pseudonationally +pseudonavicella +pseudonavicellar +pseudonavicula +pseudonavicular +pseudoneuropter +Pseudoneuroptera +pseudoneuropteran +pseudoneuropterous +pseudonychium +pseudonym +pseudonymal +pseudonymic +pseudonymity +pseudonymous +pseudonymously +pseudonymousness +pseudonyms +pseudonymuncle +pseudonymuncule +pseudonitrol +pseudonitrole +pseudonitrosite +pseudonoble +Pseudo-norwegian +pseudonuclein +pseudonucleolus +pseudoobscura +pseudooccidental +pseudo-occidental +pseudoofficial +pseudoofficially +pseudoorganic +pseudoorganically +pseudooriental +Pseudo-oriental +pseudoorientally +pseudoorthorhombic +pseudo-orthorhombic +pseudo-osteomalacia +pseudooval +pseudoovally +pseudopagan +Pseudo-panamanian +pseudopapal +pseudo-papal +pseudopapaverine +pseudoparalyses +pseudoparalysis +pseudoparalytic +pseudoparallel +pseudoparallelism +pseudoparaplegia +pseudoparasitic +pseudoparasitism +pseudoparenchyma +pseudoparenchymatous +pseudoparenchyme +pseudoparesis +pseudoparthenogenesis +pseudopatriotic +pseudopatriotically +pseudopediform +pseudopelletierine +pseudopercular +pseudoperculate +pseudoperculum +pseudoperianth +pseudoperidium +pseudoperiodic +pseudoperipteral +pseudoperipteros +pseudopermanent +pseudoperoxide +Pseudo-persian +pseudoperspective +Pseudopeziza +pseudophallic +pseudophellandrene +pseudophenanthrene +pseudophenanthroline +pseudophenocryst +pseudophilanthropic +pseudophilanthropical +pseudophilanthropically +pseudophilosophical +Pseudophoenix +pseudophone +Pseudo-pindaric +pseudopionnotes +pseudopious +pseudopiously +pseudopyriform +pseudoplasm +pseudoplasma +pseudoplasmodium +pseudopneumonia +pseudopod +pseudopodal +pseudopode +pseudopodia +pseudopodial +pseudopodian +pseudopodic +pseudopodiospore +pseudopodium +pseudopoetic +pseudopoetical +Pseudo-polish +pseudopolitic +pseudopolitical +pseudopopular +pseudopore +pseudoporphyritic +pseudopregnancy +pseudopregnant +Pseudo-presbyterian +pseudopriestly +pseudoprimitive +pseudoprimitivism +pseudoprincely +pseudoproboscis +pseudoprofessional +pseudoprofessorial +pseudoprophetic +pseudoprophetical +pseudoprosperous +pseudoprosperously +pseudoprostyle +pseudopsia +pseudopsychological +pseudoptics +pseudoptosis +pseudopupa +pseudopupal +pseudopurpurin +pseudoquinol +pseudorabies +pseudoracemic +pseudoracemism +pseudoramose +pseudoramulus +pseudorandom +pseudorealistic +pseudoreduction +pseudoreformatory +pseudoreformed +pseudoregal +pseudoregally +pseudoreligious +pseudoreligiously +pseudoreminiscence +pseudorepublican +Pseudo-republican +pseudoresident +pseudoresidential +pseudorganic +pseudorheumatic +pseudorhombohedral +pseudoroyal +pseudoroyally +Pseudo-roman +pseudoromantic +pseudoromantically +pseudorunic +Pseudo-russian +pseudos +pseudosacred +pseudosacrilegious +pseudosacrilegiously +pseudosalt +pseudosatirical +pseudosatirically +pseudoscalar +pseudoscarlatina +Pseudoscarus +pseudoscholarly +pseudoscholastic +pseudoscholastically +pseudoscience +pseudoscientific +pseudoscientifically +pseudoscientist +Pseudoscines +pseudoscinine +pseudosclerosis +pseudoscope +pseudoscopy +pseudoscopic +pseudoscopically +pseudoscorpion +Pseudoscorpiones +Pseudoscorpionida +pseudoscutum +pseudosemantic +pseudosemantically +pseudosematic +Pseudo-semitic +pseudosensational +pseudoseptate +Pseudo-serbian +pseudoservile +pseudoservilely +pseudosessile +Pseudo-shakespearean +pseudo-Shakespearian +pseudosyllogism +pseudosymmetry +pseudosymmetric +pseudosymmetrical +pseudosymptomatic +pseudosyphilis +pseudosyphilitic +pseudosiphonal +pseudosiphonic +pseudosiphuncal +pseudoskeletal +pseudoskeleton +pseudoskink +pseudosmia +pseudosocial +pseudosocialistic +pseudosocially +Pseudo-socratic +pseudosolution +pseudosoph +pseudosopher +pseudosophy +pseudosophical +pseudosophist +Pseudo-spanish +pseudospectral +pseudosperm +pseudospermic +pseudospermium +pseudospermous +pseudosphere +pseudospherical +pseudospiracle +pseudospiritual +pseudospiritually +pseudosporangium +pseudospore +pseudosquamate +pseudostalactite +pseudostalactitic +pseudostalactitical +pseudostalagmite +pseudostalagmitic +pseudostalagmitical +pseudostereoscope +pseudostereoscopic +pseudostereoscopism +pseudostigma +pseudostigmatic +pseudostoma +pseudostomatous +pseudostomous +pseudostratum +pseudostudious +pseudostudiously +pseudosubtle +pseudosubtly +Pseudosuchia +pseudosuchian +pseudosuicidal +pseudosweating +Pseudo-swedish +pseudotabes +pseudotachylite +pseudotetanus +pseudotetragonal +Pseudotetramera +pseudotetrameral +pseudotetramerous +pseudotyphoid +pseudotrachea +pseudotracheal +pseudotribal +pseudotribally +pseudotributary +Pseudotrimera +pseudotrimeral +pseudotrimerous +pseudotripteral +pseudotropine +Pseudotsuga +pseudotubercular +pseudotuberculosis +pseudotuberculous +pseudoturbinal +Pseudo-turk +Pseudo-turkish +pseudo-uniseptate +pseudo-urate +pseudo-urea +pseudo-uric +pseudoval +pseudovary +pseudovarian +pseudovaries +pseudovelar +pseudovelum +pseudoventricle +Pseudo-vergilian +pseudoviaduct +Pseudo-victorian +pseudoviperine +pseudoviperous +pseudoviperously +pseudo-Virgilian +pseudoviscosity +pseudoviscous +pseudovolcanic +pseudovolcano +pseudovum +pseudowhorl +pseudoxanthine +pseudozealot +pseudozealous +pseudozealously +pseudozoea +pseudozoogloeal +pseudozoological +pseuds +PSF +PSG +psha +P-shaped +Pshav +pshaw +pshawed +pshawing +pshaws +PSI +psia +psych +psych- +psychagogy +psychagogic +psychagogos +psychagogue +psychal +psychalgia +psychanalysis +psychanalysist +psychanalytic +psychanalytically +psychasthenia +psychasthenic +psychataxia +Psyche +Psychean +psyched +psychedelia +psychedelic +psychedelically +psychedelics +psycheometry +psyches +psyche's +psychesthesia +psychesthetic +psychiasis +psychiater +Psychiatry +psychiatria +psychiatric +psychiatrical +psychiatrically +psychiatries +psychiatrist +psychiatrists +psychiatrist's +psychiatrize +psychic +psychical +psychically +Psychichthys +psychicism +psychicist +psychics +psychid +Psychidae +psyching +psychism +psychist +psycho +psycho- +psychoacoustic +psychoacoustics +psychoactive +psychoanal +psychoanal. +psychoanalyse +psychoanalyses +psychoanalysis +psychoanalyst +psychoanalysts +psychoanalytic +psychoanalytical +psychoanalytically +psychoanalyze +psychoanalyzed +psychoanalyzer +psychoanalyzes +psychoanalyzing +psycho-asthenics +psychoautomatic +psychobiochemistry +psychobiology +psychobiologic +psychobiological +psychobiologist +psychobiotic +psychocatharsis +psychochemical +psychochemist +psychochemistry +psychoclinic +psychoclinical +psychoclinicist +Psychoda +psychodelic +psychodiagnosis +psychodiagnostic +psychodiagnostics +Psychodidae +psychodynamic +psychodynamics +psychodispositional +psychodrama +psychodramas +psychodramatic +psychoeducational +psychoepilepsy +psychoethical +psychofugal +psychogalvanic +psychogalvanometer +psychogenesis +psychogenetic +psychogenetical +psychogenetically +psychogenetics +psychogeny +psychogenic +psychogenically +psychogeriatrics +psychognosy +psychognosis +psychognostic +psychogony +psychogonic +psychogonical +psychogram +psychograph +psychographer +psychography +psychographic +psychographically +psychographist +psychohistory +psychoid +psychokyme +psychokineses +psychokinesia +psychokinesis +psychokinetic +Psychol +psychol. +psycholepsy +psycholeptic +psycholinguistic +psycholinguistics +psychologer +psychology +psychologian +psychologic +psychological +psychologically +psychologics +psychologies +psychologised +psychologising +psychologism +psychologist +psychologistic +psychologists +psychologist's +psychologize +psychologized +psychologizing +psychologue +psychomachy +psychomancy +psychomantic +psychometer +psychometry +psychometric +psychometrical +psychometrically +psychometrician +psychometrics +psychometries +psychometrist +psychometrize +psychomonism +psychomoral +psychomorphic +psychomorphism +psychomotility +psychomotor +psychon +psychoneural +psychoneurological +psychoneuroses +psychoneurosis +psychoneurotic +psychony +psychonomy +psychonomic +psychonomics +psychoorganic +psychopanychite +psychopannychy +psychopannychian +psychopannychism +psychopannychist +psychopannychistic +psychopath +psychopathy +psychopathia +psychopathic +psychopathically +psychopathies +psychopathist +psychopathology +psychopathologic +psychopathological +psychopathologically +psychopathologist +psychopaths +psychopetal +psychopharmacology +psychopharmacologic +psychopharmacological +psychophysic +psycho-physic +psychophysical +psycho-physical +psychophysically +psychophysicist +psychophysics +psychophysiology +psychophysiologic +psychophysiological +psychophysiologically +psychophysiologist +psychophobia +psychophonasthenia +psychoplasm +psychopomp +psychopompos +Psychopompus +psychoprophylactic +psychoprophylaxis +psychoquackeries +psychorealism +psychorealist +psychorealistic +psychoreflex +psychorhythm +psychorhythmia +psychorhythmic +psychorhythmical +psychorhythmically +psychorrhagy +psychorrhagic +psychos +psychosarcous +psychosensory +psychosensorial +psychoses +psychosexual +psychosexuality +psychosexually +psychosyntheses +psychosynthesis +psychosynthetic +psychosis +psychosocial +psychosocially +psychosociology +psychosomatic +psychosomatics +psychosome +psychosophy +psychostasy +psychostatic +psychostatical +psychostatically +psychostatics +psychosurgeon +psychosurgery +psychotaxis +psychotechnical +psychotechnician +psychotechnics +psychotechnology +psychotechnological +psychotechnologist +psychotheism +psychotheist +psychotherapeutic +psycho-therapeutic +psychotherapeutical +psychotherapeutically +psychotherapeutics +psychotherapeutist +psychotherapy +psychotherapies +psychotherapist +psychotherapists +psychotic +psychotically +psychotics +psychotogen +psychotogenic +psychotomimetic +psychotoxic +Psychotria +psychotrine +psychotropic +psychovital +Psychozoic +psychro- +psychroesthesia +psychrograph +psychrometer +psychrometry +psychrometric +psychrometrical +psychrophile +psychrophilic +psychrophyte +psychrophobia +psychrophore +psychrotherapies +psychs +psychurgy +psycter +psid +Psidium +psig +psykter +psykters +psilanthropy +psilanthropic +psilanthropism +psilanthropist +psilatro +Psylla +psyllas +psyllid +Psyllidae +psyllids +psyllium +psilo- +psiloceran +Psiloceras +psiloceratan +psiloceratid +Psiloceratidae +psilocybin +psilocin +psiloi +psilology +psilomelane +psilomelanic +Psilophytales +psilophyte +Psilophyton +Psiloriti +psiloses +psilosis +psilosopher +psilosophy +Psilotaceae +psilotaceous +psilothrum +psilotic +Psilotum +psis +Psithyrus +psithurism +psittaceous +psittaceously +Psittaci +Psittacidae +Psittaciformes +Psittacinae +psittacine +psittacinite +psittacism +psittacistic +Psittacomorphae +psittacomorphic +psittacosis +psittacotic +Psittacus +PSIU +psywar +psywars +psize +PSK +Pskov +PSL +PSM +PSN +PSO +psoadic +psoae +psoai +psoas +psoatic +psocid +Psocidae +psocids +psocine +psoitis +psomophagy +psomophagic +psomophagist +psora +Psoralea +psoraleas +psoralen +psoriases +psoriasic +psoriasiform +psoriasis +psoriasises +psoriatic +psoriatiform +psoric +psoroid +Psorophora +psorophthalmia +psorophthalmic +Psoroptes +psoroptic +psorosis +psorosperm +psorospermial +psorospermiasis +psorospermic +psorospermiform +psorospermosis +psorous +psovie +PSP +PSR +PSS +pssimistical +psst +PST +P-state +PSTN +PSU +psuedo +PSV +PSW +PSWM +PT +pt. +PTA +Ptah +Ptain +ptarmic +Ptarmica +ptarmical +ptarmigan +ptarmigans +Ptas +PTAT +PT-boat +PTD +PTE +Ptelea +Ptenoglossa +ptenoglossate +Pteranodon +pteranodont +Pteranodontidae +pteraspid +Pteraspidae +Pteraspis +ptereal +Pterelaus +pterergate +Pterian +pteric +Pterichthyodes +Pterichthys +pterid- +pterideous +pteridium +pterido- +pteridography +pteridoid +pteridology +pteridological +pteridologist +pteridophilism +pteridophilist +pteridophilistic +Pteridophyta +pteridophyte +pteridophytes +pteridophytic +pteridophytous +pteridosperm +Pteridospermae +Pteridospermaphyta +pteridospermaphytic +pteridospermous +pterygia +pterygial +pterygiophore +pterygium +pterygiums +pterygo- +pterygobranchiate +pterygode +pterygodum +Pterygogenea +pterygoid +pterygoidal +pterygoidean +pterygomalar +pterygomandibular +pterygomaxillary +pterygopalatal +pterygopalatine +pterygopharyngeal +pterygopharyngean +pterygophore +pterygopodium +pterygoquadrate +pterygosphenoid +pterygospinous +pterygostaphyline +Pterygota +pterygote +pterygotous +pterygotrabecular +Pterygotus +pteryla +pterylae +pterylography +pterylographic +pterylographical +pterylology +pterylological +pterylosis +pterin +pterins +pterion +pteryrygia +Pteris +pterna +ptero- +Pterobranchia +pterobranchiate +Pterocarya +pterocarpous +Pterocarpus +Pterocaulon +Pterocera +Pteroceras +Pterocles +Pterocletes +Pteroclidae +Pteroclomorphae +pteroclomorphic +pterodactyl +Pterodactyli +pterodactylian +pterodactylic +pterodactylid +Pterodactylidae +pterodactyloid +pterodactylous +pterodactyls +Pterodactylus +pterographer +pterography +pterographic +pterographical +pteroid +pteroylglutamic +pteroylmonogl +pteroma +pteromalid +Pteromalidae +pteromata +Pteromys +pteron +pteronophobia +pteropaedes +pteropaedic +pteropegal +pteropegous +pteropegum +pterophorid +Pterophoridae +Pterophorus +Pterophryne +pteropid +Pteropidae +pteropine +pteropod +Pteropoda +pteropodal +pteropodan +pteropodial +Pteropodidae +pteropodium +pteropodous +pteropods +Pteropsida +Pteropus +pterosaur +Pterosauri +Pterosauria +pterosaurian +pterospermous +Pterospora +Pterostemon +Pterostemonaceae +pterostigma +pterostigmal +pterostigmatic +pterostigmatical +pterotheca +pterothorax +pterotic +pterous +PTFE +ptg +ptg. +PTI +pty +ptyalagogic +ptyalagogue +ptyalectases +ptyalectasis +ptyalin +ptyalins +ptyalism +ptyalisms +ptyalize +ptyalized +ptyalizing +ptyalocele +ptyalogenic +ptyalolith +ptyalolithiasis +ptyalorrhea +Ptychoparia +ptychoparid +ptychopariid +ptychopterygial +ptychopterygium +Ptychosperma +Ptilichthyidae +Ptiliidae +Ptilimnium +ptilinal +ptilinum +ptilo- +Ptilocercus +Ptilonorhynchidae +Ptilonorhynchinae +ptilopaedes +ptilopaedic +ptilosis +Ptilota +ptinid +Ptinidae +ptinoid +Ptinus +p-type +ptisan +ptisans +ptysmagogue +ptyxis +PTN +PTO +ptochocracy +ptochogony +ptochology +Ptolemaean +Ptolemaeus +Ptolemaian +Ptolemaic +Ptolemaical +Ptolemaism +Ptolemaist +Ptolemean +Ptolemy +Ptolemies +ptomain +ptomaine +ptomaines +ptomainic +ptomains +ptomatropine +P-tongue +ptoses +ptosis +ptotic +Ptous +PTP +pts +pts. +PTSD +PTT +ptts +PTV +PTW +PU +pua +puan +pub +pub. +pubal +pubble +pub-crawl +puberal +pubertal +puberty +pubertic +puberties +puberulent +puberulous +pubes +pubescence +pubescency +pubescent +pubian +pubic +pubigerous +Pubilis +pubiotomy +pubis +publ +publ. +Publea +Publia +Publias +Public +publica +publicae +publically +Publican +publicanism +publicans +publicate +publication +publicational +publications +publication's +publice +publichearted +publicheartedness +publici +publicism +publicist +publicists +publicity +publicities +publicity-proof +publicization +publicize +publicized +publicizer +publicizes +publicizing +publicly +public-minded +public-mindedness +publicness +publics +public-school +public-spirited +public-spiritedly +public-spiritedness +publicum +publicute +public-utility +public-voiced +Publilian +publish +publishable +published +publisher +publisheress +publishers +publishership +publishes +publishing +publishment +Publius +Publus +pubo- +pubococcygeal +pubofemoral +puboiliac +puboischiac +puboischial +puboischiatic +puboprostatic +puborectalis +pubotibial +pubourethral +pubovesical +pubs +pub's +PUC +puca +Puccini +Puccinia +Pucciniaceae +pucciniaceous +puccinoid +puccoon +puccoons +puce +pucelage +pucellage +pucellas +pucelle +puceron +puces +Puchanahua +puchera +pucherite +puchero +Pucida +Puck +pucka +puckball +puck-carrier +pucker +puckerbush +puckered +puckerel +puckerer +puckerers +puckery +puckerier +puckeriest +puckering +puckermouth +puckers +Puckett +puckfist +puckfoist +puckish +puckishly +puckishness +puckle +pucklike +puckling +puckneedle +puckrel +pucks +pucksey +puckster +PUD +pudda +puddee +puddening +pudder +puddy +pudding +puddingberry +pudding-faced +puddinghead +puddingheaded +puddinghouse +puddingy +puddinglike +pudding-pie +puddings +pudding's +pudding-shaped +puddingstone +puddingwife +puddingwives +puddle +puddleball +puddlebar +puddled +puddlelike +puddler +puddlers +puddles +puddly +puddlier +puddliest +puddling +puddlings +puddock +pudency +pudencies +pudenda +pudendal +Pudendas +pudendous +pudendum +Pudens +pudent +pudge +pudgy +pudgier +pudgiest +pudgily +pudginess +pudiano +pudibund +pudibundity +pudic +pudical +pudicity +pudicitia +Pudovkin +puds +Pudsey +pudsy +Pudu +Puduns +Puebla +pueblito +Pueblo +Puebloan +puebloization +puebloize +pueblos +Puelche +Puelchean +Pueraria +puerer +puericulture +puerile +puerilely +puerileness +puerilism +puerility +puerilities +puerman +puerpera +puerperae +puerperal +puerperalism +puerperant +puerpery +puerperia +puerperium +puerperous +Puerto +Puertoreal +Puett +Pufahl +Pufendorf +Puff +puff-adder +puffback +puffball +puff-ball +puffballs +puffbird +puff-bird +puffed +puffer +puffery +pufferies +puffers +puff-fish +puffy +puffier +puffiest +puffily +puffin +puffiness +puffinet +puffing +puffingly +puffins +Puffinus +puff-leg +pufflet +puff-paste +puff-puff +puffs +pufftn +puffwig +pug +pugaree +pugarees +pugdog +pugenello +puget +pug-faced +puggaree +puggarees +pugged +pugger +puggi +puggy +puggier +puggiest +pugginess +pugging +puggish +puggle +puggree +puggrees +puggry +puggries +Pugh +pugil +pugilant +pugilism +pugilisms +pugilist +pugilistic +pugilistical +pugilistically +pugilists +Pugin +Puglia +puglianite +pugman +pugmark +pugmarks +pugmill +pugmiller +pugnacious +pugnaciously +pugnaciousness +pugnacity +pug-nosed +pug-pile +pugree +pugrees +pugs +puy +Puya +Puyallup +Pu-yi +Puiia +Puinavi +Puinavian +Puinavis +puir +puirness +puirtith +Puiseux +puisne +puisnes +puisny +puissance +puissant +puissantly +puissantness +puist +puistie +puja +pujah +pujahs +pujari +pujas +Pujunan +puka +pukatea +pukateine +puke +puked +pukeka +pukeko +puker +pukes +puke-stocking +pukeweed +Pukhtun +puky +puking +pukish +pukishness +pukka +Puklich +pukras +puku +Pukwana +Pul +Pula +pulahan +pulahanes +pulahanism +Pulaya +Pulayan +pulajan +pulas +pulasan +Pulaski +pulaskite +Pulcheria +Pulchi +Pulchia +pulchrify +pulchritude +pulchritudes +pulchritudinous +Pulcifer +Pulcinella +pule +puled +pulegol +pulegone +puleyn +puler +pulers +pules +Pulesati +Pulex +pulgada +pulghere +puli +puly +Pulian +pulicarious +pulicat +pulicate +pulicene +pulicid +Pulicidae +pulicidal +pulicide +pulicides +pulicine +pulicoid +pulicose +pulicosity +pulicous +pulijan +pulik +puling +pulingly +pulings +puliol +pulis +pulish +Pulitzer +Pulj +pulk +pulka +pull +pull- +pullable +pullaile +pullalue +pullback +pull-back +pullbacks +pullboat +pulldevil +pulldoo +pulldown +pull-down +pulldrive +pull-drive +pulled +pulley +pulleyless +pulleys +pulley's +pulley-shaped +pullen +puller +pullery +pulleries +puller-in +puller-out +pullers +pullet +pullets +pulli +pullicat +pullicate +pully-haul +pully-hauly +pull-in +Pulling +pulling-out +pullings +pullisee +Pullman +Pullmanize +Pullmans +pullock +pull-off +pull-on +pullorum +pullout +pull-out +pullouts +pullover +pull-over +pullovers +pulls +pullshovel +pull-through +pullulant +pullulate +pullulated +pullulating +pullulation +pullulative +pullup +pull-up +pullups +pullus +pulment +pulmo- +pulmobranchia +pulmobranchial +pulmobranchiate +pulmocardiac +pulmocutaneous +pulmogastric +pulmometer +pulmometry +pulmonal +pulmonar +pulmonary +Pulmonaria +pulmonarian +Pulmonata +pulmonate +pulmonated +pulmonectomy +pulmonectomies +pulmoni- +pulmonic +pulmonical +pulmonifer +Pulmonifera +pulmoniferous +pulmonitis +pulmono- +Pulmotor +pulmotors +pulmotracheal +pulmotracheary +Pulmotrachearia +pulmotracheate +pulp +pulpaceous +pulpal +pulpalgia +pulpally +pulpamenta +pulpar +pulpatone +pulpatoon +pulpboard +pulpectomy +pulped +pulpefaction +pulper +pulperia +pulpers +pulpy +pulpier +pulpiest +pulpify +pulpification +pulpified +pulpifier +pulpifying +pulpily +pulpiness +pulping +pulpit +pulpital +pulpitarian +pulpiteer +pulpiter +pulpitful +pulpitic +pulpitical +pulpitically +pulpitis +pulpitish +pulpitism +pulpitize +pulpitless +pulpitly +pulpitolatry +pulpitry +pulpits +pulpit's +pulpitum +pulpless +pulplike +pulpotomy +pulpous +pulpousness +pulps +pulpstone +pulpwood +pulpwoods +pulque +pulques +puls +pulsant +pulsar +pulsars +pulsatance +pulsate +pulsated +pulsates +pulsatile +pulsatility +Pulsatilla +pulsating +pulsation +pulsational +pulsations +pulsative +pulsatively +pulsator +pulsatory +pulsators +pulse +pulsebeat +pulsed +pulsejet +pulse-jet +pulsejets +pulseless +pulselessly +pulselessness +pulselike +pulsellum +pulser +pulsers +pulses +pulsidge +Pulsifer +pulsific +pulsimeter +pulsing +pulsion +pulsions +pulsive +pulsojet +pulsojets +pulsometer +pulsus +pultaceous +Pulteney +Pultneyville +pulton +pultost +pultun +pulture +pulu +pulv +pulverable +pulverableness +pulveraceous +pulverant +pulverate +pulverated +pulverating +pulveration +pulvereous +pulverescent +pulverin +pulverine +pulverisable +pulverisation +pulverise +pulverised +pulveriser +pulverising +pulverizable +pulverizate +pulverization +pulverizator +pulverize +pulverized +pulverizer +pulverizes +pulverizing +pulverous +pulverulence +pulverulent +pulverulently +pulvic +pulvil +pulvilio +pulvillar +pulvilli +pulvilliform +pulvillus +pulvinar +Pulvinaria +pulvinarian +pulvinate +pulvinated +pulvinately +pulvination +pulvini +pulvinic +pulviniform +pulvinni +pulvino +pulvinule +pulvinulus +pulvinus +pulviplume +pulwar +puma +pumas +Pume +pumelo +pumelos +pumex +pumicate +pumicated +pumicating +pumice +pumiced +pumiceous +pumicer +pumicers +pumices +pumice-stone +pumiciform +pumicing +pumicite +pumicites +pumicose +pummel +pummeled +pummeling +pummelled +pummelling +pummels +pummice +Pump +pumpable +pump-action +pumpage +pumped +pumpellyite +pumper +pumpernickel +pumpernickels +pumpers +pumpet +pumphandle +pump-handle +pump-handler +pumping +pumpkin +pumpkin-colored +pumpkin-headed +pumpkinify +pumpkinification +pumpkinish +pumpkinity +pumpkins +pumpkin's +pumpkinseed +pumpkin-seed +pumpknot +pumple +pumpless +pumplike +pumpman +pumpmen +pump-priming +pump-room +pumps +Pumpsie +pumpsman +pumpwell +pump-well +pumpwright +pun +puna +punaise +Punak +Punakha +punalua +punaluan +punamu +Punan +Punans +punas +punatoo +punce +Punch +punchable +punchayet +punchball +punch-ball +punchboard +punchbowl +punch-bowl +punch-drunk +punched +Puncheon +puncheons +puncher +punchers +punches +punch-hole +punchy +punchier +punchiest +punchily +Punchinello +Punchinelloes +Punchinellos +punchiness +punching +punchless +punchlike +punch-marked +punchproof +punch-up +punct +punctal +punctate +punctated +punctatim +punctation +punctator +puncticular +puncticulate +puncticulose +punctiform +punctiliar +punctilio +punctiliomonger +punctilios +punctiliosity +punctilious +punctiliously +punctiliousness +punction +punctist +punctographic +punctual +punctualist +punctuality +punctualities +punctually +punctualness +punctuate +punctuated +punctuates +punctuating +punctuation +punctuational +punctuationist +punctuative +punctuator +punctuist +punctulate +punctulated +punctulation +punctule +punctulum +punctum +puncturation +puncture +punctured +punctureless +punctureproof +puncturer +punctures +puncture's +puncturing +punctus +pundigrion +pundit +pundita +punditic +punditically +punditry +punditries +pundits +pundonor +pundum +Pune +puneca +punese +pung +punga +pungapung +pungar +pungey +pungence +pungency +pungencies +pungent +pungently +punger +pungi +pungy +pungie +pungies +pungyi +pungle +pungled +pungles +pungling +Pungoteague +pungs +puny +Punic +Punica +Punicaceae +punicaceous +puniceous +punicial +punicin +punicine +punier +puniest +punyish +punyism +punily +puniness +puninesses +punish +punishability +punishable +punishableness +punishably +punished +punisher +punishers +punishes +punishing +punyship +punishment +punishmentproof +punishment-proof +punishments +punishment's +punition +punitional +punitionally +punitions +punitive +punitively +punitiveness +punitory +punitur +Punjab +Punjabi +punjum +punk +punka +punkah +punkahs +punkas +Punke +punkey +punkeys +punker +punkest +punketto +punky +punkie +punkier +punkies +punkiest +punkin +punkiness +punkins +punkish +punkling +punks +punkt +punkwood +punless +punlet +punnable +punnage +punned +punner +punners +punnet +punnets +punny +punnic +punnical +punnier +punniest +punnigram +punning +punningly +punnology +Puno +punproof +puns +pun's +punster +punsters +punstress +Punt +Punta +puntabout +puntal +Puntan +Puntarenas +punted +puntel +puntello +punter +punters +punti +punty +punties +puntil +puntilla +puntillas +puntillero +punting +puntist +Puntlatsh +punto +puntos +puntout +punts +puntsman +Punxsutawney +PUP +pupa +pupae +pupahood +pupal +puparia +puparial +puparium +pupas +pupa-shaped +pupate +pupated +pupates +pupating +pupation +pupations +pupelo +pupfish +pupfishes +Pupidae +pupiferous +pupiform +pupigenous +pupigerous +pupil +pupilability +pupilage +pupilages +pupilar +pupilary +pupilarity +pupilate +pupildom +pupiled +pupilize +pupillage +pupillar +pupillary +pupillarity +pupillate +pupilled +pupilless +Pupillidae +pupillize +pupillometer +pupillometry +pupillometries +pupillonian +pupilloscope +pupilloscopy +pupilloscoptic +pupilmonger +pupils +pupil's +pupil-teacherdom +pupil-teachership +Pupin +Pupipara +pupiparous +Pupivora +pupivore +pupivorous +puplike +pupoid +Puposky +pupped +puppet +puppetdom +puppeteer +puppeteers +puppethead +puppethood +puppetish +puppetism +puppetize +puppetly +puppetlike +puppetman +puppetmaster +puppet-play +puppetry +puppetries +puppets +puppet's +puppet-show +puppet-valve +puppy +puppy-dog +puppydom +puppydoms +puppied +puppies +puppyfeet +puppify +puppyfish +puppyfoot +puppyhood +puppying +puppyish +puppyism +puppily +puppylike +pupping +Puppis +puppy's +puppysnatch +pups +pup's +pupulo +Pupuluca +pupunha +Puquina +Puquinan +Pur +pur- +Purana +puranas +Puranic +puraque +Purasati +purau +Purbach +Purbeck +Purbeckian +purblind +purblindly +purblindness +Purcell +Purcellville +Purchas +purchasability +purchasable +purchase +purchaseable +purchased +purchase-money +purchaser +purchasery +purchasers +purchases +purchasing +purda +purdah +purdahs +purdas +Purdy +Purdin +Purdys +Purdon +Purdue +Purdum +pure +pureayn +pureblood +pure-blooded +pure-bosomed +purebred +purebreds +pured +puredee +pure-dye +puree +pureed +pure-eyed +pureeing +purees +purehearted +pure-heartedness +purey +purely +pure-minded +pureness +purenesses +purer +purest +purfle +purfled +purfler +purfles +purfly +purfling +purflings +purga +purgament +purgation +purgations +purgative +purgatively +purgatives +purgatory +purgatorial +purgatorian +purgatories +Purgatorio +purge +purgeable +purged +purger +purgery +purgers +purges +purging +purgings +Purgitsville +Puri +Puryear +purify +purificant +purification +purifications +purificative +purificator +purificatory +purified +purifier +purifiers +purifies +purifying +puriform +Purim +purin +Purina +purine +purines +Purington +purins +puriri +puris +purism +purisms +purist +puristic +puristical +puristically +purists +Puritan +puritandom +Puritaness +puritanic +puritanical +puritanically +puritanicalness +Puritanism +Puritanize +Puritanizer +Puritanly +puritanlike +puritano +puritans +Purity +purities +Purkinje +Purkinjean +purl +Purlear +purled +purler +purlhouse +purlicue +purlicues +purlieu +purlieuman +purlieu-man +purlieumen +purlieus +purlin +purline +purlines +Purling +purlins +purlman +purloin +purloined +purloiner +purloiners +purloining +purloins +purls +Purmela +puro- +purohepatitis +purohit +purolymph +puromycin +puromucous +purpart +purparty +purpense +purpie +purple +purple-awned +purple-backed +purple-beaming +purple-berried +purple-black +purple-blue +purple-brown +purple-clad +purple-coated +purple-colored +purple-crimson +purpled +purple-dawning +purple-dyeing +purple-eyed +purple-faced +purple-flowered +purple-fringed +purple-glowing +purple-green +purple-headed +purpleheart +purple-hued +purple-yellow +purple-leaved +purplely +purplelip +purpleness +purple-nosed +purpler +purple-red +purple-robed +purple-rose +purples +purplescent +purple-skirted +purple-spiked +purple-spotted +purplest +purple-staining +purple-stemmed +purple-streaked +purple-streaming +purple-tailed +purple-tipped +purple-top +purple-topped +purple-veined +purple-vested +purplewood +purplewort +purply +purpliness +purpling +purplish +purplishness +purport +purported +purportedly +purporter +purporters +purportes +purporting +purportively +purportless +purports +purpose +purpose-built +purposed +purposedly +purposeful +purposefully +purposefulness +purposeless +purposelessly +purposelessness +purposely +purposelike +purposer +purposes +purposing +purposive +purposively +purposiveness +purposivism +purposivist +purposivistic +purpresture +purprise +purprision +Purpura +purpuraceous +purpuras +purpurate +purpure +purpureal +purpurean +purpureo- +purpureous +purpures +purpurescent +purpuric +purpuriferous +purpuriform +purpurigenous +purpurin +purpurine +purpurins +purpuriparous +purpurite +purpurize +purpurogallin +purpurogenous +purpuroid +purpuroxanthin +purr +purrah +purre +purred +purree +purreic +purrel +purrer +purry +purring +purringly +purrone +purrs +purs +Purse +purse-bearer +pursed +purse-eyed +purseful +purseless +purselike +purse-lined +purse-lipped +purse-mad +purse-pinched +purse-pride +purse-proud +purser +pursers +pursership +purses +purse-shaped +purse-snatching +purse-string +purse-swollen +purset +Pursglove +Purshia +pursy +pursier +pursiest +pursily +pursiness +pursing +pursive +purslane +purslanes +pursley +purslet +pursuable +pursual +pursuance +pursuances +pursuant +pursuantly +pursue +pursued +pursuer +pursuers +pursues +pursuing +pursuit +pursuitmeter +pursuits +pursuit's +pursuivant +purtenance +purty +Puru +Puruha +purulence +purulences +purulency +purulencies +purulent +purulently +puruloid +Purupuru +Purus +purusha +purushartha +purvey +purveyable +purveyal +purveyance +purveyancer +purveyances +purveyed +purveying +purveyor +purveyoress +purveyors +purveys +purview +purviews +Purvis +purvoe +purwannah +pus +Pusan +Puschkinia +Pusey +Puseyism +Puseyistic +Puseyistical +Puseyite +puses +pusgut +push +push- +Pushan +pushball +pushballs +push-bike +pushbutton +push-button +pushcard +pushcart +pushcarts +pushchair +pushdown +push-down +pushdowns +pushed +pusher +pushers +pushes +pushful +pushfully +pushfulness +pushy +pushier +pushiest +pushily +pushiness +pushing +pushingly +pushingness +Pushkin +pushmina +pushmobile +push-off +pushout +pushover +pushovers +pushpin +push-pin +pushpins +push-pull +pushrod +pushrods +push-start +Pushto +Pushtu +pushum +pushup +push-up +pushups +pushwainling +pusill +pusillanimity +pusillanimous +pusillanimously +pusillanimousness +pusley +pusleys +puslike +Puss +pusscat +puss-cat +pusses +Pussy +pussycat +pussycats +pussier +pussies +pussiest +pussyfoot +pussy-foot +pussyfooted +pussyfooter +pussyfooting +pussyfootism +pussyfoots +pussiness +pussytoe +pussle-gutted +pussley +pussleys +pussly +pusslies +pusslike +puss-moth +pustulant +pustular +pustulate +pustulated +pustulating +pustulation +pustulatous +pustule +pustuled +pustulelike +pustules +pustuliform +pustulose +pustulous +puszta +Pusztadr +put +putage +putain +putamen +putamina +putaminous +Putana +put-and-take +putanism +putation +putationary +putative +putatively +putback +putchen +putcher +putchuk +putdown +put-down +putdowns +puteal +putelee +puteli +puther +puthery +putid +putidly +putidness +puting +putlock +putlog +putlogs +Putnam +Putnamville +Putney +Putnem +Puto +putoff +put-off +putoffs +putois +puton +put-on +putons +Putorius +putout +put-out +putouts +put-put +put-putter +putredinal +Putredinis +putredinous +putrefacient +putrefactible +putrefaction +putrefactions +putrefactive +putrefactiveness +putrefy +putrefiable +putrefied +putrefier +putrefies +putrefying +putresce +putrescence +putrescency +putrescent +putrescibility +putrescible +putrescine +putricide +putrid +putridity +putridly +putridness +putrifacted +putriform +putrilage +putrilaginous +putrilaginously +puts +Putsch +Putscher +putsches +putschism +putschist +putt +puttan +putted +puttee +puttees +putter +puttered +putterer +putterers +putter-forth +Puttergill +putter-in +puttering +putteringly +putter-off +putter-on +putter-out +putters +putter-through +putter-up +putti +putty +puttyblower +putty-colored +puttie +puttied +puttier +puttiers +putties +putty-faced +puttyhead +puttyhearted +puttying +putty-jointed +puttylike +putty-looking +putting +putting-off +putting-stone +putty-powdered +puttyroot +putty-stopped +puttywork +putto +puttock +puttoo +putt-putt +putts +Putumayo +put-up +put-upon +puture +putz +putzed +putzes +putzing +Puunene +puxy +Puxico +puzzle +puzzleation +puzzle-brain +puzzle-cap +puzzled +puzzledly +puzzledness +puzzledom +puzzlehead +puzzleheaded +puzzle-headed +puzzleheadedly +puzzleheadedness +puzzleman +puzzlement +puzzlements +puzzle-monkey +puzzlepate +puzzlepated +puzzlepatedness +puzzler +puzzlers +puzzles +puzzle-wit +puzzling +puzzlingly +puzzlingness +puzzlings +puzzolan +puzzolana +PV +PVA +PVC +PVN +PVO +PVP +PVT +Pvt. +PW +PWA +PWB +pwca +PWD +PWG +pwr +pwt +pwt. +PX +Q +Q. +Q.C. +q.e. +Q.E.D. +Q.E.F. +Q.F. +q.t. +q.v. +QA +qabbala +qabbalah +Qadarite +Qaddafi +Qaddish +qadi +Qadianis +Qadiriya +qaf +qaid +qaids +qaimaqam +Qairwan +QAM +qanat +qanats +qantar +QARANC +QAS +qasida +qasidas +qat +Qatar +qats +QB +q-boat +QBP +QC +Q-celt +Q-Celtic +QD +QDA +QDCS +QE +QED +QEF +QEI +qere +qeri +Qeshm +QET +QF +Q-factor +Q-fever +Q-group +qh +Qy +Qiana +qibla +QIC +QID +qiyas +qindar +qindarka +qindars +qintar +qintars +QIS +Qishm +qiviut +qiviuts +QKt +QKtP +ql +ql. +Q-language +Qld +QLI +QM +QMC +QMF +QMG +QMP +QMS +QN +QNP +QNS +Qoheleth +Qom +qoph +qophs +QP +Qq +Qq. +QQV +QR +qr. +QRA +QRP +qrs +QRSS +QS +q's +Q-shaped +Q-ship +QSY +QSL +QSO +QSS +QST +qt +qt. +qtam +QTC +qtd +QTY +qto +qto. +qtr +qts +qu +qu. +qua +quaalude +quaaludes +quab +quabird +qua-bird +quachil +quack +quacked +Quackenbush +quackery +quackeries +quackhood +quacky +quackier +quackiest +quacking +quackish +quackishly +quackishness +quackism +quackisms +quackle +quack-quack +quacks +quacksalver +quackster +quad +quad. +quadded +quadding +quaddle +Quader +Quadi +quadle +quadmeter +quadplex +quadplexes +quadra +quadrable +quadrae +quadragenarian +quadragenarious +Quadragesima +Quadragesimal +quadragintesimal +quadral +quadrangle +quadrangled +quadrangles +quadrangular +quadrangularly +quadrangularness +quadrangulate +quadranguled +quadrans +quadrant +quadrantal +quadrantes +Quadrantid +quadrantile +quadrantly +quadrantlike +quadrants +quadrant's +quadraphonic +quadraphonics +quadrat +quadrate +quadrated +quadrateness +quadrates +quadratic +quadratical +quadratically +quadratics +Quadratifera +quadratiferous +quadrating +quadrato- +quadratojugal +quadratomandibular +quadrator +quadratosquamosal +quadratrix +quadrats +quadratum +quadrature +quadratures +quadrature's +quadratus +quadrauricular +quadrel +quadrella +quadrennia +quadrennial +quadrennially +quadrennials +quadrennium +quadrenniums +quadri- +quadriad +quadrialate +quadriannulate +quadriarticulate +quadriarticulated +quadribasic +quadricapsular +quadricapsulate +quadricarinate +quadricellular +quadricentennial +quadricentennials +quadriceps +quadricepses +quadrichord +quadricycle +quadricycler +quadricyclist +quadriciliate +quadricinium +quadricipital +quadricone +quadricorn +quadricornous +quadricostate +quadricotyledonous +quadricovariant +quadricrescentic +quadricrescentoid +quadrics +quadricuspid +quadricuspidal +quadricuspidate +quadridentate +quadridentated +quadriderivative +quadridigitate +quadriennial +quadriennium +quadrienniumutile +quadrifarious +quadrifariously +quadrifid +quadrifilar +quadrifocal +quadrifoil +quadrifoliate +quadrifoliolate +quadrifolious +quadrifolium +quadriform +quadrifrons +quadrifrontal +quadrifurcate +quadrifurcated +quadrifurcation +quadriga +quadrigabled +quadrigae +quadrigamist +quadrigate +quadrigati +quadrigatus +quadrigeminal +quadrigeminate +quadrigeminous +quadrigeminum +quadrigenarious +quadriglandular +quadrihybrid +quadri-invariant +quadrijugal +quadrijugate +quadrijugous +quadrilaminar +quadrilaminate +quadrilateral +quadrilaterally +quadrilateralness +quadrilaterals +quadrilingual +quadriliteral +quadrille +quadrilled +quadrilles +quadrilling +quadrillion +quadrillions +quadrillionth +quadrillionths +quadrilobate +quadrilobed +quadrilocular +quadriloculate +quadrilogy +quadrilogue +quadrimembral +quadrimetallic +quadrimolecular +quadrimum +quadrin +quadrine +quadrinodal +quadrinomial +quadrinomical +quadrinominal +quadrinucleate +quadrioxalate +quadriparous +quadripartite +quadripartitely +quadripartition +quadripennate +quadriphyllous +quadriphonic +quadriphosphate +quadripinnate +quadriplanar +quadriplegia +quadriplegic +quadriplicate +quadriplicated +quadripolar +quadripole +quadriportico +quadriporticus +quadripulmonary +quadric +quadriradiate +quadrireme +quadrisect +quadrisected +quadrisection +quadriseptate +quadriserial +quadrisetose +quadrisyllabic +quadrisyllabical +quadrisyllable +quadrisyllabous +quadrispiral +quadristearate +quadrisulcate +quadrisulcated +quadrisulphide +quadriternate +quadriti +quadritubercular +quadrituberculate +quadriurate +quadrivalence +quadrivalency +quadrivalent +quadrivalently +quadrivalve +quadrivalvular +quadrivia +quadrivial +quadrivious +quadrivium +quadrivoltine +quadroon +quadroons +quadrophonics +quadru- +quadrual +Quadrula +quadrum +Quadrumana +quadrumanal +quadrumane +quadrumanous +quadrumvir +quadrumvirate +quadruped +quadrupedal +quadrupedan +quadrupedant +quadrupedantic +quadrupedantical +quadrupedate +quadrupedation +quadrupedism +quadrupedous +quadrupeds +quadruplane +quadruplate +quadruplator +quadruple +quadrupled +quadruple-expansion +quadrupleness +quadruples +quadruplet +quadruplets +quadruplex +quadruply +quadruplicate +quadruplicated +quadruplicates +quadruplicating +quadruplication +quadruplications +quadruplicature +quadruplicity +quadrupling +quadrupole +quads +quae +quaedam +Quaequae +quaere +quaeres +quaesita +quaesitum +quaestio +quaestiones +quaestor +quaestorial +quaestorian +quaestors +quaestorship +quaestuary +quaff +quaffed +quaffer +quaffers +quaffing +quaffingly +quaffs +quag +quagga +quaggas +quaggy +quaggier +quaggiest +quagginess +quaggle +quagmire +quagmired +quagmires +quagmire's +quagmiry +quagmirier +quagmiriest +quags +quahaug +quahaugs +quahog +quahogs +quai +quay +quayage +quayages +quaich +quaiches +quaichs +quayed +quaife +quayful +quaigh +quaighs +quaying +Quail +quailberry +quail-brush +quailed +quailery +quaileries +quailhead +quaily +quaylike +quailing +quaillike +quails +quail's +quayman +quaint +quaintance +quaint-costumed +quaint-eyed +quainter +quaintest +quaint-felt +quaintise +quaintish +quaintly +quaint-looking +quaintness +quaintnesses +quaint-notioned +quaint-shaped +quaint-spoken +quaint-stomached +quaint-witty +quaint-worded +quais +quays +quayside +quaysider +quaysides +Quaitso +Quakake +quake +quaked +quakeful +quakeproof +Quaker +quakerbird +Quaker-colored +Quakerdom +Quakeress +Quaker-gray +Quakery +Quakeric +Quakerish +Quakerishly +Quakerishness +Quakerism +Quakerization +Quakerize +Quaker-ladies +Quakerlet +Quakerly +Quakerlike +quakers +Quakership +Quakerstreet +Quakertown +quakes +quaketail +quaky +quakier +quakiest +quakily +quakiness +quaking +quaking-grass +quakingly +qual +quale +qualia +qualify +qualifiable +qualification +qualifications +qualificative +qualificator +qualificatory +qualified +qualifiedly +qualifiedness +qualifier +qualifiers +qualifies +qualifying +qualifyingly +qualimeter +qualitative +qualitatively +quality +qualitied +qualities +qualityless +quality's +qualityship +qually +qualm +qualmy +qualmier +qualmiest +qualmyish +qualminess +qualmish +qualmishly +qualmishness +qualmproof +qualms +qualm-sick +qualtagh +quam +quamash +quamashes +Quamasia +Quamoclit +quan +Quanah +quandang +quandangs +quandary +quandaries +quandary's +quandy +quando +quandong +quandongs +QUANGO +quangos +quannet +Quant +quanta +quantal +QUANTAS +quanted +quanti +quantic +quantical +Quantico +quantics +quanties +quantify +quantifiability +quantifiable +quantifiably +quantification +quantifications +quantified +quantifier +quantifiers +quantifies +quantifying +quantile +quantiles +quantimeter +quanting +quantitate +quantitation +quantitative +quantitatively +quantitativeness +quantity +quantitied +quantities +quantity's +quantitive +quantitively +quantitiveness +quantivalence +quantivalency +quantivalent +quantizable +quantization +quantize +quantized +quantizer +quantizes +quantizing +quantometer +quantong +quantongs +Quantrill +quants +quantulum +quantum +quantummechanical +quantum-mechanical +Quantz +Quapaw +quaquaversal +quaquaversally +Quar +quaranty +quarantinable +quarantine +quarantined +quarantiner +quarantines +quarantine's +quarantining +quardeel +quare +quarenden +quarender +quarentene +quaresma +quarion +quark +quarks +quarl +quarle +quarles +quarmen +quarred +quarrel +quarreled +quarreler +quarrelers +quarrelet +quarreling +quarrelingly +quarrelled +quarreller +quarrellers +quarrelling +quarrellingly +quarrellous +quarrelous +quarrelously +quarrelproof +quarrels +quarrelsome +quarrelsomely +quarrelsomeness +quarry +quarriable +quarryable +quarrian +quarried +quarrier +quarriers +quarries +quarry-faced +quarrying +quarryman +quarrymen +quarrion +quarry-rid +quarry's +quarrystone +Quarryville +quarrome +quarsome +quart +quart. +Quarta +quartan +Quartana +quartane +quartano +quartans +Quartas +quartation +quartaut +quarte +quartenylic +quarter +quarterage +quarterback +quarterbacked +quarterbacking +quarterbacks +quarter-bound +quarter-breed +quarter-cast +quarter-cleft +quarter-cut +quarter-day +quarterdeck +quarter-deck +quarter-decker +quarterdeckish +quarterdecks +quarter-dollar +quartered +quarterer +quarter-faced +quarterfinal +quarter-final +quarterfinalist +quarter-finalist +quarterfoil +quarter-foot +quarter-gallery +quarter-hollow +quarter-hoop +quarter-hour +quarter-yard +quarter-year +quarter-yearly +quarter-inch +quartering +quarterings +quarterization +quarterland +quarter-left +quarterly +quarterlies +quarterlight +quarterman +quartermaster +quartermasterlike +quartermasters +quartermastership +quartermen +quarter-mile +quarter-miler +quarter-minute +quarter-month +quarter-moon +quartern +quarternight +quarternion +quarterns +quarteron +quarterpace +quarter-phase +quarter-pierced +quarter-pint +quarter-pound +quarter-right +quarter-run +quarters +quartersaw +quartersawed +quartersawing +quartersawn +quarter-second +quarter-sessions +quarter-sheet +quarter-size +quarterspace +quarterstaff +quarterstaves +quarterstetch +quarter-vine +quarter-wave +quarter-witted +quartes +Quartet +quartets +quartet's +quartette +quartetto +quartful +quartic +quartics +quartile +quartiles +quartin +quartine +quartinho +quartiparous +Quartis +quarto +quarto-centenary +Quartodeciman +quartodecimanism +quartole +quartos +quart-pot +quarts +Quartus +quartz +quartz-basalt +quartz-diorite +quartzes +quartz-free +quartzy +quartzic +quartziferous +quartzite +quartzitic +quartzless +quartz-monzonite +quartzoid +quartzose +quartzous +quartz-syenite +Quartzsite +quasar +quasars +quash +quashed +Quashee +quashey +quasher +quashers +quashes +Quashi +quashy +quashing +quasi +quasi- +quasi-absolute +quasi-absolutely +quasi-academic +quasi-academically +quasi-acceptance +quasi-accepted +quasi-accidental +quasi-accidentally +quasi-acquainted +quasi-active +quasi-actively +quasi-adequate +quasi-adequately +quasi-adjusted +quasi-admire +quasi-admired +quasi-admiring +quasi-adopt +quasi-adopted +quasi-adult +quasi-advantageous +quasi-advantageously +quasi-affectionate +quasi-affectionately +quasi-affirmative +quasi-affirmatively +quasi-alternating +quasi-alternatingly +quasi-alternative +quasi-alternatively +quasi-amateurish +quasi-amateurishly +quasi-American +quasi-Americanized +quasi-amiable +quasi-amiably +quasi-amusing +quasi-amusingly +quasi-ancient +quasi-anciently +quasi-angelic +quasi-angelically +quasi-antique +quasi-anxious +quasi-anxiously +quasi-apologetic +quasi-apologetically +quasi-appealing +quasi-appealingly +quasi-appointed +quasi-appropriate +quasi-appropriately +quasi-artistic +quasi-artistically +quasi-aside +quasi-asleep +quasi-athletic +quasi-athletically +quasi-attempt +quasi-audible +quasi-audibly +quasi-authentic +quasi-authentically +quasi-authorized +quasi-automatic +quasi-automatically +quasi-awful +quasi-awfully +quasi-bad +quasi-bankrupt +quasi-basic +quasi-basically +quasi-beneficial +quasi-beneficially +quasi-benevolent +quasi-benevolently +quasi-biographical +quasi-biographically +quasi-blind +quasi-blindly +quasi-brave +quasi-bravely +quasi-brilliant +quasi-brilliantly +quasi-bronze +quasi-brotherly +quasi-calm +quasi-calmly +quasi-candid +quasi-candidly +quasi-capable +quasi-capably +quasi-careful +quasi-carefully +quasi-characteristic +quasi-characteristically +quasi-charitable +quasi-charitably +quasi-cheerful +quasi-cheerfully +quasi-cynical +quasi-cynically +quasi-civil +quasi-civilly +quasi-classic +quasi-classically +quasi-clerical +quasi-clerically +quasi-collegiate +quasi-colloquial +quasi-colloquially +quasi-comfortable +quasi-comfortably +quasi-comic +quasi-comical +quasi-comically +quasi-commanding +quasi-commandingly +quasi-commercial +quasi-commercialized +quasi-commercially +quasi-common +quasi-commonly +quasi-compact +quasi-compactly +quasi-competitive +quasi-competitively +quasi-complete +quasi-completely +quasi-complex +quasi-complexly +quasi-compliant +quasi-compliantly +quasi-complimentary +quasi-compound +quasi-comprehensive +quasi-comprehensively +quasi-compromising +quasi-compromisingly +quasi-compulsive +quasi-compulsively +quasi-compulsory +quasi-compulsorily +quasi-confident +quasi-confidential +quasi-confidentially +quasi-confidently +quasi-confining +quasi-conforming +quasi-congenial +quasi-congenially +quasi-congratulatory +quasi-connective +quasi-connectively +quasi-conscientious +quasi-conscientiously +quasi-conscious +quasi-consciously +quasi-consequential +quasi-consequentially +quasi-conservative +quasi-conservatively +quasi-considerate +quasi-considerately +quasi-consistent +quasi-consistently +quasi-consolidated +quasi-constant +quasi-constantly +quasi-constitutional +quasi-constitutionally +quasi-constructed +quasi-constructive +quasi-constructively +quasi-consuming +quasi-content +quasi-contented +quasi-contentedly +quasi-continual +quasi-continually +quasicontinuous +quasi-continuous +quasi-continuously +quasi-contolled +quasi-contract +quasi-contrary +quasi-contrarily +quasi-contrasted +quasi-controlling +quasi-conveyed +quasi-convenient +quasi-conveniently +quasi-conventional +quasi-conventionally +quasi-converted +quasi-convinced +quasi-cordial +quasi-cordially +quasi-correct +quasi-correctly +quasi-courteous +quasi-courteously +quasi-crafty +quasi-craftily +quasi-criminal +quasi-criminally +quasi-critical +quasi-critically +quasi-cultivated +quasi-cunning +quasi-cunningly +quasi-damaged +quasi-dangerous +quasi-dangerously +quasi-daring +quasi-daringly +quasi-deaf +quasi-deafening +quasi-deafly +quasi-decorated +quasi-defeated +quasi-defiant +quasi-defiantly +quasi-definite +quasi-definitely +quasi-deify +quasi-dejected +quasi-dejectedly +quasi-deliberate +quasi-deliberately +quasi-delicate +quasi-delicately +quasi-delighted +quasi-delightedly +quasi-demanding +quasi-demandingly +quasi-democratic +quasi-democratically +quasi-dependence +quasi-dependent +quasi-dependently +quasi-depressed +quasi-desolate +quasi-desolately +quasi-desperate +quasi-desperately +quasi-despondent +quasi-despondently +quasi-determine +quasi-devoted +quasi-devotedly +quasi-difficult +quasi-difficultly +quasi-dignified +quasi-dignifying +quasi-dying +quasi-diplomatic +quasi-diplomatically +quasi-disadvantageous +quasi-disadvantageously +quasi-disastrous +quasi-disastrously +quasi-discreet +quasi-discreetly +quasi-discriminating +quasi-discriminatingly +quasi-disgraced +quasi-disgusted +quasi-disgustedly +quasi-distant +quasi-distantly +quasi-distressed +quasi-diverse +quasi-diversely +quasi-diversified +quasi-divided +quasi-dividedly +quasi-double +quasi-doubly +quasi-doubtful +quasi-doubtfully +quasi-dramatic +quasi-dramatically +quasi-dreadful +quasi-dreadfully +quasi-dumb +quasi-dumbly +quasi-duplicate +quasi-dutiful +quasi-dutifully +quasi-eager +quasi-eagerly +quasi-economic +quasi-economical +quasi-economically +quasi-educated +quasi-educational +quasi-educationally +quasi-effective +quasi-effectively +quasi-efficient +quasi-efficiently +quasi-elaborate +quasi-elaborately +quasi-elementary +quasi-eligible +quasi-eligibly +quasi-eloquent +quasi-eloquently +quasi-eminent +quasi-eminently +quasi-emotional +quasi-emotionally +quasi-empty +quasi-endless +quasi-endlessly +quasi-energetic +quasi-energetically +quasi-enforced +quasi-engaging +quasi-engagingly +quasi-English +quasi-entertaining +quasi-enthused +quasi-enthusiastic +quasi-enthusiastically +quasi-envious +quasi-enviously +quasi-episcopal +quasi-episcopally +quasi-equal +quasi-equally +quasi-equitable +quasi-equitably +quasi-equivalent +quasi-equivalently +quasi-erotic +quasi-erotically +quasi-essential +quasi-essentially +quasi-established +quasi-eternal +quasi-eternally +quasi-ethical +quasi-everlasting +quasi-everlastingly +quasi-evil +quasi-evilly +quasi-exact +quasi-exactly +quasi-exceptional +quasi-exceptionally +quasi-excessive +quasi-excessively +quasi-exempt +quasi-exiled +quasi-existent +quasi-expectant +quasi-expectantly +quasi-expedient +quasi-expediently +quasi-expensive +quasi-expensively +quasi-experienced +quasi-experimental +quasi-experimentally +quasi-explicit +quasi-explicitly +quasi-exposed +quasi-expressed +quasi-external +quasi-externally +quasi-exterritorial +quasi-extraterritorial +quasi-extraterritorially +quasi-extreme +quasi-fabricated +quasi-fair +quasi-fairly +quasi-faithful +quasi-faithfully +quasi-false +quasi-falsely +quasi-familiar +quasi-familiarly +quasi-famous +quasi-famously +quasi-fascinated +quasi-fascinating +quasi-fascinatingly +quasi-fashionable +quasi-fashionably +quasi-fatal +quasi-fatalistic +quasi-fatalistically +quasi-fatally +quasi-favorable +quasi-favorably +quasi-favourable +quasi-favourably +quasi-federal +quasi-federally +quasi-feudal +quasi-feudally +quasi-fictitious +quasi-fictitiously +quasi-final +quasi-financial +quasi-financially +quasi-fireproof +quasi-fiscal +quasi-fiscally +quasi-fit +quasi-foolish +quasi-foolishly +quasi-forced +quasi-foreign +quasi-forgetful +quasi-forgetfully +quasi-forgotten +quasi-formal +quasi-formally +quasi-formidable +quasi-formidably +quasi-fortunate +quasi-fortunately +quasi-frank +quasi-frankly +quasi-fraternal +quasi-fraternally +quasi-free +quasi-freely +quasi-French +quasi-fulfilling +quasi-full +quasi-fully +quasi-gay +quasi-gallant +quasi-gallantly +quasi-gaseous +quasi-generous +quasi-generously +quasi-genteel +quasi-genteelly +quasi-gentlemanly +quasi-genuine +quasi-genuinely +quasi-German +quasi-glad +quasi-gladly +quasi-glorious +quasi-gloriously +quasi-good +quasi-gracious +quasi-graciously +quasi-grateful +quasi-gratefully +quasi-grave +quasi-gravely +quasi-great +quasi-greatly +quasi-Grecian +quasi-Greek +quasi-guaranteed +quasi-guilty +quasi-guiltily +quasi-habitual +quasi-habitually +quasi-happy +quasi-harmful +quasi-harmfully +quasi-healthful +quasi-healthfully +quasi-hearty +quasi-heartily +quasi-helpful +quasi-helpfully +quasi-hereditary +quasi-heroic +quasi-heroically +quasi-historic +quasi-historical +quasi-historically +quasi-honest +quasi-honestly +quasi-honorable +quasi-honorably +quasi-human +quasi-humanistic +quasi-humanly +quasi-humble +quasi-humbly +quasi-humorous +quasi-humorously +quasi-ideal +quasi-idealistic +quasi-idealistically +quasi-ideally +quasi-identical +quasi-identically +quasi-ignorant +quasi-ignorantly +quasi-immediate +quasi-immediately +quasi-immortal +quasi-immortally +quasi-impartial +quasi-impartially +quasi-important +quasi-importantly +quasi-improved +quasi-inclined +quasi-inclusive +quasi-inclusively +quasi-increased +quasi-independent +quasi-independently +quasi-indifferent +quasi-indifferently +quasi-induced +quasi-indulged +quasi-industrial +quasi-industrially +quasi-inevitable +quasi-inevitably +quasi-inferior +quasi-inferred +quasi-infinite +quasi-infinitely +quasi-influential +quasi-influentially +quasi-informal +quasi-informally +quasi-informed +quasi-inherited +quasi-initiated +quasi-injured +quasi-injurious +quasi-injuriously +quasi-innocent +quasi-innocently +quasi-innumerable +quasi-innumerably +quasi-insistent +quasi-insistently +quasi-inspected +quasi-inspirational +quasi-installed +quasi-instructed +quasi-insulted +quasi-intellectual +quasi-intellectually +quasi-intelligent +quasi-intelligently +quasi-intended +quasi-interested +quasi-interestedly +quasi-internal +quasi-internalized +quasi-internally +quasi-international +quasi-internationalistic +quasi-internationally +quasi-interviewed +quasi-intimate +quasi-intimated +quasi-intimately +quasi-intolerable +quasi-intolerably +quasi-intolerant +quasi-intolerantly +quasi-introduced +quasi-intuitive +quasi-intuitively +quasi-invaded +quasi-investigated +quasi-invisible +quasi-invisibly +quasi-invited +quasi-young +quasi-irregular +quasi-irregularly +Quasi-jacobean +quasi-Japanese +Quasi-jewish +quasi-jocose +quasi-jocosely +quasi-jocund +quasi-jocundly +quasi-jointly +quasijudicial +quasi-judicial +quasi-kind +quasi-kindly +quasi-knowledgeable +quasi-knowledgeably +quasi-laborious +quasi-laboriously +quasi-lamented +quasi-Latin +quasi-lawful +quasi-lawfully +quasi-legal +quasi-legally +quasi-legendary +quasi-legislated +quasi-legislative +quasi-legislatively +quasi-legitimate +quasi-legitimately +quasi-liberal +quasi-liberally +quasi-literary +quasi-living +quasi-logical +quasi-logically +quasi-loyal +quasi-loyally +quasi-luxurious +quasi-luxuriously +quasi-mad +quasi-madly +quasi-magic +quasi-magical +quasi-magically +quasi-malicious +quasi-maliciously +quasi-managed +quasi-managerial +quasi-managerially +quasi-marble +quasi-material +quasi-materially +quasi-maternal +quasi-maternally +quasi-mechanical +quasi-mechanically +quasi-medical +quasi-medically +quasi-medieval +quasi-mental +quasi-mentally +quasi-mercantile +quasi-metaphysical +quasi-metaphysically +quasi-methodical +quasi-methodically +quasi-mighty +quasi-military +quasi-militaristic +quasi-militaristically +quasi-ministerial +quasi-miraculous +quasi-miraculously +quasi-miserable +quasi-miserably +quasi-mysterious +quasi-mysteriously +quasi-mythical +quasi-mythically +quasi-modern +quasi-modest +quasi-modestly +Quasimodo +quasi-moral +quasi-moralistic +quasi-moralistically +quasi-morally +quasi-mourning +quasi-municipal +quasi-municipally +quasi-musical +quasi-musically +quasi-mutual +quasi-mutually +quasi-nameless +quasi-national +quasi-nationalistic +quasi-nationally +quasi-native +quasi-natural +quasi-naturally +quasi-nebulous +quasi-nebulously +quasi-necessary +quasi-negative +quasi-negatively +quasi-neglected +quasi-negligent +quasi-negligible +quasi-negligibly +quasi-neutral +quasi-neutrally +quasi-new +quasi-newly +quasi-normal +quasi-normally +quasi-notarial +quasi-nuptial +quasi-obedient +quasi-obediently +quasi-objective +quasi-objectively +quasi-obligated +quasi-observed +quasi-offensive +quasi-offensively +quasi-official +quasi-officially +quasi-opposed +quasiorder +quasi-ordinary +quasi-organic +quasi-organically +quasi-oriental +quasi-orientally +quasi-original +quasi-originally +quasiparticle +quasi-partisan +quasi-passive +quasi-passively +quasi-pathetic +quasi-pathetically +quasi-patient +quasi-patiently +quasi-patriarchal +quasi-patriotic +quasi-patriotically +quasi-patronizing +quasi-patronizingly +quasi-peaceful +quasi-peacefully +quasi-perfect +quasi-perfectly +quasiperiodic +quasi-periodic +quasi-periodically +quasi-permanent +quasi-permanently +quasi-perpetual +quasi-perpetually +quasi-personable +quasi-personably +quasi-personal +quasi-personally +quasi-perusable +quasi-philosophical +quasi-philosophically +quasi-physical +quasi-physically +quasi-pious +quasi-piously +quasi-plausible +quasi-pleasurable +quasi-pleasurably +quasi-pledge +quasi-pledged +quasi-pledging +quasi-plentiful +quasi-plentifully +quasi-poetic +quasi-poetical +quasi-poetically +quasi-politic +quasi-political +quasi-politically +quasi-poor +quasi-poorly +quasi-popular +quasi-popularly +quasi-positive +quasi-positively +quasi-powerful +quasi-powerfully +quasi-practical +quasi-practically +quasi-precedent +quasi-preferential +quasi-preferentially +quasi-prejudiced +quasi-prepositional +quasi-prepositionally +quasi-prevented +quasi-private +quasi-privately +quasi-privileged +quasi-probable +quasi-probably +quasi-problematic +quasi-productive +quasi-productively +quasi-progressive +quasi-progressively +quasi-promised +quasi-prompt +quasi-promptly +quasi-proof +quasi-prophetic +quasi-prophetical +quasi-prophetically +quasi-prosecuted +quasi-prosperous +quasi-prosperously +quasi-protected +quasi-proud +quasi-proudly +quasi-provincial +quasi-provincially +quasi-provocative +quasi-provocatively +quasi-public +quasi-publicly +quasi-punished +quasi-pupillary +quasi-purchased +quasi-qualified +quasi-radical +quasi-radically +quasi-rational +quasi-rationally +quasi-realistic +quasi-realistically +quasi-reasonable +quasi-reasonably +quasi-rebellious +quasi-rebelliously +quasi-recent +quasi-recently +quasi-recognized +quasi-reconciled +quasi-reduced +quasi-refined +quasi-reformed +quasi-refused +quasi-registered +quasi-regular +quasi-regularly +quasi-regulated +quasi-rejected +quasi-reliable +quasi-reliably +quasi-relieved +quasi-religious +quasi-religiously +quasi-remarkable +quasi-remarkably +quasi-renewed +quasi-repaired +quasi-replaced +quasi-reported +quasi-represented +quasi-republican +quasi-required +quasi-rescued +quasi-residential +quasi-residentially +quasi-resisted +quasi-respectable +quasi-respectably +quasi-respected +quasi-respectful +quasi-respectfully +quasi-responsible +quasi-responsibly +quasi-responsive +quasi-responsively +quasi-restored +quasi-retired +quasi-revolutionized +quasi-rewarding +quasi-ridiculous +quasi-ridiculously +quasi-righteous +quasi-righteously +quasi-royal +quasi-royally +quasi-romantic +quasi-romantically +quasi-rural +quasi-rurally +quasi-sad +quasi-sadly +quasi-safe +quasi-safely +quasi-sagacious +quasi-sagaciously +quasi-saintly +quasi-sanctioned +quasi-sanguine +quasi-sanguinely +quasi-sarcastic +quasi-sarcastically +quasi-satirical +quasi-satirically +quasi-satisfied +quasi-savage +quasi-savagely +quasi-scholarly +quasi-scholastic +quasi-scholastically +quasi-scientific +quasi-scientifically +quasi-secret +quasi-secretive +quasi-secretively +quasi-secretly +quasi-secure +quasi-securely +quasi-sentimental +quasi-sentimentally +quasi-serious +quasi-seriously +quasi-settled +quasi-similar +quasi-similarly +quasi-sympathetic +quasi-sympathetically +quasi-sincere +quasi-sincerely +quasi-single +quasi-singly +quasi-systematic +quasi-systematically +quasi-systematized +quasi-skillful +quasi-skillfully +quasi-slanderous +quasi-slanderously +quasi-sober +quasi-soberly +quasi-socialistic +quasi-socialistically +quasi-sovereign +quasi-Spanish +quasi-spatial +quasi-spatially +quasi-spherical +quasi-spherically +quasi-spirited +quasi-spiritedly +quasi-spiritual +quasi-spiritually +quasi-standardized +quasistationary +quasi-stationary +quasi-stylish +quasi-stylishly +quasi-strenuous +quasi-strenuously +quasi-studious +quasi-studiously +quasi-subjective +quasi-subjectively +quasi-submissive +quasi-submissively +quasi-successful +quasi-successfully +quasi-sufficient +quasi-sufficiently +quasi-superficial +quasi-superficially +quasi-superior +quasi-supervised +quasi-supported +quasi-suppressed +quasi-tangent +quasi-tangible +quasi-tangibly +quasi-technical +quasi-technically +quasi-temporal +quasi-temporally +quasi-territorial +quasi-territorially +quasi-testamentary +quasi-theatrical +quasi-theatrically +quasi-thorough +quasi-thoroughly +quasi-typical +quasi-typically +quasi-tyrannical +quasi-tyrannically +quasi-tolerant +quasi-tolerantly +quasi-total +quasi-totally +quasi-traditional +quasi-traditionally +quasi-tragic +quasi-tragically +quasi-tribal +quasi-tribally +quasi-truthful +quasi-truthfully +quasi-ultimate +quasi-unanimous +quasi-unanimously +quasi-unconscious +quasi-unconsciously +quasi-unified +quasi-universal +quasi-universally +quasi-uplift +quasi-utilized +quasi-valid +quasi-validly +quasi-valued +quasi-venerable +quasi-venerably +quasi-victorious +quasi-victoriously +quasi-violated +quasi-violent +quasi-violently +quasi-virtuous +quasi-virtuously +quasi-vital +quasi-vitally +quasi-vocational +quasi-vocationally +quasi-warfare +quasi-warranted +quasi-wealthy +quasi-whispered +quasi-wicked +quasi-wickedly +quasi-willing +quasi-willingly +quasi-wrong +quasi-zealous +quasi-zealously +quasky +quaskies +Quasqueton +quasquicentennial +quass +quassation +quassative +quasses +Quassia +quassias +quassiin +quassin +quassins +quat +quata +quatch +quate +quatenus +quatercentenary +quater-centenary +quaterion +quatern +quaternal +Quaternary +quaternarian +quaternaries +quaternarius +quaternate +quaternion +quaternionic +quaternionist +quaternitarian +quaternity +quaternities +quateron +quaters +quatertenses +Quathlamba +quatorzain +quatorze +quatorzes +quatrayle +quatrain +quatrains +quatral +quatre +quatreble +quatrefeuille +quatrefoil +quatrefoiled +quatrefoils +quatrefoliated +quatres +quatrible +quatrin +quatrino +quatrocentism +quatrocentist +quatrocento +Quatsino +quatty +quattie +quattrini +quattrino +quattrocento +quattuordecillion +quattuordecillionth +quatuor +quatuorvirate +quauk +quave +quaver +quavered +quaverer +quaverers +quavery +quaverymavery +quavering +quaveringly +quaverous +quavers +quaviver +quaw +quawk +qubba +Qubecois +Que +Que. +queach +queachy +queachier +queachiest +queak +queal +quean +quean-cat +queanish +queanlike +queans +quease +queasy +queasier +queasiest +queasily +queasiness +queasinesses +queasom +queazen +queazy +queazier +queaziest +Quebec +Quebecer +Quebeck +Quebecker +Quebecois +quebrachamine +quebrachine +quebrachite +quebrachitol +quebracho +quebrada +quebradilla +Quebradillas +quebrith +Quechee +Quechua +Quechuan +Quechuas +quedful +quedly +quedness +quedship +queechy +Queen +Queena +Queenanne +Queen-Anne +queencake +queencraft +queencup +queendom +queened +queenfish +queenfishes +queenhood +Queenie +queening +queenite +queenless +queenlet +queenly +queenlier +queenliest +queenlike +queenliness +queen-mother +queen-of-the-meadow +queen-of-the-prairie +queen-post +queenright +queenroot +Queens +queen's +queensberry +queensberries +Queen's-flower +queenship +Queensland +Queenstown +queensware +queens-ware +queenweed +queenwood +queer +queer-bashing +queered +queer-eyed +queerer +queerest +queer-faced +queer-headed +queery +queering +queerish +queerishness +queerity +queer-legged +queerly +queer-looking +queer-made +queerness +queernesses +queer-notioned +queers +queer-shaped +queersome +queer-spirited +queer-tempered +queest +queesting +queet +queeve +queez-madam +quegh +quei +quey +queing +queintise +queys +QUEL +quelch +Quelea +Quelimane +quelite +quell +quellable +quelled +queller +quellers +quelling +quellio +quells +quellung +quelme +Quelpart +quelquechose +quelt +quem +Quemado +queme +quemeful +quemefully +quemely +Quemoy +Quenby +quench +quenchable +quenchableness +quenched +quencher +quenchers +quenches +quenching +quenchless +quenchlessly +quenchlessness +quenda +Queneau +quenelle +quenelles +Quenemo +quenite +Quenna +Quennie +quenselite +Quent +Quentin +quentise +Quenton +quercetagetin +quercetic +quercetin +quercetum +Quercia +quercic +Querciflorae +quercimeritrin +quercin +quercine +quercinic +quercitannic +quercitannin +quercite +quercitin +quercitol +quercitrin +quercitron +quercivorous +Quercus +Querecho +querela +querelae +querele +querencia +Querendi +Querendy +querent +Queres +Queretaro +Queri +query +Querida +Queridas +querido +queridos +queried +querier +queriers +queries +querying +queryingly +queryist +queriman +querimans +querimony +querimonies +querimonious +querimoniously +querimoniousness +querist +querists +querken +querl +quern +quernal +Quernales +querns +quernstone +querre +quersprung +Quertaro +querulant +querulation +querulent +querulential +querulist +querulity +querulosity +querulous +querulously +querulousness +querulousnesses +ques +ques. +quesal +quesited +quesitive +Quesnay +Quesnel +quest +Questa +quested +quester +questers +questeur +questful +questhouse +questing +questingly +question +questionability +questionable +questionableness +questionably +questionary +questionaries +question-begging +questioned +questionee +questioner +questioners +questioning +questioningly +questionings +questionist +questionle +questionless +questionlessly +questionlessness +question-mark +questionnaire +questionnaires +questionnaire's +questionniare +questionniares +questionous +questions +questionwise +questman +questmen +questmonger +Queston +questor +questorial +questors +questorship +questrist +quests +quet +quetch +quetenite +quethe +quetsch +Quetta +quetzal +Quetzalcoatl +quetzales +quetzals +queue +queued +queueing +queuer +queuers +queues +queuing +quezal +quezales +quezals +Quezaltenango +Quezon +qui +quia +Quiangan +quiapo +quiaquia +quia-quia +quib +quibble +quibbled +quibbleproof +quibbler +quibblers +quibbles +quibbling +quibblingly +Quibdo +Quiberon +quiblet +quibus +quica +Quiche +quiches +Quichua +Quick +quick-acting +quickbeam +quickborn +quick-burning +quick-change +quick-coming +quick-compounded +quick-conceiving +quick-decaying +quick-designing +quick-devouring +quick-drawn +quick-eared +quicked +Quickel +quicken +quickenance +quickenbeam +quickened +quickener +quickening +quickens +quicker +quickest +quick-fading +quick-falling +quick-fire +quick-firer +quick-firing +quick-flowing +quickfoot +quick-freeze +quick-freezer +quick-freezing +quick-froze +quick-frozen +quick-glancing +quick-gone +quick-growing +quick-guiding +quick-gushing +quick-handed +quickhatch +quickhearted +quickie +quickies +quicking +quick-laboring +quickly +quicklime +quick-lunch +Quickman +quick-minded +quick-moving +quickness +quicknesses +quick-nosed +quick-paced +quick-piercing +quick-questioning +quick-raised +quick-returning +quick-rolling +quick-running +quicks +quicksand +quicksandy +quicksands +quick-saver +Quicksburg +quick-scented +quick-scenting +quick-selling +quickset +quicksets +quick-setting +quick-shifting +quick-shutting +quickside +quick-sighted +quick-sightedness +quicksilver +quicksilvery +quicksilvering +quicksilverish +quicksilverishness +quicksilvers +quick-speaking +quick-spirited +quick-spouting +quickstep +quick-stepping +quicksteps +quick-talking +quick-tempered +quick-thinking +quickthorn +quick-thoughted +quick-thriving +quick-voiced +quickwater +quick-winged +quick-witted +quick-wittedly +quickwittedness +quick-wittedness +quickwork +quick-wrought +quid +Quidae +quidam +quiddany +quiddative +Quidde +quidder +Quiddist +quiddit +quidditative +quidditatively +quiddity +quiddities +quiddle +quiddled +quiddler +quiddling +quidnunc +quidnuncs +quids +quienal +quiesce +quiesced +quiescence +quiescences +quiescency +quiescent +quiescently +quiescing +quiet +quieta +quietable +quietage +quiet-colored +quiet-dispositioned +quieted +quiet-eyed +quieten +quietened +quietener +quietening +quietens +quieter +quieters +quietest +quiet-going +quieti +quieting +quietism +quietisms +quietist +quietistic +quietists +quietive +quietly +quietlike +quiet-living +quiet-looking +quiet-mannered +quiet-minded +quiet-moving +quietness +quietnesses +quiet-patterned +quiets +quiet-seeming +quietsome +quiet-spoken +quiet-tempered +quietude +quietudes +quietus +quietuses +quiff +quiffing +quiffs +Quigley +qui-hi +qui-hy +Quiina +Quiinaceae +quiinaceous +quila +quilate +Quilcene +quileces +quiles +quileses +Quileute +quilez +quilisma +quilkin +Quill +Quillagua +quillai +quillaia +quillaias +quillaic +quillais +Quillaja +quillajas +quillajic +Quillan +quillback +quillbacks +quilled +quiller +quillet +quilleted +quillets +quillfish +quillfishes +quilly +quilling +quillity +quill-less +quill-like +Quillon +quills +quilltail +quill-tailed +quillwork +quillwort +Quilmes +quilt +quilted +quilter +quilters +quilting +quiltings +quilts +quim +Quimbaya +Quimby +Quimper +Quin +quin- +quina +quinacrine +Quinaielt +quinaldic +quinaldyl +quinaldin +quinaldine +quinaldinic +quinaldinium +quinamicin +quinamicine +quinamidin +quinamidine +quinamin +quinamine +quinanarii +quinanisole +quinaquina +quinary +quinarian +quinaries +quinarii +quinarius +quinas +quinate +quinatoxin +quinatoxine +Quinault +quinazolyl +quinazolin +quinazoline +Quinby +Quince +Quincey +quincentenary +quincentennial +quinces +quincewort +quinch +Quincy +quincies +quincubital +quincubitalism +quincuncial +quincuncially +quincunx +quincunxes +quincunxial +quindecad +quindecagon +quindecangle +quindecaplet +quindecasyllabic +quindecemvir +quindecemvirate +quindecemviri +quindecennial +quindecylic +quindecillion +quindecillionth +quindecim +quindecima +quindecimvir +quindene +Quinebaug +quinela +quinelas +quinella +quinellas +quinet +quinetum +quingentenary +quinhydrone +quinia +quinible +quinic +quinicin +quinicine +quinidia +quinidin +quinidine +quiniela +quinielas +quinyie +quinyl +quinin +quinina +quininas +quinine +quinines +quininiazation +quininic +quininism +quininize +quinins +quiniretin +quinisext +quinisextine +quinism +quinite +quinitol +quinizarin +quinize +quink +Quinlan +Quinn +quinnat +quinnats +Quinnesec +quinnet +Quinnimont +Quinnipiac +quino- +quinoa +quinoas +quinocarbonium +quinoform +quinogen +quinoid +quinoidal +quinoidation +quinoidin +quinoidine +quinoids +quinoyl +quinol +quinolas +quinolyl +quinolin +quinoline +quinolinic +quinolinyl +quinolinium +quinolins +quinology +quinologist +quinols +quinometry +quinon +quinone +quinonediimine +quinones +quinonic +quinonyl +quinonimin +quinonimine +quinonization +quinonize +quinonoid +quinopyrin +quinotannic +quinotoxine +quinova +quinovatannic +quinovate +quinovic +quinovin +quinovose +quinoxalyl +quinoxalin +quinoxaline +quinquagenary +quinquagenarian +quinquagenaries +Quinquagesima +Quinquagesimal +quinquangle +quinquarticular +Quinquatria +Quinquatrus +Quinque +quinque- +quinque-angle +quinque-angled +quinque-angular +quinque-annulate +quinque-articulate +quinquecapsular +quinquecentenary +quinquecostate +quinquedentate +quinquedentated +quinquefarious +quinquefid +quinquefoil +quinquefoliate +quinquefoliated +quinquefoliolate +quinquegrade +quinquejugous +quinquelateral +quinqueliteral +quinquelobate +quinquelobated +quinquelobed +quinquelocular +quinqueloculine +quinquenary +quinquenerval +quinquenerved +quinquennalia +quinquennia +quinquenniad +quinquennial +quinquennialist +quinquennially +quinquennium +quinquenniums +quinquepartite +quinquepartition +quinquepedal +quinquepedalian +quinquepetaloid +quinquepunctal +quinquepunctate +quinqueradial +quinqueradiate +quinquereme +quinquertium +quinquesect +quinquesection +quinqueseptate +quinqueserial +quinqueseriate +quinquesyllabic +quinquesyllable +quinquetubercular +quinquetuberculate +quinquevalence +quinquevalency +quinquevalent +quinquevalve +quinquevalvous +quinquevalvular +quinqueverbal +quinqueverbial +quinquevir +quinquevirate +quinquevirs +quinquiliteral +quinquina +quinquino +quinquivalent +quins +quinse +quinsy +quinsyberry +quinsyberries +quinsied +quinsies +quinsywort +Quint +quint- +Quinta +quintad +quintadena +quintadene +quintain +quintains +quintal +quintals +quintan +Quintana +quintans +quintant +quintar +quintary +quintars +quintaten +quintato +quinte +quintefoil +quintelement +quintennial +Quinter +quinternion +Quintero +quinteron +quinteroon +quintes +quintescence +Quintessa +quintessence +quintessences +quintessential +quintessentiality +quintessentially +quintessentiate +quintet +quintets +quintette +quintetto +quintfoil +quinti- +quintic +quintics +Quintie +quintile +quintiles +Quintilian +Quintilis +Quintilla +Quintillian +quintillion +quintillions +quintillionth +quintillionths +Quintin +Quintina +quintins +quintiped +Quintius +quinto +quintocubital +quintocubitalism +quintole +Quinton +quintons +quintroon +quints +quintuple +quintupled +quintuple-nerved +quintuple-ribbed +quintuples +quintuplet +quintuplets +quintuplicate +quintuplicated +quintuplicates +quintuplicating +quintuplication +quintuplinerved +quintupling +quintupliribbed +Quintus +quinua +quinuclidine +Quinwood +quinzaine +quinze +quinzieme +quip +quipful +quipo +quippe +quipped +quipper +quippy +quipping +quippish +quippishness +quippu +quippus +quips +quipsome +quipsomeness +quipster +quipsters +quipu +quipus +quira +quircal +quire +quired +quires +quirewise +Quirinal +Quirinalia +quirinca +quiring +Quirinus +Quirita +quiritary +quiritarian +Quirite +Quirites +Quirk +quirked +quirky +quirkier +quirkiest +quirkily +quirkiness +quirking +quirkish +quirks +quirksey +quirksome +quirl +quirquincho +quirt +quirted +quirting +quirts +quis +quisby +quiscos +quisle +quisler +Quisling +quislingism +quislingistic +quislings +Quisqualis +quisqueite +quisquilian +quisquiliary +quisquilious +quisquous +quist +quistiti +quistron +quisutsch +quit +Quita +quitantie +Quitaque +quitch +quitches +quitclaim +quitclaimed +quitclaiming +quitclaims +quite +quitely +Quitemoca +Quiteno +Quiteri +Quiteria +Quiteris +quiteve +quiting +Quitman +Quito +quitrent +quit-rent +quitrents +quits +Quitt +quittable +quittal +quittance +quittances +quitted +quitter +quitterbone +quitters +quitter's +quitting +quittor +quittors +Quitu +quiver +quivered +quiverer +quiverers +quiverful +quivery +quivering +quiveringly +quiverish +quiverleaf +quivers +Quivira +Quixote +quixotes +quixotic +quixotical +quixotically +quixotism +quixotize +quixotry +quixotries +quiz +quizmaster +quizmasters +quizzability +quizzable +quizzacious +quizzatorial +quizzed +quizzee +quizzer +quizzery +quizzers +quizzes +quizzy +quizzical +quizzicality +quizzically +quizzicalness +quizzify +quizzification +quizziness +quizzing +quizzing-glass +quizzingly +quizzish +quizzism +quizzity +Qulin +Qulllon +Qum +Qumran +Qung +quo +quo' +quoad +quobosque-weed +quod +quodded +quoddies +quodding +quoddity +quodlibet +quodlibetal +quodlibetary +quodlibetarian +quodlibetic +quodlibetical +quodlibetically +quodlibetz +quodling +quods +Quogue +quohog +quohogs +quoilers +quoin +quoined +quoining +quoins +quoit +quoited +quoiter +quoiting +quoitlike +quoits +quokka +quokkas +quominus +quomodo +quomodos +quondam +quondamly +quondamship +quoniam +quonking +quonset +quop +quor +Quoratean +quorum +quorums +quos +quot +quot. +quota +quotability +quotable +quotableness +quotably +quotas +quota's +quotation +quotational +quotationally +quotationist +quotations +quotation's +quotative +quote +quoted +quotee +quoteless +quotennial +quoter +quoters +quotes +quoteworthy +quoth +quotha +quotid +quotidian +quotidianly +quotidianness +quotient +quotients +quoties +quotiety +quotieties +quoting +quotingly +quotity +quotlibet +quott +quotum +Quran +Qur'an +qursh +qurshes +Qurti +qurush +qurushes +Qutb +QV +QWERTY +QWL +R +R&D +R. +R.A. +R.A.A.F. +R.A.M. +R.C. +R.C.A.F. +R.C.M.P. +R.C.P. +R.C.S. +R.E. +r.h. +R.I. +R.I.B.A. +R.I.P. +R.M.A. +R.M.S. +R.N. +r.p.s. +R.Q. +R.R. +R.S.V.P. +R/D +RA +Raab +raad +raadzaal +RAAF +Raama +Raamses +raanan +Raasch +raash +Rab +Rabaal +Rabah +rabal +raband +rabanna +Rabassa +Rabat +rabatine +rabato +rabatos +rabats +rabatte +rabatted +rabattement +rabatting +Rabaul +rabban +rabbanim +rabbanist +rabbanite +rabbet +rabbeted +rabbeting +rabbets +rabbet-shaped +Rabbi +rabbies +rabbin +rabbinate +rabbinates +rabbindom +Rabbinic +Rabbinica +rabbinical +rabbinically +rabbinism +Rabbinist +rabbinistic +rabbinistical +Rabbinite +rabbinitic +rabbinize +rabbins +rabbinship +rabbis +rabbish +rabbiship +rabbit +rabbit-backed +rabbitberry +rabbitberries +rabbit-chasing +rabbit-ear +rabbit-eared +rabbited +rabbiteye +rabbiter +rabbiters +rabbit-faced +rabbitfish +rabbitfishes +rabbit-foot +rabbithearted +rabbity +rabbiting +rabbitlike +rabbit-meat +rabbitmouth +rabbit-mouthed +rabbitoh +rabbitproof +rabbitry +rabbitries +rabbitroot +rabbits +rabbit's +rabbit's-foot +rabbit-shouldered +rabbitskin +rabbitweed +rabbitwise +rabbitwood +rabble +rabble-charming +rabble-chosen +rabble-courting +rabble-curbing +rabbled +rabblelike +rabblement +rabbleproof +rabbler +rabble-rouse +rabble-roused +rabble-rouser +rabble-rousing +rabblers +rabbles +rabblesome +rabbling +rabboni +rabbonim +rabbonis +rabdomancy +Rabelais +Rabelaisian +Rabelaisianism +Rabelaism +rabfak +Rabi +Rabia +Rabiah +rabiator +rabic +rabid +rabidity +rabidities +rabidly +rabidness +rabies +rabietic +rabific +rabiform +rabigenic +Rabin +rabinet +Rabinowitz +rabious +rabirubia +rabitic +Rabjohn +Rabkin +rablin +rabot +rabulistic +rabulous +Rabush +RAC +racahout +racallable +racche +raccoon +raccoonberry +raccoons +raccoon's +raccroc +RACE +raceabout +race-begotten +racebrood +racecard +racecourse +race-course +racecourses +raced +racegoer +racegoing +racehorse +race-horse +racehorses +Raceland +racelike +raceline +race-maintaining +racemase +racemate +racemates +racemation +raceme +racemed +racemes +racemic +racemiferous +racemiform +racemism +racemisms +racemization +racemize +racemized +racemizes +racemizing +racemo- +racemocarbonate +racemocarbonic +racemoid +racemomethylate +racemose +racemosely +racemous +racemously +racemule +racemulose +race-murder +RACEP +raceplate +racer +race-riding +racers +racerunner +race-running +races +racetrack +race-track +racetracker +racetracks +racette +raceway +raceways +race-wide +race-winning +rach +Rachaba +Rachael +rache +Rachel +Rachele +Rachelle +raches +rachet +rachets +rachi- +rachial +rachialgia +rachialgic +rachianalgesia +Rachianectes +rachianesthesia +rachicentesis +Rachycentridae +Rachycentron +rachides +rachidial +rachidian +rachiform +Rachiglossa +rachiglossate +rachigraph +rachilla +rachillae +rachiocentesis +rachiocyphosis +rachiococainize +rachiodynia +rachiodont +rachiometer +rachiomyelitis +rachioparalysis +rachioplegia +rachioscoliosis +rachiotome +rachiotomy +rachipagus +rachis +rachischisis +rachises +rachitic +rachitides +rachitis +rachitism +rachitogenic +rachitome +rachitomy +rachitomous +Rachmaninoff +Rachmanism +racy +racial +racialism +racialist +racialistic +racialists +raciality +racialization +racialize +racially +racier +raciest +racily +racinage +Racine +raciness +racinesses +racing +racinglike +racings +racion +racism +racisms +racist +racists +rack +rackabones +rackan +rack-and-pinion +rackapee +rackateer +rackateering +rackboard +rackbone +racked +racker +Rackerby +rackers +racket +racketed +racketeer +racketeering +racketeerings +racketeers +racketer +rackety +racketier +racketiest +racketiness +racketing +racketlike +racketproof +racketry +rackets +racket's +rackett +rackettail +racket-tail +rackful +rackfuls +Rackham +racking +rackingly +rackle +rackless +Racklin +rackman +rackmaster +racknumber +rackproof +rack-rent +rackrentable +rack-renter +racks +rack-stick +rackway +rackwork +rackworks +raclette +raclettes +racloir +racoyian +racomo-oxalic +racon +racons +raconteur +raconteurs +raconteuses +racoon +racoons +Racovian +racquet +racquetball +racquets +RAD +rad. +RADA +Radack +RADAR +radarman +radarmen +radars +radar's +radarscope +radarscopes +Radborne +Radbourne +Radbun +Radburn +Radcliff +Radcliffe +Raddatz +radded +Raddi +Raddy +Raddie +radding +raddle +raddled +raddleman +raddlemen +raddles +raddling +raddlings +radeau +radeaux +radectomy +radectomieseph +radek +Radetzky +radeur +radevore +Radferd +Radford +Radha +Radhakrishnan +radiability +radiable +radiably +radiac +radial +radiale +radialia +radialis +radiality +radialization +radialize +radially +radial-ply +radials +radian +radiance +radiances +radiancy +radiancies +radians +radiant +radiantly +radiantness +radiants +radiary +Radiata +radiate +radiated +radiately +radiateness +radiates +radiate-veined +radiatics +radiatiform +radiating +radiation +radiational +radiationless +radiations +radiative +radiato- +radiatopatent +radiatoporose +radiatoporous +radiator +radiatory +radiators +radiator's +radiatostriate +radiatosulcate +radiato-undulate +radiature +radiatus +radical +radicalism +radicalisms +radicality +radicalization +radicalize +radicalized +radicalizes +radicalizing +radically +radicalness +radicals +radicand +radicands +radicant +radicate +radicated +radicates +radicating +radication +radicel +radicels +radices +radici- +radicicola +radicicolous +radiciferous +radiciflorous +radiciform +radicivorous +radicle +radicles +radicolous +radicose +Radicula +radicular +radicule +radiculectomy +radiculitis +radiculose +radidii +Radie +radiectomy +radient +radiescent +radiesthesia +radiferous +Radiguet +radii +RADIO +radio- +radioacoustics +radioactinium +radioactivate +radioactivated +radioactivating +radioactive +radio-active +radioactively +radioactivity +radioactivities +radioamplifier +radioanaphylaxis +radioastronomy +radioautograph +radioautography +radioautographic +radiobicipital +radiobiology +radiobiologic +radiobiological +radiobiologically +radiobiologist +radiobroadcast +radiobroadcasted +radiobroadcaster +radiobroadcasters +radiobroadcasting +radiobserver +radiocalcium +radiocarbon +radiocarpal +radiocast +radiocaster +radiocasting +radiochemical +radiochemically +radiochemist +radiochemistry +radiocinematograph +radiocommunication +radioconductor +radiocopper +radiodating +radiode +radiodermatitis +radiodetector +radiodiagnoses +radiodiagnosis +radiodigital +radiodynamic +radiodynamics +radiodontia +radiodontic +radiodontics +radiodontist +radioecology +radioecological +radioecologist +radioed +radioelement +radiofrequency +radio-frequency +radiogenic +radiogoniometer +radiogoniometry +radiogoniometric +radiogram +radiograms +radiograph +radiographer +radiography +radiographic +radiographical +radiographically +radiographies +radiographs +radiohumeral +radioing +radioiodine +radio-iodine +radioiron +radioisotope +radioisotopes +radioisotopic +radioisotopically +radiolabel +Radiolaria +radiolarian +radiolead +radiolysis +radiolite +Radiolites +radiolitic +radiolytic +Radiolitidae +radiolocation +radiolocator +radiolocators +radiology +radiologic +radiological +radiologically +radiologies +radiologist +radiologists +radiolucence +radiolucency +radiolucencies +radiolucent +radioluminescence +radioluminescent +radioman +radiomedial +radiomen +radiometallography +radiometeorograph +radiometer +radiometers +radiometry +radiometric +radiometrically +radiometries +radiomicrometer +radiomicrophone +radiomimetic +radiomobile +radiomovies +radiomuscular +radion +radionecrosis +radioneuritis +radionic +radionics +radionuclide +radionuclides +radiopacity +radiopalmar +radiopaque +radioparent +radiopathology +radiopelvimetry +radiophare +radiopharmaceutical +radiophysics +radiophone +radiophones +radiophony +radiophonic +radio-phonograph +radiophosphorus +radiophoto +radiophotogram +radiophotograph +radiophotography +radiopotassium +radiopraxis +radioprotection +radioprotective +radiorays +radios +radioscope +radioscopy +radioscopic +radioscopical +radiosensibility +radiosensitive +radiosensitivity +radiosensitivities +radiosymmetrical +radiosodium +radiosonde +radiosondes +radiosonic +radiostereoscopy +radiosterilization +radiosterilize +radiosterilized +radiostrontium +radiosurgery +radiosurgeries +radiosurgical +radiotechnology +radiotelegram +radiotelegraph +radiotelegrapher +radiotelegraphy +radiotelegraphic +radiotelegraphically +radiotelegraphs +radiotelemetry +radiotelemetric +radiotelemetries +radiotelephone +radiotelephoned +radiotelephones +radiotelephony +radiotelephonic +radiotelephoning +radioteletype +radioteria +radiothallium +radiotherapeutic +radiotherapeutics +radiotherapeutist +radiotherapy +radiotherapies +radiotherapist +radiotherapists +radiothermy +radiothorium +radiotoxemia +radiotoxic +radiotracer +radiotransparency +radiotransparent +radiotrician +Radiotron +radiotropic +radiotropism +radio-ulna +radio-ulnar +radious +radiov +radiovision +radish +radishes +radishlike +radish's +Radisson +radium +radiumization +radiumize +radiumlike +radiumproof +radium-proof +radiums +radiumtherapy +radius +radiuses +radix +radixes +Radke +radknight +Radley +radly +Radloff +RADM +Radman +Radmen +Radmilla +Radnor +Radnorshire +Radom +radome +radomes +radon +radons +rads +radsimir +Radu +radula +radulae +radular +radulas +radulate +raduliferous +raduliform +radzimir +Rae +Raeann +Raeburn +RAEC +Raeford +Raenell +Raetic +RAF +Rafa +Rafael +Rafaela +Rafaelia +Rafaelita +Rafaelle +Rafaellle +Rafaello +Rafaelof +rafale +Rafat +Rafe +Rafer +Raff +Raffaelesque +Raffaello +Raffarty +raffe +raffee +raffery +Rafferty +raffia +raffias +Raffin +raffinase +raffinate +raffing +raffinose +raffish +raffishly +raffishness +raffishnesses +raffle +raffled +raffler +rafflers +Raffles +Rafflesia +Rafflesiaceae +rafflesiaceous +raffling +raffman +Raffo +raffs +Rafi +rafik +Rafiq +rafraichissoir +raft +raftage +rafted +Rafter +raftered +rafters +rafty +raftiness +rafting +raftlike +raftman +rafts +raftsman +raftsmen +RAFVR +rag +raga +ragabash +ragabrash +ragamuffin +ragamuffinism +ragamuffinly +ragamuffins +Ragan +ragas +ragazze +ragbag +rag-bag +ragbags +rag-bailing +rag-beating +rag-boiling +ragbolt +rag-bolt +rag-burn +rag-chew +rag-cutting +rage +rage-crazed +raged +ragee +ragees +rage-filled +rageful +ragefully +rage-infuriate +rageless +Ragen +rageous +rageously +rageousness +rageproof +rager +ragery +rages +ragesome +rage-subduing +rage-swelling +rage-transported +rag-fair +ragfish +ragfishes +Ragg +ragged +raggeder +raggedest +raggedy +raggedly +raggedness +raggednesses +raggee +raggees +ragger +raggery +raggety +raggy +raggies +raggil +raggily +ragging +raggle +raggled +raggles +raggle-taggle +raghouse +raghu +ragi +raging +ragingly +ragis +Raglan +Ragland +raglanite +raglans +Ragley +raglet +raglin +rag-made +ragman +ragmen +Ragnar +ragnarok +Rago +ragondin +ragout +ragouted +ragouting +ragouts +Ragouzis +ragpicker +rags +rag's +Ragsdale +ragseller +ragshag +ragsorter +ragstone +ragtag +rag-tag +ragtags +rag-threshing +ragtime +rag-time +ragtimey +ragtimer +ragtimes +ragtop +ragtops +Ragucci +ragule +raguly +Ragusa +ragusye +ragweed +ragweeds +rag-wheel +ragwork +ragworm +ragwort +ragworts +rah +Rahab +Rahal +Rahanwin +rahdar +rahdaree +rahdari +Rahel +Rahm +Rahman +Rahmann +Rahmatour +Rahr +rah-rah +Rahu +rahul +Rahway +Rai +Ray +Raia +raya +Raiae +rayage +rayah +rayahs +rayan +raias +rayas +rayat +Raybin +Raybourne +Raybrook +Rayburn +Raychel +Raycher +RAID +raided +raider +raiders +raiding +raidproof +raids +Raye +rayed +raif +Raiford +Rayford +ray-fringed +rayful +ray-gilt +ray-girt +raygrass +ray-grass +raygrasses +raiyat +Raiidae +raiiform +ray-illumined +raying +rail +Raila +railage +Rayland +rail-bearing +rail-bending +railbird +railbirds +rail-bonding +rail-borne +railbus +railcar +railcars +rail-cutting +Rayle +railed +Rayleigh +railer +railers +rayless +raylessly +raylessness +raylet +railhead +railheads +raylike +railing +railingly +railings +ray-lit +rail-laying +raillery +railleries +railless +railleur +railly +raillike +railman +railmen +rail-ocean +rail-ridden +railriding +railroad +railroadana +railroaded +railroader +railroaders +railroadiana +railroading +railroadings +railroadish +railroads +railroadship +rails +rail-sawing +railside +rail-splitter +rail-splitting +railway +railway-borne +railwaydom +railwayed +railwayless +railwayman +railways +railway's +Raimannia +raiment +raimented +raimentless +raiments +Raimes +Raymond +Raimondi +Raimondo +Raymonds +Raymondville +Raymore +Raimund +Raymund +Raimundo +rain +Raina +Rayna +Rainah +Raynah +Raynard +Raynata +rain-awakened +rainband +rainbands +rain-bearing +rain-beat +rain-beaten +rainbird +rain-bird +rainbirds +rain-bitten +rain-bleared +rain-blue +rainbound +rainbow +rainbow-arched +rainbow-clad +rainbow-colored +rainbow-edged +rainbow-girded +rainbow-hued +rainbowy +rainbow-large +rainbowlike +rainbow-painted +Rainbows +rainbow-sided +rainbow-skirted +rainbow-tinted +rainbowweed +rainbow-winged +rain-bright +rainburst +raincheck +raincoat +raincoats +raincoat's +rain-damped +rain-drenched +rain-driven +raindrop +rain-dropping +raindrops +raindrop's +Raine +Rayne +rained +Raynell +Rainelle +Raynelle +Rainer +Rayner +Raines +Raynesford +rainfall +rainfalls +rainforest +rainfowl +rain-fowl +rain-fraught +rainful +Rainger +rain-god +rain-gutted +Raynham +rainy +Rainie +Rainier +rainiest +rainily +raininess +raining +rainless +rainlessness +rainlight +rainmaker +rainmakers +rainmaking +rainmakings +Raynold +Raynor +rainout +rainouts +rainproof +rainproofer +Rains +rain-scented +rain-soaked +rain-sodden +rain-soft +rainspout +rainsquall +rainstorm +rainstorms +rain-streaked +Rainsville +rain-swept +rain-threatening +raintight +rainwash +rain-washed +rainwashes +Rainwater +rain-water +rainwaters +rainwear +rainwears +rainworm +raioid +rayon +rayonnance +rayonnant +rayonne +rayonny +rayons +Rais +rays +ray's +raisable +Raysal +raise +raiseable +raised +raiseman +raiser +raisers +raises +Rayshell +raisin +raisin-colored +raisine +raising +raising-piece +raisings +raisiny +raisins +raison +raisonne +raisons +ray-strewn +Raytheon +Rayville +Raywick +Raywood +Raj +Raja +Rajab +Rajah +rajahs +rajarshi +rajas +rajaship +rajasic +Rajasthan +Rajasthani +rajbansi +rajeev +Rajendra +rajes +rajesh +Rajewski +Raji +Rajidae +Rajiv +Rajkot +raj-kumari +rajoguna +rajpoot +Rajput +Rajputana +rakan +Rakata +rake +rakeage +raked +rakee +rakees +rakeful +rakehell +rake-hell +rakehelly +rakehellish +rakehells +Rakel +rakely +rakeoff +rake-off +rakeoffs +raker +rakery +rakers +rakes +rakeshame +rakesteel +rakestele +rake-teeth +rakh +rakhal +raki +Rakia +rakija +rakily +raking +raking-down +rakingly +raking-over +rakis +rakish +rakishly +rakishness +rakishnesses +rakit +rakshasa +raku +Ralaigh +rale +Ralegh +Raleigh +rales +Ralf +Ralfston +Ralina +ralish +rall +rall. +Ralleigh +rallentando +rallery +Ralli +rally +ralliance +ralli-car +rallycross +Rallidae +rallye +rallied +rallier +ralliers +rallies +rallyes +ralliform +rallying +rallyings +rallyist +rallyists +rallymaster +Rallinae +ralline +Ralls +Rallus +Ralph +ralphed +ralphing +ralphs +rals +Ralston +ralstonite +RAM +Rama +Ramachandra +ramack +Ramada +Ramadan +ramadoss +Ramadoux +Ramage +Ramah +Ramayana +Ramaism +Ramaite +Ramakrishna +ramal +Raman +ramanan +Ramanandi +ramanas +Ramanujan +ramarama +ramark +ramass +ramate +Ramazan +Rambam +rambarre +rambeh +Ramberg +ramberge +Rambert +rambla +ramble +rambled +rambler +ramblers +rambles +ramble-scramble +rambling +ramblingly +ramblingness +ramblings +Rambo +rambong +rambooze +Rambort +Rambouillet +Rambow +rambunctious +rambunctiously +rambunctiousness +rambure +Ramburt +rambutan +rambutans +RAMC +ram-cat +ramdohrite +Rame +rameal +Ramean +Rameau +ramed +Ramee +ramees +Ramey +ramekin +ramekins +ramellose +rament +ramenta +ramentaceous +ramental +ramentiferous +ramentum +rameous +ramequin +ramequins +Ramer +Rameses +Rameseum +ramesh +Ramesse +Ramesses +Ramessid +Ramesside +ramet +ramets +ramex +ramfeezled +ramforce +ramgunshoch +ramhead +ram-headed +ramhood +rami +Ramiah +ramicorn +ramie +ramies +ramiferous +ramify +ramificate +ramification +ramifications +ramification's +ramified +ramifies +ramifying +ramiflorous +ramiform +ramigerous +ramilie +ramilies +Ramillie +Ramillied +Ramillies +Ramin +ramiparous +ramiro +ramisection +ramisectomy +Ramism +Ramist +Ramistical +ram-jam +ramjet +ramjets +ramlike +ramline +ram-line +rammack +rammage +Ramman +rammass +rammed +rammel +rammelsbergite +rammer +rammerman +rammermen +rammers +rammi +rammy +rammier +rammiest +ramming +rammish +rammishly +rammishness +Rammohun +ramneek +Ramnenses +Ramnes +Ramo +Ramon +Ramona +Ramonda +ramoneur +ramoon +Ramoosii +Ramos +ramose +ramosely +ramosity +ramosities +ramosopalmate +ramosopinnate +ramososubdivided +ramous +RAMP +rampacious +rampaciously +rampage +rampaged +rampageous +rampageously +rampageousness +rampager +rampagers +rampages +rampaging +rampagious +rampallion +rampancy +rampancies +rampant +rampantly +rampantness +rampart +ramparted +ramparting +ramparts +ramped +ramper +Ramphastidae +Ramphastides +Ramphastos +rampick +rampier +rampike +rampikes +ramping +rampingly +rampion +rampions +rampire +rampish +rampler +ramplor +rampole +rampoled +rampoles +rampoling +ramps +ramp's +rampsman +Rampur +ramrace +ramrod +ram-rod +ramroddy +ramrodlike +ramrods +ramrod-stiff +rams +ram's +Ramsay +ramscallion +ramsch +Ramsdell +Ramsden +Ramsey +Ramses +Ramseur +Ramsgate +ramshackle +ramshackled +ramshackleness +ramshackly +ramshorn +ram's-horn +ramshorns +ramson +ramsons +ramstam +ramstead +Ramstein +ramta +ramtil +ramtils +ramular +ramule +ramuliferous +ramulose +ramulous +ramulus +Ramunni +ramus +ramuscule +Ramusi +ramverse +Ramwat +RAN +Rana +ranal +Ranales +ranaria +ranarian +ranarium +Ranatra +Ranburne +Rancagua +Rance +rancel +Rancell +rancellor +rancelman +rancelmen +rancer +rances +rancescent +ranch +ranche +ranched +rancher +rancheria +rancherie +ranchero +rancheros +ranchers +ranches +Ranchester +Ranchi +ranching +ranchland +ranchlands +ranchless +ranchlike +ranchman +ranchmen +rancho +Ranchod +ranchos +ranchwoman +rancid +rancidify +rancidification +rancidified +rancidifying +rancidity +rancidities +rancidly +rancidness +rancidnesses +rancio +Rancocas +rancor +rancored +rancorous +rancorously +rancorousness +rancorproof +rancors +rancour +rancours +RAND +Randa +Randal +Randalia +Randall +Randallite +Randallstown +randan +randannite +randans +Randee +Randel +Randell +randem +Randene +rander +Randers +Randi +Randy +Randia +Randie +randier +randies +randiest +randiness +randing +randir +Randite +Randle +Randleman +Randlett +randn +Randolf +Randolph +random +randomish +randomization +randomizations +randomize +randomized +randomizer +randomizes +randomizing +random-jointed +randomly +randomness +randomnesses +randoms +randomwise +randon +randori +rands +Randsburg +rane +Ranee +ranees +Raney +Ranella +Ranere +ranforce +rang +rangale +rangatira +rangdoodles +Range +range-bred +ranged +rangefinder +rangeheads +rangey +Rangel +rangeland +rangelands +Rangeley +rangeless +Rangely +rangeman +rangemen +Ranger +rangers +rangership +ranges +rangework +rangy +rangier +rangiest +Rangifer +rangiferine +ranginess +ranginesses +ranging +rangle +rangler +Rangoon +rangpur +Rani +Rania +Ranice +ranid +Ranidae +ranids +Ranie +Ranier +raniferous +raniform +Ranina +Raninae +ranine +raninian +Ranique +ranis +Ranit +Ranita +Ranite +Ranitta +ranivorous +ranjit +Ranjiv +Rank +rank-and-filer +rank-brained +ranked +ranker +rankers +ranker's +rankest +ranket +rankett +rank-feeding +rank-growing +rank-grown +Rankin +Rankine +ranking +rankings +ranking's +rankish +rankle +rankled +rankles +rankless +rankly +rankling +ranklingly +rank-minded +rankness +ranknesses +rank-out +ranks +rank-scented +rank-scenting +ranksman +rank-smelling +ranksmen +rank-springing +rank-swelling +rank-tasting +rank-winged +rankwise +ranli +Rann +Ranna +rannel +ranny +rannigal +ranomer +ranomers +ranpike +ranpikes +Ranquel +ransack +ransacked +ransacker +ransackers +ransacking +ransackle +ransacks +ransel +Ransell +ranselman +ranselmen +ranses +ranseur +Ransom +ransomable +Ransome +ransomed +ransomer +ransomers +ransomfree +ransoming +ransomless +ransoms +Ransomville +Ranson +ranstead +rant +rantan +ran-tan +rantankerous +ranted +rantepole +ranter +Ranterism +ranters +ranty +ranting +rantingly +rantipole +rantism +rantize +rantock +rantoon +Rantoul +rantree +rants +rantum-scantum +ranula +ranular +ranulas +Ranunculaceae +ranunculaceous +Ranunculales +ranunculi +Ranunculus +ranunculuses +Ranzania +ranz-des-vaches +Ranzini +RAO +raob +RAOC +Raouf +Raoul +Raoulia +Rap +Rapaces +rapaceus +rapacious +rapaciously +rapaciousness +rapaciousnesses +rapacity +rapacities +Rapacki +rapakivi +Rapallo +Rapanea +Rapateaceae +rapateaceous +Rape +raped +rapeful +rapeye +rapely +Rapelje +rapeoil +raper +rapers +rapes +rapeseed +rapeseeds +rap-full +raphae +Raphael +Raphaela +Raphaelesque +Raphaelic +Raphaelism +Raphaelite +Raphaelitism +Raphaelle +raphany +raphania +Raphanus +raphe +raphes +Raphia +raphias +raphide +raphides +raphidiferous +raphidiid +Raphidiidae +Raphidodea +Raphidoidea +Raphine +Raphiolepis +raphis +raphus +rapic +rapid +rapidamente +Rapidan +rapid-changing +rapide +rapider +rapidest +rapid-fire +rapid-firer +rapid-firing +rapid-flying +rapid-flowing +rapid-footed +rapidity +rapidities +rapidly +rapid-mannered +rapidness +rapido +rapid-passing +rapid-running +rapids +rapid-speaking +rapid-transit +rapier +rapiered +rapier-like +rapier-proof +rapiers +rapilli +rapillo +rapine +rapiner +rapines +raping +rapinic +rapist +rapists +raploch +raport +Rapp +rappage +rapparee +rapparees +rappe +rapped +rappee +rappees +rappel +rappeling +rappelled +rappelling +rappels +rappen +rapper +rapper-dandies +rappers +rapping +rappini +Rappist +Rappite +rapport +rapporteur +rapports +rapprochement +rapprochements +raps +rap's +rapscallion +rapscallionism +rapscallionly +rapscallionry +rapscallions +rapt +raptatory +raptatorial +rapter +raptest +raptly +raptness +raptnesses +raptor +Raptores +raptorial +raptorious +raptors +raptril +rapture +rapture-bound +rapture-breathing +rapture-bursting +raptured +rapture-giving +raptureless +rapture-moving +rapture-ravished +rapture-rising +raptures +rapture's +rapture-smitten +rapture-speaking +rapture-touched +rapture-trembling +rapture-wrought +raptury +rapturing +rapturist +rapturize +rapturous +rapturously +rapturousness +raptus +Raquel +Raquela +raquet +raquette +RAR +rara +RARDE +Rarden +RARE +rarebit +rarebits +rare-bred +rared +raree-show +rarefaction +rarefactional +rarefactions +rarefactive +rare-featured +rare-felt +rarefy +rarefiable +rarefication +rarefied +rarefier +rarefiers +rarefies +rarefying +rare-gifted +Rareyfy +rarely +rareness +rarenesses +rare-painted +rare-qualitied +rarer +rareripe +rare-ripe +rareripes +rares +rare-seen +rare-shaped +rarest +rarety +rareties +rarety's +rariconstant +rariety +rarify +rarified +rarifies +rarifying +raring +rariora +rarish +Raritan +rarity +rarities +Rarotonga +Rarotongan +RARP +RAS +rasa +Rasalas +Rasalhague +rasamala +rasant +rasbora +rasboras +RASC +rascacio +Rascal +rascaldom +rascaless +rascalion +rascalism +rascality +rascalities +rascalize +rascally +rascallike +rascallion +rascalry +rascals +rascalship +rascasse +rasceta +rascette +rase +rased +Raseda +rasen +Rasenna +raser +rasers +rases +Raseta +rasgado +rash +rash-brain +rash-brained +rashbuss +rash-conceived +rash-embraced +rasher +rashers +rashes +rashest +rashful +rash-headed +rash-hearted +Rashi +Rashid +Rashida +Rashidi +Rashidov +rashing +rash-levied +rashly +rashlike +rash-minded +rashness +rashnesses +Rashomon +rash-pledged +rash-running +rash-spoken +Rasht +rash-thoughted +Rashti +Rasia +rasing +rasion +Rask +Raskin +Raskind +Raskolnik +Raskolniki +Raskolniks +Rasla +Rasmussen +rasoir +rason +rasophore +Rasores +rasorial +rasour +rasp +raspatory +raspatorium +raspberry +raspberriade +raspberries +raspberry-jam +raspberrylike +rasped +rasper +raspers +raspy +raspier +raspiest +raspiness +rasping +raspingly +raspingness +raspings +raspis +raspish +raspite +rasps +Rasputin +rassasy +rasse +Rasselas +rassle +rassled +rassles +rassling +Rastaban +Rastafarian +rastafarianism +raster +rasters +rasty +rastik +rastle +rastled +rastling +Rastus +Rasure +rasures +rat +rata +ratability +ratable +ratableness +ratably +ratafee +ratafees +ratafia +ratafias +ratal +ratals +ratan +ratanhia +ratany +ratanies +ratans +rataplan +rataplanned +rataplanning +rataplans +ratatat +rat-a-tat +ratatats +ratatat-tat +ratatouille +ratbag +ratbaggery +ratbite +ratcatcher +rat-catcher +ratcatching +ratch +ratchel +ratchelly +ratcher +ratches +ratchet +ratchety +ratchetlike +ratchets +ratchet-toothed +ratching +ratchment +Ratcliff +Ratcliffe +rat-colored +rat-deserted +rate +rateability +rateable +rateableness +rateably +rate-aided +rate-cutting +rated +rateen +rate-fixing +rat-eyed +ratel +rateless +ratels +ratement +ratemeter +ratepayer +ratepaying +rater +rate-raising +ratero +raters +rates +rate-setting +rat-faced +ratfink +ratfinks +ratfish +ratfishes +RATFOR +rat-gnawn +rath +Ratha +Rathaus +Rathauser +Rathbone +Rathdrum +rathe +rathed +rathely +Rathenau +ratheness +Rather +ratherest +ratheripe +rathe-ripe +ratherish +ratherly +rathest +ratheter +rathite +rathnakumar +rathole +ratholes +rathripe +rathskeller +rathskellers +Ratib +raticidal +raticide +raticides +raticocinator +ratify +ratifia +ratification +ratificationist +ratifications +ratified +ratifier +ratifiers +ratifies +ratifying +ratihabition +ratine +ratines +rat-infested +rating +ratings +rat-inhabited +ratio +ratiocinant +ratiocinate +ratiocinated +ratiocinates +ratiocinating +ratiocination +ratiocinations +ratiocinative +ratiocinator +ratiocinatory +ratiocinators +ratiometer +ration +rationable +rationably +rational +rationale +rationales +rationale's +rationalisation +rationalise +rationalised +rationaliser +rationalising +rationalism +rationalist +rationalistic +rationalistical +rationalistically +rationalisticism +rationalists +rationality +rationalities +rationalizable +rationalization +rationalizations +rationalize +rationalized +rationalizer +rationalizers +rationalizes +rationalizing +rationally +rationalness +rationals +rationate +rationed +rationing +rationless +rationment +rations +ratios +ratio's +Ratisbon +Ratitae +ratite +ratites +ratitous +ratiuncle +rat-kangaroo +rat-kangaroos +rat-killing +Ratlam +ratlike +ratlin +rat-lin +ratline +ratliner +ratlines +ratlins +RATO +Raton +ratoon +ratooned +ratooner +ratooners +ratooning +ratoons +ratos +ratproof +rat-ridden +rat-riddled +rats +rat's +ratsbane +ratsbanes +Ratskeller +rat-skin +rat's-tail +rat-stripper +rattage +rattail +rat-tail +rat-tailed +rattails +Rattan +rattans +rattaree +rat-tat +rat-tat-tat +rat-tattle +rattattoo +ratted +ratteen +ratteens +rattel +ratten +rattened +rattener +ratteners +rattening +rattens +ratter +rattery +ratters +ratti +ratty +rattier +rattiest +Rattigan +rat-tight +rattinet +ratting +rattingly +rattish +rattle +rattlebag +rattlebones +rattlebox +rattlebrain +rattlebrained +rattlebrains +rattlebush +rattle-bush +rattled +rattlehead +rattle-head +rattleheaded +rattlejack +rattlemouse +rattlenut +rattlepate +rattle-pate +rattlepated +rattlepod +rattleproof +rattler +rattleran +rattleroot +rattlers +rattlertree +rattles +rattleskull +rattleskulled +rattlesnake +rattlesnake-bite +rattlesnakes +rattlesnake's +rattlesome +rattletybang +rattlety-bang +rattle-top +rattletrap +rattletraps +rattleweed +rattlewort +rattly +rattling +rattlingly +rattlingness +rattlings +ratton +rattoner +rattons +rattoon +rattooned +rattooning +rattoons +Rattray +rattrap +rat-trap +rattraps +Rattus +ratwa +ratwood +Rauch +raucid +raucidity +raucity +raucities +raucorous +raucous +raucously +raucousness +raucousnesses +raught +raughty +raugrave +rauk +raukle +Raul +rauli +Raumur +raun +raunchy +raunchier +raunchiest +raunchily +raunchiness +raunge +raunpick +raupo +rauque +Rauraci +Raurich +Raurici +rauriki +Rausch +Rauschenburg +Rauschenbusch +Rauscher +Rauwolfia +ravage +ravaged +ravagement +ravager +ravagers +ravages +ravaging +Ravana +RAVC +rave +Raveaux +raved +ravehook +raveinelike +Ravel +raveled +raveler +ravelers +ravelin +raveling +ravelings +ravelins +ravelled +raveller +ravellers +ravelly +ravelling +ravellings +ravelment +ravelproof +ravels +Raven +Ravena +Ravenala +raven-black +Ravencliff +raven-colored +Ravendale +Ravenden +ravendom +ravenduck +ravened +Ravenel +Ravenelia +ravener +raveners +raven-feathered +raven-haired +ravenhood +ravening +raveningly +ravenings +ravenish +ravenlike +ravenling +Ravenna +ravenous +ravenously +ravenousness +ravenousnesses +raven-plumed +ravenry +Ravens +Ravensara +Ravensdale +ravenstone +Ravenswood +raven-toned +raven-torn +raven-tressed +ravenwise +Ravenwood +raver +ravery +ravers +raves +rave-up +Ravi +Ravia +Ravid +ravigote +ravigotes +ravin +ravinate +ravindran +ravindranath +ravine +ravined +raviney +ravinement +ravines +ravine's +raving +ravingly +ravings +Ravinia +ravining +ravins +ravioli +raviolis +ravish +ravished +ravishedly +ravisher +ravishers +ravishes +ravishing +ravishingly +ravishingness +ravishment +ravishments +ravison +ravissant +Raviv +Ravo +Ravonelle +raw +Rawalpindi +rawbone +raw-bone +rawboned +raw-boned +rawbones +raw-colored +Rawdan +Rawden +raw-devouring +Rawdin +Rawdon +raw-edged +rawer +rawest +raw-faced +raw-handed +rawhead +raw-head +raw-headed +rawhide +rawhided +rawhider +rawhides +rawhiding +rawin +rawing +rawins +rawinsonde +rawish +rawishness +rawky +Rawl +Rawley +rawly +Rawlings +Rawlins +Rawlinson +raw-looking +Rawlplug +raw-mouthed +rawness +rawnesses +rawnie +raw-nosed +raw-ribbed +raws +Rawson +Rawsthorne +raw-striped +raw-wool +rax +raxed +raxes +raxing +raze +razed +razee +razeed +razeeing +razees +razeing +razer +razers +razes +Razid +razing +razoo +razor +razorable +razorback +razor-back +razor-backed +razorbill +razor-bill +razor-billed +razor-bladed +razor-bowed +razor-cut +razored +razoredge +razor-edge +razor-edged +razorfish +razor-fish +razorfishes +razor-grinder +razoring +razor-keen +razor-leaved +razorless +razormaker +razormaking +razorman +razors +razor's +razor-shaped +razor-sharp +razor-sharpening +razor-shell +razorstrop +razor-tongued +razor-weaponed +razor-witted +Razoumofskya +razour +razz +razzberry +razzberries +razzed +razzer +razzes +razzia +razzing +razzle +razzle-dazzle +razzly +razzmatazz +RB +RB- +RBC +RBE +RBHC +RBI +RBOC +RBOR +rbound +RBT +RBTL +RC +RCA +RCAF +RCAS +RCB +RCC +RCCh +rcd +rcd. +RCF +RCH +rchauff +rchitect +RCI +RCL +rclame +RCLDN +RCM +RCMAC +RCMP +RCN +RCO +r-colour +RCP +rcpt +rcpt. +RCS +RCSC +RCT +RCU +RCVR +RCVS +RD +Rd. +RDA +RdAc +RDBMS +RDC +RDES +Rdesheimer +RDF +Rdhos +RDL +RDM +RDP +RDS +RDT +RDTE +RDX +RE +re- +'re +Re. +REA +reaal +reabandon +reabandoned +reabandoning +reabandons +reabbreviate +reabbreviated +reabbreviates +reabbreviating +reable +reabolish +reabolition +reabridge +reabridged +reabridging +reabsence +reabsent +reabsolve +reabsorb +reabsorbed +reabsorbing +reabsorbs +reabsorption +reabstract +reabstracted +reabstracting +reabstracts +reabuse +reaccede +reacceded +reaccedes +reacceding +reaccelerate +reaccelerated +reaccelerates +reaccelerating +reaccent +reaccented +reaccenting +reaccents +reaccentuate +reaccentuated +reaccentuating +reaccept +reacceptance +reaccepted +reaccepting +reaccepts +reaccess +reaccession +reacclaim +reacclimate +reacclimated +reacclimates +reacclimating +reacclimatization +reacclimatize +reacclimatized +reacclimatizes +reacclimatizing +reaccommodate +reaccommodated +reaccommodates +reaccommodating +reaccomodated +reaccompany +reaccompanied +reaccompanies +reaccompanying +reaccomplish +reaccomplishment +reaccord +reaccost +reaccount +reaccredit +reaccredited +reaccrediting +reaccredits +reaccrue +reaccumulate +reaccumulated +reaccumulates +reaccumulating +reaccumulation +reaccusation +reaccuse +reaccused +reaccuses +reaccusing +reaccustom +reaccustomed +reaccustoming +reaccustoms +Reace +reacetylation +reach +reachability +reachable +reachableness +reachably +reached +reacher +reacher-in +reachers +reaches +reachy +reachieve +reachieved +reachievement +reachieves +reachieving +reaching +reachless +reach-me-down +reach-me-downs +reacidify +reacidification +reacidified +reacidifying +reacknowledge +reacknowledged +reacknowledging +reacknowledgment +reacquaint +reacquaintance +reacquainted +reacquainting +reacquaints +reacquire +reacquired +reacquires +reacquiring +reacquisition +reacquisitions +react +re-act +reactance +reactant +reactants +reacted +reacting +reaction +reactional +reactionally +reactionary +reactionaries +reactionaryism +reactionariness +reactionary's +reactionarism +reactionarist +reactionism +reactionist +reaction-proof +reactions +reaction's +reactivate +reactivated +reactivates +reactivating +reactivation +reactivations +reactivator +reactive +reactively +reactiveness +reactivity +reactivities +reactology +reactological +reactor +reactors +reactor's +reacts +reactualization +reactualize +reactuate +reacuaintance +Read +readability +readabilities +readable +readableness +readably +readapt +readaptability +readaptable +readaptation +readapted +readaptiness +readapting +readaptive +readaptiveness +readapts +readd +readded +readdict +readdicted +readdicting +readdicts +readding +readdition +readdress +readdressed +readdresses +readdressing +readds +Reade +readept +Reader +readerdom +reader-off +readers +readership +readerships +Readfield +readhere +readhesion +Ready +ready-armed +ready-beaten +ready-bent +ready-braced +ready-built +ready-coined +ready-cooked +ready-cut +ready-dressed +readied +readier +readies +readiest +ready-formed +ready-for-wear +ready-furnished +ready-grown +ready-handed +readying +readily +readymade +ready-made +ready-mades +ready-mix +ready-mixed +ready-mounted +readiness +readinesses +Reading +readingdom +readings +Readington +ready-penned +ready-prepared +ready-reference +ready-sanded +ready-sensitized +ready-shapen +ready-starched +ready-typed +ready-tongued +ready-to-wear +Readyville +ready-winged +ready-witted +ready-wittedly +ready-wittedness +ready-worded +ready-written +readjourn +readjourned +readjourning +readjournment +readjournments +readjourns +readjudicate +readjudicated +readjudicating +readjudication +readjust +readjustable +readjusted +readjuster +readjusting +readjustment +readjustments +readjusts +readl +Readlyn +readmeasurement +readminister +readmiration +readmire +readmission +readmissions +readmit +readmits +readmittance +readmitted +readmitting +readopt +readopted +readopting +readoption +readopts +readorn +readorned +readorning +readornment +readorns +readout +readouts +readout's +reads +Readsboro +Readstown +Readus +readvance +readvancement +readvent +readventure +readvertency +readvertise +readvertised +readvertisement +readvertising +readvertize +readvertized +readvertizing +readvise +readvised +readvising +readvocate +readvocated +readvocating +readvocation +reaeration +reaffect +reaffection +reaffiliate +reaffiliated +reaffiliating +reaffiliation +reaffirm +reaffirmance +reaffirmation +reaffirmations +reaffirmed +reaffirmer +reaffirming +reaffirms +reaffix +reaffixed +reaffixes +reaffixing +reafflict +reafford +reafforest +reafforestation +reaffront +reaffusion +Reagan +reaganomics +Reagen +reagency +reagent +reagents +reaggravate +reaggravation +reaggregate +reaggregated +reaggregating +reaggregation +reaggressive +reagin +reaginic +reaginically +reagins +reagitate +reagitated +reagitating +reagitation +reagree +reagreement +Reahard +reak +reaks +real +realarm +realer +reales +realest +realestate +realgar +realgars +Realgymnasium +real-hearted +realia +realienate +realienated +realienating +realienation +realign +realigned +realigning +realignment +realignments +realigns +realisable +realisation +realise +realised +realiser +realisers +realises +realising +realism +realisms +realist +realistic +realistically +realisticize +realisticness +realists +realist's +reality +realities +Realitos +realive +realizability +realizable +realizableness +realizably +realization +realizations +realization's +realize +realized +realizer +realizers +realizes +realizing +realizingly +reallegation +reallege +realleged +realleging +reallegorize +really +re-ally +realliance +really-truly +reallocate +reallocated +reallocates +reallocating +reallocation +reallocations +reallot +reallotment +reallots +reallotted +reallotting +reallow +reallowance +reallude +reallusion +realm +realm-bounding +realm-conquering +realm-destroying +realm-governing +real-minded +realmless +realmlet +realm-peopling +realms +realm's +realm-subduing +realm-sucking +realm-unpeopling +realness +realnesses +Realpolitik +reals +Realschule +real-sighted +realter +realterable +realterableness +realterably +realteration +realtered +realtering +realters +realty +realties +real-time +Realtor +realtors +ream +reamage +reamalgamate +reamalgamated +reamalgamating +reamalgamation +reamass +reamassment +reambitious +reamed +reamend +reamendment +reamer +reamerer +Re-americanization +Re-americanize +reamers +Reames +Reamy +reaminess +reaming +reaming-out +Reamonn +reamputation +reams +Reamstown +reamuse +reanalyses +reanalysis +reanalyzable +reanalyze +reanalyzed +reanalyzely +reanalyzes +reanalyzing +reanchor +reanesthetize +reanesthetized +reanesthetizes +reanesthetizing +reanimalize +reanimate +reanimated +reanimates +reanimating +reanimation +reanimations +reanneal +reannex +reannexation +reannexed +reannexes +reannexing +reannoy +reannoyance +reannotate +reannotated +reannotating +reannotation +reannounce +reannounced +reannouncement +reannouncing +reanoint +reanointed +reanointing +reanointment +reanoints +reanswer +reantagonize +reantagonized +reantagonizing +reanvil +reanxiety +reap +reapable +reapdole +reaped +Reaper +reapers +reaphook +reaphooks +reaping +reapology +reapologies +reapologize +reapologized +reapologizing +reapparel +reapparition +reappeal +reappear +reappearance +reappearances +reappeared +reappearing +reappears +reappease +reapplaud +reapplause +reapply +reappliance +reapplicant +reapplication +reapplied +reapplier +reapplies +reapplying +reappoint +reappointed +reappointing +reappointment +reappointments +reappoints +reapportion +reapportioned +reapportioning +reapportionment +reapportionments +reapportions +reapposition +reappraisal +reappraisals +reappraise +reappraised +reappraisement +reappraiser +reappraises +reappraising +reappreciate +reappreciation +reapprehend +reapprehension +reapproach +reapproachable +reapprobation +reappropriate +reappropriated +reappropriating +reappropriation +reapproval +reapprove +reapproved +reapproves +reapproving +reaps +rear +rear- +rear-admiral +rearanged +rearanging +rear-arch +rearbitrate +rearbitrated +rearbitrating +rearbitration +rear-cut +Reardan +rear-directed +reardoss +rear-driven +rear-driving +reared +rear-end +rearer +rearers +rearguard +rear-guard +reargue +reargued +reargues +rearguing +reargument +rearhorse +rear-horse +rearii +rearing +rearisal +rearise +rearisen +rearising +rearly +rearling +rearm +rearmament +rearmed +rearmice +rearming +rearmost +rearmouse +rearms +rearose +rearousal +rearouse +rearoused +rearouses +rearousing +rearray +rearrange +rearrangeable +rearranged +rearrangement +rearrangements +rearrangement's +rearranger +rearranges +rearranging +rearrest +rearrested +rearresting +rearrests +rearrival +rearrive +rears +rear-steering +rearticulate +rearticulated +rearticulating +rearticulation +rear-vassal +rear-vault +rearward +rearwardly +rearwardness +rearwards +reascend +reascendancy +reascendant +reascended +reascendency +reascendent +reascending +reascends +reascension +reascensional +reascent +reascents +reascertain +reascertainment +reasearch +reashlar +reasy +reasiness +reask +Reasnor +reason +reasonability +reasonable +reasonableness +reasonablenesses +reasonably +reasonal +reasoned +reasonedly +reasoner +reasoners +reasoning +reasoningly +reasonings +reasonless +reasonlessly +reasonlessness +reasonlessured +reasonlessuring +reasonproof +reasons +reaspire +reassay +reassail +reassailed +reassailing +reassails +reassault +reassemblage +reassemble +reassembled +reassembles +reassembly +reassemblies +reassembling +reassent +reassert +reasserted +reasserting +reassertion +reassertor +reasserts +reassess +reassessed +reassesses +reassessing +reassessment +reassessments +reassessment's +reasseverate +reassign +reassignation +reassigned +reassigning +reassignment +reassignments +reassignment's +reassigns +reassimilate +reassimilated +reassimilates +reassimilating +reassimilation +reassist +reassistance +reassociate +reassociated +reassociates +reassociating +reassociation +reassort +reassorted +reassorting +reassortment +reassortments +reassorts +reassume +reassumed +reassumes +reassuming +reassumption +reassumptions +reassurance +reassurances +reassure +reassured +reassuredly +reassurement +reassurer +reassures +reassuring +reassuringly +reast +reasty +reastiness +reastonish +reastonishment +reastray +reata +reatas +reattach +reattachable +reattached +reattaches +reattaching +reattachment +reattachments +reattack +reattacked +reattacking +reattacks +reattain +reattained +reattaining +reattainment +reattains +reattempt +reattempted +reattempting +reattempts +reattend +reattendance +reattention +reattentive +reattest +reattire +reattired +reattiring +reattract +reattraction +reattribute +reattribution +reatus +reaudit +reaudition +Reaum +Reaumur +reaute +reauthenticate +reauthenticated +reauthenticating +reauthentication +reauthorization +reauthorize +reauthorized +reauthorizing +reavail +reavailable +reavails +Reave +reaved +reaver +reavery +reavers +reaves +reaving +reavoid +reavoidance +reavouch +reavow +reavowal +reavowed +reavowing +reavows +reawait +reawake +reawaked +reawaken +reawakened +reawakening +reawakenings +reawakenment +reawakens +reawakes +reawaking +reaward +reaware +reawoke +reawoken +Reb +Reba +rebab +reback +rebag +Rebah +rebait +rebaited +rebaiting +rebaits +Rebak +rebake +rebaked +rebaking +rebalance +rebalanced +rebalances +rebalancing +rebale +rebaled +rebaling +reballast +reballot +reballoted +reballoting +reban +rebandage +rebandaged +rebandaging +Rebane +rebanish +rebanishment +rebank +rebankrupt +rebankruptcy +rebaptism +rebaptismal +rebaptization +rebaptize +rebaptized +rebaptizer +rebaptizes +rebaptizing +rebar +rebarbarization +rebarbarize +rebarbative +rebarbatively +rebarbativeness +rebargain +rebase +rebasis +rebatable +rebate +rebateable +rebated +rebatement +rebater +rebaters +rebates +rebate's +rebathe +rebathed +rebathing +rebating +rebato +rebatos +rebawl +Rebba +rebbe +Rebbecca +rebbes +rebbred +Rebe +rebeamer +rebear +rebeat +rebeautify +rebec +Rebeca +Rebecca +Rebeccaism +Rebeccaites +rebeck +Rebecka +rebecks +rebecome +rebecs +rebed +rebeg +rebeget +rebeggar +rebegin +rebeginner +rebeginning +rebeguile +rebehold +rebeholding +Rebeka +Rebekah +Rebekkah +Rebel +rebeldom +rebeldoms +rebelief +rebelieve +rebelled +rebeller +rebelly +rebellike +rebelling +rebellion +rebellions +rebellion's +rebellious +rebelliously +rebelliousness +rebelliousnesses +rebellow +rebelong +rebelove +rebelproof +rebels +rebel's +rebemire +rebend +rebending +rebenediction +rebenefit +rebent +Rebersburg +rebeset +rebesiege +rebestow +rebestowal +rebetake +rebetray +rebewail +Rebhun +rebia +rebias +rebid +rebiddable +rebidden +rebidding +rebids +rebill +rebilled +rebillet +rebilling +rebills +rebind +rebinding +rebinds +rebirth +rebirths +rebite +reblade +reblame +reblast +rebleach +reblend +reblended +reblends +rebless +reblister +Reblochon +reblock +rebloom +rebloomed +reblooming +reblooms +reblossom +reblot +reblow +reblown +reblue +rebluff +reblunder +reboant +reboantic +reboard +reboarded +reboarding +reboards +reboast +reboation +rebob +rebody +rebodied +rebodies +reboil +reboiled +reboiler +reboiling +reboils +reboise +reboisement +reboke +rebold +rebolera +rebolt +rebone +rebook +re-book +rebooked +rebooks +reboot +rebooted +rebooting +reboots +rebop +rebops +rebore +rebored +rebores +reboring +reborn +reborrow +rebosa +reboso +rebosos +rebote +rebottle +rebought +Reboulia +rebounce +rebound +reboundable +reboundant +rebounded +rebounder +rebounding +reboundingness +rebounds +rebourbonize +rebox +rebozo +rebozos +rebrace +rebraced +rebracing +rebraid +rebranch +rebranched +rebranches +rebranching +rebrand +rebrandish +rebreathe +rebred +rebreed +rebreeding +rebrew +rebribe +rebrick +rebridge +rebrighten +rebring +rebringer +rebroach +rebroadcast +rebroadcasted +rebroadcasting +rebroadcasts +rebroaden +rebroadened +rebroadening +rebroadens +rebronze +rebrown +rebrush +rebrutalize +rebs +rebubble +Rebuck +rebuckle +rebuckled +rebuckling +rebud +rebudget +rebudgeted +rebudgeting +rebuff +re-buff +rebuffable +rebuffably +rebuffed +rebuffet +rebuffing +rebuffproof +rebuffs +rebuy +rebuying +rebuild +rebuilded +rebuilder +rebuilding +rebuilds +rebuilt +rebuys +rebukable +rebuke +rebukeable +rebuked +rebukeful +rebukefully +rebukefulness +rebukeproof +rebuker +rebukers +rebukes +rebuking +rebukingly +rebulk +rebunch +rebundle +rebunker +rebuoy +rebuoyage +reburden +reburgeon +rebury +reburial +reburials +reburied +reburies +reburying +reburn +reburnish +reburse +reburst +rebus +rebused +rebuses +rebush +rebusy +rebusing +rebut +rebute +rebutment +rebuts +rebuttable +rebuttably +rebuttal +rebuttals +rebutted +rebutter +rebutters +rebutting +rebutton +rebuttoned +rebuttoning +rebuttons +REC +recable +recabled +recabling +recadency +recado +recage +recaged +recaging +recalcination +recalcine +recalcitrance +recalcitrances +recalcitrancy +recalcitrancies +recalcitrant +recalcitrate +recalcitrated +recalcitrating +recalcitration +recalculate +recalculated +recalculates +recalculating +recalculation +recalculations +recalesce +recalesced +recalescence +recalescent +recalescing +recalibrate +recalibrated +recalibrates +recalibrating +recalibration +recalk +recall +recallability +recallable +recalled +recaller +recallers +recalling +recallist +recallment +recalls +recamera +Recamier +recampaign +recanalization +recancel +recanceled +recanceling +recancellation +recandescence +recandidacy +recane +recaned +recanes +recaning +recant +recantation +recantations +recanted +recanter +recanters +recanting +recantingly +recants +recanvas +recap +recapacitate +recapitalization +recapitalize +recapitalized +recapitalizes +recapitalizing +recapitulate +recapitulated +recapitulates +recapitulating +recapitulation +recapitulationist +recapitulations +recapitulative +recapitulator +recapitulatory +recappable +recapped +recapper +recapping +recaps +recaption +recaptivate +recaptivation +recaptor +recapture +recaptured +recapturer +recaptures +recapturing +recarbon +recarbonate +recarbonation +recarbonization +recarbonize +recarbonizer +recarburization +recarburize +recarburizer +recarnify +recarpet +recarry +recarriage +recarried +recarrier +recarries +recarrying +recart +recarve +recarved +recarving +recase +recash +recasket +recast +recaster +recasting +recasts +recatalog +recatalogue +recatalogued +recataloguing +recatch +recategorize +recategorized +recategorizing +recaulescence +recausticize +recaution +recce +recche +recchose +recchosen +reccy +recco +recd +rec'd +recede +re-cede +receded +recedence +recedent +receder +recedes +receding +receipt +receiptable +receipted +receipter +receipting +receiptless +receiptment +receiptor +receipts +receipt's +receivability +receivable +receivableness +receivables +receivablness +receival +receive +received +receivedness +receiver +receiver-general +receivers +receivership +receiverships +receives +receiving +recelebrate +recelebrated +recelebrates +recelebrating +recelebration +recement +recementation +recency +recencies +recense +recenserecit +recension +recensionist +recensor +recensure +recensus +Recent +recenter +recentest +recently +recentness +recentnesses +recentralization +recentralize +recentralized +recentralizing +recentre +recept +receptacle +receptacles +receptacle's +receptacula +receptacular +receptaculite +Receptaculites +receptaculitid +Receptaculitidae +receptaculitoid +receptaculum +receptant +receptary +receptibility +receptible +reception +receptionism +receptionist +receptionists +receptionreck +receptions +reception's +receptitious +receptive +receptively +receptiveness +receptivenesses +receptivity +receptivities +receptor +receptoral +receptorial +receptors +recepts +receptual +receptually +recercele +recercelee +recertify +recertificate +recertification +recertifications +recertified +recertifies +recertifying +recess +recessed +recesser +recesses +recessing +recession +recessional +recessionals +recessionary +recessions +recessive +recessively +recessiveness +recesslike +recessor +Rech +Recha +Rechaba +Rechabite +Rechabitism +rechafe +rechain +rechal +rechallenge +rechallenged +rechallenging +rechamber +rechange +rechanged +rechanges +rechanging +rechannel +rechanneled +rechanneling +rechannelling +rechannels +rechant +rechaos +rechar +recharge +rechargeable +recharged +recharger +recharges +recharging +rechart +recharted +recharter +rechartered +rechartering +recharters +recharting +recharts +rechase +rechaser +rechasten +rechate +rechauffe +rechauffes +rechaw +recheat +recheats +recheck +rechecked +rechecking +rechecks +recheer +recherch +recherche +rechew +rechewed +rechews +rechip +rechisel +rechoose +rechooses +rechoosing +rechose +rechosen +rechristen +rechristened +rechristening +rechristenings +rechristens +Re-christianize +rechuck +rechurn +recyclability +recyclable +recycle +recycled +recycler +recycles +recycling +recide +recidivate +recidivated +recidivating +recidivation +recidive +recidivism +recidivist +recidivistic +recidivists +recidivity +recidivous +Recife +recip +recipe +recipes +recipe's +recipiangle +recipiatur +recipience +recipiency +recipiend +recipiendary +recipiendum +recipient +recipients +recipient's +recipiomotor +reciprocable +reciprocal +reciprocality +reciprocalize +reciprocally +reciprocalness +reciprocals +reciprocant +reciprocantive +reciprocate +reciprocated +reciprocates +reciprocating +reciprocation +reciprocations +reciprocatist +reciprocative +reciprocator +reciprocatory +reciprocitarian +reciprocity +reciprocities +reciproque +recircle +recircled +recircles +recircling +recirculate +recirculated +recirculates +recirculating +recirculation +recirculations +recision +recisions +recission +recissory +Recit +recitable +recital +recitalist +recitalists +recitals +recital's +recitando +recitatif +recitation +recitationalism +recitationist +recitations +recitation's +recitative +recitatively +recitatives +recitativi +recitativical +recitativo +recitativos +recite +recited +recitement +reciter +reciters +recites +reciting +recivilization +recivilize +reck +recked +Reckford +recking +reckla +reckless +recklessly +recklessness +recklessnesses +reckling +Recklinghausen +reckon +reckonable +reckoned +reckoner +reckoners +reckoning +reckonings +reckons +recks +reclad +reclaim +re-claim +reclaimable +reclaimableness +reclaimably +reclaimant +reclaimed +reclaimer +reclaimers +reclaiming +reclaimless +reclaimment +reclaims +reclama +reclamation +reclamations +reclamatory +reclame +reclames +reclang +reclasp +reclasped +reclasping +reclasps +reclass +reclassify +reclassification +reclassifications +reclassified +reclassifies +reclassifying +reclean +recleaned +recleaner +recleaning +recleans +recleanse +recleansed +recleansing +reclear +reclearance +reclimb +reclimbed +reclimbing +reclinable +reclinant +reclinate +reclinated +reclination +recline +reclined +recliner +recliners +reclines +reclining +reclivate +reclosable +reclose +recloseable +reclothe +reclothed +reclothes +reclothing +reclude +recluse +reclusely +recluseness +reclusery +recluses +reclusion +reclusive +reclusiveness +reclusory +recoach +recoagulate +recoagulated +recoagulating +recoagulation +recoal +recoaled +recoaling +recoals +recoast +recoat +recock +recocked +recocking +recocks +recoct +recoction +recode +recoded +recodes +recodify +recodification +recodified +recodifies +recodifying +recoding +recogitate +recogitation +recognisable +recognise +recognised +recogniser +recognising +recognita +recognition +re-cognition +re-cognitional +recognitions +recognition's +recognitive +recognitor +recognitory +recognizability +recognizable +recognizably +recognizance +recognizances +recognizant +recognize +recognized +recognizedly +recognizee +recognizer +recognizers +recognizes +recognizing +recognizingly +recognizor +recognosce +recohabitation +recoil +re-coil +recoiled +recoiler +recoilers +recoiling +recoilingly +recoilless +recoilment +re-coilre-collect +recoils +recoin +recoinage +recoined +recoiner +recoining +recoins +recoke +recollapse +recollate +recollation +Recollect +re-collect +recollectable +recollected +recollectedly +recollectedness +recollectible +recollecting +recollection +re-collection +recollections +recollection's +recollective +recollectively +recollectiveness +recollects +Recollet +recolonisation +recolonise +recolonised +recolonising +recolonization +recolonize +recolonized +recolonizes +recolonizing +recolor +recoloration +recolored +recoloring +recolors +recolour +recolouration +recomb +recombed +recombinant +recombination +recombinational +recombinations +recombine +recombined +recombines +recombing +recombining +recombs +recomember +recomfort +recommand +recommence +recommenced +recommencement +recommencer +recommences +recommencing +recommend +re-commend +recommendability +recommendable +recommendableness +recommendably +recommendation +recommendations +recommendation's +recommendative +recommendatory +recommended +recommendee +recommender +recommenders +recommending +recommends +recommission +recommissioned +recommissioning +recommissions +recommit +recommiting +recommitment +recommits +recommittal +recommitted +recommitting +recommunicate +recommunion +recompact +recompare +recompared +recomparing +recomparison +recompass +recompel +recompence +recompensable +recompensate +recompensated +recompensating +recompensation +recompensatory +recompense +recompensed +recompenser +recompenses +recompensing +recompensive +recompete +recompetition +recompetitor +recompilation +recompilations +recompile +recompiled +recompilement +recompiles +recompiling +recomplain +recomplaint +recomplete +recompletion +recomply +recompliance +recomplicate +recomplication +recompose +recomposed +recomposer +recomposes +recomposing +recomposition +recompound +recompounded +recompounding +recompounds +recomprehend +recomprehension +recompress +recompression +recomputation +recompute +recomputed +recomputes +recomputing +RECON +reconceal +reconcealment +reconcede +reconceive +reconceived +reconceives +reconceiving +reconcentrado +reconcentrate +reconcentrated +reconcentrates +reconcentrating +reconcentration +reconception +reconcert +reconcession +reconcilability +reconcilable +reconcilableness +reconcilably +reconcile +reconciled +reconcilee +reconcileless +reconcilement +reconcilements +reconciler +reconcilers +reconciles +reconciliability +reconciliable +reconciliate +reconciliated +reconciliating +reconciliation +reconciliations +reconciliatiory +reconciliative +reconciliator +reconciliatory +reconciling +reconcilingly +reconclude +reconclusion +reconcoct +reconcrete +reconcur +recond +recondemn +recondemnation +recondensation +recondense +recondensed +recondenses +recondensing +recondite +reconditely +reconditeness +recondition +reconditioned +reconditioning +reconditions +reconditory +recondole +reconduct +reconduction +reconfer +reconferred +reconferring +reconfess +reconfide +reconfigurability +reconfigurable +reconfiguration +reconfigurations +reconfiguration's +reconfigure +reconfigured +reconfigurer +reconfigures +reconfiguring +reconfine +reconfined +reconfinement +reconfining +reconfirm +reconfirmation +reconfirmations +reconfirmed +reconfirming +reconfirms +reconfiscate +reconfiscated +reconfiscating +reconfiscation +reconform +reconfound +reconfront +reconfrontation +reconfuse +reconfused +reconfusing +reconfusion +recongeal +recongelation +recongest +recongestion +recongratulate +recongratulation +reconjoin +reconjunction +reconnaissance +reconnaissances +reconnect +reconnected +reconnecting +reconnection +reconnects +reconnoissance +reconnoiter +reconnoitered +reconnoiterer +reconnoitering +reconnoiteringly +reconnoiters +reconnoitre +reconnoitred +reconnoitrer +reconnoitring +reconnoitringly +reconquer +reconquered +reconquering +reconqueror +reconquers +reconquest +reconquests +recons +reconsecrate +reconsecrated +reconsecrates +reconsecrating +reconsecration +reconsecrations +reconsent +reconsider +reconsideration +reconsiderations +reconsidered +reconsidering +reconsiders +reconsign +reconsigned +reconsigning +reconsignment +reconsigns +reconsole +reconsoled +reconsolidate +reconsolidated +reconsolidates +reconsolidating +reconsolidation +reconsolidations +reconsoling +reconstituent +reconstitute +reconstituted +reconstitutes +reconstituting +reconstitution +reconstruct +reconstructed +reconstructible +reconstructing +Reconstruction +reconstructional +reconstructionary +Reconstructionism +Reconstructionist +reconstructions +reconstructive +reconstructively +reconstructiveness +reconstructor +reconstructs +reconstrue +reconsult +reconsultation +recontact +recontaminate +recontaminated +recontaminates +recontaminating +recontamination +recontemplate +recontemplated +recontemplating +recontemplation +recontend +reconter +recontest +recontested +recontesting +recontests +recontinuance +recontinue +recontract +recontracted +recontracting +recontraction +recontracts +recontrast +recontribute +recontribution +recontrivance +recontrive +recontrol +recontrolling +reconvalesce +reconvalescence +reconvalescent +reconvey +reconveyance +reconveyed +reconveying +reconveys +reconvene +reconvened +reconvenes +reconvening +reconvenire +reconvention +reconventional +reconverge +reconverged +reconvergence +reconverging +reconverse +reconversion +reconversions +reconvert +reconverted +reconvertible +reconverting +reconverts +reconvict +reconvicted +reconvicting +reconviction +reconvicts +reconvince +reconvoke +recook +recooked +recooking +recooks +recool +recooper +re-co-operate +re-co-operation +recopy +recopied +recopies +recopying +recopilation +recopyright +recopper +Recor +record +re-cord +recordable +recordance +recordant +recordation +recordative +recordatively +recordatory +record-bearing +record-beating +record-breaking +record-changer +Recorde +recorded +recordedly +recorder +recorders +recordership +recording +recordings +recordist +recordists +recordless +record-making +record-player +Records +record-seeking +record-setting +recordsize +recork +recorked +recorks +recoronation +recorporify +recorporification +recorrect +recorrection +recorrupt +recorruption +recost +recostume +recostumed +recostuming +recounsel +recounseled +recounseling +recount +re-count +recountable +recountal +recounted +recountenance +recounter +recounting +recountless +recountment +recounts +recoup +recoupable +recoupe +recouped +recouper +recouping +recouple +recoupled +recouples +recoupling +recoupment +recoups +recour +recours +recourse +recourses +recover +re-cover +recoverability +recoverable +recoverableness +recoverance +recovered +recoveree +recoverer +recovery +recoveries +recovering +recoveringly +recovery's +recoverless +recoveror +recovers +recpt +recrayed +recramp +recrank +recrate +recrated +recrates +recrating +recreance +recreancy +recreant +recreantly +recreantness +recreants +recrease +recreatable +recreate +re-create +recreated +re-created +recreates +recreating +re-creating +recreation +re-creation +recreational +recreationally +recreationist +recreations +recreative +re-creative +recreatively +recreativeness +recreator +re-creator +recreatory +recredential +recredit +recrement +recremental +recrementitial +recrementitious +recrescence +recrew +recriminate +recriminated +recriminates +recriminating +recrimination +recriminations +recriminative +recriminator +recriminatory +recrystallise +recrystallised +recrystallising +recrystallization +recrystallize +recrystallized +recrystallizes +recrystallizing +recriticize +recriticized +recriticizing +recroon +recrop +recross +recrossed +recrosses +recrossing +recrowd +recrown +recrowned +recrowning +recrowns +recrucify +recrudency +recrudesce +recrudesced +recrudescence +recrudescency +recrudescent +recrudesces +recrudescing +recruit +recruitable +recruitage +recruital +recruited +recruitee +recruiter +recruiters +recruithood +recruity +recruiting +recruitment +recruitments +recruitors +recruits +recruit's +recrush +recrusher +recs +Rect +rect- +rect. +recta +rectal +rectalgia +rectally +rectangle +rectangled +rectangles +rectangle's +rectangular +rectangularity +rectangularly +rectangularness +rectangulate +rectangulometer +rectectomy +rectectomies +recti +recti- +rectify +rectifiability +rectifiable +rectification +rectifications +rectificative +rectificator +rectificatory +rectified +rectifier +rectifiers +rectifies +rectifying +rectigrade +Rectigraph +rectilineal +rectilineally +rectilinear +rectilinearism +rectilinearity +rectilinearly +rectilinearness +rectilineation +rectinerved +rection +rectipetality +rectirostral +rectischiac +rectiserial +rectitic +rectitis +rectitude +rectitudes +rectitudinous +recto +recto- +rectoabdominal +rectocele +rectocystotomy +rectoclysis +rectococcygeal +rectococcygeus +rectocolitic +rectocolonic +rectogenital +rectopexy +rectophobia +rectoplasty +Rector +rectoral +rectorate +rectorates +rectoress +rectory +rectorial +rectories +rectorrhaphy +rectors +rector's +rectorship +Rectortown +rectos +rectoscope +rectoscopy +rectosigmoid +rectostenosis +rectostomy +rectotome +rectotomy +recto-urethral +recto-uterine +rectovaginal +rectovesical +rectress +rectrices +rectricial +rectrix +rectum +rectums +rectum's +rectus +recubant +recubate +recubation +recueil +recueillement +reculade +recule +recultivate +recultivated +recultivating +recultivation +recumb +recumbence +recumbency +recumbencies +recumbent +recumbently +recuperability +recuperance +recuperate +recuperated +recuperates +recuperating +recuperation +recuperations +recuperative +recuperativeness +recuperator +recuperatory +recuperet +recur +recure +recureful +recureless +recurl +recurred +recurrence +recurrences +recurrence's +recurrency +recurrent +recurrently +recurrer +recurring +recurringly +recurs +recursant +recurse +recursed +recurses +recursing +recursion +recursions +recursion's +recursive +recursively +recursiveness +recurtain +recurvant +recurvaria +recurvate +recurvated +recurvation +recurvature +recurve +recurved +recurves +recurving +Recurvirostra +recurvirostral +Recurvirostridae +recurvity +recurvo- +recurvopatent +recurvoternate +recurvous +recusal +recusance +recusancy +recusant +recusants +recusation +recusative +recusator +recuse +recused +recuses +recusf +recushion +recusing +recussion +recut +recuts +recutting +red +redact +redacted +redacteur +redacting +redaction +redactional +redactor +redactorial +redactors +redacts +red-alder +redamage +redamaged +redamaging +redamation +redame +redamnation +Redan +redans +redare +redared +redargue +redargued +redargues +redarguing +redargution +redargutive +redargutory +redaring +redarken +red-armed +redarn +Redart +Redash +redate +redated +redates +redating +redaub +redawn +redback +red-backed +redbay +redbays +redbait +red-bait +redbaited +redbaiting +red-baiting +redbaits +red-banded +Redbank +Redbanks +red-bar +red-barked +red-beaded +red-beaked +red-beamed +redbeard +red-bearded +redbelly +red-bellied +red-belted +redberry +red-berried +Redby +redbill +red-billed +redbird +redbirds +red-black +red-blind +red-blooded +red-bloodedness +red-bodied +red-boled +redbone +redbones +red-bonnet +red-bound +red-branched +red-branching +redbreast +red-breasted +redbreasts +redbrick +red-brick +redbricks +Redbridge +red-brown +redbrush +redbuck +redbud +redbuds +redbug +redbugs +red-burning +red-buttoned +redcap +redcaps +red-carpet +red-cheeked +red-chested +red-ciled +red-ciling +red-cilled +red-cilling +red-clad +red-clay +Redcliff +red-cloaked +red-clocked +redcoat +red-coat +red-coated +redcoats +red-cockaded +redcoll +red-collared +red-colored +red-combed +red-complexioned +Redcrest +red-crested +red-crowned +redcurrant +red-curtained +Redd +red-dabbled +redded +Reddell +redden +reddenda +reddendo +reddendum +reddened +reddening +reddens +redder +redders +reddest +Reddy +Reddick +red-dyed +Reddin +Redding +reddingite +reddish +reddish-amber +reddish-bay +reddish-bellied +reddish-black +reddish-blue +reddish-brown +reddish-colored +reddish-gray +reddish-green +reddish-haired +reddish-headed +reddish-yellow +reddishly +reddish-looking +reddishness +reddish-orange +reddish-purple +reddish-white +Redditch +reddition +redditive +reddle +reddled +reddleman +reddlemen +reddles +reddling +reddock +red-dog +red-dogged +red-dogger +red-dogging +redds +reddsman +redd-up +rede +redeal +redealing +redealt +redear +red-eared +redears +redebate +redebit +redecay +redeceive +redeceived +redeceiving +redecide +redecided +redeciding +redecimate +redecision +redeck +redeclaration +redeclare +redeclared +redeclares +redeclaring +redecline +redeclined +redeclining +redecorate +redecorated +redecorates +redecorating +redecoration +redecorator +redecrease +redecussate +reded +red-edged +rededicate +rededicated +rededicates +rededicating +rededication +rededications +rededicatory +rededuct +rededuction +redeed +redeem +redeemability +redeemable +redeemableness +redeemably +redeemed +redeemedness +Redeemer +redeemeress +redeemers +redeemership +redeeming +redeemless +redeems +redefault +redefeat +redefeated +redefeating +redefeats +redefecate +redefect +redefer +redefy +redefiance +redefied +redefies +redefying +redefine +redefined +redefines +redefining +redefinition +redefinitions +redefinition's +redeflect +Redeye +red-eye +red-eyed +redeyes +redeify +redelay +redelegate +redelegated +redelegating +redelegation +redeless +redelete +redeleted +redeleting +redely +redeliberate +redeliberated +redeliberating +redeliberation +redeliver +redeliverance +redelivered +redeliverer +redelivery +redeliveries +redelivering +redelivers +redemand +redemandable +redemanded +redemanding +redemands +redemise +redemised +redemising +redemolish +redemonstrate +redemonstrated +redemonstrates +redemonstrating +redemonstration +redemptible +Redemptine +redemption +redemptional +redemptioner +Redemptionist +redemptionless +redemptions +redemptive +redemptively +redemptor +redemptory +redemptorial +Redemptorist +redemptress +redemptrice +redeny +redenial +redenied +redenies +redenigrate +redenying +redepend +redeploy +redeployed +redeploying +redeployment +redeploys +redeposit +redeposited +redepositing +redeposition +redeposits +redepreciate +redepreciated +redepreciating +redepreciation +redeprive +rederivation +re-derive +redes +redescend +redescent +redescribe +redescribed +redescribes +redescribing +redescription +redesert +re-desert +redesertion +redeserve +redesign +redesignate +redesignated +redesignates +redesignating +redesignation +redesigned +redesigning +redesigns +redesire +redesirous +redesman +redespise +redetect +redetention +redetermination +redetermine +redetermined +redetermines +redeterminible +redetermining +redevable +redevelop +redeveloped +redeveloper +redevelopers +redeveloping +redevelopment +redevelopments +redevelops +redevise +redevote +redevotion +red-faced +red-facedly +red-facedness +red-feathered +Redfield +red-figure +red-figured +redfin +redfinch +red-finned +redfins +redfish +redfishes +red-flag +red-flagger +red-flaggery +red-flanked +red-flecked +red-fleshed +red-flowered +red-flowering +redfoot +red-footed +Redford +Redfox +red-fronted +red-fruited +red-gemmed +red-gilled +red-girdled +red-gleaming +red-gold +red-gowned +Redgrave +red-haired +red-hand +red-handed +red-handedly +redhandedness +red-handedness +red-hard +red-harden +red-hardness +red-hat +red-hatted +redhead +red-head +redheaded +red-headed +redheadedly +redheadedness +redhead-grass +redheads +redheart +redhearted +red-heeled +redhibition +redhibitory +red-hipped +red-hissing +red-hooded +Redhook +redhoop +red-horned +redhorse +redhorses +red-hot +red-hued +red-humped +redia +rediae +redial +redias +redictate +redictated +redictating +redictation +redid +redye +redyed +redyeing +red-yellow +redient +redyes +redifferentiate +redifferentiated +redifferentiating +redifferentiation +rediffuse +rediffused +rediffusing +Rediffusion +Redig +redigest +redigested +redigesting +redigestion +redigests +redigitalize +redying +redilate +redilated +redilating +redimension +redimensioned +redimensioning +redimensions +rediminish +reding +redingote +red-ink +redintegrate +redintegrated +redintegrating +redintegration +redintegrative +redintegrator +redip +redipped +redipper +redipping +redips +redipt +redirect +redirected +redirecting +redirection +redirections +redirects +redisable +redisappear +redisburse +redisbursed +redisbursement +redisbursing +redischarge +redischarged +redischarging +rediscipline +redisciplined +redisciplining +rediscount +rediscountable +rediscounted +rediscounting +rediscounts +rediscourage +rediscover +rediscovered +rediscoverer +rediscovery +rediscoveries +rediscovering +rediscovers +rediscuss +rediscussion +redisembark +redisinfect +redismiss +redismissal +redispatch +redispel +redispersal +redisperse +redispersed +redispersing +redisplay +redisplayed +redisplaying +redisplays +redispose +redisposed +redisposing +redisposition +redispute +redisputed +redisputing +redissect +redissection +redisseise +redisseisin +redisseisor +redisseize +redisseizin +redisseizor +redissoluble +redissolubleness +redissolubly +redissolution +redissolvable +redissolve +redissolved +redissolves +redissolving +redistend +redistill +redistillable +redistillableness +redistillabness +redistillation +redistilled +redistiller +redistilling +redistills +redistinguish +redistrain +redistrainer +redistribute +redistributed +redistributer +redistributes +redistributing +redistribution +redistributionist +redistributions +redistributive +redistributor +redistributory +redistrict +redistricted +redistricting +redistricts +redisturb +redition +redive +rediversion +redivert +redivertible +redivide +redivided +redivides +redividing +redivision +redivive +redivivous +redivivus +redivorce +redivorced +redivorcement +redivorcing +redivulge +redivulgence +redjacket +red-jerseyed +Redkey +red-kneed +redknees +red-knobbed +Redlands +red-lead +red-leader +red-leaf +red-leather +red-leaved +Redleg +red-legged +redlegs +red-legs +red-letter +red-lettered +redly +red-lidded +red-light +redline +redlined +red-lined +redlines +redlining +Redlion +red-lipped +red-listed +red-lit +red-litten +red-looking +red-making +Redman +Redmer +red-minded +Redmon +Redmond +redmouth +red-mouthed +Redmund +red-naped +redneck +red-neck +red-necked +rednecks +redness +rednesses +red-nosed +redo +re-do +redock +redocked +redocket +redocketed +redocketing +redocking +redocks +redocument +redodid +redodoing +redodone +redoes +redoing +redolence +redolences +redolency +redolent +redolently +redominate +redominated +redominating +Redon +redondilla +Redondo +redone +redonned +redons +redoom +red-orange +redos +redouble +redoubled +redoublement +redoubler +redoubles +redoubling +redoubt +redoubtable +redoubtableness +redoubtably +redoubted +redoubting +redoubts +redound +redounded +redounding +redounds +redout +red-out +redoute +redouts +redowa +redowas +Redowl +redox +redoxes +red-painted +red-pencil +red-plowed +red-plumed +redpoll +red-polled +redpolls +red-purple +redraft +redrafted +redrafting +redrafts +redrag +redrape +redraw +redrawer +redrawers +redrawing +redrawn +redraws +redream +redreams +redreamt +redredge +redress +re-dress +redressable +redressal +redressed +redresser +redresses +redressible +redressing +redressive +redressless +redressment +redressor +redrew +redry +red-ribbed +redried +redries +redrying +redrill +redrilled +redrilling +redrills +red-rimmed +red-ripening +redrive +redriven +redrives +redriving +red-roan +Redrock +Redroe +red-roofed +redroop +redroot +red-rooted +redroots +red-rose +redrove +redrug +redrugged +redrugging +red-rumped +red-rusted +reds +red-scaled +red-scarlet +redsear +red-shafted +redshank +red-shank +redshanks +redshift +redshire +redshirt +redshirted +red-shirted +redshirting +redshirts +red-short +red-shortness +red-shouldered +red-sided +red-silk +redskin +red-skinned +redskins +red-snooded +red-specked +red-speckled +red-spotted +red-stalked +Redstar +redstart +redstarts +Redstone +redstreak +red-streak +red-streaked +red-streaming +red-swelling +redtab +redtail +red-tailed +red-tape +red-taped +red-tapedom +red-tapey +red-tapeism +red-taper +red-tapery +red-tapish +redtapism +red-tapism +red-tapist +red-tempered +red-thighed +redthroat +red-throat +red-throated +red-tiled +red-tinted +red-tipped +red-tongued +redtop +red-top +red-topped +redtops +red-trousered +red-tufted +red-twigged +redub +redubbed +redubber +redubs +reduccion +reduce +reduceable +reduceableness +reduced +reducement +reducent +reducer +reducers +reduces +reducibility +reducibilities +reducible +reducibleness +reducibly +reducing +reduct +reductant +reductase +reductibility +reductio +reduction +reductional +reduction-improbation +reductionism +reductionist +reductionistic +reductions +reduction's +reductive +reductively +reductivism +reductor +reductorial +redue +redug +reduit +Redunca +redundance +redundances +redundancy +redundancies +redundant +redundantly +red-up +red-upholstered +redupl +redupl. +reduplicate +reduplicated +reduplicating +reduplication +reduplicative +reduplicatively +reduplicatory +reduplicature +redust +reduviid +Reduviidae +reduviids +reduvioid +Reduvius +redux +reduzate +Redvale +red-veined +red-vented +Redvers +red-vested +red-violet +Redway +red-walled +redward +redware +redwares +red-wat +Redwater +red-water +red-wattled +red-waved +redweed +red-white +Redwine +Redwing +red-winged +redwings +redwithe +redwood +red-wooded +redwoods +red-written +redwud +Ree +reearn +re-earn +reearned +reearning +reearns +Reeba +reebok +re-ebullient +Reece +reechy +reechier +reecho +re-echo +reechoed +reechoes +reechoing +Reed +Reeda +reed-back +reedbird +reedbirds +reed-blade +reed-bordered +reedbuck +reedbucks +reedbush +reed-clad +reed-compacted +reed-crowned +Reede +reeded +reeden +Reeder +Reeders +reed-grown +Reedy +reediemadeasy +reedier +reediest +reedify +re-edify +re-edificate +re-edification +reedified +re-edifier +reedifies +reedifying +reedily +reediness +reeding +reedings +reedish +reedit +re-edit +reedited +reediting +reedition +reedits +Reedley +reedless +reedlike +reedling +reedlings +reed-mace +reedmaker +reedmaking +reedman +reedmen +reedplot +reed-rond +reed-roofed +reed-rustling +Reeds +reed's +Reedsburg +reed-shaped +Reedsport +Reedsville +reed-thatched +reeducate +re-educate +reeducated +reeducates +reeducating +reeducation +re-education +reeducative +re-educative +Reedville +reed-warbler +reedwork +Reef +reefable +reefed +reefer +reefers +re-effeminate +reeffish +reeffishes +reefy +reefier +reefiest +reefing +reef-knoll +reef-knot +reefs +re-egg +Reeher +re-ejaculate +reeject +re-eject +reejected +reejecting +re-ejection +re-ejectment +reejects +reek +reeked +reeker +reekers +reeky +reekier +reekiest +reeking +reekingly +reeks +Reel +reelable +re-elaborate +re-elaboration +reelect +re-elect +reelected +reelecting +reelection +re-election +reelections +reelects +reeled +reeledid +reeledoing +reeledone +reeler +reelers +reelevate +re-elevate +reelevated +reelevating +reelevation +re-elevation +reel-fed +reel-fitted +reel-footed +reeligibility +re-eligibility +reeligible +re-eligible +reeligibleness +reeligibly +re-eliminate +re-elimination +reeling +reelingly +reelrall +reels +Reelsville +reel-to-reel +reem +reemanate +re-emanate +reemanated +reemanating +reembarcation +reembark +re-embark +reembarkation +re-embarkation +reembarked +reembarking +reembarks +re-embarrass +re-embarrassment +re-embattle +re-embed +reembellish +re-embellish +reembody +re-embody +reembodied +reembodies +reembodying +reembodiment +re-embodiment +re-embosom +reembrace +re-embrace +reembraced +re-embracement +reembracing +reembroider +re-embroil +reemerge +re-emerge +reemerged +reemergence +re-emergence +reemergences +reemergent +re-emergent +reemerges +reemerging +reemersion +re-emersion +re-emigrant +reemigrate +re-emigrate +reemigrated +reemigrating +reemigration +re-emigration +reeming +reemish +reemission +re-emission +reemit +re-emit +reemits +reemitted +reemitting +reemphases +reemphasis +re-emphasis +reemphasize +re-emphasize +reemphasized +reemphasizes +reemphasizing +reemploy +re-employ +reemployed +reemploying +reemployment +re-employment +reemploys +re-empower +re-empty +re-emulsify +reen +Reena +reenable +re-enable +reenabled +reenact +re-enact +reenacted +reenacting +reenaction +re-enaction +reenactment +re-enactment +reenactments +reenacts +re-enamel +re-enamor +re-enamour +re-enchain +reenclose +re-enclose +reenclosed +reencloses +reenclosing +re-enclosure +reencounter +re-encounter +reencountered +reencountering +reencounters +reencourage +re-encourage +reencouraged +reencouragement +re-encouragement +reencouraging +re-endear +re-endearment +re-ender +reendorse +re-endorse +reendorsed +reendorsement +re-endorsement +reendorsing +reendow +re-endow +reendowed +reendowing +reendowment +re-endowment +reendows +reenergize +re-energize +reenergized +reenergizes +reenergizing +re-enfeoff +re-enfeoffment +reenforce +re-enforce +reenforced +reenforcement +re-enforcement +re-enforcer +reenforces +reenforcing +re-enfranchise +re-enfranchisement +reengage +re-engage +reengaged +reengagement +re-engagement +reengages +reengaging +reenge +re-engender +re-engenderer +re-engine +Re-english +re-engraft +reengrave +re-engrave +reengraved +reengraving +re-engraving +reengross +re-engross +re-enhearten +reenjoy +re-enjoy +reenjoyed +reenjoying +reenjoyment +re-enjoyment +reenjoin +re-enjoin +reenjoys +re-enkindle +reenlarge +re-enlarge +reenlarged +reenlargement +re-enlargement +reenlarges +reenlarging +reenlighted +reenlighten +re-enlighten +reenlightened +reenlightening +reenlightenment +re-enlightenment +reenlightens +reenlist +re-enlist +reenlisted +re-enlister +reenlisting +reenlistment +re-enlistment +reenlistments +reenlistness +reenlistnesses +reenlists +re-enliven +re-ennoble +reenroll +re-enroll +re-enrollment +re-enshrine +reenslave +re-enslave +reenslaved +reenslavement +re-enslavement +reenslaves +reenslaving +re-ensphere +reenter +re-enter +reenterable +reentered +reentering +re-entering +reenters +re-entertain +re-entertainment +re-enthral +re-enthrone +re-enthronement +re-enthronize +re-entice +re-entitle +re-entoil +re-entomb +re-entrain +reentrance +re-entrance +reentranced +reentrances +reentrancy +re-entrancy +reentrancing +reentrant +re-entrant +re-entrenchment +reentry +re-entry +reentries +reenumerate +re-enumerate +reenumerated +reenumerating +reenumeration +re-enumeration +reenunciate +re-enunciate +reenunciated +reenunciating +reenunciation +re-enunciation +reeper +re-epitomize +re-equilibrate +re-equilibration +reequip +re-equip +re-equipment +reequipped +reequipping +reequips +reequipt +reerect +re-erect +reerected +reerecting +reerection +re-erection +reerects +reerupt +reeruption +Rees +re-escape +re-escort +Reese +Reeseville +reeshie +reeshle +reesk +reesle +re-espousal +re-espouse +re-essay +reest +reestablish +re-establish +reestablished +re-establisher +reestablishes +reestablishing +reestablishment +re-establishment +reestablishments +reested +re-esteem +reester +reesty +reestimate +re-estimate +reestimated +reestimates +reestimating +reestimation +re-estimation +reesting +reestle +reests +Reesville +reet +Reeta +reetam +re-etch +re-etcher +reetle +Reeva +reevacuate +re-evacuate +reevacuated +reevacuating +reevacuation +re-evacuation +re-evade +reevaluate +re-evaluate +reevaluated +reevaluates +reevaluating +reevaluation +re-evaluation +reevaluations +re-evaporate +re-evaporation +reevasion +re-evasion +Reeve +reeved +reeveland +Reeves +reeveship +Reevesville +reevidence +reevidenced +reevidencing +reeving +reevoke +re-evoke +reevoked +reevokes +reevoking +re-evolution +re-exalt +re-examinable +reexamination +re-examination +reexaminations +reexamine +re-examine +reexamined +re-examiner +reexamines +reexamining +reexcavate +re-excavate +reexcavated +reexcavating +reexcavation +re-excavation +re-excel +reexchange +re-exchange +reexchanged +reexchanges +reexchanging +re-excitation +re-excite +re-exclude +re-exclusion +reexecute +re-execute +reexecuted +reexecuting +reexecution +re-execution +re-exempt +re-exemption +reexercise +re-exercise +reexercised +reexercising +re-exert +re-exertion +re-exhale +re-exhaust +reexhibit +re-exhibit +reexhibited +reexhibiting +reexhibition +re-exhibition +reexhibits +re-exhilarate +re-exhilaration +re-exist +re-existence +re-existent +reexpand +re-expand +reexpansion +re-expansion +re-expect +re-expectation +re-expedite +re-expedition +reexpel +re-expel +reexpelled +reexpelling +reexpels +reexperience +re-experience +reexperienced +reexperiences +reexperiencing +reexperiment +re-experiment +reexplain +re-explain +reexplanation +re-explanation +reexplicate +reexplicated +reexplicating +reexplication +reexploration +reexplore +reexplored +reexploring +reexport +re-export +reexportation +re-exportation +reexported +reexporter +re-exporter +reexporting +reexports +reexpose +re-expose +reexposed +reexposing +reexposition +reexposure +re-exposure +re-expound +reexpress +re-express +reexpressed +reexpresses +reexpressing +reexpression +re-expression +re-expulsion +re-extend +re-extension +re-extent +re-extract +re-extraction +ref +ref. +refabricate +refabrication +reface +refaced +refaces +refacilitate +refacing +refaction +refait +refall +refallen +refalling +refallow +refalls +refamiliarization +refamiliarize +refamiliarized +refamiliarizing +refan +refascinate +refascination +refashion +refashioned +refashioner +refashioning +refashionment +refashions +refasten +refastened +refastening +refastens +refathered +refavor +refect +refected +refecting +refection +refectionary +refectioner +refective +refectorary +refectorarian +refectorer +refectory +refectorial +refectorian +refectories +refects +refed +refederalization +refederalize +refederalized +refederalizing +refederate +refederated +refederating +refederation +refeed +refeeding +refeeds +refeel +refeeling +refeels +refeign +refel +refell +refelled +refelling +refels +refelt +refence +refenced +refences +refer +referable +referda +refered +referee +refereed +refereeing +referees +refereeship +reference +referenced +referencer +references +referencing +referenda +referendal +referendary +referendaries +referendaryship +referendum +referendums +referent +referential +referentiality +referentially +referently +referents +referent's +referment +referrable +referral +referrals +referral's +referred +referrer +referrers +referrible +referribleness +referring +refers +refertilizable +refertilization +refertilize +refertilized +refertilizing +refetch +refete +reffed +reffelt +reffing +reffo +reffos +reffroze +reffrozen +refight +refighting +refights +refigure +refigured +refigures +refiguring +refile +refiled +refiles +refiling +refill +refillable +refilled +refilling +refills +refilm +refilmed +refilming +refilms +refilter +refiltered +refiltering +refilters +refinable +refinage +refinance +refinanced +refinances +refinancing +refind +refinding +refinds +refine +refined +refinedly +refinedness +refinement +refinements +refinement's +refiner +refinery +refineries +refiners +refines +refinger +refining +refiningly +refinish +refinished +refinisher +refinishes +refinishing +refire +refired +refires +refiring +refit +refitment +refits +refitted +refitting +refix +refixation +refixed +refixes +refixing +refixture +refl +refl. +reflag +reflagellate +reflair +reflame +reflash +reflate +reflated +reflates +reflating +reflation +reflationary +reflationism +reflect +reflectance +reflected +reflectedly +reflectedness +reflectent +reflecter +reflectibility +reflectible +reflecting +reflectingly +reflection +reflectional +reflectioning +reflectionist +reflectionless +reflections +reflection's +reflective +reflectively +reflectiveness +reflectivity +reflectometer +reflectometry +reflector +reflectorize +reflectorized +reflectorizing +reflectors +reflector's +reflectoscope +reflects +refledge +reflee +reflet +reflets +reflew +Reflex +reflexed +reflexes +reflexibility +reflexible +reflexing +reflexion +reflexional +reflexism +reflexiue +reflexive +reflexively +reflexiveness +reflexivenesses +reflexives +reflexivity +reflexly +reflexness +reflexogenous +reflexology +reflexological +reflexologically +reflexologies +reflexologist +reflex's +refly +reflies +reflying +refling +refloat +refloatation +refloated +refloating +refloats +reflog +reflood +reflooded +reflooding +refloods +refloor +reflorescence +reflorescent +reflourish +reflourishment +reflow +reflowed +reflower +reflowered +reflowering +reflowers +reflowing +reflown +reflows +refluctuation +refluence +refluency +refluent +refluous +reflush +reflux +refluxed +refluxes +refluxing +refocillate +refocillation +refocus +refocused +refocuses +refocusing +refocussed +refocusses +refocussing +refold +refolded +refolding +refolds +refoment +refont +refool +refoot +reforbid +reforce +reford +reforecast +reforest +reforestation +reforestational +reforested +reforesting +reforestization +reforestize +reforestment +reforests +reforfeit +reforfeiture +reforge +reforgeable +reforged +reforger +reforges +reforget +reforging +reforgive +Reform +re-form +reformability +reformable +reformableness +reformado +reformanda +reformandum +reformat +reformate +reformated +Reformati +reformating +Reformation +re-formation +reformational +reformationary +Reformationism +Reformationist +reformation-proof +reformations +reformative +re-formative +reformatively +reformativeness +reformatness +reformatory +reformatories +reformats +reformatted +reformatting +Reformed +reformedly +reformer +re-former +reformeress +reformers +reforming +reformingly +reformism +reformist +reformistic +reformproof +reforms +reformulate +reformulated +reformulates +reformulating +reformulation +reformulations +reforsake +refortify +refortification +refortified +refortifies +refortifying +reforward +refought +refound +refoundation +refounded +refounder +refounding +refounds +refr +refract +refractable +refractary +refracted +refractedly +refractedness +refractile +refractility +refracting +refraction +refractional +refractionate +refractionist +refractions +refractive +refractively +refractiveness +refractivity +refractivities +refractometer +refractometry +refractometric +refractor +refractory +refractories +refractorily +refractoriness +refractors +refracts +refracturable +refracture +refractured +refractures +refracturing +refragability +refragable +refragableness +refragate +refragment +refrain +refrained +refrainer +refraining +refrainment +refrainments +refrains +reframe +reframed +reframes +reframing +refrangent +refrangibility +refrangibilities +refrangible +refrangibleness +refreeze +refreezes +refreezing +refreid +refreit +refrenation +refrenzy +refresco +refresh +refreshant +refreshed +refreshen +refreshener +refresher +refreshers +refreshes +refreshful +refreshfully +refreshing +refreshingly +refreshingness +refreshment +refreshments +refreshment's +refry +refricate +refried +refries +refrig +refrigerant +refrigerants +refrigerate +refrigerated +refrigerates +refrigerating +refrigeration +refrigerations +refrigerative +refrigerator +refrigeratory +refrigerators +refrigerator's +refrigerium +refrighten +refrying +refringe +refringence +refringency +refringent +refroid +refront +refronted +refronting +refronts +refroze +refrozen +refrustrate +refrustrated +refrustrating +refs +reft +Refton +refuel +refueled +refueling +refuelled +refuelling +refuels +refuge +refuged +refugee +refugeeism +refugees +refugee's +refugeeship +refuges +refugia +refuging +Refugio +refugium +refulge +refulgence +refulgency +refulgent +refulgently +refulgentness +refunction +refund +re-fund +refundability +refundable +refunded +refunder +refunders +refunding +refundment +refunds +refurbish +refurbished +refurbisher +refurbishes +refurbishing +refurbishment +refurl +refurnish +refurnished +refurnishes +refurnishing +refurnishment +refusable +refusal +refusals +refuse +refused +refusenik +refuser +refusers +refuses +refusing +refusingly +refusion +refusive +refusnik +refutability +refutable +refutably +refutal +refutals +refutation +refutations +refutative +refutatory +refute +refuted +refuter +refuters +refutes +refuting +Reg +Reg. +Regain +regainable +regained +regainer +regainers +regaining +regainment +regains +regal +regalado +regald +regale +Regalecidae +Regalecus +regaled +regalement +regalements +regaler +regalers +regales +regalia +regalian +regaling +regalio +regalism +regalist +regality +regalities +regalize +regally +regallop +regalness +regalo +regalty +regalvanization +regalvanize +regalvanized +regalvanizing +regamble +regambled +regambling +Regan +regard +regardable +regardance +regardancy +regardant +regarded +regarder +regardful +regardfully +regardfulness +regarding +regardless +regardlessly +regardlessness +regards +regarment +regarnish +regarrison +regather +regathered +regathering +regathers +regatta +regattas +regauge +regauged +regauges +regauging +regave +Regazzi +regd +regear +regeared +regearing +regears +regel +regelate +regelated +regelates +regelating +regelation +regelled +regelling +Regen +Regence +Regency +regencies +regenerable +regeneracy +regenerance +regenerant +regenerate +regenerated +regenerately +regenerateness +regenerates +regenerating +regeneration +regenerations +regenerative +regeneratively +regenerator +regeneratory +regenerators +regeneratress +regeneratrix +regenesis +re-genesis +Regensburg +regent +regental +regentess +regents +regent's +regentship +Reger +Re-germanization +Re-germanize +regerminate +regerminated +regerminates +regerminating +regermination +regerminative +regerminatively +reges +regest +reget +Regga +reggae +reggaes +Reggi +Reggy +Reggiano +Reggie +Reggis +regia +regian +regicidal +regicide +regicides +regicidism +regidor +regie +regie-book +regift +regifuge +regild +regilded +regilding +regilds +regill +regilt +regime +regimen +regimenal +regimens +regiment +regimental +regimentaled +regimentalled +regimentally +regimentals +regimentary +regimentation +regimentations +regimented +regimenting +regiments +regimes +regime's +regiminal +Regin +Regina +reginae +reginal +Reginald +reginas +Reginauld +Regine +regioide +Regiomontanus +region +regional +regionalism +regionalist +regionalistic +regionalization +regionalize +regionalized +regionalizing +regionally +regionals +regionary +regioned +regions +region's +regird +REGIS +regisseur +regisseurs +Register +registerable +registered +registerer +registering +registers +registership +registrability +registrable +registral +registrant +registrants +registrar +registrar-general +registrary +registrars +registrarship +registrate +registrated +registrating +registration +registrational +registrationist +registrations +registration's +registrator +registrer +registry +registries +regitive +regius +regive +regiven +regives +regiving +regladden +reglair +reglaze +reglazed +reglazes +reglazing +regle +reglement +reglementary +reglementation +reglementist +reglet +reglets +reglorify +reglorification +reglorified +reglorifying +regloss +reglossed +reglosses +reglossing +reglove +reglow +reglowed +reglowing +reglows +reglue +reglued +reglues +regluing +regma +regmacarp +regmata +regna +regnal +regnancy +regnancies +regnant +regnerable +regnum +Rego +regolith +regoliths +regorge +regorged +regorges +regorging +regosol +regosols +regovern +regovernment +regr +regrab +regrabbed +regrabbing +regracy +regradate +regradated +regradating +regradation +regrade +regraded +regrades +regrading +regraduate +regraduation +regraft +regrafted +regrafting +regrafts +regrant +regranted +regranting +regrants +regraph +regrasp +regrass +regrate +regrated +regrater +regrates +regratify +regratification +regrating +regratingly +regrator +regratress +regravel +regrease +regreased +regreasing +regrede +regreen +regreens +regreet +regreeted +regreeting +regreets +regress +regressed +regresses +regressing +regression +regressionist +regressions +regression's +regressive +regressively +regressiveness +regressivity +regressor +regressors +regret +regretable +regretableness +regretably +regretful +regretfully +regretfulness +regretless +regretlessness +regrets +regrettable +regrettableness +regrettably +regretted +regretter +regretters +regretting +regrettingly +regrew +regrind +regrinder +regrinding +regrinds +regrip +regripped +regroom +regrooms +regroove +regrooved +regrooves +regrooving +reground +regroup +regrouped +regrouping +regroupment +regroups +regrow +regrowing +regrown +regrows +regrowth +regrowths +regs +Regt +Regt. +reguarantee +reguaranteed +reguaranteeing +reguaranty +reguaranties +reguard +reguardant +reguide +reguided +reguiding +regula +regulable +regular +regular-bred +regular-built +Regulares +regular-featured +regular-growing +Regularia +regularise +regularity +regularities +regularization +regularize +regularized +regularizer +regularizes +regularizing +regularly +regularness +regulars +regular-shaped +regular-sized +regulatable +regulate +regulated +regulates +regulating +regulation +regulationist +regulation-proof +regulations +regulative +regulatively +regulator +regulatory +regulators +regulator's +regulatorship +regulatress +regulatris +reguli +reguline +regulize +Regulus +reguluses +regur +regurge +regurgitant +regurgitate +regurgitated +regurgitates +regurgitating +regurgitation +regurgitations +regurgitative +regush +reh +rehab +rehabbed +rehabber +rehabilitant +rehabilitate +rehabilitated +rehabilitates +rehabilitating +rehabilitation +rehabilitationist +rehabilitations +rehabilitative +rehabilitator +rehabilitee +rehabs +rehair +rehayte +rehale +rehallow +rehammer +rehammered +rehammering +rehammers +rehandicap +rehandle +rehandled +rehandler +rehandles +rehandling +rehang +rehanged +rehanging +rehangs +rehappen +reharden +rehardened +rehardening +rehardens +reharm +reharmonization +reharmonize +reharmonized +reharmonizing +reharness +reharrow +reharvest +rehash +rehashed +rehashes +rehashing +rehaul +rehazard +rehboc +rehead +reheal +reheap +rehear +reheard +rehearheard +rehearhearing +rehearing +rehearings +rehears +rehearsable +rehearsal +rehearsals +rehearsal's +rehearse +rehearsed +rehearser +rehearsers +rehearses +rehearsing +rehearten +reheat +reheated +reheater +reheaters +reheating +reheats +Reheboth +rehedge +reheel +reheeled +reheeling +reheels +reheighten +Re-hellenization +Re-hellenize +rehem +rehemmed +rehemming +rehems +rehete +rehybridize +rehid +rehidden +rehide +rehydratable +rehydrate +rehydrating +rehydration +rehinge +rehinged +rehinges +rehinging +rehypnotize +rehypnotized +rehypnotizing +rehypothecate +rehypothecated +rehypothecating +rehypothecation +rehypothecator +rehire +rehired +rehires +rehiring +Rehm +Rehnberg +Rehobeth +Rehoboam +Rehoboth +Rehobothan +rehoe +rehoist +rehollow +rehone +rehoned +rehoning +rehonor +rehonour +rehood +rehook +rehoop +rehospitalization +rehospitalizations +rehospitalize +rehospitalized +rehospitalizes +rehospitalizing +rehouse +rehoused +rehouses +rehousing +Rehrersburg +rehumanization +rehumanize +rehumanized +rehumanizing +rehumble +rehumiliate +rehumiliated +rehumiliating +rehumiliation +rehung +rei +Rey +reice +re-ice +reiced +Reich +Reiche +Reichel +Reichenbach +Reichenberg +Reichert +Reichsbank +Reichsfuhrer +reichsgulden +Reichsland +Reichslander +Reichsmark +reichsmarks +reichspfennig +Reichsrat +Reichsrath +Reichstag +reichstaler +Reichstein +reichsthaler +reicing +Reid +Reidar +Reydell +reidentify +reidentification +reidentified +reidentifies +reidentifying +Reider +Reydon +Reidsville +Reidville +reif +Reifel +reify +reification +reified +reifier +reifiers +reifies +reifying +reifs +Reigate +reign +reigned +reigner +reigning +reignite +reignited +reignites +reigniting +reignition +reignore +reigns +reyield +Reik +Reykjavik +Reiko +Reilly +reillume +reilluminate +reilluminated +reilluminating +reillumination +reillumine +reillustrate +reillustrated +reillustrating +reillustration +reim +reimage +reimaged +reimages +reimagination +reimagine +reimaging +Reimarus +reimbark +reimbarkation +reimbibe +reimbody +reimbursable +reimburse +reimburseable +reimbursed +reimbursement +reimbursements +reimbursement's +reimburser +reimburses +reimbursing +reimbush +reimbushment +Reimer +reimkennar +reim-kennar +reimmerge +reimmerse +reimmersion +reimmigrant +reimmigration +Reymont +reimpact +reimpark +reimpart +reimpatriate +reimpatriation +reimpel +reimplant +reimplantation +reimplanted +reimplanting +reimplants +reimplement +reimplemented +reimply +reimplied +reimplying +reimport +reimportation +reimported +reimporting +reimports +reimportune +reimpose +reimposed +reimposes +reimposing +reimposition +reimposure +reimpregnate +reimpregnated +reimpregnating +reimpress +reimpression +reimprint +reimprison +reimprisoned +reimprisoning +reimprisonment +reimprisons +reimprove +reimprovement +reimpulse +Reims +Reimthursen +Rein +Reina +Reyna +reinability +Reinald +Reinaldo +Reinaldos +Reynard +reynards +Reynaud +reinaugurate +reinaugurated +reinaugurating +reinauguration +Reinbeck +reincapable +reincarnadine +reincarnate +reincarnated +reincarnates +reincarnating +reincarnation +reincarnationism +reincarnationist +reincarnationists +reincarnations +reincense +reincentive +reincidence +reincidency +reincite +reincited +reincites +reinciting +reinclination +reincline +reinclined +reinclining +reinclude +reincluded +reincluding +reinclusion +reincorporate +reincorporated +reincorporates +reincorporating +reincorporation +reincrease +reincreased +reincreasing +reincrudate +reincrudation +reinculcate +reincur +reincurred +reincurring +reincurs +reindebted +reindebtedness +reindeer +reindeers +reindependence +reindex +reindexed +reindexes +reindexing +reindicate +reindicated +reindicating +reindication +reindict +reindictment +reindifferent +reindoctrinate +reindoctrinated +reindoctrinating +reindoctrination +reindorse +reindorsed +reindorsement +reindorsing +reinduce +reinduced +reinducement +reinduces +reinducing +reinduct +reinducted +reinducting +reinduction +reinducts +reindue +reindulge +reindulged +reindulgence +reindulging +reindustrialization +reindustrialize +reindustrialized +reindustrializing +Reine +Reinecke +reined +Reiner +Reiners +Reinert +Reinertson +reinette +reinfect +reinfected +reinfecting +reinfection +reinfections +reinfectious +reinfects +reinfer +reinferred +reinferring +reinfest +reinfestation +reinfiltrate +reinfiltrated +reinfiltrating +reinfiltration +reinflame +reinflamed +reinflames +reinflaming +reinflatable +reinflate +reinflated +reinflating +reinflation +reinflict +reinfliction +reinfluence +reinfluenced +reinfluencing +reinforce +reinforceable +reinforced +reinforcement +reinforcements +reinforcement's +reinforcer +reinforcers +reinforces +reinforcing +reinform +reinformed +reinforming +reinforms +reinfund +reinfuse +reinfused +reinfuses +reinfusing +reinfusion +reingraft +reingratiate +reingress +reinhabit +reinhabitation +Reinhard +Reinhardt +Reinhart +reinherit +Reinhold +Reinholds +reining +reinitialize +reinitialized +reinitializes +reinitializing +reinitiate +reinitiation +reinject +reinjection +reinjections +reinjure +reinjured +reinjures +reinjury +reinjuries +reinjuring +reink +re-ink +Reinke +reinked +reinking +reinks +reinless +Reyno +reinoculate +reinoculated +reinoculates +reinoculating +reinoculation +reinoculations +Reinold +Reynold +Reynolds +Reynoldsburg +Reynoldsville +Reynosa +reinquire +reinquired +reinquiry +reinquiries +reinquiring +reins +reinsane +reinsanity +reinscribe +reinscribed +reinscribes +reinscribing +reinsert +reinserted +reinserting +reinsertion +reinsertions +reinserts +reinsist +reinsman +reinsmen +reinspect +reinspected +reinspecting +reinspection +reinspector +reinspects +reinsphere +reinspiration +reinspire +reinspired +reinspiring +reinspirit +reinstall +reinstallation +reinstallations +reinstalled +reinstalling +reinstallment +reinstallments +reinstalls +reinstalment +reinstate +reinstated +reinstatement +reinstatements +reinstates +reinstating +reinstation +reinstator +reinstauration +reinstil +reinstill +reinstitute +reinstituted +reinstitutes +reinstituting +reinstitution +reinstruct +reinstructed +reinstructing +reinstruction +reinstructs +reinsulate +reinsulated +reinsulating +reinsult +reinsurance +reinsure +reinsured +reinsurer +reinsures +reinsuring +reintegrate +reintegrated +reintegrates +reintegrating +reintegration +reintegrations +reintegrative +reintend +reinter +reintercede +reintercession +reinterchange +reinterest +reinterfere +reinterference +reinterment +reinterpret +reinterpretation +reinterpretations +reinterpreted +reinterpreting +reinterprets +reinterred +reinterring +reinterrogate +reinterrogated +reinterrogates +reinterrogating +reinterrogation +reinterrogations +reinterrupt +reinterruption +reinters +reintervene +reintervened +reintervening +reintervention +reinterview +reinthrone +reintimate +reintimation +reintitule +rei-ntrant +reintrench +reintrenched +reintrenches +reintrenching +reintrenchment +reintroduce +reintroduced +reintroduces +reintroducing +reintroduction +reintrude +reintrusion +reintuition +reintuitive +reinvade +reinvaded +reinvading +reinvasion +reinvent +reinvented +reinventing +reinvention +reinventor +reinvents +reinversion +reinvert +reinvest +reinvested +reinvestigate +reinvestigated +reinvestigates +reinvestigating +reinvestigation +reinvestigations +reinvesting +reinvestiture +reinvestment +reinvests +reinvigorate +reinvigorated +reinvigorates +reinvigorating +reinvigoration +reinvigorator +reinvitation +reinvite +reinvited +reinvites +reinviting +reinvoice +reinvoke +reinvoked +reinvokes +reinvoking +reinvolve +reinvolved +reinvolvement +reinvolves +reinvolving +Reinwald +Reinwardtia +reyoke +reyoked +reyoking +reyouth +reirrigate +reirrigated +reirrigating +reirrigation +Reis +Reisch +Reiser +Reisfield +Reisinger +Reisman +reisner +reisolate +reisolated +reisolating +reisolation +reyson +Reiss +reissuable +reissuably +reissue +reissued +reissuement +reissuer +reissuers +reissues +reissuing +reist +reister +Reisterstown +reit +reitbok +reitboks +reitbuck +reitemize +reitemized +reitemizing +Reiter +reiterable +reiterance +reiterant +reiterate +reiterated +reiteratedly +reiteratedness +reiterates +reiterating +reiteration +reiterations +reiterative +reiteratively +reiterativeness +reiterator +Reith +Reitman +reive +reived +reiver +reivers +reives +reiving +rejacket +rejail +Rejang +reject +rejectable +rejectableness +rejectage +rejectamenta +rejectaneous +rejected +rejectee +rejectees +rejecter +rejecters +rejecting +rejectingly +rejection +rejections +rejection's +rejective +rejectment +rejector +rejectors +rejector's +rejects +rejeopardize +rejeopardized +rejeopardizing +rejerk +rejig +rejigger +rejiggered +rejiggering +rejiggers +rejoice +rejoiced +rejoiceful +rejoicement +rejoicer +rejoicers +rejoices +rejoicing +rejoicingly +rejoicings +rejoin +rejoinder +rejoinders +rejoindure +rejoined +rejoining +rejoins +rejolt +rejoneador +rejoneo +rejounce +rejourn +rejourney +rejudge +rejudged +rejudgement +rejudges +rejudging +rejudgment +rejuggle +rejumble +rejunction +rejustify +rejustification +rejustified +rejustifying +rejuvenant +rejuvenate +rejuvenated +rejuvenates +rejuvenating +rejuvenation +rejuvenations +rejuvenative +rejuvenator +rejuvenesce +rejuvenescence +rejuvenescent +rejuvenise +rejuvenised +rejuvenising +rejuvenize +rejuvenized +rejuvenizing +rekey +rekeyed +rekeying +rekeys +rekhti +Reki +rekick +rekill +rekindle +rekindled +rekindlement +rekindler +rekindles +rekindling +reking +rekinole +rekiss +Reklaw +reknead +reknit +reknits +reknitted +reknitting +reknock +reknot +reknotted +reknotting +reknow +rel +rel. +relabel +relabeled +relabeling +relabelled +relabelling +relabels +relace +relaced +relaces +relache +relacing +relacquer +relade +reladen +reladle +reladled +reladling +Relay +re-lay +relaid +re-laid +relayed +relayer +relaying +re-laying +relayman +relais +relays +relament +relamp +relance +relanced +relancing +reland +relandscape +relandscaped +relandscapes +relandscaping +relap +relapper +relapsable +relapse +relapsed +relapseproof +relapser +relapsers +relapses +relapsing +relast +relaster +relata +relatability +relatable +relatch +relate +related +relatedly +relatedness +relater +relaters +relates +relating +relatinization +relation +relational +relationality +relationally +relationals +relationary +relatione +relationism +relationist +relationless +relations +relationship +relationships +relationship's +relatival +relative +relative-in-law +relatively +relativeness +relativenesses +relatives +relatives-in-law +relativism +relativist +relativistic +relativistically +relativity +relativization +relativize +relator +relators +relatrix +relatum +relaunch +relaunched +relaunches +relaunching +relaunder +relaundered +relaundering +relaunders +relax +relaxable +relaxant +relaxants +relaxation +relaxations +relaxation's +relaxative +relaxatory +relaxed +relaxedly +relaxedness +relaxer +relaxers +relaxes +relaxin +relaxing +relaxins +relbun +Reld +relead +releap +relearn +relearned +relearning +relearns +relearnt +releasability +releasable +releasably +release +re-lease +released +re-leased +releasee +releasement +releaser +releasers +releases +releasibility +releasible +releasing +re-leasing +releasor +releather +relection +relegable +relegate +relegated +relegates +relegating +relegation +relegations +releivo +releivos +relend +relending +relends +relent +relented +relenting +relentingly +relentless +relentlessly +relentlessness +relentlessnesses +relentment +relents +reles +relessa +relessee +relessor +relet +relets +reletter +relettered +relettering +reletters +reletting +relevance +relevances +relevancy +relevancies +relevant +relevantly +relevate +relevation +relevator +releve +relevel +releveled +releveling +relevent +relever +releves +relevy +relevied +relevying +rely +reliability +reliabilities +reliable +reliableness +reliablenesses +reliably +Reliance +reliances +reliant +reliantly +reliberate +reliberated +reliberating +relic +relicary +relic-covered +relicense +relicensed +relicenses +relicensing +relick +reliclike +relicmonger +relics +relic's +relict +relictae +relicted +relicti +reliction +relicts +relic-vending +relide +relied +relief +relief-carving +reliefer +reliefless +reliefs +relier +reliers +relies +relievable +relieve +relieved +relievedly +relievement +reliever +relievers +relieves +relieving +relievingly +relievo +relievos +relift +relig +religate +religation +relight +relightable +relighted +relighten +relightener +relighter +relighting +relights +religieuse +religieuses +religieux +religio +religio- +religio-educational +religio-magical +religio-military +religion +religionary +religionate +religioner +religionism +religionist +religionistic +religionists +religionize +religionless +religions +religion's +religio-philosophical +religio-political +religio-scientific +religiose +religiosity +religioso +religious +religiously +religious-minded +religious-mindedness +religiousness +reliiant +relying +relime +relimit +relimitation +reline +relined +reliner +relines +relining +relink +relinked +relinks +relinquent +relinquish +relinquished +relinquisher +relinquishers +relinquishes +relinquishing +relinquishment +relinquishments +reliquaire +reliquary +reliquaries +relique +reliquefy +reliquefied +reliquefying +reliques +reliquiae +reliquian +reliquidate +reliquidated +reliquidates +reliquidating +reliquidation +reliquism +relish +relishable +relished +relisher +relishes +relishy +relishing +relishingly +relishsome +relist +relisted +relisten +relisting +relists +relit +relitigate +relitigated +relitigating +relitigation +relivable +relive +relived +reliver +relives +reliving +Rella +Relly +Rellia +Rellyan +Rellyanism +Rellyanite +reload +reloaded +reloader +reloaders +reloading +reloads +reloan +reloaned +reloaning +reloans +relocable +relocatability +relocatable +relocate +relocated +relocatee +relocates +relocating +relocation +relocations +relocator +relock +relocked +relocks +relodge +relong +relook +relose +relosing +relost +relot +relove +relower +relubricate +relubricated +relubricating +reluce +relucent +reluct +reluctance +reluctancy +reluctant +reluctantly +reluctate +reluctation +relucted +relucting +reluctivity +relucts +relume +relumed +relumes +relumine +relumined +relumines +reluming +relumining +REM +Rema +remade +remagnetization +remagnetize +remagnetized +remagnetizing +remagnify +remagnification +remagnified +remagnifying +remail +remailed +remailing +remails +remaim +remain +remainder +remaindered +remaindering +remainderman +remaindermen +remainders +remainder's +remaindership +remaindment +remained +remainer +remaining +remains +remaintain +remaintenance +remake +remaker +remakes +remaking +reman +remanage +remanagement +remanation +remancipate +remancipation +remand +remanded +remanding +remandment +remands +remanence +remanency +remanent +remanet +remanie +remanifest +remanifestation +remanipulate +remanipulation +remanned +remanning +remans +remantle +remanufacture +remanufactured +remanufacturer +remanufactures +remanufacturing +remanure +remap +remapped +remapping +remaps +remarch +remargin +remark +re-mark +remarkability +remarkable +remarkableness +remarkablenesses +remarkably +remarked +remarkedly +remarker +remarkers +remarket +remarking +remarks +Remarque +remarques +remarry +remarriage +remarriages +remarried +remarries +remarrying +remarshal +remarshaled +remarshaling +remarshalling +remask +remass +remast +remaster +remastery +remasteries +remasticate +remasticated +remasticating +remastication +rematch +rematched +rematches +rematching +remate +remated +rematerialization +rematerialize +rematerialized +rematerializing +remates +remating +rematriculate +rematriculated +rematriculating +Rembert +remblai +remble +remblere +Rembrandt +Rembrandtesque +Rembrandtish +Rembrandtism +Remde +REME +remeant +remeasure +remeasured +remeasurement +remeasurements +remeasures +remeasuring +remede +remedy +remediability +remediable +remediableness +remediably +remedial +remedially +remediate +remediated +remediating +remediation +remedied +remedies +remedying +remediless +remedilessly +remedilessness +remedy-proof +remeditate +remeditation +remedium +remeet +remeeting +remeets +remelt +remelted +remelting +remelts +remember +rememberability +rememberable +rememberably +remembered +rememberer +rememberers +remembering +rememberingly +remembers +remembrance +Remembrancer +remembrancership +remembrances +remembrance's +rememorate +rememoration +rememorative +rememorize +rememorized +rememorizing +remen +remenace +remenant +remend +remended +remending +remends +remene +remention +Remer +remercy +remerge +remerged +remerges +remerging +remet +remetal +remex +Remi +Remy +remica +remicate +remication +remicle +remiform +remigate +remigation +remiges +remigial +remigrant +remigrate +remigrated +remigrates +remigrating +remigration +remigrations +Remijia +remilitarization +remilitarize +remilitarized +remilitarizes +remilitarizing +remill +remillable +remimic +remind +remindal +reminded +reminder +reminders +remindful +reminding +remindingly +reminds +remineralization +remineralize +remingle +remingled +remingling +Remington +reminisce +reminisced +reminiscence +reminiscenceful +reminiscencer +reminiscences +reminiscence's +reminiscency +reminiscent +reminiscential +reminiscentially +reminiscently +reminiscer +reminisces +reminiscing +reminiscitory +remint +reminted +reminting +remints +remiped +remirror +remise +remised +remises +remising +remisrepresent +remisrepresentation +remiss +remissful +remissibility +remissible +remissibleness +remissibly +remission +remissions +remissive +remissively +remissiveness +remissly +remissness +remissnesses +remissory +remisunderstand +remit +remital +remitment +remits +remittable +remittal +remittals +remittance +remittancer +remittances +remitted +remittee +remittence +remittency +remittent +remittently +remitter +remitters +remitting +remittitur +remittor +remittors +remix +remixed +remixes +remixing +remixt +remixture +Remlap +Remmer +remnant +remnantal +remnants +remnant's +remobilization +remobilize +remobilized +remobilizes +remobilizing +Remoboth +REMOBS +remock +remodel +remodeled +remodeler +remodelers +remodeling +remodelled +remodeller +remodelling +remodelment +remodels +remodify +remodification +remodified +remodifies +remodifying +remodulate +remodulated +remodulating +remoisten +remoistened +remoistening +remoistens +remolade +remolades +remold +remolded +remolding +remolds +remollient +remollify +remollified +remollifying +remonetisation +remonetise +remonetised +remonetising +remonetization +remonetize +remonetized +remonetizes +remonetizing +Remonstrance +remonstrances +Remonstrant +remonstrantly +remonstrate +remonstrated +remonstrates +remonstrating +remonstratingly +remonstration +remonstrations +remonstrative +remonstratively +remonstrator +remonstratory +remonstrators +remontado +remontant +remontoir +remontoire +remop +remora +remoras +remorate +remord +remore +remorid +remorse +remorseful +remorsefully +remorsefulness +remorseless +remorselessly +remorselessness +remorseproof +remorses +remortgage +remortgaged +remortgages +remortgaging +remote +remote-control +remote-controlled +remoted +remotely +remoteness +remotenesses +remoter +remotes +remotest +remotion +remotions +remotivate +remotivated +remotivates +remotivating +remotive +Remoudou +remoulade +remould +remount +remounted +remounting +remounts +removability +removable +removableness +removably +removal +removalist +removals +removal's +remove +removed +removedly +removedness +removeless +removement +remover +removers +removes +removing +Rempe +rems +Remscheid +Remsen +Remsenburg +remuable +remuda +remudas +remue +remultiply +remultiplication +remultiplied +remultiplying +remunerability +remunerable +remunerably +remunerate +remunerated +remunerates +remunerating +remuneration +remunerations +remunerative +remuneratively +remunerativeness +remunerativenesses +remunerator +remuneratory +remunerators +remurmur +Remus +remuster +remutation +REN +Rena +renable +renably +Renado +Renae +renay +renail +renailed +renails +Renaissance +renaissances +Renaissancist +Renaissant +renal +Renalara +Renaldo +rename +renamed +renames +renaming +Renan +Renard +Renardine +Renascence +renascences +renascency +renascent +renascible +renascibleness +Renata +Renate +renationalize +renationalized +renationalizing +Renato +renaturation +renature +renatured +renatures +renaturing +Renaud +Renault +renavigate +renavigated +renavigating +renavigation +Renckens +rencontre +rencontres +rencounter +rencountered +rencountering +rencounters +renculus +rend +rended +rendement +render +renderable +rendered +renderer +renderers +rendering +renderings +renders +renderset +rendezvous +rendezvoused +rendezvouses +rendezvousing +rendibility +rendible +rending +rendition +renditions +rendition's +rendlewood +rendoun +rendrock +rends +rendu +rendzina +rendzinas +Rene +reneague +Renealmia +renecessitate +Renee +reneg +renegade +renegaded +renegades +renegading +renegadism +renegado +renegadoes +renegados +renegate +renegated +renegating +renegation +renege +reneged +reneger +renegers +reneges +reneging +reneglect +renegotiable +renegotiate +renegotiated +renegotiates +renegotiating +renegotiation +renegotiations +renegotiator +renegue +Renell +Renelle +renerve +renes +renest +renested +renests +renet +Reneta +renette +reneutralize +reneutralized +reneutralizing +renew +renewability +renewable +renewably +renewal +renewals +renewed +renewedly +renewedness +renewer +renewers +renewing +renewment +renews +Renferd +renforce +Renfred +Renfrew +Renfrewshire +renga +rengue +renguera +Reni +reni- +renicardiac +Renick +renickel +reniculus +renidify +renidification +Renie +reniform +renig +renigged +renigging +renigs +Renilla +Renillidae +renin +renins +renipericardial +reniportal +renipuncture +renish +renishly +Renita +renitence +renitency +renitent +Reniti +renk +renky +renminbi +renn +Rennane +rennase +rennases +renne +Renner +Rennes +rennet +renneting +rennets +Renny +Rennie +rennin +renninogen +rennins +renniogen +Rennold +Reno +renocutaneous +renogastric +renogram +renograms +renography +renographic +renointestinal +Renoir +renomee +renominate +renominated +renominates +renominating +renomination +renominations +renomme +renommee +renone +renopericardial +renopulmonary +renormalization +renormalize +renormalized +renormalizing +renotarize +renotarized +renotarizing +renotation +renotice +renoticed +renoticing +renotify +renotification +renotified +renotifies +renotifying +renounce +renounceable +renounced +renouncement +renouncements +renouncer +renouncers +renounces +renouncing +renourish +renourishment +renovare +renovate +renovated +renovater +renovates +renovating +renovatingly +renovation +renovations +renovative +renovator +renovatory +renovators +renove +renovel +renovize +Renovo +renown +renowned +renownedly +renownedness +renowner +renownful +renowning +renownless +renowns +Rensselaer +rensselaerite +Rensselaerville +rent +rentability +rentable +rentage +rental +rentaler +rentaller +rentals +rental's +rent-charge +rent-collecting +rente +rented +rentee +renter +renters +rentes +rent-free +rentier +rentiers +Rentiesville +renting +rentless +Rento +Renton +rent-paying +rent-producing +rentrayeuse +rent-raising +rentrant +rent-reducing +rentree +rent-roll +rents +Rentsch +Rentschler +rent-seck +rent-service +Rentz +renu +renule +renullify +renullification +renullified +renullifying +renumber +renumbered +renumbering +renumbers +renumerate +renumerated +renumerating +renumeration +renunciable +renunciance +renunciant +renunciate +renunciation +renunciations +renunciative +renunciator +renunciatory +renunculus +renverse +renversement +Renville +renvoi +renvoy +renvois +Renwick +Renzo +REO +reobject +reobjected +reobjecting +reobjectivization +reobjectivize +reobjects +reobligate +reobligated +reobligating +reobligation +reoblige +reobliged +reobliging +reobscure +reobservation +reobserve +reobserved +reobserving +reobtain +reobtainable +reobtained +reobtaining +reobtainment +reobtains +reoccasion +reoccupation +reoccupations +reoccupy +reoccupied +reoccupies +reoccupying +reoccur +reoccurred +reoccurrence +reoccurrences +reoccurring +reoccurs +reoffend +reoffense +reoffer +reoffered +reoffering +reoffers +reoffset +reoil +reoiled +reoiling +reoils +reometer +reomission +reomit +reopen +reopened +reopener +reopening +reopenings +reopens +reoperate +reoperated +reoperates +reoperating +reoperation +reophore +reoppose +reopposed +reopposes +reopposing +reopposition +reoppress +reoppression +reorchestrate +reorchestrated +reorchestrates +reorchestrating +reorchestration +reordain +reordained +reordaining +reordains +reorder +reordered +reordering +reorders +reordinate +reordination +reorganise +reorganised +reorganiser +reorganising +reorganization +reorganizational +reorganizationist +reorganizations +reorganization's +reorganize +reorganized +reorganizer +reorganizers +reorganizes +reorganizing +reorient +reorientate +reorientated +reorientating +reorientation +reorientations +reoriented +reorienting +reorients +reornament +reoutfit +reoutfitted +reoutfitting +reoutline +reoutlined +reoutlining +reoutput +reoutrage +reovercharge +reoverflow +reovertake +reoverwork +reovirus +reoviruses +reown +reoxidation +reoxidise +reoxidised +reoxidising +reoxidize +reoxidized +reoxidizing +reoxygenate +reoxygenize +Rep +Rep. +repace +repacify +repacification +repacified +repacifies +repacifying +repack +repackage +repackaged +repackager +repackages +repackaging +repacked +repacker +repacking +repacks +repad +repadded +repadding +repaganization +repaganize +repaganizer +repage +repaginate +repaginated +repaginates +repaginating +repagination +repay +repayable +repayal +repaid +repayed +repaying +repayment +repayments +repaint +repainted +repainting +repaints +repair +repairability +repairable +repairableness +repaired +repairer +repairers +repairing +repairman +repairmen +repairs +repays +repale +repand +repandly +repandodentate +repandodenticulate +repandolobate +repandous +repandousness +repanel +repaneled +repaneling +repanels +repaper +repapered +repapering +repapers +reparability +reparable +reparably +reparagraph +reparate +reparation +reparations +reparation's +reparative +reparatory +reparel +repark +reparked +reparks +repart +repartable +repartake +repartee +reparteeist +repartees +reparticipate +reparticipation +repartition +repartitionable +repas +repass +repassable +repassage +repassant +repassed +repasser +repasses +repassing +repast +repaste +repasted +repasting +repasts +repast's +repasture +repatch +repatency +repatent +repatriable +repatriate +repatriated +repatriates +repatriating +repatriation +repatriations +repatrol +repatrolled +repatrolling +repatronize +repatronized +repatronizing +repattern +repave +repaved +repavement +repaves +repaving +repawn +Repeal +repealability +repealable +repealableness +repealed +repealer +repealers +repealing +repealist +repealless +repeals +repeat +repeatability +repeatable +repeatal +repeated +repeatedly +repeater +repeaters +repeating +repeats +repechage +repeddle +repeddled +repeddling +repeg +repegged +repegs +repel +repellance +repellant +repellantly +repelled +repellence +repellency +repellent +repellently +repellents +repeller +repellers +repelling +repellingly +repellingness +repels +repen +repenalize +repenalized +repenalizing +repenetrate +repenned +repenning +repension +repent +repentable +repentance +repentances +repentant +repentantly +repented +repenter +repenters +repenting +repentingly +repents +repeople +repeopled +repeoples +repeopling +reperceive +reperceived +reperceiving +repercept +reperception +repercolation +repercuss +repercussion +repercussions +repercussion's +repercussive +repercussively +repercussiveness +repercussor +repercutient +reperforator +reperform +reperformance +reperfume +reperible +reperk +reperked +reperking +reperks +repermission +repermit +reperplex +repersonalization +repersonalize +repersuade +repersuasion +repertoire +repertoires +repertory +repertorial +repertories +repertorily +repertorium +reperusal +reperuse +reperused +reperusing +repetatively +repetend +repetends +repetitae +repetiteur +repetiteurs +repetition +repetitional +repetitionary +repetitions +repetition's +repetitious +repetitiously +repetitiousness +repetitiousnesses +repetitive +repetitively +repetitiveness +repetitivenesses +repetitory +repetoire +repetticoat +repew +Rephael +rephase +rephonate +rephosphorization +rephosphorize +rephotograph +rephotographed +rephotographing +rephotographs +rephrase +rephrased +rephrases +rephrasing +repic +repick +repicture +repiece +repile +repin +repine +repined +repineful +repinement +repiner +repiners +repines +repining +repiningly +repinned +repinning +repins +repipe +repique +repiqued +repiquing +repitch +repkie +repl +replace +replaceability +replaceable +replaced +replacement +replacements +replacement's +replacer +replacers +replaces +replacing +replay +replayed +replaying +replays +replait +replan +replane +replaned +replaning +replanned +replanning +replans +replant +replantable +replantation +replanted +replanter +replanting +replants +replaster +replate +replated +replates +replating +replead +repleader +repleading +repleads +repleat +repled +repledge +repledged +repledger +repledges +repledging +replenish +replenished +replenisher +replenishers +replenishes +replenishing +replenishingly +replenishment +replenishments +replete +repletely +repleteness +repletenesses +repletion +repletions +repletive +repletively +repletory +repleve +replevy +repleviable +replevied +replevies +replevying +replevin +replevined +replevining +replevins +replevisable +replevisor +reply +replial +repliant +replica +replicable +replicant +replicas +replicate +replicated +replicates +replicatile +replicating +replication +replications +replicative +replicatively +replicatory +replicon +replied +replier +repliers +replies +replight +replying +replyingly +replique +replod +replot +replotment +replots +replotted +replotter +replotting +replough +replow +replowed +replowing +replum +replumb +replumbs +replume +replumed +repluming +replunder +replunge +replunged +replunges +replunging +repo +repocket +repoint +repolarization +repolarize +repolarized +repolarizing +repolymerization +repolymerize +repolish +repolished +repolishes +repolishing +repoll +repolled +repolls +repollute +repolon +reponder +repondez +repone +repope +repopularization +repopularize +repopularized +repopularizing +repopulate +repopulated +repopulates +repopulating +repopulation +report +reportable +reportage +reportages +reported +reportedly +reporter +reporteress +reporterism +reporters +reportership +reporting +reportingly +reportion +reportorial +reportorially +reports +repos +reposal +reposals +repose +re-pose +reposed +re-posed +reposedly +reposedness +reposeful +reposefully +reposefulness +reposer +reposers +reposes +reposing +re-posing +reposit +repositary +reposited +repositing +reposition +repositioned +repositioning +repositions +repositor +repository +repositories +repository's +reposits +reposoir +repossess +repossessed +repossesses +repossessing +repossession +repossessions +repossessor +repost +repostpone +repostponed +repostponing +repostulate +repostulated +repostulating +repostulation +reposure +repot +repots +repotted +repound +repour +repoured +repouring +repours +repouss +repoussage +repousse +repousses +repowder +repower +repowered +repowering +repowers +repp +repped +Repplier +repps +repr +repractice +repracticed +repracticing +repray +repraise +repraised +repraising +repreach +reprecipitate +reprecipitation +repredict +reprefer +reprehend +reprehendable +reprehendatory +reprehended +reprehender +reprehending +reprehends +reprehensibility +reprehensible +reprehensibleness +reprehensibly +reprehension +reprehensions +reprehensive +reprehensively +reprehensory +repremise +repremised +repremising +repreparation +reprepare +reprepared +repreparing +represcribe +represcribed +represcribing +represent +re-present +representability +representable +representably +representamen +representant +representation +re-presentation +representational +representationalism +representationalist +representationalistic +representationally +representationary +representationes +representationism +representationist +representations +representation's +representative +representative-elect +representatively +representativeness +representativenesses +representatives +representativeship +representativity +represented +representee +representer +representing +representment +re-presentment +representor +represents +represide +repress +re-press +repressed +repressedly +represser +represses +repressibility +repressibilities +repressible +repressibly +repressing +repression +repressionary +repressionist +repressions +repression's +repressive +repressively +repressiveness +repressment +repressor +repressory +repressure +repressurize +repressurized +repressurizes +repressurizing +repry +reprice +repriced +reprices +repricing +reprievable +reprieval +reprieve +reprieved +repriever +reprievers +reprieves +reprieving +reprimand +reprimanded +reprimander +reprimanding +reprimandingly +reprimands +reprime +reprimed +reprimer +repriming +reprint +reprinted +reprinter +reprinting +reprintings +reprints +reprisal +reprisalist +reprisals +reprisal's +reprise +reprised +reprises +reprising +repristinate +repristination +reprivatization +reprivatize +reprivilege +repro +reproach +reproachability +reproachable +reproachableness +reproachably +reproached +reproacher +reproaches +reproachful +reproachfully +reproachfulness +reproachfulnesses +reproaching +reproachingly +reproachless +reproachlessness +reprobacy +reprobance +reprobate +reprobated +reprobateness +reprobater +reprobates +reprobating +reprobation +reprobationary +reprobationer +reprobations +reprobative +reprobatively +reprobator +reprobatory +reprobe +reprobed +reprobes +reprobing +reproceed +reprocess +reprocessed +reprocesses +reprocessing +reproclaim +reproclamation +reprocurable +reprocure +reproduce +reproduceable +reproduced +reproducer +reproducers +reproduces +reproducibility +reproducibilities +reproducible +reproducibly +reproducing +reproduction +reproductionist +reproductions +reproduction's +reproductive +reproductively +reproductiveness +reproductivity +reproductory +reprofane +reprofess +reproffer +reprogram +reprogramed +reprograming +reprogrammed +reprogramming +reprograms +reprography +reprohibit +reproject +repromise +repromised +repromising +repromulgate +repromulgated +repromulgating +repromulgation +repronounce +repronunciation +reproof +re-proof +reproofless +reproofs +repropagate +repropitiate +repropitiation +reproportion +reproposal +repropose +reproposed +reproposes +reproposing +repros +reprosecute +reprosecuted +reprosecuting +reprosecution +reprosper +reprotect +reprotection +reprotest +reprovability +reprovable +reprovableness +reprovably +reproval +reprovals +reprove +re-prove +reproved +re-proved +re-proven +reprover +reprovers +reproves +reprovide +reproving +re-proving +reprovingly +reprovision +reprovocation +reprovoke +reprune +repruned +repruning +reps +rept +rept. +reptant +reptation +reptatory +reptatorial +reptile +reptiledom +reptilelike +reptiles +reptile's +reptilferous +Reptilia +reptilian +reptilians +reptiliary +reptiliform +reptilious +reptiliousness +reptilism +reptility +reptilivorous +reptiloid +Repton +Repub +republic +republica +republical +Republican +republicanisation +republicanise +republicanised +republicaniser +republicanising +Republicanism +republicanisms +republicanization +republicanize +republicanizer +republicans +republican's +republication +republics +republic's +republish +republishable +republished +republisher +republishes +republishing +republishment +repudative +repuddle +repudiable +repudiate +repudiated +repudiates +repudiating +repudiation +repudiationist +repudiations +repudiative +repudiator +repudiatory +repudiators +repuff +repugn +repugnable +repugnance +repugnances +repugnancy +repugnant +repugnantly +repugnantness +repugnate +repugnatorial +repugned +repugner +repugning +repugns +repullulate +repullulation +repullulative +repullulescent +repulpit +repulse +repulsed +repulseless +repulseproof +repulser +repulsers +repulses +repulsing +repulsion +repulsions +repulsive +repulsively +repulsiveness +repulsivenesses +repulsor +repulsory +repulverize +repump +repumped +repumps +repunch +repunctuate +repunctuated +repunctuating +repunctuation +repunish +repunishable +repunishment +repurchase +repurchased +repurchaser +repurchases +repurchasing +repure +repurge +repurify +repurification +repurified +repurifies +repurifying +Re-puritanize +repurple +repurpose +repurposed +repurposing +repursue +repursued +repursues +repursuing +repursuit +reputability +reputable +reputabley +reputableness +reputably +reputation +reputationless +reputations +reputation's +reputative +reputatively +repute +reputed +reputedly +reputeless +reputes +reputing +req +req. +reqd +REQSPEC +requalify +requalification +requalified +requalifying +requarantine +requeen +requench +request +requested +requester +requesters +requesting +requestion +requestor +requestors +requests +requeued +requicken +Requiem +requiems +Requienia +requiescat +requiescence +requin +requins +requirable +require +required +requirement +requirements +requirement's +requirer +requirers +requires +requiring +requisite +requisitely +requisiteness +requisites +requisition +requisitionary +requisitioned +requisitioner +requisitioners +requisitioning +requisitionist +requisitions +requisitor +requisitory +requisitorial +requit +requitable +requital +requitals +requitative +requite +requited +requiteful +requiteless +requitement +requiter +requiters +requites +requiting +requiz +requotation +requote +requoted +requoting +rerack +reracked +reracker +reracks +reradiate +reradiated +reradiates +reradiating +reradiation +rerail +rerailer +reraise +reraised +reraises +rerake +reran +rerank +rerate +rerated +rerating +rere- +re-reaction +reread +rereader +rereading +rereads +re-rebel +rerebrace +rere-brace +re-receive +re-reception +re-recital +re-recite +re-reckon +re-recognition +re-recognize +re-recollect +re-recollection +re-recommend +re-recommendation +re-reconcile +re-reconciliation +rerecord +re-record +rerecorded +rerecording +rerecords +re-recover +re-rectify +re-rectification +rere-dorter +reredos +reredoses +re-reduce +re-reduction +reree +rereel +rereeve +re-refer +rerefief +re-refine +re-reflect +re-reflection +re-reform +re-reformation +re-refusal +re-refuse +re-regenerate +re-regeneration +reregister +reregistered +reregistering +reregisters +reregistration +reregulate +reregulated +reregulating +reregulation +re-rehearsal +re-rehearse +rereign +re-reiterate +re-reiteration +re-reject +re-rejection +re-rejoinder +re-relate +re-relation +rerelease +re-release +re-rely +re-relish +re-remember +reremice +reremind +re-remind +re-remit +reremmice +reremouse +re-removal +re-remove +re-rendition +rerent +rerental +re-repair +rerepeat +re-repeat +re-repent +re-replevin +re-reply +re-report +re-represent +re-representation +re-reproach +re-request +re-require +re-requirement +re-rescue +re-resent +re-resentment +re-reservation +re-reserve +re-reside +re-residence +re-resign +re-resignation +re-resolution +re-resolve +re-respond +re-response +re-restitution +re-restoration +re-restore +re-restrain +re-restraint +re-restrict +re-restriction +reresupper +rere-supper +re-retire +re-retirement +re-return +re-reveal +re-revealation +re-revenge +re-reversal +re-reverse +rereview +re-revise +re-revision +rereward +rerewards +rerig +rering +rerise +rerisen +rerises +rerising +rerival +rerivet +rerob +rerobe +reroyalize +reroll +rerolled +reroller +rerollers +rerolling +rerolls +Re-romanize +reroof +reroofed +reroofs +reroot +rerope +rerose +reroute +rerouted +reroutes +rerouting +rerow +rerub +rerummage +rerun +rerunning +reruns +res +Resa +Resaca +resack +resacrifice +resaddle +resaddled +resaddles +resaddling +resay +resaid +resaying +resail +resailed +resailing +resails +resays +resalable +resale +resaleable +resales +resalgar +resalt +resalutation +resalute +resaluted +resalutes +resaluting +resalvage +resample +resampled +resamples +resampling +resanctify +resanction +resarcelee +resat +resatisfaction +resatisfy +resave +resaw +resawed +resawer +resawyer +resawing +resawn +resaws +resazurin +rescale +rescaled +rescales +rescaling +rescan +rescattering +reschedule +rescheduled +reschedules +rescheduling +reschool +rescind +rescindable +rescinded +rescinder +rescinders +rescinding +rescindment +rescinds +rescissible +rescission +rescissions +rescissory +rescore +rescored +rescores +rescoring +rescounter +rescous +rescramble +rescratch +rescreen +rescreened +rescreening +rescreens +rescribe +rescript +rescription +rescriptive +rescriptively +rescripts +rescrub +rescrubbed +rescrubbing +rescrutiny +rescrutinies +rescrutinize +rescrutinized +rescrutinizing +rescuable +rescue +rescued +rescueless +rescuer +rescuers +rescues +rescuing +resculpt +rescusser +Rese +reseal +resealable +resealed +resealing +reseals +reseam +research +re-search +researchable +researched +researcher +researchers +researches +researchful +researching +researchist +reseason +reseat +reseated +reseating +reseats +reseau +reseaus +reseaux +resecate +resecrete +resecretion +resect +resectability +resectabilities +resectable +resected +resecting +resection +resectional +resections +resectoscope +resects +resecure +resecured +resecuring +Reseda +Resedaceae +resedaceous +resedas +Resee +reseed +reseeded +reseeding +reseeds +reseeing +reseek +reseeking +reseeks +reseen +resees +resegment +resegmentation +resegregate +resegregated +resegregates +resegregating +resegregation +reseise +reseiser +reseize +reseized +reseizer +reseizes +reseizing +reseizure +reselect +reselected +reselecting +reselection +reselects +reself +resell +reseller +resellers +reselling +resells +resemblable +resemblance +resemblances +resemblance's +resemblant +resemble +resembled +resembler +resembles +resembling +resemblingly +reseminate +resend +resending +resends +resene +resensation +resensitization +resensitize +resensitized +resensitizing +resent +resentationally +resented +resentence +resentenced +resentences +resentencing +resenter +resentful +resentfully +resentfullness +resentfulness +resentience +resentiment +resenting +resentingly +resentive +resentless +resentment +resentments +resents +reseparate +reseparated +reseparating +reseparation +resepulcher +resequencing +resequent +resequester +resequestration +reserate +reserene +reserpine +reserpinized +reservable +reserval +reservation +reservationist +reservations +reservation's +reservative +reservatory +reserve +re-serve +reserved +reservedly +reservedness +reservee +reserveful +reserveless +reserver +reservery +reservers +reserves +reservice +reserviced +reservicing +reserving +reservist +reservists +reservoir +reservoired +reservoirs +reservoir's +reservor +reset +Reseta +resets +resettable +resetter +resetters +resetting +resettings +resettle +resettled +resettlement +resettlements +resettles +resettling +resever +resew +resewed +resewing +resewn +resews +resex +resgat +resh +reshake +reshaken +reshaking +reshape +reshaped +reshaper +reshapers +reshapes +reshaping +reshare +reshared +resharing +resharpen +resharpened +resharpening +resharpens +reshave +reshaved +reshaven +reshaves +reshaving +reshear +reshearer +resheathe +reshelve +reshes +reshew +reshift +reshine +reshined +reshines +reshingle +reshingled +reshingling +reshining +reship +reshipment +reshipments +reshipped +reshipper +reshipping +reships +reshod +reshoe +reshoeing +reshoes +reshone +reshook +reshoot +reshooting +reshoots +reshorten +reshot +reshoulder +reshovel +reshow +reshowed +reshower +reshowing +reshown +reshows +reshrine +Resht +reshuffle +reshuffled +reshuffles +reshuffling +reshun +reshunt +reshut +reshutting +reshuttle +resiance +resiancy +resiant +resiccate +resicken +resid +reside +resided +residence +residencer +residences +residence's +residency +residencia +residencies +resident +residental +residenter +residential +residentiality +residentially +residentiary +residentiaryship +residents +resident's +residentship +resider +residers +resides +residing +residiuum +resids +residua +residual +residually +residuals +residuary +residuation +residue +residuent +residues +residue's +residuous +residuua +residuum +residuums +resift +resifted +resifting +resifts +resigh +resight +resights +resign +re-sign +resignal +resignaled +resignaling +resignatary +resignation +resignationism +resignations +resignation's +resigned +resignedly +resigned-looking +resignedness +resignee +resigner +resigners +resignful +resigning +resignment +resigns +resile +resiled +resilement +resiles +resilia +resilial +resiliate +resilience +resiliences +resiliency +resiliencies +resilient +resiliently +resilifer +resiling +resiliometer +resilition +resilium +resyllabification +resilver +resilvered +resilvering +resilvers +resymbolization +resymbolize +resymbolized +resymbolizing +resimmer +resin +resina +resinaceous +resinate +resinated +resinates +resinating +resinbush +resynchronization +resynchronize +resynchronized +resynchronizing +resined +resiner +resinfiable +resing +resiny +resinic +resiniferous +resinify +resinification +resinified +resinifies +resinifying +resinifluous +resiniform +resining +resinize +resink +resinlike +resino- +resinoelectric +resinoextractive +resinogenous +resinoid +resinoids +resinol +resinolic +resinophore +resinosis +resinous +resinously +resinousness +resinovitreous +resins +resin's +resyntheses +resynthesis +resynthesize +resynthesized +resynthesizes +resynthesizing +resynthetize +resynthetized +resynthetizing +resipiscence +resipiscent +resist +resistability +resistable +resistableness +resistably +Resistance +resistances +resistant +resistante +resistantes +resistantly +resistants +resistate +resisted +resystematize +resystematized +resystematizing +resistence +Resistencia +resistent +resister +resisters +resistful +resistibility +resistible +resistibleness +resistibly +resisting +resistingly +resistive +resistively +resistiveness +resistivity +resistless +resistlessly +resistlessness +resistor +resistors +resistor's +resists +resit +resite +resited +resites +resiting +resitting +resituate +resituated +resituates +resituating +resize +resized +resizer +resizes +resizing +resketch +reskew +reskin +reslay +reslander +reslash +reslate +reslated +reslates +reslide +reslot +resmell +resmelt +resmelted +resmelting +resmelts +resmile +resmooth +resmoothed +resmoothing +resmooths +Resnais +resnap +resnatch +resnatron +resnub +resoak +resoaked +resoaks +resoap +resod +resodded +resods +resoften +resoil +resojet +resojets +resojourn +resold +resolder +resoldered +resoldering +resolders +resole +resoled +resolemnize +resoles +resolicit +resolicitation +resolidify +resolidification +resolidified +resolidifies +resolidifying +resoling +resolubility +resoluble +re-soluble +resolubleness +resolute +resolutely +resoluteness +resolutenesses +resoluter +resolutes +resolutest +resolution +re-solution +resolutioner +resolutionist +resolutions +resolutive +resolutory +resolvability +resolvable +resolvableness +resolvancy +resolve +resolved +resolvedly +resolvedness +resolvend +resolvent +resolver +resolvers +resolves +resolvible +resolving +resonance +resonances +resonancy +resonancies +resonant +resonantly +resonants +resonate +resonated +resonates +resonating +resonation +resonations +resonator +resonatory +resonators +resoothe +Resor +resorb +resorbed +resorbence +resorbent +resorbing +resorbs +resorcylic +resorcin +resorcinal +resorcine +resorcinism +resorcinol +resorcinolphthalein +resorcins +resorcinum +resorption +resorptive +resort +re-sort +resorted +resorter +re-sorter +resorters +resorting +resorts +resorufin +resought +resound +re-sound +resounded +resounder +resounding +resoundingly +resounds +resource +resourceful +resourcefully +resourcefulness +resourcefulnesses +resourceless +resourcelessness +resources +resource's +resoutive +resow +resowed +resowing +resown +resows +resp +resp. +respace +respaced +respaces +respacing +respade +respaded +respades +respading +respan +respangle +resparkle +respasse +respeak +respeaks +respecify +respecification +respecifications +respecified +respecifying +respect +respectability +respectabilities +respectabilize +respectable +respectableness +respectably +respectant +respected +respecter +respecters +respectful +respectfully +respectfulness +respectfulnesses +respecting +respection +respective +respectively +respectiveness +respectless +respectlessly +respectlessness +respects +respectum +respectuous +respectworthy +respell +respelled +respelling +respells +respelt +respersive +respice +respiced +respicing +Respighi +respin +respirability +respirable +respirableness +respirating +respiration +respirational +respirations +respirative +respirato- +respirator +respiratored +respiratory +respiratories +respiratorium +respirators +respire +respired +respires +respiring +respirit +respirometer +respirometry +respirometric +respite +respited +respiteless +respites +respiting +resplend +resplendence +resplendences +resplendency +resplendent +resplendently +resplendish +resplice +respliced +resplicing +resplit +resplits +respoke +respoken +respond +responde +respondeat +responded +respondence +respondences +respondency +respondencies +respondendum +respondent +respondentia +respondents +respondent's +responder +responders +responding +responds +Responsa +responsable +responsal +responsary +response +responseless +responser +responses +responsibility +responsibilities +responsible +responsibleness +responsiblenesses +responsibles +responsibly +responsiblity +responsiblities +responsion +responsions +responsive +responsively +responsiveness +responsivenesses +responsivity +responsor +responsory +responsorial +responsories +responsum +responsusa +respot +respots +respray +resprays +resprang +respread +respreading +respreads +respring +respringing +resprings +resprinkle +resprinkled +resprinkling +resprout +resprung +respue +resquander +resquare +resqueak +Ress +ressaidar +ressala +ressalah +ressaldar +ressaut +ressentiment +resshot +Ressler +ressort +rest +restab +restabbed +restabbing +restabilization +restabilize +restabilized +restabilizing +restable +restabled +restabling +restack +restacked +restacking +restacks +restaff +restaffed +restaffing +restaffs +restage +restaged +restages +restaging +restagnate +restain +restainable +restake +restamp +restamped +restamping +restamps +restandardization +restandardize +Restany +restant +restart +restartable +restarted +restarting +restarts +restate +restated +restatement +restatements +restates +restating +restation +restaur +restaurant +restauranteur +restauranteurs +restaurants +restaurant's +restaurate +restaurateur +restaurateurs +restauration +restbalk +rest-balk +rest-cure +rest-cured +Reste +resteal +rested +resteel +resteep +restem +restep +rester +resterilization +resterilize +resterilized +resterilizing +resters +restes +restful +restfuller +restfullest +restfully +restfulness +rest-giving +restharrow +rest-harrow +rest-home +resthouse +resty +Restiaceae +restiaceous +restiad +restibrachium +restiff +restiffen +restiffener +restiffness +restifle +restiform +restigmatize +restyle +restyled +restyles +restyling +restimulate +restimulated +restimulates +restimulating +restimulation +restiness +resting +restinging +restingly +Restio +Restionaceae +restionaceous +restipulate +restipulated +restipulating +restipulation +restipulatory +restir +restirred +restirring +restis +restitch +restitue +restitute +restituted +restituting +restitution +restitutional +restitutionism +Restitutionist +restitutions +restitutive +restitutor +restitutory +restive +restively +restiveness +restivenesses +Restivo +restless +restlessly +restlessness +restlessnesses +restock +restocked +restocking +restocks +Reston +restopper +restorability +restorable +restorableness +restoral +restorals +Restoration +restorationer +restorationism +restorationist +restorations +restoration's +restorative +restoratively +restorativeness +restoratives +restorator +restoratory +rest-ordained +restore +re-store +restored +restorer +restorers +restores +restoring +restoringmoment +restow +restowal +restproof +restr +restraighten +restraightened +restraightening +restraightens +restrain +re-strain +restrainability +restrainable +restrained +restrainedly +restrainedness +restrainer +restrainers +restraining +restrainingly +restrains +restraint +restraintful +restraints +restraint's +restrap +restrapped +restrapping +restratification +restream +rest-refreshed +restrengthen +restrengthened +restrengthening +restrengthens +restress +restretch +restricken +restrict +restricted +restrictedly +restrictedness +restricting +restriction +restrictionary +restrictionism +restrictionist +restrictions +restriction's +restrictive +restrictively +restrictiveness +restricts +restrike +restrikes +restriking +restring +restringe +restringency +restringent +restringer +restringing +restrings +restrip +restrive +restriven +restrives +restriving +restroke +restroom +restrove +restruck +restructure +restructured +restructures +restructuring +restrung +rests +rest-seeking +rest-taking +restudy +restudied +restudies +restudying +restuff +restuffed +restuffing +restuffs +restung +restward +restwards +resubject +resubjection +resubjugate +resublimate +resublimated +resublimating +resublimation +resublime +resubmerge +resubmerged +resubmerging +resubmission +resubmissions +resubmit +resubmits +resubmitted +resubmitting +resubordinate +resubscribe +resubscribed +resubscriber +resubscribes +resubscribing +resubscription +resubstantiate +resubstantiated +resubstantiating +resubstantiation +resubstitute +resubstitution +resucceed +resuck +resudation +resue +resuffer +resufferance +resuggest +resuggestion +resuing +resuit +resulfurize +resulfurized +resulfurizing +resulphurize +resulphurized +resulphurizing +result +resultance +resultancy +resultant +resultantly +resultants +resultative +resulted +resultful +resultfully +resultfulness +resulting +resultingly +resultive +resultless +resultlessly +resultlessness +results +resumability +resumable +resume +resumed +resumeing +resumer +resumers +resumes +resuming +resummon +resummonable +resummoned +resummoning +resummons +resumption +resumptions +resumption's +resumptive +resumptively +resun +resup +resuperheat +resupervise +resupinate +resupinated +resupination +resupine +resupply +resupplied +resupplies +resupplying +resupport +resuppose +resupposition +resuppress +resuppression +resurface +resurfaced +resurfaces +resurfacing +resurgam +resurge +resurged +resurgence +resurgences +resurgency +resurgent +resurges +resurging +resurprise +resurrect +resurrected +resurrectible +resurrecting +Resurrection +resurrectional +resurrectionary +resurrectioner +resurrectioning +resurrectionism +resurrectionist +resurrectionize +resurrections +resurrection's +resurrective +resurrector +resurrectors +resurrects +resurrender +resurround +resurvey +resurveyed +resurveying +resurveys +resuscitable +resuscitant +resuscitate +resuscitated +resuscitates +resuscitating +resuscitation +resuscitations +resuscitative +resuscitator +resuscitators +resuspect +resuspend +resuspension +reswage +reswallow +resward +reswarm +reswear +reswearing +resweat +resweep +resweeping +resweeten +reswell +reswept +reswill +reswim +reswore +Reszke +ret +Reta +retable +retables +retablo +retabulate +retabulated +retabulating +retack +retacked +retackle +retacks +retag +retagged +retags +retail +retailable +retailed +retailer +retailers +retailing +retailment +retailor +retailored +retailoring +retailors +retails +retain +retainability +retainable +retainableness +retainal +retainder +retained +retainer +retainers +retainership +retaining +retainment +retains +retake +retaken +retaker +retakers +retakes +retaking +retal +retaliate +retaliated +retaliates +retaliating +retaliation +retaliationist +retaliations +retaliative +retaliator +retaliatory +retaliators +retalk +retally +retallies +retama +retame +retan +retanned +retanner +retanning +retape +retaped +retapes +retaping +retar +retard +retardance +retardant +retardants +retardate +retardates +retardation +retardations +retardative +retardatory +retarded +retardee +retardence +retardent +retarder +retarders +retarding +retardingly +retardive +retardment +retards +retardure +retare +retarget +retariff +retarred +retarring +retaste +retasted +retastes +retasting +retation +retattle +retaught +retax +retaxation +retaxed +retaxes +retaxing +retch +retched +retches +retching +retchless +retd +retd. +rete +reteach +reteaches +reteaching +reteam +reteamed +reteams +retear +retearing +retears +retecious +retelegraph +retelephone +retelevise +retell +retelling +retells +retem +retemper +retempt +retemptation +retems +retenant +retender +retene +retenes +retent +retention +retentionist +retentions +retentive +retentively +retentiveness +retentivity +retentivities +retentor +retenue +Retepora +retepore +Reteporidae +retest +retested +retestify +retestified +retestifying +retestimony +retestimonies +retesting +retests +retexture +Retha +rethank +rethatch +rethaw +rethe +retheness +rether +rethicken +rethink +rethinker +rethinking +rethinks +rethought +rethrash +rethread +rethreaded +rethreading +rethreads +rethreaten +rethresh +rethresher +rethrill +rethrive +rethrone +rethrow +rethrust +rethunder +retia +retial +retiary +Retiariae +retiarian +retiarii +retiarius +reticella +reticello +reticence +reticences +reticency +reticencies +reticent +reticently +reticket +reticle +reticles +reticle's +reticula +reticular +reticulary +Reticularia +reticularian +reticularly +reticulate +reticulated +reticulately +reticulates +reticulating +reticulation +reticulato- +reticulatocoalescent +reticulatogranulate +reticulatoramose +reticulatovenose +reticule +reticuled +reticules +reticuli +reticulin +reticulitis +reticulo- +reticulocyte +reticulocytic +reticulocytosis +reticuloendothelial +reticuloramose +Reticulosa +reticulose +reticulovenose +Reticulum +retie +retied +retier +reties +retiform +retighten +retightened +retightening +retightens +retying +retile +retiled +retiling +retill +retimber +retimbering +retime +retimed +retimes +retiming +retin +retin- +retina +retinacula +retinacular +retinaculate +retinaculum +retinae +retinal +retinalite +retinals +retinas +retina's +retinasphalt +retinasphaltum +retincture +retine +retinene +retinenes +retinerved +retines +retinge +retinged +retingeing +retinian +retinic +retinispora +retinite +retinites +retinitis +retinize +retinker +retinned +retinning +retino- +retinoblastoma +retinochorioid +retinochorioidal +retinochorioiditis +retinoid +retinol +retinols +retinopapilitis +retinopathy +retinophoral +retinophore +retinoscope +retinoscopy +retinoscopic +retinoscopically +retinoscopies +retinoscopist +Retinospora +retint +retinted +retinting +retints +retinue +retinued +retinues +retinula +retinulae +retinular +retinulas +retinule +retip +retype +retyped +retypes +retyping +retiracy +retiracied +retirade +retiral +retirant +retirants +retire +retired +retiredly +retiredness +retiree +retirees +retirement +retirements +retirement's +retirer +retirers +retires +retiring +retiringly +retiringness +retistene +retitle +retitled +retitles +retitling +retled +retling +RETMA +retoast +retold +retolerate +retoleration +retomb +retonation +retook +retool +retooled +retooling +retools +retooth +retoother +retore +retorn +retorsion +retort +retortable +retorted +retorter +retorters +retorting +retortion +retortive +retorts +retorture +retoss +retotal +retotaled +retotaling +retouch +retouchable +retouched +retoucher +retouchers +retouches +retouching +retouchment +retour +retourable +retrace +re-trace +retraceable +retraced +re-traced +retracement +retraces +retracing +re-tracing +retrack +retracked +retracking +retracks +retract +retractability +retractable +retractation +retracted +retractibility +retractible +retractile +retractility +retracting +retraction +retractions +retractive +retractively +retractiveness +retractor +retractors +retracts +retrad +retrade +retraded +retrading +retradition +retrahent +retraict +retrain +retrainable +retrained +retrainee +retraining +retrains +retrait +retral +retrally +retramp +retrample +retranquilize +retranscribe +retranscribed +retranscribing +retranscription +retransfer +retransference +retransferred +retransferring +retransfers +retransfigure +retransform +retransformation +retransfuse +retransit +retranslate +retranslated +retranslates +retranslating +retranslation +retranslations +retransmission +retransmissions +retransmission's +retransmissive +retransmit +retransmited +retransmiting +retransmits +retransmitted +retransmitting +retransmute +retransplant +retransplantation +retransplanted +retransplanting +retransplants +retransport +retransportation +retravel +retraverse +retraversed +retraversing +retraxit +retread +re-tread +retreaded +re-treader +retreading +retreads +retreat +re-treat +retreatal +retreatant +retreated +retreater +retreatful +retreating +retreatingness +retreatism +retreatist +retreative +retreatment +re-treatment +retreats +retree +retrench +re-trench +retrenchable +retrenched +retrencher +retrenches +retrenching +retrenchment +retrenchments +retry +re-try +retrial +retrials +retribute +retributed +retributing +retribution +retributions +retributive +retributively +retributor +retributory +retricked +retried +retrier +retriers +retries +retrievability +retrievabilities +retrievable +retrievableness +retrievably +retrieval +retrievals +retrieval's +retrieve +retrieved +retrieveless +retrievement +retriever +retrieverish +retrievers +retrieves +retrieving +retrying +retrim +retrimmed +retrimmer +retrimming +retrims +retrip +retro +retro- +retroact +retroacted +retroacting +retroaction +retroactionary +retroactive +retroactively +retroactivity +retroacts +retroalveolar +retroauricular +retrobronchial +retrobuccal +retrobulbar +retrocaecal +retrocardiac +retrocecal +retrocede +retroceded +retrocedence +retrocedent +retroceding +retrocervical +retrocession +retrocessional +retrocessionist +retrocessive +retrochoir +retroclavicular +retroclusion +retrocognition +retrocognitive +retrocolic +retroconsciousness +retrocopulant +retrocopulation +retrocostal +retrocouple +retrocoupler +retrocurved +retrod +retrodate +retrodden +retrodeviation +retrodirective +retrodisplacement +retroduction +retrodural +retroesophageal +retrofire +retrofired +retrofires +retrofiring +retrofit +retrofits +retrofitted +retrofitting +retroflected +retroflection +retroflex +retroflexed +retroflexion +retroflux +retroform +retrofract +retrofracted +retrofrontal +retrogastric +retrogenerative +retrogradation +retrogradatory +retrograde +retrograded +retrogradely +retrogrades +retrogradient +retrograding +retrogradingly +retrogradism +retrogradist +retrogress +retrogressed +retrogresses +retrogressing +retrogression +retrogressionist +retrogressions +retrogressive +retrogressively +retrogressiveness +retrohepatic +retroinfection +retroinsular +retroiridian +retroject +retrojection +retrojugular +retrolabyrinthine +retrolaryngeal +retrolental +retrolingual +retrolocation +retromammary +retromammillary +retromandibular +retromastoid +retromaxillary +retromigration +retromingent +retromingently +retromorphosed +retromorphosis +retronasal +retro-ocular +retro-omental +retro-operative +retro-oral +retropack +retroperitoneal +retroperitoneally +retropharyngeal +retropharyngitis +retroplacental +retroplexed +retroposed +retroposition +retropresbyteral +retropubic +retropulmonary +retropulsion +retropulsive +retroreception +retrorectal +retroreflection +retroreflective +retroreflector +retrorenal +retrorocket +retro-rocket +retrorockets +retrorse +retrorsely +retros +retroserrate +retroserrulate +retrospect +retrospection +retrospections +retrospective +retrospectively +retrospectiveness +retrospectives +retrospectivity +retrosplenic +retrostalsis +retrostaltic +retrosternal +retrosusception +retrot +retrotarsal +retrotemporal +retrothyroid +retrotympanic +retrotracheal +retrotransfer +retrotransference +retro-umbilical +retrouss +retroussage +retrousse +retro-uterine +retrovaccinate +retrovaccination +retrovaccine +retroverse +retroversion +retrovert +retroverted +retrovision +retroxiphoid +retrude +retruded +retruding +retrue +retruse +retrusible +retrusion +retrusive +retrust +rets +retsina +retsinas +Retsof +Rett +retted +retter +rettery +retteries +Rettig +retting +Rettke +rettore +rettory +rettorn +retube +retuck +retumble +retumescence +retund +retunded +retunding +retune +retuned +retunes +retuning +returban +returf +returfer +return +re-turn +returnability +returnable +return-cocked +return-day +returned +returnee +returnees +returner +returners +returning +returnless +returnlessly +returns +retuse +retwine +retwined +retwining +retwist +retwisted +retwisting +retwists +retzian +Reub +Reube +Reuben +Reubenites +Reuchlin +Reuchlinian +Reuchlinism +Reuel +Reuilly +reundercut +reundergo +reundertake +reundulate +reundulation +reune +reunfold +reunify +reunification +reunifications +reunified +reunifies +reunifying +Reunion +reunionism +reunionist +reunionistic +reunions +reunion's +reunitable +reunite +reunited +reunitedly +reuniter +reuniters +reunites +reuniting +reunition +reunitive +reunpack +re-up +reuphold +reupholster +reupholstered +reupholsterer +reupholstery +reupholsteries +reupholstering +reupholsters +reuplift +reurge +Reus +reusability +reusable +reusableness +reusabness +reuse +re-use +reuseable +reuseableness +reuseabness +reused +reuses +reusing +Reuter +Reuters +Reuther +reutilise +reutilised +reutilising +reutilization +reutilizations +reutilize +reutilized +reutilizes +reutilizing +Reutlingen +reutter +reutterance +reuttered +reuttering +reutters +Reuven +Rev +Rev. +Reva +revacate +revacated +revacating +revaccinate +revaccinated +revaccinates +revaccinating +revaccination +revaccinations +revay +Reval +revalenta +revalescence +revalescent +revalidate +revalidated +revalidating +revalidation +revalorization +revalorize +revaluate +revaluated +revaluates +revaluating +revaluation +revaluations +revalue +revalued +revalues +revaluing +revamp +revamped +revamper +revampers +revamping +revampment +revamps +revanche +revanches +revanchism +revanchist +revaporization +revaporize +revaporized +revaporizing +revary +revarnish +revarnished +revarnishes +revarnishing +Revd +reve +reveal +revealability +revealable +revealableness +revealed +revealedly +revealer +revealers +revealing +revealingly +revealingness +revealment +reveals +revegetate +revegetated +revegetating +revegetation +revehent +reveil +reveille +reveilles +revel +revelability +revelant +Revelation +revelational +revelationer +revelationist +revelationize +Revelations +revelation's +revelative +revelator +revelatory +reveled +reveler +revelers +reveling +Revell +revelled +revellent +reveller +revellers +revelly +revelling +revellings +revelment +Revelo +revelous +revelry +revelries +revelrous +revelrout +revel-rout +revels +revenant +revenants +revend +revender +revendicate +revendicated +revendicating +revendication +reveneer +revenge +revengeable +revenged +revengeful +revengefully +revengefulness +revengeless +revengement +revenger +revengers +revenges +revenging +revengingly +revent +reventilate +reventilated +reventilating +reventilation +reventure +revenual +revenue +revenued +revenuer +revenuers +revenues +rever +reverable +reverb +reverbatory +reverbed +reverberant +reverberantly +reverberate +reverberated +reverberates +reverberating +reverberation +reverberations +reverberative +reverberator +reverberatory +reverberatories +reverberators +reverbrate +reverbs +reverdi +reverdure +Revere +revered +reveree +Reverence +reverenced +reverencer +reverencers +reverences +reverencing +Reverend +reverendly +reverends +reverend's +reverendship +reverent +reverential +reverentiality +reverentially +reverentialness +reverently +reverentness +reverer +reverers +reveres +revery +reverie +reveries +reverify +reverification +reverifications +reverified +reverifies +reverifying +revering +reverist +revers +reversability +reversable +reversal +reversals +reversal's +reverse +reverse-charge +reversed +reversedly +reverseful +reverseless +reversely +reversement +reverser +reversers +reverses +reverseways +reversewise +reversi +reversibility +reversible +reversibleness +reversibly +reversify +reversification +reversifier +reversing +reversingly +reversion +reversionable +reversional +reversionally +reversionary +reversioner +reversionist +reversions +reversis +reversist +reversive +reverso +reversos +revert +revertal +reverted +revertendi +reverter +reverters +revertibility +revertible +reverting +revertive +revertively +reverts +revest +revested +revestiary +revesting +revestry +revests +revet +revete +revetement +revetment +revetments +reveto +revetoed +revetoing +revets +revetted +revetting +reveverberatory +revibrant +revibrate +revibrated +revibrating +revibration +revibrational +revictory +revictorious +revictual +revictualed +revictualing +revictualled +revictualling +revictualment +revictuals +revie +Reviel +Reviere +review +reviewability +reviewable +reviewage +reviewal +reviewals +reviewed +reviewer +revieweress +reviewers +reviewing +reviewish +reviewless +reviews +revification +revigor +revigorate +revigoration +revigour +revile +reviled +revilement +revilements +reviler +revilers +reviles +reviling +revilingly +Revillo +revince +revindicate +revindicated +revindicates +revindicating +revindication +reviolate +reviolated +reviolating +reviolation +revirado +revirescence +revirescent +Revisable +revisableness +revisal +revisals +revise +revised +revisee +reviser +revisers +revisership +revises +revisible +revising +revision +revisional +revisionary +revisionism +revisionist +revisionists +revisions +revision's +revisit +revisitable +revisitant +revisitation +revisited +revisiting +revisits +revisor +revisory +revisors +revisualization +revisualize +revisualized +revisualizing +revitalisation +revitalise +revitalised +revitalising +revitalization +revitalize +revitalized +revitalizer +revitalizes +revitalizing +revivability +revivable +revivably +revival +revivalism +revivalist +revivalistic +revivalists +revivalize +revivals +revival's +revivatory +revive +revived +revivement +reviver +revivers +revives +revivescence +revivescency +reviviction +revivify +revivification +revivified +revivifier +revivifies +revivifying +reviving +revivingly +reviviscence +reviviscency +reviviscent +reviviscible +revivor +Revkah +Revloc +revocability +revocabilty +revocable +revocableness +revocably +revocandi +revocate +revocation +revocations +revocative +revocatory +revoyage +revoyaged +revoyaging +revoice +revoiced +revoices +revoicing +revoir +revokable +revoke +revoked +revokement +revoker +revokers +revokes +revoking +revokingly +revolant +revolatilize +Revolite +revolt +revolted +revolter +revolters +revolting +revoltingly +revoltress +revolts +revolubility +revoluble +revolubly +revolunteer +revolute +revoluted +revolution +revolutional +revolutionally +Revolutionary +revolutionaries +revolutionarily +revolutionariness +revolutionary's +revolutioneering +revolutioner +revolutionise +revolutionised +revolutioniser +revolutionising +revolutionism +revolutionist +revolutionists +revolutionize +revolutionized +revolutionizement +revolutionizer +revolutionizers +revolutionizes +revolutionizing +revolutions +revolution's +revolvable +revolvably +revolve +revolved +revolvement +revolvency +revolver +revolvers +revolves +revolving +revolvingly +revomit +revote +revoted +revotes +revoting +revs +revue +revues +revuette +revuist +revuists +revulsant +revulse +revulsed +revulsion +revulsionary +revulsions +revulsive +revulsively +revved +revving +Rew +rewade +rewager +rewaybill +rewayle +rewake +rewaked +rewaken +rewakened +rewakening +rewakens +rewakes +rewaking +rewall +rewallow +rewan +reward +rewardable +rewardableness +rewardably +rewarded +rewardedly +rewarder +rewarders +rewardful +rewardfulness +rewarding +rewardingly +rewardingness +rewardless +rewardproof +rewards +rewarehouse +rewa-rewa +rewarm +rewarmed +rewarming +rewarms +rewarn +rewarrant +rewash +rewashed +rewashes +rewashing +rewater +rewave +rewax +rewaxed +rewaxes +rewaxing +reweaken +rewear +rewearing +reweave +reweaved +reweaves +reweaving +rewed +rewedded +rewedding +reweds +Rewey +reweigh +reweighed +reweigher +reweighing +reweighs +reweight +rewelcome +reweld +rewelded +rewelding +rewelds +rewend +rewet +rewets +rewetted +rewhelp +rewhirl +rewhisper +rewhiten +rewiden +rewidened +rewidening +rewidens +rewin +rewind +rewinded +rewinder +rewinders +rewinding +rewinds +rewing +rewinning +rewins +rewirable +rewire +rewired +rewires +rewiring +rewish +rewithdraw +rewithdrawal +rewoke +rewoken +rewon +rewood +reword +reworded +rewording +rewords +rewore +rework +reworked +reworking +reworks +rewound +rewove +rewoven +rewrap +rewrapped +rewrapping +rewraps +rewrapt +rewrite +rewriter +rewriters +rewrites +rewriting +rewritten +rewrote +rewrought +rewwore +rewwove +REX +Rexana +Rexane +Rexanna +Rexanne +Rexburg +rexen +Rexenite +Rexer +rexes +Rexferd +Rexford +Rexfourd +Rexine +Rexist +Rexmond +Rexmont +Rexroth +Rexville +REXX +rezbanyite +rez-de-chaussee +Reziwood +rezone +rezoned +rezones +rezoning +Rezzani +RF +RFA +rfb +RFC +RFD +RFE +RFI +rfound +RFP +RFQ +rfree +RFS +RFT +rfz +rg +RGB +RGBI +Rgen +rgisseur +rglement +RGP +RGS +Rgt +RGU +RH +RHA +rhabarb +rhabarbarate +rhabarbaric +rhabarbarum +rhabdite +rhabditiform +Rhabditis +rhabdium +rhabdo- +Rhabdocarpum +Rhabdocoela +rhabdocoelan +rhabdocoele +Rhabdocoelida +rhabdocoelidan +rhabdocoelous +rhabdoid +rhabdoidal +rhabdolith +rhabdology +rhabdom +rhabdomal +rhabdomancer +rhabdomancy +rhabdomantic +rhabdomantist +rhabdome +rhabdomere +rhabdomes +rhabdomyoma +rhabdomyosarcoma +rhabdomysarcoma +Rhabdomonas +rhabdoms +rhabdophane +rhabdophanite +rhabdophobia +Rhabdophora +rhabdophoran +Rhabdopleura +rhabdopod +rhabdos +rhabdosome +rhabdosophy +rhabdosphere +rhabdus +rhachi +rhachides +rhachis +rhachises +Rhacianectes +Rhacomitrium +Rhacophorus +Rhadamanthine +Rhadamanthys +Rhadamanthus +rhaebosis +Rhaetia +Rhaetian +Rhaetic +rhaetizite +Rhaeto-romance +Rhaeto-Romanic +Rhaeto-romansh +rhagades +rhagadiform +rhagiocrin +rhagionid +Rhagionidae +rhagite +Rhagodia +rhagon +rhagonate +rhagonoid +rhagose +Rhame +rhamn +Rhamnaceae +rhamnaceous +rhamnal +Rhamnales +Rhamnes +rhamnetin +rhamninase +rhamninose +rhamnite +rhamnitol +rhamnohexite +rhamnohexitol +rhamnohexose +rhamnonic +rhamnose +rhamnoses +rhamnoside +Rhamnus +rhamnuses +rhamphoid +Rhamphorhynchus +Rhamphosuchus +rhamphotheca +rhaphae +rhaphe +rhaphes +Rhapidophyllum +Rhapis +rhapontic +rhaponticin +rhapontin +rhapsode +rhapsodes +rhapsody +rhapsodic +rhapsodical +rhapsodically +rhapsodie +rhapsodies +rhapsodism +rhapsodist +rhapsodistic +rhapsodists +rhapsodize +rhapsodized +rhapsodizes +rhapsodizing +rhapsodomancy +Rhaptopetalaceae +rhason +rhasophore +rhatany +rhatania +rhatanies +rhatikon +rhb +RHC +rhd +rhe +Rhea +rheadine +Rheae +rheas +Rheba +rhebok +rheboks +rhebosis +rheda +rhedae +rhedas +Rhee +rheeboc +rheebok +Rheems +rheen +rhegmatype +rhegmatypy +Rhegnopteri +rheic +Rheidae +Rheydt +Rheiformes +Rheims +Rhein +rheinberry +rhein-berry +Rheingau +Rheingold +Rheinhessen +rheinic +Rheinland +Rheinlander +Rheinland-Pfalz +Rheita +rhema +rhematic +rhematology +rheme +Rhemish +Rhemist +Rhene +rhenea +rhenic +Rhenish +rhenium +rheniums +rheo +rheo- +rheo. +rheobase +rheobases +rheocrat +rheology +rheologic +rheological +rheologically +rheologies +rheologist +rheologists +rheometer +rheometers +rheometry +rheometric +rheopexy +rheophil +rheophile +rheophilic +rheophore +rheophoric +rheoplankton +rheoscope +rheoscopic +rheostat +rheostatic +rheostatics +rheostats +rheotactic +rheotan +rheotaxis +rheotome +rheotron +rheotrope +rheotropic +rheotropism +rhesian +rhesis +Rhesus +rhesuses +rhet +rhet. +Rheta +Rhetian +Rhetic +rhetor +rhetoric +rhetorical +rhetorically +rhetoricalness +rhetoricals +rhetorician +rhetoricians +rhetorics +rhetorize +rhetors +Rhett +Rhetta +Rheum +rheumarthritis +rheumatalgia +rheumatic +rheumatical +rheumatically +rheumaticky +rheumatics +rheumatism +rheumatismal +rheumatismoid +rheumatism-root +rheumatisms +rheumative +rheumatiz +rheumatize +rheumato- +rheumatogenic +rheumatoid +rheumatoidal +rheumatoidally +rheumatology +rheumatologist +rheumed +rheumy +rheumic +rheumier +rheumiest +rheumily +rheuminess +rheums +rhexes +Rhexia +rhexis +RHG +rhyacolite +Rhiamon +Rhiana +Rhianna +Rhiannon +Rhianon +Rhibhus +rhibia +Rhigmus +rhigolene +rhigosis +rhigotic +rhila +rhyme +rhyme-beginning +rhyme-composing +rhymed +rhyme-fettered +rhyme-forming +rhyme-free +rhyme-inspiring +rhymeless +rhymelet +rhymemaker +rhymemaking +rhymeproof +rhymer +rhymery +rhymers +rhymes +rhymester +rhymesters +rhyme-tagged +rhymewise +rhymy +rhymic +rhyming +rhymist +rhin- +Rhina +rhinal +rhinalgia +Rhinanthaceae +Rhinanthus +rhinaria +rhinarium +Rhynchobdellae +Rhynchobdellida +Rhynchocephala +Rhynchocephali +Rhynchocephalia +rhynchocephalian +rhynchocephalic +rhynchocephalous +Rhynchocoela +rhynchocoelan +rhynchocoele +rhynchocoelic +rhynchocoelous +rhynchodont +rhyncholite +Rhynchonella +Rhynchonellacea +Rhynchonellidae +rhynchonelloid +Rhynchophora +rhynchophoran +rhynchophore +rhynchophorous +Rhynchopinae +Rhynchops +Rhynchosia +Rhynchospora +Rhynchota +rhynchotal +rhynchote +rhynchotous +rhynconellid +rhincospasm +Rhyncostomi +Rhynd +rhine +Rhyne +Rhinebeck +Rhinecliff +Rhinegold +rhinegrave +Rhinehart +Rhineland +Rhinelander +Rhineland-Palatinate +rhinencephala +rhinencephalic +rhinencephalon +rhinencephalons +rhinencephalous +rhinenchysis +Rhineodon +Rhineodontidae +Rhyner +Rhines +rhinestone +rhinestones +Rhineura +rhineurynter +Rhynia +Rhyniaceae +Rhinidae +rhinion +rhinitides +rhinitis +rhino +rhino- +Rhinobatidae +Rhinobatus +rhinobyon +rhinocaul +rhinocele +rhinocelian +rhinoceri +rhinocerial +rhinocerian +rhinocerical +rhinocerine +rhinoceroid +rhinoceros +rhinoceroses +rhinoceroslike +rhinoceros-shaped +rhinocerotic +Rhinocerotidae +rhinocerotiform +rhinocerotine +rhinocerotoid +Rhynocheti +rhinochiloplasty +rhinocoele +rhinocoelian +Rhinoderma +rhinodynia +rhinogenous +rhinolalia +rhinolaryngology +rhinolaryngoscope +rhinolite +rhinolith +rhinolithic +rhinology +rhinologic +rhinological +rhinologist +rhinolophid +Rhinolophidae +rhinolophine +rhinopharyngeal +rhinopharyngitis +rhinopharynx +Rhinophidae +rhinophyma +Rhinophis +rhinophonia +rhinophore +rhinoplasty +rhinoplastic +rhinopolypus +Rhinoptera +Rhinopteridae +rhinorrhagia +rhinorrhea +rhinorrheal +rhinorrhoea +rhinos +rhinoscleroma +rhinoscope +rhinoscopy +rhinoscopic +rhinosporidiosis +Rhinosporidium +rhinotheca +rhinothecal +rhinovirus +Rhynsburger +Rhinthonic +Rhinthonica +rhyobasalt +rhyodacite +rhyolite +rhyolite-porphyry +rhyolites +rhyolitic +rhyotaxitic +rhyparographer +rhyparography +rhyparographic +rhyparographist +rhipidate +rhipidion +Rhipidistia +rhipidistian +rhipidium +Rhipidoglossa +rhipidoglossal +rhipidoglossate +Rhipidoptera +rhipidopterous +rhipiphorid +Rhipiphoridae +Rhipiptera +rhipipteran +rhipipterous +rhypography +Rhipsalis +rhyptic +rhyptical +Rhiptoglossa +Rhys +rhysimeter +Rhyssa +rhyta +rhythm +rhythmal +rhythm-and-blues +rhythmed +rhythmic +rhythmical +rhythmicality +rhythmically +rhythmicity +rhythmicities +rhythmicize +rhythmics +rhythmist +rhythmizable +rhythmization +rhythmize +rhythmless +rhythmometer +rhythmopoeia +rhythmproof +rhythms +rhythm's +rhythmus +Rhytidodon +rhytidome +rhytidosis +Rhytina +Rhytisma +rhyton +rhytta +rhiz- +rhiza +rhizanth +rhizanthous +rhizautoicous +Rhizina +Rhizinaceae +rhizine +rhizinous +rhizo- +rhizobia +Rhizobium +rhizocarp +Rhizocarpeae +rhizocarpean +rhizocarpian +rhizocarpic +rhizocarpous +rhizocaul +rhizocaulus +Rhizocephala +rhizocephalan +rhizocephalid +rhizocephalous +rhizocorm +Rhizoctonia +rhizoctoniose +rhizodermis +Rhizodus +Rhizoflagellata +rhizoflagellate +rhizogen +rhizogenesis +rhizogenetic +rhizogenic +rhizogenous +rhizoid +rhizoidal +rhizoids +rhizoma +rhizomata +rhizomatic +rhizomatous +rhizome +rhizomelic +rhizomes +rhizomic +rhizomorph +rhizomorphic +rhizomorphoid +rhizomorphous +rhizoneure +rhizophagous +rhizophilous +rhizophyte +Rhizophora +Rhizophoraceae +rhizophoraceous +rhizophore +rhizophorous +rhizopi +rhizoplane +rhizoplast +rhizopod +Rhizopoda +rhizopodal +rhizopodan +rhizopodist +rhizopodous +rhizopods +Rhizopogon +Rhizopus +rhizopuses +rhizosphere +Rhizostomae +Rhizostomata +rhizostomatous +rhizostome +rhizostomous +Rhizota +rhizotaxy +rhizotaxis +rhizote +rhizotic +rhizotomi +rhizotomy +rhizotomies +Rhne +Rh-negative +rho +Rhoades +Rhoadesville +Rhoads +rhod- +Rhoda +rhodaline +rhodamin +Rhodamine +rhodamins +rhodanate +Rhodanian +rhodanic +rhodanine +rhodanthe +Rhode +Rhodelia +Rhodell +rhodeoretin +rhodeose +Rhodes +Rhodesdale +Rhodesia +Rhodesian +rhodesians +Rhodesoid +rhodeswood +Rhodhiss +Rhody +Rhodia +Rhodian +rhodic +Rhodie +Rhodymenia +Rhodymeniaceae +rhodymeniaceous +Rhodymeniales +rhodinal +rhoding +rhodinol +rhodite +rhodium +rhodiums +rhodizite +rhodizonic +rhodo- +Rhodobacteriaceae +Rhodobacterioideae +rhodochrosite +Rhodocystis +rhodocyte +Rhodococcus +rhododaphne +rhododendron +rhododendrons +rhodolite +Rhodomelaceae +rhodomelaceous +rhodomontade +rhodonite +Rhodope +rhodophane +Rhodophyceae +rhodophyceous +rhodophyll +Rhodophyllidaceae +Rhodophyta +Rhodopis +rhodoplast +rhodopsin +Rhodora +Rhodoraceae +rhodoras +rhodorhiza +Rhodos +rhodosperm +Rhodospermeae +rhodospermin +rhodospermous +Rhodospirillum +Rhodothece +Rhodotypos +Rhodus +rhoea +Rhoeadales +Rhoecus +Rhoeo +Rhoetus +rhomb +rhomb- +rhombencephala +rhombencephalon +rhombencephalons +rhombenla +rhombenporphyr +rhombi +rhombic +rhombical +rhombiform +rhomb-leaved +rhombo- +rhomboclase +rhomboganoid +Rhomboganoidei +rhombogene +rhombogenic +rhombogenous +rhombohedra +rhombohedral +rhombohedrally +rhombohedric +rhombohedron +rhombohedrons +rhomboid +rhomboidal +rhomboidally +rhomboidei +rhomboides +rhomboideus +rhomboidly +rhomboid-ovate +rhomboids +rhomboquadratic +rhomborectangular +rhombos +rhombovate +Rhombozoa +rhombs +rhombus +rhombuses +Rhona +rhoncal +rhonchal +rhonchi +rhonchial +rhonchus +Rhonda +Rhondda +rhopalic +rhopalism +rhopalium +Rhopalocera +rhopaloceral +rhopalocerous +Rhopalura +rhos +rhotacism +rhotacismus +rhotacist +rhotacistic +rhotacize +rhotic +Rh-positive +RHS +Rh-type +Rhu +rhubarb +rhubarby +rhubarbs +rhumb +rhumba +rhumbaed +rhumbaing +rhumbas +rhumbatron +rhumbs +Rhus +rhuses +RHV +RI +ry +Ria +rya +RIACS +rial +ryal +rials +rialty +Rialto +rialtos +Ryan +Riana +Riancho +riancy +Riane +ryania +Ryann +Rianna +Riannon +Rianon +riant +riantly +RIAS +ryas +riata +riatas +Ryazan +rib +RIBA +Ribal +ribald +ribaldish +ribaldly +ribaldness +ribaldry +ribaldries +ribaldrous +ribalds +riband +Ribandism +Ribandist +ribandlike +ribandmaker +ribandry +ribands +riband-shaped +riband-wreathed +ribat +rybat +ribaudequin +Ribaudo +ribaudred +ribazuba +ribband +ribbandry +ribbands +rib-bearing +ribbed +Ribbentrop +ribber +ribbers +ribbet +ribby +ribbidge +ribbier +ribbiest +ribbing +ribbings +Ribble +ribble-rabble +ribbon +ribbonback +ribbon-bedizened +ribbon-bordering +ribbon-bound +ribboned +ribboner +ribbonfish +ribbon-fish +ribbonfishes +ribbon-grass +ribbony +ribboning +Ribbonism +ribbonlike +ribbonmaker +Ribbonman +ribbon-marked +ribbonry +ribbons +ribbon's +ribbon-shaped +ribbonweed +ribbonwood +rib-breaking +ribe +Ribeirto +Ribera +Ribero +Ribes +rib-faced +ribgrass +rib-grass +ribgrasses +rib-grated +Ribhus +ribibe +Ribicoff +ribier +ribiers +Rybinsk +ribless +riblet +riblets +riblike +rib-mauled +rib-nosed +riboflavin +riboflavins +ribonic +ribonuclease +ribonucleic +ribonucleoprotein +ribonucleoside +ribonucleotide +ribose +riboses +riboso +ribosomal +ribosome +ribosomes +ribosos +riboza +ribozo +ribozos +rib-pointed +rib-poking +ribroast +rib-roast +ribroaster +ribroasting +ribs +rib's +ribskin +ribspare +rib-sticking +Ribston +rib-striped +rib-supported +rib-welted +ribwork +ribwort +ribworts +ribzuba +RIC +Rica +Ricard +Ricarda +Ricardama +Ricardian +Ricardianism +Ricardo +ricasso +Ricca +Rycca +Riccardo +Ricci +Riccia +Ricciaceae +ricciaceous +Ricciales +Riccio +Riccioli +Riccius +Rice +ricebird +rice-bird +ricebirds +Riceboro +ricecar +ricecars +rice-cleaning +rice-clipping +riced +rice-eating +rice-grading +ricegrass +rice-grinding +rice-growing +rice-hulling +ricey +riceland +rice-paper +rice-planting +rice-polishing +rice-pounding +ricer +ricercar +ricercare +ricercari +ricercars +ricercata +ricers +rices +Ricetown +Riceville +rice-water +Rich +rich-appareled +Richara +Richard +Rychard +Richarda +Richardia +Richardo +Richards +Richardson +Richardsonia +Richardsville +Richardton +Richart +rich-attired +rich-bedight +rich-bound +rich-built +Richburg +rich-burning +rich-clad +rich-colored +rich-conceited +rich-distilled +richdom +riche +Richebourg +Richey +Richeyville +Richel +Richela +Richelieu +Richella +Richelle +richellite +rich-embroidered +richen +richened +richening +richens +Richer +Richers +riches +richesse +richest +Richet +richeted +richeting +richetted +richetting +Richfield +rich-figured +rich-flavored +rich-fleeced +rich-fleshed +Richford +rich-glittering +rich-haired +Richy +Richia +Richie +Richier +rich-jeweled +Richlad +rich-laden +Richland +Richlands +richly +richling +rich-looking +Richma +Richmal +Richman +rich-minded +Richmond +Richmonddale +Richmondena +Richmond-upon-Thames +Richmondville +Richmound +richness +richnesses +rich-ored +rich-robed +rich-set +rich-soiled +richt +rich-tasting +Richter +richterite +Richthofen +Richton +rich-toned +Richvale +Richview +Richville +rich-voiced +richweed +rich-weed +richweeds +Richwood +Richwoods +rich-wrought +Rici +ricin +ricine +ricinelaidic +ricinelaidinic +ricing +ricinic +ricinine +ricininic +ricinium +ricinoleate +ricinoleic +ricinolein +ricinolic +ricins +Ricinulei +Ricinus +ricinuses +Rick +Rickard +rickardite +Rickart +rick-barton +rick-burton +ricked +Rickey +rickeys +Ricker +Rickert +ricket +rickety +ricketier +ricketiest +ricketily +ricketiness +ricketish +rickets +Ricketts +Rickettsia +rickettsiae +rickettsial +Rickettsiales +rickettsialpox +rickettsias +Ricki +Ricky +rickyard +rick-yard +Rickie +ricking +rickle +Rickman +rickmatic +Rickover +rickrack +rickracks +Rickreall +ricks +ricksha +rickshas +rickshaw +rickshaws +rickshaw's +rickstaddle +rickstand +rickstick +Rickwood +Rico +ricochet +ricocheted +ricocheting +ricochets +ricochetted +ricochetting +ricolettaite +Ricoriki +ricotta +ricottas +ricrac +ricracs +RICS +rictal +rictus +rictuses +RID +Rida +ridability +ridable +ridableness +ridably +Rydal +Rydberg +riddam +riddance +riddances +ridded +riddel +ridden +ridder +Rydder +ridders +ridding +Riddle +riddled +riddlemeree +riddler +riddlers +riddles +Riddlesburg +Riddleton +riddling +riddlingly +riddlings +ride +Ryde +rideable +rideau +riden +rident +Rider +Ryder +ridered +rideress +riderless +riders +ridership +riderships +Riderwood +Ryderwood +rides +ridge +ridgeband +ridgeboard +ridgebone +ridge-bone +Ridgecrest +ridged +Ridgedale +Ridgefield +ridgel +Ridgeland +Ridgeley +ridgelet +Ridgely +ridgelike +ridgeling +ridgels +ridgepiece +ridgeplate +ridgepole +ridgepoled +ridgepoles +ridger +ridgerope +ridges +ridge's +ridge-seeded +ridge-tile +ridgetree +Ridgeview +Ridgeville +Ridgeway +ridgewise +Ridgewood +ridgy +ridgier +ridgiest +ridgil +ridgils +ridging +ridgingly +Ridglea +Ridglee +Ridgley +ridgling +ridglings +Ridgway +ridibund +ridicule +ridiculed +ridicule-proof +ridiculer +ridicules +ridiculing +ridiculize +ridiculosity +ridiculous +ridiculously +ridiculousness +ridiculousnesses +ridiest +riding +riding-coat +Ridinger +riding-habit +riding-hood +ridingman +ridingmen +ridings +Ridley +ridleys +Ridott +ridotto +ridottos +rids +Rie +Rye +riebeckite +Riebling +rye-bread +rye-brome +Riedel +Riefenstahl +Riegel +Riegelsville +Riegelwood +Rieger +ryegrass +rye-grass +ryegrasses +Riehl +Rieka +Riel +Ryeland +Riella +riels +riem +Riemann +Riemannean +Riemannian +riempie +ryen +Rienzi +Rienzo +ryepeck +rier +Ries +ryes +Riesel +Riesling +Riesman +Riess +Riessersee +Rieth +Rieti +Rietveld +riever +rievers +RIF +rifacimenti +rifacimento +rifampicin +rifampin +rifart +rife +rifely +rifeness +rifenesses +rifer +rifest +RIFF +riffed +Riffi +Riffian +riffing +Riffle +riffled +riffler +rifflers +riffles +riffling +riffraff +riff-raff +riffraffs +Riffs +Rifi +Rifian +Rifkin +rifle +riflebird +rifle-bird +rifled +rifledom +rifleite +rifleman +riflemanship +riflemen +rifleproof +rifler +rifle-range +riflery +rifleries +riflers +rifles +riflescope +rifleshot +rifle-shot +rifling +riflings +rifs +rift +rifted +rifter +rifty +rifting +rifty-tufty +riftless +Rifton +rifts +rift-sawed +rift-sawing +rift-sawn +rig +Riga +rigadig +rigadon +rigadoon +rigadoons +rigamajig +rigamarole +rigation +rigatoni +rigatonis +rigaudon +rigaudons +rigbane +Rigby +Rigdon +Rigel +Rigelian +rigescence +rigescent +riggal +riggald +Riggall +rigged +rigger +riggers +rigging +riggings +Riggins +riggish +riggite +riggot +Riggs +right +rightable +rightabout +right-about +rightabout-face +right-about-face +right-aiming +right-angle +right-angled +right-angledness +right-angular +right-angularity +right-away +right-bank +right-believed +right-believing +right-born +right-bout +right-brained +right-bred +right-center +right-central +right-down +right-drawn +right-eared +righted +right-eyed +right-eyedness +righten +righteous +righteously +righteousness +righteousnesses +righter +righters +rightest +right-footed +right-footer +rightforth +right-forward +right-framed +rightful +rightfully +rightfulness +rightfulnesses +righthand +right-hand +right-handed +right-handedly +right-handedness +right-hander +right-handwise +rightheaded +righthearted +right-ho +righty +righties +righting +rightish +rightism +rightisms +rightist +rightists +right-lay +right-laid +rightle +rightless +rightlessness +rightly +right-lined +right-made +right-meaning +right-minded +right-mindedly +right-mindedness +rightmost +rightness +rightnesses +righto +right-of-way +right-oh +right-onward +right-principled +right-running +rights +right-shaped +right-shapen +rightship +right-side +right-sided +right-sidedly +right-sidedness +rights-of-way +right-thinking +right-turn +right-up +right-walking +rightward +rightwardly +rightwards +right-wheel +right-wing +right-winger +right-wingish +right-wingism +Rigi +rigid +rigid-body +rigid-frame +rigidify +rigidification +rigidified +rigidifies +rigidifying +rigidist +rigidity +rigidities +rigidly +rigid-nerved +rigidness +rigid-seeming +rigidulous +riginal +riglet +rigling +rigmaree +rigmarole +rigmarolery +rigmaroles +rigmarolic +rigmarolish +rigmarolishly +rignum +rigodon +rigol +rigole +rigolet +rigolette +Rigoletto +rigor +rigorism +rigorisms +rigorist +rigoristic +rigorists +rigorous +rigorously +rigorousness +rigors +rigour +rigourism +rigourist +rigouristic +rigours +rig-out +rigs +rig's +rigsby +Rigsdag +rigsdaler +Rigsmaal +Rigsmal +rigueur +rig-up +Rigveda +Rig-Veda +Rigvedic +Rig-vedic +rigwiddy +rigwiddie +rigwoodie +Riha +Rihana +RIIA +Riyadh +riyal +riyals +Riis +Rijeka +rijksdaalder +rijksdaaler +Rijksmuseum +Rijn +Rijswijk +Rik +Rika +Rikari +ryke +ryked +Riker +rykes +Riki +ryking +rikisha +rikishas +rikk +Rikki +riksdaalder +Riksdag +riksha +rikshas +rikshaw +rikshaws +Riksm' +Riksmaal +Riksmal +Ryland +rilawa +Rilda +rile +Ryle +riled +Riley +Ryley +Rileyville +riles +rilievi +rilievo +riling +Rilke +rill +rille +rilled +rilles +rillet +rillets +rillett +rillette +rillettes +rilly +rilling +Rillings +Rillis +Rillito +rill-like +rillock +rillow +rills +rillstone +Rillton +RILM +RIM +Rima +rimal +Rymandra +Rimas +rimate +rimation +rimbase +Rimbaud +rim-bearing +rim-bending +rimble-ramble +rim-bound +rim-cut +rim-deep +rime +ryme +rime-covered +rimed +rime-damp +rime-frost +rime-frosted +rime-laden +rimeless +rimer +rimery +rimers +Rimersburg +rimes +rimester +rimesters +rimfire +rim-fire +rimfires +rimy +rimier +rimiest +rimiform +riminess +riming +Rimini +rimland +rimlands +rimless +Rimma +rimmaker +rimmaking +rimmed +rimmer +rimmers +rimming +Rimola +rimose +rimosely +rimosity +rimosities +rimous +Rimouski +rimpi +rimple +rimpled +rimples +rimpling +rimption +rimptions +rimrock +rimrocks +rims +rim's +Rimsky-Korsakoff +Rimsky-Korsakov +rimstone +rimu +rimula +rimulose +rin +Rina +Rinaldo +Rinard +rinceau +rinceaux +rinch +Rynchospora +rynchosporous +Rincon +Rind +rynd +Rinde +rinded +rinderpest +Rindge +rindy +rindle +rindless +rinds +rind's +rynds +rine +Rinee +Rinehart +Rineyville +Riner +rinforzando +Ring +ringable +ring-adorned +ring-a-lievio +ring-a-rosy +ring-around +Ringatu +ring-banded +ringbark +ring-bark +ringbarked +ringbarker +ringbarking +ringbarks +ringbill +ring-billed +ringbird +ringbolt +ringbolts +ringbone +ring-bone +ringboned +ringbones +ring-bored +ring-bound +ringcraft +ring-dyke +ringdove +ring-dove +ringdoves +Ringe +ringed +ringeye +ring-eyed +ringent +ringer +ringers +ring-fence +ring-finger +ring-formed +ringgit +ringgiver +ringgiving +ringgoer +Ringgold +ringhals +ringhalses +ring-handled +ringhead +ringy +ring-in +ringiness +ringing +ringingly +ringingness +ringings +ringite +Ringle +ringlead +ringleader +ringleaderless +ringleaders +ringleadership +ring-legged +Ringler +ringless +ringlet +ringleted +ringlety +ringlets +ringlike +Ringling +ringmaker +ringmaking +ringman +ring-man +ringmaster +ringmasters +ringneck +ring-neck +ring-necked +ringnecks +Ringo +Ringoes +ring-off +ring-oil +Ringold +ring-porous +ring-ridden +rings +ringsail +ring-shaped +ring-shout +ringside +ringsider +ringsides +ring-small +Ringsmuth +Ringsted +ringster +ringstick +ringstraked +ring-straked +ring-streaked +ringtail +ringtailed +ring-tailed +ringtails +ringtaw +ringtaws +ringtime +ringtoss +ringtosses +Ringtown +ring-up +ringwalk +ringwall +ringwise +Ringwood +ringworm +ringworms +rink +rinka +rinker +rinkite +rinks +Rinna +rinncefada +rinneite +rinner +rinning +rins +rinsable +rinse +rinsed +rinser +rinsers +rinses +rinsible +rinsing +rinsings +rynt +rinthereout +rintherout +Rintoul +Rio +Riobard +riobitsu +Riocard +Rioja +riojas +ryokan +ryokans +Rion +Ryon +Rior +Riordan +Riorsson +riot +ryot +rioted +rioter +rioters +rioting +riotingly +riotise +riotist +riotistic +riotocracy +riotous +riotously +riotousness +riotproof +riotry +riots +ryots +ryotwar +ryotwari +ryotwary +RIP +ripa +ripal +riparial +riparian +Riparii +riparious +Riparius +ripcord +ripcords +RIPE +rype +ripe-aged +ripe-bending +ripe-cheeked +rypeck +ripe-colored +riped +ripe-eared +ripe-faced +ripe-grown +ripely +ripelike +ripe-looking +ripen +ripened +ripener +ripeners +ripeness +ripenesses +ripening +ripeningly +ripens +ripe-picked +riper +ripe-red +ripes +ripest +ripe-tongued +ripe-witted +ripgut +ripicolous +ripidolite +ripieni +ripienist +ripieno +ripienos +ripier +riping +Ripley +Ripleigh +Riplex +ripoff +rip-off +ripoffs +Ripon +rypophobia +ripost +riposte +riposted +ripostes +riposting +riposts +Ripp +rippable +ripped +Rippey +ripper +ripperman +rippermen +rippers +rippet +rippier +ripping +rippingly +rippingness +rippit +ripple +rippled +ripple-grass +rippleless +Ripplemead +rippler +ripplers +ripples +ripplet +ripplets +ripply +ripplier +rippliest +rippling +ripplingly +Rippon +riprap +rip-rap +riprapped +riprapping +ripraps +rip-roaring +rip-roarious +RIPS +ripsack +ripsaw +rip-saw +ripsaws +ripsnorter +ripsnorting +ripstone +ripstop +ripstops +riptide +riptides +Ripuarian +ripup +Riquewihr +Ririe +riroriro +Risa +risala +risaldar +risberm +RISC +Risco +risdaler +Rise +risen +riser +risers +riserva +rises +rishi +rishis +rishtadar +risibility +risibilities +risible +risibleness +risibles +risibly +rising +risings +risk +risked +risker +riskers +riskful +riskfulness +risky +riskier +riskiest +riskily +riskiness +riskinesses +risking +riskish +riskless +risklessness +riskproof +risks +Risley +Rysler +RISLU +Rison +Risorgimento +risorgimentos +risorial +risorius +risorse +risotto +risottos +risp +risper +rispetto +risposta +risqu +risque +risquee +Riss +Rissa +rissel +Risser +Rissian +rissle +Rissoa +rissoid +Rissoidae +rissole +rissoles +rissom +Rist +Risteau +ristori +risus +risuses +Ryswick +RIT +rit. +RITA +ritalynne +ritard +ritardando +ritardandos +ritards +Ritch +ritchey +Ritchie +rite +riteless +ritelessness +ritely +ritenuto +Ryter +rites +rite's +rithe +Riti +rytidosis +Rytina +ritling +ritmaster +Ritner +ritornel +ritornelle +ritornelli +ritornello +ritornellos +ritratto +Ritschlian +Ritschlianism +ritsu +Ritter +ritters +rittingerite +Rittman +rittmaster +rittock +ritual +rituale +ritualise +ritualism +ritualisms +ritualist +ritualistic +ritualistically +ritualists +rituality +ritualities +ritualization +ritualize +ritualized +ritualizing +ritualless +ritually +rituals +ritus +Ritwan +Ritz +ritzes +ritzy +ritzier +ritziest +ritzily +ritziness +Ritzville +Ryukyu +Ryun +Ryunosuke +Ryurik +riv +riv. +Riva +rivage +rivages +rival +rivalable +rivaled +Rivalee +rivaless +rivaling +rivalism +rivality +rivalize +rivalled +rivalless +rivalling +rivalry +rivalries +rivalry's +rivalrous +rivalrousness +rivals +rivalship +Rivard +rive +rived +rivederci +rivel +riveled +riveling +rivell +rivelled +riven +River +Rivera +riverain +Riverbank +riverbanks +riverbed +riverbeds +river-blanched +riverboat +riverboats +river-borne +river-bottom +riverbush +river-caught +Riverdale +riverdamp +river-drift +rivered +Riveredge +riveret +river-fish +river-formed +riverfront +river-given +river-god +river-goddess +Riverhead +riverhood +river-horse +rivery +riverine +riverines +riverish +riverless +riverlet +riverly +riverlike +riverling +riverman +rivermen +Rivers +river's +riverscape +Riverside +riversider +riversides +river-sundered +Riverton +Rivervale +Riverview +riverway +riverward +riverwards +riverwash +river-water +river-watered +riverweed +riverwise +river-worn +Rives +Rivesville +rivet +riveted +riveter +riveters +rivethead +riveting +rivetless +rivetlike +rivets +rivetted +rivetting +Rivi +Rivy +Riviera +rivieras +riviere +rivieres +Rivina +riving +rivingly +Rivinian +Rivkah +rivo +rivose +Rivularia +Rivulariaceae +rivulariaceous +rivulation +rivulet +rivulets +rivulet's +rivulose +rivulus +rix +rixatrix +rixdaler +rix-dollar +Rixeyville +Rixford +rixy +Riza +Rizal +rizar +Rizas +riziform +Rizika +rizzar +rizzer +Rizzi +Rizzio +rizzle +Rizzo +rizzom +rizzomed +rizzonite +RJ +Rjchard +RJE +rKET +rk-up +RL +RLC +RLCM +RLD +RLDS +rle +r-less +RLG +rly +RLIN +RLL +RLOGIN +RLT +RM +rm. +RMA +RMAS +RMATS +RMC +RMF +RMI +RMM +rmoulade +RMR +RMS +RN +RNA +RNAS +rnd +RNGC +RNLI +RNOC +RNR +RNVR +RNWMP +RNZAF +RNZN +RO +ROA +Roach +roachback +roach-back +roach-backed +roach-bellied +roach-bent +Roachdale +roached +roaches +roaching +road +roadability +roadable +roadbed +roadbeds +road-bike +roadblock +roadblocks +roadbook +roadcraft +roaded +roadeo +roadeos +roader +roaders +road-faring +roadfellow +road-grading +roadhead +road-hoggish +road-hoggism +roadholding +roadhouse +roadhouses +roadie +roadies +roading +roadite +roadless +roadlessness +roadlike +road-maker +roadman +roadmaster +road-oiling +road-ready +roadroller +roadrunner +roadrunners +roads +road's +roadshow +roadside +roadsider +roadsides +roadsman +roadstead +roadsteads +roadster +roadsters +roadster's +roadstone +road-test +road-testing +roadtrack +road-train +roadway +roadways +roadway's +road-weary +roadweed +roadwise +road-wise +roadwork +roadworks +roadworthy +roadworthiness +roak +Roald +roam +roamage +roamed +roamer +roamers +roaming +roamingly +roams +roan +Roana +Roane +Roann +Roanna +Roanne +Roanoke +roans +roan-tree +roar +roared +roarer +roarers +roaring +roaringly +roarings +Roark +Roarke +roars +roast +roastable +roasted +roaster +roasters +roasting +roastingly +roasts +Roath +ROB +Robaina +robalito +robalo +robalos +roband +robands +Robards +Robb +robbed +Robbe-Grillet +robber +robbery +robberies +robbery's +robberproof +robbers +robber's +Robbert +Robbi +Robby +Robbia +Robbie +Robbin +Robbyn +robbing +Robbins +Robbinsdale +Robbinston +Robbinsville +Robbiole +robe +robed +robe-de-chambre +robeless +Robeline +Robena +Robenhausian +Robenia +rober +roberd +Roberdsman +Robers +Roberson +Robersonville +Robert +Roberta +Robertlee +Roberto +Roberts +Robertsburg +Robertsdale +Robertson +Robertsville +Roberval +robes +robes-de-chambre +Robeson +Robesonia +Robespierre +Robet +robhah +Robi +Roby +Robigalia +Robigo +Robigus +Robillard +Robin +Robyn +Robina +Robinet +Robinett +Robinetta +Robinette +robing +Robinia +robinin +robinoside +Robins +robin's +Robinson +Robinsonville +Robison +roble +robles +Roboam +robomb +roborant +roborants +roborate +roboration +roborative +roborean +roboreous +robot +robot-control +robotesque +robotian +robotic +robotics +robotism +robotisms +robotistic +robotization +robotize +robotized +robotizes +robotizing +robotlike +robotry +robotries +robots +robot's +robs +Robson +Robstown +robur +roburite +Robus +robust +robuster +robustest +robustful +robustfully +robustfulness +robustic +robusticity +robustious +robustiously +robustiousness +robustity +robustly +robustness +robustnesses +robustuous +ROC +Roca +rocaille +Rocamadur +rocambole +Rocca +Roccella +Roccellaceae +roccellic +roccellin +roccelline +Rocco +Roch +Rochdale +Roche +Rochea +rochelime +Rochell +Rochella +Rochelle +Rochemont +Rocheport +Rocher +Rochert +Rochester +rochet +rocheted +rochets +Rochette +Rochford +roching +Rochkind +Rochus +Rociada +rociest +Rocinante +Rock +rockaby +rockabye +rockabies +rockabyes +rockabilly +rockable +rockably +Rockafellow +rockallite +rock-and-roll +rockat +Rockaway +rockaways +rock-based +rock-basin +rock-battering +rock-bed +rock-begirdled +rockbell +rockberry +rock-bestudded +rock-bethreatened +rockbird +rock-boring +rockborn +rock-bottom +rockbound +rock-bound +rock-breaking +rockbrush +rock-built +rockcist +rock-cistus +rock-clad +rock-cleft +rock-climb +rock-climber +rock-climbing +rock-concealed +rock-covered +rockcraft +rock-crested +rock-crushing +rock-cut +Rockdale +rock-drilling +rock-dusted +rock-dwelling +rocked +rock-eel +Rockefeller +Rockey +Rockel +rockelay +rock-embosomed +rock-encircled +rock-encumbered +rock-enthroned +Rocker +rockered +rockery +rockeries +rockers +rockerthon +rocket +rocket-borne +rocketed +rocketeer +rocketer +rocketers +rockety +rocketing +rocketlike +rocketor +rocket-propelled +rocketry +rocketries +rockets +rocketsonde +rock-faced +Rockfall +rock-fallen +rockfalls +rock-fast +Rockfield +rock-fill +rock-firm +rock-firmed +rockfish +rock-fish +rockfishes +rockfoil +Rockford +rock-forming +rock-free +rock-frequenting +rock-girded +rock-girt +rockhair +Rockhall +Rockham +Rockhampton +rock-hard +rockhearted +rock-hewn +Rockholds +Rockhouse +Rocky +Rockie +rockier +Rockies +rockiest +rockiness +rocking +Rockingham +rockingly +rock-inhabiting +rockish +rocklay +Rockland +Rockledge +rockless +rocklet +rocklike +Rocklin +rockling +rocklings +rock-loving +rockman +Rockmart +rock-melting +Rockne +rock-'n'-roll +rockoon +rockoons +rock-piercing +rock-pigeon +rock-piled +rock-plant +Rockport +rock-pulverizing +rock-razing +rock-reared +rockribbed +rock-ribbed +rock-roofed +rock-rooted +rockrose +rock-rose +rockroses +rock-rushing +rocks +rock-salt +rock-scarped +rockshaft +rock-shaft +rock-sheltered +rockskipper +rockslide +rockstaff +rock-steady +rock-strewn +rock-studded +rock-throned +rock-thwarted +Rockton +rock-torn +rocktree +Rockvale +Rockview +Rockville +Rockwall +rockward +rockwards +rockweed +rock-weed +rockweeds +Rockwell +rock-wombed +Rockwood +rockwork +rock-work +rock-worked +rockworks +rococo +rococos +rocolo +Rocouyenne +Rocray +Rocroi +rocs +rocta +Rod +Roda +Rodanthe +rod-bending +rod-boring +rod-caught +Rodd +rodded +rodden +rodder +rodders +Roddy +Roddie +roddikin +roddin +rodding +rod-drawing +rode +Rodenhouse +rodent +Rodentia +rodential +rodentially +rodentian +rodenticidal +rodenticide +rodentproof +rodents +rodeo +rodeos +Roderfield +Roderic +Roderica +Roderich +Roderick +Roderigo +Rodessa +Rodez +Rodge +Rodger +Rodgers +rodham +rod-healing +Rodi +Rodie +Rodin +Rodina +Rodinal +Rodinesque +roding +rodingite +rodknight +Rodl +rodless +rodlet +rodlike +rodmaker +Rodman +Rodmann +rodmen +Rodmun +Rodmur +Rodney +Rodolfo +Rodolph +Rodolphe +Rodolphus +rodomont +rodomontade +rodomontaded +rodomontading +rodomontadist +rodomontador +rod-pointing +rod-polishing +Rodrich +Rodrick +Rodrigo +Rodriguez +Rodrique +rods +rod's +rod-shaped +rodsman +rodsmen +rodster +Roduco +rodwood +Rodzinski +ROE +Roebling +roeblingite +roebuck +roebucks +roed +Roede +roe-deer +Roee +Roehm +roey +roelike +roemer +roemers +roeneng +Roentgen +roentgenism +roentgenization +roentgenize +roentgeno- +roentgenogram +roentgenograms +roentgenograph +roentgenography +roentgenographic +roentgenographically +roentgenology +roentgenologic +roentgenological +roentgenologically +roentgenologies +roentgenologist +roentgenologists +roentgenometer +roentgenometry +roentgenometries +roentgenopaque +roentgenoscope +roentgenoscopy +roentgenoscopic +roentgenoscopies +roentgenotherapy +roentgens +roentgentherapy +Roer +Roerich +roes +Roeselare +Roeser +roestone +Roethke +ROFF +ROG +rogan +rogation +rogations +Rogationtide +rogative +rogatory +Roger +rogerian +Rogerio +Rogero +Rogers +rogersite +Rogerson +Rogersville +Roget +Roggen +roggle +Rogier +rognon +rognons +Rogovy +Rogozen +rogue +rogued +roguedom +rogueing +rogueling +roguery +rogueries +rogues +rogue's +rogueship +roguy +roguing +roguish +roguishly +roguishness +roguishnesses +ROH +rohan +Rohilla +Rohn +rohob +Rohrersville +rohun +rohuna +ROI +Roy +Royal +royal-born +royal-chartered +royale +royalet +royal-hearted +royalisation +royalise +royalised +royalising +royalism +royalisms +royalist +royalistic +royalists +royalist's +royalization +royalize +royalized +royalizing +Royall +royally +royalmast +royalme +royal-rich +royals +royal-souled +royal-spirited +royalty +royalties +royalty's +Royalton +royal-towered +Roybn +Roice +Royce +Roid +Royd +Roydd +Royden +Roye +Royena +Royersford +royet +royetness +royetous +royetously +Royette +ROYGBIV +roil +roiled +roiledness +roily +roilier +roiliest +roiling +roils +roin +roinish +roynous +Royo +royou +Rois +Roist +roister +royster +roister-doister +roister-doisterly +roistered +roystered +roisterer +roisterers +roistering +roystering +roisteringly +roisterly +roisterous +roisterously +roisters +roysters +Royston +Roystonea +roit +royt +roitelet +rojak +Rojas +ROK +roka +Rokach +Rokadur +roke +rokeage +rokee +rokey +rokelay +roker +roky +Rola +Rolaids +rolamite +rolamites +Rolan +Roland +Rolanda +Rolandic +Rolando +Rolandson +Roldan +role +Roley +roleo +roleplayed +role-player +roleplaying +role-playing +roles +role's +Rolesville +Rolette +Rolf +Rolfe +Rolfston +roly-poly +roly-poliness +roll +Rolla +rollable +roll-about +Rolland +rollaway +rollback +rollbacks +rollbar +roll-call +roll-collar +roll-cumulus +rolled +rolley +rolleyway +rolleywayman +rollejee +roller +roller-backer +roller-carrying +rollerer +roller-grinding +roller-made +rollermaker +rollermaking +rollerman +roller-milled +roller-milling +rollers +roller-skate +roller-skated +rollerskater +rollerskating +roller-skating +roller-top +Rollet +rolliche +rollichie +rollick +rollicked +rollicker +rollicky +rollicking +rollickingly +rollickingness +rollicks +rollicksome +rollicksomeness +Rollie +Rollin +rolling +rollingly +rolling-mill +rolling-pin +rolling-press +rollings +Rollingstone +Rollinia +Rollins +Rollinsford +Rollinsville +rollix +roll-leaf +rollman +rollmop +rollmops +rollneck +Rollo +rollock +roll-on/roll-off +Rollot +rollout +roll-out +rollouts +rollover +roll-over +rollovers +rolls +rolltop +roll-top +rollway +rollways +Rolo +roloway +rolpens +Rolph +ROM +Rom. +Roma +Romadur +Romaean +Romagna +Romagnese +Romagnol +Romagnole +Romaic +romaika +Romain +Romaine +romaines +Romains +Romayor +Romaji +romal +Romalda +Roman +romana +Romanal +Romanas +Romance +romancealist +romancean +romanced +romance-empurpled +romanceful +romance-hallowed +romance-inspiring +romanceish +romanceishness +romanceless +romancelet +romancelike +romance-making +romancemonger +romanceproof +romancer +romanceress +romancers +romances +romance-writing +romancy +romancical +romancing +romancist +Romandom +Romane +Romanes +Romanese +Romanesque +roman-fleuve +Romanhood +Romany +Romania +Romanian +Romanic +Romanies +Romaniform +Romanisation +Romanise +Romanised +Romanish +Romanising +Romanism +Romanist +Romanistic +Romanists +Romanite +Romanity +romanium +Romanization +Romanize +romanized +Romanizer +romanizes +romanizing +Romanly +Roman-nosed +Romano +romano- +Romano-byzantine +Romano-british +Romano-briton +Romano-canonical +Romano-celtic +Romano-ecclesiastical +Romano-egyptian +Romano-etruscan +Romanoff +Romano-gallic +Romano-german +Romano-germanic +Romano-gothic +Romano-greek +Romano-hispanic +Romano-iberian +Romano-lombardic +Romano-punic +romanos +Romanov +Romans +Romansch +Romansh +romantic +romantical +romanticalism +romanticality +romantically +romanticalness +romanticise +romanticism +romanticist +romanticistic +romanticists +romanticity +romanticization +romanticize +romanticized +romanticizes +romanticizing +romanticly +romanticness +romantico-heroic +romantico-robustious +romantics +romantic's +romantism +romantist +Romanus +romanza +romaunt +romaunts +Rombauer +Romberg +Rombert +romble +rombos +rombowline +Rome +Romeyn +romeine +romeite +Romelda +Romeldale +Romelle +Romeo +Romeon +romeos +rome-penny +romerillo +romero +romeros +Romescot +rome-scot +Romeshot +Romeu +Romeward +Romewards +Romy +Romic +Romie +romyko +Romilda +Romilly +Romina +Romine +Romipetal +Romish +Romishly +Romishness +Romito +rommack +Rommany +Rommanies +Rommel +Romney +Romneya +Romo +Romola +Romona +Romonda +romp +romped +rompee +romper +rompers +rompy +romping +rompingly +rompish +rompishly +rompishness +romps +rompu +roms +Romulian +Romulo +Romulus +Ron +RONA +RONABIT +Ronal +Ronald +Ronalda +Ronan +roncador +Roncaglian +Roncesvalles +roncet +Roncevaux +Ronceverte +roncho +Ronco +roncos +rond +Ronda +rondache +rondacher +rondawel +ronde +rondeau +rondeaux +rondel +rondelet +Rondeletia +rondelets +rondelier +rondelle +rondelles +rondellier +rondels +Rondi +rondino +rondle +Rondnia +rondo +rondoletto +Rondon +Rondonia +rondos +rondure +rondures +Rone +Ronel +Ronen +Roneo +Rong +Ronga +rongeur +ronggeng +Rong-pa +Ronica +ronier +ronin +ronion +ronyon +ronions +ronyons +Ronkonkoma +Ronks +Ronn +Ronna +Ronne +ronnel +ronnels +Ronnholm +Ronni +Ronny +Ronnica +Ronnie +ronquil +Ronsard +Ronsardian +Ronsardism +Ronsardist +Ronsardize +Ronsdorfer +Ronsdorfian +Rontgen +rontgenism +rontgenize +rontgenized +rontgenizing +rontgenography +rontgenographic +rontgenographically +rontgenology +rontgenologic +rontgenological +rontgenologist +rontgenoscope +rontgenoscopy +rontgenoscopic +rontgens +roo +Roobbie +rood +rood-day +roodebok +Roodepoort-Maraisburg +roodle +roodles +roods +roodstone +rooed +roof +roofage +roof-blockaded +roof-building +roof-climbing +roof-deck +roof-draining +roof-dwelling +roofed +roofed-in +roofed-over +roofer +roofers +roof-gardening +roof-haunting +roofy +roofing +roofings +roofless +rooflet +rooflike +roofline +rooflines +roofman +roofmen +roofpole +roof-reaching +roofs +roof-shaped +rooftop +rooftops +rooftree +roof-tree +rooftrees +roofward +roofwise +rooibok +rooyebok +rooinek +rooing +rook +rook-coated +Rooke +rooked +Rooker +rookery +rookeried +rookeries +rooketty-coo +rooky +rookie +rookier +rookies +rookiest +rooking +rookish +rooklet +rooklike +rooks +rookus +rool +room +roomage +room-and-pillar +roomed +roomer +roomers +roomette +roomettes +roomful +roomfuls +roomy +roomie +roomier +roomies +roomiest +roomily +roominess +rooming +roomkeeper +roomless +roomlet +roommate +room-mate +roommates +room-ridden +rooms +roomsful +roomsome +roomstead +room-temperature +roomth +roomthy +roomthily +roomthiness +roomward +roon +Rooney +roop +Roopville +roorbach +roorback +roorbacks +Roos +roosa +Roose +roosed +rooser +roosers +rooses +Roosevelt +Rooseveltian +roosing +Roost +roosted +rooster +roosterfish +roosterhood +roosterless +roosters +roostership +roosty +roosting +roosts +Root +rootage +rootages +root-bound +root-bruising +root-built +rootcap +root-devouring +root-digging +root-eating +rooted +rootedly +rootedness +rooter +rootery +rooters +rootfast +rootfastness +root-feeding +root-hardy +roothold +rootholds +rooti +rooty +rootier +rootiest +rootiness +rooting +root-inwoven +rootle +rootless +rootlessness +rootlet +rootlets +rootlike +rootling +root-mean-square +root-neck +root-parasitic +root-parasitism +root-prune +root-pruned +Roots +root's +rootstalk +rootstock +root-stock +rootstocks +Rootstown +root-torn +rootwalt +rootward +rootwise +rootworm +roove +rooved +rooving +ROP +ropable +ropand +ropani +rope +ropeable +ropeband +rope-band +ropebark +rope-bound +rope-closing +roped +ropedance +ropedancer +rope-dancer +ropedancing +rope-driven +rope-driving +rope-end +rope-fastened +rope-girt +ropey +rope-yarn +ropelayer +ropelaying +rope-laying +ropelike +ropemaker +ropemaking +ropeman +ropemen +rope-muscled +rope-pulling +Roper +rope-reeved +ropery +roperies +roperipe +ropers +ropes +rope-shod +rope-sight +ropesmith +rope-spinning +rope-stock +rope-stropped +Ropesville +ropetrick +ropeway +ropeways +ropewalk +ropewalker +ropewalks +ropework +rope-work +ropy +ropier +ropiest +ropily +ropiness +ropinesses +roping +ropish +ropishness +roploch +ropp +Roque +Roquefort +roquelaure +roquelaures +roquellorz +roquer +roques +roquet +roqueted +roqueting +roquets +roquette +roquille +roquist +Rora +Roraima +roral +roratorio +Rori +Rory +roric +rory-cum-tory +rorid +Roridula +Roridulaceae +Rorie +roriferous +rorifluent +Roripa +Rorippa +Roris +rory-tory +roritorious +Rorke +rorqual +rorquals +Rorry +Rorrys +rorschach +rort +rorty +rorulent +Ros +Rosa +Rosabel +Rosabella +Rosabelle +rosace +Rosaceae +rosacean +rosaceous +rosaker +rosal +Rosalba +Rosalee +Rosaleen +Rosales +rosalger +Rosalia +Rosalie +Rosalyn +Rosalind +Rosalynd +Rosalinda +Rosalinde +Rosaline +Rosamond +Rosamund +Rosan +Rosana +Rosane +rosanilin +rosaniline +Rosanky +Rosanna +Rosanne +Rosary +rosaria +rosarian +rosarians +rosaries +rosariia +Rosario +rosarium +rosariums +rosaruby +ROSAT +rosated +Rosati +rosbif +Rosburg +Roschach +roscherite +Roscian +roscid +Roscius +Rosco +Roscoe +roscoelite +roscoes +Roscommon +ROSE +roseal +Roseann +Roseanna +Roseanne +rose-apple +rose-a-ruby +roseate +roseately +Roseau +rose-back +rosebay +rose-bay +rosebays +rose-bellied +Rosebery +Roseberry +rose-blue +Roseboom +Roseboro +rose-breasted +rose-bright +Rosebud +rosebuds +rosebud's +Roseburg +rosebush +rose-bush +rosebushes +rose-campion +Rosecan +rose-carved +rose-chafer +rose-cheeked +rose-clad +rose-color +rose-colored +rose-colorist +rose-colour +rose-coloured +rose-combed +rose-covered +Rosecrans +rose-crowned +rose-cut +rosed +Rosedale +rose-diamond +rose-diffusing +rosedrop +rose-drop +rose-eared +rose-engine +rose-ensanguined +rose-faced +rose-fingered +rosefish +rosefishes +rose-flowered +rose-fresh +rose-gathering +rose-growing +rosehead +rose-headed +rose-hedged +rosehill +rosehiller +rosehip +rose-hued +roseine +Rosel +Roseland +Roselane +Roselani +Roselawn +Roselba +rose-leaf +rose-leaved +roseless +roselet +Roselia +roselike +Roselin +Roselyn +Roseline +rose-lipped +rose-lit +roselite +Rosella +rosellate +Roselle +Rosellen +roselles +Rosellinia +rose-loving +rosemaling +Rosemare +Rosemari +Rosemary +Rosemaria +Rosemarie +rosemaries +Rosemead +Rosemonde +Rosemont +Rosen +Rosena +rose-nail +Rosenbaum +Rosenberg +Rosenberger +Rosenbergia +Rosenblast +Rosenblatt +Rosenblum +rosenbuschite +Rosendale +Rosene +Rosenfeld +Rosenhayn +Rosenkrantz +Rosenkranz +Rosenquist +Rosenstein +Rosenthal +Rosenwald +Rosenzweig +roseo- +roseola +roseolar +roseolas +roseoliform +roseolous +roseous +rose-petty +rose-pink +rose-podded +roser +rose-red +rosery +roseries +rose-ringed +roseroot +rose-root +roseroots +roses +rose's +rose-scented +roseslug +rose-slug +rose-sweet +roset +rosetan +rosetangle +rosety +rosetime +rose-tinged +rose-tinted +rose-tree +rosets +Rosetta +rosetta-wood +Rosette +rosetted +rosettes +rosetty +rosetum +Roseville +roseways +Rosewall +rose-warm +rosewater +rose-water +rose-window +rosewise +Rosewood +rosewoods +rosewort +rose-wreathed +Roshan +Rosharon +Roshelle +roshi +Rosholt +Rosy +rosy-armed +rosy-blushing +rosy-bosomed +rosy-cheeked +Rosiclare +rosy-colored +rosy-crimson +Rosicrucian +Rosicrucianism +rosy-dancing +Rosie +rosy-eared +rosied +rosier +rosieresite +rosiest +rosy-faced +rosy-fingered +rosy-hued +rosily +rosy-lipped +rosilla +rosillo +rosin +Rosina +Rosinante +rosinate +rosinduline +Rosine +rosined +rosiness +rosinesses +rosing +rosiny +rosining +rosinol +rosinols +rosinous +rosins +Rosinski +rosinweed +rosinwood +Rosio +rosy-purple +rosy-red +Rosita +rosy-tinted +rosy-tipped +rosy-toed +rosy-warm +Roskes +Roskilde +rosland +Roslyn +roslindale +Rosman +Rosmarin +rosmarine +Rosmarinus +Rosminian +Rosminianism +Rosmunda +Rosner +Rosol +rosoli +rosolic +rosolio +rosolios +rosolite +rosorial +ROSPA +Ross +Rossbach +Rossburg +Rosse +Rossellini +Rossen +Rosser +Rossetti +Rossford +Rossi +Rossy +Rossie +Rossiya +Rossing +Rossini +rossite +Rossiter +Rosslyn +Rossmore +Rossner +Rosston +Rossuck +Rossville +Rost +Rostand +rostel +rostella +rostellar +Rostellaria +rostellarian +rostellate +rostelliform +rostellum +roster +rosters +Rostock +Rostov +Rostov-on-Don +Rostovtzeff +rostra +rostral +rostrally +rostrate +rostrated +rostriferous +rostriform +rostroantennary +rostrobranchial +rostrocarinate +rostrocaudal +rostroid +rostrolateral +Rostropovich +rostrular +rostrulate +rostrulum +rostrum +rostrums +rosttra +rosular +rosulate +Roswald +Roswell +Roszak +ROT +Rota +rotacism +Rotal +Rotala +Rotalia +rotalian +rotaliform +rotaliiform +rotaman +rotamen +Rotameter +Rotan +Rotanev +rotang +Rotary +Rotarian +Rotarianism +rotarianize +rotary-cut +rotaries +rotas +rotascope +rotatable +rotatably +rotate +rotated +rotates +rotating +rotation +rotational +rotationally +rotations +rotative +rotatively +rotativism +rotatodentate +rotatoplane +rotator +rotatores +rotatory +Rotatoria +rotatorian +rotators +rotavist +Rotberg +ROTC +rotch +rotche +rotches +rote +rotella +Rotenburg +rotenone +rotenones +Roter +rotes +rotge +rotgut +rot-gut +rotguts +Roth +Rothberg +Rothbury +Rothenberg +Rother +Rotherham +Rothermere +rothermuck +Rothesay +Rothko +Rothmuller +Rothsay +Rothschild +Rothstein +Rothville +Rothwell +Roti +rotifer +Rotifera +rotiferal +rotiferan +rotiferous +rotifers +rotiform +rotisserie +rotisseries +ROTL +rotls +Rotman +roto +rotocraft +rotodyne +rotograph +rotogravure +rotogravures +rotometer +rotonda +rotonde +rotor +rotorcraft +rotors +Rotorua +rotos +rototill +rototilled +Rototiller +rototilling +rototills +Rotow +rotproof +ROTS +Rotse +rot-steep +rotta +rottan +rotte +rotted +rotten +rotten-dry +rotten-egg +rottener +rottenest +rotten-hearted +rotten-heartedly +rotten-heartedness +rottenish +rottenly +rotten-minded +rottenness +rottennesses +rotten-planked +rotten-red +rotten-rich +rotten-ripe +rottenstone +rotten-stone +rotten-throated +rotten-timbered +rotter +Rotterdam +rotters +rottes +rotting +rottle +rottlera +rottlerin +rottock +rottolo +Rottweiler +rotula +rotulad +rotular +rotulet +rotulian +rotuliform +rotulus +rotund +rotunda +rotundas +rotundate +rotundi- +rotundify +rotundifoliate +rotundifolious +rotundiform +rotundity +rotundities +rotundly +rotundness +rotundo +rotundo- +rotundo-ovate +rotundotetragonal +roture +roturier +roturiers +Rouault +roub +Roubaix +rouble +roubles +roubouh +rouche +rouches +roucou +roud +roudas +roue +rouelle +Rouen +Rouennais +rouens +rouerie +roues +rouge +rougeau +rougeberry +rouged +rougelike +Rougemont +rougemontite +rougeot +rouges +rough +roughage +roughages +rough-and-ready +rough-and-readiness +rough-and-tumble +rough-backed +rough-barked +rough-bearded +rough-bedded +rough-billed +rough-blustering +rough-board +rough-bordered +roughcast +rough-cast +roughcaster +roughcasting +rough-cheeked +rough-clad +rough-clanking +rough-coat +rough-coated +rough-cut +roughdraft +roughdraw +rough-draw +roughdress +roughdry +rough-dry +roughdried +rough-dried +roughdries +roughdrying +rough-drying +roughed +rough-edge +rough-edged +roughen +roughened +roughener +roughening +roughens +rough-enter +rougher +rougher-down +rougher-out +roughers +rougher-up +roughest +roughet +rough-face +rough-faced +rough-feathered +rough-finned +rough-foliaged +roughfooted +rough-footed +rough-form +rough-fruited +rough-furrowed +rough-grained +rough-grind +rough-grinder +rough-grown +rough-hackle +rough-hackled +rough-haired +rough-handed +rough-handedness +rough-headed +roughhearted +roughheartedness +roughhew +rough-hew +roughhewed +rough-hewed +roughhewer +roughhewing +rough-hewing +roughhewn +rough-hewn +roughhews +rough-hob +rough-hobbed +roughhouse +roughhoused +roughhouser +roughhouses +roughhousy +roughhousing +rough-hull +roughy +roughie +roughing +roughing-in +roughings +roughish +roughishly +roughishness +rough-jacketed +rough-keeled +rough-leaved +roughleg +rough-legged +roughlegs +rough-level +roughly +rough-lipped +rough-living +rough-looking +rough-mannered +roughneck +rough-necked +roughnecks +roughness +roughnesses +roughometer +rough-paved +rough-plain +rough-plane +rough-plastered +rough-plow +rough-plumed +rough-podded +rough-point +rough-ream +rough-reddened +roughride +roughrider +rough-rider +rough-ridged +rough-roll +roughroot +roughs +rough-sawn +rough-scaled +roughscuff +rough-seeded +roughsetter +rough-shape +roughshod +rough-sketch +rough-skinned +roughslant +roughsome +rough-spirited +rough-spoken +rough-square +rough-stalked +rough-stemmed +rough-stone +roughstring +rough-stringed +roughstuff +rough-surfaced +rough-swelling +rought +roughtail +roughtailed +rough-tailed +rough-tanned +rough-tasted +rough-textured +rough-thicketed +rough-toned +rough-tongued +rough-toothed +rough-tree +rough-turn +rough-turned +rough-voiced +rough-walled +rough-weather +rough-winged +roughwork +rough-write +roughwrought +rougy +rouging +Rougon +rouille +rouilles +rouky +roulade +roulades +rouleau +rouleaus +rouleaux +Roulers +roulette +rouletted +roulettes +rouletting +Rouman +Roumania +Roumanian +Roumelia +Roumeliote +Roumell +roun +rounce +rounceval +rouncy +rouncival +round +roundabout +round-about-face +roundaboutly +roundaboutness +round-arch +round-arched +round-arm +round-armed +round-backed +round-barreled +round-bellied +round-beset +round-billed +round-blazing +round-bodied +round-boned +round-bottomed +round-bowed +round-bowled +round-built +round-celled +round-cornered +round-crested +round-dancer +round-eared +rounded +round-edge +round-edged +roundedly +roundedness +round-eyed +roundel +roundelay +roundelays +roundeleer +roundels +round-end +rounder +rounders +roundest +round-faced +round-fenced +roundfish +round-footed +round-fruited +round-furrowed +round-hand +round-handed +Roundhead +roundheaded +round-headed +roundheadedness +round-heart +roundheel +round-hoofed +round-horned +roundhouse +round-house +roundhouses +roundy +rounding +rounding-out +roundish +roundish-deltoid +roundish-faced +roundish-featured +roundish-leaved +roundishness +roundish-obovate +roundish-oval +roundish-ovate +roundish-shaped +roundle +round-leafed +round-leaved +roundlet +roundlets +roundly +round-limbed +roundline +round-lipped +round-lobed +round-made +roundmouthed +round-mouthed +roundness +roundnesses +roundnose +roundnosed +round-nosed +Roundo +roundoff +round-podded +round-pointed +round-ribbed +roundridge +Roundrock +round-rolling +round-rooted +rounds +roundseam +round-seeded +round-shapen +round-shouldered +round-shouldred +round-sided +round-skirted +roundsman +round-spun +round-stalked +roundtable +round-table +roundtail +round-tailed +round-the-clock +round-toed +roundtop +round-topped +roundtree +round-trip +round-tripper +round-trussed +round-turning +roundup +round-up +roundups +roundure +round-visaged +round-winged +roundwise +round-wombed +roundwood +roundworm +round-worm +roundworms +rounge +rounspik +rountree +roup +rouped +rouper +roupet +roupy +roupie +roupier +roupiest +roupily +rouping +roupingwife +roupit +roups +Rourke +ROUS +rousant +rouse +rouseabout +roused +rousedness +rousement +rouser +rousers +rouses +rousette +Rouseville +rousing +rousingly +Rousseau +Rousseauan +Rousseauism +Rousseauist +Rousseauistic +Rousseauite +rousseaus +Roussel +Roussellian +roussette +Roussillon +roust +roustabout +roustabouts +rousted +rouster +rousters +rousting +rousts +rout +route +routed +routeman +routemarch +routemen +router +routers +routes +routeway +routeways +Routh +routhercock +routhy +routhie +routhiness +rouths +routier +routinary +routine +routineer +routinely +routineness +routines +routing +routings +routinish +routinism +routinist +routinization +routinize +routinized +routinizes +routinizing +routivarite +routous +routously +routs +rouvillite +Rouvin +Roux +Rouzerville +Rovaniemi +rove +rove-beetle +roved +Rovelli +roven +rove-over +Rover +rovers +roves +rovescio +rovet +rovetto +roving +rovingly +rovingness +rovings +Rovit +Rovner +ROW +rowable +Rowan +rowanberry +rowanberries +rowans +rowan-tree +row-barge +rowboat +row-boat +rowboats +row-de-dow +rowdy +rowdydow +rowdydowdy +rowdy-dowdy +rowdier +rowdies +rowdiest +rowdyish +rowdyishly +rowdyishness +rowdyism +rowdyisms +rowdily +rowdiness +rowdinesses +rowdyproof +row-dow-dow +Rowe +rowed +rowel +roweled +rowelhead +roweling +Rowell +rowelled +rowelling +rowels +Rowen +Rowena +rowens +rower +rowers +Rowesville +rowet +rowy +rowiness +rowing +rowings +Rowland +rowlandite +Rowlandson +Rowley +Rowleian +Rowleyan +Rowlesburg +rowlet +Rowlett +Rowletts +rowlock +rowlocks +Rowney +row-off +rowport +row-port +rows +rowt +rowte +rowted +rowth +rowths +rowty +rowting +Rox +Roxana +Roxane +Roxanna +Roxanne +Roxboro +Roxburgh +roxburghe +Roxburghiaceae +Roxburghshire +Roxbury +Roxi +Roxy +Roxie +Roxine +Roxobel +Roxolani +Roxton +Roz +Rozalie +Rozalin +Rozamond +Rozanna +Rozanne +Roze +Rozek +Rozel +Rozele +Rozella +Rozelle +rozener +Rozet +Rozi +Rozina +rozum +rozzer +rozzers +RP +RPC +RPG +RPI +RPM +RPN +RPO +RPQ +RPS +rpt +rpt. +RPV +RQ +RQS +RQSM +RR +RRB +RRC +rrhagia +rrhea +rrhine +rrhiza +rrhoea +Rriocard +RRIP +r-RNA +RRO +RS +r's +Rs. +RS232 +RSA +RSB +RSC +RSCS +RSE +RSFSR +RSGB +RSH +R-shaped +RSJ +RSL +RSLE +RSLM +RSM +RSN +RSPB +RSPCA +RSR +RSS +RSTS +RSTSE +RSU +rsum +RSV +RSVP +RSWC +RT +rt. +RTA +RTAC +RTC +rte +RTF +RTFM +RTG +rti +RTL +RTLS +RTM +RTMP +RTR +RTS +RTSE +RTSL +RTT +RTTY +RTU +rtw +RU +Rua +ruach +ruana +ruanas +Ruanda +Ruanda-Urundi +rub +rubaboo +rubaboos +rubace +rubaces +rub-a-dub +rubaiyat +rubasse +rubasses +rubato +rubatos +rubbaboo +rubbaboos +rubbed +rubbee +rubber +rubber-coated +rubber-collecting +rubber-cored +rubber-covered +rubber-cutting +rubber-down +rubbered +rubberer +rubber-faced +rubber-growing +rubber-headed +rubbery +rubber-yielding +rubberiness +rubberise +rubberised +rubberising +rubberize +rubberized +rubberizes +rubberizing +rubberless +rubberlike +rubber-lined +rubber-mixing +rubberneck +rubbernecked +rubbernecker +rubbernecking +rubbernecks +rubbernose +rubber-off +rubber-producing +rubber-proofed +rubber-reclaiming +rubbers +rubber's +rubber-set +rubber-slitting +rubber-soled +rubber-spreading +rubber-stamp +rubberstone +rubber-testing +rubber-tired +rubber-varnishing +rubberwise +rubby +Rubbico +rubbing +rubbings +rubbingstone +rubbing-stone +rubbio +rubbish +rubbishes +rubbishy +rubbishing +rubbishingly +rubbishly +rubbishry +rubbisy +rubble +rubbled +rubbler +rubbles +rubblestone +rubblework +rubble-work +rubbly +rubblier +rubbliest +rubbling +Rubbra +rubdown +rubdowns +rub-dub +Rube +rubedinous +rubedity +rubefacience +rubefacient +rubefaction +rubefy +Rubel +rubelet +rubella +rubellas +rubelle +rubellite +rubellosis +Ruben +Rubenesque +Rubenism +Rubenisme +Rubenist +Rubeniste +Rubens +Rubensian +Rubenstein +rubeola +rubeolar +rubeolas +rubeoloid +ruberythric +ruberythrinic +Ruberta +rubes +rubescence +rubescent +Rubetta +Rubi +Ruby +Rubia +Rubiaceae +rubiaceous +rubiacin +Rubiales +rubian +rubianic +rubiate +rubiator +ruby-berried +rubible +ruby-budded +rubican +rubicelle +ruby-circled +Rubicola +ruby-colored +Rubicon +rubiconed +ruby-crested +ruby-crowned +rubicund +rubicundity +rubidic +rubidine +rubidium +rubidiums +Rubie +Rubye +rubied +ruby-eyed +rubier +rubies +rubiest +ruby-faced +rubify +rubific +rubification +rubificative +rubiginose +rubiginous +rubigo +rubigos +ruby-headed +ruby-hued +rubying +rubijervine +rubylike +ruby-lipped +ruby-lustered +Rubin +Rubina +rubine +ruby-necked +rubineous +Rubinstein +Rubio +rubious +ruby-red +ruby's +ruby-set +ruby-studded +rubytail +rubythroat +ruby-throated +ruby-tinctured +ruby-tinted +ruby-toned +ruby-visaged +rubywise +ruble +rubles +ruble's +rublis +ruboff +ruboffs +rubor +rubout +rubouts +rubrail +rubric +rubrica +rubrical +rubricality +rubrically +rubricate +rubricated +rubricating +rubrication +rubricator +rubrician +rubricism +rubricist +rubricity +rubricize +rubricose +rubrics +rubrify +rubrific +rubrification +rubrisher +rubrospinal +rubs +rubstone +Rubtsovsk +Rubus +RUC +rucervine +Rucervus +Ruchbah +ruche +ruched +ruches +ruching +ruchings +ruck +rucked +Rucker +Ruckersville +rucky +rucking +ruckle +ruckled +ruckles +ruckling +Ruckman +rucks +rucksack +rucksacks +rucksey +ruckus +ruckuses +ructation +ruction +ructions +ructious +rud +rudaceous +rudas +Rudbeckia +Rudd +rudder +rudderfish +rudder-fish +rudderfishes +rudderhead +rudderhole +rudderless +rudderlike +rudderpost +rudders +rudder's +rudderstock +ruddervator +Ruddy +ruddy-bright +ruddy-brown +ruddy-cheeked +ruddy-colored +ruddy-complexioned +Ruddie +ruddied +ruddier +ruddiest +ruddy-faced +ruddy-gold +ruddy-haired +ruddy-headed +ruddyish +ruddy-leaved +ruddily +ruddiness +ruddinesses +ruddy-purple +ruddish +ruddy-spotted +ruddle +ruddled +ruddleman +ruddlemen +ruddles +ruddling +ruddock +ruddocks +rudds +Rude +rude-carved +rude-ensculptured +rude-fanged +rude-fashioned +rude-featured +rude-growing +rude-hewn +rudely +rude-looking +Rudelson +rude-made +rude-mannered +rudeness +rudenesses +rudented +rudenture +Ruder +rudera +ruderal +ruderals +ruderate +rudesby +rudesbies +Rudesheimer +rude-spoken +rude-spokenrude-spun +rude-spun +rudest +rude-thoughted +rude-tongued +rude-washed +rudge +Rudy +Rudyard +Rudich +Rudie +Rudiger +rudiment +rudimental +rudimentary +rudimentarily +rudimentariness +rudimentation +rudiments +rudiment's +Rudin +rudinsky +rudish +Rudista +Rudistae +rudistan +rudistid +rudity +rudloff +Rudman +Rudmasday +Rudolf +Rudolfo +Rudolph +Rudolphe +rudolphine +Rudolphus +rudous +Rudra +Rudulph +Rudwik +Rue +rued +rueful +ruefully +ruefulness +ruefulnesses +Ruel +ruely +ruelike +Ruella +Ruelle +Ruellia +Ruelu +ruen +ruer +ruers +rues +ruesome +ruesomeness +Rueter +ruewort +Rufe +Rufena +rufescence +rufescent +Ruff +ruffable +ruff-coat +ruffe +ruffed +ruffer +ruffes +Ruffi +ruffian +ruffianage +ruffiandom +ruffianhood +ruffianish +ruffianism +ruffianize +ruffianly +ruffianlike +ruffian-like +ruffiano +ruffians +Ruffin +Ruffina +ruffing +ruffy-tuffy +ruffle +ruffle- +ruffled +ruffle-headed +ruffleless +rufflement +ruffler +rufflers +ruffles +ruffly +rufflier +rufflike +ruffliness +ruffling +ruffmans +ruff-necked +Ruffo +Rufford +ruffs +Ruffsdale +ruff-tree +rufi- +ruficarpous +ruficaudate +ruficoccin +ruficornate +rufigallic +rufiyaa +Rufina +Rufino +Rufisque +rufo- +rufoferruginous +rufofulvous +rufofuscous +rufopiceous +Ruford +rufosity +rufotestaceous +rufous +rufous-backed +rufous-banded +rufous-bellied +rufous-billed +rufous-breasted +rufous-brown +rufous-buff +rufous-chinned +rufous-colored +rufous-crowned +rufous-edged +rufous-haired +rufous-headed +rufous-hooded +rufous-yellow +rufous-naped +rufous-necked +rufous-rumped +rufous-spotted +rufous-tailed +rufous-tinged +rufous-toed +rufous-vented +rufous-winged +rufter +rufter-hood +rufty-tufty +rufulous +Rufus +rug +ruga +rugae +rugal +rugate +Rugbeian +Rugby +rugbies +rug-cutter +rug-cutting +Rugen +Rugg +rugged +ruggeder +ruggedest +ruggedization +ruggedize +ruggedly +ruggedness +ruggednesses +Rugger +ruggers +ruggy +Ruggiero +rugging +ruggle +ruggown +rug-gowned +rugheaded +rugine +ruglike +rugmaker +rugmaking +rugola +rugolas +Rugosa +rugose +rugose-leaved +rugosely +rugose-punctate +rugosity +rugosities +rugous +rugs +rug's +rugulose +Ruhl +Ruhnke +Ruhr +Ruy +Ruidoso +Ruyle +ruin +ruinable +ruinate +ruinated +ruinates +ruinating +ruination +ruinations +ruination's +ruinatious +ruinator +ruin-breathing +ruin-crowned +ruined +ruiner +ruiners +ruing +ruin-heaped +ruin-hurled +ruiniform +ruining +ruinlike +ruin-loving +ruinous +ruinously +ruinousness +ruinproof +ruins +Ruisdael +Ruysdael +Ruyter +Ruiz +Rukbat +rukh +rulable +Rulander +rule +ruled +ruledom +ruled-out +rule-joint +ruleless +rulemonger +ruler +rulers +rulership +ruler-straight +Rules +Ruleville +ruly +ruling +rulingly +rulings +rull +ruller +rullion +rullock +Rulo +RUM +rumage +rumaged +rumaging +rumaki +rumakis +rumal +Ruman +Rumania +Rumanian +rumanians +rumanite +rumb +rumba +rumbaed +rumbaing +rumbarge +rumbas +rumbelow +rumble +rumble-bumble +rumbled +rumblegarie +rumblegumption +rumblement +rumbler +rumblers +rumbles +rumble-tumble +rumbly +rumbling +rumblingly +rumblings +rumbo +rumbooze +rumbowline +rumbowling +rum-bred +rumbullion +rumbumptious +rumbustical +rumbustion +rumbustious +rumbustiousness +rumchunder +rum-crazed +rum-drinking +rumdum +rum-dum +rume +Rumely +Rumelia +Rumelian +rumen +rumenitis +rumenocentesis +rumenotomy +rumens +Rumery +Rumex +rum-fired +rum-flavored +Rumford +rumfustian +rumgumption +rumgumptious +rum-hole +Rumi +rumicin +Rumilly +Rumina +ruminal +ruminant +Ruminantia +ruminantly +ruminants +ruminate +ruminated +ruminates +ruminating +ruminatingly +rumination +ruminations +ruminative +ruminatively +ruminator +ruminators +rumkin +rumless +rumly +rummage +rummaged +rummager +rummagers +rummages +rummagy +rummaging +rummer +rummery +rummers +rummes +rummest +rummy +rummier +rummies +rummiest +rummily +rum-mill +rumminess +rummish +rummle +Rumney +rumness +rum-nosed +Rumor +rumored +rumorer +rumoring +rumormonger +rumorous +rumorproof +rumors +rumour +rumoured +rumourer +rumouring +rumourmonger +rumours +rump +rumpad +rumpadder +rumpade +Rumpelstiltskin +Rumper +Rumpf +rump-fed +rumpy +rumple +rumpled +rumples +rumpless +rumply +rumplier +rumpliest +rumpling +rumpot +rum-producing +rumps +rumpscuttle +rumpuncheon +rumpus +rumpuses +rumrunner +rumrunners +rumrunning +rums +Rumsey +rum-selling +rumshop +rum-smelling +Rumson +rumswizzle +rumtytoo +run +Runa +runabout +run-about +runabouts +runagado +runagate +runagates +runaround +run-around +runarounds +Runa-simi +runaway +runaways +runback +runbacks +runby +runboard +runch +runchweed +runcinate +Runck +Runcorn +rundale +Rundbogenstil +rundel +Rundgren +Rundi +rundle +rundles +rundlet +rundlets +rundown +run-down +rundowns +Rundstedt +rune +rune-bearing +runecraft +runed +runefolk +rune-inscribed +runeless +runelike +runer +runes +runesmith +runestaff +rune-staff +rune-stave +rune-stone +runeword +runfish +rung +Runge +runghead +rungless +rungs +rung's +runholder +runic +runically +runiform +run-in +Runion +Runyon +runite +runkeeper +Runkel +Runkle +runkled +runkles +runkly +runkling +runless +runlet +runlets +runman +runnable +runnel +Runnells +runnels +Runnemede +runner +runners +runner's +runners-up +runner-up +runnet +runneth +runny +runnier +runniest +Runnymede +running +running-birch +runningly +runnings +runnion +runo- +runoff +runoffs +run-of-mill +run-of-mine +run-of-paper +run-of-the-mill +run-of-the-mine +runology +runologist +run-on +runout +run-out +runouts +runover +run-over +runovers +runproof +runrig +runround +runrounds +runs +runsy +Runstadler +runt +runted +runtee +run-through +runty +runtier +runtiest +runtime +runtiness +runtish +runtishly +runtishness +runts +run-up +runway +runways +rupa +rupee +rupees +rupellary +Rupert +Ruperta +Ruperto +rupestral +rupestrian +rupestrine +Ruphina +rupia +rupiah +rupiahs +rupial +Rupicapra +Rupicaprinae +rupicaprine +Rupicola +Rupicolinae +rupicoline +rupicolous +rupie +rupitic +Ruppertsberger +Ruppia +Ruprecht +ruptile +ruption +ruptive +ruptuary +rupturable +rupture +ruptured +ruptures +rupturewort +rupturing +rural +Ruralhall +ruralisation +ruralise +ruralised +ruralises +ruralising +ruralism +ruralisms +ruralist +ruralists +ruralite +ruralites +rurality +ruralities +ruralization +ruralize +ruralized +ruralizes +ruralizing +rurally +ruralness +rurban +ruridecanal +rurigenous +Rurik +Ruritania +Ruritanian +ruru +Rus +Rus. +Rusa +Ruscher +Ruscio +Ruscus +Ruse +Rusel +Rusell +Rusert +ruses +Rush +rush-bearer +rush-bearing +rush-bordered +rush-bottomed +rushbush +rush-candle +rushed +rushee +rushees +rushen +rusher +rushers +rushes +rush-floored +Rushford +rush-fringed +rush-girt +rush-grown +rush-hour +rushy +rushier +rushiest +rushiness +Rushing +rushingly +rushingness +rushings +Rushland +rush-leaved +rushlight +rushlighted +rushlike +rush-like +rushlit +rush-margined +Rushmore +rush-ring +rush-seated +Rushsylvania +rush-stemmed +rush-strewn +Rushville +rushwork +rush-wove +rush-woven +Rusin +rusine +rusines +Rusk +rusky +Ruskin +Ruskinian +rusks +rusma +Ruso +rusot +ruspone +Russ +Russ. +russe +Russel +russelet +Russelia +Russelyn +Russell +Russellite +Russellton +Russellville +Russene +Russes +russet +russet-backed +russet-bearded +russet-brown +russet-coated +russet-colored +russet-golden +russet-green +russety +russeting +russetish +russetlike +russet-pated +russet-robed +russet-roofed +russets +russetting +Russi +Russia +Russian +Russianisation +Russianise +Russianised +Russianising +Russianism +Russianist +Russianization +Russianize +Russianized +Russianizing +Russian-owned +russians +russian's +Russiaville +Russify +Russification +Russificator +russified +Russifier +russifies +russifying +Russine +Russism +Russky +Russniak +Russo +Russo- +Russo-byzantine +Russo-caucasian +Russo-chinese +Russo-german +Russo-greek +Russo-japanese +Russolatry +Russolatrous +Russom +Russomania +Russomaniac +Russomaniacal +Russon +Russo-persian +Russophile +Russophilism +Russophilist +Russophobe +Russophobia +Russophobiac +Russophobism +Russophobist +Russo-polish +Russo-serbian +Russo-swedish +Russo-turkish +russud +Russula +Rust +rustable +Rustburg +rust-cankered +rust-colored +rust-complexioned +rust-eaten +rusted +rustful +Rusty +rustyback +rusty-branched +rusty-brown +rustic +rustical +rustically +rusticalness +rusticanum +rusticate +rusticated +rusticates +rusticating +rustication +rusticator +rusticators +Rustice +rusticial +rusticism +rusticity +rusticities +rusticize +rusticly +rusticness +rusticoat +rusty-coated +rusty-collared +rusty-colored +rusty-crowned +rustics +rusticum +Rusticus +rusticwork +rusty-dusty +Rustie +rust-yellow +rustier +rustiest +rusty-fusty +rustyish +rusty-leaved +rustily +rusty-looking +Rustin +rustiness +rusting +rusty-red +rusty-rested +rusty-spotted +rusty-throated +rustle +rustled +rustler +rustlers +rustles +rustless +rustly +rustling +rustlingly +rustlingness +Ruston +rust-preventing +rustproof +rust-proofed +rustre +rustred +rust-red +rust-removing +rust-resisting +rusts +rust-stained +rust-worn +ruswut +rut +Ruta +rutabaga +rutabagas +Rutaceae +rutaceous +rutaecarpine +Rutan +rutate +rutch +rutelian +Rutelinae +Rutger +Rutgers +Ruth +Ruthann +Ruthanne +Ruthe +ruthenate +Ruthene +Ruthenia +Ruthenian +ruthenic +ruthenious +ruthenium +ruthenous +ruther +Rutherford +rutherfordine +rutherfordite +rutherfordium +Rutherfordton +Rutherfurd +Rutheron +ruthful +ruthfully +ruthfulness +Ruthi +Ruthy +Ruthie +Ruthlee +ruthless +ruthlessly +ruthlessness +ruthlessnesses +ruths +Ruthton +Ruthven +Ruthville +rutic +rutidosis +rutyl +rutilant +rutilate +rutilated +rutilation +rutile +rutylene +rutiles +rutilous +rutin +rutinose +rutins +Rutiodon +Rutland +Rutlandshire +Rutledge +ruts +rut's +rutted +ruttee +Rutter +Ruttger +rutty +ruttier +ruttiest +ruttily +ruttiness +rutting +ruttish +ruttishly +ruttishness +ruttle +Rutuli +ruvid +Ruvolo +Ruwenzori +rux +Ruzich +RV +RVSVP +rvulsant +RW +RWA +Rwanda +RWC +rwd +RWE +Rwy +Rwy. +RWM +rwound +RX +s +'s +-s' +S. +s.a. +S.D. +s.g. +S.J. +S.J.D. +s.l. +S.M. +s.o. +S.P. +S.R.O. +S.T.D. +S.W.A. +S.W.G. +S/D +SA +SAA +SAAB +Saad +Saadi +Saan +saanen +Saar +Saarbren +Saarbrucken +Saare +Saaremaa +Saarinen +Saarland +Sab +Sab. +Saba +Sabadell +sabadilla +sabadin +sabadine +sabadinine +Sabaean +Sabaeanism +Sabaeism +Sabael +Sabah +sabaigrass +sabayon +sabayons +Sabaism +Sabaist +sabakha +Sabal +Sabalaceae +sabalo +sabalos +sabalote +Saban +sabana +Sabanahoyos +Sabanaseca +sabanut +Sabaoth +Sabathikos +Sabatier +Sabatini +sabaton +sabatons +Sabattus +Sabazian +Sabazianism +Sabazios +Sabba +Sabbat +Sabbatary +Sabbatarian +Sabbatarianism +Sabbatean +Sabbath +Sabbathaian +Sabbathaic +Sabbathaist +Sabbathbreaker +Sabbath-breaker +Sabbathbreaking +sabbath-day +Sabbathism +Sabbathize +Sabbathkeeper +Sabbathkeeping +Sabbathless +Sabbathly +Sabbathlike +sabbaths +Sabbatia +Sabbatian +Sabbatic +Sabbatical +Sabbatically +Sabbaticalness +sabbaticals +sabbatine +sabbatism +Sabbatist +Sabbatization +Sabbatize +sabbaton +sabbats +sabbed +sabbeka +sabby +sabbing +sabbitha +SABC +sab-cat +sabdariffa +sabe +Sabean +Sabec +sabeca +sabed +sabeing +Sabella +sabellan +Sabellaria +sabellarian +Sabelle +Sabelli +Sabellian +Sabellianism +Sabellianize +sabellid +Sabellidae +sabelloid +Saber +saberbill +sabered +Saberhagen +sabering +Saberio +saberleg +saber-legged +saberlike +saberproof +saber-rattling +sabers +saber's +saber-shaped +sabertooth +saber-toothed +saberwing +sabes +Sabetha +Sabia +Sabiaceae +sabiaceous +Sabian +Sabianism +sabicu +Sabik +Sabillasville +Sabin +Sabina +Sabinal +Sabine +sabines +sabing +Sabinian +Sabino +sabins +Sabinsville +Sabir +sabirs +Sable +sable-bordered +sable-cinctured +sable-cloaked +sable-colored +sablefish +sablefishes +sable-hooded +sable-lettered +sableness +sable-robed +sables +sable's +sable-spotted +sable-stoled +sable-suited +sable-vested +sable-visaged +sably +SABME +sabora +saboraim +sabot +sabotage +sabotaged +sabotages +sabotaging +saboted +saboteur +saboteurs +sabotier +sabotine +sabots +Sabra +sabras +SABRE +sabrebill +sabred +sabres +sabretache +sabretooth +sabreur +Sabrina +sabring +Sabromin +sabs +Sabsay +Sabu +Sabuja +Sabula +sabuline +sabulite +sabulose +sabulosity +sabulous +sabulum +Saburo +saburra +saburral +saburrate +saburration +sabutan +sabzi +SAC +Sacae +sacahuiste +sacalait +sac-a-lait +sacaline +sacate +Sacaton +sacatons +sacatra +sacbrood +sacbut +sacbuts +saccade +saccades +saccadge +saccadic +saccage +Saccammina +saccarify +saccarimeter +saccate +saccated +Saccha +sacchar- +saccharamide +saccharase +saccharate +saccharated +saccharephidrosis +saccharic +saccharide +sacchariferous +saccharify +saccharification +saccharified +saccharifier +saccharifying +saccharilla +saccharimeter +saccharimetry +saccharimetric +saccharimetrical +saccharin +saccharinate +saccharinated +saccharine +saccharineish +saccharinely +saccharinic +saccharinity +saccharins +saccharization +saccharize +saccharized +saccharizing +saccharo- +saccharobacillus +saccharobiose +saccharobutyric +saccharoceptive +saccharoceptor +saccharochemotropic +saccharocolloid +saccharofarinaceous +saccharogalactorrhea +saccharogenic +saccharohumic +saccharoid +saccharoidal +saccharolactonic +saccharolytic +saccharometabolic +saccharometabolism +saccharometer +saccharometry +saccharometric +saccharometrical +Saccharomyces +Saccharomycetaceae +saccharomycetaceous +Saccharomycetales +saccharomycete +Saccharomycetes +saccharomycetic +saccharomycosis +saccharomucilaginous +saccharon +saccharonate +saccharone +saccharonic +saccharophylly +saccharorrhea +saccharoscope +saccharose +saccharostarchy +saccharosuria +saccharotriose +saccharous +saccharulmic +saccharulmin +Saccharum +saccharuria +sacchulmin +Sacci +Saccidananda +sacciferous +sacciform +saccli +Sacco +Saccobranchiata +saccobranchiate +Saccobranchus +saccoderm +Saccolabium +saccomyian +saccomyid +Saccomyidae +Saccomyina +saccomyine +saccomyoid +Saccomyoidea +saccomyoidean +Saccomys +saccoon +Saccopharyngidae +Saccopharynx +Saccorhiza +saccos +saccular +sacculate +sacculated +sacculation +saccule +saccules +sacculi +Sacculina +sacculoutricular +sacculus +saccus +sacela +sacella +sacellum +sacerdocy +sacerdos +sacerdotage +sacerdotal +sacerdotalism +sacerdotalist +sacerdotalize +sacerdotally +sacerdotical +sacerdotism +sacerdotium +SACEUR +Sacha +sachamaker +sachcloth +sachem +sachemdom +sachemic +sachems +sachemship +sachet +sacheted +sachets +Sacheverell +Sachi +Sachiko +Sachs +Sachsen +Sachsse +Sacian +SACK +sackage +sackamaker +sackbag +sack-bearer +sackbut +sackbuts +sackbutt +sackcloth +sackclothed +sackcloths +sack-coated +sackdoudle +sacked +Sackey +Sacken +sacker +sackers +sacket +sack-formed +sackful +sackfuls +sacking +sackings +sackless +sacklike +sackmaker +sackmaking +Sackman +Sacks +sack-sailed +Sacksen +sacksful +sack-shaped +sacktime +Sackville +sack-winged +saclike +Saco +sacope +sacque +sacques +sacr- +sacra +sacrad +sacral +sacralgia +sacralization +sacralize +sacrals +sacrament +sacramental +sacramentalis +sacramentalism +sacramentalist +sacramentality +sacramentally +sacramentalness +Sacramentary +Sacramentarian +sacramentarianism +sacramentarist +sacramenter +sacramentism +sacramentize +Sacramento +sacraments +sacramentum +sacrary +sacraria +sacrarial +sacrarium +sacrate +sacrcraria +sacre +sacrectomy +sacred +sacredly +sacredness +sacry +sacrify +sacrificable +sacrifical +sacrificant +Sacrificati +sacrification +sacrificator +sacrificatory +sacrificature +sacrifice +sacrificeable +sacrificed +sacrificer +sacrificers +sacrifices +sacrificial +sacrificially +sacrificing +sacrificingly +sacrilege +sacrileger +sacrileges +sacrilegious +sacrilegiously +sacrilegiousness +sacrilegist +sacrilumbal +sacrilumbalis +sacring +sacring-bell +sacrings +Sacripant +sacrist +sacristan +sacristans +sacristy +sacristies +sacristry +sacrists +sacro +sacro- +Sacrobosco +sacrocaudal +sacrococcygeal +sacrococcygean +sacrococcygeus +sacrococcyx +sacrocostal +sacrocotyloid +sacrocotyloidean +sacrocoxalgia +sacrocoxitis +sacrodynia +sacrodorsal +sacrofemoral +sacroiliac +sacroiliacs +sacroinguinal +sacroischiac +sacroischiadic +sacroischiatic +sacrolumbal +sacrolumbalis +sacrolumbar +sacropectineal +sacroperineal +sacropictorial +sacroposterior +sacropubic +sacrorectal +sacrosanct +sacrosanctity +sacrosanctness +sacrosciatic +sacrosecular +sacrospinal +sacrospinalis +sacrospinous +sacrotomy +sacrotuberous +sacro-uterine +sacrovertebral +sacrum +sacrums +Sacs +Sacttler +Sacul +sac-wrist +Sad +Sada +Sadachbia +Sadalmelik +Sadalsuud +sadaqat +Sadat +sad-a-vised +sad-colored +SADD +sadden +saddened +saddening +saddeningly +saddens +sadder +saddest +saddhu +saddhus +saddik +saddirham +saddish +saddle +saddleback +saddlebacked +saddle-backed +saddlebag +saddle-bag +saddlebags +saddlebill +saddle-billed +saddlebow +saddle-bow +saddlebows +saddlecloth +saddle-cloth +saddlecloths +saddled +saddle-fast +saddle-galled +saddle-girt +saddle-graft +saddleleaf +saddleless +saddlelike +saddlemaker +saddlenose +saddle-nosed +Saddler +saddlery +saddleries +saddlers +saddles +saddle-shaped +saddlesick +saddlesore +saddle-sore +saddlesoreness +saddle-spotted +saddlestead +saddle-stitch +saddletree +saddle-tree +saddletrees +saddle-wired +saddlewise +saddling +Sadducaic +Sadducean +Sadducee +Sadduceeism +Sadduceeist +sadducees +Sadducism +Sadducize +Sade +sad-eyed +Sadella +sades +sad-faced +sadh +sadhaka +sadhana +sadhe +sadhearted +sadheartedness +sadhes +sadhika +sadhu +sadhus +Sadi +sadic +Sadick +Sadie +Sadye +Sadieville +Sadira +Sadirah +Sadiras +sadiron +sad-iron +sadirons +sadis +sadism +sadisms +sadist +sadistic +sadistically +sadists +sadist's +Sadite +sadleir +Sadler +sadly +sad-looking +sad-natured +sadness +sadnesses +sado +Sadoc +Sadoff +sadomasochism +sadomasochist +sadomasochistic +sadomasochists +Sadonia +Sadorus +Sadowa +Sadowski +sad-paced +Sadr +Sadsburyville +sad-seeming +sad-tuned +sad-voiced +sadware +SAE +saebeins +saecula +saecular +saeculum +Saeed +Saeger +Saegertown +Saehrimnir +Saeima +saernaite +saeta +saeter +saeume +Safar +safari +safaried +safariing +safaris +Safavi +Safavid +Safavis +Safawid +safe +safe-bestowed +safeblower +safe-blower +safeblowing +safe-borne +safebreaker +safe-breaker +safebreaking +safe-conduct +safecracker +safe-cracker +safecracking +safe-deposit +safegaurds +safeguard +safeguarded +safeguarder +safeguarding +safeguards +safe-hidden +safehold +safe-hold +safekeeper +safekeeping +safe-keeping +safekeepings +safely +safelight +safemaker +safemaking +safe-marching +safe-moored +safen +safener +safeness +safenesses +safer +safes +safe-sequestered +safest +safety +safety-deposit +safetied +safeties +safetying +safetyman +safe-time +safety-pin +safety-valve +safeway +Saffarian +Saffarid +Saffell +Saffian +Saffier +saffior +safflor +safflorite +safflow +safflower +safflowers +Safford +Saffren +saffron +saffron-colored +saffroned +saffron-hued +saffrony +saffron-yellow +saffrons +saffrontree +saffronwood +Safi +Safier +Safine +Safini +Safir +Safire +Safko +SAfr +safranyik +safranin +safranine +safranins +safranophil +safranophile +safrol +safrole +safroles +safrols +saft +saftly +SAG +SAGA +sagaciate +sagacious +sagaciously +sagaciousness +sagacity +sagacities +Sagai +sagaie +sagaman +sagamen +sagamite +Sagamore +sagamores +sagan +saganash +saganashes +sagapen +sagapenum +Sagaponack +sagas +sagathy +sagbut +sagbuts +Sage +sagebrush +sagebrusher +sagebrushes +sagebush +sage-colored +sage-covered +sageer +sageleaf +sage-leaf +sage-leaved +sagely +sagene +sageness +sagenesses +sagenite +sagenitic +Sager +Sageretia +Sagerman +sagerose +sages +sageship +sagesse +sagest +sagewood +saggar +saggard +saggards +saggared +saggaring +saggars +sagged +sagger +saggered +saggering +saggers +saggy +saggier +saggiest +sagginess +sagging +saggon +Saghalien +saghavart +sagy +sagier +sagiest +Sagina +saginate +sagination +Saginaw +saging +sagital +Sagitarii +sagitarius +Sagitta +Sagittae +sagittal +sagittally +Sagittary +Sagittaria +sagittaries +Sagittarii +Sagittariid +Sagittarius +sagittate +Sagittid +sagittiferous +sagittiform +sagittocyst +sagittoid +Sagle +sagless +sago +sagoin +Sagola +sagolike +sagos +sagoweer +Sagra +sags +Saguache +saguaro +saguaros +Saguenay +Saguerus +saguing +sagum +Sagunto +Saguntum +saguran +saguranes +sagvandite +sagwire +sah +Sahadeva +Sahaptin +Sahara +Saharan +Saharanpur +Saharian +Saharic +sahh +Sahib +Sahibah +sahibs +Sahidic +sahiwal +sahiwals +sahlite +sahme +Saho +sahoukar +sahras +Sahuarita +sahuaro +sahuaros +sahukar +SAI +Say +say' +saya +sayability +sayable +sayableness +Sayal +Sayao +saibling +Saybrook +SAIC +saice +Sayce +saices +said +Saida +Saidee +Saidel +Saideman +Saidi +saids +SAYE +Saied +Sayed +sayee +Sayer +Sayers +sayest +Sayette +Saiff +saify +saiga +saigas +saignant +Saigon +saiid +sayid +sayids +saiyid +sayyid +saiyids +sayyids +saying +sayings +sail +sailable +sailage +sail-bearing +sailboard +sailboat +sailboater +sailboating +sailboats +sail-borne +sail-broad +sail-carrying +sailcloth +sail-dotted +sailed +sailer +sailers +Sayles +Sailesh +sail-filling +sailfin +sailfish +sailfishes +sailflying +saily +sailyard +sailye +sailing +sailingly +sailings +sailless +sailmaker +sailmaking +sailor +Saylor +sailor-fashion +sailorfish +sailor-fisherman +sailoring +sailorizing +sailorless +sailorly +sailorlike +sailor-looking +sailorman +sailor-mind +sailor-poet +sailorproof +sailors +Saylorsburg +sailor's-choice +sailor-soul +sailor-train +sailour +sail-over +sailplane +sailplaned +sailplaner +sailplaning +sail-propelled +sails +sailship +sailsman +sail-stretched +sail-winged +saim +saimy +saimin +saimins +saimiri +Saimon +sain +saynay +saindoux +sained +Sayner +saynete +Sainfoin +sainfoins +saining +say-nothing +sains +Saint +Saint-Agathon +Saint-Brieuc +Saint-Cloud +Saint-Denis +saintdom +saintdoms +sainte +Sainte-Beuve +sainted +Saint-emilion +saint-errant +saint-errantry +saintess +Saint-estephe +Saint-Etienne +Saint-Exupery +Saint-Florentin +Saint-Gaudens +sainthood +sainthoods +sainting +saintish +saintism +saint-john's-wort +Saint-julien +Saint-Just +Saint-L +Saint-Laurent +saintless +saintly +saintlier +saintliest +saintlike +saintlikeness +saintlily +saintliness +saintlinesses +saintling +Saint-Louis +Saint-Marcellin +Saint-Maur-des-Foss +Saint-Maure +Saint-Mihiel +Saint-milion +Saint-Nazaire +Saint-Nectaire +saintology +saintologist +Saint-Ouen +Saintpaulia +Saint-Pierre +Saint-Quentin +saints +Saint-Sa +Saintsbury +saintship +Saint-Simon +Saint-Simonian +Saint-Simonianism +Saint-Simonism +Saint-simonist +sayonara +sayonaras +Saionji +saip +Saipan +Saiph +Sair +Saire +Sayre +Sayres +Sayreville +sairy +sairly +sairve +Sais +says +Saishu +Saishuto +say-so +sayst +Saite +saith +saithe +Saitic +Saitis +Saito +Saiva +Sayville +Saivism +saj +sajou +sajous +Sajovich +Sak +Saka +Sakai +Sakais +Sakalava +SAKDC +sake +sakeber +sakeen +Sakel +Sakelarides +Sakell +Sakellaridis +saker +sakeret +sakers +sakes +Sakha +Sakhalin +Sakharov +Sakhuja +Saki +Sakyamuni +sakieh +sakiyeh +sakis +Sakkara +sakkoi +sakkos +Sakmar +Sakovich +Saks +Sakta +Saktas +Sakti +Saktism +sakulya +Sakuntala +Sal +sala +Salaam +salaamed +salaaming +salaamlike +salaams +salability +salabilities +salable +salableness +salably +salaceta +Salacia +salacious +salaciously +salaciousness +salacity +salacities +salacot +salad +salada +saladang +saladangs +salade +saladero +Saladin +salading +Salado +salads +salad's +salago +salagrama +Salahi +salay +Salaidh +salal +salals +Salamanca +salamandarin +salamander +salamanderlike +salamanders +Salamandra +salamandrian +Salamandridae +salamandriform +salamandrin +Salamandrina +salamandrine +salamandroid +salamat +salambao +Salambria +Salame +salami +Salaminian +Salamis +sal-ammoniac +salamo +Salamone +salampore +salamstone +salangane +Salangi +Salangia +salangid +Salangidae +Salar +salary +salariat +salariats +salaried +salariego +salaries +salarying +salaryless +Salas +salat +Salazar +Salba +salband +Salbu +salchow +Salchunas +Saldee +saldid +Salduba +Sale +saleability +saleable +saleably +salebrous +saleeite +Saleem +salegoer +saleyard +salele +Salem +Salema +Salemburg +Saleme +salempore +Salena +Salene +salenixon +sale-over +salep +saleps +saleratus +Salerno +saleroom +salerooms +sales +sale's +salesclerk +salesclerks +salesgirl +salesgirls +Salesian +Salesin +salesite +saleslady +salesladies +salesman +salesmanship +salesmen +salespeople +salesperson +salespersons +salesroom +salesrooms +Salesville +saleswoman +saleswomen +salet +saleware +salework +salfern +Salford +Salfordville +SALI +sali- +Salian +saliant +Saliaric +Salic +Salicaceae +salicaceous +Salicales +Salicariaceae +salicetum +salicyl +salicylal +salicylaldehyde +salicylamide +salicylanilide +salicylase +salicylate +salicylic +salicylide +salicylidene +salicylyl +salicylism +salicylize +salicylous +salicyluric +salicin +salicine +salicines +salicins +salicional +salicorn +Salicornia +Salida +salience +saliences +saliency +saliencies +salient +Salientia +salientian +saliently +salientness +salients +Salyer +Salieri +Salyersville +saliferous +salify +salifiable +salification +salified +salifies +salifying +saligenin +saligenol +saligot +saligram +Salim +salimeter +salimetry +Salina +Salinan +Salinas +salination +saline +Salinella +salinelle +salineness +Salineno +salines +Salineville +Salinger +saliniferous +salinification +saliniform +salinity +salinities +salinization +salinize +salinized +salinizes +salinizing +salino- +salinometer +salinometry +salinosulphureous +salinoterreous +Salique +saliretin +Salisbarry +Salisbury +Salisburia +Salish +Salishan +Salita +salite +salited +Salitpa +Salyut +Saliva +salival +Salivan +salivant +salivary +salivas +salivate +salivated +salivates +salivating +salivation +salivations +salivator +salivatory +salivous +Salix +Salk +Salkum +Sall +Salle +Sallee +salleeman +sallee-man +salleemen +Salley +sallender +sallenders +sallet +sallets +Salli +Sally +Sallyann +Sallyanne +Sallybloom +Sallie +Sallye +sallied +sallier +salliers +sallies +sallying +sallyman +sallymen +sallyport +Sallis +Sallisaw +sallywood +salloo +sallow +sallow-cheeked +sallow-colored +sallow-complexioned +sallowed +sallower +sallowest +sallow-faced +sallowy +sallowing +sallowish +sallowly +sallow-looking +sallowness +sallows +sallow-visaged +Sallust +Salm +salma +Salmacis +Salmagundi +salmagundis +Salman +Salmanazar +salmary +salmi +salmiac +salmin +salmine +salmis +Salmo +Salmon +salmonberry +salmonberries +salmon-breeding +salmon-colored +Salmonella +salmonellae +salmonellas +salmonellosis +salmonet +salmon-haunted +salmonid +Salmonidae +salmonids +salmoniform +salmonlike +salmonoid +Salmonoidea +Salmonoidei +salmon-pink +salmon-rearing +salmon-red +salmons +salmonsite +salmon-tinted +salmon-trout +salmwood +salnatron +Salol +salols +Saloma +Salome +salometer +salometry +Salomi +Salomie +Salomo +Salomon +Salomone +Salomonia +Salomonian +Salomonic +salon +Salonica +Salonika +Saloniki +salons +salon's +saloon +saloonist +saloonkeep +saloonkeeper +saloons +saloon's +saloop +saloops +Salop +salopette +Salopian +Salot +salp +Salpa +salpacean +salpae +salpas +salpian +salpians +salpicon +salpid +Salpidae +salpids +salpiform +salpiglosis +Salpiglossis +salping- +salpingectomy +salpingemphraxis +salpinges +salpingian +salpingion +salpingitic +salpingitis +salpingo- +salpingocatheterism +salpingocele +salpingocyesis +salpingomalleus +salpingonasal +salpingo-oophorectomy +salpingo-oophoritis +salpingo-ovariotomy +salpingo-ovaritis +salpingopalatal +salpingopalatine +salpingoperitonitis +salpingopexy +salpingopharyngeal +salpingopharyngeus +salpingopterygoid +salpingorrhaphy +salpingoscope +salpingostaphyline +salpingostenochoria +salpingostomatomy +salpingostomy +salpingostomies +salpingotomy +salpingotomies +salpingo-ureterostomy +Salpinx +salpoid +sal-prunella +salps +sals +salsa +salsas +Salsbury +salse +salsify +salsifies +salsifis +salsilla +salsillas +salsoda +Salsola +Salsolaceae +salsolaceous +salsuginose +salsuginous +SALT +Salta +saltando +salt-and-pepper +saltant +saltarella +saltarelli +saltarello +saltarellos +saltary +saltate +saltation +saltativeness +saltato +Saltator +saltatory +Saltatoria +saltatorial +saltatorian +saltatoric +saltatorily +saltatorious +saltatras +saltbox +salt-box +saltboxes +saltbrush +saltbush +saltbushes +saltcat +salt-cat +saltcatch +saltcellar +salt-cellar +saltcellars +saltchuck +saltchucker +salt-cured +salteaux +salted +salt-edged +saltee +Salten +Salter +salteretto +saltery +saltern +salterns +Salterpath +Salters +saltest +saltfat +saltfish +saltfoot +salt-glazed +saltgrass +salt-green +Saltgum +salt-hard +salthouse +salty +salticid +saltie +saltier +saltierra +saltiers +saltierwise +salties +saltiest +Saltigradae +saltigrade +saltily +Saltillo +saltimbanco +saltimbank +saltimbankery +saltimbanque +salt-incrusted +saltine +saltines +saltiness +saltinesses +salting +saltings +saltire +saltires +saltireways +saltirewise +saltish +saltishly +saltishness +salt-laden +saltless +saltlessness +saltly +Saltlick +saltlike +salt-loving +saltmaker +saltmaking +saltman +saltmouth +saltness +saltnesses +Salto +saltometer +saltorel +saltpan +salt-pan +saltpans +saltpeter +saltpetre +saltpetrous +saltpond +salt-rising +salts +Saltsburg +saltshaker +Saltsman +salt-spilling +saltspoon +saltspoonful +saltsprinkler +saltus +saltuses +Saltville +saltwater +salt-watery +saltwaters +saltweed +salt-white +saltwife +saltwork +saltworker +saltworks +saltwort +saltworts +Saltzman +salubrify +salubrious +salubriously +salubriousness +salubrity +salubrities +salud +Saluda +salue +salugi +Saluki +Salukis +salung +Salus +salutary +salutarily +salutariness +salutation +salutational +salutationless +salutations +salutation's +salutatious +salutatory +salutatoria +salutatorian +salutatories +salutatorily +salutatorium +salute +saluted +saluter +saluters +salutes +salutiferous +salutiferously +saluting +salutoria +Salva +salvability +salvable +salvableness +salvably +Salvador +Salvadora +Salvadoraceae +salvadoraceous +Salvadoran +Salvadore +Salvadorian +salvagable +salvage +salvageability +salvageable +salvaged +salvagee +salvagees +salvageproof +salvager +salvagers +salvages +salvaging +Salvay +Salvarsan +salvatella +salvation +salvational +salvationism +Salvationist +salvations +Salvator +Salvatore +salvatory +salve +salved +salveline +Salvelinus +salver +salverform +salvers +salver-shaped +salves +salvy +Salvia +salvianin +salvias +Salvidor +salvific +salvifical +salvifically +salvifics +salving +Salvini +Salvinia +Salviniaceae +salviniaceous +Salviniales +salviol +Salvisa +Salvo +salvoed +salvoes +salvoing +salvor +salvors +salvos +Salvucci +Salween +Salwey +salwin +Salzburg +salzfelle +Salzgitter +Salzhauer +SAM +Sam. +SAMA +Samadera +samadh +samadhi +Samain +samaj +Samal +Samala +Samale +Samalla +Saman +Samandura +Samani +Samanid +Samantha +Samanthia +Samar +Samara +Samarang +samaras +Samaria +samariform +Samaritan +Samaritaness +Samaritanism +samaritans +samarium +samariums +Samarkand +samaroid +Samarra +samarskite +Samas +Samau +Sama-Veda +samba +sambaed +sambaing +Sambal +sambaqui +sambaquis +sambar +Sambara +sambars +sambas +Sambathe +sambel +sambhar +sambhars +sambhogakaya +sambhur +sambhurs +Sambo +sambos +sambouk +sambouse +Sambre +sambuca +Sambucaceae +sambucas +Sambucus +sambuk +sambuke +sambukes +sambul +sambunigrin +sambur +Samburg +samburs +Samburu +same +samech +samechs +same-colored +same-featured +samek +samekh +samekhs +sameks +samel +samely +sameliness +Samella +same-minded +samen +sameness +samenesses +SAmer +same-seeming +same-sized +samesome +same-sounding +samfoo +Samford +Samgarnebo +samgha +samh +Samhain +samh'in +Samhita +Sami +Samy +Samia +Samian +Samydaceae +samiel +samiels +samir +Samira +samiresite +samiri +samisen +samisens +Samish +samite +samites +samiti +samizdat +samkara +Samkhya +Saml +samlet +samlets +Sammael +Sammartini +sammel +Sammer +Sammy +Sammie +sammier +Sammies +Sammons +Samnani +Samnite +Samnium +Samnorwood +Samoa +Samoan +samoans +Samogitian +samogon +samogonka +samohu +Samoyed +Samoyedic +Samolus +samory +SAMOS +samosa +samosas +Samosatenian +Samoset +samothere +Samotherium +Samothrace +Samothracian +Samothrake +samovar +samovars +Samp +sampaguita +sampaloc +sampan +sampans +SAMPEX +samphire +samphires +sampi +sample +sampled +sampleman +samplemen +sampler +samplery +samplers +samples +sampling +samplings +Sampo +samps +Sampsaean +Sampson +Sams +Samsam +samsara +samsaras +samshoo +samshu +samshus +Samsien +samskara +sam-sodden +Samson +Samsoness +Samsonian +Samsonic +Samsonistic +samsonite +Samsun +SAMTO +Samucan +Samucu +Samuel +Samuela +Samuele +Samuella +Samuelson +samuin +Samul +samurai +samurais +samvat +San +Sana +San'a +Sanaa +sanability +sanable +sanableness +sanai +Sanalda +sanand +sanataria +sanatarium +sanatariums +sanation +sanative +sanativeness +sanatory +sanatoria +sanatoriria +sanatoririums +sanatorium +sanatoriums +Sanballat +sanbenito +sanbenitos +Sanbo +Sanborn +Sanborne +Sanburn +Sancerre +Sancha +sanche +Sanchez +Sancho +Sancy +sancyite +sancord +sanct +sancta +sanctae +sanctanimity +sancties +sanctify +sanctifiable +sanctifiableness +sanctifiably +sanctificate +sanctification +sanctifications +sanctified +sanctifiedly +sanctifier +sanctifiers +sanctifies +sanctifying +sanctifyingly +sanctilogy +sanctiloquent +sanctimony +sanctimonial +sanctimonious +sanctimoniously +sanctimoniousness +sanction +sanctionable +sanctionableness +sanctionary +sanctionative +sanctioned +sanctioner +sanctioners +sanctioning +sanctionist +sanctionless +sanctionment +sanctions +sanctity +sanctities +sanctitude +Sanctology +sanctologist +sanctorian +sanctorium +sanctuary +sanctuaried +sanctuaries +sanctuary's +sanctuarize +sanctum +sanctums +Sanctus +Sancus +Sand +sandak +Sandakan +sandal +sandaled +sandaliform +sandaling +sandalled +sandalling +sandals +sandal's +sandalwood +sandalwoods +sandalwort +sandan +sandarac +sandaracin +sandaracs +sandastra +sandastros +Sandawe +sandbag +sand-bag +sandbagged +sandbagger +sandbaggers +sandbagging +sandbags +sandbank +sandbanks +sandbar +sandbars +Sandberg +sandbin +sandblast +sandblasted +sandblaster +sandblasters +sandblasting +sandblasts +sand-blight +sandblind +sand-blind +sandblindness +sand-blindness +sand-blown +sandboard +sandboy +sand-bottomed +sandbox +sand-box +sandboxes +sandbug +sand-built +sandbur +Sandburg +sand-buried +sand-burned +sandburr +sandburrs +sandburs +sand-cast +sand-cloth +sandclub +sand-colored +sandculture +sanddab +sanddabs +Sande +sanded +Sandeep +Sandell +Sandemanian +Sandemanianism +Sandemanism +Sander +sanderling +Sanders +Sanderson +Sandersville +sanderswood +sand-etched +sand-faced +sand-finished +sandfish +sandfishes +sandfly +sandflies +sand-floated +sandflower +sandglass +sand-glass +sandgoby +sand-groper +sandgrouse +sandheat +sand-hemmed +sandhi +sandhya +sandhill +sand-hill +sand-hiller +sandhis +sandhog +sandhogs +Sandhurst +Sandi +Sandy +Sandia +sandy-bearded +sandy-bottomed +sandy-colored +Sandie +Sandye +sandier +sandies +sandiest +sandiferous +sandy-flaxen +sandy-haired +sandyish +sandiness +sanding +sandip +sandy-pated +sandy-red +sandy-rufous +sandiver +sandix +sandyx +sandkey +sandlapper +Sandler +sandless +sandlike +sand-lime +sandling +sandlings +sandlot +sand-lot +sandlots +sandlotter +sandlotters +sandman +sandmen +sandmite +sandnatter +sandnecker +Sandon +Sandor +sandpaper +sand-paper +sandpapered +sandpaperer +sandpapery +sandpapering +sandpapers +sandpeep +sandpeeps +sandpile +sandpiles +sandpiper +sandpipers +sandpit +sandpits +Sandpoint +sandproof +Sandra +Sandrakottos +sand-red +Sandry +Sandringham +Sandro +sandrock +Sandrocottus +sandroller +Sandron +Sands +sandshoe +sandsoap +sandsoaps +sandspit +sandspout +sandspur +sandstay +sandstone +sandstones +sandstorm +sandstorms +sand-strewn +Sandstrom +sand-struck +sandunga +Sandusky +sandust +sand-warped +sandweed +sandweld +Sandwich +sandwiched +sandwiches +sandwiching +sandwood +sandworm +sandworms +sandwort +sandworts +sane +saned +sanely +sane-minded +sanemindedness +saneness +sanenesses +saner +sanes +sanest +Sanetch +Sanferd +Sanfo +Sanford +Sanforize +Sanforized +Sanforizing +Sanfourd +Sanfred +Sang +sanga +sangah +san-gaku +Sangallensis +Sangallo +Sangamon +sangar +sangaree +sangarees +sangars +sangas +sanga-sanga +sang-de-boeuf +sang-dragon +sangei +Sanger +sangerbund +sangerfest +sangers +sangfroid +sang-froid +sanggau +Sanggil +Sangh +Sangha +sangho +sanghs +sangil +Sangiovese +Sangir +Sangirese +sanglant +sangley +sanglier +Sango +Sangraal +sangrail +Sangreal +sangreeroot +sangrel +sangria +sangrias +sangsue +sangu +sanguicolous +sanguifacient +sanguiferous +sanguify +sanguification +sanguifier +sanguifluous +sanguimotor +sanguimotory +sanguinaceous +sanguinary +Sanguinaria +sanguinarily +sanguinariness +sanguine +sanguine-complexioned +sanguineless +sanguinely +sanguineness +sanguineobilious +sanguineophlegmatic +sanguineous +sanguineousness +sanguineovascular +sanguines +sanguinicolous +sanguiniferous +sanguinification +sanguinis +sanguinism +sanguinity +sanguinivorous +sanguinocholeric +sanguinolency +sanguinolent +sanguinometer +sanguinopoietic +sanguinopurulent +sanguinous +sanguinuity +Sanguisorba +Sanguisorbaceae +sanguisuge +sanguisugent +sanguisugous +sanguivorous +Sanhedrim +Sanhedrin +Sanhedrist +Sanhita +Sanyakoan +sanyasi +sanicle +sanicles +Sanicula +sanidine +sanidinic +sanidinite +sanies +sanify +sanification +saning +sanious +sanipractic +sanit +sanitary +sanitaria +sanitarian +sanitarians +sanitaries +sanitariia +sanitariiums +sanitarily +sanitariness +sanitarist +sanitarium +sanitariums +sanitate +sanitated +sanitates +sanitating +sanitation +sanitationist +sanitation-proof +sanitations +sanity +sanities +sanitisation +sanitise +sanitised +sanitises +sanitising +sanitist +sanitization +sanitize +sanitized +sanitizer +sanitizes +sanitizing +sanitoria +sanitorium +Sanyu +Sanjay +sanjak +sanjakate +sanjakbeg +sanjaks +sanjakship +sanjeev +sanjib +Sanjiv +sank +sanka +Sankara +Sankaran +Sankey +sankha +Sankhya +Sanmicheli +sannaite +sannhemp +sannyasi +sannyasin +sannyasis +Sannoisian +sannop +sannops +sannup +sannups +sanopurulent +sanoserous +Sanpoil +Sans +Sans. +Sansar +sansara +sansars +Sansbury +Sanscrit +Sanscritic +sansculot +sansculotte +sans-culotte +sans-culotterie +sansculottic +sans-culottic +sansculottid +sans-culottid +sans-culottide +sans-culottides +sansculottish +sans-culottish +sansculottism +sans-culottism +sans-culottist +sans-culottize +sansei +sanseis +Sansen +sanserif +sanserifs +Sansevieria +sanshach +sansi +Sansk +Sanskrit +Sanskritic +Sanskritist +Sanskritization +Sanskritize +Sansom +Sanson +Sansone +Sansovino +sans-serif +sant +Santa +Santayana +Santal +Santalaceae +santalaceous +Santalales +Santali +santalic +santalin +santalol +Santalum +santalwood +Santana +Santander +santapee +Santar +Santarem +Santaria +Santbech +Santee +santene +Santeria +santy +Santiago +santification +santii +santimi +santims +Santini +santir +santirs +Santo +santol +Santolina +santols +santon +santonate +santonic +santonica +santonin +santonine +santoninic +santonins +santorinite +Santoro +Santos +Santos-Dumont +santour +santours +santur +santurs +sanukite +Sanusi +Sanusis +Sanvitalia +sanzen +SAO +Saon +Saone +Saorstat +Saoshyant +SAP +sapa +sapajou +sapajous +sapan +sapanwood +sapbush +sapek +sapele +Saperda +Sapers +sapful +sap-green +Sapharensian +saphead +sapheaded +sapheadedness +sapheads +saphena +saphenae +saphenal +saphenous +saphie +Saphra +sapiao +sapid +sapidity +sapidities +sapidless +sapidness +sapience +sapiences +sapiency +sapiencies +sapiens +sapient +sapiential +sapientially +sapientize +sapiently +Sapienza +sapin +sapinda +Sapindaceae +sapindaceous +Sapindales +sapindaship +Sapindus +Sapir +sapit +Sapium +sapiutan +saple +sapless +saplessness +sapling +saplinghood +saplings +sapling's +sapo +sapodilla +sapodillo +sapogenin +saponaceous +saponaceousness +saponacity +saponary +Saponaria +saponarin +saponated +Saponi +saponiferous +saponify +saponifiable +saponification +saponified +saponifier +saponifies +saponifying +saponin +saponine +saponines +saponins +saponite +saponites +saponul +saponule +sapophoric +sapor +saporific +saporifical +saporosity +saporous +sapors +Sapota +Sapotaceae +sapotaceous +sapotas +sapote +sapotes +sapotilha +sapotilla +sapotoxin +sapour +sapours +Sapowith +sappanwood +sappare +sapped +sapper +sappers +Sapphera +Sapphic +sapphics +Sapphira +Sapphire +sapphireberry +sapphire-blue +sapphire-colored +sapphired +sapphire-hued +sapphires +sapphire-visaged +sapphirewing +sapphiric +sapphirine +Sapphism +sapphisms +Sapphist +sapphists +Sappho +sappy +sappier +sappiest +sappily +sappiness +sapping +sapples +Sapporo +sapr- +sapraemia +sapremia +sapremias +sapremic +saprin +saprine +sapro- +saprobe +saprobes +saprobic +saprobically +saprobiont +saprocoll +saprodil +saprodontia +saprogen +saprogenic +saprogenicity +saprogenous +Saprolegnia +Saprolegniaceae +saprolegniaceous +Saprolegniales +saprolegnious +saprolite +saprolitic +sapromic +sapropel +sapropelic +sapropelite +sapropels +saprophagan +saprophagous +saprophile +saprophilous +saprophyte +saprophytes +saprophytic +saprophytically +saprophytism +saproplankton +saprostomous +saprozoic +saprozoon +saps +sap's +sapsago +sapsagos +sapsap +sapskull +sapsuck +sapsucker +sapsuckers +sapta-matri +sapucaia +sapucainha +Sapulpa +sapwood +sap-wood +sapwoods +sapwort +saqib +Saqqara +saquaro +SAR +SARA +saraad +Saraann +Sara-Ann +sarabacan +Sarabaite +saraband +sarabande +sarabands +Saracen +Saracenian +Saracenic +Saracenical +Saracenism +Saracenlike +saracens +Sarad +Sarada +saraf +sarafan +Saragat +Saragosa +Saragossa +Sarah +Sarahann +Sarahsville +Saraiya +Sarajane +Sarajevo +Sarakolet +Sarakolle +Saraland +Saramaccaner +Saran +Saranac +sarangi +sarangousty +sarans +Saransk +sarape +sarapes +Sarasota +Sarasvati +Saratoga +Saratogan +Saratov +Saravan +Sarawak +Sarawakese +sarawakite +Sarawan +Sarazen +sarbacane +sarbican +sarc- +sarcasm +sarcasmproof +sarcasms +sarcasm's +sarcast +sarcastic +sarcastical +sarcastically +sarcasticalness +sarcasticness +sarcel +sarcelle +sarcelled +sarcelly +sarcenet +sarcenets +Sarchet +sarcilis +Sarcina +sarcinae +sarcinas +sarcine +sarcitis +sarcle +sarcler +sarco- +sarcoadenoma +sarcoadenomas +sarcoadenomata +Sarcobatus +sarcoblast +sarcocarcinoma +sarcocarcinomas +sarcocarcinomata +sarcocarp +sarcocele +sarcocyst +Sarcocystidea +sarcocystidean +sarcocystidian +Sarcocystis +sarcocystoid +sarcocyte +Sarcococca +sarcocol +Sarcocolla +sarcocollin +sarcode +sarcoderm +sarcoderma +Sarcodes +sarcodic +sarcodictyum +Sarcodina +sarcodous +sarcoenchondroma +sarcoenchondromas +sarcoenchondromata +sarcogenic +sarcogenous +Sarcogyps +sarcoglia +sarcoid +sarcoidosis +sarcoids +sarcolactic +sarcolemma +sarcolemmal +sarcolemmas +sarcolemmata +sarcolemmic +sarcolemmous +sarcoline +sarcolysis +sarcolite +sarcolyte +sarcolytic +sarcology +sarcologic +sarcological +sarcologist +sarcoma +sarcomas +sarcomata +sarcomatoid +sarcomatosis +sarcomatous +sarcomere +sarcomeric +Sarcophaga +sarcophagal +sarcophagi +sarcophagy +sarcophagic +sarcophagid +Sarcophagidae +sarcophagine +sarcophagize +sarcophagous +sarcophagus +sarcophaguses +sarcophile +sarcophilous +Sarcophilus +sarcoplasm +sarcoplasma +sarcoplasmatic +sarcoplasmic +sarcoplast +sarcoplastic +sarcopoietic +Sarcopsylla +Sarcopsyllidae +Sarcoptes +sarcoptic +sarcoptid +Sarcoptidae +Sarcorhamphus +sarcosepsis +sarcosepta +sarcoseptum +sarcosin +sarcosine +sarcosis +sarcosoma +sarcosomal +sarcosome +sarcosperm +sarcosporid +Sarcosporida +Sarcosporidia +sarcosporidial +sarcosporidian +sarcosporidiosis +sarcostyle +sarcostosis +sarcotheca +sarcotherapeutics +sarcotherapy +sarcotic +sarcous +Sarcoxie +Sarcura +Sard +sardachate +sardana +Sardanapalian +Sardanapallos +Sardanapalos +Sardanapalus +sardanas +sardar +sardars +Sardegna +sardel +Sardella +sardelle +Sardes +Sardian +sardine +sardines +sardinewise +Sardinia +Sardinian +sardinians +Sardis +sardius +sardiuses +Sardo +Sardoin +sardonian +sardonic +sardonical +sardonically +sardonicism +sardonyx +sardonyxes +Sardou +sards +sare +Saree +sarees +Sarelon +Sarena +Sarene +Sarepta +Saretta +Sarette +SAREX +sargasso +sargassos +Sargassum +sargassumfish +sargassumfishes +Sarge +Sargeant +Sargent +Sargents +Sargentville +sarges +sargo +Sargodha +Sargonic +Sargonid +Sargonide +sargos +sargus +Sari +Sarid +sarif +Sarigue +Sarilda +sarin +Sarina +sarinda +Sarine +sarins +sarip +saris +Sarita +Sark +sarkar +Sarkaria +sarkful +sarky +sarkical +sarkier +sarkiest +sarkine +sarking +sarkinite +Sarkis +sarkit +sarkless +sarks +sarlac +sarlak +Sarles +sarlyk +Sarmatia +Sarmatian +Sarmatic +sarmatier +sarment +sarmenta +sarmentaceous +sarmentiferous +sarmentose +sarmentous +sarments +sarmentum +sarna +Sarnath +Sarnen +Sarnia +Sarnoff +sarod +sarode +sarodes +sarodist +sarodists +sarods +Saroyan +saron +Sarona +sarong +sarongs +saronic +saronide +Saronville +Saros +saroses +Sarothamnus +Sarothra +sarothrum +Sarouk +sarpanch +Sarpedon +sarpler +sarpo +sarra +Sarracenia +Sarraceniaceae +sarraceniaceous +sarracenial +Sarraceniales +sarraf +sarrasin +Sarraute +sarrazin +Sarre +sarrow +sarrusophone +sarrusophonist +sarsa +sarsaparilla +sarsaparillas +sarsaparillin +Sarsar +sarsars +Sarsechim +sarsen +sarsenet +sarsenets +sarsens +Sarsi +sarsnet +Sarson +sarsparilla +Sart +sartage +sartain +Sartell +Sarthe +Sartin +Sartish +Sarto +Sarton +sartor +sartoriad +sartorial +sartorially +sartorian +sartorii +sartorite +sartorius +sartors +Sartre +Sartrian +Sartrianism +SARTS +saru-gaku +Saruk +Sarum +sarus +Sarvarthasiddha +Sarver +Sarvodaya +sarwan +Sarzan +SAS +sasa +Sasabe +Sasak +Sasakwa +Sasame-yuki +sasan +sasani +sasanqua +sasarara +Sascha +SASE +Sasebo +Saseno +sash +Sasha +sashay +sashayed +sashaying +sashays +sashed +Sashenka +sashery +sasheries +sashes +sashimi +sashimis +sashing +sashless +sashoon +sash-window +SASI +sasin +sasine +sasins +Sask +Sask. +Saskatchewan +Saskatoon +Sasnett +Saspamco +Sass +sassaby +sassabies +sassafac +sassafrack +sassafras +sassafrases +sassagum +Sassak +Sassamansville +Sassan +sassandra +Sassanian +Sassanid +Sassanidae +Sassanide +Sassanids +Sassari +sasse +sassed +Sassella +Sassenach +Sassenage +Sasser +Sasserides +sasses +Sassetta +sassy +sassybark +sassier +sassies +sassiest +sassily +sassiness +sassing +sassywood +sassolin +sassoline +sassolite +Sassoon +sasswood +sasswoods +Sastean +sastra +sastruga +sastrugi +SAT +Sat. +sata +satable +satai +satay +satays +Satan +Satanael +Satanas +satang +satangs +satanic +satanical +satanically +satanicalness +Satanism +satanisms +Satanist +Satanistic +satanists +Satanity +satanize +Satanology +Satanophany +Satanophanic +Satanophil +Satanophobia +Satanship +Satanta +satara +sataras +Satartia +SATB +satchel +satcheled +satchelful +satchels +satchel's +Sat-chit-ananda +Satcitananda +Sat-cit-ananda +satd +sate +sated +satedness +sateen +sateens +sateenwood +Sateia +sateless +satelles +satellitarian +satellite +satellited +satellites +satellite's +satellitesimal +satellitian +satellitic +satellitious +satellitium +satellitoid +satellitory +satelloid +satem +sates +Sathrum +sati +satiability +satiable +satiableness +satiably +Satyagraha +satyagrahi +satyaloka +satyashodak +satiate +satiated +satiates +satiating +satiation +Satie +Satieno +satient +satiety +satieties +satin +satinay +satin-backed +satinbush +satine +satined +satinet +satinets +satinette +satin-faced +satinfin +satin-finished +satinflower +satin-flower +sating +satiny +satininess +satining +satinite +satinity +satinize +satinleaf +satin-leaved +satinleaves +satin-lidded +satinlike +satin-lined +satinpod +satinpods +satins +satin-shining +satin-smooth +satin-striped +satinwood +satinwoods +satin-worked +sation +satyr +satire +satireproof +satires +satire's +satyresque +satyress +satyriases +satyriasis +satiric +satyric +satirical +satyrical +satirically +satiricalness +satyrid +Satyridae +satyrids +Satyrinae +satyrine +satyrion +satirisable +satirisation +satirise +satirised +satiriser +satirises +satirising +satirism +satyrism +satirist +satirists +satirizable +satirize +satirized +satirizer +satirizers +satirizes +satirizing +satyrlike +satyromaniac +satyrs +satis +satisdation +satisdiction +satisfaciendum +satisfaction +satisfactional +satisfactionist +satisfactionless +satisfactions +satisfaction's +satisfactive +satisfactory +satisfactorily +satisfactoriness +satisfactorious +satisfy +satisfiability +satisfiable +satisfice +satisfied +satisfiedly +satisfiedness +satisfier +satisfiers +satisfies +satisfying +satisfyingly +satisfyingness +satispassion +sativa +sativae +sative +satlijk +Sato +satori +satorii +satoris +Satrae +satrap +satrapal +satrapate +satrapess +satrapy +satrapic +satrapical +satrapies +satraps +satron +Satsop +Satsuma +satsumas +sattar +Satterfield +Satterlee +satterthwaite +sattie +sattle +Sattley +sattva +sattvic +Satu-Mare +satura +saturability +saturable +saturant +saturants +saturate +saturated +saturatedness +saturater +saturates +saturating +saturation +saturations +saturator +Saturday +Saturdays +saturday's +Satureia +satury +saturity +saturization +Saturn +Saturnal +Saturnale +saturnali +Saturnalia +Saturnalian +saturnalianly +Saturnalias +Saturnia +Saturnian +saturnic +Saturnicentric +saturniid +Saturniidae +Saturnine +saturninely +saturnineness +saturninity +saturnism +saturnist +saturnity +saturnize +Saturnus +Sau +sauba +sauce +sauce-alone +sauceboat +sauce-boat +saucebox +sauceboxes +sauce-crayon +sauced +saucedish +sauceless +sauceline +saucemaker +saucemaking +sauceman +saucemen +saucepan +saucepans +saucepan's +sauceplate +saucepot +saucer +saucer-eyed +saucerful +saucery +saucerize +saucerized +saucerleaf +saucerless +saucerlike +saucerman +saucers +saucer-shaped +sauces +sauch +sauchs +Saucy +Saucier +sauciest +saucily +sauciness +saucing +saucisse +saucisson +Saud +Sauder +Saudi +saudis +Saudra +Sauer +Sauerbraten +sauerkraut +sauerkrauts +Sauers +sauf +Saugatuck +sauger +saugers +Saugerties +saugh +saughen +saughy +saughs +saught +Saugus +Sauk +Sauks +Saukville +Saul +sauld +saulge +saulie +Sauls +Saulsbury +Sault +saulter +Saulteur +saults +Saum +saumya +saumon +saumont +Saumur +sauna +saunas +Sauncho +sauncy +sauncier +saunciest +Saunder +Saunders +Saunderson +Saunderstown +saunderswood +Saundra +Saunemin +saunt +saunter +sauntered +saunterer +saunterers +sauntering +saunteringly +saunters +sauqui +Sauquoit +saur +Saura +Sauraseni +Saurashtra +Saurauia +Saurauiaceae +saurel +saurels +saury +Sauria +saurian +saurians +sauriasis +sauries +sauriosis +Saurischia +saurischian +saurless +sauro- +Sauroctonos +saurodont +Saurodontidae +Saurognathae +saurognathism +saurognathous +sauroid +Sauromatian +saurophagous +sauropod +Sauropoda +sauropodous +sauropods +sauropsid +Sauropsida +sauropsidan +sauropsidian +Sauropterygia +sauropterygian +Saurornithes +saurornithic +Saururaceae +saururaceous +Saururae +saururan +saururous +Saururus +Sausa +sausage +sausage-fingered +sausagelike +sausages +sausage's +sausage-shaped +Sausalito +sausinger +Saussure +Saussurea +saussurite +saussuritic +saussuritization +saussuritize +saut +saute +sauted +Sautee +sauteed +sauteing +sauter +sautereau +sauterelle +sauterne +Sauternes +sautes +sauteur +sauty +sautoir +sautoire +sautoires +sautoirs +sautree +Sauttoirs +Sauvagesia +sauve +sauvegarde +sauve-qui-peut +Sauveur +sav +Sava +savable +savableness +savacu +Savadove +Savage +savaged +savagedom +savage-featured +savage-fierce +savage-hearted +savagely +savage-looking +savageness +savagenesses +savager +savagery +savageries +savagerous +savagers +savages +savage-spoken +savagess +savagest +savage-wild +savaging +savagism +savagisms +savagize +Savaii +Saval +savanilla +Savanna +Savannah +savannahs +savannas +savant +savants +Savara +savarin +savarins +savate +savates +savation +Savdeep +Save +saveable +saveableness +save-all +saved +savey +savelha +Savell +saveloy +saveloys +savement +saver +Savery +savers +Saverton +saves +Savick +Savil +savile +Savill +Saville +savin +Savina +savine +savines +saving +savingly +savingness +savings +savin-leaved +savins +savintry +Savior +savioress +saviorhood +saviors +savior's +saviorship +Saviour +saviouress +saviourhood +saviours +saviourship +Savitar +Savitri +Savitt +Savoy +Savoyard +Savoyards +Savoie +savoyed +savoying +savoir-faire +savoir-vivre +savoys +savola +Savona +Savonarola +Savonarolist +Savonburg +Savonnerie +savor +savored +savorer +savorers +Savory +savorier +savories +savoriest +savory-leaved +savorily +savoriness +savoring +savoringly +savorless +savorlessness +savorly +savorous +savors +savorsome +savour +savoured +savourer +savourers +savoury +savourier +savouries +savouriest +savourily +savouriness +savouring +savouringly +savourless +savourous +savours +savssat +savvy +savvied +savvier +savvies +savviest +savvying +SAW +sawah +Sawaiori +sawali +Sawan +sawarra +sawback +sawbelly +sawbill +saw-billed +sawbills +sawbones +sawboneses +sawbuck +sawbucks +sawbwa +sawder +sawdust +sawdusty +sawdustish +sawdustlike +sawdusts +sawed +saw-edged +sawed-off +sawer +sawers +sawfish +sawfishes +sawfly +saw-fly +sawflies +sawflom +saw-handled +sawhorse +sawhorses +Sawyer +Sawyere +sawyers +Sawyerville +sawing +sawings +Sawyor +sawish +saw-leaved +sawlike +sawlog +sawlogs +sawlshot +sawmaker +sawmaking +sawman +sawmill +sawmiller +sawmilling +sawmills +sawmill's +sawmon +sawmont +sawn +sawneb +Sawney +sawneys +sawny +sawnie +sawn-off +saw-pierce +sawpit +saw-pit +saws +sawsetter +saw-shaped +sawsharper +sawsmith +sawt +sawteeth +Sawtelle +sawtimber +sawtooth +saw-toothed +sawway +saw-whet +sawworker +sawwort +saw-wort +Sax +Sax. +Saxapahaw +saxatile +saxaul +saxboard +saxcornet +Saxe +Saxe-Altenburg +Saxe-Coburg-Gotha +Saxe-Meiningen +Saxen +Saxena +saxes +Saxeville +Saxe-Weimar-Eisenach +saxhorn +sax-horn +saxhorns +Saxicava +saxicavous +Saxicola +saxicole +Saxicolidae +Saxicolinae +saxicoline +saxicolous +Saxifraga +Saxifragaceae +saxifragaceous +saxifragant +saxifrage +saxifragous +saxifrax +saxigenous +Saxis +Saxish +saxitoxin +Saxon +Saxonburg +Saxondom +Saxony +Saxonian +Saxonic +Saxonical +Saxonically +saxonies +Saxonish +Saxonism +Saxonist +Saxonite +Saxonization +Saxonize +Saxonly +saxons +saxophone +saxophones +saxophonic +saxophonist +saxophonists +saxotromba +saxpence +saxten +saxtie +Saxton +saxtuba +saxtubas +sazen +Sazerac +SB +sb. +SBA +Sbaikian +SBC +SBE +SBIC +sbirro +SBLI +sblood +'sblood +SBMS +sbodikins +'sbodikins +Sbrinz +SBS +SBU +SBUS +SbW +SBWR +SC +sc. +SCA +scab +scabbado +scabbard +scabbarded +scabbarding +scabbardless +scabbards +scabbard's +scabbed +scabbedness +scabbery +scabby +scabbier +scabbiest +scabby-head +scabbily +scabbiness +scabbing +scabble +scabbled +scabbler +scabbles +scabbling +scabellum +scaberulous +scabetic +scabia +scabicidal +scabicide +scabid +scabies +scabietic +scabine +scabinus +scabiophobia +Scabiosa +scabiosas +scabiosity +scabious +scabiouses +scabish +scabland +scablike +scabrate +scabrescent +scabrid +scabridity +scabridulous +scabrin +scabrities +scabriusculose +scabriusculous +scabrock +scabrosely +scabrous +scabrously +scabrousness +scabs +scabwort +scacchic +scacchite +SCAD +SCADA +SCADC +scaddle +scads +Scaean +scaena +scaff +scaffer +scaffery +scaffy +scaffie +scaffle +scaffold +scaffoldage +scaffolded +scaffolder +scaffolding +scaffoldings +scaffolds +scaff-raff +scag +scaglia +scagliola +scagliolist +scags +scaife +Scala +scalable +scalableness +scalably +scalade +scalades +scalado +scalados +scalae +scalage +scalages +scalar +scalare +scalares +scalary +Scalaria +scalarian +scalariform +scalariformly +Scalariidae +scalars +scalar's +scalarwise +scalation +scalawag +scalawaggery +scalawaggy +scalawags +scald +scaldberry +scalded +scalder +scaldfish +scald-fish +scaldy +scaldic +scalding +scaldini +scaldino +scaldra +scalds +scaldweed +scale +scaleback +scalebark +scale-bearing +scaleboard +scale-board +scale-bright +scaled +scaled-down +scale-down +scaledrake +scalefish +scaleful +scaleless +scalelet +scalelike +scaleman +scalemen +scalena +scalene +scaleni +scalenohedra +scalenohedral +scalenohedron +scalenohedrons +scalenon +scalenous +scalenum +scalenus +scalepan +scalepans +scaleproof +scaler +scalers +Scales +scalesman +scalesmen +scalesmith +scalet +scaletail +scale-tailed +scaleup +scale-up +scaleups +scalewing +scalewise +scalework +scalewort +Scalf +scalfe +scaly +scaly-bark +scaly-barked +scalier +scaliest +scaly-finned +Scaliger +scaliness +scaling +scaling-ladder +scalings +scaly-stemmed +scalytail +scaly-winged +scall +scallage +scallawag +scallawaggery +scallawaggy +scalled +scallion +scallions +scallywag +scallola +scallom +scallop +scalloped +scalloped-edged +scalloper +scallopers +scalloping +scallopini +scallops +scallop-shell +scallopwise +scalls +scalma +scalodo +scalogram +scaloni +scaloppine +Scalops +Scalopus +scalp +scalped +scalpeen +scalpel +scalpellar +scalpellic +scalpellum +scalpellus +scalpels +scalper +scalpers +scalping +scalping-knife +scalpless +scalplock +scalpra +scalpriform +scalprum +scalps +scalp's +scalpture +scalt +scalx +scalz +scam +Scamander +Scamandrius +scamble +scambled +scambler +scambling +SCAME +scamell +scamillus +scamler +scamles +scammed +scammel +scamming +Scammon +scammony +scammoniate +scammonies +scammonin +scammonyroot +SCAMP +scampavia +scamped +scamper +scampered +scamperer +scampering +scampers +scamphood +scampi +scampies +scamping +scampingly +scampish +scampishly +scampishness +scamps +scampsman +scams +SCAN +scance +Scand +scandal +scandal-bearer +scandal-bearing +scandaled +scandaling +scandalisation +scandalise +scandalised +scandaliser +scandalising +scandalization +scandalize +scandalized +scandalizer +scandalizers +scandalizes +scandalizing +scandalled +scandalling +scandalmonger +scandalmongery +scandalmongering +scandal-mongering +scandalmonging +scandalous +scandalously +scandalousness +scandalproof +scandals +scandal's +Scandaroon +scandent +Scanderbeg +Scandia +Scandian +scandias +scandic +scandicus +Scandinavia +Scandinavian +Scandinavianism +scandinavians +scandium +scandiums +Scandix +Scandura +Scania +Scanian +Scanic +scanmag +scannable +scanned +scanner +scanners +scanner's +scanning +scanningly +scannings +scans +scansion +scansionist +scansions +Scansores +scansory +scansorial +scansorious +scanstor +scant +scanted +scanter +scantest +scanty +scantier +scanties +scantiest +scantily +scantiness +scanting +scantity +scantle +scantlet +scantly +scantling +scantlinged +scantlings +scantness +scants +scap +scape +scape-bearing +scaped +scapegallows +scapegoat +scapegoater +scapegoating +scapegoatism +scapegoats +scapegrace +scapegraces +scapel +scapeless +scapement +scapes +scapethrift +scapewheel +scapha +Scaphander +Scaphandridae +scaphe +scaphion +Scaphiopodidae +Scaphiopus +scaphism +scaphite +Scaphites +Scaphitidae +scaphitoid +scapho- +scaphocephaly +scaphocephalic +scaphocephalism +scaphocephalous +scaphocephalus +scaphocerite +scaphoceritic +scaphognathite +scaphognathitic +scaphoid +scaphoids +scapholunar +scaphopod +Scaphopoda +scaphopodous +scapiform +scapigerous +scaping +scapoid +scapolite +scapolite-gabbro +scapolitization +scapose +scapple +scappler +Scappoose +scapula +scapulae +scapulalgia +scapular +scapulare +scapulary +scapularies +scapulars +scapular-shaped +scapulas +scapulated +scapulectomy +scapulet +scapulette +scapulimancy +scapulo- +scapuloaxillary +scapulobrachial +scapuloclavicular +scapulocoracoid +scapulodynia +scapulohumeral +scapulopexy +scapuloradial +scapulospinal +scapulothoracic +scapuloulnar +scapulovertebral +scapus +scar +scarab +scarabaean +scarabaei +scarabaeid +Scarabaeidae +scarabaeidoid +scarabaeiform +Scarabaeinae +scarabaeoid +scarabaeus +scarabaeuses +scarabee +scaraboid +scarabs +Scaramouch +Scaramouche +scar-bearer +scar-bearing +Scarborough +Scarbro +scarb-tree +scarce +scarce-closed +scarce-cold +scarce-covered +scarce-discerned +scarce-found +scarce-heard +scarcely +scarcelins +scarcement +scarce-met +scarce-moving +scarcen +scarceness +scarce-parted +scarcer +scarce-seen +scarcest +scarce-told +scarce-warned +scarcy +scarcity +scarcities +scar-clad +scards +scare +scarebabe +scare-bear +scare-beggar +scare-bird +scarebug +Scare-christian +scarecrow +scarecrowy +scarecrowish +scarecrows +scared +scare-devil +scaredy-cat +scare-fire +scare-fish +scare-fly +scareful +scare-hawk +scarehead +scare-hog +scarey +scaremonger +scaremongering +scare-mouse +scare-peddler +scareproof +scarer +scare-robin +scarers +scares +scare-sheep +scare-sinner +scare-sleep +scaresome +scare-thief +scare-vermin +scarf +Scarface +scar-faced +scarfe +scarfed +scarfer +scarfy +scarfing +scarfless +scarflike +scarfpin +scarfpins +scarfs +scarfskin +scarf-skin +scarfwise +scary +scarid +Scaridae +scarier +scariest +scarify +scarification +scarificator +scarified +scarifier +scarifies +scarifying +scarily +scariness +scaring +scaringly +scariole +scariose +scarious +Scarito +scarlatina +scarlatinal +scarlatiniform +scarlatinoid +scarlatinous +Scarlatti +scarless +Scarlet +scarlet-ariled +scarlet-barred +scarletberry +scarlet-berried +scarlet-blossomed +scarlet-breasted +scarlet-circled +scarlet-clad +scarlet-coated +scarlet-colored +scarlet-crested +scarlet-day +scarlet-faced +scarlet-flowered +scarlet-fruited +scarlet-gowned +scarlet-haired +scarlety +scarletina +scarlet-lined +scarlet-lipped +scarlet-red +scarlet-robed +scarlets +scarletseed +Scarlett +scarlet-tipped +scarlet-vermillion +scarman +scarn +scaroid +scarola +scarp +scarpa +scarpe +scarped +scarper +scarpered +scarpering +scarpers +scarpetti +scarph +scarphed +scarphing +scarphs +scarpines +scarping +scarplet +scarpment +scarproof +scarps +scarred +scarrer +scarry +scarrier +scarriest +scarring +Scarron +Scarrow +scars +scar's +Scarsdale +scar-seamed +scart +scarted +scarth +scarting +scarts +Scarus +scarved +scarves +Scarville +scase +scasely +SCAT +scat- +scatback +scatbacks +scatch +scathe +scathed +scatheful +scatheless +scathelessly +scathes +scathful +scathy +scathing +scathingly +Scaticook +scatland +scato- +scatology +scatologia +scatologic +scatological +scatologies +scatologist +scatologize +scatoma +scatomancy +scatomas +scatomata +scatophagy +scatophagid +Scatophagidae +scatophagies +scatophagoid +scatophagous +scatoscopy +scats +scatt +scatted +scatter +scatterable +scatteration +scatteraway +scatterbrain +scatter-brain +scatterbrained +scatter-brained +scatterbrains +scattered +scatteredly +scatteredness +scatterer +scatterers +scattergood +scattergram +scattergrams +scattergraph +scattergun +scatter-gun +scattery +scattering +scatteringly +scatterings +scatterling +scatterment +scattermouch +scatterplot +scatterplots +scatters +scattershot +scattersite +scatty +scattier +scattiest +scatting +scatts +scatula +scaturient +scaul +scaum +scaup +scaup-duck +scauper +scaupers +scaups +scaur +scaurie +scaurs +scaut +scavage +scavager +scavagery +scavel +scavenage +scavenge +scavenged +scavenger +scavengery +scavengerism +scavengers +scavengership +scavenges +scavenging +scaw +scawd +scawl +scawtite +scazon +scazontic +SCB +ScBC +ScBE +SCC +SCCA +scclera +SCCS +ScD +SCE +sceat +SCED +scegger +scelalgia +scelerat +scelerate +scelidosaur +scelidosaurian +scelidosauroid +Scelidosaurus +Scelidotherium +Sceliphron +sceloncus +Sceloporus +scelotyrbe +scelp +scena +scenary +scenario +scenarioist +scenarioization +scenarioize +scenarios +scenario's +scenarist +scenarists +scenarization +scenarize +scenarizing +scenas +scend +scended +scendentality +scending +scends +scene +scenecraft +Scenedesmus +sceneful +sceneman +scenery +sceneries +scenes +scene's +sceneshifter +scene-stealer +scenewright +scenic +scenical +scenically +scenist +scenite +scenograph +scenographer +scenography +scenographic +scenographical +scenographically +Scenopinidae +scension +scent +scented +scenter +scentful +scenting +scentless +scentlessness +scentproof +scents +scentwood +scepsis +scepter +scepterdom +sceptered +sceptering +scepterless +scepters +scepter's +sceptibly +Sceptic +sceptical +sceptically +scepticism +scepticize +scepticized +scepticizing +sceptics +sceptral +sceptre +sceptred +sceptredom +sceptreless +sceptres +sceptry +sceptring +sceptropherous +sceptrosophy +scerne +sceuophylacium +sceuophylax +sceuophorion +Scever +Scevo +Scevor +Scevour +scewing +SCF +scfh +scfm +Sch +sch. +Schaab +Schaaff +schaapsteker +Schabzieger +Schach +Schacht +Schacker +schadchan +Schadenfreude +Schaefer +Schaeffer +Schaefferia +Schaefferstown +Schaerbeek +Schafer +Schaffel +Schaffer +Schaffhausen +Schaghticoke +schairerite +Schaller +Schalles +schalmei +schalmey +schalstein +schanse +Schantz +schanz +schapbachite +Schaper +Schapira +schappe +schapped +schappes +schapping +schapska +Scharaga +Scharf +Scharff +Schargel +Schary +Scharlachberger +Scharnhorst +Scharwenka +schatchen +Schatz +Schaumberger +Schaumburg +Schaumburg-Lippe +schav +schavs +Schberg +Schear +Scheat +Schechinger +Schechter +Scheck +Schecter +Schedar +schediasm +schediastic +Schedius +schedulable +schedular +schedulate +schedule +scheduled +scheduler +schedulers +schedules +scheduling +schedulize +Scheel +Scheele +scheelin +scheelite +Scheer +Scheers +scheffel +schefferite +Scheherazade +Scheider +Scheidt +Schein +Scheiner +Scheld +Scheldt +Scheler +Schell +Schellens +Scheller +schelly +Schelling +Schellingian +Schellingianism +Schellingism +Schellsburg +schelm +scheltopusik +schema +schemas +schema's +schemata +schemati +schematic +schematical +schematically +schematics +schematisation +schematise +schematised +schematiser +schematising +schematism +schematist +schematization +schematize +schematized +schematizer +schematogram +schematograph +schematologetically +schematomancy +schematonics +scheme +schemed +schemeful +schemeless +schemer +schemery +schemers +schemes +scheme's +schemy +scheming +schemingly +schemist +schemozzle +Schenck +schene +Schenectady +Schenevus +Schenley +schepel +schepen +Schererville +Scherle +scherm +Scherman +Schertz +scherzando +scherzi +scherzo +scherzos +scherzoso +schesis +Scheuchzeria +Scheuchzeriaceae +scheuchzeriaceous +Scheveningen +Schiaparelli +schiavona +schiavone +schiavones +schiavoni +Schick +Schickard +Schiedam +Schiff +schiffli +Schiffman +Schifra +Schild +Schilit +Schiller +schillerfels +schillerization +schillerize +schillerized +schillerizing +schillers +Schilling +schillings +schillu +Schilt +schimmel +schynbald +schindylesis +schindyletic +Schindler +Schinica +Schinus +Schipa +schipperke +Schippers +Schiro +Schisandra +Schisandraceae +schism +schisma +schismatic +schismatical +schismatically +schismaticalness +schismatics +schismatism +schismatist +schismatize +schismatized +schismatizing +schismic +schismless +schisms +schist +schistaceous +schistic +schistocelia +schistocephalus +Schistocerca +schistocyte +schistocytosis +schistocoelia +schistocormia +schistocormus +schistoglossia +schistoid +schistomelia +schistomelus +schistoprosopia +schistoprosopus +schistorrhachis +schistoscope +schistose +schistosis +schistosity +Schistosoma +schistosomal +schistosome +schistosomia +schistosomiasis +schistosomus +schistosternia +schistothorax +schistous +schists +schistus +schiz +schiz- +Schizaea +Schizaeaceae +schizaeaceous +Schizanthus +schizaxon +schizy +schizier +schizo +schizo- +schizocarp +schizocarpic +schizocarpous +schizochroal +schizocyte +schizocytosis +schizocoele +schizocoelic +schizocoelous +schizodinic +schizogamy +schizogenesis +schizogenetic +schizogenetically +schizogenic +schizogenous +schizogenously +schizognath +Schizognathae +schizognathism +schizognathous +schizogony +schizogonic +schizogonous +Schizogregarinae +schizogregarine +Schizogregarinida +schizoid +schizoidism +schizoids +Schizolaenaceae +schizolaenaceous +schizolysigenous +schizolite +schizomanic +Schizomeria +schizomycete +Schizomycetes +schizomycetic +schizomycetous +schizomycosis +Schizonemertea +schizonemertean +schizonemertine +Schizoneura +Schizonotus +schizont +schizonts +schizopelmous +Schizopetalon +schizophasia +Schizophyceae +schizophyceous +Schizophyllum +Schizophyta +schizophyte +schizophytic +Schizophragma +schizophrene +schizophrenia +schizophreniac +schizophrenias +schizophrenic +schizophrenically +schizophrenics +schizopod +Schizopoda +schizopodal +schizopodous +schizorhinal +schizos +schizospore +schizostele +schizostely +schizostelic +schizothecal +schizothyme +schizothymia +schizothymic +schizothoracic +schizotrichia +Schizotrypanum +schiztic +schizzy +schizzo +Schlater +Schlauraffenland +Schlegel +Schley +Schleichera +Schleiden +Schleiermacher +schlemiel +schlemiels +schlemihl +Schlenger +schlenter +schlep +schlepp +schlepped +schlepper +schlepping +schlepps +schleps +Schlesien +Schlesinger +Schlessel +Schlessinger +Schleswig +Schleswig-Holstein +Schlicher +Schlick +Schlieffen +Schliemann +schliere +schlieren +schlieric +schlimazel +schlimazl +Schlitz +schlock +schlocky +schlocks +schloop +Schloss +Schlosser +Schlummerlied +schlump +schlumps +Schluter +Schmalkaldic +schmaltz +schmaltzes +schmaltzy +schmaltzier +schmaltziest +schmalz +schmalzes +schmalzy +schmalzier +schmalziest +schmatte +schmear +schmears +schmeer +schmeered +schmeering +schmeers +schmeiss +Schmeling +Schmeltzer +schmelz +schmelze +schmelzes +Schmerz +Schmidt +Schmidt-Rottluff +Schmierkse +Schmitt +Schmitz +schmo +schmoe +schmoes +schmoos +schmoose +schmoosed +schmooses +schmoosing +schmooze +schmoozed +schmoozes +schmoozing +schmos +schmuck +schmucks +SchMusB +Schnabel +Schnabelkanne +Schnapp +schnapper +schnapps +schnaps +schnauzer +schnauzers +schnebelite +schnecke +schnecken +Schnecksville +Schneider +Schneiderian +Schneiderman +Schnell +schnitz +schnitzel +Schnitzler +schnook +schnooks +schnorchel +schnorkel +schnorkle +Schnorr +schnorrer +schnoz +schnozz +schnozzle +schnozzola +Schnur +Schnurr +scho +Schober +schochat +schoche +schochet +schoenanth +Schoenberg +Schoenburg +Schoenfelder +Schoening +Schoenius +schoenobatic +schoenobatist +Schoenocaulon +Schoenus +Schofield +Schoharie +schokker +schola +scholae +scholaptitude +scholar +scholarch +scholardom +scholarian +scholarism +scholarity +scholarless +scholarly +scholarlike +scholarliness +scholars +scholarship +scholarships +scholarship's +scholasm +Scholastic +scholastical +scholastically +scholasticate +Scholasticism +scholasticly +scholastics +scholasticus +Scholem +scholia +scholiast +scholiastic +scholion +scholium +scholiumlia +scholiums +Scholz +Schomberger +Schomburgkia +Schonbein +Schonberg +schone +Schonfeld +schonfelsite +Schonfield +Schongauer +Schonthal +Schoodic +Schoof +School +schoolable +schoolage +school-age +schoolbag +schoolboy +schoolboydom +schoolboyhood +schoolboyish +schoolboyishly +schoolboyishness +schoolboyism +schoolboys +schoolboy's +schoolbook +schoolbookish +schoolbooks +school-bred +schoolbutter +schoolchild +schoolchildren +Schoolcraft +schooldays +schooldame +schooldom +schooled +schooler +schoolery +schoolers +schoolfellow +schoolfellows +schoolfellowship +schoolful +schoolgirl +schoolgirlhood +schoolgirly +schoolgirlish +schoolgirlishly +schoolgirlishness +schoolgirlism +schoolgirls +schoolgoing +schoolhouse +school-house +schoolhouses +schoolhouse's +schoolyard +schoolyards +schoolie +schooling +schoolingly +schoolish +schoolkeeper +schoolkeeping +school-leaving +schoolless +schoollike +schoolma +schoolmaam +schoolma'am +schoolmaamish +school-made +school-magisterial +schoolmaid +Schoolman +schoolmarm +schoolmarms +schoolmaster +schoolmasterhood +schoolmastery +schoolmastering +schoolmasterish +schoolmasterishly +schoolmasterishness +schoolmasterism +schoolmasterly +schoolmasterlike +schoolmasters +schoolmaster's +schoolmastership +schoolmate +schoolmates +schoolmen +schoolmiss +schoolmistress +schoolmistresses +schoolmistressy +schoolroom +schoolrooms +schoolroom's +Schools +school-taught +schoolteacher +schoolteachery +schoolteacherish +schoolteacherly +schoolteachers +schoolteaching +schooltide +schooltime +school-trained +schoolward +schoolwards +schoolwork +schoon +schooner +schooner-rigged +schooners +schooper +Schopenhauer +Schopenhauereanism +Schopenhauerian +Schopenhauerism +schoppen +schorenbergite +schorl +schorlaceous +schorl-granite +schorly +schorlomite +schorlous +schorl-rock +schorls +Schott +schottische +schottish +Schottky +Schou +schout +Schouten +schouw +Schow +schradan +Schrader +Schram +Schramke +schrank +schraubthaler +Schrdinger +Schrebera +Schreck +schrecklich +Schrecklichkeit +Schreib +Schreibe +Schreiber +schreibersite +Schreibman +schreiner +schreinerize +schreinerized +schreinerizing +schryari +Schrick +schriesheimite +Schriever +schrik +schriks +schrod +Schroder +Schrodinger +schrods +Schroeder +Schroedinger +Schroer +Schroth +schrother +Schrund +schtick +schticks +schtik +schtiks +schtoff +Schubert +Schug +Schuh +schuhe +Schuyler +Schuylerville +Schuylkill +schuit +schuyt +schuits +Schul +Schulberg +Schule +Schulein +Schulenburg +Schuler +Schulman +schuln +schultenite +Schulter +Schultz +schultze +Schulz +Schulze +Schumacher +Schuman +Schumann +Schumer +Schumpeter +schungite +Schurman +Schurz +Schuschnigg +schuss +schussboomer +schussboomers +schussed +schusser +schusses +schussing +Schuster +schute +Schutz +Schutzstaffel +schwa +Schwab +schwabacher +Schwaben +Schwalbea +Schwann +schwanpan +schwarmerei +Schwartz +Schwarz +Schwarzian +Schwarzkopf +Schwarzwald +schwas +Schweiker +Schweinfurt +Schweitzer +Schweiz +schweizer +schweizerkase +Schwejda +Schwendenerian +Schwenk +Schwenkfelder +Schwenkfeldian +Schwerin +Schwertner +Schwing +Schwinn +Schwitters +Schwitzer +Schwyz +SCI +sci. +Sciadopitys +Sciaena +sciaenid +Sciaenidae +sciaenids +sciaeniform +Sciaeniformes +sciaenoid +sciage +sciagraph +sciagraphed +sciagraphy +sciagraphic +sciagraphing +scialytic +sciamachy +sciamachies +sciametry +Scian +sciapod +sciapodous +Sciara +sciarid +Sciaridae +Sciarinae +sciascope +sciascopy +sciath +sciatheric +sciatherical +sciatherically +sciatic +sciatica +sciatical +sciatically +sciaticas +sciaticky +sciatics +scybala +scybalous +scybalum +Scibert +scibile +scye +scyelite +science +scienced +sciences +science's +scient +scienter +scientia +sciential +scientiarum +scientician +Scientific +scientifical +scientifically +scientificalness +scientificogeographical +scientificohistorical +scientificophilosophical +scientificopoetic +scientificoreligious +scientificoromantic +scientintically +scientism +Scientist +scientistic +scientistically +scientists +scientist's +scientize +scientolism +Scientology +scientologist +SCIFI +sci-fi +scil +Scylaceus +Scyld +scilicet +Scilla +Scylla +Scyllaea +Scyllaeidae +scillain +scyllarian +Scyllaridae +scyllaroid +Scyllarus +scillas +Scyllidae +Scylliidae +scyllioid +Scylliorhinidae +scylliorhinoid +Scylliorhinus +scillipicrin +Scillitan +scyllite +scillitin +scillitine +scyllitol +scillitoxin +Scyllium +Scillonian +scimetar +scimetars +scimitar +scimitared +scimitarpod +scimitars +scimitar-shaped +scimiter +scimitered +scimiterpod +scimiters +scincid +Scincidae +scincidoid +scinciform +scincoid +scincoidian +scincoids +Scincomorpha +Scincus +scind +sciniph +scintigraphy +scintigraphic +scintil +scintilla +scintillant +scintillantly +scintillas +scintillate +scintillated +scintillates +scintillating +scintillatingly +scintillation +scintillations +scintillator +scintillators +scintillescent +scintillize +scintillometer +scintilloscope +scintillose +scintillous +scintillously +scintle +scintled +scintler +scintling +Scio +sciograph +sciography +sciographic +sciolism +sciolisms +sciolist +sciolistic +sciolists +sciolous +sciolto +sciomachy +sciomachiology +sciomancy +sciomantic +scion +scions +sciophilous +sciophyte +sciophobia +scioptic +sciopticon +scioptics +scioptric +sciosophy +sciosophies +sciosophist +Sciot +Sciota +scioterical +scioterique +sciotheism +sciotheric +sciotherical +sciotherically +Scioto +scious +scypha +scyphae +scyphate +scyphi +scyphi- +scyphiferous +scyphiform +scyphiphorous +scyphistoma +scyphistomae +scyphistomas +scyphistomoid +scyphistomous +scypho- +scyphoi +scyphomancy +Scyphomedusae +scyphomedusan +scyphomedusoid +scyphophore +Scyphophori +scyphophorous +scyphopolyp +scyphose +scyphostoma +Scyphozoa +scyphozoan +scyphula +scyphulus +scyphus +Scipio +scypphi +scirenga +scirocco +sciroccos +Scirophoria +Scirophorion +Scyros +Scirpus +scirrhi +scirrhogastria +scirrhoid +scirrhoma +scirrhosis +scirrhosity +scirrhous +scirrhus +scirrhuses +scirrosity +scirtopod +Scirtopoda +scirtopodous +sciscitation +scissel +scissible +scissil +scissile +scission +scissions +scissiparity +scissor +scissorbill +scissorbird +scissored +scissorer +scissor-fashion +scissor-grinder +scissoria +scissoring +scissorium +scissor-legs +scissorlike +scissorlikeness +scissors +scissorsbird +scissors-fashion +scissors-grinder +scissorsmith +scissors-shaped +scissors-smith +scissorstail +scissortail +scissor-tailed +scissor-winged +scissorwise +scissura +scissure +Scissurella +scissurellid +Scissurellidae +scissures +scyt +scytale +Scitaminales +Scitamineae +Scyth +scythe +scythe-armed +scythe-bearing +scythed +scythe-leaved +scytheless +scythelike +scytheman +scythes +scythe's +scythe-shaped +scythesmith +scythestone +scythework +Scythia +Scythian +Scythic +scything +Scythize +Scytho-aryan +Scytho-dravidian +Scytho-greek +Scytho-median +scytitis +scytoblastema +scytodepsic +Scytonema +Scytonemataceae +scytonemataceous +scytonematoid +scytonematous +Scytopetalaceae +scytopetalaceous +Scytopetalum +Scituate +sciurid +Sciuridae +sciurids +sciurine +sciurines +sciuroid +sciuroids +sciuromorph +Sciuromorpha +sciuromorphic +Sciuropterus +Sciurus +scivvy +scivvies +sclaff +sclaffed +sclaffer +sclaffers +sclaffert +sclaffing +sclaffs +Sclar +sclat +sclatch +sclate +Sclater +Sclav +Sclavonian +sclaw +sclent +scler +scler- +sclera +sclerae +scleral +scleranth +Scleranthaceae +Scleranthus +scleras +scleratogenous +sclere +sclerectasia +sclerectomy +sclerectomies +scleredema +sclereid +sclereids +sclerema +sclerencephalia +sclerenchyma +sclerenchymatous +sclerenchyme +sclererythrin +scleretinite +Scleria +scleriasis +sclerify +sclerification +sclerite +sclerites +scleritic +scleritis +sclerized +sclero- +sclerobase +sclerobasic +scleroblast +scleroblastema +scleroblastemic +scleroblastic +sclerocauly +sclerochorioiditis +sclerochoroiditis +scleroconjunctival +scleroconjunctivitis +sclerocornea +sclerocorneal +sclerodactyly +sclerodactylia +sclerodema +scleroderm +Scleroderma +Sclerodermaceae +Sclerodermata +Sclerodermatales +sclerodermatitis +sclerodermatous +Sclerodermi +sclerodermia +sclerodermic +sclerodermite +sclerodermitic +sclerodermitis +sclerodermous +sclerogen +Sclerogeni +sclerogenic +sclerogenoid +sclerogenous +scleroid +scleroiritis +sclerokeratitis +sclerokeratoiritis +scleroma +scleromas +scleromata +scleromeninx +scleromere +sclerometer +sclerometric +scleronychia +scleronyxis +sclero-oophoritis +sclero-optic +Scleropages +Scleroparei +sclerophyll +sclerophylly +sclerophyllous +sclerophthalmia +scleroprotein +sclerosal +sclerosarcoma +Scleroscope +sclerose +sclerosed +scleroseptum +scleroses +sclerosing +sclerosis +sclerosises +scleroskeletal +scleroskeleton +Sclerospora +sclerostenosis +Sclerostoma +sclerostomiasis +sclerotal +sclerote +sclerotia +sclerotial +sclerotic +sclerotica +sclerotical +scleroticectomy +scleroticochorioiditis +scleroticochoroiditis +scleroticonyxis +scleroticotomy +sclerotin +Sclerotinia +sclerotinial +sclerotiniose +sclerotioid +sclerotitic +sclerotitis +sclerotium +sclerotization +sclerotized +sclerotoid +sclerotome +sclerotomy +sclerotomic +sclerotomies +sclerous +scleroxanthin +sclerozone +scliff +sclim +sclimb +SCM +SCMS +SCO +scoad +scob +scobby +Scobey +scobicular +scobiform +scobs +scodgy +scoff +scoffed +scoffer +scoffery +scoffers +scoffing +scoffingly +scoffingstock +scofflaw +scofflaws +scoffs +Scofield +scog +scoggan +scogger +scoggin +scogginism +scogginist +scogie +scoinson +scoke +scolb +scold +scoldable +scolded +scoldenore +scolder +scolders +scolding +scoldingly +scoldings +scolds +scoleces +scoleciasis +scolecid +Scolecida +scoleciform +scolecite +scolecoid +scolecology +scolecophagous +scolecospore +scoley +scoleryng +Scoles +scolex +Scolia +scolices +scoliid +Scoliidae +Scolymus +scoliograptic +scoliokyposis +scolioma +scoliomas +scoliometer +scolion +scoliorachitic +scoliosis +scoliotic +scoliotone +scolite +scolytid +Scolytidae +scolytids +scolytoid +Scolytus +scollop +scolloped +scolloper +scolloping +scollops +scoloc +scolog +scolopaceous +Scolopacidae +scolopacine +Scolopax +Scolopendra +Scolopendrella +Scolopendrellidae +scolopendrelloid +scolopendrid +Scolopendridae +scolopendriform +scolopendrine +Scolopendrium +scolopendroid +scolopes +scolophore +scolopophore +scolops +Scomber +scomberoid +Scombresocidae +Scombresox +scombrid +Scombridae +scombriform +Scombriformes +scombrine +scombroid +Scombroidea +scombroidean +scombrone +scomfit +scomm +sconce +sconced +sconcer +sconces +sconcheon +sconcible +sconcing +Scone +scones +Scooba +scooch +scoon +scoop +scooped +scooper +scoopers +scoopful +scoopfulfuls +scoopfuls +scooping +scoopingly +scoop-net +SCOOPS +scoopsful +scoot +scooted +scooter +scooters +scooting +scoots +scop +scopa +scoparin +scoparium +scoparius +Scopas +scopate +scope +scoped +scopeless +scopelid +Scopelidae +scopeliform +scopelism +scopeloid +Scopelus +Scopes +scopet +scophony +scopy +scopic +Scopidae +scopiferous +scopiform +scopiformly +scopine +scoping +scopious +scopiped +scopol- +scopola +scopolamin +scopolamine +scopoleine +scopoletin +scopoline +scopone +scopophilia +scopophiliac +scopophilic +Scopp +scopperil +scops +scoptical +scoptically +scoptophilia +scoptophiliac +scoptophilic +scoptophobia +scopula +scopulae +Scopularia +scopularian +scopulas +scopulate +scopuliferous +scopuliform +scopuliped +Scopulipedes +scopulite +scopulous +scopulousness +Scopus +scorbuch +scorbute +scorbutic +scorbutical +scorbutically +scorbutize +scorbutus +scorce +scorch +scorched +scorcher +scorchers +scorches +scorching +scorchingly +scorchingness +scorchproof +scorchs +scordato +scordatura +scordaturas +scordature +scordium +score +scoreboard +scoreboards +scorebook +scorecard +scored +scorekeeper +scorekeeping +scoreless +scorepad +scorepads +scorer +scorers +scores +Scoresby +scoresheet +scoria +scoriac +scoriaceous +scoriae +scorify +scorification +scorified +scorifier +scorifies +scorifying +scoriform +scoring +scorings +scorious +scorkle +scorn +scorned +scorner +scorners +scornful +scornfully +scornfulness +scorny +Scornik +scorning +scorningly +scornproof +scorns +scorodite +Scorpaena +scorpaenid +Scorpaenidae +scorpaenoid +scorpene +scorper +Scorpidae +Scorpididae +Scorpii +Scorpiid +Scorpio +scorpioid +scorpioidal +Scorpioidea +Scorpion +Scorpiones +scorpionfish +scorpionfishes +scorpionfly +scorpionflies +scorpionic +scorpionid +Scorpionida +Scorpionidea +Scorpionis +scorpions +scorpion's +scorpionweed +scorpionwort +scorpios +Scorpiurus +Scorpius +scorse +scorser +scortation +scortatory +scorza +Scorzonera +SCOT +Scot. +scotal +scotale +Scotch +scotched +scotcher +Scotchery +scotches +Scotch-gaelic +scotch-hopper +Scotchy +Scotchify +Scotchification +Scotchiness +scotching +Scotch-Irish +Scotchman +scotchmen +Scotch-misty +Scotchness +scotch-tape +scotch-taped +scotch-taping +Scotchwoman +scote +Scoter +scoterythrous +scoters +scot-free +Scotia +scotias +Scotic +scotino +Scotism +Scotist +Scotistic +Scotistical +Scotize +Scotland +Scotlandwards +Scotney +scoto- +Scoto-allic +Scoto-britannic +Scoto-celtic +scotodinia +Scoto-english +Scoto-Gaelic +scotogram +scotograph +scotography +scotographic +Scoto-irish +scotoma +scotomas +scotomata +scotomatic +scotomatical +scotomatous +scotomy +scotomia +scotomic +Scoto-norman +Scoto-norwegian +scotophilia +scotophiliac +scotophobia +scotopia +scotopias +scotopic +Scoto-saxon +Scoto-scandinavian +scotoscope +scotosis +SCOTS +Scotsman +Scotsmen +Scotswoman +Scott +Scott-connected +Scottdale +Scotti +Scotty +scottice +Scotticism +Scotticize +Scottie +Scotties +Scottify +Scottification +Scottish +Scottisher +Scottish-irish +Scottishly +Scottishman +Scottishness +Scottown +Scotts +Scottsbluff +Scottsboro +Scottsburg +Scottsdale +Scottsmoor +Scottsville +Scottville +Scotus +scouch +scouk +scoundrel +scoundreldom +scoundrelish +scoundrelism +scoundrelly +scoundrels +scoundrel's +scoundrelship +scoup +scour +scourage +scoured +scourer +scourers +scouress +scourfish +scourfishes +scourge +scourged +scourger +scourgers +scourges +scourging +scourgingly +scoury +scouriness +scouring +scourings +scours +scourway +scourweed +scourwort +Scouse +scouses +Scout +scoutcraft +scoutdom +scouted +scouter +scouters +scouth +scouther +scouthered +scouthering +scouthers +scouthood +scouths +Scouting +scoutingly +scoutings +scoutish +scoutmaster +scoutmasters +scouts +scoutwatch +scove +scovel +scovy +Scoville +scovillite +scow +scowbank +scowbanker +scowder +scowdered +scowdering +scowders +scowed +scowing +scowl +scowled +scowler +scowlers +scowlful +scowling +scowlingly +scowlproof +scowls +scowman +scowmen +scows +scowther +SCP +SCPC +SCPD +SCR +scr- +scr. +scrab +Scrabble +scrabbled +scrabbler +scrabblers +scrabbles +scrabbly +scrabbling +scrabe +scraber +scrae +scraffle +scrag +scragged +scraggedly +scraggedness +scragger +scraggy +scraggier +scraggiest +scraggily +scragginess +scragging +scraggle +scraggled +scraggly +scragglier +scraggliest +scraggliness +scraggling +scrags +scray +scraich +scraiched +scraiching +scraichs +scraye +scraigh +scraighed +scraighing +scraighs +scraily +SCRAM +scramasax +scramasaxe +scramb +scramble +scramblebrained +scrambled +scramblement +scrambler +scramblers +scrambles +scrambly +scrambling +scramblingly +scram-handed +scramjet +scrammed +scramming +scrampum +scrams +scran +scranch +scrank +scranky +scrannel +scrannels +scranny +scrannier +scranniest +scranning +Scranton +scrap +scrapable +scrapbook +scrap-book +scrapbooks +scrape +scrapeage +scraped +scrape-finished +scrape-gut +scrapepenny +scraper +scraperboard +scrapers +scrapes +scrape-shoe +scrape-trencher +scrapheap +scrap-heap +scrapy +scrapie +scrapies +scrapiness +scraping +scrapingly +scrapings +scrapler +scraplet +scrapling +scrapman +scrapmonger +scrappage +scrapped +scrapper +scrappers +scrappet +scrappy +scrappier +scrappiest +scrappily +scrappiness +scrapping +scrappingly +scrapple +scrappler +scrapples +scraps +scrap's +scrapworks +scrat +Scratch +scratchable +scratchably +scratchback +scratchboard +scratchbrush +scratch-brush +scratchcard +scratchcarding +scratchcat +scratch-coated +scratched +scratcher +scratchers +scratches +scratchy +scratchier +scratchiest +scratchification +scratchily +scratchiness +scratching +scratchingly +scratchless +scratchlike +scratchman +scratchpad +scratch-pad +scratchpads +scratchpad's +scratch-penny +scratchproof +scratchweed +scratchwork +scrath +scratter +scrattle +scrattling +scrauch +scrauchle +scraunch +scraw +scrawk +scrawl +scrawled +scrawler +scrawlers +scrawly +scrawlier +scrawliest +scrawliness +scrawling +scrawls +scrawm +scrawny +scrawnier +scrawniest +scrawnily +scrawniness +scraze +screak +screaked +screaky +screaking +screaks +scream +screamed +screamer +screamers +screamy +screaminess +screaming +screamingly +screaming-meemies +screamproof +screams +screar +scree +screech +screechbird +screeched +screecher +screeches +screechy +screechier +screechiest +screechily +screechiness +screeching +screechingly +screech-owl +screed +screeded +screeding +screeds +screek +screel +screeman +screen +screenable +screenage +screencraft +screendom +screened +screener +screeners +screen-faced +screenful +screeny +screening +screenings +screenland +screenless +screenlike +screenman +screeno +screenplay +screenplays +Screens +screensman +screen-test +screen-wiper +screenwise +screenwork +screenwriter +screes +screet +screeve +screeved +screever +screeving +screich +screigh +screve +Screven +screver +screw +screwable +screwage +screw-back +screwball +screwballs +screwbarrel +screwbean +screw-bound +screw-capped +screw-chasing +screw-clamped +screw-cutting +screw-down +screwdrive +screw-driven +screwdriver +screwdrivers +screwed +screwed-up +screw-eyed +screwer +screwers +screwfly +screw-geared +screwhead +screwy +screwier +screwiest +screwiness +screwing +screwish +screwless +screw-lifted +screwlike +screwman +screwmatics +screwpile +screw-piled +screw-pin +screw-pine +screw-pitch +screwplate +screwpod +screw-propelled +screwpropeller +screws +screw-shaped +screwship +screw-slotting +screwsman +screwstem +screwstock +screw-stoppered +screw-threaded +screw-topped +screw-torn +screw-turned +screw-turning +screwup +screw-up +screwups +screwwise +screwworm +scrfchar +scry +Scriabin +scribable +scribacious +scribaciousness +scribal +scribals +scribanne +scribatious +scribatiousness +scribbet +scribblage +scribblative +scribblatory +scribble +scribbleable +scribbled +scribbledom +scribbleism +scribblemania +scribblemaniacal +scribblement +scribbleomania +scribbler +scribblers +scribbles +scribble-scrabble +scribbly +scribbling +scribblingly +Scribe +scribed +scriber +scribers +scribes +scribeship +scribing +scribism +Scribner +Scribners +scribophilous +scride +scried +scryer +scries +scrieve +scrieved +scriever +scrieves +scrieving +scriggle +scriggler +scriggly +scrying +scrike +scrim +scrime +scrimer +scrimy +scrimmage +scrimmaged +scrimmager +scrimmages +scrimmaging +scrimp +scrimped +scrimper +scrimpy +scrimpier +scrimpiest +scrimpily +scrimpiness +scrimping +scrimpingly +scrimpit +scrimply +scrimpness +scrimps +scrimption +scrims +scrimshander +scrimshandy +scrimshank +scrimshanker +scrimshaw +scrimshaws +scrimshon +scrimshorn +scrin +scrinch +scrine +scringe +scrinia +scriniary +scrinium +scrip +scripee +scripless +scrippage +Scripps +scrips +scrip-scrap +scripsit +Script +Script. +scripted +scripter +scripting +scription +scriptitious +scriptitiously +scriptitory +scriptive +scripto +scriptor +scriptory +scriptoria +scriptorial +scriptorium +scriptoriums +scripts +script's +scriptum +scriptural +Scripturalism +Scripturalist +Scripturality +scripturalize +scripturally +scripturalness +Scripturarian +Scripture +Scriptured +Scriptureless +scriptures +scripturiency +scripturient +Scripturism +Scripturist +scriptwriter +script-writer +scriptwriting +scripula +scripulum +scripuralistic +scrit +scritch +scritch-owl +scritch-scratch +scritch-scratching +scrite +scrithe +scritoire +scrivaille +scrivan +scrivano +scrive +scrived +scrivello +scrivelloes +scrivellos +Scriven +scrivener +scrivenery +scriveners +scrivenership +scrivening +scrivenly +Scrivenor +Scrivens +scriver +scrives +scriving +Scrivings +scrob +scrobble +scrobe +scrobicula +scrobicular +scrobiculate +scrobiculated +scrobicule +scrobiculus +scrobis +scrod +scroddled +scrodgill +scrods +scroff +scrofula +scrofularoot +scrofulas +scrofulaweed +scrofulide +scrofulism +scrofulitic +scrofuloderm +scrofuloderma +scrofulorachitic +scrofulosis +scrofulotuberculous +scrofulous +scrofulously +scrofulousness +scrog +Scrogan +scrogged +scroggy +scroggie +scroggier +scroggiest +Scroggins +scrogie +scrogs +scroyle +scroinoch +scroinogh +scrolar +scroll +scroll-cut +scrolled +scrollery +scrollhead +scrolly +scrolling +scroll-like +scrolls +scroll-shaped +scrollwise +scrollwork +scronach +scroo +scrooch +Scrooge +scrooges +scroop +scrooped +scrooping +scroops +scrootch +Scrope +Scrophularia +Scrophulariaceae +scrophulariaceous +scrota +scrotal +scrotectomy +scrotiform +scrotitis +scrotocele +scrotofemoral +scrotta +scrotum +scrotums +scrouge +scrouged +scrouger +scrouges +scrouging +scrounge +scrounged +scrounger +scroungers +scrounges +scroungy +scroungier +scroungiest +scrounging +scrout +scrow +scrub +scrubbable +scrubbed +scrubber +scrubbery +scrubbers +scrubby +scrubbier +scrubbiest +scrubbily +scrubbiness +scrubbing +scrubbing-brush +scrubbird +scrub-bird +scrubbly +scrubboard +scrubgrass +scrubland +scrublike +scrubs +scrub-up +scrubwoman +scrubwomen +scrubwood +scruf +scruff +scruffy +scruffier +scruffiest +scruffily +scruffiness +scruffle +scruffman +scruffs +scruft +scrum +scrummage +scrummaged +scrummager +scrummaging +scrummed +scrump +scrumpy +scrumple +scrumption +scrumptious +scrumptiously +scrumptiousness +scrums +scrunch +scrunched +scrunches +scrunchy +scrunching +scrunchs +scrunge +scrunger +scrunt +scrunty +scruple +scrupled +scrupleless +scrupler +scruples +scruplesome +scruplesomeness +scrupling +scrupula +scrupular +scrupuli +scrupulist +scrupulosity +scrupulosities +scrupulous +scrupulously +scrupulousness +scrupulum +scrupulus +scrush +scrutability +scrutable +scrutate +scrutation +scrutator +scrutatory +scrutinant +scrutinate +scrutineer +scrutiny +scrutinies +scrutiny-proof +scrutinisation +scrutinise +scrutinised +scrutinising +scrutinization +scrutinize +scrutinized +scrutinizer +scrutinizers +scrutinizes +scrutinizing +scrutinizingly +scrutinous +scrutinously +scruto +scrutoire +scruze +SCS +SCSA +SCSI +SCT +sctd +SCTS +SCU +SCUBA +scubas +SCUD +scuddaler +scuddawn +scudded +scudder +Scuddy +scuddick +scudding +scuddle +Scudery +scudi +scudler +scudo +scuds +scuff +scuffed +scuffer +scuffy +scuffing +scuffle +scuffled +scuffler +scufflers +scuffles +scuffly +scuffling +scufflingly +scuffs +scuft +scufter +scug +scuggery +sculch +sculduddery +sculdudderies +sculduggery +sculk +sculked +sculker +sculkers +sculking +sculks +scull +scullduggery +sculled +Sculley +sculler +scullery +sculleries +scullers +scullful +Scully +Scullin +sculling +scullion +scullionish +scullionize +scullions +scullionship +scullog +scullogue +sculls +sculp +sculp. +sculped +sculper +sculpin +sculping +sculpins +sculps +sculpsit +sculpt +sculpted +sculptile +sculpting +sculptitory +sculptograph +sculptography +Sculptor +Sculptorid +Sculptoris +sculptors +sculptor's +sculptress +sculptresses +sculpts +sculptural +sculpturally +sculpturation +sculpture +sculptured +sculpturer +sculptures +sculpturesque +sculpturesquely +sculpturesqueness +sculpturing +sculsh +scult +scum +scumber +scumble +scumbled +scumbles +scumbling +scumboard +scumfish +scumless +scumlike +scummed +scummer +scummers +scummy +scummier +scummiest +scumminess +scumming +scumproof +scums +scun +scuncheon +scunder +scunge +scungy +scungili +scungilli +scunner +scunnered +scunnering +scunners +Scunthorpe +scup +scupful +scuppaug +scuppaugs +scupper +scuppered +scuppering +scuppernong +scuppers +scuppet +scuppit +scuppler +scups +scur +scurdy +scurf +scurfer +scurfy +scurfier +scurfiest +scurfily +scurfiness +scurflike +scurfs +scurling +Scurlock +scurry +scurried +scurrier +scurries +scurrying +scurril +scurrile +scurrilist +scurrility +scurrilities +scurrilize +scurrilous +scurrilously +scurrilousness +S-curve +scurvy +scurvied +scurvier +scurvies +scurviest +scurvily +scurviness +scurvish +scurvyweed +scusation +scuse +scusin +scut +scuta +scutage +scutages +scutal +Scutari +scutate +scutated +scutatiform +scutation +scutch +scutched +scutcheon +scutcheoned +scutcheonless +scutcheonlike +scutcheons +scutcheonwise +scutcher +scutchers +scutches +scutching +scutchs +scute +scutel +scutella +scutellae +scutellar +Scutellaria +scutellarin +scutellate +scutellated +scutellation +scutellerid +Scutelleridae +scutelliform +scutelligerous +scutelliplantar +scutelliplantation +scutellum +scutes +Scuti +scutibranch +Scutibranchia +scutibranchian +scutibranchiate +scutifer +scutiferous +scutiform +scutiger +Scutigera +scutigeral +Scutigeridae +scutigerous +scutiped +scuts +Scutt +scutta +scutter +scuttered +scuttering +scutters +scutty +scuttle +scuttlebutt +scuttled +scuttleful +scuttleman +scuttler +scuttles +scuttling +scuttock +scutula +scutular +scutulate +scutulated +scutulum +Scutum +scuz +scuzzy +scuzzier +SCX +SD +sd. +SDA +SDB +SDCD +SDD +sdeath +'sdeath +sdeign +SDF +SDH +SDI +SDIO +SDIS +SDL +SDLC +SDM +SDN +SDO +SDOC +SDP +SDR +SDRC +SDRs +sdrucciola +SDS +SDSC +SDU +sdump +SDV +SE +se- +sea +seabag +seabags +seabank +sea-bank +sea-bathed +seabeach +seabeaches +sea-bean +seabeard +sea-beast +sea-beat +sea-beaten +Seabeck +seabed +seabeds +Seabee +Seabees +seaberry +seabird +sea-bird +seabirds +Seabiscuit +seaboard +seaboards +sea-boat +seaboot +seaboots +seaborderer +Seaborg +sea-born +seaborne +sea-borne +seabound +sea-bounded +sea-bounding +sea-bred +sea-breeze +sea-broke +Seabrook +Seabrooke +sea-built +Seabury +sea-calf +seacannie +sea-captain +sea-card +seacatch +sea-circled +Seacliff +sea-cliff +sea-coal +seacoast +sea-coast +seacoasts +seacoast's +seacock +sea-cock +seacocks +sea-compelling +seaconny +sea-convulsing +sea-cow +seacraft +seacrafty +seacrafts +seacross +seacunny +sea-cut +Seaddon +sea-deep +Seaden +sea-deserted +sea-devil +sea-divided +seadog +sea-dog +seadogs +Seadon +sea-dragon +Seadrift +sea-driven +seadrome +seadromes +sea-eagle +sea-ear +sea-elephant +sea-encircled +seafardinger +seafare +seafarer +seafarers +seafaring +sea-faring +seafarings +sea-fern +sea-fight +seafighter +sea-fighter +sea-fish +seaflood +seafloor +seafloors +seaflower +sea-flower +seafoam +sea-foam +seafolk +seafood +sea-food +seafoods +Seaford +sea-form +Seaforth +Seaforthia +Seafowl +sea-fowl +seafowls +sea-framing +seafront +sea-front +seafronts +sea-gait +sea-gate +Seaghan +Seagirt +sea-girt +sea-god +sea-goddess +seagoer +seagoing +sea-going +Seagoville +sea-gray +Seagram +sea-grape +sea-grass +Seagrave +Seagraves +sea-green +seagull +sea-gull +seagulls +seah +sea-heath +sea-hedgehog +sea-hen +sea-holly +sea-holm +seahorse +sea-horse +seahound +Seahurst +sea-island +seak +sea-kale +seakeeping +sea-kindly +seakindliness +sea-kindliness +sea-king +seal +sealable +sea-lane +sealant +sealants +sea-lawyer +seal-brown +sealch +Seale +sealed +sealed-beam +sea-legs +sealer +sealery +sealeries +sealers +sealess +sealet +sealette +sealevel +sea-level +sealflower +Sealy +Sealyham +sealike +sealine +sea-line +sealing +sealing-wax +sea-lion +sealkie +sealless +seallike +sea-lost +sea-louse +sea-loving +seal-point +seals +sealskin +sealskins +Sealston +sealwort +seam +sea-maid +sea-maiden +Seaman +seamancraft +seamanite +seamanly +seamanlike +seamanlikeness +seamanliness +seamanship +seamanships +seamark +sea-mark +seamarks +Seamas +seambiter +seamed +seamen +seamer +seamers +seamew +Seami +seamy +seamier +seamiest +seaminess +seaming +seamy-sided +seamless +seamlessly +seamlessness +seamlet +seamlike +sea-monk +sea-monster +seamost +seamount +seamounts +sea-mouse +seamrend +seam-rent +seam-ripped +seam-ript +seamrog +seams +seamster +seamsters +seamstress +seamstresses +Seamus +Sean +Seana +seance +seances +sea-nymph +Seanor +sea-otter +sea-otter's-cabbage +SEAP +sea-packed +sea-parrot +sea-pie +seapiece +sea-piece +seapieces +sea-pike +sea-pink +seaplane +sea-plane +seaplanes +sea-poacher +seapoose +seaport +seaports +seaport's +seapost +sea-potent +sea-purse +seaquake +sea-quake +seaquakes +sear +sea-racing +sea-raven +Searby +searce +searcer +search +searchable +searchableness +searchant +searched +searcher +searcheress +searcherlike +searchers +searchership +searches +searchful +searching +searchingly +searchingness +searchings +searchless +searchlight +searchlights +searchment +Searcy +searcloth +seared +searedness +searer +searest +seary +searing +searingly +Searle +Searles +searlesite +searness +searobin +sea-robin +sea-room +sea-rounded +sea-rover +searoving +sea-roving +Sears +Searsboro +Searsmont +Searsport +sea-run +sea-running +SEAS +sea-sailing +sea-salt +Seasan +sea-sand +sea-saw +seascape +sea-scape +seascapes +seascapist +sea-scented +sea-scourged +seascout +seascouting +seascouts +sea-serpent +sea-service +seashell +sea-shell +seashells +seashine +seashore +sea-shore +seashores +seashore's +sea-shouldering +seasick +sea-sick +seasickness +seasicknesses +Seaside +sea-side +seasider +seasides +sea-slug +seasnail +sea-snail +sea-snake +sea-snipe +Season +seasonable +seasonableness +seasonably +seasonal +seasonality +seasonally +seasonalness +seasoned +seasonedly +seasoner +seasoners +seasoning +seasoninglike +seasonings +seasonless +seasons +sea-spider +seastar +sea-star +seastrand +seastroke +sea-surrounded +sea-swallow +sea-swallowed +seat +seatang +seatbelt +seated +seater +seaters +seathe +seating +seatings +seatless +seatmate +seatmates +seat-mile +SEATO +Seaton +Seatonville +sea-torn +sea-tossed +sea-tost +seatrain +seatrains +sea-traveling +seatron +sea-trout +seats +seatsman +seatstone +Seattle +seatwork +seatworks +sea-urchin +seave +Seavey +Seaver +seavy +Seaview +Seavir +seaway +sea-way +seaways +seawall +sea-wall +sea-walled +seawalls +seawan +sea-wandering +seawans +seawant +seawants +seaward +seawardly +seawards +seaware +sea-ware +seawares +sea-washed +seawater +sea-water +seawaters +sea-weary +seaweed +seaweedy +seaweeds +sea-wide +seawife +sea-wildered +sea-wolf +seawoman +seaworn +seaworthy +seaworthiness +sea-wrack +sea-wrecked +seax +Seba +sebacate +sebaceous +sebaceousness +sebacic +sebago +sebait +se-baptism +se-baptist +sebasic +Sebastian +sebastianite +Sebastiano +Sebastichthys +Sebastien +sebastine +Sebastodes +Sebastopol +sebat +sebate +Sebbie +Sebec +Sebeka +sebesten +Sebewaing +sebi- +sebiferous +sebific +sebilla +sebiparous +sebkha +Seboeis +Seboyeta +Seboim +sebolith +seborrhagia +seborrhea +seborrheal +seborrheic +seborrhoea +seborrhoeic +seborrhoic +Sebree +Sebright +Sebring +SEbS +sebum +sebums +sebundy +SEC +sec. +secability +secable +Secale +secalin +secaline +secalose +SECAM +Secamone +secancy +secant +secantly +secants +secateur +secateurs +Secaucus +Secchi +secchio +secco +seccos +seccotine +secede +seceded +Seceder +seceders +secedes +seceding +secern +secerned +secernent +secerning +secernment +secerns +secesh +secesher +secess +Secessia +Secession +Secessional +secessionalist +Secessiondom +secessioner +secessionism +secessionist +secessionists +secessions +sech +Sechium +Sechuana +secy +seck +Seckel +seclude +secluded +secludedly +secludedness +secludes +secluding +secluse +seclusion +seclusionist +seclusions +seclusive +seclusively +seclusiveness +SECNAV +secno +Seco +secobarbital +secodont +secohm +secohmmeter +Seconal +second +secondar +secondary +secondaries +secondarily +secondariness +second-best +second-class +second-cut +second-degree +second-drawer +seconde +seconded +seconder +seconders +secondes +second-feet +second-first +second-floor +second-foot +second-growth +second-guess +second-guesser +secondhand +second-hand +secondhanded +secondhandedly +secondhandedness +second-handedness +secondi +second-in-command +secondine +secondines +seconding +secondly +secondment +secondness +secondo +second-rate +second-rateness +secondrater +second-rater +seconds +secondsighted +second-sighted +secondsightedness +second-sightedness +second-story +second-touch +Secor +secos +secours +secpar +secpars +secque +secration +secre +secrecy +secrecies +Secrest +secret +Secreta +secretage +secretagogue +secretaire +secretar +secretary +secretarial +secretarian +Secretariat +secretariate +secretariats +secretaries +secretaries-general +secretary-general +secretary's +secretaryship +secretaryships +secretary-treasurer +secrete +secreted +secreter +secretes +secretest +secret-false +secretin +secreting +secretins +secretion +secretional +secretionary +secretions +secretitious +secretive +secretively +secretivelies +secretiveness +secretly +secretmonger +secretness +secreto +secreto-inhibitory +secretomotor +secretor +secretory +secretors +secrets +secret-service +secretum +Secs +sect +sect. +Sectary +sectarial +sectarian +sectarianise +sectarianised +sectarianising +sectarianism +sectarianize +sectarianized +sectarianizing +sectarianly +sectarians +sectaries +sectarism +sectarist +sectator +sectile +sectility +section +sectional +sectionalisation +sectionalise +sectionalised +sectionalising +sectionalism +sectionalist +sectionality +sectionalization +sectionalize +sectionalized +sectionalizing +sectionally +sectionary +sectioned +sectioning +sectionist +sectionize +sectionized +sectionizing +sections +sectioplanography +sectism +sectist +sectiuncle +sective +sector +sectoral +sectored +sectorial +sectoring +sectors +sector's +sectroid +sects +sect's +sectuary +sectwise +secular +secularisation +secularise +secularised +seculariser +secularising +secularism +secularist +secularistic +secularists +secularity +secularities +secularization +secularize +secularized +secularizer +secularizers +secularizes +secularizing +secularly +secularness +seculars +seculum +secund +Secunda +Secundas +secundate +secundation +Secunderabad +secundiflorous +secundigravida +secundine +secundines +secundipara +secundiparity +secundiparous +secundly +secundogeniture +secundoprimary +secundum +secundus +securable +securableness +securance +secure +secured +secureful +securely +securement +secureness +securer +securers +secures +securest +securi- +securicornate +securifer +Securifera +securiferous +securiform +Securigera +securigerous +securing +securings +securitan +security +securities +secus +secutor +SED +Seda +Sedaceae +Sedalia +Sedan +Sedang +sedanier +sedans +sedarim +sedat +sedate +sedated +sedately +sedateness +sedater +sedates +sedatest +sedating +sedation +sedations +sedative +sedatives +Sedberry +Sedda +Seddon +Sedecias +sedent +sedentary +Sedentaria +sedentarily +sedentariness +sedentation +Seder +seders +sederunt +sederunts +sed-festival +sedge +sedged +sedgelike +Sedgemoor +sedges +Sedgewake +Sedgewick +Sedgewickville +Sedgewinn +sedgy +sedgier +sedgiest +sedging +Sedgwick +sedigitate +sedigitated +sedile +sedilia +sedilium +sediment +sedimental +sedimentary +sedimentaries +sedimentarily +sedimentate +sedimentation +sedimentations +sedimented +sedimenting +sedimentology +sedimentologic +sedimentological +sedimentologically +sedimentologist +sedimentous +sediments +sediment's +sedimetric +sedimetrical +sedition +seditionary +seditionist +seditionists +sedition-proof +seditions +seditious +seditiously +seditiousness +sedjadeh +Sedley +Sedlik +Sedona +sedovic +Sedrah +Sedrahs +Sedroth +seduce +seduceability +seduceable +seduced +seducee +seducement +seducer +seducers +seduces +seducible +seducing +seducingly +seducive +seduct +seduction +seductionist +seduction-proof +seductions +seductive +seductively +seductiveness +seductress +seductresses +sedulity +sedulities +sedulous +sedulously +sedulousness +Sedum +sedums +See +seeable +seeableness +seeably +Seebeck +see-bright +seecatch +seecatchie +seecawk +seech +seechelt +Seed +seedage +seedball +seedbed +seedbeds +seedbird +seedbox +seedcake +seed-cake +seedcakes +seedcase +seedcases +seed-corn +seedeater +seeded +Seeder +seeders +seedful +seedgall +seedy +seedier +seediest +seedily +seediness +seeding +seedings +seedkin +seed-lac +seedleaf +seedless +seedlessness +seedlet +seedlike +seedling +seedlings +seedling's +seedlip +seed-lip +Seedman +seedmen +seedness +seed-pearl +seedpod +seedpods +seeds +seedsman +seedsmen +seed-snipe +seedstalk +seedster +seedtime +seed-time +seedtimes +see-er +seege +Seeger +see-ho +seeing +seeingly +seeingness +seeings +seek +seeker +Seekerism +seekers +seeking +Seekonk +seeks +seek-sorrow +Seel +Seeland +seeled +Seeley +seelful +Seely +seelily +seeliness +seeling +Seelyville +seels +Seem +Seema +seemable +seemably +seemed +seemer +seemers +seeming +seemingly +seemingness +seemings +seemless +seemly +seemlier +seemliest +seemlihead +seemlily +seemliness +seems +Seen +Seena +seenie +seenil +seenu +seep +seepage +seepages +seeped +seepy +seepier +seepiest +seeping +seepproof +seeps +seepweed +seer +seerband +seercraft +seeress +seeresses +seerfish +seer-fish +seerhand +seerhood +seerlike +seerpaw +seers +seership +seersucker +seersuckers +sees +seesaw +seesawed +seesawiness +seesawing +seesaws +seesee +Seessel +seethe +seethed +seether +seethes +seething +seethingly +see-through +Seeto +seetulputty +seewee +Sefekhet +Seferiades +Seferis +Seffner +Seften +Sefton +Seftton +seg +Segal +Segalman +segar +segathy +segetal +seggar +seggard +seggars +segged +seggy +seggio +seggiola +seggrom +seghol +segholate +Seginus +segment +segmental +segmentalize +segmentally +segmentary +segmentate +segmentation +segmentations +segmentation's +segmented +segmenter +segmenting +segmentize +segments +Segner +Segni +segno +segnos +sego +segol +segolate +segos +segou +Segovia +Segre +segreant +segregable +segregant +segregate +segregated +segregatedly +segregatedness +segregateness +segregates +segregating +segregation +segregational +segregationist +segregationists +segregations +segregative +segregator +segs +segue +segued +segueing +seguendo +segues +seguidilla +seguidillas +Seguin +seguing +Segundo +Segura +sehyo +SEI +sey +Seiber +Seibert +seybertite +Seibold +seicento +seicentos +seiche +Seychelles +seiches +Seid +Seidel +seidels +Seiden +Seidler +Seidlitz +Seidule +Seif +seifs +seige +Seigel +Seigler +seigneur +seigneurage +seigneuress +seigneury +seigneurial +seigneurs +seignior +seigniorage +seignioral +seignioralty +seigniory +seigniorial +seigniories +seigniority +seigniors +seigniorship +seignorage +seignoral +seignory +seignorial +seignories +seignorize +Seyhan +Seiyuhonto +Seiyukai +seilenoi +seilenos +Seyler +Seiling +seimas +Seymeria +Seymour +Seine +seined +Seine-et-Marne +Seine-et-Oise +Seine-Maritime +seiner +seiners +seines +Seine-Saint-Denis +seining +seiren +seir-fish +seirospore +seirosporic +seis +Seys +seisable +seise +seised +seiser +seisers +seises +Seishin +seisin +seising +seis-ing +seisings +seisins +seism +seismal +seismatical +seismetic +seismic +seismical +seismically +seismicity +seismism +seismisms +seismo- +seismochronograph +seismogram +seismograms +seismograph +seismographer +seismographers +seismography +seismographic +seismographical +seismographs +seismol +seismology +seismologic +seismological +seismologically +seismologist +seismologists +seismologue +seismometer +seismometers +seismometry +seismometric +seismometrical +seismometrograph +seismomicrophone +seismoscope +seismoscopic +seismotectonic +seismotherapy +seismotic +seisms +seisor +seisors +Seyssel +Seistan +seisure +seisures +seit +Seiter +seity +Seitz +Seiurus +seizable +seize +seized +seizer +seizers +seizes +seizin +seizing +seizings +seizins +seizor +seizors +seizure +seizures +seizure's +sejant +sejant-erect +Sejanus +sejeant +sejeant-erect +sejero +Sejm +sejoin +sejoined +sejour +sejugate +sejugous +sejunct +sejunction +sejunctive +sejunctively +sejunctly +Seka +Sekane +Sekani +sekar +Seker +sekere +Sekhmet +Sekhwan +Sekyere +Sekiu +Seko +Sekofski +Sekondi +sekos +Sekt +SEL +Sela +selachian +Selachii +selachoid +Selachoidei +Selachostome +Selachostomi +selachostomous +seladang +seladangs +Selaginaceae +Selaginella +Selaginellaceae +selaginellaceous +selagite +Selago +Selah +selahs +selamin +selamlik +selamliks +selander +Selangor +selaphobia +Selassie +selbergite +Selby +Selbyville +Selbornian +selcouth +seld +Selda +Seldan +Selden +seldom +seldomcy +seldomer +seldomly +seldomness +Seldon +seldor +seldseen +Seldun +sele +select +selectable +selectance +selected +selectedly +selectee +selectees +selecting +selection +selectional +selectionism +selectionist +selectionists +selections +selection's +selective +selective-head +selectively +selectiveness +selectivity +selectivitysenescence +selectly +selectman +selectmen +selectness +selector +selectors +selector's +Selectric +selects +selectus +Selemas +Selemnus +selen- +Selena +selenate +selenates +Selene +Selenga +selenian +seleniate +selenic +Selenicereus +selenide +Selenidera +selenides +seleniferous +selenigenous +selenio- +selenion +selenious +Selenipedium +selenite +selenites +selenitic +selenitical +selenitiferous +selenitish +selenium +seleniums +seleniuret +seleno- +selenobismuthite +selenocentric +selenodesy +selenodont +Selenodonta +selenodonty +selenograph +selenographer +selenographers +selenography +selenographic +selenographical +selenographically +selenographist +selenolatry +selenolog +selenology +selenological +selenologist +selenomancy +selenomorphology +selenoscope +selenosis +selenotropy +selenotropic +selenotropism +selenous +selensilver +selensulphur +Seler +Selestina +Seleta +seletar +selety +Seleucia +Seleucian +Seleucid +Seleucidae +Seleucidan +Seleucidean +Seleucidian +Seleucidic +self +self- +self-abandon +self-abandoned +self-abandoning +self-abandoningly +self-abandonment +self-abased +self-abasement +self-abasing +self-abdication +self-abhorrence +self-abhorring +self-ability +self-abnegating +self-abnegation +self-abnegatory +self-abominating +self-abomination +self-absorbed +self-absorption +self-abuse +self-abuser +self-accorded +self-accusation +self-accusative +self-accusatory +self-accused +self-accuser +self-accusing +self-acknowledged +self-acquaintance +self-acquainter +self-acquired +self-acquisition +self-acquitted +self-acted +self-acting +self-action +self-active +self-activity +self-actor +self-actualization +self-actualizing +self-actuating +self-adapting +self-adaptive +self-addiction +self-addressed +self-adhesion +self-adhesive +selfadjoint +self-adjoint +self-adjustable +self-adjusting +self-adjustment +self-administer +self-administered +self-administering +self-admiration +self-admired +self-admirer +self-admiring +self-admission +self-adorer +self-adorned +self-adorning +self-adornment +self-adulation +self-advanced +self-advancement +self-advancer +self-advancing +self-advantage +self-advantageous +self-advertise +self-advertisement +self-advertiser +self-advertising +self-affair +self-affected +self-affecting +self-affectionate +self-affirmation +self-afflicting +self-affliction +self-afflictive +self-affrighted +self-agency +self-aggrandized +self-aggrandizement +self-aggrandizing +self-aid +self-aim +self-alighing +self-aligning +self-alignment +self-alinement +self-alining +self-amendment +self-amplifier +self-amputation +self-amusement +self-analysis +self-analytical +self-analyzed +self-anatomy +self-angry +self-annealing +self-annihilated +self-annihilation +self-annulling +self-answering +self-antithesis +self-apparent +self-applauding +self-applause +self-applausive +self-application +self-applied +self-applying +self-appointed +self-appointment +self-appreciating +self-appreciation +self-approbation +self-approval +self-approved +self-approver +self-approving +self-arched +self-arching +self-arising +self-asserting +self-assertingly +self-assertion +self-assertive +self-assertively +self-assertiveness +self-assertory +self-assigned +self-assumed +self-assuming +self-assumption +self-assurance +self-assured +self-assuredness +self-attachment +self-attracting +self-attraction +self-attractive +self-attribution +self-auscultation +self-authority +self-authorized +self-authorizing +self-aware +self-awareness +self-bailing +self-balanced +self-banished +self-banishment +self-baptizer +self-basting +self-beauty +self-beautiful +self-bedizenment +self-befooled +self-begetter +self-begotten +self-beguiled +self-being +self-belief +self-benefit +self-benefiting +self-besot +self-betrayal +self-betrayed +self-betraying +self-betrothed +self-bias +self-binder +self-binding +self-black +self-blame +self-blamed +self-blessed +self-blind +self-blinded +self-blinding +self-blood +self-boarding +self-boasted +self-boasting +self-boiled +self-bored +self-born +self-buried +self-burning +self-called +self-canceled +self-cancelled +self-canting +self-capacity +self-captivity +self-care +self-castigating +self-castigation +self-catalysis +self-catalyst +self-catering +self-causation +self-caused +self-center +self-centered +self-centeredly +self-centeredness +self-centering +self-centerment +self-centralization +self-centration +self-centred +self-centredly +self-centredness +self-chain +self-changed +self-changing +self-charging +self-charity +self-chastise +self-chastised +self-chastisement +self-chastising +self-cheatery +self-checking +self-chosen +self-christened +selfcide +self-clamp +self-cleaning +self-clearance +self-closed +self-closing +self-cocker +self-cocking +self-cognition +self-cognizably +self-cognizance +self-coherence +self-coiling +self-collected +self-collectedness +self-collection +self-color +self-colored +self-colour +self-coloured +self-combating +self-combustion +self-command +self-commande +self-commendation +self-comment +self-commissioned +self-commitment +self-committal +self-committing +self-commune +self-communed +self-communication +self-communicative +self-communing +self-communion +self-comparison +self-compassion +self-compatible +self-compensation +self-competition +self-complacence +self-complacency +self-complacent +self-complacential +self-complacently +self-complaisance +self-completion +self-composed +self-composedly +self-composedness +self-comprehending +self-comprised +self-conceit +self-conceited +self-conceitedly +self-conceitedness +self-conceived +self-concentered +self-concentrated +self-concentration +self-concept +self-concern +self-concerned +self-concerning +self-concernment +self-condemnable +self-condemnant +self-condemnation +self-condemnatory +self-condemned +self-condemnedly +self-condemning +self-condemningly +self-conditioned +self-conditioning +self-conduct +self-confessed +self-confession +self-confidence +self-confident +self-confidently +self-confiding +self-confinement +self-confining +self-conflict +self-conflicting +self-conformance +self-confounding +self-confuted +self-congratulating +self-congratulation +self-congratulatory +self-conjugate +self-conjugately +self-conjugation +self-conquest +self-conscious +self-consciously +self-consciousness +self-consecration +self-consequence +self-consequent +self-conservation +self-conservative +self-conserving +self-consideration +self-considerative +self-considering +self-consistency +self-consistent +self-consistently +self-consoling +self-consolingly +self-constituted +self-constituting +self-consultation +self-consumed +self-consuming +self-consumption +self-contained +self-containedly +self-containedness +self-containing +self-containment +self-contaminating +self-contamination +self-contemner +self-contemplation +self-contempt +self-content +self-contented +self-contentedly +self-contentedness +self-contentment +self-contracting +self-contraction +self-contradicter +self-contradicting +self-contradiction +self-contradictory +self-control +self-controlled +self-controller +self-controlling +self-convened +self-converse +self-convicted +self-convicting +self-conviction +self-cooking +self-cooled +self-correcting +self-correction +self-corrective +self-correspondent +self-corresponding +self-corrupted +self-counsel +self-coupler +self-covered +self-cozening +self-created +self-creating +self-creation +self-creative +self-credit +self-credulity +self-cremation +self-critical +self-critically +self-criticism +self-cruel +self-cruelty +self-cultivation +self-culture +self-culturist +self-cure +self-cutting +self-damnation +self-danger +self-deaf +self-debasement +self-debasing +self-debate +self-deceit +self-deceitful +self-deceitfulness +self-deceived +self-deceiver +self-deceiving +self-deception +self-deceptious +self-deceptive +self-declared +self-declaredly +self-dedicated +self-dedication +self-defeated +self-defeating +self-defence +self-defencive +self-defended +self-defense +self-defensive +self-defensory +self-defining +self-definition +self-deflated +self-deflation +self-degradation +self-deifying +self-dejection +self-delation +self-delight +self-delighting +self-deliverer +self-delivery +self-deluded +self-deluder +self-deluding +self-delusion +self-demagnetizing +self-denial +self-denied +self-deniedly +self-denier +self-denying +self-denyingly +self-dependence +self-dependency +self-dependent +self-dependently +self-depending +self-depraved +self-deprecating +self-deprecatingly +self-deprecation +self-depreciating +self-depreciation +self-depreciative +self-deprivation +self-deprived +self-depriving +self-derived +self-desertion +self-deserving +self-design +self-designer +self-desirable +self-desire +self-despair +self-destadv +self-destroyed +self-destroyer +self-destroying +self-destruction +self-destructive +self-destructively +self-detaching +self-determination +self-determined +self-determining +self-determinism +self-detraction +self-developing +self-development +self-devised +self-devoted +self-devotedly +self-devotedness +self-devotement +self-devoting +self-devotion +self-devotional +self-devouring +self-dialog +self-dialogue +self-differentiating +self-differentiation +self-diffidence +self-diffident +self-diffusion +self-diffusive +self-diffusively +self-diffusiveness +self-digestion +self-dilated +self-dilation +self-diminishment +self-direct +self-directed +self-directing +self-direction +self-directive +self-director +self-diremption +self-disapprobation +self-disapproval +self-discernment +self-discharging +self-discipline +self-disciplined +self-disclosed +self-disclosing +self-disclosure +self-discoloration +self-discontented +self-discovered +self-discovery +self-discrepant +self-discrepantly +self-discrimination +self-disdain +self-disengaging +self-disgrace +self-disgraced +self-disgracing +self-disgust +self-dislike +self-disliked +self-disparagement +self-disparaging +self-dispatch +self-display +self-displeased +self-displicency +self-disposal +self-dispraise +self-disquieting +self-dissatisfaction +self-dissatisfied +self-dissecting +self-dissection +self-disservice +self-disserving +self-dissociation +self-dissolution +self-dissolved +self-distinguishing +self-distributing +self-distrust +self-distrustful +self-distrusting +self-disunity +self-divided +self-division +self-doctrine +selfdom +self-dominance +self-domination +self-dominion +selfdoms +self-donation +self-doomed +self-dosage +self-doubt +self-doubting +self-dramatization +self-dramatizing +self-drawing +self-drinking +self-drive +self-driven +self-dropping +self-drown +self-dual +self-dualistic +self-dubbed +self-dumping +self-duplicating +self-duplication +self-ease +self-easing +self-eating +selfed +self-educated +self-education +self-effacement +selfeffacing +self-effacing +self-effacingly +self-effacingness +self-effacive +self-effort +self-elaborated +self-elaboration +self-elation +self-elect +self-elected +self-election +self-elective +self-emitted +self-emolument +self-employed +self-employer +self-employment +self-emptying +self-emptiness +self-enamored +self-enamoured +self-enclosed +self-endeared +self-endearing +self-endearment +self-energy +self-energizing +self-enforcing +self-engrossed +self-engrossment +self-enjoyment +self-enriching +self-enrichment +self-entertaining +self-entertainment +self-entity +self-erected +self-escape +self-essence +self-essentiated +self-esteem +self-esteeming +self-esteemingly +self-estimate +self-estimation +self-estrangement +self-eternity +self-evacuation +self-evaluation +self-evidence +self-evidencing +self-evidencingly +self-evident +self-evidential +self-evidentism +self-evidently +self-evidentness +self-evolution +self-evolved +self-evolving +self-exaggerated +self-exaggeration +self-exaltation +self-exaltative +self-exalted +self-exalting +self-examinant +self-examination +self-examiner +self-examining +self-example +self-excellency +self-excitation +self-excite +self-excited +self-exciter +self-exciting +self-exclusion +self-exculpation +self-excuse +self-excused +self-excusing +self-executing +self-exertion +self-exhibited +self-exhibition +self-exile +self-exiled +self-exist +self-existence +self-existent +self-existing +self-expanded +self-expanding +self-expansion +self-expatriation +self-experience +self-experienced +self-explained +self-explaining +self-explanation +self-explanatory +self-explication +self-exploited +self-exploiting +self-exposed +self-exposing +self-exposure +self-expression +self-expressive +self-expressiveness +self-extermination +self-extolled +self-exultation +self-exulting +self-faced +self-fame +self-farming +self-fearing +self-fed +self-feed +self-feeder +self-feeding +self-feeling +self-felicitation +self-felony +self-fermentation +self-fertile +self-fertility +self-fertilization +self-fertilize +self-fertilized +self-fertilizer +self-figure +self-figured +self-filler +self-filling +self-fitting +self-flagellating +self-flagellation +self-flattered +self-flatterer +self-flattery +self-flattering +self-flowing +self-fluxing +self-focused +self-focusing +self-focussed +self-focussing +self-folding +self-fondest +self-fondness +self-forbidden +self-forgetful +self-forgetfully +self-forgetfulness +self-forgetting +self-forgettingly +self-formation +self-formed +self-forsaken +self-fountain +self-friction +self-frighted +self-fruitful +self-fruition +selfful +self-fulfilling +self-fulfillment +self-fulfilment +selffulness +self-furnished +self-furring +self-gaging +self-gain +self-gathered +self-gauging +self-generated +self-generating +self-generation +self-generative +self-given +self-giving +self-glazed +self-glazing +self-glory +self-glorification +self-glorified +self-glorifying +self-glorying +self-glorious +self-good +self-gotten +self-govern +self-governed +self-governing +self-government +self-gracious +self-gratification +self-gratulating +self-gratulatingly +self-gratulation +self-gratulatory +self-guard +self-guarded +self-guidance +self-guilty +self-guiltiness +self-guiltless +self-gullery +self-hammered +self-hang +self-hardened +self-hardening +self-harming +self-hate +self-hating +self-hatred +selfheal +self-heal +self-healing +selfheals +self-heating +self-help +self-helpful +self-helpfulness +self-helping +self-helpless +self-heterodyne +self-hid +self-hidden +self-hypnosis +self-hypnotic +self-hypnotism +selfhypnotization +self-hypnotization +self-hypnotized +self-hitting +self-holiness +self-homicide +self-honored +self-honoured +selfhood +self-hood +selfhoods +self-hope +self-humbling +self-humiliating +self-humiliation +self-idea +self-identical +self-identification +self-identity +self-idolater +self-idolatry +self-idolized +self-idolizing +self-ignite +self-ignited +self-igniting +self-ignition +self-ignorance +self-ignorant +self-ill +self-illumined +self-illustrative +self-image +self-imitation +self-immolating +self-immolation +self-immunity +self-immurement +self-immuring +self-impairable +self-impairing +self-impartation +self-imparting +self-impedance +self-importance +self-important +self-importantly +self-imposed +self-imposture +self-impotent +self-impregnated +self-impregnating +self-impregnation +self-impregnator +self-improvable +self-improvement +self-improver +self-improving +self-impulsion +self-inclosed +self-inclusive +self-inconsistency +self-inconsistent +self-incriminating +self-incrimination +self-incurred +self-indignation +self-induced +self-inductance +self-induction +self-inductive +self-indulged +self-indulgence +self-indulgent +self-indulgently +self-indulger +self-indulging +self-infatuated +self-infatuation +self-infection +self-inflation +self-inflicted +self-infliction +selfing +self-initiated +self-initiative +self-injury +self-injuries +self-injurious +self-inker +self-inking +self-inoculated +self-inoculation +self-insignificance +self-inspected +self-inspection +self-instructed +self-instructing +self-instruction +self-instructional +self-instructor +self-insufficiency +self-insurance +self-insured +self-insurer +self-integrating +self-integration +self-intelligible +self-intensified +self-intensifying +self-intent +self-interest +self-interested +self-interestedness +self-interpretative +self-interpreted +self-interpreting +self-interpretive +self-interrogation +self-interrupting +self-intersecting +self-intoxication +self-introduction +self-intruder +self-invented +self-invention +self-invited +self-involution +self-involved +self-ionization +self-irony +self-ironies +self-irrecoverable +self-irrecoverableness +self-irreformable +selfish +selfishly +selfishness +selfishnesses +selfism +self-issued +self-issuing +selfist +self-jealous +self-jealousy +self-jealousing +self-judged +self-judgement +self-judging +self-judgment +self-justification +self-justified +self-justifier +self-justifying +self-killed +self-killer +self-killing +self-kindled +self-kindness +self-knowing +self-knowledge +self-known +self-lacerating +self-laceration +self-lashing +self-laudation +self-laudatory +self-lauding +self-learn +self-left +selfless +selflessly +selflessness +selflessnesses +self-leveler +self-leveling +self-leveller +self-levelling +self-levied +self-levitation +selfly +self-life +self-light +self-lighting +selflike +self-liking +self-limitation +self-limited +self-limiting +self-liquidating +self-lived +self-loader +self-loading +self-loathing +self-locating +self-locking +self-lost +self-love +self-lover +self-loving +self-lubricated +self-lubricating +self-lubrication +self-luminescence +self-luminescent +self-luminosity +self-luminous +self-maceration +self-mad +self-made +self-mailer +self-mailing +self-maimed +self-maintained +self-maintaining +self-maintenance +self-making +self-manifest +self-manifestation +self-mapped +self-martyrdom +self-mastered +self-mastery +self-mastering +self-mate +self-matured +self-measurement +self-mediating +self-merit +self-minded +self-mistrust +self-misused +self-mortification +self-mortified +self-motion +self-motive +self-moved +selfmovement +self-movement +self-mover +self-moving +self-multiplied +self-multiplying +self-murder +self-murdered +self-murderer +self-mutilation +self-named +self-naughting +self-neglect +self-neglectful +self-neglectfulness +self-neglecting +selfness +selfnesses +self-nourished +self-nourishing +self-nourishment +self-objectification +self-oblivion +self-oblivious +self-observation +self-observed +self-obsessed +self-obsession +self-occupation +self-occupied +self-offence +self-offense +self-offered +self-offering +self-oiling +self-opened +self-opener +self-opening +self-operating +self-operative +self-operator +self-opiniated +self-opiniatedly +self-opiniative +self-opiniativeness +self-opinion +self-opinionated +self-opinionatedly +self-opinionatedness +self-opinionative +self-opinionatively +self-opinionativeness +self-opinioned +self-opinionedness +self-opposed +self-opposition +self-oppression +self-oppressive +self-oppressor +self-ordained +self-ordainer +self-organization +self-originated +self-originating +self-origination +self-ostentation +self-outlaw +self-outlawed +self-ownership +self-oxidation +self-paid +self-paying +self-painter +self-pampered +self-pampering +self-panegyric +self-parasitism +self-parricide +self-partiality +self-peace +self-penetrability +self-penetration +self-perceiving +self-perception +self-perceptive +self-perfect +self-perfectibility +self-perfecting +self-perfectionment +self-performed +self-permission +self-perpetuated +self-perpetuating +self-perpetuation +self-perplexed +self-persuasion +self-physicking +self-pictured +self-pious +self-piquer +self-pity +self-pitiful +self-pitifulness +self-pitying +self-pityingly +self-player +self-playing +self-planted +self-pleached +self-pleased +self-pleaser +self-pleasing +self-pointed +self-poise +self-poised +self-poisedness +self-poisoner +self-policy +self-policing +self-politician +self-pollinate +self-pollinated +self-pollination +self-polluter +self-pollution +self-portrait +self-portraitist +self-posed +self-posited +self-positing +self-possessed +self-possessedly +self-possessing +self-possession +self-posting +self-postponement +self-potence +self-powered +self-praise +self-praising +self-precipitation +self-preference +self-preoccupation +self-preparation +self-prepared +self-prescribed +self-presentation +self-presented +self-preservation +self-preservative +selfpreservatory +self-preserving +self-preservingly +self-pretended +self-pride +self-primed +self-primer +self-priming +self-prizing +self-proclaimant +self-proclaimed +self-proclaiming +self-procured +self-procurement +self-procuring +self-proditoriously +self-produced +self-production +self-professed +self-profit +self-projection +self-pronouncing +self-propagated +self-propagating +self-propagation +self-propelled +self-propellent +self-propeller +selfpropelling +self-propelling +self-propulsion +self-protecting +self-protection +self-protective +self-proving +self-provision +self-pruning +self-puffery +self-punished +self-punisher +self-punishing +self-punishment +self-punitive +self-purification +self-purifying +self-purity +self-question +self-questioned +self-questioning +self-quotation +self-raised +self-raising +self-rake +self-rating +self-reacting +self-reading +self-realization +self-realizationism +self-realizationist +self-realizing +self-reciprocal +self-reckoning +self-recollection +self-recollective +self-reconstruction +self-recording +self-recrimination +self-rectifying +self-reduction +self-reduplication +self-reference +self-refinement +self-refining +self-reflection +self-reflective +self-reflexive +self-reform +self-reformation +self-refuted +self-refuting +self-regard +self-regardant +self-regarding +self-regardless +self-regardlessly +self-regardlessness +self-registering +self-registration +self-regulate +self-regulated +self-regulating +self-regulation +self-regulative +self-regulatory +self-relation +self-reliance +self-reliant +self-reliantly +self-relying +self-relish +self-renounced +self-renouncement +self-renouncing +self-renunciation +self-renunciatory +self-repeating +self-repellency +self-repellent +self-repelling +self-repetition +self-repose +self-representation +self-repressed +self-repressing +self-repression +self-reproach +self-reproached +self-reproachful +self-reproachfulness +self-reproaching +self-reproachingly +self-reproachingness +self-reproducing +self-reproduction +self-reproof +self-reproval +self-reproved +self-reproving +self-reprovingly +self-repugnance +self-repugnancy +self-repugnant +self-repulsive +self-reputation +self-rescuer +self-resentment +self-resigned +self-resourceful +self-resourcefulness +self-respect +self-respectful +self-respectfulness +self-respecting +self-respectingly +self-resplendent +self-responsibility +self-restoring +selfrestrained +self-restrained +self-restraining +self-restraint +self-restricted +self-restriction +self-retired +self-revealed +self-revealing +self-revealment +self-revelation +self-revelative +self-revelatory +self-reverence +self-reverent +self-reward +self-rewarded +self-rewarding +Selfridge +self-right +self-righteous +self-righteously +self-righteousness +self-righter +self-righting +self-rigorous +self-rising +self-rolled +self-roofed +self-ruin +self-ruined +self-rule +self-ruling +selfs +self-sacrifice +self-sacrificer +self-sacrificial +self-sacrificing +self-sacrificingly +self-sacrificingness +self-safety +selfsaid +selfsame +self-same +selfsameness +self-sanctification +self-satirist +self-satisfaction +self-satisfied +self-satisfiedly +self-satisfying +self-satisfyingly +self-scanned +self-schooled +self-schooling +self-science +self-scorn +self-scourging +self-scrutiny +self-scrutinized +self-scrutinizing +self-sealer +self-sealing +self-searching +self-secure +self-security +self-sedimentation +self-sedimented +self-seeded +self-seeker +self-seeking +selfseekingness +self-seekingness +self-selection +self-sent +self-sequestered +self-serve +self-server +self-service +self-serving +self-set +self-severe +self-shadowed +self-shadowing +self-shelter +self-sheltered +self-shine +self-shining +self-shooter +self-shot +self-significance +self-similar +self-sinking +self-slayer +self-slain +self-slaughter +self-slaughtered +self-society +self-sold +self-solicitude +self-soothed +self-soothing +self-sophistication +self-sought +self-sounding +self-sovereignty +self-sow +self-sowed +self-sown +self-spaced +self-spacing +self-speech +self-spitted +self-sprung +self-stability +self-stabilized +self-stabilizing +self-starter +self-starting +self-starved +self-steered +self-sterile +self-sterility +self-styled +self-stimulated +self-stimulating +self-stimulation +self-stowing +self-strength +self-stripper +self-strong +self-stuck +self-study +self-subdual +self-subdued +self-subjection +self-subjugating +self-subjugation +self-subordained +self-subordinating +self-subordination +self-subsidation +self-subsistence +self-subsistency +self-subsistent +self-subsisting +self-substantial +self-subversive +self-sufficed +self-sufficience +selfsufficiency +self-sufficiency +self-sufficient +self-sufficiently +self-sufficientness +self-sufficing +self-sufficingly +self-sufficingness +self-suggested +self-suggester +self-suggestion +self-suggestive +self-suppletive +self-support +self-supported +self-supportedness +self-supporting +self-supportingly +self-supportless +self-suppressing +self-suppression +self-suppressive +self-sure +self-surrender +self-surrendering +self-survey +self-surveyed +self-surviving +self-survivor +self-suspended +self-suspicion +self-suspicious +self-sustained +self-sustaining +selfsustainingly +self-sustainingly +self-sustainment +self-sustenance +self-sustentation +self-sway +self-tapping +self-taught +self-taxation +self-taxed +self-teacher +self-teaching +self-tempted +self-tenderness +self-terminating +self-terminative +self-testing +self-thinking +self-thinning +self-thought +self-threading +self-tightening +self-timer +self-tipping +self-tire +self-tired +self-tiring +self-tolerant +self-tolerantly +self-toning +self-torment +self-tormented +self-tormenter +self-tormenting +self-tormentingly +self-tormentor +self-torture +self-tortured +self-torturing +self-trained +self-training +self-transformation +self-transformed +self-treated +self-treatment +self-trial +self-triturating +self-troubled +self-troubling +self-trust +self-trusting +self-tuition +self-uncertain +self-unconscious +self-understand +self-understanding +self-understood +self-undoing +self-unfruitful +self-uniform +self-union +self-unity +self-unloader +self-unloading +self-unscabbarded +self-unveiling +self-unworthiness +self-upbraiding +self-usurp +self-validating +self-valuation +self-valued +self-valuing +self-variance +self-variation +self-varying +self-vaunted +self-vaunting +self-vendition +self-ventilated +self-vexation +self-view +self-vindicated +self-vindicating +self-vindication +self-violence +self-violent +self-vivacious +self-vivisector +self-vulcanizing +self-want +selfward +self-wardness +selfwards +self-warranting +self-watchfulness +self-weary +self-weariness +self-weight +self-weighted +self-whipper +self-whipping +self-whole +self-widowered +self-will +self-willed +self-willedly +self-willedness +self-winding +self-wine +self-wisdom +self-wise +self-witness +self-witnessed +self-working +self-worn +self-worship +self-worshiper +self-worshiping +self-worshipper +self-worshipping +self-worth +self-worthiness +self-wounded +self-wounding +self-writing +self-written +self-wrong +self-wrongly +self-wrought +Selhorst +Selia +Selichoth +selictar +Selie +Selig +Seligman +Seligmann +seligmannite +Selihoth +Selim +Selima +Selimah +Selina +Selinda +Seline +seling +Selinsgrove +Selinski +Selinuntine +selion +Seljuk +Seljukian +Selkirk +Selkirkshire +Sell +Sella +sellable +sellably +sellaite +sellar +sellary +Sellars +sellate +Selle +sellenders +seller +Sellers +Sellersburg +Sellersville +selles +Selli +selly +sellie +selliform +selling +selling-plater +Sellma +Sello +sell-off +Sellotape +sellout +sellouts +Sells +Selma +Selmer +Selmner +Selmore +s'elp +Selry +sels +selsyn +selsyns +selsoviet +selt +Selter +Seltzer +seltzers +seltzogene +Selung +SELV +selva +selvage +selvaged +selvagee +selvages +selvas +selvedge +selvedged +selvedges +selves +Selway +Selwin +Selwyn +Selz +Selznick +selzogene +SEM +Sem. +Semaeostomae +Semaeostomata +semainier +semainiers +semaise +Semaleus +Semang +Semangs +semanteme +semantic +semantical +semantically +semantician +semanticist +semanticists +semanticist's +semantics +semantology +semantological +semantron +semaphore +semaphored +semaphores +semaphore's +semaphoric +semaphorical +semaphorically +semaphoring +semaphorist +Semarang +semarum +semasiology +semasiological +semasiologically +semasiologist +semateme +sematic +sematography +sematographic +sematology +sematrope +semball +semblable +semblably +semblance +semblances +semblant +semblative +semble +semblence +sembling +Sembrich +seme +Semecarpus +semee +semeed +semei- +semeia +semeiography +semeiology +semeiologic +semeiological +semeiologist +semeion +semeiotic +semeiotical +semeiotics +semel +Semela +Semele +semelfactive +semelincident +semelparity +semelparous +sememe +sememes +sememic +semen +semence +semencinae +semencontra +Semenov +semens +sement +sementera +Semeostoma +Semeru +semes +semese +semester +semesters +semester's +semestral +semestrial +semi +semi- +semiabsorbent +semiabstract +semi-abstract +semiabstracted +semiabstraction +semi-abstraction +semiacademic +semiacademical +semiacademically +semiaccomplishment +semiacetic +semiacid +semiacidic +semiacidified +semiacidulated +semiacquaintance +semiacrobatic +semiactive +semiactively +semiactiveness +semiadherent +semiadhesive +semiadhesively +semiadhesiveness +semiadjectively +semiadnate +semiaerial +semiaffectionate +semiagricultural +Semiahmoo +semiair-cooled +semialbinism +semialcoholic +semialien +semiallegiance +semiallegoric +semiallegorical +semiallegorically +semialpine +semialuminous +semiamplexicaul +semiamplitude +semian +semianaesthetic +semianalytic +semianalytical +semianalytically +semianarchism +semianarchist +semianarchistic +semianatomic +semianatomical +semianatomically +semianatropal +semianatropous +semiandrogenous +semianesthetic +semiangle +semiangular +semianimal +semianimate +semianimated +semianna +semiannealed +semiannual +semi-annual +semiannually +semiannular +semianthracite +semianthropologic +semianthropological +semianthropologically +semiantiministerial +semiantique +semiape +semiaperiodic +semiaperture +Semi-apollinarism +semiappressed +semiaquatic +semiarboreal +semiarborescent +semiarc +semiarch +semiarchitectural +semiarchitecturally +Semi-arian +Semi-arianism +semiarid +semiaridity +semi-aridity +semi-armor-piercing +semiarticulate +semiarticulately +semiasphaltic +semiatheist +semiattached +Semi-augustinian +semi-Augustinianism +semiautomated +semiautomatic +semiautomatically +semiautomatics +semiautonomous +semiaxis +semibacchanalian +semibachelor +semibay +semibald +semibaldly +semibaldness +semibalked +semiball +semiballoon +semiband +Semi-Bantu +semibarbarian +semibarbarianism +semibarbaric +semibarbarism +semibarbarous +semibaronial +semibarren +semibase +semibasement +semibastion +semibeam +semibejan +Semi-belgian +semibelted +Semi-bessemer +semibifid +semibiographic +semibiographical +semibiographically +semibiologic +semibiological +semibiologically +semibituminous +semiblasphemous +semiblasphemously +semiblasphemousness +semibleached +semiblind +semiblunt +semibody +Semi-bohemian +semiboiled +semibold +Semi-bolsheviki +semibolshevist +semibolshevized +semibouffant +semibourgeois +semibreve +semibull +semibureaucratic +semibureaucratically +semiburrowing +semic +semicabalistic +semicabalistical +semicabalistically +semicadence +semicalcareous +semicalcined +semicallipygian +semicanal +semicanalis +semicannibalic +semicantilever +semicapitalistic +semicapitalistically +semicarbazide +semicarbazone +semicarbonate +semicarbonize +semicardinal +semicaricatural +semicartilaginous +semicarved +semicastrate +semicastration +semicatalyst +semicatalytic +semicathartic +semicatholicism +semicaudate +semicelestial +semicell +semicellulose +semicellulous +semicentenary +semicentenarian +semicentenaries +semicentennial +semicentury +semicha +semichannel +semichaotic +semichaotically +semichemical +semichemically +semicheviot +semichevron +semichiffon +semichivalrous +semichoric +semichorus +semi-chorus +Semi-christian +Semi-christianized +semichrome +semicyclic +semicycloid +semicylinder +semicylindric +semicylindrical +semicynical +semicynically +semicircle +semi-circle +semicircled +semicircles +semicircular +semicircularity +semicircularly +semicircularness +semicircumference +semicircumferentor +semicircumvolution +semicirque +semicitizen +semicivilization +semicivilized +semiclassic +semiclassical +semiclassically +semiclause +semicleric +semiclerical +semiclerically +semiclimber +semiclimbing +semiclinical +semiclinically +semiclose +semiclosed +semiclosure +semicoagulated +semicoke +semicollapsible +semicollar +semicollegiate +semicolloid +semicolloidal +semicolloquial +semicolloquially +semicolon +semicolony +semicolonial +semicolonialism +semicolonially +semicolons +semicolon's +semicolumn +semicolumnar +semicoma +semicomas +semicomatose +semicombined +semicombust +semicomic +semicomical +semicomically +semicommercial +semicommercially +semicommunicative +semicompact +semicompacted +semicomplete +semicomplicated +semiconceal +semiconcealed +semiconcrete +semiconditioned +semiconducting +semiconduction +semiconductor +semiconductors +semiconductor's +semicone +semiconfident +semiconfinement +semiconfluent +semiconformist +semiconformity +semiconic +semiconical +semiconically +semiconnate +semiconnection +semiconoidal +semiconscious +semiconsciously +semiconsciousness +semiconservative +semiconservatively +semiconsonant +semiconsonantal +semiconspicuous +semicontinent +semicontinuous +semicontinuously +semicontinuum +semicontraction +semicontradiction +semiconventional +semiconventionality +semiconventionally +semiconvergence +semiconvergent +semiconversion +semiconvert +semico-operative +semicope +semicordate +semicordated +semicoriaceous +semicorneous +semicoronate +semicoronated +semicoronet +semicostal +semicostiferous +semicotyle +semicotton +semicounterarch +semicountry +semicrepe +semicrescentic +semicretin +semicretinism +semicriminal +semicrystallinc +semicrystalline +semicroma +semicrome +semicrustaceous +semicubical +semi-cubical +semicubit +semicultivated +semicultured +semicup +semicupe +semicupium +semicupola +semicured +semicurl +semicursive +semicurvilinear +semidaily +semidangerous +semidangerously +semidangerousness +semidark +semidarkness +Semi-darwinian +semidead +semideaf +semideafness +semidecadent +semidecadently +semidecay +semidecayed +semidecussation +semidefensive +semidefensively +semidefensiveness +semidefined +semidefinite +semidefinitely +semidefiniteness +semideify +semideific +semideification +semideistical +semideity +semidelight +semidelirious +semidelirium +semideltaic +semidemented +semi-demi- +semidenatured +semidependence +semidependent +semidependently +semideponent +semidesert +semideserts +semidestruction +semidestructive +semidetached +semi-detached +semidetachment +semideterministic +semideveloped +semidiagrammatic +semidiameter +semidiapason +semidiapente +semidiaphaneity +semidiaphanous +semidiaphanously +semidiaphanousness +semidiatessaron +semidictatorial +semidictatorially +semidictatorialness +semi-diesel +semidifference +semidigested +semidigitigrade +semidigression +semidilapidation +semidine +semidiness +semidirect +semidirectness +semidisabled +semidisk +semiditone +semidiurnal +semi-diurnal +semidivided +semidivine +semidivision +semidivisive +semidivisively +semidivisiveness +semidocumentary +semidodecagon +semidole +semidome +semidomed +semidomes +semidomestic +semidomestically +semidomesticated +semidomestication +semidomical +semidominant +semidormant +semidouble +semi-double +semidrachm +semidramatic +semidramatical +semidramatically +semidress +semidressy +semidry +semidried +semidrying +semiductile +semidull +semiduplex +semidurables +semiduration +Semi-dutch +semiearly +semieducated +semieffigy +semiegg +semiegret +semielastic +semielastically +semielevated +semielision +semiellipse +semiellipsis +semiellipsoidal +semielliptic +semielliptical +semiemotional +semiemotionally +Semi-empire +semiempirical +semiempirically +semienclosed +semienclosure +semiengaged +semiepic +semiepical +semiepically +semiequitant +semierect +semierectly +semierectness +semieremitical +semiessay +Semi-euclidean +semievergreen +semiexclusive +semiexclusively +semiexclusiveness +semiexecutive +semiexhibitionist +semiexpanded +semiexpansible +semiexperimental +semiexperimentally +semiexplanation +semiexposed +semiexpositive +semiexpository +semiexposure +semiexpressionistic +semiexternal +semiexternalized +semiexternally +semiextinct +semiextinction +semifable +semifabulous +semifailure +semifamine +semifascia +semifasciated +semifashion +semifast +semifatalistic +semiferal +semiferous +semifeudal +semifeudalism +semify +semifib +semifiction +semifictional +semifictionalized +semifictionally +semifigurative +semifiguratively +semifigurativeness +semifigure +semifinal +semifinalist +semifinalists +semifinals +semifine +semifinish +semifinished +semifiscal +semifistular +semifit +semifitted +semifitting +semifixed +semiflashproof +semiflex +semiflexed +semiflexible +semiflexion +semiflexure +semiflint +semifloating +semifloret +semifloscular +semifloscule +semiflosculose +semiflosculous +semifluctuant +semifluctuating +semifluid +semifluidic +semifluidity +semifoaming +semiforbidding +semiforeign +semiform +semi-form +semiformal +semiformed +semifossil +semifossilized +semifrantic +semifrater +Semi-frenchified +semifriable +semifrontier +semifuddle +semifunctional +semifunctionalism +semifunctionally +semifurnished +semifused +semifusion +semifuturistic +semigala +semigelatinous +semigentleman +semigenuflection +semigeometric +semigeometrical +semigeometrically +semigirder +semiglaze +semiglazed +semiglobe +semiglobose +semiglobular +semiglobularly +semiglorious +semigloss +semiglutin +Semi-gnostic +semigod +Semi-gothic +semigovernmental +semigovernmentally +semigrainy +semigranitic +semigranulate +semigraphic +semigraphics +semigravel +semigroove +semigroup +semih +semihand +semihaness +semihard +semiharden +semihardened +semihardy +semihardness +semihastate +semihepatization +semiherbaceous +semiheretic +semiheretical +semiheterocercal +semihexagon +semihexagonal +semihyaline +semihiant +semihiatus +semihibernation +semihydrate +semihydrobenzoinic +semihigh +semihyperbola +semihyperbolic +semihyperbolical +semihysterical +semihysterically +semihistoric +semihistorical +semihistorically +semihobo +semihoboes +semihobos +semiholiday +semihonor +semihoral +semihorny +semihostile +semihostilely +semihostility +semihot +semihuman +semihumanism +semihumanistic +semihumanitarian +semihumanized +semihumbug +semihumorous +semihumorously +semi-idiocy +semi-idiotic +semi-idleness +semiyearly +semiyearlies +semi-ignorance +semi-illiteracy +semi-illiterate +semi-illiterately +semi-illiterateness +semi-illuminated +semi-imbricated +semi-immersed +semi-impressionistic +semi-incandescent +semi-independence +semi-independent +semi-independently +semi-indirect +semi-indirectly +semi-indirectness +semi-inductive +semi-indurate +semi-indurated +semi-industrial +semi-industrialized +semi-industrially +semi-inertness +semi-infidel +semi-infinite +semi-inhibited +semi-inhibition +semi-insoluble +semi-instinctive +semi-instinctively +semi-instinctiveness +semi-insular +semi-intellectual +semi-intellectualized +semi-intellectually +semi-intelligent +semi-intelligently +semi-intercostal +semi-internal +semi-internalized +semi-internally +semi-interosseous +semiintoxicated +semi-intoxication +semi-intrados +semi-invalid +semi-inverse +semi-ironic +semi-ironical +semi-ironically +semi-isolated +semijealousy +Semi-jesuit +semijocular +semijocularly +semijubilee +Semi-judaizer +semijudicial +semijudicially +semijuridic +semijuridical +semijuridically +semikah +semilanceolate +semilate +semilatent +semilatus +semileafless +semi-learning +semilegal +semilegendary +semilegislative +semilegislatively +semilens +semilenticular +semilethal +semiliberal +semiliberalism +semiliberally +semilichen +semiligneous +semilimber +semilined +semiliquid +semiliquidity +semilyric +semilyrical +semilyrically +semiliterate +Semillon +semilocular +semilog +semilogarithmic +semilogical +semiloyalty +semilong +semilooper +semiloose +semilor +semilucent +semiluminous +semiluminously +semiluminousness +semilunar +semilunare +semilunary +semilunate +semilunated +semilunation +semilune +semi-lune +semilustrous +semiluxation +semiluxury +semimachine +semimade +semimadman +semimagical +semimagically +semimagnetic +semimagnetical +semimagnetically +semimajor +semimalicious +semimaliciously +semimaliciousness +semimalignant +semimalignantly +semimanagerial +semimanagerially +Semi-manichaeanism +semimanneristic +semimanufacture +semimanufactured +semimanufactures +semimarine +semimarking +semimat +semi-mat +semimaterialistic +semimathematical +semimathematically +semimatt +semimatte +semi-matte +semimature +semimaturely +semimatureness +semimaturity +semimechanical +semimechanistic +semimedicinal +semimember +semimembranosus +semimembranous +semimenstrual +semimercerized +semimessianic +semimetal +semi-metal +semimetallic +semimetamorphosis +semimetaphoric +semimetaphorical +semimetaphorically +semimicro +semimicroanalysis +semimicrochemical +semimild +semimildness +semimilitary +semimill +semimineral +semimineralized +semiminess +semiminim +semiministerial +semiminor +semimystic +semimystical +semimystically +semimysticalness +semimythic +semimythical +semimythically +semimobile +semimoderate +semimoderately +semimoist +semimolecule +semimonarchic +semimonarchical +semimonarchically +semimonastic +semimonitor +semimonopoly +semimonopolistic +semimonster +semimonthly +semimonthlies +semimoralistic +semimoron +semimountainous +semimountainously +semimucous +semimute +semina +seminaked +seminal +seminality +seminally +seminaphthalidine +seminaphthylamine +seminar +seminarcosis +seminarcotic +seminary +seminarial +seminarian +seminarianism +seminarians +seminaries +seminary's +seminarist +seminaristic +seminarize +seminarrative +seminars +seminar's +seminasal +seminasality +seminasally +seminase +seminatant +seminate +seminated +seminating +semination +seminationalism +seminationalistic +seminationalization +seminationalized +seminative +seminebulous +seminecessary +seminegro +seminervous +seminervously +seminervousness +seminess +semineurotic +semineurotically +semineutral +semineutrality +seminiferal +seminiferous +seminific +seminifical +seminification +seminist +seminium +seminivorous +seminocturnal +semi-nocturnal +Seminole +Seminoles +seminoma +seminomad +seminomadic +seminomadically +seminomadism +seminomas +seminomata +seminonconformist +seminonflammable +seminonsensical +seminormal +seminormality +seminormally +seminormalness +Semi-norman +seminose +seminovel +seminovelty +seminude +seminudity +seminule +seminuliferous +seminuria +seminvariant +seminvariantive +semiobjective +semiobjectively +semiobjectiveness +semioblivion +semioblivious +semiobliviously +semiobliviousness +semiobscurity +semioccasional +semioccasionally +semiocclusive +semioctagonal +semiofficial +semiofficially +semiography +semiology +semiological +semiologist +Semionotidae +Semionotus +semiopacity +semiopacous +semiopal +semi-opal +semiopalescent +semiopaque +semiopen +semiopened +semiopenly +semiopenness +semioptimistic +semioptimistically +semioratorical +semioratorically +semiorb +semiorbicular +semiorbicularis +semiorbiculate +semiordinate +semiorganic +semiorganically +semiorganized +semioriental +semiorientally +semiorthodox +semiorthodoxly +semioscillation +semioses +semiosis +semiosseous +semiostracism +semiotic +semiotical +semiotician +semiotics +semioval +semiovally +semiovalness +semiovaloid +semiovate +semioviparous +semiovoid +semiovoidal +semioxidated +semioxidized +semioxygenated +semioxygenized +semipacifist +semipacifistic +semipagan +semipaganish +Semipalatinsk +semipalmate +semipalmated +semipalmation +semipanic +semipapal +semipapist +semiparabola +semiparalysis +semiparalytic +semiparalyzed +semiparallel +semiparameter +semiparasite +semiparasitic +semiparasitism +semiparochial +semipassive +semipassively +semipassiveness +semipaste +semipasty +semipastoral +semipastorally +semipathologic +semipathological +semipathologically +semipatriot +Semi-patriot +semipatriotic +semipatriotically +semipatterned +semipause +semipeace +semipeaceful +semipeacefully +semipectinate +semipectinated +semipectoral +semiped +semi-ped +semipedal +semipedantic +semipedantical +semipedantically +Semi-pelagian +Semi-pelagianism +semipellucid +semipellucidity +semipendent +semipendulous +semipendulously +semipendulousness +semipenniform +semiperceptive +semiperfect +semiperimeter +semiperimetry +semiperiphery +semipermanent +semipermanently +semipermeability +semipermeable +semiperoid +semiperspicuous +semipertinent +semiperviness +semipervious +semiperviousness +semipetaloid +semipetrified +semiphase +semiphenomenal +semiphenomenally +semiphilologist +semiphilosophic +semiphilosophical +semiphilosophically +semiphlogisticated +semiphonotypy +semiphosphorescence +semiphosphorescent +semiphrenetic +semipictorial +semipictorially +semipinacolic +semipinacolin +semipinnate +semipious +semipiously +semipiousness +semipyramidal +semipyramidical +semipyritic +semipiscine +Semi-pythagorean +semiplantigrade +semiplastic +semiplumaceous +semiplume +semipneumatic +semipneumatical +semipneumatically +semipoisonous +semipoisonously +semipolar +semipolitical +semipolitician +semipoor +semipopish +semipopular +semipopularity +semipopularized +semipopularly +semiporcelain +semiporous +semiporphyritic +semiportable +semipostal +semipractical +semiprecious +semipreservation +semipreserved +semiprimigenous +semiprimitive +semiprivacy +semiprivate +semipro +semiproductive +semiproductively +semiproductiveness +semiproductivity +semiprofane +semiprofanely +semiprofaneness +semiprofanity +semiprofessional +semiprofessionalized +semiprofessionally +semiprofessionals +semiprogressive +semiprogressively +semiprogressiveness +semipronation +semiprone +semipronely +semiproneness +semipronominal +semiproof +semipropagandist +semipros +semiproselyte +semiprosthetic +semiprostrate +semiprotected +semiprotective +semiprotectively +semiprotectorate +semiproven +semiprovincial +semiprovincially +semipsychologic +semipsychological +semipsychologically +semipsychotic +semipublic +semipunitive +semipunitory +semipupa +semipurposive +semipurposively +semipurposiveness +semipurulent +semiputrid +semiquadrangle +semiquadrantly +semiquadrate +semiquantitative +semiquantitatively +semiquartile +semiquaver +semiquietism +semiquietist +semiquinquefid +semiquintile +semiquote +semiradial +semiradiate +semiradical +semiradically +semiradicalness +Semiramis +Semiramize +semirapacious +semirare +semirarely +semirareness +semirationalized +semirattlesnake +semiraw +semirawly +semirawness +semireactionary +semirealistic +semirealistically +semirebel +semirebellion +semirebellious +semirebelliously +semirebelliousness +semirecondite +semirecumbent +semirefined +semireflex +semireflexive +semireflexively +semireflexiveness +semiregular +semirelief +semireligious +semireniform +semirepublic +semirepublican +semiresiny +semiresinous +semiresolute +semiresolutely +semiresoluteness +semirespectability +semirespectable +semireticulate +semiretired +semiretirement +semiretractile +semireverberatory +semirevolute +semirevolution +semirevolutionary +semirevolutionist +semirhythm +semirhythmic +semirhythmical +semirhythmically +semiriddle +semirigid +semirigorous +semirigorously +semirigorousness +semiring +semiroyal +semiroll +Semi-romanism +Semi-romanized +semiromantic +semiromantically +semirotary +semirotating +semirotative +semirotatory +semirotund +semirotunda +semiround +semiruin +semirural +semiruralism +semirurally +Semi-russian +semirustic +semis +semisacerdotal +semisacred +Semi-sadducee +Semi-sadduceeism +Semi-sadducism +semisagittate +semisaint +semisaline +semisaltire +semisaprophyte +semisaprophytic +semisarcodic +semisatiric +semisatirical +semisatirically +semisaturation +semisavage +semisavagedom +semisavagery +Semi-saxon +semiscenic +semischolastic +semischolastically +semiscientific +semiseafaring +semisecondary +semisecrecy +semisecret +semisecretly +semisection +semisedentary +semisegment +semisensuous +semisentient +semisentimental +semisentimentalized +semisentimentally +semiseparatist +semiseptate +semiserf +semiserious +semiseriously +semiseriousness +semiservile +semises +semisevere +semiseverely +semiseverity +semisextile +semishade +semishady +semishaft +semisheer +semishirker +semishrub +semishrubby +semisightseeing +semisilica +semisimious +semisymmetric +semisimple +semisingle +semisynthetic +semisirque +semisixth +semiskilled +Semi-slav +semislave +semismelting +semismile +semisocial +semisocialism +semisocialist +semisocialistic +semisocialistically +semisociative +semisocinian +semisoft +semisolemn +semisolemnity +semisolemnly +semisolemnness +semisolid +semisolute +semisomnambulistic +semisomnolence +semisomnolent +semisomnolently +semisomnous +semisopor +semisoun +Semi-southern +semisovereignty +semispan +semispeculation +semispeculative +semispeculatively +semispeculativeness +semisphere +semispheric +semispherical +semispheroidal +semispinalis +semispiral +semispiritous +semispontaneity +semispontaneous +semispontaneously +semispontaneousness +semisport +semisporting +semisquare +semistagnation +semistaminate +semistarvation +semistarved +semistate +semisteel +semistiff +semistiffly +semistiffness +semistill +semistimulating +semistock +semistory +semistratified +semistriate +semistriated +semistuporous +semisubterranean +semisuburban +semisuccess +semisuccessful +semisuccessfully +semisucculent +semisupernatural +semisupernaturally +semisupernaturalness +semisupinated +semisupination +semisupine +semisuspension +semisweet +semita +semitact +semitae +semitailored +semital +semitandem +semitangent +Semi-tatar +semitaur +Semite +semitechnical +semiteetotal +semitelic +semitendinosus +semitendinous +semiterete +semiterrestrial +semitertian +semites +semitesseral +semitessular +semitextural +semitexturally +semitheatric +semitheatrical +semitheatricalism +semitheatrically +semitheological +semitheologically +semithoroughfare +Semitic +Semi-tychonic +Semiticism +Semiticize +Semitico-hamitic +Semitics +semitime +Semitism +Semitist +semitists +Semitization +Semitize +Semito-hamite +Semito-Hamitic +semitonal +semitonally +semitone +semitones +semitonic +semitonically +semitontine +Semi-tory +semitorpid +semitour +semitraditional +semitraditionally +semitraditonal +semitrailer +semitrailers +semitrained +semitransept +semitranslucent +semitransparency +semitransparent +semitransparently +semitransparentness +semitransverse +semitreasonable +semitrimmed +semitropic +semitropical +semitropically +semitropics +semitruth +semitruthful +semitruthfully +semitruthfulness +semituberous +semitubular +semiuncial +semi-uncial +semiundressed +semiuniversalist +semiupright +semiurban +semiurn +semivalvate +semivault +semivector +semivegetable +semivertebral +semiverticillate +semivibration +semivirtue +semiviscid +semivisibility +semivisible +semivital +semivitreous +semivitrification +semivitrified +semivocal +semivocalic +semivolatile +semivolcanic +semivolcanically +semivoluntary +semivowel +semivowels +semivulcanized +semiwaking +semiwarfare +semiweekly +semiweeklies +semiwild +semiwildly +semiwildness +semiwoody +semiworks +Semi-zionism +semmel +Semmes +semmet +semmit +Semnae +Semnones +Semnopithecinae +semnopithecine +Semnopithecus +semois +semola +semolella +semolina +semolinas +semology +semological +Semora +Semostomae +semostomeous +semostomous +semoted +semoule +Sempach +semper +semper- +semperannual +sempergreen +semperidem +semperidentical +semperjuvenescent +sempervirent +sempervirid +Sempervivum +sempitern +sempiternal +sempiternally +sempiternity +sempiternize +sempiternous +semple +semples +semplice +semplices +sempre +sempres +sempster +sempstress +sempstry +sempstrywork +semsem +semsen +semuncia +semuncial +SEN +Sena +Senaah +senachie +senage +senaite +senal +Senalda +senam +senary +senarian +senarii +senarius +senarmontite +Senate +senate-house +senates +senate's +Senath +Senatobia +senator +senator-elect +senatory +senatorial +senatorially +senatorian +senators +senator's +senatorship +senatress +senatrices +senatrix +senatus +sence +Senci +sencio +sencion +send +sendable +Sendai +sendal +sendals +sended +sendee +Sender +senders +sending +sendle +sendoff +send-off +sendoffs +send-out +sends +sendup +sendups +sene +Seneca +Senecal +Senecan +senecas +Senecaville +Senecio +senecioid +senecionine +senecios +senectitude +senectude +senectuous +Senefelder +senega +Senegal +Senegalese +Senegambia +Senegambian +senegas +senegin +Seney +senesce +senescence +senescency +senescent +seneschal +seneschally +seneschalship +seneschalsy +seneschalty +senex +Senghor +sengi +sengreen +Senhauser +senhor +senhora +senhoras +senhores +senhorita +senhoritas +senhors +senicide +Senijextee +senile +senilely +seniles +senilis +senilism +senility +senilities +senilize +Senior +seniory +seniority +seniorities +seniors +senior's +seniorship +senit +seniti +senium +Senlac +Senn +Senna +Sennacherib +sennachie +Sennar +sennas +sennegrass +sennet +sennets +Sennett +sennight +se'nnight +sennights +sennit +sennite +sennits +senocular +Senoia +Senones +Senonian +senopia +senopias +senor +Senora +senoras +senores +senorita +senoritas +senors +senoufo +senryu +sensa +sensable +sensal +sensate +sensated +sensately +sensates +sensating +sensation +sensational +sensationalise +sensationalised +sensationalising +sensationalism +sensationalist +sensationalistic +sensationalists +sensationalize +sensationalized +sensationalizing +sensationally +sensationary +sensationish +sensationism +sensationist +sensationistic +sensationless +sensation-proof +sensations +sensation's +sensatory +sensatorial +sense +sense-bereaving +sense-bound +sense-confounding +sense-confusing +sensed +sense-data +sense-datum +sense-distracted +senseful +senseless +senselessly +senselessness +sense-ravishing +senses +sensibilia +sensibilisin +sensibility +sensibilities +sensibilitiy +sensibilitist +sensibilitous +sensibilium +sensibilization +sensibilize +sensible +sensibleness +sensibler +sensibles +sensiblest +sensibly +sensical +sensifacient +sensiferous +sensify +sensific +sensificatory +sensifics +sensigenous +sensile +sensilia +sensilla +sensillae +sensillum +sensillumla +sensimotor +sensyne +sensing +Sension +sensism +sensist +sensistic +sensitisation +sensitiser +sensitive +sensitively +sensitiveness +sensitivenesses +sensitives +sensitivist +sensitivity +sensitivities +sensitization +sensitize +sensitized +sensitizer +sensitizes +sensitizing +sensitometer +sensitometers +sensitometry +sensitometric +sensitometrically +sensitory +sensive +sensize +Senskell +senso +sensomobile +sensomobility +sensomotor +sensoparalysis +sensor +sensory +sensori- +sensoria +sensorial +sensorially +sensories +sensoriglandular +sensorimotor +sensorimuscular +sensorineural +sensorium +sensoriums +sensorivascular +sensorivasomotor +sensorivolitional +sensors +sensor's +sensu +sensual +sensualisation +sensualise +sensualism +sensualist +sensualistic +sensualists +sensuality +sensualities +sensualization +sensualize +sensualized +sensualizing +sensually +sensualness +sensuism +sensuist +sensum +sensuosity +sensuous +sensuously +sensuousness +sensuousnesses +sensus +sent +Sen-tamil +sentence +sentenced +sentencer +sentences +sentencing +sententia +sentential +sententially +sententiary +sententiarian +sententiarist +sententiosity +sententious +sententiously +sententiousness +senti +sentience +sentiency +sentiendum +sentient +sentiently +sentients +sentiment +sentimental +sentimentalisation +sentimentaliser +sentimentalism +sentimentalisms +sentimentalist +sentimentalists +sentimentality +sentimentalities +sentimentalization +sentimentalize +sentimentalized +sentimentalizer +sentimentalizes +sentimentalizing +sentimentally +sentimenter +sentimentless +sentimento +sentiment-proof +sentiments +sentiment's +sentimo +sentimos +sentine +Sentinel +sentineled +sentineling +sentinelled +sentinellike +sentinelling +sentinels +sentinel's +sentinelship +sentinelwise +sentisection +sentition +sentry +sentry-box +sentried +sentries +sentry-fashion +sentry-go +sentrying +sentry's +sents +senufo +Senusi +Senusian +Senusis +Senusism +Senussi +Senussian +Senussism +senvy +senza +Senzer +seor +seora +seorita +Seoul +Seow +Sep +sepad +sepal +sepaled +sepaline +sepalled +sepalody +sepaloid +sepalous +sepals +separability +separable +separableness +separably +separata +separate +separated +separatedly +separately +separateness +separates +separatical +separating +separation +separationism +separationist +separations +separatism +Separatist +separatistic +separatists +separative +separatively +separativeness +separator +separatory +separators +separator's +separatress +separatrices +separatrici +separatrix +separatum +separte +sepawn +sepd +sepg +Sepharad +Sephardi +Sephardic +Sephardim +Sepharvites +sephen +Sephira +sephirah +sephiric +sephiroth +sephirothic +Sephora +sepia +sepiacean +sepiaceous +sepia-colored +sepiae +sepia-eyed +sepialike +sepian +sepiary +sepiarian +sepias +sepia-tinted +sepic +sepicolous +Sepiidae +sepiment +sepioid +Sepioidea +Sepiola +Sepiolidae +sepiolite +sepion +sepiost +sepiostaire +sepium +sepn +Sepoy +sepoys +sepone +sepose +seppa +Seppala +seppuku +seppukus +seps +sepses +sepsid +Sepsidae +sepsin +sepsine +sepsis +Sept +Sept. +septa +septaemia +septal +septan +septane +septangle +septangled +septangular +septangularness +septaria +septarian +septariate +septarium +septate +septated +septation +septatoarticulate +septaugintal +septavalent +septave +septcentenary +septectomy +septectomies +septem- +September +Septemberer +Septemberism +Septemberist +Septembral +Septembrian +Septembrist +Septembrize +Septembrizer +septemdecenary +septemdecillion +septemfid +septemfluous +septemfoliate +septemfoliolate +septemia +septempartite +septemplicate +septemvious +septemvir +septemviral +septemvirate +septemviri +septemvirs +septenar +septenary +septenarian +septenaries +septenarii +septenarius +septenate +septendecennial +septendecillion +septendecillions +septendecillionth +septendecimal +septennary +septennate +septenniad +septennial +septennialist +septenniality +septennially +septennium +septenous +septentrial +Septentrio +Septentrion +septentrional +septentrionality +septentrionally +septentrionate +septentrionic +septerium +septet +septets +septette +septettes +septfoil +Septi +septi- +Septibranchia +Septibranchiata +septic +septicaemia +septicaemic +septical +septically +septicemia +septicemic +septicidal +septicidally +septicide +septicity +septicization +septicolored +septicopyemia +septicopyemic +septics +septier +septifarious +septiferous +septifluous +septifolious +septiform +septifragal +septifragally +septilateral +septile +septillion +septillions +septillionth +Septima +septimal +septimana +septimanae +septimanal +septimanarian +septime +septimes +septimetritis +septimole +septinsular +septipartite +septisyllabic +septisyllable +septivalent +septleva +Septmoncel +septo- +Septobasidium +septocylindrical +Septocylindrium +septocosta +septodiarrhea +septogerm +Septogloeum +septoic +septole +septolet +septomarginal +septomaxillary +septonasal +Septoria +septotomy +septs +septship +septuagenary +septuagenarian +septuagenarianism +septuagenarians +septuagenaries +Septuagesima +septuagesimal +Septuagint +Septuagintal +septula +septulate +septulum +septum +septums +septuncial +septuor +septuple +septupled +septuples +septuplet +septuplets +septuplicate +septuplication +septupling +sepuchral +sepulcher +sepulchered +sepulchering +sepulchers +sepulcher's +sepulchral +sepulchralize +sepulchrally +sepulchre +sepulchred +sepulchres +sepulchring +sepulchrous +sepult +sepultural +sepulture +Sepulveda +seq +seqed +seqence +seqfchk +seqq +seqq. +seqrch +sequa +sequaces +sequacious +sequaciously +sequaciousness +sequacity +Sequan +Sequani +Sequanian +Sequatchie +sequel +sequela +sequelae +sequelant +sequels +sequel's +sequence +sequenced +sequencer +sequencers +sequences +sequency +sequencies +sequencing +sequencings +sequent +sequential +sequentiality +sequentialize +sequentialized +sequentializes +sequentializing +sequentially +sequentialness +sequently +sequents +sequest +sequester +sequestered +sequestering +sequesterment +sequesters +sequestra +sequestrable +sequestral +sequestrant +sequestrate +sequestrated +sequestrates +sequestrating +sequestration +sequestrations +sequestrator +sequestratrices +sequestratrix +sequestrectomy +sequestrotomy +sequestrum +sequestrums +Sequim +sequin +sequined +sequinned +sequins +sequitur +sequiturs +Sequoia +Sequoya +Sequoyah +sequoias +seqwl +SER +Sera +serab +Serabend +serac +seracs +Serafin +Serafina +Serafine +seragli +seraglio +seraglios +serahuli +serai +seraya +serail +serails +seraing +serais +Serajevo +seral +seralbumen +seralbumin +seralbuminous +Seram +Serang +serape +Serapea +serapes +Serapeum +Serapeums +seraph +seraphic +seraphical +seraphically +seraphicalness +seraphicism +seraphicness +Seraphim +seraphims +seraphin +Seraphina +Seraphine +seraphism +seraphlike +seraphs +seraphtide +Serapias +Serapic +Serapis +Serapist +serasker +seraskerate +seraskier +seraskierat +serau +seraw +Serb +Serb-croat-slovene +Serbdom +Serbia +Serbian +serbians +Serbize +serbo- +Serbo-bulgarian +Serbo-croat +Serbo-Croatian +Serbonian +Serbophile +Serbophobe +SERC +sercial +sercom +Sercq +serdab +serdabs +serdar +Sere +Serean +sered +Seree +sereh +serein +sereins +Seremban +serement +Serena +serenade +serenaded +serenader +serenaders +serenades +serenading +serenata +serenatas +serenate +Serendib +serendibite +Serendip +serendipity +serendipitous +serendipitously +serendite +Serene +serened +serenely +sereneness +serener +serenes +serenest +serenify +serenissime +serenissimi +serenissimo +Serenitatis +Serenity +serenities +serenize +sereno +Serenoa +Serer +Seres +serest +Sereth +sereward +serf +serfage +serfages +serfdom +serfdoms +serfhood +serfhoods +serfish +serfishly +serfishness +serfism +serflike +serfs +serf's +serfship +Serg +Serge +sergeancy +sergeancies +Sergeant +sergeant-at-arms +sergeant-at-law +sergeantcy +sergeantcies +sergeantess +sergeantfish +sergeantfishes +sergeanty +sergeant-major +sergeant-majorship +sergeantry +sergeants +sergeant's +sergeantship +sergeantships +Sergeantsville +sergedesoy +sergedusoy +Sergei +sergelim +Sergent +serger +serges +Sergestus +sergette +Sergias +serging +sergings +Sergio +Sergipe +sergiu +Sergius +serglobulin +Sergo +Sergt +Sergu +Seri +serial +serialisation +serialise +serialised +serialising +serialism +serialist +serialists +seriality +serializability +serializable +serialization +serializations +serialization's +serialize +serialized +serializes +serializing +serially +serials +Serian +seriary +seriate +seriated +seriately +seriates +seriatim +seriating +seriation +seriaunt +Seric +Serica +Sericana +sericate +sericated +sericea +sericeotomentose +sericeous +sericicultural +sericiculture +sericiculturist +sericin +sericins +sericipary +sericite +sericitic +sericitization +Sericocarpus +sericon +serictery +sericteria +sericteries +sericterium +serictteria +sericultural +sericulture +sericulturist +seriema +seriemas +series +serieswound +series-wound +serif +serifed +seriffed +serific +Seriform +serifs +serigraph +serigrapher +serigraphers +serigraphy +serigraphic +serigraphs +Serilda +serimeter +serimpi +serin +serine +serines +serinette +sering +seringa +seringal +Seringapatam +seringas +seringhi +serins +Serinus +serio +serio- +seriocomedy +seriocomic +serio-comic +seriocomical +seriocomically +seriogrotesque +Seriola +Seriolidae +serioline +serioludicrous +seriopantomimic +serioridiculous +seriosity +seriosities +serioso +serious +seriously +serious-minded +serious-mindedly +serious-mindedness +seriousness +seriousnesses +seriplane +seripositor +Serjania +serjeancy +serjeant +serjeant-at-law +serjeanty +serjeantry +serjeants +Serkin +Serle +Serles +Serlio +serment +sermo +sermocination +sermocinatrix +sermon +sermonary +sermoneer +sermoner +sermonesque +sermonet +sermonette +sermonettino +sermonic +sermonical +sermonically +sermonics +sermoning +sermonise +sermonised +sermoniser +sermonish +sermonising +sermonism +sermonist +sermonize +sermonized +sermonizer +sermonizes +sermonizing +sermonless +sermonoid +sermonolatry +sermonology +sermonproof +sermons +sermon's +sermonwise +sermuncle +sernamby +sero +sero- +seroalbumin +seroalbuminuria +seroanaphylaxis +serobiological +serocyst +serocystic +serocolitis +serodermatosis +serodermitis +serodiagnosis +serodiagnostic +seroenteritis +seroenzyme +serofibrinous +serofibrous +serofluid +serogelatinous +serohemorrhagic +serohepatitis +seroimmunity +Seroka +serolactescent +serolemma +serolin +serolipase +serology +serologic +serological +serologically +serologies +serologist +seromaniac +seromembranous +seromucous +seromuscular +seron +seronegative +seronegativity +seroon +seroot +seroperitoneum +serophysiology +serophthisis +seroplastic +seropneumothorax +seropositive +seroprevention +seroprognosis +seroprophylaxis +seroprotease +seropuriform +seropurulent +seropus +seroreaction +seroresistant +serosa +serosae +serosal +serosanguineous +serosanguinolent +serosas +seroscopy +serose +serosynovial +serosynovitis +serosity +serosities +serositis +serotherapeutic +serotherapeutics +serotherapy +serotherapist +serotina +serotinal +serotine +serotines +serotinous +serotype +serotypes +serotonergic +serotonin +serotoxin +serous +serousness +Serov +serovaccine +serow +serows +serozem +serozyme +Serpari +Serpasil +serpedinous +Serpens +Serpent +serpentary +serpentaria +Serpentarian +Serpentarii +serpentarium +Serpentarius +serpentcleide +serpenteau +Serpentes +serpentess +serpent-god +serpent-goddess +Serpentian +serpenticidal +serpenticide +Serpentid +serpentiferous +serpentiform +serpentile +serpentin +serpentina +serpentine +serpentinely +Serpentinian +serpentinic +serpentiningly +serpentinization +serpentinize +serpentinized +serpentinizing +serpentinoid +serpentinous +Serpentis +serpentivorous +serpentize +serpently +serpentlike +serpentoid +serpentry +serpents +serpent's +serpent-shaped +serpent-stone +serpentwood +serpette +serphid +Serphidae +serphoid +Serphoidea +serpierite +serpigines +serpiginous +serpiginously +serpigo +serpigoes +serpivolant +serpolet +Serpukhov +Serpula +Serpulae +serpulan +serpulid +Serpulidae +serpulidan +serpuline +serpulite +serpulitic +serpuloid +Serra +serradella +serrae +serrage +serrai +serran +serrana +serranid +Serranidae +serranids +Serrano +serranoid +serranos +Serranus +Serrasalmo +serrate +serrate-ciliate +serrated +serrate-dentate +serrates +Serratia +serratic +serratiform +serratile +serrating +serration +serratirostral +serrato- +serratocrenate +serratodentate +serratodenticulate +serratoglandulous +serratospinose +serrature +serratus +serrefile +serrefine +Serrell +serre-papier +serry +serri- +serricorn +Serricornia +Serridentines +Serridentinus +serried +serriedly +serriedness +serries +Serrifera +serriferous +serriform +serrying +serring +serriped +serrirostrate +serrula +serrulate +serrulated +serrulateed +serrulation +serrurerie +sers +Sert +serta +serting +sertion +sertive +Sertorius +Sertularia +sertularian +Sertulariidae +sertularioid +sertularoid +sertule +sertulum +sertum +serule +serum +serumal +serumdiagnosis +serums +serum's +serut +serv +servable +servage +Servais +serval +servaline +servals +servant +servantcy +servantdom +servantess +servantless +servantlike +servantry +servants +servant's +servantship +servation +serve +served +servente +serventism +serve-out +Server +servery +servers +serves +servet +Servetian +Servetianism +Servetnick +servette +Servetus +Servia +serviable +Servian +Service +serviceability +serviceable +serviceableness +serviceably +serviceberry +serviceberries +serviced +serviceless +servicelessness +serviceman +servicemen +servicer +servicers +services +servicewoman +servicewomen +servicing +Servidor +servient +serviential +serviette +serviettes +servile +servilely +servileness +servilism +servility +servilities +servilize +serving +servingman +servings +servist +Servite +serviteur +servitial +servitium +servitor +servitorial +servitors +servitorship +servitress +servitrix +servitude +servitudes +serviture +Servius +servo +servo- +servocontrol +servo-control +servo-controlled +Servo-croat +Servo-croatian +servoed +servoing +servolab +servomechanical +servomechanically +servomechanics +servomechanism +servomechanisms +servomotor +servo-motor +servomotors +servo-pilot +servos +servotab +servulate +servus +serwamby +SES +sesame +sesames +sesamin +sesamine +sesamoid +sesamoidal +sesamoiditis +sesamoids +sesamol +Sesamum +Sesban +Sesbania +sescuncia +sescuple +Seseli +Seshat +Sesia +Sesiidae +seskin +sesma +Sesostris +Sesotho +sesperal +sesqui +sesqui- +sesquialter +sesquialtera +sesquialteral +sesquialteran +sesquialterous +sesquibasic +sesquicarbonate +sesquicentenary +sesquicentennial +sesquicentennially +sesquicentennials +sesquichloride +sesquiduple +sesquiduplicate +sesquih +sesquihydrate +sesquihydrated +sesquinona +sesquinonal +sesquioctava +sesquioctaval +sesquioxide +sesquipedal +sesquipedalian +sesquipedalianism +sesquipedalism +sesquipedality +sesquiplane +sesquiplicate +sesquiquadrate +sesquiquarta +sesquiquartal +sesquiquartile +sesquiquinta +sesquiquintal +sesquiquintile +sesquisalt +sesquiseptimal +sesquisextal +sesquisilicate +sesquisquare +sesquisulphate +sesquisulphide +sesquisulphuret +sesquiterpene +sesquitertia +sesquitertial +sesquitertian +sesquitertianal +SESRA +sess +sessa +sessed +Sesser +Sesshu +sessile +sessile-eyed +sessile-flowered +sessile-fruited +sessile-leaved +sessility +Sessiliventres +session +sessional +sessionally +sessionary +Sessions +session's +Sessler +sesspool +sesspools +Sessrymnir +SEST +sesterce +sesterces +sestertia +sestertium +sestertius +sestet +sestets +sestetto +sesti +sestia +sestiad +Sestian +sestina +sestinas +sestine +sestines +sestole +sestolet +seston +Sestos +sestuor +Sesuto +Sesuvium +SET +set- +Seta +setaceous +setaceously +setae +setal +Setaria +setarid +setarious +set-aside +setation +setback +set-back +setbacks +Setbal +setbolt +setdown +set-down +setenant +set-fair +setfast +Seth +set-hands +sethead +Sethi +Sethian +Sethic +Sethite +Sethrida +SETI +seti- +Setibo +setier +Setifera +setiferous +setiform +setiger +setigerous +set-in +setioerr +setiparous +setirostral +setline +setlines +setling +setness +setnet +Seto +setoff +set-off +setoffs +Seton +setons +Setophaga +Setophaginae +setophagine +setose +setous +setout +set-out +setouts +setover +setpfx +sets +set's +setscrew +setscrews +setsman +set-stitched +sett +settable +settaine +settecento +settee +settees +setter +Settera +setter-forth +settergrass +setter-in +setter-on +setter-out +setters +setter's +setter-to +setter-up +setterwort +settima +settimo +setting +setting-free +setting-out +settings +setting-to +setting-up +Settle +settleability +settleable +settle-bench +settle-brain +settled +settledly +settledness +settle-down +settlement +settlements +settlement's +settler +settlerdom +settlers +settles +settling +settlings +settlor +settlors +set-to +settos +setts +settsman +Setubal +setuid +setula +setulae +setule +setuliform +setulose +setulous +setup +set-up +set-upness +setups +setwall +setwise +setwork +setworks +seudah +seugh +Seumas +Seurat +Seuss +Sev +Sevan +Sevastopol +Seve +seven +seven-banded +sevenbark +seven-branched +seven-caped +seven-channeled +seven-chorded +seven-cornered +seven-day +seven-eyed +seven-eyes +seven-eleven +Sevener +seven-figure +sevenfold +sevenfolded +sevenfoldness +seven-foot +seven-footer +seven-formed +seven-gated +seven-gilled +seven-hand +seven-headed +seven-hilled +seven-hilly +seven-holes +seven-horned +seven-year +seven-inch +seven-league +seven-leaved +seven-line +seven-masted +Sevenmile +seven-mouthed +seven-nerved +sevennight +seven-ounce +seven-part +sevenpence +sevenpenny +seven-piled +seven-ply +seven-point +seven-poled +seven-pronged +seven-quired +sevens +sevenscore +seven-sealed +seven-shilling +seven-shooter +seven-sided +seven-syllabled +seven-sisters +seven-spot +seven-spotted +seventeen +seventeenfold +seventeen-hundreds +seventeen-year +seventeens +seventeenth +seventeenthly +seventeenths +seventh +seventh-day +seven-thirty +seven-thirties +seventhly +seven-thorned +sevenths +Seventy +seventy-day +seventy-dollar +seventy-eight +seventy-eighth +seventies +seventieth +seventieths +seventy-fifth +seventy-first +seventy-five +seventyfold +seventy-foot +seventy-footer +seventy-four +seventy-fourth +seventy-horse +seventy-year +seventy-mile +seven-tined +seventy-nine +seventy-ninth +seventy-odd +seventy-one +seventy-second +seventy-seven +seventy-seventh +seventy-six +seventy-sixth +seventy-third +seventy-three +seventy-ton +seventy-two +seven-toned +seven-twined +seven-twisted +seven-up +sever +severability +severable +several +several-celled +several-flowered +severalfold +several-fold +severality +severalization +severalize +severalized +severalizing +severally +several-lobed +several-nerved +severalness +several-ribbed +severals +severalth +severalty +severalties +Severance +severances +severate +severation +severe +severed +severedly +severely +Severen +severeness +severer +severers +severest +Severy +Severian +severies +Severin +severing +severingly +Severini +Severinus +severish +severity +severities +severity's +severization +severize +Severn +Severo +severs +Seversky +Severson +Severus +seviche +seviches +sevier +Sevierville +Sevigne +Sevik +sevillanas +Seville +Sevillian +sevres +sevum +sew +sewable +sewage +sewages +sewan +Sewanee +sewans +sewar +Seward +Sewaren +sewars +sewed +Sewel +Sewell +sewellel +Sewellyn +sewen +sewer +sewerage +sewerages +sewered +sewery +sewering +sewerless +sewerlike +sewerman +sewers +Sewickley +sewin +sewing +sewings +sewless +sewn +Sewole +Sewoll +sewround +sews +sewster +SEX +sex- +sexadecimal +sexagenary +sexagenarian +sexagenarianism +sexagenarians +sexagenaries +sexagene +Sexagesima +sexagesimal +sexagesimally +sexagesimals +sexagesimo-quarto +sexagonal +sexangle +sexangled +sexangular +sexangularly +sexannulate +sexarticulate +sexavalent +sexcentenary +sexcentenaries +sexcuspidate +sexdecillion +sexdecillions +sexdigital +sexdigitate +sexdigitated +sexdigitism +sexed +sexed-up +sexenary +sexennial +sexennially +sexennium +sexern +sexes +sexfarious +sexfid +sexfoil +sexhood +sexy +sexi- +sexier +sexiest +sexifid +sexily +sexillion +sexiness +sexinesses +sexing +sex-intergrade +sexiped +sexipolar +sexisyllabic +sexisyllable +sexism +sexisms +sexist +sexists +sexitubercular +sexivalence +sexivalency +sexivalent +sexless +sexlessly +sexlessness +sexly +sexlike +sex-limited +sex-linkage +sex-linked +sexlocular +sexology +sexologic +sexological +sexologies +sexologist +sexpartite +sexploitation +sexpot +sexpots +sexradiate +sex-starved +sext +sextactic +sextain +sextains +sextan +Sextans +Sextant +sextantal +Sextantis +sextants +sextar +sextary +sextarii +sextarius +sextennial +sextern +sextet +sextets +sextette +sextettes +sextic +sextile +sextiles +Sextilis +sextillion +sextillions +sextillionth +sextipara +sextipartite +sextipartition +sextiply +sextipolar +sexto +sextodecimo +sexto-decimo +sextodecimos +sextole +sextolet +Sexton +sextoness +sextons +sextonship +Sextonville +sextos +sextry +sexts +sextubercular +sextuberculate +sextula +sextulary +sextumvirate +sextuor +sextuple +sextupled +sextuples +sextuplet +sextuplets +sextuplex +sextuply +sextuplicate +sextuplicated +sextuplicating +sextupling +sextur +Sextus +sexual +sexuale +sexualisation +sexualism +sexualist +sexuality +sexualities +sexualization +sexualize +sexualized +sexualizing +sexually +sexuous +sexupara +sexuparous +Sezen +Sezession +SF +Sfax +Sfc +SFD +SFDM +sferics +sfm +SFMC +SFO +sfogato +sfoot +'sfoot +Sforza +sforzando +sforzandos +sforzato +sforzatos +sfree +SFRPG +sfumato +sfumatos +sfz +SG +sgabelli +sgabello +sgabellos +Sgad +sgd +sgd. +SGI +SGML +SGMP +SGP +sgraffiato +sgraffiti +sgraffito +Sgt +sh +SHA +shaatnez +shab +Shaba +Shaban +sha'ban +shabandar +shabash +Shabbas +Shabbat +Shabbath +shabbed +shabby +shabbier +shabbiest +shabbify +shabby-genteel +shabby-gentility +shabbyish +shabbily +shabbiness +shabbinesses +Shabbir +shabble +Shabbona +shabbos +shabeque +shabrack +shabracque +shab-rag +shabroon +shabunder +Shabuoth +Shacharith +shachle +shachly +shack +shackanite +shackatory +shackbolt +shacked +shacker +shacky +shacking +shackings +shackland +shackle +shacklebone +shackled +shackledom +Shacklefords +shackler +shacklers +shackles +Shackleton +shacklewise +shackly +shackling +shacko +shackoes +shackos +shacks +shad +Shadai +shadbelly +shad-belly +shad-bellied +shadberry +shadberries +shadbird +shadblow +shad-blow +shadblows +shadbush +shadbushes +shadchan +shadchanim +shadchans +shadchen +Shaddock +shaddocks +shade +shade-bearing +shaded +shade-enduring +shadeful +shade-giving +shade-grown +shadeless +shadelessness +shade-loving +shader +shaders +shades +shade-seeking +shadetail +shadfly +shadflies +shadflower +shady +Shadydale +shadier +shadiest +shadily +shadine +shadiness +shading +shadings +Shadyside +shadkan +shado +shadoof +shadoofs +Shadow +shadowable +shadowbox +shadow-box +shadowboxed +shadowboxes +shadowboxing +shadowed +shadower +shadowers +shadowfoot +shadowgram +shadowgraph +shadowgraphy +shadowgraphic +shadowgraphist +shadowy +shadowier +shadowiest +shadowily +shadowiness +shadowing +shadowishly +shadowist +shadowland +shadowless +shadowlessness +shadowly +shadowlike +shadows +Shadrach +shadrachs +shads +shaduf +shadufs +Shadwell +Shae +SHAEF +Shaefer +Shaeffer +Shaer +Shafer +Shaff +Shaffer +Shaffert +shaffle +shafii +Shafiite +shaft +shafted +Shafter +Shaftesbury +shaftfoot +shafty +shafting +shaftings +shaftless +shaftlike +shaftman +shaftment +shaft-rubber +shafts +shaft's +Shaftsburg +Shaftsbury +shaftsman +shaft-straightener +shaftway +shag +shaganappi +shaganappy +shagbag +shagbark +shagbarks +shagbush +shagged +shaggedness +shaggy +shaggy-barked +shaggy-bearded +shaggy-bodied +shaggy-coated +shaggier +shaggiest +shaggy-fleeced +shaggy-footed +shaggy-haired +shaggy-leaved +shaggily +shaggymane +shaggy-mane +shaggy-maned +shagginess +shagging +shag-haired +Shagia +shaglet +shaglike +shagpate +shagrag +shag-rag +shagreen +shagreened +shagreens +shagroon +shags +shagtail +Shah +Shahada +Shahansha +Shahaptian +Shahaptians +shaharit +Shaharith +shahdom +shahdoms +shahee +shaheen +shahi +shahid +shahidi +shahin +Shahjahanpur +shahs +shahzada +shahzadah +shahzadi +shai +Shay +Shaia +Shaya +shayed +Shaigia +Shaikh +shaykh +shaikhi +Shaikiyeh +Shayla +Shaylah +Shaylyn +Shaylynn +Shayn +Shaina +Shayna +Shaine +Shayne +shaird +shairds +shairn +shairns +Shays +Shaysite +Shaitan +shaitans +Shaiva +Shaivism +Shak +Shaka +shakable +shakably +shake +shakeable +shake-bag +shakebly +shake-cabin +shakedown +shake-down +shakedowns +shakefork +shake-hands +shaken +shakenly +shakeout +shake-out +shakeouts +shakeproof +Shaker +shakerag +shake-rag +Shakerdom +Shakeress +Shakerism +Shakerlike +Shakers +shakes +shakescene +Shakespeare +Shakespearean +Shakespeareana +Shakespeareanism +Shakespeareanly +shakespeareans +Shakespearian +Shakespearianism +Shakespearize +Shakespearolater +Shakespearolatry +shakeup +shake-up +shakeups +shakha +Shakhty +shaky +Shakyamuni +shakier +shakiest +shakil +shakily +shakiness +shakinesses +shaking +shakingly +shakings +shako +shakoes +Shakopee +shakos +Shaks +shaksheer +Shakspere +shaksperean +Shaksperian +Shaksperianism +Shakta +Shakti +shaktis +Shaktism +shaku +shakudo +shakuhachi +Shakuntala +Shala +Shalako +shalder +shale +shaled +shalee +shaley +shalelike +shaleman +shales +shaly +shalier +shaliest +Shalimar +shall +shallal +shally +shallon +shalloon +shalloons +shallop +shallopy +shallops +shallot +shallots +Shallotte +shallow +Shallowater +shallow-bottomed +shallowbrain +shallowbrained +shallow-brained +shallow-draft +shallowed +shallower +shallowest +shallow-footed +shallow-forded +shallow-headed +shallowhearted +shallow-hulled +shallowy +shallowing +shallowish +shallowist +shallowly +shallow-minded +shallow-mindedness +shallowness +shallowpate +shallowpated +shallow-pated +shallow-read +shallow-rooted +shallow-rooting +shallows +shallow-sea +shallow-searching +shallow-sighted +shallow-soiled +shallow-thoughted +shallow-toothed +shallow-waisted +shallow-water +shallow-witted +shallow-wittedness +shallu +Shalna +Shalne +Shalom +shaloms +shalt +shalwar +Sham +Shama +shamable +shamableness +shamably +shamal +shamalo +shaman +shamaness +shamanic +shamanism +shamanist +shamanistic +shamanize +shamans +shamas +Shamash +shamateur +shamateurism +shamba +Shambala +Shambaugh +shamble +shambled +shambles +shambling +shamblingly +shambrier +Shambu +shame +shameable +shame-burnt +shame-crushed +shamed +shame-eaten +shameface +shamefaced +shamefacedly +shamefacedness +shamefast +shamefastly +shamefastness +shameful +shamefully +shamefulness +shameless +shamelessly +shamelessness +shameproof +shamer +shames +shame-shrunk +shamesick +shame-stricken +shame-swollen +shameworthy +shamiana +shamianah +shamim +shaming +shamir +Shamma +Shammai +Shammar +shammas +shammash +shammashi +shammashim +shammasim +shammed +shammer +shammers +shammes +shammy +shammick +shammied +shammies +shammying +shamming +shammish +shammock +shammocky +shammocking +shammos +shammosim +Shamo +shamoy +shamoyed +shamoying +shamois +shamoys +Shamokin +shamos +shamosim +shampoo +shampooed +shampooer +shampooers +shampooing +shampoos +Shamrao +Shamrock +shamrock-pea +shamrocks +shamroot +shams +sham's +shamsheer +shamshir +Shamus +shamuses +Shan +Shana +shanachas +shanachie +shanachus +Shanahan +Shanan +Shanda +Shandaken +Shandean +Shandee +Shandeigh +Shandy +Shandie +shandies +shandygaff +Shandyism +shandite +Shandon +Shandra +shandry +shandrydan +Shane +Shaner +Shang +Shangaan +Shangalla +shangan +Shanghai +shanghaied +shanghaier +shanghaiing +shanghais +shangy +Shango +Shangri-la +Shang-ti +Shani +Shanie +Shaniko +Shank +Shankar +Shankara +Shankaracharya +shanked +shanker +shanking +shankings +shank-painter +shankpiece +Shanks +shanksman +Shanksville +Shanley +Shanleigh +Shanly +Shanna +Shannah +Shannan +Shanney +Shannen +shanny +shannies +Shannock +Shannon +Shannontown +Shanon +shansa +Shansi +shant +shan't +Shanta +Shantee +shantey +shanteys +Shantha +shanti +shanty +shanty-boater +shantied +shanties +shantih +shantihs +shantying +shantylike +shantyman +shantymen +shantis +shanty's +shantytown +Shantow +Shantung +shantungs +shap +shapable +SHAPE +shapeable +shaped +shapeful +shape-knife +shapeless +shapelessly +shapelessness +shapely +shapelier +shapeliest +shapeliness +shapen +Shaper +shapers +shapes +shapeshifter +shape-shifting +shapesmith +shapeup +shape-up +shapeups +shapy +shapier +shapiest +shaping +shapingly +Shapiro +shapka +Shapley +Shapleigh +shapometer +shapoo +shaps +Shaptan +shaptin +SHAR +Shara +sharable +sharada +Sharaf +Sharai +Sharaku +sharan +Sharas +shard +Shardana +shard-born +shard-borne +sharded +shardy +sharding +shards +share +shareability +shareable +sharebone +sharebroker +sharecrop +sharecroped +sharecroping +sharecropped +sharecropper +sharecroppers +sharecropper's +sharecropping +sharecrops +shared +shareef +sharefarmer +shareholder +shareholders +shareholder's +shareholdership +shareman +share-out +shareown +shareowner +sharepenny +sharer +sharers +shares +shareship +sharesman +sharesmen +Sharet +sharewort +Sharezer +shargar +Shargel +sharger +shargoss +Shari +Sharia +shariat +sharif +sharifian +sharifs +Sharyl +Sharyn +sharing +Sharira +Sharity +shark +sharked +sharker +sharkers +sharkful +sharki +sharky +sharking +sharkish +sharkishly +sharkishness +sharklet +sharklike +shark-liver +sharks +shark's +sharkship +sharkskin +sharkskins +sharksucker +Sharl +Sharla +Sharleen +Sharlene +Sharline +Sharma +Sharman +sharn +sharnbud +sharnbug +sharny +sharns +Sharon +Sharona +Sharonville +Sharos +Sharp +sharp-angled +sharp-ankled +sharp-back +sharp-backed +sharp-beaked +sharp-bellied +sharpbill +sharp-billed +sharp-biting +sharp-bottomed +sharp-breasted +sharp-clawed +sharp-cornered +sharp-cut +sharp-cutting +Sharpe +sharp-eared +sharped +sharp-edged +sharp-eye +sharp-eyed +sharp-eyes +sharp-elbowed +sharpen +sharpened +sharpener +sharpeners +sharpening +sharpens +sharper +sharpers +Sharpes +sharpest +sharp-faced +sharp-fanged +sharp-featured +sharp-flavored +sharp-freeze +sharp-freezer +sharp-freezing +sharp-froze +sharp-frozen +sharp-fruited +sharp-gritted +sharp-ground +sharp-headed +sharp-heeled +sharp-horned +sharpy +sharpie +sharpies +sharping +sharpish +sharpite +sharp-keeled +sharp-leaved +Sharples +sharply +sharpling +sharp-looking +sharp-minded +sharp-nebbed +sharpness +sharpnesses +sharp-nosed +sharp-nosedly +sharp-nosedness +sharp-odored +sharp-petaled +sharp-piercing +sharp-piled +sharp-pointed +sharp-quilled +sharp-ridged +Sharps +sharpsaw +Sharpsburg +sharp-set +sharp-setness +sharpshin +sharp-shinned +sharpshod +sharpshoot +sharpshooter +sharpshooters +sharpshooting +sharpshootings +sharp-sighted +sharp-sightedly +sharp-sightedness +sharp-smelling +sharp-smitten +sharp-snouted +sharp-staked +sharp-staring +sharpster +Sharpsville +sharptail +sharp-tailed +sharp-tasted +sharp-tasting +sharp-tempered +sharp-toed +sharp-tongued +sharp-toothed +sharp-topped +Sharptown +sharp-visaged +sharpware +sharp-whetted +sharp-winged +sharp-witted +sharp-wittedly +sharp-wittedness +Sharra +sharrag +Sharras +sharry +Sharrie +Sharron +Shartlesville +shashlick +shashlik +shashliks +shaslick +shaslik +shasliks +Shasta +shastaite +Shastan +shaster +shastra +shastracara +shastraik +shastras +shastri +shastrik +shat +shatan +shathmont +Shatt-al-Arab +shatter +shatterable +shatterbrain +shatterbrained +shattered +shatterer +shatterheaded +shattery +shattering +shatteringly +shatterment +shatterpated +shatterproof +shatters +shatterwit +Shattuc +Shattuck +shattuckite +Shattuckville +Shatzer +shauchle +Shauck +shaugh +Shaughn +Shaughnessy +shaughs +shaul +Shaula +shauled +shauling +shauls +Shaum +Shaun +Shauna +shaup +shauri +shauwe +shavable +shave +shaveable +shaved +shavee +shavegrass +shaveling +shaven +Shaver +shavery +shavers +shaves +Shavese +shavester +shavetail +shaveweed +Shavian +Shaviana +Shavianism +shavians +shavie +shavies +shaving +shavings +Shavuot +Shavuoth +Shaw +shawabti +Shawanee +Shawanese +Shawano +Shawboro +shawed +shawfowl +shawy +shawing +shawl +shawled +shawling +shawlless +shawllike +shawls +shawl's +shawlwise +shawm +shawms +Shawmut +Shawn +Shawna +Shawnee +shawnees +Shawneetown +shawneewood +shawny +shaws +Shawsville +Shawville +Shawwal +shazam +Shazar +SHCD +Shcheglovsk +Shcherbakov +she +Shea +she-actor +sheading +she-adventurer +sheaf +sheafage +sheafed +Sheaff +sheafy +sheafing +sheaflike +sheafripe +sheafs +Sheakleyville +sheal +shealing +shealings +sheals +shean +shea-nut +she-ape +she-apostle +Shear +shearbill +sheard +sheared +Shearer +shearers +sheargrass +shear-grass +shearhog +shearing +shearlegs +shear-legs +shearless +shearling +shearman +shearmouse +shears +shearsman +'sheart +sheartail +shearwater +shearwaters +sheas +she-ass +sheat +sheatfish +sheatfishes +sheath +sheathbill +sheathe +sheathed +sheather +sheathery +sheathers +sheathes +sheath-fish +sheathy +sheathier +sheathiest +sheathing +sheathless +sheathlike +sheaths +sheath-winged +sheave +sheaved +sheaveless +sheaveman +sheaves +sheaving +Sheba +she-baker +she-balsam +shebang +shebangs +shebar +Shebat +shebean +shebeans +she-bear +she-beech +shebeen +shebeener +shebeening +shebeens +Sheboygan +she-captain +she-chattel +Shechem +Shechemites +Shechina +Shechinah +shechita +shechitah +she-costermonger +she-cousin +shed +she'd +shedable +Shedd +sheddable +shedded +shedder +shedders +shedding +she-demon +sheder +she-devil +shedhand +shedim +Shedir +shedlike +shedman +she-dragon +Sheds +shedu +shedwise +shee +Sheeb +Sheedy +sheefish +sheefishes +Sheehan +sheel +Sheela +Sheelagh +Sheelah +Sheeler +sheely +sheeling +Sheen +Sheena +Sheene +sheened +sheeney +sheeneys +sheenful +sheeny +sheenie +sheenier +sheenies +sheeniest +sheening +sheenless +sheenly +sheens +sheep +sheepback +sheepbacks +sheepbell +sheepberry +sheepberries +sheepbine +sheepbiter +sheep-biter +sheepbiting +sheepcot +sheepcote +sheepcrook +sheepdip +sheep-dip +sheepdog +sheepdogs +sheepfaced +sheepfacedly +sheepfacedness +sheepfold +sheepfolds +sheepfoot +sheepfoots +sheepgate +sheep-grazing +sheephead +sheepheaded +sheepheads +sheephearted +sheepherder +sheepherding +sheephook +sheephouse +sheep-hued +sheepy +sheepify +sheepified +sheepifying +sheepish +sheepishly +sheepishness +sheepkeeper +sheepkeeping +sheepkill +sheep-kneed +sheepless +sheeplet +sheep-lice +sheeplike +sheepling +sheepman +sheepmaster +sheepmen +sheepmint +sheepmonger +sheepnose +sheepnut +sheeppen +sheep-root +sheep's-bit +sheepshank +Sheepshanks +sheepshead +sheepsheadism +sheepsheads +sheepshear +sheepshearer +sheep-shearer +sheepshearing +sheep-shearing +sheepshed +sheep-sick +sheepskin +sheepskins +sheep-spirited +sheepsplit +sheepsteal +sheepstealer +sheepstealing +sheep-tick +sheepwalk +sheepwalker +sheepweed +sheep-white +sheep-witted +sheer +Sheeran +sheer-built +sheered +Sheeree +sheerer +sheerest +sheer-hulk +sheering +sheerlegs +sheerly +Sheerness +sheer-off +sheers +sheet +sheetage +sheet-anchor +sheet-block +sheeted +sheeter +sheeters +sheetfed +sheet-fed +sheetflood +sheetful +sheety +sheeting +sheetings +sheetless +sheetlet +sheetlike +sheetling +Sheetrock +Sheets +sheetways +sheetwash +sheetwise +sheetwork +sheetwriting +sheeve +sheeves +Sheff +Sheffy +Sheffie +Sheffield +she-fish +she-foal +she-fool +she-fox +she-friend +shegets +shegetz +she-gypsy +she-goat +she-god +She-greek +Shehab +shehita +shehitah +Sheya +Sheyenne +sheik +sheikdom +sheikdoms +sheikh +sheikhdom +sheikhdoms +sheikhly +sheikhlike +sheikhs +sheikly +sheiklike +sheiks +Sheila +Sheilah +Sheila-Kathryn +sheilas +sheyle +sheiling +she-ironbark +Sheitan +sheitans +sheitel +sheitlen +shekel +shekels +Shekinah +she-kind +she-king +Shel +Shela +Shelagh +Shelah +Shelba +Shelbi +Shelby +Shelbiana +Shelbina +Shelbyville +Shelburn +Shelburne +sheld +Sheldahl +sheldapple +sheld-duck +Shelden +shelder +sheldfowl +Sheldon +Sheldonville +sheldrake +sheldrakes +shelduck +shelducks +Sheley +Shelepin +shelf +shelfback +shelffellow +shelfful +shelffuls +shelfy +shelflike +shelflist +shelfmate +shelfpiece +shelfroom +shelf-room +shelfworn +Shelia +Shelyak +Sheline +she-lion +Shell +she'll +shellac +shellack +shellacked +shellacker +shellackers +shellacking +shellackings +shellacks +shellacs +shellak +Shellans +shellapple +shellback +shellbark +shellblow +shellblowing +shellbound +shellburst +shell-carving +shellcracker +shelleater +shelled +Shelley +Shelleyan +Shelleyana +shelleyesque +sheller +shellers +shellfire +shellfish +shell-fish +shellfishery +shellfisheries +shellfishes +shellflower +shellful +shellhead +Shelli +Shelly +Shellian +shellycoat +Shellie +shellier +shelliest +shelliness +shelling +shell-leaf +shell-less +shell-like +Shellman +shellmen +shellmonger +shellpad +shellpot +shellproof +shells +Shellsburg +shellshake +shell-shaped +shell-shock +shellshocked +shell-shocked +shellum +shellwork +shellworker +shell-worker +Shelman +Shelocta +s'help +Shelta +sheltas +shelter +shelterage +shelterbelt +sheltered +shelterer +sheltery +sheltering +shelteringly +shelterless +shelterlessness +shelters +shelterwood +shelty +sheltie +shelties +Shelton +sheltron +shelve +shelved +shelver +shelvers +shelves +shelvy +shelvier +shelviest +shelving +shelvingly +shelvingness +shelvings +Shem +Shema +shemaal +Shemaka +she-malady +Shembe +sheminith +Shemite +Shemitic +Shemitish +she-monster +shemozzle +Shemu +Shen +Shena +Shenan +Shenandoah +shenanigan +shenanigans +shend +shendful +shending +shends +she-negro +Sheng +Shenyang +Shenshai +Shensi +Shenstone +shent +she-oak +sheogue +Sheol +sheolic +sheols +Shep +she-page +she-panther +Shepard +Shepardsville +she-peace +Shepherd +shepherdage +shepherddom +shepherded +shepherdess +shepherdesses +shepherdhood +shepherdy +Shepherdia +shepherding +shepherdish +shepherdism +shepherdize +shepherdless +shepherdly +shepherdlike +shepherdling +shepherdry +shepherds +shepherd's +shepherd's-purse +shepherd's-scabious +shepherds-staff +Shepherdstown +Shepherdsville +she-pig +she-pine +Shepley +Sheply +she-poet +she-poetry +Shepp +Sheppard +sheppeck +sheppey +Shepperd +shepperding +sheppherded +sheppick +Sheppton +she-preacher +she-priest +shepstare +shepster +Sher +Sherani +Sherar +Sherard +Sherardia +sherardize +sherardized +sherardizer +sherardizing +Sheratan +Sheraton +sherbacha +sherbert +sherberts +sherbet +sherbetlee +sherbets +sherbetzide +Sherborn +Sherborne +Sherbrooke +Sherburn +Sherburne +sherd +sherds +Shere +Sheree +shereef +shereefs +she-relative +Sherer +Shererd +Sherfield +Sheri +sheria +sheriat +Sheridan +Sherie +Sherye +sherif +sherifa +sherifate +sheriff +sheriffalty +sheriffcy +sheriffcies +sheriffdom +sheriffess +sheriffhood +sheriff-pink +sheriffry +sheriffs +sheriff's +sheriffship +sheriffwick +sherifi +sherify +sherifian +sherifs +Sheriyat +Sheryl +Sheryle +Sherilyn +Sherill +sheristadar +Sherj +Sherl +Sherley +Sherline +Sherlock +Sherlocke +sherlocks +Sherm +Sherman +Shermy +Shermie +Sherod +sheroot +sheroots +Sherourd +Sherpa +sherpas +Sherr +Sherramoor +Sherrard +Sherrer +Sherri +Sherry +Sherrie +sherries +Sherrill +Sherrymoor +Sherrington +Sherris +sherrises +sherryvallies +Sherrod +Sherrodsville +Shertok +Sherurd +sherwani +Sherwin +Sherwynd +Sherwood +shes +she's +she-saint +she-salmon +she-school +she-scoundrel +Shesha +she-society +she-sparrow +she-sun +sheth +she-thief +Shetland +Shetlander +Shetlandic +shetlands +she-tongue +Shetrit +sheuch +sheuchs +sheugh +sheughs +sheva +Shevat +shevel +sheveled +sheveret +she-villain +Shevlin +Shevlo +shevri +shew +shewa +shewbread +Shewchuk +shewed +shewel +shewer +shewers +she-whale +shewing +she-witch +Shewmaker +shewn +she-wolf +she-woman +shews +SHF +shfsep +shh +shi +shy +Shia +Shiah +shiai +shyam +Shyamal +shiatsu +shiatsus +shiatzu +shiatzus +Shiau +shibah +shibahs +shibar +shibbeen +shibboleth +shibbolethic +shibboleths +shibuichi +shibuichi-doshi +shice +shicer +shick +shicker +shickered +shickers +Shickley +shicksa +shicksas +shick-shack +Shickshinny +shide +shydepoke +Shidler +shied +Shieh +Shiekh +shiel +shield +shieldable +shield-back +shield-bearer +shield-bearing +shieldboard +shield-breaking +shielddrake +shielded +shielder +shielders +shieldfern +shield-fern +shieldflower +shield-headed +shielding +shieldings +shield-leaved +shieldless +shieldlessly +shieldlessness +shieldlike +shieldling +shieldmay +shield-maiden +shieldmaker +Shields +shield-shaped +shieldtail +shieling +shielings +shiels +Shien +shier +shyer +shiers +shyers +shies +shiest +shyest +Shiff +shiffle-shuffle +Shifra +Shifrah +shift +shiftability +shiftable +shiftage +shifted +shifter +shifters +shiftful +shiftfulness +shifty +shifty-eyed +shiftier +shiftiest +shiftily +shiftiness +shifting +shiftingly +shiftingness +shiftless +shiftlessly +shiftlessness +shiftlessnesses +shiftman +shifts +Shig +Shigella +shigellae +shigellas +shiggaion +shigionoth +shigram +Shih +Shihchiachuang +shih-tzu +Shii +shying +shyish +Shiism +Shiite +Shiitic +Shik +shikar +shikara +shikaree +shikarees +shikargah +shikari +shikaris +shikarred +shikarring +shikars +shikasta +Shikibu +shikii +shikimi +shikimic +shikimol +shikimole +shikimotoxin +shikken +shikker +shikkers +shiko +Shikoku +shikra +shiksa +shiksas +shikse +shikses +shilf +shilfa +Shilh +Shilha +shily +shyly +shilingi +shill +shilla +shillaber +shillala +shillalah +shillalas +shilled +Shillelagh +shillelaghs +shillelah +Shiller +shillet +shillety +shillhouse +shilly +shillibeer +shilling +shillingless +shillings +shillingsworth +Shillington +shillyshally +shilly-shally +shilly-shallied +shillyshallyer +shilly-shallyer +shilly-shallies +shilly-shallying +shilly-shallyingly +Shillong +shilloo +shills +Shilluh +Shilluk +Shylock +shylocked +shylocking +Shylockism +shylocks +Shiloh +shilpit +shilpits +shim +shimal +Shimazaki +Shimberg +Shimei +Shimkus +shimmed +shimmey +shimmer +shimmered +shimmery +shimmering +shimmeringly +shimmers +shimmy +shimmied +shimmies +shimmying +shimming +Shimonoseki +shimose +shimper +shims +shim-sham +Shin +Shina +shinaniging +Shinar +shinarump +Shinberg +shinbone +shin-bone +shinbones +shindy +shindies +shindig +shindigs +shindys +shindle +shine +shined +shineless +Shiner +shiners +shiner-up +shines +shyness +shynesses +Shing +Shingishu +shingle +shingle-back +shingled +shingler +shinglers +shingles +shingle's +Shingleton +Shingletown +shinglewise +shinglewood +shingly +shingling +shingon +Shingon-shu +shinguard +Shinhopple +shiny +shiny-backed +Shinichiro +shinier +shiniest +shinily +shininess +shining +shiningly +shiningness +shinkin +shinleaf +shinleafs +shinleaves +Shinnecock +shinned +shinney +shinneys +shinner +shinnery +shinneries +shinny +shinnied +shinnies +shinnying +shinning +Shinnston +shinplaster +shins +Shin-shu +shinsplints +shintai +shin-tangle +shinty +shintyan +shintiyan +Shinto +Shintoism +Shintoist +Shintoistic +shintoists +Shintoize +Shinwari +shinwood +shinza +Shiocton +ship +shipboard +shipboards +shipboy +shipborne +shipbound +shipbreaking +shipbroken +shipbuild +shipbuilder +shipbuilders +shipbuilding +ship-chandler +shipcraft +shipentine +shipferd +shipfitter +shipful +shipfuls +shiphire +shipholder +ship-holder +shipyard +shipyards +shipkeeper +shiplap +shiplaps +Shipley +shipless +shiplessly +shiplet +shipload +ship-load +shiploads +Shipman +shipmanship +shipmast +shipmaster +shipmate +shipmates +shipmatish +shipmen +shipment +shipments +shipment's +ship-minded +ship-mindedly +ship-mindedness +ship-money +ship-of-war +shypoo +shipowner +shipowning +Shipp +shippable +shippage +shipped +Shippee +shippen +shippens +Shippensburg +Shippenville +shipper +shippers +shipper's +shippy +shipping +shipping-dry +shippings +shipplane +shippo +shippon +shippons +shippound +shiprade +ship-rigged +ships +ship's +shipshape +ship-shape +ship-shaped +shipshapely +Shipshewana +shipside +shipsides +shipsmith +shipt +ship-to-shore +shipway +shipways +shipward +shipwards +shipwork +shipworm +shipworms +shipwreck +shipwrecked +shipwrecky +shipwrecking +shipwrecks +shipwright +shipwrightery +shipwrightry +shipwrights +Shir +Shira +Shirah +shirakashi +shiralee +shirallee +Shiraz +Shirberg +Shire +shirehouse +shireman +shiremen +shire-moot +shires +shirewick +Shiri +Shirk +shirked +shirker +shirkers +shirky +shirking +shirks +Shirl +Shirland +Shirlands +shirlcock +Shirlee +Shirleen +Shirley +Shirleysburg +Shirlene +Shirlie +Shirline +Shiro +Shiroma +shirpit +shirr +shirra +shirred +shirrel +shirring +shirrings +shirrs +shirt +shirtband +shirtdress +shirt-dress +shirtfront +shirty +shirtier +shirtiest +shirtiness +shirting +shirtings +shirtless +shirtlessness +shirtlike +shirtmake +shirtmaker +shirtmaking +shirtman +shirtmen +shirts +shirtsleeve +shirt-sleeve +shirt-sleeved +shirttail +shirt-tail +shirtwaist +shirtwaister +Shirvan +shish +shisham +shishya +Shishko +shisn +shist +shyster +shysters +shists +shit +shita +shitepoke +shithead +shit-headed +shitheel +shither +shits +shittah +shittahs +shitted +shitten +shitty +shittier +shittiest +Shittim +shittims +shittimwood +shittiness +shitting +shittle +shiv +Shiva +shivah +shivahs +Shivaism +Shivaist +Shivaistic +Shivaite +shivaree +shivareed +shivareeing +shivarees +shivas +shive +shivey +Shively +shiver +shivered +shivereens +shiverer +shiverers +shivery +Shiverick +shivering +shiveringly +shiverproof +Shivers +shiversome +shiverweed +shives +shivy +shivoo +shivoos +shivs +shivvy +shivzoku +shizoku +Shizuoka +Shkod +Shkoder +Shkodra +shkotzim +Shkupetar +shlemiehl +shlemiel +shlemiels +shlemozzle +shlep +shlepp +shlepped +shlepps +shleps +shlimazel +shlimazl +shlock +shlocks +Shlomo +Shlu +Shluh +shlump +shlumped +shlumpy +shlumps +SHM +shmaltz +shmaltzy +shmaltzier +shmaltziest +shmear +shmears +shmo +shmoes +shmooze +shmoozed +shmoozes +shmuck +shmucks +Shmuel +shnaps +shnook +shnooks +sho +Shoa +shoad +shoader +shoal +shoalbrain +shoaled +shoaler +shoalest +shoaly +shoalier +shoaliest +shoaliness +shoaling +shoalness +Shoals +shoal's +shoalwise +shoat +shoats +Shobonier +shochet +shochetim +shochets +shock +shockability +shockable +shock-bucker +shock-dog +shocked +shockedness +shocker +shockers +shockhead +shock-head +shockheaded +shockheadedness +shocking +shockingly +shockingness +Shockley +shocklike +shockproof +shocks +shockstall +shockwave +shod +shodden +shoddy +shoddydom +shoddied +shoddier +shoddies +shoddiest +shoddying +shoddyism +shoddyite +shoddily +shoddylike +shoddiness +shoddinesses +shoddyward +shoddywards +shode +shoder +shoe +shoebill +shoebills +shoebinder +shoebindery +shoebinding +shoebird +shoeblack +shoeboy +shoebrush +shoe-cleaning +shoecraft +shoed +shoeflower +shoehorn +shoe-horn +shoehorned +shoehorning +shoehorns +shoeing +shoeing-horn +shoeingsmith +shoelace +shoelaces +shoe-leather +shoeless +shoemake +shoe-make +Shoemaker +shoemakers +Shoemakersville +shoemaking +shoeman +shoemold +shoepac +shoepack +shoepacks +shoepacs +shoer +shoers +shoes +shoescraper +shoeshine +shoeshop +shoesmith +shoe-spoon +shoestring +shoestrings +shoetree +shoetrees +shoewoman +shofar +shofars +shoffroth +shofroth +shoful +shog +shogaol +shogged +shoggie +shogging +shoggy-shoo +shoggle +shoggly +shogi +shogs +shogun +shogunal +shogunate +shoguns +shohet +shohji +shohjis +Shohola +shoya +Shoifet +shoyu +shoyus +shoji +shojis +Shojo +Shokan +shola +Sholapur +shole +Sholeen +Sholem +Sholes +Sholley +Sholokhov +Sholom +sholoms +Shona +shonde +shone +shoneen +shoneens +Shongaloo +shonkinite +shoo +shood +shooed +shoofa +shoofly +shooflies +shoogle +shooi +shoo-in +shooing +shook +shooks +shook-up +shool +shooldarry +shooled +shooler +shooling +shools +shoon +shoop +shoopiltie +shoor +shoos +shoot +shootable +shootboard +shootee +shoot-'em-up +shooter +shooters +shoother +shooting +shootings +shootist +shootman +shoot-off +shootout +shoot-out +shootouts +shoots +shoot-the-chutes +shop +shopboard +shop-board +shopboy +shopboys +shopbook +shopbreaker +shopbreaking +shope +shopfolk +shopful +shopfuls +shopgirl +shopgirlish +shopgirls +shophar +shophars +shophroth +shopkeep +shopkeeper +shopkeeperess +shopkeepery +shopkeeperish +shopkeeperism +shopkeepers +shopkeeper's +shopkeeping +shopland +shoplet +shoplift +shoplifted +shoplifter +shoplifters +shoplifting +shoplifts +shoplike +shop-made +shopmaid +shopman +shopmark +shopmate +shopmen +shopocracy +shopocrat +shoppe +shopped +shopper +shoppers +shopper's +shoppes +shoppy +shoppier +shoppiest +shopping +shoppings +shoppini +shoppish +shoppishness +shops +shop's +shopsoiled +shop-soiled +shopster +shoptalk +shoptalks +Shopville +shopwalker +shopwear +shopwife +shopwindow +shop-window +shopwoman +shopwomen +shopwork +shopworker +shopworn +shoq +Shor +shoran +shorans +Shore +Shorea +shoreberry +shorebird +shorebirds +shorebush +shored +shoreface +shorefish +shorefront +shoregoing +shore-going +Shoreham +shoreyer +shoreland +shoreless +shoreline +shorelines +shoreman +shorer +shores +shore's +shoreside +shoresman +Shoreview +shoreward +shorewards +shoreweed +Shorewood +shoring +shorings +shorl +shorling +shorls +shorn +Shornick +Short +shortage +shortages +shortage's +short-arm +short-armed +short-awned +short-barred +short-barreled +short-beaked +short-bearded +short-billed +short-bitten +short-bladed +short-bobbed +short-bodied +short-branched +shortbread +short-bread +short-breasted +short-breathed +short-breathing +shortcake +short-cake +shortcakes +short-celled +shortchange +short-change +shortchanged +short-changed +shortchanger +short-changer +shortchanges +shortchanging +short-changing +short-chinned +short-cycle +short-cycled +short-circuit +short-circuiter +short-clawed +short-cloaked +shortclothes +shortcoat +shortcomer +shortcoming +shortcomings +shortcoming's +short-commons +short-coupled +short-crested +short-cropped +short-crowned +shortcut +short-cut +shortcuts +shortcut's +short-day +short-dated +short-distance +short-docked +short-drawn +short-eared +shorted +short-eyed +shorten +shortened +shortener +shorteners +shortening +shortenings +shortens +Shorter +Shorterville +shortest +short-extend +short-faced +shortfall +shortfalls +short-fed +short-fingered +short-finned +short-footed +short-fruited +short-grained +short-growing +short-hair +short-haired +shorthand +shorthanded +short-handed +shorthandedness +shorthander +short-handled +shorthands +shorthandwriter +short-haul +shorthead +shortheaded +short-headed +short-headedness +short-heeled +shortheels +Shorthorn +short-horned +shorthorns +shorty +Shortia +shortias +shortie +shorties +shorting +shortish +shortite +short-jointed +short-keeled +short-laid +short-landed +short-lasting +short-leaf +short-leaved +short-legged +shortly +shortliffe +short-limbed +short-lined +short-list +short-lived +short-livedness +short-living +short-long +short-lunged +short-made +short-manned +short-measured +short-mouthed +short-nailed +short-napped +short-necked +shortness +shortnesses +short-nighted +short-nosed +short-order +short-pitch +short-podded +short-pointed +short-quartered +short-range +short-run +short-running +shorts +shortschat +short-set +short-shafted +short-shanked +short-shelled +short-shipped +short-short +short-shouldered +short-shucks +shortsighted +short-sighted +shortsightedly +shortsightedness +short-sightedness +short-skirted +short-sleeved +short-sloped +short-snouted +shortsome +short-span +short-spined +short-spired +short-spoken +short-spurred +shortstaff +short-staffed +short-stalked +short-staple +short-statured +short-stemmed +short-stepped +short-styled +shortstop +short-stop +shortstops +short-story +short-suiter +Shortsville +short-sword +shorttail +short-tailed +short-tempered +short-term +short-termed +short-time +short-toed +short-tongued +short-toothed +short-trunked +short-trussed +short-twisted +short-waisted +shortwave +shortwaves +short-weight +short-weighter +short-winded +short-windedly +short-windedness +short-winged +short-witted +short-wool +short-wooled +short-wristed +Shortzy +Shoshana +Shoshanna +Shoshone +Shoshonean +Shoshonean-nahuatlan +Shoshones +Shoshoni +Shoshonis +shoshonite +Shostakovich +shot +shot-blasting +shotbush +shot-clog +shotcrete +shote +shotes +shot-free +shotgun +shot-gun +shotgunned +shotgunning +shotguns +shotgun's +shotless +shotlike +shot-log +shotmaker +shotman +shot-peen +shotproof +shot-put +shot-putter +shot-putting +shots +shot's +shotshell +shot-silk +shotsman +shotstar +shot-stified +shott +shotted +shotten +shotter +shotty +shotting +Shotton +shotts +Shotweld +Shotwell +shou +shough +should +should-be +shoulder +shoulder-blade +shoulder-bone +shoulder-clap +shoulder-clapper +shouldered +shoulderer +shoulderette +shoulder-high +shoulder-hitter +shouldering +shoulder-knot +shoulder-piece +shoulders +shoulder-shotten +shoulder-strap +shouldest +shouldn +shouldna +shouldnt +shouldn't +shouldst +shoulerd +shoupeltin +shouse +shout +shouted +shouter +shouters +shouther +shouting +shoutingly +shouts +shoval +shove +shoved +shovegroat +shove-groat +shove-halfpenny +shove-hapenny +shove-ha'penny +shovel +shovelard +shovel-beaked +shovelbill +shovel-bladed +shovelboard +shovel-board +shoveled +shoveler +shovelers +shovelfish +shovel-footed +shovelful +shovelfuls +shovel-handed +shovel-hatted +shovelhead +shovel-headed +shoveling +shovelled +shoveller +shovelling +shovelmaker +shovelman +shovel-mouthed +shovelnose +shovel-nose +shovel-nosed +shovels +shovelsful +shovel-shaped +shovelweed +shover +shovers +shoves +shoving +show +Showa +showable +showance +showbird +showboard +showboat +showboater +showboating +showboats +showbread +show-bread +showcase +showcased +showcases +showcasing +showd +showdom +showdown +showdowns +showed +Showell +shower +shower-bath +showered +showerer +showerful +showerhead +showery +showerier +showeriest +showeriness +showering +showerless +showerlike +showerproof +Showers +showfolk +showful +showgirl +showgirls +showy +showyard +showier +showiest +showy-flowered +showy-leaved +showily +showiness +showinesses +showing +showing-off +showings +showish +showjumping +Showker +showless +Showlow +showman +showmanism +showmanly +showmanry +showmanship +show-me +showmen +shown +showoff +show-off +show-offy +show-offish +showoffishness +showoffs +showpiece +showpieces +showplace +showplaces +showroom +showrooms +shows +showshop +showstopper +show-through +showup +showworthy +show-worthy +shp +shpt +shpt. +shr +shr. +shrab +shradd +shraddha +shradh +shraf +shrag +shram +shrame +shrammed +shrank +shrap +shrape +shrapnel +shrave +shravey +shreadhead +shreading +shred +shredcock +shredded +shredder +shredders +shreddy +shredding +shredless +shredlike +shred-pie +shreds +shred's +Shree +shreeve +Shreeves +shrend +Shreve +Shreveport +shrew +shrewd +shrewd-brained +shrewder +shrewdest +shrewd-headed +shrewdy +shrewdie +shrewdish +shrewdly +shrewd-looking +shrewdness +shrewdnesses +shrewdom +shrewd-pated +shrewd-tongued +shrewd-witted +shrewed +shrewing +shrewish +shrewishly +shrewishness +shrewly +shrewlike +shrewmmice +shrewmouse +shrews +shrew's +Shrewsbury +shrewstruck +shri +shride +shriek +shrieked +shrieker +shriekery +shriekers +shrieky +shriekier +shriekiest +shriekily +shriekiness +shrieking +shriekingly +shriek-owl +shriekproof +shrieks +Shrier +shrieval +shrievalty +shrievalties +shrieve +shrieved +shrieves +shrieving +shrift +shrift-father +shriftless +shriftlessness +shrifts +shrike +shrikes +shrill +shrilled +shrill-edged +shriller +shrillest +shrill-gorged +shrilly +shrilling +shrillish +shrillness +shrills +shrill-toned +shrill-tongued +shrill-voiced +shrimp +shrimped +shrimper +shrimpers +shrimpfish +shrimpi +shrimpy +shrimpier +shrimpiest +shrimpiness +shrimping +shrimpish +shrimpishness +shrimplike +shrimps +shrimpton +shrinal +Shrine +shrined +shrineless +shrinelet +shrinelike +Shriner +shrines +shrine's +shrining +shrink +shrinkable +shrinkage +shrinkageproof +shrinkages +shrinker +shrinkerg +shrinkers +shrinkhead +shrinky +shrinking +shrinkingly +shrinkingness +shrinkproof +shrinks +shrink-wrap +shrip +shris +shrite +shrive +shrived +shrivel +shriveled +shriveling +shrivelled +shrivelling +shrivels +shriven +Shriver +shrivers +shrives +shriving +shroff +shroffed +shroffing +shroffs +shrog +shrogs +Shropshire +shroud +shrouded +shroudy +shrouding +shroud-laid +shroudless +shroudlike +shrouds +Shrove +shroved +shrover +Shrovetide +shrove-tide +shrovy +shroving +SHRPG +shrrinkng +shrub +shrubbed +shrubbery +shrubberies +shrubby +shrubbier +shrubbiest +shrubbiness +shrubbish +shrubland +shrubless +shrublet +shrublike +shrubs +shrub's +shrubwood +shruff +shrug +shrugged +shrugging +shruggingly +shrugs +shrunk +shrunken +shrups +shruti +sh-sh +sht +shtchee +shtetel +shtetels +shtetl +shtetlach +shtetls +shtg +shtg. +shtick +shticks +shtik +shtiks +Shtokavski +shtreimel +Shu +shuba +Shubert +shubunkin +Shubuta +shuck +shuck-bottom +shucked +shucker +shuckers +shucking +shuckings +shuckins +shuckpen +shucks +shudder +shuddered +shudderful +shuddery +shudderiness +shuddering +shudderingly +shudders +shuddersome +shudna +Shue +shuff +shuffle +shuffleboard +shuffle-board +shuffleboards +shufflecap +shuffled +shuffler +shufflers +shuffles +shufflewing +shuffling +shufflingly +shufty +Shufu +shug +Shugart +shuggy +Shuha +Shuhali +Shukria +Shukulumbwe +shul +Shulamite +Shulamith +Shulem +Shuler +Shulerville +Shulins +Shull +Shullsburg +Shulman +shuln +Shulock +shuls +Shult +Shultz +shulwar +shulwaurs +Shum +Shuma +shumac +shumal +Shuman +Shumway +shun +'shun +Shunammite +shune +Shunk +shunless +shunnable +shunned +shunner +shunners +shunning +shunpike +shun-pike +shunpiked +shunpiker +shunpikers +shunpikes +shunpiking +shuns +shunt +shunted +shunter +shunters +shunting +shunts +shuntwinding +shunt-wound +Shuping +Shuqualak +shure +shurf +shurgee +Shurlock +Shurlocke +Shurwood +shush +Shushan +shushed +shusher +shushes +shushing +Shuswap +shut +shut-away +shutdown +shutdowns +shutdown's +Shute +shuted +shuteye +shut-eye +shuteyes +shutes +Shutesbury +shut-in +shuting +shut-mouthed +shutness +shutoff +shut-off +shutoffs +shutoku +shutout +shut-out +shutouts +shuts +shuttance +shutten +shutter +shutterbug +shutterbugs +shuttered +shuttering +shutterless +shutters +shutterwise +shutting +shutting-in +shuttle +shuttlecock +shuttlecocked +shuttlecock-flower +shuttlecocking +shuttlecocks +shuttle-core +shuttled +shuttleheaded +shuttlelike +shuttler +shuttles +shuttlewise +shuttle-witted +shuttle-wound +shuttling +shut-up +Shutz +shuvra +Shuzo +shwa +Shwalb +shwanpan +shwanpans +shwebo +SI +sy +Sia +siacalle +siafu +syagush +siak +sial +sialaden +sialadenitis +sialadenoncus +sialagogic +sialagogue +sialagoguic +sialemesis +Sialia +sialic +sialid +Sialidae +sialidan +sialids +Sialis +Sialkot +sialoangitis +sialogenous +sialogogic +sialogogue +sialoid +sialolith +sialolithiasis +sialology +sialorrhea +sialoschesis +sialosemeiology +sialosyrinx +sialosis +sialostenosis +sialozemia +sials +SIAM +siamang +siamangs +Siamese +siameses +siamoise +Sian +Siana +Siang +Siangtan +Sianna +Sias +siauliai +Sib +Sybaris +sybarism +sybarist +Sybarital +Sybaritan +Sybarite +sybarites +Sybaritic +Sybaritical +Sybaritically +Sybaritish +sybaritism +sibb +Sibbaldus +sibbed +sibbendy +sibbens +sibber +Sibby +Sibbie +sibbing +sibboleth +sibbs +Sibeal +Sibel +Sibelius +Sibell +Sibella +Sibelle +Siber +Siberia +Siberian +Siberian-americanoid +siberians +Siberic +siberite +Siberson +Sybertsville +Sibie +Sibyl +Sybil +Sybyl +Sybila +sibilance +sibilancy +sibilant +sibilantly +sibilants +sibilate +sibilated +sibilates +sibilating +sibilatingly +sibilation +sibilator +sibilatory +sibylesque +sibylic +sibylism +Sibilla +Sibylla +Sybilla +sibyllae +Sibylle +Sybille +sibyllic +sibylline +sibyllism +sibyllist +sibilous +Sibyls +sibilus +Sibiric +Sibiu +Sible +Syble +Siblee +Sibley +Sybley +sibling +siblings +sibling's +sibness +sybo +syboes +sybotic +sybotism +sybow +sibrede +sibs +sibship +sibships +sibucao +SIC +SYC +Sicambri +Sicambrian +sycamine +sycamines +Sycamore +sycamores +Sicana +Sicani +Sicanian +Sicard +sicarian +sicarii +sicarious +sicarius +sicc +sicca +siccan +siccaneous +siccant +siccar +siccate +siccated +siccating +siccation +siccative +sicced +siccimeter +siccing +siccity +sice +syce +sycee +sycees +Sicel +Siceliot +sicer +Sices +syces +sich +Sychaeus +sychee +sychnocarpous +sicht +Sichuan +Sicily +Sicilia +Sicilian +siciliana +Sicilianism +siciliano +sicilianos +sicilians +sicilica +sicilicum +sicilienne +Sicilo-norman +sicinnian +Sicyon +Sicyonian +Sicyonic +Sicyos +sycite +sick +Syck +sick-abed +sickbay +sickbays +sickbed +sick-bed +sickbeds +sick-brained +sicked +sickee +sickees +sicken +sickened +sickener +sickeners +sickening +sickeningly +sickens +sicker +sickerly +sickerness +Sickert +sickest +sicket +sick-fallen +sick-feathered +sickhearted +sickie +sickies +sick-in +sicking +sickish +sickishly +sickishness +sickle +sicklebill +sickle-billed +sickle-cell +sickled +sickle-grass +sickle-hammed +sickle-hocked +sickle-leaved +sicklelike +sickle-like +sickleman +sicklemen +sicklemia +sicklemic +sicklepod +sickler +sicklerite +Sicklerville +sickles +sickle-shaped +sickless +sickle-tailed +sickleweed +sicklewise +sicklewort +sickly +sickly-born +sickly-colored +sicklied +sicklier +sicklies +sickliest +sicklying +sicklily +sickly-looking +sickliness +sickling +sickly-seeming +sick-list +sickly-sweet +sickly-sweetness +sickness +sicknesses +sicknessproof +sickness's +sick-nurse +sick-nursish +sicko +sickos +sickout +sick-out +sickouts +sick-pale +sickroom +sickrooms +sicks +sick-thoughted +Siclari +sicle +siclike +sycoceric +sycock +sycoma +sycomancy +sycomore +sycomores +Sycon +Syconaria +syconarian +syconate +Sycones +syconia +syconid +Syconidae +syconium +syconoid +syconus +sycophancy +sycophancies +sycophant +sycophantic +sycophantical +sycophantically +sycophantish +sycophantishly +sycophantism +sycophantize +sycophantly +sycophantry +sycophants +sycoses +sycosiform +sycosis +sics +sicsac +sicula +Sicular +Siculi +Siculian +Siculo-arabian +Siculo-moresque +Siculo-norman +Siculo-phoenician +Siculo-punic +SID +Syd +Sida +Sidalcea +sidder +Siddha +Siddhanta +Siddhartha +Siddhi +syddir +Siddon +Siddons +siddow +Siddra +siddur +siddurim +siddurs +side +sideage +sidearm +sidearms +sideband +sidebands +sidebar +side-bar +sidebars +side-bended +side-by-side +side-by-sideness +sideboard +sideboards +sideboard's +sidebone +side-bone +sidebones +sidebox +side-box +sideburn +sideburned +sideburns +sideburn's +sidecar +sidecarist +sidecars +side-cast +sidechair +sidechairs +sidecheck +side-cut +sidecutters +sided +sidedness +side-door +sidedress +side-dress +side-dressed +side-dressing +side-end +sideflash +side-flowing +side-glance +side-graft +side-handed +side-hanging +sidehead +sidehill +sidehills +sidehold +sidekick +side-kick +sidekicker +sidekicks +Sydel +sidelang +sideless +side-lever +sidelight +side-light +sidelights +sidelight's +side-lying +sideline +side-line +sidelined +sideliner +side-liner +sidelines +sideling +sidelings +sidelingwise +sidelining +sidelins +Sidell +Sydelle +sidelock +sidelong +side-look +side-looker +sideman +sidemen +side-necked +sideness +sidenote +side-on +sidepiece +sidepieces +side-post +sider +sider- +sideral +siderate +siderated +sideration +sidereal +siderealize +sidereally +siderean +siderin +siderism +siderite +siderites +sideritic +Sideritis +sidero- +siderocyte +siderognost +siderographer +siderography +siderographic +siderographical +siderographist +siderolite +siderology +sideroma +sideromagnetic +sideromancy +sideromelane +sideronatrite +sideronym +siderophilin +siderophobia +sideroscope +siderose +siderosilicosis +siderosis +siderostat +siderostatic +siderotechny +siderotic +siderous +Sideroxylon +sidership +siderurgy +siderurgical +sides +sidesaddle +side-saddle +sidesaddles +side-seen +sideshake +sideshow +side-show +sideshows +side-skip +sideslip +side-slip +sideslipped +sideslipping +sideslips +sidesman +sidesmen +sidespin +sidespins +sidesplitter +sidesplitting +side-splitting +sidesplittingly +sidest +sidestep +side-step +sidestepped +side-stepped +sidestepper +side-stepper +sidesteppers +sidestepping +side-stepping +sidesteps +sidestick +side-stick +side-stitched +sidestroke +sidestrokes +sidesway +sideswipe +sideswiped +sideswiper +sideswipers +sideswipes +sideswiping +side-table +side-taking +sidetrack +side-track +sidetracked +sidetracking +sidetracks +side-view +sideway +sideways +sidewalk +side-walk +sidewalks +sidewalk's +sidewall +side-wall +sidewalls +sideward +sidewards +sidewash +sidewheel +side-wheel +sidewheeler +side-wheeler +side-whiskered +side-whiskers +side-wind +side-winded +Sidewinder +side-winder +sidewinders +sidewipe +sidewiper +sidewise +Sidgwick +sidhe +Sidhu +sidi +sidy +sidia +Sidi-bel-Abb +siding +sidings +sidion +Sidky +sidle +sidled +sidler +sidlers +sidles +sidling +sidlingly +sidlins +Sidman +Sidnaw +Sidnee +Sidney +Sydney +Sydneian +Sydneyite +Sydneysider +Sidoma +Sidon +Sidoney +Sidonia +Sidonian +Sidonie +Sidonius +Sidonnie +Sidoon +Sidra +Sidrach +Sidrah +Sidrahs +Sidran +Sidras +Sidroth +sidth +Sidur +Sidwel +Sidwell +Sidwohl +sie +sye +Sieber +siecle +siecles +syed +Sieg +Siegbahn +siege +siegeable +siegecraft +sieged +Siegel +siegenite +sieger +sieges +siege's +siegework +Siegfried +sieging +Siegler +Sieglinda +Sieglingia +Siegmund +siegurd +Siey +Sielen +Siemens +Siemreap +Siena +Syene +Sienese +sienite +syenite +syenite-porphyry +sienites +syenites +sienitic +syenitic +Sienkiewicz +sienna +siennas +syenodiorite +syenogabbro +Sien-pi +Sieper +Siepi +sier +Sieracki +siering +sierozem +sierozems +Sierra +sierran +sierras +Sierraville +Siesser +siest +siesta +siestaland +siestas +Sieur +sieurs +Sieva +sieve +sieved +sieveful +sievelike +sievelikeness +siever +Sievers +Sieversia +Sievert +sieves +sieve's +sievy +sieving +sievings +Sif +sifac +sifaka +sifakas +Sifatite +sife +siffilate +siffle +sifflement +sifflet +siffleur +siffleurs +siffleuse +siffleuses +sifflot +Siffre +Sifnos +sift +siftage +sifted +sifter +sifters +sifting +siftings +syftn +sifts +SIG +Sig. +siganid +Siganidae +siganids +Siganus +sigatoka +Sigaultian +SIGCAT +Sigel +sigfile +sigfiles +Sigfrid +Sigfried +Siggeir +sigger +sigh +sigh-born +sighed +sighed-for +sigher +sighers +sighful +sighfully +sighing +sighingly +sighingness +sighless +sighlike +sighs +sight +sightable +sighted +sightedness +sighten +sightening +sighter +sighters +sight-feed +sightful +sightfulness +sighthole +sight-hole +sighty +sighting +sightings +sightless +sightlessly +sightlessness +sightly +sightlier +sightliest +sightlily +sightliness +sightproof +sight-read +sight-reader +sight-reading +sights +sightsaw +sightscreen +sightsee +sight-see +sightseeing +sight-seeing +sightseen +sightseer +sight-seer +sightseers +sightsees +sight-shot +sightsman +sightworthy +sightworthiness +sigil +sigilative +sigilistic +sigill +sigillary +Sigillaria +Sigillariaceae +sigillariaceous +sigillarian +sigillarid +sigillarioid +sigillarist +sigillaroid +sigillate +sigillated +sigillation +sigillative +sigillistic +sigillographer +sigillography +sigillographical +sigillum +sigils +Sigyn +Sigismond +Sigismondo +Sigismund +Sigismundo +sigla +siglarian +Sigler +sigloi +siglos +siglum +Sigma +sigma-ring +sigmas +sigmaspire +sigmate +sigmatic +sigmation +sigmatism +sigmodont +Sigmodontes +sigmoid +sigmoidal +sigmoidally +sigmoidectomy +sigmoiditis +sigmoidopexy +sigmoidoproctostomy +sigmoidorectostomy +sigmoidoscope +sigmoidoscopy +sigmoidostomy +sigmoids +Sigmund +sign +signa +signable +Signac +signacle +signage +signages +signal +signaled +signalee +signaler +signalers +signalese +signaletic +signaletics +signaling +signalise +signalised +signalising +signalism +signalist +signality +signalities +signalization +signalize +signalized +signalizes +signalizing +signalled +signaller +signally +signalling +signalman +signalmen +signalment +signals +signance +signary +signatary +signate +signation +signator +signatory +signatories +signatural +signature +signatured +signatureless +signatures +signature's +signaturing +signaturist +signboard +sign-board +signboards +Signe +signed +signee +signees +signer +signers +signet +signeted +signeting +signet-ring +signets +signetur +signetwise +signeur +signeury +signficance +signficances +signficant +signficantly +Signy +signifer +signify +signifiable +signifiant +signific +significal +significance +significances +significancy +significancies +significand +significant +significantly +significantness +significants +significate +signification +significations +significatist +significative +significatively +significativeness +significator +significatory +significatrix +significatum +significature +significavit +significian +significs +signifie +signified +signifier +signifies +signifying +signing +signior +signiori +signiory +signiories +signiors +signiorship +signist +signitor +signless +signlike +signman +sign-manual +signoff +sign-off +signoi +signon +signons +Signor +Signora +signoras +signore +Signorelli +signori +signory +signoria +signorial +signories +signorina +signorinas +signorine +signorini +signorino +signorinos +signorize +signors +signorship +signpost +sign-post +signposted +signposting +signposts +signs +signum +signwriter +Sigourney +Sigrid +sigrim +Sigsbee +Sigsmond +Sigurd +Sigvard +Sihanouk +Sihasapa +Sihon +Sihonn +Sihun +Sihunn +sijill +Sik +Sika +Sikandarabad +Sikang +sikar +sikara +Sikata +sikatch +sike +syke +siker +sikerly +sykerly +sikerness +Sikes +Sykes +Sikeston +Sykeston +Sykesville +siket +Sikh +sikhara +Sikhism +sikhra +sikhs +sikimi +Siking +Sikinnis +Sikkim +Sikkimese +Sikko +Sikorski +Sikorsky +sikra +Siksika +Syktyvkar +Sil +Syl +Sylacauga +silage +silages +silaginoid +silane +silanes +silanga +Silas +Sylas +Silastic +Silber +silbergroschen +Silberman +silcrete +sild +Silda +Silden +silds +Sile +Sileas +silen +Silenaceae +silenaceous +Silenales +silence +silenced +silencer +silencers +silences +silency +silencing +Silene +sylene +sileni +silenic +silent +silenter +silentest +silential +silentiary +silentio +silentious +silentish +silentium +silently +silentness +silents +Silenus +Siler +Silerton +Silesia +Silesian +silesias +Siletz +Syleus +Silex +silexes +silexite +silgreen +silhouette +silhouetted +silhouettes +silhouetting +silhouettist +silhouettograph +syli +Silybum +silic- +silica +silicam +silicane +silicas +silicate +silicates +silication +silicatization +Silicea +silicean +siliceo- +siliceocalcareous +siliceofelspathic +siliceofluoric +siliceous +silici- +silicic +silicicalcareous +silicicolous +silicide +silicides +silicidize +siliciferous +silicify +silicification +silicified +silicifies +silicifying +silicifluoric +silicifluoride +silicyl +siliciophite +silicious +Silicispongiae +silicium +siliciums +siliciuret +siliciuretted +silicize +silicle +silicles +silico +silico- +silicoacetic +silicoalkaline +silicoaluminate +silicoarsenide +silicocalcareous +silicochloroform +silicocyanide +silicoethane +silicoferruginous +Silicoflagellata +Silicoflagellatae +silicoflagellate +Silicoflagellidae +silicofluoric +silicofluoride +silicohydrocarbon +Silicoidea +silicomagnesian +silicomanganese +silicomethane +silicon +silicone +silicones +siliconize +silicononane +silicons +silicopropane +silicoses +silicosis +Silicospongiae +silicotalcose +silicothermic +silicotic +silicotitanate +silicotungstate +silicotungstic +silicula +silicular +silicule +siliculose +siliculous +sylid +silyl +Silin +syling +Silipan +siliqua +siliquaceous +siliquae +Siliquaria +Siliquariidae +silique +siliques +siliquiferous +siliquiform +siliquose +siliquous +sylis +sylistically +silk +silkalene +silkaline +silk-bark +silk-cotton +silked +silken +silken-coated +silken-fastened +silken-leafed +silken-sailed +silken-sandaled +silken-shining +silken-soft +silken-threaded +silken-winged +silker +silk-family +silkflower +silk-gownsman +silkgrower +silk-hatted +silky +silky-barked +silky-black +silkie +silkier +silkiest +silky-haired +silky-leaved +silkily +silky-looking +silkine +silkiness +silking +silky-smooth +silky-soft +silky-textured +silky-voiced +silklike +silkman +silkmen +silkness +silkolene +silkoline +silk-robed +silks +silkscreen +silk-screen +silkscreened +silkscreening +silkscreens +silk-skirted +silksman +silk-soft +silk-stocking +silk-stockinged +silkstone +silktail +silk-tail +silkweed +silkweeds +silk-winder +silkwoman +silkwood +silkwork +silkworker +silkworks +silkworm +silkworms +Sill +syll +syllab +syllabary +syllabaria +syllabaries +syllabarium +syllabatim +syllabation +syllabe +syllabi +syllabic +syllabical +syllabically +syllabicate +syllabicated +syllabicating +syllabication +syllabicity +syllabicness +syllabics +syllabify +syllabification +syllabifications +syllabified +syllabifies +syllabifying +syllabise +syllabised +syllabising +syllabism +syllabize +syllabized +syllabizing +syllable +syllabled +syllables +syllable's +syllabling +syllabogram +syllabography +sillabub +syllabub +sillabubs +syllabubs +Syllabus +syllabuses +silladar +Sillaginidae +Sillago +sillandar +Sillanpaa +sillar +sillcock +syllepses +syllepsis +sylleptic +sylleptical +sylleptically +siller +Sillery +sillers +silly +sillibib +sillibibs +sillibouk +sillibub +sillibubs +syllid +Syllidae +syllidian +sillier +sillies +silliest +silly-faced +silly-facedly +sillyhood +sillyhow +sillyish +sillyism +sillikin +sillily +sillimanite +silliness +sillinesses +Syllis +silly-shally +sillyton +sill-like +sillock +sylloge +syllogisation +syllogiser +syllogism +syllogisms +syllogism's +syllogist +syllogistic +syllogistical +syllogistically +syllogistics +syllogization +syllogize +syllogized +syllogizer +syllogizing +sillograph +sillographer +sillographist +sillometer +sillon +sills +sill's +Sillsby +Silma +Sylmar +Sylni +silo +Siloa +Siloam +siloed +siloing +siloist +Silone +silos +Siloum +Sylow +siloxane +siloxanes +sylph +Silpha +sylphy +sylphic +silphid +sylphid +Silphidae +sylphidine +sylphids +sylphine +sylphish +silphium +sylphize +sylphlike +Sylphon +sylphs +Silsbee +Silsby +Silsbye +silt +siltage +siltation +silted +silty +siltier +siltiest +silting +siltlike +silts +siltstone +silundum +silure +Silures +Siluria +Silurian +Siluric +silurid +Siluridae +Siluridan +silurids +siluro- +Siluro-cambrian +siluroid +Siluroidei +siluroids +Silurus +Silva +Sylva +silvae +sylvae +sylvage +Silvain +Silvan +Sylvan +Silvana +Sylvana +Sylvaner +sylvanesque +Silvani +Sylvani +Sylvania +sylvanite +silvanity +sylvanity +sylvanitic +sylvanize +sylvanly +Silvano +silvanry +sylvanry +silvans +sylvans +Silvanus +Sylvanus +silvas +sylvas +sylvate +sylvatic +sylvatical +silvendy +Silver +Silverado +silverback +silver-backed +silver-bar +silver-barked +silver-barred +silver-bearded +silver-bearing +silverbeater +silver-bell +silverbelly +silverberry +silverberries +silverbiddy +silverbill +silver-black +silverboom +silver-bordered +silver-bright +silverbush +silver-buskined +silver-chased +silver-chiming +silver-clasped +silver-clear +Silvercliff +silver-coated +silver-colored +silver-coloured +silver-copper +silver-corded +silver-cupped +Silverdale +silvered +silver-eddied +silvereye +silver-eye +silver-eyed +silver-eyes +silver-embroidered +silverer +silverers +silver-feathered +silverfin +silverfish +silverfishes +silver-fleeced +silver-flowing +silver-footed +silver-fork +silver-fronted +silver-glittering +silver-golden +silver-gray +silver-grained +silver-grey +silver-hafted +silver-haired +silver-handled +silverhead +silver-headed +silvery +silverier +silveriest +silverily +silveriness +silvering +silverise +silverised +silverish +silverising +silverite +Silverius +silverize +silverized +silverizer +silverizing +silver-laced +silver-lead +silverleaf +silver-leafed +silver-leaved +silverleaves +silverless +silverly +silverlike +silver-lined +silverling +silver-mail +Silverman +silver-melting +silver-mounted +silvern +silverness +Silverpeak +silver-penciled +silver-plate +silver-plated +silver-plating +Silverplume +silverpoint +silver-producing +silver-rag +silver-rimmed +silverrod +Silvers +silver-shafted +silver-shedding +silver-shining +silverside +silversides +silverskin +silversmith +silversmithing +silversmiths +silver-smitten +silver-sounded +silver-sounding +silver-spangled +silver-spoon +silver-spoonism +silverspot +silver-spotted +Silverstar +Silverstein +silver-streaming +Silverstreet +silver-striped +silver-studded +silver-sweet +silver-swelling +silvertail +silver-thread +silver-thrilling +silvertip +silver-tipped +Silverton +silver-toned +silver-tongue +silver-tongued +silvertop +silver-true +Silverts +silver-tuned +silver-using +silvervine +silver-voiced +silverware +silverwares +silver-washed +silverweed +silverwing +silver-winged +silver-wiry +Silverwood +silverwork +silver-work +silverworker +Silvester +Sylvester +sylvestral +sylvestrene +Sylvestrian +Sylvestrine +Silvestro +silvex +silvexes +silvi- +Silvia +Sylvia +Sylvian +sylvic +silvical +Sylvicolidae +sylvicoline +silvicolous +silvics +silvicultural +silviculturally +silviculture +sylviculture +silviculturist +Silvie +Sylvie +sylviid +Sylviidae +Sylviinae +sylviine +sylvin +sylvine +sylvines +sylvinite +sylvins +Silvio +Silvis +sylvite +sylvites +Silvius +sylvius +Silvni +Sim +sym +sym- +sym. +Sima +Simaba +Symaethis +simagre +Simah +simal +Syman +simar +simara +Simarouba +Simaroubaceae +simaroubaceous +simarre +simars +simaruba +simarubaceous +simarubas +simas +simazine +simazines +simba +simball +symbasic +symbasical +symbasically +symbasis +simbil +symbiogenesis +symbiogenetic +symbiogenetically +symbion +symbionic +symbions +symbiont +symbiontic +symbionticism +symbionts +symbioses +symbiosis +symbiot +symbiote +symbiotes +symbiotic +symbiotical +symbiotically +symbiotics +symbiotism +symbiotrophic +symbiots +Simbirsk +symblepharon +simblin +simbling +simblot +Simblum +symbol +symbolaeography +symbolater +symbolatry +symbolatrous +symboled +symbolic +symbolical +symbolically +symbolicalness +symbolicly +symbolics +symboling +symbolisation +symbolise +symbolised +symbolising +symbolism +symbolisms +symbolist +symbolistic +symbolistical +symbolistically +symbolization +symbolizations +symbolize +symbolized +symbolizer +symbolizes +symbolizing +symbolled +symbolling +symbolofideism +symbology +symbological +symbologist +symbolography +symbololatry +symbolology +symbolry +symbols +symbol's +symbolum +symbouleutic +symbranch +Symbranchia +symbranchiate +symbranchoid +symbranchous +simcon +SIMD +Simdars +sime +Simeon +Simeonism +Simeonite +Symer +Simferopol +Simia +simiad +simial +simian +simianity +simians +simiesque +simiid +Simiidae +Simiinae +similar +similary +similarily +similarity +similarities +similarize +similarly +similate +similative +simile +similes +similimum +similiter +simility +similitive +similitude +similitudes +similitudinize +similize +similor +Symington +simioid +Simionato +simious +simiousness +simitar +simitars +simity +simkin +Simla +simlin +simling +simlins +SIMM +symmachy +Symmachus +symmedian +Simmel +symmelia +symmelian +symmelus +simmer +simmered +simmering +simmeringly +simmers +Simmesport +symmetalism +symmetallism +symmetral +symmetry +symmetrian +symmetric +symmetrical +symmetricality +symmetrically +symmetricalness +symmetries +symmetry's +symmetrisation +symmetrise +symmetrised +symmetrising +symmetrist +symmetrization +symmetrize +symmetrized +symmetrizing +symmetroid +symmetrophobia +Simmie +symmist +simmon +Simmonds +Simmons +symmory +symmorphic +symmorphism +Simms +simnel +simnels +simnelwise +Simois +Simoisius +simoleon +simoleons +Simon +Symon +Simona +Symonds +Simone +Simonetta +Simonette +simony +simoniac +simoniacal +simoniacally +simoniacs +simonial +Simonian +Simonianism +Simonides +simonies +simonious +simonism +Simonist +simonists +simonize +simonized +simonizes +simonizing +Simonne +Simonov +simon-pure +Simons +Symons +Simonsen +Simonson +Simonton +simool +simoom +simooms +simoon +simoons +Simosaurus +simous +simp +simpai +sympalmograph +sympathectomy +sympathectomize +sympathetectomy +sympathetectomies +sympathetic +sympathetical +sympathetically +sympatheticism +sympatheticity +sympatheticness +sympatheticotonia +sympatheticotonic +sympathetoblast +sympathy +sympathic +sympathicoblast +sympathicotonia +sympathicotonic +sympathicotripsy +sympathies +sympathin +sympathique +sympathy's +sympathise +sympathised +sympathiser +sympathising +sympathisingly +sympathism +sympathist +sympathize +sympathized +sympathizer +sympathizers +sympathizes +sympathizing +sympathizingly +sympathoblast +sympatholysis +sympatholytic +sympathomimetic +simpatico +sympatry +sympatric +sympatrically +sympatries +Simpelius +simper +simpered +simperer +simperers +simpering +simperingly +simpers +Sympetalae +sympetaly +sympetalous +Symphalangus +symphenomena +symphenomenal +symphyantherous +symphycarpous +Symphyla +symphylan +symphile +symphily +symphilic +symphilism +symphyllous +symphilous +symphylous +symphynote +symphyo- +symphyogenesis +symphyogenetic +symphyostemonous +symphyseal +symphyseotomy +symphyses +symphysy +symphysial +symphysian +symphysic +symphysio- +symphysion +symphysiotomy +symphysis +symphysodactylia +symphysotomy +symphystic +Symphyta +symphytic +symphytically +symphytism +symphytize +Symphytum +symphogenous +symphonetic +symphonette +symphony +symphonia +symphonic +symphonically +symphonies +symphonion +symphonious +symphoniously +symphony's +symphonisation +symphonise +symphonised +symphonising +symphonist +symphonization +symphonize +symphonized +symphonizing +symphonous +Symphoricarpos +symphoricarpous +symphrase +symphronistic +sympiesometer +Simpkins +SYMPL +symplasm +symplast +simple +simple-armed +simplectic +symplectic +simpled +simple-faced +Symplegades +simple-headed +simplehearted +simple-hearted +simpleheartedly +simpleheartedness +simple-leaved +simple-life +simple-lifer +simple-mannered +simpleminded +simple-minded +simplemindedly +simple-mindedly +simplemindedness +simple-mindedness +simpleness +simplenesses +simpler +simple-rooted +simples +simple-seeming +symplesite +simple-speaking +simplesse +simplest +simple-stemmed +simpleton +simple-toned +simpletonian +simpletonianism +simpletonic +simpletonish +simpletonism +simpletons +simple-tuned +simple-witted +simple-wittedness +simplex +simplexed +simplexes +simplexity +simply +simplices +simplicia +simplicial +simplicially +simplicident +Simplicidentata +simplicidentate +simplicist +simplicitarian +simpliciter +simplicity +simplicities +simplicity's +Simplicius +simplicize +simply-connected +simplify +simplification +simplifications +simplificative +simplificator +simplified +simplifiedly +simplifier +simplifiers +simplifies +simplifying +simpling +simplism +simplisms +simplist +simplistic +simplistically +Symplocaceae +symplocaceous +Symplocarpus +symploce +symplocium +Symplocos +Simplon +simplum +sympode +sympodia +sympodial +sympodially +sympodium +sympolity +symposia +symposiac +symposiacal +symposial +symposiarch +symposiast +symposiastic +symposion +symposisia +symposisiums +symposium +symposiums +sympossia +simps +Simpson +Simpsonville +simptico +symptom +symptomatic +symptomatical +symptomatically +symptomaticness +symptomatics +symptomatize +symptomatography +symptomatology +symptomatologic +symptomatological +symptomatologically +symptomatologies +symptomical +symptomize +symptomless +symptomology +symptoms +symptom's +symptosis +simpula +simpulum +simpulumla +sympus +Sims +Simsar +Simsboro +Simsbury +simsim +Simson +Symsonia +symtab +symtomology +simul +simula +simulacra +simulacral +simulacrcra +simulacre +simulacrize +simulacrum +simulacrums +simulance +simulant +simulants +simular +simulars +simulate +simulated +simulates +simulating +simulation +simulations +simulative +simulatively +simulator +simulatory +simulators +simulator's +simulcast +simulcasting +simulcasts +simule +simuler +simuliid +Simuliidae +simulioid +Simulium +simulize +simultaneity +simultaneous +simultaneously +simultaneousness +simultaneousnesses +simulty +simurg +simurgh +Sin +SYN +syn- +Sina +sin-absolved +sin-absolving +synacme +synacmy +synacmic +synactic +synadelphite +Sinae +Sinaean +synaeresis +synaesthesia +synaesthesis +synaesthetic +sin-afflicting +synagog +synagogal +synagogian +synagogical +synagogism +synagogist +synagogs +synagogue +synagogues +Sinai +Sinaic +sinaite +Sinaitic +sinal +sinalbin +synalepha +synalephe +synalgia +synalgic +synallactic +synallagmatic +synallaxine +Sinaloa +synaloepha +synaloephe +sinamay +sinamin +sinamine +Sinan +synanastomosis +synange +synangia +synangial +synangic +synangium +Synanon +synanons +synanthema +synantherology +synantherological +synantherologist +synantherous +synanthesis +synanthetic +synanthy +synanthic +synanthous +Sinanthropus +synanthrose +sinapate +synaphe +synaphea +synapheia +sinapic +sinapin +sinapine +sinapinic +Sinapis +sinapisine +sinapism +sinapisms +sinapize +sinapoline +synaposematic +synapse +synapsed +synapses +synapse's +synapsid +Synapsida +synapsidan +synapsing +synapsis +synaptai +synaptase +synapte +synaptene +Synaptera +synapterous +synaptic +synaptical +synaptically +synaptychus +synapticula +synapticulae +synapticular +synapticulate +synapticulum +synaptid +Synaptosauria +synaptosomal +synaptosome +synarchy +synarchical +sinarchism +synarchism +sinarchist +synarmogoid +Synarmogoidea +sinarquism +synarquism +Sinarquist +Sinarquista +Sinarquistas +synarses +synartesis +synartete +synartetic +synarthrodia +synarthrodial +synarthrodially +synarthroses +synarthrosis +Sinas +Synascidiae +synascidian +synastry +Sinatra +sinawa +synaxar +synaxary +synaxaria +synaxaries +synaxarion +synaxarist +synaxarium +synaxaxaria +synaxes +synaxis +Sinbad +sin-black +sin-born +sin-bred +sin-burdened +sin-burthened +sync +sincaline +sincamas +Syncarida +syncaryon +syncarp +syncarpy +syncarpia +syncarpies +syncarpium +syncarpous +syncarps +syncategorem +syncategorematic +syncategorematical +syncategorematically +syncategoreme +since +synced +syncellus +syncephalic +syncephalus +sincere +syncerebral +syncerebrum +sincerely +sincereness +sincerer +sincerest +sincerity +sincerities +sync-generator +synch +sin-chastising +synched +synching +synchysis +synchitic +Synchytriaceae +Synchytrium +synchondoses +synchondrosial +synchondrosially +synchondrosis +synchondrotomy +synchoresis +synchro +synchro- +synchrocyclotron +synchro-cyclotron +synchroflash +synchromesh +synchromism +synchromist +synchronal +synchrone +synchroneity +synchrony +synchronic +synchronical +synchronically +synchronies +synchronisation +synchronise +synchronised +synchroniser +synchronising +synchronism +synchronistic +synchronistical +synchronistically +synchronizable +synchronization +synchronizations +synchronize +synchronized +synchronizer +synchronizers +synchronizes +synchronizing +synchronograph +synchronology +synchronological +synchronoscope +synchronous +synchronously +synchronousness +synchros +synchroscope +synchrotron +synchs +syncing +sincipita +sincipital +sinciput +sinciputs +syncytia +syncytial +syncytioma +syncytiomas +syncytiomata +syncytium +syncladous +Sinclair +Sinclairville +Sinclare +synclastic +synclinal +synclinally +syncline +synclines +synclinical +synclinore +synclinorial +synclinorian +synclinorium +synclitic +syncliticism +synclitism +sin-clouded +syncoelom +Syncom +syncoms +sin-concealing +sin-condemned +sin-consuming +syncopal +syncopare +syncopate +syncopated +syncopates +syncopating +syncopation +syncopations +syncopative +syncopator +syncope +syncopes +syncopic +syncopism +syncopist +syncopize +syncotyledonous +syncracy +syncraniate +syncranterian +syncranteric +syncrasy +syncretic +syncretical +syncreticism +syncretion +syncretism +syncretist +syncretistic +syncretistical +syncretize +syncretized +syncretizing +Syncrypta +syncryptic +syncrisis +syncro-mesh +sin-crushed +syncs +Sind +synd +synd. +syndactyl +syndactyle +syndactyli +syndactyly +syndactylia +syndactylic +syndactylism +syndactylous +syndactylus +syndectomy +Sindee +sinder +synderesis +syndeses +syndesis +syndesises +syndesmectopia +syndesmies +syndesmitis +syndesmo- +syndesmography +syndesmology +syndesmoma +Syndesmon +syndesmoplasty +syndesmorrhaphy +syndesmoses +syndesmosis +syndesmotic +syndesmotomy +syndet +syndetic +syndetical +syndetically +syndeton +syndets +Sindhi +syndyasmian +syndic +syndical +syndicalism +syndicalist +syndicalistic +syndicalize +syndicat +syndicate +syndicated +syndicateer +syndicates +syndicating +syndication +syndications +syndicator +syndics +syndicship +Syndyoceras +syndiotactic +sindle +sindoc +syndoc +sindon +sindry +syndrome +syndromes +syndrome's +syndromic +sin-drowned +SINE +syne +sinebada +synecdoche +synecdochic +synecdochical +synecdochically +synecdochism +synechdochism +synechia +synechiae +synechiology +synechiological +synechist +synechistic +synechology +synechological +synechotomy +synechthran +synechthry +synecious +synecology +synecologic +synecological +synecologically +synecphonesis +synectic +synectically +synecticity +synectics +sinecural +sinecure +sinecured +sinecures +sinecureship +sinecuring +sinecurism +sinecurist +Synedra +synedral +Synedria +synedrial +synedrian +Synedrion +Synedrium +synedrous +Sinegold +syneidesis +synema +synemata +synemmenon +synenergistic +synenergistical +synenergistically +synentognath +Synentognathi +synentognathous +synephrine +sine-qua-nonical +sine-qua-noniness +syneresis +synergastic +synergetic +synergy +synergia +synergias +synergic +synergical +synergically +synergid +synergidae +synergidal +synergids +synergies +synergism +synergisms +synergist +synergistic +synergistical +synergistically +synergists +synergize +synerize +sines +Sinesian +synesis +synesises +synesthesia +synesthetic +synethnic +synetic +sinew +sine-wave +sinew-backed +sinewed +sinew-grown +sinewy +sinewiness +sinewing +sinewless +sinewous +sinews +sinew's +sinew-shrunk +synezisis +Sinfiotli +Sinfjotli +sinfonia +sinfonie +sinfonietta +synfuel +synfuels +sinful +sinfully +sinfulness +sing +sing. +singability +singable +singableness +singally +syngamy +syngamic +syngamies +syngamous +Singan +Singapore +singarip +syngas +syngases +Singband +singe +Synge +singed +singey +singeing +singeingly +syngeneic +Syngenesia +syngenesian +syngenesious +syngenesis +syngenetic +syngenic +syngenism +syngenite +Singer +singeress +singerie +singers +singes +singfest +Singfo +Singh +Singhal +Singhalese +singillatim +sing-in +singing +singingfish +singingfishes +singingly +singkamas +single +single-acting +single-action +single-bank +single-banked +singlebar +single-barrel +single-barreled +single-barrelled +single-beat +single-bitted +single-blind +single-blossomed +single-bodied +single-branch +single-breasted +single-caped +single-cell +single-celled +single-chamber +single-cylinder +single-colored +single-combed +single-crested +single-crop +single-cross +single-cut +single-cutting +singled +single-deck +single-decker +single-disk +single-dotted +singled-out +single-driver +single-edged +single-eyed +single-end +single-ended +single-entry +single-file +single-filed +single-finned +single-fire +single-flowered +single-foot +single-footer +single-framed +single-fringed +single-gear +single-grown +singlehanded +single-handed +singlehandedly +single-handedly +singlehandedness +single-handedness +single-hander +single-headed +singlehearted +single-hearted +singleheartedly +single-heartedly +singleheartedness +single-heartedness +singlehood +single-hoofed +single-hooked +single-horned +single-horsed +single-hung +single-jet +single-layer +single-layered +single-leaded +single-leaf +single-leaved +single-letter +single-lever +single-light +single-line +single-living +single-loader +single-masted +single-measure +single-member +single-minded +singlemindedly +single-mindedly +single-mindedness +single-motored +single-mouthed +single-name +single-nerved +singleness +singlenesses +single-pass +single-pen +single-phase +single-phaser +single-piece +single-pitched +single-plated +single-ply +single-pointed +single-pole +singleprecision +single-prop +single-punch +singler +single-rail +single-reed +single-reefed +single-rivet +single-riveted +single-row +singles +single-screw +single-seated +single-seater +single-seed +single-seeded +single-shear +single-sheaved +single-shooting +single-shot +single-soled +single-space +single-speech +single-stage +singlestep +single-step +single-stepped +singlestick +single-stick +singlesticker +single-stitch +single-strand +single-strength +single-stroke +single-surfaced +single-swing +singlet +single-tap +single-tax +single-thoughted +single-threaded +single-throw +Singleton +single-tongue +single-tonguing +singletons +singleton's +single-track +singletree +single-tree +singletrees +single-trip +single-trunked +singlets +single-twist +single-twisted +single-valued +single-walled +single-wheel +single-wheeled +single-whip +single-wicket +single-wire +single-wired +singly +singling +singlings +Syngman +Syngnatha +Syngnathi +syngnathid +Syngnathidae +syngnathoid +syngnathous +Syngnathus +Singpho +syngraph +sings +Singsing +sing-sing +singsong +sing-song +singsongy +singsongs +Singspiel +singstress +sin-guilty +singular +singularism +singularist +singularity +singularities +singularity's +singularization +singularize +singularized +singularizing +singularly +singularness +singulars +singult +singultation +singultous +singultus +singultuses +sinh +Sinhailien +Sinhalese +sinhalite +sinhasan +sinhs +Sinian +Sinic +sinical +Sinicism +Sinicization +Sinicize +Sinicized +sinicizes +Sinicizing +Sinico +Sinico-japanese +Sinify +Sinification +Sinified +Sinifying +sinigrin +sinigrinase +sinigrosid +sinigroside +Siniju +sin-indulging +Sining +Sinis +Sinisian +Sinism +sinister +sinister-handed +sinisterly +sinisterness +sinisterwise +sinistra +sinistrad +sinistral +sinistrality +sinistrally +sinistration +sinistrin +sinistro- +sinistrocerebral +sinistrocular +sinistrocularity +sinistrodextral +sinistrogyrate +sinistrogyration +sinistrogyric +sinistromanual +sinistrorsal +sinistrorsally +sinistrorse +sinistrorsely +sinistrous +sinistrously +sinistruous +Sinite +Sinitic +synizesis +sinjer +Sink +sinkable +sinkage +sinkages +synkaryon +synkaryonic +synkatathesis +sinkboat +sinkbox +sinked +sinker +sinkerless +sinkers +sinkfield +sinkhead +sinkhole +sink-hole +sinkholes +sinky +Sinkiang +synkinesia +synkinesis +synkinetic +sinking +sinking-fund +sinkingly +Sinkiuse +sinkless +sinklike +sinkroom +sinks +sinkstone +sink-stone +sin-laden +sinless +sinlessly +sinlessness +sinlike +sin-loving +sin-mortifying +Synn +sinnable +sinnableness +Sinnamahoning +Sinnard +sinned +synnema +synnemata +sinnen +sinner +sinneress +sinners +sinner's +sinnership +sinnet +synneurosis +synneusis +sinning +Sinningia +sinningly +sinningness +sinnowed +Sino- +Sino-american +sinoatrial +sinoauricular +Sino-belgian +synocha +synochal +synochoid +synochous +synochus +synocreate +synod +synodal +synodalian +synodalist +synodally +synodian +synodic +synodical +synodically +synodicon +synodist +synodite +synodontid +Synodontidae +synodontoid +synods +synodsman +synodsmen +Synodus +synoecete +synoecy +synoeciosis +synoecious +synoeciously +synoeciousness +synoecism +synoecize +synoekete +synoeky +synoetic +sin-offering +Sino-german +Sinogram +synoicous +synoicousness +sinoidal +Sino-japanese +Sinolog +Sinologer +Sinology +Sinological +sinologies +Sinologist +Sinologue +sinomenine +Sino-mongol +synomosy +Sinon +synonym +synonymatic +synonyme +synonymes +synonymy +synonymic +synonymical +synonymicon +synonymics +synonymies +synonymise +synonymised +synonymising +synonymist +synonymity +synonymize +synonymized +synonymizing +synonymous +synonymously +synonymousness +synonyms +synonym's +Sinonism +synonomous +synonomously +synop +synop. +sinoper +Sinophile +Sinophilism +Sinophobia +synophthalmia +synophthalmus +sinopia +sinopias +Sinopic +sinopie +sinopis +sinopite +sinople +synopses +synopsy +synopsic +synopsis +synopsise +synopsised +synopsising +synopsize +synopsized +synopsizing +synoptic +synoptical +synoptically +Synoptist +Synoptistic +synorchidism +synorchism +sinorespiratory +synorthographic +Sino-russian +Sino-soviet +synosteology +synosteoses +synosteosis +synostose +synostoses +synostosis +synostotic +synostotical +synostotically +Sino-Tibetan +synousiacs +synovectomy +synovia +synovial +synovially +synovias +synoviparous +synovitic +synovitis +synpelmous +sinproof +sin-proud +sin-revenging +synrhabdosome +SINS +sin's +synsacral +synsacrum +synsepalous +sin-sick +sin-sickness +Sinsiga +Sinsinawa +sinsyne +sinsion +sin-soiling +sin-sowed +synspermous +synsporous +sinsring +syntactially +syntactic +syntactical +syntactically +syntactician +syntactics +syntagm +syntagma +syntality +syntalities +syntan +syntasis +syntax +syntaxes +syntaxis +syntaxist +syntechnic +syntectic +syntectical +syntelome +syntenosis +sinter +sinterability +sintered +synteresis +sintering +sinters +syntexis +synth +syntheme +synthermal +syntheses +synthesis +synthesise +synthesism +synthesist +synthesization +synthesize +synthesized +synthesizer +synthesizers +synthesizes +synthesizing +synthetase +synthete +synthetic +synthetical +synthetically +syntheticism +syntheticness +synthetics +synthetisation +synthetise +synthetised +synthetiser +synthetising +Synthetism +synthetist +synthetization +synthetize +synthetizer +synthol +sin-thralled +synthroni +synthronoi +synthronos +synthronus +synths +syntype +syntypic +syntypicism +Sinto +sintoc +Sintoism +Sintoist +syntomy +syntomia +Sinton +syntone +syntony +syntonic +syntonical +syntonically +syntonies +syntonin +syntonisation +syntonise +syntonised +syntonising +syntonization +syntonize +syntonized +syntonizer +syntonizing +syntonolydian +syntonous +syntripsis +syntrope +syntrophic +syntrophoblast +syntrophoblastic +syntropy +syntropic +syntropical +Sintsink +Sintu +sinuate +sinuated +sinuatedentate +sinuate-leaved +sinuately +sinuates +sinuating +sinuation +sinuato- +sinuatocontorted +sinuatodentate +sinuatodentated +sinuatopinnatifid +sinuatoserrated +sinuatoundulate +sinuatrial +sinuauricular +Sinuiju +sinuitis +sinuose +sinuosely +sinuosity +sinuosities +sinuoso- +sinuous +sinuousity +sinuousities +sinuously +sinuousness +Sinupallia +sinupallial +Sinupallialia +Sinupalliata +sinupalliate +Synura +synurae +Sinus +sinusal +sinuses +synusia +synusiast +sinusitis +sinuslike +sinusoid +sinusoidal +sinusoidally +sinusoids +sinuventricular +sinward +sin-washing +sin-wounded +sinzer +Siobhan +syodicon +siol +Sion +sioning +Sionite +Syosset +Siouan +Sioux +Siouxie +SIP +sipage +sipapu +SIPC +sipe +siped +siper +sipers +sipes +Sipesville +syph +siphac +sypher +syphered +syphering +syphers +syphil- +syphilid +syphilide +syphilidography +syphilidologist +syphiliphobia +syphilis +syphilisation +syphilise +syphilises +syphilitic +syphilitically +syphilitics +syphilization +syphilize +syphilized +syphilizing +syphilo- +syphiloderm +syphilodermatous +syphilogenesis +syphilogeny +syphilographer +syphilography +syphiloid +syphilology +syphilologist +syphiloma +syphilomatous +syphilophobe +syphilophobia +syphilophobic +syphilopsychosis +syphilosis +syphilous +Siphnos +siphoid +siphon +syphon +siphonaceous +siphonage +siphonal +Siphonales +Siphonaptera +siphonapterous +Siphonaria +siphonariid +Siphonariidae +Siphonata +siphonate +siphonated +Siphoneae +siphoned +syphoned +siphoneous +siphonet +siphonia +siphonial +Siphoniata +siphonic +Siphonifera +siphoniferous +siphoniform +siphoning +syphoning +siphonium +siphonless +siphonlike +siphono- +Siphonobranchiata +siphonobranchiate +Siphonocladales +Siphonocladiales +siphonogam +Siphonogama +siphonogamy +siphonogamic +siphonogamous +siphonoglyph +siphonoglyphe +siphonognathid +Siphonognathidae +siphonognathous +Siphonognathus +Siphonophora +siphonophoran +siphonophore +siphonophorous +siphonoplax +siphonopore +siphonorhinal +siphonorhine +siphonosome +siphonostele +siphonostely +siphonostelic +Siphonostoma +Siphonostomata +siphonostomatous +siphonostome +siphonostomous +siphonozooid +siphons +syphons +siphonula +siphorhinal +siphorhinian +siphosome +siphuncle +siphuncled +siphuncular +Siphunculata +siphunculate +siphunculated +siphunculus +Sipibo +sipid +sipidity +sipylite +siping +Siple +sipling +SIPP +Sippar +sipped +sipper +sippers +sippet +sippets +sippy +sipping +sippingly +sippio +Sipple +SIPS +Sipsey +Sipunculacea +sipunculacean +sipunculid +Sipunculida +sipunculoid +Sipunculoidea +Sipunculus +Siqueiros +SIR +SYR +Syr. +Sirach +Siracusa +Syracusan +Syracuse +Siraj-ud-daula +sircar +sirdar +sirdars +sirdarship +sire +syre +sired +Siredon +siree +sirees +sire-found +sireless +Siren +syren +Sirena +sirene +sireny +Sirenia +sirenian +sirenians +sirenic +sirenical +sirenically +Sirenidae +sirening +sirenize +sirenlike +sirenoid +Sirenoidea +Sirenoidei +sirenomelus +sirens +syrens +Sirenum +sires +sireship +siress +Siret +syrette +sirex +sirgang +Syria +Syriac +Syriacism +Syriacist +Sirian +Siryan +Syrian +Sirianian +Syrianic +Syrianism +Syrianize +syrians +Syriarch +siriasis +Syriasm +siricid +Siricidae +Siricius +Siricoidea +Syryenian +sirih +Sirimavo +siring +syringa +syringadenous +syringas +syringe +syringeal +syringed +syringeful +syringes +syringin +syringing +syringitis +syringium +syringo- +syringocele +syringocoele +syringomyelia +syringomyelic +syringotome +syringotomy +Syrinx +syrinxes +Syriologist +siriometer +Sirione +siris +Sirius +sirkar +sirkeer +sirki +sirky +Sirkin +sirloin +sirloiny +sirloins +Syrma +syrmaea +sirmark +Sirmian +Syrmian +Sirmons +Sirmuellera +Syrnium +Syro- +Syro-arabian +Syro-babylonian +siroc +sirocco +siroccoish +siroccoishly +siroccos +Syro-chaldaic +Syro-chaldean +Syro-chaldee +Syro-egyptian +Syro-galilean +Syro-hebraic +Syro-hexaplar +Syro-hittite +Sirois +Syro-macedonian +Syro-mesopotamian +S-iron +sirop +Syro-persian +Syrophoenician +Syro-roman +siros +Sirotek +sirpea +syrphian +syrphians +syrphid +Syrphidae +syrphids +syrphus +sirple +sirpoon +sirra +sirrah +sirrahs +sirras +sirree +sirrees +sir-reverence +syrringed +syrringing +sirs +Sirsalis +sirship +syrt +Sirte +SIRTF +syrtic +Syrtis +siruaballi +siruelas +sirup +syrup +siruped +syruped +siruper +syruper +sirupy +syrupy +syrupiness +syruplike +sirups +syrups +syrus +sirvent +sirvente +sirventes +sis +Sisak +SISAL +sisalana +sisals +Sisco +SISCOM +siscowet +sise +sisel +Sisely +Sisera +siserara +siserary +siserskite +sises +SYSGEN +sish +sisham +sisi +Sisile +Sisymbrium +sysin +Sisinnius +Sisyphean +Sisyphian +Sisyphides +Sisyphism +Sisyphist +Sisyphus +Sisyrinchium +sisith +siskin +Siskind +siskins +Sisley +sislowet +Sismondi +sismotherapy +sysout +siss +syssarcosic +syssarcosis +syssarcotic +Sissel +syssel +sysselman +Sisseton +Sissy +syssiderite +Sissie +sissier +sissies +sissiest +sissify +sissification +sissified +sissyish +sissyism +sissiness +sissing +sissy-pants +syssita +syssitia +syssition +Sisson +sissone +sissonne +sissonnes +sissoo +Sissu +sist +Syst +syst. +systaltic +Sistani +systasis +systatic +system +systematy +systematic +systematical +systematicality +systematically +systematicalness +systematician +systematicness +systematics +systematisation +systematise +systematised +systematiser +systematising +systematism +systematist +systematization +systematize +systematized +systematizer +systematizes +systematizing +systematology +systemed +systemic +systemically +systemics +systemisable +systemisation +systemise +systemised +systemiser +systemising +systemist +systemizable +systemization +systemize +systemized +systemizer +systemizes +systemizing +systemless +systemoid +systemproof +Systems +system's +systemwide +systemwise +sisten +sistence +sistency +sistent +Sister +sistered +sister-german +sisterhood +sisterhoods +sisterin +sistering +sister-in-law +sisterize +sisterless +sisterly +sisterlike +sisterliness +sistern +Sisters +sistership +Sistersville +sister-wife +systyle +systilius +systylous +Sistine +sisting +sistle +Sisto +systolated +systole +systoles +systolic +sistomensin +sistra +sistren +sistroid +sistrum +sistrums +Sistrurus +SIT +SITA +sitao +sitar +sitarist +sitarists +sitars +Sitarski +sitatunga +sitatungas +sitch +sitcom +sitcoms +sit-down +sit-downer +site +sited +sitella +sites +sitfast +sit-fast +sith +sithcund +sithe +sithement +sithen +sithence +sithens +sithes +Sithole +siti +sitient +sit-in +siting +sitio +sitio- +sitiology +sitiomania +sitiophobia +Sitka +Sitkan +Sitnik +sito- +sitology +sitologies +sitomania +Sitophilus +sitophobia +sitophobic +sitosterin +sitosterol +sitotoxism +Sitra +sitrep +sitringee +sits +Sitsang +Sitta +sittee +sitten +Sitter +sitter-by +sitter-in +sitter-out +sitters +sitter's +Sittidae +Sittinae +sittine +sitting +sittings +sittringy +situ +situal +situate +situated +situates +situating +situation +situational +situationally +situations +situla +situlae +situp +sit-up +sit-upon +situps +situs +situses +situtunga +Sitwell +sitz +sitzbath +sitzkrieg +sitzmark +sitzmarks +Siubhan +syud +Sium +siums +syun +Siusan +Siusi +Siuslaw +Siva +Sivaism +Sivaist +Sivaistic +Sivaite +Sivan +Sivapithecus +Sivas +siva-siva +sivathere +Sivatheriidae +Sivatheriinae +sivatherioid +Sivatherium +siver +sivers +Syverson +Sivia +Sivie +sivvens +Siwan +Siward +Siwash +siwashed +siwashing +siwens +Six +six-acre +sixain +six-angled +six-arched +six-banded +six-bar +six-barred +six-barreled +six-by-six +six-bottle +six-canted +six-cent +six-chambered +six-cylinder +six-cylindered +six-colored +six-cornered +six-coupled +six-course +six-cut +six-day +six-dollar +six-eared +six-edged +six-eyed +six-eight +six-ell +sixer +Sixes +six-faced +six-figured +six-fingered +six-flowered +sixfoil +six-foiled +sixfold +sixfolds +six-foot +six-footed +six-footer +six-gallon +six-gated +six-gilled +six-grain +six-gram +sixgun +six-gun +sixhaend +six-headed +sixhynde +six-hoofed +six-horse +six-hour +six-yard +six-year +six-year-old +six-inch +sixing +sixish +six-jointed +six-leaved +six-legged +six-letter +six-lettered +six-lined +six-lobed +six-masted +six-master +Sixmile +six-mile +six-minute +sixmo +sixmos +six-mouth +six-oared +six-oclock +six-o-six +six-ounce +six-pack +sixpence +sixpences +sixpenny +sixpennyworth +six-petaled +six-phase +six-ply +six-plumed +six-pointed +six-pot +six-pound +six-pounder +six-rayed +six-ranked +six-ribbed +six-room +six-roomed +six-rowed +sixscore +six-second +six-shafted +six-shared +six-shilling +six-shooter +six-sided +six-syllable +sixsome +six-spined +six-spot +six-spotted +six-story +six-storied +six-stringed +six-striped +sixte +sixteen +sixteener +sixteenfold +sixteen-foot +sixteenmo +sixteenmos +sixteenpenny +sixteen-pounder +sixteens +sixteenth +sixteenthly +sixteenths +sixtes +sixth +sixthet +sixth-floor +sixth-form +sixth-grade +sixthly +sixth-rate +six-three-three +sixths +sixty +sixty-eight +sixty-eighth +sixties +sixtieth +sixtieths +sixty-fifth +sixty-first +sixty-five +sixtyfold +sixty-four +sixty-fourmo +sixty-fourmos +sixty-fourth +six-time +Sixtine +sixty-nine +sixty-ninth +sixty-one +sixtypenny +sixty-second +sixty-seven +sixty-seventh +sixty-six +sixty-sixth +sixty-third +sixty-three +sixty-two +six-ton +Sixtowns +Sixtus +six-week +six-wheel +six-wheeled +six-wheeler +six-winged +sizable +sizableness +sizably +sizal +sizar +sizars +sizarship +size +sizeable +sizeableness +sizeably +sized +sizeine +sizeman +sizer +sizers +sizes +sizy +sizier +siziest +siziests +syzygal +syzygetic +syzygetically +syzygy +sizygia +syzygia +syzygial +syzygies +sizygium +syzygium +siziness +sizinesses +sizing +sizings +Syzran +sizz +sizzard +sizzing +sizzle +sizzled +sizzler +sizzlers +sizzles +sizzling +sizzlingly +SJ +sjaak +Sjaelland +sjambok +sjamboks +SJC +SJD +Sjenicki +Sjland +Sjoberg +sjomil +sjomila +sjouke +sk +ska +skaalpund +skaamoog +skaddle +skaff +skaffie +skag +Skagen +Skagerrak +skags +Skagway +skail +skayles +skaillie +skainsmate +skair +skaitbird +skaithy +skal +skalawag +skald +skaldic +skalds +skaldship +skalpund +Skamokawa +skance +Skanda +skandhas +Skandia +Skaneateles +Skanee +Skantze +Skardol +skart +skas +skasely +Skat +skate +skateable +skateboard +skateboarded +skateboarder +skateboarders +skateboarding +skateboards +skated +skatemobile +skatepark +skater +skaters +skates +skatikas +skatiku +skating +skatings +skatist +skatol +skatole +skatoles +skatology +skatols +skatoma +skatoscopy +skatosine +skatoxyl +skats +Skaw +skean +skeane +skeanes +skeanockle +skeans +Skeat +sked +skedaddle +skedaddled +skedaddler +skedaddling +skedge +skedgewith +skedlock +skee +skeeball +Skee-Ball +skeech +skeed +skeeg +skeeing +skeel +skeely +skeeling +skeen +skeenyie +skeens +skeer +skeered +skeery +Skees +skeesicks +skeet +skeeter +skeeters +skeets +skeezicks +skeezix +skef +skeg +skegger +skegs +skey +skeich +Skeie +skeif +skeigh +skeighish +skeily +skein +skeined +skeiner +skeining +skeins +skeipp +skeyting +skel +skelder +skelderdrake +skeldock +skeldraik +skeldrake +skelet +skeletal +skeletally +skeletin +skeleto- +skeletogeny +skeletogenous +skeletomuscular +skeleton +skeletony +skeletonian +skeletonic +skeletonise +skeletonised +skeletonising +skeletonization +skeletonize +skeletonized +skeletonizer +skeletonizing +skeletonless +skeletonlike +skeletons +skeleton's +skeletonweed +skelf +skelgoose +skelic +Skell +skellat +skeller +Skelly +Skellytown +skelloch +skellum +skellums +skelm +Skelmersdale +skelms +skelp +skelped +skelper +skelpie-limmer +skelpin +skelping +skelpit +skelps +skelter +skeltered +skeltering +skelters +Skelton +Skeltonian +Skeltonic +Skeltonical +Skeltonics +skelvy +skemmel +skemp +sken +skenai +Skene +skenes +skeo +skeough +skep +skepful +skepfuls +skeppe +skeppist +skeppund +skeps +skepsis +skepsises +skeptic +skeptical +skeptically +skepticalness +skepticism +skepticisms +skepticize +skepticized +skepticizing +skeptics +skeptic's +skeptophylaxia +skeptophylaxis +sker +skere +Skerl +skerret +skerry +skerrick +skerries +skers +sket +sketch +sketchability +sketchable +sketchbook +sketch-book +sketched +sketchee +sketcher +sketchers +sketches +sketchy +sketchier +sketchiest +sketchily +sketchiness +sketching +sketchingly +sketchist +sketchlike +sketchpad +skete +sketiotai +skeuomorph +skeuomorphic +skevish +skew +skewback +skew-back +skewbacked +skewbacks +skewbald +skewbalds +skewed +skewer +skewered +skewerer +skewering +skewers +skewer-up +skewerwood +skew-gee +skewy +skewing +skewings +skew-jawed +skewl +skewly +skewness +skewnesses +skews +skew-symmetric +skewwhiff +skewwise +skhian +ski +Sky +skia- +skiable +skiagram +skiagrams +skiagraph +skiagraphed +skiagrapher +skiagraphy +skiagraphic +skiagraphical +skiagraphically +skiagraphing +skiamachy +skiameter +skiametry +skiapod +skiapodous +skiascope +skiascopy +sky-aspiring +Skiatook +skiatron +Skiba +skybal +skybald +skibbet +skibby +sky-blasted +sky-blue +skibob +skibobber +skibobbing +skibobs +Skybolt +sky-born +skyborne +sky-bred +skibslast +skycap +sky-capped +skycaps +sky-cast +skice +sky-clad +sky-clear +sky-cleaving +sky-climbing +skycoach +sky-color +sky-colored +skycraft +skid +skidded +skidder +skidders +skiddy +skiddycock +skiddier +skiddiest +skidding +skiddingly +skiddoo +skiddooed +skiddooing +skiddoos +Skidi +sky-dyed +skydive +sky-dive +skydived +skydiver +skydivers +skydives +skydiving +sky-diving +skidlid +Skidmore +sky-dome +skidoo +skidooed +skidooing +skidoos +skydove +skidpan +skidproof +skids +skidway +skidways +Skye +skiech +skied +skyed +skiegh +skiey +skyey +sky-elephant +Skien +sky-engendered +skieppe +skiepper +Skier +skiers +skies +Skiest +skieur +sky-facer +sky-falling +skiff +skiffle +skiffled +skiffles +skiffless +skiffling +skiffs +skift +skyfte +skyful +sky-gazer +sky-god +sky-high +skyhook +skyhooks +skyhoot +skiing +skying +skiings +skiis +skyish +skyjack +skyjacked +skyjacker +skyjackers +skyjacking +skyjacks +skijore +skijorer +skijorers +skijoring +ski-jumping +Skikda +sky-kissing +Skykomish +skil +Skyla +Skylab +Skyland +Skylar +skylark +skylarked +skylarker +skylarkers +skylarking +skylarks +skilder +skildfel +Skyler +skyless +skilfish +skilful +skilfully +skilfulness +skylight +skylights +skylight's +skylike +skyline +sky-line +skylined +skylines +skylining +skylit +Skilken +Skill +skillagalee +skilled +skillenton +Skillern +skilless +skillessness +skillet +skilletfish +skilletfishes +skillets +skillful +skillfully +skillfulness +skillfulnesses +skilly +skilligalee +skilling +skillings +skillion +skill-less +skill-lessness +Skillman +skillo +skills +skylook +skylounge +skilpot +skilty +skilts +skim +skyman +skimback +skimble-scamble +skimble-skamble +skim-coulter +skime +sky-measuring +skymen +skimmed +skimmelton +skimmer +skimmers +skimmerton +Skimmia +skim-milk +skimming +skimming-dish +skimmingly +skimmings +skimmington +skimmity +Skimo +Skimobile +Skimos +skimp +skimped +skimper-scamper +skimpy +skimpier +skimpiest +skimpily +skimpiness +skimping +skimpingly +skimps +skims +skim's +skin +skinball +skinbound +skin-breaking +skin-built +skinch +skin-clad +skin-clipping +skin-deep +skin-devouring +skindive +skin-dive +skin-dived +skindiver +skin-diver +skindiving +skin-diving +skin-dove +skinflick +skinflint +skinflinty +skinflintily +skinflintiness +skinflints +skinful +skinfuls +skinhead +skinheads +skink +skinked +skinker +skinkers +skinking +skinkle +skinks +skinless +skinlike +skinned +Skinner +skinnery +skinneries +skinners +skinner's +skinny +skinny-dip +skinny-dipped +skinny-dipper +skinny-dipping +skinny-dipt +skinnier +skinniest +skinny-necked +skinniness +skinning +skin-peeled +skin-piercing +skin-plastering +skin-pop +skin-popping +skins +skin's +skin-shifter +skin-spread +skint +skin-testing +skintight +skin-tight +skintle +skintled +skintling +skinworm +skiogram +skiograph +skiophyte +skioring +skiorings +Skip +skip-bomb +skip-bombing +skipbrain +skipdent +Skipetar +skyphoi +skyphos +skypipe +skipjack +skipjackly +skipjacks +skipkennel +skip-kennel +skiplane +ski-plane +skiplanes +sky-planted +skyplast +skipman +skyport +Skipp +skippable +Skippack +skipped +skippel +Skipper +skipperage +skippered +skippery +skippering +Skippers +skipper's +skippership +Skipperville +skippet +skippets +Skippy +Skippie +skipping +skippingly +skipping-rope +skipple +skippund +skips +skiptail +Skipton +skipway +Skipwith +skyre +sky-reaching +sky-rending +sky-resembling +skyrgaliard +skyriding +skyrin +skirl +skirlcock +skirled +skirling +skirls +skirmish +skirmished +skirmisher +skirmishers +skirmishes +skirmishing +skirmishingly +Skirnir +skyrocket +sky-rocket +skyrocketed +skyrockety +skyrocketing +skyrockets +Skirophoria +Skyros +skirp +skirr +skirred +skirreh +skirret +skirrets +skirring +skirrs +skirt +skirtboard +skirt-dancer +skirted +skirter +skirters +skirty +skirting +skirting-board +skirtingly +skirtings +skirtless +skirtlike +skirts +sky-ruling +skirwhit +skirwort +skis +skys +sky's +skysail +sky-sail +skysail-yarder +skysails +sky-scaling +skyscape +skyscrape +skyscraper +sky-scraper +skyscrapers +skyscraper's +skyscraping +skyshine +sky-sign +skystone +skysweeper +skit +skite +skyte +skited +skiter +skites +skither +sky-throned +sky-tinctured +skiting +skitishly +sky-touching +skits +Skitswish +Skittaget +Skittagetan +skitter +skittered +skittery +skitterier +skitteriest +skittering +skitters +skitty +skittyboot +skittish +skittishly +skittishness +skittle +skittled +skittler +skittles +skittle-shaped +skittling +skyugle +skiv +skive +skived +skiver +skivers +skiverwood +skives +skivy +skivie +skivies +skiving +skivvy +skivvied +Skivvies +skyway +skyways +skywalk +skywalks +skyward +skywards +skywave +skiwear +skiwears +skiwy +skiwies +sky-worn +skywrite +skywriter +skywriters +skywrites +skywriting +skywritten +skywrote +Skkvabekk +Sklar +sklate +sklater +sklent +sklented +sklenting +sklents +skleropelite +sklinter +skoal +skoaled +skoaling +skoals +Skodaic +skogbolite +Skoinolon +skokiaan +Skokie +Skokomish +skol +skolly +Skolnik +skomerite +skoo +skookum +skookum-house +skoot +Skopets +Skopje +Skoplje +skoptsy +skout +skouth +Skowhegan +skraeling +skraelling +skraigh +skreegh +skreeghed +skreeghing +skreeghs +skreel +skreigh +skreighed +skreighing +skreighs +Skricki +skryer +skrike +Skrymir +skrimshander +Skros +skrupul +Skt +SKU +skua +skuas +Skuld +skulduggery +skulk +skulked +skulker +skulkers +skulking +skulkingly +skulks +skull +skullbanker +skull-built +skullcap +skull-cap +skullcaps +skull-covered +skull-crowned +skull-dividing +skullduggery +skullduggeries +skulled +skullery +skullfish +skullful +skull-hunting +skully +skull-less +skull-like +skull-lined +skulls +skull's +skulp +skun +skunk +skunkbill +skunkbush +skunkdom +skunk-drunk +skunked +skunkery +skunkhead +skunk-headed +skunky +skunking +skunkish +skunklet +skunks +skunk's +skunktop +skunkweed +Skupshtina +Skurnik +skurry +skuse +Skutari +Skutchan +skutterudite +Skvorak +SL +SLA +slab +slabbed +slabber +slabbered +slabberer +slabbery +slabbering +slabbers +slabby +slabbiness +slabbing +Slaby +slablike +slabline +slabman +slabness +slabs +slab-sided +slab-sidedly +slab-sidedness +slabstone +slabwood +Slack +slackage +slack-bake +slack-baked +slacked +slacken +slackened +slackener +slackening +slackens +slacker +slackerism +slackers +slackest +slack-filled +slackie +slacking +slackingly +slack-jawed +slack-laid +slackly +slackminded +slackmindedness +slackness +slacknesses +slack-off +slack-rope +slacks +slack-salted +slack-spined +slack-twisted +slack-up +slack-water +slackwitted +slackwittedness +slad +sladang +SLADE +Sladen +slae +slag +slaggability +slaggable +slagged +slagger +slaggy +slaggier +slaggiest +slagging +slag-hearth +Slagle +slag-lead +slagless +slaglessness +slagman +slags +slay +slayable +Slayden +slayed +slayer +slayers +slaying +slain +slainte +slays +slaister +slaistery +slait +Slayton +slakable +slake +slakeable +slaked +slakeless +slaker +slakers +slakes +slaky +slakier +slakiest +slakin +slaking +SLALOM +slalomed +slaloming +slaloms +SLAM +slambang +slam-bang +slammakin +slammed +slammer +slammerkin +slammers +slamming +slammock +slammocky +slammocking +slamp +slampamp +slampant +slams +SLAN +slander +slandered +slanderer +slanderers +slanderful +slanderfully +slandering +slanderingly +slanderous +slanderously +slanderousness +slanderproof +slanders +slane +Slanesville +slang +slanged +slangy +slangier +slangiest +slangily +slanginess +slanging +slangish +slangishly +slangism +slangkop +slangous +slangrell +slangs +slangster +slanguage +slangular +slangwhang +slang-whang +slang-whanger +slank +slant +slanted +slant-eye +slant-eyed +slanter +slanty +slantindicular +slantindicularly +slanting +slantingly +slantingways +slantly +slants +slant-top +slantways +slantwise +slap +slap-bang +slapdab +slap-dab +slapdash +slap-dash +slapdashery +slapdasheries +slapdashes +slape +slaphappy +slaphappier +slaphappiest +slapjack +slapjacks +SLAPP +slapped +slapper +slappers +slappy +slapping +slaps +slapshot +slap-sided +slap-slap +slapstick +slapsticky +slapsticks +slap-up +SLAR +slare +slart +slarth +slartibartfast +slash +slashed +slasher +slashers +slashes +slash-grain +slashy +slashing +slashingly +slashings +slash-saw +slash-sawed +slash-sawing +slash-sawn +Slask +slat +slat-back +slatch +slatches +slate +slate-beveling +slate-brown +slate-color +slate-colored +slate-colour +slate-cutting +slated +Slatedale +slate-formed +slateful +slatey +slateyard +slatelike +slatemaker +slatemaking +slate-pencil +Slater +slaters +Slatersville +slates +slate-spired +slate-strewn +slate-trimming +slate-violet +slateworks +slath +slather +slathered +slathering +slathers +slaty +slatier +slatiest +slatify +slatified +slatifying +slatiness +slating +slatings +Slatington +slatish +Slaton +slats +slat's +slatted +slatter +slattered +slattery +slattering +slattern +slatternish +slatternly +slatternliness +slatternness +slatterns +slatting +Slaughter +slaughter-breathing +slaughter-dealing +slaughterdom +slaughtered +slaughterer +slaughterers +slaughterhouse +slaughter-house +slaughterhouses +slaughtery +slaughteryard +slaughtering +slaughteringly +slaughterman +slaughterous +slaughterously +Slaughters +slaughter-threatening +slaum +slaunchways +Slav +Slavdom +Slave +slaveborn +slave-carrying +slave-collecting +slave-cultured +slaved +slave-deserted +slave-drive +slave-driver +slave-enlarging +slave-got +slave-grown +slaveholder +slaveholding +Slavey +slaveys +slave-labor +slaveland +slaveless +slavelet +slavelike +slaveling +slave-making +slave-merchant +slavemonger +Slavenska +slaveowner +slaveownership +slave-owning +slavepen +slave-peopled +slaver +slavered +slaverer +slaverers +slavery +slaveries +slavering +slaveringly +slavers +slaves +slave-trade +Slavi +Slavian +Slavic +Slavicism +slavicist +Slavicize +Slavify +Slavification +slavikite +Slavin +slaving +Slavish +slavishly +slavishness +Slavism +Slavist +Slavistic +Slavization +Slavize +Slavkov +slavo- +slavocracy +slavocracies +slavocrat +slavocratic +Slavo-germanic +Slavo-hungarian +Slavo-lettic +Slavo-lithuanian +Slavonia +Slavonian +Slavonianize +Slavonic +Slavonically +Slavonicize +Slavonish +Slavonism +Slavonization +Slavonize +Slavophil +Slavophile +Slavophilism +Slavophobe +Slavophobia +Slavophobist +Slavo-phoenician +Slavo-teuton +Slavo-teutonic +slavs +slaw +slawbank +slaws +SLBM +SLC +sld +sld. +SLDC +Sldney +SLE +sleathy +sleave +sleaved +sleaves +sleave-silk +sleaving +sleaze +sleazes +sleazy +sleazier +sleaziest +sleazily +sleaziness +sleazo +Sleb +sleck +SLED +sledded +sledder +sledders +sledding +sleddings +sledful +sledge +sledged +sledgehammer +sledge-hammer +sledgehammered +sledgehammering +sledgehammers +sledgeless +sledgemeter +sledger +sledges +sledge's +sledging +sledlike +sled-log +sleds +sled's +slee +sleech +sleechy +sleek +sleek-browed +sleeked +sleeken +sleekened +sleekening +sleekens +sleeker +sleeker-up +sleekest +sleek-faced +sleek-haired +sleek-headed +sleeky +sleekier +sleekiest +sleeking +sleekit +sleek-leaf +sleekly +sleek-looking +sleekness +sleeks +sleek-skinned +Sleep +sleep-at-noon +sleep-bedeafened +sleep-bringer +sleep-bringing +sleep-causing +sleepcoat +sleep-compelling +sleep-created +sleep-desiring +sleep-dewed +sleep-dispelling +sleep-disturbing +sleep-drowned +sleep-drunk +sleep-enthralled +sleeper +sleepered +Sleepers +sleep-fatted +sleep-fearing +sleep-filled +sleepful +sleepfulness +sleep-heavy +sleepy +sleepy-acting +Sleepyeye +sleepy-eyed +sleepy-eyes +sleepier +sleepiest +sleepify +sleepyhead +sleepy-headed +sleepy-headedness +sleepyheads +sleepily +sleepy-looking +sleep-in +sleep-inducer +sleep-inducing +sleepiness +sleeping +sleepingly +sleepings +sleep-inviting +sleepish +sleepy-souled +sleepy-sounding +sleepy-voiced +sleepland +sleepless +sleeplessly +sleeplessness +sleeplike +sleep-loving +sleepmarken +sleep-procuring +sleep-producer +sleep-producing +sleepproof +sleep-provoker +sleep-provoking +sleep-resisting +sleepry +sleeps +sleep-soothing +sleep-stuff +sleep-swollen +sleep-tempting +sleepwaker +sleepwaking +sleepwalk +sleepwalked +sleepwalker +sleep-walker +sleepwalkers +sleepwalking +sleepwalks +sleepward +sleepwear +sleepwort +sleer +sleet +sleeted +sleety +sleetier +sleetiest +sleetiness +sleeting +sleetproof +sleets +sleeve +sleeveband +sleeveboard +sleeved +sleeve-defended +sleeveen +sleevefish +sleeveful +sleeve-hidden +sleeveless +sleevelessness +sleevelet +sleevelike +sleever +sleeves +sleeve's +sleeving +sleezy +sley +sleided +sleyed +sleyer +sleigh +sleighed +sleigher +sleighers +sleighing +sleighs +sleight +sleightful +sleighty +sleightness +sleight-of-hand +sleights +sleying +Sleipnir +sleys +Slemmer +Slemp +slendang +slender +slender-ankled +slender-armed +slender-beaked +slender-billed +slender-bladed +slender-bodied +slender-branched +slenderer +slenderest +slender-fingered +slender-finned +slender-flanked +slender-flowered +slender-footed +slender-hipped +slenderish +slenderization +slenderize +slenderized +slenderizes +slenderizing +slender-jawed +slender-jointed +slender-leaved +slender-legged +slenderly +slender-limbed +slender-looking +slender-muzzled +slenderness +slender-nosed +slender-podded +slender-shafted +slender-shouldered +slender-spiked +slender-stalked +slender-stemmed +slender-striped +slender-tailed +slender-toed +slender-trunked +slender-waisted +slender-witted +slent +slepez +slept +Slesvig +Sleswick +slete +Sletten +sleuth +sleuthdog +sleuthed +sleuthful +sleuthhound +sleuth-hound +sleuthing +sleuthlike +sleuths +slew +slewed +slew-eyed +slewer +slewing +slewingslews +slews +slewth +Slezsko +Sly +slibbersauce +slibber-sauce +slyboots +sly-boots +SLIC +slice +sliceable +sliced +slicer +slicers +slices +slich +slicht +slicing +slicingly +slick +slick-ear +slicked +slicken +slickens +slickenside +slickensided +slicker +slickered +slickery +slickers +slickest +slick-faced +slick-haired +slicking +slickly +slick-looking +slickness +slickpaper +slicks +slick-spoken +slickstone +slick-talking +slick-tongued +Slickville +slid +'slid +slidable +slidableness +slidably +slidage +slidden +slidder +sliddery +slidderness +sliddry +slide +slide- +slideable +slideableness +slideably +slide-action +slided +slide-easy +slidefilm +slidegroat +slide-groat +slidehead +slideknot +Slidell +slideman +slideproof +slider +slide-rest +slide-rock +sliders +slide-rule +slides +slide-valve +slideway +slideways +slide-wire +sliding +sliding-gear +slidingly +slidingness +sliding-scale +slidometer +sly-eyed +slier +slyer +sliest +slyest +'slife +Slifka +slifter +sliggeen +slight +'slight +slight-billed +slight-bottomed +slight-built +slighted +slighten +slighter +slightest +slight-esteemed +slighty +slightier +slightiest +slightily +slightiness +slight-informed +slighting +slightingly +slightish +slightly +slight-limbed +slight-looking +slight-made +slight-natured +slightness +slights +slight-seeming +slight-shaded +slight-timbered +Sligo +sly-goose +sly-grog +slyish +slik +Slyke +slily +slyly +sly-looking +SLIM +slim-ankled +slim-built +slime +slime-begotten +slime-browned +slime-coated +slimed +slime-filled +slimeman +slimemen +slimepit +slimer +slimes +slime-secreting +slime-washed +slimy +slimy-backed +slimier +slimiest +slimily +sliminess +sliming +slimish +slimishness +slim-jim +slim-leaved +slimly +slim-limbed +slimline +slimmed +slimmer +slimmest +slimming +slimmish +slimness +slimnesses +slimpsy +slimpsier +slimpsiest +slims +slim-shanked +slimsy +slimsier +slimsiest +slim-spired +slim-trunked +slim-waisted +sline +slyness +slynesses +sling +sling- +slingback +slingball +slinge +Slinger +slingers +slinging +slingman +slings +slingshot +slingshots +slingsman +slingsmen +slingstone +slink +slinked +slinker +slinky +slinkier +slinkiest +slinkily +slinkiness +slinking +slinkingly +Slinkman +slinks +slinkskin +slinkweed +slinte +SLIP +slip- +slip-along +slipback +slipband +slipboard +slipbody +slipbodies +slipcase +slipcases +slipcoach +slipcoat +Slipcote +slipcover +slipcovers +slipe +slype +sliped +slipes +slypes +slipform +slipformed +slipforming +slipforms +slipgibbet +sliphalter +sliphorn +sliphouse +sliping +slipknot +slip-knot +slipknots +slipless +slipman +slipnoose +slip-on +slipout +slipouts +slipover +slipovers +slippage +slippages +slipped +slipper +slippered +slipperflower +slipper-foxed +slippery +slipperyback +slippery-bellied +slippery-breeched +slipperier +slipperiest +slipperily +slippery-looking +slipperiness +slipperinesses +slipperyroot +slippery-shod +slippery-sleek +slippery-tongued +slipperlike +slipper-root +slippers +slipper's +slipper-shaped +slipperweed +slipperwort +slippy +slippier +slippiest +slippiness +slipping +slippingly +slipproof +sliprail +slip-rail +slip-ring +slips +slip's +slipsheet +slip-sheet +slip-shelled +slipshod +slipshoddy +slipshoddiness +slipshodness +slipshoe +slip-shoe +slipskin +slip-skin +slipslap +slipslop +slip-slop +slipsloppish +slipsloppism +slipslops +slipsole +slipsoles +slipstep +slipstick +slip-stitch +slipstone +slipstream +slipstring +slip-string +slipt +slip-top +sliptopped +slipup +slip-up +slipups +slipway +slip-way +slipways +slipware +slipwares +slirt +slish +slit +slitch +slit-drum +slite +slit-eared +slit-eyed +slit-footed +slither +slithered +slithery +slithering +slitheroo +slithers +slithy +sliting +slitless +slitlike +slit-nosed +sly-tongued +slits +slit's +slit-shaped +slitshell +slitted +slitter +slitters +slitty +slitting +slitwing +slitwise +slitwork +slive +sliver +slivered +sliverer +sliverers +slivery +slivering +sliverlike +sliverproof +slivers +sliving +slivovic +slivovics +slivovitz +Sliwa +sliwer +Sloan +Sloane +Sloanea +Sloansville +sloat +Sloatman +Sloatsburg +slob +slobber +slobberchops +slobber-chops +slobbered +slobberer +slobbery +slobbering +slobbers +slobby +slobbiness +slobbish +slobs +slock +slocken +slocker +slockingstone +slockster +Slocomb +Slocum +slod +slodder +slodge +slodger +sloe +sloeberry +sloeberries +sloe-black +sloe-blue +sloebush +sloe-colored +sloe-eyed +sloes +sloetree +slog +slogan +sloganeer +sloganize +slogans +slogan's +slogged +slogger +sloggers +slogging +sloggingly +slogs +slogwood +sloid +sloyd +sloids +sloyds +slojd +slojds +sloka +sloke +sloked +sloken +sloking +slommack +slommacky +slommock +slon +slone +slonk +sloo +sloom +sloomy +sloop +sloopman +sloopmen +sloop-rigged +sloops +sloosh +sloot +slop +slop-built +slopdash +slope +slope- +slope-browed +sloped +slope-eared +slope-edged +slope-faced +slope-lettered +slopely +slopeness +sloper +slope-roofed +slopers +slopes +slope-sided +slope-toothed +slopeways +slope-walled +slopewise +slopy +sloping +slopingly +slopingness +slopmaker +slopmaking +slop-molded +slop-over +sloppage +slopped +sloppery +slopperies +sloppy +sloppier +sloppiest +sloppily +sloppiness +slopping +slops +slopseller +slop-seller +slopselling +slopshop +slop-shop +slopstone +slopwork +slop-work +slopworker +slopworks +slorp +Slosberg +slosh +sloshed +slosher +sloshes +sloshy +sloshier +sloshiest +sloshily +sloshiness +sloshing +slot +slotback +slotbacks +slot-boring +slot-drill +slot-drilling +slote +sloted +sloth +slot-headed +slothful +slothfully +slothfulness +slothfuls +slothound +sloths +slotman +Slotnick +slots +slot's +slot-spike +slotted +slotten +slotter +slottery +slotting +slotwise +sloubbie +slouch +slouched +sloucher +slouchers +slouches +slouchy +slouchier +slouchiest +slouchily +slouchiness +slouching +slouchingly +Slough +sloughed +Sloughhouse +sloughy +sloughier +sloughiest +sloughiness +sloughing +sloughs +slounge +slounger +slour +sloush +Slovak +Slovakia +Slovakian +Slovakish +slovaks +Slovan +sloven +Slovene +Slovenia +Slovenian +Slovenish +slovenly +slovenlier +slovenliest +slovenlike +slovenliness +slovenry +slovens +Slovensko +slovenwood +Slovintzi +slow +slowback +slow-back +slowbelly +slow-belly +slowbellied +slowbellies +slow-blooded +slow-breathed +slow-breathing +slow-breeding +slow-burning +slow-circling +slowcoach +slow-coach +slow-combustion +slow-conceited +slow-contact +slow-crawling +slow-creeping +slow-developed +slowdown +slowdowns +slow-drawing +slow-drawn +slow-driving +slow-ebbing +slowed +slow-eyed +slow-endeavoring +slower +slowest +slow-extinguished +slow-fingered +slow-foot +slow-footed +slowful +slow-gaited +slowgoing +slow-going +slow-growing +slowheaded +slowhearted +slowheartedness +slowhound +slowing +slowish +slow-legged +slowly +slow-march +slow-mettled +slow-motion +slowmouthed +slow-moving +slowness +slownesses +slow-paced +slowpoke +slowpokes +slow-poky +slowrie +slow-run +slow-running +slows +slow-sailing +slow-speaking +slow-speeched +slow-spirited +slow-spoken +slow-stepped +slow-sudden +slow-sure +slow-thinking +slow-time +slow-tongued +slow-tuned +slowup +slow-up +slow-winged +slowwitted +slow-witted +slowwittedly +slow-wittedness +slowworm +slow-worm +slowworms +SLP +SLR +SLS +slt +slub +slubbed +slubber +slubberdegullion +slubbered +slubberer +slubbery +slubbering +slubberingly +slubberly +slubbers +slubby +slubbing +slubbings +slubs +slud +sludder +sluddery +sludge +sludged +sludger +sludges +sludgy +sludgier +sludgiest +sludginess +sludging +slue +slued +slue-footed +sluer +slues +SLUFAE +sluff +sluffed +sluffing +sluffs +slug +slugabed +slug-abed +slug-a-bed +slugabeds +slugfest +slugfests +sluggard +sluggardy +sluggarding +sluggardize +sluggardly +sluggardliness +sluggardness +sluggardry +sluggards +slugged +slugger +sluggers +sluggy +slugging +sluggingly +sluggish +sluggishly +sluggishness +sluggishnesses +slughorn +slug-horn +sluglike +slugs +slugwood +slug-worm +sluice +sluiced +sluicegate +sluicelike +sluicer +sluices +sluiceway +sluicy +sluicing +sluig +sluing +sluit +Sluiter +slum +slumber +slumber-bound +slumber-bringing +slumber-closing +slumbered +slumberer +slumberers +slumberful +slumbery +slumbering +slumberingly +slumberland +slumberless +slumber-loving +slumberous +slumberously +slumberousness +slumberproof +slumbers +slumber-seeking +slumbersome +slumber-wrapt +slumbrous +slumdom +slum-dwellers +slumgullion +slumgum +slumgums +slumism +slumisms +slumland +slumlike +slumlord +slumlords +slummage +slummed +slummer +slummers +slummy +slummier +slummiest +slumminess +slumming +slummock +slummocky +Slump +slumped +slumpy +slumping +slumpproof +slumproof +slumps +slumpwork +slums +slum's +slumward +slumwise +slung +slungbody +slungbodies +slunge +slungshot +slunk +slunken +slup +slur +slurb +slurban +slurbow +slurbs +slurp +slurped +slurping +slurps +slurred +slurry +slurried +slurries +slurrying +slurring +slurringly +slurs +slur's +slurvian +slush +slush-cast +slushed +slusher +slushes +slushy +slushier +slushiest +slushily +slushiness +slushing +slushpit +slut +slutch +slutchy +sluther +sluthood +sluts +slutted +slutter +sluttered +sluttery +sluttering +slutty +sluttikin +slutting +sluttish +sluttishly +sluttishness +SM +SMA +sma-boukit +smachrie +smack +smack-dab +smacked +smackee +smacker +smackeroo +smackeroos +smackers +smackful +smacking +smackingly +Smackover +smacks +smacksman +smacksmen +smaik +Smail +Smalcaldian +Smalcaldic +Small +small-acred +smallage +smallages +small-ankled +small-arm +small-armed +small-arms +small-beer +small-billed +small-boat +small-bodied +smallboy +small-boyhood +small-boyish +small-boned +small-bore +small-brained +small-caliber +small-celled +small-clawed +smallclothes +small-clothes +smallcoal +small-college +small-colleger +small-cornered +small-crowned +small-diameter +small-drink +small-eared +Smalley +small-eyed +smallen +Small-endian +Smallens +smaller +smallest +small-faced +small-feed +small-finned +small-flowered +small-footed +small-framed +small-fry +small-fruited +small-grain +small-grained +small-habited +small-handed +small-headed +smallhearted +small-hipped +smallholder +smallholding +small-horned +smally +smalling +smallish +smallishness +small-jointed +small-leaved +small-letter +small-lettered +small-limbed +small-looking +small-lunged +Smallman +small-minded +small-mindedly +small-mindedness +smallmouth +smallmouthed +small-nailed +small-natured +smallness +smallnesses +small-paneled +small-paper +small-part +small-pattern +small-petaled +small-pored +smallpox +smallpoxes +smallpox-proof +small-preferred +small-reasoned +smalls +small-scale +small-scaled +small-shelled +small-size +small-sized +small-souled +small-spaced +small-spotted +smallsword +small-sword +small-tailed +small-talk +small-threaded +small-timbered +smalltime +small-time +small-timer +small-type +small-tired +small-toned +small-tooth +small-toothed +small-topped +small-town +small-towner +small-trunked +small-visaged +small-visioned +smallware +small-ware +small-wheeled +small-windowed +Smallwood +smalm +smalmed +smalming +smalt +smalt-blue +smalter +smalti +smaltine +smaltines +smaltite +smaltites +smalto +smaltos +smaltost +smalts +smaltz +smaragd +smaragde +smaragdes +smaragdine +smaragdite +smaragds +smaragdus +smarm +smarmy +smarmier +smarmiest +smarms +Smarr +Smart +smart-aleck +smart-alecky +smart-aleckiness +smartass +smart-ass +smart-built +smart-cocked +smart-dressing +smarted +smarten +smartened +smartening +smartens +smarter +smartest +smarty +smartie +smarties +smarting +smartingly +smarty-pants +smartish +smartism +smartless +smartly +smart-looking +smart-money +smartness +smartnesses +smarts +smart-spoken +smart-stinging +Smartt +smart-talking +smart-tongued +Smartville +smartweed +smart-witted +SMAS +SMASF +smash +smashable +smashage +smash-and-grab +smashboard +smashed +smasher +smashery +smashers +smashes +smashing +smashingly +smashment +smashup +smash-up +smashups +SMASPU +smatch +smatchet +smatter +smattered +smatterer +smattery +smattering +smatteringly +smatterings +smatters +smaze +smazes +SMB +SMC +SMD +SMDF +SMDI +SMDR +SMDS +SME +smear +smearcase +smear-dab +smeared +smearer +smearers +smeary +smearier +smeariest +smeariness +smearing +smearless +smears +smear-sheet +smeath +Smeaton +smectic +Smectymnuan +Smectymnuus +smectis +smectite +smeddum +smeddums +Smedley +smee +smeech +smeek +smeeked +smeeky +smeeking +smeeks +smeer +smeeth +smegma +smegmas +smegmatic +smell +smellable +smellage +smelled +smeller +smeller-out +smellers +smell-feast +smellful +smellfungi +smellfungus +smelly +smellie +smellier +smelliest +smelliness +smelling +smelling-stick +smell-less +smell-lessness +smellproof +smells +smell-smock +smellsome +smelt +smelt- +smelted +smelter +smeltery +smelteries +smelterman +smelters +Smelterville +smelting +smeltman +smelts +smerk +smerked +smerking +smerks +smervy +Smetana +smeth +smethe +Smethport +Smethwick +smeuse +smeuth +smew +smews +SMEX +SMG +SMI +smich +smicker +smicket +smickly +Smicksburg +smick-smack +smick-smock +smiddy +smiddie +smiddy-leaves +smiddum +smidge +smidgen +smidgens +smidgeon +smidgeons +smidgin +smidgins +Smyer +smiercase +smifligate +smifligation +smift +Smiga +smiggins +Smilacaceae +smilacaceous +Smilaceae +smilaceous +smilacin +Smilacina +Smilax +smilaxes +smile +smileable +smileage +smile-covering +smiled +smiled-out +smile-frowning +smileful +smilefulness +Smiley +smileless +smilelessly +smilelessness +smilemaker +smilemaking +smileproof +smiler +smilers +smiles +smilet +smile-tuned +smile-wreathed +smily +smiling +smilingly +smilingness +Smilodon +SMILS +Smintheus +Sminthian +sminthurid +Sminthuridae +Sminthurus +smirch +smirched +smircher +smirches +smirchy +smirching +smirchless +smiris +smirk +smirked +smirker +smirkers +smirky +smirkier +smirkiest +smirking +smirkingly +smirkish +smirkle +smirkly +smirks +Smyrna +Smyrnaite +Smyrnean +Smyrniot +Smyrniote +smirtle +SMIT +smitable +Smitane +smitch +smite +smiter +smiters +smites +Smith +smyth +smitham +Smithboro +Smithburg +smithcraft +Smithdale +Smythe +smither +smithereen +smithereens +smithery +smitheries +Smithers +Smithfield +smithy +Smithian +Smithianism +smithydander +smithied +smithier +smithies +smithying +smithing +smithite +Smithland +Smiths +Smithsburg +Smithshire +Smithson +Smithsonian +smithsonite +Smithton +Smithtown +smithum +Smithville +Smithwick +smithwork +smiting +smytrie +Smitt +smitten +smitter +Smitty +smitting +smittle +smittleish +smittlish +sml +SMM +SMO +Smoaks +SMOC +Smock +smocked +smocker +smockface +smock-faced +smock-frock +smock-frocked +smocking +smockings +smockless +smocklike +smocks +smog +smoggy +smoggier +smoggiest +smogless +smogs +SMOH +smokable +smokables +Smoke +smokeable +smoke-ball +smoke-begotten +smoke-black +smoke-bleared +smoke-blinded +smoke-blue +smoke-bound +smokebox +smoke-brown +smoke-burning +smokebush +smokechaser +smoke-colored +smoke-condensing +smoke-consuming +smoke-consumptive +smoke-cure +smoke-curing +smoked +smoke-dyed +smoke-dry +smoke-dried +smoke-drying +smoke-eater +smoke-eating +smoke-enrolled +smoke-exhaling +smokefarthings +smoke-filled +smoke-gray +smoke-grimed +smokeho +smokehole +smoke-hole +smokehouse +smokehouses +smokey +smoke-yellow +smokejack +smoke-jack +smokejumper +smoke-laden +smokeless +smokelessly +smokelessness +smokelike +smoke-oh +smoke-paint +smoke-pennoned +smokepot +smokepots +smoke-preventing +smoke-preventive +smokeproof +smoker +smokery +smokers +smokes +smokescreen +smoke-selling +smokeshaft +smoke-smothered +smoke-sodden +smokestack +smoke-stack +smokestacks +smoke-stained +smokestone +smoketight +smoke-torn +Smoketown +smoke-vomiting +smokewood +smoke-wreathed +smoky +smoky-bearded +smoky-blue +smoky-colored +smokier +smokies +smokiest +smoky-flavored +smokily +smoky-looking +smokiness +smoking +smoking-concert +smoking-room +smokings +smokyseeming +smokish +smoky-smelling +smoky-tinted +smoky-waving +smoko +smokos +Smolan +smolder +smoldered +smoldering +smolderingness +smolders +Smolensk +Smollett +smolt +smolts +smooch +smooched +smooches +smoochy +smooching +smoochs +smoodge +smoodged +smoodger +smoodging +smooge +smook +smoorich +Smoos +Smoot +smooth +smoothable +smooth-ankled +smoothback +smooth-barked +smooth-bedded +smooth-bellied +smooth-billed +smooth-bodied +smoothboots +smoothbore +smoothbored +smooth-browed +smooth-cast +smooth-cheeked +smooth-chinned +smooth-clouded +smoothcoat +smooth-coated +smooth-coil +smooth-combed +smooth-core +smooth-crested +smooth-cut +smooth-dittied +smoothed +smooth-edged +smoothen +smoothened +smoothening +smoothens +smoother +smoother-over +smoothers +smoothes +smoothest +smooth-face +smooth-faced +smooth-famed +smooth-fibered +smooth-finned +smooth-flowing +smooth-foreheaded +smooth-fronted +smooth-fruited +smooth-gliding +smooth-going +smooth-grained +smooth-haired +smooth-handed +smooth-headed +smooth-hewn +smoothhound +smoothy +smoothie +smoothies +smoothify +smoothification +smoothing +smoothingly +smoothish +smooth-leaved +smooth-legged +smoothly +smooth-limbed +smooth-looking +smoothmouthed +smooth-necked +smoothness +smoothnesses +smooth-nosed +smooth-paced +smoothpate +smooth-plastered +smooth-podded +smooth-polished +smooth-riding +smooth-rimmed +smooth-rinded +smooth-rubbed +smooth-running +smooths +smooth-sculptured +smooth-shaven +smooth-sided +smooth-skinned +smooth-sliding +smooth-soothing +smooth-sounding +smooth-speaking +smooth-spoken +smooth-stalked +smooth-stemmed +smooth-surfaced +smooth-tailed +smooth-taper +smooth-tempered +smooth-textured +smooth-tined +smooth-tired +smoothtongue +smooth-tongued +smooth-voiced +smooth-walled +smooth-winding +smooth-winged +smooth-working +smooth-woven +smooth-writing +smooth-wrought +SMOP +smopple +smore +smorebro +smorgasbord +smorgasbords +smorzando +smorzato +smote +smother +smotherable +smotheration +smothered +smotherer +smothery +smotheriness +smothering +smotheringly +smother-kiln +smothers +smotter +smouch +smoucher +smoulder +smouldered +smouldering +smoulders +smous +smouse +smouser +smout +SMP +SMPTE +SMR +smrgs +Smriti +smrrebrd +SMS +SMSA +SMT +SMTP +Smucker +smudder +smudge +smudged +smudgedly +smudgeless +smudgeproof +smudger +smudges +smudgy +smudgier +smudgiest +smudgily +smudginess +smudging +smug +smug-faced +smugger +smuggery +smuggest +smuggish +smuggishly +smuggishness +smuggle +smuggleable +smuggled +smuggler +smugglery +smugglers +smuggles +smuggling +smugism +smugly +smug-looking +smugness +smugnesses +smug-skinned +smuisty +Smukler +smur +smurks +smurr +smurry +smurtle +smuse +smush +smut +smutch +smutched +smutches +smutchy +smutchier +smutchiest +smutchin +smutching +smutchless +smut-free +smutless +smutproof +Smuts +smutted +smutter +smutty +smuttier +smuttiest +smutty-faced +smutty-yellow +smuttily +smuttiness +smutting +smutty-nosed +SN +SNA +snab +snabby +snabbie +snabble +snack +snacked +snackette +snacky +snacking +snackle +snackman +snacks +SNADS +snaff +snaffle +snafflebit +snaffle-bridled +snaffled +snaffle-mouthed +snaffle-reined +snaffles +snaffling +SNAFU +snafued +snafuing +snafus +snag +snagbush +snagged +snagger +snaggy +snaggier +snaggiest +snagging +snaggle +snaggled +snaggleteeth +snaggletooth +snaggletoothed +snaggle-toothed +snaglike +snagline +snagrel +snags +snail +snaileater +snailed +snailery +snailfish +snailfishes +snailflower +snail-horned +snaily +snailing +snailish +snailishly +snaillike +snail-like +snail-likeness +snail-paced +snails +snail's +'snails +snail-seed +snail-shell +snail-slow +snaith +snake +snakebark +snakeberry +snakebird +snakebite +snake-bitten +snakeblenny +snakeblennies +snake-bodied +snaked +snake-devouring +snake-drawn +snake-eater +snake-eating +snake-eyed +snake-encircled +snake-engirdled +snakefish +snakefishes +snakefly +snakeflies +snakeflower +snake-goddess +snake-grass +snake-haired +snakehead +snake-headed +snake-hipped +snakeholing +snakey +snake-killing +snakeleaf +snakeless +snakelet +snakelike +snake-like +snakeling +snake-milk +snakemouth +snakemouths +snakeneck +snake-necked +snakeology +snakephobia +snakepiece +snakepipe +snake-plantain +snakeproof +snaker +snakery +snakeroot +snakes +snake-set +snake-shaped +snake's-head +snakeship +snakeskin +snake-skin +snakestone +snake-tressed +snake-wanded +snakeweed +snake-weed +snake-wigged +snake-winged +snakewise +snakewood +snake-wood +snakeworm +snakewort +snaky +snaky-eyed +snakier +snakiest +Snaky-footed +snaky-haired +snaky-handed +snaky-headed +snakily +snakiness +snaking +snaky-paced +snakish +snaky-sparkling +snaky-tailed +snaky-wreathed +SNAP +snap- +snap-apple +snapback +snapbacks +snapbag +snapberry +snap-brim +snap-brimmed +snapdragon +snapdragons +snape +snaper +snap-finger +snaphaan +snaphance +snaphead +snapholder +snap-hook +snapy +snapjack +snapless +snapline +snap-on +snapout +Snapp +snappable +snappage +snappe +snapped +snapper +snapperback +snapper-back +snappers +snapper's +snapper-up +snappy +snappier +snappiest +snappily +snappiness +snapping +snappingly +snappish +snappishly +snappishness +snapps +snap-rivet +snap-roll +snaps +snapsack +snapshare +snapshoot +snapshooter +snapshot +snap-shot +snapshots +snapshot's +snapshotted +snapshotter +snapshotting +snap-top +snapweed +snapweeds +snapwood +snapwort +snare +snared +snareless +snarer +snarers +snares +snary +snaring +snaringly +Snark +snarks +snarl +snarled +snarleyyow +snarleyow +snarler +snarlers +snarly +snarlier +snarliest +snarling +snarlingly +snarlish +snarls +snarl-up +snash +Snashall +snashes +snast +snaste +snasty +snatch +snatch- +snatchable +snatched +snatcher +snatchers +snatches +snatchy +snatchier +snatchiest +snatchily +snatching +snatchingly +snatchproof +snath +snathe +snathes +snaths +snattock +snavel +snavvle +snaw +snaw-broo +snawed +snawing +snawle +snaws +snazzy +snazzier +snazziest +snazziness +SNCC +SNCF +snead +Sneads +sneak +sneak- +sneakbox +sneak-cup +sneaked +sneaker +sneakered +sneakers +sneaky +sneakier +sneakiest +sneakily +sneakiness +sneaking +sneakingly +sneakingness +sneakish +sneakishly +sneakishness +sneaks +sneaksby +sneaksman +sneak-up +sneap +sneaped +sneaping +sneaps +sneath +sneathe +sneb +sneck +sneckdraw +sneck-drawer +sneckdrawing +sneckdrawn +snecked +snecker +snecket +snecking +snecks +sned +snedded +snedding +sneds +snee +Sneed +Sneedville +sneer +sneered +sneerer +sneerers +sneerful +sneerfulness +sneery +sneering +sneeringly +sneerless +sneers +sneesh +sneeshes +sneeshing +sneest +sneesty +sneeze +sneezed +sneezeless +sneezeproof +sneezer +sneezers +sneezes +sneezeweed +sneezewood +sneezewort +sneezy +sneezier +sneeziest +sneezing +Snefru +Snell +snelled +sneller +snellest +snelly +Snelling +Snellius +snells +Snellville +Snemovna +snerp +SNET +snew +SNF +Sngerfest +sny +snyaptic +snib +snibbed +snibbing +snibble +snibbled +snibbler +snibel +snibs +snicher +snick +snick-and-snee +snick-a-snee +snickdraw +snickdrawing +snicked +snickey +snicker +snickered +snickerer +snickery +snickering +snickeringly +snickers +snickersnee +snicket +snicking +snickle +snicks +snick-snarl +sniddle +snide +snidely +snideness +Snider +Snyder +snidery +Snydersburg +snidest +snye +snyed +snies +snyes +sniff +sniffable +sniffed +sniffer +sniffers +sniffy +sniffier +sniffiest +sniffily +sniffiness +sniffing +sniffingly +sniffish +sniffishly +sniffishness +sniffle +sniffled +sniffler +snifflers +sniffles +sniffly +sniffling +sniffs +snift +snifted +snifter +snifters +snifty +snifting +snig +snigged +snigger +sniggered +sniggerer +sniggering +sniggeringly +sniggers +snigging +sniggle +sniggled +sniggler +snigglers +sniggles +sniggling +sniggoringly +snight +snigs +snying +snip +snipe +snipebill +snipe-bill +sniped +snipefish +snipefishes +snipelike +snipe-nosed +sniper +snipers +sniperscope +sniper-scope +snipes +snipesbill +snipe'sbill +snipy +sniping +snipish +snipjack +snipnose +snipocracy +snipped +snipper +snipperado +snippers +snippersnapper +snipper-snapper +snipperty +snippet +snippety +snippetier +snippetiest +snippetiness +snippets +snippy +snippier +snippiest +snippily +snippiness +snipping +snippish +snips +snip-snap +snip-snappy +snipsnapsnorum +snip-snap-snorum +sniptious +snirl +snirt +snirtle +snit +snitch +snitched +snitcher +snitchers +snitches +snitchy +snitchier +snitchiest +snitching +snite +snithe +snithy +snits +snittle +snitz +snivey +snivel +sniveled +sniveler +snivelers +snively +sniveling +snivelled +sniveller +snivelly +snivelling +snivels +snivy +SNM +SNMP +snob +snobber +snobbery +snobberies +snobbers +snobbess +snobby +snobbier +snobbiest +snobbily +snobbiness +snobbing +snobbish +snobbishly +snobbishness +snobbishnesses +snobbism +snobbisms +snobdom +snobism +snobling +snobocracy +snobocrat +snobographer +snobography +SNOBOL +snobologist +snobonomer +snobs +snobscat +snocat +Sno-Cat +snocher +snock +snocker +snod +Snoddy +Snodgrass +snodly +snoek +snoeking +snog +snoga +snogged +snogging +snogs +Snohomish +snoke +snollygoster +Snonowas +snood +snooded +snooding +snoods +Snook +snooked +snooker +snookered +snookers +snooking +snooks +snookums +snool +snooled +snooling +snools +snoop +snooped +snooper +snoopers +snooperscope +snoopy +snoopier +snoopiest +snoopily +snooping +snoops +snoose +snoot +snooted +snootful +snootfuls +snooty +snootier +snootiest +snootily +snootiness +snooting +snoots +snoove +snooze +snoozed +snoozer +snoozers +snoozes +snoozy +snoozier +snooziest +snooziness +snoozing +snoozle +snoozled +snoozles +snoozling +snop +Snoqualmie +Snoquamish +snore +snored +snoreless +snorer +snorers +snores +snoring +snoringly +snork +snorkel +snorkeled +snorkeler +snorkeling +snorkels +snorker +snort +snorted +snorter +snorters +snorty +snorting +snortingly +snortle +snorts +snot +snot-rag +snots +snotter +snottery +snotty +snottie +snottier +snottiest +snottily +snottiness +snotty-nosed +snouch +snout +snouted +snouter +snoutfair +snouty +snoutier +snoutiest +snouting +snoutish +snoutless +snoutlike +snouts +snout's +Snover +Snow +Snowball +snowballed +snowballing +snowballs +snowbank +snowbanks +snow-barricaded +snow-bearded +snow-beaten +snow-beater +snowbell +snowbells +snowbelt +Snowber +snowberg +snowberry +snowberries +snow-besprinkled +snowbird +snowbirds +snow-blanketed +snow-blind +snow-blinded +snowblink +snowblower +snow-blown +snowbound +snowbreak +snowbridge +snow-bright +snow-brilliant +snowbroth +snow-broth +snowbrush +snowbush +snowbushes +snowcap +snowcapped +snow-capped +snowcaps +snow-casting +snow-choked +snow-clad +snow-clearing +snow-climbing +snow-cold +snow-colored +snow-covered +snowcraft +snowcreep +snow-crested +snow-crystal +snow-crowned +snow-deep +Snowdon +Snowdonia +Snowdonian +snowdrift +snow-drifted +snowdrifts +snow-driven +snowdrop +snow-dropping +snowdrops +snow-drowned +snowed +snowed-in +snow-encircled +snow-fair +snowfall +snowfalls +snow-feathered +snow-fed +snowfield +snowflake +snowflakes +snowflight +snowflower +snowfowl +snow-haired +snowhammer +snowhouse +snow-hung +snowy +snowy-banded +snowy-bosomed +snowy-capped +snowy-countenanced +snowie +snowier +snowiest +snowy-fleeced +snowy-flowered +snowy-headed +snowily +snowiness +snowing +snow-in-summer +snowish +snowy-vested +snowy-winged +snowk +snowl +snow-laden +snowland +snowlands +snowless +snowlike +snow-limbed +snow-line +snow-lined +snow-loaded +snowmaker +snowmaking +Snowman +snow-man +snowmanship +snow-mantled +Snowmass +snowmast +snowmelt +snow-melting +snowmelts +snowmen +snowmobile +snowmobiler +snowmobilers +snowmobiles +snowmobiling +snowmold +snow-molded +snow-nodding +snow-on-the-mountain +snowpack +snowpacks +snowplough +snow-plough +snowplow +snowplowed +snowplowing +snowplows +snowproof +snow-pure +snow-resembled +snow-rigged +snow-robed +snow-rubbing +snows +snowscape +snow-scarred +snowshade +snowshed +snowsheds +snowshine +snowshoe +snowshoed +snowshoeing +snowshoer +snowshoes +snowshoe's +snowshoing +snowslide +snowslip +snow-slip +snow-soft +snow-sprinkled +snow-still +snowstorm +snowstorms +snowsuit +snowsuits +snow-swathe +snow-sweeping +snowthrower +snow-thrower +snow-tipped +snow-topped +Snowville +snow-white +snow-whitened +snow-whiteness +snow-winged +snowworm +snow-wrought +snozzle +SNP +SNPA +SNR +SNTSC +SNU +snub +snub- +snubbable +snubbed +snubbee +snubber +snubbers +snubby +snubbier +snubbiest +snubbiness +snubbing +snubbingly +snubbish +snubbishly +snubbishness +snubness +snubnesses +snubnose +snub-nosed +snubproof +snubs +snuck +snudge +snudgery +snuff +snuffbox +snuff-box +snuffboxer +snuffboxes +snuff-clad +snuffcolored +snuff-colored +snuffed +snuffer +snuffers +snuff-headed +snuffy +snuffier +snuffiest +snuffily +snuffiness +snuffing +snuffingly +snuffish +snuffkin +snuffle +snuffled +snuffler +snufflers +snuffles +snuffless +snuffly +snufflier +snuffliest +snuffliness +snuffling +snufflingly +snuffman +snuffs +snuff-stained +snuff-taking +snuff-using +snug +snugged +snugger +snuggery +snuggerie +snuggeries +snuggest +snuggies +snugging +snuggish +snuggle +snuggled +snuggles +snuggly +snuggling +snugify +snugly +snugness +snugnesses +snugs +snum +snup +snupper +snur +snurl +snurly +snurp +snurt +snuzzle +SO +So. +SOAC +soak +soakage +soakages +soakaway +soaked +soaken +soaker +soakers +soaky +soaking +soakingly +soaking-up +soakman +soaks +soally +soallies +soam +so-and-so +so-and-sos +Soane +SOAP +soapbark +soapbarks +soapberry +soapberries +soap-boiler +soapbox +soapboxer +soapboxes +soap-bubble +soapbubbly +soapbush +soaped +soaper +soapery +soaperies +soapers +soap-fast +soapfish +soapfishes +soapi +soapy +soapier +soapiest +soapily +soapiness +soaping +soaplees +soapless +soaplike +soapmaker +soap-maker +soapmaking +soapmonger +soapolallie +soaprock +soaproot +soaps +soapstone +soapstoner +soapstones +soapsud +soapsuddy +soapsuds +soapsudsy +soapweed +soapwood +soapworks +soapwort +soapworts +SOAR +soarability +soarable +soared +soarer +soarers +Soares +soary +soaring +soaringly +soarings +soars +soave +soavemente +soaves +SOB +sobbed +sobber +sobbers +sobby +sobbing +sobbingly +sobeit +Sobel +sober +sober-blooded +sober-clad +sober-disposed +sobered +sober-eyed +soberer +soberest +sober-headed +sober-headedness +sobering +soberingly +soberize +soberized +soberizes +soberizing +soberly +soberlike +sober-minded +sober-mindedly +sober-mindedness +soberness +Sobers +sober-sad +sobersault +sobersided +sobersidedly +sobersidedness +sobersides +sober-spirited +sober-suited +sober-tinted +soberwise +sobful +Soble +sobole +soboles +soboliferous +Sobor +sobproof +Sobralia +sobralite +Sobranje +sobrevest +sobriety +sobrieties +sobriquet +sobriquetical +sobriquets +sobs +SOC +socage +socager +socagers +socages +so-called +so-caused +soccage +soccages +soccer +soccerist +soccerite +soccers +soce +Socha +Soche +Socher +Sochi +Sochor +socht +sociability +sociabilities +sociable +sociableness +sociables +sociably +social +social-climbing +Sociales +socialisation +socialise +socialised +socialising +socialism +socialist +socialistic +socialistically +socialists +socialist's +socialite +socialites +sociality +socialities +socializable +socialization +socializations +socialize +socialized +socializer +socializers +socializes +socializing +socially +social-minded +social-mindedly +social-mindedness +socialness +socials +social-service +sociate +sociation +sociative +socies +societal +societally +societary +societarian +societarianism +societas +Societe +societeit +society +societies +societyese +societified +societyish +societyless +society's +societism +societist +societology +societologist +socii +Socinian +Socinianism +Socinianistic +Socinianize +Socinus +socio- +sociobiology +sociobiological +sociocentric +sociocentricity +sociocentrism +sociocracy +sociocrat +sociocratic +sociocultural +socioculturally +sociodrama +sociodramatic +socioeconomic +socio-economic +socioeconomically +socioeducational +sociogenesis +sociogenetic +sociogeny +sociogenic +sociogram +sociography +sociol +sociol. +sociolatry +sociolegal +sociolinguistic +sociolinguistics +sociologese +sociology +sociologian +sociologic +sociological +sociologically +sociologies +sociologism +sociologist +sociologistic +sociologistically +sociologists +sociologize +sociologized +sociologizer +sociologizing +sociomedical +sociometry +sociometric +socionomy +socionomic +socionomics +socio-official +sociopath +sociopathy +sociopathic +sociopathies +sociopaths +sociophagous +sociopolitical +sociopsychological +socioreligious +socioromantic +sociosexual +sociosexuality +sociosexualities +sociostatic +sociotechnical +socius +sock +sockdolager +sockdologer +socked +sockeye +sockeyes +socker +sockeroo +sockeroos +socket +socketed +socketful +socketing +socketless +sockets +socket's +sockhead +socky +socking +sockless +socklessness +sockmaker +sockmaking +sockman +sockmen +socko +socks +socle +socles +socman +socmanry +socmen +soco +so-conditioned +so-considered +socorrito +Socorro +Socotra +Socotran +Socotri +Socotrine +Socratean +Socrates +Socratic +Socratical +Socratically +Socraticism +Socratism +Socratist +Socratize +Socred +sod +soda +sodaclase +soda-granite +sodaic +sodaless +soda-lime +sodalist +sodalists +sodalite +sodalites +sodalite-syenite +sodalithite +sodality +sodalities +sodamid +sodamide +sodamides +soda-potash +sodas +sodawater +sod-bound +sod-build +sodbuster +sod-cutting +sodded +sodden +soddened +sodden-faced +sodden-headed +soddening +soddenly +sodden-minded +soddenness +soddens +sodden-witted +Soddy +soddier +soddies +soddiest +sodding +soddite +so-designated +sod-forming +sody +sodic +sodio +sodio- +sodioaluminic +sodioaurous +sodiocitrate +sodiohydric +sodioplatinic +sodiosalicylate +sodiotartrate +sodium +sodiums +sodium-vapor +sodless +sodoku +Sodom +sodomy +sodomic +sodomies +Sodomist +Sodomite +sodomites +sodomitess +sodomitic +sodomitical +sodomitically +Sodomitish +sodomize +sodoms +sod-roofed +sods +sod's +Sodus +sodwork +soe +Soekarno +soekoe +Soelch +Soemba +Soembawa +Soerabaja +soever +SOF +sofa +sofa-bed +sofane +sofar +sofa-ridden +sofars +sofas +sofa's +Sofer +soffarid +soffione +soffioni +soffit +soffits +soffritto +SOFIA +Sofie +Sofiya +sofkee +Sofko +sofoklis +so-formed +so-forth +Sofronia +soft +softa +soft-armed +softas +softback +soft-backed +softbacks +softball +softballs +soft-bedded +soft-bellied +soft-bill +soft-billed +soft-blowing +softboard +soft-board +soft-bodied +soft-boil +soft-boiled +soft-bone +soft-bosomed +softbound +softbrained +soft-breathed +soft-bright +soft-brushing +soft-centred +soft-circling +softcoal +soft-coal +soft-coated +soft-colored +soft-conched +soft-conscienced +soft-cored +soft-couched +soft-cover +soft-dressed +soft-ebbing +soft-eyed +soft-embodied +soften +softened +softener +softeners +softening +softening-up +softens +softer +softest +soft-extended +soft-feathered +soft-feeling +soft-fingered +soft-finished +soft-finned +soft-flecked +soft-fleshed +soft-flowing +soft-focus +soft-foliaged +soft-footed +soft-footedly +soft-glazed +soft-going +soft-ground +soft-haired +soft-handed +softhead +soft-head +softheaded +soft-headed +softheadedly +softheadedness +soft-headedness +softheads +softhearted +soft-hearted +softheartedly +soft-heartedly +softheartedness +soft-heartedness +softhorn +soft-hued +softy +softie +softies +soft-yielding +softish +soft-laid +soft-leaved +softly +softling +soft-lucent +soft-mannered +soft-mettled +soft-minded +soft-murmuring +soft-natured +softner +softness +softnesses +soft-nosed +soft-paced +soft-pale +soft-palmed +soft-paste +soft-pated +soft-pedal +soft-pedaled +soft-pedaling +soft-pedalled +soft-pedalling +soft-rayed +soft-roasted +softs +soft-sawder +soft-sawderer +soft-sealed +soft-shell +soft-shelled +soft-shining +softship +soft-shoe +soft-shouldered +soft-sighing +soft-silken +soft-skinned +soft-sleeping +soft-sliding +soft-slow +soft-smiling +softsoap +soft-soap +soft-soaper +soft-soaping +soft-solder +soft-soothing +soft-sounding +soft-speaking +soft-spirited +soft-spleened +soft-spoken +soft-spread +soft-spun +soft-steel +soft-swelling +softtack +soft-tailed +soft-tanned +soft-tempered +soft-throbbing +soft-timbered +soft-tinted +soft-toned +soft-tongued +soft-treading +soft-voiced +soft-wafted +soft-warbling +software +softwares +software's +soft-water +soft-whispering +soft-winged +soft-witted +softwood +soft-wooded +softwoods +sog +Soga +SOGAT +Sogdian +Sogdiana +Sogdianese +Sogdianian +Sogdoite +soger +soget +soggarth +sogged +soggendalite +soggy +soggier +soggiest +soggily +sogginess +sogginesses +sogging +SOH +SOHIO +SOHO +so-ho +soy +soya +soyas +soyate +soybean +soybeans +soi-disant +Soiesette +soign +soigne +soignee +Soyinka +soil +soilage +soilages +soil-bank +soilborne +soil-bound +soiled +soyled +soiledness +soil-freesoilage +soily +soilier +soiliest +soiling +soilless +soilproof +soils +soilure +soilures +soymilk +soymilks +Soinski +so-instructed +Soyot +soir +soiree +soirees +soys +Soissons +Soyuz +soyuzes +soixante-neuf +soixante-quinze +soixantine +Soja +sojas +sojourn +sojourned +sojourney +sojourner +sojourners +sojourning +sojournment +sojourns +sok +soka +soke +sokeman +sokemanemot +sokemanry +sokemanries +sokemen +soken +sokes +Sokil +soko +Sokoki +sokol +sokols +Sokoto +Sokotra +Sokotri +Sokul +Sokulk +SOL +Sol. +Sola +solace +solaced +solaceful +solacement +solaceproof +solacer +solacers +solaces +solach +solacing +solacious +solaciously +solaciousness +solay +solan +Solana +Solanaceae +solanaceous +solanal +Solanales +soland +solander +solanders +solandra +solands +solanein +solaneine +solaneous +Solange +solania +solanicine +solanidin +solanidine +solanin +solanine +solanines +Solanine-s +solanins +Solano +solanoid +solanos +solans +Solanum +solanums +solar +solary +solari- +solaria +solariego +solariia +solarimeter +solarise +solarised +solarises +solarising +solarism +solarisms +solarist +solaristic +solaristically +solaristics +Solarium +solariums +solarization +solarize +solarized +solarizes +solarizing +solarometer +solate +solated +solates +solatia +solating +solation +solations +solatium +solattia +solazzi +Solberg +sold +soldado +soldadoes +soldados +Soldan +soldanel +Soldanella +soldanelle +soldanrie +soldans +soldat +soldatesque +solder +solderability +soldered +solderer +solderers +soldering +solderless +solders +soldi +soldier +soldierbird +soldierbush +soldier-crab +soldierdom +soldiered +soldieress +soldierfare +soldier-fashion +soldierfish +soldierfishes +soldierhearted +soldierhood +soldiery +soldieries +soldiering +soldierize +soldierly +soldierlike +soldierliness +soldier-mad +soldierproof +soldiers +soldiership +soldierwise +soldierwood +soldo +sole +Solea +soleas +sole-beating +sole-begotten +sole-beloved +sole-bound +Solebury +sole-channeling +solecise +solecised +solecises +solecising +solecism +solecisms +solecist +solecistic +solecistical +solecistically +solecists +solecize +solecized +solecizer +solecizes +solecizing +sole-commissioned +sole-cutting +soled +Soledad +sole-deep +sole-finishing +sole-happy +solei +Soleidae +soleiform +soleil +solein +soleyn +soleyne +sole-justifying +sole-leather +soleless +solely +sole-lying +sole-living +solemn +solemn-breathing +solemn-browed +solemn-cadenced +solemncholy +solemn-eyed +solemner +solemness +solemnest +solemn-garbed +solemnify +solemnified +solemnifying +solemnise +solemnity +solemnities +solemnitude +solemnization +solemnize +solemnized +solemnizer +solemnizes +solemnizing +solemnly +solemn-looking +solemn-mannered +solemn-measured +solemnness +solemnnesses +solemn-proud +solemn-seeming +solemn-shaded +solemn-sounding +solemn-thoughted +solemn-toned +solemn-visaged +Solen +solenacean +solenaceous +soleness +solenesses +solenette +solenial +Solenidae +solenite +solenitis +solenium +Solenne +solennemente +soleno- +solenocyte +solenoconch +Solenoconcha +Solenodon +solenodont +Solenodontidae +solenogaster +Solenogastres +solenoglyph +Solenoglypha +solenoglyphic +solenoid +solenoidal +solenoidally +solenoids +Solenopsis +solenostele +solenostelic +solenostomid +Solenostomidae +solenostomoid +solenostomous +Solenostomus +Solent +solentine +solepiece +soleplate +soleprint +soler +Solera +soleret +solerets +solert +sole-ruling +soles +sole-saving +sole-seated +sole-shaped +sole-stitching +sole-sufficient +sole-thoughted +Soleure +soleus +sole-walking +solfa +sol-fa +sol-faed +sol-faer +sol-faing +sol-faist +solfatara +solfataric +solfege +solfeges +solfeggi +solfeggiare +solfeggio +solfeggios +Solferino +solfge +solgel +Solgohachia +soli +soliative +solicit +solicitant +solicitation +solicitationism +solicitations +solicited +solicitee +soliciter +soliciting +solicitor +solicitors +solicitorship +solicitous +solicitously +solicitousness +solicitress +solicitrix +solicits +solicitude +solicitudes +solicitudinous +solid +Solidago +solidagos +solidare +solidary +solidaric +solidarily +solidarism +solidarist +solidaristic +solidarity +solidarities +solidarize +solidarized +solidarizing +solidate +solidated +solidating +solid-billed +solid-bronze +solid-browed +solid-color +solid-colored +solid-drawn +solideo +soli-deo +solider +solidest +solid-fronted +solid-full +solid-gold +solid-headed +solid-hoofed +solid-horned +solidi +solidify +solidifiability +solidifiable +solidifiableness +solidification +solidifications +solidified +solidifier +solidifies +solidifying +solidiform +solidillu +solid-injection +solid-ink +solidish +solidism +solidist +solidistic +solidity +solidities +solid-ivory +solidly +solid-looking +solidness +solidnesses +solido +solidomind +solid-ported +solids +solid-seeming +solid-set +solid-silver +solid-state +solid-tired +solidudi +solidum +Solidungula +solidungular +solidungulate +solidus +solifidian +solifidianism +solifluction +solifluctional +soliform +Solifugae +solifuge +solifugean +solifugid +solifugous +Solihull +so-like +soliloquacious +soliloquy +soliloquies +soliloquys +soliloquise +soliloquised +soliloquiser +soliloquising +soliloquisingly +soliloquist +soliloquium +soliloquize +soliloquized +soliloquizer +soliloquizes +soliloquizing +soliloquizingly +solilunar +Solim +Solyma +Solymaean +Soliman +Solyman +Solimena +Solymi +Solimoes +soling +Solingen +Solio +solion +solions +soliped +solipedal +solipedous +solipsism +solipsismal +solipsist +solipsistic +solipsists +soliquid +soliquids +Solis +solist +soliste +Solita +solitaire +solitaires +solitary +solitarian +solitaries +solitarily +solitariness +soliterraneous +solitidal +soliton +solitons +Solitta +solitude +solitudes +solitude's +solitudinarian +solitudinize +solitudinized +solitudinizing +solitudinous +solivagant +solivagous +Soll +sollar +sollaria +Sollars +Solley +soller +solleret +sollerets +Solly +Sollya +sollicker +sollicking +Sollie +Sollows +sol-lunar +solmizate +solmization +soln +Solnit +Solo +solod +solodi +solodization +solodize +soloecophanes +soloed +soloing +soloist +soloistic +soloists +Soloma +Soloman +Solomon +solomon-gundy +Solomonian +Solomonic +Solomonical +Solomonitic +Solomons +Solon +solonchak +solonets +solonetses +solonetz +solonetzes +solonetzic +solonetzicity +Solonian +Solonic +solonist +solons +solos +solo's +soloth +Solothurn +solotink +solotnik +solpuga +solpugid +Solpugida +Solpugidea +Solpugides +Solr +Solresol +sols +Solsberry +solstice +solstices +solsticion +solstitia +solstitial +solstitially +solstitium +Solsville +Solti +solubility +solubilities +solubilization +solubilize +solubilized +solubilizing +soluble +solubleness +solubles +solubly +Soluk +solum +solums +solunar +solus +solute +solutes +solutio +solution +solutional +solutioner +solutionis +solutionist +solution-proof +solutions +solution's +solutive +solutize +solutizer +solutory +Solutrean +solutus +solv +solvaated +solvability +solvable +solvabled +solvableness +solvabling +Solvay +Solvang +solvate +solvated +solvates +solvating +solvation +solve +solved +solvement +solvency +solvencies +solvend +solvent +solventless +solvently +solventproof +solvents +solvent's +solver +solvers +solves +solving +solvolysis +solvolytic +solvolyze +solvolyzed +solvolyzing +solvsbergite +solvus +Solway +Solzhenitsyn +Som +Soma +somacule +Somal +Somali +Somalia +Somalian +Somaliland +somalo +somaplasm +somas +Somaschian +somasthenia +somat- +somata +somatasthenia +somaten +somatenes +Somateria +somatic +somatical +somatically +somaticosplanchnic +somaticovisceral +somatics +somatism +somatist +somatization +somato- +somatochrome +somatocyst +somatocystic +somatoderm +somatogenetic +somatogenic +somatognosis +somatognostic +somatology +somatologic +somatological +somatologically +somatologist +somatome +somatomic +somatophyte +somatophytic +somatoplasm +somatoplastic +somatopleural +somatopleure +somatopleuric +somatopsychic +somatosensory +somatosplanchnic +somatotype +somatotyper +somatotypy +somatotypic +somatotypically +somatotypology +somatotonia +somatotonic +somatotrophin +somatotropic +somatotropically +somatotropin +somatotropism +somatous +somatrophin +somber +somber-clad +somber-colored +somberish +somberly +somber-looking +somber-minded +somberness +somber-seeming +somber-toned +Somborski +sombre +sombreish +sombreite +sombrely +sombreness +sombrerite +sombrero +sombreroed +sombreros +sombrous +sombrously +sombrousness +somdel +somdiel +some +somebody +somebodies +somebodyll +somebody'll +someday +somedays +somedeal +somegate +somehow +someone +someonell +someone'll +someones +someone's +somepart +someplace +Somerdale +Somers +somersault +somersaulted +somersaulting +somersaults +Somerset +somerseted +Somersetian +somerseting +somersets +Somersetshire +somersetted +somersetting +Somersville +Somersworth +Somerton +Somerville +somervillite +somesthesia +somesthesis +somesthesises +somesthetic +somet +something +somethingness +sometime +sometimes +somever +someway +someways +somewhat +somewhatly +somewhatness +somewhats +somewhen +somewhence +somewhere +somewheres +somewhy +somewhile +somewhiles +somewhither +somewise +somic +Somis +somital +somite +somites +somitic +somler +Somlo +SOMM +somma +sommaite +Somme +sommelier +sommeliers +Sommer +Sommerfeld +Sommering +Sommers +sommite +somn- +somnambul- +somnambulance +somnambulancy +somnambulant +somnambular +somnambulary +somnambulate +somnambulated +somnambulating +somnambulation +somnambulator +somnambule +somnambulency +somnambulic +somnambulically +somnambulism +somnambulist +somnambulistic +somnambulistically +somnambulists +somnambulize +somnambulous +somne +somner +Somni +somni- +somnial +somniate +somniative +somniculous +somnifacient +somniferous +somniferously +somnify +somnific +somnifuge +somnifugous +somniloquacious +somniloquence +somniloquent +somniloquy +somniloquies +somniloquism +somniloquist +somniloquize +somniloquous +Somniorum +Somniosus +somnipathy +somnipathist +somnivolency +somnivolent +somnolence +somnolences +somnolency +somnolencies +somnolent +somnolently +somnolescence +somnolescent +somnolism +somnolize +somnopathy +somnorific +Somnus +Somonauk +Somoza +sompay +sompne +sompner +sompnour +Son +sonable +sonagram +so-named +sonance +sonances +sonancy +sonant +sonantal +sonantic +sonantina +sonantized +sonants +SONAR +sonarman +sonarmen +sonars +sonata +sonata-allegro +sonatas +sonatina +sonatinas +sonatine +sonation +Sonchus +soncy +sond +sondage +sondation +sonde +sondeli +sonder +Sonderbund +sonderclass +Sondergotter +sonders +sondes +Sondheim +Sondheimer +Sondylomorum +Sondra +SONDS +sone +soneri +sones +Soneson +SONET +Song +song-and-dance +songbag +songbird +song-bird +songbirds +songbook +song-book +songbooks +songcraft +songer +songfest +songfests +song-fraught +songful +songfully +songfulness +Songhai +songy +Songish +Songka +songkok +songland +songle +songless +songlessly +songlessness +songlet +songlike +songman +Songo +Songoi +song-play +songs +song's +song-school +song-singing +songsmith +song-smith +songster +songsters +songstress +songstresses +song-timed +song-tuned +songworthy +song-worthy +songwright +songwriter +songwriters +songwriting +sonhood +sonhoods +Soni +Sony +Sonia +Sonya +sonic +sonica +sonically +sonicate +sonicated +sonicates +sonicating +sonication +sonicator +sonics +Sonyea +soniferous +sonification +soning +son-in-law +son-in-lawship +soniou +Sonja +sonk +sonless +sonly +sonlike +sonlikeness +Sonneratia +Sonneratiaceae +sonneratiaceous +sonnet +sonnetary +sonneted +sonneteer +sonneteeress +sonnetic +sonneting +sonnetisation +sonnetise +sonnetised +sonnetish +sonnetising +sonnetist +sonnetization +sonnetize +sonnetized +sonnetizing +sonnetlike +sonnetry +sonnets +sonnet's +sonnetted +sonnetting +sonnetwise +Sonni +Sonny +Sonnie +sonnies +sonnikins +Sonnnie +sonnobuoy +sonobuoy +sonogram +sonography +Sonoita +Sonoma +sonometer +Sonora +Sonoran +sonorant +sonorants +sonores +sonorescence +sonorescent +sonoric +sonoriferous +sonoriferously +sonorific +sonority +sonorities +sonorize +sonorophone +sonorosity +sonorous +sonorously +sonorousness +sonovox +sonovoxes +Sonrai +sons +son's +sonship +sonships +sonsy +sonsie +sonsier +sonsiest +sons-in-law +Sonstrom +Sontag +sontenna +Sontich +Soo +soochong +soochongs +Soochow +soodle +soodled +soodly +soodling +sooey +soogan +soogee +soogeed +soogeeing +soogee-moogee +soogeing +soohong +soojee +sook +Sooke +sooky +sookie +sooks +sool +sooloos +soom +soon +soon-believing +soon-choked +soon-clad +soon-consoled +soon-contented +soon-descending +soon-done +soon-drying +soon-ended +Sooner +sooners +soonest +soon-fading +Soong +soony +soonish +soon-known +soonly +soon-mended +soon-monied +soon-parted +soon-quenched +soon-repeated +soon-repenting +soon-rotting +soon-said +soon-sated +soon-speeding +soon-tired +soon-wearied +sooper +Soorah +soorawn +soord +sooreyn +soorkee +soorki +soorky +soorma +soosoo +Soot +soot-bespeckled +soot-black +soot-bleared +soot-colored +soot-dark +sooted +sooter +sooterkin +soot-fall +soot-grimed +sooth +soothe +soothed +soother +sootherer +soothers +soothes +soothest +soothfast +soothfastly +soothfastness +soothful +soothing +soothingly +soothingness +soothless +soothly +sooths +soothsay +soothsaid +soothsayer +soothsayers +soothsayership +soothsaying +soothsayings +soothsays +soothsaw +sooty +sootied +sootier +sootiest +sooty-faced +sootying +sootily +sootylike +sooty-mouthed +sootiness +sooting +sooty-planed +sootish +sootless +sootlike +sootproof +soots +soot-smutched +soot-sowing +SOP +Sopchoppy +sope +Soper +Soperton +Soph +Sophar +Sophey +sopheme +sophene +Sopher +Sopheric +Sopherim +Sophi +sophy +Sophia +Sophian +sophic +sophical +sophically +Sophie +Sophies +sophiology +sophiologic +Sophism +sophisms +Sophist +sophister +sophistic +sophistical +sophistically +sophisticalness +sophisticant +sophisticate +sophisticated +sophisticatedly +sophisticates +sophisticating +sophistication +sophistications +sophisticative +sophisticator +sophisticism +Sophistress +Sophistry +sophistries +sophists +Sophoclean +Sophocles +sophomore +sophomores +sophomore's +sophomoric +sophomorical +sophomorically +Sophora +sophoria +Sophronia +sophronize +sophronized +sophronizing +sophrosyne +sophs +sophta +sopite +sopited +sopites +sopiting +sopition +sopor +soporate +soporiferous +soporiferously +soporiferousness +soporific +soporifical +soporifically +soporifics +soporifousness +soporose +soporous +sopors +sopped +sopper +soppy +soppier +soppiest +soppiness +sopping +soprani +sopranino +sopranist +soprano +sopranos +sops +sops-in-wine +Soquel +SOR +sora +Sorabian +Soracco +sorage +Soraya +soral +soralium +sorance +soras +Sorata +Sorb +sorbability +sorbable +Sorbais +sorb-apple +Sorbaria +sorbate +sorbates +sorbed +sorbefacient +sorbent +sorbents +sorbet +sorbets +Sorbian +sorbic +sorbile +sorbin +sorbing +sorbinose +Sorbish +sorbitan +sorbite +sorbitic +sorbitize +sorbitol +sorbitols +sorbol +Sorbonic +Sorbonical +Sorbonist +Sorbonne +sorbose +sorboses +sorbosid +sorboside +sorbs +Sorbus +Sorce +sorcer +sorcerer +sorcerers +sorcerer's +sorceress +sorceresses +sorcery +sorceries +sorcering +sorcerize +sorcerous +sorcerously +Sorcha +sorchin +Sorci +Sorcim +sord +sorda +sordamente +Sordaria +Sordariaceae +sordavalite +sordawalite +sordellina +Sordello +sordes +sordid +sordidity +sordidly +sordidness +sordidnesses +sordine +sordines +sordini +sordino +sordo +sordor +sordors +sords +sore +sore-backed +sore-beset +soreddia +soredi- +soredia +soredial +sorediate +sorediferous +sorediform +soredioid +soredium +sore-dreaded +soree +sore-eyed +sorefalcon +sorefoot +sore-footed +so-regarded +sorehawk +sorehead +sore-head +soreheaded +soreheadedly +soreheadedness +soreheads +sorehearted +sorehon +Sorel +sorely +sorels +sorema +Soren +soreness +sorenesses +Sorensen +Sorenson +Sorento +sore-pressed +sore-pressedsore-taxed +sorer +sores +sorest +sore-taxed +sore-toed +sore-tried +sore-vexed +sore-wearied +sore-won +sore-worn +Sorex +sorghe +sorgho +sorghos +Sorghum +sorghums +sorgo +sorgos +sori +sory +soricid +Soricidae +soricident +Soricinae +soricine +soricoid +Soricoidea +soriferous +Sorilda +soring +sorings +sorite +sorites +soritic +soritical +Sorkin +sorn +sornare +sornari +sorned +sorner +sorners +sorning +sorns +soroban +Sorocaba +soroche +soroches +Sorokin +Soroptimist +sororal +sororate +sororates +sororial +sororially +sororicidal +sororicide +sorority +sororities +sororize +sorose +soroses +sorosil +sorosilicate +sorosis +sorosises +sorosphere +Sorosporella +Sorosporium +sorption +sorptions +sorptive +sorra +sorrance +sorrel +sorrels +sorren +Sorrentine +Sorrento +sorry +sorrier +sorriest +sorry-flowered +sorryhearted +sorryish +sorrily +sorry-looking +sorriness +sorroa +sorrow +sorrow-beaten +sorrow-blinded +sorrow-bound +sorrow-breathing +sorrow-breeding +sorrow-bringing +sorrow-burdened +sorrow-ceasing +sorrow-closed +sorrow-clouded +sorrow-daunted +sorrowed +sorrower +sorrowers +sorrowful +sorrowfully +sorrowfulness +sorrow-furrowed +sorrow-healing +sorrowy +sorrowing +sorrowingly +sorrow-laden +sorrowless +sorrowlessly +sorrowlessness +sorrow-melted +sorrow-parted +sorrowproof +sorrow-ripening +Sorrows +sorrow's +sorrow-seasoned +sorrow-seeing +sorrow-sharing +sorrow-shot +sorrow-shrunken +sorrow-sick +sorrow-sighing +sorrow-sobbing +sorrow-streaming +sorrow-stricken +sorrow-struck +sorrow-tired +sorrow-torn +sorrow-wasted +sorrow-worn +sorrow-wounded +sorrow-wreathen +sort +sortable +sortably +sortal +sortance +sortation +sorted +sorter +sorter-out +sorters +sortes +sorty +sortiary +sortie +sortied +sortieing +sorties +sortilege +sortileger +sortilegi +sortilegy +sortilegic +sortilegious +sortilegus +sortiment +sorting +sortita +sortition +sortly +sortlige +sortment +sorts +sortwith +sorus +sorva +SOS +Sosanna +so-seeming +sosh +soshed +Sosia +sosie +Sosigenes +Sosna +Sosnowiec +Soso +so-so +sosoish +so-soish +sospiro +Sospita +sosquil +soss +sossiego +sossle +sostenendo +sostenente +sostenuti +sostenuto +sostenutos +Sosthena +Sosthenna +Sosthina +so-styled +sostinente +sostinento +sot +Sotadean +Sotadic +Soter +Soteres +soterial +soteriology +soteriologic +soteriological +so-termed +soth +Sothena +Sothiac +Sothiacal +Sothic +Sothis +Sotho +soths +sotie +Sotik +Sotiris +so-titled +sotnia +sotnik +sotol +sotols +Sotos +sots +sottage +sotted +sottedness +sotter +sottery +sottie +sotting +sottise +sottish +sottishly +sottishness +sotweed +sot-weed +Sou +souagga +souamosa +souamula +souari +souari-nut +souaris +Soubise +soubises +soubresaut +soubresauts +soubrette +soubrettes +soubrettish +soubriquet +soucar +soucars +souchet +souchy +souchie +Souchong +souchongs +soud +soudagur +Soudan +Soudanese +soudans +Souder +Soudersburg +Souderton +soudge +soudgy +soueak +sou'easter +soueef +soueege +souffl +souffle +souffled +souffleed +souffleing +souffles +souffleur +Soufflot +soufousse +Soufri +Soufriere +sougan +sough +soughed +sougher +soughfully +soughing +soughless +soughs +sought +sought-after +Souhegan +souk +souks +Soul +soulack +soul-adorning +soul-amazing +soulbell +soul-benumbed +soul-blind +soul-blinded +soul-blindness +soul-boiling +soul-born +soul-burdened +soulcake +soul-charming +soul-choking +soul-cloying +soul-conceived +soul-confirming +soul-confounding +soul-converting +soul-corrupting +soul-damning +soul-deep +soul-delighting +soul-destroying +soul-devouring +souldie +soul-diseased +soul-dissolving +soul-driver +Soule +souled +soul-enchanting +soul-ennobling +soul-enthralling +Souletin +soul-fatting +soul-fearing +soul-felt +soul-forsaken +soul-fostered +soul-frighting +soulful +soulfully +soulfulness +soul-galled +soul-gnawing +soul-harrowing +soulheal +soulhealth +soul-humbling +souly +soulical +Soulier +soul-illumined +soul-imitating +soul-infused +soulish +soul-killing +soul-kiss +soulless +soullessly +soullessness +soullike +soul-loving +Soulmass +soul-mass +soul-moving +soul-murdering +soul-numbing +soul-pained +soulpence +soulpenny +soul-piercing +soul-pleasing +soul-racking +soul-raising +soul-ravishing +soul-rending +soul-reviving +souls +soul's +soul-sapping +soul-satisfying +soulsaving +soul-saving +Soulsbyville +soul-scot +soul-searching +soul-shaking +soul-shot +soul-sick +soul-sickening +soul-sickness +soul-sinking +soul-slaying +soul-stirring +soul-subduing +soul-sunk +soul-sure +soul-sweet +Soult +soul-tainting +soulter +soul-thralling +soul-tiring +soul-tormenting +soultre +soul-vexed +soulward +soul-wise +soul-wounded +soul-wounding +soulx +soulz +soum +Soumaintrin +soumak +soumansite +soumarque +SOUND +soundable +sound-absorbing +soundage +soundboard +sound-board +soundboards +soundbox +soundboxes +sound-conducting +sounded +sounder +sounders +soundest +sound-exulting +soundful +sound-group +soundheaded +soundheadedness +soundhearted +soundheartednes +soundheartedness +sound-hole +sounding +sounding-board +sounding-lead +soundingly +sounding-line +soundingness +soundings +sounding's +sound-judging +soundless +soundlessly +soundlessness +soundly +sound-making +sound-minded +sound-mindedness +soundness +soundnesses +sound-on-film +soundpost +sound-post +sound-producing +soundproof +soundproofed +soundproofing +soundproofs +sounds +soundscape +sound-sensed +sound-set +sound-sleeping +sound-stated +sound-stilling +soundstripe +sound-sweet +sound-thinking +soundtrack +soundtracks +sound-winded +sound-witted +soup +soup-and-fish +soupbone +soupcon +soupcons +souped +souper +soupfin +Souphanourong +soupy +soupier +soupiere +soupieres +soupiest +souping +souple +soupled +soupless +souplike +soupling +soupmeat +soupon +soups +soup's +soupspoon +soup-strainer +Sour +sourball +sourballs +sourbelly +sourbellies +sourberry +sourberries +sour-blooded +sourbread +sour-breathed +sourbush +sourcake +source +sourceful +sourcefulness +sourceless +sources +source's +sour-complexioned +sourcrout +sourd +sourdeline +sourdine +sourdines +sourdock +sourdook +sourdough +sour-dough +sourdoughs +sourdre +soured +souredness +sour-eyed +souren +sourer +sourest +sour-faced +sour-featured +sour-headed +sourhearted +soury +souring +Souris +sourish +sourishly +sourishness +sourjack +sourly +sourling +sour-looked +sour-looking +sour-natured +sourness +sournesses +sourock +sourpuss +sourpussed +sourpusses +sours +sour-sap +sour-smelling +soursop +sour-sop +soursops +sour-sweet +sour-tasted +sour-tasting +sour-tempered +sour-tongued +sourtop +sourveld +sour-visaged +sourweed +sourwood +sourwoods +sous +sous- +Sousa +sousaphone +sousaphonist +souse +soused +souser +souses +sousewife +soushy +sousing +sous-lieutenant +souslik +sou-sou +sou-southerly +sous-prefect +Soustelle +soutache +soutaches +soutage +soutane +soutanes +soutar +souteneur +soutenu +souter +souterly +souterrain +souters +South +south- +Southampton +Southard +south'ard +south-blowing +south-borne +southbound +Southbridge +Southcottian +Southdown +Southeast +south-east +southeaster +southeasterly +south-easterly +southeastern +south-eastern +southeasterner +southeasternmost +southeasters +southeasts +southeastward +south-eastward +southeastwardly +southeastwards +southed +Southey +Southend-on-Sea +souther +southerland +southerly +southerlies +southerliness +southermost +Southern +Southerner +southerners +southernest +southernism +southernize +southernly +southernliness +southernmost +southernness +southerns +southernward +southernwards +southernwood +southers +south-facing +Southfield +south-following +Southgate +southing +southings +Southington +southland +southlander +southly +Southmont +southmost +southness +southpaw +southpaws +Southport +south-preceding +Southron +Southronie +southrons +souths +south-seaman +south-seeking +south-side +south-southeast +south-south-east +south-southeasterly +south-southeastward +south-southerly +south-southwest +south-south-west +south-southwesterly +south-southwestward +south-southwestwardly +Southumbrian +southward +southwardly +southwards +Southwark +Southwest +south-west +southwester +south-wester +southwesterly +south-westerly +southwesterlies +southwestern +south-western +Southwesterner +southwesterners +southwesternmost +southwesters +southwests +southwestward +south-westward +southwestwardly +south-westwardly +southwestwards +southwood +Southworth +soutien-gorge +Soutine +Soutor +soutter +souush +souushy +Souvaine +souvenir +souvenirs +souverain +souvlaki +sou'-west +souwester +sou'wester +Souza +sov +sovenance +sovenez +sovereign +sovereigness +sovereignize +sovereignly +sovereignness +sovereigns +sovereign's +sovereignship +sovereignty +sovereignties +soverty +Sovetsk +Soviet +sovietdom +sovietic +Sovietisation +Sovietise +Sovietised +Sovietising +Sovietism +sovietist +sovietistic +Sovietization +sovietize +sovietized +sovietizes +sovietizing +Soviets +soviet's +sovite +sovkhos +sovkhose +sovkhoz +sovkhozes +sovkhozy +sovprene +sovran +sovranly +sovrans +sovranty +sovranties +SOW +sowable +sowan +sowans +sowar +sowarree +sowarry +sowars +sowback +sow-back +sowbacked +sowbane +sowbelly +sowbellies +sowbread +sow-bread +sowbreads +sow-bug +sowcar +sowcars +sowder +sowdones +sowed +sowel +Sowell +sowens +Sower +sowers +Soweto +sowf +sowfoot +sow-gelder +sowing +sowins +so-wise +sowish +sowl +sowle +sowlike +sowlth +sow-metal +sown +sow-pig +sows +sowse +sowt +sowte +sow-thistle +sow-tit +sox +Soxhlet +sozin +sozine +sozines +sozins +sozly +sozolic +sozzle +sozzled +sozzly +SP +Sp. +SPA +spaad +Spaak +Spaatz +space +spaceband +space-bar +spaceborne +spacecraft +spacecrafts +space-cramped +spaced +spaced-out +space-embosomed +space-filling +spaceflight +spaceflights +spaceful +spacey +space-lattice +spaceless +spaceman +spacemanship +spacemen +space-occupying +space-penetrating +space-pervading +space-piercing +space-polar +spaceport +spacer +spacers +spaces +spacesaving +space-saving +spaceship +spaceships +spaceship's +space-spread +spacesuit +spacesuits +space-thick +spacetime +space-time +space-traveling +spacewalk +spacewalked +spacewalker +spacewalkers +spacewalking +spacewalks +spaceward +spacewoman +spacewomen +space-world +spacy +spacial +spaciality +spacially +spacier +spaciest +spaciness +spacing +spacings +spaciosity +spaciotemporal +spacious +spaciously +spaciousness +spaciousnesses +spacistor +spack +Spackle +spackled +spackles +spackling +spad +Spada +spadaite +spadassin +spaddle +spade +spade-beard +spade-bearded +spadebone +spade-cut +spaded +spade-deep +spade-dug +spadefish +spadefoot +spade-footed +spade-fronted +spadeful +spadefuls +spadelike +spademan +spademen +spader +spaders +spades +spade-shaped +spadesman +spade-trenched +spadewise +spadework +spadger +spadiard +spadiceous +spadices +spadici- +spadicifloral +spadiciflorous +spadiciform +spadicose +spadilla +spadille +spadilles +spadillo +spading +spadish +spadix +spadixes +spado +spadone +spadones +spadonic +spadonism +spadrone +spadroon +spae +spaebook +spaecraft +spaed +spaedom +spaeing +spaeings +spaeman +spae-man +spaer +Spaerobee +spaes +spaetzle +spaewife +spaewoman +spaework +spaewright +SPAG +spagetti +spaghetti +spaghettini +spaghettis +spagyric +spagyrical +spagyrically +spagyrics +spagyrist +Spagnuoli +spagnuolo +spahee +spahees +spahi +spahis +spay +spayad +spayard +spaid +spayed +spaying +spaik +spail +spails +Spain +spair +spairge +spays +spait +spaits +spak +spake +spaked +spalacid +Spalacidae +spalacine +Spalato +Spalax +spald +spalder +Spalding +spale +spales +spall +Spalla +spallable +Spallanzani +spallation +spalled +spaller +spallers +spalling +spalls +spalpeen +spalpeens +spalt +Spam +spammed +spamming +SPAN +span- +spanaemia +spanaemic +Spanaway +Spancake +spancel +spanceled +spanceling +spancelled +spancelling +spancels +span-counter +Spandau +spandex +spandy +spandle +spandrel +spandrels +spandril +spandrils +spane +spaned +spanemy +spanemia +spanemic +span-farthing +spang +spanged +spanghew +spanging +spangle +spangle-baby +spangled +Spangler +spangles +spanglet +spangly +spanglier +spangliest +spangling +spang-new +spangolite +span-hapenny +Spaniard +Spaniardization +Spaniardize +Spaniardo +spaniards +spaniel +spaniellike +spaniels +spanielship +spaning +Spaniol +Spaniolate +Spanioli +Spaniolize +spanipelagic +Spanish +Spanish-American +Spanish-arab +Spanish-arabic +Spanish-barreled +Spanish-born +Spanish-bred +Spanish-brown +Spanish-built +Spanishburg +Spanish-flesh +Spanish-indian +Spanishize +Spanishly +Spanish-looking +Spanish-ocher +Spanish-phoenician +Spanish-portuguese +Spanish-red +Spanish-speaking +Spanish-style +Spanish-top +Spanjian +spank +spanked +spanker +spankers +spanky +spankily +spanking +spankingly +spanking-new +spankings +spankled +spanks +spanless +span-long +spann +spanned +spannel +spanner +spannerman +spannermen +spanners +spanner's +spanner-tight +span-new +spanning +spanopnea +spanopnoea +Spanos +spanpiece +span-roof +spans +span's +spanspek +spantoon +spanule +spanworm +spanworms +SPAR +sparable +sparables +sparada +sparadrap +sparage +sparagrass +sparagus +Sparassis +sparassodont +Sparassodonta +Sparaxis +SPARC +sparch +spar-decked +spar-decker +spare +spareable +spare-bodied +spare-built +spared +spare-fed +spareful +spare-handed +spare-handedly +spareless +sparely +spare-looking +spareness +sparer +sparerib +spare-rib +spareribs +sparers +spares +spare-set +sparesome +sparest +spare-time +Sparganiaceae +Sparganium +sparganosis +sparganum +sparge +sparged +spargefication +sparger +spargers +sparges +sparging +spargosis +Sparhawk +spary +sparid +Sparidae +sparids +sparily +sparing +sparingly +sparingness +Spark +sparkback +Sparke +sparked +sparked-back +sparker +sparkers +Sparky +Sparkie +sparkier +sparkiest +sparkily +Sparkill +sparkiness +sparking +sparkingly +sparkish +sparkishly +sparkishness +sparkle +sparkleberry +sparkle-blazing +sparkled +sparkle-drifting +sparkle-eyed +sparkler +sparklers +sparkles +sparkless +sparklessly +sparklet +sparkly +sparklike +sparkliness +sparkling +sparklingly +sparklingness +Sparkman +spark-over +sparkplug +spark-plug +sparkplugged +sparkplugging +sparkproof +Sparks +Sparland +sparlike +sparling +sparlings +sparm +Sparmannia +Sparnacian +sparoid +sparoids +sparpiece +sparple +sparpled +sparpling +Sparr +sparred +sparrer +sparry +sparrier +sparriest +sparrygrass +sparring +sparringly +Sparrow +sparrowbill +sparrow-bill +sparrow-billed +sparrow-blasting +Sparrowbush +sparrowcide +sparrow-colored +sparrowdom +sparrow-footed +sparrowgrass +sparrowhawk +sparrow-hawk +sparrowy +sparrowish +sparrowless +sparrowlike +sparrows +sparrow's +sparrowtail +sparrow-tail +sparrow-tailed +sparrowtongue +sparrow-witted +sparrowwort +SPARS +sparse +sparsedly +sparse-flowered +sparsely +sparseness +sparser +sparsest +sparsile +sparsim +sparsioplast +sparsity +sparsities +spart +Sparta +Spartacan +Spartacide +Spartacism +Spartacist +Spartacus +Spartan +Spartanburg +Spartanhood +Spartanic +Spartanically +Spartanism +Spartanize +Spartanly +Spartanlike +spartans +Spartansburg +spartein +sparteine +sparterie +sparth +Sparti +Spartiate +Spartina +Spartium +spartle +spartled +spartling +Sparus +sparver +spas +spasm +spasmatic +spasmatical +spasmatomancy +spasmed +spasmic +spasmodic +spasmodical +spasmodically +spasmodicalness +spasmodism +spasmodist +spasmolysant +spasmolysis +spasmolytic +spasmolytically +spasmophile +spasmophilia +spasmophilic +spasmotin +spasmotoxin +spasmotoxine +spasmous +spasms +spasmus +spass +Spassky +spastic +spastically +spasticity +spasticities +spastics +spat +spatalamancy +Spatangida +Spatangina +spatangoid +Spatangoida +Spatangoidea +spatangoidean +Spatangus +spatchcock +spatch-cock +spate +spated +spates +spate's +spath +spatha +spathaceous +spathae +spathal +spathe +spathed +spatheful +spathes +spathic +Spathyema +Spathiflorae +spathiform +spathilae +spathilla +spathillae +spathose +spathous +spathulate +spatial +spatialism +spatialist +spatiality +spatialization +spatialize +spatially +spatiate +spatiation +spatilomancy +spating +spatio +spatiography +spatiotemporal +spatiotemporally +spatium +spatling +spatlum +Spatola +spats +spattania +spatted +spattee +spatter +spatterdash +spatterdashed +spatterdasher +spatterdashes +spatterdock +spattered +spattering +spatteringly +spatterproof +spatters +spatterware +spatterwork +spatting +spattle +spattled +spattlehoe +spattling +Spatula +spatulamancy +spatular +spatulas +spatulate +spatulate-leaved +spatulation +spatule +spatuliform +spatulose +spatulous +Spatz +spatzle +spaught +spauld +spaulder +Spaulding +spauldrochy +spave +spaver +spavie +spavied +spavies +spaviet +spavin +Spavinaw +spavindy +spavine +spavined +spavins +spavit +spa-water +spawl +spawler +spawling +spawn +spawneater +spawned +spawner +spawners +spawny +spawning +spawns +spaz +spazes +SPC +SPCA +SPCC +SPCK +SPCS +SPD +SPDL +SPDM +SPE +speak +speakable +speakableness +speakably +speakablies +speakeasy +speak-easy +speakeasies +Speaker +speakeress +speakerphone +speakers +speakership +speakhouse +speakie +speakies +speaking +speakingly +speakingness +speakings +speaking-to +speaking-trumpet +speaking-tube +speakless +speaklessly +Speaks +speal +spealbone +spean +speaned +speaning +speans +Spear +spear-bearing +spear-bill +spear-billed +spear-bound +spear-brandishing +spear-breaking +spear-carrier +spearcast +speared +speareye +spearer +spearers +spear-fallen +spear-famed +Spearfish +spearfishes +spearflower +spear-grass +spearhead +spear-head +spearheaded +spear-headed +spearheading +spearheads +spear-high +speary +Spearing +spearlike +Spearman +spearmanship +spearmen +spearmint +spearmints +spear-nosed +spear-pierced +spear-pointed +spearproof +Spears +spear-shaking +spear-shaped +spear-skilled +spearsman +spearsmen +spear-splintering +Spearsville +spear-swept +spear-thrower +spear-throwing +Spearville +spear-wielding +spearwood +spearwort +speave +SPEC +spec. +specced +specchie +speccing +spece +Specht +special +special-delivery +specialer +specialest +specialisation +specialise +specialised +specialising +specialism +specialist +specialistic +specialists +specialist's +speciality +specialities +specialization +specializations +specialization's +specialize +specialized +specializer +specializes +specializing +specially +specialness +special-process +specials +specialty +specialties +specialty's +speciate +speciated +speciates +speciating +speciation +speciational +specie +species +speciesism +speciestaler +specif +specify +specifiable +specific +specifical +specificality +specifically +specificalness +specificate +specificated +specificating +specification +specifications +specificative +specificatively +specific-gravity +specificity +specificities +specificize +specificized +specificizing +specificly +specificness +specifics +specified +specifier +specifiers +specifies +specifying +specifist +specillum +specimen +specimenize +specimenized +specimens +specimen's +specio- +speciology +speciosity +speciosities +specious +speciously +speciousness +speck +specked +speckedness +speckfall +specky +speckier +speckiest +speckiness +specking +speckle +speckle-backed +specklebelly +speckle-bellied +speckle-billed +specklebreast +speckle-breasted +speckle-coated +speckled +speckledbill +speckledy +speckledness +speckle-faced +specklehead +speckle-marked +speckles +speckle-skinned +speckless +specklessly +specklessness +speckle-starred +speckly +speckliness +speckling +speckproof +specks +speck's +specksioneer +specs +specsartine +spect +spectacle +spectacled +spectacleless +spectaclelike +spectaclemaker +spectaclemaking +spectacles +spectacular +spectacularism +spectacularity +spectacularly +spectaculars +spectant +spectate +spectated +spectates +spectating +Spectator +spectatordom +spectatory +spectatorial +spectators +spectator's +spectatorship +spectatress +spectatrix +specter +spectered +specter-fighting +specter-haunted +specterlike +specter-looking +specter-mongering +specter-pallid +specters +specter's +specter-staring +specter-thin +specter-wan +specting +Spector +spectra +spectral +spectralism +spectrality +spectrally +spectralness +spectre +spectred +spectres +spectry +spectro- +spectrobolograph +spectrobolographic +spectrobolometer +spectrobolometric +spectrochemical +spectrochemistry +spectrocolorimetry +spectrocomparator +spectroelectric +spectrofluorimeter +spectrofluorometer +spectrofluorometry +spectrofluorometric +spectrogram +spectrograms +spectrogram's +spectrograph +spectrographer +spectrography +spectrographic +spectrographically +spectrographies +spectrographs +spectroheliogram +spectroheliograph +spectroheliography +spectroheliographic +spectrohelioscope +spectrohelioscopic +spectrology +spectrological +spectrologically +spectrometer +spectrometers +spectrometry +spectrometric +spectrometries +spectromicroscope +spectromicroscopical +spectrophoby +spectrophobia +spectrophone +spectrophonic +spectrophotoelectric +spectrophotograph +spectrophotography +spectrophotometer +spectrophotometry +spectrophotometric +spectrophotometrical +spectrophotometrically +spectropyrheliometer +spectropyrometer +spectropolarimeter +spectropolariscope +spectroradiometer +spectroradiometry +spectroradiometric +spectroscope +spectroscopes +spectroscopy +spectroscopic +spectroscopical +spectroscopically +spectroscopies +spectroscopist +spectroscopists +spectrotelescope +spectrous +spectrum +spectrums +specttra +specula +specular +Specularia +specularity +specularly +speculate +speculated +speculates +speculating +speculation +speculations +speculatist +speculative +speculatively +speculativeness +speculativism +Speculator +speculatory +speculators +speculator's +speculatrices +speculatrix +speculist +speculum +speculums +specus +SpEd +Spee +speece +speech +speech-bereaving +speech-bereft +speech-bound +speechcraft +speecher +speeches +speech-famed +speech-flooded +speechful +speechfulness +speechify +speechification +speechified +speechifier +speechifying +speeching +speechless +speechlessly +speechlessness +speechlore +speechmaker +speech-maker +speechmaking +speechment +speech-reading +speech-reporting +speech's +speech-shunning +speechway +speech-writing +speed +speedaway +speedball +speedboat +speedboater +speedboating +speedboatman +speedboats +speeded +speeder +speeders +speedful +speedfully +speedfulness +speedgun +speedy +speedier +speediest +speedily +speediness +speeding +speedingly +speedingness +speeding-place +speedings +speedless +speedly +speedlight +speedo +speedometer +speedometers +speedos +speeds +speedster +speedup +speed-up +speedups +speedup's +Speedway +speedways +speedwalk +speedwell +speedwells +Speedwriting +speel +speeled +speeling +speelken +speelless +speels +speen +Speer +speered +speering +speerings +speerity +speers +Spey +Speicher +Speyer +speyeria +Speight +speil +speiled +speiling +speils +speir +speired +speiring +speirs +speise +speises +speiskobalt +speiss +speisscobalt +speisses +spekboom +spek-boom +spekt +spelaean +spelaeology +Spelaites +spelbinding +spelbound +spelder +spelding +speldring +speldron +spelean +speleology +speleological +speleologist +speleologists +spelk +spell +spellable +spell-banned +spellbind +spell-bind +spellbinder +spellbinders +spellbinding +spellbinds +spellbound +spell-bound +spellcasting +spell-casting +spell-caught +spellcraft +spelldown +spelldowns +spelled +speller +spellers +spell-free +spellful +spellican +spelling +spellingdown +spellingly +spellings +spell-invoking +spellken +spell-like +Spellman +spellmonger +spellproof +spell-raised +spell-riveted +spells +spell-set +spell-sprung +spell-stopped +spell-struck +spell-weaving +spellword +spellwork +spelman +spelt +Spelter +spelterman +speltermen +spelters +speltoid +spelts +speltz +speltzes +speluncar +speluncean +spelunk +spelunked +spelunker +spelunkers +spelunking +spelunks +Spenard +Spenborough +Spence +Spencean +Spencer +Spencerian +Spencerianism +Spencerism +spencerite +Spencerport +spencers +Spencertown +Spencerville +spences +spency +spencie +spend +spendable +spend-all +Spender +spenders +spendful +spend-good +spendible +spending +spending-money +spendings +spendless +spends +spendthrift +spendthrifty +spendthriftiness +spendthriftness +spendthrifts +Spener +Spenerism +Spengler +spenglerian +Spense +Spenser +Spenserian +spenses +spent +spent-gnat +Speonk +speos +Speotyto +sperable +sperage +speramtozoon +Speranza +sperate +spere +spergillum +Spergula +Spergularia +sperity +sperket +Sperling +sperm +sperm- +sperma +spermaceti +spermacetilike +spermaduct +spermagonia +spermagonium +spermalist +spermania +Spermaphyta +spermaphyte +spermaphytic +spermary +spermaries +spermarium +spermashion +spermat- +spermata +spermatangium +spermatheca +spermathecae +spermathecal +spermatia +spermatial +spermatic +spermatically +spermatid +spermatiferous +spermatin +spermatiogenous +spermation +spermatiophore +spermatism +spermatist +spermatitis +spermatium +spermatize +spermato- +spermatoblast +spermatoblastic +spermatocele +spermatocidal +spermatocide +spermatocyst +spermatocystic +spermatocystitis +spermatocytal +spermatocyte +spermatogemma +spermatogene +spermatogenesis +spermatogenetic +spermatogeny +spermatogenic +spermatogenous +spermatogonia +spermatogonial +spermatogonium +spermatoid +spermatolysis +spermatolytic +Spermatophyta +spermatophyte +spermatophytic +spermatophobia +spermatophoral +spermatophore +spermatophorous +spermatoplasm +spermatoplasmic +spermatoplast +spermatorrhea +spermatorrhoea +spermatospore +spermatotheca +spermatova +spermatovum +spermatoxin +spermatozoa +spermatozoal +spermatozoan +spermatozoic +spermatozoid +spermatozoio +spermatozoon +spermatozzoa +spermaturia +spermy +spermi- +spermic +spermicidal +spermicide +spermidin +spermidine +spermiducal +spermiduct +spermigerous +spermin +spermine +spermines +spermiogenesis +spermism +spermist +spermo- +spermoblast +spermoblastic +spermocarp +spermocenter +spermoderm +spermoduct +spermogenesis +spermogenous +spermogone +spermogonia +spermogoniferous +spermogonium +spermogonnia +spermogonous +spermolysis +spermolytic +spermologer +spermology +spermological +spermologist +spermophile +spermophiline +Spermophilus +Spermophyta +spermophyte +spermophytic +spermophobia +spermophore +spermophorium +spermosphere +spermotheca +spermotoxin +spermous +spermoviduct +sperms +spermule +speron +speronara +speronaras +speronares +speronaro +speronaroes +speronaros +sperone +Speroni +sperple +Sperry +sperrylite +Sperryville +sperse +spessartine +spessartite +spet +spetch +spetches +spete +spetrophoby +spettle +speuchan +Spevek +spew +spewed +spewer +spewers +spewy +spewier +spewiest +spewiness +spewing +spews +spex +sphacel +Sphacelaria +Sphacelariaceae +sphacelariaceous +Sphacelariales +sphacelate +sphacelated +sphacelating +sphacelation +sphacelia +sphacelial +sphacelism +sphaceloderma +Sphaceloma +sphacelotoxin +sphacelous +sphacelus +Sphaeralcea +sphaeraphides +Sphaerella +sphaerenchyma +Sphaeriaceae +sphaeriaceous +Sphaeriales +sphaeridia +sphaeridial +sphaeridium +Sphaeriidae +Sphaerioidaceae +sphaeripium +sphaeristeria +sphaeristerium +sphaerite +Sphaerium +sphaero- +sphaeroblast +Sphaerobolaceae +Sphaerobolus +Sphaerocarpaceae +Sphaerocarpales +Sphaerocarpus +sphaerocobaltite +Sphaerococcaceae +sphaerococcaceous +Sphaerococcus +sphaerolite +sphaerolitic +Sphaeroma +Sphaeromidae +Sphaerophoraceae +Sphaerophorus +Sphaeropsidaceae +sphae-ropsidaceous +Sphaeropsidales +Sphaeropsis +sphaerosiderite +sphaerosome +sphaerospore +Sphaerostilbe +Sphaerotheca +Sphaerotilus +sphagia +sphagion +Sphagnaceae +sphagnaceous +Sphagnales +sphagnicolous +sphagnology +sphagnologist +sphagnous +Sphagnum +sphagnums +Sphakiot +sphalerite +sphalm +sphalma +Sphargis +sphecid +Sphecidae +Sphecina +sphecius +sphecoid +Sphecoidea +spheges +sphegid +Sphegidae +Sphegoidea +sphendone +sphene +sphenes +sphenethmoid +sphenethmoidal +sphenic +sphenion +spheniscan +Sphenisci +Spheniscidae +Sphenisciformes +spheniscine +spheniscomorph +Spheniscomorphae +spheniscomorphic +Spheniscus +spheno- +sphenobasilar +sphenobasilic +sphenocephaly +sphenocephalia +sphenocephalic +sphenocephalous +Sphenodon +sphenodont +Sphenodontia +Sphenodontidae +sphenoethmoid +sphenoethmoidal +sphenofrontal +sphenogram +sphenographer +sphenography +sphenographic +sphenographist +sphenoid +sphenoidal +sphenoiditis +sphenoids +sphenolith +sphenomalar +sphenomandibular +sphenomaxillary +spheno-occipital +sphenopalatine +sphenoparietal +sphenopetrosal +Sphenophyllaceae +sphenophyllaceous +Sphenophyllales +Sphenophyllum +Sphenophorus +sphenopsid +Sphenopteris +sphenosquamosal +sphenotemporal +sphenotic +sphenotribe +sphenotripsy +sphenoturbinal +sphenovomerine +sphenozygomatic +spherable +spheradian +spheral +spherality +spheraster +spheration +sphere +sphere-born +sphered +sphere-descended +sphere-filled +sphere-found +sphere-headed +sphereless +spherelike +spheres +sphere's +sphere-shaped +sphere-tuned +sphery +spheric +spherical +sphericality +spherically +sphericalness +sphericist +sphericity +sphericities +sphericle +spherico- +sphericocylindrical +sphericotetrahedral +sphericotriangular +spherics +spherier +spheriest +spherify +spheriform +sphering +sphero- +spheroconic +spherocrystal +spherograph +spheroid +spheroidal +spheroidally +spheroidic +spheroidical +spheroidically +spheroidicity +spheroidism +spheroidity +spheroidize +spheroids +spherome +spheromere +spherometer +spheroplast +spheroquartic +spherosome +spherula +spherular +spherulate +spherule +spherules +spherulite +spherulitic +spherulitize +spheterize +Sphex +sphexide +sphygmia +sphygmic +sphygmo- +sphygmochronograph +sphygmodic +sphygmogram +sphygmograph +sphygmography +sphygmographic +sphygmographies +sphygmoid +sphygmology +sphygmomanometer +sphygmomanometers +sphygmomanometry +sphygmomanometric +sphygmomanometrically +sphygmometer +sphygmometric +sphygmophone +sphygmophonic +sphygmoscope +sphygmus +sphygmuses +sphincter +sphincteral +sphincteralgia +sphincterate +sphincterectomy +sphincterial +sphincteric +sphincterismus +sphincteroscope +sphincteroscopy +sphincterotomy +sphincters +sphindid +Sphindidae +Sphindus +sphingal +sphinges +sphingid +Sphingidae +sphingids +sphingiform +sphingine +sphingoid +sphingometer +sphingomyelin +sphingosin +sphingosine +Sphingurinae +Sphingurus +Sphinx +sphinxes +sphinxian +sphinxianness +sphinxine +sphinxlike +Sphyraena +sphyraenid +Sphyraenidae +sphyraenoid +Sphyrapicus +Sphyrna +Sphyrnidae +Sphoeroides +sphragide +sphragistic +sphragistics +SPI +spy +spy- +spial +spyboat +spic +Spica +spicae +spical +spicant +Spicaria +spicas +spy-catcher +spicate +spicated +spiccato +spiccatos +spice +spiceable +spice-bearing +spiceberry +spiceberries +spice-box +spice-breathing +spice-burnt +spicebush +spicecake +spice-cake +spiced +spice-fraught +spiceful +spicehouse +spicey +spice-laden +Spiceland +spiceless +spicelike +Spicer +spicery +spiceries +spicers +spices +spice-warmed +Spicewood +spice-wood +spicy +spici- +spicier +spiciest +spiciferous +spiciform +spicigerous +spicilege +spicily +spiciness +spicing +spick +spick-and-span +spick-and-spandy +spick-and-spanness +Spickard +spicket +spickle +spicknel +spicks +spick-span-new +spicose +spicosity +spicous +spicousness +spics +spicula +spiculae +spicular +spiculate +spiculated +spiculation +spicule +spicules +spiculi- +spiculiferous +spiculiform +spiculigenous +spiculigerous +spiculofiber +spiculose +spiculous +spiculum +spiculumamoris +spider +spider-catcher +spider-crab +spidered +spider-fingered +spiderflower +spiderhunter +spidery +spiderier +spideriest +spiderish +spider-leg +spider-legged +spider-leggy +spiderless +spiderlet +spiderly +spiderlike +spider-like +spider-limbed +spider-line +spiderling +spiderman +spidermonkey +spiders +spider's +spider-shanked +spider-spun +spiderweb +spider-web +spiderwebbed +spider-webby +spiderwebbing +spiderwork +spiderwort +spidger +spydom +spied +Spiegel +spiegeleisen +Spiegelman +spiegels +Spiegleman +spiel +spieled +Spieler +spielers +spieling +Spielman +spiels +spier +spyer +spiered +spiering +Spiers +spies +spif +spyfault +spiff +spiffed +spiffy +spiffier +spiffiest +spiffily +spiffiness +spiffing +spifflicate +spifflicated +spifflication +spiffs +spiflicate +spiflicated +spiflication +spig +Spigelia +Spigeliaceae +Spigelian +spiggoty +spyglass +spy-glass +spyglasses +spignel +spignet +spignut +spigot +spigots +spyhole +spying +spyism +spik +Spike +spikebill +spike-billed +spiked +spikedace +spikedaces +spikedness +spikefish +spikefishes +spikehole +spikehorn +spike-horned +spike-kill +spike-leaved +spikelet +spikelets +spikelike +spike-nail +spikenard +spike-pitch +spike-pitcher +spiker +spikers +spike-rush +spikes +spiketail +spike-tailed +spike-tooth +spiketop +spikeweed +spikewise +spiky +spikier +spikiest +spikily +spikiness +spiking +spiks +Spilanthes +spile +spiled +spilehole +spiler +spiles +spileworm +spilikin +spilikins +spiling +spilings +spilite +spilitic +spill +spill- +spillable +spillage +spillages +Spillar +spillbox +spilled +spiller +spillers +spillet +spilly +spillikin +spillikins +spilling +spillover +spill-over +spillpipe +spillproof +spills +Spillville +spillway +spillways +Spilogale +spiloma +spilomas +spilosite +spilt +spilth +spilths +spilus +SPIM +spin +spina +spinacene +spinaceous +spinach +spinach-colored +spinaches +spinachlike +spinach-rhubarb +Spinacia +spinae +spinage +spinages +spinal +spinales +spinalis +spinally +spinals +spinate +spincaster +Spindale +Spindell +spinder +spindlage +spindle +spindleage +spindle-cell +spindle-celled +spindled +spindle-formed +spindleful +spindlehead +spindle-legged +spindlelegs +spindlelike +spindle-pointed +spindler +spindle-rooted +spindlers +spindles +spindleshank +spindle-shanked +spindleshanks +spindle-shaped +spindle-shinned +spindle-side +spindletail +spindle-tree +spindlewise +spindlewood +spindleworm +spindly +spindlier +spindliest +spindliness +spindling +spin-dry +spin-dried +spin-drier +spin-dryer +spindrift +spin-drying +spine +spine-ache +spine-bashing +spinebill +spinebone +spine-breaking +spine-broken +spine-chiller +spine-chilling +spine-clad +spine-covered +spined +spinefinned +spine-finned +spine-headed +spinel +spineless +spinelessly +spinelessness +spinelet +spinelike +spinelle +spinelles +spinel-red +spinels +spine-pointed +spine-protected +spine-rayed +spines +spinescence +spinescent +spinet +spinetail +spine-tail +spine-tailed +spine-tipped +spinets +Spingarn +spingel +spin-house +spiny +spini- +spiny-backed +spinibulbar +spinicarpous +spinicerebellar +spiny-coated +spiny-crested +spinidentate +spinier +spiniest +spiniferous +Spinifex +spinifexes +spiny-finned +spiny-footed +spiniform +spiny-fruited +spinifugal +spinigerous +spinigrade +spiny-haired +spiny-leaved +spiny-legged +spiny-margined +spininess +spinipetal +spiny-pointed +spiny-rayed +spiny-ribbed +spiny-skinned +spiny-tailed +spiny-tipped +spinitis +spiny-toothed +spinituberculate +spink +spinless +spinnability +spinnable +spinnaker +spinnakers +spinney +spinneys +spinnel +spinner +spinneret +spinnerette +spinnery +spinneries +spinners +spinner's +Spinnerstown +spinnerular +spinnerule +spinny +spinnies +spinning +spinning-house +spinning-jenny +spinningly +spinning-out +spinnings +spinning-wheel +spino- +spinobulbar +spinocarpous +spinocerebellar +spinodal +spinode +spinoff +spin-off +spinoffs +spinogalvanization +spinoglenoid +spinoid +spinomuscular +spinoneural +spino-olivary +spinoperipheral +spinor +spinors +spinose +spinosely +spinoseness +spinosympathetic +spinosity +spinosodentate +spinosodenticulate +spinosotubercular +spinosotuberculate +spinotectal +spinothalamic +spinotuberculous +spinous +spinous-branched +spinous-finned +spinous-foliaged +spinous-leaved +spinousness +spinous-pointed +spinous-serrate +spinous-tailed +spinous-tipped +spinous-toothed +spinout +spinouts +Spinoza +Spinozism +Spinozist +Spinozistic +spinproof +spins +spinster +spinsterdom +spinsterhood +spinsterial +spinsterish +spinsterishly +spinsterism +spinsterly +spinsterlike +spinsterous +spinsters +spinstership +spinstress +spinstry +spintext +spin-text +spinthariscope +spinthariscopic +spintherism +spinto +spintos +spintry +spinturnix +spinula +spinulae +spinulate +spinulated +spinulation +spinule +spinules +spinulescent +spinuli- +spinuliferous +spinuliform +Spinulosa +spinulose +spinulosely +spinulosociliate +spinulosodentate +spinulosodenticulate +spinulosogranulate +spinulososerrate +spinulous +spinwriter +spionid +Spionidae +Spioniformia +spyproof +spira +spirable +spiracle +spiracles +spiracula +spiracular +spiraculate +spiraculiferous +spiraculiform +spiraculum +spirae +Spiraea +Spiraeaceae +spiraeas +spiral +spiral-bound +spiral-coated +spirale +spiraled +spiral-geared +spiral-grooved +spiral-horned +spiraliform +spiraling +spiralism +spirality +spiralization +spiralize +spiralled +spirally +spiralling +spiral-nebula +spiraloid +spiral-pointed +spirals +spiral-spring +spiraltail +spiral-vane +spiralwise +spiran +spirane +spirant +spirantal +Spiranthes +spiranthy +spiranthic +spirantic +spirantism +spirantization +spirantize +spirantized +spirantizing +spirants +spiraster +spirate +spirated +spiration +spire +spirea +spireas +spire-bearer +spired +spiregrass +spireless +spirelet +spirem +spireme +spiremes +spirems +spirepole +Spires +spire's +spire-shaped +spire-steeple +spireward +spirewise +spiry +spiricle +spirier +spiriest +Spirifer +Spirifera +Spiriferacea +spiriferid +Spiriferidae +spiriferoid +spiriferous +spiriform +spirignath +spirignathous +spirilla +Spirillaceae +spirillaceous +spirillar +spirillolysis +spirillosis +spirillotropic +spirillotropism +spirillum +spiring +Spirit +spirital +spiritally +spirit-awing +spirit-boiling +spirit-born +spirit-bowed +spirit-bribing +spirit-broken +spirit-cheering +spirit-chilling +spirit-crushed +spirit-crushing +spiritdom +spirit-drinking +spirited +spiritedly +spiritedness +spiriter +spirit-fallen +spirit-freezing +spirit-froze +spiritful +spiritfully +spiritfulness +spirit-guided +spirit-haunted +spirit-healing +spirithood +spirity +spiriting +spirit-inspiring +spiritism +spiritist +spiritistic +spiritize +spiritlamp +spiritland +spiritleaf +spiritless +spiritlessly +spiritlessness +spiritlevel +spirit-lifting +spiritlike +spirit-marring +spiritmonger +spirit-numb +spiritoso +spiritous +spirit-piercing +spirit-possessed +spirit-prompted +spirit-pure +spirit-quelling +spirit-rapper +spirit-rapping +spirit-refreshing +spiritrompe +spirit-rousing +spirits +spirit-sinking +spirit-small +spiritsome +spirit-soothing +spirit-speaking +spirit-stirring +spirit-stricken +spirit-thrilling +spirit-torn +spirit-troubling +spiritual +spiritualisation +spiritualise +spiritualiser +spiritualism +spiritualisms +spiritualist +spiritualistic +spiritualistically +spiritualists +spirituality +spiritualities +spiritualization +spiritualize +spiritualized +spiritualizer +spiritualizes +spiritualizing +spiritually +spiritual-minded +spiritual-mindedly +spiritual-mindedness +spiritualness +spirituals +spiritualship +spiritualty +spiritualties +spirituel +spirituelle +spirituosity +spirituous +spirituously +spirituousness +spiritus +spirit-walking +spirit-wearing +spiritweed +spirit-wise +Spiritwood +spirivalve +spirket +spirketing +spirketting +spirlie +spirling +Spiro +spiro- +Spirobranchia +Spirobranchiata +spirobranchiate +Spirochaeta +Spirochaetaceae +spirochaetae +spirochaetal +Spirochaetales +Spirochaete +spirochaetosis +spirochaetotic +spirochetal +spirochete +spirochetemia +spirochetes +spirochetic +spirocheticidal +spirocheticide +spirochetosis +spirochetotic +Spirodela +Spirogyra +spirogram +spirograph +spirography +spirographic +spirographidin +spirographin +Spirographis +spiroid +spiroidal +spiroilic +spirol +spirole +spiroloculine +spirometer +spirometry +spirometric +spirometrical +Spironema +spironolactone +spiropentane +Spirophyton +Spirorbis +Spiros +spyros +spiroscope +Spirosoma +spirous +spirt +spirted +spirting +spirtle +spirts +Spirula +spirulae +spirulas +spirulate +spise +spyship +spiss +spissated +spissatus +spissy +spissitude +spissus +Spisula +spit +Spitak +spital +spitals +spit-and-polish +spitball +spit-ball +spitballer +spitballs +SPITBOL +spitbox +spitchcock +spitchcocked +spitchcocking +spite +spited +spiteful +spitefuller +spitefullest +spitefully +spitefulness +spiteless +spiteproof +spites +spitfire +spitfires +spitfrog +spitful +spithamai +spithame +Spithead +spiting +spitish +spitkid +spitkit +spitous +spytower +spitpoison +spits +Spitsbergen +spitscocked +spitstick +spitsticker +spitted +Spitteler +spitten +spitter +spitters +spitting +spittle +spittlebug +spittlefork +spittleman +spittlemen +spittles +spittlestaff +spittoon +spittoons +Spitz +Spitzbergen +spitzenberg +Spitzenburg +Spitzer +spitzes +spitzflute +spitzkop +spiv +Spivey +spivery +spivs +spivvy +spivving +Spizella +spizzerinctum +SPL +Splachnaceae +splachnaceous +splachnoid +Splachnum +splacknuck +splad +splay +splayed +splay-edged +splayer +splayfeet +splayfoot +splayfooted +splay-footed +splaying +splay-kneed +splay-legged +splaymouth +splaymouthed +splay-mouthed +splaymouths +splairge +splays +splay-toed +splake +splakes +splanchnapophysial +splanchnapophysis +splanchnectopia +splanchnemphraxis +splanchnesthesia +splanchnesthetic +splanchnic +splanchnicectomy +splanchnicectomies +splanchno- +splanchnoblast +splanchnocoele +splanchnoderm +splanchnodiastasis +splanchnodynia +splanchnographer +splanchnography +splanchnographical +splanchnolith +splanchnology +splanchnologic +splanchnological +splanchnologist +splanchnomegaly +splanchnomegalia +splanchnopathy +splanchnopleural +splanchnopleure +splanchnopleuric +splanchnoptosia +splanchnoptosis +splanchnosclerosis +splanchnoscopy +splanchnoskeletal +splanchnoskeleton +splanchnosomatic +splanchnotomy +splanchnotomical +splanchnotribe +splash +splash- +splashback +splashboard +splashdown +splash-down +splashdowns +splashed +splasher +splashers +splashes +splashy +splashier +splashiest +splashily +splashiness +splashing +splashingly +splash-lubricate +splashproof +splashs +splash-tight +splashwing +splat +splat-back +splatch +splatcher +splatchy +splather +splathering +splats +splatted +splatter +splatterdash +splatterdock +splattered +splatterer +splatterfaced +splatter-faced +splattering +splatters +splatterwork +spleen +spleen-born +spleen-devoured +spleened +spleenful +spleenfully +spleeny +spleenier +spleeniest +spleening +spleenish +spleenishly +spleenishness +spleenless +spleen-pained +spleen-piercing +spleens +spleen-shaped +spleen-sick +spleen-struck +spleen-swollen +spleenwort +spleet +spleetnew +splen- +splenadenoma +splenalgy +splenalgia +splenalgic +splenative +splenatrophy +splenatrophia +splenauxe +splenculi +splenculus +splendaceous +splendacious +splendaciously +splendaciousness +splendatious +splendent +splendently +splender +splendescent +splendid +splendider +splendidest +splendidious +splendidly +splendidness +splendiferous +splendiferously +splendiferousness +splendor +Splendora +splendorous +splendorously +splendorousness +splendorproof +splendors +splendour +splendourproof +splendrous +splendrously +splendrousness +splenectama +splenectasis +splenectomy +splenectomies +splenectomist +splenectomize +splenectomized +splenectomizing +splenectopy +splenectopia +splenelcosis +splenemia +splenemphraxis +spleneolus +splenepatitis +splenetic +splenetical +splenetically +splenetive +splenia +splenial +splenic +splenical +splenicterus +splenification +spleniform +splenii +spleninii +spleniti +splenitis +splenitises +splenitive +splenium +splenius +splenization +spleno- +splenoblast +splenocele +splenoceratosis +splenocyte +splenocleisis +splenocolic +splenodiagnosis +splenodynia +splenography +splenohemia +splenoid +splenolaparotomy +splenolymph +splenolymphatic +splenolysin +splenolysis +splenology +splenoma +splenomalacia +splenomedullary +splenomegaly +splenomegalia +splenomegalic +splenomyelogenous +splenoncus +splenonephric +splenopancreatic +splenoparectama +splenoparectasis +splenopathy +splenopexy +splenopexia +splenopexis +splenophrenic +splenopneumonia +splenoptosia +splenoptosis +splenorrhagia +splenorrhaphy +splenotyphoid +splenotomy +splenotoxin +splent +splents +splenulus +splenunculus +splet +spleuchan +spleughan +splice +spliceable +spliced +splicer +splicers +splices +splicing +splicings +spliff +spliffs +splinder +spline +splined +splines +spline's +splineway +splining +splint +splintage +splintbone +splint-bottom +splint-bottomed +splinted +splinter +splinter-bar +splinterd +splintered +splintery +splintering +splinterize +splinterless +splinternew +splinterproof +splinter-proof +splinters +splinty +splinting +splints +splintwood +splish-splash +Split +split- +splitbeak +split-bottom +splite +split-eared +split-edge +split-face +splitfinger +splitfruit +split-level +split-lift +splitmouth +split-mouth +splitnew +split-nosed +splitnut +split-oak +split-off +split-phase +splits +split's +splitsaw +splittable +splittail +splitted +splitten +splitter +splitterman +splitters +splitter's +split-timber +splitting +splittings +split-tongued +split-up +splitworm +splodge +splodged +splodges +splodgy +sploit +splore +splores +splosh +sploshed +sploshes +sploshy +sploshing +splotch +splotched +splotches +splotchy +splotchier +splotchiest +splotchily +splotchiness +splotching +splother +splunge +splunt +splurge +splurged +splurger +splurges +splurgy +splurgier +splurgiest +splurgily +splurging +splurt +spluther +splutter +spluttered +splutterer +spluttery +spluttering +splutters +SPNI +spninx +spninxes +spoach +Spock +Spode +spodes +spodiosite +spodium +spodo- +spodogenic +spodogenous +spodomancy +spodomantic +spodumene +spoffy +spoffish +spoffle +Spofford +spogel +Spohr +spoil +spoil- +spoilable +spoilage +spoilages +spoilate +spoilated +spoilation +spoilbank +spoiled +spoiler +spoilers +spoilfive +spoilful +spoiling +spoilless +spoilment +spoil-mold +spoil-paper +spoils +spoilsman +spoilsmen +spoilsmonger +spoilsport +spoilsports +spoilt +Spokan +Spokane +spoke +spoked +spoke-dog +spokeless +spoken +spokes +spokeshave +spokesman +spokesmanship +spokesmen +spokesperson +spokester +spokeswoman +spokeswomanship +spokeswomen +spokewise +spoky +spoking +spole +spolia +spoliary +spoliaria +spoliarium +spoliate +spoliated +spoliates +spoliating +spoliation +spoliative +spoliator +spoliatory +spoliators +spolium +spondaic +spondaical +spondaics +spondaize +spondean +spondee +spondees +spondiac +Spondiaceae +Spondias +spondil +spondyl +spondylalgia +spondylarthritis +spondylarthrocace +spondyle +spondylexarthrosis +spondylic +spondylid +Spondylidae +spondylioid +spondylitic +spondylitis +spondylium +spondylizema +spondylocace +Spondylocladium +spondylodiagnosis +spondylodidymia +spondylodymus +spondyloid +spondylolisthesis +spondylolisthetic +spondylopathy +spondylopyosis +spondyloschisis +spondylosyndesis +spondylosis +spondylotherapeutics +spondylotherapy +spondylotherapist +spondylotomy +spondylous +Spondylus +spondulicks +spondulics +spondulix +spong +sponge +sponge-bearing +spongecake +sponge-cake +sponge-colored +sponged +sponge-diving +sponge-fishing +spongefly +spongeflies +sponge-footed +spongeful +sponge-leaved +spongeless +spongelet +spongelike +spongeous +sponge-painted +spongeproof +sponger +spongers +sponges +sponge-shaped +spongeware +spongewood +spongy +spongi- +Spongiae +spongian +spongicolous +spongiculture +Spongida +spongier +spongiest +spongiferous +spongy-flowered +spongy-footed +spongiform +Spongiidae +spongily +Spongilla +spongillafly +spongillaflies +spongillid +Spongillidae +spongilline +spongy-looking +spongin +sponginblast +sponginblastic +sponginess +sponging +sponging-house +spongingly +spongins +spongio- +spongioblast +spongioblastic +spongioblastoma +spongiocyte +spongiole +spongiolin +spongiopilin +spongiopiline +spongioplasm +spongioplasmic +spongiose +spongiosity +spongious +spongiousness +Spongiozoa +spongiozoon +spongy-rooted +spongy-wet +spongy-wooded +spongo- +spongoblast +spongoblastic +spongocoel +spongoid +spongology +spongophore +Spongospora +spon-image +sponsal +sponsalia +sponsibility +sponsible +sponsing +sponsion +sponsional +sponsions +sponson +sponsons +sponsor +sponsored +sponsorial +sponsoring +sponsors +sponsorship +sponsorships +sponspeck +spontaneity +spontaneities +spontaneous +spontaneously +spontaneousness +Spontini +sponton +spontoon +spontoons +spoof +spoofed +spoofer +spoofery +spooferies +spoofers +spoofy +spoofing +spoofish +spoofs +spook +spookdom +spooked +spookery +spookeries +spooky +spookier +spookies +spookiest +spookily +spookiness +spooking +spookish +spookism +spookist +spookology +spookological +spookologist +spooks +spool +spooled +spooler +spoolers +spoolful +spooling +spoollike +spools +spool-shaped +spoolwood +spoom +spoon +spoonback +spoon-back +spoonbait +spoon-beaked +spoonbill +spoon-billed +spoonbills +spoon-bowed +spoonbread +spoondrift +spooned +spooney +spooneyism +spooneyly +spooneyness +spooneys +Spooner +spoonerism +spoonerisms +spoon-fashion +spoon-fashioned +spoon-fed +spoon-feed +spoon-feeding +spoonflower +spoon-formed +spoonful +spoonfuls +spoonholder +spoonhutch +spoony +spoonier +spoonies +spooniest +spoonyism +spoonily +spooniness +spooning +spoonism +spoonless +spoonlike +spoonmaker +spoonmaking +spoon-meat +spoons +spoonsful +spoon-shaped +spoonways +spoonwise +spoonwood +spoonwort +Spoor +spoored +spoorer +spooring +spoorn +spoors +spoot +spor +spor- +sporabola +sporaceous +Sporades +sporadial +sporadic +sporadical +sporadically +sporadicalness +sporadicity +sporadicness +sporadin +sporadism +sporadosiderite +sporal +sporange +sporangia +sporangial +sporangidium +sporangiferous +sporangiform +sporangigia +sporangioid +sporangiola +sporangiole +sporangiolum +sporangiophore +sporangiospore +sporangite +Sporangites +sporangium +sporation +spore +spored +sporeformer +sporeforming +sporeling +Sporer +spores +spore's +spory +sporicidal +sporicide +sporid +sporidesm +sporidia +sporidial +sporidiferous +sporidiiferous +sporidiole +sporidiolum +sporidium +sporiferous +sporification +sporing +sporiparity +sporiparous +sporo- +sporoblast +Sporobolus +sporocarp +sporocarpia +sporocarpium +Sporochnaceae +Sporochnus +sporocyst +sporocystic +sporocystid +sporocyte +sporoderm +sporodochia +sporodochium +sporoduct +sporogen +sporogenesis +sporogeny +sporogenic +sporogenous +sporogone +sporogony +sporogonia +sporogonial +sporogonic +sporogonium +sporogonous +sporoid +sporologist +sporomycosis +sporonia +sporont +sporophydium +sporophyl +sporophyll +sporophyllary +sporophyllum +sporophyte +sporophytic +sporophore +sporophoric +sporophorous +sporoplasm +sporopollenin +sporosac +sporostegium +sporostrote +sporotrichosis +sporotrichotic +Sporotrichum +sporous +Sporozoa +sporozoal +sporozoan +sporozoic +sporozoid +sporozoite +sporozooid +sporozoon +sporran +sporrans +sport +sportability +sportable +sport-affording +sportance +sported +sporter +sporters +sportfisherman +sportfishing +sportful +sportfully +sportfulness +sport-giving +sport-hindering +sporty +sportier +sportiest +sportily +sportiness +sporting +sportingly +sporting-wise +sportive +sportively +sportiveness +sportless +sportly +sportling +sport-loving +sport-making +sports +sportscast +sportscaster +sportscasters +sportscasts +sportsman +sportsmanly +sportsmanlike +sportsmanlikeness +sportsmanliness +sportsmanship +sportsmanships +sportsmen +sportsome +sport-starved +sportswear +sportswoman +sportswomanly +sportswomanship +sportswomen +sportswrite +sportswriter +sportswriters +sportswriting +sportula +sportulae +sporular +sporulate +sporulated +sporulating +sporulation +sporulative +sporule +sporules +sporuliferous +sporuloid +sposh +sposhy +Sposi +SPOT +spot-barred +spot-billed +spot-check +spot-drill +spot-eared +spot-face +spot-grind +spot-leaved +spotless +spotlessly +spotlessness +spotlight +spotlighted +spotlighter +spotlighting +spotlights +spotlike +spot-lipped +spotlit +spot-mill +spot-on +spotrump +spots +spot's +Spotsylvania +spotsman +spotsmen +spot-soiled +Spotswood +spottable +spottail +spotted +spotted-beaked +spotted-bellied +spotted-billed +spotted-breasted +spotted-eared +spotted-finned +spotted-leaved +spottedly +spotted-necked +spottedness +spotted-tailed +spotted-winged +spotteldy +spotter +spotters +spotter's +spotty +spottier +spottiest +spottily +spottiness +spotting +spottle +Spottsville +Spottswood +spot-weld +spotwelder +spot-winged +spoucher +spousage +spousal +spousally +spousals +spouse +spouse-breach +spoused +spousehood +spouseless +spouses +spouse's +spousy +spousing +spout +spouted +spouter +spouters +spout-hole +spouty +spoutiness +spouting +spoutless +spoutlike +spoutman +spouts +spp +spp. +SPQR +SPR +sprachgefuhl +sprachle +sprack +sprackish +sprackle +Spracklen +sprackly +sprackness +sprad +spraddle +spraddled +spraddle-legged +spraddles +spraddling +sprag +Sprage +Spragens +spragged +spragger +spragging +spraggly +Spraggs +spragman +sprags +Sprague +Spragueville +spray +sprayboard +spray-casting +spraich +spray-decked +sprayed +sprayey +sprayer +sprayers +sprayful +sprayfully +spraying +sprayless +spraylike +sprain +sprained +spraing +spraining +sprains +spraint +spraints +sprayproof +sprays +spray-shaped +spraith +spray-topped +spray-washed +spray-wet +Sprakers +sprang +sprangle +sprangled +sprangle-top +sprangly +sprangling +sprangs +sprank +sprat +sprat-barley +sprats +Spratt +spratted +spratter +spratty +spratting +sprattle +sprattled +sprattles +sprattling +sprauchle +sprauchled +sprauchling +sprawl +sprawled +sprawler +sprawlers +sprawly +sprawlier +sprawliest +sprawling +sprawlingly +sprawls +spread +spreadability +spreadable +spreadation +spreadboard +spreadeagle +spread-eagle +spread-eagled +spread-eagleism +spread-eagleist +spread-eagling +spreaded +spreader +spreaders +spreadhead +spready +spreading +spreadingly +spreadingness +spreadings +spread-out +spreadover +spread-over +spreads +spread-set +spreadsheet +spreadsheets +spreagh +spreaghery +spreath +spreathed +Sprechgesang +Sprechstimme +spreckle +Spree +spreed +spreeing +sprees +spree's +spreeuw +Sprekelia +spreng +sprenge +sprenging +sprent +spret +spretty +sprew +sprewl +sprezzatura +spry +spridhogue +spried +sprier +spryer +spriest +spryest +sprig +sprig-bit +Sprigg +sprigged +sprigger +spriggers +spriggy +spriggier +spriggiest +sprigging +spright +sprighted +sprightful +sprightfully +sprightfulness +sprighty +sprightly +sprightlier +sprightliest +sprightlily +sprightliness +sprightlinesses +sprights +spriglet +sprigs +sprigtail +sprig-tailed +spryly +sprindge +spryness +sprynesses +Spring +spring- +springal +springald +springals +spring-beam +spring-blooming +spring-blossoming +springboard +spring-board +springboards +Springbok +springboks +spring-born +Springboro +Springbrook +springbuck +spring-budding +spring-clean +spring-cleaner +spring-cleaning +Springdale +spring-driven +springe +springed +springeing +Springer +springerle +springers +Springerton +Springerville +springes +Springfield +springfinger +springfish +springfishes +spring-flood +spring-flowering +spring-framed +springful +spring-gathered +spring-grown +springgun +springhaas +spring-habited +springhalt +springhead +spring-head +spring-headed +spring-heeled +Springhill +Springhope +Springhouse +Springy +springier +springiest +springily +springiness +springing +springingly +spring-jointed +springle +springled +springless +springlet +springly +Springlick +springlike +springling +spring-loaded +springlock +spring-lock +spring-made +springmaker +springmaking +spring-peering +spring-planted +spring-plow +Springport +spring-raised +Springs +spring-seated +spring-set +spring-snecked +spring-sowed +spring-sown +spring-spawning +spring-stricken +springtail +spring-tail +spring-taught +spring-tempered +springtide +spring-tide +spring-tight +springtime +spring-touched +Springtown +springtrap +spring-trip +Springvale +Springville +Springwater +spring-well +springwood +spring-wood +springworm +springwort +springwurzel +sprink +sprinkle +sprinkled +sprinkleproof +sprinkler +sprinklered +sprinklers +sprinkles +sprinkling +sprinklingly +sprinklings +sprint +sprinted +sprinter +sprinters +sprinting +sprints +sprit +sprite +spritehood +spriteless +spritely +spritelike +spriteliness +sprites +spritish +sprits +spritsail +sprittail +spritted +spritty +sprittie +spritting +spritz +spritzed +spritzer +spritzes +sproat +sprocket +sprockets +sprod +sprogue +sproil +sprong +sprose +sprot +sproty +Sprott +sprottle +Sproul +sprout +sproutage +sprouted +sprouter +sproutful +sprouting +sproutland +sproutling +sprouts +sprowsy +Spruance +spruce +spruced +sprucely +spruceness +sprucer +sprucery +spruces +sprucest +sprucy +sprucier +spruciest +sprucify +sprucification +sprucing +sprue +spruer +sprues +sprug +sprugs +spruik +spruiker +spruit +Sprung +sprunk +sprunny +sprunt +spruntly +sprusado +sprush +SPS +spt +SPU +SPUCDL +SPUD +spud-bashing +spudboy +spudded +spudder +spudders +spuddy +spudding +spuddle +spuds +spue +spued +spues +spuffle +spug +spuggy +spuilyie +spuilzie +spuing +spuke +spule-bane +spulyie +spulyiement +spulzie +Spumans +spumante +spume +spumed +spumes +spumescence +spumescent +spumy +spumier +spumiest +spumiferous +spumification +spumiform +spuming +spumoid +spumone +spumones +spumoni +spumonis +spumose +spumous +spun +spunch +spung +spunge +spunyarn +spunk +spunked +spunky +spunkie +spunkier +spunkies +spunkiest +spunkily +spunkiness +spunking +spunkless +spunklessly +spunklessness +spunks +spunny +spunnies +spun-out +spunware +SPUR +spur-bearing +spur-clad +spurdie +spurdog +spur-driven +spur-finned +spurflower +spurgall +spur-gall +spurgalled +spur-galled +spurgalling +spurgalls +spurge +spur-geared +Spurgeon +Spurger +spurges +spurgewort +spurge-wort +spur-gilled +spur-heeled +spuria +spuriae +spuries +spuriosity +spurious +spuriously +spuriousness +Spurius +spur-jingling +spurl +spur-leather +spurless +spurlet +spurlike +spurling +Spurlock +Spurlockville +spurluous +spurmaker +spurmoney +spurn +spurned +spurner +spurners +spurning +spurnpoint +spurns +spurnwater +spur-off-the-moment +spur-of-the-moment +spurproof +spurred +spurrey +spurreies +spurreys +spurrer +spurrers +spurry +spurrial +spurrier +spurriers +spurries +spurring +spurrings +spurrite +spur-royal +spur-rowel +spurs +spur's +spur-shaped +spurt +spur-tailed +spurted +spurter +spurting +spurtive +spurtively +spurtle +spurtleblade +spurtles +spur-toed +spurts +spurway +spurwing +spur-wing +spurwinged +spur-winged +spurwort +sput +sputa +sputative +spute +Sputnik +sputniks +sputta +sputter +sputtered +sputterer +sputterers +sputtery +sputtering +sputteringly +sputters +sputum +sputumary +sputumose +sputumous +Sq +Sq. +SQA +SQC +sqd +SQE +SQL +SQLDS +sqq +sqq. +sqrt +squab +squabash +squabasher +squabbed +squabber +squabby +squabbier +squabbiest +squabbing +squabbish +squabble +squabbled +squabbler +squabblers +squabbles +squabbly +squabbling +squabblingly +squab-pie +squabs +squacco +squaccos +squad +squadded +squadder +squaddy +squadding +squader +squadrate +squadrism +squadrol +squadron +squadrone +squadroned +squadroning +squadrons +squadron's +squads +squad's +squads-left +squads-right +squail +squailer +squails +squalene +squalenes +Squali +squalid +Squalida +Squalidae +squalider +squalidest +squalidity +squalidly +squalidness +squaliform +squall +squalled +squaller +squallery +squallers +squally +squallier +squalliest +squalling +squallish +squalls +squall's +squalm +Squalodon +squalodont +Squalodontidae +squaloid +Squaloidei +squalor +squalors +Squalus +squam +squam- +squama +squamaceous +squamae +Squamariaceae +Squamata +squamate +squamated +squamatine +squamation +squamatogranulous +squamatotuberculate +squame +squamella +squamellae +squamellate +squamelliferous +squamelliform +squameous +squamy +squamiferous +squamify +squamiform +squamigerous +squamipennate +Squamipennes +squamipinnate +Squamipinnes +squamish +squamo- +squamocellular +squamoepithelial +squamoid +squamomastoid +squamo-occipital +squamoparietal +squamopetrosal +squamosa +squamosal +squamose +squamosely +squamoseness +squamosis +squamosity +squamoso- +squamosodentated +squamosoimbricated +squamosomaxillary +squamosoparietal +squamosoradiate +squamosotemporal +squamosozygomatic +squamosphenoid +squamosphenoidal +squamotemporal +squamous +squamously +squamousness +squamozygomatic +Squamscot +squamula +squamulae +squamulate +squamulation +squamule +squamuliform +squamulose +squander +squandered +squanderer +squanderers +squandering +squanderingly +squandermania +squandermaniac +squanders +squanter-squash +squantum +squarable +square +squareage +square-barred +square-based +square-bashing +square-bladed +square-bodied +square-bottomed +square-browed +square-built +square-butted +squarecap +square-cheeked +square-chinned +square-countered +square-cut +squared +square-dancer +square-dealing +squaredly +square-draw +square-drill +square-eared +square-edged +square-elbowed +squareface +square-faced +square-figured +squareflipper +square-fronted +squarehead +square-headed +square-hewn +square-jawed +square-John +square-jointed +square-leg +squarely +squarelike +square-lipped +square-looking +square-made +squareman +square-marked +squaremen +square-meshed +squaremouth +square-mouthed +square-necked +squareness +square-nosed +squarer +square-rigged +square-rigger +squarers +square-rumped +squares +square-set +square-shafted +square-shaped +square-shooting +square-shouldered +square-skirted +squarest +square-stalked +square-stem +square-stemmed +square-sterned +squaretail +square-tailed +square-thread +square-threaded +square-tipped +squaretoed +square-toed +square-toedness +square-toes +square-topped +square-towered +squarewise +squary +squarier +squaring +squarish +squarishly +squarishness +squark +squarrose +squarrosely +squarroso- +squarroso-dentate +squarroso-laciniate +squarroso-pinnatipartite +squarroso-pinnatisect +squarrous +squarrulose +squarson +squarsonry +squash +squash- +squashberry +squashed +squasher +squashers +squashes +squashy +squashier +squashiest +squashily +squashiness +squashing +squashs +squassation +squat +Squatarola +squatarole +squat-bodied +squat-built +squaterole +squat-hatted +Squatina +squatinid +Squatinidae +squatinoid +Squatinoidei +squatly +squatment +squatmore +squatness +squats +squattage +squatted +squatter +squatterarchy +squatterdom +squattered +squattering +squatterism +squatterproof +squatters +squattest +squatty +squattier +squattiest +squattily +squattiness +squatting +squattingly +squattish +squattle +squattocracy +squattocratic +squatwise +squaw +squawberry +squawberries +squawbush +squawdom +squaw-drops +squawfish +squawfishes +squawflower +squawk +squawked +squawker +squawkers +squawky +squawkie +squawkier +squawkiest +squawking +squawkingly +squawks +squawl +squawler +Squawmish +squawroot +squaws +Squawtits +squawweed +Squaxon +squdge +squdgy +squeak +squeaked +squeaker +squeakery +squeakers +squeaky +squeakier +squeakiest +squeakyish +squeakily +squeakiness +squeaking +squeakingly +squeaklet +squeakproof +squeaks +squeal +squeald +squealed +squealer +squealers +squealing +squeals +squeam +squeamy +squeamish +squeamishly +squeamishness +squeamous +squeasy +Squedunk +squeege +squeegee +squeegeed +squeegeeing +squeegees +squeegeing +squeel +squeezability +squeezable +squeezableness +squeezably +squeeze +squeeze-box +squeezed +squeezeman +squeezer +squeezers +squeezes +squeeze-up +squeezy +squeezing +squeezingly +squeg +squegged +squegging +squegs +squelch +squelched +squelcher +squelchers +squelches +squelchy +squelchier +squelchiest +squelchily +squelchiness +squelching +squelchingly +squelchingness +squelette +squench +squencher +squet +squeteague +squetee +squib +Squibb +squibbed +squibber +squibbery +squibbing +squibbish +squibcrack +squiblet +squibling +squibs +squibster +SQUID +squidded +squidder +squidding +squiddle +squidge +squidgereen +squidgy +squidgier +squidgiest +squid-jigger +squid-jigging +squids +Squier +squiffed +squiffer +squiffy +squiffier +squiffiest +squiggle +squiggled +squiggles +squiggly +squigglier +squiggliest +squiggling +squilgee +squilgeed +squilgeeing +squilgeer +squilgees +squilgeing +Squill +Squilla +squillae +squillagee +squillageed +squillageeing +squillageing +squillas +squillery +squillgee +squillgeed +squillgeeing +squillgeing +squillian +squillid +Squillidae +squillitic +squill-like +squilloid +Squilloidea +squills +squimmidge +squin +squinacy +squinance +squinancy +squinant +squinch +squinched +squinch-eyed +squinches +squinching +squinny +squinnied +squinnier +squinnies +squinniest +squinnying +squinsy +squint +squinted +squint-eye +squint-eyed +squint-eyedness +squinter +squinters +squintest +squinty +squintier +squintiest +squinting +squintingly +squintingness +squintly +squintness +squints +squirage +squiralty +squirarch +squirarchal +squirarchy +squirarchical +squirarchies +Squire +squirearch +squirearchal +squirearchy +squirearchical +squirearchies +squired +squiredom +squireen +squireens +squirehood +squireless +squirelet +squirely +squirelike +squireling +squireocracy +Squires +squire's +squireship +squiress +squiret +squirewise +squiring +squirish +squirism +squirk +squirl +squirm +squirmed +squirmer +squirmers +squirmy +squirmier +squirmiest +squirminess +squirming +squirmingly +squirms +squirr +squirrel +squirrel-colored +squirreled +squirrel-eyed +squirrelfish +squirrelfishes +squirrel-headed +squirrely +squirrelian +squirreline +squirreling +squirrelish +squirrelled +squirrelly +squirrellike +squirrel-limbed +squirrelling +squirrel-minded +squirrelproof +squirrels +squirrel's-ear +squirrelsstagnate +squirreltail +squirrel-tail +squirrel-trimmed +squirt +squirted +squirter +squirters +squirt-fire +squirty +squirtiness +squirting +squirtingly +squirtish +squirts +squish +squished +squishes +squishy +squishier +squishiest +squishiness +squishing +squish-squash +squiss +squit +squitch +squitchy +squitter +squiz +squoosh +squooshed +squooshes +squooshy +squooshing +squoze +squshy +squshier +squshiest +squush +squushed +squushes +squushy +squushing +SR +Sr. +SRA +Sra. +srac +sraddha +sraddhas +sradha +sradhas +SRAM +sramana +sravaka +SRB +Srbija +SRBM +SRC +SRCN +SRD +SRI +sridhar +sridharan +srikanth +Srinagar +Srini +srinivas +Srinivasa +srinivasan +sriram +sris +srivatsan +SRM +SRN +SRO +SRP +SRS +Srta +Srta. +SRTS +sruti +SS +s's +ss. +SS-10 +SS-11 +SS-9 +SSA +SSAP +SSAS +SSB +SSBAM +SSC +SScD +SSCP +S-scroll +SSD +SSDU +SSE +ssed +SSEL +SSF +SSFF +SSG +S-shaped +SSI +ssing +SSM +SSME +SSN +SSO +ssort +SSP +SSPC +SSPF +SSPRU +SSPS +SSR +SSRMS +SSS +SST +S-state +SSTO +sstor +SSTTSS +SSTV +ssu +SSW +st +St. +Sta +staab +Staal +Staatsburg +Staatsozialismus +staatsraad +Staatsrat +stab +stabbed +stabber +stabbers +stabbing +stabbingly +stabbingness +stabilate +stabile +stabiles +stabilify +stabiliment +stabilimeter +stabilisation +stabilise +stabilised +stabiliser +stabilising +stabilist +stabilitate +stability +stabilities +stability's +stabilivolt +stabilization +stabilizator +stabilize +stabilized +stabilizer +stabilizers +stabilizes +stabilizing +stable +stableboy +stable-born +stabled +stableful +stablekeeper +stablelike +stableman +stablemate +stablemeal +stablemen +stableness +stabler +stablers +stables +stablest +stablestand +stable-stand +stableward +stablewards +stably +stabling +stablings +stablish +stablished +stablishes +stablishing +stablishment +staboy +stabproof +Stabreim +Stabroek +stabs +stabulate +stabulation +stabwort +stacc +stacc. +staccado +staccati +staccato +staccatos +Stace +Stacee +Stacey +stacher +stachering +stachydrin +stachydrine +stachyose +Stachys +Stachytarpheta +Stachyuraceae +stachyuraceous +Stachyurus +Staci +Stacy +Stacia +Stacie +Stacyville +stack +stackable +stackage +stacked +stackencloud +stacker +stackering +stackers +stacket +stackfreed +stackful +stackgarth +stack-garth +Stackhousia +Stackhousiaceae +stackhousiaceous +stackyard +stacking +stackless +stackman +stackmen +stacks +stack's +stackstand +stackup +stackups +stacte +stactes +stactometer +stad +stadda +staddle +staddles +staddlestone +staddling +stade +stader +stades +stadholder +stadholderate +stadholdership +stadhouse +stadia +stadial +stadias +stadic +stadie +stadimeter +stadiometer +stadion +stadium +stadiums +stadle +Stadt +stadthaus +stadtholder +stadtholderate +stadtholdership +stadthouse +Stafani +stafette +staff +Staffa +staffage +Staffan +Staffard +staffed +staffelite +staffer +staffers +staffete +staff-herd +staffier +staffing +staffish +staffless +staffman +staffmen +Stafford +Staffordshire +Staffordsville +Staffordville +Staffs +staffstriker +Staford +Stag +stag-beetle +stagbush +STAGE +stageability +stageable +stageableness +stageably +stage-blanks +stage-bleed +stagecoach +stage-coach +stagecoaches +stagecoaching +stagecraft +staged +stagedom +stagefright +stage-frighten +stageful +stagehand +stagehands +stagehouse +stagey +stag-eyed +stageland +stagelike +stageman +stage-manage +stage-managed +stage-manager +stage-managing +stagemen +stager +stagery +stagers +stages +stagese +stage-set +stagestruck +stage-struck +stag-evil +stagewise +stageworthy +stagewright +stagflation +Stagg +staggard +staggards +staggart +staggarth +staggarts +stagged +stagger +staggerbush +staggered +staggerer +staggerers +staggery +staggering +staggeringly +staggers +staggerweed +staggerwort +staggy +staggie +staggier +staggies +staggiest +stagging +stag-hafted +stag-handled +staghead +stag-headed +stag-headedness +staghorn +stag-horn +stag-horned +staghound +staghunt +staghunter +staghunting +stagy +stagiary +stagier +stagiest +stagily +staginess +staging +stagings +stagion +Stagira +Stagirite +Stagyrite +Stagiritic +staglike +stagmometer +stagnance +stagnancy +stagnant +stagnant-blooded +stagnantly +stagnant-minded +stagnantness +stagnant-souled +stagnate +stagnated +stagnates +stagnating +stagnation +stagnations +stagnatory +stagnature +stagne +stag-necked +stagnicolous +stagnize +stagnum +Stagonospora +stags +stag's +stagskin +stag-sure +stagworm +Stahl +Stahlhelm +Stahlhelmer +Stahlhelmist +Stahlian +Stahlianism +Stahlism +Stahlstown +stay +staia +stayable +stay-at-home +stay-a-while +stay-bearer +staybolt +stay-bolt +staid +staider +staidest +staidly +staidness +stayed +stayer +stayers +staig +staight-bred +staigs +stay-in +staying +stail +staylace +stayless +staylessness +stay-log +staymaker +staymaking +stain +stainability +stainabilities +stainable +stainableness +stainably +stained +stainer +stainers +Staines +stainful +stainierite +staynil +staining +stainless +stainlessly +stainlessness +stainproof +stains +staio +stayover +staypak +stair +stairbeak +stairbuilder +stairbuilding +staircase +staircases +staircase's +staired +stair-foot +stairhead +stair-head +stairy +stairless +stairlike +stairs +stair's +stairstep +stair-step +stair-stepper +stairway +stairways +stairway's +stairwell +stairwells +stairwise +stairwork +stays +staysail +staysails +stayship +stay-ship +stay-tape +staith +staithe +staithes +staithman +staithmen +Stayton +staiver +stake +stake-boat +staked +stakehead +stakeholder +stakemaster +stakeout +stakeouts +staker +stakerope +stakes +Stakhanov +Stakhanovism +Stakhanovite +staking +stalace +stalactic +stalactical +stalactiform +stalactital +stalactite +stalactited +stalactites +stalactitic +stalactitical +stalactitically +stalactitied +stalactitiform +stalactitious +stalag +stalagma +stalagmite +stalagmites +stalagmitic +stalagmitical +stalagmitically +stalagmometer +stalagmometry +stalagmometric +stalags +Stalder +stale +staled +stale-drunk +stale-grown +Staley +stalely +stalemate +stalemated +stalemates +stalemating +stale-mouthed +staleness +staler +stales +stalest +stale-worn +Stalin +Stalinabad +staling +Stalingrad +Stalinism +Stalinist +stalinists +Stalinite +Stalino +Stalinogrod +Stalinsk +Stalk +stalkable +stalked +stalk-eyed +Stalker +stalkers +stalky +stalkier +stalkiest +stalkily +stalkiness +stalking +stalking-horse +stalkingly +stalkless +stalklet +stalklike +stalko +stalkoes +stalks +stall +stallage +stalland +stallar +stallary +stallboard +stallboat +stalled +stallenger +staller +stallership +stall-fed +stall-feed +stall-feeding +stalling +stallinger +stallingken +stallings +stallion +stallionize +stallions +stallkeeper +stall-like +stallman +stall-master +stallmen +stallment +stallon +stalls +Stallworth +stalwart +stalwartism +stalwartize +stalwartly +stalwartness +stalwarts +stalworth +stalworthly +stalworthness +stam +Stamata +stamba +Stambaugh +stambha +Stamboul +stambouline +Stambul +stamen +stamened +stamens +stamen's +Stamford +stamin +stamin- +stamina +staminal +staminas +staminate +stamindia +stamineal +stamineous +staminiferous +staminigerous +staminode +staminody +staminodia +staminodium +Stammbaum +stammel +stammelcolor +stammels +stammer +stammered +stammerer +stammerers +stammering +stammeringly +stammeringness +stammers +stammerwort +stammrel +stamnoi +stamnos +stamp +stampable +stampage +stamped +stampedable +stampede +stampeded +stampeder +stampedes +stampeding +stampedingly +stampedo +stampee +stamper +stampery +stampers +stamphead +Stampian +stamping +stample +stampless +stamp-licking +stampman +stampmen +Stamps +stampsman +stampsmen +stampweed +Stan +Stanaford +Stanardsville +Stanberry +stance +stances +stanch +stanchable +stanched +stanchel +stancheled +stancher +stanchers +stanches +stanchest +Stanchfield +stanching +stanchion +stanchioned +stanchioning +stanchions +stanchless +stanchlessly +stanchly +stanchness +stand +standage +standard +standardbearer +standard-bearer +standardbearers +standard-bearership +standardbred +standard-bred +standard-gage +standard-gaged +standard-gauge +standard-gauged +standardise +standardised +standardizable +standardization +standardizations +standardize +standardized +standardizer +standardizes +standardizing +standardly +standardness +standards +standard-sized +standard-wing +standardwise +standaway +standback +standby +stand-by +standbybys +standbys +stand-bys +stand-down +stand-easy +standee +standees +standel +standelwelks +standelwort +Stander +stander-by +standergrass +standers +standerwort +standeth +standfast +Standford +standi +Standice +stand-in +Standing +standing-place +standings +Standish +standishes +Standley +standoff +stand-off +standoffish +stand-offish +standoffishly +stand-offishly +standoffishness +stand-offishness +standoffs +standout +standouts +standpat +standpatism +standpatter +stand-patter +standpattism +standpipe +stand-pipe +standpipes +standpoint +standpoints +standpoint's +standpost +stands +standstill +stand-to +standup +stand-up +Standush +stane +stanechat +staned +stanek +stanes +Stanfield +Stanfill +Stanford +Stanfordville +stang +stanged +Stangeria +stanging +stangs +Stanhope +Stanhopea +stanhopes +staniel +stanine +stanines +staning +Stanislao +Stanislas +Stanislaus +Stanislavski +Stanislavsky +Stanislaw +Stanislawow +stanitsa +stanitza +stanjen +stank +stankie +stanks +Stanlee +Stanley +Stanleigh +Stanleytown +Stanleyville +Stanly +stann- +stannane +stannary +Stannaries +stannate +stannator +stannel +stanner +stannery +stanners +Stannfield +stannic +stannid +stannide +stanniferous +stannyl +stannite +stannites +stanno +stanno- +stannoso- +stannotype +stannous +stannoxyl +stannum +stannums +Stannwood +Stanovoi +Stans +stantibus +Stanton +Stantonsburg +Stantonville +Stanville +Stanway +Stanwin +Stanwinn +Stanwood +stanza +stanzaed +stanzaic +stanzaical +stanzaically +stanzas +stanza's +stanze +Stanzel +stanzo +stap +stapedectomy +stapedectomized +stapedes +stapedez +stapedial +stapediform +stapediovestibular +stapedius +Stapelia +stapelias +stapes +staph +staphyle +Staphylea +Staphyleaceae +staphyleaceous +staphylectomy +staphyledema +staphylematoma +staphylic +staphyline +staphylinic +staphylinid +Staphylinidae +staphylinideous +Staphylinoidea +Staphylinus +staphylion +staphylitis +staphylo- +staphyloangina +staphylococcal +staphylococcemia +staphylococcemic +staphylococci +staphylococcic +staphylococcocci +Staphylococcus +staphylodermatitis +staphylodialysis +staphyloedema +staphylohemia +staphylolysin +staphyloma +staphylomatic +staphylomatous +staphylomycosis +staphyloncus +staphyloplasty +staphyloplastic +staphyloptosia +staphyloptosis +staphyloraphic +staphylorrhaphy +staphylorrhaphic +staphylorrhaphies +staphyloschisis +staphylosis +staphylotome +staphylotomy +staphylotomies +staphylotoxin +staphisagria +staphs +staple +stapled +staple-fashion +staple-headed +Staplehurst +stapler +staplers +Staples +staple-shaped +Stapleton +staplewise +staplf +stapling +stapple +Star +star-apple +star-aspiring +star-bearing +star-bedecked +star-bedizened +star-bespotted +star-bestudded +star-blasting +starblind +starbloom +starboard +starboards +starbolins +star-born +starbowlines +starbright +star-bright +star-broidered +Starbuck +starch +star-chamber +starchboard +starch-digesting +starched +starchedly +starchedness +starcher +starches +starchflower +starchy +starchier +starchiest +starchily +starchiness +starching +starchless +starchly +starchlike +starchmaker +starchmaking +starchman +starchmen +starchness +starch-producing +starch-reduced +starchroot +starch-sized +starchworks +starchwort +star-climbing +star-connected +starcraft +star-crossed +star-decked +star-directed +star-distant +star-dogged +stardom +stardoms +stardust +star-dust +stardusts +stare +stare-about +stared +staree +star-eyed +star-embroidered +starer +starers +stares +starets +star-fashion +star-fed +starfish +starfishes +starflower +star-flower +star-flowered +Starford +starfruit +starful +stargaze +star-gaze +stargazed +stargazer +star-gazer +stargazers +stargazes +stargazing +star-gazing +Stargell +star-grass +stary +starik +staring +staringly +Starinsky +star-inwrought +star-ypointing +Stark +stark-awake +stark-becalmed +stark-blind +stark-calm +stark-dead +stark-drunk +stark-dumb +Starke +Starkey +starken +starker +starkers +starkest +stark-false +starky +starkle +starkly +stark-mad +stark-naked +stark-naught +starkness +stark-new +stark-raving +Starks +Starksboro +stark-spoiled +stark-staring +stark-stiff +Starkville +Starkweather +stark-wild +stark-wood +Starla +star-leaved +star-led +Starlene +starless +starlessly +starlessness +starlet +starlets +starlight +starlighted +starlights +starlike +star-like +Starlin +Starling +starlings +starlit +starlite +starlitten +starmonger +star-mouthed +starn +starnel +starny +starnie +starnose +star-nosed +starnoses +Starobin +star-of-Bethlehem +star-of-Jerusalem +Staroobriadtsi +starost +starosta +starosti +starosty +star-paved +star-peopled +star-pointed +star-proof +starquake +Starr +starred +starry +star-ribbed +starry-bright +starry-eyed +starrier +starriest +starrify +starry-flowered +starry-golden +starry-headed +starrily +starry-nebulous +starriness +starring +starringly +Starrucca +STARS +star's +star-scattered +starshake +star-shaped +starshine +starship +starshoot +starshot +star-shot +star-skilled +stars-of-Bethlehem +stars-of-Jerusalem +star-spangled +star-staring +starstone +star-stone +starstroke +starstruck +star-studded +star-surveying +star-sweet +start +star-taught +started +starter +starter-off +starters +Startex +startful +startfulness +star-thistle +starthroat +star-throated +starty +starting +starting-hole +startingly +startingno +startish +startle +startled +startler +startlers +startles +startly +startling +startlingly +startlingness +startlish +startlishness +start-naked +start-off +startor +starts +startsy +startup +start-up +startups +startup's +starvation +starvations +starve +starveacre +starved +starvedly +starved-looking +starveling +starvelings +starven +starver +starvers +starves +starvy +starving +starw +starward +star-watching +star-wearing +starwise +star-wise +starworm +starwort +starworts +stases +stash +stashed +stashes +stashie +stashing +stasidia +stasidion +stasima +stasimetric +stasimon +stasimorphy +stasiphobia +stasis +stasisidia +Stasny +stasophobia +Stassen +stassfurtite +stat +stat. +statable +statal +statampere +statant +statary +statcoulomb +State +stateable +state-aided +state-caused +state-changing +statecraft +stated +statedly +state-educated +state-enforced +state-fed +stateful +statefully +statefulness +statehood +statehoods +Statehouse +state-house +statehouses +stateless +statelessness +statelet +stately +stately-beauteous +statelich +statelier +stateliest +stately-grave +statelily +stateliness +statelinesses +stately-paced +stately-sailing +stately-storied +stately-written +state-making +state-mending +statement +statements +statement's +statemonger +state-monger +Staten +Statenville +state-of-the-art +state-owned +state-paid +state-pensioned +state-prying +state-provided +state-provisioned +statequake +stater +statera +state-ridden +stateroom +state-room +staterooms +staters +state-ruling +States +state's +statesboy +Statesboro +States-General +stateship +stateside +statesider +statesman +statesmanese +statesmanly +statesmanlike +statesmanship +statesmanships +statesmen +statesmonger +state-socialist +states-people +Statesville +stateswoman +stateswomen +state-taxed +stateway +statewide +state-wide +state-wielding +statfarad +Statham +stathenry +stathenries +stathenrys +stathmoi +stathmos +static +statical +statically +Statice +statices +staticky +staticproof +statics +stating +station +stational +stationary +stationaries +stationarily +stationariness +stationarity +stationed +stationer +stationery +stationeries +stationers +station-house +stationing +stationman +stationmaster +stations +station-to-station +Statis +statiscope +statism +statisms +statist +statistic +statistical +statistically +statistician +statisticians +statistician's +statisticize +statistics +statistology +statists +Statius +stative +statives +statize +Statler +stato- +statoblast +statocyst +statocracy +statohm +statolatry +statolith +statolithic +statometer +stator +statoreceptor +statorhab +stators +statoscope +statospore +stats +statua +statuary +statuaries +statuarism +statuarist +statue +statue-blind +statue-bordered +statuecraft +statued +statueless +statuelike +statues +statue's +statuesque +statuesquely +statuesqueness +statuette +statuettes +statue-turning +statuing +stature +statured +statures +status +statuses +status-seeking +statutable +statutableness +statutably +statutary +statute +statute-barred +statute-book +statuted +statutes +statute's +statuting +statutory +statutorily +statutoriness +statutum +statvolt +staucher +Stauder +Staudinger +Stauffer +stauk +staumer +staumeral +staumrel +staumrels +staun +staunch +staunchable +staunched +stauncher +staunches +staunchest +staunching +staunchly +staunchness +Staunton +staup +stauracin +stauraxonia +stauraxonial +staurion +stauro- +staurolatry +staurolatries +staurolite +staurolitic +staurology +Stauromedusae +stauromedusan +stauropegia +stauropegial +stauropegion +stauropgia +stauroscope +stauroscopic +stauroscopically +staurotide +stauter +Stav +stavable +Stavanger +stave +staveable +staved +staveless +staver +stavers +staverwort +staves +stavesacre +stavewise +stavewood +staving +stavrite +Stavro +Stavropol +Stavros +Staw +stawn +stawsome +staxis +STB +Stbark +stbd +STC +stchi +Stclair +STD +std. +stddmp +St-Denis +STDM +Ste +Ste. +steaakhouse +Stead +steadable +steaded +steadfast +steadfastly +steadfastness +steadfastnesses +Steady +steadied +steady-eyed +steadier +steadiers +steadies +steadiest +steady-footed +steady-going +steady-handed +steady-handedness +steady-headed +steady-hearted +steadying +steadyingly +steadyish +steadily +steady-looking +steadiment +steady-minded +steady-nerved +steadiness +steadinesses +steading +steadings +steady-stream +steadite +steadman +steads +steak +steakhouse +steakhouses +steaks +steak's +steal +stealability +stealable +stealage +stealages +stealed +stealer +stealers +stealy +stealing +stealingly +stealings +steals +stealth +stealthful +stealthfully +stealthy +stealthier +stealthiest +stealthily +stealthiness +stealthless +stealthlike +stealths +stealthwise +steam +steamboat +steamboating +steamboatman +steamboatmen +steamboats +steamboat's +steam-boiler +Steamburg +steamcar +steam-chest +steam-clean +steam-cleaned +steam-cooked +steam-cut +steam-distill +steam-dredge +steam-dried +steam-driven +steam-eating +steamed +steam-engine +steamer +steamer-borne +steamered +steamerful +steamering +steamerless +steamerload +steamers +steam-filled +steamfitter +steamfitting +steam-going +steam-heat +steam-heated +steamy +steamie +steamier +steamiest +steamily +steaminess +steaming +steam-lance +steam-lanced +steam-lancing +steam-laundered +steamless +steamlike +steampipe +steam-pocket +steam-processed +steamproof +steam-propelled +steam-ridden +steamroll +steam-roll +steamroller +steam-roller +steamrollered +steamrollering +steamrollers +steams +steamship +steamships +steamship's +steam-shovel +steamtight +steamtightness +steam-type +steam-treated +steam-turbine +steam-wrought +stean +steaning +steapsin +steapsins +stearate +stearates +stearic +steariform +stearyl +stearin +stearine +stearines +stearins +Stearn +Stearne +Stearns +stearo- +stearolactone +stearone +stearoptene +stearrhea +stearrhoea +steat- +steatin +steatite +steatites +steatitic +steato- +steatocele +steatogenous +steatolysis +steatolytic +steatoma +steatomas +steatomata +steatomatous +steatopathic +steatopyga +steatopygy +steatopygia +steatopygic +steatopygous +Steatornis +Steatornithes +Steatornithidae +steatorrhea +steatorrhoea +steatoses +steatosis +stebbins +stech +stechados +Stecher +Stechhelm +stechling +Steck +steckling +steddle +Steddman +stedfast +stedfastly +stedfastness +stedhorses +Stedman +Stedmann +Stedt +steeadying +steed +steedless +steedlike +Steedman +steeds +steek +steeked +steeking +steekkan +steekkannen +steeks +Steel +steel-black +steel-blue +Steelboy +steel-bound +steelbow +steel-bow +steel-bright +steel-cage +steel-capped +steel-cased +steel-clad +steel-clenched +steel-cold +steel-colored +steel-covered +steel-cut +steel-digesting +Steele +steeled +steel-edged +steelen +steeler +steelers +Steeleville +steel-faced +steel-framed +steel-gray +steel-grained +steel-graven +steel-green +steel-hard +steel-hardened +steelhead +steel-head +steel-headed +steelheads +steelhearted +steel-hilted +steely +steelyard +steelyards +steelie +steelier +steelies +steeliest +steelify +steelification +steelified +steelifying +steeliness +steeling +steelless +steellike +steel-lined +steelmake +steelmaker +steelmaking +steelman +steelmen +steel-nerved +steel-pen +steel-plated +steel-pointed +steelproof +steel-rimmed +steel-riveted +steels +steel-shafted +steel-sharp +steel-shod +steel-strong +steel-studded +steel-tempered +steel-tipped +steel-tired +steel-topped +steel-trap +Steelville +steelware +steelwork +steelworker +steelworking +steelworks +steem +Steen +steenboc +steenbock +steenbok +steenboks +steenbras +steenbrass +Steenie +steening +steenkirk +Steens +steenstrupine +steenth +Steep +steep-ascending +steep-backed +steep-bending +steep-descending +steepdown +steep-down +steeped +steepen +steepened +steepening +steepens +steeper +steepers +steepest +steep-faced +steep-gabled +steepgrass +steep-hanging +steepy +steep-yawning +steepiness +steeping +steepish +steeple +steeplebush +steeplechase +steeplechaser +steeplechases +steeplechasing +steeple-crown +steeple-crowned +steepled +steeple-head +steeple-high +steeple-house +steeplejack +steeple-jacking +steeplejacks +steepleless +steeplelike +steeple-loving +steeple-roofed +steeples +steeple's +steeple-shadowed +steeple-shaped +steeple-studded +steepletop +steeple-topped +steeply +steepness +steepnesses +steep-pitched +steep-pointed +steep-rising +steep-roofed +steeps +steep-scarped +steep-sided +steep-streeted +steep-to +steep-up +steep-walled +steepweed +steepwort +steer +steerability +steerable +steerage +steerages +steerageway +Steere +steered +steerer +steerers +steery +steering +steeringly +steerless +steerling +steerman +steermanship +steers +steersman +steersmate +steersmen +steerswoman +steeve +steeved +steevely +steever +steeves +steeving +steevings +Stefa +Stefan +Stefana +Stefanac +Stefania +Stefanie +Stefano +Stefansson +Steff +Steffan +Steffane +Steffen +Steffens +Steffenville +Steffi +Steffy +Steffie +Steffin +steg +steganogram +steganography +steganographical +steganographist +Steganophthalmata +steganophthalmate +steganophthalmatous +Steganophthalmia +steganopod +steganopodan +Steganopodes +steganopodous +Steger +stegh +Stegman +stegnosis +stegnotic +stego- +stegocarpous +Stegocephalia +stegocephalian +stegocephalous +Stegodon +stegodons +stegodont +stegodontine +Stegomyia +Stegomus +stegosaur +stegosauri +Stegosauria +stegosaurian +stegosauroid +stegosaurs +Stegosaurus +Stehekin +stey +Steichen +steid +Steier +Steiermark +steigh +Stein +Steinamanger +Steinauer +Steinbeck +Steinberg +Steinberger +steinbock +steinbok +steinboks +steinbuck +Steiner +Steinerian +steinful +Steinhatchee +Steinheil +steyning +Steinitz +Steinke +steinkirk +Steinman +Steinmetz +steins +Steinway +Steinwein +Steyr +Steironema +stekan +stela +stelae +stelai +stelar +Stelazine +stele +stelene +steles +stelic +stell +Stella +stellar +stellarator +stellary +Stellaria +stellas +stellate +stellate-crystal +stellated +stellately +stellate-pubescent +stellation +stellature +Stelle +stelled +stellenbosch +stellerid +stelleridean +stellerine +stelliferous +stellify +stellification +stellified +stellifies +stellifying +stelliform +stelling +stellio +stellion +stellionate +stelliscript +Stellite +stellular +stellularly +stellulate +Stelmach +stelography +Stelu +stem +stema +stem-bearing +stembok +stem-bud +stem-clasping +stemform +stemhead +St-Emilion +stemless +stemlet +stemlike +stemma +stemmas +stemmata +stemmatiform +stemmatous +stemmed +stemmer +stemmery +stemmeries +stemmers +stemmy +stemmier +stemmiest +stemming +Stemona +Stemonaceae +stemonaceous +stempel +Stempien +stemple +stempost +Stempson +stems +stem's +stem-sick +stemson +stemsons +stemwards +stemware +stemwares +stem-wind +stem-winder +stem-winding +Sten +sten- +stenar +stench +stenchel +stenches +stenchful +stenchy +stenchier +stenchiest +stenching +stenchion +stench's +stencil +stenciled +stenciler +stenciling +stencilize +stencilled +stenciller +stencilling +stencilmaker +stencilmaking +stencils +stencil's +stend +Stendal +Stendhal +Stendhalian +steng +stengah +stengahs +Stenger +stenia +stenion +steno +steno- +stenobathic +stenobenthic +stenobragmatic +stenobregma +stenocardia +stenocardiac +Stenocarpus +stenocephaly +stenocephalia +stenocephalic +stenocephalous +stenochoria +stenochoric +stenochrome +stenochromy +stenocoriasis +stenocranial +stenocrotaphia +Stenofiber +stenog +stenogastry +stenogastric +Stenoglossa +stenograph +stenographed +stenographer +stenographers +stenographer's +stenography +stenographic +stenographical +stenographically +stenographing +stenographist +stenohaline +stenoky +stenometer +stenopaeic +stenopaic +stenopeic +Stenopelmatidae +stenopetalous +stenophagous +stenophile +stenophyllous +Stenophragma +stenorhyncous +stenos +stenosed +stenosepalous +stenoses +stenosis +stenosphere +stenostomatous +stenostomia +Stenotaphrum +stenotelegraphy +stenotherm +stenothermal +stenothermy +stenothermophilic +stenothorax +stenotic +Stenotype +stenotypy +stenotypic +stenotypist +stenotopic +stenotropic +Stent +stenter +stenterer +stenting +stentmaster +stenton +Stentor +stentoraphonic +stentorian +stentorianly +stentorine +stentorious +stentoriously +stentoriousness +stentoronic +stentorophonic +stentorphone +stentors +stentrel +step +step- +step-and-repeat +stepaunt +step-back +stepbairn +step-by-step +stepbrother +stepbrotherhood +stepbrothers +stepchild +stepchildren +step-cline +step-cone +step-cut +stepdame +stepdames +stepdance +stepdancer +stepdancing +stepdaughter +stepdaughters +stepdown +step-down +stepdowns +stepfather +stepfatherhood +stepfatherly +stepfathers +stepgrandchild +stepgrandfather +stepgrandmother +stepgrandson +Stepha +Stephan +Stephana +stephane +Stephani +Stephany +Stephania +stephanial +Stephanian +stephanic +Stephanie +stephanion +stephanite +Stephannie +Stephanoceros +Stephanokontae +stephanome +stephanos +Stephanotis +Stephanurus +Stephanus +stephe +stephead +Stephen +Stephenie +Stephens +Stephensburg +Stephenson +Stephentown +Stephenville +Stephi +Stephie +Stephine +step-in +step-ins +stepladder +step-ladder +stepladders +stepless +steplike +step-log +stepminnie +stepmother +stepmotherhood +stepmotherless +stepmotherly +stepmotherliness +stepmothers +stepmother's +stepney +stepnephew +stepniece +step-off +step-on +stepony +stepparent +step-parent +stepparents +Steppe +stepped +stepped-up +steppeland +Steppenwolf +stepper +steppers +Steppes +stepping +stepping-off +stepping-out +steppingstone +stepping-stone +steppingstones +stepping-stones +steprelation +steprelationship +steps +step's +stepsire +stepsister +stepsisters +stepson +stepsons +stepstone +stepstool +stept +Stepteria +Steptoe +stepuncle +stepup +step-up +stepups +stepway +stepwise +ster +ster. +steracle +sterad +steradian +stercobilin +stercolin +stercophagic +stercophagous +stercoraceous +stercoraemia +stercoral +Stercoranism +Stercoranist +stercorary +stercoraries +Stercorariidae +Stercorariinae +stercorarious +Stercorarius +stercorate +stercoration +stercorean +stercoremia +stercoreous +Stercorianism +stercoricolous +stercorin +Stercorist +stercorite +stercorol +stercorous +stercovorous +Sterculia +Sterculiaceae +sterculiaceous +sterculiad +stere +stere- +stereagnosis +stereid +Sterelmintha +sterelminthic +sterelminthous +sterelminthus +stereo +stereo- +stereobate +stereobatic +stereoblastula +stereocamera +stereocampimeter +stereochemic +stereochemical +stereochemically +stereochemistry +stereochromatic +stereochromatically +stereochrome +stereochromy +stereochromic +stereochromically +stereocomparagraph +stereocomparator +stereoed +stereoelectric +stereofluoroscopy +stereofluoroscopic +stereogastrula +stereognosis +stereognostic +stereogoniometer +stereogram +stereograph +stereographer +stereography +stereographic +stereographical +stereographically +stereoing +stereoisomer +stereoisomeric +stereoisomerical +stereoisomeride +stereoisomerism +stereology +stereological +stereologically +stereom +stereomatrix +stereome +stereomer +stereomeric +stereomerical +stereomerism +stereometer +stereometry +stereometric +stereometrical +stereometrically +stereomicrometer +stereomicroscope +stereomicroscopy +stereomicroscopic +stereomicroscopically +stereomonoscope +stereoneural +stereopair +stereophantascope +stereophysics +stereophone +stereophony +stereophonic +stereophonically +stereophotogrammetry +stereophotograph +stereophotography +stereophotographic +stereophotomicrograph +stereophotomicrography +stereopicture +stereoplanigraph +stereoplanula +stereoplasm +stereoplasma +stereoplasmic +stereopsis +stereopter +stereoptican +stereoptician +stereopticon +stereoradiograph +stereoradiography +stereoregular +stereoregularity +Stereornithes +stereornithic +stereoroentgenogram +stereoroentgenography +stereos +stereo's +stereoscope +stereoscopes +stereoscopy +stereoscopic +stereoscopical +stereoscopically +stereoscopies +stereoscopism +stereoscopist +stereospecific +stereospecifically +stereospecificity +Stereospondyli +stereospondylous +stereostatic +stereostatics +stereotactic +stereotactically +stereotape +stereotapes +stereotaxy +stereotaxic +stereotaxically +stereotaxis +stereotelemeter +stereotelescope +stereotypable +stereotype +stereotyped +stereotyper +stereotypery +stereotypers +stereotypes +stereotypy +stereotypic +stereotypical +stereotypically +stereotypies +stereotyping +stereotypist +stereotypographer +stereotypography +stereotomy +stereotomic +stereotomical +stereotomist +stereotropic +stereotropism +stereovision +steres +Stereum +sterhydraulic +steri +steric +sterical +sterically +sterics +sterid +steride +sterigma +sterigmas +sterigmata +sterigmatic +sterilant +sterile +sterilely +sterileness +sterilisability +sterilisable +sterilise +sterilised +steriliser +sterilising +sterility +sterilities +sterilizability +sterilizable +sterilization +sterilizations +sterilization's +sterilize +sterilized +sterilizer +sterilizers +sterilizes +sterilizing +sterin +sterk +sterlet +sterlets +Sterling +sterlingly +sterlingness +sterlings +Sterlington +Sterlitamak +Stern +Sterna +sternad +sternage +sternal +sternalis +stern-bearer +Sternberg +sternbergia +sternbergite +stern-board +stern-born +stern-browed +sterncastle +stern-chase +stern-chaser +Sterne +sterneber +sternebra +sternebrae +sternebral +sterned +stern-eyed +Sterner +sternest +stern-faced +stern-fast +stern-featured +sternforemost +sternful +sternfully +stern-gated +Sternick +Sterninae +stern-issuing +sternite +sternites +sternitic +sternknee +sternly +Sternlight +stern-lipped +stern-looking +sternman +sternmen +stern-minded +sternmost +stern-mouthed +sternna +sternness +sternnesses +Sterno +sterno- +sternoclavicular +sternocleidomastoid +sternocleidomastoideus +sternoclidomastoid +sternocoracoid +sternocostal +sternofacial +sternofacialis +sternoglossal +sternohyoid +sternohyoidean +sternohumeral +sternomancy +sternomastoid +sternomaxillary +sternonuchal +sternopericardiac +sternopericardial +sternoscapular +sternothere +Sternotherus +sternothyroid +sternotracheal +sternotribe +sternovertebral +sternoxiphoid +sternpost +stern-post +sterns +stern-set +stern-sheet +sternson +sternsons +stern-sounding +stern-spoken +sternum +sternums +sternutaries +sternutate +sternutation +sternutative +sternutator +sternutatory +stern-visaged +sternway +sternways +sternward +sternwards +sternwheel +stern-wheel +sternwheeler +stern-wheeler +sternworks +stero +steroid +steroidal +steroidogenesis +steroidogenic +steroids +sterol +sterols +Sterope +Steropes +Sterrett +sterrinck +sterro-metal +stert +stertor +stertorious +stertoriously +stertoriousness +stertorous +stertorously +stertorousness +stertors +sterve +Stesha +Stesichorean +stet +stetch +stethal +stetharteritis +stethy +stetho- +stethogoniometer +stethograph +stethographic +stethokyrtograph +stethometer +stethometry +stethometric +stethoparalysis +stethophone +stethophonometer +stethoscope +stethoscoped +stethoscopes +stethoscopy +stethoscopic +stethoscopical +stethoscopically +stethoscopies +stethoscopist +stethospasm +Stets +Stetson +stetsons +Stetsonville +stetted +Stettin +stetting +Stettinius +Steuben +Steubenville +stevan +Stevana +Steve +stevedorage +stevedore +stevedored +stevedores +stevedoring +stevel +Steven +Stevena +Stevenage +Stevengraph +Stevens +Stevensburg +Stevenson +Stevensonian +Stevensoniana +Stevensville +Stevy +Stevia +Stevie +Stevin +Stevinson +Stevinus +Stew +stewable +Steward +stewarded +stewardess +stewardesses +stewarding +stewardly +stewardry +stewards +steward's +stewardship +stewardships +Stewardson +Stewart +stewarty +Stewartia +stewartry +Stewartstown +Stewartsville +Stewartville +stewbum +stewbums +stewed +stewhouse +stewy +stewing +stewish +stewpan +stewpans +stewpond +stewpot +stews +stg +stg. +stge +stge. +Sth +Sthelena +sthene +Stheneboea +Sthenelus +sthenia +Sthenias +sthenic +Sthenius +Stheno +sthenochire +STI +sty +stiacciato +styan +styany +stib +stib- +stibble +stibbler +stibblerig +stibethyl +stibial +stibialism +stibiate +stibiated +stibic +stibiconite +stibine +stibines +stibio- +stibious +stibium +stibiums +stibnite +stibnites +stibonium +stibophen +Stiborius +styca +sticcado +styceric +stycerin +stycerinol +Stich +stichado +sticharia +sticharion +stichcharia +stichel +sticheron +stichic +stichically +stichid +stichidia +stichidium +stichocrome +stichoi +stichomancy +stichometry +stichometric +stichometrical +stichometrically +stichomythy +stichomythia +stychomythia +stichomythic +stichos +stichous +stichs +Stichter +stichwort +stick +stickability +stickable +stickadore +stickadove +stickage +stick-at-it +stick-at-itive +stick-at-it-ive +stick-at-itiveness +stick-at-nothing +stick-back +stickball +stickboat +stick-button +stick-candy +stick-dice +stick-ear +sticked +stickel +sticken +sticker +stickery +sticker-in +sticker-on +stickers +sticker-up +sticket +stickfast +stickful +stickfuls +stickhandler +sticky +stickybeak +sticky-eyed +stickier +stickiest +sticky-fingered +stickily +stickiness +sticking +stick-in-the-mud +stickit +stickjaw +stick-jaw +sticklac +stick-lac +stickle +stickleaf +stickleback +stickled +stick-leg +stick-legged +stickler +sticklers +stickles +stickless +stickly +sticklike +stickling +stickman +stickmen +Stickney +stickout +stick-out +stickouts +stickpin +stickpins +stick-ride +sticks +stickseed +sticksmanship +sticktail +sticktight +stick-to-itive +stick-to-itively +stick-to-itiveness +stick-to-it-iveness +stickum +stickums +stickup +stick-up +stickups +stickwater +stickweed +stickwork +Sticta +Stictaceae +Stictidaceae +stictiform +stiction +Stictis +stid +stiddy +Stidham +stye +stied +styed +Stiegel +Stiegler +Stieglitz +Stier +sties +styes +stife +stiff +stiff-arm +stiff-armed +stiff-backed +stiff-bearded +stiff-bent +stiff-billed +stiff-bodied +stiff-bolting +stiff-boned +stiff-bosomed +stiff-branched +stiff-built +stiff-clay +stiff-collared +stiff-docked +stiff-dressed +stiff-eared +stiffed +stiffen +stiffened +stiffener +stiffeners +stiffening +stiffens +stiffer +stiffest +stiff-grown +stiff-haired +stiffhearted +stiff-horned +stiffing +stiff-ironed +stiffish +stiff-jointed +stiff-jointedness +stiff-kneed +stiff-land +stiff-leathered +stiff-leaved +stiffleg +stiff-legged +stiffler +stiffly +stifflike +stiff-limbed +stiff-lipped +stiff-minded +stiff-mud +stiffneck +stiff-neck +stiff-necked +stiffneckedly +stiff-neckedly +stiffneckedness +stiff-neckedness +stiffness +stiffnesses +stiff-plate +stiff-pointed +stiff-rimmed +stiffrump +stiff-rumped +stiff-rusting +stiffs +stiff-shanked +stiff-skirted +stiff-starched +stiff-stretched +stiff-swathed +stifftail +stiff-tailed +stiff-uddered +stiff-veined +stiff-winged +stiff-witted +stifle +stifled +stifledly +stifle-out +stifler +stiflers +stifles +stifling +stiflingly +styful +styfziekte +Stig +Stygial +Stygian +stygiophobia +Stigler +stigma +stigmai +stigmal +Stigmaria +stigmariae +stigmarian +stigmarioid +stigmas +stigmasterol +stigmat +stigmata +stigmatal +stigmatic +stigmatical +stigmatically +stigmaticalness +stigmatiferous +stigmatiform +stigmatypy +stigmatise +stigmatiser +stigmatism +stigmatist +stigmatization +stigmatize +stigmatized +stigmatizer +stigmatizes +stigmatizing +stigmatoid +stigmatose +stigme +stigmeology +stigmes +stigmonose +stigonomancy +stying +Stijl +Stikine +styl- +Stila +stylar +Stylaster +Stylasteridae +stylate +stilb +Stilbaceae +Stilbella +stilbene +stilbenes +stilbestrol +stilbite +stilbites +stilboestrol +Stilbum +styldia +stile +style +stylebook +stylebooks +style-conscious +style-consciousness +styled +styledom +styleless +stylelessness +stylelike +stileman +stilemen +styler +stylers +Stiles +stile's +Styles +Stilesville +stilet +stylet +stylets +stilette +stiletted +stiletto +stilettoed +stilettoes +stilettoing +stilettolike +stiletto-proof +stilettos +stiletto-shaped +stylewort +styli +stilyaga +stilyagi +Stilicho +Stylidiaceae +stylidiaceous +Stylidium +styliferous +styliform +styline +styling +stylings +stylion +stylisation +stylise +stylised +styliser +stylisers +stylises +stylish +stylishly +stylishness +stylishnesses +stylising +stylist +stylistic +stylistical +stylistically +stylistics +stylists +stylite +stylites +stylitic +stylitism +stylization +stylize +stylized +stylizer +stylizers +stylizes +stylizing +Still +Stilla +still-admired +stillage +Stillas +stillatitious +stillatory +stillbirth +still-birth +stillbirths +stillborn +still-born +still-burn +still-closed +still-continued +still-continuing +still-diminishing +stilled +stiller +stillery +stillest +still-existing +still-fish +still-fisher +still-fishing +still-florid +still-flowing +still-fresh +still-gazing +stillhouse +still-hunt +still-hunter +still-hunting +stilly +stylli +stillicide +stillicidium +stillier +stilliest +stilliform +still-improving +still-increasing +stilling +Stillingia +stillion +still-young +stillish +still-life +still-living +Stillman +Stillmann +stillmen +Stillmore +stillness +stillnesses +still-new +still-pagan +still-pining +still-recurring +still-refuted +still-renewed +still-repaired +still-rocking +stillroom +still-room +stills +still-sick +still-slaughtered +stillstand +still-stand +still-unmarried +still-vexed +still-watching +Stillwater +Stillwell +STILO +stylo +stylo- +styloauricularis +stylobata +stylobate +Stylochus +styloglossal +styloglossus +stylogonidium +stylograph +stylography +stylographic +stylographical +stylographically +stylohyal +stylohyoid +stylohyoidean +stylohyoideus +styloid +stylolite +stylolitic +stylomandibular +stylomastoid +stylomaxillary +stylometer +stylomyloid +Stylommatophora +stylommatophorous +Stylonichia +Stylonychia +Stylonurus +stylopharyngeal +stylopharyngeus +Stilophora +Stilophoraceae +stylopid +Stylopidae +stylopization +stylopize +stylopized +stylopod +stylopodia +stylopodium +Stylops +Stylosanthes +stylospore +stylosporous +stylostegium +stylostemon +stylostixis +stylotypite +stylous +stilpnomelane +stilpnosiderite +stilt +stiltbird +stilted +stiltedly +stiltedness +stilter +stilty +stiltier +stiltiest +stiltify +stiltified +stiltifying +stiltiness +stilting +stiltish +stilt-legged +stiltlike +Stilton +stilts +Stilu +stylus +styluses +Stilwell +stim +stime +stimes +stimy +stymy +stymie +stimied +stymied +stymieing +stimies +stymies +stimying +stymying +stimpart +stimpert +Stymphalian +Stymphalid +Stymphalides +Stymphalus +Stimson +stimulability +stimulable +stimulance +stimulancy +stimulant +stimulants +stimulant's +stimulate +stimulated +stimulater +stimulates +stimulating +stimulatingly +stimulation +stimulations +stimulative +stimulatives +stimulator +stimulatory +stimulatress +stimulatrix +stimuli +stimulogenous +stimulose +stimulus +stimulus-response +Stine +Stinesville +sting +stingaree +stingareeing +stingbull +stinge +stinger +stingers +stingfish +stingfishes +stingy +stingier +stingiest +stingily +stinginess +stinginesses +stinging +stingingly +stingingness +stingless +stingo +stingos +stingproof +stingray +stingrays +stings +stingtail +stink +stinkard +stinkardly +stinkards +stinkaroo +stinkball +stinkberry +stinkberries +stinkbird +stinkbug +stinkbugs +stinkbush +stinkdamp +stinker +stinkeroo +stinkeroos +stinkers +stinkhorn +stink-horn +Stinky +stinkibus +stinkier +stinkiest +stinkyfoot +stinking +stinkingly +stinkingness +stinko +stinkpot +stink-pot +stinkpots +stinks +stinkstone +stinkweed +stinkwood +stinkwort +Stinnes +Stinnett +Stinson +stint +stinted +stintedly +stintedness +stinter +stinters +stinty +stinting +stintingly +stintless +stints +stion +stionic +stioning +Stipa +stipate +stipe +stiped +stipel +stipellate +stipels +stipend +stipendary +stipendia +stipendial +stipendiary +stipendiarian +stipendiaries +stipendiate +stipendium +stipendiums +stipendless +stipends +stipend's +stipes +Styphelia +styphnate +styphnic +stipiform +stipitate +stipites +stipitiform +stipiture +Stipiturus +stipo +stipos +stippen +stipple +stippled +stippledness +stippler +stipplers +stipples +stipply +stippling +stypsis +stypsises +styptic +styptical +stypticalness +stypticin +stypticity +stypticness +styptics +stipula +stipulable +stipulaceous +stipulae +stipulant +stipular +stipulary +stipulate +stipulated +stipulates +stipulating +stipulatio +stipulation +stipulations +stipulator +stipulatory +stipulators +stipule +stipuled +stipules +stipuliferous +stipuliform +Stir +Styr +stirabout +Styracaceae +styracaceous +styracin +Styrax +styraxes +stire +styrene +styrenes +stir-fry +Stiria +Styria +Styrian +styryl +styrylic +Stiritis +stirk +stirks +stirless +stirlessly +stirlessness +Stirling +Stirlingshire +Styrofoam +styrogallol +styrol +styrolene +styrone +stirp +stirpes +stirpicultural +stirpiculture +stirpiculturist +stirps +stirra +stirrable +stirrage +Stirrat +stirred +stirrer +stirrers +stirrer's +stirring +stirringly +stirrings +stirring-up +stirrup +stirrupless +stirruplike +stirrups +stirrup-vase +stirrupwise +stirs +stir-up +STIS +stitch +stitchbird +stitchdown +stitched +stitcher +stitchery +stitchers +stitches +stitching +stitchlike +stitchwhile +stitchwork +stitchwort +stite +Stites +stith +stithe +stythe +stithy +stithied +stithies +stithying +stithly +Stittville +stituted +Stitzer +stive +stiver +stivers +stivy +styward +Styx +Styxian +Stizolobium +stk +STL +stlg +STM +STN +stoa +stoach +stoae +stoai +stoas +Stoat +stoater +stoating +stoats +stob +stobball +stobbed +stobbing +stobs +stocah +stoccado +stoccados +stoccata +stoccatas +stochastic +stochastical +stochastically +Stochmal +Stock +stockade +stockaded +stockades +stockade's +stockading +stockado +stockage +stockannet +stockateer +stock-blind +stockbow +stockbreeder +stockbreeding +Stockbridge +stockbroker +stock-broker +stockbrokerage +stockbrokers +stockbroking +stockcar +stock-car +stockcars +Stockdale +stock-dove +stock-dumb +stocked +stocker +stockers +Stockertown +Stockett +stockfather +stockfish +stock-fish +stockfishes +stock-gillyflower +Stockhausen +stockholder +stockholders +stockholder's +stockholding +stockholdings +Stockholm +stockhorn +stockhouse +stocky +stockyard +stockyards +stockier +stockiest +stockily +stockiness +stockinet +stockinets +stockinette +stocking +stockinged +stockinger +stocking-foot +stocking-frame +stockinging +stockingless +stockings +stock-in-trade +stockish +stockishly +stockishness +stockist +stockists +stock-job +stockjobber +stock-jobber +stockjobbery +stockjobbing +stock-jobbing +stockjudging +stockkeeper +stockkeeping +Stockland +stockless +stocklike +stockmaker +stockmaking +stockman +stockmen +Stockmon +stockowner +stockpile +stockpiled +stockpiler +stockpiles +stockpiling +Stockport +stockpot +stockpots +stockproof +stockrider +stockriding +stockroom +stockrooms +stock-route +stocks +stock-still +stockstone +stocktaker +stocktaking +stock-taking +Stockton +Stockton-on-Tees +Stockville +Stockwell +Stockwood +stockwork +stock-work +stockwright +stod +Stoddard +Stoddart +Stodder +stodge +stodged +stodger +stodgery +stodges +stodgy +stodgier +stodgiest +stodgily +stodginess +stodging +stodtone +Stoeber +stoech- +stoechas +stoechiology +stoechiometry +stoechiometrically +Stoecker +stoep +stof +stoff +Stoffel +Stofler +stog +stoga +stogey +stogeies +stogeys +stogy +stogie +stogies +STOH +Stoy +Stoic +stoical +stoically +stoicalness +stoicharion +stoicheiology +stoicheiometry +stoicheiometrically +stoichiology +stoichiological +stoichiometry +stoichiometric +stoichiometrical +stoichiometrically +Stoicism +stoicisms +stoics +Stoystown +stoit +stoiter +Stokavci +Stokavian +Stokavski +stoke +stoked +stokehold +stokehole +stoke-hole +Stokely +Stoke-on-Trent +stoker +stokerless +stokers +Stokes +Stokesdale +Stokesia +stokesias +stokesite +Stoke-upon-Trent +stoking +Stokowski +stokroos +stokvis +STOL +stola +stolae +stolas +stold +stole +stoled +stolelike +stolen +stolenly +stolenness +stolenwise +stoles +stole's +stole-shaped +stolewise +stolid +stolider +stolidest +stolidity +stolidities +stolidly +stolidness +stolist +stolkjaerre +Stoll +stollen +stollens +Stoller +Stollings +stolon +stolonate +stolonic +stoloniferous +stoloniferously +stolonization +stolonlike +stolons +stolport +Stolzer +stolzite +stom- +stoma +stomacace +stomach +stomachable +stomachache +stomach-ache +stomachaches +stomachachy +stomach-achy +stomachal +stomached +stomacher +stomachers +stomaches +stomach-filling +stomach-formed +stomachful +stomachfully +stomachfulness +stomach-hating +stomach-healing +stomachy +stomachic +stomachical +stomachically +stomachicness +stomaching +stomachless +stomachlessness +stomachous +stomach-qualmed +stomachs +stomach-shaped +stomach-sick +stomach-soothing +stomach-tight +stomach-turning +stomach-twitched +stomach-weary +stomach-whetted +stomach-worn +stomack +stomal +stomapod +Stomapoda +stomapodiform +stomapodous +stomas +stomat- +stomata +stomatal +stomatalgia +stomate +stomates +stomatic +stomatiferous +stomatitic +stomatitis +stomatitus +stomato- +stomatocace +Stomatoda +stomatodaeal +stomatodaeum +stomatode +stomatodeum +stomatodynia +stomatogastric +stomatograph +stomatography +stomatolalia +stomatology +stomatologic +stomatological +stomatologist +stomatomalacia +stomatomenia +stomatomy +stomatomycosis +stomatonecrosis +stomatopathy +Stomatophora +stomatophorous +stomatoplasty +stomatoplastic +stomatopod +Stomatopoda +stomatopodous +stomatorrhagia +stomatoscope +stomatoscopy +stomatose +stomatosepsis +stomatotyphus +stomatotomy +stomatotomies +stomatous +stome +stomenorrhagia +stomy +stomion +stomium +stomodaea +stomodaeal +stomodaeudaea +stomodaeum +stomodaeums +stomode +stomodea +stomodeal +stomodeum +stomodeumdea +stomodeums +Stomoisia +stomous +stomoxys +stomp +stomped +stomper +stompers +stomping +stompingly +stomps +stonable +stonage +stond +Stone +stoneable +stone-arched +stone-asleep +stone-axe +stonebass +stonebird +stonebiter +stone-bladed +stone-blind +stoneblindness +stone-blindness +stoneboat +Stoneboro +stonebow +stone-bow +stonebrash +stonebreak +stone-broke +stonebrood +stone-brown +stone-bruised +stone-buff +stone-built +stonecast +stonecat +stonechat +stone-cleaving +stone-coated +stone-cold +stone-colored +stone-covered +stonecraft +stonecrop +stonecutter +stone-cutter +stonecutting +stone-cutting +stoned +stonedamp +stone-darting +stone-dead +stone-deaf +stone-deafness +stoned-horse +stone-dumb +stone-dust +stone-eared +stone-eating +stone-edged +stone-eyed +stone-faced +stonefish +stonefishes +stonefly +stoneflies +stone-floored +Stonefort +stone-fruit +Stonega +stonegale +stonegall +stoneground +stone-ground +Stoneham +stonehand +stone-hand +stone-hard +stonehatch +stonehead +stone-headed +stonehearted +Stonehenge +stone-horse +stoney +stoneyard +stoneite +stonelayer +stonelaying +stoneless +stonelessness +stonelike +stone-lily +stone-lined +stone-living +Stoneman +stonemason +stonemasonry +stonemasons +stonemen +stone-milled +stonemint +stone-moving +stonen +stone-parsley +stone-paved +stonepecker +stone-pillared +stone-pine +stoneput +stoner +stone-ribbed +stoneroller +stone-rolling +stone-roofed +stoneroot +stoner-out +stoners +Stones +stoneseed +stonesfield +stoneshot +stone-silent +stonesmatch +stonesmich +stone-smickle +stonesmitch +stonesmith +stone-still +stone-throwing +stone-using +stone-vaulted +Stoneville +stonewall +stone-wall +stonewalled +stone-walled +stonewaller +stonewally +stonewalling +stone-walling +stonewalls +stoneware +stoneweed +stonewise +stonewood +stonework +stoneworker +stoneworks +stonewort +stong +stony +stony-blind +Stonybottom +stony-broke +Stonybrook +stonied +stony-eyed +stonier +stoniest +stony-faced +stonify +stonifiable +Stonyford +stonyhearted +stony-hearted +stonyheartedly +stony-heartedly +stonyheartedness +stony-heartedness +stony-jointed +stonily +stoniness +stoning +Stonington +stony-pitiless +stonish +stonished +stonishes +stonishing +stonishment +stony-toed +stony-winged +stonk +stonker +stonkered +Stonwin +stood +stooded +stooden +stoof +stooge +stooged +stooges +stooging +stook +stooked +stooker +stookers +stookie +stooking +stooks +stool +stoolball +stool-ball +stooled +stoolie +stoolies +stooling +stoollike +stools +stoon +stoond +stoop +stoopball +stooped +stooper +stoopers +stoopgallant +stoop-gallant +stooping +stoopingly +Stoops +stoop-shouldered +stoorey +stoory +stoot +stooter +stooth +stoothing +stop +stopa +stopback +stopband +stopbank +stopblock +stopboard +stopcock +stopcocks +stopdice +stope +stoped +stopen +stoper +stopers +Stopes +stopgap +stop-gap +stopgaps +stop-go +stophound +stoping +stopless +stoplessness +stoplight +stoplights +stop-loss +stop-off +stop-open +stopover +stopovers +stoppability +stoppable +stoppableness +stoppably +stoppage +stoppages +Stoppard +stopped +stoppel +stopper +stoppered +stoppering +stopperless +stoppers +stopper's +stoppeur +stopping +stoppit +stopple +stoppled +stopples +stoppling +stops +stopship +stopt +stopway +stopwatch +stop-watch +stopwatches +stopwater +stopwork +stor +storability +storable +storables +storage +storages +storage's +storay +storax +storaxes +Storden +store +store-bought +store-boughten +stored +storeen +storefront +storefronts +storehouse +storehouseman +storehouses +storehouse's +Storey +storeyed +storeys +storekeep +storekeeper +storekeepers +storekeeping +storeman +storemaster +storemen +Storer +storeroom +store-room +storerooms +stores +storeship +store-ship +storesman +storewide +Storfer +storge +Story +storial +storiate +storiated +storiation +storyboard +storybook +storybooks +storied +storier +stories +storiette +storify +storified +storifying +storying +storyless +storyline +storylines +storymaker +storymonger +storing +storiology +storiological +storiologist +storyteller +story-teller +storytellers +storytelling +storytellings +Storyville +storywise +storywork +storywriter +story-writing +story-wrought +stork +stork-billed +storken +stork-fashion +storkish +storklike +storkling +storks +stork's +storksbill +stork's-bill +storkwise +Storm +stormable +storm-armed +storm-beat +storm-beaten +stormbelt +Stormberg +stormbird +storm-boding +stormbound +storm-breathing +stormcock +storm-cock +storm-drenched +stormed +storm-encompassed +stormer +storm-felled +stormful +stormfully +stormfulness +storm-god +Stormi +Stormy +Stormie +stormier +stormiest +stormily +storminess +storming +stormingly +stormish +storm-laden +stormless +stormlessly +stormlessness +stormlike +storm-lit +storm-portending +storm-presaging +stormproof +storm-rent +storms +storm-stayed +storm-swept +stormtide +stormtight +storm-tight +storm-tossed +storm-trooper +Stormville +stormward +storm-washed +stormwind +stormwise +storm-wise +storm-worn +storm-wracked +stornelli +stornello +Stornoway +Storrie +Storrs +Storthing +Storting +Stortz +Storz +stosh +Stoss +stosston +stot +stoter +stoting +stotinka +stotinki +stotious +stott +stotter +stotterel +Stottville +Stouffer +Stoughton +stoun +stound +stounded +stounding +stoundmeal +stounds +stoup +stoupful +stoups +stour +Stourbridge +stoure +stoures +stoury +stourie +stouring +stourly +stourliness +stourness +stours +stoush +Stout +stout-armed +stout-billed +stout-bodied +stouten +stoutened +stoutening +stoutens +stouter +stoutest +stout-girthed +stouth +stouthearted +stout-hearted +stoutheartedly +stout-heartedly +stoutheartedness +stout-heartedness +stouthrief +stouty +stoutish +Stoutland +stout-legged +stoutly +stout-limbed +stout-looking +stout-minded +stoutness +stoutnesses +stout-ribbed +stouts +stout-sided +stout-soled +stout-stalked +stout-stomached +Stoutsville +stout-winged +stoutwood +stout-worded +stovaine +Stovall +stove +stovebrush +stoved +stove-dried +stoveful +stove-heated +stovehouse +stoveless +stovemaker +stovemaking +stoveman +stovemen +stoven +stovepipe +stove-pipe +stovepipes +Stover +stovers +stoves +stove's +stove-warmed +stovewood +stovies +stoving +Stow +stowable +stowage +stowages +stowaway +stowaways +stowball +stow-blade +stowboard +stow-boating +stowbord +stowbordman +stowbordmen +stowce +stowdown +Stowe +stowed +Stowell +stower +stowing +stowlins +stownet +stownlins +stowp +stowps +stows +stowse +stowth +stowwood +STP +str +str. +stra +Strabane +strabism +strabismal +strabismally +strabismic +strabismical +strabismies +strabismometer +strabismometry +strabismus +Strabo +strabometer +strabometry +strabotome +strabotomy +strabotomies +Stracchino +Strachey +strack +strackling +stract +Strad +stradametrical +straddle +straddleback +straddlebug +straddled +straddle-face +straddle-fashion +straddle-legged +straddler +straddlers +straddles +straddleways +straddlewise +straddling +straddlingly +Strade +Stradella +Strader +stradico +stradine +stradiot +Stradivari +Stradivarius +stradl +stradld +stradlings +strae +strafe +strafed +strafer +strafers +strafes +Strafford +Straffordian +strafing +strag +Strage +straggle +straggle-brained +straggled +straggler +stragglers +straggles +straggly +stragglier +straggliest +straggling +stragglingly +stragular +stragulum +stray +strayaway +strayed +strayer +strayers +straight +straightabout +straight-arm +straightaway +straight-backed +straight-barred +straight-barreled +straight-billed +straight-bitted +straight-body +straight-bodied +straightbred +straight-cut +straight-drawn +straighted +straightedge +straight-edge +straightedged +straight-edged +straightedges +straightedging +straighten +straightened +straightener +straighteners +straightening +straightens +straighter +straightest +straight-faced +straight-falling +straight-fibered +straight-flung +straight-flute +straight-fluted +straightforward +straightforwarder +straightforwardest +straightforwardly +straightforwardness +straightforwards +straightfoward +straight-from-the-shoulder +straight-front +straight-going +straight-grained +straight-growing +straight-grown +straight-haired +straight-hairedness +straighthead +straight-hemmed +straight-horned +straighting +straightish +straightjacket +straight-jointed +straightlaced +straight-laced +straight-lacedly +straight-leaved +straight-legged +straightly +straight-limbed +straight-line +straight-lined +straight-line-frequency +straight-made +straight-minded +straight-necked +straightness +straight-nosed +straight-out +straight-pull +straight-ribbed +straights +straight-shaped +straight-shooting +straight-side +straight-sided +straight-sliding +straight-spoken +straight-stemmed +straight-stocked +straighttail +straight-tailed +straight-thinking +straight-trunked +straight-tusked +straightup +straight-up +straight-up-and-down +straight-veined +straightway +straightways +straightwards +straight-winged +straightwise +straying +straik +straike +strail +stray-line +strayling +Strain +strainable +strainableness +strainably +strained +strainedly +strainedness +strainer +strainerman +strainermen +strainers +straining +strainingly +strainless +strainlessly +strainometer +strainproof +strains +strainslip +straint +strays +Strait +strait-besieged +strait-bodied +strait-braced +strait-breasted +strait-breeched +strait-chested +strait-clothed +strait-coated +strait-embraced +straiten +straitened +straitening +straitens +straiter +straitest +straitjacket +strait-jacket +strait-knotted +strait-lace +straitlaced +strait-laced +straitlacedly +strait-lacedly +straitlacedness +strait-lacedness +strait-lacer +straitlacing +strait-lacing +straitly +strait-necked +straitness +straits +strait-sleeved +straitsman +straitsmen +strait-tied +strait-toothed +strait-waistcoat +strait-waisted +straitwork +straka +strake +straked +strakes +straky +stralet +Stralka +Stralsund +stram +stramash +stramashes +stramazon +stramineous +stramineously +strammel +strammer +stramony +stramonies +stramonium +stramp +Strand +strandage +Strandburg +stranded +strandedness +Strander +stranders +stranding +strandless +strandline +strandlooper +Strandloper +Strandquist +strands +strandward +Strang +strange +strange-achieved +strange-clad +strange-colored +strange-composed +strange-disposed +strange-fashioned +strange-favored +strange-garbed +strangely +strangeling +strange-looking +strange-met +strangeness +strangenesses +strange-plumaged +Stranger +strangerdom +strangered +strangerhood +strangering +strangerlike +strangers +strangership +strangerwise +strange-sounding +strangest +strange-tongued +strange-voiced +strange-wayed +strangle +strangleable +strangled +stranglehold +stranglement +strangler +stranglers +strangles +strangletare +strangleweed +strangling +stranglingly +stranglings +strangulable +strangulate +strangulated +strangulates +strangulating +strangulation +strangulations +strangulation's +strangulative +strangulatory +strangullion +strangury +strangurious +strany +stranner +Stranraer +strap +StRaphael +straphang +straphanger +straphanging +straphead +strap-hinge +strap-laid +strap-leaved +strapless +straplike +strapness +strapnesses +strap-oil +strapontin +strappable +strappado +strappadoes +strappan +strapped +strapper +strappers +strapping +strapple +straps +strap's +strap-shaped +strapwork +strapwort +Strasberg +Strasbourg +Strasburg +strass +Strassburg +strasses +strata +stratagem +stratagematic +stratagematical +stratagematically +stratagematist +stratagemical +stratagemically +stratagems +stratagem's +stratal +stratameter +stratas +strate +stratege +strategetic +strategetical +strategetics +strategi +strategy +strategian +strategic +strategical +strategically +strategics +strategies +strategy's +strategist +strategists +strategize +strategoi +strategos +strategus +Stratford +Stratfordian +Stratford-on-Avon +Stratford-upon-Avon +strath +Stratham +Strathclyde +Strathcona +Strathmere +Strathmore +straths +strathspey +strathspeys +strati +strati- +stratic +straticulate +straticulation +stratify +stratification +stratifications +stratified +stratifies +stratifying +stratiform +stratiformis +stratig +stratigrapher +stratigraphy +stratigraphic +stratigraphical +stratigraphically +stratigraphist +Stratiomyiidae +stratiote +Stratiotes +stratlin +strato- +stratochamber +strato-cirrus +stratocracy +stratocracies +stratocrat +stratocratic +stratocumuli +stratocumulus +Strato-cumulus +stratofreighter +stratography +stratographic +stratographical +stratographically +stratojet +stratonic +Stratonical +stratopause +stratopedarch +stratoplane +stratose +stratosphere +stratospheres +stratospheric +stratospherical +stratotrainer +stratous +stratovision +Strattanville +Stratton +stratum +stratums +stratus +Straub +straucht +strauchten +Straughn +straught +Straus +Strauss +Strausstown +stravagant +stravage +stravaged +stravages +stravaging +stravague +stravaig +stravaiged +stravaiger +stravaiging +stravaigs +strave +Stravinsky +straw +straw-barreled +strawberry +strawberry-blond +strawberries +strawberrylike +strawberry-raspberry +strawberry's +strawbill +strawboard +straw-boss +strawbreadth +straw-breadth +straw-built +straw-capped +straw-colored +straw-crowned +straw-cutting +straw-dried +strawed +straw-emboweled +strawen +strawer +strawflower +strawfork +strawhat +straw-hatted +strawy +strawyard +strawier +strawiest +strawing +strawish +straw-laid +strawless +strawlike +strawman +strawmote +Strawn +straw-necked +straw-plaiter +straw-plaiting +straw-roofed +straws +straw's +straw-shoe +strawsmall +strawsmear +straw-splitting +strawstack +strawstacker +straw-stuffed +straw-thatched +strawwalker +strawwork +strawworm +stre +streahte +streak +streaked +streaked-back +streakedly +streakedness +streaker +streakers +streaky +streakier +streakiest +streakily +streakiness +streaking +streaklike +streaks +streakwise +stream +streambed +stream-bordering +stream-drive +streamed +stream-embroidered +streamer +streamers +streamful +streamhead +streamy +streamier +streamiest +stream-illumed +streaminess +streaming +streamingly +streamless +streamlet +streamlets +streamlike +streamline +stream-line +streamlined +streamliner +streamliners +streamlines +streamling +streamlining +stream-of-consciousness +streams +streamside +streamway +streamward +Streamwood +streamwort +Streator +streck +streckly +stree +streek +streeked +streeker +streekers +streeking +streeks +streel +streeler +streen +streep +Street +streetage +street-bred +streetcar +streetcars +streetcar's +street-cleaning +street-door +Streeter +streeters +streetfighter +streetful +streetless +streetlet +streetlight +streetlike +Streetman +Streeto +street-pacing +street-raking +streets +Streetsboro +streetscape +streetside +street-sold +street-sprinkling +street-sweeping +streetway +streetwalker +street-walker +streetwalkers +streetwalking +streetward +streetwise +Strega +strey +streyne +Streisand +streit +streite +streke +Strelitz +Strelitzi +Strelitzia +Streltzi +stremma +stremmas +stremmatograph +streng +strengite +strength +strength-bringing +strength-conferring +strength-decaying +strengthed +strengthen +strengthened +strengthener +strengtheners +strengthening +strengtheningly +strengthens +strengthful +strengthfulness +strength-giving +strengthy +strengthily +strength-increasing +strength-inspiring +strengthless +strengthlessly +strengthlessness +strength-restoring +strengths +strength-sustaining +strength-testing +strent +Strenta +strenth +strenuity +strenuosity +strenuous +strenuously +strenuousness +Strep +strepen +strepent +strepera +streperous +Strephon +strephonade +Strephonn +strephosymbolia +strepitant +strepitantly +strepitation +strepitoso +strepitous +strepor +Strepphon +streps +Strepsiceros +strepsinema +Strepsiptera +strepsipteral +strepsipteran +strepsipteron +strepsipterous +strepsis +strepsitene +streptaster +strepto- +streptobacilli +streptobacillus +Streptocarpus +streptococcal +streptococci +streptococcic +streptococcocci +Streptococcus +streptodornase +streptokinase +streptolysin +Streptomyces +streptomycete +streptomycetes +streptomycin +Streptoneura +streptoneural +streptoneurous +streptosepticemia +streptothricial +streptothricin +streptothricosis +Streptothrix +streptotrichal +streptotrichosis +Stresemann +stress +stressed +stresser +stresses +stressful +stressfully +stressfulness +stressing +stressless +stresslessness +stressor +stressors +stress-strain +stress-verse +stret +Stretch +stretchability +stretchable +stretchberry +stretched +stretched-out +stretcher +stretcher-bearer +stretcherman +stretchers +stretches +stretchy +stretchier +stretchiest +stretchiness +stretching +stretching-out +stretchneck +stretch-out +stretchpants +stretchproof +Stretford +stretman +stretmen +stretta +strettas +strette +stretti +stretto +strettos +streusel +streuselkuchen +streusels +strew +strewage +strewed +strewer +strewers +strewing +strewment +strewn +strews +strewth +'strewth +stria +striae +strial +Striaria +Striariaceae +striatal +striate +striated +striates +striating +striation +striations +striato- +striatum +striature +strich +strych +striche +strychnia +strychnic +strychnin +strychnina +strychnine +strychnines +strychninic +strychninism +strychninization +strychninize +strychnize +strychnol +Strychnos +strick +stricken +strickenly +strickenness +stricker +Stricklan +Strickland +strickle +strickled +Strickler +strickles +strickless +strickling +Strickman +stricks +strict +stricter +strictest +striction +strictish +strictly +strictness +strictnesses +strictum +stricture +strictured +strictures +strid +stridden +striddle +stride +strideleg +stride-legged +stridelegs +stridence +stridency +strident +stridently +strident-voiced +strider +striders +strides +strideways +stridhan +stridhana +stridhanum +striding +stridingly +stridling +stridlins +stridor +stridors +stridulant +stridulate +stridulated +stridulating +stridulation +stridulator +stridulatory +stridulent +stridulous +stridulously +stridulousness +strife +strife-breeding +strifeful +strife-healing +strifeless +strifemaker +strifemaking +strifemonger +strifeproof +strifes +strife-stirring +striffen +strift +strig +Striga +strigae +strigal +strigate +Striges +striggle +stright +Strigidae +strigiform +Strigiformes +strigil +strigilate +strigilation +strigilator +strigiles +strigilis +strigillose +strigilous +strigils +Striginae +strigine +strigose +strigous +strigovite +Strigula +Strigulaceae +strigulose +strike +strike-a-light +strikeboard +strikeboat +strikebound +strikebreak +strikebreaker +strikebreakers +strikebreaking +striked +strikeless +striken +strikeout +strike-out +strikeouts +strikeover +striker +Stryker +striker-out +strikers +Strykersville +striker-up +strikes +striking +strikingly +strikingness +Strimon +Strymon +strind +Strindberg +Strine +string +string-binding +stringboard +string-colored +stringcourse +stringed +stringency +stringencies +stringendo +stringendos +stringene +stringent +stringently +stringentness +Stringer +stringers +stringful +stringhalt +stringhalted +stringhaltedness +stringhalty +stringholder +stringy +stringybark +stringy-bark +stringier +stringiest +stringily +stringiness +stringing +stringless +stringlike +stringmaker +stringmaking +stringman +stringmen +stringpiece +strings +string's +stringsman +stringsmen +string-soled +string-tailed +string-toned +Stringtown +stringways +stringwood +strinking-out +strinkle +striola +striolae +striolate +striolated +striolet +strip +strip-crop +strip-cropping +stripe +strype +striped +striped-leaved +stripeless +striper +stripers +stripes +stripfilm +stripy +stripier +stripiest +striping +stripings +striplet +striplight +stripling +striplings +strippable +strippage +stripped +stripper +stripper-harvester +strippers +stripper's +stripping +strippit +strippler +strips +strip's +stript +striptease +stripteased +stripteaser +strip-teaser +stripteasers +stripteases +stripteasing +stripteuse +strit +strive +strived +striven +striver +strivers +strives +strivy +striving +strivingly +strivings +Strix +stroam +strobe +strobed +strobes +strobic +strobil +strobila +strobilaceous +strobilae +strobilar +strobilate +strobilation +strobile +strobiles +strobili +strobiliferous +strobiliform +strobiline +strobilization +strobiloid +Strobilomyces +Strobilophyta +strobils +strobilus +stroboradiograph +stroboscope +stroboscopes +stroboscopy +stroboscopic +stroboscopical +stroboscopically +strobotron +strockle +stroddle +strode +Stroessner +Stroganoff +Stroh +Strohbehn +Strohben +Stroheim +Strohl +stroy +stroyed +stroyer +stroyers +stroygood +stroying +stroil +stroys +stroke +stroked +stroker +stroker-in +strokers +strokes +strokesman +stroky +stroking +strokings +strold +stroll +strolld +strolled +stroller +strollers +strolling +strolls +Strom +stroma +stromal +stromata +stromatal +stromateid +Stromateidae +stromateoid +stromatic +stromatiform +stromatolite +stromatolitic +stromatology +Stromatopora +Stromatoporidae +stromatoporoid +Stromatoporoidea +stromatous +stromb +Stromberg +Strombidae +strombiform +strombite +stromboid +Stromboli +strombolian +strombuliferous +strombuliform +Strombus +strome +stromed +stromeyerite +stroming +stromming +Stromsburg +stromuhr +strond +strone +Strong +strong-ankled +strong-arm +strong-armed +strongarmer +strong-armer +strongback +strong-backed +strongbark +strong-bodied +strong-boned +strongbox +strong-box +strongboxes +strongbrained +strong-breathed +strong-decked +strong-elbowed +stronger +strongest +strong-featured +strong-fibered +strong-fisted +strong-flavored +strongfully +stronghand +stronghanded +strong-handed +stronghead +strongheaded +strong-headed +strongheadedly +strongheadedness +strongheadness +stronghearted +stronghold +strongholds +Stronghurst +strongyl +strongylate +strongyle +strongyliasis +strongylid +Strongylidae +strongylidosis +strongyloid +Strongyloides +strongyloidosis +strongylon +Strongyloplasmata +Strongylosis +strongyls +Strongylus +strongish +strong-jawed +strong-jointed +strongly +stronglike +strong-limbed +strong-looking +strong-lunged +strongman +strong-man +strongmen +strong-minded +strong-mindedly +strong-mindedness +strong-nerved +strongness +strongpoint +strong-pointed +strong-quartered +strong-ribbed +strongroom +strongrooms +strong-scented +strong-seated +strong-set +strong-sided +strong-smelling +strong-stapled +strong-stomached +Strongsville +strong-tasted +strong-tasting +strong-tempered +strong-tested +strong-trunked +strong-voiced +strong-weak +strong-willed +strong-winged +strong-wristed +Stronski +strontia +strontian +strontianiferous +strontianite +strontias +strontic +strontion +strontitic +strontium +strontiums +strook +strooken +stroot +strop +strophaic +strophanhin +strophanthin +Strophanthus +Stropharia +strophe +strophes +strophic +strophical +strophically +strophiolate +strophiolated +strophiole +Strophius +strophoid +Strophomena +Strophomenacea +strophomenid +Strophomenidae +strophomenoid +strophosis +strophotaxis +strophulus +stropped +stropper +stroppy +stropping +stroppings +strops +strosser +stroth +Strother +Stroud +strouding +strouds +Stroudsburg +strounge +Stroup +strout +strouthiocamel +strouthiocamelian +strouthocamelian +strove +strow +strowd +strowed +strowing +strown +strows +Strozza +Strozzi +STRPG +strub +strubbly +strucion +struck +strucken +struct +structed +struction +structional +structive +structural +structuralism +structuralist +structuralization +structuralize +structurally +structural-steel +structuration +structure +structured +structureless +structurelessness +structurely +structurer +structures +structuring +structurist +strude +strudel +strudels +strue +struggle +struggled +struggler +strugglers +struggles +struggling +strugglingly +struis +struissle +Struldbrug +Struldbruggian +Struldbruggism +strum +Struma +strumae +strumas +strumatic +strumaticness +strumectomy +Strumella +strumiferous +strumiform +strumiprivic +strumiprivous +strumitis +strummed +strummer +strummers +strumming +strumose +strumous +strumousness +strumpet +strumpetlike +strumpetry +strumpets +strums +strumstrum +strumulose +strung +Strunk +strunt +strunted +strunting +strunts +struse +strut +struth +Struthers +struthian +struthiform +struthiiform +struthiin +struthin +Struthio +struthioid +Struthiomimus +Struthiones +Struthionidae +struthioniform +Struthioniformes +struthionine +Struthiopteris +struthious +struthonine +struts +strutted +strutter +strutters +strutting +struttingly +struv +Struve +struvite +Struwwelpeter +STS +STSCI +STSI +St-simonian +St-simonianism +St-simonist +STTNG +STTOS +Stu +Stuart +Stuartia +stub +stubachite +stubb +stub-bearded +stubbed +stubbedness +stubber +stubby +stubbier +stubbiest +stubby-fingered +stubbily +stubbiness +stubbing +stubble +stubbleberry +stubbled +stubble-fed +stubble-loving +stubbles +stubbleward +stubbly +stubblier +stubbliest +stubbliness +stubbling +stubboy +stubborn +stubborn-chaste +stubborner +stubbornest +stubborn-hard +stubbornhearted +stubbornly +stubborn-minded +stubbornness +stubbornnesses +stubborn-shafted +stubborn-stout +Stubbs +stubchen +stube +stub-end +stuber +stubiest +stuboy +stubornly +stub-pointed +stubrunner +stubs +stub's +Stubstad +stub-thatched +stub-toed +stubwort +stucco +stucco-adorned +stuccoed +stuccoer +stuccoers +stuccoes +stucco-fronted +stuccoyer +stuccoing +stucco-molded +stuccos +stucco-walled +stuccowork +stuccoworker +stuck +Stuckey +stucken +Stucker +stucking +stuckling +stuck-up +stuck-upness +stuck-upper +stuck-uppy +stuck-uppish +stuck-uppishness +stucturelessness +stud +studbook +studbooks +Studdard +studded +studder +studdery +studdy +studdie +studdies +studding +studdings +studdingsail +studding-sail +studdle +stude +Studebaker +student +studenthood +studentless +studentlike +studentry +students +student's +studentship +studerite +studfish +studfishes +studflower +studhorse +stud-horse +studhorses +study +studia +studiable +study-bearing +study-bred +studied +studiedly +studiedness +studier +studiers +studies +study-given +studying +study-loving +studio +studios +studio's +studious +studiously +studiousness +study-racked +studys +study's +Studite +Studium +study-worn +Studley +stud-mare +Studner +Studnia +stud-pink +studs +stud's +stud-sail +studwork +studworks +stue +stuff +stuffage +stuffata +stuff-chest +stuffed +stuffed-over +stuffender +stuffer +stuffers +stuffgownsman +stuff-gownsman +stuffy +stuffier +stuffiest +stuffily +stuffiness +stuffing +stuffings +stuffless +stuff-over +stuffs +stug +stuggy +stuiver +stuivers +Stuyvesant +Stuka +Stulin +stull +stuller +stulls +stulm +stulty +stultify +stultification +stultifications +stultified +stultifier +stultifies +stultifying +stultiloquence +stultiloquently +stultiloquy +stultiloquious +stultioquy +stultloquent +Stultz +stum +stumble +stumblebum +stumblebunny +stumbled +stumbler +stumblers +stumbles +stumbly +stumbling +stumbling-block +stumblingly +stumer +stummed +stummel +stummer +stummy +stumming +stumor +stumour +stump +stumpage +stumpages +stumped +stumper +stumpers +stump-fingered +stump-footed +stumpy +stumpier +stumpiest +stumpily +stumpiness +stumping +stumpish +stump-jump +stumpknocker +stump-legged +stumpless +stumplike +stumpling +stumpnose +stump-nosed +stump-rooted +stumps +stumpsucker +stump-tail +stump-tailed +Stumptown +stumpwise +stums +stun +Stundism +Stundist +stung +stunk +stunkard +stunned +stunner +stunners +stunning +stunningly +stunpoll +stuns +stunsail +stunsails +stuns'l +stunsle +stunt +stunted +stuntedly +stuntedness +stunter +stunty +stuntiness +stunting +stuntingly +stuntist +stuntman +stuntmen +stuntness +stunts +stunt's +stupa +stupas +stupe +stuped +stupefacient +stupefaction +stupefactions +stupefactive +stupefactiveness +stupefy +stupefied +stupefiedness +stupefier +stupefies +stupefying +stupend +stupendious +stupendly +stupendous +stupendously +stupendousness +stupent +stupeous +stupes +stupex +stuphe +stupid +stupid-acting +stupider +stupidest +stupidhead +stupidheaded +stupid-headed +stupid-honest +stupidish +stupidity +stupidities +stupidly +stupid-looking +stupidness +stupids +stupid-sure +stuping +stupor +stuporific +stuporose +stuporous +stupors +stupose +stupp +Stuppy +stuprate +stuprated +stuprating +stupration +stuprum +stupulose +sturble +Sturbridge +sturdy +sturdy-chested +sturdied +sturdier +sturdies +sturdiest +sturdyhearted +sturdy-legged +sturdily +sturdy-limbed +sturdiness +sturdinesses +Sturdivant +sturgeon +sturgeons +Sturges +Sturgis +sturin +sturine +Sturiones +sturionian +sturionine +sturk +Sturkie +Sturm +Sturmabteilung +Sturmer +Sturmian +Sturnella +Sturnidae +sturniform +Sturninae +sturnine +sturnoid +Sturnus +sturoch +Sturrock +sturshum +Sturt +sturtan +sturte +Sturtevant +sturty +sturtin +sturtion +sturtite +sturts +stuss +stut +Stutman +Stutsman +stutter +stuttered +stutterer +stutterers +stuttering +stutteringly +stutters +Stuttgart +Stutzman +STV +SU +suability +suable +suably +suade +Suaeda +suaharo +Suakin +Sualocin +Suamico +Suanitian +Suanne +suant +suantly +Suarez +suasibility +suasible +suasion +suasionist +suasions +suasive +suasively +suasiveness +suasory +suasoria +suavastika +suave +suavely +suave-looking +suave-mannered +suaveness +suaveolent +suaver +suave-spoken +suavest +suavify +suaviloquence +suaviloquent +suavity +suavities +sub +sub- +suba +subabbot +subabbots +subabdominal +subability +subabilities +subabsolute +subabsolutely +subabsoluteness +subacademic +subacademical +subacademically +subaccount +subacetabular +subacetate +subacid +subacidity +subacidly +subacidness +subacidulous +subacrid +subacridity +subacridly +subacridness +subacrodrome +subacrodromous +subacromial +subact +subaction +subacuminate +subacumination +subacute +subacutely +subadar +subadars +subadditive +subadditively +subadjacent +subadjacently +subadjutor +subadministrate +subadministrated +subadministrating +subadministration +subadministrative +subadministratively +subadministrator +Sub-adriatic +subadult +subadultness +subadults +subaduncate +subadvocate +subaerate +subaerated +subaerating +subaeration +subaerial +subaerially +subaetheric +subaffluence +subaffluent +subaffluently +subage +subagency +subagencies +subagent +sub-agent +subagents +subaggregate +subaggregately +subaggregation +subaggregative +subah +subahdar +subahdary +subahdars +subahs +subahship +subaid +Subak +Subakhmimic +subalar +subalary +subalate +subalated +subalbid +subalgebra +subalgebraic +subalgebraical +subalgebraically +subalgebraist +subalimentation +subalkaline +suballiance +suballiances +suballocate +suballocated +suballocating +subalmoner +subalpine +subaltern +subalternant +subalternate +subalternately +subalternating +subalternation +subalternity +subalterns +subamare +subanal +subanconeal +subandean +sub-Andean +subangled +subangular +subangularity +subangularities +subangularly +subangularness +subangulate +subangulated +subangulately +subangulation +subanniversary +subantarctic +subantichrist +subantique +subantiquely +subantiqueness +subantiquity +subantiquities +Subanun +Sub-apenine +subapical +subapically +subaponeurotic +subapostolic +subapparent +subapparently +subapparentness +subappearance +subappressed +subapprobatiness +subapprobation +subapprobative +subapprobativeness +subapprobatory +subapterous +subaqua +subaqual +subaquatic +subaquean +subaqueous +subarachnoid +subarachnoidal +subarachnoidean +subarboraceous +subarboreal +subarboreous +subarborescence +subarborescent +subarch +sub-arch +subarchesporial +subarchitect +subarctic +subarcuate +subarcuated +subarcuation +subarea +subareal +subareas +subareolar +subareolet +Subarian +subarid +subarytenoid +subarytenoidal +subarmale +subarmor +subarousal +subarouse +subarration +subarrhation +subartesian +subarticle +subarticulate +subarticulately +subarticulateness +subarticulation +subarticulative +subas +subascending +subashi +subassemblage +subassembler +subassembly +sub-assembly +subassemblies +subassociation +subassociational +subassociations +subassociative +subassociatively +subastragalar +subastragaloid +subastral +subastringent +Sub-atlantic +subatmospheric +subatom +subatomic +subatoms +subattenuate +subattenuated +subattenuation +subattorney +subattorneys +subattorneyship +subaud +subaudibility +subaudible +subaudibleness +subaudibly +subaudition +subauditionist +subauditor +subauditur +subaural +subaurally +subauricular +subauriculate +subautomatic +subautomatically +subaverage +subaveragely +subaxial +subaxially +subaxile +subaxillar +subaxillary +subbailie +subbailiff +subbailiwick +subballast +subband +subbank +subbasal +subbasaltic +subbase +sub-base +subbasement +subbasements +subbases +subbasin +subbass +subbassa +subbasses +subbeadle +subbeau +subbed +subbias +subbifid +subbing +subbings +subbituminous +subblock +subbookkeeper +subboreal +subbourdon +subbrachial +subbrachian +subbrachiate +subbrachycephaly +subbrachycephalic +subbrachyskelic +subbranch +subbranched +subbranches +subbranchial +subbreed +subbreeds +subbrigade +subbrigadier +subbroker +subbromid +subbromide +subbronchial +subbronchially +subbureau +subbureaus +subbureaux +subcabinet +subcabinets +subcaecal +subcalcareous +subcalcarine +subcaliber +subcalibre +subcallosal +subcampanulate +subcancellate +subcancellous +subcandid +subcandidly +subcandidness +subcantor +subcapsular +subcaptain +subcaptaincy +subcaptainship +subcaption +subcarbide +subcarbonaceous +subcarbonate +Subcarboniferous +Sub-carboniferous +subcarbureted +subcarburetted +subcardinal +subcardinally +subcarinate +subcarinated +Sub-carpathian +subcartilaginous +subcase +subcash +subcashier +subcasing +subcasino +subcasinos +subcast +subcaste +subcategory +subcategories +subcaudal +subcaudate +subcaulescent +subcause +subcauses +subcavate +subcavity +subcavities +subcelestial +subcell +subcellar +subcellars +subcells +subcellular +subcenter +subcentral +subcentrally +subcentre +subception +subcerebellar +subcerebral +subch +subchairman +subchairmen +subchamberer +subchancel +subchannel +subchannels +subchanter +subchapter +subchapters +subchaser +subchela +subchelae +subchelate +subcheliform +subchief +subchiefs +subchloride +subchondral +subchordal +subchorioid +subchorioidal +subchorionic +subchoroid +subchoroidal +Sub-christian +subchronic +subchronical +subchronically +subcyaneous +subcyanid +subcyanide +subcycle +subcycles +subcylindric +subcylindrical +subcinctoria +subcinctorium +subcincttoria +subcineritious +subcingulum +subcircuit +subcircular +subcircularity +subcircularly +subcision +subcity +subcities +subcivilization +subcivilizations +subcivilized +subclaim +Subclamatores +subclan +subclans +subclass +subclassed +subclasses +subclassify +subclassification +subclassifications +subclassified +subclassifies +subclassifying +subclassing +subclass's +subclausal +subclause +subclauses +subclavate +subclavia +subclavian +subclavicular +subclavii +subclavioaxillary +subclaviojugular +subclavius +subclei +subclerk +subclerks +subclerkship +subclimactic +subclimate +subclimatic +subclimax +subclinical +subclinically +subclique +subclone +subclover +subcoastal +subcoat +subcode +subcodes +subcollateral +subcollector +subcollectorship +subcollege +subcollegial +subcollegiate +subcolumnar +subcommand +subcommander +subcommanders +subcommandership +subcommands +subcommendation +subcommendatory +subcommended +subcommissary +subcommissarial +subcommissaries +subcommissaryship +subcommission +subcommissioner +subcommissioners +subcommissionership +subcommissions +subcommit +subcommittee +subcommittees +subcommunity +subcommunities +subcompact +subcompacts +subcompany +subcompensate +subcompensated +subcompensating +subcompensation +subcompensational +subcompensative +subcompensatory +subcomplete +subcompletely +subcompleteness +subcompletion +subcomponent +subcomponents +subcomponent's +subcompressed +subcomputation +subcomputations +subcomputation's +subconcave +subconcavely +subconcaveness +subconcavity +subconcavities +subconcealed +subconcept +subconcepts +subconcession +subconcessionaire +subconcessionary +subconcessionaries +subconcessioner +subconchoidal +subconference +subconferential +subconformability +subconformable +subconformableness +subconformably +subconic +subconical +subconically +subconjunctival +subconjunctive +subconjunctively +subconnate +subconnation +subconnect +subconnectedly +subconnivent +subconscience +subconscious +subconsciouses +subconsciously +subconsciousness +subconsciousnesses +subconservator +subconsideration +subconstable +sub-constable +subconstellation +subconsul +subconsular +subconsulship +subcontained +subcontest +subcontiguous +subcontinent +subcontinental +subcontinents +subcontinual +subcontinued +subcontinuous +subcontract +subcontracted +subcontracting +subcontractor +subcontractors +subcontracts +subcontraoctave +subcontrary +subcontraries +subcontrariety +subcontrarily +subcontrol +subcontrolled +subcontrolling +subconvex +subconvolute +subconvolutely +subcool +subcooled +subcooling +subcools +subcoracoid +subcordate +subcordately +subcordiform +subcoriaceous +subcorymbose +subcorymbosely +subcorneous +subcornual +subcorporation +subcortex +subcortical +subcortically +subcortices +subcosta +subcostae +subcostal +subcostalis +subcouncil +subcouncils +subcover +subcranial +subcranially +subcreative +subcreatively +subcreativeness +subcreek +subcrenate +subcrenated +subcrenately +subcrepitant +subcrepitation +subcrescentic +subcrest +subcriminal +subcriminally +subcript +subcrystalline +subcritical +subcrossing +subcruciform +subcrureal +subcrureus +subcrust +subcrustaceous +subcrustal +subcubic +subcubical +subcuboid +subcuboidal +subcultrate +subcultrated +subcultural +subculturally +subculture +subcultured +subcultures +subculture's +subculturing +subcuneus +subcurate +subcurator +subcuratorial +subcurators +subcuratorship +subcurrent +subcutaneous +subcutaneously +subcutaneousness +subcutes +subcuticular +subcutis +subcutises +subdatary +subdataries +subdate +subdated +subdating +subdeacon +subdeaconate +subdeaconess +subdeaconry +subdeacons +subdeaconship +subdealer +subdean +subdeanery +subdeans +subdeb +subdebs +subdebutante +subdebutantes +subdecanal +subdecimal +subdecuple +subdeducible +subdefinition +subdefinitions +subdelegate +subdelegated +subdelegating +subdelegation +subdeliliria +subdeliria +subdelirium +subdeliriums +subdeltaic +subdeltoid +subdeltoidal +subdemonstrate +subdemonstrated +subdemonstrating +subdemonstration +subdendroid +subdendroidal +subdenomination +subdentate +subdentated +subdentation +subdented +subdenticulate +subdenticulated +subdepartment +subdepartmental +subdepartments +subdeposit +subdepository +subdepositories +subdepot +subdepots +subdepressed +subdeputy +subdeputies +subderivative +subdermal +subdermic +subdeterminant +subdevil +subdiaconal +subdiaconate +subdiaconus +subdial +subdialect +subdialectal +subdialectally +subdialects +subdiapason +subdiapasonic +subdiapente +subdiaphragmatic +subdiaphragmatically +subdichotomy +subdichotomies +subdichotomize +subdichotomous +subdichotomously +subdie +subdilated +subdirector +subdirectory +subdirectories +subdirectors +subdirectorship +subdiscipline +subdisciplines +subdiscoid +subdiscoidal +subdisjunctive +subdistich +subdistichous +subdistichously +subdistinction +subdistinctions +subdistinctive +subdistinctively +subdistinctiveness +subdistinguish +subdistinguished +subdistrict +sub-district +subdistricts +subdit +subdititious +subdititiously +subdivecious +subdiversify +subdividable +subdivide +subdivided +subdivider +subdivides +subdividing +subdividingly +subdivine +subdivinely +subdivineness +subdivisible +subdivision +subdivisional +subdivisions +subdivision's +subdivisive +subdoctor +subdolent +subdolichocephaly +subdolichocephalic +subdolichocephalism +subdolichocephalous +subdolous +subdolously +subdolousness +subdomains +subdominance +subdominant +subdorsal +subdorsally +subdouble +subdrain +subdrainage +subdrill +subdruid +subduable +subduableness +subduably +subdual +subduals +subduce +subduced +subduces +subducing +subduct +subducted +subducting +subduction +subducts +subdue +subdued +subduedly +subduedness +subduement +subduer +subduers +subdues +subduing +subduingly +subduple +subduplicate +subdural +subdurally +subdure +subdwarf +subecho +subechoes +subectodermal +subectodermic +subedit +sub-edit +subedited +subediting +subeditor +sub-editor +subeditorial +subeditors +subeditorship +subedits +subeffective +subeffectively +subeffectiveness +subelaphine +subelection +subelectron +subelement +subelemental +subelementally +subelementary +subelliptic +subelliptical +subelongate +subelongated +subemarginate +subemarginated +subemployed +subemployment +subencephalon +subencephaltic +subendymal +subendocardial +subendorse +subendorsed +subendorsement +subendorsing +subendothelial +subenfeoff +subengineer +subentire +subentitle +subentitled +subentitling +subentry +subentries +subepidermal +subepiglottal +subepiglottic +subepithelial +subepoch +subepochs +subequal +subequality +subequalities +subequally +subequatorial +subequilateral +subequivalve +suber +suberane +suberate +suberect +suberectly +suberectness +subereous +suberic +suberiferous +suberification +suberiform +suberin +suberine +suberinization +suberinize +suberins +suberise +suberised +suberises +suberising +suberite +Suberites +Suberitidae +suberization +suberize +suberized +suberizes +suberizing +subero- +suberone +suberose +suberous +subers +subescheator +subesophageal +subessential +subessentially +subessentialness +subestuarine +subet +subeth +subetheric +subevergreen +subexaminer +subexcitation +subexcite +subexecutor +subexpression +subexpressions +subexpression's +subextensibility +subextensible +subextensibleness +subextensibness +subexternal +subexternally +subface +subfacies +subfactor +subfactory +subfactorial +subfactories +subfalcate +subfalcial +subfalciform +subfamily +subfamilies +subfascial +subfastigiate +subfastigiated +subfebrile +subferryman +subferrymen +subfestive +subfestively +subfestiveness +subfeu +subfeudation +subfeudatory +subfibrous +subfief +subfield +subfields +subfield's +subfigure +subfigures +subfile +subfiles +subfile's +subfissure +subfix +subfixes +subflavor +subflavour +subflexuose +subflexuous +subflexuously +subfloor +subflooring +subfloors +subflora +subfluid +subflush +subfluvial +subfocal +subfoliar +subfoliate +subfoliation +subforeman +subforemanship +subforemen +subform +subformation +subformative +subformatively +subformativeness +subfossil +subfossorial +subfoundation +subfraction +subfractional +subfractionally +subfractionary +subfractions +subframe +subfreezing +subfreshman +subfreshmen +subfrontal +subfrontally +subfulgent +subfulgently +subfumigation +subfumose +subfunction +subfunctional +subfunctionally +subfunctions +subfusc +subfuscous +subfusiform +subfusk +subg +subgalea +subgallate +subganger +subganoid +subgape +subgaped +subgaping +subgelatinization +subgelatinoid +subgelatinous +subgelatinously +subgelatinousness +subgenera +subgeneric +subgenerical +subgenerically +subgeniculate +subgeniculation +subgenital +subgenre +subgens +subgentes +subgenual +subgenus +subgenuses +subgeometric +subgeometrical +subgeometrically +subgerminal +subgerminally +subget +subgiant +subgyre +subgyri +subgyrus +subgit +subglabrous +subglacial +subglacially +subglenoid +subgloboid +subglobose +subglobosely +subglobosity +subglobous +subglobular +subglobularity +subglobularly +subglobulose +subglossal +subglossitis +subglottal +subglottally +subglottic +subglumaceous +subgoal +subgoals +subgoal's +subgod +subgoverness +subgovernor +subgovernorship +subgrade +subgrades +subgranular +subgranularity +subgranularly +subgraph +subgraphs +subgrin +subgroup +subgroups +subgroup's +subgular +subgum +subgums +subgwely +subhalid +subhalide +subhall +subharmonic +subhastation +subhatchery +subhatcheries +subhead +sub-head +subheading +subheadings +subheadquarters +subheads +subheadwaiter +subhealth +subhedral +subhemispheric +subhemispherical +subhemispherically +subhepatic +subherd +subhero +subheroes +subhexagonal +subhyalin +subhyaline +subhyaloid +Sub-himalayan +subhymenial +subhymenium +subhyoid +subhyoidean +subhypotheses +subhypothesis +subhirsuness +subhirsute +subhirsuteness +subhysteria +subhooked +subhorizontal +subhorizontally +subhorizontalness +subhornblendic +subhouse +subhuman +sub-human +subhumanly +subhumans +subhumeral +subhumid +Subiaco +Subic +subicle +subicteric +subicterical +subicular +subiculum +subidar +subidea +subideal +subideas +Subiya +subilia +subililia +subilium +subimaginal +subimago +subimbricate +subimbricated +subimbricately +subimbricative +subimposed +subimpressed +subincandescent +subincident +subincise +subincision +subincomplete +subindex +subindexes +subindicate +subindicated +subindicating +subindication +subindicative +subindices +subindividual +subinduce +subindustry +subindustries +subinfection +subinfer +subinferior +subinferred +subinferring +subinfeud +subinfeudate +subinfeudated +subinfeudating +subinfeudation +subinfeudatory +subinfeudatories +subinflammation +subinflammatory +subinfluent +subinform +subingression +subinguinal +subinitial +subinoculate +subinoculation +subinsert +subinsertion +subinspector +subinspectorship +subintegumental +subintegumentary +subintellection +subintelligential +subintelligitur +subintent +subintention +subintentional +subintentionally +subintercessor +subinternal +subinternally +subinterval +subintervals +subinterval's +subintestinal +subintimal +subintrant +subintroduce +subintroduced +subintroducing +subintroduction +subintroductive +subintroductory +subinvolute +subinvoluted +subinvolution +subiodide +Subir +subirrigate +subirrigated +subirrigating +subirrigation +subitane +subitaneous +subitany +subitem +subitems +subito +subitous +subj +subj. +subjacency +subjacent +subjacently +subjack +subject +subjectability +subjectable +subjectdom +subjected +subjectedly +subjectedness +subjecthood +subjectibility +subjectible +subjectify +subjectification +subjectified +subjectifying +subjectile +subjecting +subjection +subjectional +subjections +subjectist +subjective +subjectively +subjectiveness +subjectivism +subjectivist +subjectivistic +subjectivistically +subjectivity +subjectivities +subjectivization +subjectivize +subjectivo- +subjectivoidealistic +subjectivo-objective +subjectless +subjectlike +subject-matter +subjectness +subject-object +subject-objectivity +subject-raising +subjects +subjectship +subjee +subjicible +subjoin +subjoinder +subjoined +subjoining +subjoins +subjoint +subjudge +subjudgeship +subjudicial +subjudicially +subjudiciary +subjudiciaries +subjugable +subjugal +subjugate +sub-jugate +subjugated +subjugates +subjugating +subjugation +subjugations +subjugator +subjugators +subjugular +subjunct +subjunction +subjunctive +subjunctively +subjunctives +subjunior +subking +subkingdom +subkingdoms +sublabial +sublabially +sublaciniate +sublacunose +sublacustrine +sublayer +sublayers +sublanate +sublanceolate +sublanguage +sublanguages +sublapsar +sublapsary +sublapsarian +sublapsarianism +sublaryngal +sublaryngeal +sublaryngeally +sublate +sublated +sublateral +sublates +sublating +sublation +sublative +sublattices +sublavius +subleader +sublease +sub-lease +subleased +subleases +subleasing +sublecturer +sublegislation +sublegislature +sublenticular +sublenticulate +sublessee +sublessor +sublet +sub-let +sublethal +sublethally +sublets +Sublett +sublettable +Sublette +subletter +subletting +sublevaminous +sublevate +sublevation +sublevel +sub-level +sublevels +sublibrarian +sublibrarianship +sublicense +sublicensed +sublicensee +sublicenses +sublicensing +sublid +sublieutenancy +sublieutenant +sub-lieutenant +subligation +sublighted +sublimable +sublimableness +sublimant +sublimate +sublimated +sublimates +sublimating +sublimation +sublimational +sublimationist +sublimations +sublimator +sublimatory +Sublime +sublimed +sublimely +sublimeness +sublimer +sublimers +sublimes +sublimest +sublimification +subliminal +subliminally +subliming +sublimish +sublimitation +Sublimity +sublimities +sublimize +subline +sublinear +sublineation +sublines +sublingua +sublinguae +sublingual +sublinguate +sublist +sublists +sublist's +subliterary +subliterate +subliterature +sublittoral +sublobular +sublong +subloral +subloreal +sublot +sublots +sublumbar +sublunar +sublunary +sublunate +sublunated +sublustrous +sublustrously +sublustrousness +subluxate +subluxation +submachine +sub-machine-gun +submaid +submain +submakroskelic +submammary +subman +sub-man +submanager +submanagership +submandibular +submania +submaniacal +submaniacally +submanic +submanor +submarginal +submarginally +submarginate +submargined +submarine +submarined +submariner +submariners +submarines +submarining +submarinism +submarinist +submarshal +submaster +submatrices +submatrix +submatrixes +submaxilla +submaxillae +submaxillary +submaxillas +submaximal +submeaning +submedial +submedially +submedian +submediant +submediation +submediocre +submeeting +submember +submembers +submembranaceous +submembranous +submen +submeningeal +submenta +submental +submentum +submerge +submerged +submergement +submergence +submergences +submerges +submergibility +submergible +submerging +submerse +submersed +submerses +submersibility +submersible +submersibles +submersing +submersion +submersions +submetallic +submetaphoric +submetaphorical +submetaphorically +submeter +submetering +Sub-mycenaean +submicrogram +submicron +submicroscopic +submicroscopical +submicroscopically +submiliary +submind +subminiature +subminiaturization +subminiaturize +subminiaturized +subminiaturizes +subminiaturizing +subminimal +subminister +subministrant +submiss +submissible +submission +submissionist +submissions +submission's +submissit +submissive +submissively +submissiveness +submissly +submissness +submit +Submytilacea +submitochondrial +submits +submittal +submittance +submitted +submitter +submitting +submittingly +submode +submodes +submodule +submodules +submodule's +submolecular +submolecule +submonition +submontagne +submontane +submontanely +submontaneous +submorphous +submortgage +submotive +submountain +submucosa +submucosae +submucosal +submucosally +submucous +submucronate +submucronated +submultiple +submultiplexed +submundane +submuriate +submuscular +submuscularly +subnacreous +subnanosecond +subnarcotic +subnasal +subnascent +subnatural +subnaturally +subnaturalness +subnect +subnervian +subness +subnet +subnets +subnetwork +subnetworks +subnetwork's +subneural +subnex +subniche +subnitrate +subnitrated +subniveal +subnivean +subnodal +subnode +subnodes +subnodulose +subnodulous +subnormal +subnormality +subnormally +Sub-northern +subnotation +subnotational +subnote +subnotochordal +subnubilar +subnuclei +subnucleus +subnucleuses +subnude +subnumber +subnutritious +subnutritiously +subnutritiousness +subnuvolar +suboblique +subobliquely +subobliqueness +subobscure +subobscurely +subobscureness +subobsolete +subobsoletely +subobsoleteness +subobtuse +subobtusely +subobtuseness +suboccipital +subocean +suboceanic +suboctave +suboctile +suboctuple +subocular +subocularly +suboesophageal +suboffice +subofficer +sub-officer +subofficers +suboffices +subofficial +subofficially +subolive +subopaque +subopaquely +subopaqueness +subopercle +subopercular +suboperculum +subopposite +suboppositely +suboppositeness +suboptic +suboptical +suboptically +suboptima +suboptimal +suboptimally +suboptimization +suboptimum +suboptimuma +suboptimums +suboral +suborbicular +suborbicularity +suborbicularly +suborbiculate +suborbiculated +suborbital +suborbitar +suborbitary +subordain +suborder +suborders +subordinacy +subordinal +subordinary +subordinaries +subordinate +subordinated +subordinately +subordinateness +subordinates +subordinating +subordinatingly +subordination +subordinationism +subordinationist +subordinations +subordinative +subordinator +suborganic +suborganically +suborn +subornation +subornations +subornative +suborned +suborner +suborners +suborning +suborns +Suboscines +Subotica +suboval +subovarian +subovate +subovated +suboverseer +subovoid +suboxid +suboxidation +suboxide +suboxides +subpackage +subpagoda +subpallial +subpalmate +subpalmated +subpanation +subpanel +subpar +subparagraph +subparagraphs +subparalytic +subparallel +subparameter +subparameters +subparietal +subparliament +Sub-parliament +subpart +subparty +subparties +subpartition +subpartitioned +subpartitionment +subpartnership +subparts +subpass +subpassage +subpastor +subpastorship +subpatellar +subpatron +subpatronal +subpatroness +subpattern +subpavement +subpectinate +subpectinated +subpectination +subpectoral +subpeduncle +subpeduncled +subpeduncular +subpedunculate +subpedunculated +subpellucid +subpellucidity +subpellucidly +subpellucidness +subpeltate +subpeltated +subpeltately +subpena +subpenaed +subpenaing +subpenas +subpentagonal +subpentangular +subpericardiac +subpericardial +subpericranial +subperiod +subperiosteal +subperiosteally +subperitoneal +subperitoneally +subpermanent +subpermanently +subperpendicular +subpetiolar +subpetiolate +subpetiolated +subpetrosal +subpharyngal +subpharyngeal +subpharyngeally +subphase +subphases +subphyla +subphylar +subphylla +subphylum +subphosphate +subphratry +subphratries +subphrenic +subpial +subpilose +subpilosity +subpimp +subpyramidal +subpyramidic +subpyramidical +Sub-pyrenean +subpyriform +subpiston +subplacenta +subplacentae +subplacental +subplacentas +subplant +subplantigrade +subplat +subplate +subpleural +subplexal +subplinth +subplot +subplots +subplow +subpodophyllous +subpoena +subpoenaed +subpoenaing +subpoenal +subpoenas +subpolar +subpolygonal +subpolygonally +sub-Pontine +subpool +subpools +subpopular +subpopulation +subpopulations +subporphyritic +subport +subpost +subpostmaster +subpostmastership +subpostscript +subpotency +subpotencies +subpotent +subpreceptor +subpreceptoral +subpreceptorate +subpreceptorial +subpredicate +subpredication +subpredicative +subprefect +sub-prefect +subprefectorial +subprefecture +subprehensile +subprehensility +subpreputial +subpress +subprimary +subprincipal +subprincipals +subprior +subprioress +subpriorship +subproblem +subproblems +subproblem's +subprocess +subprocesses +subproctor +subproctorial +subproctorship +subproduct +subprofessional +subprofessionally +subprofessor +subprofessorate +subprofessoriate +subprofessorship +subprofitable +subprofitableness +subprofitably +subprogram +subprograms +subprogram's +subproject +subprojects +subproof +subproofs +subproof's +subproportional +subproportionally +subprostatic +subprotector +subprotectorship +subprovince +subprovinces +subprovincial +subpubescent +subpubic +subpulmonary +subpulverizer +subpunch +subpunctuation +subpurchaser +subpurlin +subputation +subquadrangular +subquadrate +subquality +subqualities +subquarter +subquarterly +subquestion +subqueues +subquinquefid +subquintuple +subra +subrace +subraces +subradial +subradiance +subradiancy +subradiate +subradiative +subradical +subradicalness +subradicness +subradius +subradular +subrail +subrailway +subrameal +subramose +subramous +subrange +subranges +subrange's +subrational +subreader +subreason +subrebellion +subrectal +subrectangular +subrector +subrectory +subrectories +subreference +subregent +subregion +subregional +subregions +subregular +subregularity +subreguli +subregulus +subrelation +subreligion +subreniform +subrent +subrents +subrepand +subrepent +subreport +subreptary +subreption +subreptitious +subreptitiously +subreptive +subreputable +subreputably +subresin +subresults +subretinal +subretractile +subrhombic +subrhombical +subrhomboid +subrhomboidal +subrictal +subrident +subridently +subrigid +subrigidity +subrigidly +subrigidness +subring +subrings +subrision +subrisive +subrisory +Subroc +subrogate +subrogated +subrogating +subrogation +subrogee +subrogor +subroot +sub-rosa +subrostral +subrotund +subrotundity +subrotundly +subrotundness +subround +subroutine +subroutines +subroutine's +subroutining +subrule +subruler +subrules +subs +subsacral +subsale +subsales +subsaline +subsalinity +subsalt +subsample +subsampled +subsampling +subsartorial +subsatellite +subsatiric +subsatirical +subsatirically +subsatiricalness +subsaturated +subsaturation +subscale +subscapular +subscapulary +subscapularis +subschedule +subschedules +subschema +subschemas +subschema's +subscheme +subschool +subscience +subscleral +subsclerotic +subscribable +subscribe +subscribed +subscriber +subscribers +subscribership +subscribes +subscribing +subscript +subscripted +subscripting +subscription +subscriptionist +subscriptions +subscription's +subscriptive +subscriptively +subscripts +subscripture +subscrive +subscriver +subsea +subsecive +subsecretary +subsecretarial +subsecretaries +subsecretaryship +subsect +subsection +subsections +subsection's +subsects +subsecurity +subsecurities +subsecute +subsecutive +subsegment +subsegments +subsegment's +subsella +subsellia +subsellium +subsemifusa +subsemitone +subsensation +subsense +subsensible +subsensual +subsensually +subsensuous +subsensuously +subsensuousness +subsept +subseptate +subseptuple +subsequence +subsequences +subsequence's +subsequency +subsequent +subsequential +subsequentially +subsequently +subsequentness +subsere +subseres +subseries +subserosa +subserous +subserrate +subserrated +subserve +subserved +subserves +subserviate +subservience +subserviency +subservient +subserviently +subservientness +subserving +subsesqui +subsessile +subset +subsets +subset's +subsetting +subsewer +subsextuple +subshaft +subshafts +subshell +subsheriff +subshire +subshrub +subshrubby +subshrubs +subsibilance +subsibilancy +subsibilant +subsibilantly +subsicive +subside +subsided +subsidence +subsidency +subsident +subsider +subsiders +subsides +subsidy +subsidiary +subsidiarie +subsidiaries +subsidiarily +subsidiariness +subsidiary's +subsidies +subsiding +subsidy's +subsidise +subsidist +subsidium +subsidizable +subsidization +subsidizations +subsidize +subsidized +subsidizer +subsidizes +subsidizing +subsign +subsilicate +subsilicic +subsill +subsimian +subsimilation +subsimious +subsimple +subsyndicate +subsyndication +subsynod +subsynodal +subsynodic +subsynodical +subsynodically +subsynovial +subsinuous +subsist +subsisted +subsystem +subsystems +subsystem's +subsistence +subsistences +subsistency +subsistent +subsistential +subsister +subsisting +subsistingly +subsists +subsite +subsites +subsizar +subsizarship +subslot +subslots +subsmile +subsneer +subsocial +subsocially +subsoil +subsoiled +subsoiler +subsoiling +subsoils +subsolar +subsolid +subsonic +subsonically +subsonics +subsort +subsorter +subsovereign +subspace +subspaces +subspace's +subspatulate +subspecialist +subspecialization +subspecialize +subspecialized +subspecializing +subspecialty +subspecialties +subspecies +subspecific +subspecifically +subsphenoid +subsphenoidal +subsphere +subspheric +subspherical +subspherically +subspinose +subspinous +subspiral +subspirally +subsplenial +subspontaneous +subspontaneously +subspontaneousness +subsquadron +subssellia +subst +substage +substages +substalagmite +substalagmitic +substance +substanced +substanceless +substances +substance's +substanch +substandard +substandardization +substandardize +substandardized +substandardizing +substanially +substant +substantia +substantiability +substantiable +substantiae +substantial +substantialia +substantialism +substantialist +substantiality +substantialization +substantialize +substantialized +substantializing +substantially +substantiallying +substantialness +substantiatable +substantiate +substantiated +substantiates +substantiating +substantiation +substantiations +substantiative +substantiator +substantify +substantious +substantival +substantivally +substantive +substantively +substantiveness +substantives +substantivity +substantivize +substantivized +substantivizing +substantize +substate +substation +substations +substernal +substylar +substile +substyle +substituent +substitutability +substitutabilities +substitutable +substitute +substituted +substituter +substitutes +substituting +substitutingly +substitution +substitutional +substitutionally +substitutionary +substitutions +substitutive +substitutively +substock +substore +substoreroom +substory +substories +substract +substraction +substrat +substrata +substratal +substrate +substrates +substrate's +substrati +substrative +substrator +substratose +substratosphere +substratospheric +substratum +substratums +substream +substriate +substriated +substring +substrings +substrstrata +substruct +substruction +substructional +substructural +substructure +substructured +substructures +substructure's +subsulci +subsulcus +subsulfate +subsulfid +subsulfide +subsulphate +subsulphid +subsulphide +subsult +subsultive +subsultory +subsultorily +subsultorious +subsultus +subsumable +subsume +subsumed +subsumes +subsuming +subsumption +subsumptive +subsuperficial +subsuperficially +subsuperficialness +subsurety +subsureties +subsurface +subsurfaces +subtack +subtacksman +subtacksmen +subtangent +subtarget +subtarsal +subtartarean +subtask +subtasking +subtasks +subtask's +subtaxa +subtaxer +subtaxon +subtectacle +subtectal +subteen +subteener +subteens +subtegminal +subtegulaneous +subtegumental +subtegumentary +subtemperate +subtemporal +subtenancy +subtenancies +subtenant +subtenants +subtend +subtended +subtending +subtends +subtense +subtentacular +subtenure +subtepid +subtepidity +subtepidly +subtepidness +subter- +subteraqueous +subterbrutish +subtercelestial +subterconscious +subtercutaneous +subterete +subterethereal +subterfluent +subterfluous +subterfuge +subterfuges +subterhuman +subterjacent +subtermarine +subterminal +subterminally +subternatural +subterpose +subterposition +subterrain +subterrane +subterraneal +subterranean +subterraneanize +subterraneanized +subterraneanizing +subterraneanly +subterraneity +subterraneous +subterraneously +subterraneousness +subterrany +subterranity +subterraqueous +subterrene +subterrestrial +subterritory +subterritorial +subterritories +subtersensual +subtersensuous +subtersuperlative +subtersurface +subtertian +subtest +subtests +subtetanic +subtetanical +subtext +subtexts +subthalamic +subthalamus +subtheme +subthoracal +subthoracic +subthreshold +subthrill +subtile +subtilely +subtileness +subtiler +subtilest +subtiliate +subtiliation +subtilin +subtilis +subtilisation +subtilise +subtilised +subtiliser +subtilising +subtilism +subtilist +subtility +subtilities +subtilization +subtilize +subtilized +subtilizer +subtilizing +subtill +subtillage +subtilly +subtilty +subtilties +subtympanitic +subtype +subtypes +subtypical +subtitle +sub-title +subtitled +subtitles +subtitling +subtitular +subtle +subtle-brained +subtle-cadenced +subtle-fingered +subtle-headed +subtlely +subtle-looking +subtle-meshed +subtle-minded +subtleness +subtle-nosed +subtle-paced +subtler +subtle-scented +subtle-shadowed +subtle-souled +subtlest +subtle-thoughted +subtlety +subtleties +subtle-tongued +subtle-witted +subtly +subtlist +subtone +subtones +subtonic +subtonics +subtopia +subtopic +subtopics +subtorrid +subtotal +subtotaled +subtotaling +subtotalled +subtotally +subtotalling +subtotals +subtotem +subtotemic +subtower +subtract +subtracted +subtracter +subtracting +subtraction +subtractions +subtractive +subtractor +subtractors +subtractor's +subtracts +subtrahend +subtrahends +subtrahend's +subtray +subtranslucence +subtranslucency +subtranslucent +subtransparent +subtransparently +subtransparentness +subtransversal +subtransversally +subtransverse +subtransversely +subtrapezoid +subtrapezoidal +subtread +subtreasurer +sub-treasurer +subtreasurership +subtreasury +sub-treasury +subtreasuries +subtree +subtrees +subtree's +subtrench +subtrend +subtriangular +subtriangularity +subtriangulate +subtribal +subtribe +subtribes +subtribual +subtrifid +subtrigonal +subtrihedral +subtriplicate +subtriplicated +subtriplication +subtriquetrous +subtrist +subtrochanteric +subtrochlear +subtrochleariform +subtropic +subtropical +subtropics +subtrousers +subtrude +subtruncate +subtruncated +subtruncation +subtrunk +subtuberant +subtubiform +subtunic +subtunics +subtunnel +subturbary +subturriculate +subturriculated +subtutor +subtutorship +subtwined +subucula +subulate +subulated +subulicorn +Subulicornia +subuliform +subultimate +subumbellar +subumbellate +subumbellated +subumbelliferous +subumbilical +subumbonal +subumbonate +subumbral +subumbrella +subumbrellar +subuncinal +subuncinate +subuncinated +subunequal +subunequally +subunequalness +subungual +subunguial +Subungulata +subungulate +subunit +subunits +subunit's +subuniversal +subuniverse +suburb +suburban +suburbandom +suburbanhood +suburbanisation +suburbanise +suburbanised +suburbanising +suburbanism +suburbanite +suburbanites +suburbanity +suburbanities +suburbanization +suburbanize +suburbanized +suburbanizing +suburbanly +suburbans +suburbed +suburbia +suburbian +suburbias +suburbican +suburbicary +suburbicarian +suburbs +suburb's +suburethral +subursine +subutopian +subvaginal +subvaluation +subvarietal +subvariety +subvarieties +subvassal +subvassalage +subvein +subvendee +subvene +subvened +subvenes +subvening +subvenize +subvention +subventionary +subventioned +subventionize +subventions +subventitious +subventive +subventral +subventrally +subventricose +subventricous +subventricular +subvermiform +subversal +subverse +subversed +subversion +subversionary +subversions +subversive +subversively +subversiveness +subversives +subversivism +subvert +subvertebral +subvertebrate +subverted +subverter +subverters +subvertible +subvertical +subvertically +subverticalness +subverticilate +subverticilated +subverticillate +subverting +subverts +subvesicular +subvestment +subvicar +subvicars +subvicarship +subvii +subvillain +subviral +subvirate +subvirile +subvisible +subvitalisation +subvitalised +subvitalization +subvitalized +subvitreous +subvitreously +subvitreousness +subvocal +subvocally +subvola +subway +subwayed +subways +subway's +subwar +sub-war +subwarden +subwardenship +subwater +subwealthy +subweight +subwink +subworker +subworkman +subworkmen +subzero +sub-zero +subzygomatic +subzonal +subzonary +subzone +subzones +Sucaryl +succade +succah +succahs +Succasunna +succedanea +succedaneous +succedaneum +succedaneums +succedent +succeed +succeedable +succeeded +succeeder +succeeders +succeeding +succeedingly +succeeds +succent +succentor +succenturiate +succenturiation +succes +succesful +succesive +success +successes +successful +successfully +successfulness +succession +successional +successionally +successionist +successionless +successions +succession's +successive +successively +successiveness +successivity +successless +successlessly +successlessness +successor +successoral +successory +successors +successor's +successorship +succi +succiferous +succin +succin- +succinamate +succinamic +succinamide +succinanil +succinate +succinct +succincter +succinctest +succinctly +succinctness +succinctnesses +succinctory +succinctoria +succinctorium +succincture +succinea +succinic +succiniferous +succinyl +succinylcholine +succinyls +succinylsulfathiazole +succinylsulphathiazole +succinimid +succinimide +succinite +succino- +succinol +succinoresinol +succinosulphuric +succinous +succintorium +succinum +Succisa +succise +succivorous +succor +succorable +succored +succorer +succorers +succorful +succory +succories +succoring +succorless +succorrhea +succorrhoea +succors +succose +succotash +succotashes +Succoth +succour +succourable +succoured +succourer +succourful +succouring +succourless +succours +succous +succub +succuba +succubae +succube +succubi +succubine +succubous +Succubus +succubuses +succudry +succula +succulence +succulences +succulency +succulencies +succulent +succulently +succulentness +succulents +succulous +succumb +succumbed +succumbence +succumbency +succumbent +succumber +succumbers +succumbing +succumbs +succursal +succursale +succus +succuss +succussation +succussatory +succussed +succusses +succussing +succussion +succussive +such +such-and-such +Suches +suchlike +such-like +suchness +suchnesses +Suchos +Su-chou +Suchta +suchwise +suci +Sucy +sucivilized +suck +suck- +suckable +suckabob +suckage +suckauhock +suck-bottle +sucked +suck-egg +sucken +suckener +suckeny +sucker +suckered +suckerel +suckerfish +suckerfishes +suckering +suckerlike +suckers +sucket +suckfish +suckfishes +suckhole +suck-in +sucking +sucking-fish +sucking-pig +sucking-pump +suckle +sucklebush +suckled +suckler +sucklers +suckles +suckless +Suckling +sucklings +Suckow +sucks +suckstone +suclat +sucramin +sucramine +sucrase +sucrases +sucrate +Sucre +sucres +sucrier +sucriers +sucro- +sucroacid +sucrose +sucroses +suction +suctional +suctions +Suctoria +suctorial +suctorian +suctorious +sucupira +sucuri +sucury +sucuriu +sucuruju +sud +sudadero +Sudafed +sudamen +sudamina +sudaminal +Sudan +Sudanese +Sudani +Sudanian +Sudanic +sudary +sudaria +sudaries +sudarium +sudate +sudation +sudations +sudatory +sudatoria +sudatories +sudatorium +Sudbury +Sudburian +sudburite +sudd +sudden +sudden-beaming +suddenly +suddenness +suddennesses +suddens +sudden-starting +suddenty +sudden-whelming +Sudder +Sudderth +suddy +suddle +sudds +sude +Sudermann +sudes +Sudeten +Sudetenland +Sudetes +Sudhir +Sudic +sudiform +Sudith +Sudlersville +Sudnor +sudor +sudoral +sudoresis +sudoric +sudoriferous +sudoriferousness +sudorific +sudoriparous +sudorous +sudors +Sudra +suds +sudsed +sudser +sudsers +sudses +sudsy +sudsier +sudsiest +sudsing +sudsless +sudsman +sudsmen +Sue +Suecism +Sueco-gothic +sued +suede +sueded +suedes +suedine +sueding +suegee +suey +Suellen +Suelo +suent +suer +Suerre +suers +suerte +sues +Suessiones +suet +suety +Suetonius +suets +Sueve +Suevi +Suevian +Suevic +Suez +suf +Sufeism +Suff +suffari +suffaris +suffect +suffection +suffer +sufferable +sufferableness +sufferably +sufferance +sufferant +suffered +sufferer +sufferers +suffering +sufferingly +sufferings +Suffern +suffers +suffete +suffetes +suffice +sufficeable +sufficed +sufficer +sufficers +suffices +sufficience +sufficiency +sufficiencies +sufficient +sufficiently +sufficientness +sufficing +sufficingly +sufficingness +suffiction +Suffield +suffisance +suffisant +suffix +suffixal +suffixation +suffixations +suffixed +suffixer +suffixes +suffixing +suffixion +suffixment +sufflaminate +sufflamination +sufflate +sufflated +sufflates +sufflating +sufflation +sufflue +suffocate +suffocated +suffocates +suffocating +suffocatingly +suffocation +suffocations +suffocative +Suffolk +Suffr +Suffr. +suffragan +suffraganal +suffraganate +suffragancy +suffraganeous +suffragans +suffragant +suffragate +suffragatory +suffrage +suffrages +suffragette +suffragettes +suffragettism +suffragial +suffragism +suffragist +suffragistic +suffragistically +suffragists +suffragitis +suffrago +suffrain +suffront +suffrutescent +suffrutex +suffrutices +suffruticose +suffruticous +suffruticulose +suffumigate +suffumigated +suffumigating +suffumigation +suffusable +suffuse +suffused +suffusedly +suffuses +suffusing +suffusion +suffusions +suffusive +Sufi +Sufiism +Sufiistic +Sufis +Sufism +Sufistic +Sufu +SUG +sugamo +sugan +sugann +Sugar +sugar-baker +sugarberry +sugarberries +sugarbird +sugar-bird +sugar-boiling +sugarbush +sugar-bush +sugar-candy +sugarcane +sugar-cane +sugarcanes +sugar-chopped +sugar-chopper +sugarcoat +sugar-coat +sugarcoated +sugar-coated +sugarcoating +sugar-coating +sugarcoats +sugar-colored +sugar-cured +sugar-destroying +sugared +sugarelly +sugarer +sugar-growing +sugarhouse +sugarhouses +sugary +sugarier +sugaries +sugariest +sugar-yielding +sugariness +sugaring +sugarings +sugar-laden +Sugarland +sugarless +sugarlike +sugar-lipped +sugar-loaded +Sugarloaf +sugar-loaf +sugar-loafed +sugar-loving +sugar-making +sugar-maple +sugar-mouthed +sugarplate +sugarplum +sugar-plum +sugarplums +sugar-producing +sugars +sugarsop +sugar-sop +sugarsweet +sugar-sweet +sugar-teat +sugar-tit +sugar-topped +Sugartown +Sugartree +sugar-water +sugarworks +sugat +Sugden +sugent +sugescent +sugg +suggan +suggest +suggesta +suggestable +suggested +suggestedness +suggester +suggestibility +suggestible +suggestibleness +suggestibly +suggesting +suggestingly +suggestion +suggestionability +suggestionable +suggestionism +suggestionist +suggestionize +suggestions +suggestion's +suggestive +suggestively +suggestiveness +suggestivenesses +suggestivity +suggestment +suggestor +suggestress +suggests +suggestum +suggil +suggillate +suggillation +sugh +sughed +sughing +sughs +sugi +sugih +Sugihara +sugillate +sugis +sugsloot +suguaro +Suh +Suhail +Suharto +suhuaro +Sui +suicidal +suicidalism +suicidally +suicidalwise +suicide +suicided +suicides +suicide's +suicidical +suiciding +suicidism +suicidist +suicidology +suicism +SUID +Suidae +suidian +suiform +Suiy +suikerbosch +suiline +suilline +Suilmann +suimate +Suina +suine +suing +suingly +suint +suints +suyog +Suiogoth +Suiogothic +Suiones +Suisei +suisimilar +Suisse +suist +suit +suitability +suitabilities +suitable +suitableness +suitably +suitcase +suitcases +suitcase's +suit-dress +suite +suited +suitedness +suiter +suiters +suites +suithold +suity +suiting +suitings +suitly +suitlike +suitor +suitoress +suitors +suitor's +suitorship +suitress +suits +suit's +suivante +suivez +sujee-mujee +suji +suji-muji +Suk +Sukarnapura +Sukarno +Sukey +Sukhum +Sukhumi +Suki +sukiyaki +sukiyakis +Sukin +sukkah +sukkahs +sukkenye +sukkot +Sukkoth +Suku +Sula +Sulaba +Sulafat +Sulaib +Sulamith +Sulawesi +sulbasutra +sulcal +sulcalization +sulcalize +sulcar +sulcate +sulcated +sulcation +sulcato- +sulcatoareolate +sulcatocostate +sulcatorimose +sulci +sulciform +sulcomarginal +sulcular +sulculate +sulculus +sulcus +suld +suldan +suldans +sulea +Suleiman +sulf- +sulfa +sulfacid +sulfadiazine +sulfadimethoxine +sulfaguanidine +sulfamate +sulfamerazin +sulfamerazine +sulfamethazine +sulfamethylthiazole +sulfamic +sulfamidate +sulfamide +sulfamidic +sulfamyl +sulfamine +sulfaminic +sulfanilamide +sulfanilic +sulfanilylguanidine +sulfantimonide +sulfapyrazine +sulfapyridine +sulfaquinoxaline +sulfarsenide +sulfarsenite +sulfarseniuret +sulfarsphenamine +sulfas +Sulfasuxidine +sulfatase +sulfate +sulfated +sulfates +Sulfathalidine +sulfathiazole +sulfatic +sulfating +sulfation +sulfatization +sulfatize +sulfatized +sulfatizing +sulfato +sulfazide +sulfhydrate +sulfhydric +sulfhydryl +sulfid +sulfide +sulfides +sulfids +sulfinate +sulfindigotate +sulfindigotic +sulfindylic +sulfine +sulfinic +sulfinide +sulfinyl +sulfinyls +sulfion +sulfionide +sulfisoxazole +sulfite +sulfites +sulfitic +sulfito +sulfo +sulfoacid +sulfoamide +sulfobenzide +sulfobenzoate +sulfobenzoic +sulfobismuthite +sulfoborite +sulfocarbamide +sulfocarbimide +sulfocarbolate +sulfocarbolic +sulfochloride +sulfocyan +sulfocyanide +sulfofication +sulfogermanate +sulfohalite +sulfohydrate +sulfoindigotate +sulfoleic +sulfolysis +sulfomethylic +sulfon- +Sulfonal +sulfonals +sulfonamic +sulfonamide +sulfonate +sulfonated +sulfonating +sulfonation +sulfonator +sulfone +sulfonephthalein +sulfones +sulfonethylmethane +sulfonic +sulfonyl +sulfonyls +sulfonylurea +sulfonium +sulfonmethane +sulfophthalein +sulfopurpurate +sulfopurpuric +sulforicinate +sulforicinic +sulforicinoleate +sulforicinoleic +sulfoselenide +sulfosilicide +sulfostannide +sulfotelluride +sulfourea +sulfovinate +sulfovinic +sulfowolframic +sulfoxide +sulfoxylate +sulfoxylic +sulfoxism +sulfur +sulfurage +sulfuran +sulfurate +sulfuration +sulfurator +sulfur-bottom +sulfur-colored +sulfurea +sulfured +sulfureous +sulfureously +sulfureousness +sulfuret +sulfureted +sulfureting +sulfurets +sulfuretted +sulfuretting +sulfur-flower +sulfury +sulfuric +sulfur-yellow +sulfuryl +sulfuryls +sulfuring +sulfurization +sulfurize +sulfurized +sulfurizing +sulfurosyl +sulfurous +sulfurously +sulfurousness +sulfurs +Sulidae +Sulides +suling +Suliote +sulk +sulka +sulked +sulker +sulkers +sulky +sulkier +sulkies +sulkiest +sulkily +sulkylike +sulkiness +sulkinesses +sulking +sulky-shaped +sulks +sull +Sulla +sullage +sullages +Sullan +sullen +sullen-browed +sullen-eyed +sullener +sullenest +sullenhearted +sullenly +sullen-looking +sullen-natured +sullenness +sullennesses +sullens +sullen-seeming +sullen-sour +sullen-visaged +sullen-wise +Sully +sulliable +sulliage +sullied +sulliedness +sullies +Sulligent +sullying +Sully-Prudhomme +Sullivan +sullow +sulph- +sulpha +sulphacid +sulphadiazine +sulphaguanidine +sulphaldehyde +sulphamate +sulphamerazine +sulphamic +sulphamid +sulphamidate +sulphamide +sulphamidic +sulphamyl +sulphamin +sulphamine +sulphaminic +sulphamino +sulphammonium +sulphanilamide +sulphanilate +sulphanilic +sulphantimonate +sulphantimonial +sulphantimonic +sulphantimonide +sulphantimonious +sulphantimonite +sulphapyrazine +sulphapyridine +sulpharsenate +sulpharseniate +sulpharsenic +sulpharsenid +sulpharsenide +sulpharsenious +sulpharsenite +sulpharseniuret +sulpharsphenamine +sulphas +sulphatase +sulphate +sulphated +sulphates +sulphathiazole +sulphatic +sulphating +sulphation +sulphatization +sulphatize +sulphatized +sulphatizing +sulphato +sulphato- +sulphatoacetic +sulphatocarbonic +sulphazid +sulphazide +sulphazotize +sulphbismuthite +sulphethylate +sulphethylic +sulphhemoglobin +sulphichthyolate +sulphid +sulphidation +sulphide +sulphides +sulphidic +sulphidize +sulphydrate +sulphydric +sulphydryl +sulphids +sulphimide +sulphin +sulphinate +sulphindigotate +sulphindigotic +sulphine +sulphinic +sulphinide +sulphinyl +sulphion +sulphisoxazole +sulphitation +sulphite +sulphites +sulphitic +sulphito +sulphmethemoglobin +sulpho +sulpho- +sulphoacetic +sulpho-acid +sulphoamid +sulphoamide +sulphoantimonate +sulphoantimonic +sulphoantimonious +sulphoantimonite +sulphoarsenic +sulphoarsenious +sulphoarsenite +sulphoazotize +sulphobenzid +sulphobenzide +sulphobenzoate +sulphobenzoic +sulphobismuthite +sulphoborite +sulphobutyric +sulphocarbamic +sulphocarbamide +sulphocarbanilide +sulphocarbimide +sulphocarbolate +sulphocarbolic +sulphocarbonate +sulphocarbonic +sulphochloride +sulphochromic +sulphocyan +sulphocyanate +sulphocyanic +sulphocyanide +sulphocyanogen +sulphocinnamic +sulphodichloramine +sulphofy +sulphofication +sulphogallic +sulphogel +sulphogermanate +sulphogermanic +sulphohalite +sulphohaloid +sulphohydrate +sulphoichthyolate +sulphoichthyolic +sulphoindigotate +sulphoindigotic +sulpholeate +sulpholeic +sulpholipin +sulpholysis +sulphonal +sulphonalism +sulphonamic +sulphonamid +sulphonamide +sulphonamido +sulphonamine +sulphonaphthoic +sulphonate +sulphonated +sulphonating +sulphonation +sulphonator +sulphoncyanine +sulphone +sulphonephthalein +sulphones +sulphonethylmethane +sulphonic +sulphonyl +sulphonium +sulphonmethane +sulphonphthalein +sulphoparaldehyde +sulphophenyl +sulphophosphate +sulphophosphite +sulphophosphoric +sulphophosphorous +sulphophthalein +sulphophthalic +sulphopropionic +sulphoproteid +sulphopupuric +sulphopurpurate +sulphopurpuric +sulphoricinate +sulphoricinic +sulphoricinoleate +sulphoricinoleic +sulphosalicylic +sulpho-salt +sulphoselenide +sulphoselenium +sulphosilicide +sulphosol +sulphostannate +sulphostannic +sulphostannide +sulphostannite +sulphostannous +sulphosuccinic +sulphosulphurous +sulphotannic +sulphotelluride +sulphoterephthalic +sulphothionyl +sulphotoluic +sulphotungstate +sulphotungstic +sulphouinic +sulphourea +sulphovanadate +sulphovinate +sulphovinic +sulphowolframic +sulphoxid +sulphoxide +sulphoxylate +sulphoxylic +sulphoxyphosphate +sulphoxism +sulphozincate +Sulphur +sulphurage +sulphuran +sulphurate +sulphurated +sulphurating +sulphuration +sulphurator +sulphur-bearing +sulphur-bellied +sulphur-bottom +sulphur-breasted +sulphur-colored +sulphur-containing +sulphur-crested +sulphurea +sulphurean +sulphured +sulphureity +sulphureo- +sulphureo-aerial +sulphureonitrous +sulphureosaline +sulphureosuffused +sulphureous +sulphureously +sulphureousness +sulphureovirescent +sulphuret +sulphureted +sulphureting +sulphuretted +sulphuretting +sulphur-flower +sulphur-hued +sulphury +sulphuric +sulphuriferous +sulphuryl +sulphur-impregnated +sulphuring +sulphurious +sulphurity +sulphurization +sulphurize +sulphurized +sulphurizing +sulphurless +sulphurlike +sulphurosyl +sulphurou +sulphurous +sulphurously +sulphurousness +sulphurproof +sulphurs +sulphur-scented +sulphur-smoking +sulphur-tinted +sulphur-tipped +sulphurweed +sulphurwort +Sulpician +Sulpicius +sultam +sultan +Sultana +Sultanabad +sultanas +sultanaship +sultanate +sultanated +sultanates +sultanating +sultane +sultanesque +sultaness +sultany +sultanian +sultanic +sultanin +sultanism +sultanist +sultanize +sultanlike +sultanry +sultans +sultan's +sultanship +sultone +sultry +sultrier +sultriest +sultrily +sultriness +Sulu +Suluan +sulung +Sulus +sulvanite +sulvasutra +SUM +Sumac +sumach +sumachs +sumacs +sumage +Sumak +Sumas +Sumass +Sumatra +Sumatran +sumatrans +Sumba +sumbal +Sumbawa +sumbul +sumbulic +Sumdum +sumen +Sumer +Sumerco +Sumerduck +Sumeria +Sumerian +Sumerlin +Sumero-akkadian +Sumerology +Sumerologist +sumi +Sumy +Sumiton +sumitro +sumless +sumlessness +summa +summability +summable +summae +summage +summand +summands +summand's +Summanus +summar +summary +summaries +summarily +summariness +summary's +summarisable +summarisation +summarise +summarised +summariser +summarising +summarist +summarizable +summarization +summarizations +summarization's +summarize +summarized +summarizer +summarizes +summarizing +summas +summat +summate +summated +summates +summating +summation +summational +summations +summation's +summative +summatory +summed +Summer +summerbird +summer-bird +summer-blanched +summer-breathing +summer-brewed +summer-bright +summercastle +summer-cloud +Summerdale +summer-dried +summered +summerer +summer-fallow +summer-fed +summer-felled +Summerfield +summer-flowering +summergame +summer-grazed +summerhead +summerhouse +summer-house +summerhouses +summery +summerier +summeriest +summeriness +summering +summerings +summerish +summerite +summerize +summerlay +Summerland +summer-leaping +Summerlee +summerless +summerly +summerlike +summer-like +summerliness +summerling +summer-lived +summer-loving +summer-made +summerproof +summer-ripening +summerroom +Summers +summer's +summersault +summer-seeming +summerset +Summershade +summer-shrunk +Summerside +summer-staying +summer-stir +summer-stricken +Summersville +summer-sweet +summer-swelling +summer-threshed +summertide +summer-tide +summer-tilled +summertime +summer-time +Summerton +Summertown +summertree +summer-up +Summerville +summerward +summerweight +summer-weight +summerwood +summing +summings +summing-up +summist +Summit +summital +summity +summitless +summitry +summitries +summits +Summitville +summon +summonable +summoned +summoner +summoners +summoning +summoningly +Summons +summonsed +summonses +summonsing +summons-proof +summula +summulae +summulist +summut +Sumneytown +Sumner +Sumo +sumoist +sumos +sump +sumpage +sumper +sumph +sumphy +sumphish +sumphishly +sumphishness +sumpit +sumpitan +sumple +sumpman +sumps +sumpsimus +sumpt +Sumpter +sumpters +sumption +sumptious +sumptuary +sumptuosity +sumptuous +sumptuously +sumptuousness +sumpture +sumpweed +sumpweeds +Sumrall +sums +sum's +Sumter +Sumterville +sum-total +sum-up +SUN +sun-affronting +Sunay +Sunapee +sun-arrayed +sun-awakened +sunback +sunbake +sunbaked +sun-baked +sunbath +sunbathe +sun-bathe +sunbathed +sun-bathed +sunbather +sunbathers +sunbathes +sunbathing +sunbaths +sunbeam +sunbeamed +sunbeamy +sunbeams +sunbeam's +sun-beat +sun-beaten +sun-begotten +Sunbelt +sunbelts +sunberry +sunberries +sunbird +sunbirds +sun-blackened +sun-blanched +sunblind +sun-blind +sunblink +sun-blistered +sun-blown +sunbonnet +sunbonneted +sunbonnets +sun-born +sunbow +sunbows +sunbreak +sunbreaker +sun-bred +Sunbright +sun-bright +sun-bringing +sun-broad +sun-bronzed +sun-brown +sun-browned +Sunburg +Sunbury +Sunbury-on-Thames +sunburn +sunburned +sunburnedness +sunburning +sunburnproof +sunburns +sunburnt +sunburntness +Sunburst +sunbursts +suncherchor +suncke +sun-clear +sun-confronting +Suncook +sun-courting +sun-cracked +sun-crowned +suncup +sun-cure +sun-cured +Sunda +sundae +sundaes +Sunday +Sundayfied +Sunday-go-to-meeting +Sunday-go-to-meetings +Sundayish +Sundayism +Sundaylike +Sundayness +Sundayproof +Sundays +sunday's +sunday-school +Sunday-schoolish +Sundance +Sundanese +Sundanesian +sundang +sundar +sundaresan +sundari +sun-dazzling +Sundberg +sundek +sun-delighting +sunder +sunderable +sunderance +sundered +sunderer +sunderers +sundering +Sunderland +sunderly +sunderment +sunders +sunderwise +sun-descended +sundew +sundews +SUNDIAG +sundial +sun-dial +sundials +sundik +Sundin +sundog +sundogs +sundown +sundowner +sundowning +sundowns +sundra +sun-drawn +sundress +sundri +sundry +sun-dry +sundry-colored +sun-dried +sundries +sundriesman +sundrily +sundryman +sundrymen +sundriness +sundry-patterned +sundry-shaped +sundrops +Sundstrom +Sundsvall +sune +sun-eclipsing +Suneya +sun-eyed +SUNET +sun-excluding +sun-expelling +sun-exposed +sun-faced +sunfall +sunfast +sun-feathered +Sunfield +sun-filled +sunfish +sun-fish +sunfisher +sunfishery +sunfishes +sun-flagged +sun-flaring +sun-flooded +sunflower +sunflowers +sunfoil +sun-fringed +Sung +sungar +Sungari +sun-gazed +sun-gazing +sungha +Sung-hua +sun-gilt +Sungkiang +sunglade +sunglass +sunglasses +sunglo +sunglow +sunglows +sun-god +sun-graced +sun-graze +sun-grazer +sungrebe +sun-grebe +sun-grown +sunhat +sun-heated +SUNY +Sunyata +sunyie +Sunil +sun-illumined +sunk +sunken +sunket +sunkets +sunkie +sun-kissed +sunkland +sunlamp +sunlamps +Sunland +sunlands +sunless +sunlessly +sunlessness +sunlet +sunlight +sunlighted +sunlights +sunlike +sunlit +sun-loved +sun-loving +sun-made +Sunman +sun-marked +sun-melted +sunn +Sunna +sunnas +sunned +Sunni +Sunny +Sunniah +sunnyasee +sunnyasse +sunny-clear +sunny-colored +sunnier +sunniest +sunny-faced +sunny-haired +sunnyhearted +sunnyheartedness +sunnily +sunny-looking +sunny-natured +sunniness +sunning +sunny-red +Sunnyside +Sunnism +Sunnysouth +sunny-spirited +sunny-sweet +Sunnite +Sunnyvale +sunny-warm +sunns +sunnud +sun-nursed +Sunol +sun-outshining +sun-pain +sun-painted +sun-paled +sun-praising +sun-printed +sun-projected +sunproof +sunquake +Sunray +sun-ray +sun-red +sun-resembling +sunrise +sunrises +sunrising +sunroof +sunroofs +sunroom +sunrooms +sunrose +suns +sun's +sunscald +sunscalds +sunscorch +sun-scorched +sun-scorching +sunscreen +sunscreening +sunseeker +sunset +sunset-blue +sunset-flushed +sunset-lighted +sunset-purpled +sunset-red +sunset-ripened +sunsets +sunsetty +sunsetting +sunshade +sunshades +sun-shading +Sunshine +sunshineless +sunshines +sunshine-showery +sunshiny +sunshining +sun-shot +sun-shunning +sunsmit +sunsmitten +sun-sodden +sun-specs +sunspot +sun-spot +sunspots +sunspotted +sunspottedness +sunspottery +sunspotty +sunsquall +sunstay +sun-staining +sunstar +sunstead +sun-steeped +sunstone +sunstones +sunstricken +sunstroke +sunstrokes +sunstruck +sun-struck +sunsuit +sunsuits +sun-swart +sun-swept +sunt +suntan +suntanned +sun-tanned +suntanning +suntans +sun-tight +suntrap +sunup +sun-up +sunups +SUNVIEW +sunway +sunways +sunward +sunwards +sun-warm +sun-warmed +sunweed +sunwise +sun-withered +Suomi +Suomic +suovetaurilia +Sup +supa +Supai +supari +Supat +supawn +supe +supellectile +supellex +Supen +super +super- +superabduction +superabhor +superability +superable +superableness +superably +superabnormal +superabnormally +superabominable +superabominableness +superabominably +superabomination +superabound +superabstract +superabstractly +superabstractness +superabsurd +superabsurdity +superabsurdly +superabsurdness +superabundance +superabundances +superabundancy +superabundant +superabundantly +superaccession +superaccessory +superaccommodating +superaccomplished +superaccrue +superaccrued +superaccruing +superaccumulate +superaccumulated +superaccumulating +superaccumulation +superaccurate +superaccurately +superaccurateness +superacetate +superachievement +superacid +super-acid +superacidity +superacidulated +superacknowledgment +superacquisition +superacromial +superactivate +superactivated +superactivating +superactive +superactively +superactiveness +superactivity +superactivities +superacute +superacutely +superacuteness +superadaptable +superadaptableness +superadaptably +superadd +superadded +superadding +superaddition +superadditional +superadds +superadequate +superadequately +superadequateness +superadjacent +superadjacently +superadministration +superadmirable +superadmirableness +superadmirably +superadmiration +superadorn +superadornment +superaerial +superaerially +superaerodynamics +superaesthetical +superaesthetically +superaffiliation +superaffiuence +superaffluence +superaffluent +superaffluently +superaffusion +superagency +superagencies +superaggravation +superagitation +superagrarian +superalbal +superalbuminosis +superalimentation +superalkaline +superalkalinity +superalloy +superallowance +superaltar +superaltern +superambition +superambitious +superambitiously +superambitiousness +superambulacral +superanal +superangelic +superangelical +superangelically +superanimal +superanimality +superannate +superannated +superannuate +superannuated +superannuating +superannuation +superannuitant +superannuity +superannuities +superapology +superapologies +superappreciation +superaqual +superaqueous +superarbiter +superarbitrary +superarctic +superarduous +superarduously +superarduousness +superarrogance +superarrogant +superarrogantly +superarseniate +superartificial +superartificiality +superartificially +superaspiration +superassertion +superassociate +superassume +superassumed +superassuming +superassumption +superastonish +superastonishment +superate +superathlete +superathletes +superattachment +superattainable +superattainableness +superattainably +superattendant +superattraction +superattractive +superattractively +superattractiveness +superauditor +superaural +superaverage +superaverageness +superaveraness +superavit +superaward +superaxillary +superazotation +superb +superbad +superbazaar +superbazooka +superbelief +superbelievable +superbelievableness +superbelievably +superbeloved +superbenefit +superbenevolence +superbenevolent +superbenevolently +superbenign +superbenignly +superber +superbest +superbia +superbias +superbious +superbity +superblessed +superblessedness +superbly +superblock +superblunder +superbness +superbold +superboldly +superboldness +superbomb +superbombs +superborrow +superbrain +superbrave +superbravely +superbraveness +superbrute +superbuild +superbungalow +superbusy +superbusily +supercabinet +supercalender +supercallosal +supercandid +supercandidly +supercandidness +supercanine +supercanonical +supercanonization +supercanopy +supercanopies +supercapability +supercapabilities +supercapable +supercapableness +supercapably +supercapital +supercaption +supercar +supercarbonate +supercarbonization +supercarbonize +supercarbureted +supercargo +supercargoes +supercargos +supercargoship +supercarpal +supercarrier +supercatastrophe +supercatastrophic +supercatholic +supercatholically +supercausal +supercaution +supercavitation +supercede +superceded +supercedes +superceding +supercelestial +supercelestially +supercensure +supercentral +supercentrifuge +supercerebellar +supercerebral +supercerebrally +superceremonious +superceremoniously +superceremoniousness +supercharge +supercharged +supercharger +superchargers +supercharges +supercharging +superchemical +superchemically +superchery +supercherie +superchivalrous +superchivalrously +superchivalrousness +Super-christian +supercicilia +supercycle +supercilia +superciliary +superciliosity +supercilious +superciliously +superciliousness +supercilium +supercynical +supercynically +supercynicalness +supercity +supercivil +supercivilization +supercivilized +supercivilly +superclaim +superclass +superclassified +superclean +supercloth +supercluster +supercoincidence +supercoincident +supercoincidently +supercold +supercolossal +supercolossally +supercolumnar +supercolumniation +supercombination +supercombing +supercommendation +supercommentary +supercommentaries +supercommentator +supercommercial +supercommercially +supercommercialness +supercompetition +supercomplete +supercomplex +supercomplexity +supercomplexities +supercomprehension +supercompression +supercomputer +supercomputers +supercomputer's +superconception +superconduct +superconducting +superconduction +superconductive +superconductivity +superconductor +superconductors +superconfidence +superconfident +superconfidently +superconfirmation +superconformable +superconformableness +superconformably +superconformist +superconformity +superconfused +superconfusion +supercongested +supercongestion +superconscious +superconsciousness +superconsecrated +superconsequence +superconsequency +superconservative +superconservatively +superconservativeness +superconstitutional +superconstitutionally +supercontest +supercontribution +supercontrol +superconvenient +supercool +supercooled +super-cooling +supercop +supercordial +supercordially +supercordialness +supercorporation +supercow +supercredit +supercrescence +supercrescent +supercretaceous +supercrime +supercriminal +supercriminally +supercritic +supercritical +supercritically +supercriticalness +supercrowned +supercrust +supercube +supercultivated +superculture +supercurious +supercuriously +supercuriousness +superdainty +superdanger +superdebt +superdeclamatory +super-decompound +superdecorated +superdecoration +superdeficit +superdeity +superdeities +superdejection +superdelegate +superdelicate +superdelicately +superdelicateness +superdemand +superdemocratic +superdemocratically +superdemonic +superdemonstration +superdense +superdensity +superdeposit +superdesirous +superdesirously +superdevelopment +superdevilish +superdevilishly +superdevilishness +superdevotion +superdiabolical +superdiabolically +superdiabolicalness +superdicrotic +superdifficult +superdifficultly +superdying +superdiplomacy +superdirection +superdiscount +superdistention +superdistribution +superdividend +superdivine +superdivision +superdoctor +superdominant +superdomineering +superdonation +superdose +superdramatist +superdreadnought +superdubious +superdubiously +superdubiousness +superduper +super-duper +superduplication +superdural +superearthly +supereconomy +supereconomies +supered +superedify +superedification +supereducated +supereducation +supereffective +supereffectively +supereffectiveness +superefficiency +superefficiencies +superefficient +supereffluence +supereffluent +supereffluently +superego +superegos +superego's +superelaborate +superelaborately +superelaborateness +superelastic +superelastically +superelated +superelegance +superelegancy +superelegancies +superelegant +superelegantly +superelementary +superelevate +superelevated +superelevation +supereligibility +supereligible +supereligibleness +supereligibly +supereloquence +supereloquent +supereloquently +supereminence +supereminency +supereminent +supereminently +superemphasis +superemphasize +superemphasized +superemphasizing +superempirical +superencipher +superencipherment +superendorse +superendorsed +superendorsement +superendorsing +superendow +superenergetic +superenergetically +superenforcement +superengrave +superengraved +superengraving +superenrollment +superenthusiasm +superenthusiasms +superenthusiastic +superepic +superepoch +superequivalent +supererogant +supererogantly +supererogate +supererogated +supererogating +supererogation +supererogative +supererogator +supererogatory +supererogatorily +superespecial +superessential +superessentially +superessive +superestablish +superestablishment +supereternity +superether +superethical +superethically +superethicalness +superethmoidal +superette +superevangelical +superevangelically +superevidence +superevident +superevidently +superexacting +superexalt +superexaltation +superexaminer +superexceed +superexceeding +superexcellence +superexcellency +superexcellent +superexcellently +superexceptional +superexceptionally +superexcitation +superexcited +superexcitement +superexcrescence +superexcrescent +superexcrescently +superexert +superexertion +superexiguity +superexist +superexistent +superexpand +superexpansion +superexpectation +superexpenditure +superexplicit +superexplicitly +superexport +superexpression +superexpressive +superexpressively +superexpressiveness +superexquisite +superexquisitely +superexquisiteness +superextend +superextension +superextol +superextoll +superextreme +superextremely +superextremeness +superextremity +superextremities +superfamily +superfamilies +superfan +superfancy +superfantastic +superfantastically +superfarm +superfast +superfat +superfecta +superfecundation +superfecundity +superfee +superfemale +superfeminine +superfemininity +superfervent +superfervently +superfetate +superfetated +superfetation +superfete +superfeudation +superfibrination +superfice +superficial +superficialism +superficialist +superficiality +superficialities +superficialize +superficially +superficialness +superficiary +superficiaries +superficie +superficies +superfidel +superfinance +superfinanced +superfinancing +superfine +superfineness +superfinical +superfinish +superfinite +superfinitely +superfiniteness +superfissure +superfit +superfitted +superfitting +superfix +superfixes +superfleet +superflexion +superfluent +superfluid +superfluidity +superfluitance +superfluity +superfluities +superfluity's +superfluous +superfluously +superfluousness +superflux +superfoliaceous +superfoliation +superfolly +superfollies +superformal +superformally +superformalness +superformation +superformidable +superformidableness +superformidably +Superfort +Superfortress +superfortunate +superfortunately +superfriendly +superfrontal +superfructified +superfulfill +superfulfillment +superfunction +superfunctional +superfuse +superfused +superfusibility +superfusible +superfusing +superfusion +supergaiety +supergalactic +supergalaxy +supergalaxies +supergallant +supergallantly +supergallantness +supergene +supergeneric +supergenerically +supergenerosity +supergenerous +supergenerously +supergenual +supergiant +supergyre +superglacial +superglorious +supergloriously +supergloriousness +superglottal +superglottally +superglottic +supergoddess +supergood +supergoodness +supergovern +supergovernment +supergovernments +supergraduate +supergrant +supergratify +supergratification +supergratified +supergratifying +supergravitate +supergravitated +supergravitating +supergravitation +supergroup +supergroups +superguarantee +superguaranteed +superguaranteeing +supergun +superhandsome +superhard +superhearty +superheartily +superheartiness +superheat +superheated +superheatedness +superheater +superheating +superheavy +superhelix +superheresy +superheresies +superhero +superheroes +superheroic +superheroically +superheroine +superheroines +superheros +superhet +superheterodyne +superhigh +superhighway +superhighways +superhypocrite +superhirudine +superhistoric +superhistorical +superhistorically +superhit +superhive +superhuman +superhumanity +superhumanize +superhumanized +superhumanizing +superhumanly +superhumanness +superhumans +superhumeral +Superi +superyacht +superial +superideal +superideally +superidealness +superignorant +superignorantly +superillustrate +superillustrated +superillustrating +superillustration +superimpend +superimpending +superimpersonal +superimpersonally +superimply +superimplied +superimplying +superimportant +superimportantly +superimposable +superimpose +superimposed +superimposes +superimposing +superimposition +superimpositions +superimposure +superimpregnated +superimpregnation +superimprobable +superimprobableness +superimprobably +superimproved +superincentive +superinclination +superinclusive +superinclusively +superinclusiveness +superincomprehensible +superincomprehensibleness +superincomprehensibly +superincrease +superincreased +superincreasing +superincumbence +superincumbency +superincumbent +superincumbently +superindependence +superindependent +superindependently +superindiction +superindictment +superindifference +superindifferent +superindifferently +superindignant +superindignantly +superindividual +superindividualism +superindividualist +superindividually +superinduce +superinduced +superinducement +superinducing +superinduct +superinduction +superindue +superindulgence +superindulgent +superindulgently +superindustry +superindustries +superindustrious +superindustriously +superindustriousness +superinenarrable +superinfection +superinfer +superinference +superinferred +superinferring +superinfeudation +superinfinite +superinfinitely +superinfiniteness +superinfirmity +superinfirmities +superinfluence +superinfluenced +superinfluencing +superinformal +superinformality +superinformalities +superinformally +superinfuse +superinfused +superinfusing +superinfusion +supering +superingenious +superingeniously +superingeniousness +superingenuity +superingenuities +superinitiative +superinjection +superinjustice +superinnocence +superinnocent +superinnocently +superinquisitive +superinquisitively +superinquisitiveness +superinsaniated +superinscribe +superinscribed +superinscribing +superinscription +superinsist +superinsistence +superinsistent +superinsistently +superinsscribed +superinsscribing +superinstitute +superinstitution +superintellectual +superintellectually +superintellectuals +superintelligence +superintelligences +superintelligent +superintend +superintendant +superintended +superintendence +superintendences +superintendency +superintendencies +superintendent +superintendential +superintendents +superintendent's +superintendentship +superintender +superintending +superintends +superintense +superintensely +superintenseness +superintensity +superintolerable +superintolerableness +superintolerably +superinundation +superinvolution +Superior +superioress +superior-general +superiority +superiorities +superiorly +superiorness +superiors +superior's +superiors-general +superiorship +superirritability +superius +superjacent +superjet +superjets +superjoined +superjudicial +superjudicially +superjunction +superjurisdiction +superjustification +superknowledge +superl +superl. +superlabial +superlaborious +superlaboriously +superlaboriousness +superlactation +superlay +superlain +superlapsarian +superlaryngeal +superlaryngeally +superlation +superlative +superlatively +superlativeness +superlatives +superlenient +superleniently +superlie +superlied +superlies +superlying +superlikelihood +superline +superliner +superload +superlocal +superlocally +superlogical +superlogicality +superlogicalities +superlogically +superloyal +superloyally +superlucky +superlunar +superlunary +superlunatical +superluxurious +superluxuriously +superluxuriousness +supermagnificent +supermagnificently +supermalate +supermale +Superman +supermanhood +supermanifest +supermanism +supermanly +supermanliness +supermannish +supermarginal +supermarginally +supermarine +supermarket +supermarkets +supermarket's +supermarvelous +supermarvelously +supermarvelousness +supermasculine +supermasculinity +supermaterial +supermathematical +supermathematically +supermaxilla +supermaxillary +supermechanical +supermechanically +supermedial +supermedially +supermedicine +supermediocre +supermen +supermental +supermentality +supermentally +supermetropolitan +supermilitary +supermini +superminis +supermishap +supermystery +supermysteries +supermixture +supermodern +supermodest +supermodestly +supermoisten +supermolecular +supermolecule +supermolten +supermom +supermoral +supermorally +supermorose +supermorosely +supermoroseness +supermotility +supermundane +supermunicipal +supermuscan +supernacular +supernaculum +supernal +supernalize +supernally +supernatant +supernatation +supernation +supernational +supernationalism +supernationalisms +supernationalist +supernationally +supernatural +supernaturaldom +supernaturalise +supernaturalised +supernaturalising +supernaturalism +supernaturalist +supernaturalistic +supernaturality +supernaturalize +supernaturalized +supernaturalizing +supernaturally +supernaturalness +supernature +supernecessity +supernecessities +supernegligence +supernegligent +supernegligently +supernormal +supernormality +supernormally +supernormalness +supernotable +supernotableness +supernotably +supernova +supernovae +supernovas +supernuity +supernumeral +supernumerary +supernumeraries +supernumerariness +supernumeraryship +supernumerous +supernumerously +supernumerousness +supernutrition +supero- +superoanterior +superobedience +superobedient +superobediently +superobese +superobject +superobjection +superobjectionable +superobjectionably +superobligation +superobstinate +superobstinately +superobstinateness +superoccipital +superoctave +superocular +superocularly +superodorsal +superoexternal +superoffensive +superoffensively +superoffensiveness +superofficious +superofficiously +superofficiousness +superofrontal +superointernal +superolateral +superomedial +supero-occipital +superoposterior +superopposition +superoptimal +superoptimist +superoratorical +superoratorically +superorbital +superordain +superorder +superordinal +superordinary +superordinate +superordinated +superordinating +superordination +superorganic +superorganism +superorganization +superorganize +superornament +superornamental +superornamentally +superosculate +superoutput +superovulation +superoxalate +superoxide +superoxygenate +superoxygenated +superoxygenating +superoxygenation +superparamount +superparasite +superparasitic +superparasitism +superparliamentary +superparticular +superpartient +superpassage +superpatience +superpatient +superpatiently +superpatriot +superpatriotic +superpatriotically +superpatriotism +superpatriotisms +superpatriots +superperfect +superperfection +superperfectly +superperson +superpersonal +superpersonalism +superpersonally +superpetrosal +superpetrous +superphysical +superphysicalness +superphysicposed +superphysicposing +superphlogisticate +superphlogistication +superphosphate +superpiety +superpigmentation +superpious +superpiously +superpiousness +superplane +superplanes +superplant +superplausible +superplausibleness +superplausibly +superplease +superplus +superpolymer +superpolite +superpolitely +superpoliteness +superpolitic +superponderance +superponderancy +superponderant +superpopulated +superpopulatedly +superpopulatedness +superpopulation +superport +superports +superposable +superpose +superposed +superposes +superposing +superposition +superpositions +superpositive +superpositively +superpositiveness +superpossition +superpower +superpowered +superpowerful +superpowers +superpraise +superpraised +superpraising +superprecarious +superprecariously +superprecariousness +superprecise +superprecisely +superpreciseness +superprelatical +superpreparation +superprepared +superpressure +superprinting +superpro +superprobability +superproduce +superproduced +superproducing +superproduction +superproportion +superprosperous +superpublicity +super-pumper +superpure +superpurgation +superpurity +superquadrupetal +superqualify +superqualified +superqualifying +superquote +superquoted +superquoting +superrace +superradical +superradically +superradicalness +superrational +superrationally +superreaction +superrealism +superrealist +superrefine +superrefined +superrefinement +superrefining +superreflection +superreform +superreformation +superrefraction +superregal +superregally +superregeneration +superregenerative +superregistration +superregulation +superreliance +superremuneration +superrenal +superrequirement +superrespectability +superrespectable +superrespectableness +superrespectably +superresponsibility +superresponsible +superresponsibleness +superresponsibly +superrestriction +superreward +superrheumatized +superrich +superrighteous +superrighteously +superrighteousness +superroyal +super-royal +superromantic +superromantically +supers +supersacerdotal +supersacerdotally +supersacral +supersacred +supersacrifice +supersafe +supersafely +supersafeness +supersafety +supersagacious +supersagaciously +supersagaciousness +supersaint +supersaintly +supersalesman +supersalesmanship +supersalesmen +supersaliency +supersalient +supersalt +supersanction +supersanguine +supersanguinity +supersanity +supersarcasm +supersarcastic +supersarcastically +supersatisfaction +supersatisfy +supersatisfied +supersatisfying +supersaturate +supersaturated +supersaturates +supersaturating +supersaturation +superscandal +superscandalous +superscandalously +superscholarly +superscientific +superscientifically +superscout +superscouts +superscribe +superscribed +superscribes +superscribing +superscript +superscripted +superscripting +superscription +superscriptions +superscripts +superscrive +superseaman +superseamen +supersecrecy +supersecrecies +supersecret +supersecretion +supersecretive +supersecretively +supersecretiveness +supersecular +supersecularly +supersecure +supersecurely +supersecureness +supersedable +supersede +supersedeas +superseded +supersedence +superseder +supersedere +supersedes +superseding +supersedure +superselect +superselection +superseminate +supersemination +superseminator +superseniority +supersensible +supersensibleness +supersensibly +supersensitisation +supersensitise +supersensitised +supersensitiser +supersensitising +supersensitive +supersensitiveness +supersensitivity +supersensitization +supersensitize +supersensitized +supersensitizing +supersensory +supersensual +supersensualism +supersensualist +supersensualistic +supersensuality +supersensually +supersensuous +supersensuously +supersensuousness +supersentimental +supersentimentally +superseptal +superseptuaginarian +superseraphic +superseraphical +superseraphically +superserious +superseriously +superseriousness +superservice +superserviceable +superserviceableness +superserviceably +supersesquitertial +supersession +supersessive +superset +supersets +superset's +supersevere +superseverely +supersevereness +superseverity +supersex +supersexes +supersexual +supership +supershipment +superships +supersignificant +supersignificantly +supersilent +supersilently +supersympathetic +supersympathy +supersympathies +supersimplicity +supersimplify +supersimplified +supersimplifying +supersincerity +supersyndicate +supersingular +supersystem +supersystems +supersistent +supersize +supersized +superslick +supersmart +supersmartly +supersmartness +supersmooth +super-smooth +supersocial +supersoft +supersoil +supersolar +supersolemn +supersolemness +supersolemnity +supersolemnly +supersolemnness +supersolicit +supersolicitation +supersolid +supersonant +supersonic +supersonically +supersonics +supersovereign +supersovereignty +superspecial +superspecialist +superspecialists +superspecialize +superspecialized +superspecializing +superspecies +superspecification +supersphenoid +supersphenoidal +superspy +superspinous +superspiritual +superspirituality +superspiritually +supersquamosal +superstage +superstamp +superstandard +superstar +superstars +superstate +superstates +superstatesman +superstatesmen +superstylish +superstylishly +superstylishness +superstimulate +superstimulated +superstimulating +superstimulation +superstition +superstitionist +superstitionless +superstition-proof +superstitions +superstition's +superstitious +superstitiously +superstitiousness +superstoical +superstoically +superstrain +superstrata +superstratum +superstratums +superstrength +superstrengths +superstrenuous +superstrenuously +superstrenuousness +superstrict +superstrictly +superstrictness +superstrong +superstruct +superstructed +superstructing +superstruction +superstructive +superstructor +superstructory +superstructral +superstructural +superstructure +superstructures +superstuff +supersublimated +supersuborder +supersubsist +supersubstantial +supersubstantiality +supersubstantially +supersubstantiate +supersubtilized +supersubtle +supersubtlety +supersuccessful +supersufficiency +supersufficient +supersufficiently +supersulcus +supersulfate +supersulfureted +supersulfurize +supersulfurized +supersulfurizing +supersulphate +supersulphuret +supersulphureted +supersulphurize +supersulphurized +supersulphurizing +supersuperabundance +supersuperabundant +supersuperabundantly +supersuperb +supersuperior +supersupremacy +supersupreme +supersurprise +supersuspicion +supersuspicious +supersuspiciously +supersuspiciousness +supersweet +supersweetly +supersweetness +supertanker +super-tanker +supertankers +supertare +supertartrate +supertax +supertaxation +supertaxes +supertemporal +supertempt +supertemptation +supertension +superterranean +superterraneous +superterrene +superterrestial +superterrestrial +superthankful +superthankfully +superthankfulness +superthick +superthin +superthyroidism +superthorough +superthoroughly +superthoroughness +supertight +supertoleration +supertonic +supertotal +supertough +supertower +supertragedy +supertragedies +supertragic +supertragical +supertragically +supertrain +supertramp +supertranscendent +supertranscendently +supertranscendentness +supertreason +supertrivial +supertuchun +supertunic +supertutelary +superugly +superultrafrostified +superunfit +superunit +superunity +superuniversal +superuniversally +superuniversalness +superuniverse +superurgency +superurgent +superurgently +superuser +supervalue +supervalued +supervaluing +supervast +supervastly +supervastness +supervene +supervened +supervenes +supervenience +supervenient +supervening +supervenosity +supervention +supervestment +supervexation +supervictory +supervictories +supervictorious +supervictoriously +supervictoriousness +supervigilance +supervigilant +supervigilantly +supervigorous +supervigorously +supervigorousness +supervirulent +supervirulently +supervisal +supervisance +supervise +supervised +supervisee +supervises +supervising +supervision +supervisionary +supervisions +supervisive +supervisor +supervisory +supervisorial +supervisors +supervisor's +supervisorship +supervisual +supervisually +supervisure +supervital +supervitality +supervitally +supervitalness +supervive +supervolition +supervoluminous +supervoluminously +supervolute +superwager +superweak +superwealthy +superweapon +superweapons +superweening +superwise +superwoman +superwomen +superworldly +superworldliness +superwrought +superzealous +superzealously +superzealousness +supes +supinate +supinated +supinates +supinating +supination +supinator +supine +supinely +supineness +supines +supinity +Suplee +suplex +suporvisory +supp +supp. +suppable +suppage +Suppe +supped +suppedanea +suppedaneous +suppedaneum +suppedit +suppeditate +suppeditation +supper +suppering +supperless +suppers +supper's +suppertime +supperward +supperwards +supping +suppl +supplace +supplant +supplantation +supplanted +supplanter +supplanters +supplanting +supplantment +supplants +Supple +suppled +supplejack +supple-jack +supple-kneed +supplely +supple-limbed +supplement +supplemental +supplementally +supplementals +supplementary +supplementaries +supplementarily +supplementation +supplemented +supplementer +supplementing +supplements +supple-minded +supple-mouth +suppleness +suppler +supples +supple-sinewed +supple-sliding +supplest +suppletion +suppletive +suppletively +suppletory +suppletories +suppletorily +supple-visaged +supple-working +supple-wristed +supply +suppliable +supplial +suppliance +suppliancy +suppliancies +suppliant +suppliantly +suppliantness +suppliants +supplicancy +supplicant +supplicantly +supplicants +supplicat +supplicate +supplicated +supplicates +supplicating +supplicatingly +supplication +supplicationer +supplications +supplicative +supplicator +supplicatory +supplicavit +supplice +supplied +supplier +suppliers +supplies +supplying +suppling +suppnea +suppone +support +supportability +supportable +supportableness +supportably +supportance +supportasse +supportation +supported +supporter +supporters +supportful +supporting +supportingly +supportive +supportively +supportless +supportlessly +supportress +supports +suppos +supposable +supposableness +supposably +supposal +supposals +suppose +supposed +supposedly +supposer +supposers +supposes +supposing +supposital +supposition +suppositional +suppositionally +suppositionary +suppositionless +suppositions +supposition's +suppositious +supposititious +supposititiously +supposititiousness +suppositive +suppositively +suppositor +suppository +suppositories +suppositum +suppost +suppresion +suppresive +suppress +suppressal +suppressant +suppressants +suppressed +suppressedly +suppressen +suppresser +suppresses +suppressibility +suppressible +suppressing +suppression +suppressionist +suppressions +suppressive +suppressively +suppressiveness +suppressor +suppressors +supprime +supprise +suppurant +suppurate +suppurated +suppurates +suppurating +suppuration +suppurations +suppurative +suppuratory +supputation +suppute +supr +supra +supra- +supra-abdominal +supra-acromial +supra-aerial +supra-anal +supra-angular +supra-arytenoid +supra-auditory +supra-auricular +supra-axillary +suprabasidorsal +suprabranchial +suprabuccal +supracaecal +supracargo +supracaudal +supracensorious +supracentenarian +suprachorioid +suprachorioidal +suprachorioidea +suprachoroid +suprachoroidal +suprachoroidea +Supra-christian +supraciliary +supraclavicle +supraclavicular +supraclusion +supracommissure +supracondylar +supracondyloid +supraconduction +supraconductor +supraconscious +supraconsciousness +supracoralline +supracostal +supracoxal +supracranial +supracretaceous +supradecompound +supradental +supradorsal +supradural +supra-esophagal +supra-esophageal +supra-ethmoid +suprafeminine +suprafine +suprafoliaceous +suprafoliar +supraglacial +supraglenoid +supraglottal +supraglottic +supragovernmental +suprahepatic +suprahyoid +suprahistorical +suprahuman +suprahumanity +suprailiac +suprailium +supraintellectual +suprainterdorsal +supra-intestinal +suprajural +supralabial +supralapsarian +supralapsarianism +supralateral +supralegal +supraliminal +supraliminally +supralineal +supralinear +supralittoral +supralocal +supralocally +supraloral +supralunar +supralunary +supramammary +supramarginal +supramarine +supramastoid +supramaxilla +supramaxillary +supramaximal +suprameatal +supramechanical +supramedial +supramental +supramolecular +supramoral +supramortal +supramundane +supranasal +supranational +supranationalism +supranationalist +supranationality +supranatural +supranaturalism +supranaturalist +supranaturalistic +supranature +supranervian +supraneural +supranormal +supranuclear +supraoccipital +supraocclusion +supraocular +supraoesophagal +supraoesophageal +supraoptimal +supraoptional +supraoral +supraorbital +supraorbitar +supraordinary +supraordinate +supraordination +supraorganism +suprapapillary +suprapedal +suprapharyngeal +suprapygal +supraposition +supraprotest +suprapubian +suprapubic +supraquantivalence +supraquantivalent +suprarational +suprarationalism +suprarationality +suprarenal +suprarenalectomy +suprarenalectomize +suprarenalin +suprarenin +suprarenine +suprarimal +suprasaturate +suprascapula +suprascapular +suprascapulary +suprascript +suprasegmental +suprasensible +suprasensitive +suprasensual +suprasensuous +supraseptal +suprasolar +suprasoriferous +suprasphanoidal +supraspinal +supraspinate +supraspinatus +supraspinous +suprasquamosal +suprastandard +suprastapedial +suprastate +suprasternal +suprastigmal +suprasubtle +supratemporal +supraterraneous +supraterrestrial +suprathoracic +supratympanic +supratonsillar +supratrochlear +supratropical +supravaginal +supraventricular +supraversion +supravise +supravital +supravitally +supraworld +supremacy +supremacies +supremacist +supremacists +Suprematism +suprematist +supreme +supremely +supremeness +supremer +supremest +supremity +supremities +supremo +supremos +supremum +suprerogative +supressed +suprising +sups +Supt +Supt. +suption +supulchre +supvr +suq +Suquamish +Suqutra +Sur +sur- +Sura +Surabaya +suraddition +surah +surahee +surahi +surahs +Surakarta +sural +suralimentation +suramin +suranal +surance +SURANET +surangular +suras +Surat +surbase +surbased +surbasement +surbases +surbate +surbater +Surbeck +surbed +surbedded +surbedding +surcease +surceased +surceases +surceasing +surcharge +surcharged +surcharger +surchargers +surcharges +surcharging +surcingle +surcingled +surcingles +surcingling +surcle +surcloy +surcoat +surcoats +surcrue +surculi +surculigerous +surculose +surculous +surculus +surd +surdation +surdeline +surdent +surdimutism +surdity +surdomute +surdo-mute +surds +sure +sure-aimed +surebutted +sured +sure-enough +surefire +sure-fire +surefooted +sure-footed +surefootedly +sure-footedly +surefootedness +sure-footedness +sure-founded +sure-grounded +surely +surement +sureness +surenesses +sure-nosed +sure-presaging +surer +sure-refuged +sures +suresby +sure-seeing +sure-set +sure-settled +suresh +sure-slow +surest +sure-steeled +surety +sureties +suretyship +surette +surexcitation +SURF +surfable +surface +surface-active +surface-bent +surface-coated +surfaced +surface-damaged +surface-deposited +surfacedly +surface-dressed +surface-dry +surface-dwelling +surface-feeding +surface-hold +surfaceless +surfacely +surfaceman +surfacemen +surfaceness +surface-printing +surfacer +surfacers +surfaces +surface-scratched +surface-scratching +surface-to-air +surface-to-surface +surface-to-underwater +surfacy +surfacing +surfactant +surf-battered +surf-beaten +surfbird +surfbirds +surfboard +surfboarder +surfboarding +surfboards +surfboat +surfboatman +surfboats +surf-bound +surfcaster +surfcasting +surfed +surfeit +surfeited +surfeitedness +surfeiter +surfeit-gorged +surfeiting +surfeits +surfeit-slain +surfeit-swelled +surfeit-swollen +surfeit-taking +surfer +surfers +surffish +surffishes +surfy +surficial +surfie +surfier +surfiest +surfing +surfings +surfle +surflike +surfman +surfmanship +surfmen +surfperch +surfperches +surfrappe +surfrider +surfriding +surf-riding +surfs +surf-showered +surf-sunk +surf-swept +surf-tormented +surfuse +surfusion +surf-vexed +surf-washed +surf-wasted +surf-white +surf-worn +surg +surg. +surge +surged +surgeful +surgeless +surgency +surgent +surgeon +surgeoncy +surgeoncies +surgeoness +surgeonfish +surgeonfishes +surgeonless +surgeons +surgeon's +surgeonship +surgeproof +surger +surgery +surgeries +surgerize +surgers +surges +surgy +surgical +surgically +surgicotherapy +surgier +surgiest +surginess +surging +Surgoinsville +surhai +Surya +Suriana +Surianaceae +Suribachi +suricat +Suricata +suricate +suricates +suriga +Surinam +Suriname +surinamine +Suring +surique +surjection +surjective +surly +surlier +surliest +surlily +surliness +surma +surmark +surmaster +surmenage +surmisable +surmisal +surmisant +surmise +surmised +surmisedly +surmiser +surmisers +surmises +surmising +surmit +surmount +surmountability +surmountable +surmountableness +surmountal +surmounted +surmounter +surmounting +surmounts +surmullet +surmullets +surnai +surnay +surname +surnamed +surnamer +surnamers +surnames +surname's +surnaming +surnap +surnape +surnominal +surnoun +Surovy +surpass +surpassable +surpassed +surpasser +surpasses +surpassing +surpassingly +surpassingness +surpeopled +surphul +surplice +surpliced +surplices +surplicewise +surplician +surplus +surplusage +surpluses +surplusing +surplus's +surpoose +surpreciation +surprint +surprinted +surprinting +surprints +surprisable +surprisal +surprise +surprised +surprisedly +surprisement +surpriseproof +surpriser +surprisers +surprises +surprising +surprisingly +surprisingness +surprizal +surprize +surprized +surprizes +surprizing +surquedry +surquidy +surquidry +surra +surrah +surras +surreal +Surrealism +Surrealist +Surrealistic +Surrealistically +surrealists +surrebound +surrebut +surrebuttal +surrebutter +surrebutting +surrection +Surrey +surrein +surreys +surrejoin +surrejoinder +surrejoinders +surrenal +Surrency +surrender +surrendered +surrenderee +surrenderer +surrendering +surrenderor +surrenders +surrendry +surrept +surreption +surreptitious +surreptitiously +surreptitiousness +surreverence +surreverently +Surry +surrogacy +surrogacies +surrogate +surrogated +surrogates +surrogate's +surrogateship +surrogating +surrogation +surroyal +sur-royal +surroyals +surrosion +surround +surrounded +surroundedly +surrounder +surrounding +surroundings +surrounds +sursaturation +sursise +sursize +sursolid +surstyle +sursumduction +sursumvergence +sursumversion +Surt +surtax +surtaxed +surtaxes +surtaxing +surtout +surtouts +Surtr +Surtsey +surturbrand +surucucu +surv +surv. +Survance +survey +surveyable +surveyage +surveyal +surveyance +surveyed +surveying +surveil +surveiled +surveiling +surveillance +surveillances +surveillant +surveils +Surveyor +surveyors +surveyor's +surveyorship +surveys +surview +survigrous +survise +survivability +survivable +survival +survivalism +survivalist +survivals +survivance +survivancy +survivant +survive +survived +surviver +survivers +survives +surviving +survivor +survivoress +survivors +survivor's +survivorship +survivorships +surwan +Sus +Susa +Susah +Susan +Susana +Susanchite +susanee +Susanetta +Susank +Susann +Susanna +Susannah +Susanne +susannite +Susanoo +Susanowo +susans +Susanville +suscept +susceptance +susceptibility +susceptibilities +susceptible +susceptibleness +susceptibly +susception +susceptive +susceptiveness +susceptivity +susceptor +suscipient +suscitate +suscitation +suscite +Susette +sushi +sushis +Susi +Susy +Susian +Susiana +Susianian +Susie +Susy-Q +suslik +susliks +Suslov +susotoxin +SUSP +suspect +suspectable +suspected +suspectedly +suspectedness +suspecter +suspectful +suspectfulness +suspectible +suspecting +suspection +suspectless +suspector +suspects +suspend +suspended +suspender +suspenderless +suspenders +suspender's +suspendibility +suspendible +suspending +suspends +suspensation +suspense +suspenseful +suspensefulness +suspensely +suspenses +suspensibility +suspensible +suspension +suspensions +suspensive +suspensively +suspensiveness +suspensoid +suspensor +suspensory +suspensoria +suspensorial +suspensories +suspensorium +suspercollate +suspicable +suspicion +suspicionable +suspicional +suspicioned +suspicionful +suspicioning +suspicionless +suspicion-proof +suspicions +suspicion's +suspicious +suspiciously +suspiciousness +suspiral +suspiration +suspiratious +suspirative +suspire +suspired +suspires +suspiring +suspirious +Susquehanna +suss +sussed +susses +Sussex +sussexite +Sussexman +Sussi +sussy +sussing +Sussman +Sussna +susso +sussultatory +sussultorial +sustain +sustainable +sustained +sustainedly +sustainer +sustaining +sustainingly +sustainment +sustains +sustanedly +sustenance +sustenanceless +sustenances +sustenant +sustentacula +sustentacular +sustentaculum +sustentate +sustentation +sustentational +sustentative +sustentator +sustention +sustentive +sustentor +sustinent +Susu +Susuhunan +Susuidae +Susumu +susurr +susurrant +susurrate +susurrated +susurrating +susurration +susurrations +susurringly +susurrous +susurrus +susurruses +Sutaio +Sutcliffe +Suter +suterbery +suterberry +suterberries +Sutersville +Suth +suther +Sutherlan +Sutherland +Sutherlandia +Sutherlin +sutile +Sutlej +sutler +sutlerage +sutleress +sutlery +sutlers +sutlership +Suto +sutor +sutoria +sutorial +sutorian +sutorious +Sutphin +sutra +sutras +sutta +Suttapitaka +suttas +suttee +sutteeism +suttees +sutten +Sutter +suttin +suttle +Suttner +Sutton +Sutton-in-Ashfield +Sutu +sutural +suturally +suturation +suture +sutured +sutures +suturing +Suu +suum +Suva +Suvorov +suwandi +Suwanee +Suwannee +suwarro +suwe +suz +Suzan +Suzann +Suzanna +Suzanne +suzerain +suzeraine +suzerains +suzerainship +suzerainty +suzerainties +Suzetta +Suzette +suzettes +Suzi +Suzy +Suzie +Suzuki +Suzzy +SV +svabite +Svalbard +svamin +Svan +Svanetian +Svanish +svante +Svantovit +svarabhakti +svarabhaktic +svaraj +svarajes +svarajs +Svarloka +svastika +SVC +svce +Svea +Sveciaost +Svedberg +svedbergs +svelt +svelte +sveltely +svelteness +svelter +sveltest +Sven +Svend +Svengali +Svensen +Sverdlovsk +Sverige +Sverre +Svetambara +Svetlana +svgs +sviatonosite +SVID +Svign +Svizzera +Svoboda +SVP +SVR +SVR4 +Svres +SVS +SVVS +SW +Sw. +SWA +Swab +swabbed +swabber +swabberly +swabbers +swabby +swabbie +swabbies +swabbing +swabble +Swabia +Swabian +swabs +swack +swacked +swacken +swacking +swad +swadder +swaddy +swaddish +swaddle +swaddlebill +swaddled +swaddler +swaddles +swaddling +swaddling-band +swaddling-clothes +swaddling-clouts +Swadeshi +Swadeshism +swag +swagbelly +swagbellied +swag-bellied +swagbellies +swage +swaged +swager +swagers +Swagerty +swages +swage-set +swagged +swagger +swagger- +swaggered +swaggerer +swaggerers +swaggering +swaggeringly +swaggers +swaggi +swaggy +swaggie +swagging +swaggir +swaging +swaglike +swagman +swagmen +swags +swagsman +swagsmen +Swahilese +Swahili +Swahilian +Swahilis +Swahilize +sway +sway- +swayable +swayableness +swayback +sway-back +swaybacked +sway-backed +swaybacks +Swayder +swayed +swayer +swayers +swayful +swaying +swayingly +swail +swayless +swails +swaimous +Swain +Swaine +Swayne +swainish +swainishness +swainmote +swains +swain's +Swainsboro +swainship +Swainson +Swainsona +swaird +sways +Swayzee +SWAK +swale +Swaledale +swaler +swales +swaling +swalingly +swallet +swallo +swallow +swallowable +swallowed +swallower +swallow-fork +swallow-hole +swallowing +swallowlike +swallowling +swallowpipe +swallows +swallowtail +swallow-tail +swallowtailed +swallow-tailed +swallowtails +swallow-wing +swallowwort +swam +swami +Swamy +swamies +swamis +Swammerdam +swamp +swampable +swampberry +swampberries +swamp-dwelling +swamped +swamper +swampers +swamp-growing +swamphen +swampy +swampier +swampiest +swampine +swampiness +swamping +swampish +swampishness +swampland +swampless +swamp-loving +swamp-oak +swamps +Swampscott +swampside +swampweed +swampwood +SWAN +swan-bosomed +swan-clad +swandown +swan-drawn +Swane +swan-eating +Swanee +swan-fashion +swanflower +swang +swangy +swanherd +swanherds +Swanhilda +Swanhildas +swanhood +swan-hopper +swan-hopping +swanimote +swank +swanked +swankey +swanker +swankest +swanky +swankie +swankier +swankiest +swankily +swankiness +swanking +swankness +swankpot +swanks +swanlike +swan-like +swanmark +swan-mark +swanmarker +swanmarking +swanmote +Swann +Swannanoa +swanneck +swan-neck +swannecked +swanned +swanner +swannery +swanneries +swannet +swanny +swanning +swannish +swanpan +swan-pan +swanpans +swan-plumed +swan-poor +swan-proud +swans +swan's +Swansboro +swansdown +swan's-down +Swansea +swanskin +swanskins +Swanson +swan-sweet +Swantevit +Swanton +swan-tuned +swan-upper +swan-upping +Swanville +swanweed +swan-white +Swanwick +swan-winged +swanwort +swap +swape +swapped +swapper +swappers +swapping +Swaps +swaraj +swarajes +swarajism +swarajist +swarbie +sward +sward-cut +sward-cutter +swarded +swardy +swarding +swards +sware +swarf +swarfer +swarfs +swarga +swarm +swarmed +swarmer +swarmers +swarmy +swarming +swarmingness +swarms +swarry +Swart +swartback +swarth +swarthy +swarthier +swarthiest +swarthily +swarthiness +Swarthmore +swarthness +Swarthout +swarths +swarty +swartish +swartly +swartness +swartrutter +swartrutting +Swarts +Swartswood +Swartz +Swartzbois +Swartzia +swartzite +swarve +SWAS +swash +swashbuckle +swashbuckler +swashbucklerdom +swashbucklery +swashbucklering +swashbucklers +swashbuckling +swashbucklings +swashed +swasher +swashers +swashes +swashy +swashing +swashingly +swashway +swashwork +swastica +swasticas +swastika +swastikaed +swastikas +Swat +swatch +Swatchel +swatcher +swatches +swatchway +swath +swathable +swathband +swathe +swatheable +swathed +swather +swathers +swathes +swathy +swathing +swaths +Swati +Swatis +Swatow +swats +swatted +swatter +swatters +swatting +swattle +swaver +Swazi +Swaziland +SWB +SWbS +SWbW +sweal +sweamish +swear +swearer +swearer-in +swearers +swearing +swearingly +swears +swearword +swear-word +sweat +sweatband +sweatbox +sweatboxes +sweated +sweater +sweaters +sweatful +sweath +sweathouse +sweat-house +sweaty +sweatier +sweatiest +sweatily +sweatiness +sweating +sweating-sickness +sweatless +sweatproof +sweats +sweatshirt +sweatshop +sweatshops +Sweatt +sweatweed +Swec +Swed +Swede +Swedeborg +Sweden +Swedenborg +Swedenborgian +Swedenborgianism +Swedenborgism +swedes +Swedesboro +Swedesburg +swedge +swedger +Swedish +Swedish-owned +swedru +Swee +Sweeden +Sweelinck +Sweeney +Sweeny +sweenies +sweens +sweep +sweepable +sweepage +sweepback +sweepboard +sweep-chimney +sweepdom +sweeper +sweeperess +sweepers +sweepforward +sweepy +sweepier +sweepiest +sweeping +sweepingly +sweepingness +sweepings +sweep-oar +sweeps +sweep-second +sweepstake +sweepstakes +sweepup +sweepwasher +sweepwashings +sweer +sweered +sweert +sweese +sweeswee +swee-swee +swee-sweet +Sweet +sweet-almond +sweet-and-sour +sweet-beamed +sweetbells +sweetberry +sweet-bitter +sweet-bleeding +sweet-blooded +sweetbread +sweetbreads +sweet-breath +sweet-breathed +sweet-breathing +Sweetbriar +sweetbrier +sweet-brier +sweetbriery +sweetbriers +sweet-bright +sweet-charming +sweet-chaste +sweetclover +sweet-complaining +sweet-conditioned +sweet-curd +sweet-dispositioned +sweet-eyed +sweeten +sweetened +sweetener +sweeteners +sweetening +sweetenings +sweetens +sweeter +sweetest +sweet-faced +sweet-featured +sweet-field +sweetfish +sweet-flavored +sweet-flowered +sweet-flowering +sweet-flowing +sweetful +sweet-gale +Sweetgrass +sweetheart +sweetheartdom +sweethearted +sweetheartedness +sweethearting +sweethearts +sweetheart's +sweetheartship +sweety +sweetie +sweeties +sweetiewife +sweeting +sweetings +sweetish +sweetishly +sweetishness +sweetkins +Sweetland +sweetleaf +sweet-leafed +sweetless +sweetly +sweetlike +sweetling +sweet-lipped +sweet-looking +sweetmaker +sweetman +sweetmeal +sweetmeat +sweetmeats +sweet-minded +sweetmouthed +sweet-murmuring +sweet-natured +sweetness +sweetnesses +sweet-numbered +sweet-pickle +sweet-piercing +sweet-recording +sweet-roasted +sweetroot +sweets +sweet-sacred +sweet-sad +sweet-savored +sweet-scented +sweet-seasoned +Sweetser +sweet-set +sweet-shaped +sweetshop +sweet-singing +sweet-smelled +sweet-smelling +sweet-smiling +sweetsome +sweetsop +sweet-sop +sweetsops +sweet-souled +sweet-sounded +sweet-sounding +sweet-sour +sweet-spoken +sweet-spun +sweet-suggesting +sweet-sweet +sweet-talk +sweet-talking +sweet-tasted +sweet-tasting +sweet-tempered +sweet-temperedly +sweet-temperedness +sweet-throat +sweet-throated +sweet-toned +sweet-tongued +sweet-toothed +sweet-touched +sweet-tulk +sweet-tuned +sweet-voiced +sweet-warbling +Sweetwater +sweetweed +sweet-whispered +sweet-william +sweetwood +sweetwort +sweet-wort +swego +Sweyn +swelchie +Swelinck +swell +swell- +swellage +swell-butted +swelldom +swelldoodle +swelled +swelled-gelatin +swelled-headed +swelled-headedness +sweller +swellest +swellfish +swellfishes +swell-front +swellhead +swellheaded +swell-headed +swellheadedness +swell-headedness +swellheads +swelly +swelling +swellings +swellish +swellishness +swellmobsman +swell-mobsman +swellness +swells +swelltoad +swelp +swelt +swelter +sweltered +swelterer +sweltering +swelteringly +swelters +swelth +swelty +sweltry +sweltrier +sweltriest +Swen +Swengel +Swenson +swep +Swepsonville +swept +sweptback +swept-back +swept-forward +sweptwing +swerd +Swertia +swervable +swerve +swerved +swerveless +swerver +swervers +swerves +swervily +swerving +Swetiana +Swetlana +sweven +swevens +SWF +SWG +swy +swick +swidden +swiddens +swidge +Swiercz +Swietenia +SWIFT +swift-advancing +swift-brought +swift-burning +swift-changing +swift-concerted +swift-declining +swift-effected +swiften +swifter +swifters +swiftest +swift-fated +swift-finned +swift-flying +swift-flowing +swiftfoot +swift-foot +swift-footed +swift-frightful +swift-glancing +swift-gliding +swift-handed +swift-heeled +swift-hoofed +swifty +swiftian +swiftie +swift-judging +swift-lamented +swiftlet +swiftly +swiftlier +swiftliest +swiftlike +swift-marching +swiftness +swiftnesses +Swifton +Swiftown +swift-paced +swift-posting +swift-recurring +swift-revenging +swift-running +swift-rushing +swifts +swift-seeing +swift-sliding +swift-slow +swift-spoken +swift-starting +swift-stealing +swift-streamed +swift-swimming +swift-tongued +Swiftwater +swift-winged +swig +Swigart +swigged +swigger +swiggers +swigging +swiggle +swigs +Swihart +swile +swilkie +swill +swillbelly +swillbowl +swill-bowl +swilled +swiller +swillers +swilling +swillpot +swills +swilltub +swill-tub +swim +swimbel +swim-bladder +swimy +swimmable +swimmer +swimmeret +swimmerette +swimmers +swimmer's +swimmy +swimmier +swimmiest +swimmily +swimminess +swimming +swimmingly +swimmingness +swimmings +swimmist +swims +swimsuit +swimsuits +swimwear +Swinburne +Swinburnesque +Swinburnian +swindle +swindleable +swindled +swindledom +swindler +swindlery +swindlers +swindlership +swindles +swindling +swindlingly +Swindon +swine +swine-backed +swinebread +swine-bread +swine-chopped +swinecote +swine-cote +swine-eating +swine-faced +swinehead +swine-headed +swineherd +swineherdship +swinehood +swinehull +swiney +swinely +swinelike +swine-mouthed +swinepipe +swine-pipe +swinepox +swine-pox +swinepoxes +swinery +swine-snouted +swine-stead +swinesty +swine-sty +swinestone +swine-stone +swing +swing- +swingable +swingably +swingaround +swingback +swingby +swingbys +swingboat +swingdevil +swingdingle +swinge +swinged +swingeing +swingeingly +swingel +swingeour +swinger +swingers +swinges +swingy +swingier +swingiest +swinging +swingingly +Swingism +swing-jointed +swingknife +swingle +swingle- +swinglebar +swingled +swingles +swingletail +swingletree +swingling +swingman +swingmen +swingometer +swings +swingstock +swing-swang +swingtree +swing-tree +swing-wing +swinish +swinishly +swinishness +Swink +swinked +swinker +swinking +swinks +swinney +swinneys +Swinnerton +Swinton +swipe +swiped +swiper +swipes +swipy +swiping +swiple +swiples +swipper +swipple +swipples +swird +swire +swirl +swirled +swirly +swirlier +swirliest +swirling +swirlingly +swirls +swirrer +swirring +Swirsky +swish +swish- +swished +Swisher +swishers +swishes +swishy +swishier +swishiest +swishing +swishingly +swish-swash +Swiss +Swisser +swisses +Swissess +swissing +switch +switchable +Switchback +switchbacker +switchbacks +switchblade +switchblades +switchboard +switchboards +switchboard's +switched +switchel +switcher +switcheroo +switchers +switches +switchgear +switchgirl +switch-hit +switch-hitter +switch-hitting +switch-horn +switchy +switchyard +switching +switchings +switchkeeper +switchlike +switchman +switchmen +switchover +switch-over +switchtail +swith +Swithbart +Swithbert +swithe +swythe +swithen +swither +swithered +swithering +swithers +Swithin +swithly +Swithun +Switz +Switz. +Switzer +Switzeress +Switzerland +swive +swived +swivel +swiveled +swiveleye +swiveleyed +swivel-eyed +swivel-hooked +swiveling +swivelled +swivellike +swivelling +swivel-lock +swivels +swiveltail +swiver +swives +swivet +swivets +swivetty +swiving +swiwet +swiz +swizz +swizzle +swizzled +swizzler +swizzlers +swizzles +swizzling +swleaves +SWM +SWO +swob +swobbed +swobber +swobbers +swobbing +swobs +Swoyersville +swollen +swollen-cheeked +swollen-eyed +swollen-faced +swollen-glowing +swollen-headed +swollen-jawed +swollenly +swollenness +swollen-tongued +swoln +swom +swonk +swonken +Swoon +swooned +swooner +swooners +swoony +swooning +swooningly +swooning-ripe +swoons +swoop +Swoope +swooped +swooper +swoopers +swooping +swoops +swoopstake +swoose +swooses +swoosh +swooshed +swooshes +swooshing +swop +Swope +swopped +swopping +swops +Swor +sword +sword-armed +swordbearer +sword-bearer +sword-bearership +swordbill +sword-billed +swordcraft +sworded +sworder +swordfish +swordfishery +swordfisherman +swordfishes +swordfishing +sword-girded +sword-girt +swordgrass +sword-grass +swordick +swording +swordknot +sword-leaved +swordless +swordlet +swordlike +swordmaker +swordmaking +swordman +swordmanship +swordmen +swordplay +sword-play +swordplayer +swordproof +Swords +sword's +sword-shaped +swordslipper +swordsman +swordsmanship +swordsmen +swordsmith +swordster +swordstick +swordswoman +swordtail +sword-tailed +swordweed +swore +sworn +swosh +swot +swots +swotted +swotter +swotters +swotting +swough +swoun +swound +swounded +swounding +swounds +swouned +swouning +swouns +swow +SWS +Swtz +swum +swung +swungen +swure +SX +SXS +Szabadka +szaibelyite +Szczecin +Szechwan +Szeged +Szekely +Szekler +Szeklian +Szekszrd +Szell +Szewinska +Szigeti +Szilard +Szymanowski +szlachta +Szold +Szombathely +Szomorodni +szopelka +T +t' +'t +t. +t.b. +t.g. +T.H.I. +T/D +T1 +T1FE +T1OS +T3 +TA +taa +Taal +Taalbond +Taam +taar +taata +TAB +tab. +tabac +tabacco +tabacin +tabacism +tabacosis +tabacum +tabagie +tabagism +taband +tabanid +Tabanidae +tabanids +tabaniform +tabanuco +Tabanus +tabard +tabarded +tabardillo +tabards +tabaret +tabarets +Tabasco +tabasheer +tabashir +Tabatha +tabatiere +tabaxir +Tabb +tabbarea +Tabbatha +tabbed +Tabber +Tabbi +Tabby +Tabbie +tabbied +tabbies +tabbying +tabbinet +tabbing +tabbis +tabbises +Tabbitha +Tabebuia +tabefaction +tabefy +tabel +tabella +Tabellaria +Tabellariaceae +tabellion +Taber +taberdar +tabered +Taberg +tabering +taberna +tabernacle +tabernacled +tabernacler +tabernacles +tabernacle's +tabernacling +tabernacular +tabernae +Tabernaemontana +tabernariae +Tabernash +tabers +tabes +tabescence +tabescent +tabet +tabetic +tabetics +tabetiform +tabetless +tabi +Tabib +tabic +tabid +tabidly +tabidness +tabific +tabifical +Tabina +tabinet +Tabiona +Tabira +tabis +Tabitha +tabitude +tabla +tablas +tablature +table +tableau +tableaus +tableau's +tableaux +table-board +table-book +tablecloth +table-cloth +tableclothy +tablecloths +tableclothwise +table-cut +table-cutter +table-cutting +tabled +table-faced +tablefellow +tablefellowship +table-formed +tableful +tablefuls +table-hop +tablehopped +table-hopped +table-hopper +tablehopping +table-hopping +tableity +tableland +table-land +tablelands +tableless +tablelike +tablemaid +tablemaker +tablemaking +tableman +tablemate +tablement +tablemount +tabler +table-rapping +tables +tablesful +table-shaped +tablespoon +table-spoon +tablespoonful +tablespoonfuls +tablespoonful's +tablespoons +tablespoon's +tablespoonsful +table-stone +tablet +table-tail +table-talk +tabletary +tableted +tableting +tabletop +table-topped +tabletops +tablets +tablet's +tabletted +tabletting +table-turning +tableware +tablewares +tablewise +tablier +tablina +tabling +tablinum +tablita +Tabloid +tabloids +tabog +taboo +tabooed +tabooing +tabooism +tabooist +tabooley +taboos +taboo's +taboot +taboparalysis +taboparesis +taboparetic +tabophobia +Tabor +tabored +taborer +taborers +taboret +taborets +taborin +taborine +taborines +taboring +taborins +Taborite +tabors +tabouli +taboulis +tabour +taboured +tabourer +tabourers +tabouret +tabourets +tabourin +tabourine +tabouring +tabours +tabret +Tabriz +tabs +Tabshey +tabstop +tabstops +tabu +tabued +tabuing +tabula +tabulable +tabulae +tabular +tabulare +tabulary +tabularia +tabularisation +tabularise +tabularised +tabularising +tabularium +tabularization +tabularize +tabularized +tabularizing +tabularly +Tabulata +tabulate +tabulated +tabulates +tabulating +tabulation +tabulations +tabulator +tabulatory +tabulators +tabulator's +tabule +tabuli +tabuliform +tabulis +tabus +tabut +TAC +tacahout +tacamahac +tacamahaca +tacamahack +tacan +Tacana +Tacanan +Tacca +Taccaceae +taccaceous +taccada +TACCS +Tace +taces +tacet +tach +Tachardia +Tachardiinae +tache +tacheless +tacheo- +tacheography +tacheometer +tacheometry +tacheometric +taches +tacheture +tachhydrite +tachi +tachy- +tachyauxesis +tachyauxetic +tachibana +tachycardia +tachycardiac +tachygen +tachygenesis +tachygenetic +tachygenic +tachyglossal +tachyglossate +Tachyglossidae +Tachyglossus +tachygraph +tachygrapher +tachygraphy +tachygraphic +tachygraphical +tachygraphically +tachygraphist +tachygraphometer +tachygraphometry +tachyhydrite +tachyiatry +tachylalia +tachylite +tachylyte +tachylytic +tachymeter +tachymetry +tachymetric +Tachina +Tachinaria +tachinarian +tachinid +Tachinidae +tachinids +tachiol +tachyon +tachyons +tachyphagia +tachyphasia +tachyphemia +tachyphylactic +tachyphylaxia +tachyphylaxis +tachyphrasia +tachyphrenia +tachypnea +tachypneic +tachypnoea +tachypnoeic +tachyscope +tachyseism +tachysystole +tachism +tachisme +tachisms +tachist +tachiste +tachysterol +tachistes +tachistoscope +tachistoscopic +tachistoscopically +tachists +tachytely +tachytelic +tachythanatous +tachytype +tachytomy +tacho- +tachogram +tachograph +tachometer +tachometers +tachometer's +tachometry +tachometric +tachophobia +tachoscope +tachs +Tacy +Tacye +tacit +Tacita +Tacitean +tacitly +tacitness +tacitnesses +taciturn +taciturnist +taciturnity +taciturnities +taciturnly +Tacitus +tack +tackboard +tacked +tackey +tacker +tackers +tacket +tacketed +tackety +tackets +tacky +tackier +tackies +tackiest +tackify +tackified +tackifier +tackifies +tackifying +tackily +tackiness +tacking +tackingly +tackle +tackled +tackleless +tackleman +tackler +tacklers +tackles +tackle's +tackless +Tacklind +tackling +tacklings +tackproof +tacks +tacksman +tacksmen +Tacloban +taclocus +tacmahack +Tacna +Tacna-Arica +tacnode +tacnodeRare +tacnodes +taco +Tacoma +Tacoman +Taconian +Taconic +Taconite +taconites +tacos +tacpoint +Tacquet +tacso +Tacsonia +tact +tactable +tactful +tactfully +tactfulness +tactic +tactical +tactically +tactician +tacticians +tactics +tactile +tactilely +tactilist +tactility +tactilities +tactilogical +tactinvariant +taction +tactions +tactite +tactive +tactless +tactlessly +tactlessness +tactoid +tactometer +tactor +tactosol +tacts +tactual +tactualist +tactuality +tactually +tactus +tacuacine +Tacubaya +Taculli +Tad +Tada +Tadashi +tadbhava +Tadd +Taddeo +Taddeusz +Tade +Tadeas +Tadema +Tadeo +Tades +Tadeus +Tadich +Tadio +Tadjik +Tadmor +Tadousac +tadpole +tadpoledom +tadpolehood +tadpolelike +tadpoles +tadpole-shaped +tadpolism +tads +Tadzhik +Tadzhiki +Tadzhikistan +TAE +Taegu +Taejon +tae-kwan-do +tael +taels +taen +ta'en +taenia +taeniacidal +taeniacide +Taeniada +taeniae +taeniafuge +taenial +taenian +taenias +taeniasis +Taeniata +taeniate +taenicide +Taenidia +taenidial +taenidium +taeniform +taenifuge +taenii- +taeniiform +taeninidia +taenio- +Taeniobranchia +taeniobranchiate +Taeniodonta +Taeniodontia +Taeniodontidae +Taenioglossa +taenioglossate +taenioid +taeniola +taeniosome +Taeniosomi +taeniosomous +taenite +taennin +Taetsia +taffarel +taffarels +Taffel +tafferel +tafferels +taffeta +taffetas +taffety +taffetized +Taffy +taffia +taffias +taffies +taffylike +taffymaker +taffymaking +taffywise +taffle +taffrail +taffrails +tafia +tafias +Tafilalet +Tafilelt +tafinagh +Taft +Tafton +Taftsville +Taftville +tafwiz +TAG +Tagabilis +tag-addressing +tag-affixing +Tagakaolo +Tagal +Tagala +Tagalize +Tagalo +Tagalog +Tagalogs +tagalong +tagalongs +Taganrog +tagasaste +Tagassu +Tagassuidae +tagatose +Tagaur +Tagbanua +tagboard +tagboards +tag-dating +tagel +Tager +Tagetes +tagetol +tagetone +Taggard +Taggart +tagged +tagger +taggers +taggy +tagging +taggle +taghairm +Taghlik +tagilite +Tagish +taglet +taglia +Tagliacotian +Tagliacozzian +tagliarini +tagliatelle +taglike +taglioni +taglock +tag-marking +tagmeme +tagmemes +tagmemic +tagmemics +tagnicati +Tagore +tagrag +tag-rag +tagraggery +tagrags +tags +tag's +tagsore +tagster +tag-stringing +tagtail +tagua +taguan +Tagula +Tagus +tagwerk +taha +tahali +Tahami +tahanun +tahar +taharah +taheen +tahgook +tahil +tahin +tahina +tahini +tahinis +Tahiti +Tahitian +tahitians +tahkhana +Tahlequah +Tahltan +Tahmosh +Tahoe +Tahoka +Taholah +tahona +tahr +tahrs +tahseeldar +tahsil +tahsildar +tahsils +tahsin +tahua +Tahuya +Tai +Tay +taiaha +Tayassu +tayassuid +Tayassuidae +Taiban +taich +Tai-chinese +Taichu +Taichung +Taiden +tayer +Taif +taig +taiga +taigas +Taygeta +Taygete +taiglach +taigle +taiglesome +taihoa +Taihoku +Taiyal +Tayib +Tayyebeb +tayir +Taiyuan +taikhana +taikih +Taikyu +taikun +tail +tailage +tailback +tailbacks +tailband +tailboard +tail-board +tailbone +tailbones +tail-chasing +tailcoat +tailcoated +tailcoats +tail-cropped +tail-decorated +tail-docked +tailed +tail-end +tailender +tailer +Tayler +tailers +tailet +tailfan +tailfans +tailfirst +tailflower +tailforemost +tailgate +tailgated +tailgater +tailgates +tailgating +tailge +tail-glide +tailgunner +tailhead +tail-heavy +taily +tailye +tailing +tailings +tail-joined +taillamp +taille +taille-douce +tailles +tailless +taillessly +taillessness +tailleur +taillie +taillight +taillights +taillike +tailloir +Tailor +Taylor +tailorage +tailorbird +tailor-bird +tailor-built +tailorcraft +tailor-cut +tailordom +tailored +tailoress +tailorhood +tailory +tailoring +tailorism +Taylorism +Taylorite +tailorization +tailorize +Taylorize +tailor-legged +tailorless +tailorly +tailorlike +tailor-made +tailor-mades +tailor-make +tailor-making +tailorman +tailors +Taylors +tailorship +tailor's-tack +Taylorstown +tailor-suited +Taylorsville +Taylorville +tailorwise +tailpiece +tail-piece +tailpin +tailpipe +tailpipes +tailplane +tailrace +tail-race +tailraces +tail-rhymed +tail-rope +tails +tailshaft +tailsheet +tailskid +tailskids +tailsman +tailspin +tailspins +tailstock +tail-switching +Tailte +tail-tied +tail-wagging +tailward +tailwards +tailwater +tailwind +tailwinds +tailwise +tailzee +tailzie +tailzied +Taima +taimen +Taimi +taimyrite +tain +Tainan +Taine +Taino +tainos +tains +taint +taintable +tainte +tainted +taintedness +taint-free +tainting +taintless +taintlessly +taintlessness +taintment +Taintor +taintproof +taints +tainture +taintworm +taint-worm +Tainui +taipan +taipans +Taipei +Taipi +Taiping +tai-ping +taipo +Taira +tayra +tairge +tairger +tairn +Tayrona +taysaam +taisch +taise +taish +Taisho +taysmm +taissle +taistrel +taistril +Tait +Taite +taiver +taivers +taivert +Taiwan +Taiwanese +Taiwanhemp +Ta'izz +taj +tajes +Tajik +Tajiki +Tajo +Tak +Taka +takable +takahe +takahes +takayuki +Takakura +takamaka +Takamatsu +Takao +takar +Takara +Takashi +take +take- +takeable +take-all +takeaway +take-charge +taked +takedown +take-down +takedownable +takedowns +takeful +take-home +take-in +takeing +Takelma +taken +Takeo +takeoff +take-off +takeoffs +takeout +take-out +takeouts +takeover +take-over +takeovers +taker +taker-down +taker-in +taker-off +takers +takes +Takeshi +taketh +takeuchi +takeup +take-up +takeups +Takhaar +Takhtadjy +taky +Takilman +takin +taking +taking-in +takingly +takingness +takings +takins +takyr +Takitumu +takkanah +Takken +Takoradi +takosis +takrouri +takt +Taku +TAL +Tala +talabon +Talaemenes +talahib +Talaing +talayot +talayoti +talaje +talak +Talala +talalgia +Talamanca +Talamancan +Talanian +Talanta +talanton +talao +talapoin +talapoins +talar +Talara +talari +talaria +talaric +talars +talas +Talassio +Talbert +Talbot +talbotype +talbotypist +Talbott +Talbotton +talc +Talca +Talcahuano +talced +talcer +talc-grinding +Talcher +talcing +talck +talcked +talcky +talcking +talclike +Talco +talcochlorite +talcoid +talcomicaceous +talcose +Talcott +talcous +talcs +talcum +talcums +tald +tale +talebearer +talebearers +talebearing +talebook +talecarrier +talecarrying +taled +taleful +talegalla +Talegallinae +Talegallus +taleysim +talemaster +talemonger +talemongering +talent +talented +talenter +talenting +talentless +talents +talepyet +taler +talers +tales +tale's +talesman +talesmen +taleteller +tale-teller +taletelling +tale-telling +talewise +Tali +Talia +Talya +Taliacotian +taliage +Talyah +taliation +Talich +Talie +Talien +taliera +Taliesin +taligrade +Talihina +Talinum +talio +talion +talionic +talionis +talions +talipat +taliped +talipedic +talipeds +talipes +talipomanus +talipot +talipots +talis +Talys +talisay +Talisheek +Talishi +Talyshin +talisman +talismanic +talismanical +talismanically +talismanist +talismanni +talismans +talite +Talitha +talitol +talk +talkability +talkable +talkathon +talkative +talkatively +talkativeness +talk-back +talked +talked-about +talked-of +talkee +talkee-talkee +talker +talkers +talkfest +talkful +talky +talkie +talkier +talkies +talkiest +talkiness +talking +talkings +talking-to +talking-tos +talky-talk +talky-talky +talks +talkworthy +tall +Talladega +tallage +tallageability +tallageable +tallaged +tallages +tallaging +Tallahassee +tallaisim +tal-laisim +tallaism +tallapoi +Tallapoosa +Tallassee +tallate +tall-bodied +tallboy +tallboys +Tallbot +Tallbott +tall-built +Tallchief +tall-chimneyed +tall-columned +tall-corn +Tallega +tallegalane +Talley +Talleyrand-Prigord +tall-elmed +taller +tallero +talles +tallest +tallet +Tallevast +tall-growing +talli +Tally +Tallia +talliable +talliage +talliar +talliate +talliated +talliating +talliatum +Tallie +tallied +tallier +talliers +tallies +tallyho +tally-ho +tallyho'd +tallyhoed +tallyhoing +tallyhos +tallying +tallyman +tallymanship +tallymen +Tallinn +Tallis +Tallys +tallish +tallyshop +tallit +tallith +tallithes +tallithim +tallitim +tallitoth +tallywag +tallywalka +tallywoman +tallywomen +tall-looking +Tallmadge +Tallman +Tallmansville +tall-masted +tall-master +tall-necked +tallness +tallnesses +talloel +tallol +tallols +tallote +Tallou +tallow +tallowberry +tallowberries +tallow-chandlering +tallow-colored +tallow-cut +tallowed +tallower +tallow-face +tallow-faced +tallow-hued +tallowy +tallowiness +tallowing +tallowish +tallow-lighted +tallowlike +tallowmaker +tallowmaking +tallowman +tallow-pale +tallowroot +tallows +tallow-top +tallow-topped +tallowweed +tallow-white +tallowwood +tall-pillared +tall-sceptered +tall-sitting +tall-spired +tall-stalked +tall-stemmed +tall-trunked +tall-tussocked +Tallu +Tallula +Tallulah +tall-wheeled +tallwood +talma +Talmage +talmas +Talmo +talmouse +Talmud +Talmudic +Talmudical +Talmudism +Talmudist +Talmudistic +Talmudistical +talmudists +Talmudization +Talmudize +talocalcaneal +talocalcanean +talocrural +talofibular +Taloga +talon +talonavicular +taloned +talonic +talonid +talons +talon-tipped +talooka +talookas +Talos +taloscaphoid +talose +talotibial +Talpa +talpacoti +talpatate +talpetate +talpicide +talpid +Talpidae +talpify +talpiform +talpine +talpoid +talshide +taltarum +talter +talthib +Talthybius +Taltushtuntude +Taluche +Taluhet +taluk +taluka +talukas +talukdar +talukdari +taluks +talus +taluses +taluto +talwar +talweg +talwood +TAM +Tama +tamability +tamable +tamableness +tamably +Tamaceae +Tamachek +tamacoare +Tamah +Tamayo +tamal +Tamale +tamales +tamals +Tamanac +Tamanaca +Tamanaco +Tamanaha +tamandu +tamandua +tamanduas +tamanduy +tamandus +tamanoas +tamanoir +tamanowus +tamanu +Tamaqua +Tamar +Tamara +tamarack +tamaracks +Tamarah +tamaraite +tamarao +tamaraos +tamarau +tamaraus +tamari +Tamaricaceae +tamaricaceous +tamarin +tamarind +tamarinds +Tamarindus +tamarins +tamaris +tamarisk +tamarisks +Tamarix +Tamaroa +Tamarra +Tamaru +Tamas +tamasha +tamashas +Tamashek +tamasic +Tamasine +Tamassee +Tamatave +Tamaulipas +Tamaulipec +Tamaulipecan +tambac +tambacs +tambak +tambaks +tambala +tambalas +tambaroora +tamber +Tamberg +tambo +tamboo +Tambookie +tambor +Tambora +Tambouki +tambour +tamboura +tambouras +tamboured +tambourer +tambouret +tambourgi +tambourin +tambourinade +tambourine +tambourines +tambouring +tambourins +tambourist +tambours +Tambov +tambreet +Tambuki +tambur +tambura +tamburan +tamburas +tamburello +tamburitza +Tamburlaine +tamburone +tamburs +Tame +tameability +tameable +tameableness +tamed +tame-grief +tame-grown +tamehearted +tameheartedness +tamein +tameins +tameless +tamelessly +tamelessness +tamely +tame-lived +tame-looking +tame-minded +tame-natured +tamenes +tameness +tamenesses +Tamer +Tamera +Tamerlane +Tamerlanism +tamers +tames +Tamesada +tame-spirited +tamest +tame-witted +Tami +Tamias +tamidine +Tamiko +Tamil +Tamilian +Tamilic +Tamils +Tamiment +tamine +taming +taminy +Tamis +tamise +tamises +tamlung +Tamma +Tammany +Tammanial +Tammanyism +Tammanyite +Tammanyize +Tammanize +tammar +Tammara +Tammerfors +Tammi +Tammy +Tammie +tammies +Tammlie +tammock +Tamms +Tammuz +Tamoyo +Tamonea +tam-o'shanter +tam-o'-shanter +tam-o-shanter +tam-o-shantered +tamp +Tampa +tampala +tampalas +Tampan +tampang +tampans +tamped +tamper +Tampere +tampered +tamperer +tamperers +tampering +tamperproof +tampers +Tampico +tampin +tamping +tampion +tampioned +tampions +tampoe +tampoy +tampon +tamponade +tamponage +tamponed +tamponing +tamponment +tampons +tampoon +tamps +tampur +Tamqrah +Tamra +Tams +Tamsky +tam-tam +Tamul +Tamulian +Tamulic +tamure +Tamus +Tamworth +Tamzine +Tan +Tana +tanacetyl +tanacetin +tanacetone +Tanacetum +Tanach +tanadar +tanager +tanagers +Tanagra +Tanagraean +Tanagridae +tanagrine +tanagroid +Tanah +Tanaidacea +tanaist +tanak +Tanaka +Tanala +tanan +Tanana +Tananarive +Tanaquil +Tanaron +tanbark +tanbarks +Tanberg +tanbur +tan-burning +tancel +Tanchelmian +tanchoir +tan-colored +Tancred +tandan +tandava +tandem +tandem-compound +tandemer +tandemist +tandemize +tandem-punch +tandems +tandemwise +Tandi +Tandy +Tandie +Tandjungpriok +tandle +tandoor +Tandoori +tandour +tandsticka +tandstickor +Tane +tanega +Taney +Taneytown +Taneyville +tanekaha +tan-faced +Tang +T'ang +Tanga +Tangaloa +tangalung +Tanganyika +Tanganyikan +tangan-tangan +Tangaridae +Tangaroa +Tangaroan +tanged +tangeite +tangelo +tangelos +tangence +tangences +tangency +tangencies +tangent +tangental +tangentally +tangent-cut +tangential +tangentiality +tangentially +tangently +tangents +tangent's +tangent-saw +tangent-sawed +tangent-sawing +tangent-sawn +tanger +Tangerine +tangerine-colored +tangerines +tangfish +tangfishes +tangham +tanghan +tanghin +Tanghinia +tanghinin +tangi +tangy +tangibile +tangibility +tangibilities +tangible +tangibleness +tangibles +tangibly +tangie +Tangier +tangiest +tangile +tangilin +tanginess +tanging +Tangipahoa +tangka +tanglad +tangle +tangleberry +tangleberries +Tangled +tanglefish +tanglefishes +tanglefoot +tangle-haired +tanglehead +tangle-headed +tangle-legs +tanglement +tangleproof +tangler +tangleroot +tanglers +tangles +tanglesome +tangless +tangle-tail +tangle-tailed +Tanglewood +tanglewrack +tangly +tanglier +tangliest +tangling +tanglingly +tango +tangoed +tangoing +tangoreceptor +tangos +tangram +tangrams +tangs +Tangshan +tangue +Tanguy +tanguile +tanguin +tangum +tangun +Tangut +tanh +tanha +Tanhya +tanhouse +Tani +Tania +Tanya +tanyard +tanyards +tanica +tanier +taniko +taniness +Tanyoan +Tanis +tanist +tanistic +Tanystomata +tanystomatous +tanystome +tanistry +tanistries +tanists +tanistship +Tanitansy +Tanite +Tanitic +tanjib +tanjong +Tanjore +Tanjungpandan +Tanjungpriok +tank +tanka +tankage +tankages +tankah +tankard +tankard-bearing +tankards +tankas +tanked +tanker +tankerabogus +tankers +tankert +tankette +tankful +tankfuls +tankie +tanking +tankka +tankle +tankless +tanklike +tankmaker +tankmaking +tankman +tankodrome +Tankoos +tankroom +tanks +tankship +tankships +tank-town +tankwise +tanling +tan-mouthed +Tann +tanna +tannable +tannadar +tannage +tannages +tannaic +tannaim +tannaitic +tannalbin +tannase +tannate +tannates +tanned +Tanney +Tannen +Tannenbaum +Tannenberg +Tannenwald +Tanner +tannery +tanneries +tanners +tanner's +Tannersville +tannest +tannhauser +Tannhser +Tanny +tannic +tannid +tannide +Tannie +tanniferous +tannigen +tannyl +tannin +tannined +tanning +tannings +tanninlike +tannins +tannish +tanno- +tannocaffeic +tannogallate +tannogallic +tannogelatin +tannogen +tannoid +tannometer +Tano +tanoa +Tanoan +tanproof +tanquam +Tanquelinian +tanquen +tanrec +tanrecs +tans +tan-sailed +Tansey +tansel +Tansy +tansies +tan-skinned +TANSTAAFL +tan-strewn +tanstuff +Tanta +tantadlin +tantafflin +tantalate +Tantalean +Tantalian +Tantalic +tantaliferous +tantalifluoride +tantalisation +tantalise +tantalised +tantaliser +tantalising +tantalisingly +tantalite +tantalization +tantalize +tantalized +tantalizer +tantalizers +tantalizes +tantalizing +tantalizingly +tantalizingness +tantalofluoride +tantalous +tantalum +tantalums +Tantalus +Tantaluses +tantamount +tan-tan +tantara +tantarabobus +tantarara +tantaras +tantawy +tanti +tantieme +tan-tinted +tantivy +tantivies +tantle +tanto +Tantony +Tantra +tantras +tantric +tantrik +Tantrika +Tantrism +Tantrist +tan-trodden +tantrum +tantrums +tantrum's +tantum +tanwood +tanworks +Tanzania +tanzanian +tanzanians +tanzanite +tanzeb +tanzy +tanzib +Tanzine +TAO +taoiya +taoyin +Taoism +Taoist +Taoistic +taoists +Taonurus +Taopi +Taos +taotai +tao-tieh +TAP +Tapa +Tapachula +Tapachulteca +tapacolo +tapaculo +tapaculos +Tapacura +tapadera +tapaderas +tapadero +tapaderos +tapayaxin +Tapaj +Tapajo +Tapajos +tapalo +tapalos +tapamaker +tapamaking +tapas +tapasvi +tap-dance +tap-danced +tap-dancer +tap-dancing +Tape +Tapeats +tape-bound +tapecopy +taped +tapedrives +tapeinocephaly +tapeinocephalic +tapeinocephalism +tapeless +tapelike +tapeline +tapelines +tapemaker +tapemaking +tapeman +tapemarks +tapemen +tapemove +tapen +tape-printing +taper +taperbearer +taper-bored +tape-record +tapered +tapered-in +taperer +taperers +taper-fashion +taper-grown +taper-headed +tapery +tapering +taperingly +taperly +taper-lighted +taper-limbed +tapermaker +tapermaking +taper-molded +taperness +taper-pointed +tapers +taperstick +taperwise +Tapes +tapesium +tape-slashing +tapester +tapestry +tapestry-covered +tapestried +tapestries +tapestrying +tapestrylike +tapestring +tapestry's +tapestry-worked +tapestry-woven +tapet +tapeta +tapetal +tapete +tapeti +tape-tied +tape-tying +tapetis +tapetless +Tapetron +tapetta +tapetum +tapework +tapeworm +tapeworms +taphephobia +Taphiae +taphole +tap-hole +tapholes +taphouse +tap-house +taphouses +Taphria +Taphrina +Taphrinaceae +tapia +tapidero +Tapijulapane +tapinceophalism +taping +tapings +tapinocephaly +tapinocephalic +Tapinoma +tapinophoby +tapinophobia +tapinosis +tapioca +tapioca-plant +tapiocas +tapiolite +tapir +Tapiridae +tapiridian +tapirine +Tapiro +tapiroid +tapirs +Tapirus +tapis +tapiser +tapises +tapism +tapisser +tapissery +tapisserie +tapissier +tapist +tapit +taplash +tap-lash +Tapley +Tapleyism +taplet +Taplin +tapling +tapmost +tapnet +tapoa +Tapoco +tap-off +Taposa +tapotement +tapoun +tappa +tappable +tappableness +Tappahannock +tappall +Tappan +tappaul +tapped +Tappen +tapper +tapperer +tapper-out +tappers +tapper's +Tappertitian +tappet +tappets +tap-pickle +tappietoorie +tapping +tappings +tappish +tappit +tappit-hen +tappoon +Taprobane +taproom +tap-room +taprooms +taproot +tap-root +taprooted +taproots +taproot's +taps +tap's +tapsalteerie +tapsal-teerie +tapsie-teerie +tapsman +tapster +tapsterly +tapsterlike +tapsters +tapstress +tap-tap +tap-tap-tap +tapu +Tapuya +Tapuyan +Tapuyo +tapul +tapwort +taqlid +taqua +TAR +Tara +Tarabar +tarabooka +Taracahitian +taradiddle +taraf +tarafdar +tarage +Tarah +Tarahumar +Tarahumara +Tarahumare +Tarahumari +Tarai +tarairi +tarakihi +Taraktogenos +tarama +taramas +taramasalata +taramellite +Taramembe +Taran +Taranchi +tarand +Tarandean +tar-and-feathering +Tarandian +Taranis +tarantara +tarantarize +tarantas +tarantases +tarantass +tarantella +tarantelle +tarantism +tarantist +Taranto +tarantula +tarantulae +tarantular +tarantulary +tarantulas +tarantulated +tarantulid +Tarantulidae +tarantulism +tarantulite +tarantulous +tarapatch +taraph +tarapin +Tarapon +Tarapoto +Tarasc +Tarascan +Tarasco +tarassis +tarata +taratah +taratantara +taratantarize +tarau +Tarawa +Tarawa-Makin +taraxacerin +taraxacin +Taraxacum +Tarazed +Tarazi +tarbadillo +tarbagan +tar-barrel +tar-bedaubed +Tarbell +Tarbes +tarbet +tar-bind +tar-black +tarble +tarboard +tarbogan +tarboggin +tarboy +tar-boiling +tarboosh +tarbooshed +tarbooshes +Tarboro +tarbox +tar-brand +tarbrush +tar-brush +tar-burning +tarbush +tarbushes +tarbuttite +tarcel +tarchon +tar-clotted +tar-coal +tardamente +tardando +tardant +Tarde +Tardenoisian +tardy +tardier +tardies +tardiest +Tardieu +tardy-gaited +Tardigrada +tardigrade +tardigradous +tardily +tardiloquent +tardiloquy +tardiloquous +tardy-moving +tardiness +tardyon +tardyons +tar-dipped +tardy-rising +tardity +tarditude +tardive +tardle +tardo +Tare +tarea +tared +tarefa +tarefitch +Tareyn +tarentala +tarente +Tarentine +tarentism +tarentola +Tarentum +tarepatch +tareq +tares +tarfa +tarflower +targe +targed +targeman +targer +targes +target +targeted +targeteer +targetier +targeting +targetless +targetlike +targetman +targets +target-shy +targetshooter +Targett +target-tower +target-tug +Targhee +targing +Targitaus +Targum +Targumic +Targumical +Targumist +Targumistic +Targumize +Targums +tar-heating +Tarheel +Tarheeler +tarhood +tari +Tariana +taryard +Taryba +tarie +tariff +tariffable +tariff-born +tariff-bound +tariffed +tariff-fed +tariffication +tariffing +tariffism +tariffist +tariffite +tariffize +tariffless +tariff-protected +tariff-raised +tariff-raising +tariff-reform +tariff-regulating +tariff-ridden +tariffs +tariff's +tariff-tinkering +Tariffville +tariff-wise +Tarija +Tarim +tarin +Taryn +Taryne +taring +tariqa +tariqat +Tariri +tariric +taririnic +tarish +Tarkalani +Tarkani +Tarkany +tarkashi +tarkeean +tarkhan +Tarkington +Tarkio +Tarlac +tar-laid +tarlatan +tarlataned +tarlatans +tarleather +tarletan +tarletans +tarlies +tarlike +Tarlton +tarltonize +Tarmac +tarmacadam +tarmacs +tarman +tarmi +tarmined +tarmosined +Tarn +tarnal +tarnally +tarnation +tarn-brown +Tarne +Tarn-et-Garonne +Tarnhelm +tarnish +tarnishable +tarnished +tarnisher +tarnishes +tarnishing +tarnishment +tarnishproof +Tarnkappe +tarnlike +Tarnopol +Tarnow +tarns +tarnside +Taro +taroc +tarocco +tarocs +tarogato +tarogatos +tarok +taroks +taropatch +taros +tarot +tarots +tarp +tar-paint +tarpan +tarpans +tarpaper +tarpapered +tarpapers +tarpaulian +tarpaulin +tarpaulin-covered +tarpaulin-lined +tarpaulinmaker +tarpaulins +tar-paved +Tarpeia +Tarpeian +Tarpley +tarpon +tarpons +tarpot +tarps +tarpum +Tarquin +Tarquinish +Tarr +Tarra +tarraba +tarrack +tarradiddle +tarradiddler +tarragon +Tarragona +tarragons +Tarrah +Tarrance +Tarrant +tarras +Tarrasa +tarrass +Tarrateen +Tarratine +tarre +tarred +Tarrel +tar-removing +tarrer +tarres +tarri +tarry +tarriance +tarry-breeks +tarrie +tarried +tarrier +tarriers +tarries +tarriest +tarrify +tarry-fingered +tarryiest +tarrying +tarryingly +tarryingness +tarry-jacket +Tarry-john +tarrily +Tarryn +tarriness +tarring +tarrish +Tarrytown +tarrock +tar-roofed +tarrow +Tarrs +Tarrsus +tars +tarsadenitis +tarsal +tarsale +tarsalgia +tarsalia +tarsals +tar-scented +tarse +tar-sealed +tarsectomy +tarsectopia +Tarshish +tarsi +tarsia +tarsias +tarsier +tarsiers +Tarsiidae +tarsioid +Tarsipedidae +Tarsipedinae +Tarsipes +tarsitis +Tarsius +Tarski +tarso- +tar-soaked +tarsochiloplasty +tarsoclasis +tarsomalacia +tarsome +tarsometatarsal +tarso-metatarsal +tarsometatarsi +tarsometatarsus +tarso-metatarsus +tarsonemid +Tarsonemidae +Tarsonemus +tarso-orbital +tarsophalangeal +tarsophyma +tarsoplasia +tarsoplasty +tarsoptosis +tarsorrhaphy +tarsotarsal +tarsotibal +tarsotomy +tar-spray +Tarsus +Tarsuss +tart +Tartaglia +tartago +Tartan +tartana +tartanas +tartane +tartan-purry +tartans +Tartar +tartarated +tartare +Tartarean +Tartareous +tartaret +Tartary +Tartarian +Tartaric +Tartarin +tartarine +tartarish +Tartarism +Tartarization +Tartarize +Tartarized +tartarizing +tartarly +Tartarlike +Tartar-nosed +Tartarology +tartarous +tartarproof +tartars +tartarum +Tartarus +tarte +tarted +tartemorion +tarten +tarter +tartest +tarty +tartine +tarting +Tartini +tartish +tartishly +tartishness +tartle +tartlet +tartlets +tartly +tartness +tartnesses +Tarton +tartralic +tartramate +tartramic +tartramid +tartramide +tartrate +tartrated +tartrates +tartratoferric +tartrazin +tartrazine +tartrazinic +tartrelic +tartryl +tartrylic +tartro +tartro- +tartronate +tartronic +tartronyl +tartronylurea +tartrous +tarts +Tarttan +Tartu +Tartufe +tartufery +Tartufes +Tartuffe +Tartuffery +Tartuffes +Tartuffian +Tartuffish +tartuffishly +Tartuffism +tartufian +tartufish +tartufishly +tartufism +tartwoman +tartwomen +Taruma +Tarumari +Taruntius +tarve +Tarvia +tar-water +tarweed +tarweeds +tarwhine +tarwood +tarworks +Tarzan +Tarzana +Tarzanish +tarzans +TAS +tasajillo +tasajillos +tasajo +tasbih +TASC +tascal +tasco +taseometer +tash +Tasha +tasheriff +tashie +Tashkend +Tashkent +Tashlich +Tashlik +Tashmit +Tashnagist +Tashnakist +tashreef +tashrif +Tashusai +TASI +Tasia +Tasian +Tasiana +tasimeter +tasimetry +tasimetric +task +taskage +tasked +Tasker +tasking +taskit +taskless +tasklike +taskmaster +taskmasters +taskmastership +taskmistress +tasks +tasksetter +tasksetting +taskwork +task-work +taskworks +Tasley +taslet +Tasm +Tasman +Tasmania +Tasmanian +tasmanite +TASS +tassago +tassah +tassal +tassard +tasse +tassel +tasseled +tasseler +tasselet +tasselfish +tassel-hung +tassely +tasseling +tasselled +tasseller +tasselly +tasselling +tassellus +tasselmaker +tasselmaking +tassels +tassel's +tasser +tasses +tasset +tassets +Tassie +tassies +Tasso +tassoo +tastable +tastableness +tastably +taste +tasteable +tasteableness +tasteably +tastebuds +tasted +tasteful +tastefully +tastefulness +tastekin +tasteless +tastelessly +tastelessness +tastemaker +taste-maker +tasten +taster +tasters +tastes +tasty +tastier +tastiest +tastily +tastiness +tasting +tastingly +tastings +tasu +Taswell +TAT +ta-ta +tatami +Tatamy +tatamis +Tatar +Tatary +Tatarian +Tataric +Tatarization +Tatarize +tatars +tataupa +tatbeb +tatchy +Tate +tater +taters +Tates +Tateville +tath +Tathagata +Tathata +Tati +Tatia +Tatian +Tatiana +Tatianas +Tatiania +Tatianist +Tatianna +tatie +tatinek +Tatius +tatler +Tatman +tatmjolk +tatoo +tatoos +tatou +tatouay +tatouays +tatpurusha +tats +Tatsanottine +tatsman +tatta +Tattan +tat-tat +tat-tat-tat +tatted +tatter +tatterdemalion +tatterdemalionism +tatterdemalionry +tatterdemalions +tattered +tatteredly +tatteredness +tattery +tattering +tatterly +tatters +tattersall +tattersalls +tatterwag +tatterwallop +tatther +tatty +tattie +tattied +tattier +tatties +tattiest +tattily +tattiness +tatting +tattings +tatty-peelin +tattle +tattled +tattlement +tattler +tattlery +tattlers +tattles +tattletale +tattletales +tattling +tattlingly +tattoo +tattooage +tattooed +tattooer +tattooers +tattooing +tattooist +tattooists +tattooment +tattoos +tattva +Tatu +tatuasu +tatukira +Tatum +Tatums +Tatusia +Tatusiidae +TAU +Taub +Taube +Tauchnitz +taught +taula +taulch +Tauli +taulia +taum +tau-meson +taun +Taungthu +taunt +taunted +taunter +taunters +taunting +tauntingly +tauntingness +taunt-masted +Taunton +tauntress +taunt-rigged +taunts +taupe +taupe-rose +taupes +Taupo +taupou +taur +Tauranga +taurean +Tauri +Taurian +Tauric +tauricide +tauricornous +Taurid +Tauridian +tauriferous +tauriform +tauryl +taurylic +taurin +taurine +taurines +Taurini +taurite +tauro- +tauroboly +taurobolia +taurobolium +taurocephalous +taurocholate +taurocholic +taurocol +taurocolla +Tauroctonus +taurodont +tauroesque +taurokathapsia +taurolatry +tauromachy +tauromachia +tauromachian +tauromachic +tauromaquia +tauromorphic +tauromorphous +taurophile +taurophobe +taurophobia +Tauropolos +Taurotragus +Taurus +tauruses +taus +tau-saghyz +Taussig +taut +taut- +tautaug +tautaugs +tauted +tautegory +tautegorical +tauten +tautened +tautening +tautens +tauter +tautest +tauting +tautirite +tautit +tautly +tautness +tautnesses +tauto- +tautochrone +tautochronism +tautochronous +tautog +tautogs +tautoisomerism +Tautology +tautologic +tautological +tautologically +tautologicalness +tautologies +tautology's +tautologise +tautologised +tautologising +tautologism +tautologist +tautologize +tautologized +tautologizer +tautologizing +tautologous +tautologously +tautomer +tautomeral +tautomery +tautomeric +tautomerism +tautomerizable +tautomerization +tautomerize +tautomerized +tautomerizing +tautomers +tautometer +tautometric +tautometrical +tautomorphous +tautonym +tautonymy +tautonymic +tautonymies +tautonymous +tautonyms +tautoousian +tautoousious +tautophony +tautophonic +tautophonical +tautopody +tautopodic +tau-topped +tautosyllabic +tautotype +tautourea +tautousian +tautousious +tautozonal +tautozonality +tauts +Tav +Tavares +Tavast +Tavastian +Tave +Taveda +Tavey +Tavel +tavell +taver +tavern +taverna +tavernas +Taverner +taverners +tavern-gotten +tavern-hunting +Tavernier +tavernize +tavernless +tavernly +tavernlike +tavernous +tavernry +taverns +tavern's +tavern-tainted +tavernwards +tavers +tavert +tavestock +Tavghi +Tavgi +Tavi +Tavy +Tavia +Tavie +Tavis +Tavish +tavistockite +tavoy +tavola +tavolatite +TAVR +tavs +taw +tawa +tawdered +tawdry +tawdrier +tawdries +tawdriest +tawdrily +tawdriness +tawed +tawer +tawery +tawers +Tawgi +tawhai +tawhid +tawie +tawyer +tawing +tawite +tawkee +tawkin +tawn +Tawney +tawneier +tawneiest +tawneys +tawny +Tawnya +tawny-brown +tawny-coated +tawny-colored +tawnie +tawnier +tawnies +tawniest +tawny-faced +tawny-gold +tawny-gray +tawny-green +tawny-haired +tawny-yellow +tawnily +tawny-moor +tawniness +tawny-olive +tawny-skinned +tawny-tanned +tawny-visaged +tawny-whiskered +tawnle +tawpi +tawpy +tawpie +tawpies +taws +tawse +tawsed +tawses +Tawsha +tawsy +tawsing +Taw-Sug +tawtie +tax +tax- +taxa +taxability +taxable +taxableness +taxables +taxably +Taxaceae +taxaceous +taxameter +taxaspidean +taxation +taxational +taxations +taxative +taxatively +taxator +tax-born +tax-bought +tax-burdened +tax-cart +tax-deductible +tax-dodging +taxeater +taxeating +taxed +taxeme +taxemes +taxemic +taxeopod +Taxeopoda +taxeopody +taxeopodous +taxer +taxers +taxes +tax-exempt +tax-free +taxgatherer +tax-gatherer +taxgathering +taxi +taxy +taxiable +taxiarch +taxiauto +taxi-bordered +taxibus +taxicab +taxi-cab +taxicabs +taxicab's +taxicorn +Taxidea +taxidermal +taxidermy +taxidermic +taxidermies +taxidermist +taxidermists +taxidermize +taxidriver +taxied +taxies +taxiing +taxying +Taxila +taximan +taximen +taximeter +taximetered +taxin +taxine +taxing +taxingly +taxinomy +taxinomic +taxinomist +taxiplane +taxir +taxis +taxistand +taxite +taxites +taxitic +taxiway +taxiways +tax-laden +taxless +taxlessly +taxlessness +tax-levying +taxman +taxmen +Taxodiaceae +Taxodium +taxodont +taxology +taxometer +taxon +taxonomer +taxonomy +taxonomic +taxonomical +taxonomically +taxonomies +taxonomist +taxonomists +taxons +taxor +taxpaid +taxpayer +taxpayers +taxpayer's +taxpaying +tax-ridden +tax-supported +Taxus +taxwax +taxwise +ta-zaung +tazeea +Tazewell +tazia +tazza +tazzas +tazze +TB +TBA +T-bar +TBD +T-bevel +Tbi +Tbilisi +Tbisisi +TBO +t-bone +TBS +tbs. +tbsp +tbssaraglot +TC +TCA +TCAP +TCAS +Tcawi +TCB +TCBM +TCC +TCCC +TCG +tch +Tchad +tchai +Tchaikovsky +Tchao +tchapan +tcharik +tchast +tche +tcheckup +tcheirek +Tcheka +Tchekhov +Tcherepnin +Tcherkess +tchervonets +tchervonetz +tchervontzi +Tchetchentsish +Tchetnitsi +tchetvert +Tchi +tchick +tchincou +tchr +tchu +Tchula +Tchwi +tck +TCM +T-connected +TCP +TCPIP +TCR +TCS +TCSEC +TCT +TD +TDAS +TDC +TDCC +TDD +TDE +TDI +TDY +TDL +TDM +TDMA +TDO +TDR +TDRS +TDRSS +TE +tea +Teaberry +teaberries +tea-blending +teaboard +teaboards +teaboy +teabowl +teabowls +teabox +teaboxes +teacake +teacakes +teacart +teacarts +Teach +teachability +teachable +teachableness +teachably +teache +teached +Teachey +teacher +teacherage +teacherdom +teacheress +teacherhood +teachery +teacherish +teacherless +teacherly +teacherlike +teachers +teacher's +teachership +teaches +tea-chest +teachy +teach-in +teaching +teachingly +teachings +teach-ins +teachless +teachment +tea-clipper +tea-colored +tea-covered +teacup +tea-cup +teacupful +teacupfuls +teacups +teacupsful +tead +teadish +Teador +teaey +teaer +Teagan +Teagarden +tea-garden +tea-gardened +teagardeny +Teage +teagle +tea-growing +Teague +Teagueland +Teaguelander +Teahan +teahouse +teahouses +teaing +tea-inspired +Teays +teaish +teaism +Teak +teak-brown +teak-built +teak-complexioned +teakettle +teakettles +teak-lined +teak-producing +teaks +teakwood +teakwoods +teal +tea-leaf +tealeafy +tea-leaved +tea-leaves +tealery +tealess +tealike +teallite +tea-loving +teals +team +teamaker +tea-maker +teamakers +teamaking +teaman +teamed +teameo +teamer +teaming +tea-mixing +teamland +teamless +teamman +teammate +team-mate +teammates +teams +teamsman +teamster +teamsters +teamwise +teamwork +teamworks +tean +teanal +Teaneck +tea-of-heaven +teap +tea-packing +tea-party +tea-plant +tea-planter +teapoy +teapoys +teapot +tea-pot +teapotful +teapots +teapottykin +tea-producing +tear +tear- +tearable +tearableness +tearably +tear-acknowledged +tear-affected +tearage +tear-angry +tear-arresting +tear-attested +tearaway +tear-baptized +tear-bedabbled +tear-bedewed +tear-besprinkled +tear-blinded +tear-bottle +tear-bright +tearcat +tear-commixed +tear-compelling +tear-composed +tear-creating +tear-damped +tear-derived +tear-dewed +tear-dimmed +tear-distained +tear-distilling +teardown +teardowns +teardrop +tear-dropped +teardrops +tear-drowned +tear-eased +teared +tear-embarrassed +tearer +tearers +tear-expressed +tear-falling +tear-filled +tear-forced +tear-fraught +tear-freshened +tearful +tearfully +tearfulness +teargas +tear-gas +teargases +teargassed +tear-gassed +teargasses +teargassing +tear-gassing +tear-glistening +teary +tearier +teariest +tearily +tear-imaged +teariness +tearing +tearingly +tearjerker +tear-jerker +tearjerkers +tear-jerking +tear-kissed +tear-lamenting +Tearle +tearless +tearlessly +tearlessness +tearlet +tearlike +tear-lined +tear-marked +tear-melted +tear-mirrored +tear-misty +tear-mocking +tear-moist +tear-mourned +tear-off +tearoom +tearooms +tea-rose +tear-out +tear-owned +tear-paying +tear-pale +tear-pardoning +tear-persuaded +tear-phrased +tear-pictured +tearpit +tear-pitying +tear-plagued +tear-pouring +tear-practiced +tear-procured +tearproof +tear-protested +tear-provoking +tear-purchased +tear-quick +tear-raining +tear-reconciled +tear-regretted +tear-resented +tear-revealed +tear-reviving +tears +tear-salt +tear-scorning +tear-sealed +tear-shaped +tear-shedding +tear-shot +tearstain +tearstained +tear-stained +tear-stubbed +tear-swollen +teart +tear-thirsty +tearthroat +tearthumb +tear-washed +tear-wet +tear-wiping +tear-worn +tear-wrung +teas +teasable +teasableness +teasably +tea-scented +Teasdale +tease +teaseable +teaseableness +teaseably +teased +teasehole +teasel +teaseled +teaseler +teaselers +teaseling +teaselled +teaseller +teasellike +teaselling +teasels +teaselwort +teasement +teaser +teasers +teases +teashop +teashops +teasy +teasiness +teasing +teasingly +teasle +teasler +tea-sodden +teaspoon +tea-spoon +teaspoonful +teaspoonfuls +teaspoonful's +teaspoons +teaspoon's +teaspoonsful +tea-swilling +teat +tea-table +tea-tabular +teataster +tea-taster +teated +teatfish +teathe +teather +tea-things +teaty +teatime +teatimes +teatlike +teatling +teatman +tea-tray +tea-tree +teats +teave +teaware +teawares +teaze +teazel +teazeled +teazeling +teazelled +teazelling +teazels +teazer +teazle +teazled +teazles +teazling +TEB +tebbad +tebbet +Tebbetts +tebeldi +Tebet +Tebeth +Tebu +TEC +Teca +tecali +tecassir +Tecate +Tech +tech. +teched +techy +techie +techier +techies +techiest +techily +techiness +techne +technetium +technetronic +Techny +technic +technica +technical +technicalism +technicalist +technicality +technicalities +technicality's +technicalization +technicalize +technically +technicalness +technician +technicians +technician's +technicism +technicist +technico- +technicology +technicological +Technicolor +technicolored +technicon +technics +Technion +techniphone +technique +techniquer +techniques +technique's +technism +technist +techno- +technocausis +technochemical +technochemistry +technocracy +technocracies +technocrat +technocratic +technocrats +technographer +technography +technographic +technographical +technographically +technol +technolithic +technology +technologic +technological +technologically +technologies +technologist +technologists +technologist's +technologize +technologue +technonomy +technonomic +technopsychology +technostructure +techous +teck +Tecla +Tecmessa +tecno- +tecnoctonia +tecnology +TECO +Tecoma +tecomin +tecon +Tecopa +Tecpanec +tecta +tectal +tectibranch +Tectibranchia +tectibranchian +Tectibranchiata +tectibranchiate +tectiform +tectite +tectites +tectocephaly +tectocephalic +tectology +tectological +Tecton +Tectona +tectonic +tectonically +tectonics +tectonism +tectorial +tectorium +Tectosages +tectosphere +tectospinal +Tectospondyli +tectospondylic +tectospondylous +tectrices +tectricial +tectrix +tectum +tecture +Tecu +tecum +tecuma +Tecumseh +Tecumtha +Tecuna +Ted +Teda +Tedd +Tedda +tedded +Tedder +tedders +Teddi +Teddy +teddy-bear +Teddie +teddies +tedding +Teddman +tedesca +tedescan +tedesche +tedeschi +tedesco +tedge +Tedi +Tedie +tediosity +tedious +tediously +tediousness +tediousnesses +tediousome +tedisome +tedium +tedium-proof +tediums +Tedman +Tedmann +Tedmund +Tedra +Tedric +teds +tee +tee-bulb +teecall +Teece +teed +teedle +tee-hee +tee-hole +teeing +teel +teels +teem +teemed +teemer +teemers +teemful +teemfulness +teeming +teemingly +teemingness +teemless +teems +teen +Teena +teenage +teen-age +teenaged +teen-aged +teenager +teen-ager +teenagers +tee-name +teener +teeners +teenet +teenful +teenfully +teenfuls +teeny +teenybop +teenybopper +teenyboppers +teenie +teenier +teeniest +teenie-weenie +teenish +teeny-weeny +teens +teensy +teensier +teensiest +teensie-weensie +teensy-weensy +teenty +teentsy +teentsier +teentsiest +teentsy-weentsy +teepee +teepees +teer +Teerell +teerer +Tees +tee-shirt +Teesside +teest +Teeswater +teet +teetaller +teetan +teetee +Teeter +teeterboard +teetered +teeterer +teetery +teetery-bender +teetering +teetering-board +teeteringly +teeters +teetertail +teeter-totter +teeter-tottering +teeth +teethache +teethbrush +teeth-chattering +teethe +teethed +teeth-edging +teether +teethers +teethes +teethful +teeth-gnashing +teeth-grinding +teethy +teethier +teethiest +teethily +teething +teethings +teethless +teethlike +teethridge +teety +teeting +teetotal +teetotaled +teetotaler +teetotalers +teetotaling +teetotalism +teetotalist +teetotalled +teetotaller +teetotally +teetotalling +teetotals +teetotum +teetotumism +teetotumize +teetotums +teetotumwise +teetsook +teevee +Teevens +teewhaap +tef +Teferi +teff +teffs +Tefft +tefillin +TEFLON +teg +Tega +Tegan +Tegea +Tegean +Tegeates +Tegeticula +tegg +Tegyrius +tegmen +tegment +tegmenta +tegmental +tegmentum +tegmina +tegminal +Tegmine +tegs +tegua +teguas +Tegucigalpa +teguexin +teguguria +Teguima +tegula +tegulae +tegular +tegularly +tegulated +tegumen +tegument +tegumenta +tegumental +tegumentary +teguments +tegumentum +tegumina +teguria +tegurium +Teh +Tehachapi +Tehama +tehee +te-hee +te-heed +te-heing +Teheran +Tehillim +TEHO +Tehran +tehseel +tehseeldar +tehsil +tehsildar +Tehuacana +Tehuantepec +Tehuantepecan +Tehuantepecer +Tehueco +Tehuelche +Tehuelchean +Tehuelches +Tehuelet +Teian +teicher +teichopsia +Teide +Teyde +teiglach +teiglech +teihte +teiid +Teiidae +teiids +teil +Teillo +Teilo +teind +teindable +teinder +teinds +teinland +teinoscope +teioid +Teiresias +TEirtza +teise +tejano +Tejo +Tejon +teju +Tekakwitha +Tekamah +tekedye +tekya +tekiah +Tekintsi +Tekke +tekken +Tekkintzi +Tekla +teknonymy +teknonymous +teknonymously +Tekoa +Tekonsha +tektite +tektites +tektitic +tektos +tektosi +tektosil +tektosilicate +Tektronix +TEL +tel- +tela +telacoustic +telae +telaesthesia +telaesthetic +telakucha +Telamon +telamones +Telanaipura +telang +telangiectases +telangiectasy +telangiectasia +telangiectasis +telangiectatic +telangiosis +Telanthera +Telanthropus +telar +telary +telarian +telarly +telautogram +TelAutograph +TelAutography +telautographic +telautographist +telautomatic +telautomatically +telautomatics +Telchines +Telchinic +Teldyne +tele +tele- +tele-action +teleanemograph +teleangiectasia +telebarograph +telebarometer +teleblem +Teleboides +telecamera +telecast +telecasted +telecaster +telecasters +telecasting +telecasts +telechemic +telechirograph +telecinematography +telecode +telecomm +telecommunicate +telecommunication +telecommunicational +telecommunications +telecomputer +telecomputing +telecon +teleconference +telecourse +telecryptograph +telectrograph +telectroscope +teledendrion +teledendrite +teledendron +Teledyne +teledu +teledus +telefacsimile +telefilm +telefilms +Telefunken +teleg +teleg. +telega +telegas +telegenic +telegenically +Telegn +telegnosis +telegnostic +telegony +telegonic +telegonies +telegonous +Telegonus +telegraf +telegram +telegrammatic +telegramme +telegrammed +telegrammic +telegramming +telegrams +telegram's +telegraph +telegraphed +telegraphee +telegrapheme +telegrapher +telegraphers +telegraphese +telegraphy +telegraphic +telegraphical +telegraphically +telegraphics +telegraphing +telegraphist +telegraphists +telegraphone +telegraphonograph +telegraphophone +telegraphoscope +telegraphs +Telegu +telehydrobarometer +Telei +Teleia +teleianthous +tele-iconograph +Tel-Eye +teleiosis +telekinematography +telekineses +telekinesis +telekinetic +telekinetically +telelectric +telelectrograph +telelectroscope +telelens +Telemachus +teleman +Telemann +telemanometer +Telemark +telemarks +Telembi +telemechanic +telemechanics +telemechanism +telemen +telemetacarpal +telemeteorograph +telemeteorography +telemeteorographic +telemeter +telemetered +telemetering +telemeters +telemetry +telemetric +telemetrical +telemetrically +telemetries +telemetrist +telemetrograph +telemetrography +telemetrographic +telemotor +Telemus +telencephal +telencephala +telencephalic +telencephalla +telencephalon +telencephalons +telenergy +telenergic +teleneurite +teleneuron +Telenget +telengiscope +Telenomus +teleo- +teleobjective +Teleocephali +teleocephalous +Teleoceras +Teleodesmacea +teleodesmacean +teleodesmaceous +teleodont +teleology +teleologic +teleological +teleologically +teleologies +teleologism +teleologist +teleometer +teleophyte +teleophobia +teleophore +teleoptile +teleorganic +teleoroentgenogram +teleoroentgenography +teleosaur +teleosaurian +Teleosauridae +Teleosaurus +teleost +teleostean +Teleostei +teleosteous +teleostomate +teleostome +Teleostomi +teleostomian +teleostomous +teleosts +teleotemporal +teleotrocha +teleozoic +teleozoon +telepath +telepathy +telepathic +telepathically +telepathies +telepathist +telepathize +teleph +Telephassa +telepheme +telephone +telephoned +telephoner +telephoners +telephones +telephony +telephonic +telephonical +telephonically +telephonics +telephoning +telephonist +telephonists +telephonograph +telephonographic +telephonophobia +telephote +telephoty +Telephoto +telephotograph +telephotographed +telephotography +telephotographic +telephotographing +telephotographs +telephotometer +Telephus +telepicture +teleplay +teleplays +teleplasm +teleplasmic +teleplastic +Teleplotter +teleport +teleportation +teleported +teleporting +teleports +telepost +teleprinter +teleprinters +teleprocessing +teleprompter +teleradiography +teleradiophone +Teleran +telerans +Telereader +telergy +telergic +telergical +telergically +teles +telescope +telescoped +telescopes +telescopy +telescopic +telescopical +telescopically +telescopiform +Telescopii +telescoping +telescopist +Telescopium +telescreen +telescribe +telescript +telescriptor +teleseism +teleseismic +teleseismology +teleseme +teleses +telesia +telesis +telesiurgic +telesm +telesmatic +telesmatical +telesmeter +telesomatic +telespectroscope +Telesphorus +telestereograph +telestereography +telestereoscope +telesteria +telesterion +telesthesia +telesthetic +telestial +telestic +telestich +teletactile +teletactor +teletape +teletex +teletext +teletherapy +telethermogram +telethermograph +telethermometer +telethermometry +telethermoscope +telethon +telethons +Teletype +teletyped +teletyper +teletypes +teletype's +Teletypesetter +teletypesetting +teletypewrite +teletypewriter +teletypewriters +teletypewriting +Teletyping +teletypist +teletypists +teletopometer +teletranscription +teletube +Teleut +teleuto +teleutoform +teleutosori +teleutosorus +teleutosorusori +teleutospore +teleutosporic +teleutosporiferous +teleview +televiewed +televiewer +televiewing +televiews +televise +televised +televises +televising +television +televisional +televisionally +televisionary +televisions +television-viewer +televisor +televisors +televisor's +televisual +televocal +televox +telewriter +TELEX +telexed +telexes +telexing +Telfairia +telfairic +Telfer +telferage +telfered +telfering +Telferner +telfers +Telford +telfordize +telfordized +telfordizing +telfords +Telfore +telharmony +telharmonic +telharmonium +teli +telia +telial +telic +telical +telically +teliferous +telyn +Telinga +teliosorus +teliospore +teliosporic +teliosporiferous +teliostage +telium +Tell +Tella +tellable +tellach +tellee +tellen +Teller +teller-out +tellers +tellership +Tellez +Tellford +telly +tellies +tellieses +telligraph +Tellima +tellin +Tellina +Tellinacea +tellinacean +tellinaceous +telling +tellingly +Tellinidae +tellinoid +tellys +Tello +Telloh +tells +tellsome +tellt +telltale +tell-tale +telltalely +telltales +telltruth +tell-truth +tellur- +tellural +tellurate +telluret +tellureted +tellurethyl +telluretted +tellurhydric +tellurian +telluric +Telluride +telluriferous +tellurion +tellurism +tellurist +tellurite +tellurium +tellurize +tellurized +tellurizing +tellurometer +telluronium +tellurous +Tellus +telmatology +telmatological +telo- +teloblast +teloblastic +telocentric +telodendria +telodendrion +telodendron +telodynamic +Telogia +teloi +telokinesis +telolecithal +telolemma +telolemmata +telome +telomere +telomerization +telomes +telomic +telomitic +telonism +Teloogoo +Telopea +telophase +telophasic +telophragma +telopsis +teloptic +telos +telosynapsis +telosynaptic +telosynaptist +telotaxis +teloteropathy +teloteropathic +teloteropathically +telotype +Telotremata +telotrematous +telotroch +telotrocha +telotrochal +telotrochous +telotrophic +telpath +telpher +telpherage +telphered +telpheric +telphering +telpherman +telphermen +telphers +telpherway +Telphusa +tels +TELSAM +telson +telsonic +telsons +Telstar +telt +Telugu +Telugus +Telukbetung +telurgy +Tem +TEMA +temacha +temadau +temalacatl +Teman +Temanite +tembe +tembeitera +tembeta +tembetara +temblor +temblores +temblors +Tembu +Temecula +temene +temenos +Temenus +temerarious +temerariously +temerariousness +temerate +temerity +temerities +temeritous +temerous +temerously +temerousness +temescal +Temesv +Temesvar +temiak +temin +Temiskaming +Temne +Temnospondyli +temnospondylous +Temp +temp. +Tempa +Tempe +Tempean +tempeh +tempehs +Tempel +temper +tempera +temperability +temperable +temperably +temperality +temperament +temperamental +temperamentalist +temperamentally +temperamentalness +temperamented +temperaments +temperance +temperances +Temperanceville +temperas +temperate +temperately +temperateness +temperative +temperature +temperatures +temperature's +tempered +temperedly +temperedness +temperer +temperers +tempery +tempering +temperish +temperless +tempers +tempersome +temper-spoiling +temper-trying +temper-wearing +TEMPEST +Tempestates +tempest-bearing +tempest-beaten +tempest-blown +tempest-born +tempest-clear +tempest-driven +tempested +tempest-flung +tempest-gripped +tempest-harrowed +tempesty +tempestical +tempesting +tempestive +tempestively +tempestivity +tempest-loving +tempest-proof +tempest-rent +tempest-rocked +tempests +tempest-scattered +tempest-scoffing +tempest-shattered +tempest-sundered +tempest-swept +tempest-threatened +tempest-torn +tempest-tossed +tempest-tost +tempest-troubled +tempestuous +tempestuously +tempestuousness +tempest-walking +tempest-winged +tempest-worn +tempete +tempi +Tempyo +Templa +Templar +templardom +templary +templarism +templarlike +templarlikeness +templars +Templas +template +templater +templates +template's +Temple +temple-bar +temple-crowned +templed +templeful +temple-guarded +temple-haunting +templeless +templelike +Templer +temple-robbing +temples +temple's +temple-sacred +templet +Templeton +Templetonia +temple-treated +templets +Templeville +templeward +Templia +templize +templon +templum +TEMPO +tempora +temporal +temporale +temporalis +temporalism +temporalist +temporality +temporalities +temporalize +temporally +temporalness +temporals +temporalty +temporalties +temporaneous +temporaneously +temporaneousness +temporary +temporaries +temporarily +temporariness +temporator +tempore +temporisation +temporise +temporised +temporiser +temporising +temporisingly +temporist +temporization +temporize +temporized +temporizer +temporizers +temporizes +temporizing +temporizingly +temporo- +temporoalar +temporoauricular +temporocentral +temporocerebellar +temporofacial +temporofrontal +temporohyoid +temporomalar +temporomandibular +temporomastoid +temporomaxillary +temporooccipital +temporoparietal +temporopontine +temporosphenoid +temporosphenoidal +temporozygomatic +tempos +tempre +temprely +temps +tempt +temptability +temptable +temptableness +temptation +temptational +temptationless +temptation-proof +temptations +temptation's +temptatious +temptatory +tempted +Tempter +tempters +tempting +temptingly +temptingness +temptress +temptresses +tempts +temptsome +tempura +tempuras +tempus +temse +temsebread +temseloaf +temser +Temuco +temulence +temulency +temulent +temulentive +temulently +Ten +ten- +ten. +Tena +tenability +tenabilities +tenable +tenableness +tenably +tenace +tenaces +Tenach +tenacy +tenacious +tenaciously +tenaciousness +tenacity +tenacities +tenacle +ten-acre +ten-acred +tenacula +tenaculum +tenaculums +Tenafly +Tenaha +tenai +tenail +tenaille +tenailles +tenaillon +tenails +tenaim +Tenaktak +tenalgia +tenancy +tenancies +tenant +tenantable +tenantableness +tenanted +tenanter +tenant-in-chief +tenanting +tenantism +tenantless +tenantlike +tenantry +tenantries +tenant-right +tenants +tenant's +tenantship +ten-a-penny +ten-armed +ten-barreled +ten-bore +ten-cell +ten-cent +Tench +tenches +tenchweed +ten-cylindered +ten-coupled +ten-course +Tencteri +tend +tendable +ten-day +tendance +tendances +tendant +tended +tendejon +tendence +tendences +tendency +tendencies +tendencious +tendenciously +tendenciousness +tendent +tendential +tendentially +tendentious +tendentiously +tendentiousness +tender +tenderability +tenderable +tenderably +tender-bearded +tender-bladed +tender-bodied +tender-boweled +tender-colored +tender-conscienced +tender-dying +tender-eared +tendered +tenderee +tender-eyed +tenderer +tenderers +tenderest +tender-faced +tenderfeet +tenderfoot +tender-footed +tender-footedness +tenderfootish +tenderfoots +tender-foreheaded +tenderful +tenderfully +tender-handed +tenderheart +tenderhearted +tender-hearted +tenderheartedly +tender-heartedly +tenderheartedness +tender-hefted +tender-hoofed +tender-hued +tendering +tenderisation +tenderise +tenderised +tenderiser +tenderish +tenderising +tenderization +tenderize +tenderized +tenderizer +tenderizers +tenderizes +tenderizing +tenderly +tenderling +tenderloin +tenderloins +tender-looking +tender-minded +tender-mouthed +tender-natured +tenderness +tendernesses +tender-nosed +tenderometer +tender-personed +tender-rooted +tenders +tender-shelled +tender-sided +tender-skinned +tendersome +tender-souled +tender-taken +tender-tempered +tender-witted +tendicle +tendido +tendinal +tendineal +tending +tendingly +tendinitis +tendinous +tendinousness +tendment +tendo +Tendoy +ten-dollar +tendomucin +tendomucoid +tendon +tendonitis +tendonous +tendons +tendoor +tendoplasty +tendosynovitis +tendotome +tendotomy +tendour +tendovaginal +tendovaginitis +tendrac +tendre +tendrel +tendresse +tendry +tendril +tendril-climbing +tendriled +tendriliferous +tendrillar +tendrilled +tendrilly +tendrilous +tendrils +tendron +tends +tenebra +Tenebrae +tenebres +tenebricose +tene-bricose +tenebrific +tenebrificate +Tenebrio +tenebrion +tenebrionid +Tenebrionidae +tenebrious +tenebriously +tenebriousness +tenebrism +Tenebrist +tenebrity +tenebrose +tenebrosi +tenebrosity +tenebrous +tenebrously +tenebrousness +tenectomy +Tenedos +ten-eighty +tenement +tenemental +tenementary +tenemented +tenementer +tenementization +tenementize +tenements +tenement's +tenementum +Tenenbaum +tenenda +tenendas +tenendum +tenent +teneral +teneramente +Tenerife +Teneriffe +tenerity +Tenes +tenesmic +tenesmus +tenesmuses +tenet +tenets +tenez +ten-fingered +tenfold +tenfoldness +tenfolds +ten-footed +ten-forties +teng +ten-gauge +Tengdin +tengere +tengerite +Tenggerese +Tengler +ten-grain +tengu +ten-guinea +ten-headed +ten-horned +ten-horsepower +ten-hour +tenia +teniacidal +teniacide +teniae +teniafuge +tenias +teniasis +teniasises +tenible +ten-year +teniente +Teniers +ten-inch +Tenino +tenio +ten-jointed +ten-keyed +ten-knotter +tenla +ten-league +tenline +tenmantale +Tenmile +ten-mile +ten-minute +ten-month +Tenn +Tenn. +Tennant +tennantite +tenne +Tenneco +Tenney +Tennent +Tenner +tenners +Tennes +Tennessean +tennesseans +Tennessee +Tennesseean +tennesseeans +Tennga +Tenniel +Tennies +Tennille +tennis +tennis-ball +tennis-court +tennisdom +tennises +tennisy +Tennyson +Tennysonian +Tennysonianism +tennis-play +tennist +tennists +tenno +tennu +Teno +teno- +ten-oared +Tenochtitl +Tenochtitlan +tenodesis +tenodynia +tenography +tenology +tenomyoplasty +tenomyotomy +tenon +tenonectomy +tenoned +tenoner +tenoners +Tenonian +tenoning +tenonitis +tenonostosis +tenons +tenontagra +tenontitis +tenonto- +tenontodynia +tenontography +tenontolemmitis +tenontology +tenontomyoplasty +tenontomyotomy +tenontophyma +tenontoplasty +tenontothecitis +tenontotomy +tenophyte +tenophony +tenoplasty +tenoplastic +tenor +tenore +tenorino +tenorist +tenorister +tenorite +tenorites +tenorless +tenoroon +tenorrhaphy +tenorrhaphies +tenors +tenor's +tenosynovitis +tenositis +tenostosis +tenosuture +tenotome +tenotomy +tenotomies +tenotomist +tenotomize +tenour +tenours +tenovaginitis +ten-parted +ten-peaked +tenpence +tenpences +tenpenny +ten-percenter +tenpin +tenpins +ten-pins +ten-ply +ten-point +ten-pound +tenpounder +ten-pounder +ten-rayed +tenrec +Tenrecidae +tenrecs +ten-ribbed +ten-roomed +tens +tensas +tensaw +tense +ten-second +Tensed +tense-drawn +tense-eyed +tense-fibered +tensegrity +tenseless +tenselessly +tenselessness +tensely +tenseness +tenser +tenses +tensest +ten-shilling +tensibility +tensible +tensibleness +tensibly +tensify +tensile +tensilely +tensileness +tensility +ten-syllable +ten-syllabled +tensimeter +tensing +tensiometer +tensiometry +tensiometric +tension +tensional +tensioned +tensioner +tensioning +tensionless +tensions +tensity +tensities +tensive +tenso +tensome +tensometer +tenson +tensor +tensorial +tensors +tensorship +ten-spined +tenspot +ten-spot +Tenstrike +ten-strike +ten-striker +ten-stringed +tensure +tent +tentability +tentable +tentacle +tentacled +tentaclelike +tentacles +tentacula +tentacular +Tentaculata +tentaculate +tentaculated +tentaculi- +Tentaculifera +tentaculite +Tentaculites +Tentaculitidae +tentaculocyst +tentaculoid +tentaculum +tentage +tentages +ten-talented +tentamen +tentation +tentative +tentatively +tentativeness +tent-clad +tent-dotted +tent-dwelling +tented +tenter +tenterbelly +tentered +tenterer +tenterhook +tenter-hook +tenterhooks +tentering +tenters +tent-fashion +tent-fly +tentful +tenth +tenthly +tenthmeter +tenthmetre +ten-thousandaire +tenth-rate +tenthredinid +Tenthredinidae +tenthredinoid +Tenthredinoidea +Tenthredo +tenths +tenty +tenticle +tentie +tentier +tentiest +tentiform +tentigo +tentily +tentilla +tentillum +tenting +tention +tentless +tentlet +tentlike +tentmaker +tentmaking +tentmate +ten-ton +ten-tongued +ten-toothed +tentor +tentory +tentoria +tentorial +tentorium +tentortoria +tent-peg +tents +tent-shaped +tent-sheltered +tent-stitch +tenture +tentwards +ten-twenty-thirty +tentwise +tentwork +tentwort +tenuate +tenue +tenues +tenui- +tenuicostate +tenuifasciate +tenuiflorous +tenuifolious +tenuious +tenuiroster +tenuirostral +tenuirostrate +Tenuirostres +tenuis +tenuistriate +tenuit +tenuity +tenuities +tenuous +tenuously +tenuousness +tenuousnesses +tenure +tenured +tenures +tenury +tenurial +tenurially +tenuti +tenuto +tenutos +ten-wheeled +Tenzing +tenzon +tenzone +teocalli +teocallis +Teodoor +Teodor +Teodora +Teodorico +Teodoro +teonanacatl +teo-nong +teopan +teopans +teosinte +teosintes +Teotihuacan +tepa +tepache +tepal +tepals +Tepanec +tepary +teparies +tepas +tepe +Tepecano +tepee +tepees +tepefaction +tepefy +tepefied +tepefies +tepefying +Tepehua +Tepehuane +tepetate +Tephillah +tephillim +tephillin +tephra +tephramancy +tephras +tephrite +tephrites +tephritic +tephroite +tephromalacia +tephromancy +tephromyelitic +Tephrosia +tephrosis +Tepic +tepid +tepidaria +tepidarium +tepidity +tepidities +tepidly +tepidness +Teplica +Teplitz +tepoy +tepoys +tepomporize +teponaztli +tepor +TEPP +Tepper +tequila +tequilas +tequilla +Tequistlateca +Tequistlatecan +TER +ter- +ter. +Tera +tera- +teraglin +Terah +terahertz +terahertzes +Terai +terais +terakihi +teramorphous +teraohm +teraohms +terap +teraph +teraphim +teras +terass +terat- +terata +teratic +teratical +teratism +teratisms +teratoblastoma +teratogen +teratogenesis +teratogenetic +teratogeny +teratogenic +teratogenicity +teratogenous +teratoid +teratology +teratologic +teratological +teratologies +teratologist +teratoma +teratomas +teratomata +teratomatous +teratophobia +teratoscopy +teratosis +Terbecki +terbia +terbias +terbic +terbium +terbiums +Terborch +Terburg +terce +Terceira +tercel +tercelet +tercelets +tercel-gentle +tercels +tercentenary +tercentenarian +tercentenaries +tercentenarize +tercentennial +tercentennials +tercer +terceron +terceroon +terces +tercet +tercets +Terchie +terchloride +tercia +tercine +tercio +terdiurnal +terebate +terebella +terebellid +Terebellidae +terebelloid +terebellum +terebene +terebenes +terebenic +terebenthene +terebic +terebilic +terebinic +terebinth +Terebinthaceae +terebinthial +terebinthian +terebinthic +terebinthina +terebinthinate +terebinthine +terebinthinous +Terebinthus +terebra +terebrae +terebral +terebrant +Terebrantia +terebras +terebrate +terebration +Terebratula +terebratular +terebratulid +Terebratulidae +terebratuliform +terebratuline +terebratulite +terebratuloid +Terebridae +teredines +Teredinidae +teredo +teredos +terefah +terek +Terena +Terence +Terencio +Terentia +Terentian +terephah +terephthalate +terephthalic +terephthallic +ter-equivalent +Tererro +teres +Teresa +Terese +Tereshkova +Teresian +Teresina +Teresita +Teressa +terete +tereti- +teretial +tereticaudate +teretifolious +teretipronator +teretiscapular +teretiscapularis +teretish +teretism +tereu +Tereus +terfez +Terfezia +Terfeziaceae +terga +tergal +tergant +tergeminal +tergeminate +tergeminous +tergiferous +tergite +tergites +tergitic +tergiversant +tergiversate +tergiversated +tergiversating +tergiversation +tergiversator +tergiversatory +tergiverse +tergo- +tergolateral +tergum +Terhune +Teri +Teria +Teriann +teriyaki +teriyakis +Teryl +Terylene +Teryn +Terina +Terle +Terlingua +terlinguaite +Terlton +TERM +term. +terma +termagancy +Termagant +termagantish +termagantism +termagantly +termagants +termage +termal +terman +termatic +termed +termen +termer +termers +Termes +termillenary +termin +terminability +terminable +terminableness +terminably +terminal +Terminalia +Terminaliaceae +terminalis +terminalization +terminalized +terminally +terminals +terminal's +terminant +terminate +terminated +terminates +terminating +termination +terminational +terminations +terminative +terminatively +terminator +terminatory +terminators +terminator's +termine +terminer +terming +termini +terminine +terminism +terminist +terministic +terminize +termino +terminology +terminological +terminologically +terminologies +terminologist +terminologists +Terminus +terminuses +termital +termitary +termitaria +termitarium +termite +termite-proof +termites +termitic +termitid +Termitidae +termitophagous +termitophile +termitophilous +termless +termlessly +termlessness +termly +Termo +termolecular +termon +termor +termors +terms +termtime +term-time +termtimes +termwise +tern +terna +ternal +Ternan +ternar +ternary +ternariant +ternaries +ternarious +Ternate +ternately +ternate-pinnate +ternatipinnate +ternatisect +ternatopinnate +terne +terned +terneplate +terner +ternery +ternes +Terni +terning +ternion +ternions +ternize +ternlet +Ternopol +tern-plate +terns +Ternstroemia +Ternstroemiaceae +terotechnology +teroxide +terp +terpadiene +terpane +terpen +terpene +terpeneless +terpenes +terpenic +terpenoid +terphenyl +terpilene +terpin +terpine +terpinene +terpineol +terpinol +terpinolene +terpinols +terpodion +terpolymer +Terpsichore +terpsichoreal +terpsichoreally +Terpsichorean +Terpstra +Terr +terr. +Terra +Terraalta +Terraba +terrace +terrace-banked +terraced +terrace-fashion +Terraceia +terraceless +terrace-mantling +terraceous +terracer +terraces +terrace-steepled +terracette +terracewards +terracewise +terracework +terraciform +terracing +terra-cotta +terraculture +terrae +terraefilial +terraefilian +terrage +terrain +terrains +terrain's +Terral +terramara +terramare +Terramycin +terran +Terrance +terrane +terranean +terraneous +terranes +Terrapene +terrapin +terrapins +terraquean +terraquedus +terraqueous +terraqueousness +terrar +terraria +terrariia +terrariiums +terrarium +terrariums +terras +terrases +terrasse +terrazzo +terrazzos +Terre +terre-a-terreishly +Terrebonne +terreen +terreens +terreity +Terrel +Terrell +terrella +terrellas +terremotive +Terrena +Terrence +Terrene +terrenely +terreneness +terrenes +terreno +terreous +terreplein +terrestrial +terrestrialism +terrestriality +terrestrialize +terrestrially +terrestrialness +terrestrials +terrestricity +terrestrify +terrestrious +terret +terreted +terre-tenant +Terreton +terrets +terre-verte +Terri +Terry +terribilita +terribility +terrible +terribleness +terribles +terribly +terricole +terricoline +terricolist +terricolous +Terrie +Terrye +Terrier +terrierlike +terriers +terrier's +terries +terrify +terrific +terrifical +terrifically +terrification +terrificly +terrificness +terrified +terrifiedly +terrifier +terrifiers +terrifies +terrifying +terrifyingly +terrigene +terrigenous +terriginous +Terrijo +Terril +Terryl +Terrilyn +Terrill +Terryn +terrine +terrines +Terris +Terriss +territ +Territelae +territelarian +territorality +Territory +Territorial +territorialisation +territorialise +territorialised +territorialising +territorialism +territorialist +territoriality +territorialization +territorialize +territorialized +territorializing +territorially +Territorian +territoried +territories +territory's +territs +Territus +Terryville +terron +terror +terror-bearing +terror-breathing +terror-breeding +terror-bringing +terror-crazed +terror-driven +terror-fleet +terror-fraught +terrorful +terror-giving +terror-haunted +terrorific +terror-inspiring +terrorisation +terrorise +terrorised +terroriser +terrorising +terrorism +terrorisms +terrorist +terroristic +terroristical +terrorists +terrorist's +terrorization +terrorize +terrorized +terrorizer +terrorizes +terrorizing +terrorless +terror-lessening +terror-mingled +terror-preaching +terrorproof +terror-ridden +terror-riven +terrors +terror's +terror-shaken +terror-smitten +terrorsome +terror-stirring +terror-stricken +terror-striking +terror-struck +terror-threatened +terror-troubled +terror-wakened +terror-warned +terror-weakened +ter-sacred +Tersanctus +ter-sanctus +terse +tersely +terseness +tersenesses +terser +tersest +Tersina +tersion +tersy-versy +tersulfid +tersulfide +tersulphate +tersulphid +tersulphide +tersulphuret +tertenant +Terti +Tertia +tertial +tertials +tertian +tertiana +tertians +tertianship +Tertiary +tertiarian +tertiaries +Tertias +tertiate +tertii +tertio +tertium +Tertius +terton +Tertry +tertrinal +tertulia +Tertullian +Tertullianism +Tertullianist +teruah +Teruel +teruyuki +teruncius +terutero +teru-tero +teruteru +tervalence +tervalency +tervalent +tervariant +tervee +Terza +Terzas +terzet +terzetto +terzettos +terzina +terzio +terzo +TES +tesack +tesarovitch +tescaria +teschenite +teschermacherite +Tescott +teskere +teskeria +Tesla +teslas +Tesler +Tess +Tessa +tessara +tessara- +tessarace +tessaraconter +tessaradecad +tessaraglot +tessaraphthong +tessarescaedecahedron +tessel +tesselate +tesselated +tesselating +tesselation +tessella +tessellae +tessellar +tessellate +tessellated +tessellates +tessellating +tessellation +tessellations +tessellite +tessera +tesseract +tesseradecade +tesserae +tesseraic +tesseral +Tesserants +tesserarian +tesserate +tesserated +tesseratomy +tesseratomic +Tessi +Tessy +Tessie +Tessin +tessitura +tessituras +tessiture +Tessler +tessular +Test +testa +testability +testable +Testacea +testacean +testaceo- +testaceography +testaceology +testaceous +testaceousness +testacy +testacies +testae +Testament +testamenta +testamental +testamentally +testamentalness +testamentary +testamentarily +testamentate +testamentation +testaments +testament's +testamentum +testamur +testandi +testao +testar +testata +testate +testates +testation +testator +testatory +testators +testatorship +testatrices +testatrix +testatrixes +testatum +test-ban +testbed +test-bed +testcross +teste +tested +testee +testees +tester +testers +testes +testy +testibrachial +testibrachium +testicardinate +testicardine +Testicardines +testicle +testicles +testicle's +testicond +testicular +testiculate +testiculated +testier +testiere +testiest +testify +testificate +testification +testificator +testificatory +testified +testifier +testifiers +testifies +testifying +testily +testimony +testimonia +testimonial +testimonialising +testimonialist +testimonialization +testimonialize +testimonialized +testimonializer +testimonializing +testimonials +testimonies +testimony's +testimonium +testiness +testing +testingly +testings +testis +testitis +testmatch +teston +testone +testons +testoon +testoons +testor +testosterone +testpatient +testril +tests +test-tube +test-tubeful +testudinal +Testudinaria +testudinarian +testudinarious +Testudinata +testudinate +testudinated +testudineal +testudineous +testudines +Testudinidae +testudinous +testudo +testudos +testule +Tesuque +tesvino +tet +tetanal +tetany +tetania +tetanic +tetanical +tetanically +tetanics +tetanies +tetaniform +tetanigenous +tetanilla +tetanine +tetanisation +tetanise +tetanised +tetanises +tetanising +tetanism +tetanization +tetanize +tetanized +tetanizes +tetanizing +tetano- +tetanoid +tetanolysin +tetanomotor +tetanospasmin +tetanotoxin +tetanus +tetanuses +tetarcone +tetarconid +tetard +tetartemorion +tetarto- +tetartocone +tetartoconid +tetartohedral +tetartohedrally +tetartohedrism +tetartohedron +tetartoid +tetartosymmetry +tetch +tetched +tetchy +tetchier +tetchiest +tetchily +tetchiness +tete +Teteak +tete-a-tete +tete-beche +tetel +teterrimous +teth +tethelin +tether +tetherball +tether-devil +tethered +tethery +tethering +tethers +tethydan +Tethys +teths +Teton +Tetonia +tetotum +tetotums +tetra +tetra- +tetraamylose +tetrabasic +tetrabasicity +Tetrabelodon +tetrabelodont +tetrabiblos +tetraborate +tetraboric +tetrabrach +tetrabranch +Tetrabranchia +tetrabranchiate +tetrabromid +tetrabromide +tetrabromo +tetrabromoethane +tetrabromofluorescein +tetracadactylity +tetracaine +tetracarboxylate +tetracarboxylic +tetracarpellary +tetracene +tetraceratous +tetracerous +Tetracerus +tetrachical +tetrachlorid +tetrachloride +tetrachlorides +tetrachloro +tetrachloroethane +tetrachloroethylene +tetrachloromethane +tetrachord +tetrachordal +tetrachordon +tetrachoric +tetrachotomous +tetrachromatic +tetrachromic +tetrachronous +tetracyclic +tetracycline +tetracid +tetracids +Tetracyn +tetracocci +tetracoccous +tetracoccus +tetracolic +tetracolon +tetracoral +Tetracoralla +tetracoralline +tetracosane +tetract +tetractinal +tetractine +tetractinellid +Tetractinellida +tetractinellidan +tetractinelline +tetractinose +tetractys +tetrad +tetradactyl +tetradactyle +tetradactyly +tetradactylous +tetradarchy +tetradecane +tetradecanoic +tetradecapod +Tetradecapoda +tetradecapodan +tetradecapodous +tetradecyl +Tetradesmus +tetradiapason +tetradic +tetradymite +Tetradynamia +tetradynamian +tetradynamious +tetradynamous +Tetradite +tetradrachm +tetradrachma +tetradrachmal +tetradrachmon +tetrads +tetraedron +tetraedrum +tetraethyl +tetraethyllead +tetraethylsilane +tetrafluoride +tetrafluoroethylene +tetrafluouride +tetrafolious +tetragamy +tetragenous +tetragyn +Tetragynia +tetragynian +tetragynous +tetraglot +tetraglottic +tetragon +tetragonal +tetragonally +tetragonalness +Tetragonia +Tetragoniaceae +tetragonidium +tetragonous +tetragons +tetragonus +tetragram +tetragrammatic +Tetragrammaton +tetragrammatonic +tetragrid +tetrahedra +tetrahedral +tetrahedrally +tetrahedric +tetrahedrite +tetrahedroid +tetrahedron +tetrahedrons +tetrahexahedral +tetrahexahedron +tetrahydrate +tetrahydrated +tetrahydric +tetrahydrid +tetrahydride +tetrahydro +tetrahydrocannabinol +tetrahydrofuran +tetrahydropyrrole +tetrahydroxy +tetrahymena +tetra-icosane +tetraiodid +tetraiodide +tetraiodo +tetraiodophenolphthalein +tetraiodopyrrole +tetrakaidecahedron +tetraketone +tetrakis +tetrakisazo +tetrakishexahedron +tetrakis-hexahedron +tetralemma +Tetralin +tetralite +tetralogy +tetralogic +tetralogies +tetralogue +tetralophodont +tetramastia +tetramastigote +tetramer +Tetramera +tetrameral +tetrameralian +tetrameric +tetramerism +tetramerous +tetramers +tetrameter +tetrameters +tetramethyl +tetramethylammonium +tetramethyldiarsine +tetramethylene +tetramethylium +tetramethyllead +tetramethylsilane +tetramin +tetramine +tetrammine +tetramorph +tetramorphic +tetramorphism +tetramorphous +tetrander +Tetrandria +tetrandrian +tetrandrous +tetrane +Tetranychus +tetranitrate +tetranitro +tetranitroaniline +tetranitromethane +tetrant +tetranuclear +Tetrao +Tetraodon +tetraodont +Tetraodontidae +tetraonid +Tetraonidae +Tetraoninae +tetraonine +Tetrapanax +tetrapartite +tetrapetalous +tetraphalangeate +tetrapharmacal +tetrapharmacon +tetraphenol +tetraphyllous +tetraphony +tetraphosphate +tetrapyla +tetrapylon +tetrapyramid +tetrapyrenous +tetrapyrrole +tetrapla +tetraplegia +tetrapleuron +tetraploid +tetraploidy +tetraploidic +tetraplous +Tetrapneumona +Tetrapneumones +tetrapneumonian +tetrapneumonous +tetrapod +Tetrapoda +tetrapody +tetrapodic +tetrapodies +tetrapodous +tetrapods +tetrapolar +tetrapolis +tetrapolitan +tetrapous +tetraprostyle +tetrapteran +tetrapteron +tetrapterous +tetraptych +tetraptote +Tetrapturus +tetraquetrous +tetrarch +tetrarchate +tetrarchy +tetrarchic +tetrarchical +tetrarchies +tetrarchs +tetras +tetrasaccharide +tetrasalicylide +tetraselenodont +tetraseme +tetrasemic +tetrasepalous +tetrasyllabic +tetrasyllabical +tetrasyllable +tetrasymmetry +tetraskele +tetraskelion +tetrasome +tetrasomy +tetrasomic +tetraspermal +tetraspermatous +tetraspermous +tetraspgia +tetraspheric +tetrasporange +tetrasporangia +tetrasporangiate +tetrasporangium +tetraspore +tetrasporic +tetrasporiferous +tetrasporous +tetraster +tetrastich +tetrastichal +tetrastichic +Tetrastichidae +tetrastichous +Tetrastichus +tetrastyle +tetrastylic +tetrastylos +tetrastylous +tetrastoon +tetrasubstituted +tetrasubstitution +tetrasulfid +tetrasulfide +tetrasulphid +tetrasulphide +tetrathecal +tetratheism +tetratheist +tetratheite +tetrathionates +tetrathionic +tetratomic +tetratone +tetravalence +tetravalency +tetravalent +tetraxial +tetraxile +tetraxon +Tetraxonia +tetraxonian +tetraxonid +Tetraxonida +tetrazane +tetrazene +tetrazyl +tetrazin +tetrazine +tetrazo +tetrazole +tetrazolyl +tetrazolium +tetrazone +tetrazotization +tetrazotize +Tetrazzini +tetrdra +tetremimeral +tetrevangelium +tetric +tetrical +tetricalness +tetricity +tetricous +tetrifol +tetrigid +Tetrigidae +tetryl +tetrylene +tetryls +tetriodide +Tetrix +tetrobol +tetrobolon +tetrode +tetrodes +Tetrodon +tetrodont +Tetrodontidae +tetrodotoxin +tetrol +tetrole +tetrolic +tetronic +tetronymal +tetrose +tetrous +tetroxalate +tetroxid +tetroxide +tetroxids +tetrsyllabical +tets +tetter +tetter-berry +tettered +tettery +tettering +tetterish +tetterous +tetters +tetterworm +tetterwort +tetty +Tettigidae +tettigoniid +Tettigoniidae +tettish +tettix +Tetu +Tetuan +Tetum +Tetzel +Teucer +teuch +teuchit +Teucri +Teucrian +teucrin +Teucrium +Teufel +Teufert +teufit +teugh +teughly +teughness +teuk +Teut +Teut. +Teuthis +Teuthras +teuto- +Teuto-british +Teuto-celt +Teuto-celtic +Teutolatry +Teutomania +Teutomaniac +Teuton +Teutondom +Teutonesque +Teutonia +Teutonic +Teutonically +Teutonicism +Teutonisation +Teutonise +Teutonised +Teutonising +Teutonism +Teutonist +Teutonity +Teutonization +Teutonize +Teutonized +Teutonizing +Teutonomania +Teutono-persic +Teutonophobe +Teutonophobia +teutons +Teutophil +Teutophile +Teutophilism +Teutophobe +Teutophobia +Teutophobism +Teutopolis +Tevere +Tevet +Tevis +teviss +tew +Tewa +tewart +tewed +tewel +Tewell +tewer +Tewfik +tewhit +tewing +tewit +Tewkesbury +Tewksbury +tewly +Tews +tewsome +tewtaw +tewter +Tex +Tex. +Texaco +Texan +texans +Texarkana +Texas +texases +Texcocan +texguino +Texhoma +Texico +Texline +Texola +Texon +text +textarian +textbook +text-book +textbookish +textbookless +textbooks +textbook's +text-hand +textiferous +textile +textiles +textile's +textilist +textless +textlet +text-letter +textman +textorial +textrine +Textron +texts +text's +textual +textualism +textualist +textuality +textually +textuary +textuaries +textuarist +textuist +textural +texturally +texture +textured +textureless +textures +texturing +textus +text-writer +tez +Tezcatlipoca +Tezcatzoncatl +Tezcucan +Tezel +tezkere +tezkirah +TFC +TFLAP +TFP +tfr +TFS +TFT +TFTP +TFX +TG +TGC +TGN +T-group +tgt +TGV +TGWU +th +th- +Th.B. +Th.D. +tha +Thabana-Ntlenyana +Thabantshonyana +Thach +Thacher +thack +thacked +Thacker +Thackeray +Thackerayan +Thackerayana +Thackerayesque +Thackerville +thacking +thackless +thackoor +thacks +Thad +Thaddaus +Thaddeus +Thaddus +Thadentsonyane +Thadeus +thae +Thagard +Thai +Thay +Thayer +Thailand +Thailander +Thain +Thaine +Thayne +thairm +thairms +Thais +thak +Thakur +thakurate +thala +thalamencephala +thalamencephalic +thalamencephalon +thalamencephalons +thalami +thalamia +thalamic +thalamically +Thalamiflorae +thalamifloral +thalamiflorous +thalamite +thalamium +thalamiumia +thalamo- +thalamocele +thalamocoele +thalamocortical +thalamocrural +thalamolenticular +thalamomammillary +thalamo-olivary +thalamopeduncular +Thalamophora +thalamotegmental +thalamotomy +thalamotomies +thalamus +Thalarctos +thalass- +Thalassa +thalassal +Thalassarctos +thalassemia +thalassian +thalassiarch +thalassic +thalassical +thalassinian +thalassinid +Thalassinidea +thalassinidian +thalassinoid +thalassiophyte +thalassiophytous +thalasso +Thalassochelys +thalassocracy +thalassocrat +thalassographer +thalassography +thalassographic +thalassographical +thalassometer +thalassophilous +thalassophobia +thalassotherapy +thalatta +thalattology +thale-cress +thalenite +thaler +thalerophagous +thalers +Thales +Thalesia +Thalesian +Thalessa +Thalia +Thaliacea +thaliacean +Thalian +Thaliard +Thalictrum +thalidomide +thall- +thalli +thallic +thalliferous +thalliform +thallin +thalline +thallious +thallium +thalliums +Thallo +thallochlore +thallodal +thallodic +thallogen +thallogenic +thallogenous +thallogens +thalloid +thalloidal +thallome +Thallophyta +thallophyte +thallophytes +thallophytic +thallose +thallous +thallus +thalluses +thalposis +thalpotic +thalthan +thalweg +Tham +thamakau +Thamar +thameng +Thames +Thamesis +thamin +Thamyras +Thamyris +Thammuz +Thamnidium +thamnium +thamnophile +Thamnophilinae +thamnophiline +Thamnophilus +Thamnophis +Thamora +Thamos +Thamudean +Thamudene +Thamudic +thamuria +Thamus +than +thana +thanadar +thanage +thanages +thanah +thanan +Thanasi +thanatism +thanatist +thanato- +thanatobiologic +thanatognomonic +thanatographer +thanatography +thanatoid +thanatology +thanatological +thanatologies +thanatologist +thanatomantic +thanatometer +thanatophidia +thanatophidian +thanatophobe +thanatophoby +thanatophobia +thanatophobiac +thanatopsis +Thanatos +thanatoses +thanatosis +Thanatotic +thanatousia +Thane +thanedom +thanehood +thaneland +thanes +thaneship +thaness +Thanet +Thanh +Thanjavur +thank +thanked +thankee +thanker +thankers +thankful +thankfuller +thankfullest +thankfully +thankfulness +thankfulnesses +thanking +thankyou +thank-you +thank-you-maam +thank-you-ma'am +thankless +thanklessly +thanklessness +thank-offering +thanks +thanksgiver +thanksgiving +thanksgivings +thankworthy +thankworthily +thankworthiness +thannadar +Thanom +Thanos +Thant +Thapa +thapes +Thapsia +Thapsus +Thar +Thare +tharen +tharf +tharfcake +Thargelia +Thargelion +tharginyah +tharm +tharms +Tharp +Tharsis +Thasian +Thaspium +that +thataway +that-away +that-a-way +Thatch +thatch-browed +thatched +Thatcher +thatchers +thatches +thatch-headed +thatchy +thatching +thatchless +thatch-roofed +thatchwood +thatchwork +thatd +that'd +thatll +that'll +thatn +thatness +thats +that's +thaught +Thaumantian +Thaumantias +Thaumas +thaumasite +thaumato- +thaumatogeny +thaumatography +thaumatolatry +thaumatology +thaumatologies +thaumatrope +thaumatropical +thaumaturge +thaumaturgi +thaumaturgy +thaumaturgia +thaumaturgic +thaumaturgical +thaumaturgics +thaumaturgism +thaumaturgist +thaumaturgus +thaumoscopic +thave +thaw +thawable +thaw-drop +thawed +thawer +thawers +thawy +thawier +thawiest +thawing +thawless +thawn +thaws +Thawville +Thaxter +Thaxton +ThB +THC +ThD +The +the +the- +Thea +Theaceae +theaceous +T-headed +Theadora +Theaetetus +theah +Theall +theandric +theanthropy +theanthropic +theanthropical +theanthropism +theanthropist +theanthropology +theanthropophagy +theanthropos +theanthroposophy +thearchy +thearchic +thearchies +Thearica +theasum +theat +theater +theatercraft +theater-craft +theatergoer +theatergoers +theatergoing +theater-in-the-round +theaterless +theaterlike +theaters +theater's +theaterward +theaterwards +theaterwise +Theatine +theatral +theatre +Theatre-Francais +theatregoer +theatregoing +theatre-in-the-round +theatres +theatry +theatric +theatricable +theatrical +theatricalisation +theatricalise +theatricalised +theatricalising +theatricalism +theatricality +theatricalization +theatricalize +theatricalized +theatricalizing +theatrically +theatricalness +theatricals +theatrician +theatricism +theatricize +theatrics +theatrize +theatro- +theatrocracy +theatrograph +theatromania +theatromaniac +theatron +theatrophile +theatrophobia +theatrophone +theatrophonic +theatropolis +theatroscope +theatticalism +theave +theb +Thebaic +Thebaid +thebain +thebaine +thebaines +Thebais +thebaism +Theban +Thebault +Thebe +theberge +Thebes +Thebesian +Thebit +theca +thecae +thecal +Thecamoebae +thecaphore +thecasporal +thecaspore +thecaspored +thecasporous +Thecata +thecate +thecia +thecial +thecitis +thecium +Thecla +theclan +theco- +thecodont +thecoglossate +thecoid +Thecoidea +Thecophora +Thecosomata +thecosomatous +thed +Theda +Thedford +Thedric +Thedrick +thee +theedom +theek +theeked +theeker +theeking +theelin +theelins +theelol +theelols +Theemim +theer +theet +theetsee +theezan +theft +theft-boot +theftbote +theftdom +theftless +theftproof +thefts +theft's +theftuous +theftuously +thegether +thegidder +thegither +thegn +thegn-born +thegndom +thegnhood +thegnland +thegnly +thegnlike +thegn-right +thegns +thegnship +thegnworthy +they +Theia +theyaou +theyd +they'd +theiform +Theiler +Theileria +theyll +they'll +Theilman +thein +theine +theines +theinism +theins +their +theyre +they're +theirn +theirs +theirselves +theirsens +Theis +theism +theisms +Theiss +theist +theistic +theistical +theistically +theists +theyve +they've +Thekla +thelalgia +Thelemite +Thelephora +Thelephoraceae +thelyblast +thelyblastic +Theligonaceae +theligonaceous +Theligonum +thelion +thelyotoky +thelyotokous +Thelyphonidae +Thelyphonus +thelyplasty +thelitis +thelitises +thelytocia +thelytoky +thelytokous +thelytonic +thelium +Thelma +Thelodontidae +Thelodus +theloncus +Thelonious +thelorrhagia +Thelphusa +thelphusian +Thelphusidae +them +Thema +themata +thematic +thematical +thematically +thematist +theme +themed +themeless +themelet +themer +themes +theme's +theming +Themis +Themiste +Themistian +Themisto +Themistocles +themsel +themselves +then +thenabouts +thenad +thenadays +then-a-days +thenage +thenages +thenal +thenar +thenardite +thenars +thence +thenceafter +thenceforth +thenceforward +thenceforwards +thencefoward +thencefrom +thence-from +thenceward +then-clause +Thendara +Thenna +thenne +thenness +thens +Theo +theo- +theoanthropomorphic +theoanthropomorphism +theoastrological +Theobald +Theobold +Theobroma +theobromic +theobromin +theobromine +theocentric +theocentricism +theocentricity +theocentrism +theochristic +Theoclymenus +theocollectivism +theocollectivist +theocracy +theocracies +theocrasy +theocrasia +theocrasical +theocrasies +theocrat +theocratic +theocratical +theocratically +theocratist +theocrats +Theocritan +Theocritean +Theocritus +theodemocracy +theody +theodicaea +theodicean +theodicy +theodicies +theodidact +theodolite +theodolitic +Theodor +Theodora +Theodorakis +Theodore +Theodoric +Theodosia +Theodosian +theodosianus +Theodotian +theodrama +theogamy +theogeological +theognostic +theogonal +theogony +theogonic +theogonical +theogonies +theogonism +theogonist +theohuman +theokrasia +theoktony +theoktonic +theol +theol. +Theola +theolatry +theolatrous +theolepsy +theoleptic +theolog +theologal +theologaster +theologastric +theologate +theologeion +theologer +theologi +theology +theologian +theologians +theologic +theological +theologically +theologician +theologico- +theologicoastronomical +theologicoethical +theologicohistorical +theologicometaphysical +theologicomilitary +theologicomoral +theologiconatural +theologicopolitical +theologics +theologies +theologisation +theologise +theologised +theologiser +theologising +theologism +theologist +theologium +theologization +theologize +theologized +theologizer +theologizing +theologo- +theologoumena +theologoumenon +theologs +theologue +theologus +theomachy +theomachia +theomachies +theomachist +theomagy +theomagic +theomagical +theomagics +theomammomist +theomancy +theomania +theomaniac +theomantic +theomastix +theomicrist +theomisanthropist +theomythologer +theomythology +theomorphic +theomorphism +theomorphize +Theona +Theone +Theonoe +theonomy +theonomies +theonomous +theonomously +theopantism +Theopaschist +Theopaschitally +Theopaschite +Theopaschitic +Theopaschitism +theopathetic +theopathy +theopathic +theopathies +theophagy +theophagic +theophagite +theophagous +Theophane +theophany +Theophania +theophanic +theophanies +theophanism +theophanous +Theophila +theophilanthrope +theophilanthropy +theophilanthropic +theophilanthropism +theophilanthropist +theophile +theophilist +theophyllin +theophylline +theophilosophic +Theophilus +theophysical +theophobia +theophoric +theophorous +Theophrastaceae +theophrastaceous +Theophrastan +Theophrastean +Theophrastian +Theophrastus +theopneust +theopneusted +theopneusty +theopneustia +theopneustic +theopolity +theopolitician +theopolitics +theopsychism +theor +theorbist +theorbo +theorbos +Theorell +theorem +theorematic +theorematical +theorematically +theorematist +theoremic +theorems +theorem's +theoretic +theoretical +theoreticalism +theoretically +theoreticalness +theoretician +theoreticians +theoreticopractical +theoretics +theory +theoria +theoriai +theory-blind +theory-blinded +theory-building +theoric +theorica +theorical +theorically +theorician +theoricon +theorics +theories +theoryless +theory-making +theorymonger +theory's +theorisation +theorise +theorised +theoriser +theorises +theorising +theorism +theory-spinning +theorist +theorists +theorist's +theorization +theorizations +theorization's +theorize +theorized +theorizer +theorizers +theorizes +theorizies +theorizing +theorum +Theos +theosoph +theosopheme +theosopher +Theosophy +theosophic +theosophical +theosophically +theosophies +theosophism +Theosophist +theosophistic +theosophistical +theosophists +theosophize +theotechny +theotechnic +theotechnist +theoteleology +theoteleological +theotherapy +theotherapist +Theotocopoulos +Theotocos +Theotokos +theow +theowdom +theowman +theowmen +Theoxenius +ther +Thera +Theraean +theralite +Theran +therap +therapeuses +therapeusis +Therapeutae +Therapeutic +therapeutical +therapeutically +therapeutics +therapeutism +therapeutist +Theraphosa +theraphose +theraphosid +Theraphosidae +theraphosoid +therapy +therapia +therapies +therapy's +therapist +therapists +therapist's +Therapne +therapsid +Therapsida +theraputant +Theravada +Theravadin +therblig +there +thereabout +thereabouts +thereabove +thereacross +thereafter +thereafterward +thereagainst +thereamong +thereamongst +thereanent +thereanents +therearound +thereas +thereat +thereaway +thereaways +therebefore +thereben +therebeside +therebesides +therebetween +thereby +therebiforn +thereckly +thered +there'd +therefor +therefore +therefrom +therehence +therein +thereinafter +thereinbefore +thereinto +therell +there'll +theremin +theremins +therence +thereness +thereof +thereoid +thereology +thereologist +thereon +thereonto +thereout +thereover +thereright +theres +there's +Theresa +Therese +Theresina +Theresita +Theressa +therethrough +theretil +theretill +thereto +theretofore +theretoward +thereunder +thereuntil +thereunto +thereup +thereupon +Thereva +therevid +Therevidae +therewhile +therewhiles +therewhilst +therewith +therewithal +therewithin +Therezina +Theria +theriac +theriaca +theriacal +theriacas +theriacs +therial +therian +therianthropic +therianthropism +theriatrics +thericlean +theridiid +Theridiidae +Theridion +Therimachus +Therine +therio- +theriodic +theriodont +Theriodonta +Theriodontia +theriolater +theriolatry +theriomancy +theriomaniac +theriomimicry +theriomorph +theriomorphic +theriomorphism +theriomorphosis +theriomorphous +Theriot +theriotheism +theriotheist +theriotrophical +theriozoic +Theritas +therium +therm +therm- +Therma +thermacogenesis +thermae +thermaesthesia +thermaic +thermal +thermalgesia +thermality +thermalization +thermalize +thermalized +thermalizes +thermalizing +thermally +thermals +thermanalgesia +thermanesthesia +thermantic +thermantidote +thermatology +thermatologic +thermatologist +therme +thermel +thermels +thermes +thermesthesia +thermesthesiometer +thermetograph +thermetrograph +thermy +thermic +thermical +thermically +Thermidor +Thermidorean +Thermidorian +thermion +thermionic +thermionically +thermionics +thermions +thermistor +thermistors +Thermit +thermite +thermites +thermits +thermo +thermo- +thermoammeter +thermoanalgesia +thermoanesthesia +thermobarograph +thermobarometer +thermobattery +thermocautery +thermocauteries +thermochemic +thermochemical +thermochemically +thermochemist +thermochemistry +thermochroic +thermochromism +thermochrosy +thermoclinal +thermocline +thermocoagulation +thermocouple +thermocurrent +thermodiffusion +thermodynam +thermodynamic +thermodynamical +thermodynamically +thermodynamician +thermodynamicist +thermodynamics +thermodynamist +thermoduric +thermoelastic +thermoelectric +thermoelectrical +thermoelectrically +thermoelectricity +thermoelectrometer +thermoelectromotive +thermoelectron +thermoelectronic +thermoelement +thermoesthesia +thermoexcitory +Thermofax +thermoform +thermoformable +thermogalvanometer +thermogen +thermogenerator +thermogenesis +thermogenetic +thermogeny +thermogenic +thermogenous +thermogeography +thermogeographical +thermogram +thermograph +thermographer +thermography +thermographic +thermographically +thermohaline +thermohyperesthesia +thermo-inhibitory +thermojunction +thermokinematics +thermolabile +thermolability +thermolysis +thermolytic +thermolyze +thermolyzed +thermolyzing +thermology +thermological +thermoluminescence +thermoluminescent +thermomagnetic +thermomagnetically +thermomagnetism +thermometamorphic +thermometamorphism +thermometer +thermometerize +thermometers +thermometer's +thermometry +thermometric +thermometrical +thermometrically +thermometrograph +thermomigrate +thermomotive +thermomotor +thermomultiplier +thermonasty +thermonastic +thermonatrite +thermoneurosis +thermoneutrality +thermonous +thermonuclear +thermopair +thermopalpation +thermopenetration +thermoperiod +thermoperiodic +thermoperiodicity +thermoperiodism +thermophil +thermophile +thermophilic +thermophilous +thermophobia +thermophobous +thermophone +thermophore +thermophosphor +thermophosphorescence +thermophosphorescent +Thermopylae +thermopile +thermoplastic +thermoplasticity +thermoplastics +thermoplegia +thermopleion +thermopolymerization +thermopolypnea +thermopolypneic +Thermopolis +thermopower +Thermopsis +thermoradiotherapy +thermoreceptor +thermoreduction +thermoregulation +thermoregulator +thermoregulatory +thermoremanence +thermoremanent +thermoresistance +thermoresistant +Thermos +thermoscope +thermoscopic +thermoscopical +thermoscopically +thermosensitive +thermoses +thermoset +thermosetting +thermosynthesis +thermosiphon +thermosystaltic +thermosystaltism +thermosphere +thermospheres +thermospheric +thermostability +thermostable +thermostat +thermostated +thermostatic +thermostatically +thermostatics +thermostating +thermostats +thermostat's +thermostatted +thermostatting +thermostimulation +thermoswitch +thermotactic +thermotank +thermotaxic +thermotaxis +thermotelephone +thermotelephonic +thermotensile +thermotension +thermotherapeutics +thermotherapy +thermotic +thermotical +thermotically +thermotics +thermotype +thermotypy +thermotypic +thermotropy +thermotropic +thermotropism +thermo-unstable +thermovoltaic +therms +Thero +thero- +Therock +therodont +theroid +therolater +therolatry +therology +therologic +therological +therologist +Theromora +Theromores +theromorph +Theromorpha +theromorphia +theromorphic +theromorphism +theromorphology +theromorphological +theromorphous +Theron +therophyte +theropod +Theropoda +theropodan +theropodous +theropods +Therron +Thersander +Thersilochus +thersitean +Thersites +thersitical +thesaur +thesaural +thesauri +thesaury +thesauris +thesaurismosis +thesaurus +thesaurusauri +thesauruses +Thesda +these +Thesean +theses +Theseum +Theseus +thesial +thesicle +thesis +Thesium +Thesmia +Thesmophoria +Thesmophorian +Thesmophoric +Thesmophorus +thesmothetae +thesmothete +thesmothetes +thesocyte +Thespesia +Thespesius +Thespiae +Thespian +thespians +Thespis +Thespius +Thesproti +Thesprotia +Thesprotians +Thesprotis +Thess +Thess. +Thessa +Thessaly +Thessalian +Thessalonian +Thessalonians +Thessalonica +Thessalonike +Thessalonki +Thessalus +thester +Thestius +Thestor +thestreen +Theta +thetas +thetch +thete +Thetes +Thetford +thetic +thetical +thetically +thetics +thetin +thetine +Thetis +Thetisa +Thetos +Theurer +theurgy +theurgic +theurgical +theurgically +theurgies +theurgist +Theurich +Thevenot +Thevetia +thevetin +thew +thewed +thewy +thewier +thewiest +thewiness +thewless +thewlike +thewness +thews +THI +thy +thi- +Thia +thiabendazole +thiacetic +thiadiazole +thialdin +thialdine +thiamid +thiamide +thiamin +thiaminase +thiamine +thiamines +thiamins +thianthrene +thiasi +thiasine +thiasite +thiasoi +thiasos +thiasote +thiasus +thiasusi +Thyatira +Thiatsi +Thiazi +thiazide +thiazides +thiazin +thiazine +thiazines +thiazins +thiazol +thiazole +thiazoles +thiazoline +thiazols +Thibaud +Thibault +Thibaut +thibet +Thibetan +thible +Thibodaux +thick +thick-ankled +thick-barked +thick-barred +thick-beating +thick-bedded +thick-billed +thick-blooded +thick-blown +thick-bodied +thick-bossed +thick-bottomed +thickbrained +thick-brained +thick-breathed +thick-cheeked +thick-clouded +thick-coated +thick-coming +thick-cut +thick-decked +thick-descending +thick-drawn +thicke +thick-eared +thicken +thickened +thickener +thickeners +thickening +thickens +thicker +thickest +thicket +thicketed +thicketful +thickety +thickets +thicket's +thick-fingered +thick-flaming +thick-flanked +thick-flashing +thick-fleeced +thick-fleshed +thick-flowing +thick-foliaged +thick-footed +thick-girthed +thick-growing +thick-grown +thick-haired +thickhead +thick-head +thickheaded +thick-headed +thickheadedly +thickheadedness +thick-headedness +thick-hided +thick-hidedness +thicky +thickish +thick-jawed +thick-jeweled +thick-knee +thick-kneed +thick-knobbed +thick-laid +thickleaf +thick-leaved +thickleaves +thick-legged +thickly +thick-lined +thick-lipped +thicklips +thick-looking +thick-maned +thickneck +thick-necked +thickness +thicknesses +thicknessing +thick-packed +thick-pated +thick-peopled +thick-piled +thick-pleached +thick-plied +thick-ribbed +thick-rinded +thick-rooted +thick-rusting +thicks +thickset +thick-set +thicksets +thick-shadowed +thick-shafted +thick-shelled +thick-sided +thick-sighted +thickskin +thick-skinned +thickskull +thickskulled +thick-skulled +thick-soled +thick-sown +thick-spaced +thick-spread +thick-spreading +thick-sprung +thick-stalked +thick-starred +thick-stemmed +thick-streaming +thick-swarming +thick-tailed +thick-thronged +thick-toed +thick-tongued +thick-toothed +thick-topped +thick-voiced +thick-walled +thick-warbled +thickwind +thick-winded +thickwit +thick-witted +thick-wittedly +thick-wittedness +thick-wooded +thick-woven +thick-wristed +thick-wrought +Thida +THIEF +thiefcraft +thiefdom +thiefland +thiefly +thiefmaker +thiefmaking +thiefproof +thief-resisting +thieftaker +thief-taker +thiefwise +Thyeiads +Thielavia +Thielaviopsis +Thielen +Thiells +thienyl +thienone +Thiensville +Thier +Thierry +Thiers +Thyestean +Thyestes +thievable +thieve +thieved +thieveless +thiever +thievery +thieveries +thieves +thieving +thievingly +thievish +thievishly +thievishness +thig +thigged +thigger +thigging +thigh +thighbone +thighbones +thighed +thighs +thight +thightness +thigmo- +thigmonegative +thigmopositive +thigmotactic +thigmotactically +thigmotaxis +thigmotropic +thigmotropically +thigmotropism +Thyiad +Thyiades +thyine +thylacine +Thylacynus +thylacitis +Thylacoleo +thylakoid +Thilanottine +Thilda +Thilde +thilk +Thill +thiller +thill-horse +thilly +thills +thym- +thymacetin +Thymallidae +Thymallus +thymate +thimber +thimble +thimbleberry +thimbleberries +thimble-crowned +thimbled +thimble-eye +thimble-eyed +thimbleflower +thimbleful +thimblefuls +thimblelike +thimblemaker +thimblemaking +thimbleman +thimble-pie +thimblerig +thimblerigged +thimblerigger +thimbleriggery +thimblerigging +thimbles +thimble's +thimble-shaped +thimble-sized +thimbleweed +thimblewit +Thymbraeus +Thimbu +thyme +thyme-capped +thymectomy +thymectomize +thyme-fed +thyme-flavored +thymegol +thyme-grown +thymey +Thymelaea +Thymelaeaceae +thymelaeaceous +Thymelaeales +thymelcosis +thymele +thyme-leaved +thymelic +thymelical +thymelici +thymene +thimerosal +thymes +thyme-scented +thymetic +thymi +thymy +thymia +thymiama +thymic +thymicolymphatic +thymidine +thymier +thymiest +thymyl +thymylic +thymin +thymine +thymines +thymiosis +thymitis +thymo- +thymocyte +Thymoetes +thymogenic +thymol +thymolate +thymolize +thymolphthalein +thymols +thymolsulphonephthalein +thymoma +thymomata +thymonucleic +thymopathy +thymoprivic +thymoprivous +thymopsyche +thymoquinone +thymosin +thymotactic +thymotic +thymotinic +thyms +Thymus +thymuses +Thin +thin-ankled +thin-armed +thin-barked +thin-bedded +thin-belly +thin-bellied +thin-bladed +thin-blooded +thin-blown +thin-bodied +thin-bottomed +thinbrained +thin-brained +thin-cheeked +thinclad +thin-clad +thinclads +thin-coated +thin-cut +thin-descending +thindown +thindowns +thine +thin-eared +thin-faced +thin-featured +thin-film +thin-flanked +thin-fleshed +thin-flowing +thin-frozen +thin-fruited +thing +thingal +thingamabob +thingamajig +thinghood +thingy +thinginess +thing-in-itself +thingish +thing-it-self +thingless +thinglet +thingly +thinglike +thinglikeness +thingliness +thingman +thingness +thin-grown +things +things-in-themselves +thingstead +thingum +thingumabob +thingumadad +thingumadoodle +thingumajig +thingumajigger +thingumaree +thingumbob +thingummy +thingut +thing-word +thin-haired +thin-headed +thin-hipped +Thinia +think +thinkability +thinkable +thinkableness +thinkably +thinker +thinkers +thinkful +thinking +thinkingly +thinkingness +thinkingpart +thinkings +thinkling +thinks +think-so +think-tank +thin-laid +thin-leaved +thin-legged +thinly +thin-lined +thin-lipped +thin-lippedly +thin-lippedness +Thynne +thin-necked +thinned +thinned-out +thinner +thinners +thinness +thinnesses +thinnest +thynnid +Thynnidae +thinning +thinnish +Thinocoridae +Thinocorus +thin-officered +thinolite +thin-peopled +thin-pervading +thin-rinded +thins +thin-set +thin-shelled +thin-shot +thin-skinned +thin-skinnedness +thin-soled +thin-sown +thin-spread +thin-spun +thin-stalked +thin-stemmed +thin-veiled +thin-voiced +thin-walled +thin-worn +thin-woven +thin-wristed +thin-wrought +thio +thio- +thioacet +thioacetal +thioacetic +thioalcohol +thioaldehyde +thioamid +thioamide +thioantimonate +thioantimoniate +thioantimonious +thioantimonite +thioarsenate +thioarseniate +thioarsenic +thioarsenious +thioarsenite +thiobaccilli +thiobacilli +Thiobacillus +Thiobacteria +Thiobacteriales +thiobismuthite +thiocarbamic +thiocarbamide +thiocarbamyl +thiocarbanilide +thiocarbimide +thiocarbonate +thiocarbonic +thiocarbonyl +thiochloride +thiochrome +thiocyanate +thiocyanation +thiocyanic +thiocyanide +thiocyano +thiocyanogen +thiocresol +Thiodamas +thiodiazole +thiodiphenylamine +thioester +thio-ether +thiofuran +thiofurane +thiofurfuran +thiofurfurane +thiogycolic +thioguanine +thiohydrate +thiohydrolysis +thiohydrolyze +thioindigo +thioketone +Thiokol +thiol +thiol- +thiolacetic +thiolactic +thiolic +thiolics +thiols +thion- +thionamic +thionaphthene +thionate +thionates +thionation +Thyone +thioneine +thionic +thionyl +thionylamine +thionyls +thionin +thionine +thionines +thionins +thionitrite +thionium +thionobenzoic +thionthiolic +thionurate +thiopental +thiopentone +thiophen +thiophene +thiophenic +thiophenol +thiophens +thiophosgene +thiophosphate +thiophosphite +thiophosphoric +thiophosphoryl +thiophthene +thiopyran +thioresorcinol +thioridazine +thiosinamine +Thiospira +thiostannate +thiostannic +thiostannite +thiostannous +thiosulfate +thiosulfates +thiosulfuric +thiosulphate +thiosulphonic +thiosulphuric +thiotepa +thiotepas +Thiothrix +thiotolene +thiotungstate +thiotungstic +thiouracil +thiourea +thioureas +thiourethan +thiourethane +thioxene +thiozone +thiozonid +thiozonide +thir +thyr- +Thira +Thyraden +thiram +thirams +Thyratron +third +thyrd- +thirdborough +third-class +third-degree +third-degreed +third-degreing +thirdendeal +third-estate +third-force +thirdhand +third-hand +thirdings +thirdly +thirdling +thirdness +third-order +third-rail +third-rate +third-rateness +third-rater +thirds +thirdsman +thirdstream +third-string +third-world +thyreoadenitis +thyreoantitoxin +thyreoarytenoid +thyreoarytenoideus +thyreocervical +thyreocolloid +Thyreocoridae +thyreoepiglottic +thyreogenic +thyreogenous +thyreoglobulin +thyreoglossal +thyreohyal +thyreohyoid +thyreoid +thyreoidal +thyreoideal +thyreoidean +thyreoidectomy +thyreoiditis +thyreoitis +thyreolingual +thyreoprotein +thyreosis +thyreotomy +thyreotoxicosis +thyreotropic +thyridia +thyridial +Thyrididae +thyridium +Thirion +Thyris +thyrisiferous +thyristor +thirl +thirlage +thirlages +thirled +thirling +Thirlmere +thirls +thyro- +thyroadenitis +thyroantitoxin +thyroarytenoid +thyroarytenoideus +thyrocalcitonin +thyrocardiac +thyrocarditis +thyrocele +thyrocervical +thyrocolloid +thyrocricoid +thyroepiglottic +thyroepiglottidean +thyrogenic +thyrogenous +thyroglobulin +thyroglossal +thyrohyal +thyrohyoid +thyrohyoidean +thyroid +thyroidal +thyroidea +thyroideal +thyroidean +thyroidectomy +thyroidectomies +thyroidectomize +thyroidectomized +thyroidism +thyroiditis +thyroidization +thyroidless +thyroidotomy +thyroidotomies +thyroids +thyroiodin +thyrold +thyrolingual +thyronin +thyronine +thyroparathyroidectomy +thyroparathyroidectomize +thyroprival +thyroprivia +thyroprivic +thyroprivous +thyroprotein +thyroria +thyrorion +thyrorroria +thyrosis +Thyrostraca +thyrostracan +thyrotherapy +thyrotome +thyrotomy +thyrotoxic +thyrotoxicity +thyrotoxicosis +thyrotrophic +thyrotrophin +thyrotropic +thyrotropin +thyroxin +thyroxine +thyroxinic +thyroxins +thyrse +thyrses +thyrsi +thyrsiflorous +thyrsiform +thyrsoid +thyrsoidal +thirst +thirst-abating +thirst-allaying +thirst-creating +thirsted +thirster +thirsters +thirstful +thirsty +thirstier +thirstiest +thirstily +thirst-inducing +thirstiness +thirsting +thirstingly +thirstland +thirstle +thirstless +thirstlessness +thirst-maddened +thirstproof +thirst-quenching +thirst-raising +thirsts +thirst-scorched +thirst-tormented +thyrsus +thyrsusi +thirt +thirteen +thirteen-day +thirteener +thirteenfold +thirteen-inch +thirteen-lined +thirteen-ringed +thirteens +thirteen-square +thirteen-stone +thirteen-story +thirteenth +thirteenthly +thirteenths +thirty +thirty-acre +thirty-day +thirty-eight +thirty-eighth +thirties +thirtieth +thirtieths +thirty-fifth +thirty-first +thirty-five +thirtyfold +thirty-foot +thirty-four +thirty-fourth +thirty-gunner +thirty-hour +thirty-yard +thirty-year +thirty-inch +thirtyish +thirty-knot +thirty-mile +thirty-nine +thirty-ninth +thirty-one +thirtypenny +thirty-pound +thirty-second +thirty-seven +thirty-seventh +thirty-six +thirty-sixth +thirty-third +thirty-thirty +thirty-three +thirty-ton +thirty-two +thirtytwomo +thirty-twomo +thirty-twomos +thirty-word +Thirza +Thirzi +Thirzia +this +Thysanocarpus +thysanopter +Thysanoptera +thysanopteran +thysanopteron +thysanopterous +Thysanoura +thysanouran +thysanourous +Thysanura +thysanuran +thysanurian +thysanuriform +thysanurous +this-a-way +Thisbe +Thisbee +thysel +thyself +thysen +thishow +thislike +thisll +this'll +thisn +thisness +Thissa +thissen +Thyssen +Thistle +thistlebird +thistled +thistledown +thistle-down +thistle-finch +thistlelike +thistleproof +thistlery +thistles +thistlewarp +thistly +thistlish +this-way-ward +thiswise +this-worldian +this-worldly +this-worldliness +this-worldness +thither +thitherto +thitherward +thitherwards +thitka +thitsi +thitsiol +thiuram +thivel +thixle +thixolabile +thixophobia +thixotropy +thixotropic +Thjatsi +Thjazi +Thlaspi +Thlingchadinne +Thlinget +thlipsis +ThM +Tho +tho' +Thoas +thob +thocht +Thock +Thoer +thof +thoft +thoftfellow +thoght +Thok +thoke +thokish +Thokk +tholance +thole +tholed +tholeiite +tholeiitic +tholeite +tholemod +tholepin +tholepins +tholes +tholi +tholing +tholli +tholoi +tholos +tholus +Thom +Thoma +Thomaean +Thomajan +thoman +Thomas +Thomasa +Thomasboro +Thomasin +Thomasina +Thomasine +thomasing +Thomasite +Thomaston +Thomastown +Thomasville +Thomey +thomisid +Thomisidae +Thomism +Thomist +Thomistic +Thomistical +Thomite +Thomomys +Thompson +Thompsons +Thompsontown +Thompsonville +Thomsen +thomsenolite +Thomson +Thomsonian +Thomsonianism +thomsonite +thon +Thonburi +thonder +Thondracians +Thondraki +Thondrakians +thone +thong +Thonga +thonged +thongy +thongman +thongs +Thonotosassa +thoo +thooid +thoom +Thoon +THOR +Thora +thoracal +thoracalgia +thoracaorta +thoracectomy +thoracectomies +thoracentesis +thoraces +thoraci- +thoracic +Thoracica +thoracical +thoracically +thoracicoabdominal +thoracicoacromial +thoracicohumeral +thoracicolumbar +thoraciform +thoracispinal +thoraco- +thoracoabdominal +thoracoacromial +thoracobronchotomy +thoracoceloschisis +thoracocentesis +thoracocyllosis +thoracocyrtosis +thoracodelphus +thoracodidymus +thoracodynia +thoracodorsal +thoracogastroschisis +thoracograph +thoracohumeral +thoracolysis +thoracolumbar +thoracomelus +thoracometer +thoracometry +thoracomyodynia +thoracopagus +thoracoplasty +thoracoplasties +thoracoschisis +thoracoscope +thoracoscopy +Thoracostei +thoracostenosis +thoracostomy +thoracostomies +Thoracostraca +thoracostracan +thoracostracous +thoracotomy +thoracotomies +Thor-Agena +thoral +thorascope +thorax +thoraxes +Thorazine +Thorbert +Thorburn +Thor-Delta +Thordia +Thordis +thore +Thoreau +Thoreauvian +Thorez +Thorfinn +thoria +thorianite +thorias +thoriate +thoric +thoriferous +Thorin +thorina +thorite +thorites +thorium +thoriums +Thorlay +Thorley +Thorlie +Thorma +Thorman +Thormora +Thorn +thorn-apple +thornback +thorn-bearing +thornbill +thorn-bound +Thornburg +thornbush +thorn-bush +Thorncombe +thorn-covered +thorn-crowned +Thorndale +Thorndike +Thorndyke +Thorne +thorned +thornen +thorn-encompassed +Thorner +Thornfield +thornhead +thorn-headed +thorn-hedge +thorn-hedged +Thorny +thorny-backed +Thornie +thorny-edged +thornier +thorniest +thorny-handed +thornily +thorniness +thorning +thorny-pointed +thorny-pricking +thorny-thin +thorny-twining +thornless +thornlessness +thornlet +thornlike +thorn-marked +thorn-pricked +thornproof +thorn-resisting +thorns +thorn's +thorn-set +thornstone +thorn-strewn +thorntail +Thornton +Thorntown +thorn-tree +Thornville +Thornwood +thorn-wounded +thorn-wreathed +thoro +thoro- +thorocopagous +thorogummite +thoron +thorons +Thorough +thorough- +thoroughbass +thorough-bind +thorough-bore +thoroughbrace +Thoroughbred +thoroughbredness +thoroughbreds +thorough-cleanse +thorough-dress +thorough-dry +thorougher +thoroughest +thoroughfare +thoroughfarer +thoroughfares +thoroughfare's +thoroughfaresome +thorough-felt +thoroughfoot +thoroughfooted +thoroughfooting +thorough-fought +thoroughgoing +thoroughgoingly +thoroughgoingness +thoroughgrowth +thorough-humble +thoroughly +thorough-light +thorough-lighted +thorough-line +thorough-made +thoroughness +thoroughnesses +thoroughpaced +thorough-paced +thoroughpin +thorough-pin +thorough-ripe +thorough-shot +thoroughsped +thorough-stain +thoroughstem +thoroughstitch +thorough-stitch +thoroughstitched +thoroughway +thoroughwax +thoroughwort +Thorp +Thorpe +thorpes +thorps +Thorr +Thorrlow +Thorsby +Thorshavn +Thorstein +Thorsten +thort +thorter +thortveitite +Thorvald +Thorvaldsen +Thorwald +Thorwaldsen +Thos +those +Thoth +thou +thoued +though +thought +thought-abhorring +thought-bewildered +thought-burdened +thought-challenging +thought-concealing +thought-conjuring +thought-depressed +thoughted +thoughten +thought-exceeding +thought-executing +thought-fed +thought-fixed +thoughtfree +thought-free +thoughtfreeness +thoughtful +thoughtfully +thoughtfulness +thoughtfulnesses +thought-giving +thought-hating +thought-haunted +thought-heavy +thought-heeding +thought-hounded +thought-humbled +thoughty +thought-imaged +thought-inspiring +thought-instructed +thought-involving +thought-jaded +thoughtkin +thought-kindled +thought-laden +thoughtless +thoughtlessly +thoughtlessness +thoughtlessnesses +thoughtlet +thought-lighted +thought-mad +thought-mastered +thought-meriting +thought-moving +thoughtness +thought-numb +thought-out +thought-outraging +thought-pained +thought-peopled +thought-poisoned +thought-pressed +thought-provoking +thought-read +thought-reading +thought-reviving +thought-ridden +thoughts +thought's +thought-saving +thought-set +thought-shaming +thoughtsick +thought-sounding +thought-stirring +thought-straining +thought-swift +thought-tight +thought-tinted +thought-tracing +thought-unsounded +thoughtway +thought-winged +thought-working +thought-worn +thought-worthy +thouing +thous +thousand +thousand-acre +thousand-dollar +thousand-eyed +thousandfold +thousandfoldly +thousand-footed +thousand-guinea +thousand-handed +thousand-headed +thousand-hued +thousand-year +thousand-jacket +thousand-leaf +thousand-legged +thousand-legger +thousand-legs +thousand-mile +thousand-pound +thousand-round +thousands +thousand-sided +thousand-souled +thousandth +thousandths +thousand-voiced +thousandweight +thouse +thou-shalt-not +thow +thowel +thowless +thowt +Thrace +Thraces +Thracian +thrack +Thraco-Illyrian +Thraco-Phrygian +thraep +thrail +thrain +thraldom +thraldoms +Thrale +thrall +thrallborn +thralldom +thralled +thralling +thrall-less +thrall-like +thrall-likethrallborn +thralls +thram +thrammle +thrang +thrangity +thranite +thranitic +thrap +thrapple +thrash +thrashed +thrashel +Thrasher +thrasherman +thrashers +thrashes +thrashing +thrashing-floor +thrashing-machine +thrashing-mill +Thrasybulus +thraso +thrasonic +thrasonical +thrasonically +thrast +thratch +Thraupidae +thrave +thraver +thraves +thraw +thrawart +thrawartlike +thrawartness +thrawcrook +thrawed +thrawing +thrawn +thrawneen +thrawnly +thrawnness +thraws +Thrax +thread +threadbare +threadbareness +threadbarity +thread-cutting +threaded +threaden +threader +threaders +threader-up +threadfin +threadfish +threadfishes +threadflower +threadfoot +thready +threadier +threadiest +threadiness +threading +threadle +thread-leaved +thread-legged +threadless +threadlet +thread-lettered +threadlike +threadmaker +threadmaking +thread-marked +thread-measuring +thread-mercerizing +thread-milling +thread-needle +thread-paper +threads +thread-shaped +thread-the-needle +threadway +thread-waisted +threadweed +thread-winding +threadworm +thread-worn +threap +threaped +threapen +threaper +threapers +threaping +threaps +threat +threated +threaten +threatenable +threatened +threatener +threateners +threatening +threateningly +threateningness +threatens +threatful +threatfully +threatfulness +threating +threatless +threatproof +threats +threave +THREE +three-a-cat +three-accent +three-acre +three-act +three-aged +three-aisled +three-and-a-halfpenny +three-angled +three-arched +three-arm +three-armed +three-awned +three-bagger +three-ball +three-ballmatch +three-banded +three-bar +three-basehit +three-bearded +three-bid +three-by-four +three-blade +three-bladed +three-bodied +three-bolted +three-bottle +three-bottom +three-bout +three-branch +three-branched +three-bushel +three-capsuled +three-card +three-celled +three-charge +three-chinned +three-cylinder +three-circle +three-circuit +three-class +three-clause +three-cleft +three-coat +three-cocked +three-color +three-colored +three-colour +three-component +three-coned +three-corded +three-corner +three-cornered +three-corneredness +three-course +three-crank +three-crowned +three-cup +three-D +three-day +three-dayed +three-deck +three-decked +three-decker +three-deep +three-dimensional +threedimensionality +three-dimensionalness +three-dip +three-dropped +three-eared +three-echo +three-edged +three-effect +three-eyed +three-electrode +three-faced +three-farthing +three-farthings +three-fathom +three-fibered +three-field +three-figure +three-fingered +three-floored +three-flowered +threefold +three-fold +threefolded +threefoldedness +threefoldly +threefoldness +three-foot +three-footed +three-forked +three-formed +three-fourths +three-fruited +three-gaited +three-grained +three-groined +three-groove +three-grooved +three-guinea +three-halfpence +three-halfpenny +three-halfpennyworth +three-hand +three-handed +three-headed +three-high +three-hinged +three-hooped +three-horned +three-horse +three-hour +three-year +three-year-old +three-years +three-inch +three-index +three-in-hand +three-in-one +three-iron +three-jointed +three-layered +three-leaf +three-leafed +three-leaved +three-legged +three-letter +three-lettered +three-life +three-light +three-line +three-lined +threeling +three-lipped +three-lobed +three-man +three-mast +three-masted +three-master +three-mile +three-minute +three-month +three-monthly +three-mouthed +three-move +three-mover +three-name +three-necked +three-nerved +threeness +three-ounce +three-out +three-ovuled +threep +three-pair +three-part +three-parted +three-pass +three-peaked +threeped +threepence +threepences +threepenny +threepennyworth +three-petaled +three-phase +three-phased +three-phaser +three-piece +three-pile +three-piled +three-piler +threeping +three-pint +three-plait +three-ply +three-point +three-pointed +three-pointing +three-position +three-poster +three-pound +three-pounder +three-pronged +threeps +three-quality +three-quart +three-quarter +three-quarter-bred +three-rail +three-ranked +three-reel +three-ribbed +three-ridge +three-ring +three-ringed +three-roll +three-room +three-roomed +three-row +three-rowed +threes +three's +three-sail +three-salt +three-scene +threescore +three-second +three-seeded +three-shanked +three-shaped +three-shilling +three-sided +three-sidedness +three-syllable +three-syllabled +three-sixty +three-soled +threesome +threesomes +three-space +three-span +three-speed +three-spined +three-spored +three-spot +three-spread +three-square +three-star +three-step +three-sticker +three-styled +three-story +three-storied +three-strand +three-stranded +three-stringed +three-striped +three-striper +three-suited +three-tailed +three-thorned +three-thread +three-throw +three-tie +three-tier +three-tiered +three-time +three-tined +three-toed +three-toes +three-ton +three-tongued +three-toothed +three-torque +three-tripod +three-up +three-valued +three-valved +three-volume +three-way +three-wayed +three-week +three-weekly +three-wheeled +three-wheeler +three-winged +three-wire +three-wive +three-woods +three-wormed +threip +Threlkeld +thremmatology +threne +threnetic +threnetical +threnode +threnodes +threnody +threnodial +threnodian +threnodic +threnodical +threnodies +threnodist +threnos +threonin +threonine +threose +threpe +threpsology +threptic +thresh +threshal +threshed +threshel +thresher +thresherman +threshers +threshes +threshing +threshingtime +threshold +thresholds +threshold's +Threskiornithidae +Threskiornithinae +threstle +threw +thribble +thrice +thrice-accented +thrice-blessed +thrice-boiled +thricecock +thrice-crowned +thrice-famed +thrice-great +thrice-happy +thrice-honorable +thrice-noble +thrice-sold +thrice-told +thrice-venerable +thrice-worthy +thridace +thridacium +Thrift +thriftbox +thrifty +thriftier +thriftiest +thriftily +thriftiness +thriftless +thriftlessly +thriftlessness +thriftlike +thrifts +thriftshop +thrill +thrillant +thrill-crazed +thrilled +thriller +thriller-diller +thrillers +thrill-exciting +thrillful +thrillfully +thrilly +thrillier +thrilliest +thrilling +thrillingly +thrillingness +thrill-less +thrillproof +thrill-pursuing +thrills +thrill-sated +thrill-seeking +thrillsome +thrimble +Thrymheim +thrimp +thrimsa +thrymsa +Thrinax +thring +thringing +thrinter +thrioboly +Thryonomys +thrip +thripel +thripid +Thripidae +thrippence +thripple +thrips +thrist +thrive +thrived +thriveless +thriven +thriver +thrivers +thrives +thriving +thrivingly +thrivingness +thro +thro' +throat +throatal +throatband +throatboll +throat-clearing +throat-clutching +throat-cracking +throated +throatful +throat-full +throaty +throatier +throatiest +throatily +throatiness +throating +throatlash +throatlatch +throat-latch +throatless +throatlet +throatlike +throatroot +throats +throat-slitting +throatstrap +throat-swollen +throatwort +throb +throbbed +throbber +throbbers +throbbing +throbbingly +throbless +throbs +throck +Throckmorton +throdden +throddy +throe +throed +throeing +throes +thromb- +thrombase +thrombectomy +thrombectomies +thrombi +thrombin +thrombins +thrombo- +thromboangiitis +thromboarteritis +thrombocyst +thrombocyte +thrombocytes +thrombocytic +thrombocytopenia +thrombocytopenic +thrombocytosis +thromboclasis +thromboclastic +thromboembolic +thromboembolism +thrombogen +thrombogenic +thromboid +thrombokinase +thrombolymphangitis +Thrombolysin +thrombolysis +thrombolytic +thrombopenia +thrombophlebitis +thromboplastic +thromboplastically +thromboplastin +thrombose +thrombosed +thromboses +thrombosing +thrombosis +thrombostasis +thrombotic +thrombus +thronal +throne +throne-born +throne-capable +throned +thronedom +throneless +thronelet +thronelike +thrones +throne's +throne-shattering +throneward +throne-worthy +throng +thronged +thronger +throngful +thronging +throngingly +throngs +throng's +throning +thronize +thronoi +thronos +Throop +thrope +thropple +throroughly +throstle +throstle-cock +throstlelike +throstles +throttle +throttleable +Throttlebottom +throttled +throttlehold +throttler +throttlers +throttles +throttling +throttlingly +throu +throuch +throucht +through +through- +through-and-through +throughbear +through-blow +throughbred +through-carve +through-cast +throughcome +through-composed +through-drainage +through-drive +through-formed +through-galled +throughgang +throughganging +throughgoing +throughgrow +throughither +through-ither +through-joint +through-key +throughknow +through-lance +throughly +through-mortise +through-nail +throughother +through-other +throughout +through-passage +through-pierce +throughput +through-rod +through-shoot +through-splint +through-stone +through-swim +through-thrill +through-toll +through-tube +throughway +throughways +throve +throw +throw- +throwaway +throwaways +throwback +throw-back +throwbacks +throw-crook +throwdown +thrower +throwers +throw-forward +throw-in +throwing +throwing-in +throwing-stick +thrown +throwoff +throw-off +throw-on +throwout +throw-over +throws +throwst +throwster +throw-stick +throwwort +Thrsieux +thru +thrum +thrumble +thrum-eyed +thrummed +thrummer +thrummers +thrummy +thrummier +thrummiest +thrumming +thrums +thrumwort +thruout +thruppence +thruput +thruputs +thrush +thrushel +thrusher +thrushes +thrushy +thrushlike +thrust +thrusted +thruster +thrusters +thrustful +thrustfulness +thrusting +thrustings +thrustle +thrustor +thrustors +thrustpush +thrusts +thrutch +thrutchings +Thruthheim +Thruthvang +thruv +Thruway +thruways +thsant +Thsos +thuan +Thuban +Thucydidean +Thucydides +thud +thudded +thudding +thuddingly +thuds +thug +thugdom +thugged +thuggee +thuggeeism +thuggees +thuggery +thuggeries +thuggess +thugging +thuggish +thuggism +thugs +thug's +thuya +thuyas +Thuidium +Thuyopsis +Thuja +thujas +thujene +thujyl +thujin +thujone +Thujopsis +Thule +thulia +thulias +thulir +thulite +thulium +thuliums +thulr +thuluth +thumb +thumb-and-finger +thumbbird +thumbed +Thumbelina +thumber +thumb-fingered +thumbhole +thumby +thumbikin +thumbikins +thumb-index +thumbing +thumbkin +thumbkins +thumb-kissing +thumble +thumbless +thumblike +thumbling +thumb-made +thumbmark +thumb-mark +thumb-marked +thumbnail +thumb-nail +thumbnails +thumbnut +thumbnuts +thumbpiece +thumbprint +thumb-ring +thumbrope +thumb-rope +thumbs +thumbscrew +thumb-screw +thumbscrews +thumbs-down +thumb-shaped +thumbstall +thumb-stall +thumbstring +thumb-sucker +thumb-sucking +thumbs-up +thumbtack +thumbtacked +thumbtacking +thumbtacks +thumb-worn +thumlungur +Thummim +thummin +thump +thump-cushion +thumped +thumper +thumpers +thumping +thumpingly +thumps +Thun +Thunar +Thunbergia +thunbergilene +thund +thunder +thunder-armed +thunderation +thunder-baffled +thunderball +thunderbearer +thunder-bearer +thunderbearing +thunderbird +thunderblast +thunder-blast +thunderbolt +thunderbolts +thunderbolt's +thunderbox +thunder-breathing +thunderburst +thunder-charged +thunderclap +thunder-clap +thunderclaps +thundercloud +thunder-cloud +thunderclouds +thundercrack +thunder-darting +thunder-delighting +thunder-dirt +thundered +thunderer +thunderers +thunder-fearless +thunderfish +thunderfishes +thunderflower +thunder-footed +thunder-forging +thunder-fraught +thunder-free +thunderful +thunder-girt +thunder-god +thunder-guiding +thunder-gust +thunderhead +thunderheaded +thunderheads +thunder-hid +thundery +thundering +thunderingly +thunder-laden +thunderless +thunderlight +thunderlike +thunder-maned +thunderous +thunderously +thunderousness +thunderpeal +thunderplump +thunderproof +thunderpump +thunder-rejoicing +thunder-riven +thunder-ruling +thunders +thunder-scarred +thunder-scathed +thunder-shod +thundershower +thundershowers +thunder-slain +thundersmite +thundersmiting +thunder-smitten +thundersmote +thunder-splintered +thunder-split +thunder-splitten +thundersquall +thunderstick +thunderstone +thunder-stone +thunderstorm +thunder-storm +thunderstorms +thunderstorm's +thunderstricken +thunderstrike +thunderstroke +thunderstruck +thunder-teeming +thunder-throwing +thunder-thwarted +thunder-tipped +thunder-tongued +thunder-voiced +thunder-wielding +thunderwood +thunderworm +thunderwort +thundrous +thundrously +Thunell +thung +thunge +thunk +thunked +thunking +thunks +Thunnidae +Thunnus +Thunor +thuoc +Thur +Thurber +Thurberia +Thurgau +thurgi +Thurgood +Thury +thurible +thuribles +thuribuler +thuribulum +thurifer +thuriferous +thurifers +thurify +thurificate +thurificati +thurification +Thuringer +Thuringia +Thuringian +thuringite +Thurio +thurl +thurle +Thurlough +Thurlow +thurls +thurm +Thurman +Thurmann +Thurmond +Thurmont +thurmus +Thurnau +Thurnia +Thurniaceae +thurrock +Thurs +Thurs. +Thursby +Thursday +Thursdays +thursday's +thurse +thurst +Thurstan +Thurston +thurt +thus +thusgate +Thushi +thusly +thusness +thuswise +thutter +thwack +thwacked +thwacker +thwackers +thwacking +thwackingly +thwacks +thwackstave +thwait +thwaite +thwart +thwarted +thwartedly +thwarteous +thwarter +thwarters +thwarting +thwartingly +thwartly +thwartman +thwart-marks +thwartmen +thwartness +thwartover +thwarts +thwartsaw +thwartship +thwart-ship +thwartships +thwartways +thwartwise +Thwing +thwite +thwittle +thworl +THX +TI +ty +TIA +Tiahuanacan +Tiahuanaco +Tiam +Tiamat +Tiana +Tiananmen +tiang +tiangue +Tyan-Shan +tiao +tiar +tiara +tiaraed +tiaralike +tiaras +tiarella +Tyaskin +Tiatinagua +tyauve +tib +Tybald +Tybalt +Tibbett +Tibbetts +tibby +Tibbie +tibbit +Tibbitts +Tibbs +Tibbu +tib-cat +tibey +Tiber +Tiberian +Tiberias +Tiberine +Tiberinus +Tiberius +tibert +Tibesti +Tibet +Tibetan +tibetans +Tibeto-Burman +Tibeto-Burmese +Tibeto-chinese +Tibeto-himalayan +Tybi +tibia +tibiad +tibiae +tibial +tibiale +tibialia +tibialis +tibias +tibicen +tibicinist +Tybie +tibio- +tibiocalcanean +tibiofemoral +tibiofibula +tibiofibular +tibiometatarsal +tibionavicular +tibiopopliteal +tibioscaphoid +tibiotarsal +tibiotarsi +tibiotarsus +tibiotarsusi +Tibold +Tibouchina +tibourbou +Tibullus +Tibur +Tiburcio +Tyburn +Tyburnian +Tiburon +Tiburtine +TIC +Tica +tical +ticals +ticca +ticchen +Tice +ticement +ticer +Tyche +tichel +tychism +tychistic +tychite +Tychius +Tichnor +Tycho +Tichodroma +tichodrome +Tichon +Tychon +Tychonian +Tychonic +Tichonn +Tychonn +tychoparthenogenesis +tychopotamic +tichorhine +tichorrhine +Ticino +tick +tick-a-tick +tickbean +tickbird +tick-bird +tickeater +ticked +tickey +ticken +ticker +tickers +ticket +ticket-canceling +ticket-counting +ticket-dating +ticketed +ticketer +tickety-boo +ticketing +ticketless +ticket-making +ticketmonger +ticket-of-leave +ticket-of-leaver +ticket-porter +ticket-printing +ticket-registering +tickets +ticket's +ticket-selling +ticket-vending +Tickfaw +ticky +tickicide +tickie +ticking +tickings +tickle +tickleback +ticklebrain +tickled +tickle-footed +tickle-headed +tickle-heeled +ticklely +ticklenburg +ticklenburgs +tickleness +tickleproof +tickler +ticklers +tickles +ticklesome +tickless +tickle-toby +tickle-tongued +tickleweed +tickly +tickly-benders +tickliness +tickling +ticklingly +ticklish +ticklishly +ticklishness +ticklishnesses +tickney +Ticknor +tickproof +ticks +tickseed +tickseeded +tickseeds +ticktack +tick-tack +ticktacked +ticktacker +ticktacking +ticktacks +ticktacktoe +tick-tack-toe +ticktacktoo +tick-tack-too +ticktick +tick-tick +ticktock +ticktocked +ticktocking +ticktocks +tickweed +Ticon +Ticonderoga +tycoon +tycoonate +tycoons +tic-polonga +tics +tictac +tictacked +tictacking +tictacs +tictactoe +tic-tac-toe +tictic +tictoc +tictocked +tictocking +tictocs +ticul +Ticuna +Ticunan +TID +tidal +tidally +tidbit +tidbits +tydden +tidder +tiddy +tyddyn +tiddle +tiddledywinks +tiddley +tiddleywink +tiddler +tiddly +tiddling +tiddlywink +tiddlywinker +tiddlywinking +tiddlywinks +tide +tide-beaten +tide-beset +tide-bound +tide-caught +tidecoach +tide-covered +tided +tide-driven +tide-flooded +tide-forsaken +tide-free +tideful +tide-gauge +tide-generating +tidehead +tideland +tidelands +tideless +tidelessness +tidely +tidelike +tideling +tide-locked +tidemaker +tidemaking +tidemark +tide-mark +tide-marked +tidemarks +tide-mill +tide-predicting +tide-producing +tiderace +tide-ribbed +tiderip +tide-rip +tiderips +tiderode +tide-rode +tides +tidesman +tidesurveyor +Tideswell +tide-swept +tide-taking +tide-tossed +tide-trapped +Tydeus +tideway +tideways +tidewaiter +tide-waiter +tidewaitership +tideward +tide-washed +tidewater +tide-water +tidewaters +tide-worn +tidi +tidy +tidiable +Tydides +tydie +tidied +tidier +tidiers +tidies +tidiest +tidife +tidying +tidyism +tidy-kept +tidily +tidy-looking +tidy-minded +tidiness +tidinesses +tiding +tidingless +tidings +tidiose +Tidioute +tidytips +tidy-up +tidley +tidling +tidology +tidological +Tidwell +tie +Tye +tie- +tie-and-dye +tieback +tiebacks +tieboy +Tiebold +Tiebout +tiebreaker +Tieck +tieclasp +tieclasps +tied +Tiedeman +tie-dyeing +tiedog +tie-down +tyee +tyees +tiefenthal +tie-in +tieing +tieless +tiemaker +tiemaking +tiemannite +Tiemroth +Tien +Tiena +tienda +tiens +tienta +tiento +Tientsin +tie-on +tie-out +tiepin +tiepins +tie-plater +Tiepolo +tier +tierce +tierced +tiercel +tiercels +tierceron +tierces +tiered +Tierell +tierer +Tiergarten +tiering +tierlike +Tiernan +Tierney +tierras +tiers +tiers-argent +tiersman +Tiersten +Tiertza +Tierza +ties +tyes +Tiesiding +tietick +tie-tie +Tieton +tie-up +tievine +tiewig +tie-wig +tiewigged +Tifanie +TIFF +Tiffa +Tiffani +Tiffany +Tiffanie +tiffanies +tiffanyite +Tiffanle +tiffed +Tiffi +Tiffy +Tiffie +Tiffin +tiffined +tiffing +tiffining +tiffins +tiffish +tiffle +tiffs +tifinagh +Tiflis +tift +tifter +Tifton +tig +tyg +Tiga +tige +tigella +tigellate +tigelle +tigellum +tigellus +tiger +tigerbird +tiger-cat +tigereye +tigereyes +tigerfish +tigerfishes +tigerflower +tigerfoot +tiger-footed +tigerhearted +tigerhood +tigery +tigerish +tigerishly +tigerishness +tigerism +tigerkin +tigerly +tigerlike +tigerling +tiger-looking +tiger-marked +tiger-minded +tiger-mouth +tigernut +tiger-passioned +tigerproof +tigers +tiger's +tiger's-eye +tiger-spotted +tiger-striped +Tigerton +Tigerville +tigerwood +tigger +Tigges +tight +tight-ankled +tight-belted +tight-bodied +tight-booted +tight-bound +tight-clap +tight-clenched +tight-closed +tight-draped +tight-drawn +tighten +tightened +tightener +tighteners +tightening +tightenings +tightens +tighter +tightest +tightfisted +tight-fisted +tightfistedly +tightfistedness +tightfitting +tight-fitting +tight-gartered +tight-hosed +tightish +tightknit +tight-knit +tight-laced +tightly +tightlier +tightliest +tight-limbed +tightlipped +tight-lipped +tight-looking +tight-made +tight-mouthed +tight-necked +tightness +tightnesses +tight-packed +tight-pressed +tight-reining +tight-rooted +tightrope +tightroped +tightropes +tightroping +tights +tight-set +tight-shut +tight-skinned +tight-skirted +tight-sleeved +tight-stretched +tight-tie +tight-valved +tightwad +tightwads +tight-waisted +tightwire +tight-wound +tight-woven +tight-wristed +tiglaldehyde +tiglic +tiglinic +tiglon +tiglons +Tignall +tignon +tignum +tigon +tigons +Tigr +Tigrai +Tigre +Tigrean +tigress +tigresses +tigresslike +Tigrett +Tigridia +Tigrina +tigrine +Tigrinya +Tigris +tigrish +tigroid +tigrolysis +tigrolytic +tigrone +tigtag +Tigua +Tigurine +Tihwa +Tyigh +Tyika +tying +Tijeras +Tijuana +tike +tyke +tyken +tikes +tykes +tykhana +Tiki +tyking +tikis +tikitiki +tikka +tikker +tikkun +tiklin +tikolosh +tikoloshe +tikoor +tikor +tikur +til +'til +Tila +tilaite +tilak +tilaka +tilaks +tilapia +tilapias +tylari +tylarus +tilasite +tylaster +Tilburg +Tilbury +tilburies +Tilda +tilde +Tilden +tildes +Tildi +Tildy +Tildie +tile +tyleberry +tile-clad +tile-covered +tiled +tilefish +tile-fish +tilefishes +tileyard +tilelike +tilemaker +tilemaking +Tylenchus +tile-pin +Tiler +Tyler +tile-red +tilery +tileries +Tylerism +Tylerite +Tylerize +tile-roofed +tileroot +tilers +Tylersburg +Tylersport +Tylersville +Tylerton +Tylertown +tiles +tileseed +tilesherd +tilestone +tilette +tileways +tilework +tileworks +tilewright +Tilford +Tilghman +Tilia +Tiliaceae +tiliaceous +tilicetum +tilyer +tilikum +Tiline +tiling +tilings +tylion +Till +Tilla +tillable +Tillaea +Tillaeastrum +tillage +tillages +Tillamook +Tillandsia +Tillar +Tillatoba +tilled +Tilleda +tilley +Tiller +tillered +Tillery +tillering +tillerless +tillerman +tillermen +tillers +tillet +Tilletia +Tilletiaceae +tilletiaceous +Tillford +Tillfourd +Tilli +Tilly +Tillich +tillicum +Tillie +tilly-fally +tilling +Tillinger +Tillio +Tillion +tillite +tillites +tilly-vally +Tillman +Tillo +tillodont +Tillodontia +Tillodontidae +tillot +Tillotson +tillotter +tills +Tillson +tilmus +Tilney +tylo- +tylocin +Tiloine +tyloma +tylopod +Tylopoda +tylopodous +Tylosaurus +tylose +tyloses +tylosin +tylosins +tylosis +tylosoid +tylosteresis +tylostylar +tylostyle +tylostylote +tylostylus +Tylostoma +Tylostomaceae +Tylosurus +tylotate +tylote +tylotic +tylotoxea +tylotoxeate +tylotus +tilpah +tils +Tilsit +Tilsiter +tilt +tiltable +tiltboard +tilt-boat +tilted +tilter +tilters +tilth +tilt-hammer +tilthead +tilths +tilty +tiltyard +tilt-yard +tiltyards +tilting +tiltlike +tiltmaker +tiltmaking +tiltmeter +Tilton +Tiltonsville +tilts +tiltup +tilt-up +tilture +tylus +Tim +Tima +timable +Timaeus +Timalia +Timaliidae +Timaliinae +timaliine +timaline +Timandra +Timani +timar +timarau +timaraus +timariot +timarri +Timaru +timaua +timawa +timazite +timbal +tymbal +timbale +timbales +tymbalon +timbals +tymbals +timbang +timbe +timber +timber-boring +timber-built +timber-carrying +timber-ceilinged +timber-covered +timber-cutting +timber-devouring +timberdoodle +timber-eating +timbered +timberer +timber-floating +timber-framed +timberhead +timber-headed +timber-hitch +timbery +timberyard +timber-yard +timbering +timberjack +timber-laden +timberland +timberlands +timberless +timberlike +timberline +timber-line +timber-lined +timberlines +timberling +timberman +timbermen +timbermonger +timbern +timber-producing +timber-propped +timbers +timber-skeletoned +timbersome +timber-strewn +timber-toed +timber-tree +timbertuned +Timberville +timberwood +timber-wood +timberwork +timber-work +timberwright +timbestere +Timbira +Timblin +Timbo +timbral +timbre +timbrel +timbreled +timbreler +timbrelled +timbreller +timbrels +timbres +timbrology +timbrologist +timbromania +timbromaniac +timbromanist +timbrophily +timbrophilic +timbrophilism +timbrophilist +Timbuktu +Time +timeable +time-authorized +time-ball +time-bargain +time-barred +time-battered +time-beguiling +time-bent +time-bettering +time-bewasted +timebinding +time-binding +time-blackened +time-blanched +time-born +time-bound +time-breaking +time-canceled +timecard +timecards +time-changed +time-cleft +time-consuming +timed +time-deluding +time-discolored +time-eaten +time-economizing +time-enduring +time-expired +time-exposure +timeful +timefully +timefulness +time-fused +time-gnawn +time-halting +time-hastening +time-honored +time-honoured +timekeep +timekeeper +time-keeper +timekeepers +timekeepership +timekeeping +time-killing +time-lag +time-lapse +time-lasting +timeless +timelessly +timelessness +timelessnesses +timely +Timelia +timelier +timeliest +Timeliidae +timeliine +timelily +time-limit +timeliness +timelinesses +timeling +time-marked +time-measuring +time-mellowed +timenoguy +time-noting +timeous +timeously +timeout +time-out +timeouts +timepiece +timepieces +timepleaser +time-pressed +timeproof +timer +timerau +time-rent +timerity +timers +time-rusty +times +Tymes +timesaver +time-saver +timesavers +timesaving +time-saving +timescale +time-scarred +time-served +timeserver +time-server +timeservers +timeserving +time-serving +timeservingness +timeshare +timeshares +timesharing +time-sharing +time-shrouded +time-space +time-spirit +timestamp +timestamps +timet +timetable +time-table +timetables +timetable's +timetaker +timetaking +time-taught +time-temperature +time-tested +time-tried +timetrp +timeward +time-wasted +time-wasting +time-wearied +Timewell +time-white +time-withered +timework +timeworker +timeworks +timeworn +time-worn +Timex +Timi +Timias +timid +timider +timidest +timidity +timidities +timidly +timidness +timidous +timing +timings +timish +Timisoara +timist +Timken +timmer +Timmi +Timmy +Timmie +Timmons +Timmonsville +Timms +Timnath +Timne +timo +Timocharis +timocracy +timocracies +timocratic +timocratical +Timofei +Timoleon +Timon +Tymon +timoneer +Timonian +Timonism +Timonist +Timonistic +Timonium +Timonize +Timor +Timorese +timoroso +timorous +timorously +timorousness +timorousnesses +timorousnous +timorsome +Timoshenko +Timote +Timotean +Timoteo +Timothea +Timothean +Timothee +Timotheus +Timothy +Tymothy +timothies +Timour +tymp +tympan +timpana +tympana +tympanal +tympanam +tympanectomy +timpani +tympani +tympany +tympanic +tympanichord +tympanichordal +tympanicity +tympanies +tympaniform +tympaning +tympanism +timpanist +tympanist +timpanists +tympanites +tympanitic +tympanitis +tympanize +timpano +tympano +tympano- +tympanocervical +Tympano-eustachian +tympanohyal +tympanomalleal +tympanomandibular +tympanomastoid +tympanomaxillary +tympanon +tympanoperiotic +tympanosis +tympanosquamosal +tympanostapedial +tympanotemporal +tympanotomy +tympans +Tympanuchus +timpanum +tympanum +timpanums +tympanums +Timpson +Timucua +Timucuan +Timuquan +Timuquanan +Timur +tim-whiskey +timwhisky +tin +TINA +tinage +tinaja +Tinamidae +tinamine +tinamou +tinamous +tinampipi +Tynan +Tinaret +tin-bearing +tinbergen +tin-bottomed +tin-bound +tin-bounder +tinc +tincal +tincals +tin-capped +tinchel +tinchill +tinclad +tin-colored +tin-covered +tinct +tinct. +tincted +tincting +tinction +tinctorial +tinctorially +tinctorious +tincts +tinctumutation +tincture +tinctured +tinctures +tincturing +tind +tynd +Tindal +Tindale +Tyndale +Tindall +Tyndall +Tyndallization +Tyndallize +tyndallmeter +tindalo +Tyndareos +Tyndareus +Tyndaridae +tinder +tinderbox +tinderboxes +tinder-cloaked +tinder-dry +tindered +tindery +tinderish +tinderlike +tinderous +tinders +Tine +Tyne +tinea +tineal +tinean +tin-eared +tineas +tined +tyned +tin-edged +tinegrass +tineid +Tineidae +tineids +Tineina +tineine +tineman +tinemen +Tynemouth +tineoid +Tineoidea +tineola +Tyner +tinerer +tines +tynes +Tyneside +tinetare +tinety +tineweed +tin-filled +tinfoil +tin-foil +tin-foiler +tinfoils +tinful +tinfuls +Ting +ting-a-ling +tinge +tinged +Tingey +tingeing +tingent +tinger +tinges +Tinggian +tingi +tingibility +tingible +tingid +Tingidae +tinging +Tingis +tingitid +Tingitidae +tinglass +tin-glass +tin-glazed +tingle +tingled +Tingley +tingler +tinglers +tingles +tingletangle +tingly +tinglier +tingliest +tingling +tinglingly +tinglish +tings +Tyngsboro +tingtang +tinguaite +tinguaitic +tinguy +Tinguian +tin-handled +tinhorn +tinhorns +tinhouse +Tini +Tiny +Tinia +Tinya +tinier +tiniest +tinily +tininess +tininesses +tining +tyning +tink +tink-a-tink +tinker +tinkerbird +tinkerdom +tinkered +tinkerer +tinkerers +tinkering +tinkerly +tinkerlike +tinkers +tinkershere +tinkershire +tinkershue +tinkerwise +tin-kettle +tin-kettler +tinkle +tinkled +tinkler +tinklerman +tinklers +tinkles +tinkle-tankle +tinkle-tankling +tinkly +tinklier +tinkliest +tinkling +tinklingly +tinklings +tinlet +tinlike +tin-lined +tin-mailed +tinman +tinmen +Tinne +tinned +tinnen +tinner +tinnery +tinners +tinnet +Tinni +tinny +Tinnie +tinnient +tinnier +tinniest +tinnified +tinnily +tinniness +tinning +tinnitus +tinnituses +tinnock +Tino +Tinoceras +tinoceratid +tin-opener +tinosa +tin-pan +tinplate +tin-plate +tin-plated +tinplates +tin-plating +tinpot +tin-pot +tin-pottery +tin-potty +tin-pottiness +tin-roofed +tins +tin's +tinsel +tinsel-bright +tinsel-clad +tinsel-covered +tinseled +tinsel-embroidered +tinseling +tinselled +tinselly +tinsellike +tinselling +tinselmaker +tinselmaking +tinsel-paned +tinselry +tinsels +tinsel-slippered +tinselweaver +tinselwork +tinsy +Tinsley +tinsman +tinsmen +tinsmith +tinsmithy +tinsmithing +tinsmiths +tinstone +tin-stone +tinstones +tinstuff +tint +tinta +tin-tabled +tintack +tin-tack +tintage +Tintah +tintamar +tintamarre +tintarron +tinted +tinter +tinternell +tinters +tinty +tintie +tintiness +tinting +tintingly +tintings +tintinnabula +tintinnabulant +tintinnabular +tintinnabulary +tintinnabulate +tintinnabulation +tintinnabulations +tintinnabulatory +tintinnabulism +tintinnabulist +tintinnabulous +tintinnabulum +tintype +tin-type +tintyper +tintypes +tintist +tintless +tintlessness +tintometer +tintometry +tintometric +Tintoretto +tints +tinwald +Tynwald +tinware +tinwares +tin-whistle +tin-white +tinwoman +tinwork +tinworker +tinworking +tinworks +tinzenite +Tioga +tion +Tiona +Tionesta +Tionontates +Tionontati +Tiossem +Tiou +tious +TIP +typ +tip- +typ. +typable +typal +tip-and-run +typarchical +tipburn +tipcart +tipcarts +tipcat +tip-cat +tipcats +tip-crowning +tip-curled +tipe +type +typeable +tip-eared +typebar +typebars +type-blackened +typecase +typecases +typecast +type-cast +type-caster +typecasting +type-casting +typecasts +type-cutting +typed +type-distributing +type-dressing +Typees +typeface +typefaces +typeform +typefounder +typefounders +typefounding +typefoundry +typehead +type-high +typeholder +typey +typeless +typeout +typer +types +type's +typescript +typescripts +typeset +typeseting +typesets +typesetter +typesetters +typesetting +typesof +typewrite +typewrited +Typewriter +typewriters +typewriter's +typewrites +typewriting +typewritten +typewrote +tip-finger +tipful +Typha +Typhaceae +typhaceous +typhaemia +Tiphane +Tiphani +Tiphany +Tiphanie +tiphead +typhemia +Tiphia +typhia +typhic +Tiphiidae +typhinia +typhization +typhlatony +typhlatonia +typhlectasis +typhlectomy +typhlenteritis +typhlitic +typhlitis +typhlo- +typhloalbuminuria +typhlocele +typhloempyema +typhloenteritis +typhlohepatitis +typhlolexia +typhlolithiasis +typhlology +typhlologies +typhlomegaly +Typhlomolge +typhlon +typhlopexy +typhlopexia +typhlophile +typhlopid +Typhlopidae +Typhlops +typhloptosis +typhlosis +typhlosolar +typhlosole +typhlostenosis +typhlostomy +typhlotomy +typhlo-ureterostomy +typho- +typhoaemia +typhobacillosis +Typhoean +typhoemia +Typhoeus +typhogenic +typhoid +typhoidal +typhoidin +typhoidlike +typhoids +typholysin +typhomalaria +typhomalarial +typhomania +Typhon +typhonia +Typhonian +Typhonic +typhons +typhoon +typhoonish +typhoons +typhopneumonia +typhose +typhosepsis +typhosis +typhotoxine +typhous +Typhula +typhus +typhuses +tipi +typy +typic +typica +typical +typicality +typically +typicalness +typicalnesses +typicon +typicum +typier +typiest +typify +typification +typified +typifier +typifiers +typifies +typifying +typika +typikon +typikons +tip-in +typing +tipis +typist +typists +typist's +tipit +tipiti +tiple +Tiplersville +tipless +tiplet +tipman +tipmen +tipmost +typo +typo- +typobar +typocosmy +tipoff +tip-off +tipoffs +typograph +typographer +typographers +typography +typographia +typographic +typographical +typographically +typographies +typographist +typolithography +typolithographic +typology +typologic +typological +typologically +typologies +typologist +typomania +typometry +tip-on +tiponi +typonym +typonymal +typonymic +typonymous +typophile +typorama +typos +typoscript +typotelegraph +typotelegraphy +typothere +Typotheria +Typotheriidae +typothetae +typp +tippable +tippa-malku +Tippecanoe +tipped +tippee +tipper +Tipperary +tipper-off +tippers +tipper's +tippet +Tippets +tippet-scuffle +Tippett +tippy +tippier +tippiest +tipping +tippytoe +tipple +tippled +tippleman +tippler +tipplers +tipples +tipply +tippling +tippling-house +Tippo +tipproof +typps +tipree +Tips +tip's +tipsy +tipsy-cake +tipsier +tipsiest +tipsify +tipsification +tipsifier +tipsily +tipsiness +tipsy-topsy +tipstaff +tipstaffs +tipstaves +tipster +tipsters +tipstock +tipstocks +tiptail +tip-tap +tipteerer +tiptilt +tip-tilted +tiptoe +tiptoed +tiptoeing +tiptoeingly +tiptoes +tiptoing +typtology +typtological +typtologist +Tipton +Tiptonville +tiptop +tip-top +tiptopness +tiptopper +tiptoppish +tiptoppishness +tiptops +tiptopsome +Tipula +Tipularia +tipulid +Tipulidae +tipuloid +Tipuloidea +tipup +tip-up +Tipura +typw +typw. +tiqueur +Tyr +Tyra +tirade +tirades +tirage +tirailleur +tiralee +tyramin +tyramine +tyramines +Tiran +Tirana +tyranness +Tyranni +tyranny +tyrannial +tyrannic +tyrannical +tyrannically +tyrannicalness +tyrannicidal +tyrannicide +tyrannicly +Tyrannidae +Tyrannides +tyrannies +Tyranninae +tyrannine +tyrannis +tyrannise +tyrannised +tyranniser +tyrannising +tyrannisingly +tyrannism +tyrannize +tyrannized +tyrannizer +tyrannizers +tyrannizes +tyrannizing +tyrannizingly +tyrannoid +tyrannophobia +tyrannosaur +tyrannosaurs +Tyrannosaurus +tyrannosauruses +tyrannous +tyrannously +tyrannousness +Tyrannus +tyrant +tyrant-bought +tyrantcraft +tyrant-hating +tyrantlike +tyrant-quelling +tyrant-ridden +tyrants +tyrant's +tyrant-scourging +tyrantship +tyrasole +tirasse +tiraz +tire +Tyre +tire-bending +tire-changing +tired +tyred +tired-armed +tired-eyed +tireder +tiredest +tired-faced +tired-headed +tiredly +tired-looking +tiredness +tiredom +tired-winged +Tyree +tire-filling +tire-heating +tirehouse +tire-inflating +tireless +tirelessly +tirelessness +tireling +tiremaid +tiremaker +tiremaking +tireman +tiremen +tirement +tyremesis +tire-mile +tirer +tireroom +tires +tyres +Tiresias +tiresmith +tiresol +tiresome +tiresomely +tiresomeness +tiresomenesses +tiresomeweed +tirewoman +tire-woman +tirewomen +Tirhutia +Tyrian +tyriasis +tiriba +tiring +tyring +tiring-house +tiring-irons +tiringly +tiring-room +TIRKS +tirl +tirled +tirlie-wirlie +tirling +tirly-toy +tirls +tirma +Tir-na-n'Og +Tiro +Tyro +tyrocidin +tyrocidine +tirocinia +tirocinium +tyroglyphid +Tyroglyphidae +Tyroglyphus +tyroid +Tirol +Tyrol +Tirolean +Tyrolean +Tirolese +Tyrolese +Tyrolienne +Tyroliennes +tyrolite +tyrology +tyroma +tyromancy +tyromas +tyromata +tyromatous +Tyrone +Tironian +tyronic +tyronism +Tyronza +TIROS +tyros +tyrosyl +tyrosinase +tyrosine +tyrosines +tyrosinuria +tyrothricin +tyrotoxicon +tyrotoxine +Tirpitz +tirr +Tyrr +tirracke +tirralirra +tirra-lirra +Tirrell +Tyrrell +tirret +Tyrrhene +Tyrrheni +Tyrrhenian +Tyrrhenum +Tyrrheus +Tyrrhus +Tirribi +tirrit +tirrivee +tirrivees +tirrivie +tirrlie +tirrwirr +Tyrsenoi +tirshatha +Tyrtaean +Tyrtaeus +Tirthankara +Tiruchirapalli +Tirunelveli +Tirurai +Tyrus +tirve +tirwit +Tirza +Tirzah +tis +'tis +Tisa +tisane +tisanes +tisar +Tisbe +Tisbee +Tischendorf +Tisdale +Tiselius +Tish +Tisha +tishah-b'ab +Tishiya +Tishomingo +Tishri +tisic +Tisiphone +Tiskilwa +Tisman +Tyson +tysonite +Tisserand +Tissot +tissu +tissual +tissue +tissue-building +tissue-changing +tissued +tissue-destroying +tissue-forming +tissuey +tissueless +tissuelike +tissue-paper +tissue-producing +tissues +tissue's +tissue-secreting +tissuing +tissular +tisswood +tyste +tystie +tisty-tosty +tiswin +Tisza +Tit +tyt +Tit. +Tita +Titan +titan- +titanate +titanates +titanaugite +Titanesque +Titaness +titanesses +Titania +Titanian +titanias +Titanic +Titanical +Titanically +Titanichthyidae +Titanichthys +titaniferous +titanifluoride +titanyl +Titanism +titanisms +titanite +titanites +titanitic +titanium +titaniums +Titanlike +titano +titano- +titanocyanide +titanocolumbate +titanofluoride +Titanolater +Titanolatry +Titanomachy +Titanomachia +titanomagnetite +titanoniobate +titanosaur +Titanosaurus +titanosilicate +titanothere +Titanotheridae +Titanotherium +titanous +titans +titar +titbit +tit-bit +titbits +titbitty +tite +titer +titeration +titers +titfer +titfers +titfish +tithable +tithal +tithe +tythe +tithebook +tithe-collecting +tithed +tythed +tithe-free +titheless +tithemonger +tithepayer +tithe-paying +tither +titheright +tithers +tithes +tythes +tithymal +Tithymalopsis +Tithymalus +tithing +tything +tithingman +tithing-man +tithingmen +tithingpenny +tithings +tithonia +tithonias +tithonic +tithonicity +tithonographic +tithonometer +Tithonus +titi +Tyty +Titian +Titianesque +Titian-haired +Titianic +Titian-red +titians +Titicaca +titien +Tities +titilate +titillability +titillant +titillate +titillated +titillater +titillates +titillating +titillatingly +titillation +titillations +titillative +titillator +titillatory +Tityre-tu +titis +Tityus +titivate +titivated +titivates +titivating +titivation +titivator +titivil +titiviller +titlark +titlarks +title +title-bearing +titleboard +titled +title-deed +titledom +titleholder +title-holding +title-hunting +titleless +title-mad +titlene +title-page +titleproof +titler +titles +title-seeking +titleship +title-winning +titlike +titling +titlist +titlists +titmal +titmall +titman +Titmarsh +Titmarshian +titmen +titmice +titmmice +titmouse +Tito +Tyto +Titograd +Titoism +Titoist +titoki +Tytonidae +Titonka +Titos +titrable +titrant +titrants +titratable +titrate +titrated +titrates +titrating +titration +titrator +titrators +titre +titres +titrimetry +titrimetric +titrimetrically +tits +tit-tat-toe +titter +titteration +tittered +titterel +titterer +titterers +tittery +tittering +titteringly +titters +titter-totter +titty +tittie +titties +tittymouse +tittivate +tittivated +tittivating +tittivation +tittivator +tittle +tittlebat +tittler +tittles +tittle-tattle +tittle-tattled +tittle-tattler +tittle-tattling +tittlin +tittup +tittuped +tittupy +tittuping +tittupped +tittuppy +tittupping +tittups +titubancy +titubant +titubantly +titubate +titubation +titulado +titular +titulary +titularies +titularity +titularly +titulars +titulation +titule +tituli +titulus +tit-up +Titurel +Titus +Titusville +Tiu +tyum +Tyumen +Tiv +tiver +Tiverton +tivy +Tivoli +Tiw +Tiwaz +tiza +Tizes +tizeur +Tyzine +tizwin +tiz-woz +tizzy +tizzies +Tjaden +Tjader +tjaele +tjandi +tjanting +tjenkal +tji +Tjirebon +Tjon +tjosite +T-junction +tjurunga +tk +TKO +tkt +TL +TLA +tlaco +Tlakluit +Tlapallan +Tlascalan +Tlaxcala +TLB +TLC +Tlemcen +Tlemsen +Tlepolemus +Tletski +TLI +Tlingit +Tlingits +Tlinkit +Tlinkits +TLM +TLN +tlo +TLP +tlr +TLTP +TLV +TM +TMA +TMAC +T-man +TMDF +tmema +tmemata +T-men +tmeses +Tmesipteris +tmesis +tmh +TMIS +TMMS +TMO +TMP +TMR +TMRC +TMRS +TMS +TMSC +TMV +TN +TNB +TNC +TNDS +Tng +TNN +TNOP +TNPC +tnpk +TNT +T-number +TO +to +to- +toa +Toaalta +Toabaja +toad +toadback +toad-bellied +toad-blind +toadeat +toad-eat +toadeater +toad-eater +toadeating +toader +toadery +toadess +toadfish +toad-fish +toadfishes +toadflax +toad-flax +toadflaxes +toadflower +toad-frog +toad-green +toad-hating +toadhead +toad-housing +toady +toadied +toadier +toadies +toadying +toadyish +toadyism +toadyisms +toad-in-the-hole +toadish +toadyship +toadishness +toad-legged +toadless +toadlet +toadlike +toadlikeness +toadling +toadpipe +toadpipes +toadroot +toads +toad's +toad-shaped +toadship +toad's-mouth +toad-spotted +toadstone +toadstool +toadstoollike +toadstools +toad-swollen +toadwise +Toag +to-and-fro +to-and-fros +to-and-ko +Toano +toarcian +to-arrive +toast +toastable +toast-brown +toasted +toastee +toaster +toasters +toasty +toastier +toastiest +toastiness +toasting +toastmaster +toastmastery +toastmasters +toastmistress +toastmistresses +toasts +toat +toatoa +Tob +Tob. +Toba +tobacco +tobacco-abusing +tobacco-box +tobacco-breathed +tobaccoes +tobaccofied +tobacco-growing +tobaccoy +tobaccoism +tobaccoite +tobaccoless +tobaccolike +tobaccoman +tobaccomen +tobacconalian +tobacconing +tobacconist +tobacconistical +tobacconists +tobacconize +tobaccophil +tobacco-pipe +tobacco-plant +tobaccoroot +tobaccos +tobacco-sick +tobaccosim +tobacco-smoking +tobacco-stained +tobacco-stemming +Tobaccoville +tobaccoweed +tobaccowood +Toback +Tobago +Tobe +to-be +Tobey +Tobi +Toby +Tobiah +Tobias +Tobie +Tobye +Tobies +Tobyhanna +Toby-jug +Tobikhar +tobyman +tobymen +Tobin +tobine +Tobinsport +tobira +tobys +Tobit +toboggan +tobogganed +tobogganeer +tobogganer +tobogganing +tobogganist +tobogganists +toboggans +Tobol +Tobolsk +to-break +Tobruk +to-burst +TOC +tocalote +Tocantins +toccata +toccatas +toccate +toccatina +Tocci +Toccoa +Toccopola +toch +Tocharese +Tocharian +Tocharic +Tocharish +tocher +tochered +tochering +tocherless +tochers +tock +toco +toco- +Tocobaga +tocodynamometer +tocogenetic +tocogony +tocokinin +tocology +tocological +tocologies +tocologist +tocome +tocometer +tocopherol +tocophobia +tocororo +Tocsin +tocsins +toc-toc +tocusso +TOD +TO'd +Toda +today +to-day +todayish +todayll +today'll +todays +Todd +todder +Toddy +toddick +Toddie +toddies +toddyize +toddyman +toddymen +toddite +toddle +toddled +toddlekins +toddler +toddlers +toddles +toddling +Toddville +tode +Todea +todelike +Todhunter +tody +Todidae +todies +todlowrie +to-do +to-dos +to-draw +to-drive +TODS +Todt +Todus +toe +toea +toeboard +toecap +toecapped +toecaps +toed +toe-dance +toe-danced +toe-dancing +toe-drop +TOEFL +toehold +toeholds +toey +toe-in +toeing +toeless +toelike +toellite +toe-mark +toenail +toenailed +toenailing +toenails +toepiece +toepieces +toeplate +toeplates +toe-punch +toerless +toernebohmite +toes +toe's +toeshoe +toeshoes +toetoe +to-fall +toff +toffee +toffee-apple +toffeeman +toffee-nosed +toffees +Toffey +toffy +Toffic +toffies +toffyman +toffymen +toffing +toffish +toffs +Tofieldia +tofile +tofore +toforn +Toft +Tofte +tofter +toftman +toftmen +tofts +toftstead +tofu +tofus +tog +toga +togae +togaed +togalike +togas +togata +togate +togated +togawise +toged +togeman +together +togetherhood +togetheriness +togetherness +togethernesses +togethers +togged +toggel +togger +toggery +toggeries +togging +toggle +toggled +toggle-jointed +toggler +togglers +toggles +toggling +togless +Togliatti +Togo +Togoland +Togolander +Togolese +togs +togt +togt-rider +togt-riding +togue +togues +Toh +Tohatchi +toher +toheroa +toho +Tohome +tohubohu +tohu-bohu +tohunga +toi +TOY +Toyah +Toyahvale +Toyama +Toiboid +toydom +Toye +to-year +toyed +toyer +toyers +toyful +toyfulness +toyhouse +toying +toyingly +toyish +toyishly +toyishness +toil +toyland +toil-assuaging +toil-beaten +toil-bent +toile +toiled +toiler +toilers +toiles +toyless +toilet +toileted +toileting +toiletry +toiletries +toilets +toilet's +toilette +toiletted +toilettes +toiletware +toil-exhausted +toilful +toilfully +toil-hardened +toylike +toilinet +toilinette +toiling +toilingly +toilless +toillessness +toil-marred +toil-oppressed +toy-loving +toils +toilsome +toilsomely +toilsomeness +toil-stained +toil-stricken +toil-tried +toil-weary +toil-won +toilworn +toil-worn +toymaker +toymaking +toyman +toymen +Toynbee +Toinette +toyo +Toyohiko +toyon +toyons +toyos +Toyota +toyotas +Toyotomi +toys +toise +toisech +toised +toyshop +toy-shop +toyshops +toising +toy-sized +toysome +toison +toist +toit +toited +toity +toiting +toitish +toitoi +toytown +toits +toivel +Toivola +toywoman +toywort +Tojo +Tokay +tokays +tokamak +tokamaks +toke +toked +Tokeland +Tokelau +token +tokened +tokening +tokenism +tokenisms +tokenize +tokenless +token-money +tokens +token's +tokenworth +toker +tokers +tokes +Tokharian +toking +Tokio +Tokyo +Tokyoite +tokyoites +Toklas +toko +tokodynamometer +tokology +tokologies +tokoloshe +tokomak +tokomaks +tokonoma +tokonomas +tokopat +toktokje +tok-tokkie +Tokugawa +Tol +tol- +tola +tolamine +tolan +Toland +tolane +tolanes +tolans +Tolar +tolas +Tolbert +tolbooth +tolbooths +tolbutamide +told +tolderia +tol-de-rol +toldo +tole +toled +Toledan +Toledo +Toledoan +toledos +Toler +tolerability +tolerable +tolerableness +tolerably +tolerablish +tolerance +tolerances +tolerancy +tolerant +tolerantism +tolerantly +tolerate +tolerated +tolerates +tolerating +toleration +tolerationism +tolerationist +tolerations +tolerative +tolerator +tolerators +tolerism +toles +Toletan +toleware +tolfraedic +tolguacha +Tolyatti +tolidin +tolidine +tolidines +tolidins +tolyl +tolylene +tolylenediamine +tolyls +Tolima +toling +tolipane +Tolypeutes +tolypeutine +tolite +Tolkan +Toll +tollable +tollage +tollages +Tolland +tollbar +tollbars +tollbook +toll-book +tollbooth +tollbooths +toll-dish +tolled +tollefsen +Tolley +tollent +Toller +tollery +tollers +Tollesboro +Tolleson +toll-free +tollgate +tollgates +tollgatherer +toll-gatherer +tollhall +tollhouse +toll-house +tollhouses +tolly +tollies +tolliker +tolling +Tolliver +tollkeeper +Tollman +Tollmann +tollmaster +tollmen +tol-lol +tol-lol-de-rol +tol-lol-ish +tollon +tollpenny +tolls +tolltaker +tollway +tollways +Tolmach +Tolman +Tolmann +tolmen +Tolna +Tolono +Tolowa +tolpatch +tolpatchery +tolsey +tolsel +tolsester +Tolstoy +Tolstoyan +Tolstoyism +Tolstoyist +tolt +Toltec +Toltecan +Toltecs +tolter +Tolu +tolu- +tolualdehyde +toluate +toluates +Toluca +toluene +toluenes +toluic +toluid +toluide +toluides +toluidide +toluidin +toluidine +toluidino +toluidins +toluido +toluids +Toluifera +toluyl +toluylene +toluylenediamine +toluylic +toluyls +Tolumnius +tolunitrile +toluol +toluole +toluoles +toluols +toluquinaldine +tolus +tolusafranine +tolutation +tolzey +Tom +Toma +Tomah +Tomahawk +tomahawked +tomahawker +tomahawking +tomahawks +tomahawk's +Tomales +tomalley +tomalleys +toman +tomand +Tom-and-jerry +Tom-and-jerryism +tomans +Tomas +Tomasina +Tomasine +Tomaso +Tomasz +tomatillo +tomatilloes +tomatillos +tomato +tomato-colored +tomatoey +tomatoes +tomato-growing +tomato-leaf +tomato-washing +tom-ax +tomb +tombac +tomback +tombacks +tombacs +tombak +tombaks +tombal +Tombalbaye +Tomball +Tombaugh +tomb-bat +tomb-black +tomb-breaker +tomb-dwelling +tombe +Tombean +tombed +tombic +Tombigbee +tombing +tombless +tomblet +tomblike +tomb-making +tomboy +tomboyful +tomboyish +tomboyishly +tomboyishness +tomboyism +tomboys +tombola +tombolas +tombolo +tombolos +Tombouctou +tomb-paved +tomb-robbing +tombs +tomb's +tombstone +tombstones +tomb-strewn +tomcat +tomcats +tomcatted +tomcatting +Tomchay +tomcod +tom-cod +tomcods +Tom-come-tickle-me +tome +tomeful +tomelet +toment +tomenta +tomentose +tomentous +tomentulose +tomentum +tomes +tomfool +tom-fool +tomfoolery +tomfooleries +tomfoolish +tomfoolishness +tomfools +Tomi +tomy +tomia +tomial +tomin +tomines +tomish +Tomistoma +tomium +tomiumia +tomjohn +tomjon +Tomkiel +Tomkin +Tomkins +Tomlin +Tomlinson +Tommaso +Tomme +tommed +Tommer +Tommi +Tommy +tommy-axe +tommybag +tommycod +Tommie +Tommye +tommies +tommy-gun +Tomming +tommyrot +tommyrots +tomnoddy +tom-noddy +tomnorry +tomnoup +tomogram +tomograms +tomograph +tomography +tomographic +tomographies +Tomoyuki +tomolo +tomomania +Tomonaga +Tomopteridae +Tomopteris +tomorn +to-morn +tomorrow +to-morrow +tomorrower +tomorrowing +tomorrowness +tomorrows +tomosis +Tompion +tompions +tompiper +Tompkins +Tompkinsville +tompon +tomrig +TOMS +Tomsbrook +Tomsk +tomtate +tomtit +tom-tit +Tomtitmouse +tomtits +tom-toe +tom-tom +tom-trot +ton +tonada +tonal +tonalamatl +Tonalea +tonalist +tonalite +tonality +tonalities +tonalitive +tonally +tonalmatl +to-name +tonant +Tonasket +tonation +Tonawanda +Tonbridge +tondi +tondino +tondo +tondos +tone +tonearm +tonearms +toned +tone-deaf +tonedeafness +tone-full +Toney +tonelada +toneladas +toneless +tonelessly +tonelessness +toneme +tonemes +tonemic +tone-producing +toneproof +toner +toners +tones +tone-setter +tonetic +tonetically +tonetician +tonetics +tonette +tonettes +tone-up +ton-foot +ton-force +tong +Tonga +Tongan +Tonganoxie +Tongas +tonged +tonger +tongers +tonging +tongkang +Tongking +tongman +tongmen +Tongrian +tongs +tongsman +tongsmen +Tongue +tongue-back +tongue-baited +tongue-bang +tonguebird +tongue-bitten +tongue-blade +tongue-bound +tonguecraft +tongued +tonguedoughty +tongue-dumb +tonguefence +tonguefencer +tonguefish +tonguefishes +tongueflower +tongue-flowered +tongue-free +tongue-front +tongueful +tonguefuls +tongue-garbled +tongue-gilt +tongue-graft +tongue-haltered +tongue-hammer +tonguey +tongue-jangling +tongue-kill +tongue-lash +tongue-lashing +tongue-leaved +tongueless +tonguelessness +tonguelet +tonguelike +tongue-lolling +tongueman +tonguemanship +tonguemen +tongue-murdering +tongue-pad +tongueplay +tongue-point +tongueproof +tongue-puissant +tonguer +tongues +tongue-shaped +tongueshot +tonguesman +tonguesore +tonguester +tongue-tack +tongue-taming +tongue-taw +tongue-tie +tongue-tied +tongue-tier +tonguetip +tongue-valiant +tongue-wagging +tongue-walk +tongue-wanton +tonguy +tonguiness +tonguing +tonguings +Toni +Tony +tonia +Tonya +tonic +Tonica +tonical +tonically +tonicity +tonicities +tonicize +tonicked +tonicking +tonicobalsamic +tonicoclonic +tonicostimulant +tonics +tonic's +Tonie +Tonye +tonier +Tonies +toniest +tonify +tonight +to-night +tonights +tonyhoop +Tonikan +Tonina +toning +tonish +tonishly +tonishness +tonite +tonitrocirrus +tonitrophobia +tonitrual +tonitruant +tonitruone +tonitruous +Tonjes +tonjon +tonk +tonka +Tonkawa +Tonkawan +ton-kilometer +Tonkin +Tonkinese +Tonking +Tonl +tonlet +tonlets +ton-mile +ton-mileage +tonn +Tonna +tonnage +tonnages +tonne +tonneau +tonneaued +tonneaus +tonneaux +tonnelle +tonner +tonners +tonnes +Tonneson +Tonnie +Tonnies +tonnish +tonnishly +tonnishness +tonnland +tono- +tonoclonic +tonogram +tonograph +tonology +tonological +tonometer +tonometry +tonometric +Tonopah +tonophant +tonoplast +tonoscope +tonotactic +tonotaxis +tonous +Tonry +tons +ton's +tonsbergite +tonsil +tonsilar +tonsile +tonsilectomy +tonsilitic +tonsilitis +tonsill- +tonsillar +tonsillary +tonsillectome +tonsillectomy +tonsillectomic +tonsillectomies +tonsillectomize +tonsillith +tonsillitic +tonsillitis +tonsillitises +tonsillolith +tonsillotome +tonsillotomy +tonsillotomies +tonsilomycosis +tonsils +tonsor +tonsorial +tonsurate +tonsure +tonsured +tonsures +tonsuring +tontine +tontiner +tontines +Tontitown +Tonto +Tontobasin +Tontogany +ton-up +tonus +tonuses +too +too-aged +too-anxious +tooart +too-big +too-bigness +too-bold +too-celebrated +too-coy +too-confident +too-dainty +too-devoted +toodle +toodleloodle +toodle-oo +too-early +too-earnest +Tooele +too-familiar +too-fervent +too-forced +Toogood +too-good +too-hectic +too-young +TOOIS +took +Tooke +tooken +tool +toolach +too-large +too-late +too-lateness +too-laudatory +toolbox +toolboxes +toolbuilder +toolbuilding +tool-cleaning +tool-cutting +tool-dresser +tool-dressing +Toole +tooled +Tooley +tooler +toolers +toolhead +toolheads +toolholder +toolholding +toolhouse +tooling +toolings +Toolis +toolkit +toolless +toolmake +toolmaker +tool-maker +toolmakers +toolmaking +toolman +toolmark +toolmarking +toolmen +too-long +toolplate +toolroom +toolrooms +tools +toolsetter +tool-sharpening +toolshed +toolsheds +toolsi +toolsy +toolslide +toolsmith +toolstock +toolstone +tool-using +toom +Toomay +Toombs +Toomin +toomly +Toomsboro +Toomsuba +too-much +too-muchness +toon +Toona +Toone +too-near +toons +toonwood +too-old +toop +too-patient +too-piercing +too-proud +Toor +toorie +too-ripe +toorock +tooroo +toosh +too-short +toosie +too-soon +too-soonness +toot +tooted +tooter +tooters +tooth +toothache +toothaches +toothachy +toothaching +toothbill +tooth-billed +tooth-bred +toothbrush +tooth-brush +toothbrushes +toothbrushy +toothbrushing +toothbrush's +tooth-chattering +toothchiseled +toothcomb +toothcup +toothdrawer +tooth-drawer +toothdrawing +toothed +toothed-billed +toother +tooth-extracting +toothflower +toothful +toothy +toothier +toothiest +toothily +toothill +toothing +toothy-peg +tooth-leaved +toothless +toothlessly +toothlessness +toothlet +toothleted +toothlike +tooth-marked +toothpaste +toothpastes +toothpick +toothpicks +toothpick's +toothplate +toothpowder +toothproof +tooth-pulling +tooth-rounding +tooths +tooth-set +tooth-setting +tooth-shaped +toothshell +tooth-shell +toothsome +toothsomely +toothsomeness +toothstick +tooth-tempting +toothwash +tooth-winged +toothwork +toothwort +too-timely +tooting +tootinghole +tootle +tootled +tootler +tootlers +tootles +tootling +tootlish +tootmoot +too-too +too-trusting +toots +tootses +tootsy +Tootsie +tootsies +tootsy-wootsy +tootsy-wootsies +too-willing +too-wise +Toowoomba +toozle +toozoo +TOP +top- +topaesthesia +topalgia +Topanga +toparch +toparchy +toparchia +toparchiae +toparchical +toparchies +top-armor +topas +topass +topato +Topatopa +topau +Topawa +topaz +topaz-colored +Topaze +topazes +topazfels +topaz-green +topazy +topaz-yellow +topazine +topazite +topazolite +topaz-tailed +topaz-throated +topaz-tinted +top-boot +topcap +top-cap +topcast +topcastle +top-castle +topchrome +topcoat +top-coated +topcoating +topcoats +topcross +top-cross +topcrosses +top-cutter +top-dog +top-drain +top-drawer +topdress +top-dress +topdressing +top-dressing +tope +topechee +topectomy +topectomies +toped +topee +topees +topeewallah +Topeka +Topelius +topeng +topepo +toper +toperdom +topers +toper's-plant +topes +topesthesia +topfilled +topflight +top-flight +topflighter +topful +topfull +top-full +topgallant +top-graft +toph +tophaceous +tophaike +tophamper +top-hamper +top-hampered +top-hand +top-hat +top-hatted +tophe +top-heavy +top-heavily +top-heaviness +tophes +Tophet +Topheth +tophetic +tophetical +tophetize +tophi +tophyperidrosis +top-hole +tophous +tophphi +tophs +tophus +topi +topia +topiary +topiaria +topiarian +topiaries +topiarist +topiarius +topic +topical +topicality +topicalities +topically +TOPICS +topic's +Topinabee +topinambou +toping +Topinish +topis +topiwala +Top-kapu +topkick +topkicks +topknot +topknots +topknotted +TOPLAS +topless +toplessness +top-level +Topliffe +toplighted +toplike +topline +topliner +top-lit +toplofty +toploftical +toploftier +toploftiest +toploftily +toploftiness +topmaker +topmaking +topman +topmast +topmasts +topmaul +topmen +topminnow +topminnows +topmost +topmostly +topnet +topnotch +top-notch +topnotcher +topo +topo- +topoalgia +topocentric +topochemical +topochemistry +Topock +topodeme +topog +topog. +topognosia +topognosis +topograph +topographer +topographers +topography +topographic +topographical +topographically +topographico-mythical +topographics +topographies +topographist +topographize +topographometric +topoi +topolatry +topology +topologic +topological +topologically +topologies +topologist +topologize +toponarcosis +Toponas +toponeural +toponeurosis +toponym +toponymal +toponymy +toponymic +toponymical +toponymics +toponymies +toponymist +toponymous +toponyms +topophobia +topophone +topopolitan +topos +topotactic +topotaxis +topotype +topotypes +topotypic +topotypical +top-over-tail +topped +Toppenish +Topper +toppers +toppy +toppiece +top-piece +Topping +toppingly +toppingness +topping-off +toppings +topple +toppled +toppler +topples +topply +toppling +toprail +top-rank +top-ranking +toprope +TOPS +topsail +topsailite +topsails +topsail-tye +top-sawyer +top-secret +top-set +top-sew +Topsfield +Topsham +top-shaped +top-shell +Topsy +topside +topsider +topsiders +topsides +Topsy-fashion +topsyturn +topsy-turn +topsy-turnness +topsy-turvy +topsy-turvical +topsy-turvydom +topsy-turvies +topsy-turvify +topsy-turvification +topsy-turvifier +topsy-turvyhood +topsy-turvyism +topsy-turvyist +topsy-turvyize +topsy-turvily +topsyturviness +topsy-turviness +topsl +topsman +topsmelt +topsmelts +topsmen +topsoil +topsoiled +topsoiling +topsoils +topspin +topspins +topssmelt +topstitch +topstone +top-stone +topstones +topswarm +toptail +top-timber +Topton +topwise +topwork +top-work +topworked +topworking +topworks +toque +Toquerville +toques +toquet +toquets +toquilla +Tor +Tora +Torah +torahs +Toraja +toral +toran +torana +toras +Torbay +torbanite +torbanitic +Torbart +torbernite +Torbert +torc +torcel +torch +torchbearer +torch-bearer +torchbearers +torchbearing +torched +torcher +torchere +torcheres +torches +torchet +torch-fish +torchy +torchier +torchiers +torchiest +torching +torchless +torchlight +torch-light +torchlighted +torchlights +torchlike +torchlit +torchman +torchon +torchons +torch's +torchweed +torchwood +torch-wood +torchwort +torcs +torcular +torculus +Tordesillas +tordion +tordrillite +Tore +toreador +toreadors +tored +Torey +Torelli +to-rend +Torenia +torero +toreros +TORES +toret +toreumatography +toreumatology +toreutic +toreutics +torfaceous +torfel +torfle +torgoch +Torgot +Torhert +Tori +Tory +toric +Torydom +Torie +Tories +Toryess +Toriest +Toryfy +Toryfication +Torified +to-rights +Tory-hating +toryhillite +torii +Tory-irish +Toryish +Toryism +Toryistic +Toryize +Tory-leaning +Torilis +Torin +Torinese +Toriness +Torino +Tory-radical +Tory-ridden +tory-rory +Toryship +Tory-voiced +toryweed +torma +tormae +tormen +torment +tormenta +tormentable +tormentation +tormentative +tormented +tormentedly +tormenter +tormenters +tormentful +tormentil +tormentilla +tormenting +tormentingly +tormentingness +tormentive +tormentor +tormentors +tormentous +tormentress +tormentry +torments +tormentum +tormina +torminal +torminous +tormodont +Tormoria +torn +tornachile +tornada +tornade +tornadic +tornado +tornado-breeding +tornadoes +tornadoesque +tornado-haunted +tornadolike +tornadoproof +tornados +tornado-swept +tornal +tornaria +tornariae +tornarian +tornarias +torn-down +torney +tornese +tornesi +tornilla +Tornillo +tornillos +Tornit +tornote +tornus +toro +toroid +toroidal +toroidally +toroids +torolillo +Toromona +toronja +Toronto +Torontonian +tororokombu +tororo-konbu +tororo-kubu +toros +Torosaurus +torose +Torosian +torosity +torosities +torot +toroth +torotoro +torous +Torp +torpedineer +Torpedinidae +torpedinous +torpedo +torpedo-boat +torpedoed +torpedoer +torpedoes +torpedoing +torpedoist +torpedolike +torpedoman +torpedomen +torpedoplane +torpedoproof +torpedos +torpedo-shaped +torpent +torpescence +torpescent +torpex +torpid +torpidity +torpidities +torpidly +torpidness +torpids +torpify +torpified +torpifying +torpitude +torpor +torporific +torporize +torpors +Torquay +torquate +torquated +Torquato +torque +torqued +Torquemada +torquer +torquers +torques +torqueses +torquing +Torr +Torray +Torrance +Torras +Torre +torrefacation +torrefaction +torrefy +torrefication +torrefied +torrefies +torrefying +Torrey +Torreya +Torrell +Torrence +Torrens +torrent +torrent-bitten +torrent-borne +torrent-braving +torrent-flooded +torrentful +torrentfulness +torrential +torrentiality +torrentially +torrentine +torrentless +torrentlike +torrent-mad +torrents +torrent's +torrent-swept +torrentuous +torrentwise +Torreon +Torres +torret +Torry +Torricelli +Torricellian +torrid +torrider +torridest +torridity +torridly +torridness +Torridonian +Torrie +torrify +torrified +torrifies +torrifying +Torrin +Torrington +Torrlow +torrone +Torrubia +Torruella +tors +torsade +torsades +torsalo +torse +torsel +torses +torsi +torsibility +torsigraph +torsile +torsimeter +torsiogram +torsiograph +torsiometer +torsion +torsional +torsionally +torsioning +torsionless +torsions +torsive +torsk +torsks +torso +torsoclusion +torsoes +torsometer +torsoocclusion +torsos +torsten +tort +torta +tortays +Torte +torteau +torteaus +torteaux +Tortelier +tortellini +torten +tortes +tortfeasor +tort-feasor +tortfeasors +torticollar +torticollis +torticone +tortie +tortil +tortile +tortility +tortilla +tortillas +tortille +tortillions +tortillon +tortious +tortiously +tortis +tortive +Torto +tortoise +tortoise-core +tortoise-footed +tortoise-headed +tortoiselike +tortoise-paced +tortoise-rimmed +tortoise-roofed +tortoises +tortoise's +tortoise-shaped +tortoiseshell +tortoise-shell +Tortola +tortoni +Tortonian +tortonis +tortor +Tortosa +tortrices +tortricid +Tortricidae +Tortricina +tortricine +tortricoid +Tortricoidea +Tortrix +tortrixes +torts +tortue +Tortuga +tortula +Tortulaceae +tortulaceous +tortulous +tortuose +tortuosity +tortuosities +tortuous +tortuously +tortuousness +torturable +torturableness +torture +tortured +torturedly +tortureproof +torturer +torturers +tortures +torturesome +torturesomeness +torturing +torturingly +torturous +torturously +torturousness +Toru +torula +torulaceous +torulae +torulaform +torulas +toruli +toruliform +torulin +toruloid +torulose +torulosis +torulous +torulus +Torun +torus +toruses +torus's +torve +torvid +torvity +torvous +TOS +tosaphist +tosaphoth +Tosca +Toscana +Toscanini +toscanite +Toscano +Tosch +Tosephta +Tosephtas +tosh +toshakhana +tosher +toshery +toshes +toshy +Toshiba +Toshiko +toshly +toshnail +tosh-up +tosy +to-side +tosily +Tosk +Toskish +toss +tossed +tosser +tossers +tosses +tossy +tossicated +tossily +tossing +tossing-in +tossingly +tossment +tosspot +tosspots +tossup +toss-up +tossups +tossut +tost +tostada +tostadas +tostado +tostados +tostamente +tostao +tosticate +tosticated +tosticating +tostication +Toston +tot +totable +total +totaled +totaling +totalisator +totalise +totalised +totalises +totalising +totalism +totalisms +totalist +totalistic +totalitarian +totalitarianism +totalitarianisms +totalitarianize +totalitarianized +totalitarianizing +totalitarians +totality +totalities +totality's +totalitizer +totalization +totalizator +totalizators +totalize +totalized +totalizer +totalizes +totalizing +totalled +totaller +totallers +totally +totalling +totalness +totals +totanine +Totanus +totaquin +totaquina +totaquine +totara +totchka +tote +to-tear +toted +toteload +totem +totemy +totemic +totemically +totemism +totemisms +totemist +totemistic +totemists +totemite +totemites +totemization +totems +toter +totery +toters +totes +Toth +tother +t'other +toty +toti- +totient +totyman +toting +Totipalmatae +totipalmate +totipalmation +totipotence +totipotency +totipotencies +totipotent +totipotential +totipotentiality +totitive +Totleben +toto +toto- +totoaba +Totonac +Totonacan +Totonaco +totora +Totoro +Totowa +totquot +tots +totted +totten +Tottenham +totter +tottered +totterer +totterers +tottergrass +tottery +totteriness +tottering +totteringly +totterish +totters +totty +Tottie +tottyhead +totty-headed +totting +tottle +tottlish +tottum +totuava +totum +Totz +tou +touareg +touart +Touber +toucan +toucanet +Toucanid +toucans +touch +touch- +touchability +touchable +touchableness +touch-and-go +touchback +touchbacks +touchbell +touchbox +touch-box +touchdown +touchdowns +touche +touched +touchedness +toucher +touchers +touches +Touchet +touchhole +touch-hole +touchy +touchier +touchiest +touchily +touchiness +touching +touchingly +touchingness +touch-in-goal +touchless +touchline +touch-line +touchmark +touch-me-not +touch-me-not-ish +touchous +touchpan +touch-paper +touchpiece +touch-piece +touch-powder +touchstone +touchstones +touch-tackle +touch-type +touchup +touch-up +touchups +touchwood +toufic +toug +Tougaloo +Touggourt +tough +tough-backed +toughed +toughen +toughened +toughener +tougheners +toughening +toughens +tougher +toughest +tough-fibered +tough-fisted +tough-handed +toughhead +toughhearted +toughy +toughie +toughies +toughing +toughish +Toughkenamon +toughly +tough-lived +tough-looking +tough-metaled +tough-minded +tough-mindedly +tough-mindedness +tough-muscled +toughness +toughnesses +toughra +toughs +tough-shelled +tough-sinewed +tough-skinned +tought +tough-thonged +Toul +tould +Toulon +Toulouse +Toulouse-Lautrec +toumnah +Tounatea +Tound +toup +toupee +toupeed +toupees +toupet +Tour +touraco +touracos +Touraine +Tourane +tourbe +tourbillion +tourbillon +Tourcoing +Toure +toured +tourelle +tourelles +tourer +tourers +touret +tourette +touring +tourings +tourism +tourisms +tourist +tourist-crammed +touristdom +tourist-haunted +touristy +touristic +touristical +touristically +tourist-infested +tourist-laden +touristproof +touristry +tourist-ridden +tourists +tourist's +touristship +tourist-trodden +tourize +tourmalin +tourmaline +tourmalinic +tourmaliniferous +tourmalinization +tourmalinize +tourmalite +tourmente +tourn +Tournai +Tournay +tournament +tournamental +tournaments +tournament's +tournant +tournasin +tourne +tournedos +tournee +Tournefortia +Tournefortian +tourney +tourneyed +tourneyer +tourneying +tourneys +tournel +tournette +Tourneur +tourniquet +tourniquets +tournois +tournure +Tours +tourt +tourte +tousche +touse +toused +tousel +touser +touses +tousy +tousing +tousle +tousled +tousles +tous-les-mois +tously +tousling +toust +toustie +tout +touted +touter +touters +touting +Toutle +touts +touzle +touzled +touzles +touzling +tov +Tova +tovah +tovar +Tovaria +Tovariaceae +tovariaceous +tovarich +tovariches +tovarisch +tovarish +tovarishes +Tove +Tovey +tovet +TOW +towability +towable +Towaco +towage +towages +towai +towan +Towanda +Towaoc +toward +towardly +towardliness +towardness +towards +towaway +towaways +towbar +Towbin +towboat +towboats +towcock +tow-colored +tow-coloured +towd +towdie +towed +towel +toweled +towelette +toweling +towelings +towelled +towelling +towelry +towels +Tower +tower-bearing +tower-capped +tower-crested +tower-crowned +tower-dwelling +towered +tower-encircled +tower-flanked +tower-high +towery +towerier +toweriest +towering +toweringly +toweringness +towerless +towerlet +towerlike +towerman +towermen +tower-mill +towerproof +tower-razing +Towers +tower-shaped +tower-studded +tower-supported +tower-tearing +towerwise +towerwork +towerwort +tow-feeder +towght +tow-haired +towhead +towheaded +tow-headed +towheads +towhee +towhees +towy +towie +towies +Towill +towing +towkay +Towland +towlike +towline +tow-line +towlines +tow-made +towmast +towmond +towmonds +towmont +towmonts +Town +town-absorbing +town-born +town-bound +town-bred +town-clerk +town-cress +town-dotted +town-dwelling +Towne +towned +townee +townees +Towney +town-end +Towner +Townes +townet +tow-net +tow-netter +tow-netting +townfaring +town-flanked +townfolk +townfolks +town-frequenting +townful +towngate +town-girdled +town-goer +town-going +townhome +townhood +townhouse +town-house +townhouses +Towny +Townie +townies +townify +townified +townifying +town-imprisoned +towniness +townish +townishly +townishness +townist +town-keeping +town-killed +townland +Townley +townless +townlet +townlets +townly +townlike +townling +town-living +town-looking +town-loving +town-made +town-major +townman +town-meeting +townmen +town-pent +town-planning +towns +town's +townsboy +townscape +Townsend +townsendi +Townsendia +Townsendite +townsfellow +townsfolk +Townshend +township +townships +township's +town-sick +townside +townsite +townsman +townsmen +townspeople +Townsville +townswoman +townswomen +town-talk +town-tied +town-trained +Townville +townward +townwards +townwear +town-weary +townwears +towpath +tow-path +towpaths +tow-pung +Towrey +Towroy +towrope +tow-rope +towropes +tow-row +tows +towser +towsy +Towson +tow-spinning +towzie +tox +tox- +tox. +toxa +toxaemia +toxaemias +toxaemic +toxalbumic +toxalbumin +toxalbumose +toxamin +toxanaemia +toxanemia +toxaphene +toxcatl +Toxey +toxemia +toxemias +toxemic +Toxeus +toxic +toxic- +toxicaemia +toxical +toxically +toxicant +toxicants +toxicarol +toxicate +toxication +toxicemia +toxicity +toxicities +toxico- +toxicodendrol +Toxicodendron +toxicoderma +toxicodermatitis +toxicodermatosis +toxicodermia +toxicodermitis +toxicogenic +toxicognath +toxicohaemia +toxicohemia +toxicoid +toxicol +toxicology +toxicologic +toxicological +toxicologically +toxicologist +toxicologists +toxicomania +toxicon +toxicopathy +toxicopathic +toxicophagy +toxicophagous +toxicophidia +toxicophobia +toxicoses +toxicosis +toxicotraumatic +toxicum +toxidermic +toxidermitis +toxifer +Toxifera +toxiferous +toxify +toxified +toxifying +toxigenic +toxigenicity +toxigenicities +toxihaemia +toxihemia +toxiinfection +toxiinfectious +Toxylon +toxin +toxinaemia +toxin-anatoxin +toxin-antitoxin +toxine +toxinemia +toxines +toxinfection +toxinfectious +toxinosis +toxins +toxiphagi +toxiphagus +toxiphobia +toxiphobiac +toxiphoric +toxitabellae +toxity +toxo- +Toxodon +toxodont +Toxodontia +toxogenesis +Toxoglossa +toxoglossate +toxoid +toxoids +toxolysis +toxology +toxon +toxone +toxonosis +toxophil +toxophile +toxophily +toxophilism +toxophilite +toxophilitic +toxophilitism +toxophilous +toxophobia +toxophoric +toxophorous +toxoplasma +toxoplasmic +toxoplasmosis +toxosis +toxosozin +Toxostoma +toxotae +Toxotes +Toxotidae +toze +tozee +tozer +TP +TP0 +TP4 +TPC +tpd +TPE +tph +TPI +tpk +tpke +TPM +TPMP +TPN +TPO +Tpr +TPS +TPT +TQC +TR +tr. +tra +trabacoli +trabacolo +trabacolos +trabal +trabant +trabascolo +trabea +trabeae +trabeatae +trabeate +trabeated +trabeation +trabecula +trabeculae +trabecular +trabecularism +trabeculas +trabeculate +trabeculated +trabeculation +trabecule +trabes +trabu +trabuch +trabucho +trabuco +trabucos +Trabue +Trabzon +TRAC +Tracay +tracasserie +tracasseries +Tracaulon +Trace +traceability +traceable +traceableness +traceably +traceback +trace-bearer +traced +Tracee +trace-galled +trace-high +Tracey +traceless +tracelessly +tracer +tracery +traceried +traceries +tracers +traces +trache- +trachea +tracheae +tracheaectasy +tracheal +trachealgia +trachealis +trachean +tracheary +Trachearia +trachearian +tracheas +Tracheata +tracheate +tracheated +tracheation +trachecheae +trachecheas +tracheid +tracheidal +tracheide +tracheids +tracheitis +trachelagra +trachelate +trachelectomy +trachelectomopexia +trachelia +trachelismus +trachelitis +trachelium +trachelo- +tracheloacromialis +trachelobregmatic +trachelocyllosis +tracheloclavicular +trachelodynia +trachelology +trachelomastoid +trachelo-occipital +trachelopexia +tracheloplasty +trachelorrhaphy +tracheloscapular +Trachelospermum +trachelotomy +trachenchyma +tracheo- +tracheobronchial +tracheobronchitis +tracheocele +tracheochromatic +tracheoesophageal +tracheofissure +tracheolar +tracheolaryngeal +tracheolaryngotomy +tracheole +tracheolingual +tracheopathy +tracheopathia +tracheopharyngeal +tracheophyte +Tracheophonae +tracheophone +tracheophonesis +tracheophony +tracheophonine +tracheopyosis +tracheoplasty +tracheorrhagia +tracheoschisis +tracheoscopy +tracheoscopic +tracheoscopist +tracheostenosis +tracheostomy +tracheostomies +tracheotome +tracheotomy +tracheotomies +tracheotomist +tracheotomize +tracheotomized +tracheotomizing +tracherous +tracherously +trachy- +trachyandesite +trachybasalt +trachycarpous +Trachycarpus +trachychromatic +trachydolerite +trachyglossate +trachile +Trachylinae +trachyline +Trachymedusae +trachymedusan +Trachiniae +Trachinidae +trachinoid +Trachinus +trachyphonia +trachyphonous +Trachypteridae +trachypteroid +Trachypterus +trachyspermous +trachyte +trachytes +trachytic +trachitis +trachytoid +trachle +trachled +trachles +trachling +Trachodon +trachodont +trachodontid +Trachodontidae +Trachoma +trachomas +trachomatous +Trachomedusae +trachomedusan +Traci +Tracy +Tracie +tracing +tracingly +tracings +Tracyton +track +track- +trackable +trackage +trackages +track-and-field +trackbarrow +track-clearing +tracked +tracker +trackers +trackhound +tracking +trackings +trackingscout +tracklayer +tracklaying +track-laying +trackless +tracklessly +tracklessness +trackman +trackmanship +trackmaster +trackmen +track-mile +trackpot +tracks +trackscout +trackshifter +tracksick +trackside +tracksuit +trackway +trackwalker +track-walking +trackwork +traclia +Tract +tractability +tractabilities +tractable +tractableness +tractably +Tractarian +Tractarianism +tractarianize +tractate +tractates +tractation +tractator +tractatule +tractellate +tractellum +tractiferous +tractile +tractility +traction +tractional +tractioneering +traction-engine +tractions +tractism +Tractite +tractitian +tractive +tractlet +tractor +tractoration +tractory +tractorism +tractorist +tractorization +tractorize +tractors +tractor's +tractor-trailer +tractrices +tractrix +tracts +tract's +tractus +trad +tradable +tradal +trade +tradeable +trade-bound +tradecraft +traded +trade-destroying +trade-facilitating +trade-fallen +tradeful +trade-gild +trade-in +trade-laden +trade-last +tradeless +trade-made +trademark +trade-mark +trademarked +trade-marker +trademarking +trademarks +trademark's +trademaster +tradename +tradeoff +trade-off +tradeoffs +trader +traders +tradership +trades +Tradescantia +trade-seeking +tradesfolk +tradesman +tradesmanlike +tradesmanship +tradesmanwise +tradesmen +tradespeople +tradesperson +trades-union +trades-unionism +trades-unionist +tradeswoman +tradeswomen +trade-union +trade-unionism +trade-unionist +tradevman +trade-wind +trady +tradiment +trading +tradite +tradition +traditional +traditionalism +traditionalist +traditionalistic +traditionalists +traditionality +traditionalize +traditionalized +traditionally +traditionary +traditionaries +traditionarily +traditionate +traditionately +tradition-bound +traditioner +tradition-fed +tradition-following +traditionism +traditionist +traditionitis +traditionize +traditionless +tradition-making +traditionmonger +tradition-nourished +tradition-ridden +traditions +tradition's +traditious +traditive +traditor +traditores +traditorship +traduce +traduced +traducement +traducements +traducent +traducer +traducers +traduces +traducian +traducianism +traducianist +traducianistic +traducible +traducing +traducingly +traduct +traduction +traductionist +traductive +Traer +Trafalgar +traffic +trafficability +trafficable +trafficableness +trafficator +traffic-bearing +traffic-choked +traffic-congested +traffic-furrowed +traffick +trafficked +trafficker +traffickers +trafficker's +trafficking +trafficks +traffic-laden +trafficless +traffic-mile +traffic-regulating +traffics +traffic's +traffic-thronged +trafficway +trafflicker +trafflike +Trafford +trag +tragacanth +tragacantha +tragacanthin +tragal +Tragasol +tragedy +tragedial +tragedian +tragedianess +tragedians +tragedical +tragedienne +tragediennes +tragedies +tragedietta +tragedious +tragedy-proof +tragedy's +tragedist +tragedization +tragedize +tragelaph +tragelaphine +Tragelaphus +Trager +tragi +tragi- +tragia +tragic +tragical +tragicality +tragically +tragicalness +tragicaster +tragic-comedy +tragicize +tragicly +tragicness +tragicofarcical +tragicoheroicomic +tragicolored +tragicomedy +tragi-comedy +tragicomedian +tragicomedies +tragicomic +tragi-comic +tragicomical +tragicomicality +tragicomically +tragicomipastoral +tragicoromantic +tragicose +tragics +tragion +tragions +tragoedia +tragopan +tragopans +Tragopogon +tragule +Tragulidae +Tragulina +traguline +traguloid +Traguloidea +Tragulus +tragus +trah +traheen +Trahern +Traherne +trahison +Trahurn +Tray +trayful +trayfuls +traik +traiked +traiky +traiking +traiks +trail +trailbaston +trailblaze +trailblazer +trailblazers +trailblazing +trailboard +trailbreaker +trailed +trail-eye +trailer +trailerable +trailered +trailery +trailering +trailerist +trailerite +trailerload +trailers +trailership +trailhead +traily +traylike +trailiness +trailing +trailingly +trailing-point +trailings +trailless +trailmaker +trailmaking +trailman +trail-marked +trails +trailside +trailsman +trailsmen +trailway +trail-weary +trail-wise +traymobile +train +trainability +trainable +trainableness +trainage +trainagraph +trainant +trainante +trainband +trainbearer +trainboy +trainbolt +train-dispatching +trayne +traineau +trained +trainee +trainees +trainee's +traineeship +trainel +Trainer +trainer-bomber +trainer-fighter +trainers +trainful +trainfuls +train-giddy +trainy +training +trainings +trainless +train-lighting +trainline +trainload +trainloads +trainman +trainmaster +trainmen +train-mile +Trainor +trainpipe +trains +trainshed +trainsick +trainsickness +trainster +traintime +trainway +trainways +traipse +traipsed +traipses +traipsing +trays +tray's +tray-shaped +traist +trait +trait-complex +traiteur +traiteurs +traitless +traitor +traitoress +traitorhood +traitory +traitorism +traitorize +traitorly +traitorlike +traitorling +traitorous +traitorously +traitorousness +traitors +traitor's +traitorship +traitorwise +traitress +traitresses +traits +trait's +Trajan +traject +trajected +trajectile +trajecting +trajection +trajectitious +trajectory +trajectories +trajectory's +trajects +trajet +Trakas +tra-la +tra-la-la +tralatician +tralaticiary +tralatition +tralatitious +tralatitiously +Tralee +tralineate +tralira +Tralles +Trallian +tralucency +tralucent +tram +trama +tramal +tram-borne +tramcar +tram-car +tramcars +trame +tramel +trameled +trameling +tramell +tramelled +tramelling +tramells +tramels +Trametes +tramful +tramyard +Traminer +tramless +tramline +tram-line +tramlines +tramman +trammed +Trammel +trammeled +trammeler +trammelhead +trammeling +trammelingly +trammelled +trammeller +trammelling +trammellingly +trammel-net +trammels +trammer +trammie +tramming +trammon +tramontana +tramontanas +tramontane +tramp +trampage +Trampas +trampcock +trampdom +tramped +tramper +trampers +trampess +tramphood +tramping +trampish +trampishly +trampism +trample +trampled +trampler +tramplers +tramples +tramplike +trampling +trampolin +trampoline +trampoliner +trampoliners +trampolines +trampolining +trampolinist +trampolinists +trampoose +tramposo +trampot +tramps +tramroad +tram-road +tramroads +trams +tramsmith +tram-traveling +tramway +tramwayman +tramwaymen +tramways +Tran +trance +tranced +trancedly +tranceful +trancelike +trances +trance's +tranchant +tranchante +tranche +tranchefer +tranches +tranchet +tranchoir +trancing +trancoidal +traneau +traneen +tranfd +trangam +trangams +trank +tranka +tranker +tranky +tranks +trankum +tranmissibility +trannie +tranq +tranqs +Tranquada +tranquil +tranquil-acting +tranquiler +tranquilest +Tranquility +tranquilities +tranquilization +tranquil-ization +tranquilize +tranquilized +tranquilizer +tranquilizers +tranquilizes +tranquilizing +tranquilizingly +tranquiller +tranquillest +tranquilly +tranquillise +tranquilliser +Tranquillity +tranquillities +tranquillization +tranquillize +tranquillized +tranquillizer +tranquillizers +tranquillizes +tranquillizing +tranquillo +tranquil-looking +tranquil-minded +tranquilness +trans +trans- +trans. +transaccidentation +Trans-acherontic +transact +transacted +transacting +transactinide +transaction +transactional +transactionally +transactioneer +transactions +transaction's +transactor +transacts +Trans-adriatic +Trans-african +Trans-algerian +Trans-alleghenian +transalpine +transalpinely +transalpiner +Trans-altaian +Trans-american +transaminase +transamination +Trans-andean +Trans-andine +transanimate +transanimation +transannular +Trans-antarctic +Trans-apennine +transapical +transappalachian +transaquatic +Trans-arabian +transarctic +Trans-asiatic +transatlantic +transatlantically +transatlantican +transatlanticism +transaudient +Trans-australian +Trans-austrian +transaxle +transbay +transbaikal +transbaikalian +Trans-balkan +Trans-baltic +transboard +transborder +trans-border +transcalency +transcalent +transcalescency +transcalescent +Trans-canadian +Trans-carpathian +Trans-caspian +Transcaucasia +Transcaucasian +transceive +transceiver +transceivers +transcend +transcendant +transcended +transcendence +transcendency +transcendent +transcendental +transcendentalisation +transcendentalism +transcendentalist +transcendentalistic +transcendentalists +transcendentality +transcendentalization +transcendentalize +transcendentalized +transcendentalizing +transcendentalizm +transcendentally +transcendentals +transcendently +transcendentness +transcendible +transcending +transcendingly +transcendingness +transcends +transcension +transchange +transchanged +transchanger +transchanging +transchannel +transcience +transcolor +transcoloration +transcolour +transcolouration +transcondylar +transcondyloid +transconductance +Trans-congo +transconscious +transcontinental +trans-continental +transcontinentally +Trans-cordilleran +transcorporate +transcorporeal +transcortical +transcreate +transcribable +transcribble +transcribbler +transcribe +transcribed +transcriber +transcribers +transcribes +transcribing +transcript +transcriptase +transcription +transcriptional +transcriptionally +transcriptions +transcription's +transcriptitious +transcriptive +transcriptively +transcripts +transcript's +transcriptural +transcrystalline +transcultural +transculturally +transculturation +transcur +transcurrent +transcurrently +transcursion +transcursive +transcursively +transcurvation +transcutaneous +Trans-danubian +transdermic +transdesert +transdialect +transdiaphragmatic +transdiurnal +transduce +transduced +transducer +transducers +transducing +transduction +transductional +transe +transect +transected +transecting +transection +transects +Trans-egyptian +transelement +transelemental +transelementary +transelementate +transelementated +transelementating +transelementation +transempirical +transenna +transennae +transept +transeptal +transeptally +transepts +transequatorial +transequatorially +transessentiate +transessentiated +transessentiating +trans-etherian +transeunt +Trans-euphratean +Trans-euphrates +Trans-euphratic +Trans-eurasian +transexperiental +transexperiential +transf +transf. +transfashion +transfd +transfeature +transfeatured +transfeaturing +transfer +transferability +transferable +transferableness +transferably +transferal +transferals +transferal's +transferase +transferee +transference +transferences +transferent +transferential +transferer +transferography +transferor +transferotype +transferrable +transferral +transferrals +transferred +transferrer +transferrers +transferrer's +transferribility +transferring +transferrins +transferror +transferrotype +transfers +transfer's +transfigurate +Transfiguration +transfigurations +transfigurative +transfigure +transfigured +transfigurement +transfigures +transfiguring +transfiltration +transfinite +transfission +transfix +transfixation +transfixed +transfixes +transfixing +transfixion +transfixt +transfixture +transfluent +transfluvial +transflux +transforation +transform +transformability +transformable +transformance +transformation +transformational +transformationalist +transformationist +transformations +transformation's +transformative +transformator +transformed +transformer +transformers +transforming +transformingly +transformism +transformist +transformistic +transforms +transfretation +transfrontal +transfrontier +trans-frontier +transfuge +transfugitive +transfusable +transfuse +transfused +transfuser +transfusers +transfuses +transfusible +transfusing +transfusion +transfusional +transfusionist +transfusions +transfusive +transfusively +Trans-gangetic +transgender +transgeneration +transgenerations +Trans-germanic +Trans-grampian +transgredient +transgress +transgressed +transgresses +transgressible +transgressing +transgressingly +transgression +transgressional +transgressions +transgression's +transgressive +transgressively +transgressor +transgressors +transhape +Trans-himalayan +tranship +transhipment +transhipped +transhipping +tranships +Trans-hispanic +transhuman +transhumanate +transhumanation +transhumance +transhumanize +transhumant +Trans-iberian +transience +transiency +transiencies +transient +transiently +transientness +transients +transigence +transigent +transiliac +transilience +transiliency +transilient +transilluminate +transilluminated +transilluminating +transillumination +transilluminator +Transylvania +Transylvanian +transimpression +transincorporation +trans-Indian +transindividual +Trans-indus +transinsular +trans-Iranian +Trans-iraq +transire +transischiac +transisthmian +transistor +transistorization +transistorize +transistorized +transistorizes +transistorizing +transistors +transistor's +Transit +transitable +Transite +transited +transiter +transiting +transition +Transitional +transitionally +transitionalness +transitionary +transitioned +transitionist +transitions +transitival +transitive +transitively +transitiveness +transitivism +transitivity +transitivities +transitman +transitmen +transitory +transitorily +transitoriness +transitron +transits +transitu +transitus +TransJordan +Trans-Jordan +Transjordanian +Trans-jovian +Transkei +Trans-kei +transl +transl. +translade +translay +translatability +translatable +translatableness +translate +translated +translater +translates +translating +translation +translational +translationally +translations +translative +translator +translatorese +translatory +translatorial +translators +translator's +translatorship +translatress +translatrix +transleithan +transletter +trans-Liberian +Trans-libyan +translight +translinguate +transliterate +transliterated +transliterates +transliterating +transliteration +transliterations +transliterator +translocalization +translocate +translocated +translocating +translocation +translocations +translocatory +transluce +translucence +translucences +translucency +translucencies +translucent +translucently +translucid +translucidity +translucidus +translunar +translunary +transmade +transmake +transmaking +Trans-manchurian +transmarginal +transmarginally +transmarine +Trans-martian +transmaterial +transmateriation +transmedial +transmedian +trans-Mediterranean +transmembrane +transmen +transmental +transmentally +transmentation +transmeridional +transmeridionally +Trans-mersey +transmethylation +transmew +transmigrant +transmigrate +transmigrated +transmigrates +transmigrating +transmigration +transmigrationism +transmigrationist +transmigrations +transmigrative +transmigratively +transmigrator +transmigratory +transmigrators +transmissibility +transmissible +transmission +transmissional +transmissionist +transmissions +transmission's +Trans-mississippi +trans-Mississippian +transmissive +transmissively +transmissiveness +transmissivity +transmissometer +transmissory +transmit +transmit-receiver +transmits +transmittability +transmittable +transmittal +transmittals +transmittance +transmittances +transmittancy +transmittant +transmitted +transmitter +transmitters +transmitter's +transmittible +transmitting +transmogrify +transmogrification +transmogrifications +transmogrified +transmogrifier +transmogrifies +transmogrifying +transmold +Trans-mongolian +transmontane +transmorphism +transmould +transmountain +transmue +transmundane +transmural +transmuscle +transmutability +transmutable +transmutableness +transmutably +transmutate +transmutation +transmutational +transmutationist +transmutations +transmutative +transmutatory +transmute +trans'mute +transmuted +transmuter +transmutes +transmuting +transmutive +transmutual +transmutually +transnatation +transnational +transnationally +transnatural +transnaturation +transnature +Trans-neptunian +Trans-niger +transnihilation +transnormal +transnormally +transocean +transoceanic +trans-oceanic +transocular +transom +transomed +transoms +transom-sterned +transonic +transorbital +transovarian +transp +transp. +transpacific +trans-pacific +transpadane +transpalatine +transpalmar +trans-Panamanian +transpanamic +Trans-paraguayan +trans-Paraguayian +transparence +transparency +transparencies +transparency's +transparent +transparentize +transparently +transparentness +transparietal +transparish +transpass +transpassional +transpatronized +transpatronizing +transpeciate +transpeciation +transpeer +transpenetrable +transpenetration +transpeninsular +transpenisular +transpeptidation +transperitoneal +transperitoneally +Trans-persian +transpersonal +transpersonally +transphenomenal +transphysical +transphysically +transpicuity +transpicuous +transpicuously +transpicuousness +transpierce +transpierced +transpiercing +transpyloric +transpirability +transpirable +transpiration +transpirations +transpirative +transpiratory +transpire +transpired +Trans-pyrenean +transpires +transpiring +transpirometer +transplace +transplacement +transplacental +transplacentally +transplanetary +transplant +transplantability +transplantable +transplantar +transplantation +transplantations +transplanted +transplantee +transplanter +transplanters +transplanting +transplants +transplendency +transplendent +transplendently +transpleural +transpleurally +transpolar +transpond +transponder +transponders +transpondor +transponibility +transponible +transpontine +transport +transportability +transportable +transportableness +transportables +transportal +transportance +transportation +transportational +transportationist +transportative +transported +transportedly +transportedness +transportee +transporter +transporters +transporting +transportingly +transportive +transportment +transports +transposability +transposable +transposableness +transposal +transpose +transposed +transposer +transposes +transposing +transposition +transpositional +transpositions +transpositive +transpositively +transpositor +transpository +transpour +transprint +transprocess +transprose +transproser +transpulmonary +transput +transradiable +transrational +transrationally +transreal +transrectification +transrhenane +Trans-rhenish +transrhodanian +transriverina +transriverine +Trans-sahara +Trans-saharan +Trans-saturnian +transscriber +transsegmental +transsegmentally +transsensual +transsensually +transseptal +transsepulchral +Trans-severn +transsexual +transsexualism +transsexuality +transsexuals +transshape +trans-shape +transshaped +transshaping +transshift +trans-shift +transship +transshiped +transshiping +transshipment +transshipments +transshipped +transshipping +transships +Trans-siberian +transsocietal +transsolid +transsonic +trans-sonic +transstellar +Trans-stygian +transsubjective +trans-subjective +transtemporal +Transteverine +transthalamic +transthoracic +transthoracically +trans-Tiber +trans-Tiberian +Trans-tiberine +transtracheal +transubstantial +transubstantially +transubstantiate +transubstantiated +transubstantiating +transubstantiation +transubstantiationalist +transubstantiationite +transubstantiative +transubstantiatively +transubstantiatory +transudate +transudation +transudative +transudatory +transude +transuded +transudes +transuding +transume +transumed +transuming +transumpt +transumption +transumptive +Trans-ural +trans-Uralian +transuranian +Trans-uranian +transuranic +transuranium +transurethral +transuterine +Transvaal +Transvaaler +Transvaalian +transvaluate +transvaluation +transvalue +transvalued +transvaluing +transvasate +transvasation +transvase +transvectant +transvection +transvenom +transverbate +transverbation +transverberate +transverberation +transversal +transversale +transversalis +transversality +transversally +transversan +transversary +transverse +transversely +transverseness +transverser +transverses +transversion +transversive +transversocubital +transversomedial +transversospinal +transversovertical +transversum +transversus +transvert +transverter +transvest +transvestism +transvestite +transvestites +transvestitism +transvolation +Trans-volga +transwritten +Trans-zambezian +Trant +tranter +trantlum +tranvia +Tranzschelia +trap +Trapa +Trapaceae +trapaceous +trapan +Trapani +trapanned +trapanner +trapanning +trapans +trapball +trap-ball +trapballs +trap-cut +trapdoor +trap-door +trapdoors +trapes +trapesed +trapeses +trapesing +trapezate +trapeze +trapezes +trapezia +trapezial +trapezian +trapeziform +trapezing +trapeziometacarpal +trapezist +trapezium +trapeziums +trapezius +trapeziuses +trapezohedra +trapezohedral +trapezohedron +trapezohedrons +trapezoid +trapezoidal +trapezoidiform +trapezoids +trapezoid's +trapezophora +trapezophoron +trapezophozophora +trapfall +traphole +trapiche +trapiferous +trapish +traplight +traplike +trapmaker +trapmaking +trapnest +trapnested +trap-nester +trapnesting +trapnests +trappability +trappabilities +trappable +Trappe +trappean +trapped +trapper +trapperlike +trappers +trapper's +trappy +trappier +trappiest +trappiness +trapping +trappingly +trappings +Trappism +Trappist +Trappistes +Trappistine +trappoid +trappose +trappous +traprock +traprocks +traps +trap's +trapshoot +trapshooter +trapshooting +trapstick +trapt +trapunto +trapuntos +Trasentine +trasformism +trash +trashed +trashery +trashes +trashy +trashier +trashiest +trashify +trashily +trashiness +trashing +traship +trashless +trashman +trashmen +trashrack +trashtrie +trasy +Trasimene +Trasimeno +Trasimenus +Trask +Traskwood +trass +trasses +Trastevere +Trasteverine +tratler +Tratner +trattle +trattoria +trauchle +trauchled +trauchles +trauchling +traulism +trauma +traumas +traumasthenia +traumata +traumatic +traumatically +traumaticin +traumaticine +traumatism +traumatization +traumatize +traumatized +traumatizes +traumatizing +traumato- +traumatology +traumatologies +traumatonesis +traumatopyra +traumatopnea +traumatosis +traumatotactic +traumatotaxis +traumatropic +traumatropism +Trauner +Traunik +Trautman +Trautvetteria +trav +travado +travail +travailed +travailer +travailing +travailous +travails +travale +travally +Travancore +travated +Travax +trave +travel +travelability +travelable +travel-bent +travel-broken +travel-changed +travel-disordered +traveldom +traveled +travel-enjoying +traveler +traveleress +travelerlike +travelers +traveler's-joy +traveler's-tree +travel-famous +travel-formed +travel-gifted +travel-infected +traveling +travelings +travel-jaded +travellability +travellable +travelled +traveller +travellers +travelling +travel-loving +travel-mad +travel-met +travelog +travelogs +travelogue +traveloguer +travelogues +travel-opposing +travel-parted +travel-planning +travels +travel-sated +travel-sick +travel-soiled +travel-spent +travel-stained +travel-tainted +travel-tattered +traveltime +travel-tired +travel-toiled +travel-weary +travel-worn +Traver +Travers +traversable +traversal +traversals +traversal's +traversary +traverse +traversed +traversely +traverser +traverses +traverse-table +traversewise +traversework +traversing +traversion +travertin +travertine +traves +travest +travesty +travestied +travestier +travesties +travestying +travestiment +travesty's +Travis +traviss +Travnicki +travoy +travois +travoise +travoises +Travus +Traweek +trawl +trawlability +trawlable +trawlboat +trawled +trawley +trawleys +trawler +trawlerman +trawlermen +trawlers +trawling +trawlnet +trawl-net +trawls +trazia +treacher +treachery +treacheries +treachery's +treacherous +treacherously +treacherousness +treachousness +Treacy +treacle +treacleberry +treacleberries +treaclelike +treacles +treaclewort +treacly +treacliness +tread +treadboard +treaded +treader +treaders +treading +treadle +treadled +treadler +treadlers +treadles +treadless +treadling +treadmill +treadmills +treadplate +treads +tread-softly +Treadway +Treadwell +treadwheel +tread-wheel +treague +treas +treason +treasonable +treasonableness +treasonably +treason-breeding +treason-canting +treasonful +treason-hatching +treason-haunted +treasonish +treasonist +treasonless +treasonmonger +treasonous +treasonously +treasonproof +treasons +treason-sowing +treasr +treasurable +treasure +treasure-baited +treasure-bearing +treasured +treasure-filled +treasure-house +treasure-houses +treasure-laden +treasureless +Treasurer +treasurers +treasurership +treasures +treasure-seeking +treasuress +treasure-trove +Treasury +treasuries +treasuring +treasury's +treasuryship +treasurous +TREAT +treatability +treatabilities +treatable +treatableness +treatably +treated +treatee +treater +treaters +treaty +treaty-bound +treaty-breaking +treaties +treaty-favoring +treatyist +treatyite +treatyless +treating +treaty's +treatise +treaty-sealed +treaty-secured +treatiser +treatises +treatise's +treatment +treatments +treatment's +treator +treats +Trebbia +Trebellian +Trebizond +treble +trebled +treble-dated +treble-geared +trebleness +trebles +treble-sinewed +treblet +trebletree +trebly +trebling +Treblinka +Trebloc +trebuchet +trebucket +trecentist +trecento +trecentos +trechmannite +treckpot +treckschuyt +Treculia +treddle +treddled +treddles +treddling +tredecaphobia +tredecile +tredecillion +tredecillions +tredecillionth +tredefowel +tredille +tredrille +Tree +tree-banding +treebeard +treebine +tree-bordered +tree-boring +Treece +tree-clad +tree-climbing +tree-covered +tree-creeper +tree-crowned +treed +tree-dotted +tree-dwelling +tree-embowered +tree-feeding +tree-fern +treefish +treefishes +tree-fringed +treeful +tree-garnished +tree-girt +tree-god +tree-goddess +tree-goose +tree-great +treehair +tree-haunting +tree-hewing +treehood +treehopper +treey +treeify +treeiness +treeing +tree-inhabiting +treelawn +treeless +treelessness +treelet +treelike +treelikeness +treelined +tree-lined +treeling +tree-living +tree-locked +tree-loving +treemaker +treemaking +treeman +tree-marked +tree-moss +treen +treenail +treenails +treens +treenware +tree-planted +tree-pruning +tree-ripe +tree-run +tree-runner +trees +tree's +tree-sawing +treescape +tree-shaded +tree-shaped +treeship +tree-skirted +tree-sparrow +treespeeler +tree-spraying +tree-surgeon +treetise +tree-toad +treetop +tree-top +treetops +treetop's +treeward +treewards +tref +trefa +trefah +trefgordd +trefle +treflee +Trefler +trefoil +trefoiled +trefoillike +trefoils +trefoil-shaped +trefoilwise +Trefor +tregadyne +tregerg +treget +tregetour +Trego +tregohm +trehala +trehalas +trehalase +trehalose +Treharne +Trey +trey-ace +Treiber +Treichlers +treillage +treille +Treynor +treys +treitour +treitre +Treitschke +trek +trekboer +trekked +trekker +trekkers +trekking +trekometer +trekpath +treks +trek's +trekschuit +Trela +Trelew +Trella +Trellas +trellis +trellis-bordered +trellis-covered +trellised +trellises +trellis-framed +trellising +trellislike +trellis-shaded +trellis-sheltered +trelliswork +trellis-work +trellis-woven +Treloar +Trelu +Trema +Tremain +Tremaine +Tremayne +Tremandra +Tremandraceae +tremandraceous +Tremann +Trematoda +trematode +Trematodea +Trematodes +trematoid +Trematosaurus +tremble +trembled +tremblement +trembler +tremblers +trembles +Trembly +tremblier +trembliest +trembling +tremblingly +tremblingness +tremblor +tremeline +Tremella +Tremellaceae +tremellaceous +Tremellales +tremelliform +tremelline +tremellineous +tremelloid +tremellose +tremendous +tremendously +tremendousness +tremenousness +tremens +Trementina +tremetol +tremex +tremie +Tremml +tremogram +tremolando +tremolant +tremolist +tremolite +tremolitic +tremolo +tremolos +tremoloso +Tremont +Tremonton +tremophobia +tremor +tremorless +tremorlessly +tremors +tremor's +Trempealeau +tremplin +tremulando +tremulant +tremulate +tremulation +tremulent +tremulous +tremulously +tremulousness +trenail +trenails +Trenary +trench +trenchancy +trenchant +trenchantly +trenchantness +Trenchard +trenchboard +trenchcoats +trenched +trencher +trencher-cap +trencher-fed +trenchering +trencherless +trencherlike +trenchermaker +trenchermaking +trencherman +trencher-man +trenchermen +trenchers +trencherside +trencherwise +trencherwoman +trenches +trenchful +trenching +trenchlet +trenchlike +trenchmaster +trenchmore +trench-plough +trenchward +trenchwise +trenchwork +trend +trended +trendel +trendy +trendier +trendies +trendiest +trendily +trendiness +trending +trendle +trends +trend-setter +Trengganu +Trenna +Trent +trental +trente-et-quarante +Trentepohlia +Trentepohliaceae +trentepohliaceous +Trentine +Trento +Trenton +Trentonian +trepak +trepan +trepanation +trepang +trepangs +trepanize +trepanned +trepanner +trepanning +trepanningly +trepans +trephination +trephine +trephined +trephiner +trephines +trephining +trephocyte +trephone +trepid +trepidancy +trepidant +trepidate +trepidation +trepidations +trepidatory +trepidity +trepidly +trepidness +Treponema +treponemal +treponemas +treponemata +treponematosis +treponematous +treponeme +treponemiasis +treponemiatic +treponemicidal +treponemicide +Trepostomata +trepostomatous +treppe +Treron +Treronidae +Treroninae +tres +Tresa +tresaiel +tresance +Trescha +tresche +Tresckow +Trescott +tresillo +tresis +trespass +trespassage +trespassed +trespasser +trespassers +trespasses +trespassing +trespassory +Trespiedras +Trespinos +tress +Tressa +tress-braiding +tressed +tressel +tressels +tress-encircled +tresses +tressful +tressy +Tressia +tressier +tressiest +tressilate +tressilation +tressless +tresslet +tress-lifting +tresslike +tresson +tressour +tressours +tress-plaiting +tress's +tress-shorn +tress-topped +tressure +tressured +tressures +trest +tres-tine +trestle +trestles +trestletree +trestle-tree +trestlewise +trestlework +trestling +tret +tretis +trets +Treulich +Trev +Treva +Trevah +trevally +Trevar +Trevelyan +Trever +Treves +trevet +Trevethick +trevets +Trevett +trevette +Trevino +trevis +Treviso +Trevithick +Trevor +Trevorr +Trevorton +Trew +trewage +trewel +trews +trewsman +trewsmen +Trexlertown +Trezevant +trez-tine +trf +TRH +Tri +try +tri- +try- +triable +triableness +triac +triace +triacetamide +triacetate +triacetyloleandomycin +triacetonamine +triachenium +triacid +triacids +triacontad +triacontaeterid +triacontane +triaconter +triacs +triact +triactinal +triactine +Triad +Triadelphia +triadelphous +Triadenum +triadic +triadical +triadically +triadics +triadism +triadisms +triadist +triads +triaene +triaenose +triage +triages +triagonal +triakid +triakis- +triakisicosahedral +triakisicosahedron +triakisoctahedral +triakisoctahedrid +triakisoctahedron +triakistetrahedral +triakistetrahedron +trial +trial-and-error +trialate +trialism +trialist +triality +trialogue +trials +trial's +triamcinolone +triamid +triamide +triamylose +triamin +triamine +triamino +triammonium +triamorph +triamorphous +Trianda +triander +Triandria +triandrian +triandrous +Triangle +triangled +triangle-leaved +triangler +triangles +triangle's +triangle-shaped +triangleways +trianglewise +trianglework +Triangula +triangular +triangularis +triangularity +triangularly +triangular-shaped +triangulate +triangulated +triangulately +triangulates +triangulating +triangulation +triangulations +triangulato-ovate +triangulator +Triangulid +trianguloid +triangulopyramidal +triangulotriangular +Triangulum +triannual +triannulate +Trianon +Trianta +triantaphyllos +triantelope +trianthous +triapsal +triapsidal +triarch +triarchate +triarchy +triarchies +triarctic +triarcuated +triareal +triary +triarian +triarii +triaryl +Triarthrus +triarticulate +Trias +Triassic +triaster +triatic +Triatoma +triatomic +triatomically +triatomicity +triaxal +triaxial +triaxiality +triaxon +triaxonian +triazane +triazin +triazine +triazines +triazins +triazo +triazoic +triazole +triazoles +triazolic +TRIB +tribade +tribades +tribady +tribadic +tribadism +tribadistic +tribal +tribalism +tribalist +tribally +tribarred +tribase +tribasic +tribasicity +tribasilar +Tribbett +tribble +tribe +tribeless +tribelet +tribelike +tribes +tribe's +tribesfolk +tribeship +tribesman +tribesmanship +tribesmen +tribespeople +tribeswoman +tribeswomen +triblastic +triblet +tribo- +triboelectric +triboelectricity +tribofluorescence +tribofluorescent +Tribolium +tribology +tribological +tribologist +triboluminescence +triboluminescent +tribometer +Tribonema +Tribonemaceae +tribophysics +tribophosphorescence +tribophosphorescent +tribophosphoroscope +triborough +tribrac +tribrach +tribrachial +tribrachic +tribrachs +tribracteate +tribracteolate +tribrom- +tribromacetic +tribromid +tribromide +tribromoacetaldehyde +tribromoethanol +tribromophenol +tribromphenate +tribromphenol +tribual +tribually +tribular +tribulate +tribulation +tribulations +tribuloid +Tribulus +tribuna +tribunal +tribunals +tribunal's +tribunary +tribunate +tribune +tribunes +tribune's +tribuneship +tribunicial +tribunician +tribunitial +tribunitian +tribunitiary +tribunitive +tributable +tributary +tributaries +tributarily +tributariness +tribute +tributed +tributer +tributes +tribute's +tributing +tributyrin +tributist +tributorian +trica +tricae +tricalcic +tricalcium +tricapsular +tricar +tricarballylic +tricarbimide +tricarbon +tricarboxylic +tricarinate +tricarinated +tricarpellary +tricarpellate +tricarpous +tricaudal +tricaudate +trice +triced +tricellular +tricenary +tricenaries +tricenarious +tricenarium +tricennial +tricentenary +tricentenarian +tricentennial +tricentennials +tricentral +tricephal +tricephalic +tricephalous +tricephalus +triceps +tricepses +Triceratops +triceratopses +triceria +tricerion +tricerium +trices +trich- +trichatrophia +trichauxis +Trichechidae +trichechine +trichechodont +Trichechus +trichevron +trichi +trichy +trichia +trichiasis +Trichilia +Trichina +trichinae +trichinal +trichinas +Trichinella +trichiniasis +trichiniferous +trichinisation +trichinise +trichinised +trichinising +trichinization +trichinize +trichinized +trichinizing +trichinoid +trichinophobia +trichinopoli +Trichinopoly +trichinoscope +trichinoscopy +trichinosed +trichinoses +trichinosis +trichinotic +trichinous +trichion +trichions +trichite +trichites +trichitic +trichitis +trichiurid +Trichiuridae +trichiuroid +Trichiurus +trichlor- +trichlorethylene +trichlorethylenes +trichlorfon +trichlorid +trichloride +trichlormethane +trichloro +trichloroacetaldehyde +trichloroacetic +trichloroethane +trichloroethylene +trichloromethane +trichloromethanes +trichloromethyl +trichloronitromethane +tricho- +trichobacteria +trichobezoar +trichoblast +trichobranchia +trichobranchiate +trichocarpous +trichocephaliasis +Trichocephalus +trichocyst +trichocystic +trichoclasia +trichoclasis +trichode +Trichoderma +Trichodesmium +Trichodontidae +trichoepithelioma +trichogen +trichogenous +trichogyne +trichogynial +trichogynic +trichoglossia +Trichoglossidae +Trichoglossinae +trichoglossine +Trichogramma +Trichogrammatidae +trichoid +Tricholaena +trichology +trichological +trichologist +Tricholoma +trichoma +Trichomanes +trichomaphyte +trichomatose +trichomatosis +trichomatous +trichome +trichomes +trichomic +trichomycosis +trichomonacidal +trichomonacide +trichomonad +trichomonadal +Trichomonadidae +trichomonal +Trichomonas +trichomoniasis +Trichonympha +trichonosis +trichonosus +trichonotid +trichopathy +trichopathic +trichopathophobia +trichophyllous +trichophyte +trichophytia +trichophytic +Trichophyton +trichophytosis +trichophobia +trichophore +trichophoric +Trichoplax +trichopore +trichopter +Trichoptera +trichopteran +trichopterygid +Trichopterygidae +trichopteron +trichopterous +trichord +trichorrhea +trichorrhexic +trichorrhexis +Trichosanthes +trichoschisis +trichoschistic +trichoschistism +trichosis +trichosporange +trichosporangial +trichosporangium +Trichosporum +trichostasis +Trichostema +trichostrongyle +trichostrongylid +Trichostrongylus +trichothallic +trichotillomania +trichotomy +trichotomic +trichotomies +trichotomism +trichotomist +trichotomize +trichotomous +trichotomously +trichous +trichroic +trichroism +trichromat +trichromate +trichromatic +trichromatism +trichromatist +trichromatopsia +trichrome +trichromic +trichronous +trichuriases +trichuriasis +Trichuris +Trici +Tricia +tricyanide +tricycle +tricycled +tricyclene +tricycler +tricycles +tricyclic +tricycling +tricyclist +tricing +tricinium +tricipital +tricircular +Tricyrtis +tri-city +trick +Tryck +tricked +tricker +trickery +trickeries +trickers +trickful +tricky +trickie +trickier +trickiest +trickily +trickiness +tricking +trickingly +trickish +trickishly +trickishness +trickle +trickled +trickles +trickless +tricklet +trickly +tricklier +trickliest +tricklike +trickling +tricklingly +trickment +trick-or-treat +trick-or-treater +trick-o-the-loop +trickproof +tricks +tricksy +tricksical +tricksier +tricksiest +tricksily +tricksiness +tricksome +trickster +trickstering +tricksters +trickstress +tricktrack +triclad +Tricladida +triclads +triclclinia +triclinate +triclinia +triclinial +tricliniarch +tricliniary +triclinic +triclinium +triclinohedric +tricoccose +tricoccous +tricolette +tricolic +tricolon +tricolor +tricolored +tricolors +tricolour +tricolumnar +tricompound +tricon +triconch +Triconodon +triconodont +Triconodonta +triconodonty +triconodontid +triconodontoid +triconsonantal +triconsonantalism +tricophorous +tricoryphean +tricorn +tricorne +tricornered +tricornes +tricorns +tricornute +tricorporal +tricorporate +tricosane +tricosanone +tricosyl +tricosylic +tricostate +tricot +tricotee +tricotyledonous +tricotine +tricots +tricouni +tricresol +tricrotic +tricrotism +tricrotous +tricrural +trictrac +tric-trac +trictracs +tricurvate +tricuspal +tricuspid +tricuspidal +tricuspidate +tricuspidated +tricussate +trid +Tridacna +Tridacnidae +tridactyl +tridactylous +tridaily +triddler +tridecane +tridecene +tridecyl +tridecilateral +tridecylene +tridecylic +tridecoic +Tridell +trident +tridental +tridentate +tridentated +tridentiferous +Tridentine +Tridentinian +tridentlike +tridents +trident-shaped +Tridentum +tridepside +tridermic +tridiagonal +tridiametral +tridiapason +tridigitate +tridii +tridimensional +tridimensionality +tridimensionally +tridimensioned +tridymite +tridymite-trachyte +tridynamous +tridiurnal +tridominium +tridra +tridrachm +triduam +triduan +triduo +triduum +triduums +triecious +trieciously +tried +tried-and-trueness +triedly +triedness +trieennia +trielaidin +triene +trienes +triennia +triennial +trienniality +triennially +triennials +triennias +triennium +trienniums +triens +Trient +triental +Trientalis +trientes +triequal +Trier +trierarch +trierarchal +trierarchy +trierarchic +trierarchies +tryer-out +triers +trierucin +tries +Trieste +tri-ester +trieteric +trieterics +triethanolamine +triethyl +triethylamine +triethylstibine +trifa +trifacial +trifanious +trifarious +trifasciated +trifecta +triferous +trifid +trifilar +trifistulary +triflagellate +trifle +trifled +trifledom +trifler +triflers +trifles +triflet +trifly +trifling +triflingly +triflingness +triflings +trifloral +triflorate +triflorous +trifluoperazine +trifluoride +trifluorochloromethane +trifluouride +trifluralin +trifocal +trifocals +trifoil +trifold +trifoly +trifoliate +trifoliated +trifoliolate +trifoliosis +Trifolium +triforia +triforial +triforium +triform +triformed +triformin +triformity +triformous +trifornia +trifoveolate +trifuran +trifurcal +trifurcate +trifurcated +trifurcating +trifurcation +trig +trig. +triga +trigae +trigamy +trigamist +trigamous +trigatron +trigeminal +trigemini +trigeminous +trigeminus +trigeneric +Trigere +trigesimal +trigesimo-secundo +trigged +trigger +triggered +triggerfish +triggerfishes +trigger-happy +triggering +triggerless +triggerman +trigger-men +triggers +triggest +trigging +trigyn +Trigynia +trigynian +trigynous +trigintal +trigintennial +Trigla +triglandular +trigly +triglyceride +triglycerides +triglyceryl +triglid +Triglidae +triglyph +triglyphal +triglyphed +triglyphic +triglyphical +triglyphs +triglochid +Triglochin +triglot +trigness +trignesses +trigo +trigon +Trygon +Trigona +trigonal +trigonally +trigone +Trigonella +trigonellin +trigonelline +trigoneutic +trigoneutism +Trigonia +Trigoniaceae +trigoniacean +trigoniaceous +trigonic +trigonid +Trygonidae +Trigoniidae +trigonite +trigonitis +trigono- +trigonocephaly +trigonocephalic +trigonocephalous +Trigonocephalus +trigonocerous +trigonododecahedron +trigonodont +trigonoid +trigonometer +trigonometry +trigonometria +trigonometric +trigonometrical +trigonometrically +trigonometrician +trigonometries +trigonon +trigonotype +trigonous +trigons +trigonum +trigos +trigram +trigrammatic +trigrammatism +trigrammic +trigrams +trigraph +trigraphic +trigraphs +trigs +triguttulate +Trygve +trihalid +trihalide +trihedra +trihedral +trihedron +trihedrons +trihemeral +trihemimer +trihemimeral +trihemimeris +trihemiobol +trihemiobolion +trihemitetartemorion +trihybrid +trihydrate +trihydrated +trihydric +trihydride +trihydrol +trihydroxy +trihypostatic +trihoral +trihourly +tryhouse +trying +tryingly +tryingness +tri-iodide +triiodomethane +triiodothyronine +trijet +trijets +trijugate +trijugous +trijunction +trikaya +trike +triker +trikeria +trikerion +trikes +triketo +triketone +trikir +Trikora +trilabe +trilabiate +Trilafon +trilamellar +trilamellated +trilaminar +trilaminate +trilarcenous +trilateral +trilaterality +trilaterally +trilateralness +trilateration +trilaurin +Trilbee +Trilbi +Trilby +Trilbie +trilbies +Triley +trilemma +trilinear +trilineate +trilineated +trilingual +trilingualism +trilingually +trilinguar +trilinolate +trilinoleate +trilinolenate +trilinolenin +Trilisa +trilit +trilite +triliteral +triliteralism +triliterality +triliterally +triliteralness +trilith +trilithic +trilithon +trilium +Trill +Trilla +trillachan +trillado +trillando +Trillbee +Trillby +trilled +Trilley +triller +trillers +trillet +trilleto +trilletto +trilli +Trilly +Trilliaceae +trilliaceous +trillibub +trilliin +trillil +trilling +trillion +trillionaire +trillionize +trillions +trillionth +trillionths +Trillium +trilliums +trillo +trilloes +trills +trilobal +trilobate +trilobated +trilobation +trilobe +trilobed +Trilobita +trilobite +trilobitic +trilocular +triloculate +trilogy +trilogic +trilogical +trilogies +trilogist +Trilophodon +trilophodont +triluminar +triluminous +trim +tryma +trimacer +trimacular +trimaculate +trimaculated +trim-ankled +trimaran +trimarans +trimargarate +trimargarin +trimastigate +trymata +trim-bearded +Trimble +trim-bodiced +trim-bodied +trim-cut +trim-dressed +trimellic +trimellitic +trimembral +trimensual +trimer +Trimera +trimercuric +Trimeresurus +trimeric +trimeride +trimerite +trimerization +trimerous +trimers +trimesic +trimesyl +trimesinic +trimesitic +trimesitinic +trimester +trimesters +trimestral +trimestrial +trimetalism +trimetallic +trimetallism +trimeter +trimeters +trimethadione +trimethyl +trimethylacetic +trimethylamine +trimethylbenzene +trimethylene +trimethylglycine +trimethylmethane +trimethylstibine +trimethoxy +trimetric +trimetrical +trimetrogon +trim-hedged +tri-mide +trimyristate +trimyristin +trim-kept +trimly +trim-looking +trimmed +Trimmer +trimmers +trimmest +trimming +trimmingly +trimmings +trimness +trimnesses +trimodal +trimodality +trimolecular +Trimont +trimonthly +trimoric +trimorph +trimorphic +trimorphism +trimorphous +trimorphs +trimotor +trimotored +trimotors +trims +tryms +trimscript +trimscripts +trimstone +trim-suited +trim-swept +trimtram +trimucronatus +trim-up +Trimurti +trimuscular +trim-waisted +Trin +Trina +Trinacria +Trinacrian +trinal +trinality +trinalize +trinary +trination +trinational +Trinatte +Trinchera +Trincomalee +Trincomali +trindle +trindled +trindles +trindling +trine +trined +Trinee +trinely +trinervate +trinerve +trinerved +trines +Trinetta +Trinette +trineural +Tringa +tringine +tringle +tringoid +Trini +Triny +Trinia +Trinidad +Trinidadian +trinidado +Trinil +trining +Trinitarian +Trinitarianism +trinitarians +Trinity +trinities +trinityhood +trinitytide +trinitrate +trinitration +trinitrid +trinitride +trinitrin +trinitro +trinitro- +trinitroaniline +trinitrobenzene +trinitrocarbolic +trinitrocellulose +trinitrocresol +trinitroglycerin +trinitromethane +trinitrophenylmethylnitramine +trinitrophenol +trinitroresorcin +trinitrotoluene +trinitrotoluol +trinitroxylene +trinitroxylol +trink +trinkerman +trinkermen +trinket +trinketed +trinketer +trinkety +trinketing +trinketry +trinketries +trinkets +trinket's +Trinkgeld +trinkle +trinklement +trinklet +trinkum +trinkums +trinkum-trankum +Trinl +Trinobantes +trinoctial +trinoctile +trinocular +trinodal +trinode +trinodine +trinol +trinomen +trinomial +trinomialism +trinomialist +trinomiality +trinomially +trinopticon +Trinorantum +Trinovant +Trinovantes +trintle +trinucleate +trinucleotide +Trinucleus +trinunity +Trinway +Trio +triobol +triobolon +trioctile +triocular +triode +triode-heptode +triodes +triodia +triodion +Triodon +Triodontes +Triodontidae +triodontoid +Triodontoidea +Triodontoidei +Triodontophorus +Trioecia +trioecious +trioeciously +trioecism +trioecs +trioicous +triol +triolcous +triole +trioleate +triolefin +triolefine +trioleic +triolein +triolet +triolets +triology +triols +Trion +Tryon +try-on +Trional +triones +trionfi +trionfo +trionychid +Trionychidae +trionychoid +Trionychoideachid +trionychoidean +trionym +trionymal +Trionyx +trioperculate +Triopidae +Triops +trior +triorchis +triorchism +triorthogonal +trios +triose +trioses +Triosteum +tryout +tryouts +triovulate +trioxazine +trioxid +trioxide +trioxides +trioxids +trioxymethylene +triozonid +triozonide +Trip +tryp +trypa +tripack +tri-pack +tripacks +trypaflavine +tripal +tripaleolate +tripalmitate +tripalmitin +trypan +trypaneid +Trypaneidae +trypanocidal +trypanocide +trypanolysin +trypanolysis +trypanolytic +trypanophobia +Trypanosoma +trypanosomacidal +trypanosomacide +trypanosomal +trypanosomatic +Trypanosomatidae +trypanosomatosis +trypanosomatous +trypanosome +trypanosomiasis +trypanosomic +tripara +Tryparsamide +tripart +triparted +tripartedly +tripartible +tripartient +tripartite +tripartitely +tripartition +tripaschal +tripe +tripedal +tripe-de-roche +tripe-eating +tripel +tripelennamine +tripelike +tripeman +tripemonger +tripennate +tripenny +tripeptide +tripery +triperies +tripersonal +tri-personal +tripersonalism +tripersonalist +tripersonality +tripersonally +tripes +tripe-selling +tripeshop +tripestone +Trypeta +tripetaloid +tripetalous +trypetid +Trypetidae +tripewife +tripewoman +trip-free +triphammer +trip-hammer +triphane +triphase +triphaser +Triphasia +triphasic +Tryphena +triphenyl +triphenylamine +triphenylated +triphenylcarbinol +triphenylmethane +triphenylmethyl +triphenylphosphine +triphibian +triphibious +triphyletic +triphyline +triphylite +triphyllous +Triphysite +triphony +Triphora +Tryphosa +triphosphate +triphthong +triphthongal +tripy +trypiate +Tripylaea +tripylaean +Tripylarian +tripylean +tripinnate +tripinnated +tripinnately +tripinnatifid +tripinnatisect +tripyrenous +Tripitaka +tripl +tripla +triplane +triplanes +Triplaris +triplasian +triplasic +triple +triple-acting +triple-action +triple-aisled +triple-apsidal +triple-arched +triple-awned +tripleback +triple-barbed +triple-barred +triple-bearded +triple-bodied +triple-bolted +triple-branched +triple-check +triple-chorded +triple-cylinder +triple-colored +triple-crested +triple-crowned +tripled +triple-deck +triple-decked +triple-decker +triple-dyed +triple-edged +triple-entry +triple-expansion +triplefold +triple-formed +triple-gemmed +triplegia +triple-hatted +triple-headed +triple-header +triple-hearth +triple-ingrain +triple-line +triple-lived +triple-lock +triple-nerved +tripleness +triple-piled +triple-pole +tripler +triple-rayed +triple-ribbed +triple-rivet +triple-roofed +triples +triple-space +triple-stranded +triplet +tripletail +triple-tailed +triple-terraced +triple-thread +triple-throated +triple-throw +triple-tiered +triple-tongue +triple-tongued +triple-tonguing +triple-toothed +triple-towered +tripletree +triplets +triplet's +Triplett +triple-turned +triple-turreted +triple-veined +triple-wick +triplewise +Triplex +triplexes +triplexity +triply +tri-ply +triplicate +triplicated +triplicately +triplicate-pinnate +triplicates +triplicate-ternate +triplicating +triplication +triplications +triplicative +triplicature +Triplice +Triplicist +triplicity +triplicities +triplicostate +tripliform +triplinerved +tripling +triplite +triplites +triplo- +triploblastic +triplocaulescent +triplocaulous +Triplochitonaceae +triploid +triploidy +triploidic +triploidite +triploids +triplopy +triplopia +triplum +triplumbic +tripmadam +trip-madam +tripod +tripodal +trypodendron +tripody +tripodial +tripodian +tripodic +tripodical +tripodies +tripods +trypograph +trypographic +tripointed +tripolar +Tripoli +Tripoline +tripolis +Tripolitan +Tripolitania +tripolite +tripos +triposes +tripot +try-pot +tripotage +tripotassium +tripoter +Tripp +trippant +tripped +tripper +trippers +trippet +trippets +tripping +trippingly +trippingness +trippings +trippist +tripple +trippler +trips +trip's +Tripsacum +tripsill +trypsin +trypsinize +trypsinogen +trypsins +tripsis +tripsome +tripsomely +tript +tryptamine +triptane +triptanes +tryptase +tripterous +tryptic +triptyca +triptycas +triptych +triptychs +triptyque +trip-toe +tryptogen +Triptolemos +Triptolemus +tryptone +tryptonize +tryptophan +tryptophane +triptote +tripudia +tripudial +tripudiant +tripudiary +tripudiate +tripudiation +tripudist +tripudium +tripunctal +tripunctate +Tripura +tripwire +triquadrantal +triquet +triquetra +triquetral +triquetric +triquetrous +triquetrously +triquetrum +triquinate +triquinoyl +triradial +triradially +triradiate +triradiated +triradiately +triradiation +triradii +triradius +triradiuses +Triratna +trirectangular +triregnum +trireme +triremes +trirhombohedral +trirhomboidal +triricinolein +Tris +Trisa +trisaccharide +trisaccharose +trisacramentarian +Trisagion +trysail +trysails +trisalt +trisazo +triscele +trisceles +trisceptral +trisect +trisected +trisecting +trisection +trisections +trisector +trisectrix +trisects +triseme +trisemes +trisemic +trisensory +trisepalous +triseptate +triserial +triserially +triseriate +triseriatim +trisetose +Trisetum +Trish +Trisha +trishaw +trishna +trisylabic +trisilane +trisilicane +trisilicate +trisilicic +trisyllabic +trisyllabical +trisyllabically +trisyllabism +trisyllabity +trisyllable +trisinuate +trisinuated +triskaidekaphobe +triskaidekaphobes +triskaidekaphobia +triskele +triskeles +triskelia +triskelion +trismegist +trismegistic +Trismegistus +trismic +trismus +trismuses +trisoctahedral +trisoctahedron +trisodium +trisome +trisomes +trisomy +trisomic +trisomics +trisomies +trisonant +Trisotropis +trispast +trispaston +trispermous +trispinose +trisplanchnic +trisporic +trisporous +trisquare +trist +tryst +Trista +tristachyous +Tristam +Tristan +Tristania +Tristas +tristate +Tri-state +triste +tryste +tristearate +tristearin +trysted +tristeness +tryster +trysters +trystes +tristesse +tristetrahedron +tristeza +tristezas +tristful +tristfully +tristfulness +tristich +Tristichaceae +tristichic +tristichous +tristichs +tristigmatic +tristigmatose +tristyly +tristiloquy +tristylous +tristimulus +trysting +Tristis +tristisonous +tristive +Tristram +Tristrem +trysts +trisubstituted +trisubstitution +trisul +trisula +trisulc +trisulcate +trisulcated +trisulfate +trisulfid +trisulfide +trisulfone +trisulfoxid +trisulfoxide +trisulphate +trisulphid +trisulphide +trisulphone +trisulphonic +trisulphoxid +trisulphoxide +trit +tryt +tritactic +tritagonist +tritangent +tritangential +tritanope +tritanopia +tritanopic +tritanopsia +tritanoptic +tritaph +trite +Triteleia +tritely +tritemorion +tritencephalon +triteness +triter +triternate +triternately +triterpene +triterpenoid +tritest +tritetartemorion +tritheism +tritheist +tritheistic +tritheistical +tritheite +tritheocracy +trithing +trithings +trithioaldehyde +trithiocarbonate +trithiocarbonic +trithionate +trithionates +trithionic +Trithrinax +tritiate +tritiated +tritical +triticale +triticality +tritically +triticalness +triticeous +triticeum +triticin +triticism +triticoid +Triticum +triticums +trityl +Tritylodon +tritish +tritium +tritiums +trito- +tritocerebral +tritocerebrum +tritocone +tritoconid +Tritogeneia +tritolo +Tritoma +tritomas +tritomite +Triton +tritonal +tritonality +tritone +tritones +Tritoness +Tritonia +Tritonic +Tritonidae +tritonymph +tritonymphal +Tritonis +tritonoid +tritonous +tritons +tritopatores +trytophan +tritopine +tritor +tritoral +tritorium +tritoxide +tritozooid +tritriacontane +trittichan +trit-trot +tritubercular +Trituberculata +trituberculy +trituberculism +tri-tunnel +triturable +tritural +triturate +triturated +triturates +triturating +trituration +triturator +triturators +triturature +triture +triturium +Triturus +triumf +Triumfetta +Triumph +triumphal +triumphance +triumphancy +triumphant +triumphantly +triumphator +triumphed +triumpher +triumphing +triumphs +triumphwise +triumvir +triumviral +triumvirate +triumvirates +triumviri +triumviry +triumvirs +triumvirship +triunal +Triune +triunes +triungulin +triunification +triunion +Triunitarian +Triunity +triunities +triunsaturated +triurid +Triuridaceae +Triuridales +Triuris +trivalence +trivalency +trivalent +trivalerin +trivalve +trivalves +trivalvular +Trivandrum +trivant +trivantly +trivariant +trivat +triverbal +triverbial +trivet +trivets +trivette +trivetwise +trivia +trivial +trivialisation +trivialise +trivialised +trivialising +trivialism +trivialist +triviality +trivialities +trivialization +trivialize +trivializing +trivially +trivialness +trivirga +trivirgate +trivium +Trivoli +trivoltine +trivvet +triweekly +triweeklies +triweekliess +triwet +tryworks +trix +Trixi +Trixy +Trixie +trizoic +trizomal +trizonal +trizone +Trizonia +TRMTR +tRNA +Tro +Troad +troak +troaked +troaking +troaks +Troas +troat +trobador +troca +trocaical +trocar +trocars +trocar-shaped +troch +trocha +Trochaic +trochaicality +trochaically +trochaics +trochal +trochalopod +Trochalopoda +trochalopodous +trochanter +trochanteral +trochanteric +trochanterion +trochantin +trochantine +trochantinian +trochar +trochars +trochart +trochate +troche +trocheameter +troched +trochee +trocheeize +trochees +trochelminth +Trochelminthes +troches +trocheus +trochi +trochid +Trochidae +trochiferous +trochiform +trochil +Trochila +Trochili +trochilic +trochilics +trochilidae +trochilidine +trochilidist +trochiline +trochilopodous +trochilos +trochils +trochiluli +Trochilus +troching +trochiscation +trochisci +trochiscus +trochisk +trochite +trochitic +Trochius +trochlea +trochleae +trochlear +trochleary +trochleariform +trochlearis +trochleas +trochleate +trochleiform +trocho- +trochocephaly +trochocephalia +trochocephalic +trochocephalus +Trochodendraceae +trochodendraceous +Trochodendron +trochoid +trochoidal +trochoidally +trochoides +trochoids +trochometer +trochophore +Trochosphaera +Trochosphaerida +trochosphere +trochospherical +Trochozoa +trochozoic +trochozoon +Trochus +trock +trocked +trockery +Trocki +trocking +trocks +troco +troctolite +trod +trodden +trode +TRODI +troegerite +Troezenian +TROFF +troffer +troffers +troft +trog +trogerite +trogger +troggin +troggs +troglodytal +troglodyte +Troglodytes +troglodytic +troglodytical +Troglodytidae +Troglodytinae +troglodytish +troglodytism +trogon +Trogones +Trogonidae +Trogoniformes +trogonoid +trogons +trogs +trogue +Troy +Troiades +Troic +Troyes +troika +troikas +troilism +troilite +troilites +Troilus +troiluses +Troynovant +Troyon +trois +troys +Trois-Rivieres +Troytown +Trojan +Trojan-horse +trojans +troke +troked +troker +trokes +troking +troland +trolands +trolatitious +troll +trolldom +troll-drum +trolled +trolley +trolleybus +trolleyed +trolleyer +trolleyful +trolleying +trolleyman +trolleymen +trolleys +trolley's +trolleite +troller +trollers +trollflower +trolly +trollied +trollies +trollying +trollyman +trollymen +trollimog +trolling +trollings +Trollius +troll-madam +trollman +trollmen +trollol +trollop +Trollope +Trollopean +Trollopeanism +trollopy +Trollopian +trolloping +trollopish +trollops +trolls +troll's +tromba +trombash +trombe +trombiculid +trombidiasis +Trombidiidae +trombidiosis +Trombidium +trombone +trombones +trombony +trombonist +trombonists +Trometer +trommel +trommels +tromometer +tromometry +tromometric +tromometrical +Tromp +trompe +tromped +trompes +trompil +trompillo +tromping +tromple +tromps +Tromso +tron +Trona +tronador +tronage +tronas +tronc +Trondheim +Trondhjem +trondhjemite +trone +troner +trones +tronk +Tronna +troodont +trooly +troolie +troop +trooped +trooper +trooperess +troopers +troopfowl +troopial +troopials +trooping +troop-lined +troops +troopship +troopships +troop-thronged +troopwise +trooshlach +troostite +troostite-martensite +troostitic +troosto-martensite +troot +trooz +trop +trop- +tropacocaine +Tropaean +tropaeola +tropaeolaceae +tropaeolaceous +tropaeoli +tropaeolin +Tropaeolum +tropaeolums +tropaia +tropaion +tropal +tropary +troparia +troparion +tropate +trope +tropeic +tropein +tropeine +Tropeolin +troper +tropes +tropesis +troph- +trophaea +trophaeum +trophal +trophallactic +trophallaxis +trophectoderm +trophedema +trophema +trophesy +trophesial +trophi +trophy +trophic +trophical +trophically +trophicity +trophied +trophies +trophying +trophyless +Trophis +trophy's +trophism +trophywort +tropho- +trophobiont +trophobiosis +trophobiotic +trophoblast +trophoblastic +trophochromatin +trophocyte +trophoderm +trophodynamic +trophodynamics +trophodisc +trophogenesis +trophogeny +trophogenic +trophology +trophon +trophonema +trophoneurosis +trophoneurotic +Trophonian +trophonucleus +trophopathy +trophophyte +trophophore +trophophorous +trophoplasm +trophoplasmatic +trophoplasmic +trophoplast +trophosomal +trophosome +trophosperm +trophosphere +trophospongia +trophospongial +trophospongium +trophospore +trophotaxis +trophotherapy +trophothylax +trophotropic +trophotropism +trophozoite +trophozooid +tropy +tropia +tropic +tropical +Tropicalia +Tropicalian +tropicalih +tropicalisation +tropicalise +tropicalised +tropicalising +tropicality +tropicalization +tropicalize +tropicalized +tropicalizing +tropically +tropicbird +tropicopolitan +tropics +tropic's +tropidine +Tropidoleptus +tropyl +tropin +tropine +tropines +tropins +tropism +tropismatic +tropisms +tropist +tropistic +tropo- +tropocaine +tropocollagen +tropoyl +tropology +tropologic +tropological +tropologically +tropologies +tropologize +tropologized +tropologizing +tropometer +tropomyosin +troponin +tropopause +tropophil +tropophilous +tropophyte +tropophytic +troposphere +tropospheric +tropostereoscope +tropotaxis +tropous +troppaia +troppo +troptometer +Tros +Trosky +Trosper +Trossachs +trostera +Trot +trotcozy +Troth +troth-contracted +trothed +trothful +trothing +troth-keeping +trothless +trothlessness +trothlike +trothplight +troth-plight +troths +troth-telling +trotyl +trotyls +trotlet +trotline +trotlines +trotol +trots +Trotsky +Trotskyism +Trotskyist +Trotskyite +Trotta +trotted +Trotter +Trotters +trotteur +trotty +trottie +trotting +trottles +trottoir +trottoired +Trotwood +troubador +troubadour +troubadourish +troubadourism +troubadourist +troubadours +Troubetzkoy +trouble +trouble-bringing +troubled +troubledly +troubledness +trouble-free +trouble-giving +trouble-haunted +trouble-house +troublemaker +troublemakers +troublemaker's +troublemaking +troublement +trouble-mirth +troubleproof +troubler +troublers +troubles +trouble-saving +troubleshoot +troubleshooted +troubleshooter +trouble-shooter +troubleshooters +troubleshooting +troubleshoots +troubleshot +troublesome +troublesomely +troublesomeness +troublesshot +trouble-tossed +trouble-worn +troubly +troubling +troublingly +troublous +troublously +troublousness +trou-de-coup +trou-de-loup +troue +trough +troughed +troughful +troughy +troughing +troughlike +troughs +trough-shaped +troughster +troughway +troughwise +trounce +trounced +trouncer +trouncers +trounces +trouncing +Troup +troupand +troupe +trouped +trouper +troupers +troupes +troupial +troupials +trouping +Troupsburg +trouse +trouser +trouserdom +trousered +trouserettes +trouserian +trousering +trouserless +trouser-press +trousers +trouss +trousse +trousseau +trousseaus +trousseaux +Trout +troutbird +trout-colored +Troutdale +trouter +trout-famous +troutflower +troutful +trout-haunted +trouty +troutier +troutiest +troutiness +troutless +troutlet +troutlike +troutling +Troutman +trout-perch +trouts +Troutville +trouv +trouvaille +trouvailles +Trouvelot +trouvere +trouveres +trouveur +trouveurs +Trouville +trouvre +trovatore +trove +troveless +trover +trovers +troves +Trovillion +Trow +trowable +trowane +Trowbridge +trowed +trowel +trowelbeak +troweled +troweler +trowelers +trowelful +troweling +trowelled +troweller +trowelling +trowelman +trowels +trowel's +trowel-shaped +trowie +trowing +trowlesworthite +trowman +trows +trowsers +trowth +trowths +Troxell +Troxelville +trp +trpset +TRR +trs +TRSA +Trst +Trstram +trt +tr-ties +truancy +truancies +truandise +truant +truantcy +truanted +truanting +truantism +truantly +truantlike +truantness +truantry +truantries +truants +truant's +truantship +trub +Trubetskoi +Trubetzkoy +Trubow +trubu +Truc +truce +trucebreaker +trucebreaking +truced +truce-hating +truceless +trucemaker +trucemaking +truces +truce-seeking +trucha +truchman +trucial +trucidation +trucing +truck +truckage +truckages +truckdriver +trucked +Truckee +trucker +truckers +truckful +truckie +trucking +truckings +truckle +truckle-bed +truckled +truckler +trucklers +Truckles +trucklike +truckline +truckling +trucklingly +truckload +truckloads +truckman +truckmaster +truckmen +trucks +truckster +truckway +truculence +truculency +truculencies +truculent +truculental +truculently +truculentness +Truda +truddo +Trude +Trudeau +Trudey +trudellite +trudge +trudged +trudgen +trudgens +trudgeon +trudgeons +trudger +trudgers +trudges +trudging +Trudi +Trudy +Trudie +Trudnak +true +true-aimed +true-based +true-begotten +true-believing +Trueblood +true-blooded +trueblue +true-blue +trueblues +trueborn +true-born +true-breasted +truebred +true-bred +trued +true-dealing +true-derived +true-devoted +true-disposing +true-divining +true-eyed +true-false +true-felt +true-grained +truehearted +true-hearted +trueheartedly +trueheartedness +true-heartedness +true-heroic +trueing +true-life +truelike +Truelove +true-love +trueloves +true-made +Trueman +true-mannered +true-meaning +true-meant +trueness +truenesses +true-noble +true-paced +truepenny +truer +true-ringing +true-run +trues +Truesdale +true-seeming +true-souled +true-speaking +true-spelling +true-spirited +true-spoken +truest +true-stamped +true-strung +true-sublime +true-sweet +true-thought +true-to-lifeness +true-toned +true-tongued +truewood +Trufant +truff +truffe +truffes +truffle +truffled +trufflelike +truffler +truffles +trufflesque +trug +trugmallion +trugs +truing +truish +truism +truismatic +truisms +truism's +truistic +truistical +truistically +Truitt +Trujillo +Truk +Trula +truly +trull +Trullan +truller +trulli +trullisatio +trullisatios +trullization +trullo +trulls +Trumaine +Truman +Trumann +Trumansburg +trumbash +Trumbauersville +Trumbull +trumeau +trumeaux +trummel +trump +trumped +trumped-up +trumper +trumpery +trumperies +trumperiness +trumpet +trumpet-blowing +trumpetbush +trumpeted +trumpeter +trumpeters +trumpetfish +trumpetfishes +trumpet-hung +trumpety +trumpeting +trumpetleaf +trumpet-leaf +trumpet-leaves +trumpetless +trumpetlike +trumpet-loud +trumpetry +trumpets +trumpet-shaped +trumpet-toned +trumpet-tongued +trumpet-tree +trumpet-voiced +trumpetweed +trumpetwood +trumph +trumpie +trumping +trumpless +trumplike +trump-poor +trumps +trumscheit +trun +truncage +truncal +truncate +truncated +truncately +Truncatella +Truncatellidae +truncates +truncating +truncation +truncations +truncation's +truncator +truncatorotund +truncatosinuate +truncature +trunch +trunched +truncheon +truncheoned +truncheoner +truncheoning +truncheons +truncher +trunchman +truncus +trundle +trundle-bed +trundled +trundlehead +trundler +trundlers +trundles +trundleshot +trundletail +trundle-tail +trundling +trunk +trunkback +trunk-breeches +trunked +trunkfish +trunk-fish +trunkfishes +trunkful +trunkfuls +trunk-hose +trunking +trunkless +trunkmaker +trunk-maker +trunknose +trunks +trunk's +trunkway +trunkwork +trunnel +trunnels +trunnion +trunnioned +trunnionless +trunnions +truong +Truro +Truscott +trush +trusion +TRUSIX +truss +truss-bound +trussed +trussell +trusser +trussery +trussers +trusses +truss-galled +truss-hoop +trussing +trussings +trussmaker +trussmaking +Trussville +trusswork +Trust +trustability +trustable +trustableness +trustably +trust-bolstering +trust-breaking +trustbuster +trustbusting +trust-controlled +trust-controlling +trusted +trustee +trusteed +trusteeing +trusteeism +trustees +trustee's +trusteeship +trusteeships +trusteing +trusten +truster +trusters +trustful +trustfully +trustfulness +trusty +trustier +trusties +trustiest +trustify +trustification +trustified +trustifying +trustihood +trustily +trustiness +trusting +trustingly +trust-ingly +trustingness +trustle +trustless +trustlessly +trustlessness +trustman +trustmen +trustmonger +trustor +trustors +trust-regulating +trust-ridden +trusts +trust-winning +trustwoman +trustwomen +trustworthy +trustworthier +trustworthiest +trustworthily +trustworthiness +trustworthinesses +Truth +truthable +truth-armed +truth-bearing +truth-cloaking +truth-cowed +truth-declaring +truth-denying +truth-desiring +truth-destroying +truth-dictated +truth-filled +truthful +truthfully +truthfulness +truthfulnesses +truth-function +truth-functional +truth-functionally +truth-guarding +truthy +truthify +truthiness +truth-instructed +truth-led +truthless +truthlessly +truthlessness +truthlike +truthlikeness +truth-loving +truth-mocking +truth-passing +truth-perplexing +truth-revealing +truths +truth-seeking +truth-shod +truthsman +truth-speaking +truthteller +truthtelling +truth-telling +truth-tried +truth-value +truth-writ +trutinate +trutination +trutine +Trutko +Trutta +truttaceous +truvat +truxillic +truxillin +truxilline +Truxton +TRW +TS +t's +tsade +tsades +tsadi +tsadik +tsadis +Tsai +tsamba +Tsan +Tsana +tsantsa +TSAP +tsar +tsardom +tsardoms +tsarevitch +tsarevna +tsarevnas +tsarina +tsarinas +tsarism +tsarisms +tsarist +tsaristic +tsarists +Tsaritsyn +tsaritza +tsaritzas +tsars +tsarship +tsatlee +Tsattine +Tschaikovsky +tscharik +tscheffkinite +Tscherkess +tschernosem +TSCPF +TSD +TSDU +TSE +TSEL +Tselinograd +Tseng +tsere +tsessebe +tsetse +tsetses +TSF +TSgt +TSH +Tshi +Tshiluba +T-shirt +Tshombe +TSI +tsia +Tsiltaden +tsimmes +Tsimshian +Tsimshians +tsine +Tsinghai +Tsingyuan +tsingtauite +Tsinkiang +Tsiolkovsky +tsiology +Tsiranana +Tsitsihar +tsitsith +tsk +tsked +tsking +tsks +tsktsk +tsktsked +tsktsking +tsktsks +TSM +TSO +Tsoneca +Tsonecan +Tsonga +tsooris +tsores +tsoris +tsorriss +TSORT +tsotsi +TSP +TSPS +T-square +TSR +TSS +TSST +TST +TSTO +T-stop +TSTS +tsuba +tsubo +Tsuda +Tsuga +Tsugouharu +Tsui +Tsukahara +tsukupin +Tsuma +tsumebite +tsun +tsunami +tsunamic +tsunamis +tsungtu +tsures +tsuris +tsurugi +Tsushima +Tsutsutsi +Tswana +Tswanas +TT +TTC +TTD +TTFN +TTY +TTYC +TTL +TTMA +TTP +TTS +TTTN +TTU +TU +Tu. +tua +Tualati +Tualatin +Tuamotu +Tuamotuan +tuan +tuant +Tuareg +tuarn +tuart +tuatara +tuataras +tuatera +tuateras +tuath +tub +Tuba +Tubac +tubae +tubage +tubaist +tubaists +tubal +Tubalcain +Tubal-cain +tubaphone +tubar +tubaron +tubas +tubate +tubatoxin +Tubatulabal +Tubb +tubba +tubbable +tubbal +tubbeck +tubbed +tubber +tubbers +tubby +tubbie +tubbier +tubbiest +tubbiness +tubbing +tubbish +tubbist +tubboe +tub-brained +tub-coopering +tube +tube-bearing +tubectomy +tubectomies +tube-curing +tubed +tube-drawing +tube-drilling +tube-eye +tube-eyed +tube-eyes +tube-fed +tube-filling +tubeflower +tubeform +tubeful +tubehead +tubehearted +tubeless +tubelet +tubelike +tubemaker +tubemaking +tubeman +tubemen +tubenose +tube-nosed +tuber +Tuberaceae +tuberaceous +Tuberales +tuberation +tubercle +tubercled +tuberclelike +tubercles +tubercul- +tubercula +tubercular +Tubercularia +Tuberculariaceae +tuberculariaceous +tubercularisation +tubercularise +tubercularised +tubercularising +tubercularization +tubercularize +tubercularized +tubercularizing +tubercularly +tubercularness +tuberculate +tuberculated +tuberculatedly +tuberculately +tuberculation +tuberculatogibbous +tuberculatonodose +tuberculatoradiate +tuberculatospinous +tubercule +tuberculed +tuberculid +tuberculide +tuberculiferous +tuberculiform +tuberculin +tuberculination +tuberculine +tuberculinic +tuberculinisation +tuberculinise +tuberculinised +tuberculinising +tuberculinization +tuberculinize +tuberculinized +tuberculinizing +tuberculisation +tuberculise +tuberculised +tuberculising +tuberculization +tuberculize +tuberculo- +tuberculocele +tuberculocidin +tuberculoderma +tuberculoid +tuberculoma +tuberculomania +tuberculomas +tuberculomata +tuberculophobia +tuberculoprotein +tuberculose +tuberculosectorial +tuberculosed +tuberculoses +tuberculosis +tuberculotherapy +tuberculotherapist +tuberculotoxin +tuberculotrophic +tuberculous +tuberculously +tuberculousness +tuberculum +tuberiferous +tuberiform +tuberin +tuberization +tuberize +tuberless +tuberoid +tube-rolling +tuberose +tuberoses +tuberosity +tuberosities +tuberous +tuberously +tuberousness +tuberous-rooted +tubers +tuberuculate +tubes +tube-scraping +tube-shaped +tubesmith +tubesnout +tube-straightening +tube-weaving +tubework +tubeworks +tub-fast +tubfish +tubfishes +tubful +tubfuls +tubhunter +tubi- +tubicen +tubicinate +tubicination +Tubicola +Tubicolae +tubicolar +tubicolous +tubicorn +tubicornous +tubifacient +tubifer +tubiferous +Tubifex +tubifexes +tubificid +Tubificidae +Tubiflorales +tubiflorous +tubiform +tubig +tubik +tubilingual +Tubinares +tubinarial +tubinarine +tubing +Tubingen +tubings +tubiparous +Tubipora +tubipore +tubiporid +Tubiporidae +tubiporoid +tubiporous +tubist +tubists +tub-keeping +tublet +tublike +tubmaker +tubmaking +Tubman +tubmen +tubo- +tuboabdominal +tubocurarine +tuboid +tubolabellate +tuboligamentous +tuboovarial +tuboovarian +tuboperitoneal +tuborrhea +tubotympanal +tubo-uterine +tubovaginal +tub-preach +tub-preacher +tubs +tub's +tub-shaped +tub-size +tub-sized +tubster +tub-t +tubtail +tub-thump +tub-thumper +tubular +tubular-flowered +Tubularia +Tubulariae +tubularian +Tubularida +tubularidan +Tubulariidae +tubularity +tubularly +tubulate +tubulated +tubulates +tubulating +tubulation +tubulator +tubulature +tubule +tubules +tubulet +tubuli +tubuli- +tubulibranch +tubulibranchian +Tubulibranchiata +tubulibranchiate +Tubulidentata +tubulidentate +Tubulifera +tubuliferan +tubuliferous +tubulifloral +tubuliflorous +tubuliform +tubulin +tubulins +Tubulipora +tubulipore +tubuliporid +Tubuliporidae +tubuliporoid +tubulization +tubulodermoid +tubuloracemose +tubulosaccular +tubulose +tubulostriato +tubulous +tubulously +tubulousness +tubulure +tubulures +tubulus +tubuphone +tubwoman +TUC +Tucana +Tucanae +tucandera +Tucano +tuchis +tuchit +Tuchman +tuchun +tuchunate +tu-chung +tuchunism +tuchunize +tuchuns +Tuck +Tuckahoe +tuckahoes +Tuckasegee +tucked +Tucker +tucker-bag +tucker-box +tuckered +tucker-in +tuckering +Tuckerman +tuckermanity +tuckers +Tuckerton +tucket +tuckets +Tucky +Tuckie +tuck-in +tucking +tuckner +tuck-net +tuck-out +tuck-point +tuck-pointed +tuck-pointer +tucks +tuckshop +tuck-shop +tucktoo +tucotuco +tuco-tuco +tuco-tucos +Tucson +Tucum +tucuma +Tucuman +Tucumcari +Tucuna +tucutucu +Tuddor +tude +tudel +Tudela +Tudesque +Tudor +Tudoresque +tue +tuebor +tuedian +tueiron +Tues +Tuesday +Tuesdays +tuesday's +tufa +tufaceous +tufalike +tufan +tufas +tuff +tuffaceous +tuffet +tuffets +tuffing +tuffoon +tuffs +tufoli +tuft +tuftaffeta +tufted +tufted-eared +tufted-necked +tufter +tufters +tufthunter +tuft-hunter +tufthunting +tufty +tuftier +tuftiest +tuftily +tufting +tuftlet +Tufts +tuft's +tug +tugboat +tugboatman +tugboatmen +tugboats +Tugela +tugged +tugger +tuggery +tuggers +tugging +tuggingly +tughra +tughrik +tughriks +tugless +tuglike +Tugman +tug-of-war +tug-of-warring +tugrik +tugriks +tugs +tugui +tuguria +tugurium +tui +tuy +tuyer +tuyere +tuyeres +tuyers +tuik +Tuileries +tuilyie +tuille +tuilles +tuillette +tuilzie +Tuinal +Tuinenga +tuinga +tuis +tuism +tuition +tuitional +tuitionary +tuitionless +tuitions +tuitive +Tuyuneiri +Tujunga +tuke +tukra +Tukuler +Tukulor +tukutuku +Tula +tuladi +tuladis +Tulalip +Tulane +tularaemia +tularaemic +Tulare +tularemia +tularemic +Tularosa +tulasi +Tulbaghia +tulcan +tulchan +tulchin +tule +Tulear +tules +Tuleta +Tulia +tuliac +tulip +Tulipa +tulipant +tulip-eared +tulip-fancying +tulipflower +tulip-grass +tulip-growing +tulipi +tulipy +tulipiferous +tulipist +tuliplike +tulipomania +tulipomaniac +tulips +tulip's +tulip-shaped +tulip-tree +tulipwood +tulip-wood +tulisan +tulisanes +Tulkepaia +Tull +Tullahassee +Tullahoma +Tulle +Tulley +tulles +Tully +Tullia +Tullian +tullibee +tullibees +Tullio +Tullius +Tullos +Tullus +Tullusus +tulnic +Tulostoma +Tulsa +tulsi +Tulu +Tulua +tulwar +tulwaur +tum +Tumacacori +Tumaco +tumain +tumasha +tumatakuru +tumatukuru +tumbak +tumbaki +tumbek +tumbeki +Tumbes +tumbester +tumble +tumble- +tumblebug +tumbled +tumbledown +tumble-down +tumbledung +tumblehome +tumbler +tumblerful +tumblerlike +tumblers +tumbler-shaped +tumblerwise +tumbles +tumbleweed +tumbleweeds +tumbly +tumblification +tumbling +tumbling- +tumblingly +tumblings +Tumboa +tumbrel +tumbrels +tumbril +tumbrils +tume +tumefacient +tumefaction +tumefactive +tumefy +tumefied +tumefies +tumefying +Tumer +tumeric +tumescence +tumescent +tumfie +tumid +tumidily +tumidity +tumidities +tumidly +tumidness +Tumion +tumli +tummals +tummed +tummel +tummeler +tummels +tummer +tummy +tummies +tumming +tummler +tummlers +tummock +tummuler +tumor +tumoral +tumored +tumorigenic +tumorigenicity +tumorlike +tumorous +tumors +tumour +tumoured +tumours +tump +tumphy +tumpline +tump-line +tumplines +tumps +Tums +tum-ti-tum +tumtum +tum-tum +tumular +tumulary +tumulate +tumulation +tumuli +tumulose +tumulosity +tumulous +tumult +tumulter +tumults +tumult's +tumultuary +tumultuaries +tumultuarily +tumultuariness +tumultuate +tumultuation +tumultuoso +tumultuous +tumultuously +tumultuousness +tumultus +tumulus +tumuluses +Tumupasa +Tumwater +tun +tuna +tunability +tunable +tunableness +tunably +tunaburger +tunal +Tunas +tunbelly +tunbellied +tun-bellied +tunca +tund +tundagslatta +tundation +tunder +tundish +tun-dish +tundishes +tundra +tundras +tundun +tune +tuneable +tuneableness +tuneably +Tuneberg +Tunebo +tuned +tuneful +tunefully +tunefulness +tuneless +tunelessly +tunelessness +tunemaker +tunemaking +tuner +tuner-inner +tuners +tunes +tune-skilled +tunesmith +tunesome +tunester +tuneup +tune-up +tuneups +tunful +Tung +Tunga +tungah +Tungan +tungate +Tung-hu +tungo +tung-oil +tungos +tungs +tungst- +tungstate +tungsten +tungstenic +tungsteniferous +tungstenite +tungstens +tungstic +tungstite +tungstosilicate +tungstosilicic +tungstous +Tungting +Tungus +Tunguses +Tungusian +Tungusic +Tunguska +tunhoof +tuny +tunic +Tunica +tunicae +Tunican +tunicary +Tunicata +tunicate +tunicated +tunicates +tunicin +tunicked +tunicle +tunicles +tunicless +tunics +tunic's +tuniness +tuning +tunings +TUNIS +tunish +Tunisia +Tunisian +tunisians +tunist +tunk +tunka +Tunker +tunket +Tunkhannock +tunland +tunlike +tunmoot +tunna +tunnage +tunnages +tunned +Tunney +tunnel +tunnel-boring +tunneled +tunneler +tunnelers +tunneling +tunnelist +tunnelite +Tunnell +tunnelled +tunneller +tunnellers +tunnelly +tunnellike +tunnelling +tunnellite +tunnelmaker +tunnelmaking +tunnelman +tunnelmen +tunnels +tunnel-shaped +Tunnelton +tunnelway +tunner +tunnery +tunneries +tunny +tunnies +tunning +Tunnit +tunnland +tunnor +tuno +tuns +tunu +Tuolumne +Tuonela +tup +Tupaia +tupaiid +Tupaiidae +tupakihi +Tupamaro +tupanship +tupara +tupek +Tupelo +tupelos +tup-headed +Tupi +Tupian +Tupi-Guarani +Tupi-Guaranian +tupik +tupiks +Tupinamba +Tupinaqui +Tupis +tuple +Tupler +tuples +tuple's +Tupman +tupmen +Tupolev +tupped +tuppence +tuppences +Tuppeny +tuppenny +tuppenny-hapenny +Tupperian +Tupperish +Tupperism +Tupperize +tupping +tups +tupuna +Tupungato +tuque +tuques +tuquoque +TUR +Tura +turacin +turaco +turacos +turacou +turacous +turacoverdin +Turacus +turakoo +Turandot +Turanian +Turanianism +Turanism +turanite +turanose +turb +turban +turban-crested +turban-crowned +turbaned +turbanesque +turbanette +turbanless +turbanlike +turbanned +turbans +turban's +turban-shaped +turbanto +turbantop +turbanwise +turbary +turbaries +turbeh +Turbellaria +turbellarian +turbellariform +turbescency +turbeth +turbeths +Turbeville +turbid +turbidimeter +turbidimetry +turbidimetric +turbidimetrically +turbidite +turbidity +turbidities +turbidly +turbidness +turbidnesses +turbinaceous +turbinage +turbinal +turbinals +turbinate +turbinated +turbination +turbinatocylindrical +turbinatoconcave +turbinatoglobose +turbinatostipitate +turbine +turbinectomy +turbined +turbine-driven +turbine-engined +turbinelike +Turbinella +Turbinellidae +turbinelloid +turbine-propelled +turbiner +turbines +Turbinidae +turbiniform +turbinite +turbinoid +turbinotome +turbinotomy +turbit +turbith +turbiths +turbits +turbitteen +turble +Turbo +turbo- +turboalternator +turboblower +turbocar +turbocars +turbocharge +turbocharger +turbocompressor +turbodynamo +turboelectric +turbo-electric +turboexciter +turbofan +turbofans +turbogenerator +turbojet +turbojets +turbomachine +turbomotor +turboprop +turbo-prop +turboprop-jet +turboprops +turbopump +turboram-jet +turbos +turboshaft +turbosupercharge +turbosupercharged +turbosupercharger +turbot +turbotlike +turbots +Turbotville +turboventilator +turbulator +turbulence +turbulences +turbulency +turbulent +turbulently +turbulentness +Turcian +Turcic +Turcification +Turcism +Turcize +Turco +turco- +turcois +Turcoman +Turcomans +Turcophile +Turcophilism +turcopole +turcopolier +Turcos +turd +Turdetan +Turdidae +turdiform +Turdinae +turdine +turdoid +turds +Turdus +tureen +tureenful +tureens +Turenne +turf +turfage +turf-boring +turf-bound +turf-built +turf-clad +turf-covered +turf-cutting +turf-digging +turfdom +turfed +turfen +turf-forming +turf-grown +turfy +turfier +turfiest +turfiness +turfing +turfite +turf-laid +turfless +turflike +turfman +turfmen +turf-roofed +turfs +turfski +turfskiing +turfskis +turf-spread +turf-walled +turfwise +turgency +turgencies +Turgenev +Turgeniev +turgent +turgently +turgesce +turgesced +turgescence +turgescency +turgescent +turgescently +turgescible +turgescing +turgy +turgid +turgidity +turgidities +turgidly +turgidness +turgite +turgites +turgoid +turgor +turgors +Turgot +Turi +turicata +Turin +Turina +Turing +Turino +turio +turion +turioniferous +Turishcheva +turista +turistas +turjaite +turjite +Turk +Turk. +Turkana +Turkdom +turkeer +Turkey +turkeyback +turkeyberry +turkeybush +Turkey-carpeted +turkey-cock +Turkeydom +turkey-feather +turkeyfish +turkeyfishes +turkeyfoot +turkey-foot +turkey-hen +Turkeyism +turkeylike +turkeys +turkey's +turkey-trot +turkey-trotted +turkey-trotting +turkey-worked +turken +Turkery +Turkess +Turkestan +Turki +Turkic +Turkicize +Turkify +Turkification +turkis +Turkish +Turkish-blue +Turkishly +Turkishness +Turkism +Turkistan +Turkize +turkle +Turklike +Turkman +Turkmen +Turkmenian +Turkmenistan +Turko-albanian +Turko-byzantine +Turko-bulgar +Turko-bulgarian +Turko-cretan +Turko-egyptian +Turko-german +Turko-greek +Turko-imamic +Turko-iranian +turkois +turkoises +Turko-italian +Turkology +Turkologist +Turkoman +Turkomania +Turkomanic +Turkomanize +Turkomans +Turkomen +Turko-mongol +Turko-persian +Turkophil +Turkophile +Turkophilia +Turkophilism +Turkophobe +Turkophobia +Turkophobist +Turko-popish +Turko-Tartar +Turko-tatar +Turko-tataric +Turko-teutonic +Turko-ugrian +Turko-venetian +turks +Turk's-head +Turku +Turley +Turlock +turlough +Turlupin +turm +turma +turmaline +Turmel +turment +turmeric +turmerics +turmerol +turmet +turmit +turmoil +turmoiled +turmoiler +turmoiling +turmoils +turmoil's +turmut +turn +turn- +turnable +turnabout +turnabouts +turnagain +turnaround +turnarounds +turnaway +turnback +turnbout +turnbroach +turnbuckle +turn-buckle +turnbuckles +Turnbull +turncap +turncoat +turncoatism +turncoats +turncock +turn-crowned +turndown +turn-down +turndowns +turndun +Turne +turned +turned-back +turned-down +turned-in +turned-off +turned-on +turned-out +turned-over +turned-up +Turney +turnel +Turner +Turnera +Turneraceae +turneraceous +Turneresque +turnery +Turnerian +turneries +Turnerism +turnerite +turner-off +Turners +Turnersburg +Turnersville +Turnerville +turn-furrow +turngate +turnhall +turn-hall +Turnhalle +turnhalls +Turnheim +Turnices +Turnicidae +turnicine +Turnicomorphae +turnicomorphic +turn-in +turning +turningness +turnings +turnip +turnip-bearing +turnip-eating +turnip-fed +turnip-growing +turnip-headed +turnipy +turnip-yielding +turnip-leaved +turniplike +turnip-pate +turnip-pointed +turnip-rooted +turnips +turnip's +turnip-shaped +turnip-sick +turnip-stemmed +turnip-tailed +turnipweed +turnipwise +turnipwood +Turnix +turnkey +turn-key +turnkeys +turnmeter +turnoff +turnoffs +turnor +turnout +turn-out +turnouts +turnover +turn-over +turnovers +turn-penny +turnpike +turnpiker +turnpikes +turnpin +turnplate +turnplough +turnplow +turnpoke +turn-round +turnrow +turns +turnscrew +turn-server +turn-serving +turnsheet +turn-sick +turn-sickness +turnskin +turnsole +turnsoles +turnspit +turnspits +turnstile +turnstiles +turnstone +turntable +turn-table +turntables +turntail +turntale +turn-to +turn-tree +turn-under +turnup +turn-up +turnups +Turnus +turnverein +turnway +turnwrest +turnwrist +Turoff +Turon +Turonian +turophile +turp +turpantineweed +turpentine +turpentined +turpentines +turpentineweed +turpentiny +turpentinic +turpentining +turpentinous +turpeth +turpethin +turpeths +turpid +turpidly +turpify +Turpin +turpinite +turpis +turpitude +turpitudes +turps +turquet +turquois +turquoise +turquoiseberry +turquoise-blue +turquoise-colored +turquoise-encrusted +turquoise-hued +turquoiselike +turquoises +turquoise-studded +turquoise-tinted +turr +turrel +Turrell +turret +turreted +turrethead +turreting +turretless +turretlike +turrets +turret's +turret-shaped +turret-topped +turret-turning +turrical +turricle +turricula +turriculae +turricular +turriculate +turriculated +turriferous +turriform +turrigerous +Turrilepas +turrilite +Turrilites +turriliticone +Turrilitidae +turrion +turrited +Turritella +turritellid +Turritellidae +turritelloid +Turro +turrum +turse +Tursenoi +Tursha +tursio +Tursiops +Turtan +Turtle +turtleback +turtle-back +turtle-billing +turtlebloom +turtled +turtledom +turtledove +turtle-dove +turtledoved +turtledoves +turtledoving +turtle-footed +turtle-haunted +turtlehead +turtleize +turtlelike +turtle-mouthed +turtleneck +turtle-neck +turtlenecks +turtlepeg +turtler +turtlers +turtles +turtle's +turtlestone +turtlet +Turtletown +turtle-winged +turtling +turtlings +Turton +turtosa +turtur +tururi +turus +Turveydrop +Turveydropdom +Turveydropian +turves +turvy +turwar +Tusayan +Tuscaloosa +Tuscan +Tuscan-colored +Tuscany +Tuscanism +Tuscanize +Tuscanlike +Tuscarawas +Tuscarora +Tuscaroras +tusche +tusches +Tuscola +Tusculan +Tusculum +Tuscumbia +Tush +tushed +Tushepaw +tusher +tushery +tushes +tushy +tushie +tushies +tushing +tushs +tusk +Tuskahoma +tuskar +tusked +Tuskegee +tusker +tuskers +tusky +tuskier +tuskiest +tusking +tuskish +tuskless +tusklike +tusks +tuskwise +tussah +tussahs +tussal +tussar +tussars +Tussaud +tusseh +tussehs +tusser +tussers +Tussy +tussicular +Tussilago +tussis +tussises +tussive +tussle +tussled +tussler +tussles +tussling +tussock +tussocked +tussocker +tussock-grass +tussocky +tussocks +tussor +tussore +tussores +tussors +tussuck +tussucks +tussur +tussurs +Tustin +Tut +tutament +tutania +Tutankhamen +Tutankhamon +Tutankhamun +tutball +tute +tutee +tutees +tutela +tutelae +tutelage +tutelages +tutelar +tutelary +tutelaries +tutelars +tutele +Tutelo +tutenag +tutenague +Tutenkhamon +tuth +tutin +tutiorism +tutiorist +tutler +tutly +tutman +tutmen +tut-mouthed +tutoyed +tutoiement +tutoyer +tutoyered +tutoyering +tutoyers +tutor +tutorage +tutorages +tutored +tutorer +tutoress +tutoresses +tutorhood +tutory +tutorial +tutorially +tutorials +tutorial's +tutoriate +tutoring +tutorism +tutorization +tutorize +Tutorkey +tutorless +tutorly +tutors +tutorship +tutor-sick +tutress +tutrice +tutrix +tuts +tutsan +tutster +Tutt +tutted +tutti +tutty +tutties +tutti-frutti +tuttiman +tuttyman +tutting +tuttis +Tuttle +Tutto +tut-tut +tut-tutted +tut-tutting +tutu +Tutuila +Tutuilan +tutulus +tutus +Tututni +Tutwiler +tutwork +tutworker +tutworkman +tuum +Tuvalu +tu-whit +tu-whoo +tuwi +tux +Tuxedo +tuxedoed +tuxedoes +tuxedos +tuxes +Tuxtla +tuza +Tuzla +tuzzle +TV +TVA +TV-Eye +Tver +TVTWM +TV-viewer +TW +tw- +TWA +Twaddell +twaddy +twaddle +twaddled +twaddledom +twaddleize +twaddlement +twaddlemonger +twaddler +twaddlers +twaddles +twaddlesome +twaddly +twaddlier +twaddliest +twaddling +twaddlingly +twae +twaes +twaesome +twae-three +twafauld +twagger +tway +twayblade +Twain +twains +twait +twaite +twal +twale +twalpenny +twalpennyworth +twalt +Twana +twang +twanged +twanger +twangers +twangy +twangier +twangiest +twanginess +twanging +twangle +twangled +twangler +twanglers +twangles +twangling +twangs +twank +twankay +twanker +twanky +twankies +twanking +twankingly +twankle +twant +twarly +twas +'twas +twasome +twasomes +twat +twatchel +twats +twatterlight +twattle +twattle-basket +twattled +twattler +twattles +twattling +twazzy +tweag +tweak +tweaked +tweaker +tweaky +tweakier +tweakiest +tweaking +tweaks +Twedy +twee +Tweed +tweed-clad +tweed-covered +Tweeddale +tweeded +tweedy +tweedier +tweediest +tweediness +tweedle +tweedle- +tweedled +tweedledee +tweedledum +tweedles +tweedling +tweeds +Tweedsmuir +tweed-suited +tweeg +tweel +tween +'tween +tween-brain +tween-deck +'tween-decks +tweeny +tweenies +tweenlight +tween-watch +tweese +tweesh +tweesht +tweest +tweet +tweeted +tweeter +tweeters +tweeter-woofer +tweeting +tweets +tweet-tweet +tweeze +tweezed +tweezer +tweezer-case +tweezered +tweezering +tweezers +tweezes +tweezing +tweyfold +tweil +twelfhynde +twelfhyndeman +twelfth +twelfth-cake +Twelfth-day +twelfthly +Twelfth-night +twelfths +twelfth-second +Twelfthtide +Twelfth-tide +Twelve +twelve-acre +twelve-armed +twelve-banded +twelve-bore +twelve-button +twelve-candle +twelve-carat +twelve-cut +twelve-day +twelve-dram +twelve-feet +twelvefold +twelve-foot +twelve-footed +twelve-fruited +twelve-gated +twelve-gauge +twelve-gemmed +twelve-handed +twelvehynde +twelvehyndeman +twelve-hole +twelve-horsepower +twelve-hour +twelve-year +twelve-year-old +twelve-inch +twelve-labor +twelve-legged +twelve-line +twelve-mile +twelve-minute +twelvemo +twelvemonth +twelve-monthly +twelvemonths +twelvemos +twelve-oared +twelve-o'clock +twelve-ounce +twelve-part +twelvepence +twelvepenny +twelve-pint +twelve-point +twelve-pound +twelve-pounder +Twelver +twelve-rayed +twelves +twelvescore +twelve-seated +twelve-shilling +twelve-sided +twelve-spoke +twelve-spotted +twelve-starred +twelve-stone +twelve-stranded +twelve-thread +twelve-tone +twelve-towered +twelve-verse +twelve-wired +twelve-word +twenty +twenty-acre +twenty-carat +twenty-centimeter +twenty-cubit +twenty-day +twenty-dollar +twenty-eight +twenty-eighth +twenties +twentieth +twentieth-century +twentiethly +twentieths +twenty-fifth +twenty-first +twenty-five +twentyfold +twenty-foot +twenty-four +twenty-four-hour +twentyfourmo +twenty-fourmo +twenty-fourmos +twenty-fourth +twenty-gauge +twenty-grain +twenty-gun +twenty-hour +twenty-yard +twenty-year +twenty-inch +twenty-knot +twenty-line +twenty-man +twenty-mark +twenty-mesh +twenty-meter +twenty-mile +twenty-minute +twentymo +twenty-nigger +twenty-nine +twenty-ninth +twenty-one +Twenty-ounce +twenty-payment +twentypenny +twenty-penny +twenty-plume +twenty-pound +twenty-round +twenty-second +twenty-seven +twenty-seventh +twenty-shilling +twenty-six +twenty-sixth +twenty-third +twenty-thread +twenty-three +twenty-ton +twenty-twenty +twenty-two +twenty-wood +twenty-word +twere +'twere +twerp +twerps +TWG +Twi +twi- +twi-banked +twibil +twibill +twibilled +twibills +twibils +twyblade +twice +twice-abandoned +twice-abolished +twice-absent +twice-accented +twice-accepted +twice-accomplished +twice-accorded +twice-accused +twice-achieved +twice-acknowledged +twice-acquired +twice-acted +twice-adapted +twice-adjourned +twice-adjusted +twice-admitted +twice-adopted +twice-affirmed +twice-agreed +twice-alarmed +twice-alleged +twice-allied +twice-altered +twice-amended +twice-angered +twice-announced +twice-answered +twice-anticipated +twice-appealed +twice-appointed +twice-appropriated +twice-approved +twice-arbitrated +twice-arranged +twice-assaulted +twice-asserted +twice-assessed +twice-assigned +twice-associated +twice-assured +twice-attained +twice-attempted +twice-attested +twice-audited +twice-authorized +twice-avoided +twice-baked +twice-balanced +twice-bankrupt +twice-baptized +twice-barred +twice-bearing +twice-beaten +twice-begged +twice-begun +twice-beheld +twice-beloved +twice-bent +twice-bereaved +twice-bereft +twice-bested +twice-bestowed +twice-betrayed +twice-bid +twice-bit +twice-blamed +twice-blessed +twice-blooming +twice-blowing +twice-boiled +twice-born +twice-borrowed +twice-bought +twice-branded +twice-broken +twice-brought +twice-buried +twice-called +twice-canceled +twice-canvassed +twice-captured +twice-carried +twice-caught +twice-censured +twice-challenged +twice-changed +twice-charged +twice-cheated +twice-chosen +twice-cited +twice-claimed +twice-collected +twice-commenced +twice-commended +twice-committed +twice-competing +twice-completed +twice-compromised +twice-concealed +twice-conceded +twice-condemned +twice-conferred +twice-confessed +twice-confirmed +twice-conquered +twice-consenting +twice-considered +twice-consulted +twice-contested +twice-continued +twice-converted +twice-convicted +twice-copyrighted +twice-corrected +twice-counted +twice-cowed +twice-created +twice-crowned +twice-cured +twice-damaged +twice-dared +twice-darned +twice-dead +twice-dealt +twice-debated +twice-deceived +twice-declined +twice-decorated +twice-decreed +twice-deducted +twice-defaulting +twice-defeated +twice-deferred +twice-defied +twice-delayed +twice-delivered +twice-demanded +twice-denied +twice-depleted +twice-deserted +twice-deserved +twice-destroyed +twice-detained +twice-dyed +twice-diminished +twice-dipped +twice-directed +twice-disabled +twice-disappointed +twice-discarded +twice-discharged +twice-discontinued +twice-discounted +twice-discovered +twice-disgraced +twice-dismissed +twice-dispatched +twice-divided +twice-divorced +twice-doubled +twice-doubted +twice-drafted +twice-drugged +twice-earned +twice-effected +twice-elected +twice-enacted +twice-encountered +twice-endorsed +twice-engaged +twice-enlarged +twice-ennobled +twice-essayed +twice-evaded +twice-examined +twice-excelled +twice-excused +twice-exempted +twice-exiled +twice-exposed +twice-expressed +twice-extended +twice-fallen +twice-false +twice-favored +twice-felt +twice-filmed +twice-fined +twice-folded +twice-fooled +twice-forgiven +twice-forgotten +twice-forsaken +twice-fought +twice-foul +twice-fulfilled +twice-gained +twice-garbed +twice-given +twice-granted +twice-grieved +twice-guilty +twice-handicapped +twice-hazarded +twice-healed +twice-heard +twice-helped +twice-hidden +twice-hinted +twice-hit +twice-honored +twice-humbled +twice-hurt +twice-identified +twice-ignored +twice-yielded +twice-imposed +twice-improved +twice-incensed +twice-increased +twice-indulged +twice-infected +twice-injured +twice-insulted +twice-insured +twice-invented +twice-invited +twice-issued +twice-jailed +twice-judged +twice-kidnaped +twice-knighted +twice-laid +twice-lamented +twice-leagued +twice-learned +twice-left +twice-lengthened +twice-levied +twice-liable +twice-listed +twice-loaned +twice-lost +twice-mad +twice-maintained +twice-marketed +twice-married +twice-mastered +twice-mated +twice-measured +twice-menaced +twice-mended +twice-mentioned +twice-merited +twice-met +twice-missed +twice-mistaken +twice-modified +twice-mortal +twice-mourned +twice-named +twice-necessitated +twice-needed +twice-negligent +twice-negotiated +twice-nominated +twice-noted +twice-notified +twice-numbered +twice-objected +twice-obligated +twice-occasioned +twice-occupied +twice-offended +twice-offered +twice-offset +twice-omitted +twice-opened +twice-opposed +twice-ordered +twice-originated +twice-orphaned +twice-overdue +twice-overtaken +twice-overthrown +twice-owned +twice-paid +twice-painted +twice-pardoned +twice-parted +twice-partitioned +twice-patched +twice-pensioned +twice-permitted +twice-persuaded +twice-perused +twice-petitioned +twice-pinnate +twice-placed +twice-planned +twice-pleased +twice-pledged +twice-poisoned +twice-pondered +twice-posed +twice-postponed +twice-praised +twice-predicted +twice-preferred +twice-prepaid +twice-prepared +twice-prescribed +twice-presented +twice-preserved +twice-pretended +twice-prevailing +twice-prevented +twice-printed +twice-procured +twice-professed +twice-prohibited +twice-promised +twice-promoted +twice-proposed +twice-prosecuted +twice-protected +twice-proven +twice-provided +twice-provoked +twice-published +twice-punished +twice-pursued +twice-qualified +twice-questioned +twice-quoted +twicer +twice-raided +twice-read +twice-realized +twice-rebuilt +twice-recognized +twice-reconciled +twice-reconsidered +twice-recovered +twice-redeemed +twice-re-elected +twice-refined +twice-reformed +twice-refused +twice-regained +twice-regretted +twice-rehearsed +twice-reimbursed +twice-reinstated +twice-rejected +twice-released +twice-relieved +twice-remedied +twice-remembered +twice-remitted +twice-removed +twice-rendered +twice-rented +twice-repaired +twice-repeated +twice-replaced +twice-reported +twice-reprinted +twice-requested +twice-required +twice-reread +twice-resented +twice-resisted +twice-restored +twice-restrained +twice-resumed +twice-revenged +twice-reversed +twice-revised +twice-revived +twice-revolted +twice-rewritten +twice-rich +twice-right +twice-risen +twice-roasted +twice-robbed +twice-roused +twice-ruined +twice-sacked +twice-sacrificed +twice-said +twice-salvaged +twice-sampled +twice-sanctioned +twice-saved +twice-scared +twice-scattered +twice-scolded +twice-scorned +twice-sealed +twice-searched +twice-secreted +twice-secured +twice-seen +twice-seized +twice-selected +twice-sensed +twice-sent +twice-sentenced +twice-separated +twice-served +twice-set +twice-settled +twice-severed +twice-shamed +twice-shared +twice-shelled +twice-shelved +twice-shielded +twice-shot +twice-shown +twice-sick +twice-silenced +twice-sketched +twice-soiled +twice-sold +twice-soled +twice-solicited +twice-solved +twice-sought +twice-sounded +twice-spared +twice-specified +twice-spent +twice-sprung +twice-stabbed +twice-staged +twice-stated +twice-stolen +twice-stopped +twice-straightened +twice-stress +twice-stretched +twice-stricken +twice-struck +twice-subdued +twice-subjected +twice-subscribed +twice-substituted +twice-sued +twice-suffered +twice-sufficient +twice-suggested +twice-summoned +twice-suppressed +twice-surprised +twice-surrendered +twice-suspected +twice-suspended +twice-sustained +twice-sworn +twicet +twice-tabled +twice-taken +twice-tamed +twice-taped +twice-tardy +twice-taught +twice-tempted +twice-tendered +twice-terminated +twice-tested +twice-thanked +twice-thought +twice-threatened +twice-thrown +twice-tied +twice-told +twice-torn +twice-touched +twice-trained +twice-transferred +twice-translated +twice-transported +twice-treated +twice-tricked +twice-tried +twice-trusted +twice-turned +twice-undertaken +twice-undone +twice-united +twice-unpaid +twice-upset +twice-used +twice-uttered +twice-vacant +twice-vamped +twice-varnished +twice-ventured +twice-verified +twice-vetoed +twice-victimized +twice-violated +twice-visited +twice-voted +twice-waged +twice-waived +twice-wanted +twice-warned +twice-wasted +twice-weaned +twice-welcomed +twice-whipped +twice-widowed +twice-wished +twice-withdrawn +twice-witnessed +twice-won +twice-worn +twice-wounded +twichild +twi-circle +twick +Twickenham +twi-colored +twiddle +twiddled +twiddler +twiddlers +twiddles +twiddle-twaddle +twiddly +twiddling +twie +twier +twyer +twiers +twyers +twifallow +twifoil +twifold +twifoldly +twi-form +twi-formed +twig +twig-formed +twigful +twigged +twiggen +twigger +twiggy +twiggier +twiggiest +twigginess +twigging +twig-green +twigless +twiglet +twiglike +twig-lined +twigs +twig's +twigsome +twig-strewn +twig-suspended +twigwithy +twig-wrought +twyhynde +Twila +Twyla +twilight +twilight-enfolded +twilight-hidden +twilight-hushed +twilighty +twilightless +twilightlike +twilight-loving +twilights +twilight's +twilight-seeming +twilight-tinctured +twilit +twill +'twill +twilled +twiller +twilly +twilling +twillings +twills +twill-woven +twilt +TWIMC +twi-minded +twin +twinable +twin-balled +twin-bearing +twin-begot +twinberry +twinberries +twin-blossomed +twinborn +twin-born +Twinbrooks +twin-brother +twin-cylinder +twindle +twine +twineable +twine-binding +twine-bound +twinebush +twine-colored +twined +twineless +twinelike +twinemaker +twinemaking +twin-engine +twin-engined +twin-engines +twiner +twiners +twines +twine-spinning +twine-toned +twine-twisting +twin-existent +twin-float +twinflower +twinfold +twin-forked +twinge +twinged +twingeing +twinges +twinging +twingle +twingle-twangle +twin-gun +twin-headed +twinhood +twin-hued +twiny +twinier +twiniest +twinight +twi-night +twinighter +twi-nighter +twinighters +Twining +twiningly +twinism +twinjet +twin-jet +twinjets +twink +twinkle +twinkled +twinkledum +twinkleproof +twinkler +twinklers +twinkles +twinkless +twinkly +twinkling +twinklingly +twinleaf +twin-leaf +twin-leaved +twin-leaves +twin-lens +twinly +twin-light +twinlike +twinling +twin-motor +twin-motored +twin-named +twinned +twinner +twinness +twinning +twinnings +Twinoaks +twin-peaked +twin-power +twin-prop +twin-roller +Twins +twin's +Twinsburg +twin-screw +twinset +twin-set +twinsets +twinship +twinships +twin-sister +twin-six +twinsomeness +twin-spiked +twin-spired +twin-spot +twin-striped +twint +twinter +twin-towered +twin-towned +twin-tractor +twin-wheeled +twin-wire +twire +twirk +twirl +twirled +twirler +twirlers +twirly +twirlier +twirliest +twirligig +twirling +twirls +twirp +twirps +twiscar +twisel +Twisp +twist +twistability +twistable +twisted +twisted-horn +twistedly +twisted-stalk +twistened +twister +twisterer +twisters +twisthand +twisty +twistical +twistier +twistification +twistily +twistiness +twisting +twistingly +twistings +twistiways +twistiwise +twisty-wisty +twistle +twistless +twists +twit +twitch +twitched +twitchel +twitcheling +twitcher +twitchers +twitches +twitchet +twitchety +twitchfire +twitchy +twitchier +twitchiest +twitchily +twitchiness +twitching +twitchingly +twite +twitlark +twits +Twitt +twitted +twitten +twitter +twitteration +twitterboned +twittered +twitterer +twittery +twittering +twitteringly +twitterly +twitters +twitter-twatter +twitty +twitting +twittingly +twittle +twittle-twattle +twit-twat +twyver +twixt +'twixt +twixtbrain +twizzened +twizzle +twizzle-twig +TWM +two +two-a-cat +two-along +two-angle +two-arched +two-armed +two-aspect +two-barred +two-barreled +two-base +two-beat +two-bedded +two-bid +two-by-four +two-bill +two-bit +two-blade +two-bladed +two-block +two-blocks +two-bodied +two-bodies +two-bond +two-bottle +two-branched +two-bristled +two-bushel +two-capsuled +two-celled +two-cent +two-centered +two-chamber +two-chambered +two-charge +two-cycle +two-cylinder +two-circle +two-circuit +two-cleft +two-coat +two-color +two-colored +two-component +two-day +two-deck +twodecker +two-decker +two-dimensional +two-dimensionality +two-dimensionally +two-dimensioned +two-dollar +two-eared +two-edged +two-eye +two-eyed +two-eyes +two-em +two-ended +twoes +two-face +two-faced +two-facedly +two-facedness +two-factor +two-family +two-feeder +twofer +twofers +two-figure +two-fingered +two-fisted +two-floor +two-flowered +two-fluid +twofold +two-fold +twofoldly +twofoldness +twofolds +two-foot +two-footed +two-for-a-cent +two-for-a-penny +two-forked +two-formed +two-four +two-gallon +two-grained +two-groove +two-grooved +two-guinea +two-gun +two-hand +two-handed +two-handedly +twohandedness +two-handedness +two-handled +two-headed +two-high +two-hinged +two-horned +two-horse +two-horsepower +two-hour +two-humped +two-year +two-year-old +two-inch +Two-kettle +two-leaf +two-leaved +twolegged +two-legged +two-level +two-life +two-light +two-line +two-lined +twoling +two-lipped +two-lobed +two-lunged +two-man +two-mast +two-masted +two-master +Twombly +two-membered +two-mile +two-minded +two-minute +two-monthly +two-name +two-named +two-necked +two-needle +two-nerved +twoness +two-oar +two-oared +two-ounce +two-pair +two-part +two-parted +two-party +two-pass +two-peaked +twopence +twopences +twopenny +twopenny-halfpenny +two-petaled +two-phase +two-phaser +two-piece +two-pile +two-piled +two-pipe +two-place +two-platoon +two-ply +two-plowed +two-point +two-pointic +two-pole +two-position +two-pound +two-principle +two-pronged +two-quart +two-rayed +two-rail +two-ranked +two-rate +two-revolution +two-roomed +two-row +two-rowed +twos +two's +twoscore +two-seated +two-seater +two-seeded +two-shafted +two-shanked +two-shaped +two-sheave +two-shilling +two-shillingly +two-shillingness +two-shot +two-sided +two-sidedness +two-syllable +twosome +twosomes +two-soused +two-speed +two-spined +two-spored +two-spot +two-spotted +two-stall +two-stalled +two-star +two-step +two-stepped +two-stepping +two-sticker +two-story +two-storied +two-stream +two-stringed +two-striped +two-striper +two-stroke +two-stroke-cycle +two-suit +two-suiter +two-teeth +two-thirder +two-thirds +two-three +two-throw +two-time +two-timed +two-timer +two-timing +two-tined +two-toed +two-tone +two-toned +two-tongued +two-toothed +two-topped +two-track +two-tusked +two-twisted +'twould +two-unit +two-up +two-valved +two-volume +two-way +two-wheel +two-wheeled +two-wheeler +two-wicked +two-winged +two-woods +two-word +twp +TWS +TWT +Twum +TWX +TX +TXID +txt +Tzaam +tzaddik +tzaddikim +Tzapotec +tzar +tzardom +tzardoms +tzarevich +tzarevitch +tzarevna +tzarevnas +tzarina +tzarinas +tzarism +tzarisms +tzarist +tzaristic +tzarists +tzaritza +tzaritzas +tzars +tzedakah +Tzekung +Tzendal +Tzental +tzetse +tzetze +tzetzes +Tzigane +tziganes +Tzigany +Tziganies +tzimmes +tzitzis +tzitzit +tzitzith +tzolkin +Tzong +tzontle +Tzotzil +Tzu-chou +Tzu-po +tzuris +Tzutuhil +U +U. +U.A.R. +U.C. +U.K. +U.S. +U.S.A. +U.S.S. +U.V. +U/S +UA +UAB +UAE +uayeb +uakari +ualis +UAM +uang +UAPDU +UAR +Uaraycu +Uarekena +UARS +UART +Uaupe +UAW +UB +UBA +Ubald +Uball +Ubana +Ubangi +Ubangi-Shari +Ubbenite +Ubbonite +UBC +Ube +uberant +Ubermensch +uberous +uberously +uberousness +uberrima +uberty +uberties +ubi +ubication +ubiety +ubieties +Ubii +Ubiquarian +ubique +ubiquious +Ubiquist +ubiquit +ubiquitary +Ubiquitarian +Ubiquitarianism +ubiquitaries +ubiquitariness +ubiquity +ubiquities +Ubiquitism +Ubiquitist +ubiquitity +ubiquitities +ubiquitous +ubiquitously +ubiquitousness +Ubly +UBM +U-boat +U-boot +ubound +ubussu +UC +Uca +Ucayale +Ucayali +Ucal +Ucalegon +UCAR +UCB +UCC +UCCA +Uccello +UCD +Uchean +Uchee +Uchida +Uchish +UCI +uckers +uckia +UCL +UCLA +Ucon +UCR +UCSB +UCSC +UCSD +UCSF +U-cut +ucuuba +Ud +UDA +Udaipur +udal +Udale +udaler +Udall +udaller +udalman +udasi +UDB +UDC +udder +uddered +udderful +udderless +udderlike +udders +Udela +Udele +Udell +Udella +Udelle +UDI +Udic +Udine +Udish +UDMH +udo +udographic +Udolphoish +udom +udometer +udometers +udometry +udometric +udometries +udomograph +udos +UDP +UDR +Uds +UDT +UEC +Uehling +UEL +Uela +Uele +Uella +Ueueteotl +Ufa +UFC +ufer +Uffizi +UFO +ufology +ufologies +ufologist +ufos +UFS +UG +ugali +Uganda +Ugandan +ugandans +Ugarit +Ugaritian +Ugaritic +Ugarono +UGC +ugglesome +ugh +ughs +ughten +ugli +ugly +ugly-clouded +ugly-conditioned +ugly-eyed +uglier +uglies +ugliest +ugly-faced +uglify +uglification +uglified +uglifier +uglifiers +uglifies +uglifying +ugly-headed +uglily +ugly-looking +ugliness +uglinesses +ugly-omened +uglis +uglisome +ugly-tempered +ugly-visaged +Ugo +Ugrian +ugrianize +Ugric +Ugro-altaic +Ugro-aryan +Ugro-finn +Ugro-Finnic +Ugro-finnish +Ugroid +Ugro-slavonic +Ugro-tatarian +ugsome +ugsomely +ugsomeness +ugt +UH +Uhde +UHF +uh-huh +uhlan +Uhland +uhlans +uhllo +Uhrichsville +Uhro-rusinian +uhs +uhtensang +uhtsong +uhuru +UI +UIC +UID +Uyekawa +Uighur +Uigur +Uigurian +Uiguric +UIL +uily +UIMS +uinal +Uinta +uintahite +uintaite +uintaites +uintathere +Uintatheriidae +Uintatherium +uintjie +UIP +Uird +Uirina +Uis +UIT +Uitlander +Uitotan +UITP +uitspan +Uitzilopochtli +UIUC +uji +Ujiji +Ujjain +Ujpest +UK +ukase +ukases +Uke +ukelele +ukeleles +ukes +Ukiah +ukiyoe +ukiyo-e +ukiyoye +Ukr +Ukr. +Ukraina +Ukraine +Ukrainer +Ukrainian +ukrainians +ukranian +UKST +ukulele +ukuleles +UL +Ula +Ulah +ulama +ulamas +Ulan +ULANA +Ulane +Ulani +ulans +Ulan-Ude +ular +ulatrophy +ulatrophia +ulaula +Ulberto +Ulbricht +ulcer +ulcerable +ulcerate +ulcerated +ulcerates +ulcerating +ulceration +ulcerations +ulcerative +ulcered +ulcery +ulcering +ulceromembranous +ulcerous +ulcerously +ulcerousness +ulcers +ulcer's +ulcus +ulcuscle +ulcuscule +Ulda +ule +Uledi +Uleki +ulema +ulemas +ulemorrhagia +Ulen +ulent +ulerythema +uletic +Ulex +ulexine +ulexite +ulexites +Ulfila +Ulfilas +Ulyanovsk +Ulick +ulicon +Ulidia +Ulidian +uliginose +uliginous +Ulises +Ulyssean +Ulysses +Ulita +ulitis +Ull +Ulla +ullage +ullaged +ullages +ullagone +Ulland +Uller +Ullin +ulling +Ullyot +Ullman +ullmannite +Ullr +Ullswater +ulluco +ullucu +Ullund +Ullur +Ulm +Ulmaceae +ulmaceous +Ulman +Ulmaria +ulmate +Ulmer +ulmic +ulmin +ulminic +ulmo +ulmous +Ulmus +ulna +ulnad +ulnae +ulnage +ulnar +ulnare +ulnaria +ulnas +ulnocarpal +ulnocondylar +ulnometacarpal +ulnoradial +uloborid +Uloboridae +Uloborus +ulocarcinoma +uloid +Ulonata +uloncus +Ulophocinae +ulorrhagy +ulorrhagia +ulorrhea +ulose +Ulothrix +Ulotrichaceae +ulotrichaceous +Ulotrichales +ulotrichan +Ulotriches +Ulotrichi +ulotrichy +ulotrichous +ulous +ulpan +ulpanim +Ulphi +Ulphia +Ulphiah +Ulpian +Ulric +Ulrica +Ulrich +ulrichite +Ulrick +Ulrika +Ulrikaumeko +Ulrike +Ulster +ulstered +ulsterette +Ulsterian +ulstering +Ulsterite +Ulsterman +ulsters +ult +ulta +Ultan +Ultann +ulterior +ulteriorly +Ultima +ultimacy +ultimacies +ultimas +ultimata +ultimate +ultimated +ultimately +ultimateness +ultimates +ultimating +ultimation +ultimatum +ultimatums +ultime +ultimity +ultimo +ultimobranchial +ultimogenitary +ultimogeniture +ultimum +ultion +ulto +Ultonian +Ultor +ultra +ultra- +ultra-abolitionism +ultra-abstract +ultra-academic +ultra-affected +ultra-aggressive +ultra-ambitious +ultra-angelic +Ultra-anglican +ultra-apologetic +ultra-arbitrary +ultra-argumentative +ultra-atomic +ultra-auspicious +ultrabasic +ultrabasite +ultrabelieving +ultrabenevolent +Ultra-byronic +Ultra-byronism +ultrabrachycephaly +ultrabrachycephalic +ultrabrilliant +Ultra-calvinist +ultracentenarian +ultracentenarianism +ultracentralizer +ultracentrifugal +ultracentrifugally +ultracentrifugation +ultracentrifuge +ultracentrifuged +ultracentrifuging +ultraceremonious +Ultra-christian +ultrachurchism +ultracivil +ultracomplex +ultraconcomitant +ultracondenser +ultraconfident +ultraconscientious +ultraconservatism +ultraconservative +ultraconservatives +ultracordial +ultracosmopolitan +ultracredulous +ultracrepidarian +ultracrepidarianism +ultracrepidate +ultracritical +ultradandyism +ultradeclamatory +ultrademocratic +ultradespotic +ultradignified +ultradiscipline +ultradolichocephaly +ultradolichocephalic +ultradolichocranial +ultradry +ultraeducationist +ultraeligible +ultraelliptic +ultraemphasis +ultraenergetic +ultraenforcement +Ultra-english +ultraenthusiasm +ultraenthusiastic +ultraepiscopal +ultraevangelical +ultraexcessive +ultraexclusive +ultraexpeditious +ultrafantastic +ultrafashionable +ultrafast +ultrafastidious +ultrafederalist +ultrafeudal +ultrafiche +ultrafiches +ultrafidian +ultrafidianism +ultrafilter +ultrafilterability +ultrafilterable +ultrafiltrate +ultrafiltration +ultraformal +Ultra-french +ultrafrivolous +ultragallant +Ultra-gallican +Ultra-gangetic +ultragaseous +ultragenteel +Ultra-german +ultragood +ultragrave +ultrahazardous +ultraheroic +ultrahigh +ultrahigh-frequency +ultrahonorable +ultrahot +ultrahuman +ultraimperialism +ultraimperialist +ultraimpersonal +ultrainclusive +ultraindifferent +ultraindulgent +ultraingenious +ultrainsistent +ultraintimate +ultrainvolved +ultrayoung +ultraism +ultraisms +ultraist +ultraistic +ultraists +Ultra-julian +ultralaborious +ultralegality +ultralenient +ultraliberal +ultraliberalism +ultralogical +ultraloyal +ultralow +Ultra-lutheran +Ultra-lutheranism +ultraluxurious +ultramarine +Ultra-martian +ultramasculine +ultramasculinity +ultramaternal +ultramaximal +ultramelancholy +ultrametamorphism +ultramicro +ultramicrobe +ultramicrochemical +ultramicrochemist +ultramicrochemistry +ultramicrometer +ultramicron +ultramicroscope +ultramicroscopy +ultramicroscopic +ultramicroscopical +ultramicroscopically +ultramicrotome +ultraminiature +ultraminute +ultramoderate +ultramodern +ultramodernism +ultramodernist +ultramodernistic +ultramodest +ultramontane +ultramontanism +ultramontanist +ultramorose +ultramulish +ultramundane +ultranational +ultranationalism +ultranationalist +ultranationalistic +ultranationalistically +ultranatural +ultranegligent +Ultra-neptunian +ultranet +ultranice +ultranonsensical +ultraobscure +ultraobstinate +ultraofficious +ultraoptimistic +ultraorganized +ultraornate +ultraorthodox +ultraorthodoxy +ultraoutrageous +ultrapapist +ultraparallel +Ultra-pauline +Ultra-pecksniffian +ultraperfect +ultrapersuasive +ultraphotomicrograph +ultrapious +ultraplanetary +ultraplausible +Ultra-pluralism +Ultra-pluralist +ultrapopish +Ultra-presbyterian +ultra-Protestantism +ultraproud +ultraprudent +ultrapure +Ultra-puritan +Ultra-puritanical +ultraradical +ultraradicalism +ultrarapid +ultrareactionary +ultrared +ultrareds +ultrarefined +ultrarefinement +ultrareligious +ultraremuneration +ultrarepublican +ultrarevolutionary +ultrarevolutionist +ultraritualism +ultraroyalism +ultraroyalist +Ultra-romanist +ultraromantic +ultras +ultrasanguine +ultrascholastic +ultrasecret +ultraselect +ultraservile +ultrasevere +ultrashort +ultrashrewd +ultrasimian +ultrasystematic +ultra-slow +ultrasmart +ultrasolemn +ultrasonic +ultrasonically +ultrasonics +ultrasonogram +ultrasonography +ultrasound +ultraspartan +ultraspecialization +ultraspiritualism +ultrasplendid +ultrastandardization +ultrastellar +ultrasterile +ultrastylish +ultrastrenuous +ultrastrict +ultrastructural +ultrastructure +ultrasubtle +Ultrasuede +ultratechnical +ultratense +ultraterrene +ultraterrestrial +Ultra-tory +Ultra-toryism +ultratotal +ultratrivial +ultratropical +ultraugly +ultra-ultra +ultrauncommon +ultraurgent +ultravicious +ultraviolent +ultraviolet +ultravirtuous +ultravirus +ultraviruses +ultravisible +ultrawealthy +Ultra-whig +ultrawise +ultrazealous +ultrazealousness +ultrazodiacal +ultroneous +ultroneously +ultroneousness +Ultun +Ulu +Ulua +uluhi +Ulu-juz +ululant +ululate +ululated +ululates +ululating +ululation +ululations +ululative +ululatory +ululu +Ulund +ulus +Ulva +Ulvaceae +ulvaceous +Ulvales +Ulvan +ulvas +um +um- +Uma +Umayyad +umangite +umangites +Umatilla +Umaua +Umbarger +umbecast +umbeclad +umbel +umbelap +umbeled +umbella +Umbellales +umbellar +umbellate +umbellated +umbellately +umbelled +umbellet +umbellets +umbellic +umbellifer +Umbelliferae +umbelliferone +umbelliferous +umbelliflorous +umbelliform +umbelloid +Umbellula +Umbellularia +umbellulate +umbellule +Umbellulidae +umbelluliferous +umbels +umbelwort +umber +umber-black +umber-brown +umber-colored +umbered +umberima +umbering +umber-rufous +umbers +umberty +Umberto +umbeset +umbethink +umbibilici +umbilectomy +umbilic +umbilical +umbilically +umbilicar +Umbilicaria +umbilicate +umbilicated +umbilication +umbilici +umbiliciform +umbilicus +umbilicuses +umbiliform +umbilroot +umble +umbles +umbo +umbolateral +umbonal +umbonate +umbonated +umbonation +umbone +umbones +umbonial +umbonic +umbonulate +umbonule +umbos +Umbra +umbracious +umbraciousness +umbracle +umbraculate +umbraculiferous +umbraculiform +umbraculum +umbrae +umbrage +umbrageous +umbrageously +umbrageousness +umbrages +umbraid +umbral +umbrally +umbrana +umbras +umbrate +umbrated +umbratic +umbratical +umbratile +umbre +umbrel +umbrella +umbrellaed +umbrellaing +umbrellaless +umbrellalike +umbrellas +umbrella's +umbrella-shaped +umbrella-topped +umbrellawise +umbrellawort +umbrere +umbret +umbrette +umbrettes +Umbria +Umbrian +Umbriel +umbriferous +umbriferously +umbriferousness +umbril +umbrina +umbrine +umbro- +Umbro-etruscan +Umbro-florentine +Umbro-latin +Umbro-oscan +Umbro-roman +Umbro-sabellian +Umbro-samnite +umbrose +Umbro-sienese +umbrosity +umbrous +Umbundu +umbu-rana +Ume +Umea +Umeh +Umeko +umest +umfaan +umgang +um-hum +umiac +umiack +umiacks +umiacs +umiak +umiaks +umiaq +umiaqs +umimpeded +umiri +umist +um-yum +umland +umlaut +umlauted +umlauting +umlauts +umload +umm +u-mm +Ummersen +ummps +Umont +umouhile +ump +umped +umph +umpy +umping +umpirage +umpirages +umpire +umpired +umpirer +umpires +umpire's +umpireship +umpiress +umpiring +umpirism +umppired +umppiring +Umpqua +umps +umpsteen +umpteen +umpteens +umpteenth +umptekite +umpty +umptieth +umquhile +umset +umstroke +UMT +Umtali +umteen +umteenth +umu +UMW +UN +un- +'un +Una +unabandoned +unabandoning +unabased +unabasedly +unabashable +unabashed +unabashedly +unabasing +unabatable +unabated +unabatedly +unabating +unabatingly +unabbreviated +unabdicated +unabdicating +unabdicative +unabducted +unabetted +unabettedness +unabetting +unabhorred +unabhorrently +unabiding +unabidingly +unabidingness +unability +unabject +unabjective +unabjectly +unabjectness +unabjuratory +unabjured +unablative +unable +unableness +unably +unabnegated +unabnegating +unabolishable +unabolished +unaborted +unabortive +unabortively +unabortiveness +unabraded +unabrased +unabrasive +unabrasively +unabridgable +unabridged +unabrogable +unabrogated +unabrogative +unabrupt +unabruptly +unabscessed +unabsent +unabsentmindedness +unabsolute +unabsolvable +unabsolved +unabsolvedness +unabsorb +unabsorbable +unabsorbed +unabsorbent +unabsorbing +unabsorbingly +unabsorptiness +unabsorptive +unabsorptiveness +unabstemious +unabstemiously +unabstemiousness +unabstentious +unabstract +unabstracted +unabstractedly +unabstractedness +unabstractive +unabstractively +unabsurd +unabundance +unabundant +unabundantly +unabusable +unabused +unabusive +unabusively +unabusiveness +unabutting +unacademic +unacademical +unacademically +unacceding +unaccelerated +unaccelerative +unaccent +unaccented +unaccentuated +unaccept +unacceptability +unacceptable +unacceptableness +unacceptably +unacceptance +unacceptant +unaccepted +unaccepting +unaccessibility +unaccessible +unaccessibleness +unaccessibly +unaccessional +unaccessory +unaccidental +unaccidentally +unaccidented +unacclaimate +unacclaimed +unacclimated +unacclimation +unacclimatised +unacclimatization +unacclimatized +unacclivitous +unacclivitously +unaccommodable +unaccommodated +unaccommodatedness +unaccommodating +unaccommodatingly +unaccommodatingness +unaccompanable +unaccompanied +unaccompanying +unaccomplishable +unaccomplished +unaccomplishedness +unaccord +unaccordable +unaccordance +unaccordant +unaccorded +unaccording +unaccordingly +unaccostable +unaccosted +unaccountability +unaccountable +unaccountableness +unaccountably +unaccounted +unaccounted-for +unaccoutered +unaccoutred +unaccreditated +unaccredited +unaccrued +unaccumulable +unaccumulate +unaccumulated +unaccumulation +unaccumulative +unaccumulatively +unaccumulativeness +unaccuracy +unaccurate +unaccurately +unaccurateness +unaccursed +unaccusable +unaccusably +unaccuse +unaccused +unaccusing +unaccusingly +unaccustom +unaccustomed +unaccustomedly +unaccustomedness +unacerbic +unacerbically +unacetic +unachievability +unachievable +unachieved +unaching +unachingly +unacidic +unacidulated +unacknowledged +unacknowledgedness +unacknowledging +unacknowledgment +unacoustic +unacoustical +unacoustically +unacquaint +unacquaintable +unacquaintance +unacquainted +unacquaintedly +unacquaintedness +unacquiescent +unacquiescently +unacquirability +unacquirable +unacquirableness +unacquirably +unacquired +unacquisitive +unacquisitively +unacquisitiveness +unacquit +unacquittable +unacquitted +unacquittedness +unacrimonious +unacrimoniously +unacrimoniousness +unact +unactability +unactable +unacted +unacting +unactinic +unaction +unactionable +unactivated +unactive +unactively +unactiveness +unactivity +unactorlike +unactual +unactuality +unactually +unactuated +unacuminous +unacute +unacutely +unadamant +unadapt +unadaptability +unadaptable +unadaptableness +unadaptably +unadaptabness +unadapted +unadaptedly +unadaptedness +unadaptive +unadaptively +unadaptiveness +unadd +unaddable +unadded +unaddible +unaddicted +unaddictedness +unadditional +unadditioned +unaddled +unaddress +unaddressed +unadduceable +unadduced +unadducible +unadept +unadeptly +unadeptness +unadequate +unadequately +unadequateness +unadherence +unadherent +unadherently +unadhering +unadhesive +unadhesively +unadhesiveness +Unadilla +unadjacent +unadjacently +unadjectived +unadjoined +unadjoining +unadjourned +unadjournment +unadjudged +unadjudicated +unadjunctive +unadjunctively +unadjust +unadjustable +unadjustably +unadjusted +unadjustment +unadministered +unadministrable +unadministrative +unadministratively +unadmirable +unadmirableness +unadmirably +unadmire +unadmired +unadmiring +unadmiringly +unadmissible +unadmissibleness +unadmissibly +unadmission +unadmissive +unadmittable +unadmittableness +unadmittably +unadmitted +unadmittedly +unadmitting +unadmonished +unadmonitory +unadopt +unadoptable +unadoptably +unadopted +unadoption +unadoptional +unadoptive +unadoptively +unadorable +unadorableness +unadorably +unadoration +unadored +unadoring +unadoringly +unadorn +unadornable +unadorned +unadornedly +unadornedness +unadornment +unadroit +unadroitly +unadroitness +unadulating +unadulatory +unadult +unadulterate +unadulterated +unadulteratedly +unadulteratedness +unadulterately +unadulteration +unadulterous +unadulterously +unadvanced +unadvancedly +unadvancedness +unadvancement +unadvancing +unadvantaged +unadvantageous +unadvantageously +unadvantageousness +unadventured +unadventuring +unadventurous +unadventurously +unadventurousness +unadverse +unadversely +unadverseness +unadvertency +unadvertised +unadvertisement +unadvertising +unadvisability +unadvisable +unadvisableness +unadvisably +unadvised +unadvisedly +unadvisedness +unadvocated +unaerated +unaesthetic +unaesthetical +unaesthetically +unaestheticism +unaestheticness +unafeard +unafeared +unaffability +unaffable +unaffableness +unaffably +unaffectation +unaffected +unaffectedly +unaffectedness +unaffecting +unaffectionate +unaffectionately +unaffectionateness +unaffectioned +unaffianced +unaffied +unaffiliated +unaffiliation +unaffirmation +unaffirmed +unaffixed +unafflicted +unafflictedly +unafflictedness +unafflicting +unaffliction +unaffordable +unafforded +unaffranchised +unaffrighted +unaffrightedly +unaffronted +unafire +unafloat +unaflow +unafraid +unafraidness +Un-african +unaged +unageing +unagglomerative +unaggravated +unaggravating +unaggregated +unaggression +unaggressive +unaggressively +unaggressiveness +unaghast +unagile +unagilely +unagility +unaging +unagitated +unagitatedly +unagitatedness +unagitation +unagonize +unagrarian +unagreeable +unagreeableness +unagreeably +unagreed +unagreeing +unagreement +unagricultural +unagriculturally +unai +unaidable +unaided +unaidedly +unaiding +unailing +unaimed +unaiming +unairable +unaired +unairily +unais +unaisled +Unakhotana +unakin +unakite +unakites +unal +Unalachtigo +unalacritous +unalarm +unalarmed +unalarming +unalarmingly +Unalaska +unalcoholised +unalcoholized +unaldermanly +unalert +unalerted +unalertly +unalertness +unalgebraical +unalienability +unalienable +unalienableness +unalienably +unalienated +unalienating +unalignable +unaligned +unalike +unalimentary +unalimentative +unalist +unalive +unallayable +unallayably +unallayed +unalleged +unallegedly +unallegorical +unallegorically +unallegorized +unallergic +unalleviably +unalleviated +unalleviatedly +unalleviating +unalleviatingly +unalleviation +unalleviative +unalliable +unallied +unalliedly +unalliedness +unalliterated +unalliterative +unallocated +unalloyed +unallotment +unallotted +unallow +unallowable +unallowably +unallowed +unallowedly +unallowing +unallurable +unallured +unalluring +unalluringly +unallusive +unallusively +unallusiveness +unalmsed +unalone +unaloud +unalphabeted +unalphabetic +unalphabetical +unalphabetised +unalphabetized +unalterability +unalterable +unalterableness +unalterably +unalteration +unalterative +unaltered +unaltering +unalternated +unalternating +unaltruistic +unaltruistically +unamalgamable +unamalgamated +unamalgamating +unamalgamative +unamassed +unamative +unamatively +unamazed +unamazedly +unamazedness +unamazement +unambidextrousness +unambient +unambiently +unambiguity +unambiguous +unambiguously +unambiguousness +unambition +unambitious +unambitiously +unambitiousness +unambrosial +unambulant +unambush +unameliorable +unameliorated +unameliorative +unamenability +unamenable +unamenableness +unamenably +unamend +unamendable +unamended +unamendedly +unamending +unamendment +unamerceable +unamerced +Un-american +Un-americanism +Un-americanization +Un-americanize +Unami +unamiability +unamiable +unamiableness +unamiably +unamicability +unamicable +unamicableness +unamicably +unamiss +unammoniated +unamo +unamorous +unamorously +unamorousness +unamortization +unamortized +unample +unamply +unamplifiable +unamplified +unamputated +unamputative +Unamuno +unamusable +unamusably +unamused +unamusement +unamusing +unamusingly +unamusingness +unamusive +unanachronistic +unanachronistical +unanachronistically +unanachronous +unanachronously +Un-anacreontic +unanaemic +unanalagous +unanalagously +unanalagousness +unanalytic +unanalytical +unanalytically +unanalyzable +unanalyzably +unanalyzed +unanalyzing +unanalogical +unanalogically +unanalogized +unanalogous +unanalogously +unanalogousness +unanarchic +unanarchistic +unanatomisable +unanatomised +unanatomizable +unanatomized +unancestored +unancestried +unanchylosed +unanchor +unanchored +unanchoring +unanchors +unancient +unanecdotal +unanecdotally +unaneled +unanemic +unangelic +unangelical +unangelicalness +unangered +Un-anglican +Un-anglicized +unangry +unangrily +unanguished +unangular +unangularly +unangularness +unanimalized +unanimate +unanimated +unanimatedly +unanimatedness +unanimately +unanimating +unanimatingly +unanime +unanimism +unanimist +unanimistic +unanimistically +unanimiter +unanimity +unanimities +unanimous +unanimously +unanimousness +unannealed +unannex +unannexable +unannexed +unannexedly +unannexedness +unannihilable +unannihilated +unannihilative +unannihilatory +unannoyed +unannoying +unannoyingly +unannotated +unannounced +unannullable +unannulled +unannunciable +unannunciative +unanointed +unanswerability +unanswerable +unanswerableness +unanswerably +unanswered +unanswering +unantagonisable +unantagonised +unantagonising +unantagonistic +unantagonizable +unantagonized +unantagonizing +unanthologized +unanticipated +unanticipatedly +unanticipating +unanticipatingly +unanticipation +unanticipative +unantiquated +unantiquatedness +unantique +unantiquity +unantlered +unanxiety +unanxious +unanxiously +unanxiousness +unapart +unaphasic +unapocryphal +unapologetic +unapologetically +unapologizing +unapostatized +unapostolic +unapostolical +unapostolically +unapostrophized +unappalled +unappalling +unappallingly +unapparel +unappareled +unapparelled +unapparent +unapparently +unapparentness +unappealable +unappealableness +unappealably +unappealed +unappealing +unappealingly +unappealingness +unappeasable +unappeasableness +unappeasably +unappeased +unappeasedly +unappeasedness +unappeasing +unappeasingly +unappendaged +unappended +unapperceived +unapperceptive +unappertaining +unappetising +unappetisingly +unappetizing +unappetizingly +unapplaudable +unapplauded +unapplauding +unapplausive +unappliable +unappliableness +unappliably +unapplianced +unapplicability +unapplicable +unapplicableness +unapplicably +unapplicative +unapplied +unapplying +unappliqued +unappoint +unappointable +unappointableness +unappointed +unapportioned +unapposable +unapposite +unappositely +unappositeness +unappraised +unappreciable +unappreciableness +unappreciably +unappreciated +unappreciating +unappreciation +unappreciative +unappreciatively +unappreciativeness +unapprehendable +unapprehendableness +unapprehendably +unapprehended +unapprehending +unapprehendingness +unapprehensible +unapprehensibleness +unapprehension +unapprehensive +unapprehensively +unapprehensiveness +unapprenticed +unapprised +unapprisedly +unapprisedness +unapprized +unapproachability +unapproachable +unapproachableness +unapproachably +unapproached +unapproaching +unapprobation +unappropriable +unappropriate +unappropriated +unappropriately +unappropriateness +unappropriation +unapprovable +unapprovableness +unapprovably +unapproved +unapproving +unapprovingly +unapproximate +unapproximately +unaproned +unapropos +unapt +unaptitude +unaptly +unaptness +unarbitrary +unarbitrarily +unarbitrariness +unarbitrated +unarbitrative +unarbored +unarboured +unarch +unarchdeacon +unarched +unarching +unarchitected +unarchitectural +unarchitecturally +unarchly +unarduous +unarduously +unarduousness +unare +unarguable +unarguableness +unarguably +unargued +unarguing +unargumentative +unargumentatively +unargumentativeness +unary +unarisen +unarising +unaristocratic +unaristocratically +unarithmetical +unarithmetically +unark +unarm +unarmed +unarmedly +unarmedness +unarming +unarmored +unarmorial +unarmoured +unarms +unaromatic +unaromatically +unaromatized +unarousable +unaroused +unarousing +unarray +unarrayed +unarraignable +unarraignableness +unarraigned +unarranged +unarrestable +unarrested +unarresting +unarrestive +unarrival +unarrived +unarriving +unarrogance +unarrogant +unarrogantly +unarrogated +unarrogating +unarted +unartful +unartfully +unartfulness +unarticled +unarticulate +unarticulated +unarticulately +unarticulative +unarticulatory +unartificial +unartificiality +unartificially +unartificialness +unartistic +unartistical +unartistically +unartistlike +unascendable +unascendableness +unascendant +unascended +unascendent +unascertainable +unascertainableness +unascertainably +unascertained +unascetic +unascetically +unascribed +unashamed +unashamedly +unashamedness +Un-asiatic +unasinous +unaskable +unasked +unasked-for +unasking +unaskingly +unasleep +unaspersed +unaspersive +unasphalted +unaspirated +unaspiring +unaspiringly +unaspiringness +unassayed +unassaying +unassailability +unassailable +unassailableness +unassailably +unassailed +unassailing +unassassinated +unassaultable +unassaulted +unassembled +unassented +unassenting +unassentive +unasserted +unassertive +unassertively +unassertiveness +unassessable +unassessableness +unassessed +unassibilated +unassiduous +unassiduously +unassiduousness +unassignable +unassignably +unassigned +unassimilable +unassimilated +unassimilating +unassimilative +unassistant +unassisted +unassisting +unassociable +unassociably +unassociated +unassociative +unassociatively +unassociativeness +unassoiled +unassorted +unassuageable +unassuaged +unassuaging +unassuasive +unassuetude +unassumable +unassumed +unassumedly +unassuming +unassumingly +unassumingness +unassured +unassuredly +unassuredness +unassuring +unasterisk +unasthmatic +unastonish +unastonished +unastonishment +unastounded +unastray +Un-athenian +unathirst +unathletic +unathletically +unatmospheric +unatonable +unatoned +unatoning +unatrophied +unattach +unattachable +unattached +unattackable +unattackableness +unattackably +unattacked +unattainability +unattainable +unattainableness +unattainably +unattained +unattaining +unattainment +unattaint +unattainted +unattaintedly +unattempered +unattemptable +unattempted +unattempting +unattendance +unattendant +unattended +unattentive +unattentively +unattentiveness +unattenuated +unattenuatedly +unattestable +unattested +unattestedness +Un-attic +unattire +unattired +unattractable +unattractableness +unattracted +unattracting +unattractive +unattractively +unattractiveness +unattributable +unattributably +unattributed +unattributive +unattributively +unattributiveness +unattuned +unau +unauctioned +unaudacious +unaudaciously +unaudaciousness +unaudible +unaudibleness +unaudibly +unaudienced +unaudited +unauditioned +Un-augean +unaugmentable +unaugmentative +unaugmented +unaus +unauspicious +unauspiciously +unauspiciousness +unaustere +unausterely +unaustereness +Un-australian +un-Austrian +unauthentic +unauthentical +unauthentically +unauthenticalness +unauthenticated +unauthenticity +unauthorised +unauthorish +unauthoritative +unauthoritatively +unauthoritativeness +unauthoritied +unauthoritiveness +unauthorizable +unauthorization +unauthorize +unauthorized +unauthorizedly +unauthorizedness +unautistic +unautographed +unautomatic +unautomatically +unautoritied +unautumnal +unavailability +unavailable +unavailableness +unavailably +unavailed +unavailful +unavailing +unavailingly +unavailingness +unavengeable +unavenged +unavenging +unavengingly +unavenued +unaverage +unaveraged +unaverred +unaverse +unaverted +unavertible +unavertibleness +unavertibly +unavian +unavid +unavidly +unavidness +unavoidability +unavoidable +unavoidableness +unavoidably +unavoidal +unavoided +unavoiding +unavouchable +unavouchableness +unavouchably +unavouched +unavowable +unavowableness +unavowably +unavowed +unavowedly +unaway +unawakable +unawakableness +unawake +unawaked +unawakened +unawakenedness +unawakening +unawaking +unawardable +unawardableness +unawardably +unawarded +unaware +unawared +unawaredly +unawarely +unawareness +unawares +unawed +unawful +unawfully +unawfulness +unawkward +unawkwardly +unawkwardness +unawned +unaxed +unaxiomatic +unaxiomatically +unaxised +unaxled +unazotized +unb +Un-babylonian +unbackboarded +unbacked +unbackward +unbacterial +unbadged +unbadgered +unbadgering +unbaffled +unbaffling +unbafflingly +unbag +unbagged +unbay +unbailable +unbailableness +unbailed +unbain +unbait +unbaited +unbaized +unbaked +unbalance +unbalanceable +unbalanceably +unbalanced +unbalancement +unbalancing +unbalconied +unbale +unbaled +unbaling +unbalked +unbalking +unbalkingly +unballast +unballasted +unballasting +unballoted +unbandage +unbandaged +unbandaging +unbanded +unbane +unbangled +unbanished +unbank +unbankable +unbankableness +unbankably +unbanked +unbankrupt +unbanned +unbannered +unbantering +unbanteringly +unbaptised +unbaptize +unbaptized +unbar +unbarb +unbarbarise +unbarbarised +unbarbarising +unbarbarize +unbarbarized +unbarbarizing +unbarbarous +unbarbarously +unbarbarousness +unbarbed +unbarbered +unbarded +unbare +unbargained +unbark +unbarking +unbaronet +unbarrable +unbarred +unbarrel +unbarreled +unbarrelled +unbarren +unbarrenly +unbarrenness +unbarricade +unbarricaded +unbarricading +unbarricadoed +unbarring +unbars +unbartered +unbartering +unbase +unbased +unbasedness +unbashful +unbashfully +unbashfulness +unbasket +unbasketlike +unbastardised +unbastardized +unbaste +unbasted +unbastilled +unbastinadoed +unbated +unbathed +unbating +unbatted +unbatten +unbatterable +unbattered +unbattling +unbe +unbeached +unbeaconed +unbeaded +unbeamed +unbeaming +unbear +unbearable +unbearableness +unbearably +unbeard +unbearded +unbeared +unbearing +unbears +unbeast +unbeatable +unbeatableness +unbeatably +unbeaten +unbeaued +unbeauteous +unbeauteously +unbeauteousness +unbeautify +unbeautified +unbeautiful +unbeautifully +unbeautifulness +unbeavered +unbeckoned +unbeclogged +unbeclouded +unbecome +unbecoming +unbecomingly +unbecomingness +unbed +unbedabbled +unbedaggled +unbedashed +unbedaubed +unbedded +unbedecked +unbedewed +unbedimmed +unbedinned +unbedizened +unbedraggled +unbefit +unbefitting +unbefittingly +unbefittingness +unbefool +unbefriend +unbefriended +unbefringed +unbeget +unbeggar +unbeggarly +unbegged +unbegilt +unbeginning +unbeginningly +unbeginningness +unbegirded +unbegirt +unbegot +unbegotten +unbegottenly +unbegottenness +unbegreased +unbegrimed +unbegrudged +unbeguile +unbeguiled +unbeguileful +unbeguiling +unbegun +unbehaving +unbeheaded +unbeheld +unbeholdable +unbeholden +unbeholdenness +unbeholding +unbehoveful +unbehoving +unbeing +unbejuggled +unbeknown +unbeknownst +unbelied +unbelief +unbeliefful +unbelieffulness +unbeliefs +unbelievability +unbelievable +unbelievableness +unbelievably +unbelieve +unbelieved +unbeliever +unbelievers +unbelieving +unbelievingly +unbelievingness +unbell +unbellicose +unbelligerent +unbelligerently +unbelonging +unbeloved +unbelt +unbelted +unbelting +unbelts +unbemoaned +unbemourned +unbench +unbend +unbendable +unbendableness +unbendably +unbended +unbender +unbending +unbendingly +unbendingness +unbends +unbendsome +unbeneficed +unbeneficent +unbeneficently +unbeneficial +unbeneficially +unbeneficialness +unbenefitable +unbenefited +unbenefiting +unbenetted +unbenevolence +unbenevolent +unbenevolently +unbenevolentness +unbenight +unbenighted +unbenign +unbenignant +unbenignantly +unbenignity +unbenignly +unbenignness +unbent +unbenumb +unbenumbed +unbequeathable +unbequeathed +unbereaved +unbereaven +unbereft +unberouged +unberth +unberufen +unbeseeching +unbeseechingly +unbeseem +unbeseeming +unbeseemingly +unbeseemingness +unbeseemly +unbeset +unbesieged +unbesmeared +unbesmirched +unbesmutted +unbesot +unbesotted +unbesought +unbespeak +unbespoke +unbespoken +unbesprinkled +unbestarred +unbestowed +unbet +unbeteared +unbethink +unbethought +unbetide +unbetoken +unbetray +unbetrayed +unbetraying +unbetrothed +unbetterable +unbettered +unbeveled +unbevelled +unbewailed +unbewailing +unbeware +unbewilder +unbewildered +unbewilderedly +unbewildering +unbewilderingly +unbewilled +unbewitch +unbewitched +unbewitching +unbewitchingly +unbewrayed +unbewritten +unbias +unbiasable +unbiased +unbiasedly +unbiasedness +unbiasing +unbiassable +unbiassed +unbiassedly +unbiassing +unbiblical +Un-biblical +Un-biblically +unbibulous +unbibulously +unbibulousness +unbickered +unbickering +unbid +unbidable +unbiddable +unbidden +unbigamous +unbigamously +unbigged +unbigoted +unbigotedness +unbilious +unbiliously +unbiliousness +unbillable +unbilled +unbillet +unbilleted +unbind +unbindable +unbinding +unbinds +unbinned +unbiographical +unbiographically +unbiological +unbiologically +unbirdly +unbirdlike +unbirdlimed +unbirthday +unbishop +unbishoped +unbishoply +unbit +unbiting +unbitt +unbitted +unbitten +unbitter +unbitting +unblacked +unblackened +unblade +unbladed +unblading +unblamability +unblamable +unblamableness +unblamably +unblamed +unblameworthy +unblameworthiness +unblaming +unblanched +unblanketed +unblasphemed +unblasted +unblazoned +unbleached +unbleaching +unbled +unbleeding +unblemishable +unblemished +unblemishedness +unblemishing +unblenched +unblenching +unblenchingly +unblendable +unblended +unblent +unbless +unblessed +unblessedness +unblest +unblighted +unblightedly +unblightedness +unblind +unblinded +unblindfold +unblindfolded +unblinding +unblinking +unblinkingly +unbliss +unblissful +unblissfully +unblissfulness +unblistered +unblithe +unblithely +unblock +unblockaded +unblocked +unblocking +unblocks +unblooded +unbloody +unbloodied +unbloodily +unbloodiness +unbloom +unbloomed +unblooming +unblossomed +unblossoming +unblotted +unblottedness +unbloused +unblown +unblued +unbluestockingish +unbluffable +unbluffed +unbluffing +unblunder +unblundered +unblundering +unblunted +unblurred +unblush +unblushing +unblushingly +unblushingness +unblusterous +unblusterously +unboarded +unboasted +unboastful +unboastfully +unboastfulness +unboasting +unboat +unbobbed +unbody +unbodied +unbodily +unbodylike +unbodiliness +unboding +unbodkined +unbog +unboggy +unbohemianize +unboy +unboyish +unboyishly +unboyishness +unboiled +unboylike +unboisterous +unboisterously +unboisterousness +unbokel +unbold +unbolden +unboldly +unboldness +unbolled +unbolster +unbolstered +unbolt +unbolted +unbolting +unbolts +unbombarded +unbombast +unbombastic +unbombastically +unbombed +unbondable +unbondableness +unbonded +unbone +unboned +unbonnet +unbonneted +unbonneting +unbonnets +unbonny +unbooked +unbookish +unbookishly +unbookishness +unbooklearned +unboot +unbooted +unboraxed +unborder +unbordered +unbored +unboring +unborn +unborne +unborough +unborrowed +unborrowing +unbosom +unbosomed +unbosomer +unbosoming +unbosoms +unbossed +Un-bostonian +unbotanical +unbothered +unbothering +unbottle +unbottled +unbottling +unbottom +unbottomed +unbought +unbouncy +unbound +unboundable +unboundableness +unboundably +unbounded +unboundedly +unboundedness +unboundless +unbounteous +unbounteously +unbounteousness +unbountiful +unbountifully +unbountifulness +unbow +unbowable +unbowdlerized +unbowed +unbowel +unboweled +unbowelled +unbowered +unbowing +unbowingness +unbowled +unbowsome +unbox +unboxed +unboxes +unboxing +unbrace +unbraced +unbracedness +unbracelet +unbraceleted +unbraces +unbracing +unbracketed +unbragged +unbragging +Un-brahminic +un-Brahminical +unbraid +unbraided +unbraiding +unbraids +unbrailed +unbrained +unbrake +unbraked +unbrakes +unbran +unbranched +unbranching +unbrand +unbranded +unbrandied +unbrave +unbraved +unbravely +unbraveness +unbrawling +unbrawny +unbraze +unbrazen +unbrazenly +unbrazenness +Un-brazilian +unbreachable +unbreachableness +unbreachably +unbreached +unbreaded +unbreakability +unbreakable +unbreakableness +unbreakably +unbreakfasted +unbreaking +unbreast +unbreath +unbreathable +unbreathableness +unbreatheable +unbreathed +unbreathing +unbred +unbreech +unbreeched +unbreeches +unbreeching +unbreezy +unbrent +unbrewed +unbribable +unbribableness +unbribably +unbribed +unbribing +unbrick +unbricked +unbridegroomlike +unbridgeable +unbridged +unbridle +unbridled +unbridledly +unbridledness +unbridles +unbridling +unbrief +unbriefed +unbriefly +unbriefness +unbright +unbrightened +unbrightly +unbrightness +unbrilliant +unbrilliantly +unbrilliantness +unbrimming +unbrined +unbristled +Un-british +unbrittle +unbrittleness +unbrittness +unbroached +unbroad +unbroadcast +unbroadcasted +unbroadened +unbrocaded +unbroid +unbroidered +unbroiled +unbroke +unbroken +unbrokenly +unbrokenness +unbronzed +unbrooch +unbrooded +unbrooding +unbrookable +unbrookably +unbrothered +unbrotherly +unbrotherlike +unbrotherliness +unbrought +unbrown +unbrowned +unbrowsing +unbruised +unbrushable +unbrushed +unbrutalise +unbrutalised +unbrutalising +unbrutalize +unbrutalized +unbrutalizing +unbrute +unbrutelike +unbrutify +unbrutise +unbrutised +unbrutising +unbrutize +unbrutized +unbrutizing +unbuckle +unbuckled +unbuckles +unbuckling +unbuckramed +unbud +unbudded +Un-buddhist +unbudding +unbudgeability +unbudgeable +unbudgeableness +unbudgeably +unbudged +unbudgeted +unbudging +unbudgingly +unbuffed +unbuffered +unbuffeted +unbuyable +unbuyableness +unbuying +unbuild +unbuilded +unbuilding +unbuilds +unbuilt +unbulky +unbulled +unbulletined +unbullied +unbullying +unbumped +unbumptious +unbumptiously +unbumptiousness +unbunched +unbundle +unbundled +unbundles +unbundling +unbung +unbungling +unbuoyant +unbuoyantly +unbuoyed +unburden +unburdened +unburdening +unburdenment +unburdens +unburdensome +unburdensomeness +unbureaucratic +unbureaucratically +unburgessed +unburglarized +unbury +unburiable +unburial +unburied +unburlesqued +unburly +unburn +unburnable +unburnableness +unburned +unburning +unburnished +unburnt +unburrow +unburrowed +unburst +unburstable +unburstableness +unburthen +unbush +unbusy +unbusied +unbusily +unbusiness +unbusinesslike +unbusk +unbuskin +unbuskined +unbusted +unbustling +unbutchered +unbutcherlike +unbuttered +unbutton +unbuttoned +unbuttoning +unbuttonment +unbuttons +unbuttressed +unbuxom +unbuxomly +unbuxomness +unc +unca +uncabined +uncabled +uncacophonous +uncadenced +uncage +uncaged +uncages +uncaging +uncajoling +uncake +uncaked +uncakes +uncaking +uncalamitous +uncalamitously +uncalcareous +uncalcified +uncalcined +uncalculable +uncalculableness +uncalculably +uncalculated +uncalculatedly +uncalculatedness +uncalculating +uncalculatingly +uncalculative +uncalendared +uncalendered +uncalibrated +uncalk +uncalked +uncall +uncalled +uncalled-for +uncallous +uncallously +uncallousness +uncallow +uncallower +uncallused +uncalm +uncalmative +uncalmed +uncalmly +uncalmness +uncalorific +uncalumniated +uncalumniative +uncalumnious +uncalumniously +uncambered +uncamerated +uncamouflaged +uncamp +uncampaigning +uncamped +uncamphorated +uncanalized +uncancelable +uncanceled +uncancellable +uncancelled +uncancerous +uncandid +uncandidly +uncandidness +uncandied +uncandled +uncandor +uncandour +uncaned +uncankered +uncanned +uncanny +uncannier +uncanniest +uncannily +uncanniness +uncanonic +uncanonical +uncanonically +uncanonicalness +uncanonicity +uncanonisation +uncanonise +uncanonised +uncanonising +uncanonization +uncanonize +uncanonized +uncanonizing +uncanopied +uncantoned +uncantonized +uncanvassably +uncanvassed +uncap +uncapable +uncapableness +uncapably +uncapacious +uncapaciously +uncapaciousness +uncapacitate +uncaparisoned +uncaped +uncapering +uncapitalised +uncapitalistic +uncapitalized +uncapitulated +uncapitulating +uncapped +uncapper +uncapping +uncapricious +uncapriciously +uncapriciousness +uncaps +uncapsizable +uncapsized +uncapsuled +uncaptained +uncaptioned +uncaptious +uncaptiously +uncaptiousness +uncaptivate +uncaptivated +uncaptivating +uncaptivative +uncaptived +uncapturable +uncaptured +uncaramelised +uncaramelized +uncarbonated +uncarboned +uncarbonized +uncarbureted +uncarburetted +uncarded +uncardinal +uncardinally +uncared-for +uncareful +uncarefully +uncarefulness +uncaressed +uncaressing +uncaressingly +uncargoed +Uncaria +uncaricatured +uncaring +uncarnate +uncarnivorous +uncarnivorously +uncarnivorousness +uncaroled +uncarolled +uncarousing +uncarpentered +uncarpeted +uncarriageable +uncarried +uncart +uncarted +uncartooned +uncarved +uncascaded +uncascading +uncase +uncased +uncasemated +uncases +uncashed +uncasing +uncask +uncasked +uncasketed +uncasque +uncassock +uncast +uncaste +uncastigated +uncastigative +uncastle +uncastled +uncastrated +uncasual +uncasually +uncasualness +Uncasville +uncataloged +uncatalogued +uncatastrophic +uncatastrophically +uncatchable +uncatchy +uncate +uncatechised +uncatechisedness +uncatechized +uncatechizedness +uncategorical +uncategorically +uncategoricalness +uncategorised +uncategorized +uncatenated +uncatered +uncatering +uncathartic +uncathedraled +uncatholcity +uncatholic +uncatholical +uncatholicalness +uncatholicise +uncatholicised +uncatholicising +uncatholicity +uncatholicize +uncatholicized +uncatholicizing +uncatholicly +uncaucusable +uncaught +uncausable +uncausal +uncausative +uncausatively +uncausativeness +uncause +uncaused +uncaustic +uncaustically +uncautelous +uncauterized +uncautioned +uncautious +uncautiously +uncautiousness +uncavalier +uncavalierly +uncave +uncavernous +uncavernously +uncaviling +uncavilling +uncavitied +unceasable +unceased +unceasing +unceasingly +unceasingness +unceded +unceiled +unceilinged +uncelebrated +uncelebrating +uncelestial +uncelestialized +uncelibate +uncellar +uncement +uncemented +uncementing +uncensorable +uncensored +uncensorious +uncensoriously +uncensoriousness +uncensurability +uncensurable +uncensurableness +uncensured +uncensuring +uncenter +uncentered +uncentral +uncentralised +uncentrality +uncentralized +uncentrally +uncentre +uncentred +uncentric +uncentrical +uncentripetal +uncentury +uncephalic +uncerated +uncerebric +uncereclothed +unceremented +unceremonial +unceremonially +unceremonious +unceremoniously +unceremoniousness +unceriferous +uncertain +uncertainly +uncertainness +uncertainty +uncertainties +uncertifiable +uncertifiablely +uncertifiableness +uncertificated +uncertified +uncertifying +uncertitude +uncessant +uncessantly +uncessantness +unchafed +unchaffed +unchaffing +unchagrined +unchain +unchainable +unchained +unchaining +unchains +unchair +unchaired +unchalked +unchalky +unchallengable +unchallengeable +unchallengeableness +unchallengeably +unchallenged +unchallenging +unchambered +unchamfered +unchampioned +unchance +unchanceable +unchanced +unchancellor +unchancy +unchange +unchangeability +unchangeable +unchangeableness +unchangeably +unchanged +unchangedness +unchangeful +unchangefully +unchangefulness +unchanging +unchangingly +unchangingness +unchanneled +unchannelized +unchannelled +unchanted +unchaotic +unchaotically +unchaperoned +unchaplain +unchapleted +unchapped +unchapter +unchaptered +uncharacter +uncharactered +uncharacterised +uncharacteristic +uncharacteristically +uncharacterized +uncharge +unchargeable +uncharged +uncharges +uncharging +unchary +uncharily +unchariness +unchariot +uncharitable +uncharitableness +uncharitably +uncharity +uncharm +uncharmable +uncharmed +uncharming +uncharnel +uncharred +uncharted +unchartered +unchased +unchaste +unchastely +unchastened +unchasteness +unchastisable +unchastised +unchastising +unchastity +unchastities +unchatteled +unchattering +unchauffeured +unchauvinistic +unchawed +uncheapened +uncheaply +uncheat +uncheated +uncheating +uncheck +uncheckable +unchecked +uncheckered +uncheckmated +uncheerable +uncheered +uncheerful +uncheerfully +uncheerfulness +uncheery +uncheerily +uncheeriness +uncheering +unchemical +unchemically +uncherished +uncherishing +unchested +unchevroned +unchewable +unchewableness +unchewed +unchic +unchicly +unchid +unchidden +unchided +unchiding +unchidingly +unchild +unchildish +unchildishly +unchildishness +unchildlike +unchilled +unchiming +Un-chinese +unchinked +unchippable +unchipped +unchipping +unchiseled +unchiselled +unchivalry +unchivalric +unchivalrous +unchivalrously +unchivalrousness +unchloridized +unchlorinated +unchoicely +unchokable +unchoke +unchoked +unchokes +unchoking +uncholeric +unchoosable +unchopped +unchoral +unchorded +unchosen +unchrisom +unchrist +unchristen +unchristened +unchristian +un-Christianise +un-Christianised +un-Christianising +unchristianity +unchristianize +un-Christianize +unchristianized +un-Christianized +un-Christianizing +unchristianly +un-Christianly +unchristianlike +un-Christianlike +unchristianliness +unchristianness +Un-christly +Un-christlike +Un-christlikeness +Un-christliness +Un-christmaslike +unchromatic +unchromed +unchronic +unchronically +unchronicled +unchronological +unchronologically +unchurch +unchurched +unchurches +unchurching +unchurchly +unchurchlike +unchurlish +unchurlishly +unchurlishness +unchurn +unchurned +unci +uncia +unciae +uncial +uncialize +uncially +uncials +unciatim +uncicatrized +unciferous +unciform +unciforms +unciliated +uncinal +Uncinaria +uncinariasis +uncinariatic +Uncinata +uncinate +uncinated +uncinatum +uncinch +uncinct +uncinctured +uncini +uncynical +uncynically +Uncinula +uncinus +UNCIO +uncipher +uncypress +uncircled +uncircuitous +uncircuitously +uncircuitousness +uncircular +uncircularised +uncircularized +uncircularly +uncirculated +uncirculating +uncirculative +uncircumcised +uncircumcisedness +uncircumcision +uncircumlocutory +uncircumscribable +uncircumscribed +uncircumscribedness +uncircumscript +uncircumscriptible +uncircumscription +uncircumspect +uncircumspection +uncircumspective +uncircumspectly +uncircumspectness +uncircumstanced +uncircumstantial +uncircumstantialy +uncircumstantially +uncircumvented +uncirostrate +uncitable +uncite +unciteable +uncited +uncity +uncitied +uncitizen +uncitizenly +uncitizenlike +uncivic +uncivil +uncivilisable +uncivilish +uncivility +uncivilizable +uncivilization +uncivilize +uncivilized +uncivilizedly +uncivilizedness +uncivilizing +uncivilly +uncivilness +unclad +unclay +unclayed +unclaimed +unclaiming +unclamorous +unclamorously +unclamorousness +unclamp +unclamped +unclamping +unclamps +unclandestinely +unclannish +unclannishly +unclannishness +unclarified +unclarifying +unclarity +unclashing +unclasp +unclasped +unclasping +unclasps +unclassable +unclassableness +unclassably +unclassed +unclassible +unclassical +unclassically +unclassify +unclassifiable +unclassifiableness +unclassifiably +unclassification +unclassified +unclassifying +unclawed +UNCLE +unclead +unclean +uncleanable +uncleaned +uncleaner +uncleanest +uncleanly +uncleanlily +uncleanliness +uncleanness +uncleannesses +uncleansable +uncleanse +uncleansed +uncleansedness +unclear +unclearable +uncleared +unclearer +unclearest +unclearing +unclearly +unclearness +uncleavable +uncleave +uncledom +uncleft +unclehood +unclement +unclemently +unclementness +unclench +unclenched +unclenches +unclenching +unclergy +unclergyable +unclerical +unclericalize +unclerically +unclericalness +unclerkly +unclerklike +uncles +uncle's +uncleship +unclever +uncleverly +uncleverness +unclew +unclick +uncliented +unclify +unclimactic +unclimaxed +unclimb +unclimbable +unclimbableness +unclimbably +unclimbed +unclimbing +unclinch +unclinched +unclinches +unclinching +uncling +unclinging +unclinical +unclip +unclipped +unclipper +unclipping +unclips +uncloak +uncloakable +uncloaked +uncloaking +uncloaks +unclog +unclogged +unclogging +unclogs +uncloyable +uncloyed +uncloying +uncloister +uncloistered +uncloistral +unclosable +unclose +unclosed +uncloses +uncloseted +unclosing +unclot +unclothe +unclothed +unclothedly +unclothedness +unclothes +unclothing +unclotted +unclotting +uncloud +unclouded +uncloudedly +uncloudedness +uncloudy +unclouding +unclouds +unclout +uncloven +unclub +unclubable +unclubbable +unclubby +unclustered +unclustering +unclutch +unclutchable +unclutched +unclutter +uncluttered +uncluttering +unco +uncoach +uncoachable +uncoachableness +uncoached +uncoacted +uncoagulable +uncoagulated +uncoagulating +uncoagulative +uncoalescent +uncoarse +uncoarsely +uncoarseness +uncoat +uncoated +uncoatedness +uncoaxable +uncoaxal +uncoaxed +uncoaxial +uncoaxing +uncobbled +uncock +uncocked +uncocking +uncockneyfy +uncocks +uncocted +uncodded +uncoddled +uncoded +uncodified +uncoerced +uncoffer +uncoffin +uncoffined +uncoffining +uncoffins +uncoffle +uncoft +uncogent +uncogently +uncogged +uncogitable +uncognisable +uncognizable +uncognizant +uncognized +uncognoscibility +uncognoscible +uncoguidism +uncoherent +uncoherently +uncoherentness +uncohesive +uncohesively +uncohesiveness +uncoy +uncoif +uncoifed +uncoiffed +uncoil +uncoiled +uncoyly +uncoiling +uncoils +uncoin +uncoincided +uncoincident +uncoincidental +uncoincidentally +uncoincidently +uncoinciding +uncoined +uncoyness +uncoked +uncoking +uncoly +uncolike +uncollaborative +uncollaboratively +uncollapsable +uncollapsed +uncollapsible +uncollar +uncollared +uncollaring +uncollated +uncollatedness +uncollectable +uncollected +uncollectedly +uncollectedness +uncollectible +uncollectibleness +uncollectibles +uncollectibly +uncollective +uncollectively +uncolleged +uncollegian +uncollegiate +uncolloquial +uncolloquially +uncollusive +uncolonellike +uncolonial +uncolonise +uncolonised +uncolonising +uncolonize +uncolonized +uncolonizing +uncolorable +uncolorably +uncolored +uncoloredly +uncoloredness +uncolourable +uncolourably +uncoloured +uncolouredly +uncolouredness +uncolt +uncombable +uncombatable +uncombatant +uncombated +uncombative +uncombed +uncombinable +uncombinableness +uncombinably +uncombinational +uncombinative +uncombine +uncombined +uncombining +uncombiningness +uncombustible +uncombustive +uncome +uncome-at-able +un-come-at-able +un-come-at-ableness +un-come-at-ably +uncomely +uncomelier +uncomeliest +uncomelily +uncomeliness +uncomfy +uncomfort +uncomfortable +uncomfortableness +uncomfortably +uncomforted +uncomforting +uncomic +uncomical +uncomically +uncommanded +uncommandedness +uncommanderlike +uncommemorated +uncommemorative +uncommemoratively +uncommenced +uncommendable +uncommendableness +uncommendably +uncommendatory +uncommended +uncommensurability +uncommensurable +uncommensurableness +uncommensurate +uncommensurately +uncommented +uncommenting +uncommerciable +uncommercial +uncommercially +uncommercialness +uncommingled +uncomminuted +uncommiserated +uncommiserating +uncommiserative +uncommiseratively +uncommissioned +uncommitted +uncommitting +uncommixed +uncommodious +uncommodiously +uncommodiousness +uncommon +uncommonable +uncommoner +uncommones +uncommonest +uncommonly +uncommonness +uncommonplace +uncommunicable +uncommunicableness +uncommunicably +uncommunicated +uncommunicating +uncommunicative +uncommunicatively +uncommunicativeness +uncommutable +uncommutative +uncommutatively +uncommutativeness +uncommuted +uncompact +uncompacted +Uncompahgre +uncompahgrite +uncompaniable +uncompanied +uncompanionability +uncompanionable +uncompanioned +uncomparable +uncomparableness +uncomparably +uncompared +uncompartmentalize +uncompartmentalized +uncompartmentalizes +uncompass +uncompassability +uncompassable +uncompassed +uncompassion +uncompassionate +uncompassionated +uncompassionately +uncompassionateness +uncompassionating +uncompassioned +uncompatible +uncompatibly +uncompellable +uncompelled +uncompelling +uncompendious +uncompensable +uncompensated +uncompensating +uncompensative +uncompensatory +uncompetent +uncompetently +uncompetitive +uncompetitively +uncompetitiveness +uncompiled +uncomplacent +uncomplacently +uncomplained +uncomplaining +uncomplainingly +uncomplainingness +uncomplaint +uncomplaisance +uncomplaisant +uncomplaisantly +uncomplemental +uncomplementally +uncomplementary +uncomplemented +uncompletable +uncomplete +uncompleted +uncompletely +uncompleteness +uncomplex +uncomplexity +uncomplexly +uncomplexness +uncompliability +uncompliable +uncompliableness +uncompliably +uncompliance +uncompliant +uncompliantly +uncomplicated +uncomplicatedness +uncomplication +uncomplying +uncomplimentary +uncomplimented +uncomplimenting +uncomportable +uncomposable +uncomposeable +uncomposed +uncompound +uncompoundable +uncompounded +uncompoundedly +uncompoundedness +uncompounding +uncomprehend +uncomprehended +uncomprehending +uncomprehendingly +uncomprehendingness +uncomprehened +uncomprehensible +uncomprehensibleness +uncomprehensibly +uncomprehension +uncomprehensive +uncomprehensively +uncomprehensiveness +uncompressed +uncompressible +uncomprised +uncomprising +uncomprisingly +uncompromisable +uncompromised +uncompromising +uncompromisingly +uncompromisingness +uncompt +uncompulsive +uncompulsively +uncompulsory +uncomputable +uncomputableness +uncomputably +uncomputed +uncomraded +unconcatenated +unconcatenating +unconcealable +unconcealableness +unconcealably +unconcealed +unconcealedly +unconcealing +unconcealingly +unconcealment +unconceded +unconceding +unconceited +unconceitedly +unconceivable +unconceivableness +unconceivably +unconceived +unconceiving +unconcentrated +unconcentratedly +unconcentrative +unconcentric +unconcentrically +unconceptual +unconceptualized +unconceptually +unconcern +unconcerned +unconcernedly +unconcernedlies +unconcernedness +unconcerning +unconcernment +unconcertable +unconcerted +unconcertedly +unconcertedness +unconcessible +unconciliable +unconciliated +unconciliatedness +unconciliating +unconciliative +unconciliatory +unconcludable +unconcluded +unconcludent +unconcluding +unconcludingness +unconclusive +unconclusively +unconclusiveness +unconcocted +unconcordant +unconcordantly +unconcrete +unconcreted +unconcretely +unconcreteness +unconcurred +unconcurrent +unconcurrently +unconcurring +uncondemnable +uncondemned +uncondemning +uncondemningly +uncondensable +uncondensableness +uncondensably +uncondensational +uncondensed +uncondensing +uncondescending +uncondescendingly +uncondescension +uncondited +uncondition +unconditional +unconditionality +unconditionally +unconditionalness +unconditionate +unconditionated +unconditionately +unconditioned +unconditionedly +unconditionedness +uncondolatory +uncondoled +uncondoling +uncondoned +uncondoning +unconducing +unconducive +unconducively +unconduciveness +unconducted +unconductible +unconductive +unconductiveness +unconfected +unconfederated +unconferred +unconfess +unconfessed +unconfessing +unconfided +unconfidence +unconfident +unconfidential +unconfidentialness +unconfidently +unconfiding +unconfinable +unconfine +unconfined +unconfinedly +unconfinedness +unconfinement +unconfining +unconfirm +unconfirmability +unconfirmable +unconfirmative +unconfirmatory +unconfirmed +unconfirming +unconfiscable +unconfiscated +unconfiscatory +unconflicting +unconflictingly +unconflictingness +unconflictive +unconform +unconformability +unconformable +unconformableness +unconformably +unconformed +unconformedly +unconforming +unconformism +unconformist +unconformity +unconformities +unconfound +unconfounded +unconfoundedly +unconfounding +unconfoundingly +unconfrontable +unconfronted +unconfusable +unconfusably +unconfused +unconfusedly +unconfusing +unconfutability +unconfutable +unconfutative +unconfuted +unconfuting +uncongeal +uncongealable +uncongealed +uncongenial +uncongeniality +uncongenially +uncongested +uncongestive +unconglobated +unconglomerated +unconglutinated +unconglutinative +uncongratulate +uncongratulated +uncongratulating +uncongratulatory +uncongregated +uncongregational +uncongregative +uncongressional +uncongruous +uncongruously +uncongruousness +unconical +unconjecturable +unconjectural +unconjectured +unconjoined +unconjugal +unconjugated +unconjunctive +unconjured +unconnected +unconnectedly +unconnectedness +unconned +unconnived +unconniving +unconnotative +unconquerable +unconquerableness +unconquerably +unconquered +unconquest +unconscienced +unconscient +unconscientious +unconscientiously +unconscientiousness +unconscionability +unconscionable +unconscionableness +unconscionably +unconscious +unconsciously +unconsciousness +unconsciousnesses +unconsecrate +unconsecrated +unconsecratedly +unconsecratedness +unconsecration +unconsecrative +unconsecutive +unconsecutively +unconsent +unconsentaneous +unconsentaneously +unconsentaneousness +unconsented +unconsentient +unconsenting +unconsequential +unconsequentially +unconsequentialness +unconservable +unconservative +unconservatively +unconservativeness +unconserved +unconserving +unconsiderable +unconsiderablely +unconsiderate +unconsiderately +unconsiderateness +unconsidered +unconsideredly +unconsideredness +unconsidering +unconsideringly +unconsignable +unconsigned +unconsistent +unconsociable +unconsociated +unconsolability +unconsolable +unconsolably +unconsolatory +unconsoled +unconsolidated +unconsolidating +unconsolidation +unconsoling +unconsolingly +unconsonancy +unconsonant +unconsonantly +unconsonous +unconspicuous +unconspicuously +unconspicuousness +unconspired +unconspiring +unconspiringly +unconspiringness +unconstancy +unconstant +unconstantly +unconstantness +unconstellated +unconsternated +unconstipated +unconstituted +unconstitutional +unconstitutionalism +unconstitutionality +unconstitutionally +unconstrainable +unconstrained +unconstrainedly +unconstrainedness +unconstraining +unconstraint +unconstricted +unconstrictive +unconstruable +unconstructed +unconstructive +unconstructively +unconstructural +unconstrued +unconsular +unconsult +unconsultable +unconsultative +unconsultatory +unconsulted +unconsulting +unconsumable +unconsumed +unconsuming +unconsummate +unconsummated +unconsummately +unconsummative +unconsumptive +unconsumptively +uncontacted +uncontagious +uncontagiously +uncontainable +uncontainableness +uncontainably +uncontained +uncontaminable +uncontaminate +uncontaminated +uncontaminative +uncontemned +uncontemnedly +uncontemning +uncontemningly +uncontemplable +uncontemplated +uncontemplative +uncontemplatively +uncontemplativeness +uncontemporaneous +uncontemporaneously +uncontemporaneousness +uncontemporary +uncontemptibility +uncontemptible +uncontemptibleness +uncontemptibly +uncontemptuous +uncontemptuously +uncontemptuousness +uncontended +uncontending +uncontent +uncontentable +uncontented +uncontentedly +uncontentedness +uncontenting +uncontentingness +uncontentious +uncontentiously +uncontentiousness +uncontestability +uncontestable +uncontestablely +uncontestableness +uncontestably +uncontestant +uncontested +uncontestedly +uncontestedness +uncontiguous +uncontiguously +uncontiguousness +uncontinence +uncontinent +uncontinental +uncontinented +uncontinently +uncontingent +uncontingently +uncontinual +uncontinually +uncontinued +uncontinuous +uncontinuously +uncontorted +uncontortedly +uncontortioned +uncontortive +uncontoured +uncontract +uncontracted +uncontractedness +uncontractile +uncontradictable +uncontradictablely +uncontradictableness +uncontradictably +uncontradicted +uncontradictedly +uncontradictious +uncontradictive +uncontradictory +uncontrastable +uncontrastably +uncontrasted +uncontrasting +uncontrastive +uncontrastively +uncontributed +uncontributing +uncontributive +uncontributively +uncontributiveness +uncontributory +uncontrite +uncontriteness +uncontrived +uncontriving +uncontrol +uncontrollability +uncontrollable +uncontrollableness +uncontrollably +uncontrolled +uncontrolledly +uncontrolledness +uncontrolling +uncontroversial +uncontroversially +uncontrovertable +uncontrovertableness +uncontrovertably +uncontroverted +uncontrovertedly +uncontrovertible +uncontrovertibleness +uncontrovertibly +uncontumacious +uncontumaciously +uncontumaciousness +unconveyable +unconveyed +unconvenable +unconvened +unconvenial +unconvenience +unconvenient +unconveniently +unconvening +unconventional +unconventionalism +unconventionality +unconventionalities +unconventionalize +unconventionalized +unconventionalizes +unconventionally +unconventioned +unconverged +unconvergent +unconverging +unconversable +unconversableness +unconversably +unconversance +unconversant +unconversational +unconversing +unconversion +unconvert +unconverted +unconvertedly +unconvertedness +unconvertibility +unconvertible +unconvertibleness +unconvertibly +unconvicted +unconvicting +unconvictive +unconvince +unconvinced +unconvincedly +unconvincedness +unconvincibility +unconvincible +unconvincing +unconvincingly +unconvincingness +unconvoyed +unconvolute +unconvoluted +unconvolutely +unconvulsed +unconvulsive +unconvulsively +unconvulsiveness +uncookable +uncooked +uncool +uncooled +uncoop +uncooped +uncooperating +un-co-operating +uncooperative +un-co-operative +uncooperatively +uncooperativeness +uncoopered +uncooping +uncoordinate +un-co-ordinate +uncoordinated +un-co-ordinated +uncoordinately +uncoordinateness +uncope +uncopiable +uncopyable +uncopied +uncopious +uncopyrighted +uncoquettish +uncoquettishly +uncoquettishness +uncord +uncorded +uncordial +uncordiality +uncordially +uncordialness +uncording +uncore +uncored +uncoring +uncork +uncorked +uncorker +uncorking +uncorks +uncorned +uncorner +uncornered +uncoronated +uncoroneted +uncorporal +uncorpulent +uncorpulently +uncorrect +uncorrectable +uncorrectablely +uncorrected +uncorrectible +uncorrective +uncorrectly +uncorrectness +uncorrelated +uncorrelatedly +uncorrelative +uncorrelatively +uncorrelativeness +uncorrelativity +uncorrespondency +uncorrespondent +uncorresponding +uncorrespondingly +uncorridored +uncorrigible +uncorrigibleness +uncorrigibly +uncorroborant +uncorroborated +uncorroborative +uncorroboratively +uncorroboratory +uncorroded +uncorrugated +uncorrupt +uncorrupted +uncorruptedly +uncorruptedness +uncorruptibility +uncorruptible +uncorruptibleness +uncorruptibly +uncorrupting +uncorruption +uncorruptive +uncorruptly +uncorruptness +uncorseted +uncorven +uncos +uncosseted +uncost +uncostly +uncostliness +uncostumed +uncottoned +uncouch +uncouched +uncouching +uncounselable +uncounseled +uncounsellable +uncounselled +uncountable +uncountableness +uncountably +uncounted +uncountenanced +uncounteracted +uncounterbalanced +uncounterfeit +uncounterfeited +uncountermandable +uncountermanded +uncountervailed +uncountess +uncountrified +uncouple +uncoupled +uncoupler +uncouples +uncoupling +uncourageous +uncourageously +uncourageousness +uncoursed +uncourted +uncourteous +uncourteously +uncourteousness +uncourtesy +uncourtesies +uncourtierlike +uncourting +uncourtly +uncourtlike +uncourtliness +uncous +uncousinly +uncouth +uncouthie +uncouthly +uncouthness +uncouthsome +uncovenable +uncovenant +uncovenanted +uncover +uncoverable +uncovered +uncoveredly +uncovering +uncovers +uncoveted +uncoveting +uncovetingly +uncovetous +uncovetously +uncovetousness +uncow +uncowed +uncowl +uncracked +uncradled +uncrafty +uncraftily +uncraftiness +uncraggy +uncram +uncramp +uncramped +uncrampedness +uncranked +uncrannied +uncrate +uncrated +uncrates +uncrating +uncravatted +uncraven +uncraving +uncravingly +uncrazed +uncrazy +uncream +uncreased +uncreatability +uncreatable +uncreatableness +uncreate +uncreated +uncreatedness +uncreates +uncreating +uncreation +uncreative +uncreatively +uncreativeness +uncreativity +uncreaturely +uncredentialed +uncredentialled +uncredibility +uncredible +uncredibly +uncredit +uncreditable +uncreditableness +uncreditably +uncredited +uncrediting +uncredulous +uncredulously +uncredulousness +uncreeping +uncreosoted +uncrest +uncrested +uncrevassed +uncrib +uncribbed +uncribbing +uncried +uncrying +uncrime +uncriminal +uncriminally +uncringing +uncrinkle +uncrinkled +uncrinkling +uncrippled +uncrisp +uncrystaled +uncrystalled +uncrystalline +uncrystallisable +uncrystallizability +uncrystallizable +uncrystallized +uncritical +uncritically +uncriticalness +uncriticisable +uncriticisably +uncriticised +uncriticising +uncriticisingly +uncriticism +uncriticizable +uncriticizably +uncriticized +uncriticizing +uncriticizingly +uncrochety +uncrook +uncrooked +uncrookedly +uncrooking +uncropped +uncropt +uncross +uncrossable +uncrossableness +uncrossed +uncrosses +uncrossexaminable +uncrossexamined +uncross-examined +uncrossing +uncrossly +uncrowded +uncrown +uncrowned +uncrowning +uncrowns +uncrucified +uncrudded +uncrude +uncrudely +uncrudeness +uncrudity +uncruel +uncruelly +uncruelness +uncrumbled +uncrumple +uncrumpled +uncrumpling +uncrushable +uncrushed +uncrusted +uncs +unct +UNCTAD +unction +unctional +unctioneer +unctionless +unctions +unctious +unctiousness +unctorian +unctorium +unctuarium +unctuose +unctuosity +unctuous +unctuously +unctuousness +uncubbed +uncubic +uncubical +uncubically +uncubicalness +uncuckold +uncuckolded +uncudgeled +uncudgelled +uncuffed +uncular +unculled +uncullibility +uncullible +unculpable +unculted +uncultivability +uncultivable +uncultivatable +uncultivate +uncultivated +uncultivatedness +uncultivation +unculturable +unculture +uncultured +unculturedness +uncumber +uncumbered +uncumbrous +uncumbrously +uncumbrousness +uncumulative +uncunning +uncunningly +uncunningness +uncupped +uncurable +uncurableness +uncurably +uncurb +uncurbable +uncurbed +uncurbedly +uncurbing +uncurbs +uncurd +uncurdled +uncurdling +uncured +uncurious +uncuriously +uncurl +uncurled +uncurling +uncurls +uncurrent +uncurrently +uncurrentness +uncurricularized +uncurried +uncurse +uncursed +uncursing +uncurst +uncurtailable +uncurtailably +uncurtailed +uncurtain +uncurtained +uncurved +uncurving +uncus +uncushioned +uncusped +uncustomable +uncustomary +uncustomarily +uncustomariness +uncustomed +uncut +uncute +uncuth +uncuticulate +uncuttable +undabbled +undaggled +undaily +undainty +undaintily +undaintiness +undallying +undam +undamageable +undamaged +undamaging +undamasked +undammed +undamming +undamn +undamnified +undampable +undamped +undampened +undanceable +undancing +undandiacal +undandled +undangered +undangerous +undangerously +undangerousness +undapper +undappled +undared +undaring +undaringly +undark +undarken +undarkened +undarned +undashed +undatable +undate +undateable +undated +undatedness +undaub +undaubed +undaughter +undaughterly +undaughterliness +undauntable +undaunted +undauntedly +undauntedness +undaunting +undawned +undawning +undazed +undazing +undazzle +undazzled +undazzling +unde +undead +undeadened +undeadly +undeadlocked +undeaf +undealable +undealt +undean +undear +undebarred +undebased +undebatable +undebatably +undebated +undebating +undebauched +undebauchedness +undebilitated +undebilitating +undebilitative +undebited +undec- +undecadent +undecadently +undecagon +undecayable +undecayableness +undecayed +undecayedness +undecaying +undecanaphthene +undecane +undecatoic +undeceased +undeceitful +undeceitfully +undeceitfulness +undeceivability +undeceivable +undeceivableness +undeceivably +undeceive +undeceived +undeceiver +undeceives +undeceiving +undecency +undecennary +undecennial +undecent +undecently +undeception +undeceptious +undeceptitious +undeceptive +undeceptively +undeceptiveness +undecidable +undecide +undecided +undecidedly +undecidedness +undeciding +undecyl +undecylene +undecylenic +undecylic +undecillion +undecillionth +undecimal +undeciman +undecimole +undecipher +undecipherability +undecipherable +undecipherably +undeciphered +undecision +undecisive +undecisively +undecisiveness +undeck +undecked +undeclaimed +undeclaiming +undeclamatory +undeclarable +undeclarative +undeclare +undeclared +undeclinable +undeclinableness +undeclinably +undeclined +undeclining +undecocted +undecoic +undecoyed +undecolic +undecomposable +undecomposed +undecompounded +undecorated +undecorative +undecorous +undecorously +undecorousness +undecorticated +undecreased +undecreasing +undecreasingly +undecree +undecreed +undecrepit +undecretive +undecretory +undecried +undedicate +undedicated +undeduced +undeducible +undeducted +undeductible +undeductive +undeductively +undee +undeeded +undeemed +undeemous +undeemously +undeep +undeepened +undeeply +undefaceable +undefaced +undefalcated +undefamatory +undefamed +undefaming +undefatigable +undefaulted +undefaulting +undefeasible +undefeat +undefeatable +undefeatableness +undefeatably +undefeated +undefeatedly +undefeatedness +undefecated +undefectible +undefective +undefectively +undefectiveness +undefendable +undefendableness +undefendably +undefendant +undefended +undefending +undefense +undefensed +undefensible +undefensibleness +undefensibly +undefensive +undefensively +undefensiveness +undeferential +undeferentially +undeferrable +undeferrably +undeferred +undefiable +undefiably +undefiant +undefiantly +undeficient +undeficiently +undefied +undefilable +undefiled +undefiledly +undefiledness +undefinability +undefinable +undefinableness +undefinably +undefine +undefined +undefinedly +undefinedness +undefinite +undefinitely +undefiniteness +undefinitive +undefinitively +undefinitiveness +undeflectability +undeflectable +undeflected +undeflective +undeflowered +undeformable +undeformed +undeformedness +undefrayed +undefrauded +undeft +undeftly +undeftness +undegeneracy +undegenerate +undegenerated +undegenerateness +undegenerating +undegenerative +undegraded +undegrading +undeify +undeification +undeified +undeifying +undeistical +undejected +undejectedly +undejectedness +undelayable +undelayed +undelayedly +undelaying +undelayingly +undelated +undelectability +undelectable +undelectably +undelegated +undeleted +undeleterious +undeleteriously +undeleteriousness +undeliberate +undeliberated +undeliberately +undeliberateness +undeliberating +undeliberatingly +undeliberative +undeliberatively +undeliberativeness +undelible +undelicious +undeliciously +undelight +undelighted +undelightedly +undelightful +undelightfully +undelightfulness +undelighting +undelightsome +undelylene +undelimited +undelineable +undelineated +undelineative +undelinquent +undelinquently +undelirious +undeliriously +undeliverable +undeliverableness +undelivered +undelivery +undeludable +undelude +undeluded +undeludedly +undeluding +undeluged +undelusive +undelusively +undelusiveness +undelusory +undelve +undelved +undemagnetizable +undemanded +undemanding +undemandingness +undemised +undemocratic +undemocratically +undemocratisation +undemocratise +undemocratised +undemocratising +undemocratization +undemocratize +undemocratized +undemocratizing +undemolishable +undemolished +undemonstrable +undemonstrableness +undemonstrably +undemonstratable +undemonstrated +undemonstrational +undemonstrative +undemonstratively +undemonstrativeness +undemoralized +undemure +undemurely +undemureness +undemurring +unden +undeniability +undeniable +undeniableness +undeniably +undenied +undeniedly +undenizened +undenominated +undenominational +undenominationalism +undenominationalist +undenominationalize +undenominationally +undenotable +undenotative +undenotatively +undenoted +undenounced +undented +undenuded +undenunciated +undenunciatory +undepartableness +undepartably +undeparted +undeparting +undependability +undependable +undependableness +undependably +undependent +undepending +undephlegmated +undepicted +undepleted +undeplored +undeported +undeposable +undeposed +undeposited +undepraved +undepravedness +undeprecated +undeprecating +undeprecatingly +undeprecative +undeprecatively +undepreciable +undepreciated +undepreciative +undepreciatory +undepressed +undepressible +undepressing +undepressive +undepressively +undepressiveness +undeprivable +undeprived +undepurated +undeputed +undeputized +under +under- +underabyss +underaccident +underaccommodated +underachieve +underachieved +underachievement +underachiever +underachievers +underachieves +underachieving +underact +underacted +underacting +underaction +under-action +underactivity +underactor +underacts +underadjustment +underadmiral +underadventurer +underage +underagency +underagent +underages +underagitation +underaid +underaim +underair +underalderman +underaldermen +underanged +underappreciated +underarch +underargue +underarm +underarming +underarms +underassessed +underassessment +underate +underaverage +underback +underbailiff +underbake +underbaked +underbaking +underbalance +underbalanced +underbalancing +underballast +underbank +underbarber +underbarring +underbasal +underbeadle +underbeak +underbeam +underbear +underbearer +underbearing +underbeat +underbeaten +underbed +underbedding +underbeing +underbelly +underbellies +underbeveling +underbevelling +underbid +underbidder +underbidders +underbidding +underbids +underbill +underbillow +underbind +underbishop +underbishopric +underbit +underbite +underbitted +underbitten +underboard +underboated +underbody +under-body +underbodice +underbodies +underboy +underboil +underboom +underborn +underborne +underbottom +underbough +underbought +underbound +underbowed +underbowser +underbox +underbrace +underbraced +underbracing +underbranch +underbreath +under-breath +underbreathing +underbred +underbreeding +underbrew +underbridge +underbridged +underbridging +underbrigadier +underbright +underbrim +underbrush +underbrushes +underbubble +underbud +underbudde +underbudded +underbudding +underbudgeted +underbuds +underbuy +underbuying +underbuild +underbuilder +underbuilding +underbuilt +underbuys +underbuoy +underbury +underburn +underburned +underburnt +underbursar +underbush +underbutler +undercanopy +undercanvass +undercap +undercapitaled +undercapitalization +undercapitalize +undercapitalized +undercapitalizing +undercaptain +undercarder +undercarry +undercarriage +under-carriage +undercarriages +undercarried +undercarrying +undercart +undercarter +undercarve +undercarved +undercarving +undercase +undercasing +undercast +undercause +underceiling +undercellar +undercellarer +underchamber +underchamberlain +underchancellor +underchanter +underchap +under-chap +undercharge +undercharged +undercharges +undercharging +underchief +underchime +underchin +underchord +underchurched +undercircle +undercircled +undercircling +undercitizen +undercitizenry +undercitizenries +underclad +undercladding +underclay +underclass +underclassman +underclassmen +underclearer +underclerk +underclerks +underclerkship +undercliff +underclift +undercloak +undercloth +underclothe +underclothed +underclothes +underclothing +underclothings +underclub +underclutch +undercoachman +undercoachmen +undercoat +undercoated +undercoater +undercoating +undercoatings +undercoats +undercollector +undercolor +undercolored +undercoloring +undercommander +undercomment +undercompounded +underconcerned +undercondition +underconsciousness +underconstable +underconstumble +underconsume +underconsumed +underconsuming +underconsumption +undercook +undercooked +undercooking +undercooks +undercool +undercooled +undercooper +undercorrect +undercountenance +undercourse +undercoursed +undercoursing +undercourtier +undercover +undercovering +undercovert +under-covert +undercraft +undercrawl +undercreep +undercrest +undercry +undercrier +undercrypt +undercroft +undercrop +undercrossing +undercrust +undercumstand +undercup +undercurl +undercurrent +undercurrents +undercurve +undercurved +undercurving +undercut +undercuts +undercutter +undercutting +underdauber +underdeacon +underdead +underdealer +underdealing +underdebauchee +underdeck +under-deck +underdegreed +underdepth +underdevelop +underdevelope +underdeveloped +underdevelopement +underdeveloping +underdevelopment +underdevil +underdialogue +underdid +underdig +underdigging +underdip +under-dip +underdish +underdistinction +underdistributor +underditch +underdive +underdo +underdoctor +underdoer +underdoes +underdog +underdogs +underdoing +underdone +underdose +underdosed +underdosing +underdot +underdotted +underdotting +underdown +underdraft +underdrag +underdrain +underdrainage +underdrainer +underdraught +underdraw +underdrawers +underdrawing +underdrawn +underdress +underdressed +underdresses +underdressing +underdrew +underdry +underdried +underdrift +underdrying +underdrive +underdriven +underdrudgery +underdrumming +underdug +underdunged +underearth +under-earth +undereat +undereate +undereaten +undereating +undereats +underedge +undereducated +undereducation +undereye +undereyed +undereying +underemphasis +underemphasize +underemphasized +underemphasizes +underemphasizing +underemployed +underemployment +underengraver +underenter +underer +underescheator +underestimate +under-estimate +underestimated +underestimates +underestimating +underestimation +underestimations +underexcited +underexercise +underexercised +underexercising +underexpose +underexposed +underexposes +underexposing +underexposure +underexposures +underface +underfaced +underfacing +underfaction +underfactor +underfaculty +underfalconer +underfall +underfarmer +underfeathering +underfeature +underfed +underfeed +underfeeder +underfeeding +underfeeds +underfeel +underfeeling +underfeet +underfellow +underfelt +underffed +underfiend +underfill +underfilling +underfinance +underfinanced +underfinances +underfinancing +underfind +underfire +underfired +underfitting +underflame +underflannel +underfleece +underflood +underfloor +underflooring +underflow +underflowed +underflowing +underflows +underfo +underfold +underfolded +underfong +underfoot +underfootage +underfootman +underfootmen +underforebody +underform +underfortify +underfortified +underfortifying +underframe +under-frame +underframework +underframing +underfreight +underfrequency +underfrequencies +underfringe +underfrock +underfur +underfurnish +underfurnished +underfurnisher +underfurrow +underfurs +undergabble +undergage +undergamekeeper +undergaoler +undergarb +undergardener +undergarment +under-garment +undergarments +undergarnish +undergauge +undergear +undergeneral +undergentleman +undergentlemen +undergird +undergirded +undergirder +undergirding +undergirdle +undergirds +undergirt +undergirth +underglaze +under-glaze +undergloom +underglow +undergnaw +undergo +undergod +undergods +undergoer +undergoes +undergoing +undergone +undergore +undergos +undergoverness +undergovernment +undergovernor +undergown +undergrad +undergrade +undergrads +undergraduate +undergraduatedom +undergraduateness +undergraduates +undergraduate's +undergraduateship +undergraduatish +undergraduette +undergraining +undergrass +undergreen +undergrieve +undergroan +undergrope +underground +undergrounder +undergroundling +undergroundness +undergrounds +undergrove +undergrow +undergrowl +undergrown +undergrowth +undergrowths +undergrub +underguard +underguardian +undergunner +underhabit +underhammer +underhand +underhanded +underhandedly +underhandedness +underhandednesses +underhang +underhanging +underhangman +underhangmen +underhatch +underhead +underheat +underheaven +underhelp +underhew +underhid +underhill +underhint +underhistory +underhive +underhold +underhole +underhonest +underhorse +underhorsed +underhorseman +underhorsemen +underhorsing +underhoused +underhousemaid +underhum +underhung +underided +underyield +underinstrument +underinsurance +underinsured +underyoke +underisible +underisive +underisively +underisiveness +underisory +underissue +underivable +underivative +underivatively +underived +underivedly +underivedness +underjacket +underjailer +underjanitor +underjaw +under-jaw +underjawed +underjaws +underjobbing +underjoin +underjoint +underjudge +underjudged +underjudging +underjungle +underkeel +underkeep +underkeeper +underkind +underking +under-king +underkingdom +underlaborer +underlabourer +underlay +underlaid +underlayer +underlayers +underlaying +underlayment +underlain +underlays +underland +underlanguaged +underlap +underlapped +underlapper +underlapping +underlaps +underlash +underlaundress +underlawyer +underleaf +underlease +underleased +underleasing +underleather +underlegate +underlessee +underlet +underlets +underletter +underletting +underlevel +underlever +underli +underly +underlid +underlie +underlye +underlielay +underlier +underlies +underlieutenant +underlife +underlift +underlight +underlying +underlyingly +underliking +underlimbed +underlimit +underline +underlineation +underlined +underlineman +underlinemen +underlinement +underlinen +underliner +underlines +underling +underlings +underling's +underlining +underlinings +underlip +underlips +underlit +underlive +underload +underloaded +underlock +underlodging +underloft +underlook +underlooker +underlout +underlunged +undermade +undermaid +undermaker +underman +undermanager +undermanned +undermanning +undermark +undermarshal +undermarshalman +undermarshalmen +undermasted +undermaster +undermatch +undermatched +undermate +undermath +undermeal +undermeaning +undermeasure +undermeasured +undermeasuring +undermediator +undermelody +undermelodies +undermentioned +under-mentioned +undermiller +undermimic +underminable +undermine +undermined +underminer +undermines +undermining +underminingly +underminister +underministry +undermirth +undermist +undermoated +undermoney +undermoral +undermost +undermotion +undermount +undermountain +undermusic +undermuslin +undern +undernam +undername +undernamed +undernatural +underneath +underness +underniceness +undernim +undernome +undernomen +undernote +undernoted +undernourish +undernourished +undernourishment +undernourishments +undernsong +underntide +underntime +undernumen +undernurse +undernutrition +underoccupied +underofficer +underofficered +underofficial +underofficials +underogating +underogative +underogatively +underogatory +underopinion +underorb +underorganisation +underorganization +underorseman +underoverlooker +underoxidise +underoxidised +underoxidising +underoxidize +underoxidized +underoxidizing +underpacking +underpay +underpaid +underpaying +underpayment +underpain +underpainting +underpays +underpan +underpants +underpart +underparticipation +underpartner +underparts +underpass +underpasses +underpassion +underpeep +underpeer +underpen +underpeopled +underpetticoat +under-petticoat +underpetticoated +underpick +underpicked +underpier +underpilaster +underpile +underpin +underpinned +underpinner +underpinning +underpinnings +underpins +underpitch +underpitched +underplay +underplayed +underplaying +underplain +underplays +underplan +underplant +underplanted +underplanting +underplate +underply +underplot +underplotter +underpoint +underpole +underpopulate +underpopulated +underpopulating +underpopulation +underporch +underporter +underpose +underpossessor +underpot +underpower +underpowered +underpraise +underpraised +underprefect +underprentice +underprepared +underpresence +underpresser +underpressure +underpry +underprice +underpriced +underprices +underpricing +underpriest +underprincipal +underprint +underprior +underprivileged +underprize +underprized +underprizing +underproduce +underproduced +underproducer +underproduces +underproducing +underproduction +underproductive +underproficient +underprompt +underprompter +underproof +underprop +underproportion +underproportioned +underproposition +underpropped +underpropper +underpropping +underprospect +underpuke +underpull +underpuller +underput +underqualified +underqueen +underquote +underquoted +underquoting +underran +underranger +underrate +underrated +underratement +underrates +underrating +underreach +underread +underreader +underrealise +underrealised +underrealising +underrealize +underrealized +underrealizing +underrealm +underream +underreamer +underreceiver +underreckon +underreckoning +underrecompense +underrecompensed +underrecompensing +underregion +underregistration +underrent +underrented +underrenting +underreport +underrepresent +underrepresentation +underrepresented +underrespected +underriddle +underriding +underrigged +underring +underripe +underripened +underriver +underroarer +underroast +underrobe +underrogue +underroll +underroller +underroof +underroom +underroot +underrooted +under-round +underrower +underrule +underruled +underruler +underruling +underrun +under-runner +underrunning +underruns +Unders +undersacristan +undersay +undersail +undersailed +undersally +undersap +undersatisfaction +undersaturate +undersaturated +undersaturation +undersavior +undersaw +undersawyer +underscale +underscheme +underschool +underscoop +underscore +underscored +underscores +underscoring +underscribe +underscriber +underscript +underscrub +underscrupulous +underscrupulously +undersea +underseal +underseam +underseaman +undersearch +underseas +underseated +undersecretary +under-secretary +undersecretariat +undersecretaries +undersecretaryship +undersect +undersee +underseeded +underseedman +underseeing +underseen +undersell +underseller +underselling +undersells +undersense +undersequence +underservant +underserve +underservice +underset +undersets +undersetter +undersetting +undersettle +undersettler +undersettling +undersexed +undersexton +undershapen +undersharp +undersheathing +undershepherd +undersheriff +undersheriffry +undersheriffship +undersheriffwick +undershield +undershine +undershining +undershire +undershirt +undershirts +undershoe +undershone +undershoot +undershooting +undershore +undershored +undershoring +undershorten +undershorts +undershot +undershrievalty +undershrieve +undershrievery +undershrub +undershrubby +undershrubbiness +undershrubs +undershunter +undershut +underside +undersides +undersight +undersighted +undersign +undersignalman +undersignalmen +undersigned +undersigner +undersill +undersinging +undersitter +undersize +undersized +under-sized +undersky +underskin +underskirt +under-skirt +underskirts +undersleep +undersleeping +undersleeve +underslept +underslip +underslope +undersluice +underslung +undersneer +undersociety +undersoil +undersold +undersole +undersomething +undersong +undersorcerer +undersort +undersoul +undersound +undersovereign +undersow +underspan +underspar +undersparred +underspecies +underspecify +underspecified +underspecifying +underspend +underspending +underspends +underspent +undersphere +underspin +underspinner +undersplice +underspliced +undersplicing +underspore +underspread +underspreading +underspring +undersprout +underspurleather +undersquare +undersshot +understaff +understaffed +understage +understay +understain +understairs +understamp +understand +understandability +understandable +understandableness +understandably +understanded +understander +understanding +understandingly +understandingness +understandings +understands +understate +understated +understatement +understatements +understates +understating +understeer +understem +understep +understeward +under-steward +understewardship +understimuli +understimulus +understock +understocking +understood +understory +understrain +understrap +understrapped +understrapper +understrapping +understrata +understratum +understratums +understream +understrength +understress +understrew +understrewed +understricken +understride +understriding +understrife +understrike +understriking +understring +understroke +understruck +understruction +understructure +understructures +understrung +understudy +understudied +understudies +understudying +understuff +understuffing +undersuck +undersuggestion +undersuit +undersupply +undersupplied +undersupplies +undersupplying +undersupport +undersurface +under-surface +underswain +underswamp +undersward +underswearer +undersweat +undersweep +undersweeping +underswell +underswept +undertakable +undertake +undertakement +undertaken +undertaker +undertakery +undertakerish +undertakerly +undertakerlike +undertakers +undertakes +undertaking +undertakingly +undertakings +undertalk +undertapster +undertaught +undertax +undertaxed +undertaxes +undertaxing +underteach +underteacher +underteaching +underteamed +underteller +undertenancy +undertenant +undertenter +undertenure +underterrestrial +undertest +underthane +underthaw +under-the-counter +under-the-table +underthief +underthing +underthings +underthink +underthirst +underthought +underthroating +underthrob +underthrust +undertide +undertided +undertie +undertied +undertying +undertime +under-time +undertimed +undertint +undertype +undertyrant +undertitle +undertone +undertoned +undertones +undertook +undertow +undertows +undertrade +undertraded +undertrader +undertrading +undertrain +undertrained +undertread +undertreasurer +under-treasurer +undertreat +undertribe +undertrick +undertrodden +undertruck +undertrump +undertruss +undertub +undertune +undertuned +undertunic +undertuning +underturf +underturn +underturnkey +undertutor +undertwig +underused +underusher +underutilization +underutilize +undervaluation +undervalue +undervalued +undervaluement +undervaluer +undervalues +undervaluing +undervaluingly +undervaluinglike +undervalve +undervassal +undervaulted +undervaulting +undervegetation +underventilate +underventilated +underventilating +underventilation +underverse +undervest +undervicar +underviewer +undervillain +undervinedresser +undervitalized +undervocabularied +undervoice +undervoltage +underwage +underway +underwaist +underwaistcoat +underwaists +underwalk +underward +underwarden +underwarmth +underwarp +underwash +underwatch +underwatcher +underwater +underwaters +underwave +underwaving +underweapon +underwear +underwears +underweft +underweigh +underweight +underweighted +underwent +underwheel +underwhistle +underwind +underwinding +underwinds +underwing +underwit +underwitch +underwitted +Underwood +underwooded +underwool +underwork +underworked +underworker +underworking +underworkman +underworkmen +underworld +underworlds +underwound +underwrap +underwrapped +underwrapping +underwrit +underwrite +underwriter +underwriters +underwrites +underwriting +underwritten +underwrote +underwrought +underzeal +underzealot +underzealous +underzealously +underzealousness +undescendable +undescended +undescendent +undescendible +undescending +undescribable +undescribableness +undescribably +undescribed +undescried +undescrying +undescript +undescriptive +undescriptively +undescriptiveness +undesecrated +undesert +undeserted +undeserting +undeserve +undeserved +undeservedly +undeservedness +undeserver +undeserving +undeservingly +undeservingness +undesiccated +undesign +undesignated +undesignative +undesigned +undesignedly +undesignedness +undesigning +undesigningly +undesigningness +undesirability +undesirable +undesirableness +undesirably +undesire +undesired +undesiredly +undesiring +undesirous +undesirously +undesirousness +undesisting +undespaired +undespairing +undespairingly +undespatched +undespised +undespising +undespoiled +undespondent +undespondently +undesponding +undespondingly +undespotic +undespotically +undestined +undestitute +undestroyable +undestroyed +undestructible +undestructibleness +undestructibly +undestructive +undestructively +undestructiveness +undetachable +undetached +undetachment +undetailed +undetainable +undetained +undetectable +undetectably +undetected +undetectible +undeteriorated +undeteriorating +undeteriorative +undeterminable +undeterminableness +undeterminably +undeterminate +undetermination +undetermined +undeterminedly +undeterminedness +undetermining +undeterrability +undeterrable +undeterrably +undeterred +undeterring +undetestability +undetestable +undetestableness +undetestably +undetested +undetesting +undethronable +undethroned +undetonated +undetracting +undetractingly +undetractive +undetractively +undetractory +undetrimental +undetrimentally +undevastated +undevastating +undevastatingly +undevelopable +undeveloped +undeveloping +undevelopment +undevelopmental +undevelopmentally +undeviable +undeviated +undeviating +undeviatingly +undeviation +undevil +undevilish +undevious +undeviously +undeviousness +undevisable +undevised +undevoted +undevotion +undevotional +undevoured +undevout +undevoutly +undevoutness +undewed +undewy +undewily +undewiness +undexterous +undexterously +undexterousness +undextrous +undextrously +undextrousness +undflow +undy +undiabetic +undyable +undiademed +undiagnosable +undiagnosed +undiagramed +undiagrammatic +undiagrammatical +undiagrammatically +undiagrammed +undialed +undialyzed +undialled +undiametric +undiametrical +undiametrically +undiamonded +undiapered +undiaphanous +undiaphanously +undiaphanousness +undiatonic +undiatonically +undichotomous +undichotomously +undictated +undictatorial +undictatorially +undid +undidactic +undye +undyeable +undyed +undies +undieted +undifferenced +undifferent +undifferentiable +undifferentiably +undifferential +undifferentiated +undifferentiating +undifferentiation +undifferently +undiffering +undifficult +undifficultly +undiffident +undiffidently +undiffracted +undiffractive +undiffractively +undiffractiveness +undiffused +undiffusible +undiffusive +undiffusively +undiffusiveness +undig +undigenous +undigest +undigestable +undigested +undigestible +undigesting +undigestion +undigged +undight +undighted +undigitated +undigne +undignify +undignified +undignifiedly +undignifiedness +undigressive +undigressively +undigressiveness +undying +undyingly +undyingness +undiked +undilapidated +undilatable +undilated +undilating +undilative +undilatory +undilatorily +undiligent +undiligently +undilute +undiluted +undiluting +undilution +undiluvial +undiluvian +undim +undimensioned +undimerous +undimidiate +undimidiated +undiminishable +undiminishableness +undiminishably +undiminished +undiminishing +undiminutive +undimly +undimmed +undimpled +undynamic +undynamically +undynamited +Undine +undined +undines +undinted +undiocesed +undiphthongize +undiplomaed +undiplomatic +undiplomatically +undipped +undirect +undirected +undirectional +undirectly +undirectness +undirk +Undis +undisabled +undisadvantageous +undisagreeable +undisappearing +undisappointable +undisappointed +undisappointing +undisarmed +undisastrous +undisastrously +undisbanded +undisbarred +undisburdened +undisbursed +undiscardable +undiscarded +undiscernable +undiscernably +undiscerned +undiscernedly +undiscernible +undiscernibleness +undiscernibly +undiscerning +undiscerningly +undiscerningness +undischargeable +undischarged +undiscipled +undisciplinable +undiscipline +undisciplined +undisciplinedness +undisclaimed +undisclosable +undisclose +undisclosed +undisclosing +undiscolored +undiscoloured +undiscomfitable +undiscomfited +undiscomposed +undisconcerted +undisconnected +undisconnectedly +undiscontinued +undiscordant +undiscordantly +undiscording +undiscountable +undiscounted +undiscourageable +undiscouraged +undiscouraging +undiscouragingly +undiscoursed +undiscoverability +undiscoverable +undiscoverableness +undiscoverably +undiscovered +undiscreditable +undiscredited +undiscreet +undiscreetly +undiscreetness +undiscretion +undiscriminated +undiscriminating +undiscriminatingly +undiscriminatingness +undiscriminative +undiscriminativeness +undiscriminatory +undiscursive +undiscussable +undiscussed +undisdained +undisdaining +undiseased +undisestablished +undisfigured +undisfranchised +undisfulfilled +undisgorged +undisgraced +undisguisable +undisguise +undisguised +undisguisedly +undisguisedness +undisguising +undisgusted +undisheartened +undished +undisheveled +undishonored +undisillusioned +undisinfected +undisinheritable +undisinherited +undisintegrated +undisinterested +undisjoined +undisjointed +undisliked +undislocated +undislodgeable +undislodged +undismay +undismayable +undismayed +undismayedly +undismantled +undismembered +undismissed +undismounted +undisobedient +undisobeyed +undisobliging +undisordered +undisorderly +undisorganized +undisowned +undisowning +undisparaged +undisparity +undispassionate +undispassionately +undispassionateness +undispatchable +undispatched +undispatching +undispellable +undispelled +undispensable +undispensed +undispensing +undispersed +undispersing +undisplaceable +undisplaced +undisplay +undisplayable +undisplayed +undisplaying +undisplanted +undispleased +undispose +undisposed +undisposedness +undisprivacied +undisprovable +undisproved +undisproving +undisputable +undisputableness +undisputably +undisputatious +undisputatiously +undisputatiousness +undisputed +undisputedly +undisputedness +undisputing +undisqualifiable +undisqualified +undisquieted +undisreputable +undisrobed +undisrupted +undissected +undissembled +undissembledness +undissembling +undissemblingly +undisseminated +undissenting +undissevered +undissimulated +undissimulating +undissipated +undissociated +undissoluble +undissolute +undissoluteness +undissolvable +undissolved +undissolving +undissonant +undissonantly +undissuadable +undissuadably +undissuade +undistanced +undistant +undistantly +undistasted +undistasteful +undistempered +undistend +undistended +undistilled +undistinct +undistinctive +undistinctly +undistinctness +undistinguish +undistinguishable +undistinguishableness +undistinguishably +undistinguished +undistinguishedness +undistinguishing +undistinguishingly +undistorted +undistortedly +undistorting +undistracted +undistractedly +undistractedness +undistracting +undistractingly +undistrained +undistraught +undistress +undistressed +undistributed +undistrusted +undistrustful +undistrustfully +undistrustfulness +undisturbable +undisturbance +undisturbed +undisturbedly +undisturbedness +undisturbing +undisturbingly +unditched +undithyrambic +undittoed +undiuretic +undiurnal +undiurnally +undivable +undivergent +undivergently +undiverging +undiverse +undiversely +undiverseness +undiversified +undiverted +undivertible +undivertibly +undiverting +undivertive +undivested +undivestedly +undividable +undividableness +undividably +undivided +undividedly +undividedness +undividing +undividual +undivinable +undivined +undivinely +undivinelike +undivining +undivisible +undivisive +undivisively +undivisiveness +undivorceable +undivorced +undivorcedness +undivorcing +undivulgable +undivulgeable +undivulged +undivulging +undizened +undizzied +undo +undoable +undocible +undocile +undock +undocked +undocketed +undocking +undocks +undoctor +undoctored +undoctrinal +undoctrinally +undoctrined +undocumentary +undocumented +undocumentedness +undodged +undoer +undoers +undoes +undoffed +undog +undogmatic +undogmatical +undogmatically +undoing +undoingness +undoings +undolled +undolorous +undolorously +undolorousness +undomed +undomestic +undomesticable +undomestically +undomesticate +undomesticated +undomestication +undomicilable +undomiciled +undominated +undominative +undomineering +undominical +Un-dominican +undominoed +undon +undonated +undonating +undone +undoneness +undonkey +undonnish +undoomed +undoped +Un-doric +undormant +undose +undosed +undoting +undotted +undouble +undoubled +undoubles +undoubling +undoubtable +undoubtableness +undoubtably +undoubted +undoubtedly +undoubtedness +undoubtful +undoubtfully +undoubtfulness +undoubting +undoubtingly +undoubtingness +undouched +undoughty +undovelike +undoweled +undowelled +undowered +undowned +undowny +undrab +undraftable +undrafted +undrag +undragoned +undragooned +undrainable +undrained +undramatic +undramatical +undramatically +undramatisable +undramatizable +undramatized +undrape +undraped +undraperied +undrapes +undraping +undraw +undrawable +undrawing +undrawn +undraws +undreaded +undreadful +undreadfully +undreading +undreamed +undreamed-of +undreamy +undreaming +undreamlike +undreamt +undredged +undreggy +undrenched +undress +undressed +undresses +undressing +undrest +undrew +Undry +undryable +undried +undrifting +undrying +undrillable +undrilled +undrinkable +undrinkableness +undrinkably +undrinking +undripping +undrivable +undrivableness +undriven +UNDRO +undronelike +undrooping +undropped +undropsical +undrossy +undrossily +undrossiness +undrowned +undrubbed +undrugged +undrunk +undrunken +undrunkenness +Undset +undualistic +undualistically +undualize +undub +undubbed +undubious +undubiously +undubiousness +undubitable +undubitably +undubitative +undubitatively +unducal +unduchess +unductile +undue +unduelling +undueness +undug +unduke +undulance +undulancy +undulant +undular +undularly +undulatance +undulate +undulated +undulately +undulates +undulating +undulatingly +undulation +undulationist +undulations +undulative +undulator +undulatory +undulatus +unduly +undull +undulled +undullness +unduloid +undulose +undulous +undumbfounded +undumped +unduncelike +undunged +undupability +undupable +unduped +unduplicability +unduplicable +unduplicated +unduplicative +unduplicity +undurability +undurable +undurableness +undurably +undure +undust +undusted +undusty +unduteous +unduteously +unduteousness +unduty +undutiable +undutiful +undutifully +undutifulness +undwarfed +undwellable +undwelt +undwindling +Une +uneager +uneagerly +uneagerness +uneagled +uneared +unearly +unearned +unearnest +unearnestly +unearnestness +unearth +unearthed +unearthing +unearthly +unearthliness +unearths +unease +uneaseful +uneasefulness +uneases +uneasy +uneasier +uneasiest +uneasily +uneasiness +uneasinesses +uneastern +uneatable +uneatableness +uneated +uneaten +uneath +uneaths +uneating +uneaved +unebbed +unebbing +unebriate +unebullient +uneccentric +uneccentrically +unecclesiastic +unecclesiastical +unecclesiastically +unechoed +unechoic +unechoing +uneclectic +uneclectically +uneclipsed +uneclipsing +unecliptic +unecliptical +unecliptically +uneconomic +uneconomical +uneconomically +uneconomicalness +uneconomizing +unecstatic +unecstatically +unedacious +unedaciously +uneddied +uneddying +unedge +unedged +unedging +unedible +unedibleness +unedibly +unedificial +unedified +unedifying +uneditable +unedited +uneducable +uneducableness +uneducably +uneducate +uneducated +uneducatedly +uneducatedness +uneducative +uneduced +Uneeda +UNEF +uneffable +uneffaceable +uneffaceably +uneffaced +uneffected +uneffectible +uneffective +uneffectively +uneffectiveness +uneffectless +uneffectual +uneffectually +uneffectualness +uneffectuated +uneffeminate +uneffeminated +uneffeminately +uneffeness +uneffervescent +uneffervescently +uneffete +uneffeteness +unefficacious +unefficaciously +unefficient +uneffigiated +uneffulgent +uneffulgently +uneffused +uneffusing +uneffusive +uneffusively +uneffusiveness +unegal +unegally +unegalness +Un-egyptian +unegoist +unegoistical +unegoistically +unegotistical +unegotistically +unegregious +unegregiously +unegregiousness +uneye +uneyeable +uneyed +unejaculated +unejected +unejective +unelaborate +unelaborated +unelaborately +unelaborateness +unelapsed +unelastic +unelastically +unelasticity +unelated +unelating +unelbowed +unelderly +unelect +unelectable +unelected +unelective +unelectric +unelectrical +unelectrically +unelectrify +unelectrified +unelectrifying +unelectrized +unelectronic +uneleemosynary +unelegant +unelegantly +unelegantness +unelemental +unelementally +unelementary +unelevated +unelicitable +unelicited +unelided +unelidible +uneligibility +uneligible +uneligibly +uneliminated +Un-elizabethan +unelliptical +unelongated +uneloped +uneloping +uneloquent +uneloquently +unelucidated +unelucidating +unelucidative +uneludable +uneluded +unelusive +unelusively +unelusiveness +unelusory +unemaciated +unemanative +unemancipable +unemancipated +unemancipative +unemasculated +unemasculative +unemasculatory +unembayed +unembalmed +unembanked +unembarassed +unembarrassed +unembarrassedly +unembarrassedness +unembarrassing +unembarrassment +unembased +unembattled +unembellished +unembellishedness +unembellishment +unembezzled +unembittered +unemblazoned +unembodied +unembodiment +unembossed +unemboweled +unembowelled +unembowered +unembraceable +unembraced +unembryonal +unembryonic +unembroidered +unembroiled +unemendable +unemended +unemerged +unemergent +unemerging +unemigrant +unemigrating +uneminent +uneminently +unemissive +unemitted +unemitting +unemolumentary +unemolumented +unemotional +unemotionalism +unemotionally +unemotionalness +unemotioned +unemotive +unemotively +unemotiveness +unempaneled +unempanelled +unemphasized +unemphasizing +unemphatic +unemphatical +unemphatically +unempirical +unempirically +unemploy +unemployability +unemployable +unemployableness +unemployably +unemployed +unemployment +unemployments +unempoisoned +unempowered +unempt +unempty +unemptiable +unemptied +unemulative +unemulous +unemulsified +unenabled +unenacted +unenameled +unenamelled +unenamored +unenamoured +unencamped +unenchafed +unenchant +unenchanted +unenciphered +unencircled +unencysted +unenclosed +unencompassed +unencored +unencounterable +unencountered +unencouraged +unencouraging +unencrypted +unencroached +unencroaching +unencumber +unencumbered +unencumberedly +unencumberedness +unencumbering +unendable +unendamaged +unendangered +unendeared +unendeavored +unended +unendemic +unending +unendingly +unendingness +unendly +unendorsable +unendorsed +unendowed +unendowing +unendued +unendurability +unendurable +unendurableness +unendurably +unendured +unenduring +unenduringly +unenergetic +unenergetically +unenergized +unenervated +unenfeebled +unenfiladed +unenforceability +unenforceable +unenforced +unenforcedly +unenforcedness +unenforcibility +unenfranchised +unengaged +unengaging +unengagingness +unengendered +unengineered +unenglish +Un-english +unenglished +Un-englished +Un-englishmanlike +unengraved +unengraven +unengrossed +unengrossing +unenhanced +unenigmatic +unenigmatical +unenigmatically +unenjoyable +unenjoyableness +unenjoyably +unenjoyed +unenjoying +unenjoyingly +unenjoined +unenkindled +unenlarged +unenlarging +unenlightened +unenlightening +unenlightenment +unenlisted +unenlivened +unenlivening +unennobled +unennobling +unenounced +unenquired +unenquiring +unenraged +unenraptured +unenrichable +unenrichableness +unenriched +unenriching +unenrobed +unenrolled +unenshrined +unenslave +unenslaved +unensnared +unensouled +unensured +unentailed +unentangle +unentangleable +unentangled +unentanglement +unentangler +unentangling +unenterable +unentered +unentering +unenterprise +unenterprised +unenterprising +unenterprisingly +unenterprisingness +unentertainable +unentertained +unentertaining +unentertainingly +unentertainingness +unenthralled +unenthralling +unenthroned +unenthused +unenthusiasm +unenthusiastic +unenthusiastically +unenticeable +unenticed +unenticing +unentire +unentitled +unentitledness +unentitlement +unentombed +unentomological +unentrance +unentranced +unentrapped +unentreatable +unentreated +unentreating +unentrenched +unentwined +unenumerable +unenumerated +unenumerative +unenunciable +unenunciated +unenunciative +unenveloped +unenvenomed +unenviability +unenviable +unenviably +unenvied +unenviedly +unenvying +unenvyingly +unenvious +unenviously +unenvironed +unenwoven +unepauleted +unepauletted +unephemeral +unephemerally +unepic +unepicurean +unepigrammatic +unepigrammatically +unepilogued +unepiscopal +unepiscopally +unepistolary +unepitaphed +unepithelial +unepitomised +unepitomized +unepochal +unequability +unequable +unequableness +unequably +unequal +unequalable +unequaled +unequalise +unequalised +unequalising +unequality +unequalize +unequalized +unequalizing +unequalled +unequal-lengthed +unequally +unequal-limbed +unequal-lobed +unequalness +unequals +unequal-sided +unequal-tempered +unequal-valved +unequated +unequatorial +unequestrian +unequiangular +unequiaxed +unequilateral +unequilaterally +unequilibrated +unequine +unequipped +unequitable +unequitableness +unequitably +unequivalent +unequivalently +unequivalve +unequivalved +unequivocably +unequivocal +unequivocally +unequivocalness +unequivocating +uneradicable +uneradicated +uneradicative +unerasable +unerased +unerasing +unerect +unerected +unermined +unerodable +uneroded +unerodent +uneroding +unerosive +unerotic +unerrable +unerrableness +unerrably +unerrancy +unerrant +unerrantly +unerratic +unerring +unerringly +unerringness +unerroneous +unerroneously +unerroneousness +unerudite +unerupted +uneruptive +unescaladed +unescalloped +unescapable +unescapableness +unescapably +unescaped +unescheatable +unescheated +uneschewable +uneschewably +uneschewed +UNESCO +unescorted +unescutcheoned +unesoteric +unespied +unespousable +unespoused +unessayed +unessence +unessential +unessentially +unessentialness +unestablish +unestablishable +unestablished +unestablishment +unesteemed +unesthetic +unestimable +unestimableness +unestimably +unestimated +unestopped +unestranged +unetched +uneternal +uneternized +unethereal +unethereally +unetherealness +unethic +unethical +unethically +unethicalness +unethylated +unethnologic +unethnological +unethnologically +unetymologic +unetymological +unetymologically +unetymologizable +Un-etruscan +un-Eucharistic +uneucharistical +un-Eucharistical +un-Eucharistically +uneugenic +uneugenical +uneugenically +uneulogised +uneulogized +uneuphemistic +uneuphemistical +uneuphemistically +uneuphonic +uneuphonious +uneuphoniously +uneuphoniousness +Un-european +unevacuated +unevadable +unevaded +unevadible +unevading +unevaluated +unevanescent +unevanescently +unevangelic +unevangelical +unevangelically +unevangelised +unevangelized +unevaporate +unevaporated +unevaporative +unevasive +unevasively +unevasiveness +uneven +uneven-aged +uneven-carriaged +unevener +unevenest +uneven-handed +unevenly +unevenness +unevennesses +uneven-numbered +uneven-priced +uneven-roofed +uneventful +uneventfully +uneventfulness +uneversible +uneverted +unevicted +unevidenced +unevident +unevidential +unevil +unevilly +unevinced +unevincible +unevirated +uneviscerated +unevitable +unevitably +unevocable +unevocative +unevokable +unevoked +unevolutional +unevolutionary +unevolved +unexacerbated +unexacerbating +unexact +unexacted +unexactedly +unexacting +unexactingly +unexactingness +unexactly +unexactness +unexaggerable +unexaggerated +unexaggerating +unexaggerative +unexaggeratory +unexalted +unexalting +unexaminable +unexamined +unexamining +unexampled +unexampledness +unexasperated +unexasperating +unexcavated +unexceedable +unexceeded +unexcelled +unexcellent +unexcellently +unexcelling +unexceptable +unexcepted +unexcepting +unexceptionability +unexceptionable +unexceptionableness +unexceptionably +unexceptional +unexceptionality +unexceptionally +unexceptionalness +unexceptive +unexcerpted +unexcessive +unexcessively +unexcessiveness +unexchangeable +unexchangeableness +unexchangeabness +unexchanged +unexcised +unexcitability +unexcitable +unexcitablely +unexcitableness +unexcited +unexciting +unexclaiming +unexcludable +unexcluded +unexcluding +unexclusive +unexclusively +unexclusiveness +unexcogitable +unexcogitated +unexcogitative +unexcommunicated +unexcoriated +unexcorticated +unexcrescent +unexcrescently +unexcreted +unexcruciating +unexculpable +unexculpably +unexculpated +unexcursive +unexcursively +unexcusable +unexcusableness +unexcusably +unexcused +unexcusedly +unexcusedness +unexcusing +unexecrated +unexecutable +unexecuted +unexecuting +unexecutorial +unexemplary +unexemplifiable +unexemplified +unexempt +unexemptable +unexempted +unexemptible +unexempting +unexercisable +unexercise +unexercised +unexerted +unexhalable +unexhaled +unexhausted +unexhaustedly +unexhaustedness +unexhaustible +unexhaustibleness +unexhaustibly +unexhaustion +unexhaustive +unexhaustively +unexhaustiveness +unexhibitable +unexhibitableness +unexhibited +unexhilarated +unexhilarating +unexhilarative +unexhortative +unexhorted +unexhumed +unexigent +unexigently +unexigible +unexilable +unexiled +unexistence +unexistent +unexistential +unexistentially +unexisting +unexonerable +unexonerated +unexonerative +unexorable +unexorableness +unexorbitant +unexorbitantly +unexorcisable +unexorcisably +unexorcised +unexotic +unexotically +unexpandable +unexpanded +unexpanding +unexpansible +unexpansive +unexpansively +unexpansiveness +unexpect +unexpectability +unexpectable +unexpectably +unexpectant +unexpectantly +unexpected +unexpectedly +unexpectedness +unexpecteds +unexpecting +unexpectingly +unexpectorated +unexpedient +unexpediently +unexpeditable +unexpeditated +unexpedited +unexpeditious +unexpeditiously +unexpeditiousness +unexpellable +unexpelled +unexpendable +unexpended +unexpensive +unexpensively +unexpensiveness +unexperience +unexperienced +unexperiencedness +unexperient +unexperiential +unexperientially +unexperimental +unexperimentally +unexperimented +unexpert +unexpertly +unexpertness +unexpiable +unexpiated +unexpired +unexpiring +unexplainable +unexplainableness +unexplainably +unexplained +unexplainedly +unexplainedness +unexplaining +unexplanatory +unexplicable +unexplicableness +unexplicably +unexplicated +unexplicative +unexplicit +unexplicitly +unexplicitness +unexplodable +unexploded +unexploitable +unexploitation +unexploitative +unexploited +unexplorable +unexplorative +unexploratory +unexplored +unexplosive +unexplosively +unexplosiveness +unexponible +unexportable +unexported +unexporting +unexposable +unexposed +unexpostulating +unexpoundable +unexpounded +unexpress +unexpressable +unexpressableness +unexpressably +unexpressed +unexpressedly +unexpressible +unexpressibleness +unexpressibly +unexpressive +unexpressively +unexpressiveness +unexpressly +unexpropriable +unexpropriated +unexpugnable +unexpunged +unexpurgated +unexpurgatedly +unexpurgatedness +unextendable +unextended +unextendedly +unextendedness +unextendibility +unextendible +unextensibility +unextensible +unextenuable +unextenuated +unextenuating +unexterminable +unexterminated +unexternal +unexternality +unexterritoriality +unextinct +unextinctness +unextinguishable +unextinguishableness +unextinguishably +unextinguished +unextirpable +unextirpated +unextolled +unextortable +unextorted +unextractable +unextracted +unextradited +unextraneous +unextraneously +unextraordinary +unextravagance +unextravagant +unextravagantly +unextravagating +unextravasated +unextreme +unextremeness +unextricable +unextricated +unextrinsic +unextruded +unexuberant +unexuberantly +unexudative +unexuded +unexultant +unexultantly +unfabled +unfabling +unfabricated +unfabulous +unfabulously +unfacaded +unface +unfaceable +unfaced +unfaceted +unfacetious +unfacetiously +unfacetiousness +unfacile +unfacilely +unfacilitated +unfact +unfactional +unfactious +unfactiously +unfactitious +unfactorable +unfactored +unfactual +unfactually +unfactualness +unfadable +unfaded +unfading +unfadingly +unfadingness +unfagged +unfagoted +unfailable +unfailableness +unfailably +unfailed +unfailing +unfailingly +unfailingness +unfain +unfaint +unfainting +unfaintly +unfair +unfairer +unfairest +unfairylike +unfairly +unfairminded +unfairness +unfairnesses +unfaith +unfaithful +unfaithfully +unfaithfulness +unfaithfulnesses +unfaiths +unfaithworthy +unfaithworthiness +unfakable +unfaked +unfalcated +unfallacious +unfallaciously +unfallaciousness +unfallen +unfallenness +unfallible +unfallibleness +unfallibly +unfalling +unfallowed +unfalse +unfalseness +unfalsifiable +unfalsified +unfalsifiedness +unfalsity +unfaltering +unfalteringly +unfamed +unfamiliar +unfamiliarised +unfamiliarity +unfamiliarities +unfamiliarized +unfamiliarly +unfamous +unfanatical +unfanatically +unfancy +unfanciable +unfancied +unfanciful +unfancifulness +unfanciness +unfanged +unfanned +unfantastic +unfantastical +unfantastically +unfar +unfarced +unfarcical +unfardle +unfarewelled +unfarmable +unfarmed +unfarming +unfarrowed +unfarsighted +unfasciate +unfasciated +unfascinate +unfascinated +unfascinating +unfashion +unfashionable +unfashionableness +unfashionably +unfashioned +unfast +unfasten +unfastenable +unfastened +unfastener +unfastening +unfastens +unfastidious +unfastidiously +unfastidiousness +unfasting +unfatalistic +unfatalistically +unfated +unfather +unfathered +unfatherly +unfatherlike +unfatherliness +unfathomability +unfathomable +unfathomableness +unfathomably +unfathomed +unfatigable +unfatigue +unfatigueable +unfatigued +unfatiguing +unfattable +unfatted +unfatten +unfatty +unfatuitous +unfatuitously +unfauceted +unfaultable +unfaultfinding +unfaulty +unfavorable +unfavorableness +unfavorably +unfavored +unfavoring +unfavorite +unfavourable +unfavourableness +unfavourably +unfavoured +unfavouring +unfavourite +unfawning +unfazed +unfazedness +unfealty +unfeared +unfearful +unfearfully +unfearfulness +unfeary +unfearing +unfearingly +unfearingness +unfeasable +unfeasableness +unfeasably +unfeasibility +unfeasible +unfeasibleness +unfeasibly +unfeasted +unfeastly +unfeather +unfeathered +unfeaty +unfeatured +unfebrile +unfecund +unfecundated +unfed +unfederal +unfederated +unfederative +unfederatively +unfeeble +unfeebleness +unfeebly +unfeed +unfeedable +unfeeding +unfeeing +unfeel +unfeelable +unfeeling +unfeelingly +unfeelingness +unfeignable +unfeignableness +unfeignably +unfeigned +unfeignedly +unfeignedness +unfeigning +unfeigningly +unfeigningness +unfele +unfelicitated +unfelicitating +unfelicitous +unfelicitously +unfelicitousness +unfeline +unfellable +unfelled +unfellied +unfellow +unfellowed +unfellowly +unfellowlike +unfellowshiped +unfelon +unfelony +unfelonious +unfeloniously +unfelt +unfelted +unfemale +unfeminine +unfemininely +unfeminineness +unfemininity +unfeminise +unfeminised +unfeminising +unfeminist +unfeminize +unfeminized +unfeminizing +unfence +unfenced +unfences +unfencing +unfended +unfendered +unfenestral +unfenestrated +Un-fenian +unfeoffed +unfermentable +unfermentableness +unfermentably +unfermentative +unfermented +unfermenting +unfernlike +unferocious +unferociously +unferreted +unferreting +unferried +unfertile +unfertileness +unfertilisable +unfertilised +unfertilising +unfertility +unfertilizable +unfertilized +unfertilizing +unfervent +unfervently +unfervid +unfervidly +unfester +unfestered +unfestering +unfestival +unfestive +unfestively +unfestooned +unfetchable +unfetched +unfetching +unfeted +unfetter +unfettered +unfettering +unfetters +unfettled +unfeudal +unfeudalise +unfeudalised +unfeudalising +unfeudalize +unfeudalized +unfeudalizing +unfeudally +unfeued +unfevered +unfeverish +unfew +unffroze +unfibbed +unfibbing +unfiber +unfibered +unfibred +unfibrous +unfibrously +unfickle +unfictitious +unfictitiously +unfictitiousness +unfidelity +unfidgeting +unfiducial +unfielded +unfiend +unfiendlike +unfierce +unfiercely +unfiery +unfight +unfightable +unfighting +unfigurable +unfigurative +unfigured +unfilamentous +unfilched +unfile +unfiled +unfilial +unfilially +unfilialness +unfiling +unfill +unfillable +unfilled +unfilleted +unfilling +unfilm +unfilmed +unfilterable +unfiltered +unfiltering +unfiltrated +unfimbriated +unfinable +unfinalized +unfinanced +unfinancial +unfindable +unfine +unfineable +unfined +unfinessed +unfingered +unfingured +unfinical +unfinicalness +unfinish +unfinishable +unfinished +unfinishedly +unfinishedness +unfinite +Un-finnish +unfired +unfireproof +unfiring +unfirm +unfirmamented +unfirmly +unfirmness +un-first-class +unfiscal +unfiscally +unfishable +unfished +unfishing +unfishlike +unfissile +unfistulous +unfit +unfitly +unfitness +unfitnesses +unfits +unfittable +unfitted +unfittedness +unfitten +unfitty +unfitting +unfittingly +unfittingness +unfix +unfixable +unfixated +unfixative +unfixed +unfixedness +unfixes +unfixing +unfixity +unfixt +unflag +unflagged +unflagging +unflaggingly +unflaggingness +unflagitious +unflagrant +unflagrantly +unflayed +unflaked +unflaky +unflaking +unflamboyant +unflamboyantly +unflame +unflaming +unflanged +unflank +unflanked +unflappability +unflappable +unflappably +unflapping +unflared +unflaring +unflashy +unflashing +unflat +unflated +unflatted +unflattened +unflatterable +unflattered +unflattering +unflatteringly +unflaunted +unflaunting +unflauntingly +unflavored +unflavorous +unflavoured +unflavourous +unflawed +unflead +unflecked +unfledge +unfledged +unfledgedness +unfleece +unfleeced +unfleeing +unfleeting +Un-flemish +unflesh +unfleshed +unfleshy +unfleshly +unfleshliness +unfletched +unflexed +unflexibility +unflexible +unflexibleness +unflexibly +unflickering +unflickeringly +unflighty +unflying +unflinching +unflinchingly +unflinchingness +unflintify +unflippant +unflippantly +unflirtatious +unflirtatiously +unflirtatiousness +unflitched +unfloatable +unfloating +unflock +unfloggable +unflogged +unflooded +unfloor +unfloored +Un-florentine +unflorid +unflossy +unflounced +unfloundering +unfloured +unflourished +unflourishing +unflouted +unflower +unflowered +unflowery +unflowering +unflowing +unflown +unfluctuant +unfluctuating +unfluent +unfluently +unfluffed +unfluffy +unfluid +unfluked +unflunked +unfluorescent +unfluorinated +unflurried +unflush +unflushed +unflustered +unfluted +unflutterable +unfluttered +unfluttering +unfluvial +unfluxile +unfoaled +unfoamed +unfoaming +unfocused +unfocusing +unfocussed +unfocussing +unfogged +unfoggy +unfogging +unfoilable +unfoiled +unfoisted +unfold +unfoldable +unfolded +unfolden +unfolder +unfolders +unfolding +unfoldment +unfolds +unfoldure +unfoliaged +unfoliated +unfollowable +unfollowed +unfollowing +unfomented +unfond +unfondled +unfondly +unfondness +unfoodful +unfool +unfoolable +unfooled +unfooling +unfoolish +unfoolishly +unfoolishness +unfooted +unfootsore +unfoppish +unforaged +unforbade +unforbearance +unforbearing +unforbid +unforbidded +unforbidden +unforbiddenly +unforbiddenness +unforbidding +unforceable +unforced +unforcedly +unforcedness +unforceful +unforcefully +unforcible +unforcibleness +unforcibly +unforcing +unfordable +unfordableness +unforded +unforeboded +unforeboding +unforecast +unforecasted +unforegone +unforeign +unforeknowable +unforeknown +unforensic +unforensically +unforeordained +unforesee +unforeseeable +unforeseeableness +unforeseeably +unforeseeing +unforeseeingly +unforeseen +unforeseenly +unforeseenness +unforeshortened +unforest +unforestallable +unforestalled +unforested +unforetellable +unforethought +unforethoughtful +unforetold +unforewarned +unforewarnedness +unforfeit +unforfeitable +unforfeited +unforfeiting +unforgeability +unforgeable +unforged +unforget +unforgetful +unforgetfully +unforgetfulness +unforgettability +unforgettable +unforgettableness +unforgettably +unforgetting +unforgettingly +unforgivable +unforgivableness +unforgivably +unforgiven +unforgiveness +unforgiver +unforgiving +unforgivingly +unforgivingness +unforgoable +unforgone +unforgot +unforgotten +unfork +unforked +unforkedness +unforlorn +unform +unformal +unformalised +unformalistic +unformality +unformalized +unformally +unformalness +unformative +unformatted +unformed +unformidable +unformidableness +unformidably +unformulable +unformularizable +unformularize +unformulated +unformulistic +unforsaken +unforsaking +unforseen +unforsook +unforsworn +unforthright +unfortify +unfortifiable +unfortified +unfortuitous +unfortuitously +unfortuitousness +unfortunate +unfortunately +unfortunateness +unfortunates +unfortune +unforward +unforwarded +unforwardly +unfossiliferous +unfossilised +unfossilized +unfostered +unfostering +unfought +unfoughten +unfoul +unfoulable +unfouled +unfouling +unfoully +unfound +unfounded +unfoundedly +unfoundedness +unfoundered +unfoundering +unfountained +unfowllike +unfoxed +unfoxy +unfractious +unfractiously +unfractiousness +unfractured +unfragile +unfragmented +unfragrance +unfragrant +unfragrantly +unfrayed +unfrail +unframable +unframableness +unframably +unframe +unframeable +unframed +unfranchised +Un-franciscan +unfrangible +unfrank +unfrankable +unfranked +unfrankly +unfrankness +unfraternal +unfraternally +unfraternised +unfraternized +unfraternizing +unfraudulent +unfraudulently +unfraught +unfrazzled +unfreakish +unfreakishly +unfreakishness +unfreckled +unfree +unfreed +unfreedom +unfreehold +unfreeing +unfreeingly +unfreely +unfreeman +unfreeness +unfrees +un-free-trade +unfreezable +unfreeze +unfreezes +unfreezing +unfreight +unfreighted +unfreighting +Un-french +un-frenchify +unfrenchified +unfrenzied +unfrequency +unfrequent +unfrequentable +unfrequentative +unfrequented +unfrequentedness +unfrequently +unfrequentness +unfret +unfretful +unfretfully +unfretted +unfretty +unfretting +unfriable +unfriableness +unfriarlike +unfricative +unfrictional +unfrictionally +unfrictioned +unfried +unfriend +unfriended +unfriendedness +unfriending +unfriendly +unfriendlier +unfriendliest +unfriendlike +unfriendlily +unfriendliness +unfriendship +unfrighted +unfrightenable +unfrightened +unfrightenedness +unfrightening +unfrightful +unfrigid +unfrigidity +unfrigidly +unfrigidness +unfrill +unfrilled +unfrilly +unfringe +unfringed +unfringing +unfrisky +unfrisking +unfrittered +unfrivolous +unfrivolously +unfrivolousness +unfrizz +unfrizzy +unfrizzled +unfrizzly +unfrock +unfrocked +unfrocking +unfrocks +unfroglike +unfrolicsome +unfronted +unfrost +unfrosted +unfrosty +unfrothed +unfrothing +unfrounced +unfroward +unfrowardly +unfrowning +unfroze +unfrozen +unfructed +unfructify +unfructified +unfructuous +unfructuously +unfrugal +unfrugality +unfrugally +unfrugalness +unfruitful +unfruitfully +unfruitfulness +unfruity +unfrustrable +unfrustrably +unfrustratable +unfrustrated +unfrutuosity +unfuddled +unfudged +unfueled +unfuelled +unfugal +unfugally +unfugitive +unfugitively +unfulfil +unfulfill +unfulfillable +unfulfilled +unfulfilling +unfulfillment +unfulfilment +unfulgent +unfulgently +unfull +unfulled +unfully +unfulminant +unfulminated +unfulminating +unfulsome +unfumbled +unfumbling +unfumed +unfumigated +unfuming +unfunctional +unfunctionally +unfunctioning +unfundable +unfundamental +unfundamentally +unfunded +unfunereal +unfunereally +unfungible +unfunny +unfunnily +unfunniness +unfur +unfurbelowed +unfurbished +unfurcate +unfurious +unfurl +unfurlable +unfurled +unfurling +unfurls +unfurnish +unfurnished +unfurnishedness +unfurnitured +unfurred +unfurrow +unfurrowable +unfurrowed +unfurthersome +unfused +unfusibility +unfusible +unfusibleness +unfusibly +unfusibness +unfussed +unfussy +unfussily +unfussiness +unfussing +unfutile +unfuturistic +ung +ungabled +ungag +ungaged +ungagged +ungagging +ungain +ungainable +ungained +ungainful +ungainfully +ungainfulness +ungaining +ungainly +ungainlier +ungainliest +ungainlike +ungainliness +ungainlinesses +ungainness +ungainsayable +ungainsayably +ungainsaid +ungainsaying +ungainsome +ungainsomely +ungaite +ungaited +ungallant +ungallantly +ungallantness +ungalled +ungalleried +ungalling +ungalloping +ungalvanized +ungambled +ungambling +ungamboled +ungamboling +ungambolled +ungambolling +ungamelike +ungamy +unganged +ungangrened +ungangrenous +ungaping +ungaraged +ungarbed +ungarbled +ungardened +ungargled +ungarland +ungarlanded +ungarment +ungarmented +ungarnered +ungarnish +ungarnished +ungaro +ungarrisoned +ungarrulous +ungarrulously +ungarrulousness +ungarter +ungartered +ungashed +ungassed +ungastric +ungated +ungathered +ungaudy +ungaudily +ungaudiness +ungauged +ungauntlet +ungauntleted +Ungava +ungazetted +ungazing +ungear +ungeared +ungelatinizable +ungelatinized +ungelatinous +ungelatinously +ungelatinousness +ungelded +ungelt +ungeminated +ungendered +ungenerable +ungeneral +ungeneraled +ungeneralised +ungeneralising +ungeneralized +ungeneralizing +ungenerate +ungenerated +ungenerating +ungenerative +ungeneric +ungenerical +ungenerically +ungenerosity +ungenerous +ungenerously +ungenerousness +ungenial +ungeniality +ungenially +ungenialness +ungenitive +ungenitured +ungenius +ungenteel +ungenteely +ungenteelly +ungenteelness +ungentile +ungentility +ungentilize +ungentle +ungentled +ungentleman +ungentlemanize +ungentlemanly +ungentlemanlike +ungentlemanlikeness +ungentlemanliness +ungentleness +ungentlewomanlike +ungently +ungenuine +ungenuinely +ungenuineness +ungeodetic +ungeodetical +ungeodetically +ungeographic +ungeographical +ungeographically +ungeological +ungeologically +ungeometric +ungeometrical +ungeometrically +ungeometricalness +Un-georgian +Unger +Un-german +ungermane +Un-germanic +Un-germanize +ungerminant +ungerminated +ungerminating +ungerminative +ungermlike +ungerontic +ungesticular +ungesticulating +ungesticulative +ungesticulatory +ungesting +ungestural +ungesturing +unget +ungetable +ungetatable +unget-at-able +un-get-at-able +un-get-at-ableness +ungettable +ungeuntary +ungeuntarium +unghostly +unghostlike +ungiant +ungibbet +ungiddy +ungift +ungifted +ungiftedness +ungild +ungilded +ungill +ungilled +ungilt +ungymnastic +ungingled +unginned +ungypsylike +ungyrating +ungird +ungirded +ungirding +ungirdle +ungirdled +ungirdling +ungirds +ungirlish +ungirlishly +ungirlishness +ungirt +ungirth +ungirthed +ungivable +ungive +ungyve +ungiveable +ungyved +ungiven +ungiving +ungivingness +ungka +unglacial +unglacially +unglaciated +unglad +ungladden +ungladdened +ungladly +ungladness +ungladsome +unglamorous +unglamorously +unglamorousness +unglamourous +unglamourously +unglandular +unglaring +unglassed +unglassy +unglaze +unglazed +ungleaming +ungleaned +unglee +ungleeful +ungleefully +Ungley +unglib +unglibly +ungliding +unglimpsed +unglistening +unglittery +unglittering +ungloating +unglobe +unglobular +unglobularly +ungloom +ungloomed +ungloomy +ungloomily +unglory +unglorify +unglorified +unglorifying +unglorious +ungloriously +ungloriousness +unglosed +ungloss +unglossaried +unglossed +unglossy +unglossily +unglossiness +unglove +ungloved +ungloves +ungloving +unglowering +ungloweringly +unglowing +unglozed +unglue +unglued +unglues +ungluing +unglutinate +unglutinosity +unglutinous +unglutinously +unglutinousness +unglutted +ungluttonous +ungnarled +ungnarred +ungnaw +ungnawed +ungnawn +ungnostic +ungoaded +ungoatlike +ungod +ungoddess +ungodly +ungodlier +ungodliest +ungodlike +ungodlily +ungodliness +ungodlinesses +ungodmothered +ungoggled +ungoitered +ungold +ungolden +ungone +ungood +ungoodly +ungoodliness +ungoodness +ungored +ungorge +ungorged +ungorgeous +ungospel +ungospelized +ungospelled +ungospellike +ungossipy +ungossiping +ungot +ungothic +ungotten +ungouged +ungouty +ungovernability +ungovernable +ungovernableness +ungovernably +ungoverned +ungovernedness +ungoverning +ungovernmental +ungovernmentally +ungown +ungowned +ungrabbing +ungrace +ungraced +ungraceful +ungracefully +ungracefulness +ungracious +ungraciously +ungraciousness +ungradated +ungradating +ungraded +ungradual +ungradually +ungraduated +ungraduating +ungraft +ungrafted +ungrayed +ungrain +ungrainable +ungrained +ungrammar +ungrammared +ungrammatic +ungrammatical +ungrammaticality +ungrammatically +ungrammaticalness +ungrammaticism +ungrand +Un-grandisonian +ungrantable +ungranted +ungranular +ungranulated +ungraphable +ungraphic +ungraphical +ungraphically +ungraphitized +ungrapple +ungrappled +ungrappler +ungrappling +ungrasp +ungraspable +ungrasped +ungrasping +ungrassed +ungrassy +ungrated +ungrateful +ungratefully +ungratefulness +ungratefulnesses +ungratifiable +ungratification +ungratified +ungratifying +ungratifyingly +ungrating +ungratitude +ungratuitous +ungratuitously +ungratuitousness +ungrave +ungraved +ungraveled +ungravely +ungravelled +ungravelly +ungraven +ungravitating +ungravitational +ungravitative +ungrazed +ungreased +ungreasy +ungreat +ungreatly +ungreatness +Un-grecian +ungreeable +ungreedy +Un-greek +ungreen +ungreenable +ungreened +ungreeted +ungregarious +ungregariously +ungregariousness +Un-gregorian +ungreyed +ungrid +ungrieve +ungrieved +ungrieving +ungrilled +ungrimed +ungrindable +ungrinned +ungrip +ungripe +ungripped +ungripping +ungritty +ungrizzled +ungroaning +ungroined +ungroomed +ungrooved +ungropeable +ungross +ungrotesque +unground +ungroundable +ungroundably +ungrounded +ungroundedly +ungroundedness +ungroupable +ungrouped +ungroveling +ungrovelling +ungrow +ungrowing +ungrowling +ungrown +ungrubbed +ungrudged +ungrudging +ungrudgingly +ungrudgingness +ungruesome +ungruff +ungrumbling +ungrumblingly +ungrumpy +ungt +ungual +unguals +unguaranteed +unguard +unguardable +unguarded +unguardedly +unguardedness +unguarding +unguards +ungueal +unguent +unguenta +unguentary +unguentaria +unguentarian +unguentarium +unguentiferous +unguento +unguentous +unguents +unguentum +unguerdoned +ungues +unguessable +unguessableness +unguessed +unguessing +unguical +unguicorn +unguicular +Unguiculata +unguiculate +unguiculated +unguicule +unguidable +unguidableness +unguidably +unguided +unguidedly +unguyed +unguiferous +unguiform +unguiled +unguileful +unguilefully +unguilefulness +unguillotined +unguilty +unguiltily +unguiltiness +unguiltless +unguinal +unguinous +unguirostral +unguis +ungula +ungulae +ungular +Ungulata +ungulate +ungulated +ungulates +unguled +unguligrade +ungulite +ungull +ungullibility +ungullible +ungulous +ungulp +ungum +ungummed +ungushing +ungustatory +ungutted +unguttural +ungutturally +ungutturalness +unguzzled +unhabile +unhabit +unhabitability +unhabitable +unhabitableness +unhabitably +unhabited +unhabitual +unhabitually +unhabituate +unhabituated +unhabituatedness +unhacked +unhackled +unhackneyed +unhackneyedness +unhad +unhaft +unhafted +unhaggled +unhaggling +unhayed +unhailable +unhailed +unhair +unhaired +unhairer +unhairy +unhairily +unhairiness +unhairing +unhairs +unhale +unhallooed +unhallow +unhallowed +unhallowedness +unhallowing +unhallows +unhallucinated +unhallucinating +unhallucinatory +unhaloed +unhalsed +unhalted +unhalter +unhaltered +unhaltering +unhalting +unhaltingly +unhalved +Un-hamitic +unhammered +unhamper +unhampered +unhampering +unhand +unhandcuff +unhandcuffed +unhanded +unhandy +unhandicapped +unhandier +unhandiest +unhandily +unhandiness +unhanding +unhandled +unhands +unhandseled +unhandselled +unhandsome +unhandsomely +unhandsomeness +unhang +unhanged +unhanging +unhangs +unhanked +unhap +unhappen +unhappi +unhappy +unhappy-eyed +unhappier +unhappiest +unhappy-faced +unhappy-happy +unhappily +unhappy-looking +unhappiness +unhappinesses +unhappy-seeming +unhappy-witted +unharangued +unharassed +unharbor +unharbored +unharbour +unharboured +unhard +unharden +unhardenable +unhardened +unhardy +unhardihood +unhardily +unhardiness +unhardness +unharked +unharmable +unharmed +unharmful +unharmfully +unharming +unharmony +unharmonic +unharmonical +unharmonically +unharmonious +unharmoniously +unharmoniousness +unharmonise +unharmonised +unharmonising +unharmonize +unharmonized +unharmonizing +unharness +unharnessed +unharnesses +unharnessing +unharped +unharping +unharried +unharrowed +unharsh +unharshly +unharshness +unharvested +unhashed +unhasp +unhasped +unhaste +unhasted +unhastened +unhasty +unhastily +unhastiness +unhasting +unhat +unhatchability +unhatchable +unhatched +unhatcheled +unhate +unhated +unhateful +unhating +unhatingly +unhats +unhatted +unhatting +unhauled +unhaunt +unhaunted +unhave +unhawked +unhazarded +unhazarding +unhazardous +unhazardously +unhazardousness +unhazed +unhazy +unhazily +unhaziness +UNHCR +unhead +unheaded +unheader +unheady +unheal +unhealable +unhealableness +unhealably +unhealed +unhealing +unhealth +unhealthful +unhealthfully +unhealthfulness +unhealthy +unhealthier +unhealthiest +unhealthily +unhealthiness +unhealthsome +unhealthsomeness +unheaped +unhearable +unheard +unheard-of +unhearing +unhearse +unhearsed +unheart +unhearten +unhearty +unheartily +unheartsome +unheatable +unheated +unheathen +unheaved +unheaven +unheavenly +unheavy +unheavily +unheaviness +Un-hebraic +Un-hebrew +unhectic +unhectically +unhectored +unhedge +unhedged +unhedging +unhedonistic +unhedonistically +unheed +unheeded +unheededly +unheedful +unheedfully +unheedfulness +unheedy +unheeding +unheedingly +unheeled +unheelpieced +unhefted +unheightened +unheired +unheld +unhele +unheler +Un-hellenic +unhelm +unhelmed +unhelmet +unhelmeted +unhelming +unhelms +unhelp +unhelpable +unhelpableness +unhelped +unhelpful +unhelpfully +unhelpfulness +unhelping +unhelved +unhemmed +unhende +unhent +unheppen +unheralded +unheraldic +unherbaceous +unherd +unherded +unhereditary +unheretical +unheritable +unhermetic +unhermitic +unhermitical +unhermitically +unhero +unheroic +unheroical +unheroically +unheroicalness +unheroicness +unheroism +unheroize +unherolike +unhesitant +unhesitantly +unhesitating +unhesitatingly +unhesitatingness +unhesitative +unhesitatively +unheuristic +unheuristically +unhewable +unhewed +unhewn +unhex +Un-hibernically +unhid +unhidable +unhidableness +unhidably +unhidated +unhidden +unhide +unhideable +unhideably +unhidebound +unhideboundness +unhideous +unhideously +unhideousness +unhydrated +unhydraulic +unhydrolized +unhydrolyzed +unhieratic +unhieratical +unhieratically +unhygenic +unhigh +unhygienic +unhygienically +unhygrometric +unhilarious +unhilariously +unhilariousness +unhilly +unhymeneal +unhymned +unhinderable +unhinderably +unhindered +unhindering +unhinderingly +Un-hindu +unhinge +unhinged +unhingement +unhinges +unhinging +unhinted +unhip +unhyphenable +unhyphenated +unhyphened +unhypnotic +unhypnotically +unhypnotisable +unhypnotise +unhypnotised +unhypnotising +unhypnotizable +unhypnotize +unhypnotized +unhypnotizing +unhypocritical +unhypocritically +unhypothecated +unhypothetical +unhypothetically +unhipped +unhired +unhissed +unhysterical +unhysterically +unhistory +unhistoric +unhistorical +unhistorically +unhistoried +unhistrionic +unhit +unhitch +unhitched +unhitches +unhitching +unhittable +unhive +unhoard +unhoarded +unhoarding +unhoary +unhoaxability +unhoaxable +unhoaxed +unhobble +unhobbling +unhocked +unhoed +unhogged +unhoist +unhoisted +unhold +unholy +unholiday +unholier +unholiest +unholily +unholiness +unholinesses +unhollow +unhollowed +unholpen +unhome +unhomely +unhomelike +unhomelikeness +unhomeliness +Un-homeric +unhomicidal +unhomiletic +unhomiletical +unhomiletically +unhomish +unhomogeneity +unhomogeneous +unhomogeneously +unhomogeneousness +unhomogenized +unhomologic +unhomological +unhomologically +unhomologized +unhomologous +unhoned +unhoneyed +unhonest +unhonesty +unhonestly +unhonied +unhonorable +unhonorably +unhonored +unhonourable +unhonourably +unhonoured +unhood +unhooded +unhooding +unhoods +unhoodwink +unhoodwinked +unhoofed +unhook +unhooked +unhooking +unhooks +unhoop +unhoopable +unhooped +unhooper +unhooted +unhope +unhoped +unhoped-for +unhopedly +unhopedness +unhopeful +unhopefully +unhopefulness +unhoping +unhopingly +unhopped +unhoppled +Un-horatian +unhorizoned +unhorizontal +unhorizontally +unhorned +unhorny +unhoroscopic +unhorrified +unhorse +unhorsed +unhorses +unhorsing +unhortative +unhortatively +unhose +unhosed +unhospitable +unhospitableness +unhospitably +unhospital +unhospitalized +unhostile +unhostilely +unhostileness +unhostility +unhot +unhounded +unhoundlike +unhouse +unhoused +unhouseled +unhouselike +unhouses +unhousewifely +unhousing +unhubristic +unhuddle +unhuddled +unhuddling +unhued +unhugged +unhull +unhulled +unhuman +unhumane +unhumanely +unhumaneness +unhumanise +unhumanised +unhumanising +unhumanistic +unhumanitarian +unhumanize +unhumanized +unhumanizing +unhumanly +unhumanness +unhumble +unhumbled +unhumbledness +unhumbleness +unhumbly +unhumbugged +unhumid +unhumidified +unhumidifying +unhumiliated +unhumiliating +unhumiliatingly +unhumored +unhumorous +unhumorously +unhumorousness +unhumoured +unhumourous +unhumourously +unhung +unh-unh +un-hunh +unhuntable +unhunted +unhurdled +unhurled +unhurried +unhurriedly +unhurriedness +unhurrying +unhurryingly +unhurt +unhurted +unhurtful +unhurtfully +unhurtfulness +unhurting +unhusbanded +unhusbandly +unhushable +unhushed +unhushing +unhusk +unhuskable +unhusked +unhusking +unhusks +unhustled +unhustling +unhutched +unhuzzaed +Uni +uni- +unyachtsmanlike +unialgal +uniambic +uniambically +uniangulate +Un-yankee +uniarticular +uniarticulate +Uniat +Uniate +Uniatism +uniauriculate +uniauriculated +uniaxal +uniaxally +uniaxial +uniaxially +unibasal +Un-iberian +unibivalent +unible +unibracteate +unibracteolate +unibranchiate +unicalcarate +unicameral +unicameralism +unicameralist +unicamerally +unicamerate +unicapsular +unicarinate +unicarinated +unice +uniced +UNICEF +Un-icelandic +unicell +unicellate +unicelled +unicellular +unicellularity +unicentral +unichord +unicycle +unicycles +unicyclist +uniciliate +unicing +unicism +unicist +unicity +uniclinal +Unicoi +unicolor +unicolorate +unicolored +unicolorous +unicolour +uniconoclastic +uniconoclastically +uniconstant +unicorn +unicorneal +unicornic +unicornlike +unicornous +unicorns +unicorn's +unicornuted +unicostate +unicotyledonous +UNICS +unicum +unicursal +unicursality +unicursally +unicuspid +unicuspidate +unidactyl +unidactyle +unidactylous +unidea'd +unideaed +unideal +unidealised +unidealism +unidealist +unidealistic +unidealistically +unidealized +unideated +unideating +unideational +unidentate +unidentated +unidentical +unidentically +unidenticulate +unidentifiable +unidentifiableness +unidentifiably +unidentified +unidentifiedly +unidentifying +unideographic +unideographical +unideographically +unidextral +unidextrality +unidigitate +unidyllic +unidimensional +unidiomatic +unidiomatically +unidirect +unidirected +unidirection +unidirectional +unidirectionality +unidirectionally +unidle +unidleness +unidly +unidling +UNIDO +unidolatrous +unidolised +unidolized +unie +unyeaned +unyearned +unyearning +uniembryonate +uniequivalent +uniface +unifaced +unifaces +unifacial +unifactoral +unifactorial +unifarious +unify +unifiable +unific +unification +unificationist +unifications +unificator +unified +unifiedly +unifiedness +unifier +unifiers +unifies +unifying +unifilar +uniflagellate +unifloral +uniflorate +uniflorous +uniflow +uniflowered +unifocal +unifoliar +unifoliate +unifoliolate +Unifolium +uniform +uniformal +uniformalization +uniformalize +uniformally +uniformation +uniformed +uniformer +uniformest +uniforming +uniformisation +uniformise +uniformised +uniformising +uniformist +uniformitarian +uniformitarianism +uniformity +uniformities +uniformization +uniformize +uniformized +uniformizing +uniformless +uniformly +uniformness +uniform-proof +uniforms +unigenesis +unigenetic +unigenist +unigenistic +unigenital +unigeniture +unigenous +uniglandular +uniglobular +unignitable +unignited +unignitible +unigniting +unignominious +unignominiously +unignominiousness +unignorant +unignorantly +unignored +unignoring +unigravida +uniguttulate +unyielded +unyielding +unyieldingly +unyieldingness +unijugate +unijugous +unilabiate +unilabiated +unilamellar +unilamellate +unilaminar +unilaminate +unilateral +unilateralism +unilateralist +unilaterality +unilateralization +unilateralize +unilaterally +unilinear +unilingual +unilingualism +uniliteral +unilluded +unilludedly +unillumed +unilluminant +unilluminated +unilluminating +unillumination +unilluminative +unillumined +unillusioned +unillusive +unillusory +unillustrated +unillustrative +unillustrious +unillustriously +unillustriousness +unilobal +unilobar +unilobate +unilobe +unilobed +unilobular +unilocular +unilocularity +uniloculate +unimacular +unimaged +unimaginability +unimaginable +unimaginableness +unimaginably +unimaginary +unimaginative +unimaginatively +unimaginativeness +unimagine +unimagined +unimanual +unimbanked +unimbellished +unimbezzled +unimbibed +unimbibing +unimbittered +unimbodied +unimboldened +unimbordered +unimbosomed +unimbowed +unimbowered +unimbroiled +unimbrowned +unimbrued +unimbued +unimedial +unimitable +unimitableness +unimitably +unimitated +unimitating +unimitative +unimmaculate +unimmaculately +unimmaculateness +unimmanent +unimmanently +unimmediate +unimmediately +unimmediateness +unimmerged +unimmergible +unimmersed +unimmigrating +unimminent +unimmolated +unimmortal +unimmortalize +unimmortalized +unimmovable +unimmunised +unimmunized +unimmured +unimodal +unimodality +unimodular +unimolecular +unimolecularity +unimpacted +unimpair +unimpairable +unimpaired +unimpartable +unimparted +unimpartial +unimpartially +unimpartible +unimpassionate +unimpassionately +unimpassioned +unimpassionedly +unimpassionedness +unimpatient +unimpatiently +unimpawned +unimpeachability +unimpeachable +unimpeachableness +unimpeachably +unimpeached +unimpearled +unimped +unimpeded +unimpededly +unimpedible +unimpeding +unimpedingly +unimpedness +unimpelled +unimpenetrable +unimperative +unimperatively +unimperial +unimperialistic +unimperially +unimperious +unimperiously +unimpertinent +unimpertinently +unimpinging +unimplanted +unimplemented +unimplicable +unimplicate +unimplicated +unimplicit +unimplicitly +unimplied +unimplorable +unimplored +unimpoisoned +unimportance +unimportant +unimportantly +unimportantness +unimported +unimporting +unimportunate +unimportunately +unimportunateness +unimportuned +unimposed +unimposedly +unimposing +unimpostrous +unimpounded +unimpoverished +unimpowered +unimprecated +unimpregnable +unimpregnate +unimpregnated +unimpressed +unimpressibility +unimpressible +unimpressibleness +unimpressibly +unimpressionability +unimpressionable +unimpressionableness +unimpressive +unimpressively +unimpressiveness +unimprinted +unimprison +unimprisonable +unimprisoned +unimpropriated +unimprovable +unimprovableness +unimprovably +unimproved +unimprovedly +unimprovedness +unimprovement +unimproving +unimprovised +unimpugnable +unimpugned +unimpulsive +unimpulsively +unimpurpled +unimputable +unimputed +unimucronate +unimultiplex +unimuscular +uninaugurated +unincantoned +unincarcerated +unincarnate +unincarnated +unincensed +uninceptive +uninceptively +unincestuous +unincestuously +uninchoative +unincidental +unincidentally +unincinerated +unincised +unincisive +unincisively +unincisiveness +unincited +uninclinable +uninclined +uninclining +uninclosed +uninclosedness +unincludable +unincluded +unincludible +uninclusive +uninclusiveness +uninconvenienced +unincorporate +unincorporated +unincorporatedly +unincorporatedness +unincreasable +unincreased +unincreasing +unincriminated +unincriminating +unincubated +uninculcated +unincumbered +unindebted +unindebtedly +unindebtedness +unindemnified +unindentable +unindented +unindentured +unindexed +Un-indian +Un-indianlike +unindicable +unindicated +unindicative +unindicatively +unindictable +unindictableness +unindicted +unindifference +unindifferency +unindifferent +unindifferently +unindigenous +unindigenously +unindigent +unindignant +unindividual +unindividualize +unindividualized +unindividuated +unindoctrinated +unindorsed +uninduced +uninducible +uninducted +uninductive +unindulged +unindulgent +unindulgently +unindulging +unindurate +unindurated +unindurative +unindustrial +unindustrialized +unindustrious +unindustriously +unindwellable +uninebriate +uninebriated +uninebriatedness +uninebriating +uninebrious +uninert +uninertly +uninervate +uninerved +uninfallibility +uninfallible +uninfatuated +uninfectable +uninfected +uninfectious +uninfectiously +uninfectiousness +uninfective +uninfeft +uninferable +uninferably +uninferential +uninferentially +uninferrable +uninferrably +uninferred +uninferrible +uninferribly +uninfested +uninfiltrated +uninfinite +uninfinitely +uninfiniteness +uninfixed +uninflamed +uninflammability +uninflammable +uninflated +uninflected +uninflectedness +uninflective +uninflicted +uninfluenceability +uninfluenceable +uninfluenced +uninfluencing +uninfluencive +uninfluential +uninfluentiality +uninfluentially +uninfolded +uninformative +uninformatively +uninformed +uninforming +uninfracted +uninfringeable +uninfringed +uninfringible +uninfuriated +uninfused +uninfusing +uninfusive +uningenious +uningeniously +uningeniousness +uningenuity +uningenuous +uningenuously +uningenuousness +uningested +uningestive +uningrafted +uningrained +uningratiating +uninhabitability +uninhabitable +uninhabitableness +uninhabitably +uninhabited +uninhabitedness +uninhaled +uninherent +uninherently +uninheritability +uninheritable +uninherited +uninhibited +uninhibitedly +uninhibitedness +uninhibiting +uninhibitive +uninhumed +uninimical +uninimically +uniniquitous +uniniquitously +uniniquitousness +uninitialed +uninitialized +uninitialled +uninitiate +uninitiated +uninitiatedness +uninitiation +uninitiative +uninjectable +uninjected +uninjurable +uninjured +uninjuredness +uninjuring +uninjurious +uninjuriously +uninjuriousness +uninked +uninlaid +uninn +uninnate +uninnately +uninnateness +uninnocence +uninnocent +uninnocently +uninnocuous +uninnocuously +uninnocuousness +uninnovating +uninnovative +uninoculable +uninoculated +uninoculative +uninodal +uninominal +uninquired +uninquiring +uninquisitive +uninquisitively +uninquisitiveness +uninquisitorial +uninquisitorially +uninsane +uninsatiable +uninscribed +uninserted +uninshrined +uninsidious +uninsidiously +uninsidiousness +uninsightful +uninsinuated +uninsinuating +uninsinuative +uninsistent +uninsistently +uninsolated +uninsolating +uninsolvent +uninspected +uninspirable +uninspired +uninspiring +uninspiringly +uninspirited +uninspissated +uninstalled +uninstanced +uninstated +uninstigated +uninstigative +uninstilled +uninstinctive +uninstinctively +uninstinctiveness +uninstituted +uninstitutional +uninstitutionally +uninstitutive +uninstitutively +uninstructed +uninstructedly +uninstructedness +uninstructible +uninstructing +uninstructive +uninstructively +uninstructiveness +uninstrumental +uninstrumentally +uninsular +uninsulate +uninsulated +uninsulating +uninsultable +uninsulted +uninsulting +uninsurability +uninsurable +uninsured +unintegrable +unintegral +unintegrally +unintegrated +unintegrative +unintellective +unintellectual +unintellectualism +unintellectuality +unintellectually +unintelligence +unintelligent +unintelligently +unintelligentsia +unintelligibility +unintelligible +unintelligibleness +unintelligibly +unintended +unintendedly +unintensified +unintensive +unintensively +unintent +unintentional +unintentionality +unintentionally +unintentionalness +unintentiveness +unintently +unintentness +unintercalated +unintercepted +unintercepting +uninterchangeable +uninterdicted +uninterested +uninterestedly +uninterestedness +uninteresting +uninterestingly +uninterestingness +uninterferedwith +uninterjected +uninterlaced +uninterlarded +uninterleave +uninterleaved +uninterlined +uninterlinked +uninterlocked +unintermarrying +unintermediate +unintermediately +unintermediateness +unintermingled +unintermission +unintermissive +unintermitted +unintermittedly +unintermittedness +unintermittent +unintermittently +unintermitting +unintermittingly +unintermittingness +unintermixed +uninternalized +uninternational +uninterpleaded +uninterpolated +uninterpolative +uninterposed +uninterposing +uninterpretability +uninterpretable +uninterpretative +uninterpreted +uninterpretive +uninterpretively +uninterred +uninterrogable +uninterrogated +uninterrogative +uninterrogatively +uninterrogatory +uninterruptable +uninterrupted +uninterruptedly +uninterruptedness +uninterruptible +uninterruptibleness +uninterrupting +uninterruption +uninterruptive +unintersected +unintersecting +uninterspersed +unintervening +uninterviewed +unintervolved +uninterwoven +uninthralled +uninthroned +unintialized +unintimate +unintimated +unintimately +unintimidated +unintimidating +unintitled +unintombed +unintoned +unintoxicated +unintoxicatedness +unintoxicating +unintrenchable +unintrenched +unintrepid +unintrepidly +unintrepidness +unintricate +unintricately +unintricateness +unintrigued +unintriguing +unintrlined +unintroduced +unintroducible +unintroductive +unintroductory +unintroitive +unintromitted +unintromittive +unintrospective +unintrospectively +unintroversive +unintroverted +unintruded +unintruding +unintrudingly +unintrusive +unintrusively +unintrusted +unintuitable +unintuitional +unintuitive +unintuitively +unintwined +uninuclear +uninucleate +uninucleated +uninundated +uninured +uninurned +uninvadable +uninvaded +uninvaginated +uninvalidated +uninvasive +uninvective +uninveighing +uninveigled +uninvented +uninventful +uninventibleness +uninventive +uninventively +uninventiveness +uninverted +uninvertible +uninvestable +uninvested +uninvestigable +uninvestigated +uninvestigating +uninvestigative +uninvestigatory +uninvidious +uninvidiously +uninvigorated +uninvigorating +uninvigorative +uninvigoratively +uninvincible +uninvincibleness +uninvincibly +uninvite +uninvited +uninvitedly +uninviting +uninvitingly +uninvitingness +uninvocative +uninvoiced +uninvokable +uninvoked +uninvoluted +uninvolved +uninvolvement +uninweaved +uninwoven +uninwrapped +uninwreathed +Unio +unio- +uniocular +unioid +unyoke +unyoked +unyokes +unyoking +Uniola +unyolden +Union +Uniondale +unioned +Unionhall +unionic +Un-ionic +unionid +Unionidae +unioniform +unionisation +unionise +unionised +unionises +unionising +Unionism +unionisms +Unionist +unionistic +unionists +unionization +unionizations +unionize +unionized +unionizer +unionizers +unionizes +unionizing +union-made +unionoid +Unionport +unions +union's +Uniontown +Unionville +Uniopolis +unyoung +unyouthful +unyouthfully +unyouthfulness +unioval +uniovular +uniovulate +unipara +uniparental +uniparentally +uniparient +uniparous +unipart +unipartite +uniped +unipeltate +uniperiodic +unipersonal +unipersonalist +unipersonality +unipetalous +uniphase +uniphaser +uniphonous +uniplanar +uniplex +uniplicate +unipod +unipods +unipolar +unipolarity +uniporous +unipotence +unipotent +unipotential +uniprocessor +uniprocessorunix +unipulse +uniquantic +unique +uniquely +uniqueness +uniquer +uniques +uniquest +uniquity +uniradial +uniradiate +uniradiated +uniradical +uniramose +uniramous +Un-iranian +unirascibility +unirascible +unireme +unirenic +unirhyme +uniridescent +uniridescently +Un-irish +Un-irishly +Uniroyal +unironed +unironical +unironically +unirradiated +unirradiative +unirrigable +unirrigated +unirritable +unirritableness +unirritably +unirritant +unirritated +unirritatedly +unirritating +unirritative +unirrupted +unirruptive +unisepalous +uniseptate +uniserial +uniserially +uniseriate +uniseriately +uniserrate +uniserrulate +unisex +unisexed +unisexes +unisexual +unisexuality +unisexually +unisilicate +unism +unisoil +unisolable +unisolate +unisolated +unisolating +unisolationist +unisolative +unisomeric +unisometrical +unisomorphic +unison +unisonal +unisonally +unisonance +unisonant +unisonous +unisons +unisotropic +unisotropous +unisparker +unispiculate +unispinose +unispiral +unissuable +unissuant +unissued +unist +UNISTAR +unistylist +unisulcate +Unit +Unit. +unitable +unitage +unitages +unital +Un-italian +Un-italianate +unitalicized +unitard +unitards +unitary +Unitarian +Unitarianism +Unitarianize +unitarians +unitarily +unitariness +unitarism +unitarist +unite +uniteability +uniteable +uniteably +United +unitedly +unitedness +United-statesian +United-states-man +unitemized +unitentacular +uniter +uniterated +uniterative +uniters +unites +Unity +unities +Unityhouse +unitinerant +uniting +unitingly +unition +unity's +unitism +unitistic +unitive +unitively +unitiveness +Unityville +unitization +unitize +unitized +unitizer +unitizes +unitizing +unitooth +unitrivalent +unitrope +unitrust +units +unit's +unit-set +unituberculate +unitude +uniunguiculate +uniungulate +uni-univalent +unius +Univ +Univ. +UNIVAC +univalence +univalency +univalent +univalvate +univalve +univalved +univalves +univalve's +univalvular +univariant +univariate +univerbal +universal +universalia +Universalian +universalis +universalisation +universalise +universalised +universaliser +universalising +Universalism +Universalist +Universalistic +universalisties +universalists +universality +universalization +universalize +universalized +universalizer +universalizes +universalizing +universally +universalness +universals +universanimous +universe +universeful +universes +universe's +universitary +universitarian +universitarianism +universitas +universitatis +universite +University +university-bred +university-conferred +universities +university-going +universityless +universitylike +university's +universityship +university-sponsored +university-taught +university-trained +universitize +universology +universological +universologist +univied +univocability +univocacy +univocal +univocality +univocalized +univocally +univocals +univocity +univoltine +univorous +uniwear +UNIX +unjacketed +Un-jacobean +unjaded +unjagged +unjailed +unjam +unjammed +unjamming +Un-japanese +unjapanned +unjarred +unjarring +unjaundiced +unjaunty +unjealous +unjealoused +unjealously +unjeered +unjeering +Un-jeffersonian +unjelled +unjellied +unjeopardised +unjeopardized +unjesting +unjestingly +unjesuited +un-Jesuitic +unjesuitical +un-Jesuitical +unjesuitically +un-Jesuitically +unjewel +unjeweled +unjewelled +Unjewish +unjilted +unjocose +unjocosely +unjocoseness +unjocund +unjogged +unjogging +Un-johnsonian +unjoyed +unjoyful +unjoyfully +unjoyfulness +unjoin +unjoinable +unjoined +unjoint +unjointed +unjointedness +unjointing +unjoints +unjointured +unjoyous +unjoyously +unjoyousness +unjoking +unjokingly +unjolly +unjolted +unjostled +unjournalistic +unjournalized +unjovial +unjovially +unjubilant +unjubilantly +Un-judaize +unjudgable +unjudge +unjudgeable +unjudged +unjudgelike +unjudging +unjudicable +unjudicative +unjudiciable +unjudicial +unjudicially +unjudicious +unjudiciously +unjudiciousness +unjuggled +unjuiced +unjuicy +unjuicily +unjumbled +unjumpable +unjuridic +unjuridical +unjuridically +unjust +unjustice +unjusticiable +unjustify +unjustifiability +unjustifiable +unjustifiableness +unjustifiably +unjustification +unjustified +unjustifiedly +unjustifiedness +unjustled +unjustly +unjustness +unjuvenile +unjuvenilely +unjuvenileness +unkaiserlike +unkamed +Un-kantian +unked +unkeeled +unkey +unkeyed +Unkelos +unkembed +unkempt +unkemptly +unkemptness +unken +unkend +unkenned +unkennedness +unkennel +unkenneled +unkenneling +unkennelled +unkennelling +unkennels +unkenning +unkensome +unkent +unkept +unkerchiefed +unket +unkicked +unkid +unkidnaped +unkidnapped +unkill +unkillability +unkillable +unkilled +unkilling +unkilned +unkin +unkind +unkinder +unkindest +unkindhearted +unkindled +unkindledness +unkindly +unkindlier +unkindliest +unkindlily +unkindliness +unkindling +unkindness +unkindnesses +unkindred +unkindredly +unking +unkingdom +unkinged +unkinger +unkingly +unkinglike +unkink +unkinked +unkinks +unkinlike +unkirk +unkiss +unkissed +unkist +unknave +unkneaded +unkneeling +unknelled +unknew +unknight +unknighted +unknightly +unknightlike +unknightliness +unknit +unknits +unknittable +unknitted +unknitting +unknocked +unknocking +unknot +unknots +unknotted +unknotty +unknotting +unknow +unknowability +Unknowable +unknowableness +unknowably +unknowen +unknowing +unknowingly +unknowingness +unknowledgeable +unknown +unknownly +unknownness +unknowns +unknownst +unkodaked +Un-korean +unkosher +unkoshered +unl +unlabeled +unlabelled +unlabialise +unlabialised +unlabialising +unlabialize +unlabialized +unlabializing +unlabiate +unlaborable +unlabored +unlaboring +unlaborious +unlaboriously +unlaboriousness +unlaboured +unlabouring +unlace +unlaced +Un-lacedaemonian +unlacerated +unlacerating +unlaces +unlacing +unlackeyed +unlaconic +unlacquered +unlade +unladed +unladen +unlades +unladyfied +unladylike +unlading +unladled +unlagging +unlay +unlayable +unlaid +unlaying +unlays +unlame +unlamed +unlamentable +unlamented +unlaminated +unlampooned +unlanced +unland +unlanded +unlandmarked +unlanguaged +unlanguid +unlanguidly +unlanguidness +unlanguishing +unlanterned +unlap +unlapped +unlapsed +unlapsing +unlarcenous +unlarcenously +unlarded +unlarge +unlash +unlashed +unlasher +unlashes +unlashing +unlassoed +unlasting +unlatch +unlatched +unlatches +unlatching +unlath +unlathed +unlathered +Un-latin +un-Latinised +unlatinized +un-Latinized +unlatticed +unlaudable +unlaudableness +unlaudably +unlaudative +unlaudatory +unlauded +unlaugh +unlaughing +unlaunched +unlaundered +unlaureled +unlaurelled +unlaved +unlaving +unlavish +unlavished +unlaw +unlawed +unlawful +unlawfully +unlawfulness +unlawyered +unlawyerlike +unlawlearned +unlawly +unlawlike +unlax +unleached +unlead +unleaded +unleaderly +unleading +unleads +unleaf +unleafed +unleaflike +unleagued +unleaguer +unleakable +unleaky +unleal +unlean +unleared +unlearn +unlearnability +unlearnable +unlearnableness +unlearned +unlearnedly +unlearnedness +unlearning +unlearns +unlearnt +unleasable +unleased +unleash +unleashed +unleashes +unleashing +unleathered +unleave +unleaved +unleavenable +unleavened +unlecherous +unlecherously +unlecherousness +unlectured +unled +unledged +unleft +unlegacied +unlegal +unlegalised +unlegalized +unlegally +unlegalness +unlegate +unlegible +unlegislated +unlegislative +unlegislatively +unleisured +unleisuredness +unleisurely +unlengthened +unlenient +unleniently +unlensed +unlent +unless +unlessened +unlessoned +unlet +unlethal +unlethally +unlethargic +unlethargical +unlethargically +unlettable +unletted +unlettered +unletteredly +unletteredness +unlettering +unletterlike +unlevel +unleveled +unleveling +unlevelled +unlevelly +unlevelling +unlevelness +unlevels +unleviable +unlevied +unlevigated +unlexicographical +unlexicographically +unliability +unliable +unlibeled +unlibelled +unlibellous +unlibellously +unlibelous +unlibelously +unliberal +unliberalised +unliberalized +unliberally +unliberated +unlibidinous +unlibidinously +unlycanthropize +unlicensed +unlicentiated +unlicentious +unlicentiously +unlicentiousness +unlichened +unlickable +unlicked +unlid +unlidded +unlie +unlifelike +unliftable +unlifted +unlifting +unligable +unligatured +unlight +unlighted +unlightedly +unlightedness +unlightened +unlignified +unlying +unlikable +unlikableness +unlikably +unlike +unlikeable +unlikeableness +unlikeably +unliked +unlikely +unlikelier +unlikeliest +unlikelihood +unlikeliness +unliken +unlikened +unlikeness +unlikenesses +unliking +unlimb +unlimber +unlimbered +unlimbering +unlimberness +unlimbers +unlime +unlimed +unlimitable +unlimitableness +unlimitably +unlimited +unlimitedly +unlimitedness +unlimitless +unlimned +unlimp +unline +unlineal +unlined +unlingering +unlink +unlinked +unlinking +unlinks +unlionised +unlionized +unlionlike +unliquefiable +unliquefied +unliquescent +unliquid +unliquidatable +unliquidated +unliquidating +unliquidation +unliquored +unlyric +unlyrical +unlyrically +unlyricalness +unlisping +unlist +unlisted +unlistened +unlistening +unlisty +unlit +unliteral +unliteralised +unliteralized +unliterally +unliteralness +unliterary +unliterate +unlithographic +unlitigated +unlitigating +unlitigious +unlitigiously +unlitigiousness +unlitten +unlittered +unliturgical +unliturgize +unlivability +unlivable +unlivableness +unlivably +unlive +unliveable +unliveableness +unliveably +unlived +unlively +unliveliness +unliver +unlivery +unliveried +unliveries +unlives +unliving +unlizardlike +unload +unloaded +unloaden +unloader +unloaders +unloading +unloads +unloafing +unloanably +unloaned +unloaning +unloath +unloathed +unloathful +unloathly +unloathness +unloathsome +unlobbied +unlobbying +unlobed +unlocal +unlocalisable +unlocalise +unlocalised +unlocalising +unlocalizable +unlocalize +unlocalized +unlocalizing +unlocally +unlocated +unlocative +unlock +unlockable +unlocked +unlocker +unlocking +unlocks +unlocomotive +unlodge +unlodged +unlofty +unlogged +unlogic +unlogical +unlogically +unlogicalness +unlogistic +unlogistical +unloyal +unloyally +unloyalty +unlonely +unlonged-for +unlook +unlooked +unlooked-for +unloop +unlooped +unloosable +unloosably +unloose +unloosed +unloosen +unloosened +unloosening +unloosens +unlooses +unloosing +unlooted +unlopped +unloquacious +unloquaciously +unloquaciousness +unlord +unlorded +unlordly +unlosable +unlosableness +unlost +unlotted +unloudly +unlouken +unlounging +unlousy +unlovable +unlovableness +unlovably +unlove +unloveable +unloveableness +unloveably +unloved +unlovely +unlovelier +unloveliest +unlovelily +unloveliness +unloverly +unloverlike +unlovesome +unloving +unlovingly +unlovingness +unlowered +unlowly +unltraconservative +unlubricant +unlubricated +unlubricating +unlubricative +unlubricious +unlucent +unlucid +unlucidly +unlucidness +unluck +unluckful +unlucky +unluckier +unluckiest +unluckily +unluckiness +unluckly +unlucrative +unludicrous +unludicrously +unludicrousness +unluffed +unlugged +unlugubrious +unlugubriously +unlugubriousness +unlumbering +unluminescent +unluminiferous +unluminous +unluminously +unluminousness +unlumped +unlumpy +unlunar +unlunate +unlunated +unlured +unlurking +unlush +unlust +unlustered +unlustful +unlustfully +unlusty +unlustie +unlustier +unlustiest +unlustily +unlustiness +unlusting +unlustred +unlustrous +unlustrously +unlute +unluted +Un-lutheran +unluxated +unluxuriant +unluxuriantly +unluxuriating +unluxurious +unluxuriously +UNMA +unmacadamized +unmacerated +Un-machiavellian +unmachinable +unmachinated +unmachinating +unmachineable +unmachined +unmacho +unmackly +unmad +unmadded +unmaddened +unmade +unmade-up +Un-magyar +unmagic +unmagical +unmagically +unmagisterial +unmagistrate +unmagistratelike +unmagnanimous +unmagnanimously +unmagnanimousness +unmagnetic +unmagnetical +unmagnetised +unmagnetized +unmagnify +unmagnified +unmagnifying +unmaid +unmaiden +unmaidenly +unmaidenlike +unmaidenliness +unmail +unmailable +unmailableness +unmailed +unmaimable +unmaimed +unmaintainable +unmaintained +unmajestic +unmajestically +unmakable +unmake +unmaker +unmakers +unmakes +unmaking +Un-malay +unmalarial +unmaledictive +unmaledictory +unmalevolent +unmalevolently +unmalicious +unmaliciously +unmalignant +unmalignantly +unmaligned +unmalleability +unmalleable +unmalleableness +unmalled +unmaltable +unmalted +Un-maltese +unmammalian +unmammonized +unman +unmanacle +unmanacled +unmanacling +unmanageability +unmanageable +unmanageableness +unmanageably +unmanaged +unmancipated +unmandated +unmandatory +unmanducated +unmaned +unmaneged +unmaneuverable +unmaneuvered +unmanful +unmanfully +unmanfulness +unmangled +unmanhood +unmaniable +unmaniac +unmaniacal +unmaniacally +Un-manichaeanize +unmanicured +unmanifest +unmanifestative +unmanifested +unmanipulable +unmanipulatable +unmanipulated +unmanipulative +unmanipulatory +unmanly +unmanlier +unmanliest +unmanlike +unmanlily +unmanliness +unmanned +unmanner +unmannered +unmanneredly +unmannerly +unmannerliness +unmanning +unmannish +unmannishly +unmannishness +unmanoeuvred +unmanored +unmans +unmantle +unmantled +unmanual +unmanually +unmanufacturable +unmanufactured +unmanumissible +unmanumitted +unmanurable +unmanured +unmappable +unmapped +unmarbelize +unmarbelized +unmarbelizing +unmarbled +unmarbleize +unmarbleized +unmarbleizing +unmarch +unmarching +unmarginal +unmarginally +unmarginated +unmarine +unmaritime +unmarkable +unmarked +unmarketable +unmarketed +unmarking +unmarled +unmarred +unmarry +unmarriable +unmarriageability +unmarriageable +unmarried +unmarrying +unmarring +unmarshaled +unmarshalled +unmartial +unmartyr +unmartyred +unmarveling +unmarvellous +unmarvellously +unmarvellousness +unmarvelous +unmarvelously +unmarvelousness +unmasculine +unmasculinely +unmashed +unmask +unmasked +unmasker +unmaskers +unmasking +unmasks +unmasquerade +unmassacred +unmassed +unmast +unmaster +unmasterable +unmastered +unmasterful +unmasterfully +unmasticable +unmasticated +unmasticatory +unmatchable +unmatchableness +unmatchably +unmatched +unmatchedness +unmatching +unmate +unmated +unmaterial +unmaterialised +unmaterialistic +unmaterialistically +unmaterialized +unmaterially +unmateriate +unmaternal +unmaternally +unmathematical +unmathematically +unmating +unmatriculated +unmatrimonial +unmatrimonially +unmatronlike +unmatted +unmaturative +unmature +unmatured +unmaturely +unmatureness +unmaturing +unmaturity +unmaudlin +unmaudlinly +unmauled +unmaze +unmeandering +unmeanderingly +unmeaning +unmeaningful +unmeaningfully +unmeaningfulness +unmeaningly +unmeaningness +unmeant +unmeasurability +unmeasurable +unmeasurableness +unmeasurably +unmeasured +unmeasuredly +unmeasuredness +unmeasurely +unmeated +unmechanic +unmechanical +unmechanically +unmechanised +unmechanistic +unmechanize +unmechanized +unmedaled +unmedalled +unmeddle +unmeddled +unmeddlesome +unmeddling +unmeddlingly +unmeddlingness +unmediaeval +unmediated +unmediating +unmediative +unmediatized +unmedicable +unmedical +unmedically +unmedicated +unmedicative +unmedicinable +unmedicinal +unmedicinally +unmedieval +unmeditated +unmeditating +unmeditative +unmeditatively +Un-mediterranean +unmediumistic +unmedullated +unmeedful +unmeedy +unmeek +unmeekly +unmeekness +unmeet +unmeetable +unmeetly +unmeetness +unmelancholy +unmelancholic +unmelancholically +unmeliorated +unmellifluent +unmellifluently +unmellifluous +unmellifluously +unmellow +unmellowed +unmelodic +unmelodically +unmelodious +unmelodiously +unmelodiousness +unmelodised +unmelodized +unmelodramatic +unmelodramatically +unmelt +unmeltable +unmeltableness +unmeltably +unmelted +unmeltedness +unmelting +unmember +unmemoired +unmemorable +unmemorably +unmemorialised +unmemorialized +unmemoried +unmemorized +unmenaced +unmenacing +unmendable +unmendableness +unmendably +unmendacious +unmendaciously +unmended +unmenial +unmenially +unmenseful +unmenstruating +unmensurable +unmental +unmentally +unmentholated +unmentionability +unmentionable +unmentionableness +unmentionables +unmentionably +unmentioned +unmercantile +unmercenary +unmercenarily +unmercenariness +unmercerized +unmerchandised +unmerchantable +unmerchantly +unmerchantlike +unmerciable +unmerciably +unmercied +unmerciful +unmercifully +unmercifulness +unmerciless +unmercurial +unmercurially +unmercurialness +unmeretricious +unmeretriciously +unmeretriciousness +unmerge +unmerged +unmerging +unmeridional +unmeridionally +unmeringued +unmeritability +unmeritable +unmerited +unmeritedly +unmeritedness +unmeriting +unmeritorious +unmeritoriously +unmeritoriousness +unmerry +unmerrily +unmesh +unmeshed +unmeshes +unmesmeric +unmesmerically +unmesmerised +unmesmerize +unmesmerized +unmet +unmetaled +unmetalised +unmetalized +unmetalled +unmetallic +unmetallically +unmetallurgic +unmetallurgical +unmetallurgically +unmetamorphic +unmetamorphosed +unmetaphysic +unmetaphysical +unmetaphysically +unmetaphorical +unmete +unmeted +unmeteorologic +unmeteorological +unmeteorologically +unmetered +unmeth +unmethylated +unmethodic +unmethodical +unmethodically +unmethodicalness +unmethodised +unmethodising +Un-methodize +unmethodized +unmethodizing +unmeticulous +unmeticulously +unmeticulousness +unmetred +unmetric +unmetrical +unmetrically +unmetricalness +unmetrified +unmetropolitan +unmettle +unmew +unmewed +unmewing +unmews +Un-mexican +unmiasmal +unmiasmatic +unmiasmatical +unmiasmic +unmicaceous +unmicrobial +unmicrobic +unmicroscopic +unmicroscopically +unmidwifed +unmyelinated +unmight +unmighty +unmigrant +unmigrating +unmigrative +unmigratory +unmild +unmildewed +unmildness +unmilitant +unmilitantly +unmilitary +unmilitarily +unmilitariness +unmilitarised +unmilitaristic +unmilitaristically +unmilitarized +unmilked +unmilled +unmillinered +unmilted +Un-miltonic +unmimeographed +unmimetic +unmimetically +unmimicked +unminable +unminced +unmincing +unmind +unminded +unmindful +unmindfully +unmindfulness +unminding +unmined +unmineralised +unmineralized +unmingle +unmingleable +unmingled +unmingles +unmingling +unminimised +unminimising +unminimized +unminimizing +unminished +unminister +unministered +unministerial +unministerially +unministrant +unministrative +unminted +unminuted +unmyopic +unmiracled +unmiraculous +unmiraculously +unmired +unmiry +unmirrored +unmirthful +unmirthfully +unmirthfulness +unmisanthropic +unmisanthropical +unmisanthropically +unmiscarrying +unmischievous +unmischievously +unmiscible +unmisconceivable +unmiserly +unmisgiving +unmisgivingly +unmisguided +unmisguidedly +unmisinterpretable +unmisled +unmissable +unmissed +unmissionary +unmissionized +unmist +unmistakable +unmistakableness +unmistakably +unmistakedly +unmistaken +unmistaking +unmistakingly +unmystery +unmysterious +unmysteriously +unmysteriousness +unmystic +unmystical +unmystically +unmysticalness +unmysticise +unmysticised +unmysticising +unmysticize +unmysticized +unmysticizing +unmystified +unmistressed +unmistrusted +unmistrustful +unmistrustfully +unmistrusting +unmisunderstandable +unmisunderstanding +unmisunderstood +unmiter +unmitered +unmitering +unmiters +unmythical +unmythically +unmythological +unmythologically +unmitigability +unmitigable +unmitigated +unmitigatedly +unmitigatedness +unmitigative +unmitre +unmitred +unmitres +unmitring +unmittened +unmix +unmixable +unmixableness +unmixed +unmixedly +unmixedness +unmixt +unmoaned +unmoaning +unmoated +unmobbed +unmobile +unmobilised +unmobilized +unmoble +unmocked +unmocking +unmockingly +unmodel +unmodeled +unmodelled +unmoderate +unmoderated +unmoderately +unmoderateness +unmoderating +unmodern +unmodernised +unmodernity +unmodernize +unmodernized +unmodest +unmodestly +unmodestness +unmodifiability +unmodifiable +unmodifiableness +unmodifiably +unmodificative +unmodified +unmodifiedness +unmodish +unmodishly +unmodulated +unmodulative +Un-mohammedan +unmoiled +unmoist +unmoisten +unmold +unmoldable +unmoldableness +unmolded +unmoldered +unmoldering +unmoldy +unmolding +unmolds +unmolest +unmolested +unmolestedly +unmolesting +unmolified +unmollifiable +unmollifiably +unmollified +unmollifying +unmolten +unmomentary +unmomentous +unmomentously +unmomentousness +unmonarch +unmonarchic +unmonarchical +unmonarchically +unmonastic +unmonastically +unmoneyed +unmonetary +Un-mongolian +unmonistic +unmonitored +unmonkish +unmonkly +unmonogrammed +unmonopolised +unmonopolising +unmonopolize +unmonopolized +unmonopolizing +unmonotonous +unmonotonously +unmonumental +unmonumented +unmoody +unmoor +unmoored +unmooring +Un-moorish +unmoors +unmooted +unmopped +unmoral +unmoralising +unmoralist +unmoralistic +unmorality +unmoralize +unmoralized +unmoralizing +unmorally +unmoralness +unmorbid +unmorbidly +unmorbidness +unmordant +unmordanted +unmordantly +unmoribund +unmoribundly +Un-mormon +unmorose +unmorosely +unmoroseness +unmorphological +unmorphologically +unmorrised +unmortal +unmortalize +unmortared +unmortgage +unmortgageable +unmortgaged +unmortgaging +unmortified +unmortifiedly +unmortifiedness +unmortise +unmortised +unmortising +Un-mosaic +Un-moslem +Un-moslemlike +unmossed +unmossy +unmoth-eaten +unmothered +unmotherly +unmotile +unmotionable +unmotioned +unmotioning +unmotivated +unmotivatedly +unmotivatedness +unmotivating +unmotived +unmotored +unmotorised +unmotorized +unmottled +unmould +unmouldable +unmouldered +unmouldering +unmouldy +unmounded +unmount +unmountable +unmountainous +unmounted +unmounting +unmourned +unmournful +unmournfully +unmourning +unmouthable +unmouthed +unmouthpieced +unmovability +unmovable +unmovableness +unmovablety +unmovably +unmoveable +unmoved +unmovedly +unmoving +unmovingly +unmovingness +unmowed +unmown +unmucilaged +unmudded +unmuddy +unmuddied +unmuddle +unmuddled +unmuffle +unmuffled +unmuffles +unmuffling +unmulcted +unmulish +unmulled +unmullioned +unmultiply +unmultipliable +unmultiplicable +unmultiplicative +unmultiplied +unmultipliedly +unmultiplying +unmumbled +unmumbling +unmummied +unmummify +unmummified +unmummifying +unmunched +unmundane +unmundanely +unmundified +unmunicipalised +unmunicipalized +unmunificent +unmunificently +unmunitioned +unmurmured +unmurmuring +unmurmuringly +unmurmurous +unmurmurously +unmuscled +unmuscular +unmuscularly +unmusical +unmusicality +unmusically +unmusicalness +unmusicianly +unmusing +unmusked +unmussed +unmusted +unmusterable +unmustered +unmutable +unmutant +unmutated +unmutation +unmutational +unmutative +unmuted +unmutilated +unmutilative +unmutinous +unmutinously +unmutinousness +unmuttered +unmuttering +unmutteringly +unmutual +unmutualised +unmutualized +unmutually +unmuzzle +unmuzzled +unmuzzles +unmuzzling +unn +unnabbed +unnacreous +unnagged +unnagging +unnaggingly +unnail +unnailed +unnailing +unnails +unnaive +unnaively +unnaked +unnamability +unnamable +unnamableness +unnamably +unname +unnameability +unnameable +unnameableness +unnameably +unnamed +unnapkined +unnapped +unnapt +unnarcissistic +unnarcotic +unnarratable +unnarrated +unnarrative +unnarrow +unnarrowed +unnarrowly +unnarrow-minded +unnarrow-mindedly +unnarrow-mindedness +unnasal +unnasally +unnascent +unnation +unnational +unnationalised +unnationalistic +unnationalistically +unnationalized +unnationally +unnative +unnatural +unnaturalise +unnaturalised +unnaturalising +unnaturalism +unnaturalist +unnaturalistic +unnaturality +unnaturalizable +unnaturalize +unnaturalized +unnaturalizing +unnaturally +unnaturalness +unnaturalnesses +unnature +unnauseated +unnauseating +unnautical +unnavigability +unnavigable +unnavigableness +unnavigably +unnavigated +unnealed +unneaped +Un-neapolitan +unnear +unnearable +unneared +unnearly +unnearness +unneat +unneath +unneatly +unneatness +unnebulous +unneccessary +unnecessary +unnecessaries +unnecessarily +unnecessariness +unnecessitated +unnecessitating +unnecessity +unnecessitous +unnecessitously +unnecessitousness +unnectareous +unnectarial +unneeded +unneedful +unneedfully +unneedfulness +unneedy +unnefarious +unnefariously +unnefariousness +unnegated +unneglected +unneglectful +unneglectfully +unnegligent +unnegotiable +unnegotiableness +unnegotiably +unnegotiated +unnegro +un-Negro +unneighbored +unneighborly +unneighborlike +unneighborliness +unneighbourly +unneighbourliness +unnephritic +unnerve +unnerved +unnerves +unnerving +unnervingly +unnervous +unnervously +unnervousness +unness +unnest +unnestle +unnestled +unnet +unneth +unnethe +unnethes +unnethis +unnetted +unnettled +unneural +unneuralgic +unneurotic +unneurotically +unneutered +unneutral +unneutralise +unneutralised +unneutralising +unneutrality +unneutralize +unneutralized +unneutralizing +unneutrally +unnew +unnewly +unnewness +unnewsed +Unni +unnibbed +unnibbied +unnibbled +unnice +unnicely +unniceness +unniched +unnicked +unnickeled +unnickelled +unnicknamed +unniggard +unniggardly +unnigh +unnihilistic +unnimbed +unnimble +unnimbleness +unnimbly +unnymphal +unnymphean +unnymphlike +unnipped +unnitrogenised +unnitrogenized +unnitrogenous +unnobilitated +unnobility +unnoble +unnobleness +unnobly +unnocturnal +unnocturnally +unnodding +unnoddingly +unnoised +unnoisy +unnoisily +unnojectionable +unnomadic +unnomadically +unnominal +unnominalistic +unnominally +unnominated +unnominative +unnonsensical +unnooked +unnoosed +unnormal +unnormalised +unnormalising +unnormalized +unnormalizing +unnormally +unnormalness +Un-norman +unnormative +unnorthern +Un-norwegian +unnose +unnosed +unnotable +unnotational +unnotched +unnoted +unnoteworthy +unnoteworthiness +unnoticeable +unnoticeableness +unnoticeably +unnoticed +unnoticing +unnotify +unnotified +unnoting +unnotional +unnotionally +unnotioned +unnourishable +unnourished +unnourishing +unnovel +unnovercal +unnucleated +unnullified +unnumbed +un-numbed +unnumber +unnumberable +unnumberableness +unnumberably +unnumbered +unnumberedness +unnumerable +unnumerated +unnumerical +unnumerous +unnumerously +unnumerousness +unnurtured +unnutritious +unnutritiously +unnutritive +unnuzzled +UNO +unoared +unobdurate +unobdurately +unobdurateness +unobedience +unobedient +unobediently +unobeyed +unobeying +unobese +unobesely +unobeseness +unobfuscated +unobjected +unobjectified +unobjectionability +unobjectionable +unobjectionableness +unobjectionably +unobjectional +unobjective +unobjectively +unobjectivized +unobligated +unobligating +unobligative +unobligatory +unobliged +unobliging +unobligingly +unobligingness +unobliterable +unobliterated +unoblivious +unobliviously +unobliviousness +unobnoxious +unobnoxiously +unobnoxiousness +unobscene +unobscenely +unobsceneness +unobscure +unobscured +unobscurely +unobscureness +unobsequious +unobsequiously +unobsequiousness +unobservable +unobservance +unobservant +unobservantly +unobservantness +unobserved +unobservedly +unobserving +unobservingly +unobsessed +unobsolete +unobstinate +unobstinately +unobstruct +unobstructed +unobstructedly +unobstructedness +unobstructive +unobstruent +unobstruently +unobtainability +unobtainable +unobtainableness +unobtainably +unobtained +unobtruded +unobtruding +unobtrusive +unobtrusively +unobtrusiveness +unobtunded +unobumbrated +unobverted +unobviable +unobviated +unobvious +unobviously +unobviousness +unoccasional +unoccasionally +unoccasioned +unoccidental +unoccidentally +unoccluded +unoccupancy +unoccupation +unoccupiable +unoccupied +unoccupiedly +unoccupiedness +unoccurring +unoceanic +unocular +unode +unodious +unodiously +unodiousness +unodored +unodoriferous +unodoriferously +unodoriferousness +unodorous +unodorously +unodorousness +unoecumenic +unoecumenical +unoffendable +unoffended +unoffendedly +unoffender +unoffending +unoffendingly +unoffensive +unoffensively +unoffensiveness +unoffered +unofficed +unofficered +unofficerlike +unofficial +unofficialdom +unofficially +unofficialness +unofficiated +unofficiating +unofficinal +unofficious +unofficiously +unofficiousness +unoffset +unoften +unogled +unoil +unoiled +unoily +unoiling +unold +Un-olympian +unomened +unominous +unominously +unominousness +unomitted +unomnipotent +unomnipotently +unomniscient +unomnisciently +Unona +unonerous +unonerously +unonerousness +unontological +unopaque +unoped +unopen +unopenable +unopened +unopening +unopenly +unopenness +unoperably +unoperatable +unoperated +unoperatic +unoperatically +unoperating +unoperative +unoperculate +unoperculated +unopiated +unopiatic +unopined +unopinionated +unopinionatedness +unopinioned +unoppignorated +unopportune +unopportunely +unopportuneness +unopportunistic +unopposable +unopposed +unopposedly +unopposedness +unopposing +unopposite +unoppositional +unoppressed +unoppressive +unoppressively +unoppressiveness +unopprobrious +unopprobriously +unopprobriousness +unoppugned +unopressible +unopted +unoptimistic +unoptimistical +unoptimistically +unoptimized +unoptional +unoptionally +unopulence +unopulent +unopulently +unoral +unorally +unorational +unoratorial +unoratorical +unoratorically +unorbed +unorbital +unorbitally +unorchestrated +unordain +unordainable +unordained +unorder +unorderable +unordered +unorderly +unordinal +unordinary +unordinarily +unordinariness +unordinate +unordinately +unordinateness +unordnanced +unorganed +unorganic +unorganical +unorganically +unorganicalness +unorganisable +unorganised +unorganizable +unorganized +unorganizedly +unorganizedness +unoriental +unorientally +unorientalness +unoriented +unoriginal +unoriginality +unoriginally +unoriginalness +unoriginate +unoriginated +unoriginatedness +unoriginately +unoriginateness +unorigination +unoriginative +unoriginatively +unoriginativeness +unorn +unornamental +unornamentally +unornamentalness +unornamentation +unornamented +unornate +unornately +unornateness +unornithological +unornly +unorphaned +unorthodox +unorthodoxy +unorthodoxically +unorthodoxly +unorthodoxness +unorthographical +unorthographically +unoscillating +unosculated +unosmotic +unossified +unossifying +unostensible +unostensibly +unostensive +unostensively +unostentation +unostentatious +unostentatiously +unostentatiousness +unousted +unoutgrown +unoutlawed +unoutraged +unoutspeakable +unoutspoken +unoutworn +unoverclouded +unovercomable +unovercome +unoverdone +unoverdrawn +unoverflowing +unoverhauled +unoverleaped +unoverlooked +unoverpaid +unoverpowered +unoverruled +unovert +unovertaken +unoverthrown +unovervalued +unoverwhelmed +Un-ovidian +unowed +unowing +unown +unowned +unoxidable +unoxidated +unoxidative +unoxidisable +unoxidised +unoxidizable +unoxidized +unoxygenated +unoxygenized +unp +unpacable +unpaced +unpacifiable +unpacific +unpacified +unpacifiedly +unpacifiedness +unpacifist +unpacifistic +unpack +unpackaged +unpacked +unpacker +unpackers +unpacking +unpacks +unpadded +unpadlocked +unpagan +unpaganize +unpaganized +unpaganizing +unpaged +unpaginal +unpaginated +unpay +unpayable +unpayableness +unpayably +unpaid +unpaid-for +unpaid-letter +unpaying +unpayment +unpained +unpainful +unpainfully +unpaining +unpainstaking +unpaint +unpaintability +unpaintable +unpaintableness +unpaintably +unpainted +unpaintedly +unpaintedness +unpaired +unpaised +unpalatability +unpalatable +unpalatableness +unpalatably +unpalatal +unpalatalized +unpalatally +unpalatial +unpale +unpaled +unpalisaded +unpalisadoed +unpalled +unpalliable +unpalliated +unpalliative +unpalpable +unpalpablely +unpalped +unpalpitating +unpalsied +unpaltry +unpampered +unpanegyrised +unpanegyrized +unpanel +unpaneled +unpanelled +unpanged +unpanicky +un-panic-stricken +unpannel +unpanniered +unpanoplied +unpantheistic +unpantheistical +unpantheistically +unpanting +unpapal +unpapaverous +unpaper +unpapered +unparaded +unparadise +unparadox +unparadoxal +unparadoxical +unparadoxically +unparagoned +unparagonized +unparagraphed +unparalysed +unparalyzed +unparallel +unparallelable +unparalleled +unparalleledly +unparalleledness +unparallelled +unparallelness +unparametrized +unparaphrased +unparasitic +unparasitical +unparasitically +unparcel +unparceled +unparceling +unparcelled +unparcelling +unparch +unparched +unparching +unpardon +unpardonability +unpardonable +unpardonableness +unpardonably +unpardoned +unpardonedness +unpardoning +unpared +unparegal +unparental +unparentally +unparented +unparenthesised +unparenthesized +unparenthetic +unparenthetical +unparenthetically +unparfit +unpargeted +Un-parisian +Un-parisianized +unpark +unparked +unparking +unparliamentary +unparliamented +unparochial +unparochialism +unparochially +unparodied +unparolable +unparoled +unparrel +unparriable +unparried +unparrying +unparroted +unparsed +unparser +unparsimonious +unparsimoniously +unparsonic +unparsonical +unpartable +unpartableness +unpartably +unpartaken +unpartaking +unparted +unparty +unpartial +unpartiality +unpartially +unpartialness +unpartible +unparticipant +unparticipated +unparticipating +unparticipative +unparticular +unparticularised +unparticularising +unparticularized +unparticularizing +unparticularness +unpartisan +unpartitioned +unpartitive +unpartizan +unpartnered +unpartook +unpass +unpassable +unpassableness +unpassably +unpassed +unpassing +unpassionate +unpassionately +unpassionateness +unpassioned +unpassive +unpassively +unpaste +unpasted +unpasteurised +unpasteurized +unpasting +unpastor +unpastoral +unpastorally +unpastured +unpatched +unpatent +unpatentable +unpatented +unpaternal +unpaternally +unpathed +unpathetic +unpathetically +unpathological +unpathologically +unpathwayed +unpatience +unpatient +unpatiently +unpatientness +unpatinated +unpatriarchal +unpatriarchally +unpatrician +unpatriotic +unpatriotically +unpatriotism +unpatristic +unpatristical +unpatristically +unpatrolled +unpatronisable +unpatronizable +unpatronized +unpatronizing +unpatronizingly +unpatted +unpatterned +unpatternized +unpaunch +unpaunched +unpauperized +unpausing +unpausingly +unpave +unpaved +unpavilioned +unpaving +unpawed +unpawn +unpawned +unpeace +unpeaceable +unpeaceableness +unpeaceably +unpeaceful +unpeacefully +unpeacefulness +unpeaked +unpealed +unpearled +unpebbled +unpeccable +unpecked +unpeculating +unpeculiar +unpeculiarly +unpecuniarily +unpedagogic +unpedagogical +unpedagogically +unpedantic +unpedantical +unpeddled +unpedestal +unpedestaled +unpedestaling +unpedigreed +unpeel +unpeelable +unpeelableness +unpeeled +unpeeling +unpeerable +unpeered +unpeevish +unpeevishly +unpeevishness +unpeg +unpegged +unpegging +unpegs +unpejorative +unpejoratively +unpelagic +Un-peloponnesian +unpelted +unpen +unpenal +unpenalised +unpenalized +unpenally +unpenanced +unpenciled +unpencilled +unpendant +unpendent +unpending +unpendulous +unpendulously +unpendulousness +unpenetrable +unpenetrably +unpenetrant +unpenetrated +unpenetrating +unpenetratingly +unpenetrative +unpenetratively +unpenitent +unpenitential +unpenitentially +unpenitently +unpenitentness +unpenned +unpennied +unpenning +unpennoned +unpens +unpensionable +unpensionableness +unpensioned +unpensioning +unpent +unpenurious +unpenuriously +unpenuriousness +unpeople +unpeopled +unpeoples +unpeopling +unpeppered +unpeppery +unperceivability +unperceivable +unperceivably +unperceived +unperceivedly +unperceiving +unperceptible +unperceptibleness +unperceptibly +unperceptional +unperceptive +unperceptively +unperceptiveness +unperceptual +unperceptually +unperch +unperched +unpercipient +unpercolated +unpercussed +unpercussive +unperdurable +unperdurably +unperemptory +unperemptorily +unperemptoriness +unperfect +unperfected +unperfectedly +unperfectedness +unperfectible +unperfection +unperfective +unperfectively +unperfectiveness +unperfectly +unperfectness +unperfidious +unperfidiously +unperfidiousness +unperflated +unperforable +unperforate +unperforated +unperforating +unperforative +unperformability +unperformable +unperformance +unperformed +unperforming +unperfumed +unperilous +unperilously +unperiodic +unperiodical +unperiodically +unperipheral +unperipherally +unperiphrased +unperiphrastic +unperiphrastically +unperishable +unperishableness +unperishably +unperished +unperishing +unperjured +unperjuring +unpermanency +unpermanent +unpermanently +unpermeable +unpermeant +unpermeated +unpermeating +unpermeative +unpermissible +unpermissibly +unpermissive +unpermit +unpermits +unpermitted +unpermitting +unpermixed +unpernicious +unperniciously +unperpendicular +unperpendicularly +unperpetrated +unperpetuable +unperpetuated +unperpetuating +unperplex +unperplexed +unperplexing +unpersecuted +unpersecuting +unpersecutive +unperseverance +unpersevering +unperseveringly +unperseveringness +Un-persian +unpersisting +unperson +unpersonable +unpersonableness +unpersonal +unpersonalised +unpersonalising +unpersonality +unpersonalized +unpersonalizing +unpersonally +unpersonify +unpersonified +unpersonifying +unpersons +unperspicuous +unperspicuously +unperspicuousness +unperspirable +unperspired +unperspiring +unpersuadability +unpersuadable +unpersuadableness +unpersuadably +unpersuade +unpersuaded +unpersuadedness +unpersuasibility +unpersuasible +unpersuasibleness +unpersuasion +unpersuasive +unpersuasively +unpersuasiveness +unpertaining +unpertinent +unpertinently +unperturbable +unperturbably +unperturbed +unperturbedly +unperturbedness +unperturbing +unperuked +unperusable +unperused +unpervaded +unpervading +unpervasive +unpervasively +unpervasiveness +unperverse +unperversely +unperversive +unpervert +unperverted +unpervertedly +unpervious +unperviously +unperviousness +unpessimistic +unpessimistically +unpestered +unpesterous +unpestilent +unpestilential +unpestilently +unpetal +unpetaled +unpetalled +unpetitioned +Un-petrarchan +unpetrify +unpetrified +unpetrifying +unpetted +unpetticoated +unpetulant +unpetulantly +unpharasaic +unpharasaical +unphased +unphenomenal +unphenomenally +Un-philadelphian +unphilanthropic +unphilanthropically +unphilologic +unphilological +unphilosophy +unphilosophic +unphilosophical +unphilosophically +unphilosophicalness +unphilosophize +unphilosophized +unphysical +unphysically +unphysicianlike +unphysicked +unphysiological +unphysiologically +unphlegmatic +unphlegmatical +unphlegmatically +unphonetic +unphoneticness +unphonnetical +unphonnetically +unphonographed +unphosphatised +unphosphatized +unphotographable +unphotographed +unphotographic +unphrasable +unphrasableness +unphrased +unphrenological +unpicaresque +unpick +unpickable +unpicked +unpicketed +unpicking +unpickled +unpicks +unpictorial +unpictorialise +unpictorialised +unpictorialising +unpictorialize +unpictorialized +unpictorializing +unpictorially +unpicturability +unpicturable +unpictured +unpicturesque +unpicturesquely +unpicturesqueness +unpiece +unpieced +unpierceable +unpierced +unpiercing +unpiety +unpigmented +unpile +unpiled +unpiles +unpilfered +unpilgrimlike +unpiling +unpillaged +unpillared +unpilled +unpilloried +unpillowed +unpiloted +unpimpled +unpin +unpinched +Un-pindaric +Un-pindarical +Un-pindarically +unpining +unpinion +unpinioned +unpinked +unpinned +unpinning +unpins +unpioneering +unpious +unpiously +unpiped +unpiqued +unpirated +unpiratical +unpiratically +unpitched +unpited +unpiteous +unpiteously +unpiteousness +Un-pythagorean +unpity +unpitiable +unpitiably +unpitied +unpitiedly +unpitiedness +unpitiful +unpitifully +unpitifulness +unpitying +unpityingly +unpityingness +unpitted +unplacable +unplacably +unplacated +unplacatory +unplace +unplaced +unplacement +unplacid +unplacidly +unplacidness +unplagiarised +unplagiarized +unplagued +unplayable +unplaid +unplayed +unplayful +unplayfully +unplaying +unplain +unplained +unplainly +unplainness +unplait +unplaited +unplaiting +unplaits +unplan +unplaned +unplanished +unplank +unplanked +unplanned +unplannedly +unplannedness +unplanning +unplant +unplantable +unplanted +unplantlike +unplashed +unplaster +unplastered +unplastic +unplat +unplated +unplatitudinous +unplatitudinously +unplatitudinousness +Un-platonic +Un-platonically +unplatted +unplausible +unplausibleness +unplausibly +unplausive +unpleached +unpleadable +unpleaded +unpleading +unpleasable +unpleasant +unpleasantish +unpleasantly +unpleasantness +unpleasantnesses +unpleasantry +unpleasantries +unpleased +unpleasing +unpleasingly +unpleasingness +unpleasive +unpleasurable +unpleasurably +unpleasure +unpleat +unpleated +unplebeian +unpledged +unplenished +unplenteous +unplenteously +unplentiful +unplentifully +unplentifulness +unpliability +unpliable +unpliableness +unpliably +unpliancy +unpliant +unpliantly +unpliantness +unplied +unplight +unplighted +unplodding +unplotted +unplotting +unplough +unploughed +unplow +unplowed +unplucked +unplug +unplugged +unplugging +unplugs +unplumb +unplumbed +unplume +unplumed +unplummeted +unplump +unplundered +unplunderous +unplunderously +unplunge +unplunged +unpluralised +unpluralistic +unpluralized +unplutocratic +unplutocratical +unplutocratically +unpneumatic +unpneumatically +unpoached +unpocket +unpocketed +unpodded +unpoetic +unpoetical +unpoetically +unpoeticalness +unpoeticised +unpoeticized +unpoetize +unpoetized +unpoignant +unpoignantly +unpoignard +unpointed +unpointing +unpoise +unpoised +unpoison +unpoisonable +unpoisoned +unpoisonous +unpoisonously +unpolarised +unpolarizable +unpolarized +unpoled +unpolemic +unpolemical +unpolemically +unpoliced +unpolicied +unpolymerised +unpolymerized +unpolish +Un-polish +unpolishable +unpolished +unpolishedness +unpolite +unpolitely +unpoliteness +unpolitic +unpolitical +unpolitically +unpoliticly +unpollarded +unpolled +unpollened +unpollutable +unpolluted +unpollutedly +unpolluting +unpompous +unpompously +unpompousness +unponderable +unpondered +unponderous +unponderously +unponderousness +unpontifical +unpontifically +unpooled +unpope +unpopular +unpopularised +unpopularity +unpopularities +unpopularize +unpopularized +unpopularly +unpopularness +unpopulate +unpopulated +unpopulous +unpopulously +unpopulousness +unporcelainized +unporness +unpornographic +unporous +unporousness +unportable +unportended +unportentous +unportentously +unportentousness +unporticoed +unportionable +unportioned +unportly +unportmanteaued +unportrayable +unportrayed +unportraited +Un-portuguese +unportunate +unportuous +unposed +unposing +unpositive +unpositively +unpositiveness +unpositivistic +unpossess +unpossessable +unpossessed +unpossessedness +unpossessing +unpossessive +unpossessively +unpossessiveness +unpossibility +unpossible +unpossibleness +unpossibly +unposted +unpostered +unposthumous +unpostmarked +unpostponable +unpostponed +unpostulated +unpot +unpotable +unpotent +unpotently +unpotted +unpotting +unpouched +unpoulticed +unpounced +unpounded +unpourable +unpoured +unpouting +unpoutingly +unpowdered +unpower +unpowerful +unpowerfulness +unpracticability +unpracticable +unpracticableness +unpracticably +unpractical +unpracticality +unpractically +unpracticalness +unpractice +unpracticed +unpracticedness +unpractised +unpragmatic +unpragmatical +unpragmatically +unpray +unprayable +unprayed +unprayerful +unprayerfully +unprayerfulness +unpraying +unpraisable +unpraise +unpraised +unpraiseful +unpraiseworthy +unpraising +unpranked +unprating +unpreach +unpreached +unpreaching +unprecarious +unprecariously +unprecariousness +unprecautioned +unpreceded +unprecedented +unprecedentedly +unprecedentedness +unprecedential +unprecedently +unpreceptive +unpreceptively +unprecious +unpreciously +unpreciousness +unprecipiced +unprecipitant +unprecipitantly +unprecipitate +unprecipitated +unprecipitately +unprecipitateness +unprecipitative +unprecipitatively +unprecipitous +unprecipitously +unprecipitousness +unprecise +unprecisely +unpreciseness +unprecisive +unprecludable +unprecluded +unprecludible +unpreclusive +unpreclusively +unprecocious +unprecociously +unprecociousness +unpredaceous +unpredaceously +unpredaceousness +unpredacious +unpredaciously +unpredaciousness +unpredatory +unpredestinated +unpredestined +unpredetermined +unpredicable +unpredicableness +unpredicably +unpredicated +unpredicative +unpredicatively +unpredict +unpredictability +unpredictabilness +unpredictable +unpredictableness +unpredictably +unpredicted +unpredictedness +unpredicting +unpredictive +unpredictively +unpredisposed +unpredisposing +unpreempted +un-preempted +unpreened +unprefaced +unpreferable +unpreferableness +unpreferably +unpreferred +unprefigured +unprefined +unprefixal +unprefixally +unprefixed +unpregnable +unpregnant +unprehensive +unpreying +unprejudged +unprejudicated +unprejudice +unprejudiced +unprejudicedly +unprejudicedness +unprejudiciable +unprejudicial +unprejudicially +unprejudicialness +unprelatic +unprelatical +unpreluded +unpremature +unprematurely +unprematureness +unpremeditate +unpremeditated +unpremeditatedly +unpremeditatedness +unpremeditately +unpremeditation +unpremonished +unpremonstrated +unprenominated +unprenticed +unpreoccupied +unpreordained +unpreparation +unprepare +unprepared +unpreparedly +unpreparedness +unpreparing +unpreponderated +unpreponderating +unprepossessed +unprepossessedly +unprepossessing +unprepossessingly +unprepossessingness +unpreposterous +unpreposterously +unpreposterousness +unpresaged +unpresageful +unpresaging +unpresbyterated +Un-presbyterian +unprescient +unpresciently +unprescinded +unprescribed +unpresentability +unpresentable +unpresentableness +unpresentably +unpresentative +unpresented +unpreservable +unpreserved +unpresidential +unpresidentially +unpresiding +unpressed +unpresses +unpressured +unprest +unpresumable +unpresumably +unpresumed +unpresuming +unpresumingness +unpresumptive +unpresumptively +unpresumptuous +unpresumptuously +unpresumptuousness +unpresupposed +unpretended +unpretending +unpretendingly +unpretendingness +unpretentious +unpretentiously +unpretentiousness +unpretermitted +unpreternatural +unpreternaturally +unpretty +unprettified +unprettily +unprettiness +unprevailing +unprevalence +unprevalent +unprevalently +unprevaricating +unpreventability +unpreventable +unpreventableness +unpreventably +unpreventative +unprevented +unpreventible +unpreventive +unpreventively +unpreventiveness +unpreviewed +unpriceably +unpriced +unpricked +unprickled +unprickly +unprideful +unpridefully +unpriest +unpriestly +unpriestlike +unpriggish +unprying +unprim +unprime +unprimed +unprimitive +unprimitively +unprimitiveness +unprimitivistic +unprimly +unprimmed +unprimness +unprince +unprincely +unprincelike +unprinceliness +unprincess +unprincipal +unprinciple +unprincipled +unprincipledly +unprincipledness +unprint +unprintable +unprintableness +unprintably +unprinted +unpriority +unprismatic +unprismatical +unprismatically +unprison +unprisonable +unprisoned +unprivate +unprivately +unprivateness +unprivileged +unprizable +unprized +unprobable +unprobably +unprobated +unprobational +unprobationary +unprobative +unprobed +unprobity +unproblematic +unproblematical +unproblematically +unprocessed +unprocessional +unproclaimed +unprocrastinated +unprocreant +unprocreate +unprocreated +unproctored +unprocurable +unprocurableness +unprocure +unprocured +unprodded +unproded +unprodigious +unprodigiously +unprodigiousness +unproduceable +unproduceableness +unproduceably +unproduced +unproducedness +unproducible +unproducibleness +unproducibly +unproductive +unproductively +unproductiveness +unproductivity +unprofanable +unprofane +unprofaned +unprofanely +unprofaneness +unprofessed +unprofessing +unprofessional +unprofessionalism +unprofessionally +unprofessionalness +unprofessorial +unprofessorially +unproffered +unproficiency +unproficient +unproficiently +unprofit +unprofitability +unprofitable +unprofitableness +unprofitably +unprofited +unprofiteering +unprofiting +unprofound +unprofoundly +unprofoundness +unprofundity +unprofuse +unprofusely +unprofuseness +unprognosticated +unprognosticative +unprogrammatic +unprogressed +unprogressive +unprogressively +unprogressiveness +unprohibited +unprohibitedness +unprohibitive +unprohibitively +unprojected +unprojecting +unprojective +unproliferous +unprolific +unprolifically +unprolificness +unprolifiness +unprolix +unprologued +unprolongable +unprolonged +unpromiscuous +unpromiscuously +unpromiscuousness +unpromise +unpromised +unpromising +unpromisingly +unpromisingness +unpromotable +unpromoted +unpromotional +unpromotive +unprompt +unprompted +unpromptly +unpromptness +unpromulgated +unpronounce +unpronounceable +unpronounced +unpronouncing +unproofread +unprop +unpropagable +unpropagandistic +unpropagated +unpropagative +unpropelled +unpropellent +unpropense +unproper +unproperly +unproperness +unpropertied +unprophesiable +unprophesied +unprophetic +unprophetical +unprophetically +unprophetlike +unpropice +unpropitiable +unpropitiated +unpropitiatedness +unpropitiating +unpropitiative +unpropitiatory +unpropitious +unpropitiously +unpropitiousness +unproportion +unproportionable +unproportionableness +unproportionably +unproportional +unproportionality +unproportionally +unproportionate +unproportionately +unproportionateness +unproportioned +unproportionedly +unproportionedness +unproposable +unproposed +unproposing +unpropounded +unpropped +unpropriety +unprorogued +unprosaic +unprosaical +unprosaically +unprosaicness +unproscribable +unproscribed +unproscriptive +unproscriptively +unprosecutable +unprosecuted +unprosecuting +unproselyte +unproselyted +unprosodic +unprospected +unprospective +unprosperably +unprospered +unprospering +unprosperity +unprosperous +unprosperously +unprosperousness +unprostitute +unprostituted +unprostrated +unprotect +unprotectable +unprotected +unprotectedly +unprotectedness +unprotecting +unprotection +unprotective +unprotectively +unprotestant +Un-protestant +unprotestantize +Un-protestantlike +unprotested +unprotesting +unprotestingly +unprotracted +unprotractive +unprotruded +unprotrudent +unprotruding +unprotrusible +unprotrusive +unprotrusively +unprotuberant +unprotuberantly +unproud +unproudly +unprovability +unprovable +unprovableness +unprovably +unproved +unprovedness +unproven +unproverbial +unproverbially +unprovidable +unprovide +unprovided +unprovidedly +unprovidedness +unprovidenced +unprovident +unprovidential +unprovidentially +unprovidently +unproviding +unprovincial +unprovincialism +unprovincially +unproving +unprovised +unprovisedly +unprovision +unprovisional +unprovisioned +unprovocative +unprovocatively +unprovocativeness +unprovokable +unprovoke +unprovoked +unprovokedly +unprovokedness +unprovoking +unprovokingly +unprowling +unproximity +unprudence +unprudent +unprudential +unprudentially +unprudently +unprunable +unpruned +Un-prussian +Un-prussianized +unpsychic +unpsychically +unpsychological +unpsychologically +unpsychopathic +unpsychotic +unpublic +unpublicity +unpublicized +unpublicly +unpublishable +unpublishableness +unpublishably +unpublished +unpucker +unpuckered +unpuckering +unpuckers +unpuddled +unpuff +unpuffed +unpuffing +unpugilistic +unpugnacious +unpugnaciously +unpugnaciousness +unpulled +unpulleyed +unpulped +unpulsating +unpulsative +unpulverable +unpulverised +unpulverize +unpulverized +unpulvinate +unpulvinated +unpumicated +unpummeled +unpummelled +unpumpable +unpumped +unpunched +unpunctate +unpunctated +unpunctilious +unpunctiliously +unpunctiliousness +unpunctual +unpunctuality +unpunctually +unpunctualness +unpunctuated +unpunctuating +unpunctured +unpunishable +unpunishably +unpunished +unpunishedly +unpunishedness +unpunishing +unpunishingly +unpunitive +unpurchasable +unpurchased +unpure +unpured +unpurely +unpureness +unpurgative +unpurgatively +unpurgeable +unpurged +unpurifiable +unpurified +unpurifying +unpuristic +unpuritan +unpuritanic +unpuritanical +unpuritanically +unpurled +unpurloined +unpurpled +unpurported +unpurposed +unpurposely +unpurposelike +unpurposing +unpurposive +unpurse +unpursed +unpursuable +unpursuant +unpursued +unpursuing +unpurveyed +unpushed +unput +unputative +unputatively +unputrefiable +unputrefied +unputrid +unputridity +unputridly +unputridness +unputtied +unpuzzle +unpuzzled +unpuzzles +unpuzzling +unquadded +unquaffed +unquayed +unquailed +unquailing +unquailingly +unquakerly +unquakerlike +unquaking +unqualify +unqualifiable +unqualification +unqualified +unqualifiedly +unqualifiedness +unqualifying +unqualifyingly +unquality +unqualitied +unquantifiable +unquantified +unquantitative +unquarantined +unquarreled +unquarreling +unquarrelled +unquarrelling +unquarrelsome +unquarried +unquartered +unquashed +unquavering +unqueen +unqueened +unqueening +unqueenly +unqueenlike +unquellable +unquelled +unqueme +unquemely +unquenchable +unquenchableness +unquenchably +unquenched +unqueried +unquert +unquerulous +unquerulously +unquerulousness +unquested +unquestionability +unquestionable +unquestionableness +unquestionably +unquestionate +unquestioned +unquestionedly +unquestionedness +unquestioning +unquestioningly +unquestioningness +unquibbled +unquibbling +unquick +unquickened +unquickly +unquickness +unquicksilvered +unquiescence +unquiescent +unquiescently +unquiet +unquietable +unquieted +unquieter +unquietest +unquieting +unquietly +unquietness +unquietous +unquiets +unquietude +unquilleted +unquilted +unquit +unquittable +unquitted +unquivered +unquivering +unquixotic +unquixotical +unquixotically +unquizzable +unquizzed +unquizzical +unquizzically +unquod +unquotable +unquote +unquoted +unquotes +unquoting +unrabbeted +unrabbinic +unrabbinical +unraced +unrack +unracked +unracking +unradiant +unradiated +unradiative +unradical +unradicalize +unradically +unradioactive +unraffled +unraftered +unray +unraided +unrayed +unrailed +unrailroaded +unrailwayed +unrainy +unraisable +unraiseable +unraised +unrake +unraked +unraking +unrallied +unrallying +unram +unrambling +unramified +unrammed +unramped +unranched +unrancid +unrancored +unrancorous +unrancoured +unrancourous +unrandom +unranging +unrank +unranked +unrankled +unransacked +unransomable +unransomed +unranting +unrapacious +unrapaciously +unrapaciousness +unraped +unraptured +unrapturous +unrapturously +unrapturousness +unrare +unrarefied +unrash +unrashly +unrashness +unrasped +unraspy +unrasping +unratable +unrated +unratified +unrationable +unrational +unrationalised +unrationalising +unrationalized +unrationalizing +unrationally +unrationed +unrattled +unravaged +unravel +unravelable +unraveled +unraveler +unraveling +unravellable +unravelled +unraveller +unravelling +unravelment +unravels +unraving +unravished +unravishing +unrazed +unrazored +unreachable +unreachableness +unreachably +unreached +unreactionary +unreactive +unread +unreadability +unreadable +unreadableness +unreadably +unready +unreadier +unreadiest +unreadily +unreadiness +unreal +unrealise +unrealised +unrealising +unrealism +unrealist +unrealistic +unrealistically +unreality +unrealities +unrealizability +unrealizable +unrealize +unrealized +unrealizing +unreally +unrealmed +unrealness +unreaped +unreared +unreason +unreasonability +unreasonable +unreasonableness +unreasonably +unreasoned +unreasoning +unreasoningly +unreasoningness +unreasons +unreassuring +unreassuringly +unreave +unreaving +unrebated +unrebel +unrebellious +unrebelliously +unrebelliousness +unrebuffable +unrebuffably +unrebuffed +unrebuilt +unrebukable +unrebukably +unrebukeable +unrebuked +unrebuttable +unrebuttableness +unrebutted +unrecalcitrant +unrecallable +unrecallably +unrecalled +unrecalling +unrecantable +unrecanted +unrecanting +unrecaptured +unreceding +unreceipted +unreceivable +unreceived +unreceiving +unrecent +unreceptant +unreceptive +unreceptively +unreceptiveness +unreceptivity +unrecessive +unrecessively +unrecipient +unreciprocal +unreciprocally +unreciprocated +unreciprocating +unrecitative +unrecited +unrecked +unrecking +unreckingness +unreckless +unreckon +unreckonable +unreckoned +unreclaimable +unreclaimably +unreclaimed +unreclaimedness +unreclaiming +unreclined +unreclining +unrecluse +unreclusive +unrecoded +unrecognisable +unrecognisably +unrecognition +unrecognitory +unrecognizable +unrecognizableness +unrecognizably +unrecognized +unrecognizing +unrecognizingly +unrecoined +unrecollectable +unrecollected +unrecollective +unrecommendable +unrecommended +unrecompensable +unrecompensed +unreconcilable +unreconcilableness +unreconcilably +unreconciled +unreconciling +unrecondite +unreconnoitered +unreconnoitred +unreconsidered +unreconstructed +unreconstructible +unrecordable +unrecorded +unrecordedness +unrecording +unrecountable +unrecounted +unrecoverable +unrecoverableness +unrecoverably +unrecovered +unrecreant +unrecreated +unrecreating +unrecreational +unrecriminative +unrecruitable +unrecruited +unrectangular +unrectangularly +unrectifiable +unrectifiably +unrectified +unrecumbent +unrecumbently +unrecuperated +unrecuperatiness +unrecuperative +unrecuperativeness +unrecuperatory +unrecuring +unrecurrent +unrecurrently +unrecurring +unrecusant +unred +unredacted +unredeemable +unredeemableness +unredeemably +unredeemed +unredeemedly +unredeemedness +unredeeming +unredemptive +unredressable +unredressed +unreduceable +unreduced +unreducible +unreducibleness +unreducibly +unreduct +unreefed +unreel +unreelable +unreeled +unreeler +unreelers +unreeling +unreels +un-reembodied +unreeve +unreeved +unreeves +unreeving +unreferenced +unreferred +unrefilled +unrefine +unrefined +unrefinedly +unrefinedness +unrefinement +unrefining +unrefitted +unreflected +unreflecting +unreflectingly +unreflectingness +unreflective +unreflectively +unreformable +unreformative +unreformed +unreformedness +unreforming +unrefracted +unrefracting +unrefractive +unrefractively +unrefractiveness +unrefractory +unrefrainable +unrefrained +unrefraining +unrefrangible +unrefreshed +unrefreshful +unrefreshing +unrefreshingly +unrefrigerated +unrefulgent +unrefulgently +unrefundable +unrefunded +unrefunding +unrefusable +unrefusably +unrefused +unrefusing +unrefusingly +unrefutability +unrefutable +unrefutably +unrefuted +unrefuting +unregainable +unregained +unregal +unregaled +unregality +unregally +unregard +unregardable +unregardant +unregarded +unregardedly +unregardful +unregenerable +unregeneracy +unregenerate +unregenerated +unregenerately +unregenerateness +unregenerating +unregeneration +unregenerative +unregimental +unregimentally +unregimented +unregistered +unregistrable +unregressive +unregressively +unregressiveness +unregretful +unregretfully +unregretfulness +unregrettable +unregrettably +unregretted +unregretting +unregulable +unregular +unregularised +unregularized +unregulated +unregulative +unregulatory +unregurgitated +unrehabilitated +unrehearsable +unrehearsed +unrehearsing +unreigning +unreimbodied +unrein +unreined +unreinforced +unreinstated +unreiterable +unreiterated +unreiterating +unreiterative +unrejectable +unrejected +unrejective +unrejoiced +unrejoicing +unrejuvenated +unrejuvenating +unrelayed +unrelapsing +unrelatable +unrelated +unrelatedness +unrelating +unrelational +unrelative +unrelatively +unrelativistic +unrelaxable +unrelaxed +unrelaxing +unrelaxingly +unreleasable +unreleased +unreleasible +unreleasing +unrelegable +unrelegated +unrelentable +unrelentance +unrelented +unrelenting +unrelentingly +unrelentingness +unrelentless +unrelentor +unrelevant +unrelevantly +unreliability +unreliable +unreliableness +unreliably +unreliance +unreliant +unrelievability +unrelievable +unrelievableness +unrelieved +unrelievedly +unrelievedness +unrelieving +unreligion +unreligioned +unreligious +unreligiously +unreligiousness +unrelinquishable +unrelinquishably +unrelinquished +unrelinquishing +unrelishable +unrelished +unrelishing +unreluctance +unreluctant +unreluctantly +unremaining +unremanded +unremarkable +unremarkableness +unremarked +unremarking +unremarried +unremediable +unremedied +unremember +unrememberable +unremembered +unremembering +unremembrance +unreminded +unreminiscent +unreminiscently +unremissible +unremissive +unremittable +unremitted +unremittedly +unremittence +unremittency +unremittent +unremittently +unremitting +unremittingly +unremittingness +unremonstrant +unremonstrated +unremonstrating +unremonstrative +unremorseful +unremorsefully +unremorsefulness +unremote +unremotely +unremoteness +unremounted +unremovable +unremovableness +unremovably +unremoved +unremunerated +unremunerating +unremunerative +unremuneratively +unremunerativeness +unrenderable +unrendered +unrenewable +unrenewed +unrenounceable +unrenounced +unrenouncing +unrenovated +unrenovative +unrenowned +unrenownedly +unrenownedness +unrent +unrentable +unrented +unrenunciable +unrenunciative +unrenunciatory +unreorganised +unreorganized +unrepayable +unrepaid +unrepair +unrepairable +unrepaired +unrepairs +unrepartable +unreparted +unrepealability +unrepealable +unrepealableness +unrepealably +unrepealed +unrepeatable +unrepeated +unrepellable +unrepelled +unrepellent +unrepellently +unrepent +unrepentable +unrepentance +unrepentant +unrepentantly +unrepentantness +unrepented +unrepenting +unrepentingly +unrepentingness +unrepetitious +unrepetitiously +unrepetitiousness +unrepetitive +unrepetitively +unrepined +unrepining +unrepiningly +unrepiqued +unreplaceable +unreplaced +unrepleness +unreplenished +unreplete +unrepleteness +unrepleviable +unreplevinable +unreplevined +unreplevisable +unrepliable +unrepliably +unreplied +unreplying +unreportable +unreported +unreportedly +unreportedness +unreportorial +unrepose +unreposed +unreposeful +unreposefully +unreposefulness +unreposing +unrepossessed +unreprehended +unreprehensible +unreprehensibleness +unreprehensibly +unrepreseed +unrepresentable +unrepresentation +unrepresentational +unrepresentative +unrepresentatively +unrepresentativeness +unrepresented +unrepresentedness +unrepressed +unrepressible +unrepression +unrepressive +unrepressively +unrepressiveness +unreprievable +unreprievably +unreprieved +unreprimanded +unreprimanding +unreprinted +unreproachable +unreproachableness +unreproachably +unreproached +unreproachful +unreproachfully +unreproachfulness +unreproaching +unreproachingly +unreprobated +unreprobative +unreprobatively +unreproduced +unreproducible +unreproductive +unreproductively +unreproductiveness +unreprovable +unreprovableness +unreprovably +unreproved +unreprovedly +unreprovedness +unreproving +unrepublican +unrepudiable +unrepudiated +unrepudiative +unrepugnable +unrepugnant +unrepugnantly +unrepulsable +unrepulsed +unrepulsing +unrepulsive +unrepulsively +unrepulsiveness +unreputable +unreputed +unrequalified +unrequest +unrequested +unrequickened +unrequired +unrequisite +unrequisitely +unrequisiteness +unrequisitioned +unrequitable +unrequital +unrequited +unrequitedly +unrequitedness +unrequitement +unrequiter +unrequiting +unrescinded +unrescissable +unrescissory +unrescuable +unrescued +unresearched +unresemblance +unresemblant +unresembling +unresented +unresentful +unresentfully +unresentfulness +unresenting +unreserve +unreserved +unreservedly +unreservedness +unresident +unresidential +unresidual +unresifted +unresigned +unresignedly +unresilient +unresiliently +unresinous +unresistable +unresistably +unresistance +unresistant +unresistantly +unresisted +unresistedly +unresistedness +unresistible +unresistibleness +unresistibly +unresisting +unresistingly +unresistingness +unresistive +unresolute +unresolutely +unresoluteness +unresolvable +unresolve +unresolved +unresolvedly +unresolvedness +unresolving +unresonant +unresonantly +unresonating +unresounded +unresounding +unresourceful +unresourcefully +unresourcefulness +unrespect +unrespectability +unrespectable +unrespectably +unrespected +unrespectful +unrespectfully +unrespectfulness +unrespective +unrespectively +unrespectiveness +unrespirable +unrespired +unrespited +unresplendent +unresplendently +unresponding +unresponsal +unresponsible +unresponsibleness +unresponsibly +unresponsive +unresponsively +unresponsiveness +unrest +unrestable +unrested +unrestful +unrestfully +unrestfulness +unresty +unresting +unrestingly +unrestingness +unrestitutive +unrestorable +unrestorableness +unrestorative +unrestored +unrestrainable +unrestrainably +unrestrained +unrestrainedly +unrestrainedness +unrestraint +unrestrictable +unrestricted +unrestrictedly +unrestrictedness +unrestriction +unrestrictive +unrestrictively +unrests +unresultive +unresumed +unresumptive +unresurrected +unresuscitable +unresuscitated +unresuscitating +unresuscitative +unretainable +unretained +unretaining +unretaliated +unretaliating +unretaliative +unretaliatory +unretardable +unretarded +unretentive +unretentively +unretentiveness +unreticence +unreticent +unreticently +unretinued +unretired +unretiring +unretorted +unretouched +unretractable +unretracted +unretractive +unretreated +unretreating +unretrenchable +unretrenched +unretributive +unretributory +unretrievable +unretrieved +unretrievingly +unretroactive +unretroactively +unretrograded +unretrograding +unretrogressive +unretrogressively +unretted +unreturnable +unreturnableness +unreturnably +unreturned +unreturning +unreturningly +unrevealable +unrevealed +unrevealedness +unrevealing +unrevealingly +unrevelational +unrevelationize +unreveling +unrevelling +unrevenged +unrevengeful +unrevengefully +unrevengefulness +unrevenging +unrevengingly +unrevenue +unrevenued +unreverberant +unreverberated +unreverberating +unreverberative +unrevered +unreverence +unreverenced +unreverend +unreverendly +unreverent +unreverential +unreverentially +unreverently +unreverentness +unreversable +unreversed +unreversible +unreversibleness +unreversibly +unreverted +unrevertible +unreverting +unrevested +unrevetted +unreviewable +unreviewed +unreviled +unreviling +unrevised +unrevivable +unrevived +unrevocable +unrevocableness +unrevocably +unrevokable +unrevoked +unrevolted +unrevolting +unrevolutionary +unrevolutionized +unrevolved +unrevolving +unrewardable +unrewarded +unrewardedly +unrewarding +unrewardingly +unreworded +unrhapsodic +unrhapsodical +unrhapsodically +unrhetorical +unrhetorically +unrhetoricalness +unrheumatic +unrhyme +unrhymed +unrhyming +unrhythmic +unrhythmical +unrhythmically +unribbed +unribboned +unrich +unriched +unricht +unricked +unrid +unridable +unridableness +unridably +unridden +unriddle +unriddleable +unriddled +unriddler +unriddles +unriddling +unride +unridely +unridered +unridged +unridiculed +unridiculous +unridiculously +unridiculousness +unrife +unriffled +unrifled +unrifted +unrig +unrigged +unrigging +unright +unrightable +unrighted +unrighteous +unrighteously +unrighteousness +unrightful +unrightfully +unrightfulness +unrightly +unrightwise +unrigid +unrigidly +unrigidness +unrigorous +unrigorously +unrigorousness +unrigs +unrimed +unrimpled +unrind +unring +unringable +unringed +unringing +unrinsed +unrioted +unrioting +unriotous +unriotously +unriotousness +unrip +unripe +unriped +unripely +unripened +unripeness +unripening +unriper +unripest +unrippable +unripped +unripping +unrippled +unrippling +unripplingly +unrips +unrisen +unrisible +unrising +unriskable +unrisked +unrisky +unritual +unritualistic +unritually +unrivalable +unrivaled +unrivaledly +unrivaledness +unrivaling +unrivalled +unrivalledly +unrivalling +unrivalrous +unrived +unriven +unrivet +unriveted +unriveting +unroaded +unroadworthy +unroaming +unroast +unroasted +unrobbed +unrobe +unrobed +unrobes +unrobing +unrobust +unrobustly +unrobustness +unrocked +unrocky +unrococo +unrodded +unroyal +unroyalist +unroyalized +unroyally +unroyalness +unroiled +unroll +unrollable +unrolled +unroller +unrolling +unrollment +unrolls +Un-roman +Un-romanize +Un-romanized +unromantic +unromantical +unromantically +unromanticalness +unromanticised +unromanticism +unromanticized +unroof +unroofed +unroofing +unroofs +unroomy +unroost +unroosted +unroosting +unroot +unrooted +unrooting +unroots +unrope +unroped +unrosed +unrosined +unrostrated +unrotary +unrotated +unrotating +unrotational +unrotative +unrotatory +unroted +unrotted +unrotten +unrotund +unrouged +unrough +unroughened +unround +unrounded +unrounding +unrounds +unrousable +unroused +unrousing +unrout +unroutable +unrouted +unroutine +unroutinely +unrove +unroved +unroven +unroving +unrow +unrowdy +unrowed +unroweled +unrowelled +UNRRA +unrrove +unrubbed +unrubbish +unrubified +unrubrical +unrubrically +unrubricated +unruddered +unruddled +unrude +unrudely +unrued +unrueful +unruefully +unruefulness +unrufe +unruffable +unruffed +unruffle +unruffled +unruffledness +unruffling +unrugged +unruinable +unruinated +unruined +unruinous +unruinously +unruinousness +unrulable +unrulableness +unrule +unruled +unruledly +unruledness +unruleful +unruly +unrulier +unruliest +unrulily +unruliment +unruliness +unrulinesses +unruminant +unruminated +unruminating +unruminatingly +unruminative +unrummaged +unrumored +unrumoured +unrumple +unrumpled +unrun +unrung +unrupturable +unruptured +unrural +unrurally +unrushed +unrushing +Unrussian +unrust +unrusted +unrustic +unrustically +unrusticated +unrustling +unruth +UNRWA +uns +unsabbatical +unsabered +unsabled +unsabotaged +unsabred +unsaccharic +unsaccharine +unsacerdotal +unsacerdotally +unsack +unsacked +unsacrament +unsacramental +unsacramentally +unsacramentarian +unsacred +unsacredly +unsacredness +unsacrificeable +unsacrificeably +unsacrificed +unsacrificial +unsacrificially +unsacrificing +unsacrilegious +unsacrilegiously +unsacrilegiousness +unsad +unsadden +unsaddened +unsaddle +unsaddled +unsaddles +unsaddling +unsadistic +unsadistically +unsadly +unsadness +unsafe +unsafeguarded +unsafely +unsafeness +unsafer +unsafest +unsafety +unsafetied +unsafeties +unsagacious +unsagaciously +unsagaciousness +unsage +unsagely +unsageness +unsagging +unsay +unsayability +unsayable +unsaid +unsaying +unsailable +unsailed +unsailorlike +unsaint +unsainted +unsaintly +unsaintlike +unsaintliness +unsays +unsaked +unsalability +unsalable +unsalableness +unsalably +unsalacious +unsalaciously +unsalaciousness +unsalaried +unsaleable +unsaleably +unsalesmanlike +unsalient +unsaliently +unsaline +unsalivated +unsalivating +unsallying +unsallow +unsallowness +unsalmonlike +unsalness +unsalt +unsaltable +unsaltatory +unsaltatorial +unsalted +unsalty +unsalubrious +unsalubriously +unsalubriousness +unsalutary +unsalutariness +unsalutatory +unsaluted +unsaluting +unsalvability +unsalvable +unsalvableness +unsalvably +unsalvageability +unsalvageable +unsalvageably +unsalvaged +unsalved +unsame +unsameness +unsampled +unsanctify +unsanctification +unsanctified +unsanctifiedly +unsanctifiedness +unsanctifying +unsanctimonious +unsanctimoniously +unsanctimoniousness +unsanction +unsanctionable +unsanctioned +unsanctioning +unsanctity +unsanctitude +unsanctuaried +unsandaled +unsandalled +unsanded +unsane +unsaneness +unsanguinary +unsanguinarily +unsanguinariness +unsanguine +unsanguinely +unsanguineness +unsanguineous +unsanguineously +unsanitary +unsanitariness +unsanitated +unsanitation +unsanity +unsanitized +unsapient +unsapiential +unsapientially +unsapiently +unsaponifiable +unsaponified +unsapped +unsappy +Un-saracenic +unsarcastic +unsarcastical +unsarcastically +unsardonic +unsardonically +unsartorial +unsartorially +unsash +unsashed +unsatable +unsatanic +unsatanical +unsatanically +unsatcheled +unsated +unsatedly +unsatedness +unsatiability +unsatiable +unsatiableness +unsatiably +unsatiate +unsatiated +unsatiating +unsatin +unsating +unsatire +unsatiric +unsatirical +unsatirically +unsatiricalness +unsatirisable +unsatirised +unsatirizable +unsatirize +unsatirized +unsatyrlike +unsatisfaction +unsatisfactory +unsatisfactorily +unsatisfactoriness +unsatisfy +unsatisfiability +unsatisfiable +unsatisfiableness +unsatisfiably +unsatisfied +unsatisfiedly +unsatisfiedness +unsatisfying +unsatisfyingly +unsatisfyingness +unsaturable +unsaturate +unsaturated +unsaturatedly +unsaturatedness +unsaturates +unsaturation +unsauced +unsaught +unsaurian +unsavable +unsavage +unsavagely +unsavageness +unsaveable +unsaved +unsaving +unsavingly +unsavor +unsavored +unsavoredly +unsavoredness +unsavory +unsavorily +unsavoriness +unsavorly +unsavoured +unsavoury +unsavourily +unsavouriness +unsawed +unsawn +Un-saxon +unscabbard +unscabbarded +unscabbed +unscabrous +unscabrously +unscabrousness +unscaffolded +unscalable +unscalableness +unscalably +unscalded +unscalding +unscale +unscaled +unscaledness +unscaly +unscaling +unscalloped +unscamped +unscandalised +unscandalize +unscandalized +unscandalous +unscandalously +unscannable +unscanned +unscanted +unscanty +unscapable +unscarb +unscarce +unscarcely +unscarceness +unscared +unscarfed +unscarified +unscarred +unscarved +unscathed +unscathedly +unscathedness +unscattered +unscavenged +unscavengered +unscenic +unscenically +unscent +unscented +unscepter +unsceptered +unsceptical +unsceptically +unsceptre +unsceptred +unscheduled +unschematic +unschematically +unschematised +unschematized +unschemed +unscheming +unschismatic +unschismatical +unschizoid +unschizophrenic +unscholar +unscholarly +unscholarlike +unscholarliness +unscholastic +unscholastically +unschool +unschooled +unschooledly +unschooledness +unscience +unscienced +unscientific +unscientifical +unscientifically +unscientificness +unscintillant +unscintillating +unscioned +unscissored +unscoffed +unscoffing +unscolded +unscolding +unsconced +unscooped +unscorched +unscorching +unscored +unscorified +unscoring +unscorned +unscornful +unscornfully +unscornfulness +unscotch +Un-scotch +unscotched +unscottify +Un-scottish +unscoured +unscourged +unscourging +unscouring +unscowling +unscowlingly +unscramble +unscrambled +unscrambler +unscrambles +unscrambling +unscraped +unscraping +unscratchable +unscratched +unscratching +unscratchingly +unscrawled +unscrawling +unscreen +unscreenable +unscreenably +unscreened +unscrew +unscrewable +unscrewed +unscrewing +unscrews +unscribal +unscribbled +unscribed +unscrimped +unscripted +unscriptural +Un-scripturality +unscripturally +unscripturalness +unscrubbed +unscrupled +unscrupulosity +unscrupulous +unscrupulously +unscrupulousness +unscrupulousnesses +unscrutable +unscrutinised +unscrutinising +unscrutinisingly +unscrutinized +unscrutinizing +unscrutinizingly +unsculptural +unsculptured +unscummed +unscutcheoned +unseafaring +unseal +unsealable +unsealed +unsealer +unsealing +unseals +unseam +unseamanlike +unseamanship +unseamed +unseaming +unseams +unsearchable +unsearchableness +unsearchably +unsearched +unsearcherlike +unsearching +unsearchingly +unseared +unseason +unseasonable +unseasonableness +unseasonably +unseasoned +unseat +unseated +unseating +unseats +unseaworthy +unseaworthiness +unseceded +unseceding +unsecluded +unsecludedly +unsecluding +unseclusive +unseclusively +unseclusiveness +unseconded +unsecrecy +unsecret +unsecretarial +unsecretarylike +unsecreted +unsecreting +unsecretive +unsecretively +unsecretiveness +unsecretly +unsecretness +unsectarian +unsectarianism +unsectarianize +unsectarianized +unsectarianizing +unsectional +unsectionalised +unsectionalized +unsectionally +unsectioned +unsecular +unsecularised +unsecularize +unsecularized +unsecularly +unsecurable +unsecurableness +unsecure +unsecured +unsecuredly +unsecuredness +unsecurely +unsecureness +unsecurity +unsedate +unsedately +unsedateness +unsedative +unsedentary +unsedimental +unsedimentally +unseditious +unseditiously +unseditiousness +unseduce +unseduceability +unseduceable +unseduced +unseducible +unseducibleness +unseducibly +unseductive +unseductively +unseductiveness +unsedulous +unsedulously +unsedulousness +unsee +unseeable +unseeableness +unseeded +unseeding +unseeing +unseeingly +unseeingness +unseeking +unseel +unseely +unseeliness +unseeming +unseemingly +unseemly +unseemlier +unseemliest +unseemlily +unseemliness +unseen +unseethed +unseething +unsegmental +unsegmentally +unsegmentary +unsegmented +unsegregable +unsegregated +unsegregatedness +unsegregating +unsegregational +unsegregative +unseignioral +unseignorial +unseismal +unseismic +unseizable +unseize +unseized +unseldom +unselect +unselected +unselecting +unselective +unselectiveness +unself +unself-assertive +unselfassured +unself-centered +unself-centred +unself-changing +unselfconfident +unself-confident +unselfconscious +unself-conscious +unselfconsciously +unself-consciously +unselfconsciousness +unself-consciousness +unself-denying +unself-determined +unself-evident +unself-indulgent +unselfish +unselfishly +unselfishness +unselfishnesses +unself-knowing +unselflike +unselfness +unself-opinionated +unself-possessed +unself-reflecting +unselfreliant +unself-righteous +unself-righteously +unself-righteousness +unself-sacrificial +unself-sacrificially +unself-sacrificing +unself-sufficiency +unself-sufficient +unself-sufficiently +unself-supported +unself-valuing +unself-willed +unself-willedness +unsely +unseliness +unsell +unselling +unselth +unseminared +Un-semitic +unsenatorial +unsenescent +unsenile +unsensate +unsensational +unsensationally +unsense +unsensed +unsensibility +unsensible +unsensibleness +unsensibly +unsensing +unsensitise +unsensitised +unsensitising +unsensitive +unsensitively +unsensitiveness +unsensitize +unsensitized +unsensitizing +unsensory +unsensual +unsensualised +unsensualistic +unsensualize +unsensualized +unsensually +unsensuous +unsensuously +unsensuousness +unsent +unsentenced +unsententious +unsententiously +unsententiousness +unsent-for +unsentient +unsentiently +unsentimental +unsentimentalised +unsentimentalist +unsentimentality +unsentimentalize +unsentimentalized +unsentimentally +unsentineled +unsentinelled +unseparable +unseparableness +unseparably +unseparate +unseparated +unseparately +unseparateness +unseparating +unseparative +unseptate +unseptated +unsepulcher +unsepulchered +unsepulchral +unsepulchrally +unsepulchre +unsepulchred +unsepulchring +unsepultured +unsequenced +unsequent +unsequential +unsequentially +unsequestered +unseraphic +unseraphical +unseraphically +Un-serbian +unsere +unserenaded +unserene +unserenely +unsereneness +unserflike +unserialised +unserialized +unserious +unseriously +unseriousness +unserrate +unserrated +unserried +unservable +unserved +unservice +unserviceability +unserviceable +unserviceableness +unserviceably +unserviced +unservicelike +unservile +unservilely +unserving +unsesquipedalian +unset +unsets +unsetting +unsettle +unsettleable +unsettled +unsettledness +unsettlement +unsettles +unsettling +unsettlingly +unseven +unseverable +unseverableness +unsevere +unsevered +unseveredly +unseveredness +unseverely +unsevereness +unsew +unsewed +unsewered +unsewing +unsewn +unsews +unsex +unsexed +unsexes +unsexy +unsexing +unsexlike +unsexual +unsexually +unshabby +unshabbily +unshackle +unshackled +unshackles +unshackling +unshade +unshaded +unshady +unshadily +unshadiness +unshading +unshadow +unshadowable +unshadowed +unshafted +unshakable +unshakableness +unshakably +unshakeable +unshakeably +unshaked +unshaken +unshakenly +unshakenness +Un-shakespearean +unshaky +unshakiness +unshaking +unshakingness +unshale +unshaled +unshamable +unshamableness +unshamably +unshameable +unshameableness +unshameably +unshamed +unshamefaced +unshamefacedness +unshameful +unshamefully +unshamefulness +unshammed +unshanked +unshapable +unshape +unshapeable +unshaped +unshapedness +unshapely +unshapeliness +unshapen +unshapenly +unshapenness +unshaping +unsharable +unshareable +unshared +unsharedness +unsharing +unsharp +unsharped +unsharpen +unsharpened +unsharpening +unsharping +unsharply +unsharpness +unshatterable +unshattered +unshavable +unshave +unshaveable +unshaved +unshavedly +unshavedness +unshaven +unshavenly +unshavenness +unshawl +unsheaf +unsheared +unsheathe +unsheathed +unsheathes +unsheathing +unshed +unshedding +unsheer +unsheerness +unsheet +unsheeted +unsheeting +unshell +unshelled +unshelling +unshells +unshelterable +unsheltered +unsheltering +unshelve +unshelved +unshent +unshepherded +unshepherding +unsheriff +unshewed +unshy +unshieldable +unshielded +unshielding +unshift +unshiftable +unshifted +unshifty +unshiftiness +unshifting +unshifts +unshyly +unshimmering +unshimmeringly +unshined +unshyness +unshingled +unshiny +unshining +unship +unshiplike +unshipment +unshippable +unshipped +unshipping +unships +unshipshape +unshipwrecked +unshirked +unshirking +unshirred +unshirted +unshivered +unshivering +unshness +unshockability +unshockable +unshocked +unshocking +unshod +unshodden +unshoe +unshoed +unshoeing +unshook +unshop +unshore +unshored +unshorn +unshort +unshorten +unshortened +unshot +unshotted +unshoulder +unshout +unshouted +unshouting +unshoved +unshoveled +unshovelled +unshowable +unshowed +unshowered +unshowering +unshowy +unshowily +unshowiness +unshowmanlike +unshown +unshredded +unshrew +unshrewd +unshrewdly +unshrewdness +unshrewish +unshrill +unshrine +unshrined +unshrinement +unshrink +unshrinkability +unshrinkable +unshrinking +unshrinkingly +unshrinkingness +unshrived +unshriveled +unshrivelled +unshriven +unshroud +unshrouded +unshrubbed +unshrugging +unshrunk +unshrunken +unshuddering +unshuffle +unshuffled +unshunnable +unshunned +unshunning +unshunted +unshut +unshutter +unshuttered +Un-siberian +unsibilant +unsiccated +unsiccative +Un-sicilian +unsick +unsickened +unsicker +unsickered +unsickerly +unsickerness +unsickled +unsickly +unsided +unsidereal +unsiding +unsidling +unsiege +unsieged +unsieved +unsifted +unsighed-for +unsighing +unsight +unsightable +unsighted +unsightedly +unsighting +unsightless +unsightly +unsightlier +unsightliest +unsightliness +unsights +unsigmatic +unsignable +unsignaled +unsignalised +unsignalized +unsignalled +unsignatured +unsigned +unsigneted +unsignifiable +unsignificancy +unsignificant +unsignificantly +unsignificative +unsignified +unsignifying +unsilenceable +unsilenceably +unsilenced +unsilent +unsilentious +unsilently +unsilhouetted +unsilicated +unsilicified +unsyllabic +unsyllabicated +unsyllabified +unsyllabled +unsilly +unsyllogistic +unsyllogistical +unsyllogistically +unsilvered +unsymbolic +unsymbolical +unsymbolically +unsymbolicalness +unsymbolised +unsymbolized +unsimilar +unsimilarity +unsimilarly +unsimmered +unsimmering +unsymmetry +unsymmetric +unsymmetrical +unsymmetrically +unsymmetricalness +unsymmetrized +unsympathetic +unsympathetically +unsympatheticness +unsympathy +unsympathised +unsympathising +unsympathisingly +unsympathizability +unsympathizable +unsympathized +unsympathizing +unsympathizingly +unsimpering +unsymphonious +unsymphoniously +unsimple +unsimpleness +unsimply +unsimplicity +unsimplify +unsimplified +unsimplifying +unsymptomatic +unsymptomatical +unsymptomatically +unsimular +unsimulated +unsimulating +unsimulative +unsimultaneous +unsimultaneously +unsimultaneousness +unsin +unsincere +unsincerely +unsincereness +unsincerity +unsynchronised +unsynchronized +unsynchronous +unsynchronously +unsynchronousness +unsyncopated +unsyndicated +unsinew +unsinewed +unsinewy +unsinewing +unsinful +unsinfully +unsinfulness +unsing +unsingability +unsingable +unsingableness +unsinged +unsingle +unsingled +unsingleness +unsingular +unsingularly +unsingularness +unsinister +unsinisterly +unsinisterness +unsinkability +unsinkable +unsinking +unsinnable +unsinning +unsinningness +unsynonymous +unsynonymously +unsyntactic +unsyntactical +unsyntactically +unsynthesised +unsynthesized +unsynthetic +unsynthetically +unsyntheticness +unsinuate +unsinuated +unsinuately +unsinuous +unsinuously +unsinuousness +unsiphon +unsipped +unsyringed +unsystematic +unsystematical +unsystematically +unsystematicness +unsystematised +unsystematising +unsystematized +unsystematizedly +unsystematizing +unsystemizable +unsister +unsistered +unsisterly +unsisterliness +unsisting +unsitting +unsittingly +unsituated +unsizable +unsizableness +unsizeable +unsizeableness +unsized +unskaithd +unskaithed +unskeptical +unskeptically +unskepticalness +unsketchable +unsketched +unskewed +unskewered +unskilful +unskilfully +unskilfulness +unskill +unskilled +unskilledly +unskilledness +unskillful +unskillfully +unskillfulness +unskimmed +unskin +unskinned +unskirmished +unskirted +unslack +unslacked +unslackened +unslackening +unslacking +unslagged +unslayable +unslain +unslakable +unslakeable +unslaked +unslammed +unslandered +unslanderous +unslanderously +unslanderousness +unslanted +unslanting +unslapped +unslashed +unslate +unslated +unslating +unslatted +unslaughtered +unslave +Un-slavic +unsleaved +unsleek +unsleepably +unsleepy +unsleeping +unsleepingly +unsleeve +unsleeved +unslender +unslept +unsly +unsliced +unslicked +unsliding +unslighted +unslyly +unslim +unslimly +unslimmed +unslimness +unslyness +unsling +unslinging +unslings +unslinking +unslip +unslipped +unslippered +unslippery +unslipping +unslit +unslockened +unslogh +unsloped +unsloping +unslopped +unslot +unslothful +unslothfully +unslothfulness +unslotted +unslouched +unslouchy +unslouching +unsloughed +unsloughing +unslow +unslowed +unslowly +unslowness +unsluggish +unsluggishly +unsluggishness +unsluice +unsluiced +unslumbery +unslumbering +unslumberous +unslumbrous +unslumped +unslumping +unslung +unslurred +unsmacked +unsmart +unsmarting +unsmartly +unsmartness +unsmashed +unsmeared +unsmelled +unsmelling +unsmelted +unsmiled +unsmiling +unsmilingly +unsmilingness +unsmirched +unsmirking +unsmirkingly +unsmitten +unsmocked +unsmokable +unsmokeable +unsmoked +unsmoky +unsmokified +unsmokily +unsmokiness +unsmoking +unsmoldering +unsmooth +unsmoothed +unsmoothened +unsmoothly +unsmoothness +unsmote +unsmotherable +unsmothered +unsmothering +unsmouldering +unsmoulderingly +unsmudged +unsmug +unsmuggled +unsmugly +unsmugness +unsmutched +unsmutted +unsmutty +unsnaffled +unsnagged +unsnaggled +unsnaky +unsnap +unsnapped +unsnapping +unsnaps +unsnare +unsnared +unsnarl +unsnarled +unsnarling +unsnarls +unsnatch +unsnatched +unsneaky +unsneaking +unsneck +unsneering +unsneeringly +unsnib +unsnipped +unsnobbish +unsnobbishly +unsnobbishness +unsnoring +unsnouted +unsnow +unsnubbable +unsnubbed +unsnuffed +unsnug +unsnugly +unsnugness +unsoaked +unsoaped +unsoarable +unsoaring +unsober +unsobered +unsobering +unsoberly +unsoberness +unsobriety +unsociability +unsociable +unsociableness +unsociably +unsocial +unsocialised +unsocialising +unsocialism +unsocialistic +unsociality +unsocializable +unsocialized +unsocializing +unsocially +unsocialness +unsociological +unsociologically +unsocket +unsocketed +Un-socratic +unsodden +unsoft +unsoftened +unsoftening +unsoftly +unsoftness +unsoggy +unsoil +unsoiled +unsoiledness +unsoiling +unsolaced +unsolacing +unsolar +unsold +unsolder +unsoldered +unsoldering +unsolders +unsoldier +unsoldiered +unsoldiery +unsoldierly +unsoldierlike +unsole +unsoled +unsolemn +unsolemness +unsolemnified +unsolemnised +unsolemnize +unsolemnized +unsolemnly +unsolemnness +unsolicitated +unsolicited +unsolicitedly +unsolicitous +unsolicitously +unsolicitousness +unsolicitude +unsolid +unsolidarity +unsolidifiable +unsolidified +unsolidity +unsolidly +unsolidness +unsoling +unsolitary +unsolubility +unsoluble +unsolubleness +unsolubly +unsolvable +unsolvableness +unsolvably +unsolve +unsolved +unsomatic +unsomber +unsomberly +unsomberness +unsombre +unsombrely +unsombreness +unsome +unsomnolent +unsomnolently +unson +unsonable +unsonant +unsonantal +unsoncy +unsonlike +unsonneted +unsonorous +unsonorously +unsonorousness +unsonsy +unsonsie +unsoot +unsoothable +unsoothed +unsoothfast +unsoothing +unsoothingly +unsooty +unsophistic +unsophistical +unsophistically +unsophisticate +unsophisticated +unsophisticatedly +unsophisticatedness +unsophistication +unsophomoric +unsophomorical +unsophomorically +unsoporiferous +unsoporiferously +unsoporiferousness +unsoporific +unsordid +unsordidly +unsordidness +unsore +unsorely +unsoreness +unsorry +unsorriness +unsorrowed +unsorrowful +unsorrowing +unsort +unsortable +unsorted +unsorting +unsotted +unsought +unsoul +unsoulful +unsoulfully +unsoulfulness +unsoulish +unsound +unsoundable +unsoundableness +unsounded +unsounder +unsoundest +unsounding +unsoundly +unsoundness +unsoundnesses +unsour +unsoured +unsourly +unsourness +unsoused +Un-southern +unsovereign +unsowed +unsown +unspaced +unspacious +unspaciously +unspaciousness +unspaded +unspayed +unspan +unspangled +Un-spaniardized +Un-spanish +unspanked +unspanned +unspanning +unspar +unsparable +unspared +unsparing +unsparingly +unsparingness +unsparked +unsparkling +unsparred +unsparse +unsparsely +unsparseness +Un-spartan +unspasmed +unspasmodic +unspasmodical +unspasmodically +unspatial +unspatiality +unspatially +unspattered +unspawned +unspeak +unspeakability +unspeakable +unspeakableness +unspeakably +unspeaking +unspeaks +unspeared +unspecialised +unspecialising +unspecialized +unspecializing +unspecifiable +unspecific +unspecifically +unspecified +unspecifiedly +unspecifying +unspecious +unspeciously +unspeciousness +unspecked +unspeckled +unspectacled +unspectacular +unspectacularly +unspecterlike +unspectrelike +unspeculating +unspeculative +unspeculatively +unspeculatory +unsped +unspeed +unspeedful +unspeedy +unspeedily +unspeediness +unspeered +unspell +unspellable +unspelled +unspeller +unspelling +unspelt +unspendable +unspending +Un-spenserian +unspent +unspewed +unsphere +unsphered +unspheres +unspherical +unsphering +unspiable +unspiced +unspicy +unspicily +unspiciness +unspied +unspying +unspike +unspillable +unspilled +unspilt +unspin +unspinnable +unspinning +unspinsterlike +unspinsterlikeness +unspiral +unspiraled +unspiralled +unspirally +unspired +unspiring +unspirit +unspirited +unspiritedly +unspiriting +unspiritual +unspiritualised +unspiritualising +unspirituality +unspiritualize +unspiritualized +unspiritualizing +unspiritually +unspiritualness +unspirituous +unspissated +unspit +unspited +unspiteful +unspitefully +unspitted +unsplayed +unsplashed +unsplattered +unspleened +unspleenish +unspleenishly +unsplendid +unsplendidly +unsplendidness +unsplendorous +unsplendorously +unsplendourous +unsplendourously +unsplenetic +unsplenetically +unspliced +unsplinted +unsplintered +unsplit +unsplittable +unspoil +unspoilable +unspoilableness +unspoilably +unspoiled +unspoiledness +unspoilt +unspoke +unspoken +unspokenly +unsponged +unspongy +unsponsored +unspontaneous +unspontaneously +unspontaneousness +unspookish +unsported +unsportful +unsporting +unsportive +unsportively +unsportiveness +unsportsmanly +unsportsmanlike +unsportsmanlikeness +unsportsmanliness +unspot +unspotlighted +unspottable +unspotted +unspottedly +unspottedness +unspotten +unspoused +unspouselike +unspouted +unsprayable +unsprayed +unsprained +unspread +unspreadable +unspreading +unsprightly +unsprightliness +unspring +unspringing +unspringlike +unsprinkled +unsprinklered +unsprouted +unsproutful +unsprouting +unspruced +unsprung +unspun +unspurious +unspuriously +unspuriousness +unspurned +unspurred +unsputtering +unsquabbling +unsquandered +unsquarable +unsquare +unsquared +unsquashable +unsquashed +unsqueamish +unsqueamishly +unsqueamishness +unsqueezable +unsqueezed +unsquelched +unsquinting +unsquire +unsquired +unsquirelike +unsquirming +unsquirted +unstabbed +unstabilised +unstabilising +unstability +unstabilized +unstabilizing +unstable +unstabled +unstableness +unstabler +unstablest +unstably +unstablished +unstack +unstacked +unstacker +unstacking +unstacks +unstaffed +unstaged +unstaggered +unstaggering +unstagy +unstagily +unstaginess +unstagnant +unstagnantly +unstagnating +unstayable +unstaid +unstaidly +unstaidness +unstayed +unstayedness +unstaying +unstain +unstainable +unstainableness +unstained +unstainedly +unstainedness +unstaled +unstalemated +unstalked +unstalled +unstammering +unstammeringly +unstamped +unstampeded +unstanch +unstanchable +unstanched +unstandard +unstandardisable +unstandardised +unstandardizable +unstandardized +unstanding +unstanzaic +unstapled +unstar +unstarch +unstarched +unstarlike +unstarred +unstarted +unstarting +unstartled +unstartling +unstarved +unstatable +unstate +unstateable +unstated +unstately +unstates +unstatesmanlike +unstatic +unstatical +unstatically +unstating +unstation +unstationary +unstationed +unstatistic +unstatistical +unstatistically +unstatued +unstatuesque +unstatuesquely +unstatuesqueness +unstatutable +unstatutably +unstatutory +unstaunch +unstaunchable +unstaunched +unstavable +unstaveable +unstaved +unsteadfast +unsteadfastly +unsteadfastness +unsteady +unsteadied +unsteadier +unsteadies +unsteadiest +unsteadying +unsteadily +unsteadiness +unsteadinesses +unstealthy +unstealthily +unstealthiness +unsteamed +unsteaming +unsteck +unstecked +unsteek +unsteel +unsteeled +unsteeling +unsteels +unsteep +unsteeped +unsteepled +unsteered +unstemmable +unstemmed +unstentorian +unstentoriously +unstep +unstepped +unstepping +unsteps +unstercorated +unstereotyped +unsterile +unsterilized +unstern +unsternly +unsternness +unstethoscoped +unstewardlike +unstewed +unsty +unstick +unsticked +unsticky +unsticking +unstickingness +unsticks +unstiff +unstiffen +unstiffened +unstiffly +unstiffness +unstifled +unstifling +unstigmatic +unstigmatised +unstigmatized +unstyled +unstylish +unstylishly +unstylishness +unstylized +unstill +unstilled +unstillness +unstilted +unstimulable +unstimulated +unstimulating +unstimulatingly +unstimulative +unsting +unstinged +unstinging +unstingingly +unstinted +unstintedly +unstinting +unstintingly +unstippled +unstipulated +unstirrable +unstirred +unstirring +unstitch +unstitched +unstitching +unstock +unstocked +unstocking +unstockinged +unstoic +unstoical +unstoically +unstoicize +unstoked +unstoken +unstolen +unstonable +unstone +unstoneable +unstoned +unstony +unstonily +unstoniness +unstooped +unstooping +unstop +unstoppable +unstoppably +unstopped +unstopper +unstoppered +unstopping +unstopple +unstops +unstorable +unstore +unstored +unstoried +unstormable +unstormed +unstormy +unstormily +unstorminess +unstout +unstoutly +unstoutness +unstoved +unstow +unstowed +unstraddled +unstrafed +unstraight +unstraightened +unstraightforward +unstraightforwardness +unstraightness +unstraying +unstrain +unstrained +unstraitened +unstrand +unstranded +unstrange +unstrangely +unstrangeness +unstrangered +unstrangled +unstrangulable +unstrap +unstrapped +unstrapping +unstraps +unstrategic +unstrategical +unstrategically +unstratified +unstreaked +unstreamed +unstreaming +unstreamlined +unstreng +unstrength +unstrengthen +unstrengthened +unstrengthening +unstrenuous +unstrenuously +unstrenuousness +unstrepitous +unstress +unstressed +unstressedly +unstressedness +unstresses +unstretch +unstretchable +unstretched +unstrewed +unstrewn +unstriated +unstricken +unstrict +unstrictly +unstrictness +unstrictured +unstride +unstrident +unstridently +unstridulating +unstridulous +unstrike +unstriking +unstring +unstringed +unstringent +unstringently +unstringing +unstrings +unstrip +unstriped +unstripped +unstriving +unstroked +unstrong +unstruck +unstructural +unstructurally +unstructured +unstruggling +unstrung +unstubbed +unstubbled +unstubborn +unstubbornly +unstubbornness +unstuccoed +unstuck +unstudded +unstudied +unstudiedness +unstudious +unstudiously +unstudiousness +unstuff +unstuffed +unstuffy +unstuffily +unstuffiness +unstuffing +unstultified +unstultifying +unstumbling +unstung +unstunned +unstunted +unstupefied +unstupid +unstupidly +unstupidness +unsturdy +unsturdily +unsturdiness +unstuttered +unstuttering +unsubdivided +unsubduable +unsubduableness +unsubduably +unsubducted +unsubdued +unsubduedly +unsubduedness +unsubject +unsubjectable +unsubjected +unsubjectedness +unsubjection +unsubjective +unsubjectively +unsubjectlike +unsubjugate +unsubjugated +unsublimable +unsublimated +unsublimed +unsubmerged +unsubmergible +unsubmerging +unsubmersible +unsubmission +unsubmissive +unsubmissively +unsubmissiveness +unsubmitted +unsubmitting +unsubordinate +unsubordinated +unsubordinative +unsuborned +unsubpoenaed +unsubrogated +unsubscribed +unsubscribing +unsubscripted +unsubservient +unsubserviently +unsubsided +unsubsidiary +unsubsiding +unsubsidized +unsubstanced +unsubstantial +unsubstantiality +unsubstantialization +unsubstantialize +unsubstantially +unsubstantialness +unsubstantiatable +unsubstantiate +unsubstantiated +unsubstantiation +unsubstantive +unsubstituted +unsubstitutive +unsubtle +unsubtleness +unsubtlety +unsubtly +unsubtracted +unsubtractive +unsuburban +unsuburbed +unsubventioned +unsubventionized +unsubversive +unsubversively +unsubversiveness +unsubvertable +unsubverted +unsubvertive +unsucceedable +unsucceeded +unsucceeding +unsuccess +unsuccessful +unsuccessfully +unsuccessfulness +unsuccessive +unsuccessively +unsuccessiveness +unsuccinct +unsuccinctly +unsuccorable +unsuccored +unsucculent +unsucculently +unsuccumbing +unsucked +unsuckled +unsued +unsufferable +unsufferableness +unsufferably +unsuffered +unsuffering +unsufficed +unsufficience +unsufficiency +unsufficient +unsufficiently +unsufficing +unsufficingness +unsuffixed +unsufflated +unsuffocate +unsuffocated +unsuffocative +unsuffused +unsuffusive +unsugared +unsugary +unsuggested +unsuggestedness +unsuggestibility +unsuggestible +unsuggesting +unsuggestive +unsuggestively +unsuggestiveness +unsuicidal +unsuicidally +unsuit +unsuitability +unsuitable +unsuitableness +unsuitably +unsuited +unsuitedness +unsuiting +unsulfonated +unsulfureness +unsulfureous +unsulfureousness +unsulfurized +unsulky +unsulkily +unsulkiness +unsullen +unsullenly +unsulliable +unsullied +unsulliedly +unsulliedness +unsulphonated +unsulphureness +unsulphureous +unsulphureousness +unsulphurized +unsultry +unsummable +unsummarisable +unsummarised +unsummarizable +unsummarized +unsummed +unsummered +unsummerly +unsummerlike +unsummonable +unsummoned +unsumptuary +unsumptuous +unsumptuously +unsumptuousness +unsun +unsunburned +unsunburnt +Un-sundaylike +unsundered +unsung +unsunk +unsunken +unsunned +unsunny +unsuperable +unsuperannuated +unsupercilious +unsuperciliously +unsuperciliousness +unsuperficial +unsuperficially +unsuperfluous +unsuperfluously +unsuperfluousness +unsuperior +unsuperiorly +unsuperlative +unsuperlatively +unsuperlativeness +unsupernatural +unsupernaturalize +unsupernaturalized +unsupernaturally +unsupernaturalness +unsuperscribed +unsuperseded +unsuperseding +unsuperstitious +unsuperstitiously +unsuperstitiousness +unsupervised +unsupervisedly +unsupervisory +unsupine +unsupped +unsupplantable +unsupplanted +unsupple +unsuppled +unsupplemental +unsupplementary +unsupplemented +unsuppleness +unsupply +unsuppliable +unsuppliant +unsupplicated +unsupplicating +unsupplicatingly +unsupplied +unsupportable +unsupportableness +unsupportably +unsupported +unsupportedly +unsupportedness +unsupporting +unsupposable +unsupposed +unsuppositional +unsuppositive +unsuppressed +unsuppressible +unsuppressibly +unsuppression +unsuppressive +unsuppurated +unsuppurative +unsupreme +unsurcharge +unsurcharged +unsure +unsurely +unsureness +unsurety +unsurfaced +unsurfeited +unsurfeiting +unsurgical +unsurgically +unsurging +unsurly +unsurlily +unsurliness +unsurmised +unsurmising +unsurmountable +unsurmountableness +unsurmountably +unsurmounted +unsurnamed +unsurpassable +unsurpassableness +unsurpassably +unsurpassed +unsurpassedly +unsurpassedness +unsurplice +unsurpliced +unsurprise +unsurprised +unsurprisedness +unsurprising +unsurprisingly +unsurrealistic +unsurrealistically +unsurrendered +unsurrendering +unsurrounded +unsurveyable +unsurveyed +unsurvived +unsurviving +unsusceptibility +unsusceptible +unsusceptibleness +unsusceptibly +unsusceptive +unsuspect +unsuspectable +unsuspectably +unsuspected +unsuspectedly +unsuspectedness +unsuspectful +unsuspectfully +unsuspectfulness +unsuspectible +unsuspecting +unsuspectingly +unsuspectingness +unsuspective +unsuspended +unsuspendible +unsuspicion +unsuspicious +unsuspiciously +unsuspiciousness +unsustainability +unsustainable +unsustainably +unsustained +unsustaining +unsutured +unswabbed +unswaddle +unswaddled +unswaddling +unswaggering +unswaggeringly +unswayable +unswayableness +unswayed +unswayedness +unswaying +unswallowable +unswallowed +unswampy +unswanlike +unswapped +unswarming +unswathable +unswathe +unswatheable +unswathed +unswathes +unswathing +unswear +unswearing +unswears +unsweat +unsweated +unsweating +Un-swedish +unsweepable +unsweet +unsweeten +unsweetened +unsweetenedness +unsweetly +unsweetness +unswell +unswelled +unswelling +unsweltered +unsweltering +unswept +unswervable +unswerved +unswerving +unswervingly +unswervingness +unswilled +unswing +unswingled +Un-swiss +unswitched +unswivel +unswiveled +unswiveling +unswollen +unswooning +unswore +unsworn +unswung +unta +untabernacled +untabled +untabulable +untabulated +untaciturn +untaciturnity +untaciturnly +untack +untacked +untacking +untackle +untackled +untackling +untacks +untactful +untactfully +untactfulness +untactical +untactically +untactile +untactual +untactually +untagged +untailed +untailored +untailorly +untailorlike +untaint +untaintable +untainted +untaintedly +untaintedness +untainting +untakable +untakableness +untakeable +untakeableness +untaken +untaking +untalented +untalkative +untalkativeness +untalked +untalked-of +untalking +untall +untallied +untallowed +untaloned +untamable +untamableness +untamably +untame +untameable +untamed +untamedly +untamedness +untamely +untameness +untampered +untangental +untangentally +untangential +untangentially +untangibility +untangible +untangibleness +untangibly +untangle +untangled +untangles +untangling +untanned +untantalised +untantalising +untantalized +untantalizing +untap +untaped +untapered +untapering +untapestried +untappable +untapped +untappice +untar +untarnishable +untarnished +untarnishedness +untarnishing +untarred +untarried +untarrying +untartarized +untasked +untasseled +untasselled +untastable +untaste +untasteable +untasted +untasteful +untastefully +untastefulness +untasty +untastily +untasting +untattered +untattooed +untaught +untaughtness +untaunted +untaunting +untauntingly +untaut +untautly +untautness +untautological +untautologically +untawdry +untawed +untax +untaxable +untaxed +untaxied +untaxing +unteach +unteachability +unteachable +unteachableness +unteachably +unteacherlike +unteaches +unteaching +unteam +unteamed +unteaming +untearable +unteased +unteaseled +unteaselled +unteasled +untechnical +untechnicalize +untechnically +untedded +untedious +untediously +unteem +unteeming +unteethed +untelegraphed +untelevised +untelic +untell +untellable +untellably +untelling +untemper +untemperable +untemperamental +untemperamentally +untemperance +untemperate +untemperately +untemperateness +untempered +untempering +untempested +untempestuous +untempestuously +untempestuousness +untempled +untemporal +untemporally +untemporary +untemporizing +untemptability +untemptable +untemptably +untempted +untemptible +untemptibly +untempting +untemptingly +untemptingness +untenability +untenable +untenableness +untenably +untenacious +untenaciously +untenaciousness +untenacity +untenant +untenantable +untenantableness +untenanted +untended +untender +untendered +untenderized +untenderly +untenderness +untenebrous +untenible +untenibleness +untenibly +untense +untensely +untenseness +untensibility +untensible +untensibly +untensile +untensing +untent +untentacled +untentaculate +untented +untentered +untenty +untenuous +untenuously +untenuousness +untermed +Untermeyer +unterminable +unterminableness +unterminably +unterminated +unterminating +unterminational +unterminative +unterraced +unterred +unterrestrial +unterrible +unterribly +unterrifiable +unterrific +unterrifically +unterrified +unterrifying +unterrorized +unterse +Unterseeboot +untersely +unterseness +Unterwalden +untessellated +untestable +untestamental +untestamentary +untestate +untested +untestifying +untether +untethered +untethering +untethers +Un-teutonic +untewed +untextual +untextually +untextural +unthank +unthanked +unthankful +unthankfully +unthankfulness +unthanking +unthatch +unthatched +unthaw +unthawed +unthawing +untheatric +untheatrical +untheatrically +untheistic +untheistical +untheistically +unthematic +unthematically +unthende +untheologic +untheological +untheologically +untheologize +untheoretic +untheoretical +untheoretically +untheorizable +untherapeutic +untherapeutical +untherapeutically +Un-thespian +unthewed +unthick +unthicken +unthickened +unthickly +unthickness +unthievish +unthievishly +unthievishness +unthink +unthinkability +unthinkable +unthinkableness +unthinkables +unthinkably +unthinker +unthinking +unthinkingly +unthinkingness +unthinks +unthinned +unthinning +unthirsty +unthirsting +unthistle +untholeable +untholeably +unthorn +unthorny +unthorough +unthoroughly +unthoroughness +unthoughful +unthought +unthoughted +unthoughtedly +unthoughtful +unthoughtfully +unthoughtfulness +unthoughtlike +unthought-of +un-thought-of +unthought-on +unthought-out +unthrall +unthralled +unthrashed +unthread +unthreadable +unthreaded +unthreading +unthreads +unthreatened +unthreatening +unthreateningly +unthreshed +unthrid +unthridden +unthrift +unthrifty +unthriftier +unthriftiest +unthriftihood +unthriftily +unthriftiness +unthriftlike +unthrilled +unthrilling +unthrive +unthriven +unthriving +unthrivingly +unthrivingness +unthroaty +unthroatily +unthrob +unthrobbing +unthrone +unthroned +unthrones +unthronged +unthroning +unthrottled +unthrowable +unthrown +unthrushlike +unthrust +unthumbed +unthumped +unthundered +unthundering +unthwacked +unthwartable +unthwarted +unthwarting +untiaraed +unticketed +untickled +untidal +untidy +untidied +untidier +untidies +untidiest +untidying +untidily +untidiness +untie +untied +untieing +untiered +unties +untight +untighten +untightened +untightening +untightness +untiing +untying +until +untile +untiled +untill +untillable +untilled +untilling +untilt +untilted +untilting +untimbered +untime +untimed +untimedness +untimeless +untimely +untimelier +untimeliest +untimeliness +untimeous +untimeously +untimesome +untimid +untimidly +untimidness +untimorous +untimorously +untimorousness +untimous +untin +untinct +untinctured +untindered +untine +untinged +untinkered +untinned +untinseled +untinselled +untinted +untyped +untypical +untypically +untippable +untipped +untippled +untipsy +untipt +untirability +untirable +untyrannic +untyrannical +untyrannically +untyrannised +untyrannized +untyrantlike +untire +untired +untiredly +untiring +untiringly +untissued +untithability +untithable +untithed +untitillated +untitillating +untitled +untittering +untitular +untitularly +unto +untoadying +untoasted +untogaed +untoggle +untoggler +untoiled +untoileted +untoiling +untold +untolerable +untolerableness +untolerably +untolerated +untolerating +untolerative +untolled +untomb +untombed +untonality +untone +untoned +untongue +untongued +untongue-tied +untonsured +untooled +untooth +untoothed +untoothsome +untoothsomeness +untop +untopographical +untopographically +untoppable +untopped +untopping +untoppled +untormented +untormenting +untormentingly +untorn +untorpedoed +untorpid +untorpidly +untorporific +untorrid +untorridity +untorridly +untorridness +untortious +untortiously +untortuous +untortuously +untortuousness +untorture +untortured +untossed +untotaled +untotalled +untotted +untottering +untouch +untouchability +untouchable +untouchableness +untouchables +untouchable's +untouchably +untouched +untouchedness +untouching +untough +untoughly +untoughness +untoured +untouristed +untoward +untowardly +untowardliness +untowardness +untowered +untown +untownlike +untoxic +untoxically +untrace +untraceable +untraceableness +untraceably +untraced +untraceried +untracked +untractability +untractable +untractableness +untractably +untractarian +untracted +untractible +untractibleness +untradable +untradeable +untraded +untradesmanlike +untrading +untraditional +untraduced +untraffickable +untrafficked +untragic +untragical +untragically +untragicalness +untrailed +untrailerable +untrailered +untrailing +untrain +untrainable +untrained +untrainedly +untrainedness +untraitored +untraitorous +untraitorously +untraitorousness +untrammed +untrammeled +untrammeledness +untrammelled +untramped +untrampled +untrance +untranquil +untranquilize +untranquilized +untranquilizing +untranquilly +untranquillise +untranquillised +untranquillising +untranquillize +untranquillized +untranquilness +untransacted +untranscended +untranscendent +untranscendental +untranscendentally +untranscribable +untranscribed +untransferable +untransferred +untransferring +untransfigured +untransfixed +untransformable +untransformative +untransformed +untransforming +untransfused +untransfusible +untransgressed +untransient +untransiently +untransientness +untransitable +untransitional +untransitionally +untransitive +untransitively +untransitiveness +untransitory +untransitorily +untransitoriness +untranslatability +untranslatable +untranslatableness +untranslatably +untranslated +untransmigrated +untransmissible +untransmissive +untransmitted +untransmutability +untransmutable +untransmutableness +untransmutably +untransmuted +untransparent +untransparently +untransparentness +untranspassable +untranspired +untranspiring +untransplanted +untransportable +untransported +untransposed +untransubstantiated +untrappable +untrapped +untrashed +untraumatic +untravelable +untraveled +untraveling +untravellable +untravelled +untravelling +untraversable +untraversed +untravestied +untreacherous +untreacherously +untreacherousness +untread +untreadable +untreading +untreads +untreasonable +untreasurable +untreasure +untreasured +untreatable +untreatableness +untreatably +untreated +untreed +untrekked +untrellised +untrembling +untremblingly +untremendous +untremendously +untremendousness +untremolant +untremulant +untremulent +untremulous +untremulously +untremulousness +untrenched +untrend +untrendy +untrepanned +untrespassed +untrespassing +untress +untressed +untriable +untriableness +untriabness +untribal +untribally +untributary +untributarily +untriced +untrickable +untricked +untried +untrifling +untriflingly +untrig +untriggered +untrigonometric +untrigonometrical +untrigonometrically +untrying +untrill +untrim +untrimmable +untrimmed +untrimmedness +untrimming +untrims +untrinitarian +untripe +untrippable +untripped +untripping +untrist +untrite +untritely +untriteness +untriturated +untriumphable +untriumphant +untriumphantly +untriumphed +untrivial +untrivially +untrochaic +untrod +untrodden +untroddenness +untrolled +untrophied +untropic +untropical +untropically +untroth +untrotted +untroublable +untrouble +untroubled +untroubledly +untroubledness +untroublesome +untroublesomeness +untrounced +untrowable +untrowed +untruant +untruced +untruck +untruckled +untruckling +untrue +untrueness +untruer +untruest +untruism +untruly +untrumped +untrumpeted +untrumping +untrundled +untrunked +untruss +untrussed +untrusser +untrusses +untrussing +untrust +untrustable +untrustably +untrusted +untrustful +untrustfully +untrusty +untrustiness +untrusting +untrustness +untrustworthy +untrustworthily +untrustworthiness +untruth +untruther +untruthful +untruthfully +untruthfulness +untruths +unttrod +untubbed +untubercular +untuberculous +untuck +untucked +untuckered +untucking +untucks +Un-tudor +untufted +untugged +untumbled +untumefied +untumid +untumidity +untumidly +untumidness +untumultuous +untumultuously +untumultuousness +untunable +untunableness +untunably +untune +untuneable +untuneableness +untuneably +untuned +untuneful +untunefully +untunefulness +untunes +untuning +untunneled +untunnelled +untupped +unturbaned +unturbid +unturbidly +unturbulent +unturbulently +unturf +unturfed +unturgid +unturgidly +Un-turkish +unturn +unturnable +unturned +unturning +unturpentined +unturreted +Un-tuscan +untusked +untutelar +untutelary +untutored +untutoredly +untutoredness +untwilled +untwinable +untwind +untwine +untwineable +untwined +untwines +untwining +untwinkled +untwinkling +untwinned +untwirl +untwirled +untwirling +untwist +untwistable +untwisted +untwister +untwisting +untwists +untwitched +untwitching +untwitten +untz +unubiquitous +unubiquitously +unubiquitousness +unugly +unulcerated +unulcerative +unulcerous +unulcerously +unulcerousness +unultra +unum +unumpired +ununanimity +ununanimous +ununanimously +ununderstandability +ununderstandable +ununderstandably +ununderstanding +ununderstood +unundertaken +unundulatory +Unungun +ununifiable +ununified +ununiform +ununiformed +ununiformity +ununiformly +ununiformness +ununionized +ununique +ununiquely +ununiqueness +ununitable +ununitableness +ununitably +ununited +ununiting +ununiversity +ununiversitylike +unupbraided +unup-braided +unupbraiding +unupbraidingly +unupdated +unupholstered +unupright +unuprightly +unuprightness +unupset +unupsettable +unurban +unurbane +unurbanely +unurbanized +unured +unurged +unurgent +unurgently +unurging +unurn +unurned +unusability +unusable +unusableness +unusably +unusage +unuse +unuseable +unuseableness +unuseably +unused +unusedness +unuseful +unusefully +unusefulness +unushered +unusual +unusuality +unusually +unusualness +unusurious +unusuriously +unusuriousness +unusurped +unusurping +unutilitarian +unutilizable +unutilized +unutterability +unutterable +unutterableness +unutterably +unuttered +unuxorial +unuxorious +unuxoriously +unuxoriousness +unvacant +unvacantly +unvacated +unvaccinated +unvacillating +unvacuous +unvacuously +unvacuousness +unvagrant +unvagrantly +unvagrantness +unvague +unvaguely +unvagueness +unvailable +unvain +unvainly +unvainness +unvaleted +unvaletudinary +unvaliant +unvaliantly +unvaliantness +unvalid +unvalidated +unvalidating +unvalidity +unvalidly +unvalidness +unvalorous +unvalorously +unvalorousness +unvaluable +unvaluableness +unvaluably +unvalue +unvalued +unvamped +unvanishing +unvanquishable +unvanquished +unvanquishing +unvantaged +unvaporized +unvaporosity +unvaporous +unvaporously +unvaporousness +unvariable +unvariableness +unvariably +unvariant +unvariation +unvaried +unvariedly +unvariegated +unvarying +unvaryingly +unvaryingness +unvarnished +unvarnishedly +unvarnishedness +unvascular +unvascularly +unvasculous +unvassal +unvatted +unvaulted +unvaulting +unvaunted +unvaunting +unvauntingly +Un-vedic +unveering +unveeringly +unvehement +unvehemently +unveil +unveiled +unveiledly +unveiledness +unveiler +unveiling +unveilment +unveils +unveined +unvelvety +unvenal +unvendable +unvendableness +unvended +unvendible +unvendibleness +unveneered +unvenerability +unvenerable +unvenerableness +unvenerably +unvenerated +unvenerative +unvenereal +Un-venetian +unvenged +unvengeful +unveniable +unvenial +unveniality +unvenially +unvenialness +unvenom +unvenomed +unvenomous +unvenomously +unvenomousness +unventable +unvented +unventilated +unventured +unventuresome +unventurous +unventurously +unventurousness +unvenued +unveracious +unveraciously +unveraciousness +unveracity +unverbal +unverbalized +unverbally +unverbose +unverbosely +unverboseness +unverdant +unverdantly +unverdured +unverdurness +unverdurous +unverdurousness +Un-vergilian +unveridic +unveridical +unveridically +unverifiability +unverifiable +unverifiableness +unverifiably +unverificative +unverified +unverifiedness +unveritable +unveritableness +unveritably +unverity +unvermiculated +unverminous +unverminously +unverminousness +unvernicular +unversatile +unversatilely +unversatileness +unversatility +unversed +unversedly +unversedness +unversified +unvertebrate +unvertical +unvertically +unvertiginous +unvertiginously +unvertiginousness +unvesiculated +unvessel +unvesseled +unvest +unvested +unvetoed +unvexatious +unvexatiously +unvexatiousness +unvexed +unvext +unviable +unvibrant +unvibrantly +unvibrated +unvibrating +unvibrational +unvicar +unvicarious +unvicariously +unvicariousness +unvicious +unviciously +unviciousness +unvictimized +Un-victorian +unvictorious +unvictualed +unvictualled +Un-viennese +unviewable +unviewed +unvigilant +unvigilantly +unvigorous +unvigorously +unvigorousness +unvying +unvilified +unvillaged +unvillainous +unvillainously +unvincible +unvindicable +unvindicated +unvindictive +unvindictively +unvindictiveness +unvinous +unvintaged +unviolable +unviolableness +unviolably +unviolate +unviolated +unviolative +unviolenced +unviolent +unviolently +unviolined +Un-virgilian +unvirgin +unvirginal +Un-virginian +unvirginlike +unvirile +unvirility +unvirtue +unvirtuous +unvirtuously +unvirtuousness +unvirulent +unvirulently +unvisceral +unvisible +unvisibleness +unvisibly +unvision +unvisionary +unvisioned +unvisitable +unvisited +unvisiting +unvisor +unvisored +unvistaed +unvisual +unvisualised +unvisualized +unvisually +unvital +unvitalized +unvitalizing +unvitally +unvitalness +unvitiable +unvitiated +unvitiatedly +unvitiatedness +unvitiating +unvitreosity +unvitreous +unvitreously +unvitreousness +unvitrescent +unvitrescibility +unvitrescible +unvitrifiable +unvitrified +unvitriolized +unvituperated +unvituperative +unvituperatively +unvituperativeness +unvivacious +unvivaciously +unvivaciousness +unvivid +unvividly +unvividness +unvivified +unvizard +unvizarded +unvizored +unvocable +unvocal +unvocalised +unvocalized +unvociferous +unvociferously +unvociferousness +unvoyageable +unvoyaging +unvoice +unvoiced +unvoiceful +unvoices +unvoicing +unvoid +unvoidable +unvoided +unvoidness +unvolatile +unvolatilised +unvolatilize +unvolatilized +unvolcanic +unvolcanically +unvolitional +unvolitioned +unvolitive +Un-voltairian +unvoluble +unvolubleness +unvolubly +unvolumed +unvoluminous +unvoluminously +unvoluminousness +unvoluntary +unvoluntarily +unvoluntariness +unvolunteering +unvoluptuous +unvoluptuously +unvoluptuousness +unvomited +unvoracious +unvoraciously +unvoraciousness +unvote +unvoted +unvoting +unvouched +unvouchedly +unvouchedness +unvouchsafed +unvowed +unvoweled +unvowelled +unvulcanised +unvulcanized +unvulgar +unvulgarise +unvulgarised +unvulgarising +unvulgarize +unvulgarized +unvulgarizing +unvulgarly +unvulgarness +unvulnerable +unvulturine +unvulturous +unwadable +unwadded +unwaddling +unwadeable +unwaded +unwading +unwafted +unwaged +unwagered +unwaggable +unwaggably +unwagged +Un-wagnerian +unwayed +unwailed +unwailing +unwainscoted +unwainscotted +unwaited +unwaiting +unwaivable +unwaived +unwayward +unwaked +unwakeful +unwakefully +unwakefulness +unwakened +unwakening +unwaking +unwalkable +unwalked +unwalking +unwall +unwalled +unwallet +unwallowed +unwan +unwandered +unwandering +unwanderingly +unwaned +unwaning +unwanted +unwanton +unwarbled +unwarded +unware +unwarely +unwareness +unwares +unwary +unwarier +unwariest +unwarily +unwariness +unwarlike +unwarlikeness +unwarm +unwarmable +unwarmed +unwarming +unwarn +unwarned +unwarnedly +unwarnedness +unwarning +unwarnished +unwarp +unwarpable +unwarped +unwarping +unwarrayed +unwarranness +unwarrant +unwarrantability +unwarrantable +unwarrantableness +unwarrantably +unwarrantabness +unwarranted +unwarrantedly +unwarrantedness +unwarred +unwarren +unwas +unwashable +unwashed +unwashedness +unwasheds +unwashen +Un-washingtonian +unwassailing +unwastable +unwasted +unwasteful +unwastefully +unwastefulness +unwasting +unwastingly +unwatchable +unwatched +unwatchful +unwatchfully +unwatchfulness +unwatching +unwater +unwatered +unwatery +unwaterlike +unwatermarked +unwattled +unwaved +unwaverable +unwavered +unwavering +unwaveringly +unwaving +unwax +unwaxed +unweaken +unweakened +unweakening +unweal +unwealsomeness +unwealthy +unweaned +unweapon +unweaponed +unwearable +unwearably +unweary +unweariability +unweariable +unweariableness +unweariably +unwearied +unweariedly +unweariedness +unwearying +unwearyingly +unwearily +unweariness +unwearing +unwearisome +unwearisomeness +unweathered +unweatherly +unweatherwise +unweave +unweaves +unweaving +unweb +unwebbed +unwebbing +unwed +unwedded +unweddedly +unweddedness +unwedge +unwedgeable +unwedged +unwedging +unweeded +unweel +unweelness +unweened +unweeping +unweeting +unweetingly +unweft +unweighability +unweighable +unweighableness +unweighed +unweighing +unweight +unweighted +unweighty +unweighting +unweights +unwelcome +unwelcomed +unwelcomely +unwelcomeness +unwelcoming +unweld +unweldable +unwelde +unwelded +unwell +unwell-intentioned +unwellness +Un-welsh +unwelted +unwelth +unwemmed +unwept +unwestern +unwesternized +unwet +unwettable +unwetted +unwheedled +unwheel +unwheeled +unwhelmed +unwhelped +unwhetted +unwhig +unwhiglike +unwhimpering +unwhimperingly +unwhimsical +unwhimsically +unwhimsicalness +unwhining +unwhiningly +unwhip +unwhipped +unwhipt +unwhirled +unwhisked +unwhiskered +unwhisperable +unwhispered +unwhispering +unwhistled +unwhite +unwhited +unwhitened +unwhitewashed +unwhole +unwholesome +unwholesomely +unwholesomeness +unwicked +unwickedly +unwickedness +unwidened +unwidowed +unwield +unwieldable +unwieldy +unwieldier +unwieldiest +unwieldily +unwieldiness +unwieldly +unwieldsome +unwifed +unwifely +unwifelike +unwig +unwigged +unwigging +unwild +unwildly +unwildness +unwilful +unwilfully +unwilfulness +unwily +unwilier +unwilily +unwiliness +unwill +unwillable +unwille +unwilled +unwilledness +unwillful +unwillfully +unwillfulness +unwilling +unwillingly +unwillingness +unwillingnesses +unwilted +unwilting +unwimple +unwincing +unwincingly +unwind +unwindable +unwinded +unwinder +unwinders +unwindy +unwinding +unwindingly +unwindowed +unwinds +unwingable +unwinged +unwink +unwinking +unwinkingly +unwinly +unwinnable +unwinning +unwinnowed +unwinsome +unwinter +unwintry +unwiped +unwirable +unwire +unwired +unwisdom +unwisdoms +unwise +unwisely +unwiseness +unwiser +unwisest +unwish +unwished +unwished-for +unwishes +unwishful +unwishfully +unwishfulness +unwishing +unwist +unwistful +unwistfully +unwistfulness +unwit +unwitch +unwitched +unwithdrawable +unwithdrawing +unwithdrawn +unwitherable +unwithered +unwithering +unwithheld +unwithholden +unwithholding +unwithstanding +unwithstood +unwitless +unwitnessed +unwits +unwitted +unwitty +unwittily +unwitting +unwittingly +unwittingness +unwive +unwived +unwoeful +unwoefully +unwoefulness +unwoful +unwoman +unwomanish +unwomanize +unwomanized +unwomanly +unwomanlike +unwomanliness +unwomb +unwon +unwonder +unwonderful +unwonderfully +unwondering +unwont +unwonted +unwontedly +unwontedness +unwooded +unwooed +unwoof +unwooly +unwordable +unwordably +unworded +unwordy +unwordily +Un-wordsworthian +unwork +unworkability +unworkable +unworkableness +unworkably +unworked +unworkedness +unworker +unworking +unworkmanly +unworkmanlike +unworld +unworldly +unworldliness +unworm-eaten +unwormed +unwormy +unworminess +unworn +unworried +unworriedly +unworriedness +unworship +unworshiped +unworshipful +unworshiping +unworshipped +unworshipping +unworth +unworthy +unworthier +unworthies +unworthiest +unworthily +unworthiness +unworthinesses +unwotting +unwound +unwoundable +unwoundableness +unwounded +unwove +unwoven +unwrangling +unwrap +unwrapped +unwrapper +unwrappered +unwrapping +unwraps +unwrathful +unwrathfully +unwrathfulness +unwreaked +unwreaken +unwreathe +unwreathed +unwreathing +unwrecked +unwrench +unwrenched +unwrest +unwrested +unwrestedly +unwresting +unwrestled +unwretched +unwry +unwriggled +unwrinkle +unwrinkleable +unwrinkled +unwrinkles +unwrinkling +unwrit +unwritable +unwrite +unwriteable +unwriting +unwritten +unwroken +unwronged +unwrongful +unwrongfully +unwrongfulness +unwrote +unwrought +unwrung +unwwove +unwwoven +unze +unzealous +unzealously +unzealousness +unzen +unzephyrlike +unzip +unzipped +unzipping +unzips +unzone +unzoned +unzoning +uous +UP +up- +up-a-daisy +upaya +upaisle +upaithric +Upali +upalley +upalong +upanaya +upanayana +up-anchor +up-and +up-and-coming +up-and-comingness +up-and-doing +up-and-down +up-and-downy +up-and-downish +up-and-downishness +up-and-downness +up-and-over +up-and-under +up-and-up +Upanishad +upanishadic +upapurana +uparch +uparching +uparise +uparm +uparna +upas +upases +upattic +upavenue +upbay +upband +upbank +upbar +upbbore +upbborne +upbear +upbearer +upbearers +upbearing +upbears +upbeat +upbeats +upbelch +upbelt +upbend +upby +upbid +upbye +upbind +upbinding +upbinds +upblacken +upblast +upblaze +upblow +upboil +upboiled +upboiling +upboils +upbolster +upbolt +upboost +upbore +upborne +upbotch +upboulevard +upbound +upbow +up-bow +upbows +upbrace +upbray +upbraid +upbraided +upbraider +upbraiders +upbraiding +upbraidingly +upbraids +upbrast +upbreak +upbreathe +upbred +upbreed +upbreeze +upbrighten +upbrim +upbring +upbringing +upbringings +upbristle +upbroken +upbrook +upbrought +upbrow +upbubble +upbuy +upbuild +upbuilder +upbuilding +upbuilds +upbuilt +upbulging +upbuoy +upbuoyance +upbuoying +upburn +upburst +UPC +upcall +upcanal +upcanyon +upcard +upcarry +upcast +upcasted +upcasting +upcasts +upcatch +upcaught +upchamber +upchannel +upchariot +upchaunce +upcheer +upchimney +upchoke +upchuck +up-chuck +upchucked +upchucking +upchucks +upcity +upclimb +upclimbed +upclimber +upclimbing +upclimbs +upclose +upcloser +upcoast +upcock +upcoil +upcoiled +upcoiling +upcoils +upcolumn +upcome +upcoming +upconjure +upcountry +Up-country +upcourse +upcover +upcrane +upcrawl +upcreek +upcreep +upcry +upcrop +upcropping +upcrowd +upcurl +upcurled +upcurling +upcurls +upcurrent +upcurve +upcurved +upcurves +upcurving +upcushion +upcut +upcutting +updart +updarted +updarting +updarts +updatable +update +updated +updater +updaters +updates +updating +updeck +updelve +Updike +updive +updived +updives +updiving +updo +updome +updos +updove +updraft +updrafts +updrag +updraught +updraw +updress +updry +updried +updries +updrying +updrink +UPDS +upeat +upeygan +upend +up-end +upended +upending +upends +uperize +upfeed +upfield +upfill +upfingered +upflame +upflare +upflash +upflee +upfly +upflicker +upfling +upflinging +upflings +upfloat +upflood +upflow +upflowed +upflower +upflowing +upflows +upflung +upfold +upfolded +upfolding +upfolds +upfollow +upframe +upfront +upfurl +upgale +upgang +upgape +upgather +upgathered +upgathering +upgathers +upgaze +upgazed +upgazes +upgazing +upget +upgird +upgirded +upgirding +upgirds +upgirt +upgive +upglean +upglide +upgo +upgoing +upgorge +upgrade +up-grade +upgraded +upgrader +upgrades +upgrading +upgrave +upgrew +upgrow +upgrowing +upgrown +upgrows +upgrowth +upgrowths +upgully +upgush +uphale +Upham +uphand +uphang +upharbor +upharrow +upharsin +uphasp +upheal +upheap +upheaped +upheaping +upheaps +uphearted +upheaval +upheavalist +upheavals +upheave +upheaved +upheaven +upheaver +upheavers +upheaves +upheaving +upheld +uphelya +uphelm +Uphemia +upher +uphhove +uphill +uphills +uphillward +uphoard +uphoarded +uphoarding +uphoards +uphoist +uphold +upholden +upholder +upholders +upholding +upholds +upholster +upholstered +upholsterer +upholsterers +upholsteress +upholstery +upholsterydom +upholsteries +upholstering +upholsterous +upholsters +upholstress +uphove +uphroe +uphroes +uphung +uphurl +UPI +upyard +Upington +upyoke +Upis +upisland +upjerk +upjet +upkeep +upkeeps +upkindle +upknell +upknit +upla +upladder +uplay +uplaid +uplake +Upland +uplander +uplanders +uplandish +uplands +uplane +uplead +uplean +upleap +upleaped +upleaping +upleaps +upleapt +upleg +uplick +uplift +upliftable +uplifted +upliftedly +upliftedness +uplifter +uplifters +uplifting +upliftingly +upliftingness +upliftitis +upliftment +uplifts +uplight +uplighted +uplighting +uplights +uplying +uplimb +uplimber +upline +uplink +uplinked +uplinking +uplinks +uplit +upload +uploadable +uploaded +uploading +uploads +uplock +uplong +uplook +uplooker +uploom +uploop +upmaking +upmanship +upmarket +up-market +upmast +upmix +upmost +upmount +upmountain +upmove +upness +upo +Upolu +upon +up-over +up-page +uppard +up-patient +uppbad +upped +uppent +upper +uppercase +upper-case +upper-cased +upper-casing +upperch +upper-circle +upper-class +upperclassman +upperclassmen +Upperco +upper-cruster +uppercut +uppercuts +uppercutted +uppercutting +upperer +upperest +upper-form +upper-grade +upperhandism +uppermore +uppermost +upperpart +uppers +upper-school +upperstocks +uppertendom +Upperville +upperworks +uppile +uppiled +uppiles +uppiling +upping +uppings +uppish +uppishly +uppishness +uppity +uppityness +upplough +upplow +uppluck +uppoint +uppoise +uppop +uppour +uppowoc +upprick +upprop +uppropped +uppropping +upprops +Uppsala +uppuff +uppull +uppush +up-put +up-putting +upquiver +upraisal +upraise +upraised +upraiser +upraisers +upraises +upraising +upraught +upreach +upreached +upreaches +upreaching +uprear +upreared +uprearing +uprears +uprein +uprend +uprender +uprest +uprestore +uprid +upridge +upright +uprighted +uprighteous +uprighteously +uprighteousness +upright-growing +upright-grown +upright-hearted +upright-heartedness +uprighting +uprightish +uprightly +uprightman +upright-minded +uprightness +uprightnesses +uprights +upright-standing +upright-walking +uprip +uprisal +uprise +uprisement +uprisen +upriser +uprisers +uprises +uprising +uprisings +uprising's +uprist +uprive +upriver +uprivers +uproad +uproar +uproarer +uproariness +uproarious +uproariously +uproariousness +uproars +uproom +uproot +uprootal +uprootals +uprooted +uprootedness +uprooter +uprooters +uprooting +uproots +uprose +uprouse +uproused +uprouses +uprousing +uproute +uprun +uprush +uprushed +uprushes +uprushing +UPS +upsadaisy +upsaddle +Upsala +upscale +upscrew +upscuddle +upseal +upsedoun +up-see-daisy +upseek +upsey +upseize +upsend +upsending +upsends +upsent +upset +upsetment +upsets +upsettable +upsettal +upsetted +upsetter +upsetters +upsetting +upsettingly +upshaft +Upshaw +upshear +upsheath +upshift +upshifted +upshifting +upshifts +upshoot +upshooting +upshoots +upshore +upshot +upshots +upshot's +upshoulder +upshove +upshut +upsy +upsidaisy +upsy-daisy +upside +upsidedown +upside-down +upside-downism +upside-downness +upside-downwards +upsides +upsy-freesy +upsighted +upsiloid +upsilon +upsilonism +upsilons +upsit +upsitten +upsitting +upsy-turvy +up-sky +upskip +upslant +upslip +upslope +upsloping +upsmite +upsnatch +upsoak +upsoar +upsoared +upsoaring +upsoars +upsolve +Upson +upspeak +upspear +upspeed +upspew +upspin +upspire +upsplash +upspout +upsprang +upspread +upspring +upspringing +upsprings +upsprinkle +upsprout +upsprung +upspurt +upsring +upstaff +upstage +upstaged +upstages +upstaging +upstay +upstair +upstairs +upstamp +upstand +upstander +upstanding +upstandingly +upstandingness +upstands +upstare +upstared +upstares +upstaring +upstart +upstarted +upstarting +upstartism +upstartle +upstartness +upstarts +upstate +Up-state +upstater +Up-stater +upstaters +upstates +upstaunch +upsteal +upsteam +upstem +upstep +upstepped +upstepping +upsteps +upstick +upstir +upstirred +upstirring +upstirs +upstood +upstraight +upstream +up-stream +upstreamward +upstreet +upstretch +upstretched +upstrike +upstrive +upstroke +up-stroke +upstrokes +upstruggle +upsuck +upsun +upsup +upsurge +upsurged +upsurgence +upsurges +upsurging +upsway +upswallow +upswarm +upsweep +upsweeping +upsweeps +upswell +upswelled +upswelling +upswells +upswept +upswing +upswinging +upswings +upswollen +upswung +uptable +uptake +uptaker +uptakes +uptear +uptearing +uptears +uptemper +uptend +upthrew +upthrow +upthrowing +upthrown +upthrows +upthrust +upthrusted +upthrusting +upthrusts +upthunder +uptick +upticks +uptide +uptie +uptight +uptightness +uptill +uptilt +uptilted +uptilting +uptilts +uptime +uptimes +up-to-date +up-to-dately +up-to-dateness +up-to-datish +up-to-datishness +Upton +uptore +uptorn +uptoss +uptossed +uptosses +uptossing +up-to-the-minute +uptower +uptown +uptowner +uptowners +uptowns +uptrace +uptrack +uptrail +uptrain +uptree +uptrend +up-trending +uptrends +uptrill +uptrunk +uptruss +upttore +upttorn +uptube +uptuck +upturn +upturned +upturning +upturns +uptwined +uptwist +UPU +Upupa +Upupidae +upupoid +upvalley +upvomit +UPWA +upwaft +upwafted +upwafting +upwafts +upway +upways +upwall +upward +upward-borne +upward-bound +upward-gazing +upwardly +upward-looking +upwardness +upward-pointed +upward-rushing +upwards +upward-shooting +upward-stirring +upward-striving +upward-turning +upwarp +upwax +upwell +upwelled +upwelling +upwells +upwent +upwheel +upwhelm +upwhir +upwhirl +upwind +up-wind +upwinds +upwith +upwork +upwound +upwrap +upwreathe +upwrench +upwring +upwrought +UR +ur- +ura +urachal +urachovesical +urachus +uracil +uracils +uraei +uraemia +uraemias +uraemic +uraeus +uraeuses +Uragoga +Ural +Ural-altaian +Ural-Altaic +urali +Uralian +Uralic +uraline +uralite +uralite-gabbro +uralites +uralitic +uralitization +uralitize +uralitized +uralitizing +uralium +uralo- +Uralo-altaian +Uralo-altaic +Uralo-caspian +Uralo-finnic +uramido +uramil +uramilic +uramino +Uran +uran- +Urana +uranalyses +uranalysis +uranate +Urania +Uranian +uranias +uranic +Uranicentric +uranide +uranides +uranidin +uranidine +Uranie +uraniferous +uraniid +Uraniidae +uranyl +uranylic +uranyls +uranin +uranine +uraninite +uranion +uraniscochasma +uraniscoplasty +uraniscoraphy +uraniscorrhaphy +uraniscus +uranism +uranisms +uranist +uranite +uranites +uranitic +uranium +uraniums +urano- +uranocircite +uranographer +uranography +uranographic +uranographical +uranographist +uranolatry +uranolite +uranology +uranological +uranologies +uranologist +uranometry +uranometria +uranometrical +uranometrist +uranophane +uranophobia +uranophotography +uranoplasty +uranoplastic +uranoplegia +uranorrhaphy +uranorrhaphia +uranoschisis +uranoschism +uranoscope +uranoscopy +uranoscopia +uranoscopic +Uranoscopidae +Uranoscopus +uranoso- +uranospathite +uranosphaerite +uranospinite +uranostaphyloplasty +uranostaphylorrhaphy +uranotantalite +uranothallite +uranothorite +uranotil +uranous +Uranus +urao +urare +urares +urari +uraris +Urartaean +Urartian +Urartic +urase +urases +Urata +urataemia +urate +uratemia +urates +uratic +uratoma +uratosis +uraturia +Uravan +urazin +urazine +urazole +urb +Urba +urbacity +Urbai +Urbain +urbainite +Urban +Urbana +urbane +urbanely +urbaneness +urbaner +urbanest +Urbani +urbanisation +urbanise +urbanised +urbanises +urbanising +urbanism +urbanisms +Urbanist +urbanistic +urbanistically +urbanists +urbanite +urbanites +urbanity +urbanities +urbanization +urbanize +urbanized +urbanizes +urbanizing +Urbanna +Urbannai +Urbannal +Urbano +urbanolatry +urbanology +urbanologist +urbanologists +Urbanus +urbarial +Urbas +urbia +urbian +urbias +urbic +Urbicolae +urbicolous +urbiculture +urbify +urbification +urbinate +urbs +URC +urceiform +urceolar +urceolate +urceole +urceoli +Urceolina +urceolus +urceus +urchin +urchiness +urchinly +urchinlike +urchins +urchin's +Urd +Urdar +urde +urdee +urdy +urds +Urdu +Urdummheit +Urdur +ure +urea +urea-formaldehyde +ureal +ureameter +ureametry +ureas +urease +ureases +urechitin +urechitoxin +uredema +uredia +uredial +uredidia +uredidinia +Uredinales +uredine +Uredineae +uredineal +uredineous +uredines +uredinia +uredinial +Urediniopsis +urediniospore +urediniosporic +uredinium +uredinoid +uredinology +uredinologist +uredinous +urediospore +uredium +Uredo +uredo-fruit +uredos +uredosorus +uredospore +uredosporic +uredosporiferous +uredosporous +uredostage +Urey +ureic +ureid +ureide +ureides +ureido +ureylene +uremia +uremias +uremic +Urena +urent +ureo- +ureometer +ureometry +ureosecretory +ureotelic +ureotelism +ure-ox +UREP +uresis +uret +uretal +ureter +ureteral +ureteralgia +uretercystoscope +ureterectasia +ureterectasis +ureterectomy +ureterectomies +ureteric +ureteritis +uretero- +ureterocele +ureterocervical +ureterocystanastomosis +ureterocystoscope +ureterocystostomy +ureterocolostomy +ureterodialysis +ureteroenteric +ureteroenterostomy +ureterogenital +ureterogram +ureterograph +ureterography +ureterointestinal +ureterolysis +ureterolith +ureterolithiasis +ureterolithic +ureterolithotomy +ureterolithotomies +ureteronephrectomy +ureterophlegma +ureteropyelitis +ureteropyelogram +ureteropyelography +ureteropyelonephritis +ureteropyelostomy +ureteropyosis +ureteroplasty +ureteroproctostomy +ureteroradiography +ureterorectostomy +ureterorrhagia +ureterorrhaphy +ureterosalpingostomy +ureterosigmoidostomy +ureterostegnosis +ureterostenoma +ureterostenosis +ureterostoma +ureterostomy +ureterostomies +ureterotomy +uretero-ureterostomy +ureterouteral +uretero-uterine +ureterovaginal +ureterovesical +ureters +urethan +urethane +urethanes +urethans +urethylan +urethylane +urethr- +urethra +urethrae +urethragraph +urethral +urethralgia +urethrameter +urethras +urethrascope +urethratome +urethratresia +urethrectomy +urethrectomies +urethremphraxis +urethreurynter +urethrism +urethritic +urethritis +urethro- +urethroblennorrhea +urethrobulbar +urethrocele +urethrocystitis +urethrogenital +urethrogram +urethrograph +urethrometer +urethropenile +urethroperineal +urethrophyma +urethroplasty +urethroplastic +urethroprostatic +urethrorectal +urethrorrhagia +urethrorrhaphy +urethrorrhea +urethrorrhoea +urethroscope +urethroscopy +urethroscopic +urethroscopical +urethrosexual +urethrospasm +urethrostaxis +urethrostenosis +urethrostomy +urethrotome +urethrotomy +urethrotomic +urethrovaginal +urethrovesical +uretic +urf +Urfa +urfirnis +Urga +urge +urged +urgeful +Urgel +urgence +urgency +urgencies +urgent +urgently +urgentness +urger +urgers +urges +urgy +Urginea +urging +urgingly +urgings +Urgonian +urheen +Uri +Ury +uria +Uriah +Urial +urials +Urian +Urias +uric +uric-acid +uricacidemia +uricaciduria +uricaemia +uricaemic +uricemia +uricemic +Urich +uricolysis +uricolytic +uriconian +uricosuric +uricotelic +uricotelism +uridine +uridines +uridrosis +Uriel +Urien +urient +Uriia +Uriiah +Uriisa +urim +urin- +Urina +urinaemia +urinaemic +urinal +urinalyses +urinalysis +urinalist +urinals +urinant +urinary +urinaries +urinarium +urinate +urinated +urinates +urinating +urination +urinations +urinative +urinator +urine +urinemia +urinemias +urinemic +urines +uriniferous +uriniparous +urino- +urinocryoscopy +urinogenital +urinogenitary +urinogenous +urinology +urinologist +urinomancy +urinometer +urinometry +urinometric +urinoscopy +urinoscopic +urinoscopies +urinoscopist +urinose +urinosexual +urinous +urinousness +Urion +Uris +Urissa +Urita +urite +urlar +urled +urling +urluch +urman +Urmia +Urmston +urn +urna +urnae +urnal +Ur-Nammu +urn-buried +urn-cornered +urn-enclosing +urnfield +urnflower +urnful +urnfuls +urning +urningism +urnism +urnlike +urnmaker +urns +urn's +urn-shaped +urn-topped +Uro +uro- +uroacidimeter +uroazotometer +urobenzoic +urobilin +urobilinemia +urobilinogen +urobilinogenuria +urobilinuria +urocanic +urocele +Urocerata +urocerid +Uroceridae +urochloralic +urochord +Urochorda +urochordal +urochordate +urochords +urochrome +urochromogen +urochs +urocyanogen +Urocyon +urocyst +urocystic +Urocystis +urocystitis +Urocoptidae +Urocoptis +urodaeum +Urodela +urodelan +urodele +urodeles +urodelous +urodialysis +urodynia +uroedema +uroerythrin +urofuscohematin +urogaster +urogastric +urogenic +urogenital +urogenitary +urogenous +uroglaucin +Uroglena +urogomphi +urogomphus +urogram +urography +urogravimeter +urohaematin +urohematin +urohyal +urokinase +urol +urolagnia +urolagnias +uroleucic +uroleucinic +urolith +urolithiasis +urolithic +urolithology +uroliths +urolytic +urology +urologic +urological +urologies +urologist +urologists +urolutein +uromancy +uromantia +uromantist +Uromastix +uromelanin +uromelus +uromere +uromeric +urometer +Uromyces +Uromycladium +uronephrosis +uronic +uronology +uroo +uroodal +uropatagium +Uropeltidae +urophaein +urophanic +urophanous +urophein +urophi +Urophlyctis +urophobia +urophthisis +Uropygi +uropygia +uropygial +uropygium +uropyloric +uroplania +uropod +uropodal +uropodous +uropods +uropoetic +uropoiesis +uropoietic +uroporphyrin +uropsile +Uropsilus +uroptysis +urorosein +urorrhagia +urorrhea +urorubin +urosaccharometry +urosacral +uroschesis +uroscopy +uroscopic +uroscopies +uroscopist +urosepsis +uroseptic +urosis +urosomatic +urosome +urosomite +urosomitic +urostea +urostealith +urostegal +urostege +urostegite +urosteon +urosternite +urosthene +urosthenic +urostylar +urostyle +urostyles +urotoxy +urotoxia +urotoxic +urotoxicity +urotoxies +urotoxin +urous +uroxanate +uroxanic +uroxanthin +uroxin +urpriser +Urquhart +urradhus +urrhodin +urrhodinic +urs +Ursa +ursae +Ursal +Ursala +Ursas +Ursel +Ursi +ursicidal +ursicide +Ursid +Ursidae +ursiform +ursigram +Ursina +ursine +ursoid +Ursola +ursolic +Urson +ursone +Ursprache +ursuk +Ursula +Ursulette +Ursulina +Ursuline +Ursus +Urta-juz +Urtext +urtexts +Urtica +Urticaceae +urticaceous +urtical +Urticales +urticant +urticants +urticaria +urticarial +urticarious +Urticastrum +urticate +urticated +urticates +urticating +urtication +urticose +urtite +Uru +Uru. +Uruapan +urubu +urucu +urucum +urucu-rana +urucuri +urucury +Uruguay +Uruguayan +Uruguaiana +uruguayans +uruisg +Uruk +Urukuena +Urumchi +Urumtsi +urunday +Urundi +urus +uruses +urushi +urushic +urushiye +urushinic +urushiol +urushiols +urutu +urva +US +u's +USA +USAAF +usability +usable +usableness +usably +USAC +USAF +USAFA +usage +usager +usages +USAN +usance +usances +Usanis +usant +USAR +usara +usaron +usation +usaunce +usaunces +USB +Usbeg +Usbegs +Usbek +Usbeks +USC +USC&GS +USCA +USCG +USD +USDA +USE +useability +useable +useably +USECC +used +usedly +usedness +usednt +used-up +usee +useful +usefully +usefullish +usefulness +usehold +useless +uselessly +uselessness +uselessnesses +use-money +usenet +usent +user +users +user's +USES +USFL +USG +USGA +USGS +ush +USHA +ushabti +ushabtis +ushabtiu +Ushak +Ushant +U-shaped +Ushas +Usheen +Usher +usherance +usherdom +ushered +usherer +usheress +usherette +usherettes +Usherian +usher-in +ushering +usherism +usherless +ushers +ushership +USHGA +Ushijima +USIA +usine +using +using-ground +usings +Usipetes +USIS +USITA +usitate +usitative +Usk +Uskara +Uskdar +Uskok +Uskub +Uskudar +USL +USLTA +USM +USMA +USMC +USMP +USN +USNA +Usnach +USNAS +Usnea +Usneaceae +usneaceous +usneas +usneoid +usnic +usnin +usninic +USO +USOC +USP +Uspanteca +uspeaking +USPHS +USPO +uspoke +uspoken +USPS +USPTO +usquabae +usquabaes +usque +usquebae +usquebaes +usquebaugh +usques +USR +USRC +USS +USSB +USSCt +usself +ussels +usselven +Ussher +ussingite +USSR +USSS +Ussuri +ust +Ustarana +Ustashi +Ustbem +USTC +uster +Ustilaginaceae +ustilaginaceous +Ustilaginales +ustilagineous +Ustilaginoidea +Ustilago +Ustinov +ustion +U-stirrup +Ustyurt +Ust-Kamenogorsk +ustorious +ustulate +ustulation +Ustulina +usu +usual +usualism +usually +usualness +usuals +usuary +usucapient +usucapion +usucapionary +usucapt +usucaptable +usucaptible +usucaption +usucaptor +usufruct +usufructs +usufructuary +usufructuaries +usufruit +Usumbura +Usun +usure +usurer +usurerlike +usurers +usuress +usury +usuries +usurious +usuriously +usuriousness +usurp +usurpation +usurpations +usurpative +usurpatively +usurpatory +usurpature +usurped +usurpedly +usurper +usurpers +usurpership +usurping +usurpingly +usurpment +usurpor +usurpress +usurps +usurption +USV +USW +usward +uswards +UT +Uta +Utah +Utahan +utahans +utahite +utai +Utamaro +Utas +UTC +utch +utchy +UTE +utees +utend +utensil +utensile +utensils +utensil's +uteralgia +uterectomy +uteri +uterine +uteritis +utero +utero- +uteroabdominal +uterocele +uterocervical +uterocystotomy +uterofixation +uterogestation +uterogram +uterography +uterointestinal +uterolith +uterology +uteromania +uteromaniac +uteromaniacal +uterometer +uteroovarian +uteroparietal +uteropelvic +uteroperitoneal +uteropexy +uteropexia +uteroplacental +uteroplasty +uterosacral +uterosclerosis +uteroscope +uterotomy +uterotonic +uterotubal +uterovaginal +uteroventral +uterovesical +uterus +uteruses +Utes +utfangenethef +utfangethef +utfangthef +utfangthief +Utgard +Utgard-Loki +Utham +Uther +Uthrop +uti +utible +Utica +Uticas +utick +util +utile +utilidor +utilidors +utilise +utilised +utiliser +utilisers +utilises +utilising +utilitarian +utilitarianism +utilitarianist +utilitarianize +utilitarianly +utilitarians +utility +utilities +utility's +utilizability +utilizable +utilization +utilizations +utilization's +utilize +utilized +utilizer +utilizers +utilizes +utilizing +Utimer +utinam +utlagary +Utley +utlilized +utmost +utmostness +utmosts +Utnapishtim +Uto-Aztecan +Utopia +Utopian +utopianism +utopianist +Utopianize +Utopianizer +utopians +utopian's +utopias +utopiast +utopism +utopisms +utopist +utopistic +utopists +utopographer +UTP +UTQGS +UTR +Utraquism +Utraquist +utraquistic +Utrecht +utricle +utricles +utricul +utricular +Utricularia +Utriculariaceae +utriculate +utriculi +utriculiferous +utriculiform +utriculitis +utriculoid +utriculoplasty +utriculoplastic +utriculosaccular +utriculose +utriculus +utriform +Utrillo +utrubi +utrum +uts +utsuk +Utsunomiya +Utta +Uttasta +Utter +utterability +utterable +utterableness +utterance +utterances +utterance's +utterancy +uttered +utterer +utterers +utterest +uttering +utterless +utterly +uttermost +utterness +utters +Uttica +Uttu +Utu +Utuado +utum +U-turn +uturuncu +UTWA +UU +UUCICO +UUCP +uucpnet +UUG +Uuge +UUM +Uund +UUT +UV +uva +uval +uvala +Uvalda +Uvalde +uvalha +uvanite +uvarovite +uvate +Uva-ursi +uvea +uveal +uveas +Uvedale +uveitic +uveitis +uveitises +Uvella +uveous +uvic +uvid +uviol +uvitic +uvitinic +uvito +uvitonic +uvre +uvres +uvrou +UVS +uvula +uvulae +uvular +Uvularia +uvularly +uvulars +uvulas +uvulatomy +uvulatomies +uvulectomy +uvulectomies +uvulitis +uvulitises +uvuloptosis +uvulotome +uvulotomy +uvulotomies +uvver +UW +Uwchland +UWCSA +UWS +Uwton +ux +Uxbridge +Uxmal +uxorial +uxoriality +uxorially +uxoricidal +uxoricide +uxorilocal +uxorious +uxoriously +uxoriousness +uxoris +uzan +uzara +uzarin +uzaron +Uzbak +Uzbeg +Uzbegs +Uzbek +Uzbekistan +Uzia +Uzial +Uziel +Uzzi +Uzzia +Uzziah +Uzzial +Uzziel +V +V. +V.A. +V.C. +v.d. +v.g. +V.I. +V.P. +V.R. +v.s. +v.v. +V.W. +V/STOL +V-1 +V-2 +V6 +V8 +VA +Va. +vaad +vaadim +vaagmaer +vaagmar +vaagmer +Vaal +vaalite +Vaalpens +Vaas +Vaasa +Vaasta +VAB +VABIS +VAC +vacabond +vacance +vacancy +vacancies +vacancy's +vacandi +vacant +vacant-brained +vacante +vacant-eyed +vacant-headed +vacanthearted +vacantheartedness +vacantia +vacantly +vacant-looking +vacant-minded +vacant-mindedness +vacantness +vacantry +vacant-seeming +vacatable +vacate +vacated +vacates +vacating +vacation +vacational +vacationed +vacationer +vacationers +vacationing +vacationist +vacationists +vacationland +vacationless +vacations +vacatur +Vacaville +vaccary +Vaccaria +vaccenic +vaccicide +vaccigenous +vaccina +vaccinable +vaccinal +vaccinas +vaccinate +vaccinated +vaccinates +vaccinating +vaccination +vaccinationist +vaccinations +vaccinator +vaccinatory +vaccinators +vaccine +vaccinee +vaccinella +vaccines +vaccinia +Vacciniaceae +vacciniaceous +vaccinial +vaccinias +vaccinifer +vacciniform +vacciniola +vaccinist +Vaccinium +vaccinization +vaccinogenic +vaccinogenous +vaccinoid +vaccinophobia +vaccino-syphilis +vaccinotherapy +vache +Vachel +Vachell +Vachellia +Vacherie +Vacherin +vachette +Vachil +Vachill +vacillancy +vacillant +vacillate +vacillated +vacillates +vacillating +vacillatingly +vacillation +vacillations +vacillator +vacillatory +vacillators +Vacla +Vaclav +Vaclava +vacoa +vacona +vacoua +vacouf +vacs +vacua +vacual +vacuate +vacuation +vacuefy +vacuist +vacuit +vacuity +vacuities +Vacuna +vacuo +vacuolar +vacuolary +vacuolate +vacuolated +vacuolation +vacuole +vacuoles +vacuolization +vacuome +vacuometer +vacuous +vacuously +vacuousness +vacuousnesses +vacuua +vacuum +vacuuma +vacuum-clean +vacuumed +vacuuming +vacuumize +vacuum-packed +vacuums +Vacuva +VAD +Vada +vade +vadelect +vade-mecum +Vaden +Vader +vady +Vadim +vadimony +vadimonium +Vadis +Vadito +vadium +Vadnee +Vadodara +vadose +VADS +Vadso +Vaduz +Vaenfila +va-et-vien +VAFB +Vafio +vafrous +vag +vag- +vagabond +vagabondage +vagabondager +vagabonded +vagabondia +vagabonding +vagabondish +vagabondism +vagabondismus +vagabondize +vagabondized +vagabondizer +vagabondizing +vagabondry +vagabonds +vagabond's +vagal +vagally +vagancy +vagant +vaganti +vagary +vagarian +vagaries +vagarious +vagariously +vagary's +vagarish +vagarisome +vagarist +vagaristic +vagarity +vagas +vagation +vagbondia +vage +vagi +vagient +vagiform +vagile +vagility +vagilities +vagina +vaginae +vaginal +vaginalectomy +vaginalectomies +vaginaless +vaginalitis +vaginally +vaginant +vaginas +vagina's +vaginate +vaginated +vaginectomy +vaginectomies +vaginervose +Vaginicola +vaginicoline +vaginicolous +vaginiferous +vaginipennate +vaginismus +vaginitis +vagino- +vaginoabdominal +vaginocele +vaginodynia +vaginofixation +vaginolabial +vaginometer +vaginomycosis +vaginoperineal +vaginoperitoneal +vaginopexy +vaginoplasty +vaginoscope +vaginoscopy +vaginotome +vaginotomy +vaginotomies +vaginovesical +vaginovulvar +vaginula +vaginulate +vaginule +vagitus +Vagnera +vagoaccessorius +vagodepressor +vagoglossopharyngeal +vagogram +vagolysis +vagosympathetic +vagotomy +vagotomies +vagotomize +vagotony +vagotonia +vagotonic +vagotropic +vagotropism +vagous +vagrance +vagrancy +vagrancies +vagrant +vagrantism +vagrantize +vagrantly +vagrantlike +vagrantness +vagrants +vagrate +vagrom +vague +vague-eyed +vague-ideaed +vaguely +vague-looking +vague-menacing +vague-minded +vagueness +vaguenesses +vague-phrased +vaguer +vague-shining +vaguest +vague-worded +vaguio +vaguios +vaguish +vaguity +vagulous +vagus +vahana +Vahe +vahine +vahines +vahini +Vai +Vaiden +Vaidic +Vaientina +Vail +vailable +vailed +vailing +vails +vain +vainer +vainest +vainful +vainglory +vainglorious +vaingloriously +vaingloriousness +vainly +vainness +vainnesses +Vaios +vair +vairagi +vaire +vairee +vairy +vairs +Vaish +Vaisheshika +Vaishnava +Vaishnavism +Vaisya +Vayu +vaivode +Vaja +vajra +vajrasana +vakass +vakeel +vakeels +vakia +vakil +vakils +vakkaliga +Val +val. +Vala +Valadon +Valais +valance +valanced +valances +valanche +valancing +Valaree +Valaria +Valaskjalf +Valatie +valbellite +Valborg +Valda +Valdas +Valdemar +Val-de-Marne +Valdepeas +Valders +Valdes +Valdese +Valdez +Valdis +Valdivia +Val-d'Oise +Valdosta +Vale +valebant +Valeda +valediction +valedictions +valedictory +valedictorian +valedictorians +valedictories +valedictorily +Valenay +Valenba +Valence +valences +valence's +valency +Valencia +Valencian +valencianite +valencias +Valenciennes +valencies +Valene +Valenka +Valens +valent +Valenta +Valente +Valentia +valentiam +Valentide +Valentijn +Valentin +Valentina +Valentine +Valentines +valentine's +Valentinian +Valentinianism +valentinite +Valentino +Valentinus +Valenza +Valer +Valera +valeral +valeraldehyde +valeramid +valeramide +valerate +valerates +Valery +Valeria +Valerian +Valeriana +Valerianaceae +valerianaceous +Valerianales +valerianate +Valerianella +valerianic +Valerianoides +valerians +valeric +Valerie +Valerye +valeryl +valerylene +valerin +Valerio +Valerlan +Valerle +valero- +valerolactone +valerone +vales +vale's +valet +Valeta +valetage +valetaille +valet-de-chambre +valet-de-place +valetdom +valeted +valethood +valeting +valetism +valetry +valets +valet's +Valetta +valetude +valetudinaire +valetudinary +valetudinarian +valetudinarianism +valetudinarians +valetudinaries +valetudinariness +valetudinarist +valetudinarium +valeur +valew +valeward +valewe +valgoid +valgus +valguses +valhall +Valhalla +Vali +valiance +valiances +valiancy +valiancies +Valiant +valiantly +valiantness +valiants +valid +Valida +validatable +validate +validated +validates +validating +validation +validations +validatory +validification +validity +validities +validly +validness +validnesses +validous +Valier +Valyermo +valyl +valylene +Valina +valinch +valine +valines +valise +valiseful +valises +valiship +Valium +Valkyr +Valkyria +Valkyrian +Valkyrie +valkyries +valkyrs +vall +Valladolid +vallancy +vallar +vallary +vallate +vallated +vallation +Valle +Valleau +Vallecito +Vallecitos +vallecula +valleculae +vallecular +valleculate +Valley +valleyful +valleyite +valleylet +valleylike +valleys +valley's +valleyward +valleywise +Vallejo +Vallenar +Vallery +Valletta +vallevarite +Valli +Vally +Valliant +vallicula +valliculae +vallicular +vallidom +Vallie +vallies +vallis +Valliscaulian +Vallisneria +Vallisneriaceae +vallisneriaceous +Vallo +Vallombrosa +Vallombrosan +Vallonia +Vallota +vallum +vallums +Valma +Valmeyer +Valmy +Valmid +Valmiki +Valois +Valona +Valonia +Valoniaceae +valoniaceous +Valoniah +valonias +valor +Valora +valorem +Valorie +valorisation +valorise +valorised +valorises +valorising +valorization +valorizations +valorize +valorized +valorizes +valorizing +valorous +valorously +valorousness +valors +valour +valours +valouwe +Valparaiso +Valpolicella +Valry +Valrico +Valsa +Valsaceae +Valsalvan +valse +valses +valsoid +Valtellina +Valtin +valuable +valuableness +valuables +valuably +valuate +valuated +valuates +valuating +valuation +valuational +valuationally +valuations +valuation's +valuative +valuator +valuators +value +valued +valueless +valuelessness +valuer +valuers +values +valuing +valure +valuta +valutas +valva +valvae +valval +valvar +Valvata +valvate +Valvatidae +valve +valved +valve-grinding +valveless +valvelet +valvelets +valvelike +valveman +valvemen +valves +valve's +valve-shaped +valviferous +valviform +valving +valvotomy +valvula +valvulae +valvular +valvulate +valvule +valvules +valvulitis +valvulotome +valvulotomy +Vaman +vambrace +vambraced +vambraces +vambrash +vamfont +vammazsa +vamoose +vamoosed +vamooses +vamoosing +vamos +vamose +vamosed +vamoses +vamosing +vamp +vamped +vampey +vamper +vampers +vamphorn +vamping +vampire +vampyre +Vampyrella +Vampyrellidae +vampireproof +vampires +vampiric +vampirish +vampirism +vampirize +Vampyrum +vampish +vamplate +vampproof +vamps +vamure +VAN +vanadate +vanadates +vanadiate +vanadic +vanadiferous +vanadyl +vanadinite +vanadious +vanadium +vanadiums +vanadosilicate +vanadous +Vanaheim +Vanalstyne +vanaprastha +vanaspati +VanAtta +vanbrace +Vanbrugh +Vance +Vanceboro +Vanceburg +vancomycin +vancourier +van-courier +Vancourt +Vancouver +Vancouveria +Vanda +Vandal +Vandalia +Vandalic +vandalish +vandalism +vandalisms +vandalistic +vandalization +vandalize +vandalized +vandalizes +vandalizing +vandalroot +vandals +vandas +vandelas +Vandemere +Vandemonian +Vandemonianism +Vanden +Vandenberg +Vander +Vanderbilt +Vandergrift +Vanderhoek +Vanderpoel +Vanderpool +Vandervelde +Vandervoort +Vandiemenian +Vandyke +vandyked +Vandyke-edged +vandykes +Vandyne +Vandiver +Vanduser +Vane +vaned +vaneless +vanelike +Vanellus +vanes +vane's +Vanessa +vanessian +Vanetha +Vanetten +vanfoss +van-foss +vang +Vange +vangee +vangeli +vanglo +vangloe +vangs +Vanguard +Vanguardist +vanguards +Vangueria +Vanhomrigh +VanHook +Vanhorn +Vanhornesville +Vani +Vania +Vanya +Vanier +vanilla +vanillal +vanillaldehyde +vanillas +vanillate +vanille +vanillery +vanillic +vanillyl +vanillin +vanilline +vanillinic +vanillins +vanillism +vanilloes +vanilloyl +vanillon +Vanir +vanish +vanished +vanisher +vanishers +vanishes +vanishing +vanishingly +vanishment +Vanist +vanitarianism +vanity +vanitied +vanities +Vanity-fairian +vanity-proof +vanitory +vanitous +vanjarrah +van-john +vanlay +vanload +vanman +vanmen +vanmost +Vanna +Vannai +Vanndale +vanned +vanner +vannerman +vannermen +vanners +Vannes +vannet +Vannevar +Vanni +Vanny +Vannic +Vannie +vanning +Vannuys +vannus +Vano +Vanorin +vanpool +vanpools +vanquish +vanquishable +vanquished +vanquisher +vanquishers +vanquishes +vanquishing +vanquishment +VANS +van's +Vansant +vansire +Vansittart +vant- +vantage +vantage-ground +vantageless +vantages +Vantassell +vantbrace +vantbrass +vanterie +vantguard +Vanthe +Vanuatu +Vanvleck +vanward +Vanwert +Vanwyck +Vanzant +Vanzetti +VAP +vapid +vapidism +vapidity +vapidities +vapidly +vapidness +vapidnesses +vapocauterization +vapography +vapographic +vapor +vaporability +vaporable +vaporary +vaporarium +vaporate +vapor-belted +vapor-braided +vapor-burdened +vapor-clouded +vapored +vaporer +vaporers +vaporescence +vaporescent +vaporetti +vaporetto +vaporettos +vapor-filled +vapor-headed +vapory +vaporiferous +vaporiferousness +vaporific +vaporiform +vaporimeter +vaporiness +vaporing +vaporingly +vaporings +vaporise +vaporised +vaporises +vaporish +vaporishness +vaporising +vaporium +vaporizability +vaporizable +vaporization +vaporizations +vaporize +vaporized +vaporizer +vaporizers +vaporizes +vaporizing +vaporless +vaporlike +vaporograph +vaporographic +vaporose +vaporoseness +vaporosity +vaporous +vaporously +vaporousness +vapor-producing +Vapors +vapor-sandaled +vaportight +Vaporum +vaporware +vapotherapy +vapour +vapourable +vapour-bath +vapoured +vapourer +vapourers +vapourescent +vapoury +vapourific +vapourimeter +vapouring +vapouringly +vapourisable +vapourise +vapourised +vapouriser +vapourish +vapourishness +vapourising +vapourizable +vapourization +vapourize +vapourized +vapourizer +vapourizing +vapourose +vapourous +vapourously +vapours +vappa +vapulary +vapulate +vapulation +vapulatory +vaquero +vaqueros +VAR +var. +vara +varactor +Varah +varahan +varan +Varanasi +Varanger +Varangi +Varangian +varanian +varanid +Varanidae +Varanoid +Varanus +varas +varda +Vardaman +vardapet +Vardar +Varden +Vardhamana +vardy +vardingale +Vardon +vare +varec +varech +Vareck +vareheaded +varella +Varese +vareuse +Vargas +Varginha +vargueno +Varhol +vari +Vary +vari- +varia +variability +variabilities +variable +variableness +variablenesses +variables +variable's +variably +variac +variadic +Variag +variagles +Varian +variance +variances +variance's +variancy +variant +variantly +variants +variate +variated +variates +variating +variation +variational +variationally +variationist +variations +variation's +variatious +variative +variatively +variator +varical +varicated +varication +varicella +varicellar +varicellate +varicellation +varicelliform +varicelloid +varicellous +varices +variciform +Varick +varico- +varicoblepharon +varicocele +varicoid +varicolored +varicolorous +varicoloured +vari-coloured +varicose +varicosed +varicoseness +varicosis +varicosity +varicosities +varicotomy +varicotomies +varicula +Varidase +varidical +varied +variedly +variedness +variegate +variegated +variegated-leaved +variegates +variegating +variegation +variegations +variegator +Varien +varier +variers +varies +varietal +varietally +varietals +varietas +variety +varieties +Varietyese +variety's +varietism +varietist +varietur +varify +varificatory +variform +variformed +variformity +variformly +varigradation +varying +varyingly +varyings +Varina +varindor +varing +Varini +vario +vario- +variocoupler +variocuopler +variola +variolar +Variolaria +variolas +variolate +variolated +variolating +variolation +variole +varioles +variolic +varioliform +variolite +variolitic +variolitization +variolization +varioloid +variolosser +variolous +variolovaccine +variolovaccinia +variometer +Varion +variorum +variorums +varios +variotinted +various +various-blossomed +various-colored +various-formed +various-leaved +variously +variousness +Varipapa +Varysburg +variscite +varisized +varisse +varistor +varistors +Varitype +varityped +VariTyper +varityping +varitypist +varix +varkas +Varl +varlet +varletaille +varletess +varletry +varletries +varlets +varletto +varmannie +varment +varments +varmint +varmints +Varna +varnas +varnashrama +Varney +Varnell +varnish +varnish-drying +varnished +varnisher +varnishes +varnishy +varnishing +varnishlike +varnish-making +varnishment +varnish's +varnish-treated +varnish-treating +varnpliktige +varnsingite +Varnville +Varolian +varoom +varoomed +varooms +Varrian +Varro +Varronia +Varronian +vars +varsal +varsha +varsiter +varsity +varsities +Varsovian +varsoviana +varsovienne +vartabed +Varuna +Varuni +varus +varuses +varve +varve-count +varved +varvel +varves +Vas +vas- +Vasa +vasal +vasalled +Vasari +VASCAR +vascla +vascon +Vascons +vascula +vascular +vascularity +vascularities +vascularization +vascularize +vascularized +vascularizing +vascularly +vasculated +vasculature +vasculiferous +vasculiform +vasculitis +vasculogenesis +vasculolymphatic +vasculomotor +vasculose +vasculous +vasculum +vasculums +vase +vasectomy +vasectomies +vasectomise +vasectomised +vasectomising +vasectomize +vasectomized +vasectomizing +vaseful +vaselet +vaselike +Vaseline +vasemaker +vasemaking +vases +vase's +vase-shaped +vase-vine +vasewise +vasework +vashegyite +Vashon +Vashtee +Vashti +Vashtia +VASI +Vasya +vasicentric +vasicine +vasifactive +vasiferous +vasiform +Vasileior +Vasilek +Vasili +Vasily +Vasiliki +Vasilis +Vasiliu +Vasyuta +vaso- +vasoactive +vasoactivity +vasoconstricting +vasoconstriction +vasoconstrictive +vasoconstrictor +vasoconstrictors +vasocorona +vasodentinal +vasodentine +vasodepressor +vasodilatation +vasodilatin +vasodilating +vasodilation +vasodilator +vasoepididymostomy +vasofactive +vasoformative +vasoganglion +vasohypertonic +vasohypotonic +vasoinhibitor +vasoinhibitory +vasoligation +vasoligature +vasomotion +vasomotor +vaso-motor +vasomotory +vasomotorial +vasomotoric +vasoneurosis +vasoparesis +vasopressin +vasopressor +vasopuncture +vasoreflex +vasorrhaphy +Vasos +vasosection +vasospasm +vasospastic +vasostimulant +vasostomy +vasotocin +vasotomy +vasotonic +vasotribe +vasotripsy +vasotrophic +vasovagal +vasovesiculectomy +Vasquez +vasquine +Vass +vassal +vassalage +vassalages +Vassalboro +vassaldom +vassaled +vassaless +vassalic +vassaling +vassalism +vassality +vassalize +vassalized +vassalizing +vassalless +vassalling +vassalry +vassals +vassalship +Vassar +Vassaux +Vassell +Vassili +Vassily +vassos +VAST +Vasta +Vastah +vastate +vastation +vast-dimensioned +vaster +Vasteras +vastest +Vastha +Vasthi +Vasti +vasty +vastidity +vastier +vastiest +vastily +vastiness +vastity +vastities +vastitude +vastly +vastness +vastnesses +vast-rolling +vasts +vast-skirted +vastus +vasu +Vasudeva +Vasundhara +VAT +Vat. +vat-dyed +va-t'-en +Vateria +Vaterland +vates +vatful +vatfuls +vatic +vatical +vatically +Vatican +vaticanal +vaticanic +vaticanical +Vaticanism +Vaticanist +Vaticanization +Vaticanize +Vaticanus +vaticide +vaticides +vaticinal +vaticinant +vaticinate +vaticinated +vaticinating +vaticination +vaticinator +vaticinatory +vaticinatress +vaticinatrix +vaticine +vatmaker +vatmaking +vatman +vat-net +vats +vat's +vatted +Vatteluttu +Vatter +vatting +vatu +vatus +vau +Vauban +Vaucheria +Vaucheriaceae +vaucheriaceous +Vaucluse +Vaud +vaudeville +vaudevilles +vaudevillian +vaudevillians +vaudevillist +vaudy +vaudios +Vaudism +Vaudois +vaudoux +Vaughan +Vaughn +Vaughnsville +vaugnerite +vauguelinite +Vaules +vault +vaultage +vaulted +vaultedly +vaulter +vaulters +vaulty +vaultier +vaultiest +vaulting +vaultings +vaultlike +vaults +vaumure +vaunce +vaunt +vaunt- +vauntage +vaunt-courier +vaunted +vaunter +vauntery +vaunters +vauntful +vaunty +vauntie +vauntiness +vaunting +vauntingly +vauntlay +vauntmure +vaunts +vauquelinite +vaurien +vaus +Vauxhall +Vauxhallian +vauxite +VAV +vavasor +vavasory +vavasories +vavasors +vavasour +vavasours +vavassor +vavassors +vavs +vaw +vaward +vawards +vawntie +vaws +VAX +VAXBI +Vazimba +VB +vb. +V-blouse +V-bottom +VC +VCCI +VCM +VCO +VCR +VCS +VCU +VD +V-Day +VDC +VDE +VDFM +VDI +VDM +VDT +VDU +VE +'ve +Veadar +veadore +Veal +vealed +vealer +vealers +vealy +vealier +vealiest +vealiness +vealing +veallike +veals +vealskin +Veator +Veats +veau +Veblen +Veblenian +Veblenism +Veblenite +vectigal +vection +vectis +vectitation +vectograph +vectographic +vector +vectorcardiogram +vectorcardiography +vectorcardiographic +vectored +vectorial +vectorially +vectoring +vectorization +vectorizing +vectors +vector's +vecture +Veda +Vedaic +Vedaism +Vedalia +vedalias +vedana +Vedanga +Vedanta +Vedantic +Vedantism +Vedantist +Vedas +Vedda +Veddah +Vedder +Veddoid +vedet +Vedetta +Vedette +vedettes +Vedi +Vedic +vedika +Vediovis +Vedis +Vedism +Vedist +vedro +Veduis +Vee +Veedersburg +Veedis +VEEGA +veejay +veejays +veen +veena +veenas +veep +veepee +veepees +veeps +veer +veerable +veered +veery +veeries +veering +veeringly +veers +vees +vefry +veg +Vega +Vegabaja +vegan +veganism +veganisms +vegans +vegas +vegasite +vegeculture +vegetability +vegetable +vegetable-eating +vegetable-feeding +vegetable-growing +vegetablelike +vegetables +vegetable's +vegetablewise +vegetably +vegetablize +vegetal +vegetalcule +vegetality +vegetant +vegetarian +vegetarianism +vegetarianisms +vegetarians +vegetarian's +vegetate +vegetated +vegetates +vegetating +vegetation +vegetational +vegetationally +vegetationless +vegetation-proof +vegetations +vegetative +vegetatively +vegetativeness +vegete +vegeteness +vegeterianism +vegetism +vegetist +vegetists +vegetive +vegetivorous +vegeto- +vegetoalkali +vegetoalkaline +vegetoalkaloid +vegetoanimal +vegetobituminous +vegetocarbonaceous +vegetomineral +vegetous +veggie +veggies +vegie +vegies +Veguita +vehemence +vehemences +vehemency +vehement +vehemently +vehicle +vehicles +vehicle's +vehicula +vehicular +vehiculary +vehicularly +vehiculate +vehiculation +vehiculatory +vehiculum +vehme +Vehmgericht +Vehmgerichte +Vehmic +vei +Vey +V-eight +veigle +Veii +veil +veiled +veiledly +veiledness +veiler +veilers +veil-hid +veily +veiling +veilings +veilless +veilleuse +veillike +Veillonella +veilmaker +veilmaking +veils +Veiltail +veil-wearing +vein +veinage +veinal +veinbanding +vein-bearing +veined +veiner +veinery +veiners +vein-healing +veiny +veinier +veiniest +veininess +veining +veinings +veinless +veinlet +veinlets +veinlike +vein-mining +veinous +veins +veinstone +vein-streaked +veinstuff +veinule +veinules +veinulet +veinulets +veinwise +veinwork +Veiovis +Veit +Vejoces +Vejovis +Vejoz +vel +vel. +Vela +Vela-Hotel +velal +velamen +velamentous +velamentum +velamina +velar +Velarde +velardenite +velary +velaria +velaric +velarium +velarization +velarize +velarized +velarizes +velarizing +velar-pharyngeal +velars +Velasco +Velasquez +velate +velated +velating +velation +velatura +Velchanos +Velcro +veld +veld- +Velda +veldcraft +veld-kost +veldman +velds +veldschoen +veldschoenen +veldschoens +veldskoen +veldt +veldts +veldtschoen +veldtsman +Veleda +Velella +velellidous +veleta +velyarde +velic +velicate +Velick +veliferous +veliform +veliger +veligerous +veligers +Velika +velitation +velites +Veljkov +vell +Vella +vellala +velleda +velleity +velleities +Velleman +vellicate +vellicated +vellicating +vellication +vellicative +vellinch +vellincher +vellon +Vellore +vellosin +vellosine +Vellozia +Velloziaceae +velloziaceous +vellum +vellum-bound +vellum-covered +vellumy +vellum-leaved +vellum-papered +vellums +vellum-written +vellute +Velma +velo +veloce +velociman +velocimeter +velocious +velociously +velocipedal +velocipede +velocipedean +velocipeded +velocipedes +velocipedic +velocipeding +velocity +velocities +velocity's +velocitous +velodrome +velometer +Velon +Velorum +velour +velours +velout +veloute +veloutes +veloutine +Velpen +Velquez +Velsen +velte +veltfare +velt-marshal +velum +velumen +velumina +velunge +velure +velured +velures +veluring +Velutina +velutinous +Velva +Velveeta +velveret +velverets +Velvet +velvet-banded +velvet-bearded +velvet-black +velvetbreast +velvet-caped +velvet-clad +velveted +velveteen +velveteened +velveteens +velvety +velvetiness +velveting +velvetleaf +velvet-leaved +velvetlike +velvetmaker +velvetmaking +velvet-pile +velvetry +velvets +velvetseed +velvet-suited +velvetweed +velvetwork +Velzquez +Ven +ven- +Ven. +Vena +Venable +venacularism +venada +venae +venal +venality +venalities +venalization +venalize +venally +venalness +Venango +Venantes +venanzite +venatic +venatical +venatically +venation +venational +venations +Venator +venatory +venatorial +venatorious +vencola +Vend +Venda +vendable +vendace +vendaces +vendage +vendaval +Vendean +vended +Vendee +vendees +Vendelinus +vender +venders +vendetta +vendettas +vendettist +vendeuse +vendibility +vendibilities +vendible +vendibleness +vendibles +vendibly +vendicate +Vendidad +vending +vendis +venditate +venditation +vendition +venditor +Venditti +Vendmiaire +vendor +vendors +vendor's +vends +vendue +vendues +Veneaux +venectomy +Vened +Venedy +Venedocia +Venedotian +veneer +veneered +veneerer +veneerers +veneering +veneers +venefic +venefical +venefice +veneficious +veneficness +veneficous +venemous +venenate +venenated +venenately +venenates +venenating +venenation +venene +veneniferous +venenific +venenosalivary +venenose +venenosi +venenosity +venenosus +venenosusi +venenous +venenousness +venepuncture +Vener +venerability +venerable +venerable-looking +venerableness +venerably +Veneracea +veneracean +veneraceous +veneral +Veneralia +venerance +venerant +venerate +venerated +venerates +venerating +veneration +venerational +venerations +venerative +veneratively +venerativeness +venerator +venere +venereal +venerealness +venerean +venereology +venereological +venereologist +venereophobia +venereous +venerer +Veneres +venery +venerial +venerian +Veneridae +veneries +veneriform +veneris +venero +venerology +veneros +venerous +venesect +venesection +venesector +venesia +Veneta +Venetes +Veneti +Venetia +Venetian +Venetianed +venetians +Venetic +Venetis +Veneto +veneur +Venez +Venezia +Venezia-Euganea +venezolano +Venezuela +Venezuelan +venezuelans +venge +vengeable +vengeance +vengeance-crying +vengeancely +vengeance-prompting +vengeances +vengeance-sated +vengeance-scathed +vengeance-seeking +vengeance-taking +vengeant +venged +vengeful +vengefully +vengefulness +vengeously +venger +venges +V-engine +venging +veny +veni- +veniable +venial +veniality +venialities +venially +venialness +veniam +Venice +venie +venin +venine +venines +venins +veniplex +venipuncture +venire +venireman +veniremen +venires +venise +venisection +venison +venisonivorous +venisonlike +venisons +venisuture +Venita +Venite +Venizelist +Venizelos +venkata +venkisen +venlin +Venlo +Venloo +Venn +vennel +venner +Veno +venoatrial +venoauricular +venogram +venography +Venola +Venolia +venom +venom-breathing +venom-breeding +venom-cold +venomed +venomer +venomers +venom-fanged +venom-hating +venomy +venoming +venomization +venomize +venomless +venomly +venom-mouthed +venomness +venomosalivary +venomous +venomous-hearted +venomously +venomous-looking +venomous-minded +venomousness +venomproof +venoms +venomsome +venom-spotted +venom-sputtering +venom-venting +venosal +venosclerosis +venose +venosinal +venosity +venosities +venostasis +venous +venously +venousness +Vent +venta +ventage +ventages +ventail +ventails +ventana +vented +venter +Venterea +venters +Ventersdorp +venthole +vent-hole +ventiduct +ventifact +ventil +ventilable +ventilagin +ventilate +ventilated +ventilates +ventilating +ventilation +ventilations +ventilative +ventilator +ventilatory +ventilators +ventin +venting +ventless +Vento +ventoy +ventometer +Ventose +ventoseness +ventosity +vent-peg +ventpiece +ventr- +ventrad +ventral +ventrally +ventralmost +ventrals +ventralward +Ventre +Ventress +ventri- +ventric +ventricle +ventricles +ventricle's +ventricolumna +ventricolumnar +ventricornu +ventricornual +ventricose +ventricoseness +ventricosity +ventricous +ventricular +ventricularis +ventriculi +ventriculite +Ventriculites +ventriculitic +Ventriculitidae +ventriculogram +ventriculography +ventriculopuncture +ventriculoscopy +ventriculose +ventriculous +ventriculus +ventricumbent +ventriduct +ventrifixation +ventrilateral +ventrilocution +ventriloqual +ventriloqually +ventriloque +ventriloquy +ventriloquial +ventriloquially +ventriloquys +ventriloquise +ventriloquised +ventriloquising +ventriloquism +ventriloquisms +ventriloquist +ventriloquistic +ventriloquists +ventriloquize +ventriloquizing +ventriloquous +ventriloquously +ventrimesal +ventrimeson +ventrine +ventripyramid +ventripotence +ventripotency +ventripotent +ventripotential +Ventris +ventro- +ventroaxial +ventroaxillary +ventrocaudal +ventrocystorrhaphy +ventrodorsad +ventrodorsal +ventrodorsally +ventrofixation +ventrohysteropexy +ventroinguinal +ventrolateral +ventrolaterally +ventromedial +ventromedially +ventromedian +ventromesal +ventromesial +ventromyel +ventroposterior +ventroptosia +ventroptosis +ventroscopy +ventrose +ventrosity +ventrosuspension +ventrotomy +ventrotomies +vents +Ventura +venture +ventured +venturer +venturers +ventures +venturesome +venturesomely +venturesomeness +venturesomenesses +venturi +Venturia +venturine +venturing +venturings +venturis +venturous +venturously +venturousness +Venu +venue +venues +venula +venulae +venular +venule +venules +venulose +venulous +Venus +Venusberg +Venuses +venushair +Venusian +venusians +Venus's-flytrap +Venus's-girdle +Venus's-hair +venust +venusty +Venustiano +Venuti +Venutian +venville +Veps +Vepse +Vepsish +Ver +Vera +veracious +veraciously +veraciousness +veracity +veracities +Veracruz +Verada +Veradale +Veradi +Veradia +Veradis +veray +Veralyn +verament +veranda +verandaed +verandah +verandahed +verandahs +verandas +veranda's +verascope +veratr- +veratral +veratralbin +veratralbine +veratraldehyde +veratrate +veratria +veratrias +veratric +veratridin +veratridine +veratryl +veratrylidene +veratrin +veratrina +veratrine +veratrinize +veratrinized +veratrinizing +veratrins +veratrize +veratrized +veratrizing +veratroidine +veratroyl +veratrol +veratrole +Veratrum +veratrums +verb +verbal +verbalisation +verbalise +verbalised +verbaliser +verbalising +verbalism +verbalist +verbalistic +verbality +verbalities +verbalization +verbalizations +verbalize +verbalized +verbalizer +verbalizes +verbalizing +verbally +verbals +Verbank +verbarian +verbarium +verbasco +verbascose +Verbascum +verbate +verbatim +Verbena +Verbenaceae +verbenaceous +verbenalike +verbenalin +Verbenarius +verbenas +verbenate +verbenated +verbenating +verbene +Verbenia +verbenol +verbenone +verberate +verberation +verberative +Verbesina +verbesserte +verby +verbiage +verbiages +verbicide +verbiculture +verbid +verbids +verbify +verbification +verbified +verbifies +verbifying +verbigerate +verbigerated +verbigerating +verbigeration +verbigerative +verbile +verbiles +verbless +verbolatry +verbomania +verbomaniac +verbomotor +verbose +verbosely +verboseness +verbosity +verbosities +verboten +verbous +verbs +verb's +verbum +Vercelli +verchok +Vercingetorix +verd +Verda +verdancy +verdancies +verdant +verd-antique +verdantly +verdantness +Verde +verdea +Verdel +verdelho +Verden +verderer +verderers +verderership +verderor +verderors +verdet +verdetto +Verdha +Verdi +Verdicchio +verdict +verdicts +Verdie +Verdigre +verdigris +verdigrised +verdigrisy +verdin +verdins +verdite +verditer +verditers +verdoy +Verdon +verdour +verdugo +verdugoship +Verdun +Verdunville +verdure +verdured +verdureless +verdurer +verdures +verdurous +verdurousness +Vere +verecund +verecundity +verecundness +veredict +veredicto +veredictum +Vereeniging +verey +Verein +Vereine +Vereins +verek +Verel +Verena +verenda +Verene +Vereshchagin +veretilliform +Veretillum +vergaloo +Vergas +Verge +vergeboard +verge-board +verged +Vergeltungswaffe +vergence +vergences +vergency +Vergennes +vergent +vergentness +Verger +vergeress +vergery +vergerism +vergerless +vergers +vergership +verges +vergi +vergiform +Vergil +Vergilian +Vergilianism +verging +verglas +verglases +Vergne +vergobret +vergoyne +Vergos +vergunning +veri +very +Veribest +veridic +veridical +veridicality +veridicalities +veridically +veridicalness +veridicous +veridity +Veriee +verier +veriest +verify +verifiability +verifiable +verifiableness +verifiably +verificate +verification +verifications +verificative +verificatory +verified +verifier +verifiers +verifies +verifying +very-high-frequency +Verile +verily +veriment +Verina +Verine +veriscope +verisimilar +verisimilarly +verisimility +verisimilitude +verisimilitudinous +verism +verismo +verismos +verisms +verist +veristic +verists +veritability +veritable +veritableness +veritably +veritas +veritates +verite +verites +Verity +verities +veritism +veritist +veritistic +verjuice +verjuiced +verjuices +Verkhne-Udinsk +verkrampte +Verla +Verlag +Verlaine +Verlee +Verlia +Verlie +verligte +Vermeer +vermeil +vermeil-cheeked +vermeil-dyed +vermeil-rimmed +vermeils +vermeil-tinctured +vermeil-tinted +vermeil-veined +vermenging +vermeology +vermeologist +Vermes +vermetid +Vermetidae +vermetio +Vermetus +vermi- +vermian +vermicelli +vermicellis +vermiceous +vermicidal +vermicide +vermicious +vermicle +vermicular +Vermicularia +vermicularly +vermiculate +vermiculated +vermiculating +vermiculation +vermicule +vermiculite +vermiculites +vermiculose +vermiculosity +vermiculous +vermiform +Vermiformia +vermiformis +vermiformity +vermiformous +vermifugal +vermifuge +vermifuges +vermifugous +vermigerous +vermigrade +vermil +vermily +Vermilingues +Vermilinguia +vermilinguial +vermilion +vermilion-colored +vermilion-dyed +vermilionette +vermilionize +vermilion-red +vermilion-spotted +vermilion-tawny +vermilion-veined +Vermillion +vermin +verminal +verminate +verminated +verminating +vermination +vermin-covered +vermin-destroying +vermin-eaten +verminer +vermin-footed +vermin-haunted +verminy +verminicidal +verminicide +verminiferous +vermin-infested +verminly +verminlike +verminosis +verminous +verminously +verminousness +verminproof +vermin-ridden +vermin-spoiled +vermin-tenanted +vermiparous +vermiparousness +vermiphobia +vermis +vermivorous +vermivorousness +vermix +Vermont +Vermonter +vermonters +Vermontese +Vermontville +vermorel +vermoulu +vermoulue +vermouth +vermouths +vermuth +vermuths +Vern +Verna +Vernaccia +vernacle +vernacles +vernacular +vernacularisation +vernacularise +vernacularised +vernacularising +vernacularism +vernacularist +vernacularity +vernacularization +vernacularize +vernacularized +vernacularizing +vernacularly +vernacularness +vernaculars +vernaculate +vernaculous +vernage +Vernal +vernal-bearded +vernal-blooming +vernal-flowering +vernalisation +vernalise +vernalised +vernalising +vernality +vernalization +vernalize +vernalized +vernalizes +vernalizing +vernally +vernal-seeming +vernal-tinctured +vernant +vernation +Verndale +Verne +Verney +Vernell +Vernen +Verner +Vernet +Verneuil +verneuk +verneuker +verneukery +Verny +Vernice +vernicle +vernicles +vernicose +Vernier +verniers +vernile +vernility +vernin +vernine +vernissage +Vernita +vernition +vernix +vernixes +Vernoleninsk +Vernon +Vernonia +vernoniaceous +Vernonieae +vernonin +Vernor +Vernunft +Veron +Verona +Veronal +veronalism +Veronese +Veronica +veronicas +Veronicella +Veronicellidae +Veronika +Veronike +Veronique +Verpa +Verplanck +verquere +verray +Verras +Verrazano +verre +verrel +verrell +verry +verriculate +verriculated +verricule +verriere +Verrocchio +verruca +verrucae +verrucano +Verrucaria +Verrucariaceae +verrucariaceous +verrucarioid +verrucated +verruci- +verruciferous +verruciform +verrucose +verrucoseness +verrucosis +verrucosity +verrucosities +verrucous +verruculose +verruga +verrugas +vers +versa +versability +versable +versableness +Versailles +versal +versant +versants +versate +versatec +versatile +versatilely +versatileness +versatility +versatilities +versation +versative +verse +verse-colored +verse-commemorated +versecraft +versed +verseless +verselet +versemaker +versemaking +verseman +versemanship +versemen +versemonger +versemongery +versemongering +verse-prose +verser +versers +verses +versesmith +verset +versets +versette +verseward +versewright +verse-writing +Vershen +Vershire +versicle +versicler +versicles +versicolor +versicolorate +versicolored +versicolorous +versicolour +versicoloured +versicular +versicule +versiculi +versiculus +Versie +versiera +versify +versifiable +versifiaster +versification +versifications +versificator +versificatory +versificatrix +versified +versifier +versifiers +versifies +versifying +versiform +versiloquy +versin +versine +versines +versing +version +versional +versioner +versionist +versionize +versions +versipel +vers-librist +verso +versor +versos +verst +versta +Verstand +verste +verstes +versts +versual +versus +versute +vert +vertebra +vertebrae +vertebral +vertebraless +vertebrally +Vertebraria +vertebrarium +vertebrarterial +vertebras +Vertebrata +vertebrate +vertebrated +vertebrates +vertebrate's +vertebration +vertebre +vertebrectomy +vertebriform +vertebro- +vertebroarterial +vertebrobasilar +vertebrochondral +vertebrocostal +vertebrodymus +vertebrofemoral +vertebroiliac +vertebromammary +vertebrosacral +vertebrosternal +vertep +vertex +vertexes +Verthandi +verty +vertibility +vertible +vertibleness +vertical +verticaled +vertical-grained +verticaling +verticalism +verticality +verticalled +vertically +verticalling +verticalness +verticalnesses +verticals +vertices +verticil +verticillary +verticillaster +verticillastrate +verticillate +verticillated +verticillately +verticillation +verticilli +verticilliaceous +verticilliose +Verticillium +verticillus +verticils +verticity +verticomental +verticordious +vertiginate +vertigines +vertiginous +vertiginously +vertiginousness +vertigo +vertigoes +vertigos +vertilinear +vertimeter +Vertrees +verts +vertu +vertugal +Vertumnus +vertus +Verulamian +Verulamium +veruled +verumontanum +verus +veruta +verutum +vervain +vervainlike +vervains +verve +vervecean +vervecine +vervel +verveled +vervelle +vervelled +vervenia +verver +verves +vervet +vervets +vervine +Verwanderung +Verwoerd +verzini +verzino +Vesalian +Vesalius +vesania +vesanic +vesbite +Vescuso +vese +vesica +vesicae +vesical +vesicant +vesicants +vesicate +vesicated +vesicates +vesicating +vesication +vesicatory +vesicatories +vesicle +vesicles +vesico- +vesicoabdominal +vesicocavernous +vesicocele +vesicocervical +vesicoclysis +vesicofixation +vesicointestinal +vesicoprostatic +vesicopubic +vesicorectal +vesicosigmoid +vesicospinal +vesicotomy +vesico-umbilical +vesico-urachal +vesico-ureteral +vesico-urethral +vesico-uterine +vesicovaginal +vesicula +vesiculae +vesicular +vesiculary +Vesicularia +vesicularity +vesicularly +vesiculase +Vesiculata +Vesiculatae +vesiculate +vesiculated +vesiculating +vesiculation +vesicule +vesiculectomy +vesiculiferous +vesiculiform +vesiculigerous +vesiculitis +vesiculobronchial +vesiculocavernous +vesiculopustular +vesiculose +vesiculotympanic +vesiculotympanitic +vesiculotomy +vesiculotubular +vesiculous +vesiculus +vesicupapular +vesigia +veskit +vesp +Vespa +vespacide +vespal +Vespasian +Vesper +vesperal +vesperals +vespery +vesperian +vespering +vespers +vespertide +vespertilian +Vespertilio +Vespertiliones +vespertilionid +Vespertilionidae +Vespertilioninae +vespertilionine +vespertinal +vespertine +vespetro +vespiary +vespiaries +vespid +Vespidae +vespids +vespiform +Vespina +vespine +vespoid +Vespoidea +Vespucci +vessel +vesseled +vesselful +vesselled +vessels +vessel's +vesses +vessets +vessicnon +vessignon +vest +Vesta +Vestaburg +vestal +Vestalia +vestally +vestals +vestalship +Vestas +vested +vestee +vestees +vester +Vesty +vestiary +vestiarian +vestiaries +vestiarium +vestible +vestibula +vestibular +vestibulary +vestibulate +vestibule +vestibuled +vestibules +vestibuling +vestibulospinal +vestibulo-urethral +vestibulum +Vestie +vestigal +vestige +vestiges +vestige's +vestigia +vestigial +vestigially +Vestigian +vestigiary +vestigium +vestiment +vestimental +vestimentary +vesting +vestings +Vestini +Vestinian +vestiture +vestless +vestlet +vestlike +vestment +vestmental +vestmentary +vestmented +vestments +vest-pocket +vestral +vestralization +vestry +vestrical +vestrydom +vestries +vestrify +vestrification +vestryhood +vestryish +vestryism +vestryize +vestryman +vestrymanly +vestrymanship +vestrymen +vests +vestuary +vestural +vesture +vestured +vesturer +vestures +vesturing +Vesuvian +vesuvianite +vesuvians +vesuviate +vesuvin +Vesuvio +vesuvite +Vesuvius +veszelyite +vet +vet. +Veta +vetanda +vetch +vetches +vetchy +vetchier +vetchiest +vetch-leaved +vetchlike +vetchling +veter +veteran +veterancy +veteraness +veteranize +veterans +veteran's +veterinary +veterinarian +veterinarianism +veterinarians +veterinarian's +veterinaries +vetitive +vetivene +vetivenol +vetiver +Vetiveria +vetivers +vetivert +vetkousie +veto +vetoed +vetoer +vetoers +vetoes +vetoing +vetoism +vetoist +vetoistic +vetoistical +vets +vetted +Vetter +vetting +vettura +vetture +vetturino +vetus +vetust +vetusty +VEU +veuglaire +veuve +Vevay +Vevina +Vevine +VEX +vexable +vexation +vexations +vexatious +vexatiously +vexatiousness +vexatory +vexed +vexedly +vexedness +vexer +vexers +vexes +vexful +vexil +vexilla +vexillar +vexillary +vexillaries +vexillarious +vexillate +vexillation +vexillology +vexillologic +vexillological +vexillologist +vexillum +vexils +vexing +vexingly +vexingness +vext +Vezza +VF +VFEA +VFY +VFO +V-formed +VFR +VFS +VFW +VG +VGA +VGF +VGI +V-girl +V-grooved +Vharat +VHD +VHDL +VHF +VHS +VHSIC +VI +Via +viability +viabilities +viable +viableness +viably +viaduct +viaducts +Viafore +viage +viaggiatory +viagram +viagraph +viajaca +Vial +vialed +vialful +vialing +vialled +vialling +vialmaker +vialmaking +vialogue +vials +vial's +via-medialism +viameter +Vian +viand +viande +vianden +viander +viandry +viands +Viareggio +vias +vyase +viasma +viatic +viatica +viatical +viaticals +viaticum +viaticums +Vyatka +viatometer +viator +viatores +viatorial +viatorially +viators +vibe +vibes +vibetoite +vibex +vibgyor +Vibhu +vibices +vibioid +vibist +vibists +vibix +Viborg +Vyborg +vibracula +vibracular +vibracularium +vibraculoid +vibraculum +vibraharp +vibraharpist +vibraharps +vibrance +vibrances +vibrancy +vibrancies +vibrant +vibrantly +vibrants +vibraphone +vibraphones +vibraphonist +vibrate +vibrated +vibrates +vibratile +vibratility +vibrating +vibratingly +vibration +vibrational +vibrationless +vibration-proof +vibrations +vibratiuncle +vibratiunculation +vibrative +vibrato +vibrator +vibratory +vibrators +vibratos +Vibrio +vibrioid +vibrion +vibrionic +vibrions +vibrios +vibriosis +vibrissa +vibrissae +vibrissal +vibro- +vibrograph +vibromassage +vibrometer +vibromotive +vibronic +vibrophone +vibroscope +vibroscopic +vibrotherapeutics +viburnic +viburnin +Viburnum +viburnums +VIC +Vic. +vica +vicaire +vicar +Vicara +vicarage +vicarages +vicarate +vicarates +vicarchoral +vicar-choralship +vicaress +vicargeneral +vicar-general +vicar-generalship +vicary +vicarial +vicarian +vicarianism +vicariate +vicariates +vicariateship +vicarii +vicariism +vicarious +vicariously +vicariousness +vicariousnesses +vicarius +vicarly +vicars +vicars-general +vicarship +Vicco +Viccora +Vice +vice- +vice-abbot +vice-admiral +vice-admirality +vice-admiralship +vice-admiralty +vice-agent +Vice-apollo +vice-apostle +vice-apostolical +vice-architect +vice-begotten +vice-bishop +vice-bitten +vice-burgomaster +vice-butler +vice-caliph +vice-cancellarian +vice-chair +vice-chairman +vice-chairmen +vice-chamberlain +vice-chancellor +vice-chancellorship +Vice-christ +vice-collector +vicecomes +vicecomital +vicecomites +vice-commodore +vice-constable +vice-consul +vice-consular +vice-consulate +vice-consulship +vice-corrupted +vice-county +vice-created +viced +vice-dean +vice-deity +vice-detesting +vice-dictator +vice-director +vice-emperor +vice-freed +vice-general +vicegeral +vicegerency +vicegerencies +vicegerent +vicegerents +vicegerentship +Vice-god +Vice-godhead +vice-government +vice-governor +vice-governorship +vice-guilty +vice-haunted +vice-headmaster +vice-imperial +vice-king +vice-kingdom +vice-laden +vice-legate +vice-legateship +viceless +vice-librarian +vice-lieutenant +vicelike +vice-loathing +vice-marred +vice-marshal +vice-master +vice-ministerial +vicenary +vice-nature +Vic-en-Bigorre +vicennial +Vicente +Vicenza +vice-palatine +vice-papacy +vice-patron +vice-patronage +vice-polluted +vice-pope +vice-porter +vice-postulator +vice-prefect +vice-premier +vice-pres +vice-presidency +vice-president +vice-presidential +vice-presidentship +vice-priest +vice-principal +vice-principalship +vice-prior +vice-prone +vice-protector +vice-provost +vice-provostship +vice-punishing +vice-queen +vice-rebuking +vice-rector +vice-rectorship +viceregal +vice-regal +vice-regalize +viceregally +viceregency +vice-regency +viceregent +vice-regent +viceregents +vice-reign +vicereine +vice-residency +vice-resident +viceroy +viceroyal +viceroyalty +viceroydom +viceroies +viceroys +viceroyship +vices +vice's +vice-secretary +vice-sheriff +vice-sick +vicesimal +vice-squandered +vice-stadtholder +vice-steward +vice-sultan +vice-taming +vice-tenace +vice-throne +vicety +vice-treasurer +vice-treasurership +vice-trustee +vice-upbraiding +vice-verger +viceversally +vice-viceroy +vice-warden +vice-wardenry +vice-wardenship +vice-worn +Vichy +vichies +Vichyite +vichyssoise +Vici +Vicia +vicianin +vicianose +vicilin +vicinage +vicinages +vicinal +vicine +vicing +vicinity +vicinities +viciosity +vicious +viciously +viciousness +viciousnesses +vicissitous +vicissitude +vicissitudes +vicissitude's +vicissitudinary +vicissitudinous +vicissitudinousness +Vick +Vickey +Vickery +Vickers +Vickers-Maxim +Vicki +Vicky +Vickie +Vicksburg +Vico +vicoite +vicomte +vicomtes +vicomtesse +vicomtesses +Viconian +vicontiel +vicontiels +Vycor +Vict +victal +victim +victimhood +victimisation +victimise +victimised +victimiser +victimising +victimizable +victimization +victimizations +victimize +victimized +victimizer +victimizers +victimizes +victimizing +victimless +victims +victim's +victless +Victoir +Victoire +Victor +victordom +victoress +victorfish +victorfishes +Victory +Victoria +Victorian +Victoriana +Victorianism +Victorianize +Victorianly +Victoriano +victorians +victorias +victoriate +victoriatus +Victorie +Victorien +victories +victoryless +Victorine +victorious +victoriously +victoriousness +victory's +victorium +Victormanuel +victors +victor's +Victorville +victress +victresses +victrices +victrix +Victrola +victual +victualage +victualed +victualer +victualers +victualing +victualled +victualler +victuallers +victuallership +victualless +victualling +victualry +victuals +victus +vicua +vicualling +vicuda +vicugna +vicugnas +vicuna +vicunas +vicus +Vida +Vidal +Vidalia +vidame +Vidar +Vidda +Viddah +Viddhal +viddui +vidduy +vide +videlicet +videnda +videndum +video +videocassette +videocassettes +videocast +videocasting +VideoComp +videodisc +videodiscs +videodisk +video-gazer +videogenic +videophone +videos +videotape +videotaped +videotapes +videotape's +videotaping +videotex +videotext +videruff +vidette +videttes +videtur +Videvdat +vidhyanath +vidya +Vidian +vidicon +vidicons +vidimus +vidkid +vidkids +vidonia +Vidor +Vidovic +Vidovik +vidry +Vidua +viduage +vidual +vidually +viduate +viduated +viduation +Viduinae +viduine +viduity +viduities +viduous +vie +vied +Viehmann +vielle +Vienna +Vienne +Viennese +Viens +Vientiane +Vieques +vier +Viereck +vierkleur +vierling +Vyernyi +Vierno +viers +viertel +viertelein +Vierwaldsttersee +vies +Viet +Vieta +Vietcong +Vietminh +Vietnam +Vietnamese +Vietnamization +Vieva +view +viewable +viewably +viewdata +viewed +viewer +viewers +viewfinder +viewfinders +view-halloo +viewy +viewier +viewiest +viewiness +viewing +viewings +viewless +viewlessly +viewlessness +viewly +viewpoint +view-point +viewpoints +viewpoint's +viewport +views +viewsome +viewster +Viewtown +viewworthy +vifda +VIFRED +Vig +viga +vigas +Vigen +vigentennial +vigesimal +vigesimation +vigesimo +vigesimoquarto +vigesimo-quarto +vigesimo-quartos +vigesimos +viggle +vigia +vigias +vigil +vigilance +vigilances +vigilancy +vigilant +vigilante +vigilantes +vigilante's +vigilantism +vigilantist +vigilantly +vigilantness +vigilate +vigilation +Vigilius +vigils +vigintiangular +vigintillion +vigintillionth +Viglione +vigneron +vignerons +vignette +vignetted +vignetter +vignettes +vignette's +vignetting +vignettist +vignettists +Vigny +vignin +Vignola +Vigo +vigogne +vigone +vigonia +Vigor +vigorish +vigorishes +vigorist +vigorless +vigoroso +vigorous +vigorously +vigorousness +vigorousnesses +vigors +vigour +vigours +Vigrid +vigs +Viguerie +vihara +vihuela +vii +Viyella +viii +vying +vyingly +Viipuri +vijay +Vijayawada +vijao +Viki +Vyky +Viking +vikingism +vikinglike +vikings +vikingship +Vikki +Vikky +vil +vil. +vila +vilayet +vilayets +Vilas +Vilberg +vild +vildly +vildness +VILE +vile-born +vile-bred +vile-concluded +vile-fashioned +vilehearted +vileyns +Vilela +vilely +vile-looking +vile-natured +vileness +vilenesses +vile-proportioned +viler +vile-smelling +vile-spirited +vile-spoken +vilest +vile-tasting +Vilfredo +vilhelm +Vilhelmina +Vilhjalmur +Vili +viliaco +vilicate +vilify +vilification +vilifications +vilified +vilifier +vilifiers +vilifies +vilifying +vilifyingly +vilipend +vilipended +vilipender +vilipending +vilipendious +vilipenditory +vilipends +vility +vilities +vill +Villa +Villach +villache +Villada +villadom +villadoms +villa-dotted +villa-dwelling +villae +villaette +village +village-born +village-dwelling +villageful +villagehood +villagey +villageless +villagelet +villagelike +village-lit +villageous +villager +villageress +villagery +villagers +villages +villaget +villageward +villagy +villagism +villa-haunted +Villahermosa +villayet +villain +villainage +villaindom +villainess +villainesses +villainy +villainies +villainy-proof +villainist +villainize +villainous +villainously +villainous-looking +villainousness +villainproof +villains +villain's +villakin +Villalba +villaless +villalike +Villa-Lobos +Villamaria +Villamont +villan +villanage +villancico +villanella +villanelle +villanette +villanous +villanously +Villanova +Villanovan +Villanueva +villar +Villard +Villarica +Villars +villarsite +Villas +villa's +villate +villatic +Villavicencio +ville +villegiatura +villegiature +villein +villeinage +villeiness +villeinhold +villeins +villeity +villenage +Villeneuve +Villeurbanne +villi +villianess +villianesses +villianous +villianously +villianousness +villianousnesses +villiaumite +villicus +Villiers +villiferous +villiform +villiplacental +Villiplacentalia +Villisca +villitis +villoid +Villon +villose +villosity +villosities +villota +villote +villous +villously +vills +villus +Vilma +Vilnius +Vilonia +vim +vimana +vimen +vimful +Vimy +vimina +Viminal +vimineous +vimpa +vims +Vin +vin- +Vina +vinaceous +vinaconic +vinage +vinagron +Vinaya +vinaigre +vinaigrette +vinaigretted +vinaigrettes +vinaigrier +vinaigrous +vinal +Vinalia +vinals +vinas +vinasse +vinasses +vinata +vinblastine +Vinca +vincas +Vince +Vincelette +Vincennes +Vincent +Vincenta +Vincenty +Vincentia +Vincentian +Vincentown +Vincents +Vincenz +Vincenzo +Vincetoxicum +vincetoxin +vinchuca +Vinci +vincibility +vincible +vincibleness +vincibly +vincristine +vincristines +vincula +vincular +vinculate +vinculation +vinculo +vinculula +vinculum +vinculums +vindaloo +Vindelici +vindemial +vindemiate +vindemiation +vindemiatory +Vindemiatrix +vindesine +vindex +vindhyan +vindicability +vindicable +vindicableness +vindicably +vindicate +vindicated +vindicates +vindicating +vindication +vindications +vindicative +vindicatively +vindicativeness +vindicator +vindicatory +vindicatorily +vindicators +vindicatorship +vindicatress +vindices +vindict +vindicta +vindictive +vindictively +vindictiveness +vindictivenesses +vindictivolence +vindresser +VINE +vinea +vineae +vineal +vineatic +vine-bearing +vine-bordered +Vineburg +vine-clad +vine-covered +vine-crowned +vined +vine-decked +vinedresser +vine-dresser +vine-encircled +vine-fed +vinegar +vinegarer +vinegarette +vinegar-faced +vinegar-flavored +vinegar-generating +vinegar-hearted +vinegary +vinegariness +vinegarish +vinegarishness +vinegarist +vine-garlanded +vinegarlike +vinegarroon +vinegars +vinegar-tart +vinegarweed +vinegerone +vinegrower +vine-growing +vine-hung +vineyard +Vineyarder +vineyarding +vineyardist +vineyards +vineyard's +vineity +vine-laced +Vineland +vine-leafed +vine-leaved +vineless +vinelet +vinelike +vine-mantled +Vinemont +vine-planted +vine-producing +viner +Vyner +vinery +vineries +vine-robed +VINES +vine's +vine-shadowed +vine-sheltered +vinestalk +vinet +Vinethene +vinetta +vinew +vinewise +vine-wreathed +vingerhoed +Vingolf +vingt +vingt-et-un +vingtieme +vingtun +vinhatico +Viny +vini- +Vinia +vinic +vinicultural +viniculture +viniculturist +Vinie +vinier +viniest +vinifera +viniferas +viniferous +vinify +vinification +vinificator +vinified +vinifies +vinyl +vinylacetylene +vinylate +vinylated +vinylating +vinylation +vinylbenzene +vinylene +vinylethylene +vinylic +vinylidene +Vinylite +vinyls +Vining +Vinyon +Vinita +vinitor +vin-jaune +Vinland +Vinn +Vinna +Vinni +Vinny +Vinnie +Vinnitsa +vino +vino- +vinoacetous +Vinoba +vinod +vinolence +vinolent +vinology +vinologist +vinometer +vinomethylic +vinos +vinose +vinosity +vinosities +vinosulphureous +vinous +vinously +vinousness +vinquish +Vins +Vinson +vint +vinta +vintage +vintaged +vintager +vintagers +vintages +vintaging +vintem +vintener +vinter +vintlite +vintner +vintneress +vintnery +vintners +vintnership +Vinton +Vintondale +vintress +vintry +vinum +viol +Viola +violability +violable +violableness +violably +Violaceae +violacean +violaceous +violaceously +violal +Violales +violan +violand +violanin +Violante +violaquercitrin +violas +violate +violated +violater +violaters +violates +violating +violation +violational +violations +violative +violator +violatory +violators +violator's +violature +Viole +violence +violences +violency +violent +violently +violentness +violer +violescent +Violet +Violeta +violet-black +violet-blind +violet-blindness +violet-bloom +violet-blue +violet-brown +violet-colored +violet-coloured +violet-crimson +violet-crowned +violet-dyed +violet-ear +violet-eared +violet-embroidered +violet-flowered +violet-garlanded +violet-gray +violet-green +violet-headed +violet-horned +violet-hued +violety +violet-inwoven +violetish +violetlike +violet-purple +violet-rayed +violet-red +violet-ringed +violets +violet's +violet-scented +violet-shrouded +violet-stoled +violet-striped +violet-sweet +Violetta +violet-tailed +Violette +violet-throated +violetwise +violin +violina +violine +violined +violinette +violining +violinist +violinistic +violinistically +violinists +violinist's +violinless +violinlike +violinmaker +violinmaking +violino +violins +violin's +violin-shaped +violist +violists +Violle +Viollet-le-Duc +violmaker +violmaking +violon +violoncellist +violoncellists +violoncello +violoncellos +violone +violones +violotta +violous +viols +violuric +viomycin +viomycins +viosterol +VIP +V-I-P +Viper +Vipera +viperan +viper-bit +viper-curled +viperess +viperfish +viperfishes +viper-haunted +viper-headed +vipery +viperian +viperid +Viperidae +viperiform +Viperina +Viperinae +viperine +viperish +viperishly +viperlike +viperling +viper-mouthed +viper-nourished +viperoid +Viperoidea +viperous +viperously +viperousness +vipers +viper's +vipolitic +vipresident +vips +Vipul +viqueen +Viquelia +VIR +Vira +Viradis +viragin +viraginian +viraginity +viraginous +virago +viragoes +viragoish +viragolike +viragos +viragoship +viral +Virales +virally +virason +Virbius +Virchow +Virden +vire +virelai +virelay +virelais +virelays +virement +viremia +viremias +viremic +Viren +Virendra +Vyrene +virent +vireo +vireonine +vireos +vires +virescence +virescent +Virg +virga +virgal +virgas +virgate +virgated +virgater +virgates +virgation +Virge +Virgel +virger +Virgy +Virgie +Virgil +Virgilia +Virgilian +Virgilina +Virgilio +Virgilism +Virgin +Virgina +Virginal +Virginale +virginalist +virginality +virginally +virginals +virgin-born +virgin-eyed +virgineous +virginhead +Virginia +Virginian +virginians +Virginid +Virginie +Virginis +virginity +virginities +virginitis +virginityship +virginium +virginly +virginlike +virgin-minded +virgins +virgin's +virgin's-bower +virginship +virgin-vested +Virginville +Virgo +virgos +virgouleuse +virgula +virgular +Virgularia +virgularian +Virgulariidae +virgulate +virgule +virgules +virgultum +virial +viricidal +viricide +viricides +virid +viridaria +viridarium +viridene +viridescence +viridescent +Viridi +viridian +viridians +viridigenous +viridin +viridine +Viridis +Viridissa +viridite +viridity +viridities +virify +virific +virile +virilely +virileness +virilescence +virilescent +virilia +virilify +viriliously +virilism +virilisms +virilist +virility +virilities +virilization +virilize +virilizing +virilocal +virilocally +virion +virions +viripotent +viritoot +viritrate +virl +virled +virls +Virnelli +vyrnwy +viroid +viroids +virole +viroled +virology +virologic +virological +virologically +virologies +virologist +virologists +viron +Viroqua +virose +viroses +virosis +virous +Virtanen +virtu +virtual +virtualism +virtualist +virtuality +virtualize +virtually +virtue +virtue-armed +virtue-binding +virtued +virtuefy +virtueless +virtuelessness +virtue-loving +virtueproof +virtues +virtue's +virtue-tempting +virtue-wise +virtuless +virtuosa +virtuosas +virtuose +virtuosi +virtuosic +virtuosity +virtuosities +virtuoso +virtuosos +virtuoso's +virtuosoship +virtuous +virtuously +virtuouslike +virtuousness +Virtus +virtuti +virtutis +virucidal +virucide +virucides +viruela +virulence +virulences +virulency +virulencies +virulent +virulented +virulently +virulentness +viruliferous +virus +viruscidal +viruscide +virusemic +viruses +viruslike +virus's +virustatic +vis +visa +visaed +visage +visaged +visages +visagraph +Visaya +Visayan +Visayans +visaing +Visakhapatnam +Visalia +visammin +vis-a-ns +visard +visards +visarga +visas +vis-a-vis +vis-a-visness +Visby +Visc +viscacha +viscachas +Viscardi +viscera +visceral +visceralgia +viscerally +visceralness +viscerate +viscerated +viscerating +visceration +visceripericardial +viscero- +viscerogenic +visceroinhibitory +visceromotor +visceroparietal +visceroperitioneal +visceropleural +visceroptosis +visceroptotic +viscerosensory +visceroskeletal +viscerosomatic +viscerotomy +viscerotonia +viscerotonic +viscerotrophic +viscerotropic +viscerous +viscid +viscidity +viscidities +viscidize +viscidly +viscidness +viscidulous +viscin +viscoelastic +viscoelasticity +viscoid +viscoidal +viscolize +viscometer +viscometry +viscometric +viscometrical +viscometrically +viscontal +Visconti +viscontial +viscoscope +viscose +viscoses +viscosimeter +viscosimetry +viscosimetric +viscosity +viscosities +Viscount +viscountcy +viscountcies +viscountess +viscountesses +viscounty +viscounts +viscount's +viscountship +viscous +viscously +viscousness +Visct +viscum +viscus +vise +Vyse +vised +viseed +viseing +viselike +viseman +visement +visenomy +vises +Viseu +Vish +vishal +Vishinsky +Vyshinsky +Vishnavite +Vishniac +Vishnu +Vishnuism +Vishnuite +Vishnuvite +visibility +visibilities +visibilize +visible +visibleness +visibly +visie +visier +Visigoth +Visigothic +visile +Visine +vising +vision +visional +visionally +visionary +visionaries +visionarily +visionariness +vision-directed +visioned +visioner +vision-filled +vision-haunted +visionic +visioning +visionist +visionize +visionless +visionlike +visionmonger +visionproof +visions +vision's +vision-seeing +vision-struck +visit +visita +visitable +visitador +Visitandine +visitant +visitants +visitate +Visitation +visitational +visitations +visitation's +visitative +visitator +visitatorial +visite +visited +visitee +visiter +visiters +visiting +visitment +visitor +visitoress +visitor-general +visitorial +visitors +visitor's +visitorship +visitress +visitrix +visits +visive +visne +visney +visnomy +vison +visor +visored +visory +visoring +visorless +visorlike +visors +visor's +Visotoner +viss +VISTA +vistaed +vistal +vistaless +vistamente +vistas +vista's +vistlik +visto +Vistula +Vistulian +visual +visualisable +visualisation +visualiser +visualist +visuality +visualities +visualizable +visualization +visualizations +visualize +visualized +visualizer +visualizers +visualizes +visualizing +visually +visuals +visuoauditory +visuokinesthetic +visuometer +visuopsychic +visuosensory +VITA +Vitaceae +vitaceous +vitae +Vitaglass +vitagraph +vital +Vitale +Vitalian +vitalic +Vitalis +vitalisation +vitalise +vitalised +vitaliser +vitalises +vitalising +vitalism +vitalisms +vitalist +vitalistic +vitalistically +vitalists +vitality +vitalities +vitalization +vitalize +vitalized +vitalizer +vitalizers +vitalizes +vitalizing +vitalizingly +vitally +Vitallium +vitalness +vitals +vitamer +vitameric +vitamers +vitamin +vitamine +vitamines +vitamin-free +vitaminic +vitaminization +vitaminize +vitaminized +vitaminizing +vitaminology +vitaminologist +vitamins +vitapath +vitapathy +Vitaphone +vitascope +vitascopic +vitasti +vitativeness +Vite +Vitebsk +Vitek +vitellary +vitellarian +vitellarium +vitellicle +vitelliferous +vitelligenous +vitelligerous +vitellin +vitelline +vitellins +vitello- +vitellogene +vitellogenesis +vitellogenous +vitello-intestinal +vitellose +vitellus +vitelluses +viterbite +vitesse +vitesses +vithayasai +Vitharr +Vithi +Viti +viti- +Vitia +vitiable +vitial +vitiate +vitiated +vitiates +vitiating +vitiation +vitiations +vitiator +vitiators +viticeta +viticetum +viticetums +viticulose +viticultural +viticulture +viticulturer +viticulturist +viticulturists +vitiferous +vitilago +vitiliginous +vitiligo +vitiligoid +vitiligoidea +vitiligos +vitilitigate +vitiosity +vitiosities +Vitis +vitita +vitium +Vitkun +Vito +vitochemic +vitochemical +Vitoria +vitra +vitrage +vitrail +vitrailed +vitrailist +vitraillist +vitrain +vitrains +vitraux +vitreal +vitrean +vitrella +vitremyte +vitreodentinal +vitreodentine +vitreoelectric +vitreosity +vitreous +vitreously +vitreouslike +vitreousness +vitrescence +vitrescency +vitrescent +vitrescibility +vitrescible +vitreum +Vitry +Vitria +vitrial +vitric +vitrics +vitrifaction +vitrifacture +vitrify +vitrifiability +vitrifiable +vitrificate +vitrification +vitrifications +vitrified +vitrifies +vitrifying +vitriform +Vitrina +vitrine +vitrines +vitrinoid +vitriol +vitriolate +vitriolated +vitriolating +vitriolation +vitrioled +vitriolic +vitriolically +vitrioline +vitrioling +vitriolizable +vitriolization +vitriolize +vitriolized +vitriolizer +vitriolizing +vitriolled +vitriolling +vitriols +vitrite +vitro +vitro- +vitrobasalt +vitro-clarain +vitro-di-trina +vitrophyre +vitrophyric +vitrotype +vitrous +vitrum +Vitruvian +Vitruvianism +Vitruvius +vitta +vittae +vittate +vittle +vittled +vittles +vittling +Vittore +Vittoria +Vittorio +vitular +vitulary +vituline +vituper +vituperable +vituperance +vituperate +vituperated +vituperates +vituperating +vituperation +vituperations +vituperatiou +vituperative +vituperatively +vituperator +vituperatory +vitupery +vituperious +vituperous +Vitus +VIU +viuva +Viv +Viva +vivace +vivaces +vivacious +vivaciously +vivaciousness +vivaciousnesses +vivacissimo +vivacity +vivacities +Vivaldi +vivamente +vivandi +vivandier +vivandiere +vivandieres +vivandire +vivant +vivants +vivary +vivaria +vivaries +vivariia +vivariiums +vivarium +vivariums +vivarvaria +vivas +vivat +viva-voce +vivax +vivda +vive +Viveca +vivek +Vivekananda +vively +vivency +vivendi +viver +viverra +viverrid +Viverridae +viverrids +viverriform +Viverrinae +viverrine +vivers +vives +viveur +Vivi +vivi- +Vivia +Vivian +Vivyan +Vyvyan +Viviana +Viviane +vivianite +Vivianna +Vivianne +Vivyanne +Vivica +vivicremation +vivid +vivider +vividest +vividialysis +vividiffusion +vividissection +vividity +vividly +vividness +vividnesses +Vivie +Vivien +Viviene +Vivienne +vivify +vivific +vivifical +vivificant +vivificate +vivificated +vivificating +vivification +vivificative +vivificator +vivified +vivifier +vivifiers +vivifies +vivifying +Viviyan +vivipara +vivipary +viviparism +viviparity +viviparities +viviparous +viviparously +viviparousness +viviperfuse +vivisect +vivisected +vivisectible +vivisecting +vivisection +vivisectional +vivisectionally +vivisectionist +vivisectionists +vivisections +vivisective +vivisector +vivisectorium +vivisects +vivisepulture +Vivl +Vivle +vivo +vivos +vivre +vivres +vixen +vixenish +vixenishly +vixenishness +vixenly +vixenlike +vixens +viz +viz. +Vizagapatam +vizament +vizard +vizarded +vizard-faced +vizard-hid +vizarding +vizardless +vizardlike +vizard-mask +vizardmonger +vizards +vizard-wearing +vizcacha +vizcachas +Vizcaya +Vize +vizier +vizierate +viziercraft +vizierial +viziers +viziership +vizir +vizirate +vizirates +vizircraft +vizirial +vizirs +vizirship +viznomy +vizor +vizored +vizoring +vizorless +vizors +Vizsla +vizslas +Vizza +vizzy +Vizzone +VJ +VL +VLA +Vlaardingen +Vlach +Vlad +Vlada +Vladamar +Vladamir +Vladi +Vladikavkaz +Vladimar +Vladimir +vladislav +Vladivostok +Vlaminck +VLBA +VLBI +vlei +VLF +Vliets +Vlissingen +VLIW +Vlor +Vlos +VLSI +VLT +Vltava +Vlund +VM +V-mail +VMC +VMCF +VMCMS +VMD +VME +vmintegral +VMM +VMOS +VMR +VMRS +VMS +vmsize +VMSP +VMTP +VN +V-necked +Vnern +VNF +VNY +VNL +VNLF +VO +vo. +VOA +voar +vobis +voc +voc. +Voca +vocab +vocability +vocable +vocables +vocably +vocabular +vocabulary +vocabularian +vocabularied +vocabularies +vocabulation +vocabulist +vocal +vocalic +vocalically +vocalics +vocalion +vocalisation +vocalisations +vocalise +vocalised +vocalises +vocalising +vocalism +vocalisms +vocalist +vocalistic +vocalists +vocality +vocalities +vocalizable +vocalization +vocalizations +vocalize +vocalized +vocalizer +vocalizers +vocalizes +vocalizing +vocaller +vocally +vocalness +vocals +vocat +vocate +vocation +vocational +vocationalism +vocationalist +vocationalization +vocationalize +vocationally +vocations +vocation's +vocative +vocatively +vocatives +Voccola +voce +voces +Vochysiaceae +vochysiaceous +vocicultural +vociferance +vociferanced +vociferancing +vociferant +vociferate +vociferated +vociferates +vociferating +vociferation +vociferations +vociferative +vociferator +vociferize +vociferosity +vociferous +vociferously +vociferousness +vocification +vocimotor +vocoder +vocoders +vocoid +vocular +vocule +Vod +VODAS +voder +vodka +vodkas +vodoun +vodouns +vodum +vodums +vodun +Voe +voes +voet +voeten +voetganger +Voetian +voetsak +voetsek +voetstoots +vog +Vogel +Vogele +Vogeley +Vogelweide +vogesite +vogie +voglite +vogt +vogue +voguey +vogues +voguish +voguishness +Vogul +voyage +voyageable +voyaged +voyager +voyagers +voyages +voyageur +voyageurs +voyaging +voyagings +voyance +voice +voiceband +voiced +voicedness +voiceful +voicefulness +voice-leading +voiceless +voicelessly +voicelessness +voicelet +voicelike +voice-over +voiceprint +voiceprints +voicer +voicers +voices +voicing +void +voidable +voidableness +voidance +voidances +voided +voidee +voider +voiders +voiding +voidless +voidly +voidness +voidnesses +voids +voyeur +voyeurism +voyeuristic +voyeuristically +voyeurs +voyeuse +voyeuses +voila +voile +voiles +voilier +Voiotia +VOIR +VOIS +voisinage +Voyt +voiture +voitures +voiturette +voiturier +voiturin +voivod +voivode +voivodeship +Vojvodina +vol +Vola +volable +volacious +volador +volage +volaille +Volans +Volant +volante +Volantis +volantly +volapie +Volapk +Volapuk +Volapuker +Volapukism +Volapukist +volar +volary +volata +volatic +volatile +volatilely +volatileness +volatiles +volatilisable +volatilisation +volatilise +volatilised +volatiliser +volatilising +volatility +volatilities +volatilizable +volatilization +volatilize +volatilized +volatilizer +volatilizes +volatilizing +volation +volational +volatize +vol-au-vent +Volborg +volborthite +Volcae +volcan +Volcanalia +volcanian +volcanic +volcanically +volcanicity +volcanics +volcanism +volcanist +volcanite +volcanity +volcanizate +volcanization +volcanize +volcanized +volcanizing +volcano +volcanoes +volcanoism +volcanology +volcanologic +volcanological +volcanologist +volcanologists +volcanologize +volcanos +volcano's +Volcanus +Volding +vole +voled +volemite +volemitol +volency +volens +volent +volente +volenti +volently +volery +voleries +voles +volet +Voleta +Voletta +Volga +Volga-baltaic +Volgograd +volhynite +volyer +Volin +voling +volipresence +volipresent +volitant +volitate +volitation +volitational +volitiency +volitient +volition +volitional +volitionalist +volitionality +volitionally +volitionary +volitionate +volitionless +volitions +volitive +volitorial +Volk +Volkan +Volkerwanderung +Volksdeutsche +Volksdeutscher +Volkslied +volkslieder +volksraad +Volksschule +Volkswagen +volkswagens +volley +volleyball +volleyballs +volleyball's +volleyed +volleyer +volleyers +volleying +volleyingly +volleys +vollenge +Volnay +Volnak +Volney +Volny +Vologda +Volos +volost +volosts +Volotta +volow +volpane +Volpe +volplane +volplaned +volplanes +volplaning +volplanist +Volpone +vols +vols. +Volscan +Volsci +Volscian +volsella +volsellum +Volstead +Volsteadism +Volsung +Volsungasaga +volt +Volta +volta- +voltaelectric +voltaelectricity +voltaelectrometer +voltaelectrometric +voltage +voltages +voltagraphy +Voltaic +Voltaire +Voltairean +Voltairian +Voltairianize +Voltairish +Voltairism +voltaism +voltaisms +voltaite +voltameter +voltametric +voltammeter +volt-ammeter +volt-ampere +voltaplast +voltatype +volt-coulomb +volte +volteador +volteadores +volte-face +Volterra +voltes +volti +voltigeur +voltinism +voltivity +voltize +Voltmer +voltmeter +voltmeter-milliammeter +voltmeters +volto +volt-ohm-milliammeter +volts +volt-second +Volturno +Volturnus +Voltz +voltzine +voltzite +volubilate +volubility +volubilities +voluble +volubleness +voluble-tongued +volubly +volucrine +volume +volumed +volumen +volumenometer +volumenometry +volume-produce +volume-produced +volumes +volume's +volumescope +volumeter +volumetry +volumetric +volumetrical +volumetrically +volumette +volumina +voluminal +voluming +voluminosity +voluminous +voluminously +voluminousness +volumist +volumometer +volumometry +volumometrical +Volund +voluntary +voluntariate +voluntaries +voluntaryism +voluntaryist +voluntarily +voluntariness +voluntarious +voluntarism +voluntarist +voluntaristic +voluntarity +voluntative +volunteer +volunteered +volunteering +volunteerism +volunteerly +volunteers +volunteership +volunty +Voluntown +voluper +volupt +voluptary +Voluptas +volupte +volupty +voluptuary +voluptuarian +voluptuaries +voluptuate +voluptuosity +voluptuous +voluptuously +voluptuousness +voluptuousnesses +Voluspa +voluta +volutae +volutate +volutation +volute +voluted +volutes +Volutidae +volutiform +volutin +volutins +volution +volutions +volutoid +volva +volvas +volvate +volvell +volvelle +volvent +Volvet +Volvo +Volvocaceae +volvocaceous +volvox +volvoxes +volvuli +volvullus +volvulus +volvuluses +VOM +vombatid +vomer +vomerine +vomerobasilar +vomeronasal +vomeropalatine +vomers +vomica +vomicae +vomicin +vomicine +vomit +vomitable +vomited +vomiter +vomiters +vomity +vomiting +vomitingly +vomition +vomitive +vomitiveness +vomitives +vomito +vomitory +vomitoria +vomitories +vomitorium +vomitos +vomitous +vomits +vomiture +vomiturition +vomitus +vomituses +vomitwort +vomtoria +Von +Vona +vondsira +Vonni +Vonny +Vonnie +Vonore +Vonormy +vonsenite +voodoo +voodooed +voodooing +voodooism +voodooisms +voodooist +voodooistic +voodoos +Vookles +Voorheesville +Voorhis +voorhuis +voorlooper +Voortrekker +VOQ +VOR +voracious +voraciously +voraciousness +voraciousnesses +voracity +voracities +vorage +voraginous +vorago +vorant +Vorarlberg +voraz +Vorfeld +vorhand +Vories +Vorlage +vorlages +vorlooper +vorondreo +Voronezh +Voronoff +Voroshilov +Voroshilovgrad +Voroshilovsk +vorous +vorpal +Vorspeise +Vorspiel +Vorstellung +Vorster +VORT +vortex +vortexes +vortical +vortically +vorticel +Vorticella +vorticellae +vorticellas +vorticellid +Vorticellidae +vorticellum +vortices +vorticial +vorticiform +vorticism +vorticist +vorticity +vorticities +vorticose +vorticosely +vorticular +vorticularly +vortiginous +Vortumnus +Vosges +Vosgian +Voskhod +Voss +Vossburg +Vostok +vota +votable +votal +votally +votaress +votaresses +votary +votaries +votarist +votarists +votation +Votaw +Vote +voteable +vote-bringing +vote-buying +vote-casting +vote-catching +voted +voteen +voteless +voter +voters +votes +Votyak +voting +Votish +votist +votive +votively +votiveness +votograph +votometer +votress +votresses +vouch +vouchable +vouched +vouchee +vouchees +voucher +voucherable +vouchered +voucheress +vouchering +vouchers +vouches +vouching +vouchment +vouchor +vouchsafe +vouchsafed +vouchsafement +vouchsafer +vouchsafes +vouchsafing +vouge +Vougeot +Vought +voulge +Vouli +voussoir +voussoirs +voussoir-shaped +voust +vouster +vousty +vouvary +Vouvray +vouvrays +vow +vow-bound +vow-breaking +vowed +Vowel +vowely +vowelisation +vowelish +vowelism +vowelist +vowelization +vowelize +vowelized +vowelizes +vowelizing +vowelled +vowelless +vowellessness +vowelly +vowellike +vowels +vowel's +vower +vowers +vowess +Vowinckel +vowing +vow-keeping +vowless +vowmaker +vowmaking +vow-pledged +vows +vowson +vox +VP +V-particle +VPF +VPISU +VPN +VR +Vrablik +vraic +vraicker +vraicking +vraisemblance +vrbaite +VRC +Vredenburgh +Vreeland +VRI +vriddhi +Vries +vril +vrille +vrilled +vrilling +Vrita +VRM +vrocht +vroom +vroomed +vrooming +vrooms +vrother +vrouw +vrouws +vrow +vrows +VRS +VS +v's +vs. +VSAM +VSAT +VSB +VSE +V-shaped +V-sign +VSO +VSOP +VSP +VSR +VSS +VSSP +Vsterbottensost +Vstgtaost +VSX +VT +Vt. +VTAM +Vtarj +VTC +Vte +Vtehsta +Vtern +Vtesse +VTI +VTO +VTOC +VTOL +VTP +VTR +VTS +VTVM +VU +vucom +vucoms +Vudimir +vug +vugg +vuggy +vuggier +vuggiest +vuggs +vugh +vughs +vugs +Vuillard +VUIT +Vul +Vul. +Vulcan +Vulcanalia +Vulcanalial +Vulcanalian +Vulcanian +Vulcanic +vulcanicity +vulcanisable +vulcanisation +vulcanise +vulcanised +vulcaniser +vulcanising +vulcanism +vulcanist +vulcanite +vulcanizable +vulcanizate +vulcanization +vulcanizations +vulcanize +vulcanized +vulcanizer +vulcanizers +vulcanizes +vulcanizing +vulcano +vulcanology +vulcanological +vulcanologist +Vulg +Vulg. +vulgar +vulgare +vulgarer +vulgarest +vulgarian +vulgarians +vulgarisation +vulgarise +vulgarised +vulgariser +vulgarish +vulgarising +vulgarism +vulgarisms +vulgarist +vulgarity +vulgarities +vulgarization +vulgarizations +vulgarize +vulgarized +vulgarizer +vulgarizers +vulgarizes +vulgarizing +vulgarly +vulgarlike +vulgarness +vulgars +vulgarwise +Vulgate +vulgates +vulgo +vulgus +vulguses +Vullo +vuln +vulned +vulnerability +vulnerabilities +vulnerable +vulnerableness +vulnerably +vulneral +vulnerary +vulneraries +vulnerate +vulneration +vulnerative +vulnerose +vulnific +vulnifical +vulnose +vulpanser +vulpecide +Vulpecula +Vulpeculae +vulpecular +Vulpeculid +Vulpes +vulpic +vulpicidal +vulpicide +vulpicidism +Vulpinae +vulpine +vulpinic +vulpinism +vulpinite +vulsella +vulsellum +vulsinite +Vultur +vulture +vulture-beaked +vulture-gnawn +vulture-hocked +vulturelike +vulture-rent +vultures +vulture's +vulture-torn +vulture-tortured +vulture-winged +vulturewise +Vulturidae +Vulturinae +vulturine +vulturish +vulturism +vulturn +vulturous +vulva +vulvae +vulval +vulvar +vulvas +vulvate +vulviform +vulvitis +vulvitises +vulvo- +vulvocrural +vulvouterine +vulvovaginal +vulvovaginitis +vum +VUP +VV +vv. +vvll +VVSS +VW +V-weapon +VWS +VXI +W +W. +W.A. +w.b. +W.C. +W.C.T.U. +W.D. +w.f. +W.I. +w.l. +W.O. +w/ +W/B +w/o +WA +wa' +WAAAF +WAAC +Waacs +Waadt +WAAF +Waafs +waag +Waal +Waals +waapa +waar +Waasi +wab +wabayo +Waban +Wabash +Wabasha +Wabasso +Wabbaseka +wabber +wabby +wabble +wabbled +wabbler +wabblers +wabbles +wabbly +wabblier +wabbliest +wabbliness +wabbling +wabblingly +wabe +Wabena +Wabeno +waberan-leaf +wabert-leaf +Wabi +wabron +wabs +wabster +Wabuma +Wabunga +WAC +wacadash +wacago +wacapou +Waccabuc +WAC-Corporal +Wace +Wachaga +Wachapreague +Wachenheimer +wachna +Wachtel +Wachter +Wachuset +Wacissa +Wack +wacke +wacken +wacker +wackes +wacky +wackier +wackiest +wackily +wackiness +wacko +wackos +wacks +Waco +Waconia +Wacs +wad +wadable +Wadai +wadcutter +wadded +Waddell +waddent +Waddenzee +wadder +wadders +Waddy +waddie +waddied +waddies +waddying +wadding +waddings +Waddington +waddywood +Waddle +waddled +waddler +waddlers +waddles +waddlesome +waddly +waddling +waddlingly +Wade +wadeable +waded +Wadell +Wadena +wader +waders +wades +Wadesboro +Wadestown +Wadesville +Wadesworth +wadge +Wadhams +wadi +wady +wadies +wading +wadingly +wadis +Wadley +Wadleigh +wadlike +Wadlinger +wadmaal +wadmaals +wadmaker +wadmaking +wadmal +wadmals +wadmeal +wadmel +wadmels +wadmol +wadmoll +wadmolls +wadmols +wadna +WADS +wadset +wadsets +wadsetted +wadsetter +wadsetting +Wadsworth +wae +Waechter +waefu +waeful +waeg +Waelder +waeness +waenesses +waer +Waers +waes +waesome +waesuck +waesucks +WAF +Wafd +Wafdist +wafer +wafered +waferer +wafery +wafering +waferish +waferlike +wafermaker +wafermaking +wafers +wafer's +wafer-sealed +wafer-thin +wafer-torn +waferwoman +waferwork +waff +waffed +Waffen-SS +waffie +waffies +waffing +waffle +waffled +waffles +waffle's +waffly +wafflike +waffling +waffness +waffs +waflib +WAFS +waft +waftage +waftages +wafted +wafter +wafters +wafty +wafting +wafts +wafture +waftures +WAG +Waganda +wagang +waganging +Wagarville +wagati +wagaun +wagbeard +wage +waged +wagedom +wageless +wagelessness +wageling +wagenboom +Wagener +wage-plug +Wager +wagered +wagerer +wagerers +wagering +wagers +wages +wagesman +wages-man +waget +wagework +wageworker +wageworking +wagga +waggable +waggably +wagged +waggel +wagger +waggery +waggeries +waggers +waggy +waggie +wagging +waggish +waggishly +waggishness +waggle +waggled +waggles +waggly +waggling +wagglingly +waggon +waggonable +waggonage +waggoned +Waggoner +waggoners +waggonette +waggon-headed +waggoning +waggonload +waggonry +waggons +waggonsmith +waggonway +waggonwayman +waggonwright +Waggumbura +wagh +waging +waglike +wagling +Wagner +Wagneresque +Wagnerian +Wagneriana +Wagnerianism +wagnerians +Wagnerism +Wagnerist +Wagnerite +Wagnerize +Wagogo +Wagoma +Wagon +wagonable +wagonage +wagonages +wagoned +wagoneer +Wagoner +wagoners +wagoness +wagonette +wagonettes +wagonful +wagon-headed +wagoning +wagonless +wagon-lit +wagonload +wagonmaker +wagonmaking +wagonman +wagonry +wagon-roofed +wagons +wagon-shaped +wagonsmith +wag-on-the-wall +Wagontown +wagon-vaulted +wagonway +wagonwayman +wagonwork +wagonwright +Wagram +wags +Wagshul +wagsome +Wagstaff +Wagtail +wagtails +wag-tongue +Waguha +wagwag +wagwants +Wagweno +wagwit +wah +Wahabi +Wahabiism +Wahabism +Wahabit +Wahabitism +wahahe +wahconda +wahcondas +Wahehe +Wahhabi +Wahhabiism +Wahhabism +Wahiawa +Wahima +wahine +wahines +Wahkiacus +Wahkon +Wahkuna +Wahl +Wahlenbergia +Wahlstrom +wahlund +Wahoo +wahoos +wahpekute +Wahpeton +wahwah +way +wayaka +Waialua +Wayan +Waianae +wayang +Wayao +waiata +wayback +way-beguiling +wayberry +waybill +way-bill +waybills +waybird +Waibling +waybook +waybread +waybung +way-clearing +Waycross +Waicuri +Waicurian +way-down +waif +wayfare +wayfarer +wayfarers +wayfaring +wayfaringly +wayfarings +wayfaring-tree +waifed +wayfellow +waifing +waifs +waygang +waygate +way-god +waygoer +waygoing +waygoings +waygone +waygoose +Waiguli +way-haunting +wayhouse +Waiyeung +Waiilatpuan +waying +waik +Waikato +Waikiki +waikly +waikness +wail +waylay +waylaid +waylaidlessness +waylayer +waylayers +waylaying +waylays +Wailaki +Waylan +Wayland +wayleave +wailed +Waylen +wailer +wailers +wayless +wailful +wailfully +waily +Waylin +wailing +wailingly +wailment +Waylon +Wailoo +wails +wailsome +Wailuku +waymaker +wayman +Waimanalo +waymark +Waymart +waymate +Waimea +waymen +wayment +Wain +wainable +wainage +Waynant +wainbote +Waine +Wayne +wainer +Waynesboro +Waynesburg +Waynesfield +Waynesville +Waynetown +wainful +wainman +wainmen +Waynoka +wainrope +wains +wainscot +wainscoted +wainscot-faced +wainscoting +wainscot-joined +wainscot-paneled +wainscots +Wainscott +wainscotted +wainscotting +Wainwright +wainwrights +way-off +Wayolle +way-out +Waipahu +waipiro +waypost +wair +wairch +waird +waired +wairepo +wairing +wairs +wairsh +WAIS +ways +way's +waise +wayside +waysider +waysides +waysliding +Waismann +waist +waistband +waistbands +waistcloth +waistcloths +waistcoat +waistcoated +waistcoateer +waistcoathole +waistcoating +waistcoatless +waistcoats +waistcoat's +waist-deep +waisted +waister +waisters +waist-high +waisting +waistings +waistless +waistline +waistlines +waist-pressing +waists +waist's +waist-slip +Wait +wait-a-bit +wait-awhile +Waite +waited +Waiter +waiterage +waiterdom +waiterhood +waitering +waiterlike +waiter-on +waiters +waitership +Waiteville +waitewoman +waythorn +waiting +waitingly +waitings +waitlist +waitress +waitresses +waitressless +waitress's +waits +Waitsburg +Waitsfield +waitsmen +way-up +waivatua +waive +waived +waiver +waiverable +waivery +waivers +waives +waiving +waivod +Waiwai +wayward +waywarden +waywardly +waywardness +way-weary +way-wise +waywiser +way-wiser +waiwode +waywode +waywodeship +wayworn +way-worn +waywort +Wayzata +wayzgoose +wajang +Wajda +Waka +Wakayama +Wakamba +wakan +wakanda +wakandas +wakari +Wakarusa +wakas +Wakashan +Wake +waked +wakeel +Wakeen +Wakeeney +Wakefield +wakeful +wakefully +wakefulness +wakefulnesses +wakeless +Wakeman +wakemen +waken +Wakenda +wakened +wakener +wakeners +wakening +wakenings +wakens +waker +wakerife +wakerifeness +Wakerly +wakerobin +wake-robin +wakers +wakes +waketime +wakeup +wake-up +wakf +Wakhi +Waki +waky +wakif +wakiki +wakikis +waking +wakingly +Wakita +wakiup +wakizashi +wakken +wakon +Wakonda +Wakore +Wakpala +Waksman +Wakulla +Wakwafi +WAL +Wal. +Walach +Walachia +Walachian +walahee +Walapai +Walbrzych +Walburg +Walburga +Walcheren +Walchia +Walcoff +Walcott +Walczak +Wald +Waldack +Waldemar +Walden +Waldenburg +Waldenses +Waldensian +Waldensianism +waldflute +waldglas +waldgrave +waldgravine +Waldheim +Waldheimia +waldhorn +Waldman +waldmeister +Waldner +Waldo +Waldoboro +Waldon +Waldorf +Waldos +Waldport +Waldron +Waldstein +Waldsteinia +Waldwick +wale +waled +Waley +walepiece +Waler +walers +Wales +Waleska +walewort +Walford +Walgreen +Walhall +Walhalla +Walhonding +wali +Waly +walycoat +walies +Waligore +waling +walk +walkable +walkabout +walk-around +walkaway +walkaways +walk-down +Walke +walked +walkene +Walker +walkerite +walker-on +walkers +Walkersville +Walkerton +Walkertown +Walkerville +walkie +walkie-lookie +walkie-talkie +walk-in +walking +walking-out +walkings +walkingstick +walking-stick +walking-sticked +Walkyrie +walkyries +walkist +walky-talky +walky-talkies +Walkling +walkmill +walkmiller +walk-on +walkout +walkouts +walkover +walk-over +walkovers +walkrife +walks +walkside +walksman +walksmen +walk-through +walkup +walk-up +walkups +walkway +walkways +Wall +walla +wallaba +Wallaby +wallabies +wallaby-proof +Wallace +Wallaceton +Wallach +Wallache +Wallachia +Wallachian +Wallack +wallago +wallah +wallahs +Walland +wallaroo +wallaroos +Wallas +Wallasey +Wallawalla +Wallback +wallbird +wallboard +wall-bound +Wallburg +wall-cheeked +wall-climbing +wall-defended +wall-drilling +walled +walled-in +walled-up +Walley +walleye +walleyed +wall-eyed +walleyes +wall-encircled +Wallensis +Wallenstein +Waller +Wallerian +wallet +walletful +wallets +wallet's +wall-fed +wall-fight +wallflower +wallflowers +Wallford +wallful +wall-girt +wall-hanging +wallhick +Walli +Wally +wallydrag +wallydraigle +Wallie +wallies +Walling +Wallinga +Wallingford +walling-in +Wallington +wall-inhabiting +Wallis +wallise +Wallisville +Walliw +Wallkill +wall-knot +wallless +wall-less +wall-like +wall-loving +wallman +walloch +Wallon +Wallonian +Walloon +wallop +walloped +walloper +wallopers +walloping +wallops +wallow +Wallowa +wallowed +wallower +wallowers +wallowing +wallowish +wallowishly +wallowishness +wallows +wallpaper +wallpapered +wallpapering +wallpapers +wallpiece +wall-piece +wall-piercing +wall-plat +Wallraff +Walls +Wallsburg +wall-scaling +Wallsend +wall-shaking +wall-sided +wall-to-wall +Wallula +wallwise +wallwork +wallwort +walnut +walnut-brown +walnut-finished +walnut-framed +walnut-inlaid +walnut-paneled +walnuts +walnut's +Walnutshade +walnut-shell +walnut-stained +walnut-trimmed +Walpapi +Walpole +Walpolean +Walpurga +Walpurgis +Walpurgisnacht +walpurgite +Walras +Walrath +walrus +walruses +walrus's +Walsall +Walsenburg +Walsh +Walshville +Walsingham +walspere +Walston +Walstonburg +Walt +Walter +Walterboro +Walterene +Walters +Waltersburg +Walterville +walth +Walthall +Waltham +Walthamstow +Walther +Walthourville +walty +Waltner +Walton +Waltonian +Waltonville +waltron +waltrot +waltz +waltzed +waltzer +waltzers +waltzes +waltzing +waltzlike +Walworth +WAM +wamara +wambais +wamble +wamble-cropped +wambled +wambles +wambly +wamblier +wambliest +wambliness +wambling +wamblingly +Wambuba +Wambugu +Wambutti +wame +wamefou +wamefous +wamefu +wameful +wamefull +wamefuls +Wamego +wamel +wames +wamfle +wammikin +wammus +wammuses +wamp +Wampanoag +Wampanoags +wampee +wamper-jawed +wampish +wampished +wampishes +wampishing +wample +Wampler +Wampsville +Wampum +wampumpeag +wampums +wampus +wampuses +Wams +Wamsley +Wamsutter +wamus +wamuses +WAN +wan- +Wana +Wanakena +Wanamaker +Wanamingo +Wanapum +Wanaque +Wanatah +Wanblee +Wanchan +wanchancy +wan-cheeked +Wanchese +Wanchuan +wan-colored +wand +Wanda +wand-bearing +wander +wanderable +wandered +Wanderer +wanderers +wandery +wanderyear +wander-year +wandering +Wandering-jew +wanderingly +wanderingness +wanderings +Wanderjahr +Wanderjahre +wanderlust +wanderluster +wanderlustful +wanderlusts +wanderoo +wanderoos +wanders +wandflower +Wandy +Wandie +Wandis +wandle +wandlike +Wando +wandoo +Wandorobo +wandought +wandreth +wands +wand-shaped +wandsman +Wandsworth +wand-waving +Wane +Waneatta +waned +waney +waneless +wanely +waner +wanes +Waneta +Wanette +Wanfried +Wang +wanga +wangala +wangan +wangans +Wanganui +Wangara +wangateur +Wangchuk +wanger +wanghee +wangle +wangled +wangler +wanglers +wangles +wangling +Wangoni +wangrace +wangtooth +wangun +wanguns +wanhap +wanhappy +wanhope +wanhorn +Wanhsien +wany +Wanyakyusa +Wanyamwezi +waniand +Wanyasa +Wanids +Wanyen +wanier +waniest +wanigan +wanigans +waning +wanion +wanions +Wanyoro +wank +wankapin +wankel +wanker +wanky +Wankie +wankle +wankly +wankliness +wanlas +wanle +wanly +wanmol +Wann +wanna +Wannaska +wanned +Wanne-Eickel +wanner +wanness +wannesses +wannest +wanny +wannigan +wannigans +wanning +wannish +Wanonah +wanrest +wanrestful +wanrufe +wanruly +wans +wanshape +wansith +wansome +wansonsy +want +wantage +wantages +Wantagh +wanted +wanted-right-hand +wanter +wanters +wantful +wanthill +wanthrift +wanthriven +wanty +wanting +wantingly +wantingness +wantless +wantlessness +wanton +wanton-cruel +wantoned +wanton-eyed +wantoner +wantoners +wantoning +wantonize +wantonly +wantonlike +wanton-mad +wantonness +wantonnesses +wantons +wanton-sick +wanton-tongued +wanton-winged +wantroke +wantrust +wants +wantwit +want-wit +wanweird +wanwit +wanwordy +wan-worn +wanworth +wanze +WAP +wapacut +Wapakoneta +Wa-palaung +Wapanucka +wapata +Wapato +wapatoo +wapatoos +Wapella +Wapello +wapentake +wapinschaw +Wapisiana +wapiti +wapitis +Wapogoro +Wapokomo +wapp +Wappapello +Wappato +wapped +wappened +wappenschaw +wappenschawing +wappenshaw +wappenshawing +wapper +wapper-eyed +wapperjaw +wapperjawed +wapper-jawed +Wappes +wappet +wapping +Wappinger +Wappo +waps +Wapwallopen +War +warabi +waragi +Warangal +warantee +war-appareled +waratah +warb +Warba +Warbeck +warbird +warbite +war-blasted +warble +warbled +warblelike +warbler +warblerlike +warblers +warbles +warblet +warbly +warbling +warblingly +warbonnet +war-breathing +war-breeding +war-broken +WARC +warch +Warchaw +warcraft +warcrafts +ward +Warda +wardable +wardage +warday +wardapet +wardatour +wardcors +Warde +warded +Wardell +Warden +wardency +war-denouncing +wardenry +wardenries +wardens +wardenship +Wardensville +Warder +warderer +warders +wardership +wardholding +wardian +Wardieu +war-dight +warding +war-disabled +wardite +Wardlaw +Wardle +wardless +wardlike +wardmaid +wardman +wardmen +wardmote +wardour-street +war-dreading +wardress +wardresses +wardrobe +wardrober +wardrobes +wardrobe's +wardroom +wardrooms +wards +Wardsboro +wardship +wardships +wardsmaid +wardsman +wardswoman +Wardtown +Wardville +ward-walk +wardwite +wardwoman +wardwomen +wardword +Ware +wared +wareful +Waregga +Wareham +warehou +warehouse +warehouseage +warehoused +warehouseful +warehouseman +warehousemen +warehouser +warehousers +warehouses +warehousing +Wareing +wareless +warely +waremaker +waremaking +wareman +Warenne +warentment +warer +wareroom +warerooms +wares +Waresboro +wareship +Wareshoals +Waretown +warf +war-fain +war-famed +warfare +warfared +warfarer +warfares +warfarin +warfaring +warfarins +Warfeld +Warfield +Warfold +Warford +Warfordsburg +Warfore +Warfourd +warful +Warga +Wargentin +war-god +war-goddess +wargus +war-hawk +warhead +warheads +Warhol +warhorse +war-horse +warhorses +wary +wariance +wariangle +waried +wary-eyed +warier +wariest +wary-footed +Warila +warily +wary-looking +wariment +warine +wariness +warinesses +Waring +waringin +warish +warison +warisons +warytree +wark +warkamoowee +warked +warking +warkloom +warklume +warks +warl +Warley +warless +warlessly +warlessness +warly +warlike +warlikely +warlikeness +warling +warlock +warlockry +warlocks +warlord +warlordism +warlords +warlow +warluck +warm +warmable +warmaker +warmakers +warmaking +warman +warm-backed +warmblooded +warm-blooded +warm-breathed +warm-clad +warm-colored +warm-complexioned +warm-contested +warmed +warmedly +warmed-over +warmed-up +warmen +warmer +warmers +warmest +warmful +warm-glowing +warm-headed +warmhearted +warm-hearted +warmheartedly +warmheartedness +warmhouse +warming +warming-pan +warming-up +Warminster +warmish +warm-kept +warmly +warm-lying +warmmess +warmness +warmnesses +warmonger +warmongering +warmongers +warmouth +warmouths +warm-reeking +Warms +warm-sheltered +warm-tempered +warmth +warmthless +warmthlessness +warmths +warm-tinted +warmup +warm-up +warmups +warmus +warm-working +warm-wrapped +warn +warnage +Warne +warned +warnel +Warner +Warners +Warnerville +warning +warningly +warningproof +warnings +warnish +warnison +warniss +Warnock +warnoth +warns +warnt +Warori +Warp +warpable +warpage +warpages +warpath +warpaths +warped +warper +warpers +warping +warping-frame +warp-knit +warp-knitted +warplane +warplanes +warple +warplike +warpower +warpowers +warp-proof +warproof +warps +warpwise +warracoori +warragal +warragals +warray +Warram +warrambool +warran +warrand +warrandice +warrant +warrantability +warrantable +warrantableness +warrantably +warranted +warrantedly +warrantedness +warrantee +warranteed +warrantees +warranter +warranty +warranties +warranting +warranty's +warrantise +warrantize +warrantless +warranto +warrantor +warrantors +warrants +warratau +Warrau +warred +warree +Warren +Warrendale +warrener +warreners +warrenlike +Warrenne +Warrens +Warrensburg +Warrensville +Warrenton +Warrenville +warrer +Warri +Warrick +warrigal +warrigals +Warrin +warryn +Warring +Warrington +warrior +warrioress +warriorhood +warriorism +warriorlike +warriors +warrior's +warriorship +warriorwise +warrish +warrok +warrty +wars +war's +Warsaw +warsaws +warse +warsel +warship +warships +warship's +warsle +warsled +warsler +warslers +warsles +warsling +warst +warstle +warstled +warstler +warstlers +warstles +warstling +wart +Warta +Wartburg +warted +wartern +wartflower +warth +Warthe +Warthen +Warthman +warthog +warthogs +warty +wartyback +wartier +wartiest +wartime +war-time +wartimes +wartiness +wartless +wartlet +wartlike +Warton +Wartow +wartproof +Wartrace +warts +wart's +wartweed +wartwort +Warua +Warundi +warve +warwards +war-weary +war-whoop +Warwick +warwickite +Warwickshire +warwolf +war-wolf +warwork +warworker +warworks +warworn +was +wasabi +wasabis +Wasagara +Wasandawi +Wasango +Wasat +Wasatch +Wasco +Wascott +wase +Waseca +Wasegua +wasel +Wash +Wash. +washability +washable +washableness +Washaki +wash-and-wear +washaway +washbasin +washbasins +washbasket +wash-bear +washboard +washboards +washbowl +washbowls +washbrew +Washburn +washcloth +washcloths +wash-colored +washday +washdays +washdish +washdown +washed +washed-out +washed-up +washen +washer +washery +washeries +washeryman +washerymen +washerless +washerman +washermen +washers +washerwife +washerwoman +washerwomen +washes +washhand +wash-hand +washhouse +wash-house +washy +washier +washiest +washin +wash-in +washiness +washing +washings +Washington +Washingtonboro +Washingtonese +Washingtonia +Washingtonian +Washingtoniana +washingtonians +Washingtonville +washing-up +Washita +Washitas +Washko +washland +washleather +wash-leather +washmaid +washman +washmen +wash-mouth +Washo +Washoan +washoff +Washougal +washout +wash-out +washouts +washpot +wash-pot +washproof +washrag +washrags +washroad +washroom +washrooms +washshed +washstand +washstands +Washta +washtail +washtray +washtrough +washtub +washtubs +Washtucna +washup +wash-up +washups +washway +washwoman +washwomen +washwork +Wasir +Waskish +Waskom +wasn +wasnt +wasn't +Wasoga +Wasola +WASP +wasp-barbed +waspen +wasphood +waspy +waspier +waspiest +waspily +waspiness +waspish +waspishly +waspishness +wasplike +waspling +wasp-minded +waspnesting +Wasps +wasp's +wasp-stung +wasp-waisted +wasp-waistedness +Wassaic +wassail +wassailed +wassailer +wassailers +wassailing +wassailous +wassailry +wassails +Wasserman +Wassermann +wassie +Wassily +Wassyngton +Wasson +Wast +Wasta +wastabl +wastable +wastage +wastages +waste +wastebasket +wastebaskets +wastebin +wasteboard +waste-cleaning +wasted +waste-dwelling +wasteful +wastefully +wastefulness +wastefulnesses +wasteyard +wastel +wasteland +wastelands +wastelbread +wasteless +wastely +wastelot +wastelots +wasteman +wastemen +wastement +wasteness +wastepaper +waste-paper +wastepile +wasteproof +waster +wasterful +wasterfully +wasterfulness +wastery +wasterie +wasteries +wastern +wasters +wastes +wastethrift +waste-thrift +wasteway +wasteways +wastewater +wasteweir +wasteword +wasty +wastier +wastiest +wastine +wasting +wastingly +wastingness +wastland +wastme +wastrel +wastrels +wastry +wastrie +wastries +wastrife +wasts +Wasukuma +Waswahili +Wat +Wataga +Watala +Watanabe +watap +watape +watapeh +watapes +wataps +Watauga +watch +watchable +Watch-and-warder +watchband +watchbands +watchbill +watchboat +watchcase +watchcry +watchcries +watchdog +watchdogged +watchdogging +watchdogs +watched +watcheye +watcheyes +watcher +watchers +watches +watchet +watchet-colored +watchfire +watchfree +watchful +watchfully +watchfulness +watchfulnesses +watchglass +watch-glass +watchglassful +watchhouse +watching +watchingly +watchings +watchkeeper +watchless +watchlessness +watchmake +watchmaker +watchmakers +watchmaking +watch-making +watchman +watchmanly +watchmanship +watchmate +watchmen +watchment +watchout +watchouts +watchstrap +watchtower +watchtowers +Watchung +watchwise +watchwoman +watchwomen +watchword +watchwords +watchword's +watchwork +watchworks +water +waterage +waterages +water-bag +waterbailage +water-bailage +water-bailiff +waterbank +water-bath +waterbear +water-bearer +water-bearing +water-beaten +waterbed +water-bed +waterbeds +waterbelly +Waterberg +water-bind +waterblink +waterbloom +waterboard +waterbok +waterborne +water-borne +Waterboro +waterbosh +waterbottle +waterbound +water-bound +waterbrain +water-brain +water-break +water-breathing +water-broken +waterbroo +waterbrose +waterbuck +water-buck +waterbucks +Waterbury +waterbush +water-butt +water-can +water-carriage +water-carrier +watercart +water-cart +watercaster +water-caster +waterchat +watercycle +water-clock +water-closet +watercolor +water-color +water-colored +watercoloring +watercolorist +water-colorist +watercolors +watercolour +water-colour +watercolourist +water-commanding +water-consolidated +water-cool +water-cooled +watercourse +watercourses +watercraft +watercress +water-cress +watercresses +water-cressy +watercup +water-cure +waterdoe +waterdog +water-dog +waterdogs +water-drinker +water-drinking +waterdrop +water-drop +water-dwelling +watered +watered-down +Wateree +water-engine +Waterer +waterers +waterfall +waterfalls +waterfall's +water-fast +waterfinder +water-finished +waterflood +water-flood +Waterflow +water-flowing +Waterford +waterfowl +waterfowler +waterfowls +waterfree +water-free +waterfront +water-front +water-fronter +waterfronts +water-furrow +water-gall +water-galled +water-gas +Watergate +water-gate +water-gild +water-girt +waterglass +water-glass +water-gray +water-growing +water-gruel +water-gruellish +water-hammer +waterhead +waterheap +water-hen +water-hole +waterhorse +water-horse +Waterhouse +watery +water-ice +watery-colored +waterie +watery-eyed +waterier +wateriest +watery-headed +waterily +water-inch +wateriness +watering +wateringly +wateringman +watering-place +watering-pot +waterings +waterish +waterishly +waterishness +water-jacket +water-jacketing +water-jelly +water-jet +water-laid +Waterlander +Waterlandian +water-lane +waterleaf +waterleafs +waterleave +waterleaves +waterless +waterlessly +waterlessness +water-level +waterlike +waterlily +water-lily +waterlilies +waterlilly +waterline +water-line +water-lined +water-living +waterlocked +waterlog +waterlogged +water-logged +waterloggedness +waterlogger +waterlogging +waterlogs +Waterloo +waterloos +water-loving +watermain +Waterman +watermanship +watermark +water-mark +watermarked +watermarking +watermarks +watermaster +water-meadow +water-measure +watermelon +water-melon +watermelons +watermen +water-mill +water-mint +watermonger +water-nymph +water-packed +waterphone +water-pipe +waterpit +waterplane +Waterport +waterpot +water-pot +waterpower +waterpowers +waterproof +waterproofed +waterproofer +waterproofing +waterproofings +waterproofness +waterproofs +water-pumping +water-purpie +waterquake +water-quenched +water-rat +water-repellant +water-repellent +water-resistant +water-ret +water-rolled +water-rot +waterrug +Waters +waterscape +water-seal +water-sealed +water-season +watershake +watershed +watersheds +watershoot +water-shot +watershut +water-sick +waterside +watersider +water-ski +water-skied +waterskier +waterskiing +water-skiing +waterskin +Watersmeet +water-smoke +water-soak +watersoaked +water-soaked +water-soluble +water-souchy +waterspout +water-spout +waterspouts +water-spring +water-standing +waterstead +waterstoup +water-stream +water-struck +water-supply +water-sweet +water-table +watertight +watertightal +watertightness +Watertown +water-vascular +Waterview +Waterville +Watervliet +water-wagtail +waterway +water-way +waterways +waterway's +waterwall +waterward +waterwards +water-washed +water-wave +water-waved +water-waving +waterweed +water-weed +waterwheel +water-wheel +water-white +waterwise +water-witch +waterwoman +waterwood +waterwork +waterworker +waterworks +waterworm +waterworn +waterwort +waterworthy +watfiv +WATFOR +Watford +wath +Watha +Wathen +Wathena +wather +wathstead +Watkin +Watkins +Watkinsville +Watonga +Watrous +WATS +Watseka +Watson +Watsonia +Watsontown +Watsonville +Watson-Watt +WATSUP +Watt +wattage +wattages +wattape +wattapes +Watteau +Wattenberg +Wattenscheid +watter +Watters +Watterson +wattest +watthour +watt-hour +watthours +wattis +wattle +wattlebird +wattleboy +wattled +wattles +wattless +wattlework +wattling +wattman +wattmen +wattmeter +Watton +Watts +Wattsburg +wattsecond +watt-second +Wattsville +Watusi +Watusis +waubeen +wauble +Waubun +wauch +wauchle +waucht +wauchted +wauchting +wauchts +Wauchula +Waucoma +Wauconda +wauf +waufie +Waugh +waughy +waught +waughted +waughting +waughts +wauk +Waukau +wauked +Waukee +Waukegan +wauken +Waukesha +wauking +waukit +Waukomis +Waukon +waukrife +wauks +waul +wauled +wauling +wauls +waumle +Wauna +Waunakee +wauner +Wauneta +wauns +waup +Waupaca +Waupun +waur +Waura +Wauregan +Waurika +Wausa +Wausau +Wausaukee +Wauseon +Wauters +Wautoma +wauve +Wauwatosa +Wauzeka +wavable +wavably +WAVE +waveband +wavebands +wave-cut +waved +wave-encircled +waveform +wave-form +waveforms +waveform's +wavefront +wavefronts +wavefront's +wave-green +waveguide +waveguides +wave-haired +wave-hollowed +wavey +waveys +Waveland +wave-lashed +wave-laved +wavelength +wavelengths +waveless +wavelessly +wavelessness +wavelet +wavelets +wavelike +wave-like +wave-line +Wavell +wavellite +wave-making +wavemark +wavement +wavemeter +wave-moist +wavenumber +waveoff +waveoffs +waveproof +waver +waverable +wavered +waverer +waverers +wavery +wavering +waveringly +waveringness +Waverley +Waverly +waverous +wavers +WAVES +waveshape +waveson +waveward +wavewise +wavy +waviata +wavicle +wavy-coated +wavy-edged +wavier +wavies +waviest +wavy-grained +wavy-haired +wavy-leaved +wavily +waviness +wavinesses +waving +wavingly +Wavira +wavy-toothed +waw +wawa +wawah +Wawaka +Wawarsing +wawaskeesh +Wawina +wawl +wawled +wawling +wawls +Wawro +waws +waw-waw +wax +Waxahachie +waxand +wax-bearing +waxberry +waxberries +waxbill +wax-billed +waxbills +waxbird +waxbush +waxchandler +wax-chandler +waxchandlery +wax-coated +wax-colored +waxcomb +wax-composed +wax-covered +waxed +waxen +wax-ended +waxer +wax-erected +waxers +waxes +wax-extracting +wax-featured +wax-finished +waxflower +wax-forming +Waxhaw +wax-headed +waxhearted +waxy +wax-yellow +waxier +waxiest +waxily +waxiness +waxinesses +waxing +waxingly +waxings +wax-jointed +Waxler +wax-lighted +waxlike +waxmaker +waxmaking +Waxman +waxplant +waxplants +wax-polished +wax-producing +wax-red +wax-rubbed +wax-secreting +wax-shot +wax-stitched +wax-tipped +wax-topped +waxweed +waxweeds +wax-white +waxwing +waxwings +waxwork +waxworker +waxworking +waxworks +waxworm +waxworms +Wazir +Wazirabad +wazirate +Waziristan +wazirship +WB +WBC +WbN +WBS +Wburg +WC +WCC +WCL +WCPC +WCS +WCTU +WD +wd. +WDC +WDM +WDT +we +Wea +weak +weak-ankled +weak-armed +weak-backed +weak-bodied +weakbrained +weak-built +weak-chested +weak-chined +weak-chinned +weak-eyed +weaken +weakened +weakener +weakeners +weakening +weakens +weaker +weakest +weak-fibered +weakfish +weakfishes +weakhanded +weak-headed +weak-headedly +weak-headedness +weakhearted +weakheartedly +weakheartedness +weak-hinged +weaky +weakish +weakishly +weakishness +weak-jawed +weak-kneed +weak-kneedly +weak-kneedness +weak-legged +weakly +weaklier +weakliest +weak-limbed +weakliness +weakling +weaklings +weak-lunged +weak-minded +weak-mindedly +weak-mindedness +weakmouthed +weak-nerved +weakness +weaknesses +weakness's +weak-pated +Weaks +weakside +weak-spirited +weak-spiritedly +weak-spiritedness +weak-stemmed +weak-stomached +weak-toned +weak-voiced +weak-willed +weak-winged +weal +Weald +Wealden +wealdish +wealds +wealdsman +wealdsmen +wealful +we-all +weals +wealsman +wealsome +wealth +wealth-encumbered +wealth-fraught +wealthful +wealthfully +wealth-getting +Wealthy +wealthier +wealthiest +wealth-yielding +wealthily +wealthiness +wealthless +wealthmaker +wealthmaking +wealthmonger +wealths +weam +wean +weanable +weaned +weanedness +weanel +weaner +weaners +weanie +weanyer +weaning +weanly +weanling +weanlings +Weanoc +weans +Weapemeoc +weapon +weaponed +weaponeer +weaponing +weaponless +weaponmaker +weaponmaking +weaponproof +weaponry +weaponries +weapons +weapon's +weaponshaw +weaponshow +weaponshowing +weaponsmith +weaponsmithy +weapschawing +Wear +wearability +wearable +wearables +Weare +weared +wearer +wearers +weary +weariable +weariableness +wearied +weariedly +weariedness +wearier +wearies +weariest +weary-foot +weary-footed +weariful +wearifully +wearifulness +wearying +wearyingly +weary-laden +weariless +wearilessly +wearily +weary-looking +weariness +wearinesses +Wearing +wearingly +wearish +wearishly +wearishness +wearisome +wearisomely +wearisomeness +weary-winged +weary-worn +wear-out +wearproof +wears +weasand +weasands +weasel +weaseled +weasel-faced +weaselfish +weaseling +weaselly +weasellike +weasels +weasel's +weaselship +weaselskin +weaselsnout +weaselwise +weasel-worded +weaser +Weasner +weason +weasons +weather +weatherability +weather-battered +weatherbeaten +weather-beaten +Weatherby +weather-bitt +weather-bitten +weatherboard +weatherboarding +weatherbound +weather-bound +weatherbreak +weather-breeding +weathercast +weathercock +weathercocky +weathercockish +weathercockism +weathercocks +weathercock's +weather-driven +weather-eaten +weathered +weather-eye +weatherer +weather-fagged +weather-fast +weather-fend +weatherfish +weatherfishes +Weatherford +weather-free +weatherglass +weather-glass +weatherglasses +weathergleam +weather-guard +weather-hardened +weatherhead +weatherheaded +weather-headed +weathery +weathering +weatherize +Weatherley +Weatherly +weatherliness +weathermaker +weathermaking +weatherman +weathermen +weathermost +weatherology +weatherologist +weatherproof +weatherproofed +weatherproofing +weatherproofness +weatherproofs +Weathers +weather-scarred +weathersick +weather-slated +weather-stayed +weatherstrip +weather-strip +weatherstripped +weather-stripped +weatherstrippers +weatherstripping +weather-stripping +weatherstrips +weather-tanned +weathertight +weathertightness +weatherward +weather-wasted +weatherwise +weather-wise +weatherworn +weatings +Weatogue +Weaubleau +weavable +weave +weaveable +weaved +weavement +Weaver +weaverbird +weaveress +weavers +weaver's +Weaverville +weaves +weaving +weazand +weazands +weazen +weazened +weazen-faced +weazeny +Web +Webb +web-beam +webbed +Webber +Webberville +webby +webbier +webbiest +webbing +webbings +Webbville +webeye +webelos +Weber +Weberian +webers +webfed +web-fed +webfeet +web-fingered +webfoot +web-foot +webfooted +web-footed +web-footedness +webfooter +web-glazed +Webley-Scott +webless +weblike +webmaker +webmaking +web-perfecting +webs +web's +Webster +Websterian +websterite +websters +Websterville +web-toed +webwheel +web-winged +webwork +web-worked +webworm +webworms +webworn +wecche +wecht +wechts +WECo +Wed +we'd +wedana +wedbed +wedbedrip +wedded +weddedly +weddedness +weddeed +wedder +Wedderburn +wedders +wedding +weddinger +weddings +wedding's +wede +Wedekind +wedel +wedeled +wedeling +wedeln +wedelns +wedels +wedfee +wedge +wedgeable +wedge-bearing +wedgebill +wedge-billed +wedged +wedged-tailed +Wedgefield +wedge-form +wedge-formed +wedgelike +wedger +wedges +wedge-shaped +wedge-tailed +wedgewise +wedgy +Wedgie +wedgier +Wedgies +wedgiest +wedging +Wedgwood +wedlock +wedlocks +Wednesday +Wednesdays +wednesday's +Wedowee +Wedron +weds +wedset +Wedurn +wee +weeble +Weed +Weeda +weedable +weedage +weed-choked +weed-cutting +weeded +weed-entwined +weeder +weedery +weeders +weed-fringed +weedful +weed-grown +weed-hidden +weedhook +weed-hook +weed-hung +weedy +weedy-bearded +weedicide +weedier +weediest +weedy-haired +weedily +weedy-looking +weediness +weeding +weedingtime +weedish +weedkiller +weed-killer +weed-killing +weedless +weedlike +weedling +weedow +weedproof +weed-ridden +weeds +weed-spoiled +Weedsport +Weedville +week +weekday +weekdays +weekend +week-end +weekended +weekender +weekending +weekends +weekend's +Weekley +weekly +weeklies +weekling +weeklong +week-long +weeknight +weeknights +week-old +Weeks +Weeksbury +weekwam +week-work +weel +weelfard +weelfaured +Weelkes +weem +weemen +Weems +ween +weendigo +weened +weeness +weeny +weeny-bopper +weenie +weenier +weenies +weeniest +weening +weenong +weens +weensy +weensier +weensiest +weent +weenty +weep +weepable +weeped +weeper +weepered +weepers +weepful +weepy +weepie +weepier +weepies +weepiest +weepiness +weeping +weepingly +weeping-ripe +weepings +Weepingwater +weeply +weeps +weer +weerish +wees +Weesatche +weese-allan +weesh +weeshee +weeshy +weest +weet +weetbird +weeted +weety +weeting +weetless +weets +weet-weet +weever +weevers +weevil +weeviled +weevily +weevilled +weevilly +weevillike +weevilproof +weevils +weewaw +weewee +wee-wee +weeweed +weeweeing +weewees +weewow +weeze +weezle +wef +weft +weftage +wefted +wefty +weft-knit +weft-knitted +wefts +weftwise +weftwize +Wega +wegenerian +wegotism +we-group +wehee +Wehner +Wehr +Wehrle +wehrlite +Wehrmacht +Wei +Wey +Weyanoke +Weyauwega +Weibel +weibyeite +Weichsel +weichselwood +Weidar +Weide +Weyden +Weider +Weidman +Weidner +Weyerhaeuser +Weyerhauser +Weyermann +Weierstrass +Weierstrassian +Weig +Weygand +Weigel +Weigela +weigelas +weigelia +weigelias +weigelite +weigh +weighable +weighage +weighbar +weighbauk +weighbeam +weighbridge +weigh-bridge +weighbridgeman +weighed +weigher +weighers +weighership +weighhouse +weighin +weigh-in +weighing +weighing-in +weighing-out +weighings +weighlock +weighman +weighmaster +weighmen +weighment +weigh-out +weighs +weigh-scale +weighshaft +Weight +weight-bearing +weight-carrying +weightchaser +weighted +weightedly +weightedness +weighter +weighters +weighty +weightier +weightiest +weightily +weightiness +weighting +weightings +weightless +weightlessly +weightlessness +weightlessnesses +weightlifter +weightlifting +weight-lifting +weight-measuring +Weightometer +weight-raising +weight-resisting +weights +weight-watch +weight-watching +weightwith +Weigle +Weihai +Weihaiwei +Weihs +Weikert +Weil +Weyl +weilang +Weiler +Weylin +Weill +Weiman +Weimar +Weimaraner +Weymouth +Wein +Weinberg +Weinberger +weinbergerite +Weinek +Weiner +weiners +Weinert +Weingarten +Weingartner +Weinhardt +Weinman +Weinmannia +Weinreb +Weinrich +weinschenkite +Weinshienk +Weinstein +Weinstock +Weintrob +Weippe +Weir +weirangle +weird +weirder +weirdest +weird-fixed +weirdful +weirdy +weirdie +weirdies +weirdish +weirdless +weirdlessness +weirdly +weirdlike +weirdliness +weird-looking +weirdness +weirdnesses +weirdo +weirdoes +weirdos +Weirds +weird-set +weirdsome +weirdward +weirdwoman +weirdwomen +Weirick +weiring +weirless +weirs +Weirsdale +Weirton +Weirwood +weys +weisbachite +Weisbart +Weisberg +Weisbrodt +Weisburgh +weiselbergite +weisenheimer +Weiser +Weisler +weism +Weisman +Weismann +Weismannian +Weismannism +Weiss +Weissberg +Weissert +Weisshorn +weissite +Weissman +Weissmann +Weissnichtwo +Weitman +Weitspekan +Weitzman +Weywadt +Weixel +Weizmann +wejack +weka +wekas +wekau +wekeen +weki +Weksler +Welaka +Weland +Welby +Welbie +Welch +welched +Welcher +welchers +Welches +welching +Welchman +Welchsel +Welcy +Welcome +Welcomed +welcomeless +welcomely +welcomeness +welcomer +welcomers +welcomes +Welcoming +welcomingly +Weld +Welda +weldability +weldable +welded +welder +welders +welding +weldless +weldment +weldments +Weldon +Weldona +weldor +weldors +welds +Weldwood +Weleetka +Welf +welfare +welfares +welfaring +welfarism +welfarist +welfaristic +Welfic +Welford +weli +welk +Welker +welkin +welkin-high +welkinlike +welkins +Welkom +WELL +we'll +well-able +well-abolished +well-abounding +well-absorbed +well-abused +well-accented +well-accentuated +well-accepted +well-accommodated +well-accompanied +well-accomplished +well-accorded +well-according +well-accoutered +well-accredited +well-accumulated +well-accustomed +well-achieved +well-acknowledged +wellacquainted +well-acquainted +well-acquired +well-acted +welladay +welladays +well-adapted +well-addicted +well-addressed +well-adjusted +well-administered +well-admitted +well-adopted +well-adorned +well-advanced +well-adventured +well-advertised +well-advertized +welladvised +well-advised +well-advocated +wellaffected +well-affected +well-affectedness +well-affectioned +well-affirmed +well-afforded +well-aged +well-agreed +well-agreeing +well-aimed +well-aired +well-alleged +well-allied +well-allotted +well-allowed +well-alphabetized +well-altered +well-amended +well-amused +well-analysed +well-analyzed +well-ancestored +well-anchored +well-anear +well-ankled +well-annealed +well-annotated +well-announced +well-anointed +well-answered +well-anticipated +well-appareled +well-apparelled +well-appearing +well-applauded +well-applied +well-appointed +well-appointedly +well-appointedness +well-appreciated +well-approached +well-appropriated +well-approved +well-arbitrated +well-arched +well-argued +well-armed +well-armored +well-armoured +well-aroused +well-arrayed +well-arranged +well-articulated +well-ascertained +well-assembled +well-asserted +well-assessed +well-assigned +well-assimilated +well-assisted +well-associated +well-assorted +well-assumed +well-assured +wellat +well-attached +well-attained +well-attempered +well-attempted +well-attended +well-attending +well-attested +well-attired +well-attributed +well-audited +well-authenticated +well-authorized +well-averaged +well-avoided +wellaway +wellaways +well-awakened +well-awarded +well-aware +well-backed +well-baked +well-balanced +well-baled +well-bandaged +well-bang +well-banked +well-barbered +well-bargained +well-based +well-bathed +well-batted +well-bearing +well-beaten +well-becoming +well-bedded +well-befitting +well-begotten +well-begun +well-behated +well-behaved +wellbeing +well-being +well-beknown +well-believed +well-believing +well-beloved +well-beneficed +well-bent +well-beseemingly +well-bespoken +well-bested +well-bestowed +well-blacked +well-blended +well-blent +well-blessed +well-blooded +well-blown +well-bodied +well-boding +well-boiled +well-bonded +well-boned +well-booted +well-bored +well-boring +Wellborn +Well-born +well-borne +well-bottled +well-bottomed +well-bought +well-bound +well-bowled +well-boxed +well-braced +well-braided +well-branched +well-branded +well-brawned +well-breasted +well-breathed +wellbred +well-bred +well-bredness +well-brewed +well-bricked +well-bridged +well-broken +well-brooked +well-brought-up +well-browed +well-browned +well-brushed +well-built +well-buried +well-burned +well-burnished +well-burnt +well-bushed +well-busied +well-buttoned +well-caked +well-calculated +well-calculating +well-calked +well-called +well-calved +well-camouflaged +well-caned +well-canned +well-canvassed +well-cared-for +well-carpeted +well-carved +well-cased +well-cast +well-caught +well-cautioned +well-celebrated +well-cemented +well-censured +well-centered +well-centred +well-certified +well-chained +well-changed +well-chaperoned +well-characterized +well-charged +well-charted +well-chauffeured +well-checked +well-cheered +well-cherished +well-chested +well-chewed +well-chilled +well-choosing +well-chopped +wellchosen +well-chosen +well-churned +well-circularized +well-circulated +well-circumstanced +well-civilized +well-clad +well-classed +well-classified +well-cleansed +well-cleared +well-climaxed +well-cloaked +well-cloistered +well-closed +well-closing +well-clothed +well-coached +well-coated +well-coined +well-collected +well-colonized +well-colored +well-coloured +well-combed +well-combined +well-commanded +well-commenced +well-commended +well-committed +well-communicated +well-compacted +well-compared +well-compassed +well-compensated +well-compiled +well-completed +well-complexioned +well-composed +well-comprehended +well-concealed +well-conceded +well-conceived +well-concentrated +well-concerted +well-concluded +well-concocted +well-concorded +well-condensed +well-conditioned +well-conducted +well-conferred +well-confessed +well-confided +well-confirmed +wellconnected +well-connected +well-conned +well-consenting +well-conserved +well-considered +well-consoled +well-consorted +well-constituted +well-constricted +well-constructed +well-construed +well-contained +wellcontent +well-content +well-contented +well-contested +well-continued +well-contracted +well-contrasted +well-contrived +well-controlled +well-conveyed +well-convinced +well-cooked +well-cooled +well-coordinated +well-copied +well-corked +well-corrected +well-corseted +well-costumed +well-couched +well-counseled +well-counselled +well-counted +well-counterfeited +well-coupled +well-courted +well-covered +well-cowed +well-crammed +well-crated +well-credited +well-cress +well-crested +well-criticized +well-crocheted +well-cropped +well-crossed +well-crushed +well-cultivated +well-cultured +wellcurb +well-curbed +wellcurbs +well-cured +well-curled +well-curried +well-curved +well-cushioned +well-cut +well-cutting +well-damped +well-danced +well-darkened +well-darned +well-dealing +well-dealt +well-debated +well-deceived +well-decided +well-deck +welldecked +well-decked +well-declaimed +well-decorated +well-decreed +well-deeded +well-deemed +well-defended +well-deferred +well-defined +well-delayed +well-deliberated +well-delineated +well-delivered +well-demeaned +well-demonstrated +well-denied +well-depicted +well-derived +well-descended +well-described +well-deserved +well-deservedly +well-deserver +well-deserving +well-deservingness +well-designated +well-designed +well-designing +well-desired +well-destroyed +well-developed +well-devised +well-diagnosed +well-diffused +well-digested +well-dying +well-directed +well-disbursed +well-disciplined +well-discounted +well-discussed +well-disguised +well-dish +well-dispersed +well-displayed +well-disposed +well-disposedly +well-disposedness +well-dispositioned +well-disputed +well-dissected +well-dissembled +well-dissipated +well-distanced +well-distinguished +well-distributed +well-diversified +well-divided +well-divined +well-documented +welldoer +well-doer +welldoers +welldoing +well-doing +well-domesticated +well-dominated +welldone +well-done +well-dosed +well-drafted +well-drain +well-drained +well-dramatized +well-drawn +well-dressed +well-dried +well-drilled +well-driven +well-drugged +well-dunged +well-dusted +well-eared +well-earned +well-earthed +well-eased +well-economized +welled +well-edited +well-educated +well-effected +well-elaborated +well-elevated +well-eliminated +well-embodied +well-emphasized +well-employed +well-enacted +well-enchanting +well-encountered +well-encouraged +well-ended +well-endorsed +well-endowed +well-enforced +well-engineered +well-engraved +well-enlightened +well-entered +well-entertained +well-entitled +well-enumerated +well-enveloped +well-equipped +Weller +well-erected +welleresque +Wellerism +Welles +well-escorted +Wellesley +well-essayed +well-established +well-esteemed +well-estimated +Wellesz +well-evidence +well-evidenced +well-examined +well-executed +well-exemplified +well-exercised +well-exerted +well-exhibited +well-expended +well-experienced +well-explained +well-explicated +well-exploded +well-exposed +well-expressed +well-fabricated +well-faced +well-faded +well-famed +well-fancied +well-farmed +well-fashioned +well-fastened +well-fatted +well-favored +well-favoredly +well-favoredness +well-favoured +well-favouredness +well-feasted +well-feathered +well-featured +well-fed +well-feed +well-feigned +well-felt +well-fenced +well-fended +well-fermented +well-fielded +well-filed +well-filled +well-filmed +well-filtered +well-financed +well-fined +well-finished +well-fitted +well-fitting +well-fixed +well-flanked +well-flattered +well-flavored +well-flavoured +well-fledged +well-fleeced +well-fleshed +well-flooded +well-floored +well-floured +well-flowered +well-flowering +well-focused +well-focussed +well-folded +well-followed +well-fooled +Wellford +well-foreseen +well-forested +well-forewarned +well-forewarning +well-forged +well-forgotten +well-formed +well-formulated +well-fortified +well-fought +wellfound +well-found +wellfounded +well-founded +well-foundedly +well-foundedness +well-framed +well-fraught +well-freckled +well-freighted +well-frequented +well-fried +well-friended +well-frightened +well-fruited +well-fueled +well-fuelled +well-functioning +well-furnished +well-furnishedness +well-furred +well-gained +well-gaited +well-gardened +well-garmented +well-garnished +well-gathered +well-geared +well-generaled +well-gifted +well-girt +well-glossed +well-gloved +well-glued +well-going +well-gotten +well-governed +well-gowned +well-graced +well-graded +well-grained +well-grassed +well-gratified +well-graveled +well-gravelled +well-graven +well-greased +well-greaved +well-greeted +well-groomed +well-groomedness +well-grounded +well-grouped +well-grown +well-guaranteed +well-guarded +well-guessed +well-guided +well-guiding +well-guyed +well-hained +well-haired +well-hallowed +well-hammered +well-handicapped +well-handled +well-hardened +well-harnessed +well-hatched +well-havened +well-hazarded +wellhead +well-head +well-headed +wellheads +well-healed +well-heard +well-hearted +well-heated +well-hedged +well-heeled +well-helped +well-hemmed +well-hewn +well-hidden +well-hinged +well-hit +well-hoarded +wellhole +well-hole +well-holed +wellholes +well-hoofed +well-hooped +well-horned +well-horsed +wellhouse +well-housed +wellhouses +well-hued +well-humbled +well-humbugged +well-humored +well-humoured +well-hung +well-husbanded +welly +wellyard +well-iced +well-identified +wellie +wellies +well-ignored +well-illustrated +well-imagined +well-imitated +well-immersed +well-implied +well-imposed +well-impressed +well-improved +well-improvised +well-inaugurated +well-inclined +well-included +well-incurred +well-indexed +well-indicated +well-inferred +well-informed +Welling +Wellingborough +Wellington +Wellingtonia +wellingtonian +Wellingtons +well-inhabited +well-initiated +well-inscribed +well-inspected +well-installed +well-instanced +well-instituted +well-instructed +well-insulated +well-insured +well-integrated +well-intended +well-intentioned +well-interested +well-interpreted +well-interviewed +well-introduced +well-invented +well-invested +well-investigated +well-yoked +well-ironed +well-irrigated +wellish +well-itemized +well-joined +well-jointed +well-judged +well-judging +well-judgingly +well-justified +well-kempt +well-kenned +well-kent +well-kept +well-kindled +well-knit +well-knitted +well-knotted +well-knowing +well-knowledged +wellknown +well-known +well-labeled +well-labored +well-laboring +well-laboured +well-laced +well-laden +well-laid +well-languaged +well-larded +well-launched +well-laundered +well-leaded +well-learned +well-leased +well-leaved +well-led +well-left +well-lent +well-less +well-lettered +well-leveled +well-levelled +well-levied +well-lighted +well-like +well-liked +well-liking +well-limbed +well-limited +well-limned +well-lined +well-linked +well-lit +well-liveried +well-living +well-loaded +well-located +well-locked +well-lodged +well-lofted +well-looked +well-looking +well-lost +well-loved +well-lunged +well-made +well-maintained +wellmaker +wellmaking +Wellman +well-managed +well-manned +well-mannered +well-manufactured +well-manured +well-mapped +well-marked +well-marketed +well-married +well-marshalled +well-masked +well-mastered +well-matched +well-mated +well-matured +well-meaner +well-meaning +well-meaningly +well-meaningness +well-meant +well-measured +well-membered +wellmen +well-mended +well-merited +well-met +well-metalled +well-methodized +well-mettled +well-milked +well-mingled +well-minted +well-mixed +well-modeled +well-modified +well-modulated +well-moduled +well-moneyed +well-moralized +wellmost +well-motivated +well-motived +well-moulded +well-mounted +well-mouthed +well-named +well-narrated +well-natured +well-naturedness +well-navigated +wellnear +well-near +well-necked +well-needed +well-negotiated +well-neighbored +wellness +wellnesses +well-nicknamed +wellnigh +well-nigh +well-nosed +well-noted +well-nourished +well-nursed +well-nurtured +well-oared +well-obeyed +well-observed +well-occupied +well-off +well-officered +well-oiled +well-omened +well-omitted +well-operated +well-opinioned +well-ordered +well-organised +well-organized +well-oriented +well-ornamented +well-ossified +well-outlined +well-overseen +well-packed +well-paid +well-paying +well-painted +well-paired +well-paneled +well-paragraphed +well-parceled +well-parked +well-past +well-patched +well-patrolled +well-patronised +well-patronized +well-paved +well-penned +well-pensioned +well-peopled +well-perceived +well-perfected +well-performed +well-persuaded +well-philosophized +well-photographed +well-picked +well-pictured +well-piloted +Wellpinit +well-pitched +well-placed +well-played +well-planned +well-planted +well-plead +well-pleased +well-pleasedly +well-pleasedness +well-pleasing +well-pleasingness +well-plenished +well-plotted +well-plowed +well-plucked +well-plumaged +well-plumed +wellpoint +well-pointed +well-policed +well-policied +well-polished +well-polled +well-pondered +well-posed +well-positioned +well-possessed +well-posted +well-postponed +well-practiced +well-predicted +well-prepared +well-preserved +well-pressed +well-pretended +well-priced +well-primed +well-principled +well-printed +well-prized +well-professed +well-prolonged +well-pronounced +well-prophesied +well-proportioned +well-prosecuted +well-protected +well-proved +well-proven +well-provendered +well-provided +well-published +well-punished +well-pursed +well-pushed +well-put +well-puzzled +well-qualified +well-qualitied +well-quartered +wellqueme +well-quizzed +well-raised +well-ranged +well-rated +wellread +well-read +well-readied +well-reared +well-reasoned +well-received +well-recited +well-reckoned +well-recognised +well-recognized +well-recommended +well-recorded +well-recovered +well-refereed +well-referred +well-refined +well-reflected +well-reformed +well-refreshed +well-refreshing +well-regarded +well-regulated +well-rehearsed +well-relished +well-relishing +well-remarked +well-remembered +well-rendered +well-rented +well-repaid +well-repaired +well-replaced +well-replenished +well-reported +well-represented +well-reprinted +well-reputed +well-requited +well-resolved +well-resounding +well-respected +well-rested +well-restored +well-revenged +well-reviewed +well-revised +well-rewarded +well-rhymed +well-ribbed +well-ridden +well-rigged +wellring +well-ringed +well-ripened +well-risen +well-risked +well-roasted +well-rode +well-rolled +well-roofed +well-rooted +well-roped +well-rotted +well-rounded +well-routed +well-rowed +well-rubbed +well-ruled +well-ruling +well-run +well-running +Wells +well-sacrificed +well-saffroned +well-saying +well-sailing +well-salted +well-sanctioned +well-sanded +well-satisfied +well-saved +well-savoring +Wellsboro +Wellsburg +well-scared +well-scattered +well-scented +well-scheduled +well-schemed +well-schooled +well-scolded +well-scorched +well-scored +well-screened +well-scrubbed +well-sealed +well-searched +well-seasoned +well-seated +well-secluded +well-secured +well-seeded +well-seeing +well-seeming +wellseen +well-seen +well-selected +well-selling +well-sensed +well-separated +well-served +wellset +well-set +well-settled +well-set-up +well-sewn +well-shaded +well-shading +well-shafted +well-shaken +well-shaped +well-shapen +well-sharpened +well-shaved +well-shaven +well-sheltered +well-shod +well-shot +well-showered +well-shown +Wellsian +wellside +well-sifted +well-sighted +well-simulated +well-sinewed +well-sinking +well-systematised +well-systematized +wellsite +wellsites +well-situated +well-sized +well-sketched +well-skilled +well-skinned +well-smelling +well-smoked +well-soaked +well-sold +well-soled +well-solved +well-sorted +well-sounding +well-spaced +well-speaking +well-sped +well-spent +well-spiced +well-splitting +wellspoken +well-spoken +well-sprayed +well-spread +wellspring +well-spring +wellsprings +well-spun +well-spurred +well-squared +well-stabilized +well-stacked +well-staffed +well-staged +well-stained +well-stamped +well-starred +well-stated +well-stationed +wellstead +well-steered +well-styled +well-stirred +well-stitched +well-stocked +Wellston +well-stopped +well-stored +well-straightened +well-strained +wellstrand +well-strapped +well-stressed +well-stretched +well-striven +well-stroked +well-strung +well-studied +well-stuffed +well-subscribed +well-succeeding +well-sufficing +well-sugared +well-suggested +well-suited +well-summarised +well-summarized +well-sunburned +well-sung +well-superintended +well-supervised +well-supplemented +well-supplied +well-supported +well-suppressed +well-sustained +Wellsville +well-swelled +well-swollen +well-tailored +well-taken +well-tamed +well-tanned +well-tasted +well-taught +well-taxed +well-tempered +well-tenanted +well-tended +well-terraced +well-tested +well-thewed +well-thought +well-thought-of +well-thought-out +well-thrashed +well-thriven +well-thrown +well-thumbed +well-tied +well-tilled +well-timbered +well-timed +well-tinted +well-typed +well-toasted +well-to-do +well-told +Wellton +well-toned +well-tongued +well-toothed +well-tossed +well-traced +well-traded +well-trained +well-translated +well-trapped +well-traveled +well-travelled +well-treated +well-tricked +well-tried +well-trimmed +well-trod +well-trodden +well-trunked +well-trussed +well-trusted +well-tuned +well-turned +well-turned-out +well-tutored +well-twisted +well-umpired +well-understood +well-uniformed +well-united +well-upholstered +well-urged +well-used +well-utilized +well-valeted +well-varied +well-varnished +well-veiled +well-ventilated +well-ventured +well-verified +well-versed +well-visualised +well-visualized +well-voiced +well-vouched +well-walled +well-wared +well-warmed +well-warned +well-warranted +well-washed +well-watched +well-watered +well-weaponed +well-wearing +well-weaved +well-weaving +well-wedded +well-weighed +well-weighing +well-whipped +well-wigged +well-willed +well-willer +well-willing +well-winded +well-windowed +well-winged +well-winnowed +well-wired +well-wish +well-wisher +well-wishing +well-witnessed +well-witted +well-won +well-wooded +well-wooing +well-wooled +well-worded +well-worked +well-worked-out +well-worn +well-woven +well-wreathed +well-written +well-wrought +Wels +welsbach +Welsh +Welsh-begotten +Welsh-born +welshed +Welsh-english +welsher +Welshery +welshers +welshes +Welsh-fashion +Welshy +welshing +Welshism +Welshland +Welshlike +Welsh-looking +Welsh-made +Welshman +Welshmen +Welshness +Welshry +Welsh-rooted +Welsh-speaking +Welshwoman +Welshwomen +Welsh-wrought +welsium +welsom +welt +Weltanschauung +weltanschauungen +Weltansicht +welted +welter +weltered +weltering +welters +welterweight +welterweights +Welty +welting +weltings +Welton +Weltpolitik +welts +Weltschmerz +Welwitschia +wem +Wembley +Wemyss +wemless +wemmy +wemodness +wen +Wenatchee +Wenceslaus +wench +wenched +wenchel +wencher +wenchers +wenches +wenching +wenchless +wenchlike +wenchman +wenchmen +Wenchow +Wenchowese +wench's +Wend +Wenda +Wendalyn +Wendall +Wende +wended +Wendel +Wendelin +Wendelina +Wendeline +Wendell +Wenden +Wendi +Wendy +Wendic +Wendie +Wendye +wendigo +wendigos +Wendin +wending +Wendish +Wendolyn +Wendover +wends +Wendt +wene +weneth +Wenger +Wengert +W-engine +Wenham +wen-li +wenliche +Wenlock +Wenlockian +Wenn +wennebergite +Wennerholn +wenny +wennier +wenniest +wennish +Wenoa +Wenona +Wenonah +Wenrohronon +wens +Wensleydale +went +wentle +wentletrap +Wentworth +Wentzville +Wenz +Wenzel +Weogufka +Weott +wepman +wepmankin +wept +wer +Wera +Werbel +Werby +Werchowinci +were +were- +we're +were-animal +were-animals +wereass +were-ass +werebear +wereboar +werecalf +werecat +werecrocodile +werefolk +werefox +weregild +weregilds +werehare +werehyena +werejaguar +wereleopard +werelion +weren +werent +weren't +weretiger +werewall +werewolf +werewolfish +werewolfism +werewolves +werf +Werfel +wergeld +wergelds +wergelt +wergelts +wergil +wergild +wergilds +weri +wering +wermethe +wernard +Werner +Wernerian +Wernerism +wernerite +Wernersville +Wernher +Wernick +Wernsman +weroole +werowance +Werra +wersh +Wershba +werslete +werste +wert +Wertheimer +Werther +Wertherian +Wertherism +Wertz +wervel +werwolf +werwolves +Wes +Wesa +Wesco +Wescott +wese +Weser +Wesermde +we-ship +Weskan +Wesker +weskit +weskits +Wesla +Weslaco +Wesle +Weslee +Wesley +Wesleyan +Wesleyanism +wesleyans +Wesleyism +Wesleyville +wessand +wessands +wessel +wesselton +Wessex +Wessexman +Wessington +Wessling +Wesson +West +westabout +West-about +westaway +Westberg +Westby +west-by +Westborough +westbound +Westbrook +Westbrooke +west-central +Westchester +weste +West-ender +west-endy +West-endish +West-endism +Wester +westered +Westerfield +westering +Westerly +Westerlies +westerliness +westerling +Westermarck +westermost +Western +Westerner +westerners +westernisation +westernise +westernised +westernising +westernism +westernization +westernize +westernized +westernizes +westernizing +westernly +westernmost +Westernport +westerns +westers +Westerville +westerwards +west-faced +west-facing +Westfahl +Westfalen +westfalite +Westfall +Westfield +west-going +westham +Westhead +westy +westing +Westinghouse +westings +westlan +Westland +Westlander +westlandways +westlaw +Westley +Westleigh +westlin +westling +westlings +westlins +Westlund +Westm +westme +Westmeath +westmeless +Westminster +Westmont +Westmoreland +Westmorland +westmost +Westney +westness +west-northwest +west-north-west +west-northwesterly +west-northwestward +westnorthwestwardly +Weston +Weston-super-Mare +Westphal +Westphalia +Westphalian +Westport +Westpreussen +Westralian +Westralianism +wests +west-southwest +west-south-west +west-southwesterly +west-southwestward +west-southwestwardly +west-turning +Westville +Westwall +westward +westwardly +westward-looking +westwardmost +westwards +Westwego +west-winded +west-windy +Westwood +westwork +Westworth +wet +weta +wet-air +wetback +wetbacks +wetbird +wet-blanket +wet-blanketing +wet-bulb +wet-cell +wetched +wet-cheeked +wetchet +wet-clean +wet-eyed +wet-footed +wether +wetherhog +wethers +Wethersfield +wetherteg +wetland +wetlands +wetly +wet-lipped +wet-my-lip +Wetmore +wetness +wetnesses +wet-nurse +wet-nursed +wet-nursing +wet-pipe +wet-plate +wetproof +wets +wet-salt +wet-season +wet-shod +wetsuit +wettability +wettable +wetted +wetter +Wetterhorn +wetter-off +wetters +wettest +wetting +wettings +wettish +wettishness +Wetumka +Wetumpka +wet-worked +Wetzel +Wetzell +WEU +we-uns +weve +we've +Wever +Wevertown +wevet +Wewahitchka +Wewela +Wewenoc +Wewoka +Wexford +Wexler +Wezen +Wezn +WF +WFPC +WFPCII +WFTU +WG +WGS +WH +wha +whabby +whack +whacked +whacker +whackers +whacky +whackier +whackiest +whacking +whacko +whackos +whacks +whaddie +whafabout +Whalan +Whale +whaleback +whale-backed +whalebacker +whalebird +whaleboat +whaleboats +whalebone +whaleboned +whalebones +whale-built +whaled +whaledom +whale-gig +whalehead +whale-headed +whale-hunting +Whaleysville +whalelike +whaleman +whalemen +whale-mouthed +Whalen +whaler +whalery +whaleries +whaleroad +whalers +Whales +whaleship +whalesucker +whale-tailed +whaly +whaling +whalings +whalish +Whall +whally +whallock +Whallon +Whallonsburg +whalm +whalp +wham +whamble +whame +whammed +whammy +whammies +whamming +whammle +whammo +whamo +whamp +whampee +whample +whams +whan +whand +Whang +whangable +whangam +Whangarei +whangdoodle +whanged +whangee +whangees +whangers +whanghee +whanging +whangs +whank +whap +whapped +whapper +whappers +whappet +whapping +whaps +whapuka +whapukee +whapuku +whar +whare +whareer +whare-kura +whare-puni +whare-wananga +wharf +wharfage +wharfages +wharfe +wharfed +wharfhead +wharfholder +wharfie +wharfing +wharfinger +wharfingers +wharfland +wharfless +wharfman +wharfmaster +wharfmen +wharfrae +wharfs +wharfside +wharl +Wharncliffe +wharp +wharry +wharrow +whart +Wharton +whartonian +wharve +wharves +whase +whasle +what +whata +whatabouts +whatchy +whatd +what'd +what-d'ye-call-'em +what-d'ye-call-it +what-d'you-call-it +what-do-you-call-it +whate'er +what-eer +Whately +whatever +what-for +what-you-call-it +what-you-may-call-'em +what-you-may--call-it +what-is-it +whatkin +Whatley +whatlike +what-like +what'll +whatman +whatna +whatness +whatnot +whatnots +whatre +what're +whatreck +whats +what's +whats-her-name +what's-her-name +what's-his-face +whats-his-name +what's-his-name +whatsis +whats-it +whats-its-name +what's-its-name +whatso +whatsoeer +whatsoe'er +whatsoever +whatsomever +whatten +what've +whatzit +whau +whauk +whaup +whaups +whaur +whauve +WHBL +wheaf-head +wheal +whealed +whealy +whealing +wheals +whealworm +wheam +wheat +wheatbird +wheat-blossoming +wheat-colored +Wheatcroft +wheatear +wheateared +wheatears +wheaten +wheatens +wheat-fed +Wheatfield +wheatflakes +wheatgrass +wheatgrower +wheat-growing +wheat-hid +wheaty +wheaties +Wheatland +Wheatley +wheatless +wheatlike +wheatmeal +Wheaton +wheat-producing +wheat-raising +wheat-rich +wheats +wheatstalk +Wheatstone +wheat-straw +wheatworm +whedder +whee +wheedle +wheedled +wheedler +wheedlers +wheedles +wheedlesome +wheedling +wheedlingly +wheel +wheelabrate +wheelabrated +wheelabrating +Wheelabrator +wheelage +wheel-backed +wheelband +wheelbarrow +wheelbarrower +wheel-barrower +wheelbarrowful +wheelbarrows +wheelbase +wheelbases +wheelbird +wheelbox +wheel-broad +wheelchair +wheelchairs +wheel-cut +wheel-cutting +wheeldom +wheeled +Wheeler +wheeler-dealer +wheelery +wheelerite +wheelers +Wheelersburg +wheel-footed +wheel-going +wheelhorse +wheelhouse +wheelhouses +wheely +wheelie +wheelies +Wheeling +wheelingly +wheelings +wheelless +wheellike +wheel-made +wheelmaker +wheelmaking +wheelman +wheel-marked +wheelmen +wheel-mounted +Wheelock +wheelrace +wheel-resembling +wheelroad +wheels +wheel-shaped +wheelsman +wheel-smashed +wheelsmen +wheelsmith +wheelspin +wheel-spun +wheel-supported +wheelswarf +wheel-track +wheel-turned +wheel-turning +wheelway +wheelwise +wheelwork +wheelworks +wheel-worn +Wheelwright +wheelwrighting +wheelwrights +wheem +wheen +wheencat +wheenge +wheens +wheep +wheeped +wheeping +wheeple +wheepled +wheeples +wheepling +wheeps +wheer +wheerikins +whees +wheesht +wheetle +wheeze +wheezed +wheezer +wheezers +wheezes +wheezy +wheezier +wheeziest +wheezily +wheeziness +wheezing +wheezingly +wheezle +wheft +whey +wheybeard +whey-bearded +wheybird +whey-blooded +whey-brained +whey-colored +wheyey +wheyeyness +wheyface +whey-face +wheyfaced +whey-faced +wheyfaces +wheyish +wheyishness +wheyisness +wheylike +whein +wheyness +wheys +wheyworm +wheywormed +whekau +wheki +Whelan +whelk +whelked +whelker +whelky +whelkier +whelkiest +whelklike +whelks +whelk-shaped +Wheller +whelm +whelmed +whelming +whelms +whelp +whelped +whelphood +whelping +whelpish +whelpless +whelpling +whelps +whelve +whemmel +whemmle +when +whenabouts +whenas +whence +whenceeer +whenceforth +whenceforward +whencesoeer +whencesoever +whencever +when'd +wheneer +whene'er +whenever +when-issued +when'll +whenness +when're +whens +when's +whenso +whensoe'er +whensoever +whensomever +where +whereabout +whereabouts +whereafter +whereanent +whereas +whereases +whereat +whereaway +whereby +whered +where'd +whereer +where'er +wherefor +wherefore +wherefores +whereforth +wherefrom +wherehence +wherein +whereinsoever +whereinto +whereis +where'll +whereness +whereof +whereon +whereout +whereover +wherere +where're +wheres +where's +whereso +wheresoeer +wheresoe'er +wheresoever +wheresomever +wherethrough +wheretill +whereto +wheretoever +wheretosoever +whereunder +whereuntil +whereunto +whereup +whereupon +where've +wherever +wherewith +wherewithal +wherret +wherry +wherried +wherries +wherrying +wherryman +wherrit +wherve +wherves +whesten +whet +whether +whetile +whetrock +whets +Whetstone +whetstones +whetstone-shaped +whetted +whetter +whetters +whetting +whettle-bone +whew +Whewell +whewellite +whewer +whewl +whews +whewt +whf +whf. +why +Whyalla +whiba +which +whichever +whichsoever +whichway +whichways +Whick +whicken +whicker +whickered +whickering +whickers +whid +whidah +whydah +whidahs +whydahs +whidded +whidder +whidding +whids +whyever +whiff +whiffable +whiffed +Whiffen +whiffenpoof +whiffer +whiffers +whiffet +whiffets +whiffy +whiffing +whiffle +whiffled +whiffler +whifflery +whiffleries +whifflers +whiffles +whiffletree +whiffletrees +whiffling +whifflingly +whiffs +whyfor +whift +Whig +Whiggamore +Whiggarchy +whigged +Whiggery +Whiggess +Whiggify +Whiggification +whigging +Whiggish +Whiggishly +Whiggishness +Whiggism +Whigham +Whiglet +Whigling +whigmaleery +whigmaleerie +whigmaleeries +whigmeleerie +whigs +whigship +whikerby +while +whileas +whiled +whileen +whiley +whilend +whilere +whiles +whilie +whiling +whilk +Whilkut +whill +why'll +whillaballoo +whillaloo +whilly +whillikers +whillikins +whillilew +whillywha +whilock +whilom +whils +whilst +whilter +whim +whimberry +whimble +whimbrel +whimbrels +whimling +whimmed +whimmy +whimmier +whimmiest +whimming +whimper +whimpered +whimperer +whimpering +whimperingly +whimpers +whim-proof +whims +whim's +whimsey +whimseys +whimsy +whimsic +whimsical +whimsicality +whimsicalities +whimsically +whimsicalness +whimsied +whimsies +whimsy's +whimstone +whimwham +whim-wham +whimwhams +whim-whams +whin +whinberry +whinberries +whinchacker +whinchat +whinchats +whincheck +whincow +whindle +whine +whined +Whiney +whiner +whiners +whines +whyness +whinestone +whing +whing-ding +whinge +whinged +whinger +whinges +whiny +whinyard +whinier +whiniest +whininess +whining +whiningly +whinnel +whinner +whinny +whinnied +whinnier +whinnies +whinniest +whinnying +whinnock +why-not +whins +whinstone +whin-wrack +whyo +whip +whip- +whip-bearing +whipbelly +whipbird +whipcat +whipcord +whipcordy +whipcords +whip-corrected +whipcrack +whipcracker +whip-cracker +whip-cracking +whipcraft +whip-ended +whipgraft +whip-grafting +whip-hand +Whipholt +whipjack +whip-jack +whipking +whiplash +whip-lash +whiplashes +whiplike +whipmaker +whipmaking +whipman +whipmanship +whip-marked +whipmaster +whipoorwill +whippa +whippable +Whippany +whipparee +whipped +whipper +whipperginny +whipper-in +whippers +whipper's +whippers-in +whippersnapper +whipper-snapper +whippersnappers +whippertail +whippet +whippeter +whippets +whippy +whippier +whippiest +whippiness +whipping +whipping-boy +whippingly +whippings +whipping's +whipping-snapping +whipping-up +Whipple +whippletree +Whippleville +whippoorwill +whip-poor-will +whippoorwills +whippost +whippowill +whipray +whiprays +whip-round +whips +whip's +whipsaw +whip-saw +whipsawed +whipsawyer +whipsawing +whipsawn +whipsaws +whip-shaped +whipship +whipsy-derry +whipsocket +whipstaff +whipstaffs +whipstalk +whipstall +whipstaves +whipster +whipstick +whip-stick +whipstitch +whip-stitch +whipstitching +whipstock +whipt +whiptail +whip-tailed +whiptails +whip-tom-kelly +whip-tongue +whiptree +whip-up +whip-wielding +whipwise +whipworm +whipworms +whir +why're +whirken +whirl +whirl- +whirlabout +Whirlaway +whirlbat +whirlblast +whirl-blast +whirlbone +whirlbrain +whirled +whirley +whirler +whirlers +whirlgig +whirly +whirly- +whirlybird +whirlybirds +whirlicane +whirlicote +whirlier +whirlies +whirliest +whirligig +whirligigs +whirlygigum +whirlimagig +whirling +whirlingly +whirlmagee +whirlpit +whirlpool +whirlpools +whirlpool's +whirlpuff +whirls +whirl-shaped +whirlwig +whirlwind +whirlwindy +whirlwindish +whirlwinds +whirr +whirred +whirrey +whirret +whirry +whirrick +whirried +whirries +whirrying +whirring +whirroo +whirrs +whirs +whirtle +whys +why's +whish +whished +whishes +whishing +whisht +whishted +whishting +whishts +whisk +whiskbroom +whisked +whiskey +whiskeys +Whiskeytown +whisker +whiskerage +whiskerando +whiskerandoed +whiskerandos +whiskered +whiskerer +whiskerette +whiskery +whiskerless +whiskerlike +whiskers +whisket +whiskful +whisky +whisky-drinking +whiskied +whiskies +whiskified +whiskyfied +whisky-frisky +whisky-jack +whiskylike +whiskin +whisking +whiskingly +whisky-sodden +whisks +whisk-tailed +whisp +whisper +whisperable +whisperation +whispered +whisperer +whisperhood +whispery +whispering +whisperingly +whisperingness +whisperings +whisperless +whisperous +whisperously +whisperproof +whispers +whisper-soft +whiss +whissle +Whisson +whist +whisted +whister +whisterpoop +whisting +whistle +whistleable +whistlebelly +whistle-blower +whistled +whistlefish +whistlefishes +whistlelike +whistle-pig +Whistler +Whistlerian +whistlerism +whistlers +whistles +whistle-stop +whistle-stopper +whistle-stopping +whistlewing +whistlewood +whistly +whistlike +whistling +whistlingly +whistness +Whistonian +whists +Whit +Whitaker +Whitakers +Whitaturalist +Whitby +whitblow +Whitcher +Whitcomb +White +Whyte +whiteacre +white-acre +white-alder +white-ankled +white-ant +white-anted +white-armed +white-ash +whiteback +white-backed +whitebait +whitebaits +whitebark +white-barked +white-barred +white-beaked +whitebeam +whitebeard +white-bearded +whitebelly +white-bellied +whitebelt +whiteberry +white-berried +whitebill +white-billed +Whitebird +whiteblaze +white-blood +white-blooded +whiteblow +white-blue +white-bodied +Whiteboy +Whiteboyism +Whiteboys +white-bone +white-boned +Whitebook +white-bordered +white-bosomed +whitebottle +white-breasted +white-brick +white-browed +white-brown +white-burning +whitecap +white-capped +whitecapper +whitecapping +whitecaps +white-cell +Whitechapel +white-cheeked +white-chinned +white-churned +white-clad +Whiteclay +white-clothed +whitecoat +white-coated +white-collar +white-colored +whitecomb +whitecorn +white-cotton +white-crested +white-cross +white-crossed +white-crowned +whitecup +whited +whitedamp +white-domed +white-dotted +white-dough +white-ear +white-eared +white-eye +white-eyed +white-eyelid +white-eyes +whiteface +white-faced +white-favored +white-feathered +white-featherism +whitefeet +white-felled +Whitefield +Whitefieldian +Whitefieldism +Whitefieldite +Whitefish +whitefisher +whitefishery +whitefishes +white-flanneled +white-flecked +white-fleshed +whitefly +whiteflies +white-flower +white-flowered +white-flowing +Whitefoot +white-foot +white-footed +whitefootism +Whiteford +white-frilled +white-fringed +white-frocked +white-fronted +white-fruited +white-girdled +white-glittering +white-gloved +white-gray +white-green +white-ground +white-haired +white-hairy +Whitehall +whitehanded +white-handed +white-hard +whitehass +white-hatted +whitehawse +Whitehead +white-headed +whiteheads +whiteheart +white-heart +whitehearted +Whiteheath +white-hoofed +white-hooved +white-horned +Whitehorse +white-horsed +white-hot +Whitehouse +Whitehurst +whitey +whiteys +white-jacketed +white-laced +Whiteland +Whitelaw +white-leaf +white-leaved +white-legged +Whiteley +whitely +white-lie +whitelike +whiteline +white-lined +white-linen +white-lipped +white-list +white-listed +white-livered +white-liveredly +white-liveredness +white-loaf +white-looking +white-maned +white-mantled +white-marked +white-mooned +white-mottled +white-mouthed +white-mustard +whiten +white-necked +whitened +whitener +whiteners +whiteness +whitenesses +whitening +whitenose +white-nosed +whitens +whiteout +whiteouts +Whiteowl +white-painted +white-paneled +white-petaled +white-pickle +white-pine +white-piped +white-plumed +Whitepost +whitepot +whiter +white-rag +white-rayed +white-railed +white-red +white-ribbed +white-ribboned +white-ribboner +white-rinded +white-robed +white-roofed +whiteroot +white-ruffed +whiterump +white-rumped +white-russet +whites +white-salted +whitesark +white-satin +Whitesboro +Whitesburg +whiteseam +white-set +white-sewing +white-shafted +whiteshank +white-sheeted +white-shouldered +Whiteside +white-sided +white-skin +white-skinned +whiteslave +white-slaver +white-slaving +white-sleeved +whitesmith +whitespace +white-spored +white-spotted +whitest +white-stemmed +white-stoled +Whitestone +Whitestown +whitestraits +white-strawed +Whitesville +whitetail +white-tail +white-tailed +whitetails +white-thighed +Whitethorn +whitethroat +white-throated +white-tinned +whitetip +white-tipped +white-tomentose +white-tongued +white-tooth +white-toothed +whitetop +white-topped +white-tufted +white-tusked +white-uniformed +white-veiled +whitevein +white-veined +whiteveins +white-vented +Whiteville +white-way +white-waistcoated +whitewall +white-walled +whitewalls +white-wanded +whitewards +whiteware +whitewash +whitewashed +whitewasher +whitewashes +whitewashing +Whitewater +white-water +white-waving +whiteweed +white-whiskered +white-wig +white-wigged +whitewing +white-winged +Whitewood +white-woolly +whiteworm +whitewort +Whitewright +white-wristed +white-zoned +Whitfield +whitfinch +Whitford +Whitharral +whither +whitherso +whithersoever +whitherto +whitherward +whitherwards +whity +whity-brown +whitier +whities +whitiest +whity-gray +whity-green +whity-yellow +whitin +Whiting +Whitingham +whitings +Whitinsville +whitish +whitish-blue +whitish-brown +whitish-cream +whitish-flowered +whitish-green +whitish-yellow +whitish-lavender +whitishness +whitish-red +whitish-tailed +Whitlam +Whitlash +whitleather +Whitleyism +Whitleyville +whitling +Whitlock +whitlow +whitlows +whitlowwort +Whitman +Whitmanese +Whitmanesque +Whitmanism +Whitmanize +Whitmer +Whitmire +Whitmonday +Whitmore +Whitney +whitneyite +Whitneyville +Whitnell +whitrack +whitracks +whitret +whits +Whitsett +Whitson +whitster +Whitsun +Whitsunday +Whitsuntide +Whitt +Whittaker +whittaw +whittawer +Whittemore +Whitten +whittener +whitter +whitterick +whitters +Whittier +Whittington +whitty-tree +Whittle +whittled +whittler +whittlers +whittles +whittling +whittlings +whittret +whittrets +whittrick +Whit-Tuesday +Whitver +Whitweek +Whit-week +Whitwell +Whitworth +whiz +whizbang +whiz-bang +whi-Zbang +whizbangs +whizgig +whizz +whizzbang +whizz-bang +whizzed +whizzer +whizzerman +whizzers +whizzes +whizziness +whizzing +whizzingly +whizzle +wh-movement +WHO +whoa +whoas +whod +who'd +who-does-what +whodunit +whodunits +whodunnit +whoever +whoever's +WHOI +whole +whole-and-half +whole-backed +whole-bodied +whole-bound +whole-cloth +whole-colored +whole-eared +whole-eyed +whole-feathered +wholefood +whole-footed +whole-headed +wholehearted +whole-hearted +wholeheartedly +wholeheartedness +whole-hog +whole-hogger +whole-hoofed +whole-leaved +whole-length +wholely +wholemeal +whole-minded +whole-mouthed +wholeness +wholenesses +whole-or-none +wholes +whole-sail +wholesale +wholesaled +wholesalely +wholesaleness +wholesaler +wholesalers +wholesales +wholesaling +whole-seas +whole-skinned +wholesome +wholesomely +wholesomeness +wholesomenesses +wholesomer +wholesomest +whole-souled +whole-souledly +whole-souledness +whole-spirited +whole-step +whole-timer +wholetone +wholewheat +whole-wheat +wholewise +whole-witted +wholism +wholisms +wholistic +wholl +who'll +wholly +whom +whomble +whomever +whomp +whomped +whomping +whomps +whomso +whomsoever +Whon +whone +whoo +whoof +whoofed +whoofing +whoofs +whoop +whoop-de-do +whoop-de-doo +whoop-de-dos +whoope +whooped +whoopee +whoopees +whooper +whoopers +whooping +whooping-cough +whoopingly +whoopla +whooplas +whooplike +whoops +whoop-up +whooses +whoosh +whooshed +whooshes +whooshing +whoosy +whoosies +whoosis +whoosises +whoot +whop +whopped +whopper +whoppers +whopping +whops +whorage +whore +who're +whored +whoredom +whoredoms +whorehouse +whorehouses +whoreishly +whoreishness +whorelike +whoremaster +whoremastery +whoremasterly +whoremonger +whoremongering +whoremonging +whores +whore's +whoreship +whoreson +whoresons +whory +whoring +whorish +whorishly +whorishness +whorl +whorle +whorled +whorlflower +whorly +whorlywort +whorls +whorl's +whorry +whort +whortle +whortleberry +whortleberries +whortles +Whorton +whorts +who's +whose +whosen +whosesoever +whosever +whosis +whosises +whoso +whosoever +whosome +whosomever +whosumdever +who've +who-whoop +whr +whs +WHSE +whsle +whsle. +whud +whuff +whuffle +whulk +whulter +whummle +whump +whumped +whumping +whumps +whun +whunstane +whup +whush +whuskie +whussle +whute +whuther +whutter +whuttering +whuz +WI +WY +Wyaconda +Wiak +Wyalusing +Wyandot +Wyandots +Wyandotte +Wyandottes +Wyanet +Wyano +Wyarno +Wyat +Wyatan +Wiatt +Wyatt +Wibaux +wibble +wibble-wabble +wibble-wobble +Wiborg +Wiburg +wicca +wice +wich +wych +wych-elm +Wycherley +Wichern +wiches +wyches +wych-hazel +Wichita +Wichman +wicht +wichtisite +wichtje +wick +Wyck +wickape +wickapes +Wickatunk +wickawee +wicked +wicked-acting +wicked-eyed +wickeder +wickedest +wickedish +wickedly +wickedlike +wicked-looking +wicked-minded +wickedness +wickednesses +wicked-speaking +wicked-tongued +wicken +Wickenburg +wicker +wickerby +wickers +wickerware +wickerwork +wickerworked +wickerworker +wickerworks +wicker-woven +Wickes +wicket +wicketkeep +wicketkeeper +wicketkeeping +wickets +Wickett +wicketwork +Wickham +wicky +wicking +wickings +wickiup +wickyup +wickiups +wickyups +wickless +Wickliffe +Wicklow +Wickman +Wickner +Wyckoff +Wicks +wickthing +wickup +Wiclif +Wycliffe +Wycliffian +Wycliffism +Wycliffist +Wycliffite +wyclifian +Wyclifism +Wyclifite +Wyco +Wycoff +Wycombe +Wicomico +Wiconisco +wicopy +wicopies +wid +widbin +widdendream +widder +widders +widdershins +widdy +widdie +widdies +widdifow +widdle +widdled +widdles +widdling +widdrim +wide +wyde +wide-abounding +wide-accepted +wide-angle +wide-arched +wide-armed +wideawake +wide-awake +wide-a-wake +wide-awakeness +wideband +wide-banked +wide-bottomed +wide-branched +wide-branching +wide-breasted +wide-brimmed +wide-cast +wide-chapped +wide-circling +wide-climbing +wide-consuming +wide-crested +wide-distant +wide-doored +wide-eared +wide-echoing +wide-eyed +wide-elbowed +wide-expanded +wide-expanding +wide-extended +wide-extending +wide-faced +wide-flung +wide-framed +widegab +widegap +wide-gaping +wide-gated +wide-girdled +wide-handed +widehearted +wide-hipped +wide-honored +wide-yawning +wide-imperial +wide-jointed +wide-kneed +wide-lamented +wide-leafed +wide-leaved +widely +wide-lipped +Wideman +wide-met +wide-minded +wide-mindedness +widemouthed +wide-mouthed +widen +wide-necked +widened +Widener +wideners +wideness +widenesses +widening +wide-nosed +widens +wide-open +wide-opened +wide-openly +wide-openness +wide-palmed +wide-patched +wide-permitted +wide-petaled +wide-pledged +wider +Widera +wide-ranging +wide-reaching +wide-realmed +wide-resounding +wide-ribbed +wide-rimmed +wide-rolling +wide-roving +wide-row +widershins +wides +wide-said +wide-sanctioned +wide-screen +wide-seen +wide-set +wide-shaped +wide-shown +wide-skirted +wide-sleeved +wide-sold +wide-soled +wide-sought +wide-spaced +wide-spanned +widespread +wide-spread +wide-spreaded +widespreadedly +widespreading +wide-spreading +widespreadly +widespreadness +widest +wide-straddling +wide-streeted +wide-stretched +wide-stretching +wide-throated +wide-toed +wide-toothed +wide-tracked +wide-veined +wide-wayed +wide-wasting +wide-watered +widewhere +wide-where +wide-winding +wide-winged +widework +widgeon +widgeons +Widgery +widget +widgets +widgie +widish +Widnes +Widnoon +widorror +widow +widow-bench +widow-bird +widowed +widower +widowered +widowerhood +widowery +widowers +widowership +widowhood +widowhoods +widowy +widowing +widowish +widowly +widowlike +widow-maker +widowman +widowmen +widows +widow's-cross +widow-wail +width +widthless +widths +widthway +widthways +widthwise +widu +Widukind +Wie +Wye +Wiebmer +Wieche +wied +wiedersehen +Wiedmann +Wiegenlied +Wieland +wielare +wield +wieldable +wieldableness +wielded +wielder +wielders +wieldy +wieldier +wieldiest +wieldiness +wielding +wields +Wien +Wiencke +Wiener +wieners +wienerwurst +wienie +wienies +Wier +wierangle +wierd +Wieren +Wiersma +wyes +Wiesbaden +Wiese +wiesenboden +Wyeth +Wyethia +Wyeville +wife +wife-awed +wife-beating +wife-bound +wifecarl +wifed +wifedom +wifedoms +wifehood +wifehoods +wife-hunting +wifeism +wifekin +wifeless +wifelessness +wifelet +wifely +wifelier +wifeliest +wifelike +wifeliness +wifeling +wifelkin +wife-ridden +wifes +wife's +wifeship +wifething +wife-to-be +wifeward +wife-worn +wifie +wifiekie +wifing +wifish +wifock +Wig +Wigan +wigans +wigdom +wigeling +wigeon +wigeons +wigful +wigged +wiggen +wigger +wiggery +wiggeries +wiggy +wiggier +wiggiest +Wiggin +wigging +wiggings +Wiggins +wiggish +wiggishness +wiggism +wiggle +wiggled +wiggler +wigglers +wiggles +Wigglesworth +wiggle-tail +wiggle-waggle +wiggle-woggle +wiggly +wigglier +wiggliest +wiggling +wiggly-waggly +wigher +Wight +wightly +Wightman +wightness +wights +wigless +wiglet +wiglets +wiglike +wigmake +wigmaker +wigmakers +wigmaking +Wigner +wigs +wig's +wigtail +Wigtown +Wigtownshire +wigwag +wig-wag +wigwagged +wigwagger +wigwagging +wigwags +wigwam +wigwams +Wihnyk +Wiyat +wiikite +WIYN +Wiyot +wyke +Wykeham +Wykehamical +Wykehamist +Wikeno +Wikieup +wiking +wikiup +wikiups +wikiwiki +Wykoff +Wikstroemia +Wil +Wilbar +Wilber +Wilberforce +Wilbert +Wilbraham +Wilbur +Wilburite +Wilburn +Wilburt +Wilburton +wilco +Wilcoe +Wilcox +wilcoxon +wilcweme +wild +Wyld +Wilda +wild-acting +wild-aimed +wild-and-woolly +wild-ass +wild-billowing +wild-blooded +wild-booming +wildbore +wild-born +wild-brained +wild-bred +wildcard +wildcat +wildcats +wildcat's +wildcatted +wildcatter +wildcatting +wild-chosen +Wilde +Wylde +wildebeest +wildebeeste +wildebeests +wilded +Wildee +wild-eyed +Wilden +Wilder +wildered +wilderedly +wildering +wilderment +Wildermuth +wildern +Wilderness +wildernesses +wilders +Wildersville +wildest +wildfire +wild-fire +wildfires +wild-flying +wildflower +wildflowers +wild-fought +wildfowl +wild-fowl +wildfowler +wild-fowler +wildfowling +wild-fowling +wildfowls +wild-goose +wildgrave +wild-grown +wild-haired +wild-headed +wild-headedness +Wildhorse +Wildie +wilding +wildings +wildish +wildishly +wildishness +wildland +wildly +wildlife +wildlike +wildling +wildlings +wild-looking +wild-made +wildness +wildnesses +wild-notioned +wild-oat +Wildomar +Wildon +Wildorado +wild-phrased +Wildrose +wilds +wildsome +wild-spirited +wild-staring +Wildsville +wildtype +wild-warbling +wild-warring +wild-williams +wildwind +wild-winged +wild-witted +Wildwood +wildwoods +wild-woven +wile +wyle +wiled +wyled +Wileen +wileful +Wiley +Wileyville +Wilek +wileless +Wilen +Wylen +wileproof +Wyler +Wiles +wyles +Wilfred +Wilfreda +Wilfrid +wilful +wilfully +wilfulness +wilga +wilgers +Wilhelm +Wilhelmina +Wilhelmine +Wilhelmshaven +Wilhelmstrasse +Wilhide +Wilhlem +wily +Wyly +wilycoat +Wilie +Wylie +wyliecoat +wilier +wiliest +wilily +wiliness +wilinesses +wiling +wyling +Wilinski +wiliwili +wilk +Wilkey +wilkeite +Wilkens +Wilkes +Wilkesbarre +Wilkesboro +Wilkeson +Wilkesville +Wilkie +wilkin +Wilkins +Wilkinson +Wilkinsonville +Wilkison +Wilkommenn +Will +Willa +Willabel +Willabella +Willabelle +willable +Willacoochee +Willaert +Willamette +Willamina +Willard +Willards +willawa +willble +will-call +will-commanding +Willcox +Willdon +willed +willedness +Willey +willeyer +Willem +willemite +Willemstad +Willendorf +Willene +willer +Willernie +willers +willes +Willesden +Willet +willets +Willett +Willetta +Willette +will-fraught +willful +willfully +willfulness +Willi +Willy +William +williamite +Williams +Williamsburg +Williamsen +Williamsfield +williamsite +Williamson +Williamsonia +Williamsoniaceae +Williamsport +Williamston +Williamstown +Williamsville +willyard +willyart +williche +Willie +Willie-boy +willied +willier +willyer +willies +Wylliesburg +williewaucht +willie-waucht +willie-waught +Williford +willying +Willimantic +willy-mufty +Willin +Willing +Willingboro +willinger +willingest +willinghearted +willinghood +willingly +willingness +willy-nilly +Willis +Willisburg +Williston +Willisville +Willyt +Willits +willy-waa +willy-wagtail +williwau +williwaus +williwaw +willywaw +willy-waw +williwaws +willywaws +willy-wicket +willy-willy +willy-willies +Willkie +will-less +will-lessly +will-lessness +willmaker +willmaking +Willman +Willmar +Willmert +Willms +Willner +willness +Willock +will-o'-the-wisp +will-o-the-wisp +willo'-the-wispy +willo'-the-wispish +Willoughby +Willow +willowbiter +willow-bordered +willow-colored +willow-cone +willowed +willower +willowers +willow-fringed +willow-grown +willowherb +willow-herb +willowy +Willowick +willowier +willowiest +willowiness +willowing +willowish +willow-leaved +willowlike +Willows +willow's +Willowshade +willow-shaded +willow-skirted +Willowstreet +willow-tufted +willow-veiled +willowware +willowweed +willow-wielder +Willowwood +willow-wood +willowworm +willowwort +willow-wort +willpower +willpowers +Wills +Willsboro +Willseyville +Willshire +will-strong +Willtrude +Willugbaeya +Willumsen +will-willet +will-with-the-wisp +will-worship +will-worshiper +Wilma +Wylma +Wilmar +Wilmer +Wilmerding +Wilmette +Wilmington +Wilmingtonian +Wilmont +Wilmore +Wilmot +Wilmott +wilning +Wilno +Wilona +Wilonah +Wilone +Wilow +wilrone +wilroun +Wilsall +Wilscam +Wilsey +Wilseyville +Wilser +Wilshire +Wilsie +wilsome +wilsomely +wilsomeness +Wilson +Wilsonburg +Wilsondale +Wilsonian +Wilsonianism +Wilsonism +Wilsons +Wilsonville +Wilt +wilted +wilter +Wilterdink +wilting +Wilton +wiltproof +Wilts +Wiltsey +Wiltshire +Wiltz +wim +Wyman +Wimauma +Wimberley +wimberry +wimble +wimbled +Wimbledon +wimblelike +wimbles +wimbling +wimbrel +wime +Wymer +wimick +wimlunge +Wymore +wymote +wimp +Wimpy +wimpish +wimple +wimpled +wimpleless +wimplelike +wimpler +wimples +wimpling +wimps +Wimsatt +Win +Wyn +Wina +Winamac +Wynantskill +winare +winberry +winbrow +Winburne +wince +winced +wincey +winceyette +winceys +Wincer +wincers +winces +winch +winched +Winchell +Winchendon +wincher +winchers +winches +Winchester +winching +winchman +winchmen +wincing +wincingly +Winckelmann +wincopipe +Wyncote +Wind +wynd +windable +windage +windages +windas +Windaus +windbag +wind-bag +windbagged +windbaggery +windbags +wind-balanced +wind-balancing +windball +wind-beaten +wind-bell +wind-bells +Windber +windberry +windbibber +windblast +wind-blazing +windblown +wind-blown +windboat +windbore +wind-borne +windbound +wind-bound +windbracing +windbreak +Windbreaker +windbreaks +windbroach +wind-broken +wind-built +windburn +windburned +windburning +windburns +windburnt +windcatcher +wind-changing +wind-chapped +windcheater +windchest +windchill +wind-clipped +windclothes +windcuffer +wind-cutter +wind-delayed +wind-dispersed +winddog +wind-dried +wind-driven +winded +windedly +windedness +wind-egg +windel +Windelband +wind-equator +Winder +Windermere +windermost +winder-on +winders +Windesheimer +wind-exposed +windfall +windfallen +windfalls +wind-fanned +windfanner +wind-fast +wind-fertilization +wind-fertilized +windfirm +windfish +windfishes +windflaw +windflaws +windflower +wind-flower +windflowers +wind-flowing +wind-footed +wind-force +windgall +wind-gall +windgalled +windgalls +wind-god +wind-grass +wind-guage +wind-gun +Windham +Wyndham +Windhoek +windhole +windhover +wind-hungry +Windy +windy-aisled +windy-blowing +windy-clear +windier +windiest +windy-footed +windigo +windigos +windy-headed +windily +windill +windy-looking +windy-mouthed +windiness +winding +windingly +windingness +windings +winding-sheet +wind-instrument +wind-instrumental +wind-instrumentalist +Windyville +windy-voiced +windy-worded +windjam +windjammer +windjammers +windjamming +wind-laid +wind-lashed +windlass +windlassed +windlasser +windlasses +windlassing +windle +windled +windles +windless +windlessly +windlessness +windlestrae +windlestraw +windlike +windlin +windling +windlings +wind-making +Wyndmere +windmill +windmilled +windmilly +windmilling +windmill-like +windmills +windmill's +wind-nodding +wind-obeying +windock +Windom +windore +wind-outspeeding +window +window-breaking +window-broken +window-cleaning +window-dress +window-dresser +window-dressing +windowed +window-efficiency +windowful +windowy +windowing +windowless +windowlessness +windowlet +windowlight +windowlike +windowmaker +windowmaking +windowman +window-opening +windowpane +windowpanes +windowpeeper +window-rattling +windows +window's +windowshade +window-shop +windowshopped +window-shopper +windowshopping +window-shopping +windowshut +windowsill +window-smashing +window-ventilating +windowward +windowwards +windowwise +wind-parted +windpipe +windpipes +windplayer +wind-pollinated +wind-pollination +windproof +wind-propelled +wind-puff +wind-puffed +wind-raising +wind-rent +windring +windroad +windrode +wind-rode +windroot +windrow +windrowed +windrower +windrowing +windrows +winds +wynds +windsail +windsailor +wind-scattered +windscoop +windscreen +wind-screen +windshake +wind-shake +wind-shaken +windshield +windshields +wind-shift +windship +windshock +windslab +windsock +windsocks +Windsor +windsorite +windstorm +windstorms +windstream +wind-struck +wind-stuffed +windsucker +wind-sucking +windsurf +windswept +wind-swept +wind-swift +wind-swung +wind-taut +Windthorst +windtight +wind-toned +windup +wind-up +windups +windway +windways +windwayward +windwaywardly +wind-wandering +windward +windwardly +windwardmost +windwardness +windwards +wind-waved +wind-waving +wind-whipped +wind-wing +wind-winged +wind-worn +windz +Windzer +wine +Wyne +wineball +Winebaum +wineberry +wineberries +winebibber +winebibbery +winebibbing +Winebrennerian +wine-bright +wine-colored +wineconner +wine-cooler +wine-crowned +wine-cup +wined +wine-dark +wine-drabbed +winedraf +wine-drinking +wine-driven +wine-drunken +wineglass +wineglasses +wineglassful +wineglassfuls +winegrower +winegrowing +wine-hardy +wine-heated +winehouse +wine-house +winey +wineyard +wineier +wineiest +wine-yielding +wine-inspired +wine-laden +wineless +winelike +winemay +winemake +winemaker +winemaking +winemaster +wine-merry +winepot +winepress +wine-press +winepresser +wine-producing +Winer +Wyner +wine-red +winery +wineries +winers +wines +Winesap +Winesburg +wine-selling +wine-shaken +wineshop +wineshops +wineskin +wineskins +wine-soaked +winesop +winesops +wine-stained +wine-stuffed +wine-swilling +winetaster +winetasting +wine-tinged +winetree +winevat +wine-wise +Winfall +Winfield +Winfred +winfree +Winfrid +winful +Wing +wingable +wingate +wingback +wingbacks +wingbeat +wing-borne +wingbow +wingbows +wing-broken +wing-case +wing-clipped +wingcut +Wingdale +wingding +wing-ding +wingdings +winged +winged-footed +winged-heeled +winged-leaved +wingedly +wingedness +Winger +wingers +wingfish +wingfishes +wing-footed +winghanded +wing-hoofed +wingy +wingier +wingiest +Wingina +winging +wingle +wing-leafed +wing-leaved +wingless +winglessness +winglet +winglets +winglike +wing-limed +wing-loose +wing-maimed +wingman +wingmanship +wing-margined +wingmen +Wingo +wingover +wingovers +wingpiece +wingpost +wings +wingseed +wing-shaped +wing-slot +wingspan +wingspans +wingspread +wingspreads +wingstem +wing-swift +wingtip +wing-tip +wing-tipped +wingtips +wing-weary +wing-wearily +wing-weariness +wing-wide +Wini +winy +winier +winiest +Winifield +Winifred +Winifrede +Winigan +Winikka +wining +winish +wink +winked +winkel +Winkelman +Winkelried +winker +winkered +wynkernel +winkers +winking +winkingly +winkle +winkled +winklehawk +winklehole +winkle-pickers +winkles +winklet +winkling +winklot +winks +winless +winlestrae +winly +Winlock +Winn +Wynn +Winna +winnable +Winnabow +Winnah +winnard +Wynnburg +Winne +Wynne +Winnebago +Winnebagos +Winneconne +Winnecowet +winned +winnel +winnelstrae +Winnemucca +Winnepesaukee +Winner +winners +winner's +Winnetka +Winnetoon +Winnett +Wynnewood +Winnfield +Winni +Winny +Wynny +Winnick +Winnie +Wynnie +Winnifred +winning +winningly +winningness +winnings +winninish +Winnipeg +Winnipegger +Winnipegosis +Winnipesaukee +Winnisquam +winnle +winnock +winnocks +winnonish +winnow +winnow-corb +winnowed +winnower +winnowers +winnowing +winnowingly +winnows +wynns +Winnsboro +wino +winoes +Winograd +Winola +Winona +Wynona +Winonah +Winooski +winos +Wynot +Winou +winrace +wynris +winrow +WINS +wyns +Winser +Winshell +Winside +Winslow +Winsome +winsomely +winsomeness +winsomenesses +winsomer +winsomest +Winson +Winsor +Winsted +winster +Winston +Winstonn +Winston-Salem +Winstonville +wint +Winter +Winteraceae +winterage +Winteranaceae +winter-beaten +winterberry +winter-blasted +winterbloom +winter-blooming +winter-boding +Winterbottom +winterbound +winter-bound +winterbourne +winter-chilled +winter-clad +wintercreeper +winter-damaged +winterdykes +wintered +winterer +winterers +winter-fattened +winterfed +winter-fed +winterfeed +winterfeeding +winter-felled +winterffed +winter-flowering +winter-gladdening +winter-gray +wintergreen +wintergreens +winter-ground +winter-grown +winter-habited +winterhain +winter-hardened +winter-hardy +winter-house +wintery +winterier +winteriest +wintering +winterish +winterishly +winterishness +winterization +winterize +winterized +winterizes +winterizing +winterkill +winter-kill +winterkilled +winterkilling +winterkills +winterless +winterly +winterlike +winterliness +winterling +winter-long +winter-love +winter-loving +winter-made +winter-old +Winterport +winterproof +winter-proof +winter-proud +winter-pruned +winter-quarter +winter-reared +winter-rig +winter-ripening +Winters +winter-seeming +Winterset +winter-shaken +wintersome +winter-sown +winter-standing +winter-starved +Wintersville +winter-swollen +winter-thin +Winterthur +wintertide +wintertime +wintertimes +winter-verging +Winterville +winter-visaged +winterward +winterwards +winter-wasted +winterweed +winterweight +winter-withered +winter-worn +Winther +Winthorpe +Winthrop +wintle +wintled +wintles +wintling +Winton +wintry +wintrier +wintriest +wintrify +wintrily +wintriness +wintrish +wintrous +Wintun +Winwaloe +winze +winzeman +winzemen +winzes +Winzler +Wyo +Wyo. +Wyocena +Wyola +Wyoming +Wyomingite +Wyomissing +Wyon +Wiota +WIP +wipe +wype +wiped +wipe-off +wipeout +wipeouts +wiper +wipers +wipes +wiping +WIPO +wippen +wips +wipstock +wir +Wira +wirable +wirble +wird +Wyrd +wire +wirebar +wire-bending +wirebird +wire-blocking +wire-borne +wire-bound +wire-brushing +wire-caged +wire-cloth +wire-coiling +wire-crimping +wire-cut +wirecutters +wired +wiredancer +wiredancing +wiredraw +wire-draw +wiredrawer +wire-drawer +wiredrawing +wiredrawn +wire-drawn +wiredraws +wiredrew +wire-edged +wire-feed +wire-feeding +wire-flattening +wire-galvanizing +wire-gauge +wiregrass +wire-grass +wire-guarded +wirehair +wirehaired +wire-haired +wirehairs +wire-hung +wire-insulating +wireless +wirelessed +wirelesses +wirelessing +wirelessly +wirelessness +wirelike +wiremaker +wiremaking +wireman +wire-measuring +wiremen +wire-mended +wiremonger +wire-netted +Wirephoto +Wirephotoed +Wirephotoing +Wirephotos +wire-pointing +wirepull +wire-pull +wirepuller +wire-puller +wirepullers +wirepulling +wire-pulling +wirer +wire-record +wire-rolling +wirers +wires +wire-safed +wire-sewed +wire-sewn +wire-shafted +wiresmith +wiresonde +wirespun +wire-spun +wirestitched +wire-stitched +wire-straightening +wire-stranding +wire-stretching +wire-stringed +wire-strung +wiretail +wire-tailed +wiretap +wiretapped +wiretapper +wiretappers +wiretapping +wiretaps +wiretap's +wire-testing +wire-tightening +wire-tinning +wire-toothed +wireway +wireways +wirewalker +wireweed +wire-wheeled +wire-winding +wirework +wireworker +wire-worker +wireworking +wireworks +wireworm +wireworms +wire-wound +wire-wove +wire-woven +wiry +wiry-brown +wiry-coated +wirier +wiriest +wiry-haired +wiry-leaved +wirily +wiry-looking +wiriness +wirinesses +wiring +wirings +wiry-stemmed +wiry-voiced +wirl +wirling +wyrock +Wiros +wirr +wirra +wirrah +Wirral +wirrasthru +Wirth +Wirtz +WIS +Wis. +Wisacky +Wisby +Wisc +Wiscasset +Wisconsin +Wisconsinite +wisconsinites +Wisd +Wisd. +wisdom +wisdom-bred +wisdomful +wisdom-given +wisdom-giving +wisdom-led +wisdomless +wisdom-loving +wisdomproof +wisdoms +wisdom-seasoned +wisdom-seeking +wisdomship +wisdom-teaching +wisdom-working +wise +wiseacre +wiseacred +wiseacredness +wiseacredom +wiseacreish +wiseacreishness +wiseacreism +wiseacres +wiseass +wise-ass +wise-bold +wisecrack +wisecracked +wisecracker +wisecrackery +wisecrackers +wisecracking +wisecracks +wised +wise-framed +wiseguy +wise-hardy +wisehead +wise-headed +wise-heart +wisehearted +wiseheartedly +wiseheimer +wise-judging +wisely +wiselier +wiseliest +wiselike +wiseling +wise-lipped +Wiseman +wisen +wiseness +wisenesses +wisenheimer +wisent +wisents +wiser +wise-reflecting +wises +wise-said +wise-spoken +wisest +wise-valiant +wiseweed +wisewoman +wisewomen +wise-worded +wish +wisha +wishable +wishbone +wishbones +wish-bringer +wished +wished-for +wishedly +Wishek +wisher +wishers +wishes +wishful +wish-fulfilling +wish-fulfillment +wishfully +wishfulness +wish-giver +wishy +wishing +wishingly +wishy-washy +wishy-washily +wishy-washiness +wishless +wishly +wishmay +wish-maiden +wishness +Wishoskan +Wishram +wisht +wishtonwish +wish-wash +wish-washy +Wisigothic +wising +WYSIWYG +WYSIWIS +wisket +Wiskind +wisking +wiskinky +wiskinkie +Wisla +Wismar +wismuth +Wisner +Wisnicki +wyson +Wysox +wisp +wisped +wispy +wispier +wispiest +wispily +wispiness +wisping +wispish +wisplike +wisps +wisp's +wiss +wyss +wisse +wissed +wissel +wisses +wisshe +wissing +wissle +Wissler +wist +Wystand +Wistaria +wistarias +wiste +wisted +wistened +Wister +Wisteria +wisterias +wistful +wistful-eyed +wistfully +wistfulness +wistfulnesses +wysty +wisting +wistit +wistiti +wistless +wistlessness +wistly +wistonwish +Wistrup +wists +wisure +WIT +wit-abused +witan +wit-assailing +wit-beaten +Witbooi +witch +witchbells +witchbroom +witch-charmed +witchcraft +witchcrafts +witch-doctor +witched +witchedly +witch-elm +witchen +Witcher +witchercully +witchery +witcheries +witchering +wit-cherishing +witches +witches'-besom +witches'-broom +witchet +witchetty +witch-finder +witch-finding +witchgrass +witch-held +witchhood +witch-hunt +witch-hunter +witch-hunting +witchy +witchier +witchiest +witching +witchingly +witchings +witchleaf +witchlike +witchman +witchmonger +witch-ridden +witch-stricken +witch-struck +witchuck +witchweed +witchwife +witchwoman +witch-woman +witchwood +witchwork +wit-crack +wit-cracker +witcraft +wit-drawn +wite +wyte +wited +wyted +witeless +witen +witenagemot +witenagemote +witepenny +witereden +wites +wytes +witess +wit-foundered +wit-fraught +witful +wit-gracing +with +with- +Witha +withal +witham +withamite +Withams +Withania +withbeg +withcall +withdaw +withdraught +withdraw +withdrawable +withdrawal +withdrawals +withdrawal's +withdrawer +withdrawing +withdrawingness +withdrawment +withdrawn +with-drawn +withdrawnness +withdraws +withdrew +withe +withed +Withee +withen +Wither +witherband +Witherbee +witherblench +withercraft +witherdeed +withered +witheredly +witheredness +witherer +witherers +withergloom +withery +withering +witheringly +witherite +witherly +witherling +withernam +Withers +withershins +Witherspoon +withertip +witherwards +witherweight +wither-wrung +withes +Wytheville +withewood +withgang +withgate +withheld +withhele +withhie +withhold +withholdable +withholdal +withholden +withholder +withholders +withholding +withholdings +withholdment +withholds +withy +withy-bound +withier +withies +withiest +within +within-bound +within-door +withindoors +withinforth +withing +within-named +withins +withinside +withinsides +withinward +withinwards +withypot +with-it +withywind +withy-woody +withnay +withness +withnim +witholden +without +withoutdoors +withouten +withoutforth +withouts +withoutside +withoutwards +withsay +withsayer +withsave +withsaw +withset +withslip +withspar +withstay +withstand +withstander +withstanding +withstandingness +withstands +withstood +withstrain +withtake +withtee +withturn +withvine +withwind +wit-infusing +witing +wyting +witjar +Witkin +witless +witlessly +witlessness +witlessnesses +witlet +witling +witlings +witloof +witloofs +witlosen +wit-loving +wit-masked +Witmer +witmonger +witney +witneyer +witneys +witness +witnessable +witness-box +witnessdom +witnessed +witnesser +witnessers +witnesses +witnesseth +witnessing +wit-offended +Wytopitlock +wit-oppressing +Witoto +wit-pointed +WITS +wit's +witsafe +wit-salted +witship +wit-snapper +wit-starved +wit-stung +Witt +wittal +wittall +wittawer +Witte +witteboom +witted +wittedness +Wittekind +Witten +Wittenberg +Wittenburg +Wittensville +Witter +wittering +witterly +witterness +Wittgenstein +Wittgensteinian +Witty +witty-brained +witticaster +wittichenite +witticism +witticisms +witticize +witty-conceited +Wittie +wittier +wittiest +witty-feigned +wittified +wittily +wittiness +wittinesses +witting +wittingite +wittingly +wittings +witty-pated +witty-pretty +witty-worded +Wittman +Wittmann +wittol +wittolly +wittols +wittome +Witumki +witwall +witwanton +Witwatersrand +witword +witworm +wit-worn +witzchoura +wive +wyve +wived +wiver +wyver +wivern +wyvern +wiverns +wyverns +wivers +wives +Wivestad +Wivina +Wivinah +wiving +Wivinia +wiwi +wi-wi +Wixom +Wixted +wiz +wizard +wizardess +wizardism +wizardly +wizardlike +wizardry +wizardries +wizards +wizard's +wizardship +wizard-woven +wizen +wizened +wizenedness +wizen-faced +wizen-hearted +wizening +wizens +wizes +wizier +wizzen +wizzens +wjc +wk +wk. +wkly +wkly. +WKS +WL +Wladyslaw +wlatful +wlatsome +wlecche +wlench +wlity +WLM +wloka +wlonkhede +WM +WMC +wmk +wmk. +WMO +WMSCR +WNN +WNP +WNW +WO +woa +woad +woaded +woader +woady +woad-leaved +woadman +woad-painted +woads +woadwax +woadwaxen +woadwaxes +woak +woald +woalds +woan +wob +wobbegong +wobble +wobbled +wobbler +wobblers +wobbles +Wobbly +wobblier +Wobblies +wobbliest +wobbliness +wobbling +wobblingly +wobegone +wobegoneness +wobegonish +wobster +Woburn +wocas +wocheinite +Wochua +wod +Wodan +woddie +wode +wodeleie +Woden +Wodenism +wodge +wodges +wodgy +woe +woe-begetting +woebegone +woe-begone +woebegoneness +woebegonish +woe-beseen +woe-bested +woe-betrothed +woe-boding +woe-dejected +woe-delighted +woe-denouncing +woe-destined +woe-embroidered +woe-enwrapped +woe-exhausted +woefare +woe-foreboding +woe-fraught +woeful +woefuller +woefullest +woefully +woefulness +woeful-wan +woe-grim +Woehick +woehlerite +woe-humbled +woe-illumed +woe-infirmed +woe-laden +woe-maddened +woeness +woenesses +woe-revolving +Woermer +woes +woe-scorning +woesome +woe-sprung +woe-stricken +woe-struck +woe-surcharged +woe-threatened +woe-tied +woevine +woe-weary +woe-wearied +woe-wedded +woe-whelmed +woeworn +woe-wrinkled +Woffington +woffler +woft +woful +wofully +wofulness +wog +woggle +woghness +wogiet +wogs +wogul +Wogulian +wohlac +Wohlen +wohlerite +Wohlert +woy +Woyaway +woibe +woidre +woilie +Wojak +Wojcik +wok +wokas +woke +woken +Woking +wokowi +woks +Wolbach +Wolbrom +Wolcott +Wolcottville +wold +woldes +woldy +woldlike +Wolds +woldsman +woleai +Wolenik +Wolf +wolfachite +wolfbane +wolf-begotten +wolfberry +wolfberries +wolf-boy +wolf-child +wolf-children +Wolfcoal +wolf-colored +wolf-dog +wolfdom +Wolfe +Wolfeboro +wolfed +wolf-eel +wolf-eyed +wolfen +wolfer +wolfers +Wolff +Wolffia +Wolffian +Wolffianism +wolffish +wolffishes +Wolfforth +Wolfgang +wolf-gray +Wolfgram +wolf-haunted +wolf-headed +wolfhood +wolfhound +wolf-hound +wolfhounds +wolf-hunting +Wolfy +Wolfian +Wolfie +wolfing +wolfish +wolfishly +wolfishness +Wolfit +wolfkin +wolfless +wolflike +wolfling +wolfman +Wolf-man +wolfmen +wolf-moved +Wolford +Wolfort +Wolfpen +Wolfram +wolframate +wolframic +wolframine +wolframinium +wolframite +wolframium +wolframs +wolfs +wolfsbane +wolf's-bane +wolfsbanes +wolfsbergite +Wolfsburg +wolf-scaring +wolf-shaped +wolf's-head +wolfskin +wolf-slaying +wolf'smilk +Wolfson +wolf-suckled +Wolftown +wolfward +wolfwards +Wolgast +Wolk +Woll +Wollaston +wollastonite +wolly +Wollis +wollock +wollomai +Wollongong +wollop +Wolof +Wolpert +Wolsey +Wolseley +Wolsky +wolter +wolve +wolveboon +wolver +wolverene +Wolverhampton +Wolverine +wolverines +wolvers +Wolverton +wolves +wolvish +Womack +woman +woman-bearing +womanbody +womanbodies +woman-born +woman-bred +woman-built +woman-child +woman-churching +woman-conquered +woman-daunted +woman-degrading +woman-despising +womandom +woman-easy +womaned +woman-faced +woman-fair +woman-fashion +woman-flogging +womanfolk +womanfully +woman-governed +woman-grown +woman-hater +woman-hating +womanhead +woman-headed +womanhearted +womanhood +womanhoods +womanhouse +womaning +womanise +womanised +womanises +womanish +womanishly +womanishness +womanising +womanism +womanist +womanity +womanization +womanize +womanized +womanizer +womanizers +womanizes +womanizing +womankind +womankinds +womanless +womanly +womanlier +womanliest +womanlihood +womanlike +womanlikeness +womanliness +womanlinesses +woman-loving +woman-mad +woman-made +woman-man +womanmuckle +woman-murdering +womanness +womanpost +womanpower +womanproof +woman-proud +woman-ridden +womans +woman's +woman-servant +woman-shy +womanship +woman-suffrage +woman-suffragist +woman-tended +woman-vested +womanways +woman-wary +womanwise +womb +wombat +wombats +wombed +womb-enclosed +womby +wombier +wombiest +womble +womb-lodged +wombs +womb's +wombside +wombstone +Womelsdorf +women +womenfolk +womenfolks +womenkind +women's +womenswear +womera +womerah +womeras +wommala +wommera +wommerah +wommerala +wommeras +womp +womplit +womps +Won +Wonacott +Wonalancet +Wonder +wonder-beaming +wonder-bearing +wonderberry +wonderberries +wonderbright +wonder-charmed +wondercraft +wonderdeed +wonder-dumb +wondered +wonderer +wonderers +wonder-exciting +wonder-fed +wonderful +wonderfuller +wonderfully +wonderfulness +wonderfulnesses +wonder-hiding +wondering +wonderingly +wonderland +wonderlandish +wonderlands +wonderless +wonderlessness +wonder-loving +wonderment +wonderments +wonder-mocking +wondermonger +wondermongering +wonder-promising +wonder-raising +wonders +wonder-seeking +wonder-sharing +wonder-smit +wondersmith +wonder-smitten +wondersome +wonder-stirring +wonder-stricken +wonder-striking +wonderstrong +wonderstruck +wonder-struck +wonder-teeming +wonder-waiting +wonderwell +wonderwoman +wonderwork +wonder-work +wonder-worker +wonder-working +wonderworthy +wonder-wounded +wonder-writing +wondie +wondrous +wondrously +wondrousness +wondrousnesses +wone +wonegan +Wonewoc +Wong +wonga +wongah +Wongara +wonga-wonga +wongen +wongshy +wongsky +woning +wonk +wonky +wonkier +wonkiest +wonks +wonna +wonned +wonner +wonners +Wonnie +wonning +wonnot +wons +Wonsan +wont +won't +wont-believer +wonted +wontedly +wontedness +wonting +wont-learn +wontless +wonton +wontons +wonts +wont-wait +wont-work +Woo +wooable +Wood +Woodacre +woodagate +Woodall +Woodard +woodbark +Woodberry +woodbin +woodbind +woodbinds +Woodbine +woodbine-clad +woodbine-covered +woodbined +woodbines +woodbine-wrought +woodbins +woodblock +wood-block +woodblocks +woodborer +wood-boring +wood-born +woodbound +Woodbourne +woodbox +woodboxes +wood-bred +Woodbridge +wood-built +Woodbury +woodburytype +Woodburn +woodburning +woodbush +woodcarver +wood-carver +woodcarvers +woodcarving +woodcarvings +wood-cased +woodchat +woodchats +woodchopper +woodchoppers +woodchopping +woodchuck +woodchucks +woodchuck's +woodcoc +Woodcock +woodcockize +woodcocks +woodcock's +woodcracker +woodcraf +woodcraft +woodcrafter +woodcrafty +woodcraftiness +woodcrafts +woodcraftsman +woodcreeper +wood-crowned +woodcut +woodcuts +woodcutter +wood-cutter +woodcutters +woodcutting +Wooddale +wood-dried +wood-dwelling +wood-eating +wooded +wood-embosomed +wood-embossing +Wooden +wooden-barred +wooden-bottom +wood-encumbered +woodendite +woodener +woodenest +wooden-faced +wooden-featured +woodenhead +woodenheaded +wooden-headed +woodenheadedness +wooden-headedness +wooden-hooped +wooden-hulled +woodeny +wooden-legged +woodenly +wooden-lined +woodenness +woodennesses +wooden-pinned +wooden-posted +wooden-seated +wooden-shoed +wooden-sided +wooden-soled +wooden-tined +wooden-walled +woodenware +woodenweary +wooden-wheeled +wood-faced +woodfall +wood-fibered +Woodfield +woodfish +Woodford +wood-fringed +woodgeld +wood-girt +woodgrain +woodgraining +woodgrouse +woodgrub +woodhack +woodhacker +Woodhead +woodhen +wood-hen +woodhens +woodhewer +wood-hewing +woodhole +wood-hooped +woodhorse +Woodhouse +woodhouses +Woodhull +woodhung +Woody +woodyard +Woodie +woodier +woodies +woodiest +woodine +woodiness +woodinesses +wooding +Woodinville +woodish +woody-stemmed +woodjobber +wood-keyed +woodkern +wood-kern +woodknacker +Woodlake +woodland +woodlander +woodlands +woodlark +woodlarks +Woodlawn +Woodleaf +Woodley +woodless +woodlessness +woodlet +woodly +woodlike +Woodlyn +woodlind +wood-lined +woodlocked +woodlore +woodlores +woodlot +woodlots +woodlouse +wood-louse +woodmaid +Woodman +woodmancraft +woodmanship +wood-mat +woodmen +Woodmere +woodmonger +woodmote +wood-nep +woodness +wood-nymph +woodnote +wood-note +woodnotes +woodoo +wood-paneled +wood-paved +woodpeck +woodpecker +woodpeckers +woodpecker's +woodpenny +wood-pigeon +woodpile +woodpiles +wood-planing +woodprint +wood-queest +wood-quest +woodranger +woodreed +woodreeve +woodrick +woodrime +Woodring +wood-rip +woodris +woodrock +woodroof +wood-roofed +Woodrow +woodrowel +Woodruff +woodruffs +woodrush +Woods +Woodsboro +woodscrew +Woodscross +wood-sear +Woodser +woodsere +Woodsfield +wood-sheathed +woodshed +woodshedde +woodshedded +woodsheddi +woodshedding +woodsheds +woodship +woodshock +Woodshole +woodshop +woodsy +Woodsia +woodsias +woodside +woodsier +woodsiest +woodsilver +woodskin +wood-skirted +woodsman +woodsmen +Woodson +woodsorrel +wood-sour +wood-spirit +woodspite +Woodstock +wood-stock +Woodston +woodstone +Woodstown +Woodsum +Woodsville +wood-swallow +woodturner +woodturning +wood-turning +Woodville +woodwale +woodwall +wood-walled +Woodward +Woodwardia +woodwardship +woodware +woodwax +woodwaxen +woodwaxes +woodwind +woodwinds +woodwise +woodwork +woodworker +woodworking +woodworks +woodworm +woodworms +Woodworth +woodwose +woodwright +wooed +wooer +wooer-bab +wooers +woof +woofed +woofell +woofer +woofers +woofy +woofing +woofs +woohoo +wooing +wooingly +wool +wool-backed +wool-bearing +wool-bundling +wool-burring +wool-cleaning +wool-clipper +wool-coming +Woolcott +woold +woolded +woolder +wool-dyed +woolding +Wooldridge +wool-drying +wool-eating +wooled +woolen +woolen-clad +woolenet +woolenette +woolen-frocked +woolenization +woolenize +woolens +woolen-stockinged +wooler +woolers +woolert +Woolf +woolfell +woolfells +wool-flock +Woolford +wool-fringed +woolgather +wool-gather +woolgatherer +woolgathering +wool-gathering +woolgatherings +woolgrower +woolgrowing +wool-growing +woolhat +woolhats +woolhead +wool-hetchel +wooly +woolie +woolier +woolies +wooliest +wooly-headed +wooliness +wool-laden +woolled +Woolley +woollen +woollen-draper +woollenize +woollens +woolly +woollybutt +woolly-butted +woolly-coated +woollier +woollies +woolliest +woolly-haired +woolly-haried +woollyhead +woolly-head +woolly-headed +woolly-headedness +woollyish +woollike +woolly-leaved +woolly-looking +woolly-minded +woolly-mindedness +wool-lined +woolliness +woolly-pated +woolly-podded +woolly-tailed +woolly-white +woolly-witted +Woollum +woolman +woolmen +wool-oerburdened +woolpack +wool-pack +wool-packing +woolpacks +wool-pated +wool-picking +woolpress +wool-producing +wool-rearing +Woolrich +wools +woolsack +woolsacks +woolsaw +woolsey +woolshearer +woolshearing +woolshears +woolshed +woolsheds +woolskin +woolskins +Woolson +woolsorter +woolsorting +woolsower +wool-staple +woolstapling +wool-stapling +Woolstock +woolulose +Woolwa +woolward +woolwasher +woolweed +woolwheel +wool-white +Woolwich +woolwinder +Woolwine +wool-witted +wool-woofed +woolwork +wool-work +woolworker +woolworking +Woolworth +woom +woomer +Woomera +woomerah +woomerang +woomeras +woomp +woomping +woon +woons +Woonsocket +woops +woopsed +woopses +woopsing +woorali +wooralis +woorari +wooraris +woordbook +woos +woosh +wooshed +wooshes +wooshing +Wooster +Woosung +Wootan +Woothen +Wooton +Wootten +wootz +woozy +woozier +wooziest +woozily +wooziness +woozinesses +woozle +wop +woppish +WOPR +wops +wopsy +worble +Worcester +Worcestershire +Word +wordable +wordably +wordage +wordages +word-beat +word-blind +wordbook +word-book +wordbooks +word-bound +wordbreak +word-breaking +wordbuilding +word-catcher +word-catching +word-charged +word-clad +word-coiner +word-compelling +word-conjuring +wordcraft +wordcraftsman +word-deaf +word-dearthing +word-driven +worded +Worden +worder +word-formation +word-for-word +word-group +wordhoard +word-hoard +wordy +wordier +wordiers +wordiest +wordily +wordiness +wordinesses +wording +wordings +wordish +wordishly +wordishness +word-jobber +word-juggling +word-keeping +wordle +wordlength +wordless +wordlessly +wordlessness +wordlier +wordlike +wordlore +word-lore +wordlorist +wordmaker +wordmaking +wordman +wordmanship +wordmen +wordmonger +wordmongery +wordmongering +wordness +word-of +word-of-mouth +word-paint +word-painting +wordperfect +word-perfect +word-pity +wordplay +wordplays +wordprocessors +words +word's +word-seller +word-selling +word-slinger +word-slinging +wordsman +wordsmanship +wordsmen +wordsmith +wordspinner +wordspite +word-splitting +wordstar +wordster +word-stock +Wordsworth +Wordsworthian +Wordsworthianism +word-wounded +wore +Work +workability +workable +workableness +workablenesses +workably +workaday +workaholic +workaholics +workaholism +work-and-tumble +work-and-turn +work-and-twist +work-and-whirl +workaway +workbag +workbags +workbank +workbasket +workbaskets +workbench +workbenches +workbench's +workboat +workboats +workbook +workbooks +workbook's +workbox +workboxes +workbrittle +workday +work-day +workdays +worked +worked-up +worker +worker-correspondent +worker-guard +worker-priest +workers +workfare +workfellow +workfile +workfolk +workfolks +workforce +workful +workgirl +workhand +work-harden +work-hardened +workhorse +workhorses +workhorse's +work-hour +workhouse +workhoused +workhouses +worky +workyard +working +working-class +working-day +workingly +workingman +working-man +workingmen +working-out +workings +workingwoman +workingwomen +workingwonan +workless +worklessness +workload +workloads +workloom +workman +workmanly +workmanlike +workmanlikeness +workmanliness +workmanship +workmanships +workmaster +work-master +workmate +workmen +workmistress +workout +workouts +workpan +workpeople +workpiece +workplace +work-producing +workroom +workrooms +works +work-seeking +worksheet +worksheets +workshy +work-shy +work-shyness +workship +workshop +workshops +workshop's +worksome +Worksop +workspace +work-stained +workstand +workstation +workstations +work-stopper +work-study +worktable +worktables +worktime +workup +work-up +workups +workways +work-wan +work-weary +workweek +workweeks +workwise +workwoman +workwomanly +workwomanlike +workwomen +work-worn +Worl +Worland +world +world-abhorring +world-abiding +world-abstracted +world-accepted +world-acknowledged +world-adored +world-adorning +world-advancing +world-advertised +world-affecting +world-agitating +world-alarming +world-altering +world-amazing +world-amusing +world-animating +world-anticipated +world-applauded +world-appreciated +world-apprehended +world-approved +world-argued +world-arousing +world-arresting +world-assuring +world-astonishing +worldaught +world-authorized +world-awed +world-barred +worldbeater +world-beater +worldbeaters +world-beating +world-beheld +world-beloved +world-beset +world-borne +world-bound +world-braving +world-broken +world-bruised +world-building +world-burdened +world-busied +world-canvassed +world-captivating +world-celebrated +world-censored +world-censured +world-challenging +world-changing +world-charming +world-cheering +world-choking +world-chosen +world-circling +world-circulated +world-civilizing +world-classifying +world-cleansing +world-comforting +world-commanding +world-commended +world-compassing +world-compelling +world-condemned +world-confounding +world-connecting +world-conquering +world-conscious +world-consciousness +world-constituted +world-consuming +world-contemning +world-contracting +world-contrasting +world-controlling +world-converting +world-copied +world-corrupted +world-corrupting +world-covering +world-creating +world-credited +world-crippling +world-crowding +world-crushed +world-deaf +world-debated +world-deceiving +world-deep +world-defying +world-delighting +world-delivering +world-demanded +world-denying +world-depleting +world-depressing +world-describing +world-deserting +world-desired +world-desolation +world-despising +world-destroying +world-detached +world-detesting +world-devouring +world-diminishing +world-directing +world-disappointing +world-discovering +world-discussed +world-disgracing +world-dissolving +world-distributed +world-disturbing +world-divided +world-dividing +world-dominating +world-dreaded +world-dwelling +world-echoed +worlded +world-educating +world-embracing +world-eminent +world-encircling +world-ending +world-enlarging +world-enlightening +world-entangled +world-enveloping +world-envied +world-esteemed +world-excelling +world-exciting +world-famed +world-familiar +world-famous +world-favored +world-fearing +world-felt +world-forgetting +world-forgotten +world-forming +world-forsaken +world-forsaking +world-fretted +worldful +world-girdling +world-gladdening +world-governing +world-grasping +world-great +world-grieving +world-hailed +world-hardened +world-hating +world-heating +world-helping +world-honored +world-horrifying +world-humiliating +worldy +world-imagining +world-improving +world-infected +world-informing +world-involving +worldish +world-jaded +world-jeweled +world-joining +world-kindling +world-knowing +world-known +world-lamented +world-lasting +world-leading +worldless +worldlet +world-leveling +worldly +worldlier +worldliest +world-lighting +worldlike +worldlily +worldly-minded +worldly-mindedly +worldly-mindedness +world-line +worldliness +worldlinesses +worldling +worldlings +world-linking +worldly-wise +world-long +world-loving +world-mad +world-made +worldmaker +worldmaking +worldman +world-marked +world-mastering +world-melting +world-menacing +world-missed +world-mocking +world-mourned +world-moving +world-naming +world-needed +world-neglected +world-nigh +world-noised +world-noted +world-obligating +world-observed +world-occupying +world-offending +world-old +world-opposing +world-oppressing +world-ordering +world-organizing +world-outraging +world-overcoming +world-overthrowing +world-owned +world-paralyzing +world-pardoned +world-patriotic +world-peopling +world-perfecting +world-pestering +world-picked +world-pitied +world-plaguing +world-pleasing +world-poisoned +world-pondered +world-populating +world-portioning +world-possessing +world-power +world-practiced +world-preserving +world-prevalent +world-prized +world-producing +world-prohibited +worldproof +world-protected +worldquake +world-raising +world-rare +world-read +world-recognized +world-redeeming +world-reflected +world-regulating +world-rejected +world-rejoicing +world-relieving +world-remembered +world-renewing +world-renowned +world-resented +world-respected +world-restoring +world-revealing +world-reviving +world-revolving +world-ridden +world-round +world-rousing +world-roving +world-ruling +worlds +world's +world-sacred +world-sacrificing +world-sanctioned +world-sated +world-saving +world-scarce +world-scattered +world-schooled +world-scorning +world-seasoned +world-self +world-serving +world-settling +world-shaking +world-sharing +worlds-high +world-shocking +world-sick +world-simplifying +world-sized +world-slandered +world-sobered +world-soiled +world-spoiled +world-spread +world-staying +world-stained +world-startling +world-stirring +world-strange +world-studded +world-subduing +world-sufficing +world-supplying +world-supporting +world-surrounding +world-surveying +world-sustaining +world-swallowing +world-taking +world-taming +world-taught +world-tempted +world-tested +world-thrilling +world-tired +world-tolerated +world-tossing +world-traveler +world-troubling +world-turning +world-uniting +world-used +world-valid +world-valued +world-venerated +world-view +worldway +world-waited +world-wandering +world-wanted +worldward +worldwards +world-wasting +world-watched +world-weary +world-wearied +world-wearily +world-weariness +world-welcome +world-wept +worldwide +world-wide +world-widely +worldwideness +world-wideness +world-winning +world-wise +world-without-end +world-witnessed +world-worn +world-wrecking +Worley +Worlock +WORM +worm-breeding +worm-cankered +wormcast +worm-consumed +worm-destroying +worm-driven +worm-eat +worm-eaten +worm-eatenness +worm-eater +worm-eating +wormed +wormer +wormers +wormfish +wormfishes +wormgear +worm-geared +worm-gnawed +worm-gnawn +wormhole +wormholed +wormholes +wormhood +wormy +Wormian +wormier +wormiest +wormil +wormils +worminess +worming +wormish +worm-killing +wormless +wormlike +wormling +worm-nest +worm-pierced +wormproof +worm-resembling +worm-reserved +worm-riddled +worm-ripe +wormroot +wormroots +Worms +wormseed +wormseeds +worm-shaped +wormship +worm-spun +worm-tongued +wormweed +worm-wheel +wormwood +wormwoods +worm-worn +worm-wrought +worn +worn-down +wornil +wornness +wornnesses +wornout +worn-out +worn-outness +Woronoco +worral +worrel +Worrell +worry +worriable +worry-carl +worricow +worriecow +worried +worriedly +worriedness +worrier +worriers +worries +worrying +worryingly +worriless +worriment +worriments +worryproof +worrisome +worrisomely +worrisomeness +worrit +worrited +worriter +worriting +worrits +worrywart +worrywarts +worrywort +worse +worse-affected +worse-applied +worse-bodied +worse-born +worse-bred +worse-calculated +worse-conditioned +worse-disposed +worse-dispositioned +worse-executed +worse-faring +worse-governed +worse-handled +worse-informed +worse-lighted +worse-mannered +worse-mated +worsement +worsen +worse-named +worse-natured +worsened +worseness +worsening +worsens +worse-opinionated +worse-ordered +worse-paid +worse-performed +worse-printed +worser +worse-rated +worserment +worse-ruled +worses +worse-satisfied +worse-served +worse-spent +worse-succeeding +worset +worse-taught +worse-tempered +worse-thoughted +worse-timed +worse-typed +worse-treated +worsets +worse-utilized +worse-wanted +worse-wrought +Worsham +Worship +worshipability +worshipable +worshiped +worshiper +worshipers +worshipful +worshipfully +worshipfulness +worshiping +worshipingly +worshipless +worship-paying +worshipped +worshipper +worshippers +worshipping +worshippingly +worships +worshipworth +worshipworthy +worsle +Worsley +worssett +worst +worst-affected +worst-bred +worst-cast +worst-damaged +worst-deserving +worst-disposed +worsted +worsteds +worst-fashioned +worst-formed +worst-governed +worst-informed +worsting +worst-managed +worst-manned +worst-paid +worst-printed +worst-ruled +worsts +worst-served +worst-taught +worst-timed +worst-treated +worst-used +worst-wanted +worsum +wort +Worth +Wortham +worthed +worthful +worthfulness +worthy +worthier +worthies +worthiest +worthily +worthiness +worthinesses +Worthing +Worthington +worthless +worthlessly +worthlessness +worthlessnesses +worths +worthship +Worthville +worthward +worthwhile +worth-while +worthwhileness +worth-whileness +wortle +Worton +worts +wortworm +wos +wosbird +wosith +wosome +wost +wostteth +wot +Wotan +wote +wotlink +wots +wotted +wottest +wotteth +wotting +Wotton +woubit +wouch +wouf +wough +wouhleche +Wouk +would +would-be +wouldest +would-have-been +woulding +wouldn +wouldnt +wouldn't +wouldst +woulfe +wound +woundability +woundable +woundableness +wound-dressing +wounded +woundedly +wounder +wound-fevered +wound-free +woundy +woundily +wound-inflicting +wounding +woundingly +woundless +woundly +wound-marked +wound-plowed +wound-producing +wounds +wound-scarred +wound-secreted +wound-up +wound-worn +woundwort +woundworth +wourali +wourari +wournil +woustour +wou-wou +wove +woven +wovens +woven-wire +Wovoka +WOW +wowed +wowening +wowing +wows +wowser +wowserdom +wowsery +wowserian +wowserish +wowserism +wowsers +wowt +wow-wow +wowwows +Woxall +WP +WPA +WPB +WPC +wpm +WPS +WR +wr- +WRA +WRAAC +WRAAF +wrabbe +wrabill +WRAC +wrack +wracked +wracker +wrackful +wracking +wracks +Wracs +WRAF +Wrafs +wrager +wraggle +Wray +wrayful +wrainbolt +wrainstaff +wrainstave +wraist +wraith +wraithe +wraithy +wraithlike +wraiths +wraitly +wraker +wramp +Wran +Wrand +wrang +Wrangel +Wrangell +wrangle +wrangled +wrangler +wranglers +wranglership +wrangles +wranglesome +wrangling +wranglingly +wrangs +wranny +wrannock +WRANS +wrap +wrap- +wraparound +wrap-around +wraparounds +wraple +wrappage +wrapped +wrapper +wrapperer +wrappering +wrappers +wrapper's +wrapping +wrapping-gown +wrappings +wraprascal +wrap-rascal +wrapround +wrap-round +wraps +wrap's +wrapt +wrapup +wrap-up +wrasse +wrasses +wrassle +wrassled +wrassles +wrast +wrastle +wrastled +wrastler +wrastles +wrastling +wratack +Wrath +wrath-allaying +wrath-bewildered +wrath-consumed +wrathed +wrath-faced +wrathful +wrathful-eyed +wrathfully +wrathfulness +wrathy +wrathier +wrathiest +wrathily +wrathiness +wrathing +wrath-kindled +wrath-kindling +wrathless +wrathlike +wrath-provoking +wraths +wrath-swollen +wrath-wreaking +wraw +wrawl +wrawler +wraxle +wraxled +wraxling +wreak +wreaked +wreaker +wreakers +wreakful +wreaking +wreakless +wreaks +wreat +wreath +wreathage +wreath-crowned +wreath-drifted +wreathe +wreathed +wreathen +wreather +wreathes +wreath-festooned +wreathy +wreathing +wreathingly +wreathless +wreathlet +wreathlike +wreathmaker +wreathmaking +wreathpiece +wreaths +wreathwise +wreathwork +wreathwort +wreath-wrought +wreck +wreckage +wreckages +wreck-bestrewn +wreck-causing +wreck-devoted +wrecked +wrecker +wreckers +wreckfish +wreckfishes +wreck-free +wreckful +wrecky +wrecking +wreckings +wreck-raising +wrecks +wreck-strewn +wreck-threatening +Wrekin +Wren +Wrench +wrenched +wrencher +wrenches +wrenching +wrenchingly +wrenlet +wrenlike +Wrennie +Wrens +wren's +Wrenshall +wrentail +Wrentham +wren-thrush +wren-tit +WRESAT +wrest +wrestable +wrested +wrester +wresters +wresting +wrestingly +wrestle +wrestled +wrestler +wrestlerlike +wrestlers +wrestles +wrestling +wrestlings +wrests +wretch +wretched +wretcheder +wretchedest +wretched-fated +wretchedly +wretched-looking +wretchedness +wretchednesses +wretched-witched +wretches +wretchless +wretchlessly +wretchlessness +wretchock +Wrexham +wry +wry-armed +wrybill +wry-billed +wrible +wry-blown +wricht +Wrycht +wrick +wricked +wricking +wricks +wride +wried +wry-eyed +wrier +wryer +wries +wriest +wryest +wry-faced +wry-formed +wrig +wriggle +wriggled +wriggler +wrigglers +wriggles +wrigglesome +wrigglework +wriggly +wrigglier +wriggliest +wriggling +wrigglingly +Wright +wrightine +wrightry +Wrights +Wrightsboro +Wrightson +Wrightstown +Wrightsville +Wrightwood +Wrigley +wry-guided +wrihte +wrying +wry-legged +wryly +wry-looked +wrymouth +wry-mouthed +wrymouths +wrimple +wryneck +wrynecked +wry-necked +wry-neckedness +wrynecks +wryness +wrynesses +wring +wringbolt +wringed +wringer +wringers +wringing +wringing-wet +wringle +wringman +wrings +wringstaff +wringstaves +wrinkle +wrinkleable +wrinkle-coated +wrinkled +wrinkled-browed +wrinkled-cheeked +wrinkledy +wrinkled-leaved +wrinkledness +wrinkled-old +wrinkled-shelled +wrinkled-visaged +wrinkle-faced +wrinkle-fronted +wrinkleful +wrinkle-furrowed +wrinkleless +wrinkle-making +wrinkleproof +wrinkles +wrinkle-scaled +wrinklet +wrinkly +wrinklier +wrinkliest +wrinkling +wry-nosed +wry-set +wrist +wristband +wristbands +wristbone +wristdrop +wrist-drop +wristed +wrister +wristfall +wristy +wristier +wristiest +wristikin +wristlet +wristlets +wristlock +wrists +wrist's +wristwatch +wristwatches +wristwatch's +wristwork +writ +writability +writable +wrytail +wry-tailed +writation +writative +write +writeable +write-down +writee +write-in +writeoff +write-off +writeoffs +writer +writeress +writer-in-residence +writerly +writerling +writers +writer's +writership +writes +writeup +write-up +writeups +writh +writhe +writhed +writhedly +writhedness +writhen +writheneck +writher +writhers +writhes +writhy +writhing +writhingly +writhled +writing +writinger +Writings +writing-table +writmaker +writmaking +wry-toothed +writproof +writs +writ's +written +writter +wrive +wrixle +wrizzled +WRNS +wrnt +wro +wrocht +wroke +wroken +wrong +wrong-directed +wrongdo +wrongdoer +wrong-doer +wrongdoers +wrongdoing +wrongdoings +wronged +wrong-ended +wrong-endedness +wronger +wrongers +wrongest +wrong-feigned +wrongfile +wrong-foot +wrongful +wrongfuly +wrongfully +wrongfulness +wrongfulnesses +wrong-gotten +wrong-grounded +wronghead +wrongheaded +wrong-headed +wrongheadedly +wrong-headedly +wrongheadedness +wrong-headedness +wrongheadednesses +wronghearted +wrongheartedly +wrongheartedness +wronging +wrongish +wrong-jawed +wrongless +wronglessly +wrongly +wrong-minded +wrong-mindedly +wrong-mindedness +wrongness +wrong-ordered +wrongous +wrongously +wrongousness +wrong-principled +wrongrel +wrongs +wrong-screwed +wrong-thinking +wrong-timed +wrong'un +wrong-voting +wrong-way +wrongwise +Wronskian +wroot +wrossle +wrote +wroth +wrothe +wrothful +wrothfully +wrothy +wrothily +wrothiness +wrothly +wrothsome +Wrottesley +wrought +wrought-iron +wrought-up +wrox +WRT +wrung +wrungness +WRVS +WS +w's +Wsan +WSD +W-shaped +WSI +WSJ +WSMR +WSN +WSP +WSW +wt +Wtemberg +WTF +WTR +WU +Wuchang +Wuchereria +wud +wuddie +wudge +wudu +wuff +wugg +wuggishness +Wuhan +Wuhsien +Wuhu +wulder +Wulf +Wulfe +wulfenite +Wulfila +wulk +wull +wullawins +wullcat +Wullie +wulliwa +Wu-lu-mu-ch'i +wumble +wumman +wummel +Wun +Wunder +wunderbar +Wunderkind +Wunderkinder +Wunderkinds +Wundt +Wundtian +wungee +wung-out +wunna +wunner +wunsome +wuntee +wup +WUPPE +Wuppertal +wur +wurley +wurleys +wurly +wurlies +Wurm +wurmal +Wurmian +wurraluh +wurrung +wurrup +wurrus +wurset +Wurst +Wurster +wursts +Wurtsboro +Wurttemberg +Wurtz +wurtzilite +wurtzite +wurtzitic +Wurzburg +Wurzburger +wurzel +wurzels +wus +wush +Wusih +wusp +wuss +wusser +wust +wu-su +wut +wuther +wuthering +Wutsin +wu-wei +wuzu +wuzzer +wuzzy +wuzzle +wuzzled +wuzzling +WV +WVa +WVS +WW +WW2 +WWFO +WWI +WWII +WWMCCS +WWOPS +X +X25 +XA +xalostockite +Xanadu +xanth- +Xantha +xanthaline +xanthamic +xanthamid +xanthamide +xanthan +xanthane +xanthans +xanthate +xanthates +xanthation +xanthd- +Xanthe +xanthein +xantheins +xanthelasma +xanthelasmic +xanthelasmoidea +xanthene +xanthenes +Xanthian +xanthic +xanthid +xanthide +Xanthidium +xanthydrol +xanthyl +xanthin +xanthindaba +xanthine +xanthines +xanthins +Xanthinthique +xanthinuria +xanthione +Xanthippe +xanthism +Xanthisma +xanthite +Xanthium +xanthiuria +xantho- +xanthocarpous +Xanthocephalus +Xanthoceras +Xanthochroi +xanthochroia +Xanthochroic +xanthochroid +xanthochroism +xanthochromia +xanthochromic +xanthochroous +xanthocyanopy +xanthocyanopia +xanthocyanopsy +xanthocyanopsia +xanthocobaltic +xanthocone +xanthoconite +xanthocreatinine +xanthoderm +xanthoderma +xanthodermatous +xanthodont +xanthodontous +xanthogen +xanthogenamic +xanthogenamide +xanthogenate +xanthogenic +xantholeucophore +xanthoma +xanthomas +xanthomata +xanthomatosis +xanthomatous +Xanthomelanoi +xanthomelanous +xanthometer +xanthomyeloma +Xanthomonas +xanthone +xanthones +xanthophane +Xanthophyceae +xanthophyl +xanthophyll +xanthophyllic +xanthophyllite +xanthophyllous +xanthophore +xanthophose +Xanthopia +xanthopicrin +xanthopicrite +xanthoproteic +xanthoprotein +xanthoproteinic +xanthopsia +xanthopsydracia +xanthopsin +xanthopterin +xanthopurpurin +xanthorhamnin +Xanthorrhiza +Xanthorrhoea +xanthosiderite +xanthosis +Xanthosoma +xanthospermous +xanthotic +Xanthoura +xanthous +Xanthoxalis +xanthoxenite +xanthoxylin +xanthrochroid +xanthuria +Xanthus +Xantippe +xarque +xat +Xaverian +Xavier +Xaviera +Xavler +x-axis +XB +XBT +xc +XCF +X-chromosome +xcl +xctl +XD +x-disease +xdiv +XDMCP +XDR +Xe +xebec +xebecs +xed +x-ed +Xema +xeme +xen- +Xena +xenacanthine +Xenacanthini +xenagogy +xenagogue +Xenarchi +Xenarthra +xenarthral +xenarthrous +xenelasy +xenelasia +Xenia +xenial +xenian +xenias +xenic +xenically +Xenicidae +Xenicus +xenyl +xenylamine +xenium +Xeno +xeno- +xenobiology +xenobiologies +xenobiosis +xenoblast +xenochia +xenocyst +Xenoclea +Xenocratean +Xenocrates +Xenocratic +xenocryst +xenocrystic +xenoderm +xenodiagnosis +xenodiagnostic +xenodocheion +xenodochy +xenodochia +xenodochium +xenogamy +xenogamies +xenogamous +xenogeneic +xenogenesis +xenogenetic +xenogeny +xenogenic +xenogenies +xenogenous +xenoglossia +xenograft +xenolite +xenolith +xenolithic +xenoliths +xenomania +xenomaniac +Xenomi +Xenomorpha +xenomorphic +xenomorphically +xenomorphosis +xenon +xenons +xenoparasite +xenoparasitism +xenopeltid +Xenopeltidae +Xenophanean +Xenophanes +xenophya +xenophile +xenophilism +xenophilous +xenophobe +xenophobes +xenophoby +xenophobia +xenophobian +xenophobic +xenophobism +Xenophon +Xenophonic +Xenophontean +Xenophontian +Xenophontic +Xenophontine +Xenophora +xenophoran +Xenophoridae +xenophthalmia +xenoplastic +xenopodid +Xenopodidae +xenopodoid +Xenopsylla +xenopteran +Xenopteri +xenopterygian +Xenopterygii +Xenopus +Xenorhynchus +Xenos +xenosaurid +Xenosauridae +xenosauroid +Xenosaurus +xenotime +xenotropic +Xenurus +xer- +xerafin +xeransis +Xeranthemum +xerantic +xeraphin +xerarch +xerasia +Xeres +xeric +xerically +xeriff +xero- +xerocline +xeroderma +xerodermatic +xerodermatous +xerodermia +xerodermic +xerogel +xerographer +xerography +xerographic +xerographically +xeroma +xeromata +xeromenia +xeromyron +xeromyrum +xeromorph +xeromorphy +xeromorphic +xeromorphous +xeronate +xeronic +xerophagy +xerophagia +xerophagies +xerophil +xerophile +xerophily +Xerophyllum +xerophilous +xerophyte +xerophytic +xerophytically +xerophytism +xerophobous +xerophthalmy +xerophthalmia +xerophthalmic +xerophthalmos +xeroprinting +xerosere +xeroseres +xeroses +xerosis +xerostoma +xerostomia +xerotes +xerotherm +xerothermic +xerotic +xerotocia +xerotripsis +Xerox +xeroxed +xeroxes +xeroxing +Xerus +xeruses +Xerxes +Xever +XFE +XFER +x-height +x-high +Xhosa +xi +Xian +Xicak +Xicaque +XID +XIE +xii +xiii +xyl- +xyla +xylan +xylans +xylanthrax +Xylaria +Xylariaceae +xylate +Xyleborus +xylem +xylems +xylene +xylenes +xylenyl +xylenol +xyletic +Xylia +xylic +xylidic +xylidin +xylidine +xylidines +xylidins +xylyl +xylylene +xylylic +xylyls +Xylina +xylindein +xylinid +xylite +xylitol +xylitols +xylitone +xylo +xylo- +xylobalsamum +xylocarp +xylocarpous +xylocarps +Xylocopa +xylocopid +Xylocopidae +xylogen +xyloglyphy +xylograph +xylographer +xylography +xylographic +xylographical +xylographically +xyloid +xyloidin +xyloidine +xyloyl +xylol +xylology +xylols +xyloma +xylomancy +xylomas +xylomata +xylometer +Xylon +xylonic +Xylonite +xylonitrile +Xylophaga +xylophagan +xylophage +xylophagid +Xylophagidae +xylophagous +Xylophagus +xylophilous +xylophone +xylophones +xylophonic +xylophonist +xylophonists +Xylopia +xylopyrographer +xylopyrography +xyloplastic +xylopolist +xyloquinone +xylorcin +xylorcinol +xylose +xyloses +xylosid +xyloside +Xylosma +xylostroma +xylostromata +xylostromatoid +xylotile +xylotypography +xylotypographic +xylotomy +xylotomic +xylotomical +xylotomies +xylotomist +xylotomous +Xylotrya +XIM +Ximena +Ximenes +Xymenes +Ximenez +Ximenia +Xina +Xinca +Xincan +Xing +x'ing +x-ing +Xingu +Xinhua +xint +XINU +xi-particle +Xipe +Xipe-totec +xiphi- +Xiphias +Xiphydria +xiphydriid +Xiphydriidae +xiphihumeralis +xiphiid +Xiphiidae +xiphiiform +xiphioid +xiphiplastra +xiphiplastral +xiphiplastron +xiphisterna +xiphisternal +xiphisternum +xiphistna +Xiphisura +xiphisuran +Xiphiura +Xiphius +xiphocostal +xiphodynia +Xiphodon +Xiphodontidae +xiphoid +xyphoid +xiphoidal +xiphoidian +xiphoids +xiphopagic +xiphopagous +xiphopagus +xiphophyllous +xiphosterna +xiphosternum +Xiphosura +xiphosuran +xiphosure +Xiphosuridae +xiphosurous +Xiphosurus +xiphuous +Xiphura +Xiraxara +Xyrichthys +xyrid +Xyridaceae +xyridaceous +Xyridales +Xyris +xis +xyst +xyster +xysters +xysti +xystoi +xystos +xysts +xystum +xystus +xiv +xix +xyz +XL +x-line +Xmas +xmases +XMI +XMM +XMS +XMTR +XN +Xn. +XNS +Xnty +Xnty. +XO +xoana +xoanon +xoanona +Xograph +xonotlite +Xopher +XOR +Xosa +x-out +XP +XPG +XPG2 +XPORT +XQ +xr +x-radiation +xray +X-ray +X-ray-proof +xref +XRM +xs +x's +XSECT +X-shaped +x-stretcher +XT +Xt. +XTAL +XTC +Xty +Xtian +xu +XUI +x-unit +xurel +Xuthus +XUV +xvi +XVIEW +xvii +xviii +xw +X-wave +XWSDS +xx +xxi +xxii +xxiii +xxiv +xxv +xxx +Z +z. +ZA +Zaandam +Zabaean +zabaglione +zabaione +zabaiones +Zabaism +zabajone +zabajones +Zaberma +zabeta +Zabian +Zabism +zaboglione +zabra +Zabrina +Zabrine +Zabrze +zabti +zabtie +Zabulon +zaburro +zac +Zacarias +Zacata +zacate +Zacatec +Zacatecas +Zacateco +zacaton +zacatons +Zaccaria +Zacek +Zach +Zachar +Zachary +Zacharia +Zachariah +Zacharias +Zacharie +Zachery +Zacherie +Zachow +zachun +Zacynthus +Zack +Zackary +Zackariah +Zacks +zad +Zadack +Zadar +zaddick +zaddickim +zaddik +zaddikim +Zadkiel +Zadkine +Zadoc +Zadok +Zadokite +zadruga +zaffar +zaffars +zaffer +zaffers +zaffir +zaffirs +zaffre +zaffree +zaffres +zafree +zaftig +zag +zagaie +Zagazig +zagged +zagging +Zaglossus +Zagreb +Zagreus +zags +zaguan +Zagut +Zahara +Zahavi +Zahedan +Zahidan +Zahl +zayat +zaibatsu +Zaid +zayin +zayins +zaikai +zaikais +Zailer +zain +Zaire +Zairean +zaires +zairian +zairians +Zaitha +Zak +zakah +Zakaria +Zakarias +zakat +Zakynthos +zakkeu +Zaklohpakap +zakuska +zakuski +zalambdodont +Zalambdodonta +zalamboodont +Zalea +Zales +Zaleski +Zaller +Zalma +Zalman +Zalophus +Zalucki +Zama +zaman +zamang +zamarra +zamarras +zamarro +zamarros +Zambac +Zambal +Zambezi +Zambezian +Zambia +Zambian +zambians +zambo +Zamboanga +zambomba +zamboorak +zambra +Zamenhof +Zamenis +Zamia +Zamiaceae +zamias +Zamicrus +zamindar +zamindari +zamindary +zamindars +zaminder +Zamir +Zamora +zamorin +zamorine +zamouse +Zampardi +Zampino +zampogna +Zan +zanana +zananas +Zanclidae +Zanclodon +Zanclodontidae +Zande +zander +zanders +zandmole +Zandra +Zandt +Zane +zanella +Zanesfield +Zaneski +Zanesville +Zaneta +zany +Zaniah +zanier +zanies +zaniest +zanyish +zanyism +zanily +zaniness +zaninesses +zanyship +zanjero +zanjon +zanjona +Zannichellia +Zannichelliaceae +Zannini +Zanoni +Zanonia +zant +Zante +Zantedeschia +zantewood +Zanthorrhiza +Zanthoxylaceae +Zanthoxylum +Zantiot +zantiote +Zantos +ZANU +Zanuck +zanza +Zanzalian +zanzas +Zanze +Zanzibar +Zanzibari +zap +Zapara +Zaparan +Zaparo +Zaparoan +zapas +Zapata +zapateado +zapateados +zapateo +zapateos +zapatero +zaphara +Zaphetic +zaphrentid +Zaphrentidae +Zaphrentis +zaphrentoid +Zapodidae +Zapodinae +Zaporogian +Zaporogue +Zaporozhe +Zaporozhye +zapota +zapote +Zapotec +Zapotecan +Zapoteco +Zappa +zapped +zapper +zappers +zappy +zappier +zappiest +zapping +zaps +zaptiah +zaptiahs +zaptieh +zaptiehs +Zaptoeca +ZAPU +zapupe +Zapus +Zaqaziq +zaqqum +Zaque +zar +Zara +zarabanda +Zaragoza +Zarah +Zaramo +Zarathustra +Zarathustrian +Zarathustrianism +Zarathustric +Zarathustrism +zaratite +zaratites +Zardushti +Zare +zareba +zarebas +Zared +zareeba +zareebas +Zarema +Zaremski +zarf +zarfs +Zarga +Zarger +Zaria +zariba +zaribas +Zarla +zarnec +zarnich +zarp +Zarpanit +zarzuela +zarzuelas +Zashin +Zaslow +zastruga +zastrugi +Zasuwa +zat +zati +zattare +Zaurak +Zauschneria +Zavala +Zavalla +Zavijava +Zavras +Zawde +zax +zaxes +z-axes +z-axis +zazen +za-zen +zazens +ZB +Z-bar +ZBB +ZBR +ZD +Zea +zeal +Zealand +Zealander +zealanders +zeal-blind +zeal-consuming +zealed +zealful +zeal-inflamed +zeal-inspiring +zealless +zeallessness +Zealot +zealotic +zealotical +zealotism +zealotist +zealotry +zealotries +zealots +zealous +zealousy +zealously +zealousness +zealousnesses +zeal-pretending +zealproof +zeal-quenching +zeals +zeal-scoffing +zeal-transported +zeal-worthy +Zearing +zeatin +zeatins +zeaxanthin +Zeb +Zeba +Zebada +Zebadiah +Zebapda +Zebe +zebec +zebeck +zebecks +zebecs +Zebedee +Zeboim +zebra +zebra-back +zebrafish +zebrafishes +zebraic +zebralike +zebra-plant +zebras +zebra's +zebrass +zebrasses +zebra-tailed +zebrawood +Zebrina +zebrine +zebrinny +zebrinnies +zebroid +zebrula +zebrule +zebu +zebub +Zebulen +Zebulon +Zebulun +Zebulunite +zeburro +zebus +zecchin +zecchini +zecchino +zecchinos +zecchins +Zech +Zech. +Zechariah +zechin +zechins +Zechstein +Zeculon +Zed +Zedekiah +zedoary +zedoaries +zeds +zee +Zeeba +Zeebrugge +zeed +zeekoe +Zeeland +Zeelander +Zeeman +Zeena +zees +Zeffirelli +Zeguha +Zehe +zehner +Zeidae +Zeidman +Zeiger +Zeigler +zeilanite +Zeiler +zein +zeins +zeism +Zeiss +Zeist +Zeitgeist +zeitgeists +Zeitler +zek +Zeke +zeks +Zel +Zela +Zelanian +zelant +zelator +zelatrice +zelatrix +Zelazny +Zelda +Zelde +Zelienople +Zelig +Zelikow +Zelkova +zelkovas +Zell +Zella +Zellamae +Zelle +Zellerbach +Zellner +Zellwood +Zelma +Zelmira +zelophobia +Zelos +zelotic +zelotypia +zelotypie +Zelten +Zeltinger +zeme +zemeism +zemi +zemiism +zemimdari +zemindar +zemindari +zemindary +zemindars +zemmi +zemni +zemstroist +Zemstrom +zemstva +zemstvo +zemstvos +Zen +Zena +Zenaga +Zenaida +zenaidas +Zenaidinae +Zenaidura +zenana +zenanas +Zenas +Zend +Zenda +Zendah +Zend-Avesta +Zend-avestaic +Zendic +zendician +zendik +zendikite +zendo +zendos +Zenelophon +Zenger +Zenia +Zenic +zenick +Zenist +zenith +zenithal +zenith-pole +zeniths +zenithward +zenithwards +Zennas +Zennie +Zeno +Zenobia +zenocentric +zenography +zenographic +zenographical +Zenonian +Zenonic +zentner +zenu +zenzuic +Zeoidei +zeolite +zeolites +zeolitic +zeolitization +zeolitize +zeolitized +zeolitizing +Zeona +zeoscope +Zep +Zeph +Zeph. +Zephan +Zephaniah +zepharovichite +Zephyr +zephiran +zephyranth +Zephyranthes +zephyrean +zephyr-fanned +zephyr-haunted +Zephyrhills +zephyry +zephyrian +Zephyrinus +zephyr-kissed +zephyrless +zephyrlike +zephyrous +zephyrs +Zephyrus +Zeppelin +zeppelins +zequin +zer +Zeralda +zerda +zereba +Zerelda +Zerk +Zerla +ZerlaZerlina +Zerlina +Zerline +Zerma +zermahbub +Zermatt +Zernike +zero +zeroaxial +zero-dimensional +zero-divisor +zeroed +zeroes +zeroeth +zeroing +zeroize +zero-lift +zero-rated +zeros +zeroth +Zero-zero +Zerubbabel +zerumbet +Zervan +Zervanism +Zervanite +zest +zested +zestful +zestfully +zestfulness +zestfulnesses +zesty +zestier +zestiest +zestiness +zesting +zestless +zests +ZETA +zetacism +Zetana +zetas +Zetes +zetetic +Zethar +Zethus +Zetland +Zetta +Zeuctocoelomata +zeuctocoelomatic +zeuctocoelomic +zeugite +Zeuglodon +zeuglodont +Zeuglodonta +Zeuglodontia +Zeuglodontidae +zeuglodontoid +zeugma +zeugmas +zeugmatic +zeugmatically +Zeugobranchia +Zeugobranchiata +zeunerite +Zeus +Zeuxian +Zeuxis +zeuxite +Zeuzera +zeuzerian +Zeuzeridae +ZG +ZGS +Zhang +Zhdanov +Zhitomir +Zhivkov +Zhmud +zho +Zhukov +ZI +Zia +Ziagos +ziamet +ziara +ziarat +zibeline +zibelines +zibelline +zibet +zibeth +zibethone +zibeths +zibetone +zibets +zibetum +Zicarelli +ziczac +zydeco +zydecos +Zidkijah +ziega +zieger +Ziegfeld +Ziegler +Zieglerville +Zielsdorf +zietrisikite +ZIF +ziff +ziffs +zig +zyg- +zyga +zygadenin +zygadenine +Zygadenus +zygadite +Zygaena +zygaenid +Zygaenidae +zygal +zigamorph +zigan +ziganka +zygantra +zygantrum +zygapophyseal +zygapophyses +zygapophysial +zygapophysis +zygenid +Zigeuner +zigged +zigger +zigging +ziggurat +ziggurats +zygion +zygite +Zigmund +Zygnema +Zygnemaceae +zygnemaceous +Zygnemales +Zygnemataceae +zygnemataceous +Zygnematales +zygo- +zygobranch +Zygobranchia +Zygobranchiata +zygobranchiate +Zygocactus +zygodactyl +Zygodactylae +zygodactyle +Zygodactyli +zygodactylic +zygodactylism +zygodactylous +zygodont +zygogenesis +zygogenetic +zygoid +zygolabialis +zygoma +zygomas +zygomata +zygomatic +zygomaticoauricular +zygomaticoauricularis +zygomaticofacial +zygomaticofrontal +zygomaticomaxillary +zygomaticoorbital +zygomaticosphenoid +zygomaticotemporal +zygomaticum +zygomaticus +zygomaxillare +zygomaxillary +zygomycete +Zygomycetes +zygomycetous +zygomorphy +zygomorphic +zygomorphism +zygomorphous +zygon +zygoneure +Zygophyceae +zygophyceous +Zygophyllaceae +zygophyllaceous +Zygophyllum +zygophyte +zygophore +zygophoric +zygopleural +Zygoptera +Zygopteraceae +zygopteran +zygopterid +Zygopterides +Zygopteris +zygopteron +zygopterous +Zygosaccharomyces +zygose +zygoses +zygosis +zygosity +zygosities +zygosperm +zygosphenal +zygosphene +zygosphere +zygosporange +zygosporangium +zygospore +zygosporic +zygosporophore +zygostyle +zygotactic +zygotaxis +zygote +zygotene +zygotenes +zygotes +zygotic +zygotically +zygotoblast +zygotoid +zygotomere +zygous +zygozoospore +Zigrang +zigs +Ziguard +Ziguinchor +zigzag +zigzag-fashion +zigzagged +zigzaggedly +zigzaggedness +zigzagger +zigzaggery +zigzaggy +zigzagging +zigzag-lined +zigzags +zigzag-shaped +zigzagways +zigzagwise +zihar +zikkurat +zikkurats +zikurat +zikurats +zila +Zilber +zilch +zilches +zilchviticetum +Zildjian +zill +Zilla +Zillah +zillahs +zillion +zillions +zillionth +zillionths +zills +Zilpah +Zilvia +Zim +zym- +Zima +zimarra +zymase +zymases +zimb +Zimbabwe +Zimbalist +zimbalon +zimbaloon +zimbi +zyme +zimentwater +zymes +zymic +zymin +zymite +zimme +Zimmer +Zimmerman +Zimmermann +Zimmerwaldian +Zimmerwaldist +zimmi +zimmy +zimmis +zymo- +zimocca +zymochemistry +zymogen +zymogene +zymogenes +zymogenesis +zymogenic +zymogenous +zymogens +zymogram +zymograms +zymoid +zymolyis +zymolysis +zymolytic +zymology +zymologic +zymological +zymologies +zymologist +zymome +zymometer +zymomin +zymophyte +zymophore +zymophoric +zymophosphate +zymoplastic +zymosan +zymosans +zymoscope +zymoses +zymosimeter +zymosis +zymosterol +zymosthenic +zymotechny +zymotechnic +zymotechnical +zymotechnics +zymotic +zymotically +zymotize +zymotoxic +zymurgy +zymurgies +Zina +Zinah +zinc +Zincalo +zincate +zincates +zinc-coated +zinced +zincenite +zinc-etched +zincy +zincic +zincid +zincide +zinciferous +zincify +zincification +zincified +zincifies +zincifying +zincing +zincite +zincites +zincize +Zinck +zincke +zincked +zinckenite +zincky +zincking +zinc-lined +zinco +zinco- +zincode +zincograph +zincographer +zincography +zincographic +zincographical +zincoid +zincolysis +zinco-polar +zincotype +zincous +zinc-roofed +zincs +zinc-sampler +zincum +zincuret +zindabad +Zinder +zindiq +Zindman +zineb +zinebs +Zinfandel +zing +Zingale +zingana +zingani +zingano +zingara +zingare +zingaresca +zingari +zingaro +zinged +zingel +zinger +zingerone +zingers +Zingg +zingy +Zingiber +Zingiberaceae +zingiberaceous +zingiberene +zingiberol +zingiberone +zingier +zingiest +zinging +zings +zinyamunga +zinjanthropi +Zinjanthropus +Zink +zinke +zinked +zinkenite +zinky +zinkiferous +zinkify +zinkified +zinkifies +zinkifying +Zinn +Zinnes +Zinnia +zinnias +zinnwaldite +Zino +zinober +Zinoviev +Zinovievsk +Zins +zinsang +Zinsser +Zinzar +Zinzendorf +Zinziberaceae +zinziberaceous +Zion +Zionism +Zionist +Zionistic +zionists +Zionite +Zionless +Zionsville +Zionville +Zionward +ZIP +Zipa +Zipah +Zipangu +ziphian +Ziphiidae +Ziphiinae +ziphioid +Ziphius +zipless +Zipnick +zipped +zippeite +Zippel +Zipper +zippered +zippering +zippers +zippy +zippier +zippiest +zipping +zippingly +Zippora +Zipporah +zipppier +zipppiest +Zips +zira +zirai +Zirak +ziram +zirams +Zirbanit +zircalloy +zircaloy +zircite +zircofluoride +zircon +zirconate +Zirconia +zirconian +zirconias +zirconic +zirconiferous +zirconifluoride +zirconyl +zirconium +zirconiums +zirconofluoride +zirconoid +zircons +zircon-syenite +Zyrenian +Zirian +Zyrian +Zyryan +Zirianian +zirkelite +zirkite +Zirkle +Zischke +Zysk +Ziska +zit +Zita +Zitah +Zitella +zythem +zither +zitherist +zitherists +zithern +zitherns +zithers +Zythia +zythum +ziti +zitis +zits +zitter +zittern +Zitvaa +zitzit +zitzith +Ziusudra +Ziv +Ziwiye +Ziwot +zizany +Zizania +zizel +Zizia +Zizyphus +zizit +zizith +Zyzomys +zizz +zyzzyva +zyzzyvas +zizzle +zizzled +zizzles +zizzling +Zyzzogeton +ZK +Zkinthos +Zl +Zlatoust +zlote +zloty +zlotych +zloties +zlotys +ZMRI +Zmudz +Zn +Znaniecki +zo +zo- +zoa +zoacum +zoaea +Zoan +Zoanthacea +zoanthacean +Zoantharia +zoantharian +zoanthid +Zoanthidae +Zoanthidea +zoanthodeme +zoanthodemic +zoanthoid +zoanthropy +Zoanthus +Zoar +Zoara +Zoarah +Zoarces +zoarcidae +zoaria +zoarial +Zoarite +zoarium +Zoba +Zobe +Zobias +Zobkiw +zobo +zobtenite +zocalo +zocco +zoccolo +zod +zodiac +zodiacal +zodiacs +zodiophilous +Zoe +zoea +zoeae +zoeaform +zoeal +zoeas +zoeform +zoehemera +zoehemerae +Zoeller +Zoellick +Zoes +zoetic +zoetrope +zoetropic +Zoffany +zoftig +zogan +zogo +Zoha +Zohak +Zohar +Zohara +Zoharist +Zoharite +Zoi +zoiatria +zoiatrics +zoic +zoid +zoidiophilous +zoidogamous +Zoie +Zoila +Zoilean +Zoilism +Zoilist +Zoilla +Zoilus +Zoysia +zoysias +zoisite +zoisites +zoisitization +zoism +zoist +zoistic +zokor +Zola +Zolaesque +Zolaism +Zolaist +Zolaistic +Zolaize +Zoldi +zoll +zolle +Zoller +Zollernia +Zolly +Zollie +Zollner +zollpfund +Zollverein +Zolnay +Zolner +zolotink +zolotnik +Zoltai +Zomba +zombi +zombie +zombielike +zombies +zombiism +zombiisms +zombis +zomotherapeutic +zomotherapy +Zona +zonaesthesia +zonal +zonality +zonally +zonar +zonary +Zonaria +zonate +zonated +zonation +zonations +Zond +Zonda +Zondra +zone +zone-confounding +zoned +zoneless +zonelet +zonelike +zone-marked +zoner +zoners +zones +zonesthesia +zone-tailed +zonetime +zonetimes +Zongora +Zonian +zonic +zoniferous +zoning +zonite +Zonites +zonitid +Zonitidae +Zonitoides +zonk +zonked +zonking +zonks +zonnar +Zonnya +zono- +zonochlorite +zonociliate +zonoid +zonolimnetic +zonoplacental +Zonoplacentalia +zonoskeleton +Zonotrichia +Zonta +Zontian +zonula +zonulae +zonular +zonulas +zonule +zonules +zonulet +zonure +zonurid +Zonuridae +zonuroid +Zonurus +zoo +zoo- +zoobenthoic +zoobenthos +zooblast +zoocarp +zoocecidium +zoochem +zoochemy +zoochemical +zoochemistry +Zoochlorella +zoochore +zoochores +zoocyst +zoocystic +zoocytial +zoocytium +zoocoenocyte +zoocultural +zooculture +zoocurrent +zoodendria +zoodendrium +zoodynamic +zoodynamics +zooecia +zooecial +zooecium +zoo-ecology +zoo-ecologist +zooerastia +zooerythrin +zooflagellate +zoofulvin +zoogamete +zoogamy +zoogamous +zoogene +zoogenesis +zoogeny +zoogenic +zoogenous +zoogeog +zoogeographer +zoogeography +zoogeographic +zoogeographical +zoogeographically +zoogeographies +zoogeology +zoogeological +zoogeologist +zooglea +zoogleae +zoogleal +zoogleas +zoogler +zoogloea +zoogloeae +zoogloeal +zoogloeas +zoogloeic +zoogony +zoogonic +zoogonidium +zoogonous +zoograft +zoografting +zoographer +zoography +zoographic +zoographical +zoographically +zoographist +zooid +zooidal +zooidiophilous +zooids +zookers +zooks +zool +zool. +zoolater +zoolaters +zoolatry +zoolatria +zoolatries +zoolatrous +zoolite +zoolith +zoolithic +zoolitic +zoologer +zoology +zoologic +zoological +zoologically +zoologicoarchaeologist +zoologicobotanical +zoologies +zoologist +zoologists +zoologize +zoologized +zoologizing +zoom +zoomagnetic +zoomagnetism +zoomancy +zoomania +zoomanias +zoomantic +zoomantist +Zoomastigina +Zoomastigoda +zoomechanical +zoomechanics +zoomed +zoomelanin +zoometry +zoometric +zoometrical +zoometries +zoomimetic +zoomimic +zooming +zoomorph +zoomorphy +zoomorphic +zoomorphism +zoomorphize +zoomorphs +zooms +zoon +zoona +zoonal +zoonerythrin +zoonic +zoonist +zoonite +zoonitic +zoonomy +zoonomia +zoonomic +zoonomical +zoonomist +zoonoses +zoonosis +zoonosology +zoonosologist +zoonotic +zoons +zoonule +zoopaleontology +zoopantheon +zooparasite +zooparasitic +zoopathy +zoopathology +zoopathological +zoopathologies +zoopathologist +zooperal +zoopery +zooperist +Zoophaga +zoophagan +Zoophagineae +zoophagous +zoophagus +zoopharmacy +zoopharmacological +zoophile +zoophiles +zoophily +zoophilia +zoophiliac +zoophilic +zoophilies +zoophilism +zoophilist +zoophilite +zoophilitic +zoophilous +zoophysical +zoophysicist +zoophysics +zoophysiology +zoophism +Zoophyta +zoophytal +zoophyte +zoophytes +zoophytic +zoophytical +zoophytish +zoophytography +zoophytoid +zoophytology +zoophytological +zoophytologist +zoophobe +zoophobes +zoophobia +zoophobous +zoophori +zoophoric +zoophorous +zoophorus +zooplankton +zooplanktonic +zooplasty +zooplastic +zoopraxiscope +zoopsia +zoopsychology +zoopsychological +zoopsychologist +zoos +zoo's +zooscopy +zooscopic +zoosis +zoosmosis +zoosperm +zoospermatic +zoospermia +zoospermium +zoosperms +zoospgia +zoosphere +zoosporange +zoosporangia +zoosporangial +zoosporangiophore +zoosporangium +zoospore +zoospores +zoosporic +zoosporiferous +zoosporocyst +zoosporous +zoosterol +zootaxy +zootaxonomist +zootechny +zootechnic +zootechnical +zootechnician +zootechnics +zooter +zoothecia +zoothecial +zoothecium +zootheism +zootheist +zootheistic +zootherapy +zoothome +zooty +zootic +zootype +zootypic +Zootoca +zootomy +zootomic +zootomical +zootomically +zootomies +zootomist +zoototemism +zootoxin +zootrophy +zootrophic +zoot-suiter +zooxanthella +zooxanthellae +zooxanthin +zoozoo +Zophar +zophophori +zophori +zophorus +zopilote +Zoque +Zoquean +Zora +Zorah +Zorana +Zoraptera +zorgite +zori +zoril +zorilla +zorillas +zorille +zorilles +Zorillinae +zorillo +zorillos +zorils +Zorina +Zorine +zoris +Zorn +Zoroaster +zoroastra +Zoroastrian +Zoroastrianism +zoroastrians +Zoroastrism +Zorobabel +Zorotypus +zorrillo +zorro +Zortman +zortzico +Zosema +Zoser +Zosi +Zosima +Zosimus +Zosma +zoster +Zostera +Zosteraceae +Zosteria +zosteriform +Zosteropinae +Zosterops +zosters +Zouave +zouaves +Zoubek +Zoug +zounds +zowie +ZPG +ZPRSN +Zr +Zrich +Zrike +zs +z's +Zsa +Zsazsa +Z-shaped +Zsigmondy +Zsolway +ZST +ZT +Ztopek +Zubeneschamali +Zubird +Zubkoff +zubr +Zuccari +zuccarino +Zuccaro +Zucchero +zucchetti +zucchetto +zucchettos +zucchini +zucchinis +zucco +zuchetto +Zucker +Zuckerman +zudda +zuffolo +zufolo +Zug +zugtierlast +zugtierlaster +zugzwang +Zui +Zuian +Zuidholland +zuisin +Zulch +Zuleika +Zulema +Zulhijjah +Zulinde +Zulkadah +Zu'lkadah +Zullinger +Zullo +Zuloaga +Zulu +Zuludom +Zuluize +Zulu-kaffir +Zululand +Zulus +zumatic +zumbooruk +Zumbrota +Zumstein +Zumwalt +Zungaria +Zuni +Zunian +zunyite +zunis +zupanate +Zupus +Zurbar +Zurbaran +Zurek +Zurheide +Zurich +Zurkow +zurlite +Zurn +Zurvan +Zusman +Zutugil +zuurveldt +zuza +Zuzana +Zu-zu +zwanziger +Zwart +ZWEI +Zweig +Zwick +Zwickau +Zwicky +Zwieback +zwiebacks +Zwiebel +zwieselite +Zwingle +Zwingli +Zwinglian +Zwinglianism +Zwinglianist +zwitter +zwitterion +zwitterionic +Zwolle +Zworykin +ZZ +zZt +ZZZ \ No newline at end of file diff --git "a/modules/self_contained/wordle/words/\344\270\223\345\205\253.json" "b/modules/self_contained/wordle/words/\344\270\223\345\205\253.json" new file mode 100644 index 00000000..8f2b4840 --- /dev/null +++ "b/modules/self_contained/wordle/words/\344\270\223\345\205\253.json" @@ -0,0 +1,46477 @@ +{ + "internship": { + "CHS": "<美>实习医师", + "ENG": "a job that lasts for a short time, that someone, especially a student, does in order to gain experience" + }, + "trial": { + "CHS": "审判", + "ENG": "a legal process in which a judge and often a jury in a court of law examine information to decide whether someone is guilty of a crime" + }, + "untimely": { + "CHS": "不适时的,不合时宜的", + "ENG": "not suitable for a particular occasion or time" + }, + "omelet": { + "CHS": "煎蛋饼", + "ENG": "An omelette is a type of food made by beating eggs and cooking them in a flat frying pan" + }, + "moth": { + "CHS": "蛾", + "ENG": "an insect related to the butterfly that flies mainly at night and is attracted to lights. Some moths eat holes in cloth." + }, + "champagne": { + "CHS": "香槟酒", + "ENG": "a French white wine with a lot of bubble s , drunk on special occasions" + }, + "dive": { + "CHS": "潜水", + "ENG": "to jump into deep water with your head and arms going in first" + }, + "raft": { + "CHS": "木筏", + "ENG": "a flat floating structure, usually made of pieces of wood tied together, used as a boat" + }, + "slit": { + "CHS": "切开,撕开", + "ENG": "to make a straight narrow cut in cloth, paper, skin etc" + }, + "draw": { + "CHS": "拖" + }, + "cataract": { + "CHS": "大瀑布", + "ENG": "a large waterfall " + }, + "foam": { + "CHS": "泡沫", + "ENG": "a type of soft rubber with a lot of air in it, used in furniture" + }, + "omnibus": { + "CHS": "公共汽车", + "ENG": "a bus" + }, + "scamper": { + "CHS": "奔跑", + "ENG": "to run with quick short steps, like a child or small animal" + }, + "brisk": { + "CHS": "快的; 轻快的", + "ENG": "quick and full of energy" + }, + "toil": { + "CHS": "长时间或辛苦地工作", + "ENG": "to work very hard for a long period of time" + }, + "scrub": { + "CHS": "用力擦洗,刷洗", + "ENG": "to rub something hard, especially with a stiff brush, in order to clean it" + }, + "shear": { + "CHS": "大剪刀", + "ENG": "A pair of shears is a garden tool like a very large pair of scissors. Shears are used especially for cutting hedges. " + }, + "ravage": { + "CHS": "毁坏后的残迹" + }, + "crate": { + "CHS": "箱", + "ENG": "a large box made of wood or plastic that is used for carrying fruit, bottles etc" + }, + "fruiterer": { + "CHS": "水果商", + "ENG": "someone who sells fruit" + }, + "extract": { + "CHS": "榨取", + "ENG": "to remove an object from somewhere, especially with difficulty" + }, + "canvas": { + "CHS": "帆布", + "ENG": "strong cloth used to make bags, tents, shoes etc" + }, + "garnish": { + "CHS": "装饰,文饰; 给…加配菜", + "ENG": "to add something to food in order to decorate it" + }, + "glistening": { + "CHS": "闪耀的,反光的" + }, + "spiced": { + "CHS": "含香料的; 五香的", + "ENG": "Food that is spiced has had spices or other strong-tasting foods added to it" + }, + "baked": { + "CHS": "烘烤制作的" + }, + "brass": { + "CHS": "黄铜", + "ENG": "a very hard bright yellow metal that is a mixture of copper and zinc " + }, + "liquor": { + "CHS": "酒,烈性酒", + "ENG": "a strong alcoholic drink such as whisky" + }, + "orchestra": { + "CHS": "管弦乐队" + }, + "gaudy": { + "CHS": "花哨的", + "ENG": "clothes, colours etc that are gaudy are too bright and look cheap – used to show disapproval" + }, + "permeate": { + "CHS": "弥漫; 遍布;感染,传播; 渗入", + "ENG": "if liquid, gas etc permeates something, it enters it and spreads through every part of it" + }, + "perish": { + "CHS": "死亡,丧生", + "ENG": "to die, especially in a terrible or sudden way" + }, + "penetrate": { + "CHS": "穿透,刺入; 渗入", + "ENG": "to enter something and pass or spread through it, especially when this is difficult" + }, + "perpetrate": { + "CHS": "犯(罪); 做(恶)", + "ENG": "to do something that is morally wrong or illegal" + }, + "innuendo": { + "CHS": "暗讽,讽刺; 影射", + "ENG": "a remark that suggests something sexual or unpleasant without saying it directly, or these remarks in general" + }, + "prodigality": { + "CHS": "浪费;慷慨;丰富" + }, + "swell": { + "CHS": "增强; 肿胀; 膨胀", + "ENG": "to become larger and rounder than normal – used especially about parts of the body" + }, + "hush": { + "CHS": "安静,寂静", + "ENG": "a period of silence, especially when people are expecting something to happen" + }, + "obligingly": { + "CHS": "亲切地" + }, + "erroneous": { + "CHS": "错误的", + "ENG": "erroneous ideas or information are wrong and based on facts that are not correct" + }, + "understudy": { + "CHS": "预备演员,替角", + "ENG": "an actor who learns a part in a play so that they can act the part if the usual actor is ill" + }, + "chauffeur": { + "CHS": "受雇于人的汽车司机", + "ENG": "someone whose job is to drive a car for someone else" + }, + "peculiar": { + "CHS": "奇怪的,古怪的; 异常的", + "ENG": "strange, unfamiliar, or a little surprising" + }, + "flannel": { + "CHS": "法兰绒,绒布", + "ENG": "soft cloth, usually made of cotton or wool, used for making clothes" + }, + "earnest": { + "CHS": "热心的; 诚挚的", + "ENG": "very serious and sincere" + }, + "agonizingly": { + "CHS": "使人烦恼地;苦闷地" + }, + "vicinity": { + "CHS": "附近,邻近; 附近地区", + "ENG": "in the area around a particular place" + }, + "dizzy": { + "CHS": "头昏眼花的" + }, + "dreadful": { + "CHS": "可怕的; 令人畏惧的", + "ENG": "used to emphasize how bad something or someone is" + }, + "whereabouts": { + "CHS": "在什么地方" + }, + "vehemently": { + "CHS": "竭尽全力地" + }, + "purposeless": { + "CHS": "无目的的", + "ENG": "not having a clear aim or purpose" + }, + "coin": { + "CHS": "创造", + "ENG": "to invent a new word or expression, especially one that many people start to use" + }, + "legitimate": { + "CHS": "合法的,合理的", + "ENG": "fair or reasonable" + }, + "consensual": { + "CHS": "经双方同意的,一致同意的", + "ENG": "involving the agreement of all or most people in a group" + }, + "hallucination": { + "CHS": "幻觉,幻想", + "ENG": "something which you imagine you can see or hear, but which is not really there, or the experience of this" + }, + "graphic": { + "CHS": "图解的,用图表示的", + "ENG": "Graphic means concerned with drawing or pictures, especially in publishing, industry, or computing" + }, + "prescient": { + "CHS": "有先见之明的", + "ENG": "If you say that someone or something was prescient, you mean that they were able to know or predict what was going to happen in the future" + }, + "myriad": { + "CHS": "无数的; 多种的", + "ENG": "very many" + }, + "tremendous": { + "CHS": "极大的, 巨大的", + "ENG": "very big, fast, powerful etc" + }, + "breach": { + "CHS": "破裂; 缺口;漏洞", + "ENG": "a serious disagreement between people, groups, or countries" + }, + "prominent": { + "CHS": "突出的,杰出的", + "ENG": "important" + }, + "surveillance": { + "CHS": "监视,监控", + "ENG": "when the police, army etc watch a person or place carefully because they may be connected with criminal activities" + }, + "contractor": { + "CHS": "订约人,承包人", + "ENG": "A contractor is a person or company that does work for other people or organizations" + }, + "domain": { + "CHS": "范围,领域", + "ENG": "an area of activity, interest, or knowledge, especially one that a particular person, organization etc deals with" + }, + "sabotage": { + "CHS": "破坏活动", + "ENG": "deliberate damage that is done to equipment, vehicles etc in order to prevent an enemy or opponent from using them" + }, + "affiliate": { + "CHS": "附属于", + "ENG": "if a group or organization affiliates to or with another larger one, it forms a close connection with it" + }, + "controversial": { + "CHS": "有争议的,引起争议的", + "ENG": "causing a lot of disagreement, because many people have strong opinions about the subject being discussed" + }, + "contradictory": { + "CHS": "矛盾的", + "ENG": "two statements, beliefs etc that are contradictory are different and therefore cannot both be true or correct" + }, + "complementary": { + "CHS": "互补的", + "ENG": "complementary things go well together, although they are usually different" + }, + "congruent": { + "CHS": "符合的; 一致的", + "ENG": "fitting together well" + }, + "espionage": { + "CHS": "侦察; 间谍活动", + "ENG": "the activity of secretly finding out secret information and giving it to a country’s enemies or a company’s competitors" + }, + "anticipate": { + "CHS": "预知;预料", + "ENG": "to expect that something will happen and be ready for it" + }, + "malicious": { + "CHS": "恶意的;恶毒的", + "ENG": "very unkind and cruel, and deliberately behaving in a way that is likely to upset or hurt someone" + }, + "geeky": { + "CHS": "令人讨厌的" + }, + "resilient": { + "CHS": "有复原力的;适应力强的", + "ENG": "able to become strong, happy, or successful again after a difficult situation or event" + }, + "vengeance": { + "CHS": "报复,复仇", + "ENG": "a violent or harmful action that someone does to punish someone for harming them or their family" + }, + "bastion": { + "CHS": "堡垒", + "ENG": "something that protects a way of life, principle etc that seems likely to change or end completely" + }, + "mediocre": { + "CHS": "普通的;平凡的", + "ENG": "not very good" + }, + "mediocrity": { + "CHS": "平庸,平凡;平庸的人", + "ENG": "If you refer to the mediocrity of something, you mean that it is of average quality but you think it should be better" + }, + "bloated": { + "CHS": "浮肿的", + "ENG": "full of liquid, gas, food etc, so that you look or feel much larger than normal" + }, + "fourfold": { + "CHS": "四倍的", + "ENG": "four times as much or as many" + }, + "pervasive": { + "CHS": "无处不在地; 遍布地" + }, + "liberate": { + "CHS": "解放; 释放", + "ENG": "to free prisoners, a city, a country etc from someone’s control" + }, + "tenure": { + "CHS": "占有(职位,不动产等);授予…终身职位", + "ENG": "If you have tenure in your job, you have the right to keep it until you retire" + }, + "knowingly": { + "CHS": "特意地; 故意地", + "ENG": "in a way that shows you know about something secret or embarrass­ing" + }, + "prestige": { + "CHS": "威信,威望,声望", + "ENG": "the respect and admiration that someone or something gets because of their success or important position in society" + }, + "decisive": { + "CHS": "决定性的", + "ENG": "an action, event etc that is decisive has a big effect on the way that something develops" + }, + "euphemism": { + "CHS": "委婉语;委婉说法", + "ENG": "a polite word or expression that you use instead of a more direct one to avoid shocking or upsetting someone" + }, + "analogy": { + "CHS": "类比;类推;类似", + "ENG": "something that seems similar between two situations, processes etc" + }, + "metaphor": { + "CHS": "暗喻,隐喻;比喻说法", + "ENG": "a way of describing something by referring to it as something different and suggesting that it has similar qualities to that thing" + }, + "personification": { + "CHS": "人格化;化身;拟人法(一种修辞手法);象征", + "ENG": "someone who is a perfect example of a quality because they have a lot of it" + }, + "literally": { + "CHS": "确实地,真正地;逐字地; 照字面地", + "ENG": "used to emphasize that something, especially a large number, is actually true" + }, + "douse": { + "CHS": "浇水在…上", + "ENG": "to stop a fire from burning by pouring water on it" + }, + "monetary": { + "CHS": "货币的,金钱的", + "ENG": "relating to money, especially all the money in a particular country" + }, + "pertinent": { + "CHS": "有关的", + "ENG": "directly relating to something that is being considered" + }, + "drought": { + "CHS": "干旱(时期),旱季", + "ENG": "a long period of dry weather when there is not enough water for plants and animals to live" + }, + "gallon": { + "CHS": "加仑(容量单位)", + "ENG": "a unit for measuring liquids, equal to eight pints. In Britain this is 4.55 litres, and in the US it is 3.79 litres." + }, + "warranted": { + "CHS": "(制造商)担保的,保证的" + }, + "inference": { + "CHS": "推理; 推断", + "ENG": "something that you think is true, based on information that you have" + }, + "adversarial": { + "CHS": "敌手的,对手的", + "ENG": "an adversarial system, especially in politics and the law, is one in which two sides oppose and attack each other" + }, + "implication": { + "CHS": "涉及" + }, + "intimate": { + "CHS": "亲密的,亲近的", + "ENG": "having an extremely close friendship" + }, + "residue": { + "CHS": "残余,残渣", + "ENG": "a substance that remains on a surface, in a container etc and cannot be removed easily, or that remains after a chemical process" + }, + "tactics": { + "CHS": "战术; 策略", + "ENG": "the art and science of the detailed direction and control of movement or manoeuvre of forces in battle to achieve an aim or task " + }, + "dialectical": { + "CHS": "方言的,辩证的", + "ENG": "In philosophy, dialectical is used to describe situations, theories, and methods which depend on resolving opposing factors" + }, + "namely": { + "CHS": "即,也就是说", + "ENG": "used when saying the names of the people or things you are referring to" + }, + "paradigm": { + "CHS": "范例,样式", + "ENG": "a very clear or typical example of something" + }, + "polarize": { + "CHS": "使两极分化", + "ENG": "to divide into clearly separate groups with opposite beliefs, ideas, or opinions, or to make people do this" + }, + "proponent": { + "CHS": "支持者,拥护者", + "ENG": "someone who supports something or persuades people to do something" + }, + "synch": { + "CHS": "同时发生,同步" + }, + "platitude": { + "CHS": "陈词滥调", + "ENG": "a statement that has been made many times before and is not interesting or clever – used to show disapproval" + }, + "pretext": { + "CHS": "借口,托辞", + "ENG": "a false reason given for an action, in order to hide the real reason" + }, + "hurdle": { + "CHS": "障碍,困难", + "ENG": "a problem or difficulty that you must deal with before you can achieve something" + }, + "chastise": { + "CHS": "严惩(某人)", + "ENG": "to criticize someone severely" + }, + "speculative": { + "CHS": "投机的; 思考的", + "ENG": "bought or done in the hope of making a profit later" + }, + "tidbit": { + "CHS": "趣闻", + "ENG": "a small but interesting piece of information, news etc" + }, + "rarity": { + "CHS": "稀有,罕见", + "ENG": "to not happen or exist very often" + }, + "numb": { + "CHS": "麻木的,失去感觉的", + "ENG": "a part of your body that is numb is unable to feel anything, for example because you are very cold" + }, + "marijuana": { + "CHS": "大麻", + "ENG": "an illegal drug smoked like a cigarette, made from the dried leaves of the hemp plant" + }, + "diarrhea": { + "CHS": "腹泻" + }, + "sanitation": { + "CHS": "卫生设备,卫生环境", + "ENG": "the protection of public health by removing and treating waste, dirty water etc" + }, + "frenetic": { + "CHS": "发狂的,狂热的", + "ENG": "frenetic activity is fast and not very organized" + }, + "indulgence": { + "CHS": "沉溺;放纵", + "ENG": "the habit of allowing yourself to do or have whatever you want, or allowing someone else to do or have whatever they want" + }, + "extravagant": { + "CHS": "过度的;浪费的,奢侈的", + "ENG": "spending or costing a lot of money, especially more than is necessary or more than you can afford" + }, + "plausible": { + "CHS": "可信的,貌似合理的", + "ENG": "reasonable and likely to be true or successful" + }, + "ritual": { + "CHS": "仪式,惯例", + "ENG": "a ceremony that is always performed in the same way, in order to mark an important religious or social occasion" + }, + "corollary": { + "CHS": "必然的结果;推论", + "ENG": "something that is the direct result of something else" + }, + "instinct": { + "CHS": "本能,天性", + "ENG": "a natural tendency to behave in a particular way or a natural ability to know something, which is not learned" + }, + "revelation": { + "CHS": "启示;揭露", + "ENG": "a surprising fact about someone or something that was previously secret and is now made known" + }, + "indignant": { + "CHS": "愤慨的,愤怒的", + "ENG": "angry and surprised because you feel insulted or unfairly treated" + }, + "docile": { + "CHS": "温顺的,容易教的", + "ENG": "quiet and easily controlled" + }, + "disobedient": { + "CHS": "不服从的,违背的", + "ENG": "deliberately not doing what you are told to do by your parents, teacher, etc" + }, + "fickleness": { + "CHS": "浮躁,变化无常" + }, + "gratitude": { + "CHS": "感激,感谢", + "ENG": "the feeling of being grateful" + }, + "betray": { + "CHS": "出卖,背叛", + "ENG": "to be disloyal to someone who trusts you, so that they are harmed or upset" + }, + "begrudging": { + "CHS": "吝惜的;勉强的;妒忌的" + }, + "conspire": { + "CHS": "共同促成;密谋", + "ENG": "to secretly plan with someone else to do something illegal" + }, + "steadfastness": { + "CHS": "坚定不移" + }, + "tenacity": { + "CHS": "固执;不屈不挠", + "ENG": "If you have tenacity, you are very determined and do not give up easily" + }, + "stubbornly": { + "CHS": "固执地" + }, + "totter": { + "CHS": "踉跄,蹒跚", + "ENG": "to walk or move unsteadily from side to side as if you are going to fall over" + }, + "senile": { + "CHS": "高龄的,老龄的", + "ENG": "mentally confused or behaving strangely, because of old age" + }, + "buckle": { + "CHS": "皮带扣", + "ENG": "a piece of metal used for fastening the two ends of a belt, for fastening a shoe, bag etc, or for decoration" + }, + "wheeze": { + "CHS": "喘息,呼哧呼哧的作响", + "ENG": "If someone wheezes, they breathe with difficulty and make a whistling sound" + }, + "gasp": { + "CHS": "气喘吁吁" + }, + "stern": { + "CHS": "严厉的,坚定的", + "ENG": "serious and strict, and showing strong disapproval of someone’s behaviour" + }, + "clutch": { + "CHS": "离合器", + "ENG": "the pedal that you press with your foot when driving a vehicle in order to change gear , or the part of the vehicle that this controls" + }, + "willful": { + "CHS": "任性的,有意的" + }, + "strangle": { + "CHS": "抑制;勒死", + "ENG": "to kill someone by pressing their throat with your hands, a rope etc" + }, + "leopard": { + "CHS": "美洲豹", + "ENG": "a large animal of the cat family, with yellow fur and black spots, which lives in Africa and South Asia" + }, + "crouch": { + "CHS": "蹲伏", + "ENG": "to lower your body close to the ground by bending your knees completely" + }, + "duck": { + "CHS": "弯下身子,低头", + "ENG": "to lower your head or body very quickly, especially to avoid being seen or hit" + }, + "reckless": { + "CHS": "鲁莽的", + "ENG": "not caring or worrying about the possible bad or dangerous results of your actions" + }, + "imperceptibly": { + "CHS": "察觉不到地" + }, + "loop": { + "CHS": "环,圈;使成环", + "ENG": "a shape like a curve or a circle made by a line curving back towards itself, or a piece of wire, string etc that has this shape" + }, + "languid": { + "CHS": "倦怠的,软弱无力的" + }, + "hum": { + "CHS": "哼唱", + "ENG": "to sing a tune by making a continuous sound with your lips closed" + }, + "chorus": { + "CHS": "合唱团", + "ENG": "a large group of people who sing together" + }, + "squat": { + "CHS": "蹲着的,矮胖的", + "ENG": "short and thick or low and wide, especially in a way which is not attractive" + }, + "majestically": { + "CHS": "庄严地,威严地" + }, + "shudder": { + "CHS": "发抖,颤栗" + }, + "tremble": { + "CHS": "颤抖", + "ENG": "to shake slightly in a way that you cannot control, especially because you are upset or frightened" + }, + "spout": { + "CHS": "喷出", + "ENG": "if a whale spouts, it sends out a stream of water from a hole in its head" + }, + "radiator": { + "CHS": "散热器", + "ENG": "the part of a car or aircraft which stops the engine from getting too hot" + }, + "crawl": { + "CHS": "匍匐前进" + }, + "stroll": { + "CHS": "散步,漫步", + "ENG": "to walk somewhere in a slow relaxed way" + }, + "flush": { + "CHS": "旺盛" + }, + "ubiquitous": { + "CHS": "无处无在的,普遍的", + "ENG": "seeming to be everywhere – sometimes used humorously" + }, + "corridor": { + "CHS": "走廊", + "ENG": "a long narrow passage on a train or between rooms in a building, with doors leading off it" + }, + "habitat": { + "CHS": "栖息地", + "ENG": "the natural home of a plant or animal" + }, + "buzzword": { + "CHS": "流行词", + "ENG": "a word or phrase from one special area of knowledge that people suddenly think is very important" + }, + "multiple": { + "CHS": "许多的,多重的", + "ENG": "many, or involving many things, people, events etc" + }, + "spatial": { + "CHS": "空间的", + "ENG": "relating to the position, size, shape etc of things" + }, + "megacity": { + "CHS": "大城市(人口超过1000万)", + "ENG": "a city with over 10 million inhabitants ( " + }, + "temperate": { + "CHS": "温和的", + "ENG": "behaviour that is temperate is calm and sensible" + }, + "arid": { + "CHS": "干旱的", + "ENG": "arid land or an arid climate is very dry because it has very little rain" + }, + "compromise": { + "CHS": "危害;妥协", + "ENG": "an agreement that is achieved after everyone involved accepts less than what they wanted at first, or the act of making this agreement" + }, + "topography": { + "CHS": "地势,地形学", + "ENG": "the science of describing an area of land, or making maps of it" + }, + "homogenize": { + "CHS": "使类同,使一致", + "ENG": "to change something so that its parts become similar or the same" + }, + "aesthetic": { + "CHS": "美学的,审美的", + "ENG": "connected with beauty and the study of beauty" + }, + "portable": { + "CHS": "便携的,手提的", + "ENG": "able to be carried or moved easily" + }, + "envision": { + "CHS": "展望,预想", + "ENG": "to imagine something that you think might happen in the future, especially something that you think will be good" + }, + "incorporate": { + "CHS": "合并;体现" + }, + "heritage": { + "CHS": "遗产", + "ENG": "the traditional beliefs, values, customs etc of a family, country, or society" + }, + "psycholinguistic": { + "CHS": "心理语言学" + }, + "tacit": { + "CHS": "缄默的,心照不宣的", + "ENG": "tacit agreement, approval, support etc is given without anything actually being said" + }, + "explicit": { + "CHS": "明确的,清楚的;直率的", + "ENG": "expressed in a way that is very clear and direct" + }, + "aggression": { + "CHS": "攻击;挑衅", + "ENG": "angry or threatening behaviour or feelings that often result in fighting" + }, + "fossil": { + "CHS": "化石", + "ENG": "an animal or plant that lived many thousands of years ago and that has been preserved, or the shape of one of these animals or plants that has been preserved in rock" + }, + "skull": { + "CHS": "头盖骨", + "ENG": "the bones of a person’s or animal’s head" + }, + "outraged": { + "CHS": "暴怒的" + }, + "bizarre": { + "CHS": "奇怪的", + "ENG": "very unusual or strange" + }, + "consensus": { + "CHS": "共识,一致", + "ENG": "an opinion that everyone in a group agrees with or accepts" + }, + "obedience": { + "CHS": "顺从,服从", + "ENG": "when someone does what they are told to do, or what a law, rule etc says they must do" + }, + "nurture": { + "CHS": "培养", + "ENG": "to help a plan, idea, feeling etc to develop" + }, + "allocate": { + "CHS": "分配", + "ENG": "to use something for a particular purpose, give something to a particular person etc, especially after an official decision has been made" + }, + "deteriorating": { + "CHS": "恶化的" + }, + "predisposition": { + "CHS": "倾向", + "ENG": "a tendency to behave in a particular way or suffer from a particular illness" + }, + "coercion": { + "CHS": "威迫,恐吓", + "ENG": "Coercion is the act or process of persuading someone forcefully to do something that they do not want to do" + }, + "inadvertently": { + "CHS": "无意地", + "ENG": "without realizing what you are doing" + }, + "advert": { + "CHS": "注意", + "ENG": "to draw attention (to); refer (to) " + }, + "propensity": { + "CHS": "倾向", + "ENG": "a natural tendency to behave in a particular way" + }, + "gratification": { + "CHS": "满足" + }, + "arrogant": { + "CHS": "傲慢无礼的", + "ENG": "behaving in an unpleasant or rude way because you think you are more important than other people" + }, + "irritable": { + "CHS": "易怒的", + "ENG": "getting annoyed quickly or easily" + }, + "pinched": { + "CHS": "憔悴的", + "ENG": "a pinched face looks thin and unhealthy, for example because the person is ill, cold, or tired" + }, + "proximity": { + "CHS": "接近", + "ENG": "nearness in distance or time" + }, + "pedantic": { + "CHS": "学究式的", + "ENG": "paying too much attention to rules or to small unimportant details" + }, + "conducive": { + "CHS": "有益的", + "ENG": "if a situation is conducive to something such as work, rest etc, it provides conditions that make it easy for you to work etc" + }, + "monotony": { + "CHS": "单调", + "ENG": "the quality of being always the same, which makes something boring, especially someone’s life or work" + }, + "facetiously": { + "CHS": "开玩笑地" + }, + "freckled": { + "CHS": "有斑的", + "ENG": "having freckles" + }, + "flatter": { + "CHS": "谄媚;使高兴" + }, + "frill": { + "CHS": "装饰", + "ENG": "a decoration that consists of narrow piece of cloth that has many small folds in it" + }, + "bunk": { + "CHS": "铺位", + "ENG": "a narrow bed that is attached to the wall, for example on a train or ship" + }, + "metallic": { + "CHS": "刺耳的", + "ENG": "a metallic voice is rough, hard, and unpleasant" + }, + "clamor": { + "CHS": "喧嚣" + }, + "profess": { + "CHS": "声称;公开表示", + "ENG": "to say that you did not do something bad, especially a crime" + }, + "jolt": { + "CHS": "摇晃", + "ENG": "to move suddenly and roughly, or to make someone or something move in this way" + }, + "gregarious": { + "CHS": "爱交际的", + "ENG": "friendly and preferring to be with other people" + }, + "velocity": { + "CHS": "速度", + "ENG": "the speed of something that is moving in a particular direction" + }, + "generic": { + "CHS": "一般的", + "ENG": "relating to a whole group of things rather than to one thing" + }, + "cerebral": { + "CHS": "理智的", + "ENG": "having or involving complicated ideas rather than strong emotions" + }, + "omnipresent": { + "CHS": "无处不在的", + "ENG": "present everywhere at all times" + }, + "pathology": { + "CHS": "病理学", + "ENG": "the study of the causes and effects of illnesses" + }, + "stigmatize": { + "CHS": "使耻辱", + "ENG": "If someone or something is stigmatized, they are unfairly regarded by many people as being bad or having something to be ashamed of" + }, + "bland": { + "CHS": "平淡乏味的", + "ENG": "without any excitement, strong opinions, or special character" + }, + "extrovert": { + "CHS": "外向", + "ENG": "someone who is active and confident, and who enjoys spending time with other people" + }, + "introvert": { + "CHS": "内向", + "ENG": "someone who is quiet and shy, and does not enjoy being with other people" + }, + "contemplation": { + "CHS": "沉思", + "ENG": "quiet serious thinking about something" + }, + "heed": { + "CHS": "注意;留心", + "ENG": "to pay attention to someone’s advice or warning" + }, + "cognition": { + "CHS": "认知", + "ENG": "the process of knowing, understanding, and learning something" + }, + "suppression": { + "CHS": "镇压;压制" + }, + "inhibit": { + "CHS": "抑制", + "ENG": "to prevent something from growing or developing well" + }, + "obstruct": { + "CHS": "阻碍", + "ENG": "to block a road, passage etc" + }, + "tussle": { + "CHS": "争斗,打斗", + "ENG": "Tussle is also a noun" + }, + "hone": { + "CHS": "磨练", + "ENG": "to improve your skill at doing something, especially when you are already very good at it" + }, + "ample": { + "CHS": "足够的,丰富的", + "ENG": "more than enough" + }, + "handicap": { + "CHS": "障碍", + "ENG": "if someone has a handicap, a part of their body or their mind has been permanently injured or damaged. Many people think that this word is offensive." + }, + "ascending": { + "CHS": "上升的", + "ENG": "If a group of things is arranged in ascending order, each thing is bigger, greater, or more important than the thing before it" + }, + "denote": { + "CHS": "表示,表明", + "ENG": "to mean something" + }, + "whilst": { + "CHS": "同时" + }, + "homophones": { + "CHS": "同音同形异义词", + "ENG": "In linguistics, homophones are words with different meanings which are pronounced in the same way but are spelled differently. For example, \"write\" and \"right\" are homophones. " + }, + "arbitrarily": { + "CHS": "武断地;专横地" + }, + "convict": { + "CHS": "证明...有罪", + "ENG": "to prove or officially announce that someone is guilty of a crime after a trial in a law court" + }, + "malnutrition": { + "CHS": "营养不良", + "ENG": "when someone becomes ill or weak because they have not eaten enough good food" + }, + "famine": { + "CHS": "饥荒", + "ENG": "a situation in which a large number of people have little or no food for a long time and many people die" + }, + "adolescence": { + "CHS": "青春期", + "ENG": "the time, usually between the ages of 12 and 18, when a young person is developing into an adult" + }, + "tavern": { + "CHS": "酒馆", + "ENG": "a word for a bar, often used in the name of a bar" + }, + "discursive": { + "CHS": "不着边际的" + }, + "initiative": { + "CHS": "行动,主动性", + "ENG": "the ability to make decisions and take action without waiting for someone to tell you what to do" + }, + "whistleblower": { + "CHS": "告密者" + }, + "footage": { + "CHS": "电影片段", + "ENG": "cinema film showing a particular event" + }, + "scrupulous": { + "CHS": "严谨的,小心的", + "ENG": "Someone who is scrupulous takes great care to do what is fair, honest, or morally right" + }, + "vociferous": { + "CHS": "喧闹的" + }, + "stridently": { + "CHS": "刺耳地" + }, + "strikingly": { + "CHS": "引人注目地", + "ENG": "in a way that is very easy to notice" + }, + "pamphlet": { + "CHS": "小册子,手册", + "ENG": "a very thin book with paper covers, that gives information about something" + }, + "roomy": { + "CHS": "宽敞的", + "ENG": "a house, car etc that is roomy is large and has a lot of space inside it" + }, + "profound": { + "CHS": "意义深远的", + "ENG": "A profound idea, work, or person shows great intellectual depth and understanding" + }, + "filter": { + "CHS": "过滤", + "ENG": "to remove unwanted substances from water, air etc by passing it through a special substance or piece of equipment" + }, + "conduit": { + "CHS": "导管,渠道", + "ENG": "a pipe or passage through which water, gas, a set of electric wires etc passes" + }, + "anonymous": { + "CHS": "匿名的", + "ENG": "unknown by name" + }, + "baron": { + "CHS": "男爵;大亨", + "ENG": "a man who is a member of a low rank of the British nobility or of a rank of European nobility " + }, + "reserved": { + "CHS": "矜持的", + "ENG": "Someone who is reserved keeps their feelings hidden" + }, + "ambiguous": { + "CHS": "模棱两可的", + "ENG": "something that is ambiguous is unclear, confusing, or not certain, especially because it can be understood in more than one way" + }, + "skeptical": { + "CHS": "怀疑的" + }, + "chic": { + "CHS": "时髦的", + "ENG": "Chic is used to refer to a particular style or to the quality of being chic" + }, + "decadence": { + "CHS": "颓废", + "ENG": "behaviour that shows that someone has low moral standards and is more concerned with pleasure than serious matters" + }, + "hype": { + "CHS": "夸大的广告", + "ENG": "Hype is the use of a lot of publicity and advertising to make people interested in something such as a product" + }, + "blockbuster": { + "CHS": "了不起的事物" + }, + "pornography": { + "CHS": "色情文学", + "ENG": "magazines, films etc that show sexual acts and images in a way that is intended to make people feel sexually excited" + }, + "swing": { + "CHS": "摇晃", + "ENG": "to make regular movements forwards and backwards or from one side to another while hanging from a particular point, or to make something do this" + }, + "condescension": { + "CHS": "屈尊", + "ENG": "Condescension is condescending behaviour" + }, + "condescend": { + "CHS": "屈尊", + "ENG": "to do something in a way that shows you think it is below your social or professional position – used to show disapproval" + }, + "impulse": { + "CHS": "冲动", + "ENG": "a sudden strong desire to do something without thinking about whether it is a sensible thing to do" + }, + "bountiful": { + "CHS": "丰富的,充裕的", + "ENG": "if something is bountiful, there is more than enough of it" + }, + "hangar": { + "CHS": "飞机库", + "ENG": "a very large building in which aircraft are kept" + }, + "scoop": { + "CHS": "抓取,舀", + "ENG": "to pick something up or remove it using a scoop or a spoon, or your curved hand" + }, + "mandate": { + "CHS": "命令", + "ENG": "to tell someone that they must do a particular thing" + }, + "gross": { + "CHS": "全体的,总的", + "ENG": "a gross sum of money is the total amount before any tax or costs have been taken away" + }, + "innately": { + "CHS": "本质地,固有地" + }, + "amenity": { + "CHS": "福利;愉快,便利设施", + "ENG": "something that makes a place comfortable or easy to live in" + }, + "surly": { + "CHS": "脾气坏的", + "ENG": "bad-tempered and unfriendly" + }, + "aura": { + "CHS": "气氛", + "ENG": "a quality or feeling that seems to surround or come from a person or a place" + }, + "ardent": { + "CHS": "热情的", + "ENG": "showing strong positive feelings about an activity and determination to succeed at it" + }, + "flaunt": { + "CHS": "炫耀", + "ENG": "to show your money, success, beauty etc so that other people notice it – used to show disapproval" + }, + "allure": { + "CHS": "诱惑", + "ENG": "a mysterious, exciting, or desirable quality" + }, + "lure": { + "CHS": "诱惑", + "ENG": "to persuade someone to do something, especially something wrong or dangerous, by making it seem attractive or exciting" + }, + "preemptive": { + "CHS": "先发制人的", + "ENG": "A preemptive attack or strike is intended to weaken or damage an enemy or opponent, for example, by destroying their weapons before they can do any harm" + }, + "snobby": { + "CHS": "势利的" + }, + "pantomime": { + "CHS": "哑剧", + "ENG": "a type of play for children that is performed in Britain around Christmas, in which traditional stories are performed with jokes, music, and songs" + }, + "demeanor": { + "CHS": "行为" + }, + "wince": { + "CHS": "畏缩,皱眉", + "ENG": "to suddenly change the expression on your face as a reaction to something painful or upsetting" + }, + "haggle": { + "CHS": "讨价还价", + "ENG": "to argue when you are trying to agree about the price of something" + }, + "incentive": { + "CHS": "刺激", + "ENG": "something that encourages you to work harder, start a new activity etc" + }, + "serene": { + "CHS": "静谧的,平静的", + "ENG": "very calm or peaceful" + }, + "bluff": { + "CHS": "虚张声势", + "ENG": "an attempt to deceive someone by making them think you will do something, when you do not intend to do it" + }, + "outright": { + "CHS": "彻底的", + "ENG": "complete and total" + }, + "luster": { + "CHS": "光泽" + }, + "wanton": { + "CHS": "无节制的", + "ENG": "uncontrolled" + }, + "solicitousness": { + "CHS": "渴望,殷勤" + }, + "tinge": { + "CHS": "着色,微染色" + }, + "decry": { + "CHS": "反对,谴责", + "ENG": "to state publicly that you do not approve of something" + }, + "stud": { + "CHS": "用饰钉装饰" + }, + "trauma": { + "CHS": "创伤;痛苦的经历", + "ENG": "an unpleasant and upsetting experience that affects you for a long time" + }, + "frugality": { + "CHS": "节俭" + }, + "arable": { + "CHS": "适合耕种的", + "ENG": "relating to growing crops" + }, + "onomatopoeia": { + "CHS": "拟声", + "ENG": "the use of words that sound like the thing that they are describing, for example ‘hiss’ or ‘boom’" + }, + "interrogative": { + "CHS": "提问;质问的", + "ENG": "an interrogative sentence, pronoun etc asks a question or has the form of a question. For example, ‘who’ and ‘what’ are interrogative pronouns." + }, + "denominator": { + "CHS": "水平,标准" + }, + "impotent": { + "CHS": "无力的", + "ENG": "unable to take effective action because you do not have enough power, strength, or control" + }, + "rivalry": { + "CHS": "对抗" + }, + "abuse": { + "CHS": "虐待,谩骂", + "ENG": "cruel or violent treatment of someone" + }, + "oblivious": { + "CHS": "遗忘的;忘却的" + }, + "scarcity": { + "CHS": "缺乏,不足", + "ENG": "a situation in which there is not enough of something" + }, + "infiltrate": { + "CHS": "渗入,使潜入", + "ENG": "to secretly join an organization or enter a place in order to find out information about it or harm it" + }, + "cascade": { + "CHS": "小瀑布", + "ENG": "a small steep waterfall that is one of several together" + }, + "trump": { + "CHS": "胜过", + "ENG": "to do better than someone else in a situation when people are competing with each other" + }, + "crunch": { + "CHS": "嘎嘎作响;", + "ENG": "to make a sound like something being crushed" + }, + "outrageous": { + "CHS": "暴怒的,令人吃惊的", + "ENG": "If you describe something as outrageous, you are emphasizing that it is unacceptable or very shocking" + }, + "invidiously": { + "CHS": "招人怨恨地,不公平地" + }, + "extracurricular": { + "CHS": "课外的", + "ENG": "extracurricular activities are not part of the course that a student is doing at a school or college" + }, + "fraternity": { + "CHS": "兄弟会,兄弟情", + "ENG": "a club at an American college or university that has only male members" + }, + "veteran": { + "CHS": "老兵;老手", + "ENG": "someone who has been a soldier, sailor etc in a war" + }, + "affection": { + "CHS": "喜爱", + "ENG": "a feeling of liking or love and caring" + }, + "boggle": { + "CHS": "犹豫,退缩;搞糟,弄坏" + }, + "alumni": { + "CHS": "男校友;男毕业生(alumnus的复数)", + "ENG": "the former students of a school, college etc" + }, + "alumna": { + "CHS": "女毕业生;女校友", + "ENG": "a woman who is a former student of a school, college etc" + }, + "cruise": { + "CHS": "巡航,巡游", + "ENG": "If you cruise an ocean, river, or canal, you travel around it or along it on a cruise" + }, + "affinity": { + "CHS": "亲密关系", + "ENG": "a close relationship between two things because of qualities or features that they share" + }, + "hostile": { + "CHS": "有敌意的", + "ENG": "angry and deliberately unfriendly towards someone, and ready to argue with them" + }, + "rhetorical": { + "CHS": "修辞的", + "ENG": "a question that you ask as a way of making a statement, without expecting an answer" + }, + "prelude": { + "CHS": "前奏,序曲", + "ENG": "if an event is a prelude to a more important event, it happens just before it and makes people expect it" + }, + "stocky": { + "CHS": "健壮的;结实的,矮壮的", + "ENG": "a stocky person is short and heavy and looks strong" + }, + "stoop": { + "CHS": "门廊;弯腰,屈背;", + "ENG": "to bend your body forward and down" + }, + "squirt": { + "CHS": "喷射", + "ENG": "if you squirt liquid or if it squirts somewhere, it is forced out in a thin fast stream" + }, + "session": { + "CHS": "开会,会议", + "ENG": "a formal meeting or group of meetings, especially of a law court or parliament" + }, + "pave": { + "CHS": "铺设", + "ENG": "to cover a path, road, area etc with a hard level surface such as blocks of stone or concrete " + }, + "legacy": { + "CHS": "遗产", + "ENG": "something that happens or exists as a result of things that happened at an earlier time" + }, + "totalitarian": { + "CHS": "极权主义者", + "ENG": "based on a political system in which ordinary people have no power and are completely controlled by the government" + }, + "refute": { + "CHS": "反驳,驳斥", + "ENG": "to prove that a statement or idea is not correct" + }, + "unveil": { + "CHS": "揭露", + "ENG": "to show or tell people about a new product or plan for the first time" + }, + "subdue": { + "CHS": "政府,克制", + "ENG": "to prevent your emotions from showing or being too strong" + }, + "episode": { + "CHS": "插曲;一段情节", + "ENG": "a television or radio programme that is one of a series of programmes in which the same story is continued each week" + }, + "compassionate": { + "CHS": "同情的", + "ENG": "feeling sympathy for people who are suffering" + }, + "sage": { + "CHS": "精明的,贤明的", + "ENG": "very wise, especially as a result of a lot of experience" + }, + "emancipator": { + "CHS": "解放者,释放者" + }, + "magnitude": { + "CHS": "重要性;大小", + "ENG": "the great size or importance of something" + }, + "rectify": { + "CHS": "纠正,改正", + "ENG": "to correct something that is wrong" + }, + "disparage": { + "CHS": "贬低,诋毁", + "ENG": "to criticize someone or something in a way that shows you do not think they are very good or important" + }, + "implicitly": { + "CHS": "暗示地,含蓄地,隐晦地" + }, + "gulp": { + "CHS": "(因紧张或兴奋)倒吸气", + "ENG": "to swallow suddenly because you are surprised or nervous" + }, + "ledge": { + "CHS": "壁架;窗台", + "ENG": "a narrow flat piece of rock that sticks out on the side of a mountain or cliff" + }, + "thoroughfare": { + "CHS": "大道", + "ENG": "the main road through a place such as a city or village" + }, + "subdued": { + "CHS": "含蓄的,不强烈的", + "ENG": "subdued lighting, colours etc are less bright than usual" + }, + "institutionalized": { + "CHS": "制度化的", + "ENG": "forming part of a society or system" + }, + "cynical": { + "CHS": "愤世嫉俗的=unbelieving or sarcastic" + }, + "anonymity": { + "CHS": "匿名 anonymous形容词为“匿名的”" + }, + "hub": { + "CHS": "中心=center n", + "ENG": "the central and most important part of an area, system, activity etc, which all the other parts are connected to" + }, + "drone": { + "CHS": "无聊的人;懒汉;=sluggard,乏味的讲话" + }, + "drab": { + "CHS": "乏味的,", + "ENG": "boring" + }, + "stark": { + "CHS": "荒凉的,光秃秃的", + "ENG": "very plain in appearance, with little or no colour or decoration" + }, + "inevitable": { + "CHS": "不可避免的=unavoidable", + "ENG": "certain to happen and impossible to avoid" + }, + "outstrip": { + "CHS": "超过=surpass", + "ENG": "If one thing outstrips another, the first thing becomes larger in amount, or more successful or important, than the second thing" + }, + "indulge": { + "CHS": "放纵,纵容", + "ENG": "to let someone have or do whatever they want, even if it is bad for them" + }, + "lackluster": { + "CHS": "缺乏光泽的" + }, + "notation": { + "CHS": "符号 n.", + "ENG": "a system of written marks or signs used to represent something such as music, mathematics, or scientific ideas" + }, + "simultaneous": { + "CHS": "同时的;联立的;同时发生的", + "ENG": "things that are simultaneous happen at exactly the same time" + }, + "aviation": { + "CHS": "航空学,飞行术", + "ENG": "the science or practice of flying in aircraft" + }, + "prophetic": { + "CHS": "adj 预言的,先知的", + "ENG": "correctly saying what will happen in the future" + }, + "perch": { + "CHS": "栖息 +on,位于高处", + "ENG": "When a bird perches on something such as a branch or a wall, it lands on it and stands there" + }, + "entrenched": { + "CHS": "根深蒂固的", + "ENG": "strongly established and not likely to change — often used to show disapproval" + }, + "entrench": { + "CHS": "v使牢固确立", + "ENG": "If something such as power, a custom, or an idea is entrenched, it is firmly established, so that it would be difficult to change it" + }, + "decode": { + "CHS": "解码,破译 v.", + "ENG": "to discover the meaning of a message written in a code (= a set of secret signs or letters ) " + }, + "convergence": { + "CHS": "集中" + }, + "blur": { + "CHS": "使模糊", + "ENG": "to become difficult to see, or to make something difficult to see, because the edges are not clear" + }, + "autonomy": { + "CHS": "自治权 n.", + "ENG": "freedom that a place or an organization has to govern or control itself" + }, + "smudge": { + "CHS": "弄脏=smirch=smear(用粘湿弄脏)", + "ENG": "If you smudge a surface, you make it dirty by touching it and leaving a substance on it" + }, + "understatement": { + "CHS": "轻描淡写", + "ENG": "a statement that is not strong enough to express how good, bad, impressive etc something really is" + }, + "hue": { + "CHS": "色调", + "ENG": "a colour or type of colour" + }, + "precipice": { + "CHS": "悬崖", + "ENG": "a very steep side of a high rock, mountain, or cliff" + }, + "attire": { + "CHS": "服装 n.", + "ENG": "clothes" + }, + "stiff": { + "CHS": "僵硬的", + "ENG": "if someone or a part of their body is stiff, their muscles hurt and it is difficult for them to move" + }, + "scrutiny": { + "CHS": "scrutinize细查" + }, + "countenance": { + "CHS": "支持", + "ENG": "to accept, support, or approve of something" + }, + "placid": { + "CHS": "平静的,温和的", + "ENG": "a placid person does not often get angry or upset and does not usually mind doing what other people want them to" + }, + "contemplate": { + "CHS": "仔细考虑,思考", + "ENG": "to think about something seriously for a period of time" + }, + "gleam": { + "CHS": "发光(微弱的光芒)", + "ENG": "to shine softly" + }, + "sturdy": { + "CHS": "结实的,强壮的", + "ENG": "an object that is sturdy is strong, well-made, and not easily broken" + }, + "chamber": { + "CHS": "体内的腔", + "ENG": "an enclosed space, especially in your body or inside a machine" + }, + "fresco": { + "CHS": "壁画 n.", + "ENG": "a painting made on a wall while the plaster is still wet" + }, + "elation": { + "CHS": "得意洋洋" + }, + "bully": { + "CHS": "欺负的人" + }, + "snobbery": { + "CHS": "势利,阿谀奉承", + "ENG": "behaviour or attitudes which show that you think you are better than other people, because you belong to a higher social class or know much more than they do – used to show disapproval" + }, + "oppress": { + "CHS": "压迫,使烦恼", + "ENG": "to treat a group of people unfairly or cruelly, and prevent them from having the same rights that other people in society have" + }, + "evince": { + "CHS": "表明,表示", + "ENG": "to show a feeling or have a quality in a way that people can easily notice" + }, + "glee": { + "CHS": "欢乐", + "ENG": "a feeling of satisfaction and excitement, often because something bad has happened to someone else" + }, + "sardonic": { + "CHS": "嘲笑的,讽刺的", + "ENG": "showing that you do not have a good opinion of someone or something, and feel that you are better than them" + }, + "equanimity": { + "CHS": "平静,镇定", + "ENG": "calmness in the way that you react to things, which means that you do not become upset or annoyed" + }, + "benevolence": { + "CHS": "仁慈,善意" + }, + "patronage": { + "CHS": "赞助,光顾,庇护", + "ENG": "the support, especially financial support, that is given to an organization or activity by a patron" + }, + "entwine": { + "CHS": "盘绕,缠绕", + "ENG": "to twist two things together or to wind one thing around another" + }, + "deference": { + "CHS": "顺从,服从", + "ENG": "polite behaviour that shows that you respect someone and are therefore willing to accept their opinions or judgment" + }, + "ballad": { + "CHS": "民谣", + "ENG": "a short story in the form of a poem or song" + }, + "epic": { + "CHS": "史诗", + "ENG": "a book, poem, or film that tells a long story about brave actions and exciting events" + }, + "elegy": { + "CHS": "挽歌", + "ENG": "a sad poem or song, especially about someone who has died" + }, + "pragmatics": { + "CHS": "语用学", + "ENG": "the study of how words and phrases are used with special meanings in particular situations" + }, + "articulation": { + "CHS": "清晰的表达", + "ENG": "the expression of thoughts or feelings in words" + }, + "articulate": { + "CHS": "发音清晰的;口才好的;有关节的", + "ENG": "to pronounce what you are saying in a clear and careful way" + }, + "topographical": { + "CHS": "地形学的", + "ENG": "A topographical survey or map relates to or shows the physical features of an area of land, for example, its hills, valleys, and rivers" + }, + "contour": { + "CHS": "等高线", + "ENG": "a line on a map that shows points that are of equal heights above sea level" + }, + "ridge": { + "CHS": "山脊", + "ENG": "a long area of high land, especially at the top of a mountain" + }, + "mirage": { + "CHS": "海市蜃楼,幻觉=miracle", + "ENG": "an effect caused by hot air in a desert, which makes you think that you can see objects when they are not actually there" + }, + "terrace": { + "CHS": "梯田,比赛看台", + "ENG": "the wide steps that the people watching a football match can stand on" + }, + "trek": { + "CHS": "艰苦跋涉", + "ENG": "a long and difficult journey, made especially on foot as an adventure" + }, + "polychronic": { + "CHS": "多次的=multiple" + }, + "cocoon": { + "CHS": "茧,蚕茧", + "ENG": "a silk cover that young moths and other insects make to protect themselves while they are growing" + }, + "chandelier": { + "CHS": "枝形吊灯", + "ENG": "a large round frame for holding candle s or lights that hangs from the ceiling and is decorated with small pieces of glass" + }, + "circumscribe": { + "CHS": "限制", + "ENG": "to limit power, rights, or abilities" + }, + "luxuriate": { + "CHS": "纵情享乐,放纵自己", + "ENG": "to relax and enjoy something" + }, + "parlor": { + "CHS": "客厅" + }, + "congregate": { + "CHS": "集合,聚集", + "ENG": "to come together in a group" + }, + "communal": { + "CHS": "共同的,集体的", + "ENG": "shared by a group of people or animals, especially a group who live together" + }, + "hierarchy": { + "CHS": "等级制度", + "ENG": "a system of organization in which people or things are divided into levels of importance" + }, + "huddle": { + "CHS": "蜷缩;聚在一起", + "ENG": "to lie or sit with your arms and legs close to your body because you are cold or frightened" + }, + "muddle": { + "CHS": "混乱", + "ENG": "to put things in the wrong order" + }, + "aristocracy": { + "CHS": "贵族;上层社会", + "ENG": "the people in the highest social class, who traditionally have a lot of land, money, and power" + }, + "surge": { + "CHS": "洋溢;猛增", + "ENG": "If something surges, it increases suddenly and greatly, after being steady or developing only slowly" + }, + "amiability": { + "CHS": "可爱;和蔼可亲", + "ENG": "Amiability is the quality of being friendly and pleasant" + }, + "furtive": { + "CHS": "偷偷摸摸的,鬼鬼祟祟的", + "ENG": "behaving as if you want to keep something secret" + }, + "beam": { + "CHS": "面露月色" + }, + "semantics": { + "CHS": "语义学(研究语言的意义)", + "ENG": "the study of the meaning of words and phrases" + }, + "evacuate": { + "CHS": "撤离,疏散", + "ENG": "to send people away from a dangerous place to a safe place" + }, + "torrential": { + "CHS": "似急流的,波涛汹涌的" + }, + "rickshaw": { + "CHS": "黄包车", + "ENG": "a small vehicle used in South East Asia for carrying one or two passengers. It is pulled by someone walking or riding a bicycle." + }, + "demeaning": { + "CHS": "丢脸的,低贱的", + "ENG": "showing less respect for someone than they deserve, or making someone feel embarrassed or ashamed" + }, + "infrastructure": { + "CHS": "基础设施,基础结构", + "ENG": "the basic systems and structures that a country or organization needs in order to work properly, for example roads, railways, banks etc" + }, + "imminent": { + "CHS": "即将发生的", + "ENG": "an event that is imminent, especially an unpleasant one, will happen very soon" + }, + "hawker": { + "CHS": "沿街叫卖者" + }, + "clout": { + "CHS": "权利,政治上的势力,重击", + "ENG": "power or the authority to influence other people’s decisions" + }, + "clot": { + "CHS": "血块", + "ENG": "a thick almost solid mass formed when blood or milk dries" + }, + "clog": { + "CHS": "阻碍 木屐", + "ENG": "Clogs are heavy leather or wooden shoes with thick, wooden soles" + }, + "sardar": { + "CHS": "司令官,将领" + }, + "rehabilitate": { + "CHS": "恢复", + "ENG": "to help someone to live a healthy, useful, or active life again after they have been seriously ill or in prison" + }, + "crucial": { + "CHS": "决定性的", + "ENG": "something that is crucial is extremely important, because everything else depends on it" + }, + "democratic": { + "CHS": "民主的", + "ENG": "controlled by representatives who are elected by the people of a country" + }, + "disembark": { + "CHS": "下船,下飞机,下车", + "ENG": "to get off a ship or aircraft" + }, + "hapless": { + "CHS": "倒霉的,不幸的", + "ENG": "unlucky" + }, + "bemuse": { + "CHS": "使困惑,使不知所措", + "ENG": "If something bemuses you, it puzzles or confuses you" + }, + "amnesty": { + "CHS": "赦免,大赦", + "ENG": "an official order by a government that allows a particular group of prisoners to go free" + }, + "bereft": { + "CHS": "被剥夺的,丧失的", + "ENG": "If a person or thing is bereft of something, they no longer have it" + }, + "covet": { + "CHS": "垂涎,觊觎", + "ENG": "to have a very strong desire to have something that someone else has" + }, + "savvy": { + "CHS": "悟性,机智" + }, + "renowned": { + "CHS": "有名的", + "ENG": "known and admired by a lot of people, especially for a special skill, achievement, or quality" + }, + "consign": { + "CHS": "托付,寄存" + }, + "teasing": { + "CHS": "戏弄的,逗趣的", + "ENG": "A teasing expression or manner shows that the person is not completely serious about what they are saying or doing" + }, + "profusion": { + "CHS": "大量,充沛", + "ENG": "a very large amount of something" + }, + "bewilder": { + "CHS": "使迷惑,不知所措", + "ENG": "to confuse someone" + }, + "cauldron": { + "CHS": "大锅", + "ENG": "a large round metal pot for boiling liquids over a fire" + }, + "farthing": { + "CHS": "一点,极少量" + }, + "vulgar": { + "CHS": "庸俗的,低俗的,平民的", + "ENG": "remarks, jokes etc that are vulgar deal with sex in a very rude and offensive way" + }, + "gigantic": { + "CHS": "巨大的,庞大的", + "ENG": "extremely big" + }, + "grime": { + "CHS": "污垢", + "ENG": "a lot of dirt" + }, + "confectionery": { + "CHS": "甜食,甜食店" + }, + "bust": { + "CHS": "打破,打碎", + "ENG": "to break something" + }, + "disdain": { + "CHS": "鄙视", + "ENG": "to have no respect for someone or something, because you think they are not important or good enough" + }, + "tremolo": { + "CHS": "震颤,颤音", + "ENG": "musical notes which are repeated very quickly" + }, + "sleek": { + "CHS": "有光泽的,油嘴滑舌的", + "ENG": "sleek hair or fur is straight, shiny, and healthy-looking" + }, + "murmur": { + "CHS": "低声说,小声说", + "ENG": "to say something in a soft quiet voice that is difficult to hear clearly" + }, + "gullible": { + "CHS": "轻信的", + "ENG": "too ready to believe what other people tell you, so that you are easily tricked" + }, + "pristine": { + "CHS": "纯洁的,远古的", + "ENG": "extremely fresh or clean" + }, + "encumber": { + "CHS": "阻碍", + "ENG": "to make it difficult for you to do something or for something to happen" + }, + "attune": { + "CHS": "使适应,协调,调音", + "ENG": "to adjust or accustom (a person or thing); acclimatize " + }, + "ostensible": { + "CHS": "表面上的", + "ENG": "seeming to be the reason for or the purpose of something, but usually hiding the real reason or purpose" + }, + "allotment": { + "CHS": "分配,拨给", + "ENG": "an amount or share of something such as money or time that is given to someone or something, or the process of doing this" + }, + "allegory": { + "CHS": "寓言", + "ENG": "a story, painting etc in which the events and characters represent ideas or teach a moral lesson" + }, + "sonnet": { + "CHS": "十四行诗", + "ENG": "a poem with 14 lines which rhyme with each other in a fixed pattern" + }, + "rhyme": { + "CHS": "押韵", + "ENG": "a short poem or song, especially for children, using words that rhyme" + }, + "morphology": { + "CHS": "形态学(尤指动植物形态学或词语形态学)", + "ENG": "the study of the morpheme s of a language and of the way in which they are joined together to make words" + }, + "backformation": { + "CHS": "逆构造词" + }, + "blend": { + "CHS": "混合", + "ENG": "to combine different things in a way that produces an effective or pleasant result, or to become combined in this way" + }, + "meadow": { + "CHS": "草地,牧场", + "ENG": "a field with wild grass and flowers" + }, + "hedge": { + "CHS": "保护,围住" + }, + "tranquil": { + "CHS": "宁静的,平静的", + "ENG": "pleasantly calm, quiet, and peaceful" + }, + "repose": { + "CHS": "安眠,休息", + "ENG": "if something reposes somewhere, it has been put there" + }, + "huskiness": { + "CHS": "沙哑声" + }, + "proprietor": { + "CHS": "老板,业主", + "ENG": "an owner of a business" + }, + "fabric": { + "CHS": "布局,构造", + "ENG": "the fabric of a society is its basic structure, way of life, relationships, and traditions" + }, + "province": { + "CHS": "职责,职权", + "ENG": "a subject that someone knows a lot about or something that only they are responsible for" + }, + "elite": { + "CHS": "精英", + "ENG": "a group of people who have a lot of power and influence because they have money, knowledge, or special skills" + }, + "unaffiliated": { + "CHS": "独立的,未结合的" + }, + "sucker": { + "CHS": "呆子" + }, + "shatter": { + "CHS": "粉碎", + "ENG": "to break suddenly into very small pieces, or to make something break in this way" + }, + "temperamental": { + "CHS": "喜怒无常的", + "ENG": "likely to suddenly become upset, excited, or angry – used to show disapproval" + }, + "loot": { + "CHS": "洗劫,掠夺", + "ENG": "to steal things, especially from shops or homes that have been damaged in a war or riot " + }, + "vermilion": { + "CHS": "朱红色的", + "ENG": "a very bright red colour" + }, + "servitude": { + "CHS": "奴役", + "ENG": "the condition of being a slave or being forced to obey someone else" + }, + "verve": { + "CHS": "气魄;活力", + "ENG": "energy, excitement, or great pleasure" + }, + "exotic": { + "CHS": "异域的,外国的", + "ENG": "something that is exotic seems unusual and interesting because it is related to a foreign country – use this to show approval" + }, + "manicure": { + "CHS": "修指甲,修剪", + "ENG": "a treatment for the hands that includes cutting and polishing the nails" + }, + "boulevard": { + "CHS": "林荫大道,大马路", + "ENG": "a wide road in a town or city, often with trees along the sides" + }, + "acquaint": { + "CHS": "使认识 使了解", + "ENG": "If you acquaint someone with something, you tell them about it so that they know it. If you acquaint yourself with something, you learn about it. " + }, + "fascinate": { + "CHS": "使着迷", + "ENG": "If something fascinates you, it interests and delights you so much that your thoughts tend to concentrate on it" + }, + "labyrinth": { + "CHS": "迷宫", + "ENG": "a large network of paths or passages which cross each other, making it very difficult to find your way" + }, + "bazaar": { + "CHS": "集市,慈善义卖", + "ENG": "a market or area where there are a lot of small shops, especially in India or the Middle East" + }, + "pungent": { + "CHS": "刺激的,辛辣的,(言辞)尖刻辛辣的", + "ENG": "having a strong taste or smell" + }, + "boutique": { + "CHS": "精品店", + "ENG": "a small shop that sells fashionable clothes or other objects" + }, + "gourmet": { + "CHS": "美食家", + "ENG": "someone who knows a lot about food and wine and who enjoys good food and wine" + }, + "harem": { + "CHS": "闺房", + "ENG": "part of a Muslim house that is separate from the rest of the house, where only women live" + }, + "gear": { + "CHS": "使……适合,使……准备好", + "ENG": "If someone or something is geared to or toward a particular purpose, they are organized or designed in order to achieve that purpose" + }, + "recruit": { + "CHS": "招聘,征召", + "ENG": "to find new people to work in a company, join an organization, do a job etc" + }, + "genial": { + "CHS": "亲切的,友好的;愉快的,高兴的", + "ENG": "friendly and happy" + }, + "conspiracy": { + "CHS": "阴谋,共谋", + "ENG": "a secret plan made by two or more people to do something that is harmful or illegal" + }, + "elevate": { + "CHS": "举起,提高;升职,晋升;兴高采烈", + "ENG": "to move someone or something to a more important level or rank, or make them better than before" + }, + "indiscriminate": { + "CHS": "不加选择的;随意的", + "ENG": "an indiscriminate action is done without thinking about what harm it might cause" + }, + "discriminate": { + "CHS": "歧视;区分", + "ENG": "to treat a person or group differently from another in an unfair way" + }, + "applause": { + "CHS": "掌声", + "ENG": "the sound of many people hitting their hands together and shouting, to show that they have enjoyed something" + }, + "implausible": { + "CHS": "似乎不可信的,难以置信的", + "ENG": "difficult to believe and therefore unlikely to be true" + }, + "tentative": { + "CHS": "暂定的,实验性的", + "ENG": "not definite or certain, and may be changed later" + }, + "amorousness": { + "CHS": "爱情;色情" + }, + "abrasive": { + "CHS": "磨损的;恼人的,使人受伤的" + }, + "erotic": { + "CHS": "色情的;挑逗的", + "ENG": "an erotic book, picture, or film shows people having sex, and is intended to make people reading or looking at it have feelings of sexual pleasure" + }, + "daunt": { + "CHS": "使恐吓;使气馁", + "ENG": "to make someone feel afraid or less confident about something" + }, + "dauntless": { + "CHS": "无畏的", + "ENG": "confident and not easily frightened" + }, + "arduous": { + "CHS": "辛苦的,费力的", + "ENG": "involving a lot of strength and effort" + }, + "amphitheater": { + "CHS": "环形剧场;斗兽场" + }, + "bereave": { + "CHS": "剥夺;使丧失亲友", + "ENG": "to deprive (of) something or someone valued, esp through death " + }, + "jut": { + "CHS": "使伸出;突出", + "ENG": "something that juts out sticks out further than the other things around it" + }, + "stupendous": { + "CHS": "巨大的,惊人的", + "ENG": "surprisingly large or impressive" + }, + "sheer": { + "CHS": "陡峭的;完全的,纯粹的;几乎透明的", + "ENG": "a sheer drop, cliff, slope etc is very steep and almost vertical" + }, + "demure": { + "CHS": "端庄的;严肃的", + "ENG": "quiet, serious, and well-behaved – used especially about women in the past" + }, + "demur": { + "CHS": "抗议,反对", + "ENG": "to express doubt about or opposition to a plan or suggestion" + }, + "colossal": { + "CHS": "巨大的", + "ENG": "used to emphasize that something is extremely large" + }, + "shuffle": { + "CHS": "拖着脚走;洗牌", + "ENG": "to walk very slowly and noisily, without lifting your feet off the ground" + }, + "grimy": { + "CHS": "肮脏的", + "ENG": "Something that is grimy is very dirty" + }, + "rivulet": { + "CHS": "小溪", + "ENG": "a very small stream of water or liquid" + }, + "tumble": { + "CHS": "跌倒", + "ENG": "to fall down quickly and suddenly, especially with a rolling movement" + }, + "stumble": { + "CHS": "蹒跚,跌倒", + "ENG": "to walk in an unsteady way and often almost fall" + }, + "abbot": { + "CHS": "主持,修道院院长", + "ENG": "a man who is in charge of a monastery (= a place where a group of monk s live ) " + }, + "trudge": { + "CHS": "跋涉,艰难的前行" + }, + "panoramic": { + "CHS": "全景的", + "ENG": "If you have a panoramic view, you can see a long way over a wide area" + }, + "haze": { + "CHS": "霾,薄雾", + "ENG": "smoke, dust, or mist in the air which is difficult to see through" + }, + "piety": { + "CHS": "虔诚", + "ENG": "when you behave in a way that shows respect for your religion" + }, + "idiolect": { + "CHS": "个人习语", + "ENG": "the way in which a particular person uses language" + }, + "vaccination": { + "CHS": "接种疫苗" + }, + "manicured": { + "CHS": "修剪整齐的", + "ENG": "manicured hands or fingers have nails that are neatly cut and polished" + }, + "pique": { + "CHS": "激起,引起", + "ENG": "to make you feel interested in something or someone" + }, + "bulky": { + "CHS": "庞大的,巨大的", + "ENG": "something that is bulky is bigger than other things of its type, and is difficult to carry or store" + }, + "eligible": { + "CHS": "有资格的,合适的", + "ENG": "someone who is eligible for something is able or allowed to do it, for example because they are the right age" + }, + "void": { + "CHS": "空缺,空缺职位", + "ENG": "a situation in which something important or interesting is needed or wanted, but does not exist" + }, + "crest": { + "CHS": "定点,顶部", + "ENG": "the top or highest point of something such as a hill or a wave" + }, + "diminutive": { + "CHS": "个字矮小的", + "ENG": "small" + }, + "emissary": { + "CHS": "使者", + "ENG": "someone who is sent with an official message or to do official work" + }, + "paradox": { + "CHS": "悖论", + "ENG": "a statement that seems impossible because it contains two opposing ideas that are both true" + }, + "grueling": { + "CHS": "累人的" + }, + "grumpy": { + "CHS": "脾气暴躁的", + "ENG": "bad-tempered and easily annoyed" + }, + "grumble": { + "CHS": "抱怨", + "ENG": "to keep complaining in an unhappy way" + }, + "grudge": { + "CHS": "不情愿做,吝啬" + }, + "grouse": { + "CHS": "抱怨", + "ENG": "to complain about something" + }, + "grouch": { + "CHS": "不高兴的人,心怀不满的人", + "ENG": "A grouch is someone who is always complaining in a bad-tempered way" + }, + "cram": { + "CHS": "挤满,塞满;死记硬背,填鸭式学的", + "ENG": "if a lot of people cram into a place or vehicle, they go into it so it is then full" + }, + "fretful": { + "CHS": "烦躁不安的", + "ENG": "If someone is fretful, they behave in a way that shows that they are worried or unhappy about something" + }, + "fret": { + "CHS": "使烦躁,使焦虑;使磨损" + }, + "egalitarian": { + "CHS": "平等主义的,主张平等的", + "ENG": "based on the belief that everyone is equal and should have equal rights" + }, + "curriculum": { + "CHS": "课程", + "ENG": "the subjects that are taught by a school, college etc, or the things that are studied in a particular subject" + }, + "prestigious": { + "CHS": "有声望的", + "ENG": "admired as one of the best and most important" + }, + "melodramatic": { + "CHS": "情节剧的" + }, + "bias": { + "CHS": "偏见", + "ENG": "an opinion about whether a person, group, or idea is good or bad that influences how you deal with it" + }, + "burgeon": { + "CHS": "萌芽;迅速发展", + "ENG": "If something burgeons, it grows or develops rapidly" + }, + "dwindle": { + "CHS": "逐渐减少", + "ENG": "to gradually become less and less or smaller and smaller" + }, + "affluence": { + "CHS": "富裕", + "ENG": "Affluence is the state of having a lot of money or a high standard of living" + }, + "rustic": { + "CHS": "乡村的,乡下的", + "ENG": "simple, old-fashioned, and not spoiled by modern developments, in a way that is typical of the countryside" + }, + "chronicle": { + "CHS": "记录,将…载入编年体", + "ENG": "a written record of a series of events, especially historical events, written in the order in which they happened" + }, + "authentic": { + "CHS": "真正的,可信的", + "ENG": "done or made in the traditional or original way" + }, + "stereotypical": { + "CHS": "老一套的,陈规的" + }, + "scrummage": { + "CHS": "争球" + }, + "scramble": { + "CHS": "快速爬行;攀登。争夺,争抢;炒;~eggs 炒鸡蛋", + "ENG": "to climb up, down, or over something quickly and with difficulty, especially using your hands to help you" + }, + "rampart": { + "CHS": "(城堡等周围宽口的)防御土墙 ;防御,保护", + "ENG": "a wide pile of earth or a stone wall built to protect a castle or city in the past" + }, + "defy": { + "CHS": "公然反抗;无法做某事", + "ENG": "If you defy someone or something that is trying to make you behave in a particular way, you refuse to obey them and behave in that way" + }, + "defiance": { + "CHS": "蔑视;挑战;反抗", + "ENG": "Defiance is behaviour or an attitude which shows that you are not willing to obey someone" + }, + "grin": { + "CHS": "露齿而笑", + "ENG": "to smile widely" + }, + "epitomize": { + "CHS": "做…摘要;典型;是…的典范", + "ENG": "to be a very typical example of something" + }, + "metropolis": { + "CHS": "首府;大都市;重要中心", + "ENG": "a very large city that is the most important city in a country or area" + }, + "raucous": { + "CHS": "沙哑的;刺耳的;粗声的", + "ENG": "sounding unpleasantly loud" + }, + "roar": { + "CHS": "大声喊叫", + "ENG": "to shout something in a deep powerful voice" + }, + "reminiscent": { + "CHS": "怀旧的,回忆往事的;耽于回想,搭配介词of", + "ENG": "thinking about the past" + }, + "reminisce": { + "CHS": "回忆;搭配介词" + }, + "repression": { + "CHS": "抑制,压抑;镇压", + "ENG": "when someone does not allow themselves to express feelings or desires which they are ashamed of, especially sexual ones – used when you think someone should express these feelings" + }, + "pimp": { + "CHS": "俚皮条客;男妓", + "ENG": "a man who makes money by controlling prostitute s " + }, + "rage": { + "CHS": "大怒,发怒;", + "ENG": "to feel very angry about something and show this in the way you behave or speak" + }, + "sobriety": { + "CHS": "节制;清醒,冷静", + "ENG": "when someone is not drunk" + }, + "sober": { + "CHS": "清醒的;absorb v.使…全神贯注", + "ENG": "not drunk" + }, + "brink": { + "CHS": "(峭壁的)边缘;", + "ENG": "a situation when you are almost in a new situation, usually a bad one" + }, + "cando": { + "CHS": "私人公寓" + }, + "lucrative": { + "CHS": "有利可图的,赚钱的;合算的", + "ENG": "a job or activity that is lucrative lets you earn a lot of money" + }, + "callous": { + "CHS": "起老茧的;无情的", + "ENG": "not caring that other people are suffering" + }, + "calloused": { + "CHS": "变得无情的;长满老茧的", + "ENG": "calloused skin is rough and covered in callus es " + }, + "callosity": { + "CHS": "无情;老茧" + }, + "snap": { + "CHS": "猛咬;发出尖厉声音的突然折断", + "ENG": "if an animal such as a dog snaps, it tries to bite you" + }, + "mortgage": { + "CHS": "抵押债款" + }, + "ultimate": { + "CHS": "最终的", + "ENG": "someone’s ultimate aim is their main and most important aim, that they hope to achieve in the future" + }, + "ultimatum": { + "CHS": "最后通牒;最后结论", + "ENG": "a threat saying that if someone does not do what you want by a particular time, you will do something to punish them" + }, + "resurgence": { + "CHS": "复苏" + }, + "centrifugal": { + "CHS": "离心的; force 离心力", + "ENG": "acting, moving, or tending to move away from a centre " + }, + "devolution": { + "CHS": "(权利)移交,下放;退化、倒退", + "ENG": "when a national government gives power to a group or organization at a lower or more local level" + }, + "enact": { + "CHS": "颁布;制定法律", + "ENG": "to make a proposal into a law" + }, + "figurehead": { + "CHS": "傀儡", + "ENG": "If someone is the figurehead of an organization or movement, they are recognized as being its leader, although they have little real power" + }, + "waterfront": { + "CHS": "水边;滩,海滨", + "ENG": "the part of a town or an area of land next to the sea, a river etc" + }, + "esteem": { + "CHS": "尊重;尊敬", + "ENG": "a feeling of respect for someone, or a good opinion of someone" + }, + "indigenous": { + "CHS": "本土的;本国的;天生的", + "ENG": "indigenous people or things have always been in the place where they are, rather than being brought there from somewhere else" + }, + "compatriot": { + "CHS": "同国人;同胞", + "ENG": "someone who was born in or is a citizen of the same country as someone else" + }, + "jersey": { + "CHS": "运动衫,毛线衫", + "ENG": "a shirt made of soft material, worn by players of sports such as football and rugby" + }, + "feudal": { + "CHS": "封建的", + "ENG": "relating to feudalism" + }, + "hilarious": { + "CHS": "欢闹的;非常滑稽的;" + }, + "amble": { + "CHS": "(马的)缓行步态;漫步" + }, + "swig": { + "CHS": "大口喝;", + "ENG": "to drink something in large mouthfuls, especially from a bottle" + }, + "satchel": { + "CHS": "小背包;书包", + "ENG": "a leather bag that you carry over your shoulder, used especially in the past by children for carrying books to school" + }, + "grenade": { + "CHS": "手榴弹", + "ENG": "a small bomb that can be thrown by hand or fired from a gun" + }, + "anthrax": { + "CHS": "炭疽,炭疽热", + "ENG": "a serious disease affecting cattle and sheep, which can affect humans" + }, + "wield": { + "CHS": "挥舞;手持;拥有(权利)" + }, + "abstention": { + "CHS": "弃权;节制;戒绝", + "ENG": "an act of not voting for or against something" + }, + "municipal": { + "CHS": "市政的,市的;政府的", + "ENG": "relating to or belonging to the government of a town or city" + }, + "furious": { + "CHS": "狂怒的;激烈的", + "ENG": "very angry" + }, + "thwart": { + "CHS": "反对;阻碍;阻挠", + "ENG": "to prevent someone from doing what they are trying to do" + }, + "spangle": { + "CHS": "使发光", + "ENG": "to cover something with shiny points of light" + }, + "suffragette": { + "CHS": "女权主义者", + "ENG": "a female advocate of the extension of the franchise to women, esp a militant one, as in Britain at the beginning of the 20th century " + }, + "medieval": { + "CHS": "中世纪的", + "ENG": "connected with the Middle Ages (= the period between about 1100 and 1500 AD )" + }, + "embody": { + "CHS": "体现", + "ENG": "to be a very good example of an idea or quality" + }, + "chivalry": { + "CHS": "骑士精神(复数chivalries);绅士风度", + "ENG": "behaviour that is honourable, kind, generous, and brave, especially men’s behaviour towards women" + }, + "compliment": { + "CHS": "赞扬", + "ENG": "a remark that shows you admire someone or something" + }, + "reign": { + "CHS": "统治;支配;统治时期", + "ENG": "the period when someone is king, queen, or emperor " + }, + "prowess": { + "CHS": "英勇;超凡技术;勇猛", + "ENG": "great skill at doing something" + }, + "sinew": { + "CHS": "筋;肌腱;体力;精力", + "ENG": "a part of your body that connects a muscle to a bone" + }, + "dexterous": { + "CHS": "灵巧的;敏捷的;惯用右手的", + "ENG": "skilful and quick when using your hands" + }, + "malice": { + "CHS": "恶意;恶毒", + "ENG": "the desire to harm someone because you hate them" + }, + "impetuous": { + "CHS": "冲动的;猛烈的;鲁莽的", + "ENG": "tending to do things very quickly, without thinking carefully first, or showing this quality" + }, + "treacherous": { + "CHS": "背信弃义的", + "ENG": "someone who is treacherous cannot be trusted because they are not loyal and secretly intend to harm you" + }, + "munificent": { + "CHS": "慷慨的", + "ENG": "very generous" + }, + "circumspect": { + "CHS": "谨慎的,小心的", + "ENG": "thinking carefully about something before doing it, in order to avoid risk" + }, + "ineptitude": { + "CHS": "无能", + "ENG": "lack of skill" + }, + "tenable": { + "CHS": "站的住脚的;合理的", + "ENG": "a belief, argument etc that is tenable is reasonable and can be defended successfully" + }, + "unearth": { + "CHS": "挖掘", + "ENG": "to find something after searching for it, especially something that has been buried in the ground or lost for a long time" + }, + "paramount": { + "CHS": "至高无上的;最重要的(没有比较级和最高级)", + "ENG": "more important than anything else" + }, + "bolt": { + "CHS": "弩箭;门闩", + "ENG": "a short heavy arrow that is fired from a crossbow " + }, + "fealty": { + "CHS": "忠诚", + "ENG": "loyalty to a king, queen etc" + }, + "flay": { + "CHS": "剥皮", + "ENG": "to remove the skin from an animal or person, especially one that is dead" + }, + "pompous": { + "CHS": "高傲的,自大的", + "ENG": "someone who is pompous thinks that they are important, and shows this by being very formal and using long words – used to show disapproval" + }, + "demise": { + "CHS": "死亡;终止", + "ENG": "the end of something that used to exist" + }, + "impoverish": { + "CHS": "贫穷", + "ENG": "to make someone very poor" + }, + "audacious": { + "CHS": "厚颜无耻的;大胆鲁莽的", + "ENG": "showing great courage or confidence in a way that is impressive or slightly shocking" + }, + "cumulative": { + "CHS": "积累的", + "ENG": "increasing gradually as more of something is added or happens" + }, + "prudent": { + "CHS": "谨慎的", + "ENG": "sensible and careful, especially by trying to avoid unnecessary risks" + }, + "quirk": { + "CHS": "怪癖,奇事", + "ENG": "something strange that happens by chance" + }, + "cosmos": { + "CHS": "宇宙", + "ENG": "the whole universe, especially when you think of it as a system" + }, + "margin": { + "CHS": "边缘,利润", + "ENG": "the difference between what it costs a business to buy or produce something and what they sell it for" + }, + "zealous": { + "CHS": "热心的,热忱的", + "ENG": "someone who is zealous does or supports something with great energy" + }, + "discretion": { + "CHS": "选择的自由;谨慎;判断力", + "ENG": "the ability to deal with situations in a way that does not offend, upset, or embarrass people or tell any of their secrets" + }, + "circumvent": { + "CHS": "绕过;巧妙地规避", + "ENG": "to avoid something by changing the direction in which you are travelling" + }, + "dynamo": { + "CHS": "发电机", + "ENG": "a machine that changes some other form of power directly into electricity" + }, + "charcoal": { + "CHS": "木炭", + "ENG": "a black substance made of burned wood that can be used as fuel " + }, + "agile": { + "CHS": "灵活的,轻快的", + "ENG": "able to move quickly and easily" + }, + "ruckus": { + "CHS": "争吵", + "ENG": "a noisy argument or confused situation" + }, + "exemplify": { + "CHS": "举例说明", + "ENG": "to give an example of something" + }, + "venerable": { + "CHS": "古老的;值得尊敬的", + "ENG": "formal a venerable person or thing is respected because of their great age, experience etc – often used humorously" + }, + "stilt": { + "CHS": "高跷", + "ENG": "one of two poles which you can stand on and walk high above the ground" + }, + "impersonator": { + "CHS": "模仿者,演员", + "ENG": "someone who copies the way that other people look, speak, and behave, as part of a performance" + }, + "teeter": { + "CHS": "步履蹒跚", + "ENG": "to stand or walk moving from side to side, as if you are going to fall" + }, + "console": { + "CHS": "安慰", + "ENG": "to make someone feel better when they are feeling sad or disappointed" + }, + "bondage": { + "CHS": "奴役,束缚", + "ENG": "the state of having your freedom limited, or being prevented from doing what you want" + }, + "brawl": { + "CHS": "争吵", + "ENG": "to quarrel or fight in a noisy way, especially in a public place" + }, + "exuberant": { + "CHS": "茁壮成长的," + }, + "attic": { + "CHS": "阁楼", + "ENG": "a space or room just below the roof of a house, often used for storing things" + }, + "buoyant": { + "CHS": "上涨的;有浮力的", + "ENG": "buoyant prices etc tend to rise" + }, + "burgeoning": { + "CHS": "迅速发展的" + }, + "fugitive": { + "CHS": "逃亡者", + "ENG": "someone who is trying to avoid being caught by the police" + }, + "overwhelmingly": { + "CHS": "势不可挡地" + }, + "vaporize": { + "CHS": "蒸发", + "ENG": "to change into a vapour, or to make something, especially a liquid, do this" + }, + "flirtatious": { + "CHS": "爱调情的", + "ENG": "behaving in a way that deliberately tries to attract sexual attention" + }, + "stance": { + "CHS": "立场", + "ENG": "an opinion that is stated publicly" + }, + "reversal": { + "CHS": "反转,反向", + "ENG": "a change to an opposite arrangement, process, or way of doing something" + }, + "portfolio": { + "CHS": "投资组合", + "ENG": "a group of stock s owned by a particular person or company" + }, + "reproduce": { + "CHS": "复制;再生;生殖;使…在脑海中重现", + "ENG": "if an animal or plant reproduces, or reproduces itself, it produces young plants or animals" + }, + "pen": { + "CHS": "写;关入栏中", + "ENG": "to write something such as a letter, a book etc, especially using a pen" + }, + "blotter": { + "CHS": "记事簿,[会计] 流水帐;吸墨纸", + "ENG": "a large piece of blotting paper kept on top of a desk" + }, + "lust": { + "CHS": "贪求,渴望" + }, + "malignant": { + "CHS": "保王党员;怀恶意的人" + }, + "twelve": { + "CHS": "十二的;十二个的" + }, + "anal": { + "CHS": "(Anal)人名;(土)阿纳尔" + }, + "benign": { + "CHS": "(Benign)人名;(俄)贝尼根" + }, + "independent": { + "CHS": "独立自主者;无党派者", + "ENG": "An independent is an independent politician" + }, + "knighthood": { + "CHS": "骑士;骑士身份", + "ENG": "A knighthood is a title that is given to a man by a British king or queen for his achievements or his service to his country" + }, + "relative": { + "CHS": "亲戚;相关物;[语] 关系词;亲缘植物", + "ENG": "a member of your family" + }, + "conceptual": { + "CHS": "概念上的", + "ENG": "dealing with ideas, or based on them" + }, + "encase": { + "CHS": "包住;围绕;包装", + "ENG": "to cover or surround something completely" + }, + "headstrong": { + "CHS": "任性的;顽固的;刚愎的", + "ENG": "very determined to do what you want, even when other people advise you not to do it" + }, + "lieutenant": { + "CHS": "中尉;副官;助理人员", + "ENG": "someone who does work for, or in place of, someone in a higher position" + }, + "ought": { + "CHS": "应该,应当;大概" + }, + "pasture": { + "CHS": "放牧;吃草", + "ENG": "to put animals outside in a field to feed on the grass" + }, + "mackintosh": { + "CHS": "橡皮布防水衣;橡皮布", + "ENG": "a coat which you wear to keep out the rain" + }, + "unaccountable": { + "CHS": "无责任的;莫名其妙的;不可理解的", + "ENG": "very surprising and difficult to explain" + }, + "curry": { + "CHS": "咖哩粉,咖喱;咖哩饭菜", + "ENG": "a type of food from India, consisting of meat or vegetables in a spicy sauce" + }, + "browser": { + "CHS": "[计] 浏览器;吃嫩叶的动物;浏览书本的人", + "ENG": "a computer program that finds information on the Internet and shows it on your computer screen" + }, + "tyrannical": { + "CHS": "残暴的;暴君的;专横的", + "ENG": "behaving in a cruel and unfair way towards someone you have power over" + }, + "button": { + "CHS": "扣住;扣紧;在…上装纽扣", + "ENG": "to fasten clothes with buttons, or to be fastened with buttons" + }, + "trait": { + "CHS": "特性,特点;品质;少许", + "ENG": "a particular quality in someone’s character" + }, + "leg": { + "CHS": "腿;支柱", + "ENG": "one of the long parts of your body that your feet are joined to, or a similar part on an animal or insect" + }, + "wreckage": { + "CHS": "(失事船或飞机等的)残骸;(船只等的)失事", + "ENG": "the parts of something such as a plane, ship, or building that are left after it has been destroyed in an accident" + }, + "quota": { + "CHS": "配额;定额;限额", + "ENG": "an official limit on the number or amount of something that is allowed in a particular period" + }, + "announcement": { + "CHS": "公告;宣告;发表;通告", + "ENG": "an important or official statement" + }, + "rosette": { + "CHS": "莲座丛;玫瑰形饰物;[建] 圆花饰", + "ENG": "a circular badge made of coloured ribbon that is given to the winner of a competition, or that people in Britain wear to show support for a particular football team or political party" + }, + "pastime": { + "CHS": "娱乐,消遣", + "ENG": "something that you do because you think it is enjoyable or interesting" + }, + "lark": { + "CHS": "骑马玩乐;嬉耍", + "ENG": "to have a good time by frolicking " + }, + "borrow": { + "CHS": "(Borrow)人名;(英)博罗" + }, + "keel": { + "CHS": "龙骨;平底船;龙骨脊", + "ENG": "a bar along the bottom of a boat that keeps it steady in the water" + }, + "British": { + "CHS": "英国人", + "ENG": "people from Britain" + }, + "extinction": { + "CHS": "灭绝;消失;消灭;废止", + "ENG": "when a particular type of animal or plant stops existing" + }, + "ridicule": { + "CHS": "嘲笑;笑柄;愚弄", + "ENG": "unkind laughter or remarks that are intended to make someone or something seem stupid" + }, + "misconduct": { + "CHS": "处理不当;行为不检" + }, + "orphan": { + "CHS": "使成孤儿", + "ENG": "to become an orphan" + }, + "affable": { + "CHS": "和蔼可亲的;友善的", + "ENG": "friendly and easy to talk to" + }, + "roadside": { + "CHS": "路边的;路旁的" + }, + "levy": { + "CHS": "征收(税等);征集(兵等)", + "ENG": "to officially say that people must pay a tax or charge" + }, + "showdown": { + "CHS": "摊牌;紧要关头;最后一决胜负", + "ENG": "a meeting, argument, fight etc that will settle a disagreement or competition that has continued for a long time" + }, + "atmosphere": { + "CHS": "气氛;大气;空气", + "ENG": "the feeling that an event or place gives you" + }, + "maths": { + "CHS": "数学(等于mathematics)", + "ENG": "mathematics" + }, + "audit": { + "CHS": "审计;[审计] 查账", + "ENG": "an official examination of a company’s financial records in order to check that they are correct" + }, + "hostel": { + "CHS": "旅社,招待所(尤指青年旅社)", + "ENG": "a place where people can stay and eat fairly cheaply" + }, + "doorway": { + "CHS": "门口;途径", + "ENG": "the space where a door opens into a room or building" + }, + "synagogue": { + "CHS": "犹太教会堂;犹太人集会", + "ENG": "a building where Jewish people meet for religious worship" + }, + "eaves": { + "CHS": "屋檐;凸出的边缘", + "ENG": "the edges of a roof that stick out beyond the walls" + }, + "trestle": { + "CHS": "[交] 栈桥,高架桥;支架,搁凳", + "ENG": "an A-shaped frame used as one of the two supports for a temporary table" + }, + "defer": { + "CHS": "(Defer)人名;(法)德费" + }, + "backwards": { + "CHS": "倒;向后;逆", + "ENG": "in the direction that is behind you" + }, + "scrum": { + "CHS": "抛(球)开始并列争球" + }, + "barrow": { + "CHS": "搬运架,手推车;弃矿;古坟", + "ENG": "a small vehicle like a box on wheels, from which fruits, vegetables etc used to be sold" + }, + "fragrant": { + "CHS": "芳香的;愉快的", + "ENG": "having a pleasant smell" + }, + "ambition": { + "CHS": "追求;有…野心" + }, + "send": { + "CHS": "上升运动" + }, + "recourse": { + "CHS": "求援,求助;[经] 追索权;依赖;救生索", + "ENG": "something that you do to achieve something or deal with a situation, or the act of doing it" + }, + "fester": { + "CHS": "溃烂;脓疮,脓疱" + }, + "Zulu": { + "CHS": "祖鲁人的" + }, + "lemon": { + "CHS": "柠檬", + "ENG": "a fruit with a hard yellow skin and sour juice" + }, + "rack": { + "CHS": "变形;随风飘;小步跑", + "ENG": "(of clouds) to be blown along by the wind " + }, + "saline": { + "CHS": "盐湖;碱盐泻药" + }, + "rectification": { + "CHS": "改正,矫正;[化工] 精馏;[电] 整流;[数] 求长", + "ENG": "The rectification of something that is wrong is the act of changing it to make it correct or satisfactory" + }, + "fishing": { + "CHS": "捕鱼(fish的ing形式)" + }, + "rhythmic": { + "CHS": "韵律论(等于rhythmics)" + }, + "unobtrusive": { + "CHS": "不唐突的;谦虚的;不引人注目的", + "ENG": "not easily noticed" + }, + "ostentatious": { + "CHS": "招摇的;卖弄的;夸耀的;铺张的;惹人注目的", + "ENG": "something that is ostentatious looks very expensive and is designed to make people think that its owner must be very rich" + }, + "infamous": { + "CHS": "声名狼藉的;无耻的;邪恶的;不名誉的", + "ENG": "well known for being bad or evil" + }, + "contemporary": { + "CHS": "当代的;同时代的;属于同一时期的", + "ENG": "belonging to the present time" + }, + "factory": { + "CHS": "工厂;制造厂;代理店", + "ENG": "a building or group of buildings in which goods are produced in large quantities, using machines" + }, + "eighteenth": { + "CHS": "第十八;十八分之一" + }, + "interminable": { + "CHS": "冗长的;无止尽的", + "ENG": "very long and boring" + }, + "beguile": { + "CHS": "欺骗;使着迷;轻松地消磨", + "ENG": "to persuade or trick someone into doing something" + }, + "attempt": { + "CHS": "企图,试图;尝试", + "ENG": "to try to do something, especially something difficult" + }, + "coil": { + "CHS": "线圈;卷", + "ENG": "a continuous series of circular rings into which something such as wire or rope has been wound or twisted" + }, + "high": { + "CHS": "高;奢侈地", + "ENG": "at or to a level high above the ground, the floor etc" + }, + "fit": { + "CHS": "合身;发作;痉挛", + "ENG": "a time when you feel an emotion very strongly and cannot control your behaviour" + }, + "cavern": { + "CHS": "挖空;置…于洞穴中" + }, + "intrusive": { + "CHS": "侵入的;打扰的", + "ENG": "affecting someone’s private life or interrupting them in an unwanted and annoying way" + }, + "transitive": { + "CHS": "传递;及物动词" + }, + "besides": { + "CHS": "除…之外" + }, + "abduct": { + "CHS": "绑架;诱拐;使外展", + "ENG": "to take someone away by force" + }, + "parish": { + "CHS": "教区", + "ENG": "the area that a priest in some Christian churches is responsible for" + }, + "too": { + "CHS": "太;也;很;还;非常;过度", + "ENG": "more than is acceptable or possible" + }, + "robot": { + "CHS": "机器人;遥控设备,自动机械;机械般工作的人", + "ENG": "a machine that can move and do some of the work of a person, and is usually controlled by a computer" + }, + "replacement": { + "CHS": "更换;复位;代替者;补充兵员", + "ENG": "when you get something that is newer or better than the one you had before" + }, + "remuneration": { + "CHS": "报酬;酬劳,赔偿", + "ENG": "the pay you give someone for something they have done for you" + }, + "denounce": { + "CHS": "谴责;告发;公然抨击;通告废除", + "ENG": "to express strong disapproval of someone or something, especially in public" + }, + "gradual": { + "CHS": "弥撒升阶圣歌集" + }, + "deluge": { + "CHS": "使泛滥;压倒" + }, + "thumbtack": { + "CHS": "用图钉钉住" + }, + "methane": { + "CHS": "[有化] 甲烷;[能源] 沼气", + "ENG": "a gas that you cannot see or smell, which can be burned to give heat" + }, + "mumble": { + "CHS": "含糊的话;咕噜", + "ENG": "Mumble is also a noun" + }, + "commemorate": { + "CHS": "庆祝,纪念;成为…的纪念", + "ENG": "to do something to show that you remember and respect someone important or an important event in the past" + }, + "visa": { + "CHS": "签发签证" + }, + "competence": { + "CHS": "能力,胜任;权限;作证能力;足以过舒适生活的收入", + "ENG": "the ability to do something well" + }, + "torpedo": { + "CHS": "破坏;用鱼雷袭击", + "ENG": "to attack or destroy a ship with a torpedo" + }, + "payable": { + "CHS": "应付的;到期的;可付的;可获利的", + "ENG": "a bill, debt etc that is payable must be paid" + }, + "republican": { + "CHS": "共和主义者", + "ENG": "someone who believes in government by elected representatives only, with no king or queen" + }, + "across": { + "CHS": "横过;在对面", + "ENG": "on the opposite side of something" + }, + "sense": { + "CHS": "感觉到;检测", + "ENG": "if you sense something, you feel that it exists or is true, without being told or having proof" + }, + "casino": { + "CHS": "俱乐部,赌场;娱乐场", + "ENG": "a place where people try to win money by playing card games or roulette " + }, + "rhino": { + "CHS": "犀牛(等于rhinoceros);钱;现金", + "ENG": "a rhinoceros" + }, + "flood": { + "CHS": "洪水;泛滥;一大批", + "ENG": "a very large amount of water that covers an area that is usually dry" + }, + "bile": { + "CHS": "胆汁;愤怒", + "ENG": "a bitter green-brown liquid formed in the liver , which helps you to digest fats" + }, + "convince": { + "CHS": "说服;使确信,使信服", + "ENG": "to make someone feel certain that something is true" + }, + "foray": { + "CHS": "袭击" + }, + "unbearable": { + "CHS": "难以忍受的;承受不住的", + "ENG": "too unpleasant, painful, or annoying to deal with" + }, + "make": { + "CHS": "制造;构造;性情" + }, + "builder": { + "CHS": "建筑者;建立者", + "ENG": "a person or a company that builds or repairs buildings" + }, + "silage": { + "CHS": "青贮饲料", + "ENG": "grass or other plants cut and stored so that they can be used as winter food for cattle" + }, + "cinema": { + "CHS": "电影;电影院;电影业,电影制作术", + "ENG": "a building in which films are shown" + }, + "gospel": { + "CHS": "传播福音的;福音赞美诗的" + }, + "interpose": { + "CHS": "提出(异议等);使插入;使干涉", + "ENG": "to put yourself or something else between two other things" + }, + "broker": { + "CHS": "作为权力经纪人进行谈判" + }, + "fanatic": { + "CHS": "狂热的;盲信的", + "ENG": "Fanatic means the same as " + }, + "imply": { + "CHS": "意味;暗示;隐含", + "ENG": "to suggest that something is true, without saying this directly" + }, + "expressly": { + "CHS": "清楚地,明显地;特别地,专门地", + "ENG": "if you say something expressly, you say it very clearly and firmly" + }, + "opposite": { + "CHS": "在对面", + "ENG": "in a position on the other side of the same area" + }, + "burdensome": { + "CHS": "繁重的;累赘的;恼人的", + "ENG": "causing problems or additional work" + }, + "misbehave": { + "CHS": "作弊;行为不礼貌", + "ENG": "If someone, especially a child, misbehaves, they behave in a way that is not acceptable to other people" + }, + "malignancy": { + "CHS": "恶性(肿瘤等);恶意", + "ENG": "a tumour " + }, + "bloom": { + "CHS": "使开花;使茂盛", + "ENG": "if a plant or a flower blooms, its flowers appear or open" + }, + "born": { + "CHS": "(Born)人名;(柬)邦;(英、西、俄、捷、德、瑞典、匈)博恩" + }, + "dishwasher": { + "CHS": "洗碗工;洗碟机", + "ENG": "a machine that washes dishes" + }, + "lounge": { + "CHS": "闲逛;懒洋洋地躺卧;闲混", + "ENG": "to stand, sit, or lie in a lazy or relaxed way" + }, + "tunnel": { + "CHS": "挖;在…打开通道;在…挖掘隧道", + "ENG": "to dig a long passage under the ground" + }, + "redemption": { + "CHS": "赎回;拯救;偿还;实践", + "ENG": "the state of being freed from the power of evil, believed by Christians to be made possible by Jesus Christ" + }, + "chest": { + "CHS": "胸,胸部;衣柜;箱子;金库", + "ENG": "the front part of your body between your neck and your stomach" + }, + "add": { + "CHS": "加法,加法运算" + }, + "dairy": { + "CHS": "乳品的;牛奶的;牛奶制的;产乳的", + "ENG": "Dairy is used to refer to foods such as butter and cheese that are made from milk" + }, + "clergy": { + "CHS": "神职人员;牧师;僧侣", + "ENG": "the official leaders of religious activities in organized religions, such as priests, rabbi s , and mullah s " + }, + "prescribe": { + "CHS": "规定;开药方", + "ENG": "to state officially what should be done in a particular situation" + }, + "quartz": { + "CHS": "石英", + "ENG": "a hard mineral substance that is used in making electronic watches and clocks" + }, + "pill": { + "CHS": "把…制成丸剂;使服用药丸;抢劫,掠夺(古语)" + }, + "covenant": { + "CHS": "订立盟约、契约" + }, + "parallel": { + "CHS": "平行的;类似的,相同的", + "ENG": "two lines, paths etc that are parallel to each other are the same distance apart along their whole length" + }, + "allergic": { + "CHS": "对…过敏的;对…极讨厌的", + "ENG": "having an allergy" + }, + "twist": { + "CHS": "扭曲;拧;扭伤", + "ENG": "a twisting action or movement" + }, + "swipe": { + "CHS": "猛击;尖刻的话", + "ENG": "when you hit or try to hit someone or something by swinging your arm very quickly" + }, + "princess": { + "CHS": "公主;王妃;女巨头", + "ENG": "a close female relation of a king and queen, especially a daughter" + }, + "absolute": { + "CHS": "绝对;绝对事物", + "ENG": "something that is considered to be true or right in all situations" + }, + "warrior": { + "CHS": "战士,勇士;鼓吹战争的人", + "ENG": "a soldier or fighter who is brave and experienced – used about people in the past" + }, + "electronics": { + "CHS": "电子学;电子工业", + "ENG": "the study or industry of making equipment, such as computers and televisions, that work electronically" + }, + "flowerbed": { + "CHS": "花圃;花床", + "ENG": "an area of ground, for example in a garden, in which flowers are grown" + }, + "unconditional": { + "CHS": "无条件的;绝对的;无限制的", + "ENG": "not limited by or depending on any conditions" + }, + "joy": { + "CHS": "欣喜,欢喜", + "ENG": "to be happy because of something" + }, + "federalist": { + "CHS": "(支持)联邦党人的;联邦制的", + "ENG": "Someone or something that is federalist believes in, supports, or follows a federal system of government" + }, + "along": { + "CHS": "沿着;顺着", + "ENG": "from one place on something such as a line, road, or edge towards the other end of it" + }, + "ungodly": { + "CHS": "邪恶的;不敬畏神的;荒唐的", + "ENG": "showing a lack of respect for God" + }, + "critic": { + "CHS": "批评家,评论家;爱挑剔的人", + "ENG": "someone whose job is to make judgments about the good and bad qualities of art, music, films etc" + }, + "heroine": { + "CHS": "女主角;女英雄;女杰出人物", + "ENG": "a woman who is admired for doing something extremely brave" + }, + "nation": { + "CHS": "国家;民族;国民", + "ENG": "a country, considered especially in relation to its people and its social or economic structure" + }, + "commensurate": { + "CHS": "相称的;同量的;同样大小的", + "ENG": "matching something in size, quality, or length of time" + }, + "logistics": { + "CHS": "[军] 后勤;后勤学", + "ENG": "If you refer to the logistics of doing something complicated that involves a lot of people or equipment, you are referring to the skilful organization of it so that it can be done successfully and efficiently" + }, + "enamel": { + "CHS": "彩饰;涂以瓷釉" + }, + "sophisticate": { + "CHS": "久经世故的人;精通者", + "ENG": "someone who is sophisticated" + }, + "mirth": { + "CHS": "欢笑;欢乐;高兴", + "ENG": "happiness and laughter" + }, + "showcase": { + "CHS": "使展现;在玻璃橱窗陈列", + "ENG": "If something is showcased, it is displayed or presented to its best advantage" + }, + "secession": { + "CHS": "脱离;分离", + "ENG": "when a country or state officially stops being part of another country and becomes independent" + }, + "trousers": { + "CHS": "裤子,长裤", + "ENG": "a piece of clothing that covers the lower half of your body, with a separate part fitting over each leg" + }, + "recommendation": { + "CHS": "推荐;建议;推荐信", + "ENG": "official advice given to someone, especially about what to do" + }, + "plenipotentiary": { + "CHS": "全权代表;全权大使", + "ENG": "someone who has full power to take action or make decisions, especially as a representative of their government in a foreign country" + }, + "negotiation": { + "CHS": "谈判;转让;顺利的通过", + "ENG": "official discussions between the repre­sentatives of opposing groups who are trying to reach an agreement, especially in business or politics" + }, + "ominous": { + "CHS": "预兆的;不吉利的", + "ENG": "making you feel that something bad is going to happen" + }, + "technique": { + "CHS": "技巧,技术;手法", + "ENG": "a special way of doing something" + }, + "detour": { + "CHS": "绕道;便道", + "ENG": "If you make a detour on a trip, you go by a route which is not the shortest way, because you want to avoid something such as a traffic jam, or because there is something you want to do on the way" + }, + "stow": { + "CHS": "(Stow)人名;(英)斯托" + }, + "Mongolian": { + "CHS": "蒙古人的;蒙古语的", + "ENG": "Mongolian means belonging or relating to Mongolia, or to its people, language, or culture" + }, + "month": { + "CHS": "月,一个月的时间", + "ENG": "one of the 12 named periods of time that a year is divided into" + }, + "own": { + "CHS": "自己的" + }, + "achieve": { + "CHS": "取得;获得;实现;成功", + "ENG": "to successfully complete something or get a good result, especially by working hard" + }, + "farmhouse": { + "CHS": "农家,[农工] 农舍", + "ENG": "the main house on a farm, where the farmer lives" + }, + "receptive": { + "CHS": "善于接受的;能容纳的", + "ENG": "willing to consider new ideas or listen to someone else’s opinions" + }, + "sundial": { + "CHS": "日晷,日规;羽扇豆(产于美国东部)", + "ENG": "an object used in the past for telling the time. The shadow of a pointed piece of metal shows the time and moves round as the sun moves." + }, + "tan": { + "CHS": "黄褐色的;鞣皮的", + "ENG": "having a light yellowish-brown colour" + }, + "lamb": { + "CHS": "生小羊,产羔羊", + "ENG": "to give birth to lambs" + }, + "silo": { + "CHS": "把…存入青贮窖;把…储存在筒仓内" + }, + "post": { + "CHS": "张贴;公布;邮递;布置", + "ENG": "to put up a public notice about something on a wall or notice board" + }, + "disagree": { + "CHS": "不同意;不一致;争执;不适宜", + "ENG": "to have or express a different opinion from someone else" + }, + "evil": { + "CHS": "罪恶,邪恶;不幸", + "ENG": "cruel or morally bad behaviour in general" + }, + "flicker": { + "CHS": "闪烁;闪光;电影", + "ENG": "an unsteady light that goes on and off quickly" + }, + "clench": { + "CHS": "紧抓;敲环脚" + }, + "clamour": { + "CHS": "喧闹", + "ENG": "a very loud noise made by a large group of people or animals" + }, + "cask": { + "CHS": "装入桶内" + }, + "upright": { + "CHS": "垂直;竖立", + "ENG": "a long piece of wood or metal that stands straight up and supports something" + }, + "freeze": { + "CHS": "冻结;凝固", + "ENG": "a time when people are not allowed to increase prices or pay" + }, + "assassin": { + "CHS": "刺客,暗杀者", + "ENG": "someone who murders an important person" + }, + "alga": { + "CHS": "水藻" + }, + "sin": { + "CHS": "犯罪;犯过失", + "ENG": "to do something that is against religious rules and is considered to be an offence against God" + }, + "horsepower": { + "CHS": "马力(功率单位)", + "ENG": "a unit for measuring the power of an engine, or the power of an engine measured like this" + }, + "martial": { + "CHS": "(Martial)人名;(法)马夏尔" + }, + "author": { + "CHS": "创作出版", + "ENG": "to be the writer of a book, report etc" + }, + "impolite": { + "CHS": "无礼的;粗鲁的", + "ENG": "not polite" + }, + "concerning": { + "CHS": "涉及;使关心(concern的ing形式);忧虑" + }, + "equity": { + "CHS": "公平,公正;衡平法;普通股;抵押资产的净值", + "ENG": "a situation in which all people are treated equally and no one has an unfair advantage" + }, + "enquire": { + "CHS": "询问;调查;问候(等于inquire)" + }, + "tract": { + "CHS": "束;大片土地,地带;小册子", + "ENG": "a large area of land" + }, + "edgy": { + "CHS": "急躁的;尖利的;刀口锐利的", + "ENG": "If someone is edgy, they are nervous and anxious, and seem likely to lose control of themselves" + }, + "freely": { + "CHS": "自由地;免费地;大量地;慷慨地;直率地", + "ENG": "without anyone stopping or limiting something" + }, + "rapidly": { + "CHS": "迅速地;很快地;立即", + "ENG": "very quickly and in a very short time" + }, + "spontaneous": { + "CHS": "自发的;自然的;无意识的", + "ENG": "something that is spontaneous has not been planned or organized, but happens by itself, or because you suddenly feel you want to do it" + }, + "stare": { + "CHS": "凝视;注视", + "ENG": "when you look at something for a long time in a steady way" + }, + "inflammation": { + "CHS": "[病理] 炎症;[医] 发炎;燃烧;发火", + "ENG": "swelling and pain in part of your body, which is often red and feels hot" + }, + "actually": { + "CHS": "实际上;事实上", + "ENG": "used to add new information to what you have just said, to give your opinion, or to start a new conversation" + }, + "amphibian": { + "CHS": "两栖类的;[车辆] 水陆两用的;具有双重性格的" + }, + "spew": { + "CHS": "喷出;呕吐", + "ENG": "to flow out of something quickly in large quantities, or to make something flow out in this way" + }, + "north": { + "CHS": "在北方,向北方", + "ENG": "towards the north" + }, + "moisture": { + "CHS": "水分;湿度;潮湿;降雨量", + "ENG": "small amounts of water that are present in the air, in a substance, or on a surface" + }, + "bony": { + "CHS": "(Bony)人名;(法)博尼" + }, + "preference": { + "CHS": "偏爱,倾向;优先权", + "ENG": "if you have a preference for something, you like it more than another thing and will choose it if you can" + }, + "illicit": { + "CHS": "违法的;不正当的", + "ENG": "not allowed by laws or rules, or strongly disapproved of by society" + }, + "assault": { + "CHS": "攻击;袭击", + "ENG": "to attack someone in a violent way" + }, + "fetish": { + "CHS": "恋物(等于fetich);迷信;偶像", + "ENG": "something you are always thinking about or spending too much time doing" + }, + "cosmopolitan": { + "CHS": "四海为家者;世界主义者;世界各地都有的东西" + }, + "arbiter": { + "CHS": "[法] 仲裁者;裁决人", + "ENG": "someone or something that settles an argument between two opposing sides" + }, + "calamity": { + "CHS": "灾难;不幸事件", + "ENG": "a terrible and unexpected event that causes a lot of damage or suffering" + }, + "subject": { + "CHS": "使…隶属;使屈从于…", + "ENG": "to force a country or group of people to be ruled by you, and control them very strictly" + }, + "intercept": { + "CHS": "拦截;[数] 截距;截获的情报" + }, + "paragraph": { + "CHS": "将…分段" + }, + "comedy": { + "CHS": "喜剧;喜剧性;有趣的事情", + "ENG": "entertainment that is intended to make people laugh" + }, + "qualitative": { + "CHS": "定性的;质的,性质上的", + "ENG": "relating to the quality or standard of something rather than the quantity" + }, + "repulsion": { + "CHS": "排斥;反驳;反感;厌恶", + "ENG": "a feeling that you want to avoid something or move away from it, because it is extremely unpleasant" + }, + "dispirited": { + "CHS": "使…沮丧;使…气馁(dispirit的过去分词)" + }, + "gaoler": { + "CHS": "监狱看守;监狱长" + }, + "astronaut": { + "CHS": "宇航员,航天员;太空旅行者", + "ENG": "someone who travels and works in a spacecraft" + }, + "absentee": { + "CHS": "缺席者", + "ENG": "someone who should be in a place or at an event but is not there" + }, + "wake": { + "CHS": "尾迹;守夜;守丧", + "ENG": "the time before or after a funeral when friends and relatives meet to remember the dead person" + }, + "endurable": { + "CHS": "能忍耐的;可忍受的;能持久的", + "ENG": "if a bad situation is endurable, you can accept it, even though it is difficult or painful" + }, + "scarcely": { + "CHS": "几乎不,简直不;简直没有", + "ENG": "almost not or almost none at all" + }, + "recession": { + "CHS": "衰退;不景气;后退;凹处", + "ENG": "a difficult time when there is less trade, business activity etc in a country than usual" + }, + "earth": { + "CHS": "把(电线)[电] 接地;盖(土);追赶入洞穴", + "ENG": "to make electrical equipment safe by connecting it to the ground with a wire" + }, + "mileometer": { + "CHS": "计程表", + "ENG": "an instrument in a car that shows how many miles it has travelled" + }, + "uneven": { + "CHS": "不均匀的;不平坦的;[数] 奇数的", + "ENG": "not smooth, flat, or level" + }, + "vent": { + "CHS": "发泄感情;放出…;给…开孔", + "ENG": "to express feelings of anger, hatred etc, especially by doing something violent or harmful" + }, + "nearby": { + "CHS": "在…附近" + }, + "fourth": { + "CHS": "第四", + "ENG": "¼; one of four equal parts" + }, + "bun": { + "CHS": "小圆面包", + "ENG": "a small round sweet cake" + }, + "macaroni": { + "CHS": "通心粉;通心面条;纨绔子弟", + "ENG": "a type of pasta in the shape of small tubes" + }, + "wool": { + "CHS": "羊毛;毛线;绒线;毛织品;毛料衣物", + "ENG": "the soft thick hair that sheep and some goats have on their body" + }, + "draft": { + "CHS": "初步画出或(写出)的;(设计、草图、提纲或版本)正在起草中的,草拟的;以草稿形式的;草图的", + "ENG": "a piece of writing that is not yet in its finished form" + }, + "ferment": { + "CHS": "发酵;动乱", + "ENG": "if fruit, beer, wine etc ferments, or if it is fermented, the sugar in it changes to alcohol" + }, + "trickle": { + "CHS": "滴,淌;细流", + "ENG": "a thin slow flow of liquid" + }, + "capitalism": { + "CHS": "资本主义", + "ENG": "an economic and political system in which businesses belong mostly to private owners, not to the government" + }, + "shawl": { + "CHS": "用披巾包裹" + }, + "recognition": { + "CHS": "识别;承认,认出;重视;赞誉;公认", + "ENG": "the act of realizing and accepting that something is true or important" + }, + "disrepute": { + "CHS": "不光彩,坏名声", + "ENG": "a situation in which people no longer admire or trust someone or something" + }, + "shabby": { + "CHS": "破旧的;卑鄙的;吝啬的;低劣的", + "ENG": "shabby clothes, places, or objects are untidy and in bad condition because they have been used for a long time" + }, + "advance": { + "CHS": "预先的;先行的", + "ENG": "Advance booking, notice, or warning is done or given before an event happens" + }, + "conscientiously": { + "CHS": "良心上" + }, + "headship": { + "CHS": "能力;领导者的职位;校长的职位;职务", + "ENG": "the position of being in charge of an organization" + }, + "loom": { + "CHS": "可怕地出现;朦胧地出现;隐约可见", + "ENG": "to appear as a large unclear shape, especially in a threatening way" + }, + "talk": { + "CHS": "谈话;演讲;空谈", + "ENG": "a conversation" + }, + "sister": { + "CHS": "姐妹般的;同类型的", + "ENG": "You can use sister to describe something that is of the same type or is connected in some way to another thing you have mentioned. For example, if a company has a sister company, they are connected. " + }, + "operational": { + "CHS": "操作的;运作的", + "ENG": "working and ready to be used" + }, + "pursue": { + "CHS": "继续;从事;追赶;纠缠", + "ENG": "to continue doing an activity or trying to achieve something over a long period of time" + }, + "exceedingly": { + "CHS": "非常;极其;极度地;极端", + "ENG": "extremely" + }, + "parole": { + "CHS": "有条件释放,假释;使假释出狱;宣誓后释放", + "ENG": "to allow someone to leave prison on the condition that they promise to behave well" + }, + "manifold": { + "CHS": "多种;复印本" + }, + "station": { + "CHS": "配置;安置;驻扎", + "ENG": "to send someone in the military to a particular place for a period of time as part of their military duty" + }, + "observer": { + "CHS": "观察者;[天] 观测者;遵守者", + "ENG": "someone who regularly watches or pays attention to particular things, events, situations etc" + }, + "penthouse": { + "CHS": "阁楼;顶层公寓,屋顶房间", + "ENG": "a very expensive and comfortable apartment or set of rooms on the top floor of a building" + }, + "depository": { + "CHS": "保管的;存储的" + }, + "greed": { + "CHS": "贪婪,贪心", + "ENG": "a strong desire for more food, money, power, possessions etc than you need" + }, + "copper": { + "CHS": "镀铜" + }, + "fund": { + "CHS": "投资;资助", + "ENG": "to provide money for an activity, organization, event etc" + }, + "fuzz": { + "CHS": "使模糊;起毛", + "ENG": "to make or become indistinct; blur " + }, + "sacrifice": { + "CHS": "牺牲;献祭;亏本出售", + "ENG": "to willingly stop having something you want or doing something you like in order to get something more important" + }, + "fix": { + "CHS": "困境;方位;贿赂", + "ENG": "to have a problem that is difficult to solve" + }, + "ration": { + "CHS": "定量;口粮;配给量", + "ENG": "a fixed amount of something that people are allowed to have when there is not enough, for example during a war" + }, + "trip": { + "CHS": "旅行;绊倒;差错", + "ENG": "a visit to a place that involves a journey, for pleasure or a particular purpose" + }, + "superstition": { + "CHS": "迷信", + "ENG": "a belief that some objects or actions are lucky or unlucky, or that they cause events to happen, based on old ideas of magic" + }, + "this": { + "CHS": "(This)人名;(法)蒂斯" + }, + "depart": { + "CHS": "逝世的" + }, + "diary": { + "CHS": "日志,日记;日记簿", + "ENG": "a book in which you write down the things that happen to you each day" + }, + "relativity": { + "CHS": "相对论;相关性;相对性", + "ENG": "the relationship in physics between time, space, and movement according to Einstein’s theory " + }, + "certificate": { + "CHS": "证书;执照,文凭", + "ENG": "an official document that states that a fact or facts are true" + }, + "multilateral": { + "CHS": "[数] 多边的;多国的,多国参加的", + "ENG": "involving several different countries or groups" + }, + "bowl": { + "CHS": "玩保龄球;滑动;平稳快速移动", + "ENG": "to travel along very quickly and smoothly" + }, + "intuitive": { + "CHS": "直觉的;凭直觉获知的", + "ENG": "an intuitive idea is based on a feeling rather than on knowledge or facts" + }, + "documentary": { + "CHS": "纪录片", + "ENG": "a film or television or a radio programme that gives detailed information about a particular subject" + }, + "dread": { + "CHS": "可怕的" + }, + "true": { + "CHS": "装准" + }, + "badger": { + "CHS": "纠缠不休;吵着要;烦扰", + "ENG": "to try to persuade someone by asking them something several times" + }, + "part": { + "CHS": "部分的", + "ENG": "payment of only a part of something, not all of it" + }, + "whirlwind": { + "CHS": "旋风般的", + "ENG": "a whirlwind situation or event happens very quickly" + }, + "emblem": { + "CHS": "象征;用符号表示;用纹章装饰" + }, + "small": { + "CHS": "小件物品;矮小的人" + }, + "extremity": { + "CHS": "极端;绝境;非常手段;手足", + "ENG": "the degree to which something goes beyond what is usually thought to be acceptable" + }, + "texture": { + "CHS": "质地;纹理;结构;本质,实质", + "ENG": "the way a surface or material feels when you touch it, especially how smooth or rough it is" + }, + "pendulum": { + "CHS": "钟摆;摇锤;摇摆不定的事态", + "ENG": "a long metal stick with a weight at the bottom that swings regularly from side to side to control the working of a clock" + }, + "diction": { + "CHS": "用语;措词", + "ENG": "the choice and use of words and phrases to express meaning, especially in literature" + }, + "current": { + "CHS": "(水,气,电)流;趋势;涌流", + "ENG": "a continuous movement of water in a river, lake, or sea" + }, + "abacus": { + "CHS": "算盘", + "ENG": "a frame with small balls that can be slid along on thick wires, used for counting and calculating" + }, + "donut": { + "CHS": "炸面圈;环状线圈(等于doughnut)" + }, + "eye": { + "CHS": "注视,看", + "ENG": "to look at someone or something carefully, especially because you do not trust them or because you want something" + }, + "monstrous": { + "CHS": "巨大的;怪异的;荒谬的;畸形的", + "ENG": "unusually large" + }, + "riot": { + "CHS": "骚乱;放荡", + "ENG": "if a crowd of people riot, they behave in a violent and uncontrolled way, for example by fighting the police and damaging cars or buildings" + }, + "adjustment": { + "CHS": "调整,调节;调节器", + "ENG": "a small change made to a machine, system, or calculation" + }, + "chore": { + "CHS": "家庭杂务;日常的零星事务;讨厌的或累人的工作", + "ENG": "a small job that you have to do regularly, especially work that you do to keep a house clean" + }, + "brother": { + "CHS": "我的老兄!", + "ENG": "a word meaning a black man, used especially by other black men" + }, + "lute": { + "CHS": "弹诗琴表达;用封泥封" + }, + "miser": { + "CHS": "守财奴;吝啬鬼;(石油工程上用的)凿井机", + "ENG": "someone who is not generous and does not like spending money" + }, + "barometre": { + "CHS": "气压表;晴雨表" + }, + "worthwhile": { + "CHS": "值得做的,值得花时间的", + "ENG": "if something is worthwhile, it is important or useful, or you gain something from it" + }, + "plaid": { + "CHS": "有格子图案的" + }, + "violinist": { + "CHS": "小提琴演奏者,小提琴家", + "ENG": "someone who plays the violin" + }, + "babble": { + "CHS": "含糊不清的话;胡言乱语;潺潺声", + "ENG": "the confused sound of many people talking at the same time" + }, + "worried": { + "CHS": "担心的", + "ENG": "unhappy because you keep thinking about a problem, or about something bad that might happen" + }, + "sanctuary": { + "CHS": "避难所;至圣所;耶路撒冷的神殿", + "ENG": "a peaceful place that is safe and provides protection, especially for people who are in danger" + }, + "ruddy": { + "CHS": "(Ruddy)人名;(英)拉迪" + }, + "earn": { + "CHS": "(Earn)人名;(泰)炎" + }, + "December": { + "CHS": "十二月", + "ENG": "the 12th month of the year, between November and January" + }, + "conceivable": { + "CHS": "可能的;想得到的,可想像的", + "ENG": "able to be believed or imagined" + }, + "everlasting": { + "CHS": "永恒的;接连不断的", + "ENG": "continuing for ever, even after someone has died" + }, + "redress": { + "CHS": "救济;赔偿;矫正", + "ENG": "money that someone pays you because they have caused you harm or damaged your property" + }, + "affectionate": { + "CHS": "深情的;", + "ENG": "showing in a gentle way that you love someone and care about them" + }, + "waterproof": { + "CHS": "防水材料", + "ENG": "a jacket or coat that does not allow rain and water through it" + }, + "unpretentious": { + "CHS": "谦逊的;含蓄的;不炫耀的;不铺张的", + "ENG": "not trying to seem better, more important etc than you really are – use this to show approval" + }, + "biography": { + "CHS": "传记;档案;个人简介", + "ENG": "a book that tells what has happened in someone’s life, written by someone else" + }, + "mahogany": { + "CHS": "桃花心木,红木;红褐色", + "ENG": "a type of hard reddish brown wood used for making furniture, or the tree that produces this wood" + }, + "convert": { + "CHS": "皈依者;改变宗教信仰者", + "ENG": "someone who has been persuaded to change their beliefs and accept a particular religion or opinion" + }, + "scorn": { + "CHS": "轻蔑;藐视;不屑做", + "ENG": "to show that you think that something is stupid, unreasonable, or not worth accepting" + }, + "byproduct": { + "CHS": "副产品", + "ENG": "A byproduct is something that is produced during the manufacture or processing of another product" + }, + "rating": { + "CHS": "对…评价(rate的ing形式)" + }, + "performance": { + "CHS": "性能;绩效;表演;执行;表现", + "ENG": "when someone performs a play or a piece of music" + }, + "jeer": { + "CHS": "嘲笑;戏弄", + "ENG": "to laugh at someone or shout unkind things at them in a way that shows you do not respect them" + }, + "fluctuate": { + "CHS": "波动;涨落;动摇", + "ENG": "if a price or amount fluctuates, it keeps changing and becoming higher and lower" + }, + "deadly": { + "CHS": "非常;如死一般地", + "ENG": "very seri-ous, dull etc" + }, + "heathen": { + "CHS": "异教的;野蛮的", + "ENG": "not connected with or belonging to the Christian religion or any of the large established religions" + }, + "volt": { + "CHS": "伏特(电压单位);环骑;闪避", + "ENG": "a unit for measuring the force of an electric current" + }, + "amoral": { + "CHS": "与道德无关的;无从区分是非的;超道德的", + "ENG": "having no moral standards at all" + }, + "quadrangle": { + "CHS": "四边形;方院", + "ENG": "a square open area with buildings all around it, especially at a school or college" + }, + "school": { + "CHS": "教育", + "ENG": "to train or teach someone to have a certain skill, type of behaviour, or way of thinking" + }, + "impulsive": { + "CHS": "冲动的;受感情驱使的;任性的", + "ENG": "someone who is impulsive does things without considering the possible dangers or problems first" + }, + "everyday": { + "CHS": "平时;寻常日子" + }, + "cyclone": { + "CHS": "旋风;[气象] 气旋;飓风", + "ENG": "a very strong wind that moves very fast in a circle" + }, + "cameo": { + "CHS": "(影视剧中的)配角;刻有浮雕的宝石或贝壳;小品文", + "ENG": "a small piece of jewellery with a raised shape, usually a person’s face, on a flat background of a different colour" + }, + "equivalence": { + "CHS": "等值;相等", + "ENG": "If there is equivalence between two things, they have the same use, function, size, or value" + }, + "applicant": { + "CHS": "申请人,申请者;请求者", + "ENG": "someone who has formally asked, usually in writing, for a job, university place etc" + }, + "theologian": { + "CHS": "神学者;空头理论家", + "ENG": "someone who has studied theology" + }, + "vanquish": { + "CHS": "征服;击败;克服;抑制(感情等)", + "ENG": "to defeat someone or something completely" + }, + "dupe": { + "CHS": "欺骗;愚弄(等于duplicate)", + "ENG": "to trick or deceive someone" + }, + "overview": { + "CHS": "[图情] 综述;概观", + "ENG": "a short description of a subject or situation that gives the main ideas without explaining all the details" + }, + "coffee": { + "CHS": "咖啡;咖啡豆;咖啡色", + "ENG": "a hot dark brown drink that has a slightly bitter taste" + }, + "stupid": { + "CHS": "傻瓜,笨蛋", + "ENG": "an insulting way of talking to someone who you think is being stupid" + }, + "escort": { + "CHS": "护送;陪同;为…护航", + "ENG": "to take someone somewhere, especially when you are protecting or guarding them" + }, + "monarch": { + "CHS": "君主,帝王;最高统治者", + "ENG": "a king or queen" + }, + "chisel": { + "CHS": "凿子", + "ENG": "a metal tool with a sharp edge, used to cut wood or stone" + }, + "head": { + "CHS": "头的;主要的;在顶端的" + }, + "network": { + "CHS": "网络;广播网;网状物", + "ENG": "a system of lines, tubes, wires, roads etc that cross each other and are connected to each other" + }, + "audio": { + "CHS": "声音的;[声] 音频的,[声] 声频的", + "ENG": "relating to sound that is recorded or broadcast" + }, + "rebirth": { + "CHS": "再生;复兴", + "ENG": "when an important idea, feeling, or organization becomes strong or popular again" + }, + "shellfish": { + "CHS": "甲壳类动物;贝类等有壳的水生动物", + "ENG": "an animal that lives in water, has a shell, and can be eaten as food, for example crab s , lobster s , and oyster s " + }, + "tyrant": { + "CHS": "暴君", + "ENG": "a ruler who has complete power and uses it in a cruel and unfair way" + }, + "grind": { + "CHS": "磨;苦工作", + "ENG": "a movement in skateboarding or rollerblading , which involves moving sideways along the edge of something, so that the bar connecting the wheels of the skateboard or rollerblade presses hard against the edge" + }, + "terrible": { + "CHS": "很,非常" + }, + "buoy": { + "CHS": "使浮起;支撑;鼓励", + "ENG": "to keep something floating" + }, + "supersede": { + "CHS": "取代,代替;紧接着……而到来", + "ENG": "if a new idea, product, or method supersedes another one, it becomes used instead because it is more modern or effective" + }, + "beaker": { + "CHS": "烧杯;大口杯", + "ENG": "a drinking cup with straight sides and no handle, usually made of plastic" + }, + "occur": { + "CHS": "发生;出现;存在", + "ENG": "to happen" + }, + "grandmother": { + "CHS": "当祖母" + }, + "acclaim": { + "CHS": "欢呼,喝彩;称赞", + "ENG": "Acclaim is public praise for someone or something" + }, + "Italian": { + "CHS": "意大利人;意大利语", + "ENG": "someone from Italy" + }, + "oxide": { + "CHS": "[化学] 氧化物", + "ENG": "a substance which is produced when a substance is combined with oxygen" + }, + "viable": { + "CHS": "可行的;能养活的;能生育的", + "ENG": "a viable idea, plan, or method can work successfully" + }, + "involve": { + "CHS": "包含;牵涉;使陷于;潜心于", + "ENG": "if an activity or situation involves something, that thing is part of it or a result of it" + }, + "fearless": { + "CHS": "无畏的;大胆的", + "ENG": "not afraid of anything" + }, + "superintend": { + "CHS": "监督;管理;主管;指挥", + "ENG": "to be in charge of something, and control how it is done" + }, + "maternity": { + "CHS": "产科的;产妇的,孕妇的", + "ENG": "relating to a woman who is pregnant or who has just had a baby" + }, + "dig": { + "CHS": "戳,刺;挖苦", + "ENG": "a joke or remark that you make to annoy or criticize someone" + }, + "wherever": { + "CHS": "无论在哪里;无论什么情况下" + }, + "comparative": { + "CHS": "比较级;对手", + "ENG": "the form of an adjective or adverb that shows an increase in size, degree etc when something is considered in relation to something else. For example, ‘bigger’ is the comparative of ‘big’, and ‘more slowly’ is the comparative of ‘slowly’" + }, + "tinkle": { + "CHS": "叮当声", + "ENG": "a light ringing sound" + }, + "sprain": { + "CHS": "扭伤", + "ENG": "A sprain is the injury caused by spraining a joint" + }, + "agent": { + "CHS": "代理的" + }, + "answer": { + "CHS": "回答;答案;答辩", + "ENG": "something you say when you reply to a question that someone has asked you" + }, + "cube": { + "CHS": "使成立方形;使自乘二次;量…的体积", + "ENG": "to multiply a number by itself twice" + }, + "gossip": { + "CHS": "闲聊;传播流言蜚语", + "ENG": "If you gossip with someone, you talk informally, especially about other people or local events. You can also say that two people gossip. " + }, + "jerk": { + "CHS": "痉挛;急拉;颠簸地行进", + "ENG": "to pull something suddenly and roughly" + }, + "elderly": { + "CHS": "上了年纪的;过了中年的;稍老的", + "ENG": "used as a polite way of saying that someone is old or becoming old" + }, + "zero": { + "CHS": "零", + "ENG": "the number 0" + }, + "demonstrable": { + "CHS": "可论证的;显而易见的", + "ENG": "able to be shown or proved" + }, + "farmhand": { + "CHS": "[农经] 农场工人", + "ENG": "someone who works on a farm" + }, + "floor": { + "CHS": "铺地板;打倒,击倒;(被困难)难倒", + "ENG": "to hit someone so hard that they fall down" + }, + "semantic": { + "CHS": "语义的;语义学的(等于semantical)", + "ENG": "relating to the meanings of words" + }, + "fisherman": { + "CHS": "渔夫;渔人", + "ENG": "someone who catches fish as a sport or as a job" + }, + "lay": { + "CHS": "位置;短诗;花纹方向;叙事诗;性伙伴", + "ENG": "a poem or song" + }, + "glider": { + "CHS": "[航] 滑翔机;滑翔员;滑翔导弹", + "ENG": "a light plane that flies without an engine" + }, + "constable": { + "CHS": "治安官,巡警;警察", + "ENG": "a British police officer of the lowest rank" + }, + "concentrate": { + "CHS": "浓缩,精选;浓缩液", + "ENG": "a substance or liquid which has been made stronger by removing most of the water from it" + }, + "pursuit": { + "CHS": "追赶,追求;职业,工作", + "ENG": "when someone tries to get, achieve, or find something in a determined way" + }, + "melodrama": { + "CHS": "情节剧;音乐剧;耸人听闻的事件,闹剧", + "ENG": "a story or play in which very exciting or terrible things happen, and in which the characters and the emotions they show seem too strong to be real" + }, + "bass": { + "CHS": "低音的", + "ENG": "a bass instrument or voice produces low notes" + }, + "compound": { + "CHS": "合成;混合;恶化,加重;和解,妥协", + "ENG": "to make a difficult situation worse by adding more problems" + }, + "moat": { + "CHS": "将围以壕沟" + }, + "canal": { + "CHS": "在…开凿运河" + }, + "luxuriant": { + "CHS": "繁茂的;丰富的;奢华的;肥沃的", + "ENG": "growing strongly and thickly" + }, + "whoever": { + "CHS": "《爱谁谁》(电影名)", + "ENG": "used to say that it does not matter who does something, is in a particular place etc" + }, + "assorted": { + "CHS": "把…分等级;把…归为一类(assort的过去分词)" + }, + "flea": { + "CHS": "跳蚤;低廉的旅馆;生蚤的动物", + "ENG": "a very small insect without wings that jumps and bites animals and people to eat their blood" + }, + "mane": { + "CHS": "(马等的)鬃毛", + "ENG": "the long hair on the back of a horse’s neck, or around the face and neck of a lion" + }, + "delegate": { + "CHS": "代表", + "ENG": "someone who has been elected or chosen to speak, vote, or take decisions for a group" + }, + "dissimilar": { + "CHS": "不同的", + "ENG": "not the same" + }, + "ownership": { + "CHS": "所有权;物主身份", + "ENG": "the fact of owning something" + }, + "earthenware": { + "CHS": "陶器;土器", + "ENG": "Earthenware objects are referred to as earthenware" + }, + "alien": { + "CHS": "让渡,转让" + }, + "sensible": { + "CHS": "可感觉到的东西; 敏感的人;" + }, + "faraway": { + "CHS": "遥远的;恍惚的", + "ENG": "a long distance away" + }, + "dosage": { + "CHS": "剂量,用量", + "ENG": "the amount of a medicine or drug that you should take at one time, especially regularly" + }, + "disintegrate": { + "CHS": "使分解;使碎裂;使崩溃;使衰变", + "ENG": "to break up, or make something break up, into very small pieces" + }, + "preoccupation": { + "CHS": "全神贯注,入神;当务之急;关注的事物;抢先占据;成见", + "ENG": "when someone thinks or worries about something a lot, with the result that they do not pay attention to other things" + }, + "schoolchild": { + "CHS": "学童", + "ENG": "a child attending school" + }, + "plane": { + "CHS": "平的;平面的", + "ENG": "completely flat and smooth" + }, + "apprehend": { + "CHS": "理解;逮捕;忧虑", + "ENG": "if the police apprehend a criminal, they catch him or her" + }, + "erasure": { + "CHS": "消除;涂擦的痕迹;消磁", + "ENG": "when you erase something, or when something is erased" + }, + "laundry": { + "CHS": "洗衣店,洗衣房;要洗的衣服;洗熨;洗好的衣服", + "ENG": "clothes, sheets etc that need to be washed or have just been washed" + }, + "ravine": { + "CHS": "沟壑,山涧;峡谷", + "ENG": "a deep narrow valley with steep sides" + }, + "front": { + "CHS": "在前面;向前", + "ENG": "if a building or area of land is fronted by something, or fronts onto it, it faces that thing" + }, + "microbiology": { + "CHS": "微生物学", + "ENG": "the scientific study of very small living things such as bacteria " + }, + "laboratory": { + "CHS": "实验室,研究室", + "ENG": "a special room or building in which a scientist does tests or prepares substances" + }, + "diligence": { + "CHS": "勤奋,勤勉;注意的程度" + }, + "stick": { + "CHS": "棍;手杖;呆头呆脑的人", + "ENG": "a long thin piece of wood, plastic etc that you use for a particular purpose" + }, + "tangle": { + "CHS": "使纠缠;处于混乱状态" + }, + "macho": { + "CHS": "强壮男子;大丈夫" + }, + "patriotic": { + "CHS": "爱国的", + "ENG": "having or expressing a great love of your country" + }, + "tick": { + "CHS": "滴答声;扁虱;记号;赊欠", + "ENG": "A tick is a small creature which lives on the bodies of people or animals and uses their blood as food" + }, + "godfather": { + "CHS": "当…的教父" + }, + "resplendent": { + "CHS": "光辉的;华丽的", + "ENG": "very beautiful, bright, and impressive in appearance" + }, + "pulpit": { + "CHS": "讲道坛;高架操纵台;神职人员", + "ENG": "a raised structure inside a church that a priest or minister stands on when they speak to the people" + }, + "woeful": { + "CHS": "悲哀的;悲惨的;遗憾的;不幸的", + "ENG": "very sad" + }, + "facility": { + "CHS": "设施;设备;容易;灵巧", + "ENG": "Facilities are buildings, pieces of equipment, or services that are provided for a particular purpose" + }, + "intercontinental": { + "CHS": "洲际的;大陆间的", + "ENG": "going from one continent to another, or happening between two continents" + }, + "cocktail": { + "CHS": "鸡尾酒的" + }, + "gastritis": { + "CHS": "[内科] 胃炎", + "ENG": "an illness which makes the inside of your stomach become swollen, so that you feel a burning pain" + }, + "preoccupied": { + "CHS": "抢先占有;使…全神贯注(preoccupy的过去式)" + }, + "craft": { + "CHS": "精巧地制作", + "ENG": "to make something using a special skill, especially with your hands" + }, + "tragedy": { + "CHS": "悲剧;灾难;惨案", + "ENG": "a very sad event, that shocks people because it involves death" + }, + "comparatively": { + "CHS": "比较地;相当地", + "ENG": "as compared to something else or to a previous state" + }, + "rot": { + "CHS": "(表示厌恶、蔑视、烦恼等)胡说;糟了" + }, + "hardbitten": { + "CHS": "顽强的;经过磨炼的" + }, + "footman": { + "CHS": "男仆,侍从;步兵", + "ENG": "a male servant in the past who opened the front door, announced the names of visitors etc" + }, + "banquet": { + "CHS": "宴请,设宴款待" + }, + "schoolmistress": { + "CHS": "女教师;女校长", + "ENG": "a female teacher, especially in a private school (= one that parents pay to send their children to ) " + }, + "dismissal": { + "CHS": "解雇;免职", + "ENG": "when someone is removed from their job" + }, + "philanthropic": { + "CHS": "博爱的;仁慈的", + "ENG": "a philanthropic person or institution gives money and help to people who are poor or in trouble" + }, + "stomach": { + "CHS": "忍受;吃下", + "ENG": "to be able to accept something, especially something unpleasant" + }, + "equilibrium": { + "CHS": "均衡;平静;保持平衡的能力", + "ENG": "a balance between different people, groups, or forces that compete with each other, so that none is stronger than the others and a situation is not likely to change suddenly" + }, + "conjunction": { + "CHS": "结合;[语] 连接词;同时发生", + "ENG": "a combination of different things that have come together by chance" + }, + "offhand": { + "CHS": "随便地;即席地;即时地" + }, + "skip": { + "CHS": "跳跃;跳读", + "ENG": "a skipping movement" + }, + "stove": { + "CHS": "用火炉烤" + }, + "overturn": { + "CHS": "倾覆;周转;破灭" + }, + "strange": { + "CHS": "(Strange)人名;(英)斯特兰奇;(瑞典、塞)斯特朗格" + }, + "such": { + "CHS": "(Such)人名;(英)萨奇;(德)祖赫", + "ENG": "used to show that you think that something is not good enough or that there is not enough of it" + }, + "attorney": { + "CHS": "律师;代理人;检查官", + "ENG": "a lawyer" + }, + "sculpture": { + "CHS": "雕塑;雕刻;刻蚀" + }, + "negligible": { + "CHS": "微不足道的,可以忽略的", + "ENG": "too slight or unimportant to have any effect" + }, + "undergo": { + "CHS": "经历,经受;忍受", + "ENG": "if you undergo a change, an unpleasant experience etc, it happens to you or is done to you" + }, + "beware": { + "CHS": "当心,小心", + "ENG": "used to warn someone to be careful because something is dangerous" + }, + "blush": { + "CHS": "脸红;红色;羞愧", + "ENG": "the red colour on your face that appears when you are embarrassed" + }, + "obscure": { + "CHS": "某种模糊的或不清楚的东西" + }, + "diametrically": { + "CHS": "完全地;作为直径地;直接地;正好相反地" + }, + "slink": { + "CHS": "早产的" + }, + "cooperate": { + "CHS": "合作,配合;协力", + "ENG": "to work with someone else to achieve something that you both want" + }, + "sue": { + "CHS": "(Sue)人名;(日)末(名);(法)休;(英)休(女子教名Susan、Susanna的昵称)" + }, + "incompetent": { + "CHS": "无能力者", + "ENG": "An incompetent is someone who is incompetent" + }, + "seclude": { + "CHS": "使隔离,使隔绝", + "ENG": "to remove from contact with others " + }, + "nibble": { + "CHS": "轻咬;啃;细咬" + }, + "item": { + "CHS": "记下;逐条列出" + }, + "housekeeper": { + "CHS": "女管家;主妇", + "ENG": "A housekeeper is a person whose job is to cook, clean, and take care of a house for its owner" + }, + "interrupt": { + "CHS": "中断" + }, + "guttural": { + "CHS": "喉音;喉音字" + }, + "cardboard": { + "CHS": "不真实的;硬纸板制的", + "ENG": "made from cardboard" + }, + "mock": { + "CHS": "仿制的,模拟的,虚假的,不诚实的", + "ENG": "not real, but intended to be very similar to a real situation, substance etc" + }, + "villain": { + "CHS": "坏人,恶棍;戏剧、小说中的反派角色;顽童;罪犯", + "ENG": "the main bad character in a film, play, or story" + }, + "coinage": { + "CHS": "造币;[金融] 货币制度;新造的字及其语等", + "ENG": "the system or type of money used in a country" + }, + "manful": { + "CHS": "勇敢的;果断的;有男子气概的" + }, + "nice": { + "CHS": "(Nice)人名;(英)尼斯" + }, + "oblige": { + "CHS": "迫使;强制;赐,施恩惠;责成;义务", + "ENG": "if you are obliged to do something, you have to do it because the situation, the law, a duty etc makes it necessary" + }, + "sighting": { + "CHS": "看见(sight的ing形式)" + }, + "butter": { + "CHS": "黄油;奶油;奉承话", + "ENG": "a solid yellow food made from milk or cream that you spread on bread or use in cooking" + }, + "proof": { + "CHS": "试验;校对;使不被穿透", + "ENG": "to proofread something" + }, + "scholar": { + "CHS": "学者;奖学金获得者", + "ENG": "someone who knows a lot about a particular subject, especially one that is not a science subject" + }, + "amongst": { + "CHS": "在…之中;在…当中(等于among)" + }, + "habitable": { + "CHS": "可居住的;适于居住的", + "ENG": "good enough for people to live in" + }, + "ingrained": { + "CHS": "使根深蒂固(ingrain的过去分词形式);生染;就原料染色" + }, + "conclude": { + "CHS": "推断;决定,作结论;结束", + "ENG": "to decide that something is true after considering all the information you have" + }, + "assess": { + "CHS": "评定;估价;对…征税", + "ENG": "to make a judgment about a person or situation after thinking carefully about it" + }, + "enshrine": { + "CHS": "铭记,珍藏;把…置于神龛内;把…奉为神圣", + "ENG": "if something such as a tradition or right is enshrined in something, it is preserved and protected so that people will remember and respect it" + }, + "yeoman": { + "CHS": "自耕农;自由民;仆人", + "ENG": "a farmer in Britain in the past who owned and worked on his own land" + }, + "federalism": { + "CHS": "联邦制;联邦主义", + "ENG": "belief in or support for a federal system of government" + }, + "public": { + "CHS": "公众;社会;公共场所", + "ENG": "ordinary people who do not work for the government or have any special position in society" + }, + "lizard": { + "CHS": "蜥蜴;类蜥蜴爬行动物", + "ENG": "a type of reptile that has four legs and a long tail" + }, + "manufacture": { + "CHS": "制造;加工;捏造", + "ENG": "to use machines to make goods or materials, usually in large numbers or amounts" + }, + "knock": { + "CHS": "敲;敲打;爆震声", + "ENG": "the sound of something hard hitting a hard surface" + }, + "cordial": { + "CHS": "补品;兴奋剂;甜香酒,甘露酒", + "ENG": "a strong sweet alcoholic drink" + }, + "different": { + "CHS": "不同的;个别的,与众不同的", + "ENG": "not like something or someone else, or not like before" + }, + "fumble": { + "CHS": "摸索;笨拙的处理;漏球" + }, + "burn": { + "CHS": "灼伤,烧伤;烙印", + "ENG": "an injury caused by fire, heat, the light of the sun, or acid" + }, + "penguin": { + "CHS": "企鹅;空军地勤人员", + "ENG": "a large black and white Antarctic sea bird, which cannot fly but uses its wings for swimming" + }, + "eager": { + "CHS": "(Eager)人名;(英)伊格" + }, + "beige": { + "CHS": "浅褐色的;米黄色的;枯燥乏味的" + }, + "upward": { + "CHS": "向上", + "ENG": "If someone moves or looks upward, they move or look up towards a higher place" + }, + "erupt": { + "CHS": "爆发;喷出;发疹;长牙", + "ENG": "if fighting, violence, noise etc erupts, it starts suddenly" + }, + "ribald": { + "CHS": "言谈粗俗的人;说下流话的人" + }, + "dough": { + "CHS": "生面团;金钱", + "ENG": "a mixture of flour and water ready to be baked into bread, pastry etc" + }, + "building": { + "CHS": "建筑;建立;增加(build的ing形式)" + }, + "squall": { + "CHS": "暴风;麻烦;高声哭喊;尖叫", + "ENG": "a shrill or noisy yell or howl " + }, + "troublemaker": { + "CHS": "捣乱者,闹事者;惹麻烦的人", + "ENG": "If you refer to someone as a troublemaker, you mean that they cause unpleasantness, quarrels, or fights, especially by encouraging people to oppose authority" + }, + "empathy": { + "CHS": "神入;移情作用;执着" + }, + "drunk": { + "CHS": "喝醉了的", + "ENG": "unable to control your behaviour, speech etc because you have drunk too much alcohol" + }, + "president": { + "CHS": "总统;董事长;校长;主席", + "ENG": "the official leader of a country that does not have a king or queen" + }, + "championship": { + "CHS": "锦标赛;冠军称号;冠军的地位", + "ENG": "a competition to find which player, team etc is the best in a particular sport" + }, + "hubbub": { + "CHS": "喧哗;骚动", + "ENG": "You can describe a situation where there is great confusion or excitement as a hubbub" + }, + "amicable": { + "CHS": "友好的;友善的", + "ENG": "an amicable agreement, relationship etc is one in which people feel friendly towards each other and do not want to quarrel" + }, + "ten": { + "CHS": "(Ten)人名;(英)坦恩;(意)泰恩;(柬)登" + }, + "unsettled": { + "CHS": "未决定的;怀疑的;未处理的;不整齐的", + "ENG": "still continuing without reaching any agreement" + }, + "broken": { + "CHS": "折断;打碎;损坏(break的过去分词)" + }, + "sauna": { + "CHS": "洗桑拿浴" + }, + "precaution": { + "CHS": "警惕;预先警告" + }, + "saw": { + "CHS": "锯子;谚语", + "ENG": "a tool that you use for cutting wood. It has a flat blade with an edge cut into many V shapes." + }, + "due": { + "CHS": "正(置于方位词前)", + "ENG": "directly to the north, south, east, or west" + }, + "shopping": { + "CHS": "购物(shop的ing形式)" + }, + "transition": { + "CHS": "过渡;转变;[分子生物] 转换;变调", + "ENG": "when something changes from one form or state to another" + }, + "past": { + "CHS": "过;经过", + "ENG": "up to and beyond a person or place, without stopping" + }, + "best": { + "CHS": "打败,胜过" + }, + "abhor": { + "CHS": "痛恨,憎恶", + "ENG": "to hate a kind of behaviour or way of thinking, especially because you think it is morally wrong" + }, + "explore": { + "CHS": "探索;探测;探险", + "ENG": "to discuss or think about something carefully" + }, + "ineffectual": { + "CHS": "无用的人;无一技之长者" + }, + "rustle": { + "CHS": "沙沙声;急忙;飒飒声", + "ENG": "the noise made when something rustles" + }, + "automate": { + "CHS": "使自动化,使自动操作", + "ENG": "to start using computers and machines to do a job, rather than people" + }, + "lace": { + "CHS": "饰以花边;结带子" + }, + "lesbian": { + "CHS": "女同性恋者", + "ENG": "a woman who is sexually attracted to other women" + }, + "hi": { + "CHS": "(Hi)人名;(柬)希" + }, + "sock": { + "CHS": "非常成功的" + }, + "pagoda": { + "CHS": "(东方寺院的)宝塔;印度的旧金币", + "ENG": "a Buddhist temple (= religious building ) that has several levels with a decorated roof at each level" + }, + "volunteer": { + "CHS": "自愿", + "ENG": "to offer to do something without expecting any reward, often something that other people do not want to do" + }, + "millennium": { + "CHS": "千年期,千禧年;一千年,千年纪念;太平盛世,黄金时代", + "ENG": "a period of 1,000 years" + }, + "clump": { + "CHS": "形成一丛;以沉重的步子行走", + "ENG": "to walk with slow noisy steps" + }, + "sicken": { + "CHS": "使患病;使恶心;使嫌恶", + "ENG": "If something sickens you, it makes you feel disgusted" + }, + "jeep": { + "CHS": "吉普车", + "ENG": "A Jeep is a type of car that can travel over rough ground" + }, + "love": { + "CHS": "爱,热爱;爱戴;赞美,称赞;喜爱;喜好;喜欢;爱慕", + "ENG": "to have a strong feeling of affection for someone, combined with sexual attraction" + }, + "cunning": { + "CHS": "狡猾", + "ENG": "the ability to achieve what you want by deceiving people in a clever way" + }, + "slam": { + "CHS": "猛击;砰然声", + "ENG": "the noise or action of a door, window etc slamming" + }, + "handful": { + "CHS": "少数;一把;棘手事", + "ENG": "an amount that you can hold in your hand" + }, + "fireman": { + "CHS": "消防队员;救火队员;锅炉工", + "ENG": "a man whose job is to stop fires burning" + }, + "decelerate": { + "CHS": "减速,降低速度", + "ENG": "to go slower, especially in a vehicle" + }, + "motel": { + "CHS": "汽车旅馆", + "ENG": "a hotel for people who are travelling by car, where you can park your car outside your room" + }, + "girlfriend": { + "CHS": "女朋友", + "ENG": "a girl or woman that you are having a romantic relationship with" + }, + "woollen": { + "CHS": "毛织品" + }, + "mechanism": { + "CHS": "机制;原理,途径;进程;机械装置;技巧", + "ENG": "part of a machine or a set of parts that does a particular job" + }, + "vermin": { + "CHS": "害虫;寄生虫;歹徒", + "ENG": "small animals, birds, and insects that are harmful because they destroy crops, spoil food, and spread disease" + }, + "slag": { + "CHS": "使成渣;使变成熔渣" + }, + "fallow": { + "CHS": "使(土地)休闲;潜伏", + "ENG": "to leave (land) unseeded after ploughing and harrowing it " + }, + "finish": { + "CHS": "结束;完美;回味(葡萄酒)" + }, + "distinguishable": { + "CHS": "可区别的;辨认得出的;可辨识的", + "ENG": "easy to recognize as being different from something else" + }, + "ash": { + "CHS": "灰;灰烬", + "ENG": "the soft grey powder that remains after something has been burned" + }, + "excessive": { + "CHS": "过多的,极度的;过分的", + "ENG": "much more than is reasonable or necessary" + }, + "agreement": { + "CHS": "协议;同意,一致", + "ENG": "an arrangement or promise to do something, made by two or more people, companies, organizations etc" + }, + "pilgrim": { + "CHS": "去朝圣;漫游" + }, + "twin": { + "CHS": "双胞胎的", + "ENG": "used to describe one of two children who are twins" + }, + "treatise": { + "CHS": "论述;论文;专著", + "ENG": "a serious book or article about a particular subject" + }, + "distraction": { + "CHS": "注意力分散;消遣;心烦意乱", + "ENG": "a pleasant activity" + }, + "uptown": { + "CHS": "(美)在住宅区;(美)在城镇非商业区", + "ENG": "in or towards an area of a city that is away from the centre, especially one where the streets have larger numbers in their names and where people have more money" + }, + "generation": { + "CHS": "一代;产生;一代人;生殖", + "ENG": "all people of about the same age" + }, + "irritant": { + "CHS": "[医] 刺激物,[医] 刺激剂", + "ENG": "a substance that can make a part of your body painful and sore" + }, + "liver": { + "CHS": "肝脏;生活者,居民", + "ENG": "a large organ in your body that produces bile and cleans your blood" + }, + "bog": { + "CHS": "使陷于泥沼;使动弹不得" + }, + "produce": { + "CHS": "农产品,产品", + "ENG": "food or other things that have been grown or produced on a farm to be sold" + }, + "asleep": { + "CHS": "熟睡地;进入睡眠状态" + }, + "necklace": { + "CHS": "项链", + "ENG": "a string of jewels, beads etc or a thin gold or silver chain to wear around the neck" + }, + "rubble": { + "CHS": "碎石,碎砖;粗石堆", + "ENG": "broken stones or bricks from a building or wall that has been destroyed" + }, + "resemble": { + "CHS": "类似,像", + "ENG": "to look like or be similar to someone or something" + }, + "bid": { + "CHS": "出价;叫牌;努力争取", + "ENG": "an offer to pay a particular price for something, especially at an auction " + }, + "upstart": { + "CHS": "突然跳起;崛起" + }, + "grounding": { + "CHS": "[电] 接地(ground的ing形式);搁浅" + }, + "celluloid": { + "CHS": "赛璐珞;(美俚)电影(胶片)", + "ENG": "on cinema film" + }, + "cursor": { + "CHS": "光标;(计算尺的)[计] 游标,指针", + "ENG": "a mark that can be moved around a computer screen to show where you are working" + }, + "indoor": { + "CHS": "室内的,户内的", + "ENG": "used or happening inside a building" + }, + "foul": { + "CHS": "违反规则地,不正当地" + }, + "resemblance": { + "CHS": "相似;相似之处;相似物;肖像", + "ENG": "if there is a resemblance between two people or things, they are similar, especially in the way they look" + }, + "apiece": { + "CHS": "每人;每个;各自地", + "ENG": "costing or having a particular amount each" + }, + "infidelity": { + "CHS": "无信仰,不信神;背信" + }, + "cent": { + "CHS": "分;一分的硬币;森特(等于半音程的百分之一)", + "ENG": "1/100th of the standard unit of money in some countries. For example, there are 100 cents in one dollar or in one euro : symbol ¢." + }, + "shy": { + "CHS": "投掷;惊跳" + }, + "infernal": { + "CHS": "地狱的;恶魔的;可憎的", + "ENG": "used to express anger or annoyance about something" + }, + "intolerable": { + "CHS": "无法忍受的;难耐的", + "ENG": "too difficult, bad, annoying etc for you to accept or deal with" + }, + "impregnable": { + "CHS": "无法攻取的;不受影响的;要塞坚固的;不可受孕的", + "ENG": "a building that is impregnable is so strong that it cannot be entered by force" + }, + "nobleman": { + "CHS": "贵族", + "ENG": "a man who is a member of the highest social class and has a title such as ‘Duke’" + }, + "vehicle": { + "CHS": "[车辆] 车辆;工具;交通工具;运载工具;传播媒介;媒介物", + "ENG": "a machine with an engine that is used to take people or things from one place to another, such as a car, bus, or truck" + }, + "entertainment": { + "CHS": "娱乐;消遣;款待", + "ENG": "things such as films, television, performances etc that are intended to amuse or interest people" + }, + "remedy": { + "CHS": "补救;治疗;赔偿", + "ENG": "a way of dealing with a problem or making a bad situation better" + }, + "well": { + "CHS": "涌出" + }, + "death": { + "CHS": "死;死亡;死神;毁灭", + "ENG": "the permanent end of something" + }, + "bottom": { + "CHS": "装底;测量深浅;查明真相" + }, + "stem": { + "CHS": "阻止;除去…的茎;给…装柄", + "ENG": "to stop something from happening, spreading, or developing" + }, + "impression": { + "CHS": "印象;效果,影响;压痕,印记;感想;曝光(衡量广告被显示的次数。打开一个带有该广告的网页,则该广告的impression 次数增加一次)", + "ENG": "the opinion or feeling you have about someone or something because of the way they seem" + }, + "commune": { + "CHS": "公社", + "ENG": "a group of people who live together and who share the work and their possessions" + }, + "prolong": { + "CHS": "延长;拖延", + "ENG": "to deliberately make something such as a feeling or an activity last longer" + }, + "doubtful": { + "CHS": "可疑的;令人生疑的;疑心的;不能确定的", + "ENG": "probably not true or not likely to happen" + }, + "confuse": { + "CHS": "使混乱;使困惑", + "ENG": "to make someone feel that they cannot think clearly or do not understand" + }, + "economical": { + "CHS": "经济的;节约的;合算的", + "ENG": "using money, time, goods etc carefully and without wasting any" + }, + "sledge": { + "CHS": "雪橇;大锤", + "ENG": "a small vehicle used for sliding over snow, often used by children or in some sports" + }, + "adolescent": { + "CHS": "青少年", + "ENG": "a young person, usually between the ages of 12 and 18, who is developing into an adult" + }, + "headhunter": { + "CHS": "猎头者;物色人才的人;猎取人头的蛮人", + "ENG": "someone who finds people with the right skills and experience to do particular jobs, and who tries to persuade them to leave their present jobs" + }, + "diver": { + "CHS": "潜水者;跳水的选手;潜鸟", + "ENG": "someone who swims or works under water using special equipment to help them breathe" + }, + "sanctum": { + "CHS": "圣所;密室;私室", + "ENG": "a private place or room that only a few important people are allowed to enter – often used humorously" + }, + "hobby": { + "CHS": "嗜好;业余爱好", + "ENG": "an activity that you enjoy doing in your free time" + }, + "accomplished": { + "CHS": "完成的;熟练的,有技巧的;有修养的;有学问的" + }, + "tradesman": { + "CHS": "商人;(英)店主;零售商;手艺人", + "ENG": "someone who buys and sells goods or services, especially in a shop" + }, + "sombre": { + "CHS": "阴沉的;忧郁的;昏暗的", + "ENG": "sad and serious" + }, + "antiseptic": { + "CHS": "防腐剂,抗菌剂", + "ENG": "a medicine that you put onto a wound to stop it from becoming infected" + }, + "damn": { + "CHS": "讨厌" + }, + "wig": { + "CHS": "使戴假发;斥责" + }, + "deal": { + "CHS": "交易;(美)政策;待遇;份量", + "ENG": "treatment of a particular type that is given or received" + }, + "eviction": { + "CHS": "逐出;赶出;收回", + "ENG": "Eviction is the act or process of officially forcing someone to leave a house or piece of land" + }, + "arrange": { + "CHS": "安排;排列;整理", + "ENG": "to organize or make plans for something such as a meeting, party, or trip" + }, + "caprice": { + "CHS": "任性,反复无常;随想曲,怪想", + "ENG": "a sudden and unreasonable change of mind or behaviour" + }, + "soprano": { + "CHS": "女高音的;童声高音的", + "ENG": "a soprano voice or instrument has the highest range of notes" + }, + "forlorn": { + "CHS": "被遗弃的;绝望的;孤独的" + }, + "ordinary": { + "CHS": "普通;平常的人(或事)" + }, + "Sedan": { + "CHS": "轿车;轿子" + }, + "airstrip": { + "CHS": "飞机跑道", + "ENG": "a long narrow piece of land that planes can fly from or land on" + }, + "brotherly": { + "CHS": "兄弟般地;亲切地" + }, + "eldest": { + "CHS": "最年长者" + }, + "frequently": { + "CHS": "频繁地,经常地;时常,屡次", + "ENG": "very often or many times" + }, + "tawdry": { + "CHS": "俗丽的东西;廉价而俗丽之物" + }, + "dental": { + "CHS": "齿音" + }, + "relic": { + "CHS": "遗迹,遗物;废墟;纪念物", + "ENG": "an old object or custom that reminds people of the past or that has lived on from a past time" + }, + "Quaker": { + "CHS": "教友派信徒;贵格会教徒", + "ENG": "a member of the Society of Friends, a Christian religious group that meets without any formal ceremony or priests and that is opposed to violence" + }, + "custody": { + "CHS": "保管;监护;拘留;抚养权", + "ENG": "the right to take care of a child, given to one of their parents when they have divorced " + }, + "farce": { + "CHS": "闹剧;胡闹;笑剧", + "ENG": "an event or a situation that is very badly organized or does not happen properly, in a way that is silly and unreasonable" + }, + "isle": { + "CHS": "住在岛屿上" + }, + "repair": { + "CHS": "修理,修补;修补部位", + "ENG": "something that you do to fix a thing that is damaged, broken, or not working" + }, + "etch": { + "CHS": "刻蚀;腐蚀剂" + }, + "tiny": { + "CHS": "(Tiny)人名;(葡、印)蒂尼" + }, + "strength": { + "CHS": "力量;力气;兵力;长处", + "ENG": "the physical power and energy that makes someone strong" + }, + "bee": { + "CHS": "蜜蜂,蜂;勤劳的人", + "ENG": "a black and yellow flying insect that makes honey and can sting you" + }, + "convertible": { + "CHS": "有活动折篷的汽车", + "ENG": "a car with a soft roof that you can fold back or remove" + }, + "handcuff": { + "CHS": "手铐;思想上的桎梏", + "ENG": "Handcuffs are two metal rings which are joined together and can be locked around someone's wrists, usually by the police during an arrest" + }, + "stale": { + "CHS": "尿" + }, + "forensic": { + "CHS": "法院的;辩论的;适于法庭的", + "ENG": "relating to the scientific methods used for finding out about a crime" + }, + "instantaneous": { + "CHS": "瞬间的;即时的;猝发的", + "ENG": "happening immediately" + }, + "enhance": { + "CHS": "提高;加强;增加", + "ENG": "to improve something" + }, + "fortify": { + "CHS": "加强;增强;(酒)的酒精含量;设防于", + "ENG": "to encourage an attitude or feeling and make it stronger" + }, + "anticipation": { + "CHS": "希望;预感;先发制人;预支", + "ENG": "when you are expecting something to happen" + }, + "steadfast": { + "CHS": "坚定的;不变的", + "ENG": "being certain that you are right about something and refusing to change your opinion in any way" + }, + "sneeze": { + "CHS": "喷嚏", + "ENG": "the act or sound of sneezing" + }, + "indecision": { + "CHS": "优柔寡断;犹豫不决", + "ENG": "the state of being unable to decide what to do" + }, + "intriguing": { + "CHS": "引起…的兴趣;策划阴谋;私通(intrigue的ing形式)" + }, + "wife": { + "CHS": "妻子,已婚妇女;夫人", + "ENG": "the woman that a man is married to" + }, + "transplant": { + "CHS": "移植;移植器官;被移植物;移居者", + "ENG": "the operation of transplanting an organ, piece of skin etc" + }, + "adjective": { + "CHS": "形容词", + "ENG": "a word that describes a noun or pronoun . In the phrase ‘black hat’, ‘black’ is an adjective and in the sentence ‘It makes her happy’, ‘happy’ is an adjective." + }, + "monotonous": { + "CHS": "单调的,无抑扬顿挫的;无变化的", + "ENG": "boring because of always being the same" + }, + "fourteenth": { + "CHS": "第十四" + }, + "urge": { + "CHS": "强烈的欲望,迫切要求;推动力", + "ENG": "a strong wish or need" + }, + "hospital": { + "CHS": "医院", + "ENG": "a large building where sick or injured people receive medical treatment" + }, + "England": { + "CHS": "英格兰" + }, + "goodwill": { + "CHS": "[贸易] 商誉;友好;好意", + "ENG": "kind feelings towards or between people and a willingness to be helpful" + }, + "grieve": { + "CHS": "(Grieve)人名;(英)格里夫" + }, + "interlock": { + "CHS": "[计] 互锁;连锁", + "ENG": "if two or more things interlock, or if they are interlocked, they fit firmly together" + }, + "noun": { + "CHS": "名词", + "ENG": "a word or group of words that represent a person (such as ‘Michael’, ‘teacher’ or ‘police officer’), a place (such as ‘France’ or ‘school’), a thing or activity (such as ‘coffee’ or ‘football’), or a quality or idea (such as ‘danger’ or ‘happiness’). Nouns can be used as the subject or object of a verb (as in ‘The teacher arrived’ or ‘We like the teacher’) or as the object of a preposition (as in ‘good at football’)." + }, + "favourable": { + "CHS": "有利" + }, + "granite": { + "CHS": "花岗岩;坚毅;冷酷无情", + "ENG": "a very hard grey rock, often used in building" + }, + "damage": { + "CHS": "损害;损毁", + "ENG": "to cause physical harm to something or to part of someone’s body" + }, + "ambience": { + "CHS": "气氛,布景;周围环境", + "ENG": "the qualities and character of a particular place and the way these make you feel" + }, + "airtight": { + "CHS": "密闭的,密封的;无懈可击的", + "ENG": "not allowing air to get in or out" + }, + "catalogue": { + "CHS": "把…编入目录", + "ENG": "to make a complete list of all the things in a group" + }, + "several": { + "CHS": "几个;数个" + }, + "intensity": { + "CHS": "强度;强烈;[电子] 亮度;紧张", + "ENG": "the quality of being felt very strongly or having a strong effect" + }, + "beard": { + "CHS": "胡须;颌毛", + "ENG": "hair that grows around a man’s chin and cheeks" + }, + "encore": { + "CHS": "再来一个" + }, + "sweeping": { + "CHS": "打扫;扫除(sweep的现在分词形式)" + }, + "yacht": { + "CHS": "游艇,快艇;轻舟", + "ENG": "a large boat with a sail, used for pleasure or sport, especially one that has a place where you can sleep" + }, + "contradict": { + "CHS": "反驳;否定;与…矛盾;与…抵触", + "ENG": "to disagree with something, especially by saying that the opposite is true" + }, + "twenty": { + "CHS": "二十的" + }, + "collection": { + "CHS": "采集,聚集;[税收] 征收;收藏品;募捐", + "ENG": "the act of asking people to give you money for an organization that helps people, or during a church service, or the money collected in this way" + }, + "psychologist": { + "CHS": "心理学家,心理学者", + "ENG": "someone who is trained in psychology" + }, + "dean": { + "CHS": "院长;系主任;教务长;主持牧师", + "ENG": "a priest of high rank in the Christian church who is in charge of several priests or churches" + }, + "questionable": { + "CHS": "可疑的;有问题的", + "ENG": "not likely to be true or correct" + }, + "please": { + "CHS": "请(礼貌用语)", + "ENG": "used to be polite when asking someone to do something" + }, + "delicate": { + "CHS": "微妙的;精美的,雅致的;柔和的;易碎的;纤弱的;清淡可口的", + "ENG": "needing to be dealt with carefully or sensitively in order to avoid problems or failure" + }, + "level": { + "CHS": "瞄准;拉平;变得平坦", + "ENG": "to make the score in a game or competition equal" + }, + "hat": { + "CHS": "给……戴上帽子" + }, + "vigour": { + "CHS": "活力;气势", + "ENG": "physical or mental energy and determination" + }, + "pub": { + "CHS": "酒馆;客栈", + "ENG": "a building in Britain where alcohol can be bought and drunk, and where meals are often served" + }, + "alcoholism": { + "CHS": "酗酒;[内科] 酒精中毒", + "ENG": "the medical condition of being an alcoholic" + }, + "snicker": { + "CHS": "窃笑", + "ENG": "Snicker is also a noun" + }, + "wrinkle": { + "CHS": "起皱", + "ENG": "if you wrinkle a part of your face, or if it wrinkles, small lines appear on it" + }, + "foggy": { + "CHS": "有雾的;模糊的,朦胧的", + "ENG": "if the weather is foggy, there is fog" + }, + "cabinet": { + "CHS": "内阁的;私下的,秘密的" + }, + "dispute": { + "CHS": "辩论;争吵", + "ENG": "a serious argument or disagreement" + }, + "anaesthetize": { + "CHS": "使麻醉;使麻木", + "ENG": "to give someone an anaesthetic so that they do not feel pain" + }, + "recount": { + "CHS": "重算", + "ENG": "a second count of votes that happens in an election because the result was very close" + }, + "cocky": { + "CHS": "自大的;骄傲的;过于自信的", + "ENG": "too confident about yourself and your abilities, especially in a way that annoys other people" + }, + "rite": { + "CHS": "仪式;惯例,习俗;典礼", + "ENG": "a ceremony that is always performed in the same way, usually for religious purposes" + }, + "overlook": { + "CHS": "忽视;眺望" + }, + "match": { + "CHS": "比赛,竞赛;匹配;对手;火柴", + "ENG": "an organized sports event between two teams or people" + }, + "chance": { + "CHS": "偶然发生;冒……的险", + "ENG": "to do something that you know involves a risk" + }, + "finding": { + "CHS": "找到;感到(find的ing形式);遇到" + }, + "afterward": { + "CHS": "以后,后来", + "ENG": "If you do something or if something happens afterward, you do it or it happens after a particular event or time that has already been mentioned" + }, + "inflamed": { + "CHS": "使发炎(inflame的过去分词);使燃烧;使火红;激起" + }, + "survive": { + "CHS": "幸存;生还;幸免于;比活得长", + "ENG": "to continue to live after an accident, war, or illness" + }, + "orthodoxy": { + "CHS": "正统;正教;正统说法", + "ENG": "an idea or set of ideas that is accepted by most people to be correct and right" + }, + "apparent": { + "CHS": "显然的;表面上的", + "ENG": "seeming to have a particular feeling or attitude, although this may not be true" + }, + "inconsistent": { + "CHS": "不一致的;前后矛盾的", + "ENG": "two statements that are inconsistent cannot both be true" + }, + "demoralize": { + "CHS": "使道德败坏;使堕落;使士气低落", + "ENG": "If something demoralizes someone, it makes them lose so much confidence in what they are doing that they want to give up" + }, + "ruthless": { + "CHS": "无情的,残忍的", + "ENG": "so determined to get what you want that you do not care if you have to hurt other people in order to do it" + }, + "beginning": { + "CHS": "开始;创建(begin的ing形式)" + }, + "population": { + "CHS": "人口;[生物] 种群,[生物] 群体;全体居民", + "ENG": "the number of people living in a particular area, country etc" + }, + "porridge": { + "CHS": "服刑" + }, + "lavatory": { + "CHS": "厕所,盥洗室", + "ENG": "a toilet or the room a toilet is in" + }, + "larynx": { + "CHS": "[解剖] 喉;喉头", + "ENG": "the part in your throat where your voice is produced" + }, + "levity": { + "CHS": "多变;轻浮;轻率;不稳定", + "ENG": "lack of respect or seriousness when you are dealing with something serious" + }, + "siphon": { + "CHS": "通过虹吸管", + "ENG": "to remove liquid from a container by using a siphon" + }, + "frightening": { + "CHS": "令人恐惧的;引起突然惊恐的", + "ENG": "If something is frightening, it makes you feel afraid, anxious, or nervous" + }, + "fiddle": { + "CHS": "瞎搞;拉小提琴", + "ENG": "to play a violin " + }, + "provincial": { + "CHS": "粗野的人;乡下人;外地人" + }, + "video": { + "CHS": "录制", + "ENG": "to record a television programme, film, or a real event on a video" + }, + "taxation": { + "CHS": "课税,征税;税款", + "ENG": "the system of charging taxes" + }, + "grandson": { + "CHS": "孙子;外孙", + "ENG": "the son of your son or daughter" + }, + "interest": { + "CHS": "使……感兴趣;引起……的关心;使……参与", + "ENG": "to make someone want to pay attention to something and find out more about it" + }, + "hypercritical": { + "CHS": "吹毛求疵的,苛评的", + "ENG": "too eager to criticize other people and things, especially about small details" + }, + "imbalance": { + "CHS": "不平衡;不安定", + "ENG": "a lack of a fair or correct balance between two things, which results in problems or unfairness" + }, + "ingratiate": { + "CHS": "使迎合;使讨好;使逢迎", + "ENG": "If someone tries to ingratiate themselves with you, they do things to try and make you like them" + }, + "speck": { + "CHS": "使有斑点" + }, + "excuse": { + "CHS": "原谅;为…申辩;给…免去", + "ENG": "to forgive someone for doing something that is not seriously wrong, such as being rude or careless" + }, + "lilac": { + "CHS": "淡紫色的" + }, + "southward": { + "CHS": "朝南的方向" + }, + "dissolution": { + "CHS": "分解,溶解;(议会等的)解散;(契约等的)解除;死亡", + "ENG": "the act of breaking up an organization, institution etc so that it no longer exists" + }, + "synthesize": { + "CHS": "合成;综合", + "ENG": "to make something by combining different things or substances" + }, + "appraisal": { + "CHS": "评价;估价(尤指估价财产,以便征税);估计", + "ENG": "a statement or opinion judging the worth, value, or condition of something" + }, + "wick": { + "CHS": "依靠毛细作用带走" + }, + "certain": { + "CHS": "(Certain)人名;(葡)塞尔塔因;(法)塞尔坦" + }, + "taint": { + "CHS": "污点;感染", + "ENG": "the appearance of being related to something bad or morally wrong" + }, + "heartstring": { + "CHS": "心弦;内心深处的感情" + }, + "realization": { + "CHS": "实现;领悟", + "ENG": "when you understand something that you had not understood before" + }, + "artful": { + "CHS": "巧妙的;狡猾的;有技巧的;欺诈的", + "ENG": "clever at deceiving people" + }, + "restless": { + "CHS": "焦躁不安的;不安宁的;得不到满足的", + "ENG": "unwilling to keep still or stay where you are, especially because you are nervous or bored" + }, + "short": { + "CHS": "不足;突然;唐突地", + "ENG": "to almost do something but then decide not to do it" + }, + "create": { + "CHS": "创造,创作;造成", + "ENG": "to make something exist that did not exist before" + }, + "reveal": { + "CHS": "揭露;暴露;门侧,窗侧" + }, + "vain": { + "CHS": "徒劳的;自负的;无结果的;无用的", + "ENG": "someone who is vain is too proud of their good looks, abilities, or position – used to show disapproval" + }, + "vicarious": { + "CHS": "替代的;代理的;发同感的" + }, + "horrendous": { + "CHS": "可怕的;惊人的", + "ENG": "frightening and terrible" + }, + "expertise": { + "CHS": "专门知识;专门技术;专家的意见", + "ENG": "special skills or knowledge in a particular subject, that you learn by experience or training" + }, + "arm": { + "CHS": "武装起来", + "ENG": "to provide weapons for yourself, an army, a country etc in order to prepare for a fight or a war" + }, + "forthwith": { + "CHS": "立刻,立即;不犹豫地", + "ENG": "immediately" + }, + "policeman": { + "CHS": "警察,警员;[分化] 淀帚(橡皮头玻璃搅棒)", + "ENG": "A policeman is a man who is a member of the police force" + }, + "valid": { + "CHS": "有效的;有根据的;合法的;正当的", + "ENG": "a valid ticket, document, or agreement is legally or officially acceptable" + }, + "cigar": { + "CHS": "雪茄", + "ENG": "a thick tube-shaped thing that people smoke, and which is made from tobacco leaves that have been rolled up" + }, + "embassy": { + "CHS": "大使馆;大使馆全体人员", + "ENG": "a group of officials who represent their government in a foreign country, or the building they work in" + }, + "appetite": { + "CHS": "食欲;嗜好", + "ENG": "a desire for food" + }, + "nag": { + "CHS": "使烦恼;不断地唠叨", + "ENG": "to keep asking someone to do something, or to keep complaining to someone about their behaviour, in an annoying way" + }, + "hinge": { + "CHS": "用铰链连接;依…为转移;给…安装铰链;(门等)装有蝶铰", + "ENG": "to attach something, using a hinge" + }, + "snigger": { + "CHS": "吃吃窃笑;暗笑", + "ENG": "to laugh quietly in a way that is not nice at something which is not supposed to be funny" + }, + "forever": { + "CHS": "永远;不断地;常常", + "ENG": "for all future time" + }, + "auction": { + "CHS": "拍卖", + "ENG": "a public meeting where land, buildings, paintings etc are sold to the person who offers the most money for them" + }, + "particular": { + "CHS": "详细说明;个别项目", + "ENG": "the facts and details about a job, property, legal case etc" + }, + "gibberish": { + "CHS": "乱语;快速而不清楚的言语", + "ENG": "If you describe someone's words or ideas as gibberish, you mean that they do not make any sense" + }, + "April": { + "CHS": "四月", + "ENG": "the fourth month of the year, between March and May" + }, + "divert": { + "CHS": "(Divert)人名;(法)迪韦尔" + }, + "forceful": { + "CHS": "强有力的;有说服力的;坚强的", + "ENG": "a forceful person expresses their opinions very strongly and clearly and people are easily persuaded by them" + }, + "enrich": { + "CHS": "(Enrich)人名;(西)恩里奇" + }, + "satire": { + "CHS": "讽刺;讽刺文学,讽刺作品", + "ENG": "a way of criticizing something such as a group of people or a system, in which you deliberately make them seem funny so that people will see their faults" + }, + "intersection": { + "CHS": "交叉;十字路口;交集;交叉点", + "ENG": "a place where roads, lines etc cross each other, especially where two roads meet" + }, + "laugh": { + "CHS": "笑", + "ENG": "to make sounds with your voice, usually while you are smiling, because you think something is funny" + }, + "thank": { + "CHS": "谢谢", + "ENG": "When you express your thanks to someone, you express your gratitude to them for something" + }, + "pinch": { + "CHS": "匮乏;少量;夹痛" + }, + "earache": { + "CHS": "耳朵痛,耳痛", + "ENG": "a pain inside your ear" + }, + "electioneering": { + "CHS": "从事选举活动(electioneer的ing形式)" + }, + "deposition": { + "CHS": "沉积物;矿床;革职;[律](在法庭上的)宣誓作证,证词", + "ENG": "the natural process of depositing a substance on rocks or soil" + }, + "ascetic": { + "CHS": "苦行者;禁欲者", + "ENG": "An ascetic is someone who is ascetic" + }, + "sash": { + "CHS": "系上腰带;装以窗框", + "ENG": "to furnish with a sash, sashes, or sash windows " + }, + "envious": { + "CHS": "羡慕的;嫉妒的", + "ENG": "wanting something that someone else has" + }, + "why": { + "CHS": "为什么", + "ENG": "used to ask or talk about the reason for something" + }, + "forth": { + "CHS": "(Forth)人名;(德)福特;(英)福思" + }, + "gas": { + "CHS": "加油;毒(死)" + }, + "triangle": { + "CHS": "三角(形);三角关系;三角形之物;三人一组", + "ENG": "a flat shape with three straight sides and three angles" + }, + "megaphone": { + "CHS": "用扩音器传达" + }, + "savour": { + "CHS": "滋味;风味", + "ENG": "a pleasant taste or smell" + }, + "rip": { + "CHS": "裂口,裂缝", + "ENG": "a long tear or cut" + }, + "regard": { + "CHS": "注重,考虑;看待;尊敬;把…看作;与…有关", + "ENG": "to think about someone or something in a particular way" + }, + "pleased": { + "CHS": "满意;愿意(please的过去分词形式)" + }, + "immobile": { + "CHS": "固定的;稳定的;不变的", + "ENG": "not moving at all" + }, + "sexy": { + "CHS": "性感的;迷人的;色情的", + "ENG": "sexually exciting or sexually attractive" + }, + "shit": { + "CHS": "狗屁;呸", + "ENG": "used to express anger, annoyance, fear, or disappointment" + }, + "sprint": { + "CHS": "冲刺;短跑", + "ENG": "a short race in which the runners, riders, swimmers etc move very fast over a short distance" + }, + "much": { + "CHS": "许多,大量" + }, + "prove": { + "CHS": "证明;检验;显示", + "ENG": "to show that something is true by providing facts, information etc" + }, + "methodology": { + "CHS": "方法学,方法论", + "ENG": "A methodology is a system of methods and principles for doing something, for example for teaching or for carrying out research" + }, + "imaginative": { + "CHS": "富于想象的;有创造力的", + "ENG": "containing new and interesting ideas" + }, + "insured": { + "CHS": "确保;给…保险(insure的过去式和过去分词)" + }, + "can": { + "CHS": "罐头; (用金属或塑料制作的)容器; (马口铁或其他金属制作的)食品罐头", + "ENG": "a metal container in which food or drink is preserved without air" + }, + "bless": { + "CHS": "(Bless)人名;(英、意、德、匈)布莱斯" + }, + "normal": { + "CHS": "正常;标准;常态", + "ENG": "the usual state, level, or amount" + }, + "most": { + "CHS": "大部分,大多数", + "ENG": "nearly all of the people or things in a group, or nearly all of something" + }, + "cramp": { + "CHS": "狭窄的;难解的;受限制的" + }, + "ludicrous": { + "CHS": "滑稽的;荒唐的", + "ENG": "completely unreasonable, stupid, or wrong" + }, + "slander": { + "CHS": "诽谤;中伤", + "ENG": "a false spoken statement about someone, intended to damage the good opinion that people have of that person" + }, + "comfort": { + "CHS": "安慰;使(痛苦等)缓和", + "ENG": "to make someone feel less worried, unhappy, or upset, for example by saying kind things to them or touching them" + }, + "segregate": { + "CHS": "使隔离;使分离;在…实行种族隔离", + "ENG": "to separate one group of people from others, especially because they are of a different race, sex, or religion" + }, + "ah": { + "CHS": "(Ah)人名;(中)亚(广东话·威妥玛);(缅)阿" + }, + "precision": { + "CHS": "精密的,精确的", + "ENG": "made or done in a very exact way" + }, + "drench": { + "CHS": "滂沱大雨;浸液" + }, + "typewriter": { + "CHS": "打字机", + "ENG": "a machine with keys that you press in order to print letters of the alphabet onto paper" + }, + "horseback": { + "CHS": "性急的;草率的;未经充分考虑的" + }, + "instead": { + "CHS": "代替;反而;相反", + "ENG": "used to say what is not used, does not happen etc, when something else is used, happens etc" + }, + "clear": { + "CHS": "清除;空隙" + }, + "nickel": { + "CHS": "镀镍于" + }, + "bustle": { + "CHS": "喧闹;活跃;裙撑;热闹的活动", + "ENG": "busy and usually noisy activity" + }, + "nostril": { + "CHS": "鼻孔", + "ENG": "one of the two holes at the end of your nose, through which you breathe and smell things" + }, + "cheese": { + "CHS": "叛变的;胆小的" + }, + "dictator": { + "CHS": "独裁者;命令者", + "ENG": "a ruler who has complete power over a country, especially one whose power has been gained by force" + }, + "once": { + "CHS": "一次,一回", + "ENG": "from the time when something happens" + }, + "whiff": { + "CHS": "一点点;单人小划艇;琴鲆属鱼;吸气或吹气" + }, + "substitute": { + "CHS": "替代", + "ENG": "to use something new or diffe-rent instead of something else" + }, + "accent": { + "CHS": "强调;重读;带…口音讲话", + "ENG": "to make something more noticeable so that people will pay attention to it" + }, + "elated": { + "CHS": "使兴奋(elate的过去式和过去分词)" + }, + "resentful": { + "CHS": "充满忿恨的;厌恶的", + "ENG": "feeling angry and upset about something that you think is unfair" + }, + "ride": { + "CHS": "骑;乘坐;交通工具;可供骑行的路;(乘坐汽车等的)旅行;乘骑;(乘车或骑车的)短途旅程;供乘骑的游乐设施", + "ENG": "a journey in a vehicle, when you are not driving" + }, + "scorching": { + "CHS": "把…烧焦;严厉批评;切割;过早硫化(scorch的ing形式)" + }, + "wedge": { + "CHS": "楔子;楔形物;导致分裂的东西", + "ENG": "a piece of wood, metal etc that has one thick edge and one pointed edge and is used especially for keeping a door open or for splitting wood" + }, + "uncanny": { + "CHS": "神秘的;离奇的;可怕的", + "ENG": "very strange and difficult to explain" + }, + "hardboard": { + "CHS": "硬纸板", + "ENG": "a material made from small pieces of wood pressed together" + }, + "underwater": { + "CHS": "水下" + }, + "racism": { + "CHS": "种族主义,种族歧视;人种偏见", + "ENG": "unfair treatment of people, or violence against them, because they belong to a different race from your own" + }, + "awareness": { + "CHS": "意识,认识;明白,知道", + "ENG": "knowledge or understanding of a particular subject or situation" + }, + "occidental": { + "CHS": "西方的;西洋的", + "ENG": "Occidental means relating to the countries of Europe and North and South America" + }, + "elaborate": { + "CHS": "精心制作;详细阐述;从简单成分合成(复杂有机物)", + "ENG": "to give more details or new information about something" + }, + "womanly": { + "CHS": "像女人地;适合于妇女地" + }, + "speech": { + "CHS": "演讲;讲话;[语] 语音;演说", + "ENG": "a talk, especially a formal one about a particular subject, given to a group of people" + }, + "liberation": { + "CHS": "释放,解放" + }, + "exasperate": { + "CHS": "恶化;使恼怒;激怒", + "ENG": "to make someone very annoyed by continuing to do something that upsets them" + }, + "treachery": { + "CHS": "背叛;变节;背叛行为", + "ENG": "behaviour in which someone is not loyal to a person who trusts them, especially when this behaviour helps that person’s enemies" + }, + "galaxy": { + "CHS": "银河;[天] 星系;银河系;一群显赫的人", + "ENG": "one of the large groups of stars that make up the universe" + }, + "downfall": { + "CHS": "垮台;衰败;落下;大雨", + "ENG": "complete loss of your money, moral standards, social position etc, or the sudden failure of an organization" + }, + "adjourn": { + "CHS": "休会;延期;换地方", + "ENG": "to finish an activity and go somewhere – often used humorously" + }, + "keyboard": { + "CHS": "键入;用键盘式排字机排字", + "ENG": "to put information into a computer, using a keyboard" + }, + "insulation": { + "CHS": "绝缘;隔离,孤立", + "ENG": "when something is insulated or someone insulates something" + }, + "comprehensible": { + "CHS": "可理解的", + "ENG": "easy to understand" + }, + "horseplay": { + "CHS": "动手脚和大声欢笑的玩闹;恶作剧" + }, + "autobiography": { + "CHS": "自传;自传文学", + "ENG": "a book in which someone writes about their own life, or books of this type" + }, + "extradite": { + "CHS": "引渡;获取…的引渡", + "ENG": "to use a legal process to send someone who may be guilty of a crime back to the country where the crime happened in order to judge them in a court of law" + }, + "medical": { + "CHS": "医生;体格检查", + "ENG": "an examination of your body by a doctor to see if you are healthy" + }, + "detective": { + "CHS": "侦探", + "ENG": "a police officer whose job is to discover information about crimes and catch criminals" + }, + "collaborate": { + "CHS": "合作;勾结,通敌", + "ENG": "to work together with a person or group in order to achieve something, especially in science or art" + }, + "destruction": { + "CHS": "破坏,毁灭;摧毁", + "ENG": "the act or process of destroying something or of being destroyed" + }, + "tornado": { + "CHS": "[气象] 龙卷风;旋风;暴风;大雷雨", + "ENG": "an extremely violent storm consisting of air that spins very quickly and causes a lot of damage" + }, + "Israel": { + "CHS": "以色列(亚洲国家);犹太人,以色列人" + }, + "baffle": { + "CHS": "挡板;困惑" + }, + "shrimp": { + "CHS": "有虾的;虾制的" + }, + "via": { + "CHS": "渠道,通过;经由", + "ENG": "travelling through a place on the way to another place" + }, + "kiosk": { + "CHS": "【网络】自助服务终端;一体机;Kiosk (KDE);小卖部" + }, + "painful": { + "CHS": "痛苦的;疼痛的;令人不快的", + "ENG": "if a part of your body is painful, it hurts" + }, + "spit": { + "CHS": "唾液", + "ENG": "the watery liquid that is produced in your mouth" + }, + "rucksack": { + "CHS": "帆布背包", + "ENG": "a bag used for carrying things on your back, especially by people on long walks" + }, + "antelope": { + "CHS": "羚羊;羚羊皮革", + "ENG": "an animal with long horns that can run very fast and is very graceful" + }, + "definitive": { + "CHS": "决定性的;最后的;限定的", + "ENG": "a definitive agreement, statement etc is one that will not be changed" + }, + "shout": { + "CHS": "呼喊;呼叫", + "ENG": "a loud call expressing anger, pain, excitement etc" + }, + "fatigue": { + "CHS": "疲劳的" + }, + "saying": { + "CHS": "说(say的ing形式)" + }, + "spring": { + "CHS": "生长;涌出;跃出;裂开" + }, + "accompaniment": { + "CHS": "伴奏;伴随物", + "ENG": "music that is played in the background at the same time as another instrument or singer that plays or sings the main tune" + }, + "smokestack": { + "CHS": "低技术制造业的;大工厂的" + }, + "aboard": { + "CHS": "在…上", + "ENG": "on or onto a ship, plane, or train" + }, + "unpack": { + "CHS": "卸下…;解除…的负担" + }, + "opening": { + "CHS": "开放(open的ing形式);打开;公开" + }, + "firefighter": { + "CHS": "消防队员", + "ENG": "someone whose job is to stop fires burning" + }, + "knowhow": { + "CHS": "诀窍,技巧;情报;实际的能力;专门技术" + }, + "deteriorate": { + "CHS": "恶化,变坏", + "ENG": "to become worse" + }, + "expound": { + "CHS": "解释;详细说明", + "ENG": "to explain or talk about something in detail" + }, + "vile": { + "CHS": "(Vile)人名;(英)瓦伊尔;(芬)维莱" + }, + "scatter": { + "CHS": "分散;散播,撒播" + }, + "juncture": { + "CHS": "接缝;连接;接合" + }, + "comet": { + "CHS": "[天] 彗星", + "ENG": "an object in space like a bright ball with a long tail, that moves around the sun" + }, + "ago": { + "CHS": "(Ago)人名;(英、西、意、塞、瑞典)阿戈" + }, + "hypocrisy": { + "CHS": "虚伪;伪善", + "ENG": "when someone pretends to have certain beliefs or opinions that they do not really have – used to show disapproval" + }, + "kowtow": { + "CHS": "叩头" + }, + "seek": { + "CHS": "寻求;寻找;探索;搜索", + "ENG": "to try to achieve or get something" + }, + "improper": { + "CHS": "不正确的,错误的;不适当的;不合礼仪的", + "ENG": "dishonest, illegal, or morally wrong" + }, + "meticulous": { + "CHS": "一丝不苟的;小心翼翼的;拘泥小节的", + "ENG": "very careful about small details, and always making sure that everything is done correctly" + }, + "physiology": { + "CHS": "生理学;生理机能", + "ENG": "the science that studies the way in which the bodies of living things work" + }, + "continuum": { + "CHS": "[数] 连续统;[经] 连续统一体;闭联集", + "ENG": "a scale of related things on which each one is only slightly different from the one before" + }, + "January": { + "CHS": "一月", + "ENG": "the first month of the year, between December and February" + }, + "withstand": { + "CHS": "抵挡;禁得起;反抗", + "ENG": "to defend yourself successfully against people who attack, criticize, or oppose you" + }, + "kidnapper": { + "CHS": "绑匪;诱拐者" + }, + "inception": { + "CHS": "起初;获得学位" + }, + "apply": { + "CHS": "申请;涂,敷;应用", + "ENG": "to make a formal request, usually written, for something such as a job, a place at a university, or permission to do something" + }, + "pumpkin": { + "CHS": "南瓜", + "ENG": "a very large orange fruit that grows on the ground, or the inside of this fruit" + }, + "hydroxide": { + "CHS": "[无化] 氢氧化物;羟化物", + "ENG": "a chemical compound that contains an oxygen atom combined with a hydrogen atom" + }, + "sickening": { + "CHS": "令人厌恶的;患病的", + "ENG": "very shocking, annoying, or upsetting" + }, + "round": { + "CHS": "附近;绕过;大约;在…周围" + }, + "farewell": { + "CHS": "告别的" + }, + "chromosome": { + "CHS": "[遗][细胞][染料] 染色体(形容词chromosomal,副词chromosomally)", + "ENG": "a part of every living cell that is shaped like a thread and contains the gene s that control the size, shape etc that a plant or animal has" + }, + "inexhaustible": { + "CHS": "用不完的;不知疲倦的", + "ENG": "something that is inexhaustible exists in such large amounts that it can never be finished or used up" + }, + "scythe": { + "CHS": "用大镰刀割", + "ENG": "to cut with a scythe" + }, + "Hebrew": { + "CHS": "希伯来人的;希伯来语的", + "ENG": "Hebrew means belonging to or relating to the Hebrew language or people" + }, + "quizzical": { + "CHS": "古怪的;引人发笑的;探询的;嘲弄的", + "ENG": "If you give someone a quizzical look or smile, you look at them in a way that shows that you are surprised or amused by their behaviour" + }, + "musk": { + "CHS": "麝香;麝香鹿;麝香香味", + "ENG": "a substance with a strong smell that is used to make perfume " + }, + "dowager": { + "CHS": "贵妇;继承亡夫爵位的遗孀;老年贵妇人", + "ENG": "a woman from a high social class who has land or a title from her dead husband" + }, + "brain": { + "CHS": "猛击…的头部", + "ENG": "to hit someone very hard on the head – used humorously" + }, + "humpback": { + "CHS": "驼背;座头鲸", + "ENG": "a humpback whale " + }, + "electronic": { + "CHS": "电子电路;电子器件" + }, + "orient": { + "CHS": "东方的" + }, + "prodigal": { + "CHS": "浪子;挥霍者", + "ENG": "someone who spends money carelessly and wastes their time – used humorously" + }, + "pour": { + "CHS": "灌,注;倒;倾泻;倾吐", + "ENG": "to make a liquid or other substance flow out of or into a container by holding it at an angle" + }, + "smug": { + "CHS": "书呆子;自命不凡的家伙" + }, + "deceit": { + "CHS": "欺骗;谎言;欺诈手段", + "ENG": "behaviour that is intended to make someone believe something that is not true" + }, + "trunk": { + "CHS": "干线的;躯干的;箱子的" + }, + "tractor": { + "CHS": "拖拉机;牵引机", + "ENG": "a strong vehicle with large wheels, used for pulling farm machinery" + }, + "production": { + "CHS": "成果;产品;生产;作品", + "ENG": "the process of making or growing things to be sold, especially in large quantities" + }, + "plague": { + "CHS": "折磨;使苦恼;使得灾祸", + "ENG": "to cause pain, suffering, or trouble to someone, especially for a long period of time" + }, + "outdated": { + "CHS": "使过时(outdate的过去式和过去分词)" + }, + "teens": { + "CHS": "十多岁,十几岁;青少年", + "ENG": "If you are a teen in your teens, you are between thirteen and nineteen years old. Teen is informal for teenager. " + }, + "Roman": { + "CHS": "罗马的;罗马人的", + "ENG": "relating to ancient Rome or the Roman Empire" + }, + "herb": { + "CHS": "香草,药草", + "ENG": "a small plant that is used to improve the taste of food, or to make medicine" + }, + "backbiting": { + "CHS": "背后诽谤;中伤(backbite的ing形式)" + }, + "diocese": { + "CHS": "主教教区", + "ENG": "the area under the control of a bishop in some Christian churches" + }, + "inheritance": { + "CHS": "继承;遗传;遗产", + "ENG": "money, property etc that you receive from someone who has died" + }, + "flare": { + "CHS": "加剧,恶化;底部展开;(鼻孔)张开的意思;闪光,闪耀;耀斑;爆发;照明弹" + }, + "fallacy": { + "CHS": "谬论,谬误", + "ENG": "a false idea or belief, especially one that a lot of people believe is true" + }, + "coarse": { + "CHS": "粗糙的;粗俗的;下等的", + "ENG": "having a rough surface that feels slightly hard" + }, + "infant": { + "CHS": "婴儿的;幼稚的;初期的;未成年的", + "ENG": "intended for babies or very young children" + }, + "staccato": { + "CHS": "不连贯地", + "ENG": "if music is played staccato, the notes are cut short" + }, + "allusion": { + "CHS": "暗示;提及", + "ENG": "something said or written that mentions a subject, person etc indirectly" + }, + "damp": { + "CHS": "潮湿的", + "ENG": "slightly wet, often in an unpleasant way" + }, + "afoot": { + "CHS": "在进行中,在准备中" + }, + "quiz": { + "CHS": "挖苦;张望;对…进行测验" + }, + "ecosystem": { + "CHS": "生态系统", + "ENG": "all the animals and plants in a particular area, and the way in which they are related to each other and to their environment" + }, + "deplete": { + "CHS": "耗尽,用尽;使衰竭,使空虚", + "ENG": "To deplete a stock or amount of something means to reduce it" + }, + "frequency": { + "CHS": "频率;频繁", + "ENG": "the number of times that something happens within a particular period of time or within a particular group of people" + }, + "debris": { + "CHS": "碎片,残骸", + "ENG": "the pieces of something that are left after it has been destroyed in an accident, explosion etc" + }, + "unfathomable": { + "CHS": "深不可测的;无底的;莫测高深的", + "ENG": "too strange or mysterious to be understood" + }, + "catchy": { + "CHS": "引人注意的;容易记住的;易使人上当的", + "ENG": "a catchy tune or phrase is easy to remember" + }, + "mustard": { + "CHS": "芥末;芥菜;深黄色;强烈的兴趣", + "ENG": "a yellow sauce with a strong taste, eaten especially with meat" + }, + "practicality": { + "CHS": "实用性,实际性;实际,实例", + "ENG": "how suitable something is, or whether it will work" + }, + "scrawl": { + "CHS": "潦草的笔迹", + "ENG": "untidy, careless writing" + }, + "linguistics": { + "CHS": "语言学", + "ENG": "the study of language in general and of particular languages, their structure, grammar, and history" + }, + "dark": { + "CHS": "黑暗;夜;黄昏;模糊", + "ENG": "when there is no light, especially because the sun has gone down" + }, + "tend": { + "CHS": "趋向,倾向;照料,照顾", + "ENG": "to look after someone or something" + }, + "investigator": { + "CHS": "研究者;调查者;侦查员", + "ENG": "someone who investigates things, especially crimes" + }, + "candy": { + "CHS": "新潮的(服饰);甜言蜜语的" + }, + "applaud": { + "CHS": "赞同;称赞;向…喝彩", + "ENG": "to express strong approval of an idea, plan etc" + }, + "metric": { + "CHS": "度量标准" + }, + "fitful": { + "CHS": "一阵阵的;断断续续的;不规则的;间歇的", + "ENG": "not regular, and starting and stopping often" + }, + "capture": { + "CHS": "捕获;战利品,俘虏", + "ENG": "when you catch someone in order to make them a prisoner" + }, + "fly": { + "CHS": "敏捷的", + "ENG": "knowing and sharp; smart " + }, + "average": { + "CHS": "算出…的平均数;将…平均分配;使…平衡", + "ENG": "to usually do something or usually happen a particular number of times, or to usually be a particular size or amount" + }, + "wealthy": { + "CHS": "富人", + "ENG": "The wealthy are people who are wealthy" + }, + "detail": { + "CHS": "详述;选派", + "ENG": "to list things or give all the facts or information about something" + }, + "regiment": { + "CHS": "团;大量", + "ENG": "a large group of soldiers, usually consisting of several battalion s " + }, + "generative": { + "CHS": "生殖的;生产的;有生殖力的;有生产力的", + "ENG": "able to produce something" + }, + "Polish": { + "CHS": "波兰的", + "ENG": "relating to Poland, its people, or its language" + }, + "expression": { + "CHS": "表现,表示,表达;表情,脸色,态度,腔调,声调;式,符号;词句,语句,措辞,说法", + "ENG": "something you say, write, or do that shows what you think or feel" + }, + "affront": { + "CHS": "轻蔑;公开侮辱", + "ENG": "a remark or action that offends or insults someone" + }, + "heath": { + "CHS": "杜鹃花科木本植物的" + }, + "mar": { + "CHS": "污点;瑕疵" + }, + "waste": { + "CHS": "废弃的;多余的;荒芜的", + "ENG": "waste materials, substances etc are unwanted because the good part of them has been removed" + }, + "subtlety": { + "CHS": "微妙;敏锐;精明", + "ENG": "the quality that something has when it has been done in a clever or skilful way, with careful attention to small details" + }, + "perk": { + "CHS": "小费;额外收入", + "ENG": "something that you get legally from your work in addition to your wages, such as goods, meals, or a car" + }, + "marking": { + "CHS": "注意;作记号于;给…打分数(mark的ing形式)" + }, + "afford": { + "CHS": "(Afford)人名;(英)阿福德" + }, + "pragmatic": { + "CHS": "实际的;实用主义的;国事的", + "ENG": "dealing with problems in a sensible practical way instead of strictly following a set of ideas" + }, + "residual": { + "CHS": "剩余的;残留的", + "ENG": "remaining after a process, event etc is finished" + }, + "usher": { + "CHS": "引导,招待;迎接;开辟", + "ENG": "to help someone to get from one place to another, especially by showing them the way" + }, + "plot": { + "CHS": "密谋;绘图;划分;标绘", + "ENG": "to make a secret plan to harm a person or organization, especially a political leader or government" + }, + "consume": { + "CHS": "消耗,消费;使…著迷;挥霍", + "ENG": "to use time, energy, goods etc" + }, + "hitherto": { + "CHS": "迄今;至今", + "ENG": "up to this time" + }, + "starvation": { + "CHS": "饿死;挨饿;绝食", + "ENG": "suffering or death caused by lack of food" + }, + "duct": { + "CHS": "用导管输送;以导管封住" + }, + "lease": { + "CHS": "出租;租得", + "ENG": "to use a building, car etc under a lease" + }, + "boom": { + "CHS": "繁荣;吊杆;隆隆声", + "ENG": "a quick increase of business activity" + }, + "ivy": { + "CHS": "常春藤", + "ENG": "a climbing plant with dark green shiny leaves" + }, + "oscillation": { + "CHS": "振荡;振动;摆动", + "ENG": "a regular movement of something from side to side" + }, + "addition": { + "CHS": "添加;[数] 加法;增加物", + "ENG": "the act of adding something to something else" + }, + "nonetheless": { + "CHS": "尽管如此,但是", + "ENG": "in spite of the fact that has just been mentioned" + }, + "cannery": { + "CHS": "罐头工厂", + "ENG": "a factory where food is put into cans" + }, + "complex": { + "CHS": "复合体;综合设施", + "ENG": "a large number of things which are closely related" + }, + "fermentation": { + "CHS": "发酵" + }, + "glisten": { + "CHS": "闪光,闪耀" + }, + "coastal": { + "CHS": "沿海的;海岸的", + "ENG": "in the sea or on the land near the coast" + }, + "jostle": { + "CHS": "推撞,挤拥" + }, + "flee": { + "CHS": "逃走;消失,消散", + "ENG": "to leave somewhere very quickly, in order to escape from danger" + }, + "coincide": { + "CHS": "一致,符合;同时发生", + "ENG": "to happen at the same time as something else, especially by chance" + }, + "egotism": { + "CHS": "自负;自我中心", + "ENG": "the belief that you are much better or more important than other people" + }, + "disseminate": { + "CHS": "宣传,传播;散布", + "ENG": "to spread information or ideas to as many people as possible" + }, + "dignitary": { + "CHS": "高位的;地位尊荣的" + }, + "periodic": { + "CHS": "周期的;定期的", + "ENG": "happening a number of times, usually at regular times" + }, + "overdose": { + "CHS": "药量过多(等于overdosage)", + "ENG": "too much of a drug taken at one time" + }, + "viscera": { + "CHS": "内脏;内容(viscus的复数)", + "ENG": "the large organs inside your body, such as your heart, lungs, and stomach" + }, + "pseudo": { + "CHS": "冒充的,假的", + "ENG": "not genuine; pretended " + }, + "off": { + "CHS": "远离的;空闲的" + }, + "grade": { + "CHS": "评分;把…分等级", + "ENG": "to say what level of a quality something has, or what standard it is" + }, + "transistor": { + "CHS": "晶体管(收音机)" + }, + "stump": { + "CHS": "砍伐;使为难;在…作巡回政治演说", + "ENG": "to travel around an area, meeting people and making speeches in order to gain political support" + }, + "treasure": { + "CHS": "珍爱;珍藏", + "ENG": "to keep and care for something that is very special, important, or valuable to you" + }, + "garden": { + "CHS": "栽培花木" + }, + "antipathy": { + "CHS": "反感;厌恶;憎恶;不相容", + "ENG": "a feeling of strong dislike towards someone or something" + }, + "quarter": { + "CHS": "四分之一", + "ENG": "one of four equal parts into which something can be divided" + }, + "diagram": { + "CHS": "用图解法表示", + "ENG": "to show or represent something in a diagram" + }, + "bravado": { + "CHS": "虚张声势;冒险", + "ENG": "behaviour that is deliberately intended to make other people believe you are brave and confident" + }, + "chick": { + "CHS": "胆小的;懦弱的" + }, + "suggestive": { + "CHS": "暗示的;提示的;影射的", + "ENG": "similar to something" + }, + "watershed": { + "CHS": "标志转折点的" + }, + "consulate": { + "CHS": "领事;领事馆;领事任期;领事职位", + "ENG": "the building in which a consul lives and works" + }, + "choke": { + "CHS": "窒息;噎;[动力] 阻气门", + "ENG": "a piece of equipment in a vehicle that controls the amount of air going into the engine, and that is used to help the engine start" + }, + "turbine": { + "CHS": "[动力] 涡轮;[动力] 涡轮机", + "ENG": "an engine or motor in which the pressure of a liquid or gas moves a special wheel around" + }, + "montage": { + "CHS": "蒙太奇(电影的基本结构手段和叙事方式);混合画,拼集的照片", + "ENG": "the process of making a whole picture, film, or piece of music or writing by combining parts of different pictures, films etc in an interesting and unusual way" + }, + "quip": { + "CHS": "嘲弄;讥讽" + }, + "pagan": { + "CHS": "异教徒;无宗教信仰者", + "ENG": "someone who believes in a pagan religion" + }, + "hunt": { + "CHS": "狩猎;搜寻", + "ENG": "an occasion when people chase animals in order to kill or catch them" + }, + "overflow": { + "CHS": "充满,洋溢;泛滥;超值;溢值" + }, + "sanatorium": { + "CHS": "疗养院;休养地", + "ENG": "a type of hospital for sick people who are getting better after a long illness but still need rest and a lot of care" + }, + "lyrical": { + "CHS": "抒情诗调的;感情丰富的;充满愉悦的", + "ENG": "beautifully expressed in words, poetry, or music" + }, + "hardworking": { + "CHS": "努力工作(hardwork的ing形式)" + }, + "gaol": { + "CHS": "监狱" + }, + "needy": { + "CHS": "(Needy)人名;(英)尼迪", + "ENG": "The needy are people who are needy" + }, + "criminal": { + "CHS": "刑事的;犯罪的;罪恶的", + "ENG": "relating to crime" + }, + "terrain": { + "CHS": "[地理] 地形,地势;领域;地带", + "ENG": "a particular type of land" + }, + "compressor": { + "CHS": "压缩机;压缩物;收缩肌;[医] 压迫器", + "ENG": "a machine or part of a machine that compresses air or gas" + }, + "notable": { + "CHS": "名人,显要人物" + }, + "recipe": { + "CHS": "食谱;[临床] 处方;秘诀;烹饪法", + "ENG": "a set of instructions for cooking a particular type of food" + }, + "perpetrator": { + "CHS": "犯罪者;作恶者;行凶者", + "ENG": "someone who does something morally wrong or illegal" + }, + "swathe": { + "CHS": "带子,绷带;包装品" + }, + "regret": { + "CHS": "后悔;惋惜;哀悼", + "ENG": "to feel sorry about something you have done and wish you had not done it" + }, + "jeans": { + "CHS": "牛仔裤;工装裤", + "ENG": "trousers made of denim(= a strong, usually blue, cotton cloth )" + }, + "after": { + "CHS": "以后的", + "ENG": "in the years after the time that has been mentioned" + }, + "sanitary": { + "CHS": "公共厕所" + }, + "brush": { + "CHS": "刷;画;", + "ENG": "to clean something or make something smooth and tidy using a brush" + }, + "rag": { + "CHS": "戏弄;责骂", + "ENG": "to laugh at someone or play tricks on them" + }, + "rush": { + "CHS": "使冲;突袭;匆忙地做;飞跃", + "ENG": "to attack a person or place suddenly and in a group" + }, + "impatience": { + "CHS": "急躁;无耐心", + "ENG": "annoyance at having to accept delays, other people’s weaknesses etc" + }, + "eccentric": { + "CHS": "古怪的人", + "ENG": "someone who behaves in a way that is different from what is usual or socially accepted" + }, + "posture": { + "CHS": "摆姿势" + }, + "juicy": { + "CHS": "多汁的;利润多的;生动的", + "ENG": "containing a lot of juice" + }, + "healthy": { + "CHS": "健康的,健全的;有益于健康的", + "ENG": "physically strong and not likely to become ill or weak" + }, + "literate": { + "CHS": "学者" + }, + "highbrow": { + "CHS": "卖弄知识的人;知识分子" + }, + "apace": { + "CHS": "飞快地,迅速地;急速地", + "ENG": "happening quickly" + }, + "speedometer": { + "CHS": "速度计;里程计", + "ENG": "an instrument in a vehicle that shows how fast it is going" + }, + "hereof": { + "CHS": "于此;关于此点", + "ENG": "of or concerning this " + }, + "residential": { + "CHS": "住宅的;与居住有关的", + "ENG": "a residential part of a town consists of private houses, with no offices or factories" + }, + "agreeable": { + "CHS": "令人愉快的;适合的;和蔼可亲的", + "ENG": "pleasant" + }, + "scold": { + "CHS": "责骂;爱责骂的人" + }, + "broaden": { + "CHS": "扩大,变阔;变宽,加宽", + "ENG": "to increase something such as your knowledge, experience, or range of activities" + }, + "tailplane": { + "CHS": "水平尾翼;水平安定面" + }, + "adopt": { + "CHS": "采取;接受;收养;正式通过", + "ENG": "to take someone else’s child into your home and legally become its parent" + }, + "reorient": { + "CHS": "使适应;再调整" + }, + "parenthesis": { + "CHS": "插入语,插入成分", + "ENG": "if you say something in parenthesis, you say it while you are talking about something else in order to add information or explain something" + }, + "irreverent": { + "CHS": "不敬的,无礼的", + "ENG": "someone who is irreverent does not show respect for organizations, customs, beliefs etc that most other people respect – often used to show approval" + }, + "import": { + "CHS": "输入,进口;含…的意思" + }, + "fixture": { + "CHS": "设备;固定装置;固定于某处不大可能移动之物", + "ENG": "a piece of equipment that is fixed inside a house or building and is sold as part of the house" + }, + "engagement": { + "CHS": "婚约;约会;交战;诺言", + "ENG": "an agreement between two people to marry, or the period of time they are engaged" + }, + "tool": { + "CHS": "使用工具;用机床装备工厂" + }, + "evaluation": { + "CHS": "评价;[审计] 评估;估价;求值", + "ENG": "a judgment about how good, useful, or successful something is" + }, + "funnel": { + "CHS": "通过漏斗或烟囱等;使成漏斗形" + }, + "undertake": { + "CHS": "承担,保证;从事;同意;试图", + "ENG": "to accept that you are responsible for a piece of work, and start to do it" + }, + "thermostat": { + "CHS": "为…配备恒温器;用恒温器控制" + }, + "fantastic": { + "CHS": "古怪的人" + }, + "door": { + "CHS": "门;家,户;门口;通道", + "ENG": "the large flat piece of wood, glass etc that you move when you go into or out of a building, room, vehicle etc, or when you open a cupboard" + }, + "symbolise": { + "CHS": "象征,代表(等于symbolize)" + }, + "imposition": { + "CHS": "征收;强加;欺骗;不公平的负担" + }, + "preservation": { + "CHS": "保存,保留", + "ENG": "when something is kept in its original state or in good condition" + }, + "involved": { + "CHS": "涉及;使参与;包含(involve的过去式和过去分词)" + }, + "ford": { + "CHS": "涉水而过", + "ENG": "If you ford a river or stream, you cross it without using a boat, usually at a shallow point" + }, + "cuckoo": { + "CHS": "学杜鹃叫" + }, + "grab": { + "CHS": "攫取;霸占;夺取之物", + "ENG": "to suddenly try to take hold of something" + }, + "heartbreak": { + "CHS": "心碎;伤心事", + "ENG": "great sadness or disappointment" + }, + "homeless": { + "CHS": "无家可归的", + "ENG": "without a home" + }, + "par": { + "CHS": "标准的;票面的" + }, + "progressive": { + "CHS": "改革论者;进步分子", + "ENG": "A progressive is someone who is progressive" + }, + "admonish": { + "CHS": "告诫;劝告", + "ENG": "to tell someone severely that they have done something wrong" + }, + "decorous": { + "CHS": "有礼貌的,高雅的;端正的", + "ENG": "having the correct appearance or behaviour for a particular occasion" + }, + "assumption": { + "CHS": "假定;设想;担任;采取", + "ENG": "something that you think is true although you have no definite proof" + }, + "innocent": { + "CHS": "天真的人;笨蛋", + "ENG": "An innocent is someone who is innocent" + }, + "childhood": { + "CHS": "童年时期;幼年时代", + "ENG": "the period of time when you are a child" + }, + "humour": { + "CHS": "迁就;使满足", + "ENG": "to do what someone wants or to pretend to agree with them so that they do not become upset" + }, + "heredity": { + "CHS": "遗传,遗传性", + "ENG": "the process by which mental and physical qualities are passed from a parent to a child before the child is born" + }, + "vagabond": { + "CHS": "到处流浪" + }, + "erode": { + "CHS": "腐蚀,侵蚀", + "ENG": "if the weather erodes rock or soil, or if rock or soil erodes, its surface is gradually destroyed" + }, + "satellite": { + "CHS": "卫星;人造卫星;随从;卫星国家", + "ENG": "a machine that has been sent into space and goes around the Earth, moon etc, used for radio, television, and other electronic communication" + }, + "electrode": { + "CHS": "顽皮雷弹" + }, + "establish": { + "CHS": "建立;创办;安置", + "ENG": "to start a company, organization, system, etc that is intended to exist or continue for a long time" + }, + "layman": { + "CHS": "外行;门外汉;俗人;一般信徒", + "ENG": "someone who is not trained in a particular subject or type of work, especially when they are being compared with someone who is" + }, + "shutter": { + "CHS": "为…装百叶窗;以百叶窗遮闭" + }, + "auspicious": { + "CHS": "吉兆的,吉利的;幸运的", + "ENG": "showing that something is likely to be successful" + }, + "rewrite": { + "CHS": "重写或改写的文稿;改写的作品" + }, + "blurb": { + "CHS": "夸大;大肆宣传" + }, + "deck": { + "CHS": "装饰;装甲板;打扮", + "ENG": "to decorate something with flowers, flags etc" + }, + "salmon": { + "CHS": "浅澄色的" + }, + "Thursday": { + "CHS": "星期四", + "ENG": "the day between Wednesday and Friday" + }, + "undermine": { + "CHS": "破坏,渐渐破坏;挖掘地基", + "ENG": "If you undermine someone's efforts or undermine their chances of achieving something, you behave in a way that makes them less likely to succeed" + }, + "blister": { + "CHS": "使起水泡;痛打;猛烈抨击", + "ENG": "to develop blisters, or make blisters form" + }, + "buddy": { + "CHS": "做好朋友,交朋友" + }, + "inquiring": { + "CHS": "调查(inquire的ing形式);打听" + }, + "motherland": { + "CHS": "祖国;母国", + "ENG": "someone’s motherland is the country where they were born and to which they feel a strong emotional connection" + }, + "individualism": { + "CHS": "个人主义;利己主义;个人特征", + "ENG": "the belief that the rights and freedom of individual people are the most important rights in a society" + }, + "dice": { + "CHS": "骰子", + "ENG": "a small block of wood, plastic etc that has six sides with a different number of spots on each side, used in games" + }, + "mainspring": { + "CHS": "主要动力;(钟表)主发条;主要原因;主要动机", + "ENG": "the most important reason or influence that makes something happen" + }, + "slow": { + "CHS": "(Slow)人名;(英)斯洛" + }, + "starboard": { + "CHS": "右舷的", + "ENG": "The starboard side of a ship or an aircraft is the right side when you are on it and facing toward the front" + }, + "pants": { + "CHS": "裤子", + "ENG": "a piece of clothing that covers you from your waist to your feet and has a separate part for each leg" + }, + "fractious": { + "CHS": "易怒的;倔强的,难以对待的", + "ENG": "someone who is fractious becomes angry very easily" + }, + "destined": { + "CHS": "注定(destine的过去式和过去分词)" + }, + "lukewarm": { + "CHS": "冷淡的;微温的;不够热心的", + "ENG": "food, liquid etc that is lukewarm is slightly warm and often not as hot or cold as it should be" + }, + "appearance": { + "CHS": "外貌,外观;出现,露面", + "ENG": "the way someone or something looks to other people" + }, + "complete": { + "CHS": "完成", + "ENG": "to finish doing or making something, especially when it has taken a long time" + }, + "discord": { + "CHS": "不一致;刺耳" + }, + "crumble": { + "CHS": "面包屑" + }, + "transcend": { + "CHS": "胜过,超越", + "ENG": "to go beyond the usual limits of something" + }, + "overweight": { + "CHS": "超重" + }, + "dumb": { + "CHS": "哑的,无说话能力的;不说话的,无声音的", + "ENG": "unable to speak, because you are angry, surprised, shocked etc" + }, + "kit": { + "CHS": "装备" + }, + "generosity": { + "CHS": "慷慨,大方;宽宏大量", + "ENG": "a generous attitude, or generous behaviour" + }, + "birthrate": { + "CHS": "出生率", + "ENG": "the number of births for every 100 or every 1,000 people in a particular year in a particular place" + }, + "succulent": { + "CHS": "肉质植物;多汁植物", + "ENG": "a plant such as a cactus , that has thick soft leaves or stems that can hold a lot of liquid" + }, + "chart": { + "CHS": "绘制…的图表;在海图上标出;详细计划;记录;记述;跟踪(进展或发展", + "ENG": "to record information about a situation or set of events over a period of time, in order to see how it changes or develops" + }, + "figure": { + "CHS": "计算;出现;扮演角色", + "ENG": "to be an important part of a process, event, or situation, or to be included in something" + }, + "ignite": { + "CHS": "点燃;使燃烧;使激动", + "ENG": "to start burning, or to make something start burning" + }, + "baker": { + "CHS": "面包师;面包工人;(便携式)烘炉", + "ENG": "someone who bakes bread and cakes, especially in order to sell them in a shop" + }, + "scathing": { + "CHS": "损伤;伤害(scathe的ing形式)" + }, + "week": { + "CHS": "周,星期", + "ENG": "a period of seven days and nights, usually measured in Britain from Monday to Sunday and in the US from Sunday to Saturday" + }, + "centigrade": { + "CHS": "摄氏的;[仪] 摄氏温度的;百分度的", + "ENG": "Centigrade is a scale for measuring temperature, in which water freezes at 0 degrees and boils at 100 degrees. It is represented by the symbol °C. " + }, + "enterprise": { + "CHS": "企业;事业;进取心;事业心", + "ENG": "a company, organization, or business" + }, + "crag": { + "CHS": "峭壁;岩石碎块;颈;嗉囊", + "ENG": "a high and very steep rough rock or mass of rocks" + }, + "headwind": { + "CHS": "逆风;顶头风", + "ENG": "a wind that blows directly towards you when you are moving" + }, + "bulldozer": { + "CHS": "推土机;欺凌者,威吓者", + "ENG": "a powerful vehicle with a broad metal blade, used for moving earth and rocks, destroying buildings etc" + }, + "jar": { + "CHS": "冲突;不一致;震惊;发刺耳声", + "ENG": "If an object jars, or if something jars it, the object moves with a fairly hard shaking movement" + }, + "persimmon": { + "CHS": "柿子;柿子树", + "ENG": "a soft orange-coloured fruit that grows in hot countries" + }, + "haversack": { + "CHS": "干粮袋;背袋", + "ENG": "a bag that you carry on your back" + }, + "escalator": { + "CHS": "(美)自动扶梯;电动扶梯", + "ENG": "a set of moving stairs that take people to different levels in a building" + }, + "lexicography": { + "CHS": "词典编纂", + "ENG": "the skill, practice, or profession of writing dictionaries" + }, + "reservist": { + "CHS": "在乡军人;后备军人", + "ENG": "someone in the reserve " + }, + "fist": { + "CHS": "紧握;握成拳;用拳打" + }, + "annual": { + "CHS": "年刊,年鉴;一年生植物", + "ENG": "a plant that lives for one year or season" + }, + "forwards": { + "CHS": "向前;今后" + }, + "grandfather": { + "CHS": "不受新规定限制" + }, + "bomber": { + "CHS": "轰炸机;投弹手", + "ENG": "a plane that carries and drops bombs" + }, + "dissolve": { + "CHS": "叠化画面;画面的溶暗" + }, + "triangular": { + "CHS": "三角的,[数] 三角形的;三人间的", + "ENG": "shaped like a triangle" + }, + "everyone": { + "CHS": "每个人", + "ENG": "every person" + }, + "metabolism": { + "CHS": "[生理] 新陈代谢", + "ENG": "the chemical processes by which food is changed into energy in your body" + }, + "sparrow": { + "CHS": "麻雀;矮小的人", + "ENG": "a small brown bird, very common in many parts of the world" + }, + "pleasing": { + "CHS": "取悦(please的现在分词)" + }, + "signal": { + "CHS": "显著的;作为信号的" + }, + "hallmark": { + "CHS": "给…盖上品质证明印记;使具有…标志", + "ENG": "to put a hallmark on silver, gold, or platinum" + }, + "conscript": { + "CHS": "被征召的" + }, + "script": { + "CHS": "把…改编为剧本", + "ENG": "The person who scripts a movie or a radio or television play writes it" + }, + "complacency": { + "CHS": "自满;满足;自鸣得意", + "ENG": "a feeling of satisfaction with a situation or with what you have achieved, so that you stop trying to improve or change things – used to show disapproval" + }, + "ruin": { + "CHS": "毁灭;使破产", + "ENG": "to make someone lose all their money" + }, + "genuine": { + "CHS": "真实的,真正的;诚恳的", + "ENG": "a genuine feeling, desire etc is one that you really feel, not one you pretend to feel" + }, + "separate": { + "CHS": "分开;抽印本" + }, + "topographer": { + "CHS": "地形学者;地志学者" + }, + "hatred": { + "CHS": "憎恨;怨恨;敌意", + "ENG": "an angry feeling of extreme dislike for someone or something" + }, + "indirect": { + "CHS": "间接的;迂回的;非直截了当的", + "ENG": "not directly caused by something" + }, + "ambivalent": { + "CHS": "矛盾的;好恶相克的", + "ENG": "not sure whether you want or like something or not" + }, + "rainfall": { + "CHS": "降雨;降雨量", + "ENG": "the amount of rain that falls on an area in a particular period of time" + }, + "disagreement": { + "CHS": "不一致;争论;意见不同", + "ENG": "a situation in which people express different opinions about something and sometimes argue" + }, + "sweat": { + "CHS": "汗;水珠;焦急;苦差使", + "ENG": "drops of salty liquid that come out through your skin when you are hot, frightened, ill, or doing exercise" + }, + "America": { + "CHS": "美洲(包括北美和南美洲);美国" + }, + "modify": { + "CHS": "修改,修饰;更改", + "ENG": "to make small changes to something in order to improve it and make it more suitable or effective" + }, + "exact": { + "CHS": "要求;强求;急需", + "ENG": "to demand and get something from someone by using threats, force etc" + }, + "snail": { + "CHS": "缓慢移动" + }, + "adjoin": { + "CHS": "毗连,邻接", + "ENG": "a room, building, or piece of land that adjoins something is next to it and connected to it" + }, + "terrify": { + "CHS": "恐吓;使恐怖;使害怕", + "ENG": "to make someone extremely afraid" + }, + "hydrogen": { + "CHS": "[化学] 氢", + "ENG": "Hydrogen is a colourless gas that is the lightest and commonest element in the universe" + }, + "veal": { + "CHS": "小牛(等于vealer);小牛肉", + "ENG": "the meat of a calf(= a young cow )" + }, + "meanwhile": { + "CHS": "其间,其时" + }, + "producer": { + "CHS": "制作人,制片人;生产者;发生器", + "ENG": "someone whose job is to control the preparation of a play, film, or broadcast, but who does not direct the actors" + }, + "skill": { + "CHS": "技能,技巧;本领,技术", + "ENG": "an ability to do something well, especially because you have learned and practised it" + }, + "heterogeneous": { + "CHS": "[化学] 多相的;异种的;[化学] 不均匀的;由不同成分形成的", + "ENG": "consisting of parts or members that are very different from each other" + }, + "Jupiter": { + "CHS": "[天] 木星;朱庇特(罗马神话中的宙斯神)", + "ENG": "the planet that is fifth in order from the sun and is the largest in the solar system" + }, + "gag": { + "CHS": "塞口物;讨论终结;箝制言论", + "ENG": "A gag is something such as a piece of cloth that is tied around or put inside someone's mouth in order to stop them from speaking" + }, + "cable": { + "CHS": "打电报", + "ENG": "to send someone a telegram " + }, + "dragon": { + "CHS": "龙;凶暴的人,凶恶的人;严厉而有警觉性的女人", + "ENG": "a large imaginary animal that has wings and a long tail and can breathe out fire" + }, + "malt": { + "CHS": "用麦芽处理" + }, + "ventilation": { + "CHS": "通风设备;空气流通" + }, + "symmetry": { + "CHS": "对称(性);整齐,匀称", + "ENG": "the quality of being symmetrical" + }, + "sandwich": { + "CHS": "三明治;夹心面包", + "ENG": "two pieces of bread with cheese, meat, cooked egg etc between them" + }, + "fogy": { + "CHS": "顽固守旧者;赶不上时代的人(等于fogey)", + "ENG": "If you describe someone as a fogy or an old fogy, you mean that they are boring and old-fashioned" + }, + "phosphorus": { + "CHS": "磷", + "ENG": "Phosphorus is a poisonous yellowish-white chemical element. It glows slightly, and burns when air touches it. " + }, + "unrest": { + "CHS": "不安;动荡的局面;不安的状态" + }, + "some": { + "CHS": "非常;相当;<美>稍微", + "ENG": "a fairly large number or amount of something" + }, + "boycott": { + "CHS": "联合抵制", + "ENG": "an act of boycotting something, or the period of time when it is boycotted" + }, + "ruling": { + "CHS": "统治,支配;裁定", + "ENG": "an official decision, especially one made by a court" + }, + "alarm": { + "CHS": "警告;使惊恐", + "ENG": "If something alarms you, it makes you afraid or anxious that something unpleasant or dangerous might happen" + }, + "chloroplast": { + "CHS": "[植] 叶绿体", + "ENG": "a plastid containing chlorophyll and other pigments, occurring in plants and algae that carry out photosynthesis " + }, + "whiten": { + "CHS": "(Whiten)人名;(英)怀滕" + }, + "bold": { + "CHS": "(Bold)人名;(英、德、罗、捷、瑞典)博尔德" + }, + "buy": { + "CHS": "购买,买卖;所购的物品", + "ENG": "an act of buying something, especially something illegal" + }, + "festivity": { + "CHS": "欢庆,欢宴;庆典;欢乐", + "ENG": "things such as drinking, eating, or dancing that are done to celebrate a special occasion" + }, + "sulphur": { + "CHS": "使硫化;用硫磺处理" + }, + "sprinkle": { + "CHS": "洒;微雨;散置", + "ENG": "to scatter small drops of liquid or small pieces of something" + }, + "newspaper": { + "CHS": "报纸", + "ENG": "a set of large folded sheets of printed paper containing news, articles, pictures, advertisements etc which is sold daily or weekly" + }, + "emulate": { + "CHS": "仿真;仿效" + }, + "revoke": { + "CHS": "有牌不跟" + }, + "remember": { + "CHS": "记得;牢记;纪念;代…问好", + "ENG": "to have a picture or idea in your mind of people, events, places etc from the past" + }, + "unethical": { + "CHS": "不道德的;缺乏职业道德的", + "ENG": "morally unacceptable" + }, + "microwave": { + "CHS": "微波", + "ENG": "a type of oven that cooks food very quickly using very short electric waves instead of heat" + }, + "ox": { + "CHS": "牛;公牛", + "ENG": "a bull whose sex organs have been removed, often used for working on farms" + }, + "note": { + "CHS": "注意;记录;注解", + "ENG": "to notice or pay careful attention to something" + }, + "blackboard": { + "CHS": "黑板", + "ENG": "a board with a dark smooth surface, used in schools for writing on with chalk " + }, + "rickety": { + "CHS": "摇晃的;虚弱的;患佝偻病的", + "ENG": "A rickety structure or piece of furniture is not very strong or well made, and seems likely to collapse or break" + }, + "scaremonger": { + "CHS": "散布谣言的人" + }, + "lunar": { + "CHS": "(Lunar)人名;(西)卢纳尔" + }, + "law": { + "CHS": "控告;对…起诉" + }, + "kindness": { + "CHS": "仁慈;好意;友好的行为", + "ENG": "kind behaviour towards someone" + }, + "pulp": { + "CHS": "使…化成纸浆;除去…的果肉", + "ENG": "to beat or crush something until it becomes very soft and almost liquid" + }, + "height": { + "CHS": "高地;高度;身高;顶点", + "ENG": "how tall someone or something is" + }, + "disclosure": { + "CHS": "[审计] 披露;揭发;被揭发出来的事情" + }, + "onwards": { + "CHS": "向前;在前面", + "ENG": "forwards" + }, + "inhabitable": { + "CHS": "适于居住的;可居住的,可栖居的" + }, + "hairdo": { + "CHS": "发型;发式", + "ENG": "the style in which someone’s hair is cut or shaped" + }, + "stapler": { + "CHS": "[轻] 订书机;主要商品批发商;把羊毛分级的人", + "ENG": "a tool used for putting staples into paper" + }, + "ticket": { + "CHS": "加标签于;指派;对…开出交通违规罚单", + "ENG": "to give someone a ticket for parking their car in the wrong place, driving too fast etc" + }, + "tamper": { + "CHS": "填塞者;捣棒" + }, + "slope": { + "CHS": "倾斜;逃走", + "ENG": "if the ground or a surface slopes, it is higher at one end than the other" + }, + "skid": { + "CHS": "刹住,使减速;滚滑" + }, + "trumpet": { + "CHS": "吹喇叭;吹嘘", + "ENG": "to tell everyone about something that you are proud of, especially in an annoying way" + }, + "making": { + "CHS": "制作(make的现在分词)" + }, + "daft": { + "CHS": "(Daft)人名;(英)达夫特" + }, + "maim": { + "CHS": "(Maim)人名;(意、罗)马伊姆" + }, + "stray": { + "CHS": "走失的家畜;流浪者", + "ENG": "an animal that is lost or has no home" + }, + "an": { + "CHS": "一(在元音音素前)", + "ENG": "used when the following word begins with a vowel sound" + }, + "beak": { + "CHS": "[鸟] 鸟嘴;鹰钩鼻子;地方执法官;男教师", + "ENG": "the hard pointed mouth of a bird" + }, + "hurt": { + "CHS": "受伤的;痛苦的;受损的", + "ENG": "suffering pain or injury" + }, + "arrival": { + "CHS": "到来;到达;到达者", + "ENG": "when someone or something arrives somewhere" + }, + "perceptible": { + "CHS": "可察觉的;可感知的;看得见的", + "ENG": "something that is perceptible can be noticed, although it is very small" + }, + "rent": { + "CHS": "出租;租用;租借", + "ENG": "to regularly pay money to live in a house or room that belongs to someone else, or to use something that belongs to someone else" + }, + "blame": { + "CHS": "责备;责任;过失", + "ENG": "responsibility for a mistake or for something bad" + }, + "dishonest": { + "CHS": "不诚实的;欺诈的", + "ENG": "not honest, and so deceiving or cheating people" + }, + "anniversary": { + "CHS": "周年纪念日", + "ENG": "a date on which something special or important happened in a previous year" + }, + "freeway": { + "CHS": "高速公路", + "ENG": "a very wide road in the US, built for fast travel" + }, + "glimmer": { + "CHS": "闪烁;发微光", + "ENG": "to shine with a light that is not very bright" + }, + "muscle": { + "CHS": "加强;使劲搬动;使劲挤出", + "ENG": "to use your strength to go somewhere" + }, + "chess": { + "CHS": "国际象棋,西洋棋", + "ENG": "a game for two players, who move their playing pieces according to particular rules across a special board to try to trap their opponent’s king (= most important piece ) " + }, + "misbehaviour": { + "CHS": "不正当举止;行为无礼貌", + "ENG": "bad behaviour that is not acceptable to other people" + }, + "pickle": { + "CHS": "泡;腌制", + "ENG": "to preserve food in vinegar or salt water" + }, + "socialism": { + "CHS": "社会主义", + "ENG": "an economic and political system in which large industries are owned by the government, and taxes are used to take some wealth away from richer citizens and give it to poorer citizens" + }, + "distrust": { + "CHS": "不信任", + "ENG": "a feeling that you cannot trust someone" + }, + "certitude": { + "CHS": "确信;确实", + "ENG": "the state of being or feeling certain about something" + }, + "horoscope": { + "CHS": "占星术;星象;十二宫图", + "ENG": "a description of your character and the things that will happen to you, based on the position of the stars and planets at the time of your birth" + }, + "disastrous": { + "CHS": "灾难性的;损失惨重的;悲伤的", + "ENG": "very bad, or ending in failure" + }, + "dresser": { + "CHS": "梳妆台;碗柜;化妆师;裹伤员", + "ENG": "a large piece of furniture with open shelves for storing plates, dishes etc" + }, + "divergent": { + "CHS": "相异的,分歧的;散开的", + "ENG": "Divergent things are different from each other" + }, + "advocate": { + "CHS": "提倡者;支持者;律师", + "ENG": "someone who publicly supports someone or something" + }, + "squalor": { + "CHS": "肮脏;悲惨;卑劣;道德败坏", + "ENG": "the condition of being dirty and unpleasant because of a lack of care or money" + }, + "quaver": { + "CHS": "颤抖;八分音符;颤音", + "ENG": "a musical note which continues for an eighth of the length of a semibreve" + }, + "exceed": { + "CHS": "超过;胜过", + "ENG": "to be more than a particular number or amount" + }, + "classification": { + "CHS": "分类;类别,等级", + "ENG": "a process in which you put something into the group or class it belongs to" + }, + "felt": { + "CHS": "粘结", + "ENG": "to make into or cover with felt " + }, + "warship": { + "CHS": "战船,[军] 军舰", + "ENG": "a ship with guns that is used in a war" + }, + "anus": { + "CHS": "[解剖] 肛门", + "ENG": "the hole in your bottom through which solid waste leaves your body" + }, + "airfield": { + "CHS": "飞机场", + "ENG": "a place where planes can fly from, especially one used by military planes" + }, + "endure": { + "CHS": "忍耐;容忍", + "ENG": "to be in a difficult or painful situation for a long time without complaining" + }, + "varicose": { + "CHS": "静脉曲张的;曲张的,肿胀的", + "ENG": "of or resulting from varicose veins " + }, + "sleet": { + "CHS": "雨夹雪;雨淞", + "ENG": "half-frozen rain that falls when it is very cold" + }, + "backfire": { + "CHS": "逆火,回火" + }, + "protracted": { + "CHS": "拖延;绘制;伸展(protract的过去分词)" + }, + "edifice": { + "CHS": "大厦;大建筑物", + "ENG": "a building, especially a large one" + }, + "pesticide": { + "CHS": "杀虫剂", + "ENG": "a chemical substance used to kill insects and small animals that destroy crops" + }, + "pilot": { + "CHS": "驾驶;领航;试用", + "ENG": "to guide an aircraft, spacecraft, or ship as its pilot" + }, + "unlawful": { + "CHS": "非法的;私生的", + "ENG": "not legal" + }, + "autopsy": { + "CHS": "验尸;[病理][特医] 尸体解剖;[病理][特医] 尸体剖检", + "ENG": "an examination of a dead body to discover the cause of death" + }, + "honorary": { + "CHS": "名誉学位;获名誉学位者;名誉团体" + }, + "approve": { + "CHS": "批准;赞成;为…提供证据", + "ENG": "to officially accept a plan, proposal etc" + }, + "virtually": { + "CHS": "事实上,几乎;实质上", + "ENG": "almost" + }, + "top": { + "CHS": "最高的,顶上的;头等的", + "ENG": "nearest to the top of something" + }, + "sizzle": { + "CHS": "嘶嘶声" + }, + "inexact": { + "CHS": "不精确的;不严格的;不正确的", + "ENG": "not exact" + }, + "calculate": { + "CHS": "计算;以为;作打算", + "ENG": "to find out how much something will cost, how long something will take etc, by using numbers" + }, + "else": { + "CHS": "(Else)人名;(英)埃尔斯;(德)埃尔泽;(芬、丹)埃尔塞" + }, + "implore": { + "CHS": "恳求或乞求", + "ENG": "to ask for something in an emotional way" + }, + "torture": { + "CHS": "折磨;拷问;歪曲", + "ENG": "an act of deliberately hurting someone in order to force them to tell you something, to punish them, or to be cruel" + }, + "hoodwink": { + "CHS": "蒙蔽;欺骗;遮眼", + "ENG": "to trick someone in a clever way so that you can get an advantage for yourself" + }, + "resume": { + "CHS": "重新开始,继续;恢复,重新占用", + "ENG": "to start doing something again after stopping or being interrupted" + }, + "thereby": { + "CHS": "从而,因此;在那附近;在那方面", + "ENG": "with the result that something else happens" + }, + "frightful": { + "CHS": "可怕的;惊人的;非常的", + "ENG": "unpleasant or bad" + }, + "futuristic": { + "CHS": "未来派的;未来主义的", + "ENG": "something which is futuristic looks unusual and modern, as if it belongs in the future instead of the present" + }, + "comprise": { + "CHS": "包含;由…组成", + "ENG": "to consist of particular parts, groups etc" + }, + "yesterday": { + "CHS": "昨天", + "ENG": "on or during the day before today" + }, + "competitor": { + "CHS": "竞争者,对手", + "ENG": "a person, team, company etc that is competing with another" + }, + "insuperable": { + "CHS": "不能克服的;无敌的", + "ENG": "an insuperable difficulty or problem is impossible to deal with" + }, + "achievement": { + "CHS": "成就;完成;达到;成绩", + "ENG": "something important that you succeed in doing by your own efforts" + }, + "barn": { + "CHS": "把…贮存入仓" + }, + "east": { + "CHS": "向东方,在东方", + "ENG": "towards the east" + }, + "distinctive": { + "CHS": "有特色的,与众不同的", + "ENG": "having a special quality, character, or appearance that is different and easy to recognize" + }, + "heck": { + "CHS": "饲草架" + }, + "opium": { + "CHS": "鸦片的" + }, + "victim": { + "CHS": "受害人;牺牲品;牺牲者", + "ENG": "someone who has been attacked, robbed, or murdered" + }, + "fruitless": { + "CHS": "不成功的,徒劳的;不结果实的", + "ENG": "failing to achieve what was wanted, especially after a lot of effort" + }, + "soothe": { + "CHS": "安慰;使平静;缓和", + "ENG": "to make someone feel calmer and less anxious, upset, or angry" + }, + "motionless": { + "CHS": "静止的;不运动的", + "ENG": "not moving at all" + }, + "eel": { + "CHS": "鳗鱼;鳝鱼", + "ENG": "a long thin fish that looks like a snake and can be eaten" + }, + "confrontation": { + "CHS": "对抗;面对;对质", + "ENG": "a situation in which there is a lot of angry disagreement between two people or groups" + }, + "hash": { + "CHS": "搞糟,把…弄乱;切细;推敲" + }, + "remarkable": { + "CHS": "卓越的;非凡的;值得注意的", + "ENG": "unusual or surprising and therefore deserving attention or praise" + }, + "farmland": { + "CHS": "农田", + "ENG": "land used for farming" + }, + "convene": { + "CHS": "召集,集合;传唤", + "ENG": "if a group of people convene, or someone convenes them, they come together, especially for a formal meeting" + }, + "opera": { + "CHS": "歌剧;歌剧院;歌剧团", + "ENG": "a musical play in which all of the words are sung" + }, + "assure": { + "CHS": "保证;担保;使确信;弄清楚", + "ENG": "to tell someone that something will definitely happen or is definitely true so that they are less worried" + }, + "mine": { + "CHS": "我的", + "ENG": "used by the person speaking or writing to refer to something that belongs to or is connected with himself or herself" + }, + "protection": { + "CHS": "保护;防卫;护照", + "ENG": "when someone or something is protected" + }, + "frivolous": { + "CHS": "无聊的;轻佻的;琐碎的", + "ENG": "If you describe someone as frivolous, you mean they behave in a silly or light-hearted way, rather than being serious and sensible" + }, + "thousand": { + "CHS": "成千的;无数的" + }, + "hedgerow": { + "CHS": "灌木篱墙", + "ENG": "a line of bushes growing along the edge of a field or road" + }, + "become": { + "CHS": "成为;变得;变成", + "ENG": "to start to have a feeling or quality, or to start to develop into something" + }, + "devastate": { + "CHS": "毁灭;毁坏", + "ENG": "to damage something very badly or completely" + }, + "bean": { + "CHS": "击…的头部", + "ENG": "to hit someone on the head with an object" + }, + "represent": { + "CHS": "代表;表现;描绘;回忆;再赠送", + "ENG": "to officially speak or take action for another person or group of people" + }, + "militia": { + "CHS": "民兵组织;自卫队;义勇军;国民军", + "ENG": "a group of people trained as soldiers, who are not part of the permanent army" + }, + "waist": { + "CHS": "腰,腰部", + "ENG": "the narrow part in the middle of the human body" + }, + "extractor": { + "CHS": "抽出器, 拔取的人, 抽出者 [计] 抽取字; 析取字 [化] 抽提塔; 浸取器; 萃取器 [医] 拔出器, 取出器, 提取器" + }, + "educationist": { + "CHS": "教育家;教育理论家" + }, + "brake": { + "CHS": "闸,刹车;阻碍", + "ENG": "a piece of equipment that makes a vehicle go more slowly or stop" + }, + "cathedral": { + "CHS": "大教堂", + "ENG": "the main church of a particular area under the control of a bishop " + }, + "consequently": { + "CHS": "因此;结果;所以", + "ENG": "as a result" + }, + "threadbare": { + "CHS": "磨破的;衣衫褴褛的;乏味的;俗套的", + "ENG": "clothes, carpets etc that are threadbare are very thin and in bad condition because they have been used a lot" + }, + "plank": { + "CHS": "在…上铺板;撂下;立刻付款" + }, + "guess": { + "CHS": "猜测;推测", + "ENG": "an attempt to answer a question or make a judgement when you are not sure whether you will be correct" + }, + "insular": { + "CHS": "孤立的;与世隔绝的;海岛的;岛民的", + "ENG": "relating to or like an island" + }, + "sociologist": { + "CHS": "社会学家" + }, + "obscurity": { + "CHS": "朦胧;阴暗;晦涩;身份低微;不分明", + "ENG": "something that is difficult to understand, or the quality of being difficult to understand" + }, + "intense": { + "CHS": "强烈的;紧张的;非常的;热情的", + "ENG": "having a very strong effect or felt very strongly" + }, + "fairy": { + "CHS": "虚构的;仙女的" + }, + "patio": { + "CHS": "露台;天井", + "ENG": "a flat hard area near a house, where people sit outside" + }, + "enrage": { + "CHS": "激怒;使暴怒", + "ENG": "to make someone very angry" + }, + "entrance": { + "CHS": "使出神,使入迷", + "ENG": "if someone or something entrances you, they make you give them all your attention because they are so beautiful, interesting etc" + }, + "regardless": { + "CHS": "不顾后果地;不管怎样,无论如何;不惜费用地", + "ENG": "without being affected or influenced by something" + }, + "discern": { + "CHS": "识别;领悟,认识", + "ENG": "If you can discern something, you are aware of it and know what it is" + }, + "reprimand": { + "CHS": "谴责;训斥;责难", + "ENG": "to tell someone officially that something they have done is very wrong" + }, + "fluke": { + "CHS": "侥幸成功" + }, + "background": { + "CHS": "背景的;发布背景材料的" + }, + "explanatory": { + "CHS": "解释的;说明的", + "ENG": "giving information about something or describing how something works, in order to make it easier to understand" + }, + "foreknowledge": { + "CHS": "预知;先见之明", + "ENG": "knowledge that something is going to happen before it actually does" + }, + "athlete": { + "CHS": "运动员,体育家;身强力壮的人", + "ENG": "someone who competes in sports competitions, especially running, jumping, and throwing" + }, + "mere": { + "CHS": "小湖;池塘", + "ENG": "a lake" + }, + "excerpt": { + "CHS": "引用,摘录" + }, + "tire": { + "CHS": "轮胎;头饰" + }, + "fort": { + "CHS": "设要塞保卫" + }, + "timidity": { + "CHS": "胆怯,胆小;羞怯" + }, + "eavesdrop": { + "CHS": "偷听,窃听", + "ENG": "to deliberately listen secretly to other people’s conversations" + }, + "go": { + "CHS": "去;进行;尝试", + "ENG": "an attempt to do something" + }, + "either": { + "CHS": "任一,两方,随便哪一个;两者中的一个或另一个" + }, + "diversion": { + "CHS": "转移;消遣;分散注意力", + "ENG": "a change in the direction or use of something, or the act of changing it" + }, + "calm": { + "CHS": "风平浪静", + "ENG": "a situation or time that is quiet and peaceful" + }, + "idiomatic": { + "CHS": "惯用的;符合语言习惯的;通顺的", + "ENG": "an idiom" + }, + "bookish": { + "CHS": "书本上的;好读书的;书呆子气的", + "ENG": "someone who is bookish is more interested in reading and studying than in sports or other activities" + }, + "revival": { + "CHS": "复兴;复活;苏醒;恢复精神;再生效", + "ENG": "a process in which something becomes active or strong again" + }, + "plunder": { + "CHS": "掠夺;抢劫;侵吞", + "ENG": "to steal large amounts of money or property from somewhere, especially while fighting in a war" + }, + "cultivate": { + "CHS": "培养;陶冶;耕作", + "ENG": "to prepare and use land for growing crops and plants" + }, + "shaggy": { + "CHS": "蓬松的;表面粗糙的;毛发粗浓杂乱的", + "ENG": "shaggy hair or fur is long and untidy" + }, + "inject": { + "CHS": "注入;注射", + "ENG": "to put liquid, especially a drug, into someone’s body by using a special needle" + }, + "relevant": { + "CHS": "相关的;切题的;中肯的;有重大关系的;有意义的,目的明确的", + "ENG": "directly relating to the subject or problem being discussed or considered" + }, + "forge": { + "CHS": "伪造;做锻工;前进", + "ENG": "to illegally copy something, especially something printed or written, to make people think that it is real" + }, + "stream": { + "CHS": "流;涌进;飘扬", + "ENG": "to flow quickly and in great amounts" + }, + "lotion": { + "CHS": "洗液;洗涤剂", + "ENG": "a liquid mixture that you put on your skin or hair to clean, soften , or protect it" + }, + "heartbreaking": { + "CHS": "使…心碎(heartbreak的ing形式)" + }, + "hockey": { + "CHS": "曲棍球;冰球", + "ENG": "a game played on grass by two teams of 11 players, with sticks and a ball" + }, + "suspense": { + "CHS": "悬念;悬疑;焦虑;悬而不决", + "ENG": "a feeling of excitement or anxiety when you do not know what will happen next" + }, + "unique": { + "CHS": "独一无二的人或物" + }, + "accessible": { + "CHS": "易接近的;可进入的;可理解的", + "ENG": "a place, building, or object that is accessible is easy to reach or get into" + }, + "petal": { + "CHS": "花瓣", + "ENG": "one of the coloured parts of a flower that are shaped like leaves" + }, + "omelette": { + "CHS": "煎蛋卷", + "ENG": "eggs mixed together and cooked in hot fat, sometimes with other foods added" + }, + "consult": { + "CHS": "查阅;商量;向…请教", + "ENG": "to ask for information or advice from someone because it is their job to know something" + }, + "slay": { + "CHS": "(Slay)人名;(英、柬)斯莱" + }, + "digital": { + "CHS": "数字;键" + }, + "athletic": { + "CHS": "运动的,运动员的;体格健壮的", + "ENG": "physically strong and good at sport" + }, + "insight": { + "CHS": "洞察力;洞悉", + "ENG": "the ability to understand and realize what people or situations are really like" + }, + "cultural": { + "CHS": "文化的;教养的", + "ENG": "belonging or relating to a particular society and its way of life" + }, + "defender": { + "CHS": "防卫者,守卫者;辩护者;拥护者;卫冕者", + "ENG": "one of the players in a game such as football who have to defend their team’s goal from the opposing team" + }, + "toffee": { + "CHS": "乳脂糖,太妃糖", + "ENG": "a sticky sweet brown substance that you can eat, made by boiling sugar, water, and butter together, or a piece of this substance" + }, + "mantelpiece": { + "CHS": "壁炉架;壁炉台", + "ENG": "a wooden or stone shelf which is the top part of a frame surrounding a fireplace " + }, + "ethnic": { + "CHS": "种族的;人种的", + "ENG": "relating to a particular race, nation, or tribe and their customs and traditions" + }, + "pope": { + "CHS": "教皇,罗马教皇;权威,大师", + "ENG": "Thepope is the head of the Roman Catholic Church" + }, + "banking": { + "CHS": "把钱存入银行;做银行家;在…边筑堤(bank的现在分词)" + }, + "outdoor": { + "CHS": "户外的;露天的;野外的(等于out-of-door)", + "ENG": "existing, happening, or used outside, not inside a building" + }, + "expedient": { + "CHS": "权宜之计;应急手段", + "ENG": "a quick and effective way of dealing with a problem" + }, + "loud": { + "CHS": "(Loud)人名;(英)劳德" + }, + "luminous": { + "CHS": "发光的;明亮的;清楚的", + "ENG": "shining in the dark" + }, + "neoclassical": { + "CHS": "新古典主义的", + "ENG": "neoclassical art or architecture copies the style of ancient Greece or Rome" + }, + "obituary": { + "CHS": "讣告", + "ENG": "an article in a newspaper about the life of someone who has just died" + }, + "sum": { + "CHS": "概括" + }, + "clarity": { + "CHS": "清楚,明晰;透明", + "ENG": "the clarity of a piece of writing, law, argument etc is its quality of being expressed clearly" + }, + "state": { + "CHS": "国家的;州的;正式的", + "ENG": "State industries or organizations are financed and organized by the government rather than private companies" + }, + "durable": { + "CHS": "耐用品" + }, + "incur": { + "CHS": "招致,引发;蒙受", + "ENG": "if you incur a cost, debt, or a fine, you have to pay money because of something you have done" + }, + "invalidate": { + "CHS": "使无效;使无价值", + "ENG": "to make a document, ticket, claim etc no longer legally or officially acceptable" + }, + "slipper": { + "CHS": "用拖鞋打" + }, + "ailing": { + "CHS": "生病;苦恼(ail的ing形式)" + }, + "freshman": { + "CHS": "新手,生手;大学一年级学生", + "ENG": "a student in the first year of high school or university" + }, + "June": { + "CHS": "六月;琼(人名,来源于拉丁语,含义是“年轻气盛的六月”)", + "ENG": "the sixth month of the year, between May and July" + }, + "vertically": { + "CHS": "垂直地" + }, + "stub": { + "CHS": "踩熄;连根拔除" + }, + "shorten": { + "CHS": "缩短;减少;变短", + "ENG": "to become shorter or make something shorter" + }, + "tortoise": { + "CHS": "龟,[脊椎] 乌龟(等于testudo);迟缓的人", + "ENG": "a slow-moving land animal that can pull its head and legs into the hard round shell that covers its body" + }, + "football": { + "CHS": "踢足球;打橄榄球" + }, + "radiate": { + "CHS": "辐射状的,有射线的" + }, + "zip": { + "CHS": "拉开或拉上;以尖啸声行进", + "ENG": "to fasten something using a zip" + }, + "novel": { + "CHS": "小说", + "ENG": "a long written story in which the characters and events are usually imaginary" + }, + "leukemia": { + "CHS": "[内科][肿瘤] 白血病", + "ENG": "a type of cancer of the blood, that causes weakness and sometimes death" + }, + "incubation": { + "CHS": "孵化;[病毒][医] 潜伏;抱蛋" + }, + "English": { + "CHS": "把…译成英语" + }, + "paranoid": { + "CHS": "患妄想狂的人;偏执狂患者", + "ENG": "A paranoid is someone who is paranoid" + }, + "cache": { + "CHS": "隐藏;窖藏", + "ENG": "to hide something in a secret place, especially weapons" + }, + "historic": { + "CHS": "有历史意义的;历史上著名的", + "ENG": "a historic event or act is very important and will be recorded as part of history" + }, + "itself": { + "CHS": "它自己;它本身", + "ENG": "used to show that a thing, organization, animal, or baby that does something is affected by its own action" + }, + "banish": { + "CHS": "(Banish)人名;(英)巴尼什" + }, + "mud": { + "CHS": "泥;诽谤的话;无价值的东西", + "ENG": "wet earth that has become soft and sticky" + }, + "slum": { + "CHS": "贫民窟;陋巷;脏乱的地方", + "ENG": "a house or an area of a city that is in very bad condition, where very poor people live" + }, + "pharmacy": { + "CHS": "药房;配药学,药剂学;制药业;一批备用药品", + "ENG": "a shop or a part of a shop where medicines are prepared and sold" + }, + "inflexible": { + "CHS": "顽固的;不可弯曲的;不屈挠的;不能转变的", + "ENG": "unwilling to make even the slightest change in your attitudes, plans etc" + }, + "compartment": { + "CHS": "分隔;划分" + }, + "forecourt": { + "CHS": "前院;前场", + "ENG": "a large open area in front of a building such as a garage or hotel" + }, + "capitulate": { + "CHS": "认输,屈服;屈从,停止反抗;有条件投降;让步", + "ENG": "to accept or agree to something that you have been opposing for a long time" + }, + "thy": { + "CHS": "(Thy)人名;(柬)提" + }, + "tertiary": { + "CHS": "第三的;第三位的;三代的", + "ENG": "third in place, degree, or order" + }, + "clap": { + "CHS": "鼓掌;拍手声", + "ENG": "the loud sound that you make when you hit your hands together many times to show that you enjoyed something" + }, + "fin": { + "CHS": "切除鳍;装上翅" + }, + "laughter": { + "CHS": "笑;笑声", + "ENG": "when people laugh, or the sound of people laughing" + }, + "plug": { + "CHS": "塞住;用插头将与电源接通", + "ENG": "to fill or block a small hole" + }, + "full": { + "CHS": "全部;完整", + "ENG": "including the whole of something" + }, + "hunter": { + "CHS": "猎人;猎犬;搜寻者", + "ENG": "a person who hunts wild animals, or an animal that hunts other animals for food" + }, + "trustee": { + "CHS": "移交(财产或管理权)给受托人" + }, + "trivial": { + "CHS": "不重要的,琐碎的;琐细的" + }, + "assertive": { + "CHS": "肯定的;独断的;坚定而自信的", + "ENG": "behaving in a confident way, so that people notice you" + }, + "means": { + "CHS": "意思是;打算(mean的第三人称单数) [ 复数means ]" + }, + "hippo": { + "CHS": "河马;吐根", + "ENG": "a hippopotamus" + }, + "poor": { + "CHS": "(Poor)人名;(英、伊朗)普尔" + }, + "interested": { + "CHS": "使…感兴趣(interest的过去分词)" + }, + "waken": { + "CHS": "唤醒;使觉醒", + "ENG": "to wake up, or to wake someone up" + }, + "longevity": { + "CHS": "长寿,长命;寿命", + "ENG": "the amount of time that someone or something lives" + }, + "pelican": { + "CHS": "[鸟] 鹈鹕", + "ENG": "a large water bird that catches fish for food and stores them in a deep bag of skin under its beak" + }, + "remorse": { + "CHS": "懊悔;同情", + "ENG": "a strong feeling of being sorry that you have done something very bad" + }, + "rearguard": { + "CHS": "后卫", + "ENG": "the group of soldiers who defend the back of an army against an enemy that is chasing it" + }, + "odds": { + "CHS": "几率;胜算;不平等;差别", + "ENG": "In betting, odds are expressions with numbers such as \"10 to 1\" and \"7 to 2\" that show how likely something is thought to be, for example, how likely a particular horse is to lose or win a race" + }, + "housecoat": { + "CHS": "家常服;长且松宽的家居女服", + "ENG": "a long loose coat worn at home to protect clothes while cleaning etc" + }, + "circuit": { + "CHS": "环行" + }, + "mart": { + "CHS": "集市;商业中心", + "ENG": "a place where goods are sold – used especially in the names of shops" + }, + "planter": { + "CHS": "种植机,[农机] 播种机;种植者;种植园主;耕作者;殖民者", + "ENG": "someone who owns or is in charge of a plantation" + }, + "mate": { + "CHS": "使配对;使一致;结伴", + "ENG": "if animals mate, they have sex to produce babies" + }, + "delay": { + "CHS": "延期;耽搁;被耽搁或推迟的时间", + "ENG": "when someone or something has to wait, or the length of the waiting time" + }, + "sickbay": { + "CHS": "船上的医务室", + "ENG": "a room on a ship, in a school etc where there are beds for people who are sick" + }, + "thirteen": { + "CHS": "十三的;十三个的" + }, + "ketchup": { + "CHS": "番茄酱", + "ENG": "a thick cold red sauce made from tomatoes that you put on food" + }, + "wicker": { + "CHS": "柳条编织的;装在柳条编织物里的" + }, + "fray": { + "CHS": "使磨损;变得令人紧张、急躁", + "ENG": "If something such as cloth or rope frays, or if something frays it, its threads or fibres start to come apart from each other and spoil its appearance" + }, + "endless": { + "CHS": "无止境的;连续的;环状的;漫无目的的", + "ENG": "very large in amount, size, or number" + }, + "outlook": { + "CHS": "朝外看" + }, + "animosity": { + "CHS": "憎恶,仇恨,敌意", + "ENG": "strong dislike or hatred" + }, + "filament": { + "CHS": "灯丝;细丝;细线;单纤维", + "ENG": "a very thin thread or wire" + }, + "bookshelf": { + "CHS": "书架", + "ENG": "a shelf that you keep books on, or a piece of furniture used for holding books" + }, + "exclamation": { + "CHS": "感叹;惊叫;惊叹词", + "ENG": "a sound, word, or short sentence that you say suddenly and loudly because you are surprised, angry, or excited" + }, + "din": { + "CHS": "喧嚣", + "ENG": "a loud unpleasant noise that continues for a long time" + }, + "restaurant": { + "CHS": "餐馆;[经] 饭店", + "ENG": "a place where you can buy and eat a meal" + }, + "juror": { + "CHS": "审查委员,陪审员", + "ENG": "a member of a jury" + }, + "jubilant": { + "CHS": "欢呼的;喜洋洋的" + }, + "appoint": { + "CHS": "任命;指定;约定", + "ENG": "to choose someone for a position or a job" + }, + "coward": { + "CHS": "胆小的,懦怯的" + }, + "brand": { + "CHS": "商标,牌子;烙印", + "ENG": "a type of product made by a particular company, that has a particular name or design" + }, + "carbon": { + "CHS": "碳的;碳处理的" + }, + "know": { + "CHS": "知道;认识;懂得", + "ENG": "to have information about something" + }, + "migrant": { + "CHS": "移居的;流浪的" + }, + "flake": { + "CHS": "小薄片;火花", + "ENG": "a small thin piece that breaks away easily from something else" + }, + "abstract": { + "CHS": "摘要;提取;使……抽象化;转移(注意力、兴趣等);使心不在焉", + "ENG": "to write a document containing the most important ideas or points from a speech, article etc" + }, + "temperament": { + "CHS": "气质,性情,性格;急躁", + "ENG": "the emotional part of someone’s character, especially how likely they are to be happy, angry etc" + }, + "exterior": { + "CHS": "外部;表面;外型;外貌", + "ENG": "the outside of something, especially a building" + }, + "remit": { + "CHS": "移交的事物" + }, + "hold": { + "CHS": "控制;保留", + "ENG": "control, power, or influence over something or someone" + }, + "breathe": { + "CHS": "呼吸;低语;松口气;(风)轻拂", + "ENG": "to take air into your lungs and send it out again" + }, + "privilege": { + "CHS": "给与…特权;特免", + "ENG": "to treat some people or things better than others" + }, + "indoctrinate": { + "CHS": "灌输;教导", + "ENG": "to train someone to accept a particular set of beliefs, especially political or religious ones, and not consider any others" + }, + "disagreeable": { + "CHS": "不愉快的;厌恶的;不为人喜的;难相处的;脾气坏的", + "ENG": "not at all enjoyable or pleasant" + }, + "unskilled": { + "CHS": "不熟练;无技能(unskill的过去式和过去分词形式)" + }, + "foothill": { + "CHS": "山麓小丘;丘陵地带", + "ENG": "one of the smaller hills below a group of high mountains" + }, + "harden": { + "CHS": "(Harden)人名;(英、德、罗、瑞典)哈登;(法)阿尔当" + }, + "boundary": { + "CHS": "边界;范围;分界线", + "ENG": "the real or imaginary line that marks the edge of a state, country etc, or the edge of an area of land that belongs to someone" + }, + "reflect": { + "CHS": "反映;反射,照出;表达;显示;反省", + "ENG": "if a person or a thing is reflected in a mirror, glass, or water, you can see an image of the person or thing on the surface of the mirror, glass, or water" + }, + "whose": { + "CHS": "谁的(疑问代词)" + }, + "luxury": { + "CHS": "奢侈的", + "ENG": "A luxury item is something expensive which is not necessary but which gives you pleasure" + }, + "interviewer": { + "CHS": "采访者;会见者;面谈者;进行面试者", + "ENG": "the person who asks the questions in an interview" + }, + "stimulation": { + "CHS": "刺激;激励,鼓舞" + }, + "quintessence": { + "CHS": "精华;典范;第五元素(被视为地、水、火、风以外之构成宇宙的元素)", + "ENG": "a perfect example of something" + }, + "anode": { + "CHS": "阳极(电解)", + "ENG": "the part of a battery that collects electron s , often a wire or piece of metal with the sign (+)" + }, + "romance": { + "CHS": "虚构;渲染;写传奇", + "ENG": "to describe things that have happened in a way that makes them seem more important, interesting etc than they really were" + }, + "delude": { + "CHS": "欺骗;哄骗;诱惑;【罕用】迷惑;逃避;使失望", + "ENG": "to make someone believe something that is not true" + }, + "engine": { + "CHS": "引擎,发动机;机车,火车头;工具", + "ENG": "the part of a vehicle that produces power to make it move" + }, + "jam": { + "CHS": "使堵塞;挤进,使塞满;混杂;压碎", + "ENG": "if a lot of people or vehicles jam a place, they fill it so that it is difficult to move" + }, + "blacken": { + "CHS": "(Blacken)人名;(英)布莱肯" + }, + "legend": { + "CHS": "传奇;说明;图例;刻印文字", + "ENG": "an old, well-known story, often about brave people, adventures, or magical events" + }, + "heroin": { + "CHS": "[药][毒物] 海洛因,吗啡", + "ENG": "a powerful and illegal drug made from morphine " + }, + "counterattack": { + "CHS": "反击;反攻", + "ENG": "an attack you make against someone who has attacked you, in a war, sport, or argument" + }, + "enormous": { + "CHS": "庞大的,巨大的;凶暴的,极恶的", + "ENG": "very big in size or in amount" + }, + "barter": { + "CHS": "易货贸易;物物交换;实物交易", + "ENG": "a system of exchanging goods and services for other goods and services rather than using money" + }, + "acute": { + "CHS": "严重的,[医] 急性的;敏锐的;激烈的;尖声的", + "ENG": "an acute problem is very serious" + }, + "foreigner": { + "CHS": "外地人,外国人", + "ENG": "someone who comes from a different country" + }, + "universal": { + "CHS": "一般概念;普通性" + }, + "hair": { + "CHS": "毛发的;护理毛发的;用毛发制成的" + }, + "stipend": { + "CHS": "奖学金;固定薪金;定期津贴;养老金", + "ENG": "an amount of money paid regularly to someone, especially a priest, as a salary or as money to live on" + }, + "emerald": { + "CHS": "翠绿色的" + }, + "lull": { + "CHS": "间歇;暂停;暂时平静", + "ENG": "a short period of time when there is less activity or less noise than usual" + }, + "credentials": { + "CHS": "得到信用;授…以证书(credential的三单形式)" + }, + "disarm": { + "CHS": "解除武装;裁军;缓和", + "ENG": "to reduce the size of your army, navy etc, and the number of your weapons" + }, + "analytical": { + "CHS": "分析的;解析的;善于分析的", + "ENG": "using scientific analysis to examine something" + }, + "Atlantic": { + "CHS": "大西洋的" + }, + "nominate": { + "CHS": "推荐;提名;任命;指定", + "ENG": "to officially suggest someone or something for an important position, duty, or prize" + }, + "association": { + "CHS": "协会,联盟,社团;联合;联想", + "ENG": "an organization that consists of a group of people who have the same aims, do the same kind of work etc" + }, + "override": { + "CHS": "代理佣金" + }, + "nominal": { + "CHS": "[语] 名词性词" + }, + "mumps": { + "CHS": "[内科] 流行性腮腺炎;愠怒;生气", + "ENG": "an infectious illness which makes your neck swell and become painful" + }, + "offshore": { + "CHS": "向海面,向海" + }, + "dignity": { + "CHS": "尊严;高贵", + "ENG": "the ability to behave in a calm controlled way even in a difficult situation" + }, + "credulous": { + "CHS": "轻信的;因轻信而产生的", + "ENG": "always believing what you are told, and therefore easily deceived" + }, + "dialectic": { + "CHS": "辩证的;辩证法的;方言的" + }, + "fortnight": { + "CHS": "两星期", + "ENG": "two weeks" + }, + "derivative": { + "CHS": "派生的;引出的" + }, + "but": { + "CHS": "(But)人名;(俄、罗)布特;(越)笔", + "ENG": "used to emphasize a word or statement" + }, + "disadvantage": { + "CHS": "缺点;不利条件;损失", + "ENG": "something that causes problems, or that makes someone or something less likely to be successful or effective" + }, + "ably": { + "CHS": "巧妙地;精明能干地", + "ENG": "cleverly, skilfully, or well" + }, + "invincible": { + "CHS": "无敌的;不能征服的" + }, + "bath": { + "CHS": "洗澡", + "ENG": "to wash someone in a bath" + }, + "genteel": { + "CHS": "有教养的,文雅的;上流社会的", + "ENG": "polite, gentle, or graceful" + }, + "typical": { + "CHS": "典型的;特有的;象征性的", + "ENG": "having the usual features or qualities of a particular group or thing" + }, + "soliloquy": { + "CHS": "独白;自言自语", + "ENG": "a speech in a play in which a character, usually alone on the stage, talks to himself or herself so that the audience knows their thoughts" + }, + "churchyard": { + "CHS": "境内;教堂院落,多做墓地", + "ENG": "a piece of land around a church where people are buried" + }, + "activate": { + "CHS": "刺激;使活动;使活泼;使产生放射性", + "ENG": "to make an electrical system or chemical process start working" + }, + "mitigate": { + "CHS": "使缓和,使减轻", + "ENG": "to make a situation or the effects of something less unpleasant, harmful, or serious" + }, + "forester": { + "CHS": "林务官,护林人;森林人,森林居民", + "ENG": "someone who works in a forest taking care of, planting, and cutting down the trees" + }, + "dogma": { + "CHS": "教条,教理;武断的意见", + "ENG": "a set of firm beliefs held by a group of people who expect other people to accept these beliefs without thinking about them" + }, + "magnesium": { + "CHS": "[化学] 镁", + "ENG": "Magnesium is a light, silvery white metal which burns with a bright white flame" + }, + "fusion": { + "CHS": "融合;熔化;熔接;融合物;[物] 核聚变", + "ENG": "a combination of separate qualities or ideas" + }, + "raspberry": { + "CHS": "覆盆子;舌头放在唇间发出的声音;(表示轻蔑,嘲笑等的)咂舌声", + "ENG": "a soft sweet red berry, or the bush that this berry grows on" + }, + "dinghy": { + "CHS": "小艇;小船", + "ENG": "a small open boat used for pleasure, or for taking people between a ship and the shore" + }, + "titan": { + "CHS": "巨人;提坦;太阳神", + "ENG": "a very strong or important person" + }, + "aperture": { + "CHS": "孔,穴;(照相机,望远镜等的)光圈,孔径;缝隙", + "ENG": "a small hole or space in something" + }, + "sag": { + "CHS": "下垂;下降;萎靡", + "ENG": "to hang down or bend in the middle, especially because of the weight of something" + }, + "initial": { + "CHS": "词首大写字母", + "ENG": "the first letter of someone’s first name" + }, + "razor": { + "CHS": "剃刀", + "ENG": "a tool with a sharp blade, used to remove hair from your skin" + }, + "droop": { + "CHS": "下垂;消沉", + "ENG": "Droop is also a noun" + }, + "facsimile": { + "CHS": "传真;临摹" + }, + "game": { + "CHS": "赌博", + "ENG": "to play games of chance for money, stakes, etc; gamble " + }, + "render": { + "CHS": "打底;交纳;粉刷" + }, + "tummy": { + "CHS": "肚子;胃", + "ENG": " stomach – used especially by or to children" + }, + "wisp": { + "CHS": "卷成一捆" + }, + "sniffle": { + "CHS": "鼻塞声;不断的吸鼻子(等于snuffle)", + "ENG": "if you have the sniffles, you keep sniffing, especially because you have a cold" + }, + "rainproof": { + "CHS": "使防水", + "ENG": "to make rainproof " + }, + "pollen": { + "CHS": "[植] 花粉", + "ENG": "a fine powder produced by flowers, which is carried by the wind or by insects to other flowers of the same type, making them produce seeds" + }, + "surrealist": { + "CHS": "超现实主义的", + "ENG": "Surrealist means related to or in the style of surrealism" + }, + "Wednesday": { + "CHS": "星期三", + "ENG": "the day between Tuesday and Thursday" + }, + "hearse": { + "CHS": "灵车;棺材", + "ENG": "a large car used to carry a dead body in a coffin at a funeral" + }, + "magazine": { + "CHS": "杂志;弹药库;胶卷盒", + "ENG": "a large thin book with a paper cover that contains news stories, articles, photographs etc, and is sold weekly or monthly" + }, + "tuft": { + "CHS": "丛生" + }, + "equip": { + "CHS": "装备,配备", + "ENG": "to provide a person or place with the things that are needed for a particular kind of activity or work" + }, + "cross": { + "CHS": "交叉的,相反的;乖戾的;生气的", + "ENG": "angry or annoyed" + }, + "flair": { + "CHS": "天资;天分;资质;鉴别力", + "ENG": "a natural ability to do something very well" + }, + "lamp": { + "CHS": "发亮" + }, + "shopkeeper": { + "CHS": "店主,老板", + "ENG": "someone who owns or is in charge of a small shop" + }, + "holiday": { + "CHS": "外出度假", + "ENG": "to spend your holiday in a place - used especially in news reports" + }, + "fact": { + "CHS": "事实;实际;真相", + "ENG": "a piece of information that is known to be true" + }, + "extra": { + "CHS": "额外的,另外收费的;特大的", + "ENG": "more of something, in addition to the usual or standard amount or number" + }, + "indicate": { + "CHS": "表明;指出;预示;象征", + "ENG": "to show that a particular situation exists, or that something is likely to be true" + }, + "frantic": { + "CHS": "狂乱的,疯狂的", + "ENG": "extremely worried and frightened about a situation, so that you cannot control your feelings" + }, + "overcoat": { + "CHS": "大衣,外套", + "ENG": "a long thick warm coat" + }, + "grow": { + "CHS": "(Grow)人名;(英)格罗" + }, + "irk": { + "CHS": "使烦恼;使厌倦", + "ENG": "if something irks you, it makes you feel annoyed" + }, + "evermore": { + "CHS": "永远,始终;今后", + "ENG": "for ever" + }, + "visualize": { + "CHS": "形象,形象化;想像,设想", + "ENG": "to form a picture of someone or something in your mind" + }, + "definitely": { + "CHS": "清楚地,当然;明确地,肯定地", + "ENG": "without any doubt" + }, + "promote": { + "CHS": "促进;提升;推销;发扬", + "ENG": "If people promote something, they help or encourage it to happen, increase, or spread" + }, + "halter": { + "CHS": "给…套上缰绳;束缚" + }, + "weed": { + "CHS": "杂草,野草;菸草", + "ENG": "a wild plant growing where it is not wanted that prevents crops or garden flowers from growing properly" + }, + "rummage": { + "CHS": "翻找;检查;查出的物件;零星杂物", + "ENG": "a careless or hurried search for something" + }, + "breed": { + "CHS": "[生物] 品种;种类,类型", + "ENG": "a type of animal that is kept as a pet or on a farm" + }, + "altar": { + "CHS": "祭坛;圣坛;圣餐台", + "ENG": "a holy table or surface used in religious ceremonies" + }, + "right": { + "CHS": "正确地;恰当地;彻底地", + "ENG": "exactly in a particular position or place" + }, + "clockwise": { + "CHS": "顺时针方向的", + "ENG": "Clockwise is also an adjective" + }, + "poverty": { + "CHS": "贫困;困难;缺少;低劣", + "ENG": "the situation or experience of being poor" + }, + "costly": { + "CHS": "(Costly)人名;(英)科斯特利" + }, + "art": { + "CHS": "是(be的变体)", + "ENG": "a phrase meaning ‘you are’" + }, + "supposition": { + "CHS": "假定;推测;想像;见解", + "ENG": "something that you think is true, even though you are not certain and cannot prove it" + }, + "indigo": { + "CHS": "靛蓝色的" + }, + "parachute": { + "CHS": "跳伞", + "ENG": "to jump from a plane using a parachute" + }, + "spin": { + "CHS": "旋转;疾驰", + "ENG": "an act of turning around quickly" + }, + "revamp": { + "CHS": "改进;换新鞋面", + "ENG": "Revamp is also a noun" + }, + "crimson": { + "CHS": "使变为深红色;脸红", + "ENG": "if your face crimsons, it becomes red because you are embarrassed" + }, + "enigmatic": { + "CHS": "神秘的;高深莫测的;谜一般的", + "ENG": "Someone or something that is enigmatic is mysterious and difficult to understand" + }, + "harry": { + "CHS": "(Harry)人名;(英)哈里,哈丽(女名)(教名Henry、Harriet的昵称)" + }, + "bored": { + "CHS": "使厌烦(bore的过去式);烦扰" + }, + "purport": { + "CHS": "意义,主旨;意图", + "ENG": "the general meaning of what someone says" + }, + "estimable": { + "CHS": "可估计的;可尊敬的;有价值的", + "ENG": "deserving respect and admiration" + }, + "firecracker": { + "CHS": "鞭炮,爆竹", + "ENG": "a small firework that explodes loudly" + }, + "deodorant": { + "CHS": "除臭剂", + "ENG": "a chemical substance that you put on the skin under your arms to stop you from smelling bad" + }, + "punishment": { + "CHS": "惩罚;严厉对待,虐待", + "ENG": "Punishment is the act of punishing someone or of being punished" + }, + "orchard": { + "CHS": "果园;果树林", + "ENG": "a place where fruit trees are grown" + }, + "grassroots": { + "CHS": "草根;基础", + "ENG": "The grassroots of an organization or movement are the ordinary people who form the main part of it, rather than its leaders" + }, + "interjection": { + "CHS": "[语] 感叹词;插入语;突然的发声", + "ENG": "a word or phrase used to express a strong feeling such as shock, pain, or pleasure" + }, + "incursion": { + "CHS": "入侵;侵犯", + "ENG": "a sudden attack into an area that belongs to other people" + }, + "purchase": { + "CHS": "购买;赢得", + "ENG": "to buy something" + }, + "possibility": { + "CHS": "可能性;可能发生的事物", + "ENG": "if there is a possibility that something is true or that something will happen, it might be true or it might happen" + }, + "possibly": { + "CHS": "可能地;也许;大概", + "ENG": "used when saying that something may be true or likely, although you are not completely certain" + }, + "sweatshop": { + "CHS": "血汗工厂;剥削劳力的工厂", + "ENG": "a small business, factory etc where people work hard in bad conditions for very little money – used to show disapproval" + }, + "scuttle": { + "CHS": "逃避;急促地跑" + }, + "repercussion": { + "CHS": "反响;弹回;反射;浮动诊胎法;令人不满意的后果", + "ENG": "the effects of an action or event, especially bad effects that continue for some time" + }, + "hero": { + "CHS": "英雄;男主角,男主人公", + "ENG": "a man who is admired for doing something extremely brave" + }, + "hot": { + "CHS": "(Hot)人名;(塞)霍特;(法)奥特" + }, + "humorous": { + "CHS": "诙谐的,幽默的;滑稽的,可笑的", + "ENG": "funny and enjoyable" + }, + "liaison": { + "CHS": "联络;(语言)连音", + "ENG": "the regular exchange of information between groups of people, especially at work, so that each group knows what the other is doing" + }, + "profile": { + "CHS": "描…的轮廓;扼要描述" + }, + "reputation": { + "CHS": "名声,名誉;声望", + "ENG": "the opinion that people have about someone or something because of what has happened in the past" + }, + "directly": { + "CHS": "一…就", + "ENG": "as soon as" + }, + "heckle": { + "CHS": "麻梳" + }, + "recognize": { + "CHS": "认出,识别;承认", + "ENG": "to know who someone is or what something is, because you have seen, heard, experienced, or learned about them in the past" + }, + "preschool": { + "CHS": "幼儿园,育幼院", + "ENG": "a school for children between two and five years of age" + }, + "nurse": { + "CHS": "护士;奶妈,保姆", + "ENG": "someone whose job is to look after people who are ill or injured, usually in a hospital" + }, + "contort": { + "CHS": "扭曲;曲解", + "ENG": "if you contort something, or if it contorts, it twists out of its normal shape and looks strange or unattractive" + }, + "transpire": { + "CHS": "发生;蒸发;泄露", + "ENG": "if it transpires that something is true, you discover that it is true" + }, + "tricky": { + "CHS": "狡猾的;机警的", + "ENG": "a tricky person is clever and likely to deceive you" + }, + "Swede": { + "CHS": "瑞典人;瑞典甘蓝", + "ENG": "someone from Sweden" + }, + "foothold": { + "CHS": "据点;立足处", + "ENG": "a position from which you can start to make progress and achieve your aims" + }, + "debut": { + "CHS": "初次登台" + }, + "wrath": { + "CHS": "愤怒;激怒", + "ENG": "extreme anger" + }, + "swimmer": { + "CHS": "游泳者", + "ENG": "someone who swims well, often as a competitor" + }, + "devil": { + "CHS": "虐待,折磨;(用扯碎机)扯碎;(替作家,律师等)做助手;抹辣味料烤制或煎煮" + }, + "democracy": { + "CHS": "民主,民主主义;民主政治", + "ENG": "a system of government in which every citizen in the country can vote to elect its government officials" + }, + "lung": { + "CHS": "肺;呼吸器", + "ENG": "one of the two organs in your body that you breathe with" + }, + "upstream": { + "CHS": "上游部门" + }, + "width": { + "CHS": "宽度;广度", + "ENG": "the distance from one side of something to the other" + }, + "fraction": { + "CHS": "分数;部分;小部分;稍微", + "ENG": "a part of a whole number in mathematics, such as ½ or ¾" + }, + "rub": { + "CHS": "摩擦;障碍;磨损处", + "ENG": "A massage can be referred to as a rub" + }, + "smile": { + "CHS": "微笑;笑容;喜色", + "ENG": "an expression in which your mouth curves upwards, when you are being friendly or are happy or amused" + }, + "tablet": { + "CHS": "用碑牌纪念;将(备忘录等)写在板上;将…制成小片或小块" + }, + "outgoing": { + "CHS": "超过;优于(outgo的ing形式)" + }, + "statutory": { + "CHS": "法定的;法令的;可依法惩处的", + "ENG": "fixed or controlled by law" + }, + "crumb": { + "CHS": "弄碎;捏碎" + }, + "harass": { + "CHS": "使困扰;使烦恼;反复袭击", + "ENG": "to make someone’s life unpleasant, for example by frequently saying offensive things to them or threatening them" + }, + "indent": { + "CHS": "缩进;订货单;凹痕;契约", + "ENG": "an official order for goods or equipment" + }, + "transfer": { + "CHS": "转让;转学;换车", + "ENG": "if a skill, idea, or quality transfers from one situation to another, or if you transfer it, it can be used in the new situation" + }, + "agitate": { + "CHS": "摇动;骚动;使…激动", + "ENG": "to shake or mix a liquid quickly" + }, + "thrush": { + "CHS": "画眉;[口腔] 鹅口疮;蹄叉腐疽" + }, + "resinous": { + "CHS": "树脂的;树脂质的", + "ENG": "Something that is resinous is like resin or contains resin" + }, + "Africa": { + "CHS": "非洲" + }, + "turnip": { + "CHS": "萝卜;芜菁甘蓝,大头菜", + "ENG": "a large round pale yellow vegetable that grows under the ground, or the plant that produces it" + }, + "peripheral": { + "CHS": "外部设备", + "ENG": "a piece of equipment that is connected to a computer and used with it, for example a printer " + }, + "eloquent": { + "CHS": "意味深长的;雄辩的,有口才的;有说服力的;动人的", + "ENG": "able to express your ideas and opinions well, especially in a way that influences people" + }, + "smelly": { + "CHS": "有臭味的,发臭的", + "ENG": "having a strong unpleasant smell" + }, + "rehouse": { + "CHS": "供以新住宅;使移住新居", + "ENG": "If someone is rehoused, their local government or other authority provides them with a different house to live in" + }, + "narrator": { + "CHS": "叙述者;解说员", + "ENG": "the person who tells the story in a book or a play" + }, + "format": { + "CHS": "使格式化;规定…的格式", + "ENG": "to organize the space on a computer disk so that information can be stored on it" + }, + "dear": { + "CHS": "亲爱的人", + "ENG": "You can call someone dear as a sign of affection" + }, + "restraint": { + "CHS": "抑制,克制;约束", + "ENG": "calm sensible controlled behaviour, especially in a situation when it is difficult to stay calm" + }, + "saga": { + "CHS": "传说;冒险故事;英雄事迹", + "ENG": "one of the stories written about the Vikings of Norway and Iceland" + }, + "devout": { + "CHS": "虔诚的;衷心的", + "ENG": "someone who is devout has a very strong belief in a religion" + }, + "stricture": { + "CHS": "狭窄;苛评;非难", + "ENG": "You can use strictures to refer to severe criticism or disapproval of something" + }, + "heavyweight": { + "CHS": "重量级的;特别厚重的" + }, + "windmill": { + "CHS": "作风车般旋转" + }, + "normally": { + "CHS": "正常地;通常地,一般地", + "ENG": "usually" + }, + "sofa": { + "CHS": "沙发;长椅", + "ENG": "a comfortable seat with raised arms and a back, that is wide enough for two or three people to sit on" + }, + "flagrant": { + "CHS": "公然的;不能容忍的;非常的;臭名远扬的;明目张胆的;恶名昭著的(名词flagrancy,副词flagrantly)", + "ENG": "a flagrant action is shocking because it is done in a way that is easily noticed and shows no respect for laws, truth etc" + }, + "wet": { + "CHS": "弄湿", + "ENG": "to make something wet" + }, + "subsidize": { + "CHS": "资助;给与奖助金;向…行贿", + "ENG": "if a government or organization subsidizes a company, activity etc, it pays part of its costs" + }, + "colonial": { + "CHS": "殖民地的,殖民的", + "ENG": "relating to a country that controls and rules other countries, usually ones that are far away" + }, + "nowadays": { + "CHS": "当今" + }, + "enrol": { + "CHS": "登记;卷起;入学;使入会" + }, + "picnic": { + "CHS": "去野餐", + "ENG": "to have a picnic" + }, + "fork": { + "CHS": "叉起;使成叉状", + "ENG": "to put food into your mouth or onto a plate using a fork" + }, + "language": { + "CHS": "语言;语言文字;表达能力", + "ENG": "a system of communication by written or spoken words, which is used by the people of a particular country or area" + }, + "impostor": { + "CHS": "骗子;冒充者" + }, + "fifth": { + "CHS": "第五", + "ENG": "one of five equal parts of something" + }, + "instrumental": { + "CHS": "器乐曲;工具字,工具格", + "ENG": "a piece of music in which no voices are used, only instruments" + }, + "cloudy": { + "CHS": "多云的;阴天的;愁容满面的", + "ENG": "a cloudy sky, day etc is dark because there are a lot of clouds" + }, + "wallet": { + "CHS": "钱包,皮夹", + "ENG": "a small flat case, often made of leather, that you carry in your pocket, for holding paper money, bank cards etc" + }, + "savage": { + "CHS": "乱咬;粗暴的对待", + "ENG": "if an animal such as a dog savages someone, it attacks them and injures them badly" + }, + "net": { + "CHS": "纯粹的;净余的", + "ENG": "the net amount is the final amount that remains after all the other amounts have been taken away" + }, + "anyway": { + "CHS": "无论如何,不管怎样;总之", + "ENG": "in spite of the fact that you have just mentioned" + }, + "cadet": { + "CHS": "幼子,次子;实习生;候补军官;陆海军官学校的学员", + "ENG": "someone who is training to be an officer in the army, navy, air force , or police" + }, + "cake": { + "CHS": "使结块", + "ENG": "if a substance cakes, it forms a thick hard layer when it dries" + }, + "scholarly": { + "CHS": "博学的;学者风度的;学者派头的", + "ENG": "relating to serious study of a particular subject" + }, + "trilogy": { + "CHS": "三部曲;三部剧", + "ENG": "a series of three plays, books etc that are about the same people or subject" + }, + "stateroom": { + "CHS": "政府公寓;特等舱;包房", + "ENG": "a private room or place for sleeping on a ship" + }, + "event": { + "CHS": "事件,大事;项目;结果", + "ENG": "something that happens, especially something important, interesting or unusual" + }, + "gable": { + "CHS": "形成三角墙;形成三角形饰物" + }, + "quantifier": { + "CHS": "[数][语] 量词;数量词;精于计算的人", + "ENG": "a word or phrase such as ‘much’, ‘few’, or ‘a lot of’ that is used with a noun to show quantity" + }, + "pollster": { + "CHS": "民意测验专家,民意调查人;整理民意测验结果的人", + "ENG": "someone who works for a company that prepares and asks questions to find out what people think about a particular subject" + }, + "incessant": { + "CHS": "不断的;不停的;连续的", + "ENG": "continuing without stopping" + }, + "interventionist": { + "CHS": "干涉主义者", + "ENG": "An interventionist is someone who supports interventionist policies" + }, + "playoff": { + "CHS": "双方得分相等时的最后决赛;复赛;季后赛", + "ENG": "A playoff is an extra game that is played to decide the winner of a sports competition when two or more people have the same score" + }, + "retailer": { + "CHS": "零售商;传播的人", + "ENG": "a person or business that sells goods to customers in a shop" + }, + "suppose": { + "CHS": "假使…结果会怎样" + }, + "anywhere": { + "CHS": "任何地方" + }, + "given": { + "CHS": "(Given)人名;(英、土)吉文" + }, + "geography": { + "CHS": "地理;地形", + "ENG": "the study of the countries, oceans, rivers, mountains, cities etc of the world" + }, + "heiress": { + "CHS": "女继承人", + "ENG": "a woman who will receive or has received a lot of money or property after the death of an older member of her family" + }, + "lose": { + "CHS": "(Lose)人名;(英)洛斯;(德)洛泽" + }, + "brooch": { + "CHS": "(女用的)胸针,领针", + "ENG": "a piece of jewellery that you fasten to your clothes, usually worn by women" + }, + "warhead": { + "CHS": "弹头", + "ENG": "the explosive part at the front of a missile" + }, + "sleazy": { + "CHS": "质地薄的;肮脏的;低级庸俗的;破烂的", + "ENG": "a sleazy place is dirty, cheap, or in bad condition" + }, + "necessarily": { + "CHS": "必要地;必定地,必然地", + "ENG": "in a way that cannot be different or be avoided" + }, + "captain": { + "CHS": "指挥;率领", + "ENG": "to lead a group or team of people and be their captain" + }, + "confetti": { + "CHS": "(婚礼、狂欢节中抛撒的)五彩纸屑;(旧时狂欢节或庆祝场合抛撒的)糖果", + "ENG": "small pieces of coloured paper that you throw into the air over people who have just got married or at events such as parties, parades etc" + }, + "undersell": { + "CHS": "抛售;以低于市价售出", + "ENG": "to sell goods at a lower price than someone else" + }, + "beset": { + "CHS": "困扰;镶嵌;围绕", + "ENG": "to make someone experience serious problems or dangers" + }, + "unkempt": { + "CHS": "蓬乱的,不整洁的;(言语等)粗野的", + "ENG": "unkempt hair or plants have not been cut and kept neat" + }, + "blizzard": { + "CHS": "下暴风雪" + }, + "flunk": { + "CHS": "不及格;失败" + }, + "journey": { + "CHS": "旅行", + "ENG": "to travel" + }, + "bequeath": { + "CHS": "遗赠;把…遗赠给;把…传下去", + "ENG": "to officially arrange for someone to have something that you own after your death" + }, + "washing": { + "CHS": "洗;使受洗礼(wash的ing形式)" + }, + "web": { + "CHS": "用网缠住;使中圈套" + }, + "giddy": { + "CHS": "(Giddy)人名;(英)吉迪" + }, + "informal": { + "CHS": "非正式的;不拘礼节的;随便的;通俗的;日常使用的", + "ENG": "relaxed and friendly without being restricted by rules of correct behaviour" + }, + "rotten": { + "CHS": "(Rotten)人名;(法、德)罗滕" + }, + "before": { + "CHS": "在…以前;在…之前", + "ENG": "earlier than a particular event or action" + }, + "imagination": { + "CHS": "[心理] 想象力;空想;幻想物", + "ENG": "the ability to form pictures or ideas in your mind" + }, + "colonize": { + "CHS": "将…开拓为殖民地;移于殖民地;从他地非法把选民移入", + "ENG": "to establish political control over an area or over another country, and send your citizens there to settle" + }, + "court": { + "CHS": "招致(失败、危险等);向…献殷勤;设法获得" + }, + "sandstone": { + "CHS": "[岩] 砂岩;沙岩", + "ENG": "a type of soft yellow or red rock, often used in buildings" + }, + "disable": { + "CHS": "使失去能力;使残废;使无资格", + "ENG": "to make someone unable to use a part of their body properly" + }, + "opal": { + "CHS": "猫眼石,蛋白石;乳白玻璃", + "ENG": "a type of white stone with changing colours in it, often used in jewellery" + }, + "originate": { + "CHS": "引起;创作", + "ENG": "to have the idea for something and start it" + }, + "pleat": { + "CHS": "褶;褶状物", + "ENG": "a flat narrow fold in a skirt, a pair of trousers, a dress etc" + }, + "clinical": { + "CHS": "临床的;诊所的", + "ENG": "relating to treating or testing people who are sick" + }, + "simplify": { + "CHS": "简化;使单纯;使简易", + "ENG": "to make something easier or less complicated" + }, + "froth": { + "CHS": "吐白沫;起泡沫", + "ENG": "if a liquid froths, it produces or contains a lot of small bubbles on top" + }, + "liberty": { + "CHS": "自由;许可;冒失", + "ENG": "the freedom and the right to do whatever you want without asking permission or being afraid of authority" + }, + "jade": { + "CHS": "疲倦" + }, + "deaden": { + "CHS": "使减弱;使麻木;隔阻", + "ENG": "If something deadens a feeling or a sound, it makes it less strong or loud" + }, + "pause": { + "CHS": "暂停,停顿,中止;踌躇", + "ENG": "to stop speaking or doing something for a short time before starting again" + }, + "saliva": { + "CHS": "唾液;涎", + "ENG": "the liquid that is produced naturally in your mouth" + }, + "tiptoe": { + "CHS": "踮着脚走的;偷偷摸摸的" + }, + "commander": { + "CHS": "指挥官;司令官", + "ENG": "an officer of any rank who is in charge of a group of soldiers or a particular military activity" + }, + "proverb": { + "CHS": "谚语,格言;众所周知的人或事", + "ENG": "a short well-known statement that gives advice or expresses something that is generally true. ‘A penny saved is a penny earned’ is an example of a proverb." + }, + "hypocrite": { + "CHS": "伪君子;伪善者", + "ENG": "someone who pretends to have certain beliefs or opinions that they do not really have – used to show disapproval" + }, + "whatever": { + "CHS": "无论什么" + }, + "bestseller": { + "CHS": "畅销书;畅销书作者;畅销商品(等于best seller)", + "ENG": "A bestseller is a book of which a great number of copies has been sold" + }, + "choir": { + "CHS": "合唱" + }, + "consecutive": { + "CHS": "连贯的;连续不断的", + "ENG": "consecutive numbers or periods of time follow one after the other without any interruptions" + }, + "tonight": { + "CHS": "今晚", + "ENG": "the night of this day" + }, + "sociology": { + "CHS": "社会学;群体生态学", + "ENG": "the scientific study of societies and the behaviour of people in groups" + }, + "traveller": { + "CHS": "旅行者", + "ENG": "someone who is on a journey or someone who travels often" + }, + "cough": { + "CHS": "咳出", + "ENG": "to suddenly push air out of your throat with a short sound, often repeatedly" + }, + "masked": { + "CHS": "戴面具;掩饰;使模糊(mask的过去分词)" + }, + "acre": { + "CHS": "土地,地产;英亩", + "ENG": "a unit for measuring area, equal to 4,840 square yards or 4,047 square metres" + }, + "underneath": { + "CHS": "下面的;底层的" + }, + "yolk": { + "CHS": "蛋黄;[胚] 卵黄;羊毛脂", + "ENG": "the yellow part in the centre of an egg" + }, + "attendance": { + "CHS": "出席;到场;出席人数;考勤", + "ENG": "the number of people who attend a game, concert, meeting etc" + }, + "insomniac": { + "CHS": "失眠症患者", + "ENG": "someone who cannot sleep easily" + }, + "unaffected": { + "CHS": "不受影响的;自然的;真挚的;不矫揉造作的", + "ENG": "not changed or influenced by something" + }, + "jerky": { + "CHS": "牛肉干", + "ENG": "meat that has been cut into thin pieces and dried in the sun or with smoke" + }, + "botany": { + "CHS": "植物学;地区植物总称", + "ENG": "the scientific study of plants" + }, + "familial": { + "CHS": "家族的;家庭的;遗传的", + "ENG": "connected with a family or typical of a family" + }, + "affect": { + "CHS": "情感;引起感情的因素" + }, + "maple": { + "CHS": "枫树;淡棕色", + "ENG": "a tree which grows mainly in northern countries such as Canada. Its leaves have five points and turn red or gold in autumn." + }, + "say": { + "CHS": "(Say)人名;(土)萨伊;(法、老、柬)赛;(英)塞伊;(匈、罗)绍伊" + }, + "unless": { + "CHS": "除…之外" + }, + "service": { + "CHS": "维修,检修;保养", + "ENG": "if someone services a machine or vehicle, they examine it and do what is needed to keep it working well" + }, + "abroad": { + "CHS": "海外;异国" + }, + "hunk": { + "CHS": "好的;行的" + }, + "memento": { + "CHS": "纪念品,引起回忆的东西", + "ENG": "a small thing that you keep to remind you of someone or something" + }, + "exhibition": { + "CHS": "展览,显示;展览会;展览品", + "ENG": "a show of paintings, photographs, or other objects that people can go to see" + }, + "inspect": { + "CHS": "检查;视察;检阅", + "ENG": "to examine something carefully in order to find out more about it or to find out what is wrong with it" + }, + "patter": { + "CHS": "滴答地响;急速地说;发出急速轻拍声", + "ENG": "if something, especially water, patters, it makes quiet sounds as it keeps hitting a surface lightly and quickly" + }, + "beautify": { + "CHS": "使美化,使变美", + "ENG": "to make someone or something beautiful" + }, + "transcendentalism": { + "CHS": "超越论;先验论", + "ENG": "the belief that knowledge can be obtained by studying thought rather than by practical experience" + }, + "subordination": { + "CHS": "从属;附属;主从关系" + }, + "mislead": { + "CHS": "误导;带错", + "ENG": "to make someone believe something that is not true by giving them information that is false or not complete" + }, + "spiral": { + "CHS": "使成螺旋形;使作螺旋形上升", + "ENG": "to move in a continuous curve that gets nearer to or further from its central point as it goes round" + }, + "suite": { + "CHS": "(一套)家具;套房;组曲;(一批)随员,随从", + "ENG": "a set of rooms, especially expensive ones in a hotel" + }, + "handwriting": { + "CHS": "亲手写(handwrite的ing形式)" + }, + "loosen": { + "CHS": "(Loosen)人名;(德)洛森" + }, + "totalitarianism": { + "CHS": "极权主义", + "ENG": "Totalitarianism is the ideas, principles, and practices of totalitarian political systems" + }, + "unqualified": { + "CHS": "不合格的;无资格的;不胜任的;不受限制的;无条件的;绝对的", + "ENG": "not having the right knowledge, experience, or education to do something" + }, + "inside": { + "CHS": "少于;在…之内" + }, + "tout": { + "CHS": "侦查者;兜售者" + }, + "knapsack": { + "CHS": "背包", + "ENG": "a bag that you carry on your shoulders" + }, + "following": { + "CHS": "跟随;沿行(follow的ing形式)" + }, + "Chinese": { + "CHS": "中国的,中国人的;中国话的", + "ENG": "relating to China, its people, or its language" + }, + "crossbow": { + "CHS": "弩;石弓", + "ENG": "a weapon like a small bow attached to a longer piece of wood, used for shooting arrows with a lot of force" + }, + "unify": { + "CHS": "统一;使相同,使一致", + "ENG": "if you unify two or more parts or things, or if they unify, they are combined to make a single unit" + }, + "thrust": { + "CHS": "插;插入;推挤", + "ENG": "If you thrust your way somewhere, you move there, pushing between people or things which are in your way" + }, + "bring": { + "CHS": "(Bring)人名;(英、瑞典)布林" + }, + "grace": { + "CHS": "使优美", + "ENG": "to make a place or an object look more attractive" + }, + "trolley": { + "CHS": "用手推车运" + }, + "reticent": { + "CHS": "沉默的;有保留的;谨慎的", + "ENG": "Someone who is reticent does not tell people about things" + }, + "drill": { + "CHS": "钻孔;训练", + "ENG": "to train soldiers to march or perform other military actions" + }, + "being": { + "CHS": "存在的;现有的" + }, + "wardrobe": { + "CHS": "衣柜;行头;全部戏装", + "ENG": "a piece of furniture like a large cupboard that you hang clothes in" + }, + "inefficient": { + "CHS": "无效率的,效率低的;无能的", + "ENG": "not using time, money, energy etc in the best way" + }, + "categorical": { + "CHS": "绝对的(名词categoricalness,副词categorically,异体字categoric);直截了当的;无条件的;属于某一范畴的", + "ENG": "a categorical statement is a clear statement that something is definitely true or false" + }, + "effect": { + "CHS": "产生;达到目的" + }, + "floodlight": { + "CHS": "用泛光灯照亮", + "ENG": "If a building or place is floodlit, it is lit by floodlights" + }, + "painter": { + "CHS": "画家;油漆匠", + "ENG": "someone who paints pictures" + }, + "onset": { + "CHS": "开始,着手;发作;攻击,进攻", + "ENG": "the beginning of something, especially something bad" + }, + "previous": { + "CHS": "在先;在…以前" + }, + "downstairs": { + "CHS": "楼下", + "ENG": "the rooms on the ground floor in a house" + }, + "adventure": { + "CHS": "冒险;大胆说出" + }, + "lovable": { + "CHS": "(Lovable)人名;(西)洛瓦夫莱" + }, + "acknowledgement": { + "CHS": "承认;确认;感谢", + "ENG": "the act of admitting or accepting that something is true" + }, + "bowling": { + "CHS": "打保龄球(bowl的现在分词)" + }, + "conurbation": { + "CHS": "有卫星城的大都市;(几个邻近的城市因扩建而形成一个)组合城市,集合都市", + "ENG": "a group of towns that have spread and joined together to form an area with a high population, often with a large city as its centre" + }, + "driver": { + "CHS": "驾驶员;驱动程序;起子;传动器", + "ENG": "someone who drives a car, bus etc" + }, + "heresy": { + "CHS": "异端;异端邪说;异教", + "ENG": "a belief that disagrees with the official principles of a particular religion" + }, + "callow": { + "CHS": "(Callow)人名;(英)卡洛" + }, + "journal": { + "CHS": "日报,杂志;日记;分类账", + "ENG": "a serious magazine produced for professional people or those with a particular interest" + }, + "reverent": { + "CHS": "虔诚的;恭敬的;尊敬的", + "ENG": "showing a lot of respect and admiration" + }, + "composite": { + "CHS": "使合成;使混合" + }, + "raw": { + "CHS": "擦伤" + }, + "clasp": { + "CHS": "紧抱;扣紧;紧紧缠绕", + "ENG": "to hold someone or something tightly, closing your fingers or arms around them" + }, + "deceptive": { + "CHS": "欺诈的;迷惑的;虚伪的", + "ENG": "intended to make someone believe something that is not true" + }, + "bristle": { + "CHS": "发怒;竖起", + "ENG": "to behave in a way that shows you are very angry or annoyed" + }, + "nausea": { + "CHS": "恶心,晕船;极端的憎恶", + "ENG": "the feeling that you have when you think you are going to vomit (= bring food up from your stomach through your mouth )" + }, + "salivate": { + "CHS": "使流涎;使过量分泌唾液", + "ENG": "to look at or show interest in something or someone in a way that shows you like or want them very much – used to show disapproval" + }, + "ourselves": { + "CHS": "我们自己;我们亲自", + "ENG": "used by the person speaking to show that they and one or more other people are affected by their own action" + }, + "widen": { + "CHS": "(Widen)人名;(德)维登" + }, + "trick": { + "CHS": "特技的;欺诈的;有决窍的", + "ENG": "when a photograph or picture has been changed so that it looks different from what was really there" + }, + "choice": { + "CHS": "精选的;仔细推敲的", + "ENG": "choice food is of very good quality" + }, + "notebook": { + "CHS": "笔记本,笔记簿;手册", + "ENG": "a book made of plain paper on which you can write notes" + }, + "tanker": { + "CHS": "油轮;运油飞机;油槽车;坦克手", + "ENG": "a vehicle or ship specially built to carry large quantities of gas or liquid, especially oil" + }, + "anchorwoman": { + "CHS": "广播新闻的女主持人", + "ENG": "The anchorwoman on a television or radio programme, especially a news programme, is the woman who presents it" + }, + "throw": { + "CHS": "投掷;冒险", + "ENG": "an action in which someone throws something" + }, + "engage": { + "CHS": "吸引,占用;使参加;雇佣;使订婚;预定", + "ENG": "to be doing or to become involved in an activity" + }, + "core": { + "CHS": "挖的核", + "ENG": "If you core a fruit, you remove its core" + }, + "inspector": { + "CHS": "检查员;巡视员", + "ENG": "an official whose job is to check that something is satisfactory and that rules are being obeyed" + }, + "blackmail": { + "CHS": "勒索,敲诈", + "ENG": "to use blackmail against someone" + }, + "indefinite": { + "CHS": "不确定的;无限的;模糊的", + "ENG": "an indefinite action or period of time has no definite end arranged for it" + }, + "sensuous": { + "CHS": "感觉上的,依感观的;诉诸美感的", + "ENG": "attractive in a sexual way" + }, + "masculine": { + "CHS": "男性;阳性,阳性词" + }, + "courageous": { + "CHS": "有胆量的,勇敢的", + "ENG": "brave" + }, + "urban": { + "CHS": "(Urban)人名;(西)乌尔万;(斯洛伐)乌尔班;(德、俄、罗、匈、塞、波、捷、瑞典、意)乌尔班;(英)厄本;(法)于尔邦" + }, + "televise": { + "CHS": "用电视播放", + "ENG": "to broadcast something on television" + }, + "springboard": { + "CHS": "利用跳板跃进" + }, + "captivity": { + "CHS": "囚禁;被关", + "ENG": "when a person or animal is kept in a prison, cage etc and not allowed to go where they want" + }, + "instruction": { + "CHS": "指令,命令;指示;教导;用法说明", + "ENG": "the written information that tells you how to do or use something" + }, + "sob": { + "CHS": "啜泣,呜咽", + "ENG": "A sob is one of the noises that you make when you are crying" + }, + "defeat": { + "CHS": "失败的事实;击败的行为", + "ENG": "failure to win or succeed" + }, + "whip": { + "CHS": "鞭子;抽打;车夫;[机] 搅拌器", + "ENG": "a long thin piece of rope or leather with a handle, that you hit animals with to make them move or that you hit someone with to punish them" + }, + "disgraceful": { + "CHS": "不名誉的,可耻的", + "ENG": "bad, embarrassing, or unacceptable" + }, + "grope": { + "CHS": "摸索;触摸" + }, + "magical": { + "CHS": "魔术的;有魔力的", + "ENG": "relating to magic or able to do magic" + }, + "daddy": { + "CHS": "爸爸", + "ENG": "father – used especially by children or when speaking to children" + }, + "rubbish": { + "CHS": "毫无价值的" + }, + "cry": { + "CHS": "叫喊;叫声;口号;呼叫", + "ENG": "a loud sound expressing a strong emotion such as pain, fear, or pleasure" + }, + "watt": { + "CHS": "瓦特", + "ENG": "a unit for measuring electrical power" + }, + "emphasis": { + "CHS": "重点;强调;加强语气", + "ENG": "special attention or importance" + }, + "yell": { + "CHS": "喊声,叫声", + "ENG": "a loud shout" + }, + "intricate": { + "CHS": "复杂的;错综的,缠结的", + "ENG": "containing many small parts or details that all work or fit together" + }, + "physiological": { + "CHS": "生理学的,生理的" + }, + "tempo": { + "CHS": "速度,发展速度;拍子", + "ENG": "the speed at which music is played or should be played" + }, + "fizz": { + "CHS": "显示兴奋;发嘶嘶声;起泡沫" + }, + "muck": { + "CHS": "弄脏;施肥;清除…的污物" + }, + "apologize": { + "CHS": "道歉;辩解;赔不是", + "ENG": "to tell someone that you are sorry that you have done something wrong" + }, + "giggle": { + "CHS": "吃吃的笑", + "ENG": "Giggle is also a noun" + }, + "vowel": { + "CHS": "元音的" + }, + "remnant": { + "CHS": "剩余的" + }, + "tease": { + "CHS": "戏弄;爱纠缠的小孩;挑逗者;卖弄风骚的女孩", + "ENG": "someone who enjoys making jokes at people, and embarrassing them, especially in a friendly way" + }, + "humbug": { + "CHS": "欺骗;哄骗" + }, + "beef": { + "CHS": "抱怨,告发;发牢骚", + "ENG": "to complain a lot" + }, + "caviar": { + "CHS": "鱼子酱", + "ENG": "the preserved eggs of various large fish, eaten as a special very expensive food" + }, + "freelance": { + "CHS": "自由投稿的", + "ENG": "working independently for different companies rather than being employed by one particular company" + }, + "enfold": { + "CHS": "拥抱;包裹;折叠;围绕", + "ENG": "If something enfolds an object or person, it covers, surrounds, or is wrapped around that object or person" + }, + "evoke": { + "CHS": "引起,唤起;博得", + "ENG": "to produce a strong feeling or memory in someone" + }, + "specially": { + "CHS": "特别地;专门地", + "ENG": "for one particular purpose, and only for that purpose" + }, + "technocracy": { + "CHS": "专家管理;专家政治论,技术统治论", + "ENG": "a social system in which people with a lot of knowledge about science, machines, and computers have a lot of power" + }, + "recently": { + "CHS": "最近;新近", + "ENG": "not long ago" + }, + "beneficiary": { + "CHS": "拥有封地的;受圣俸的" + }, + "ink": { + "CHS": "墨水,墨汁;油墨", + "ENG": "a coloured liquid that you use for writing, printing or drawing" + }, + "frontbench": { + "CHS": "英国议会席中两大正党领袖人物就座的前排" + }, + "shoulder": { + "CHS": "肩负,承担", + "ENG": "to accept a difficult or unpleasant responsibility, duty etc" + }, + "stocking": { + "CHS": "长袜", + "ENG": "a thin close-fitting piece of clothing that covers a woman’s leg and foot" + }, + "manuscript": { + "CHS": "手写的" + }, + "bureaucrat": { + "CHS": "官僚;官僚主义者", + "ENG": "someone who works in a bureaucracy and uses official rules very strictly" + }, + "historian": { + "CHS": "历史学家", + "ENG": "A historian is a person who specializes in the study of history, and who writes books and articles about it" + }, + "hardwood": { + "CHS": "硬木,硬木材;[植][林] 阔叶树", + "ENG": "strong heavy wood from trees such as oak, used for making furniture" + }, + "source": { + "CHS": "来源;水源;原始资料", + "ENG": "a thing, place, activity etc that you get something from" + }, + "commute": { + "CHS": "通勤(口语)", + "ENG": "A commute is the journey that you make when you commute" + }, + "passenger": { + "CHS": "旅客;乘客;过路人;碍手碍脚的人", + "ENG": "someone who is travelling in a vehicle, plane, boat etc, but is not driving it or working on it" + }, + "bullet": { + "CHS": "射出;迅速行进" + }, + "filial": { + "CHS": "孝顺的;子女的,当做子女的", + "ENG": "relating to the relationship of a son or daughter to their parents" + }, + "painstaking": { + "CHS": "辛苦;勤勉" + }, + "sector": { + "CHS": "把…分成扇形" + }, + "dioxide": { + "CHS": "二氧化物", + "ENG": "a chemical compound that contains two atoms of oxygen and one atom of another chemical element " + }, + "quickly": { + "CHS": "迅速地;很快地", + "ENG": "fast" + }, + "delicious": { + "CHS": "美味的;可口的", + "ENG": "very pleasant to taste or smell" + }, + "weight": { + "CHS": "加重量于,使变重", + "ENG": "If you weight something, you make it heavier by adding something to it, for example, in order to stop it from moving easily" + }, + "bleat": { + "CHS": "咩咩叫声", + "ENG": "Bleat is also a noun" + }, + "scoff": { + "CHS": "嘲笑;嘲弄;贪婪地吃", + "ENG": "to laugh at a person or idea, and talk about them in a way that shows you think they are stupid" + }, + "versatility": { + "CHS": "多功能性;多才多艺;用途广泛" + }, + "redistribute": { + "CHS": "重新分配;再区分", + "ENG": "to give something to each member of a group so that it is divided up in a different way from before" + }, + "roadway": { + "CHS": "道路;路面;车行道;铁路的路基", + "ENG": "the part of the road used by vehicles" + }, + "distribution": { + "CHS": "分布;分配", + "ENG": "the act of sharing things among a large group of people in a planned way" + }, + "heartwarming": { + "CHS": "感人的;暖人心房的", + "ENG": "making you feel happy because you see other people being happy or kind to each other" + }, + "food": { + "CHS": "食物;养料", + "ENG": "things that people and animals eat, such as vege-tables or meat" + }, + "crust": { + "CHS": "结硬皮;结成外壳" + }, + "its": { + "CHS": "(Its)人名;(俄)伊茨" + }, + "disloyal": { + "CHS": "不忠的;不忠诚的;背叛的", + "ENG": "doing or saying things that do not support your friends, your country, or the group you belong to" + }, + "bud": { + "CHS": "发芽,萌芽", + "ENG": "to produce buds" + }, + "unemployed": { + "CHS": "失业的;未被利用的", + "ENG": "without a job" + }, + "ironic": { + "CHS": "讽刺的;反话的", + "ENG": "an ironic situation is one that is unusual or amusing because something strange happens, or the opposite of what is expected happens or is true" + }, + "diet": { + "CHS": "节食", + "ENG": "to limit the amount and type of food that you eat, in order to become thinner" + }, + "mix": { + "CHS": "混合;混合物;混乱", + "ENG": "the particular combination of things or people in a group or thing" + }, + "nuclear": { + "CHS": "原子能的;[细胞] 细胞核的;中心的;原子核的", + "ENG": "relating to or involving the nucleus (= central part ) of an atom, or the energy produced when the nucleus of an atom is either split or joined with the nucleus of another atom" + }, + "freezer": { + "CHS": "冰箱;冷冻库;制冷工", + "ENG": "a large piece of electrical kitchen equipment in which food can be stored at very low temperatures for a long time" + }, + "trough": { + "CHS": "水槽,水槽;低谷期;饲料槽;低气压", + "ENG": "a long narrow open container that holds water or food for animals" + }, + "emanate": { + "CHS": "放射(过去式emanated,过去分词emanated,现在分词emanating,第三人称单数emanates,形容词emanative);发散", + "ENG": "If a quality emanates from you, or if you emanate a quality, you give people a strong sense that you have that quality" + }, + "least": { + "CHS": "最小;最少", + "ENG": "even if something better is not true or is not done" + }, + "fry": { + "CHS": "油炸;油煎", + "ENG": "to cook something in hot fat or oil, or to be cooked in hot fat or oil" + }, + "senseless": { + "CHS": "愚蠢的;无知觉的;无意识的", + "ENG": "happening or done for no good reason or with no purpose" + }, + "interchange": { + "CHS": "互换;立体交叉道", + "ENG": "an exchange, especially of ideas or thoughts" + }, + "red": { + "CHS": "红色的;红肿的,充血的", + "ENG": "having the colour of blood" + }, + "dynamics": { + "CHS": "动力学,力学", + "ENG": "the branch of mechanics concerned with the forces that change or produce the motions of bodies " + }, + "move": { + "CHS": "移动;搬家,迁移;离开", + "ENG": "to change from one place or position to another, or to make something do this" + }, + "waddle": { + "CHS": "摇摇摆摆地走;蹒跚而行", + "ENG": "to walk with short steps, with your body moving from one side to another – used especially about people or birds with fat bodies and short legs" + }, + "bumper": { + "CHS": "干杯", + "ENG": "to toast with a bumper " + }, + "flog": { + "CHS": "鞭打,鞭策;迫使", + "ENG": "to beat a person or animal with a whip or stick" + }, + "gray": { + "CHS": "成为灰色或灰白" + }, + "buzz": { + "CHS": "嗡嗡声", + "ENG": "a continuous noise like the sound of a bee " + }, + "gallery": { + "CHS": "挖地道" + }, + "incoming": { + "CHS": "进入;到来;常作 incomings 收入,收益" + }, + "qualm": { + "CHS": "疑虑;不安", + "ENG": "a feeling of slight worry or doubt because you are not sure that what you are doing is right" + }, + "turning": { + "CHS": "旋转(turn的ing形式)" + }, + "capitalist": { + "CHS": "资本主义的;资本家的", + "ENG": "using or supporting capitalism" + }, + "recoup": { + "CHS": "收回;恢复;偿还;扣除", + "ENG": "to get back an amount of money you have lost or spent" + }, + "workman": { + "CHS": "工匠;技工;男工", + "ENG": "someone who does physical work such as building, repairing things etc" + }, + "dinosaur": { + "CHS": "恐龙;过时、落伍的人或事物", + "ENG": "one of a group of reptile s that lived millions of years ago" + }, + "irrigation": { + "CHS": "灌溉;[临床] 冲洗;冲洗法" + }, + "reel": { + "CHS": "蹒跚;眩晕;旋转", + "ENG": "a staggering or swaying motion or sensation " + }, + "bawl": { + "CHS": "叫骂声" + }, + "undertaker": { + "CHS": "承担者;承办人;殡仪业者", + "ENG": "An undertaker is a person whose job is to deal with the bodies of people who have died and to arrange funerals" + }, + "insure": { + "CHS": "确保,保证;给…保险", + "ENG": "to buy insurance so that you will receive money if something bad happens to you, your family, your possessions etc" + }, + "philosophic": { + "CHS": "哲学的;贤明的" + }, + "tissue": { + "CHS": "饰以薄纱;用化妆纸揩去" + }, + "deputation": { + "CHS": "代表团,代表;委任代理", + "ENG": "a small group of people who are sent to talk to someone in authority, as representatives of a larger group" + }, + "photocopier": { + "CHS": "影印机;复印机", + "ENG": "a machine that makes photographic copies of documents" + }, + "fortress": { + "CHS": "筑要塞;以要塞防守" + }, + "twig": { + "CHS": "小枝;嫩枝;末梢", + "ENG": "a small very thin stem of wood that grows from a branch on a tree" + }, + "joke": { + "CHS": "开…的玩笑", + "ENG": "to say things that are intended to be funny and that you do not really mean" + }, + "arthritis": { + "CHS": "[外科] 关节炎", + "ENG": "a disease that causes the joints of your body to become swollen and very painful" + }, + "samba": { + "CHS": "跳桑巴舞" + }, + "lead": { + "CHS": "带头的;最重要的" + }, + "mourn": { + "CHS": "哀悼;忧伤;服丧", + "ENG": "to feel very sad and to miss someone after they have died" + }, + "plaster": { + "CHS": "减轻;粘贴;涂以灰泥;敷以膏药;使平服", + "ENG": "If you plaster yourself in some kind of sticky substance, you cover yourself in it" + }, + "crisis": { + "CHS": "危机的;用于处理危机的" + }, + "headrest": { + "CHS": "头靠,弹性头垫;靠头之物", + "ENG": "the top part of a chair or of a seat in a car, plane etc that supports the back of your head" + }, + "tobacconist": { + "CHS": "(主英)烟草商;烟草制品零售商", + "ENG": "someone who has a shop that sells tobacco, cigarettes etc" + }, + "copyright": { + "CHS": "保护版权;为…取得版权" + }, + "dealing": { + "CHS": "交易;行为", + "ENG": "the activity of buying, selling, or doing business with people" + }, + "drum": { + "CHS": "鼓;鼓声", + "ENG": "a musical instrument made of skin stretched over a circular frame, played by hitting it with your hand or a stick" + }, + "sewer": { + "CHS": "清洗污水管", + "ENG": "to provide with sewers " + }, + "promise": { + "CHS": "允诺,许诺;给人以…的指望或希望", + "ENG": "If you promise that you will do something, you say to someone that you will definitely do it" + }, + "essay": { + "CHS": "尝试;对…做试验" + }, + "search": { + "CHS": "搜寻;探究,查究", + "ENG": "an attempt to find someone or something" + }, + "aerospace": { + "CHS": "航空宇宙;[航] 航空航天空间", + "ENG": "the industry that designs and builds aircraft and space vehicles" + }, + "cuisine": { + "CHS": "烹饪,烹调法", + "ENG": "a particular style of cooking" + }, + "link": { + "CHS": "连接,连结;联合,结合", + "ENG": "to physically join two or more things, people, or places" + }, + "patchy": { + "CHS": "不调和的;拼凑成的;有补丁的" + }, + "curl": { + "CHS": "卷曲;卷发;螺旋状物", + "ENG": "a piece of hair that hangs in a curved shape" + }, + "allergy": { + "CHS": "过敏症;反感;厌恶", + "ENG": "a medical condition in which you become ill or in which your skin becomes red and painful because you have eaten or touched a particular substance" + }, + "dismal": { + "CHS": "低落的情绪" + }, + "about": { + "CHS": "大致;粗枝大叶;不拘小节的人" + }, + "fiery": { + "CHS": "热烈的,炽烈的;暴躁的;燃烧般的", + "ENG": "becoming angry or excited very quickly" + }, + "antique": { + "CHS": "觅购古玩" + }, + "crutch": { + "CHS": "用拐杖支撑;支持" + }, + "longing": { + "CHS": "渴望(long的ing形式)" + }, + "immunize": { + "CHS": "使免疫;赋予免疫性", + "ENG": "to protect someone from a particular illness by giving them a vaccine" + }, + "tom": { + "CHS": "〈美口〉(像汤姆叔一样)逆来顺受" + }, + "spend": { + "CHS": "预算" + }, + "menu": { + "CHS": "菜单", + "ENG": "a list of all the kinds of food that are available for a meal, especially in a restaurant" + }, + "angrily": { + "CHS": "愤怒地" + }, + "kickoff": { + "CHS": "开始;开球", + "ENG": "the time when a football game starts, or the first kick of the game" + }, + "settle": { + "CHS": "有背长椅", + "ENG": "a seat, for two or more people, usually made of wood with a high back and arms, and sometimes having a storage space in the boxlike seat " + }, + "ball": { + "CHS": "成团块" + }, + "priest": { + "CHS": "使成为神职人员;任命…为祭司" + }, + "lorry": { + "CHS": "(英)卡车;[车辆] 货车;运料车", + "ENG": "a large vehicle for carrying heavy goods" + }, + "gloomy": { + "CHS": "黑暗的;沮丧的;阴郁的", + "ENG": "making you feel that things will not improve" + }, + "human": { + "CHS": "人;人类", + "ENG": "a person" + }, + "digestive": { + "CHS": "助消化药" + }, + "danger": { + "CHS": "危险;危险物,威胁", + "ENG": "the possibility that someone or something will be harmed, destroyed, or killed" + }, + "lodging": { + "CHS": "寄宿;寄宿处;出租的房间、住房;倒伏", + "ENG": "a place to stay" + }, + "confederacy": { + "CHS": "联盟;联邦;私党", + "ENG": "a confederation" + }, + "raiser": { + "CHS": "饲养者;提高者;栽培者;筹集者" + }, + "exam": { + "CHS": "考试;测验", + "ENG": "a spoken or written test of knowledge, especially an important one" + }, + "instigate": { + "CHS": "唆使;煽动;教唆;怂恿", + "ENG": "to persuade someone to do something bad or violent" + }, + "greet": { + "CHS": "(Greet)人名;(英)格里特" + }, + "storm": { + "CHS": "起风暴;横冲直撞;狂怒咆哮", + "ENG": "to shout something in an angry way" + }, + "gate": { + "CHS": "给…装大门", + "ENG": "to provide with a gate or gates " + }, + "effluent": { + "CHS": "流出的,发出的" + }, + "disguise": { + "CHS": "伪装;假装;用作伪装的东西", + "ENG": "something that you wear to change your appearance and hide who you are, or the act of wearing this" + }, + "collision": { + "CHS": "碰撞;冲突;(意见,看法)的抵触;(政党等的)倾轧", + "ENG": "an accident in which two or more people or vehicles hit each other while moving in different directions" + }, + "guidance": { + "CHS": "指导,引导;领导", + "ENG": "help and advice that is given to someone about their work, education, or personal life" + }, + "nourishment": { + "CHS": "食物;营养品;滋养品", + "ENG": "the food and other substances that people and other living things need to live, grow, and stay healthy" + }, + "gush": { + "CHS": "涌出;迸发", + "ENG": "a large quantity of something, usually a liquid, that suddenly pours out of something" + }, + "success": { + "CHS": "成功,成就;胜利;大获成功的人或事物", + "ENG": "when you achieve what you want or intend" + }, + "fault": { + "CHS": "弄错;产生断层" + }, + "finance": { + "CHS": "负担经费,供给…经费" + }, + "elemental": { + "CHS": "基本的;主要的;自然力的;四大要素的(土、水、气、火)", + "ENG": "simple, basic, and important" + }, + "seethe": { + "CHS": "沸腾;感情等的迸发" + }, + "ruinous": { + "CHS": "破坏性的,毁灭性的;零落的", + "ENG": "causing a lot of damage or problems" + }, + "separately": { + "CHS": "分别地;分离地;个别地", + "ENG": "If people or things are dealt with separately or do something separately, they are dealt with or do something at different times or places, rather than together" + }, + "panic": { + "CHS": "使恐慌", + "ENG": "to suddenly feel so frightened that you cannot think clearly or behave sensibly, or to make someone do this" + }, + "native": { + "CHS": "本地人;土产;当地居民", + "ENG": "someone who lives in a place all the time or has lived there a long time" + }, + "hag": { + "CHS": "女巫;丑老太婆", + "ENG": "an ugly or unpleasant woman, especially one who is old or looks like a witch" + }, + "hostess": { + "CHS": "女主人,女老板;女服务员;舞女;女房东", + "ENG": "a woman at a party, meal etc who has invited all the guests and provides them with food, drink etc" + }, + "sallow": { + "CHS": "成土色" + }, + "sinner": { + "CHS": "罪人;有错者", + "ENG": "someone who has sin ned by not obeying God’s laws" + }, + "supervise": { + "CHS": "监督,管理;指导", + "ENG": "to be in charge of an activity or person, and make sure that things are done in the correct way" + }, + "impenetrable": { + "CHS": "不能通过的;顽固的;费解的;不接纳的", + "ENG": "impossible to get through, see through, or get into" + }, + "ABC": { + "CHS": "美国广播公司(American Broadcasting Company);澳大利亚广播公司(Australian Broadcasting Corporation);出生在美国的华人(American - born Chinese);代理商-商家-消费者的商业模式(Agent, Business, Consumer)" + }, + "helpless": { + "CHS": "无助的;无能的;没用的", + "ENG": "unable to look after yourself or to do anything to help yourself" + }, + "unfortunate": { + "CHS": "不幸的;令人遗憾的;不成功的", + "ENG": "someone who is unfortunate has something bad happen to them" + }, + "meddle": { + "CHS": "管闲事,干预他人之事", + "ENG": "to deliberately try to influence or change a situation that does not concern you, or that you do not understand" + }, + "batch": { + "CHS": "分批处理", + "ENG": "to group (items) for efficient processing " + }, + "infertile": { + "CHS": "不肥沃的;不毛的;不结果实的;不能生殖的", + "ENG": "unable to have babies" + }, + "fro": { + "CHS": "向后;向那边" + }, + "radio": { + "CHS": "用无线电进行通信", + "ENG": "to send a message using a radio" + }, + "fraternal": { + "CHS": "兄弟般的;友好的", + "ENG": "showing a special friendliness to other people because you share interests or ideas with them" + }, + "above": { + "CHS": "上文", + "ENG": "Above is also a noun" + }, + "basically": { + "CHS": "主要地,基本上", + "ENG": "used to emphasize the most important reason or fact about something, or a simple explanation of something" + }, + "truth": { + "CHS": "真理;事实;诚实;实质", + "ENG": "the true facts about something, rather than what is untrue, imagined, or guessed" + }, + "diagnosis": { + "CHS": "诊断", + "ENG": "the process of discovering exactly what is wrong with someone or something, by examining them closely" + }, + "zany": { + "CHS": "小丑;笨人;马屁精" + }, + "sudden": { + "CHS": "突然发生的事" + }, + "supply": { + "CHS": "供给,提供;补充", + "ENG": "to provide people with something that they need or want, especially regularly over a long period of time" + }, + "rhythmical": { + "CHS": "有节奏的;有韵律的", + "ENG": "A rhythmic movement or sound is repeated at regular intervals, forming a regular pattern or beat" + }, + "astral": { + "CHS": "星的;星际的;精神世界的", + "ENG": "relating to ideas and experiences connected with the mind and spirit rather than the body" + }, + "goat": { + "CHS": "山羊;替罪羊(美俚);色鬼(美俚)", + "ENG": "an animal that has horns on top of its head and long hair under its chin, and can climb steep hills and rocks. Goats live wild in the mountains or are kept as farm animals." + }, + "continuity": { + "CHS": "连续性;一连串;分镜头剧本", + "ENG": "the state of continuing for a period of time, without problems, interruptions, or changes" + }, + "regular": { + "CHS": "定期地;经常地" + }, + "cabbage": { + "CHS": "卷心菜,甘蓝菜,洋白菜;(俚)脑袋;(非正式、侮辱)植物人(常用于英式英语);(俚)钱,尤指纸币(常用于美式俚语)", + "ENG": "a large round vegetable with thick green or purple leaves" + }, + "hacked": { + "CHS": "生气" + }, + "gravity": { + "CHS": "重力,地心引力;严重性;庄严", + "ENG": "the force that causes something to fall to the ground or to be attracted to another planet " + }, + "reciprocate": { + "CHS": "报答;互换;互给" + }, + "splendid": { + "CHS": "辉煌的;灿烂的;极好的;杰出的", + "ENG": "very good" + }, + "commentate": { + "CHS": "评论;解说;注释", + "ENG": "to describe an event such as a sports game on television or radio" + }, + "queer": { + "CHS": "同性恋者;怪人;伪造的货币", + "ENG": "an offensive word for a homosexual person, especially a man. Do not use this word." + }, + "yank": { + "CHS": "突然的猛拉", + "ENG": "Yank is also a noun" + }, + "sanctify": { + "CHS": "使圣洁;使神圣化;把…奉献给神;认可", + "ENG": "to make something seem morally right or acceptable or to give something official approval" + }, + "eyeball": { + "CHS": "盯住看;仔细对…打量", + "ENG": "to look directly and closely at something or someone" + }, + "sale": { + "CHS": "销售;出售;拍卖;销售额;廉价出售", + "ENG": "when you sell something" + }, + "tap": { + "CHS": "水龙头;轻打", + "ENG": "a piece of equipment for controlling the flow of water, gas etc from a pipe or container" + }, + "poetry": { + "CHS": "诗;诗意,诗情;诗歌艺术", + "ENG": "poems in general, or the art of writing them" + }, + "ammonia": { + "CHS": "[无化] 氨,阿摩尼亚", + "ENG": "a clear liquid with a strong bad smell that is used for cleaning or in cleaning products" + }, + "cherish": { + "CHS": "珍爱", + "ENG": "if you cherish something, it is very important to you" + }, + "blockade": { + "CHS": "阻塞", + "ENG": "something that is used to stop vehicles or people entering or leaving a place" + }, + "area": { + "CHS": "区域,地区;面积;范围", + "ENG": "a particular part of a country, town etc" + }, + "guilty": { + "CHS": "有罪的;内疚的", + "ENG": "feeling very ashamed and sad because you know that you have done something wrong" + }, + "geology": { + "CHS": "地质学;地质情况", + "ENG": "the study of the rocks, soil etc that make up the Earth, and of the way they have changed since the Earth was formed" + }, + "revitalize": { + "CHS": "使…复活;使…复兴;使…恢复生气", + "ENG": "To revitalize something that has lost its activity or its health means to make it active or healthy again" + }, + "hearth": { + "CHS": "灶台;炉边;炉床;壁炉地面", + "ENG": "the area of floor around a fireplace in a house" + }, + "grate": { + "CHS": "壁炉;格栅", + "ENG": "the metal bars and frame that hold the wood, coal etc in a fireplace " + }, + "rejection": { + "CHS": "抛弃;拒绝;被抛弃的东西;盖帽", + "ENG": "the act of not accepting, believing in, or agreeing with something" + }, + "eyeless": { + "CHS": "盲目的;无眼的;瞎的", + "ENG": "having no eyes" + }, + "bet": { + "CHS": "打赌;敢断定,确信", + "ENG": "to risk money on the result of a race, game, competition, or other future event" + }, + "deviant": { + "CHS": "不正常的;离经叛道的", + "ENG": "different, in a bad way, from what is considered normal" + }, + "tree": { + "CHS": "把赶上树" + }, + "conjure": { + "CHS": "念咒召唤;用魔法驱赶;提出,想象;恳求" + }, + "extol": { + "CHS": "颂扬;赞美;赞颂", + "ENG": "to praise something very much" + }, + "equivalent": { + "CHS": "等价物,相等物", + "ENG": "something that has the same value, purpose, job etc as something else" + }, + "anything": { + "CHS": "任何事", + "ENG": "any thing, event, situation etc, when it is not important to say exactly which" + }, + "obey": { + "CHS": "(Obey)人名;(英、法)奥贝" + }, + "advise": { + "CHS": "建议;劝告,忠告;通知;警告", + "ENG": "to tell someone what you think they should do, especially when you know more than they do about something" + }, + "insert": { + "CHS": "插入物;管芯;镶块;[机械]刀片", + "ENG": "something that is designed to be put inside something else" + }, + "heartache": { + "CHS": "心痛;悲叹", + "ENG": "a strong feeling of great sadness and anxiety" + }, + "duke": { + "CHS": "公爵,(公国的)君主;公爵(种)樱桃", + "ENG": "a man with the highest social rank outside the royal family" + }, + "embarrass": { + "CHS": "使局促不安;使困窘;阻碍", + "ENG": "to make someone feel ashamed, nervous, or uncomfortable, especially in front of other people" + }, + "emergence": { + "CHS": "出现,浮现;发生;露头", + "ENG": "when something begins to be known or noticed" + }, + "sophomore": { + "CHS": "二年级的;二年级学生的" + }, + "Tuesday": { + "CHS": "星期二", + "ENG": "the day between Monday and Wednesday" + }, + "jigsaw": { + "CHS": "用线锯锯" + }, + "perceive": { + "CHS": "察觉,感觉;理解;认知", + "ENG": "to understand or think of something or someone in a particular way" + }, + "vex": { + "CHS": "使烦恼;使困惑;使恼怒", + "ENG": "to make someone feel annoyed or worried" + }, + "abode": { + "CHS": "遵守;停留;忍受(abide的过去分词)" + }, + "deviation": { + "CHS": "偏差;误差;背离", + "ENG": "a noticeable difference from what is expected or acceptable" + }, + "payout": { + "CHS": "支出;花费" + }, + "measure": { + "CHS": "测量;估量;权衡", + "ENG": "to find the size, length, or amount of something, using standard units such as inch es ,metres etc" + }, + "reciprocity": { + "CHS": "相互作用(复数reciprocities);相互性;互惠主义", + "ENG": "a situation in which two people, groups, or countries give each other similar kinds of help or special rights" + }, + "million": { + "CHS": "百万", + "ENG": "the number" + }, + "vernacular": { + "CHS": "本地话,方言;动植物的俗名", + "ENG": "a form of a language that ordinary people use, especially one that is not the official language" + }, + "coral": { + "CHS": "珊瑚的;珊瑚色的", + "ENG": "pink or reddish-orange in colour" + }, + "delve": { + "CHS": "穴;洞" + }, + "atlas": { + "CHS": "地图集;寰椎", + "ENG": "a book containing maps, especially of the whole world" + }, + "decidedly": { + "CHS": "果断地;断然地;明显;毫无疑问", + "ENG": "definitely or in a way that is easily noticed" + }, + "encampment": { + "CHS": "营地;露营", + "ENG": "a large temporary camp, especially of soldiers" + }, + "expurgate": { + "CHS": "删除,删去", + "ENG": "If someone expurgates a piece of writing, they remove parts of it before it is published because they think those parts will offend or shock people" + }, + "impair": { + "CHS": "损害;削弱;减少", + "ENG": "to damage something or make it not as good as it should be" + }, + "democrat": { + "CHS": "民主党人;民主主义者;民主政体论者", + "ENG": "someone who believes in democracy, or works to achieve it" + }, + "premonition": { + "CHS": "预告;征兆", + "ENG": "a strange feeling that something, especially something bad, is going to happen" + }, + "rabbi": { + "CHS": "拉比(犹太人的学者);法师;犹太教律法专家;先生", + "ENG": "a Jewish priest" + }, + "anyhow": { + "CHS": "总之;无论如何;不管怎样" + }, + "moving": { + "CHS": "移动(move的ing形式)" + }, + "linear": { + "CHS": "线的,线型的;直线的,线状的;长度的", + "ENG": "consisting of lines, or in the form of a straight line" + }, + "amaze": { + "CHS": "使吃惊", + "ENG": "to surprise someone very much" + }, + "fatalism": { + "CHS": "宿命论", + "ENG": "the belief that there is nothing you can do to prevent events from happening" + }, + "audition": { + "CHS": "试听;试音", + "ENG": "to take part in an audition" + }, + "likewise": { + "CHS": "同样地;也", + "ENG": "in the same way" + }, + "forecast": { + "CHS": "预测,预报;预想", + "ENG": "a description of what is likely to happen in the future, based on the information that you have now" + }, + "incidental": { + "CHS": "附带事件;偶然事件;杂项" + }, + "thirst": { + "CHS": "渴望;口渴", + "ENG": "to be thirsty" + }, + "rescue": { + "CHS": "营救;援救;解救", + "ENG": "when someone or something is rescued from danger" + }, + "explain": { + "CHS": "说明;解释", + "ENG": "to tell someone about something in a way that is clear or easy to understand" + }, + "Swiss": { + "CHS": "瑞士人;瑞士腔调", + "ENG": "people from Switzerland" + }, + "extraction": { + "CHS": "取出;抽出;拔出;抽出物;出身", + "ENG": "the process of removing or obtaining something from something else" + }, + "disaster": { + "CHS": "灾难,灾祸;不幸", + "ENG": "a sudden event such as a flood, storm, or accident which causes great damage or suffering" + }, + "exalt": { + "CHS": "提升;提拔;赞扬;使得意", + "ENG": "to put someone or something into a high rank or position" + }, + "prolific": { + "CHS": "多产的;丰富的", + "ENG": "a prolific artist, writer etc produces many works of art, books etc" + }, + "expectant": { + "CHS": "期待者;候选人" + }, + "apt": { + "CHS": "(Apt)人名;(法、波、英)阿普特" + }, + "used": { + "CHS": "用(use的过去式);(used to)过去常做" + }, + "carp": { + "CHS": "鲤鱼", + "ENG": "a large fish that lives in lakes and rivers and can be eaten" + }, + "counter": { + "CHS": "反方向地;背道而驰地" + }, + "commitment": { + "CHS": "承诺,保证;委托;承担义务;献身", + "ENG": "a promise to do something or to behave in a particular way" + }, + "ratchet": { + "CHS": "安装棘轮于;松脱" + }, + "henchman": { + "CHS": "亲信;追随者;(美)走狗;侍从" + }, + "slogan": { + "CHS": "标语;呐喊声", + "ENG": "a short phrase that is easy to remember and is used in advertisements, or by politicians, organizations etc" + }, + "give": { + "CHS": "弹性;弯曲;伸展性", + "ENG": "the ability of a material or substance to bend or stretch when put under pressure" + }, + "genetics": { + "CHS": "遗传学", + "ENG": "the study of how the qualities of living things are passed on in their genes" + }, + "empress": { + "CHS": "皇后;女皇", + "ENG": "a female ruler of an empire, or the wife of an emperor" + }, + "helium": { + "CHS": "[化学] 氦(符号为He,2号元素)", + "ENG": "a gas that is lighter than air and is used to make balloons float. It is a chemical element :symbol He" + }, + "formality": { + "CHS": "礼节;拘谨;仪式;正式手续", + "ENG": "something that you must do as a formal or official part of an activity or process" + }, + "antonym": { + "CHS": "[语] 反义词", + "ENG": "a word that means the opposite of another word" + }, + "choreography": { + "CHS": "编舞;舞蹈艺术;舞艺", + "ENG": "the art of arranging how dancers should move during a performance" + }, + "crayon": { + "CHS": "以蜡笔作画,用颜色粉笔画", + "ENG": "to draw something with a crayon" + }, + "robust": { + "CHS": "强健的;健康的;粗野的;粗鲁的", + "ENG": "a robust person is strong and healthy" + }, + "cattle": { + "CHS": "牛;牲畜(骂人的话);家畜;无价值的人", + "ENG": "cows and bull s kept on a farm for their meat or milk" + }, + "solicitor": { + "CHS": "律师;法务官;募捐者;掮客", + "ENG": "a type of lawyer in Britain who gives legal advice, prepares the necessary documents when property is bought or sold, and defends people, especially in the lower courts of law" + }, + "vestige": { + "CHS": "遗迹;残余;退化的器官", + "ENG": "a small part or amount of something that remains when most of it no longer exists" + }, + "twice": { + "CHS": "两次;两倍", + "ENG": "two times" + }, + "capsize": { + "CHS": "倾覆(特指船);翻覆;弄翻", + "ENG": "if a boat capsizes, or if you capsize it, it turns over in the water" + }, + "supernatural": { + "CHS": "超自然现象;不可思议的事", + "ENG": "The supernatural is things that are supernatural" + }, + "crotch": { + "CHS": "(人的)胯部,分叉处;丫叉", + "ENG": "the part of your body between the tops of your legs, or the part of a piece of clothing that covers this" + }, + "plus": { + "CHS": "加,加上", + "ENG": "used to show that one number or amount is added to another" + }, + "hospice": { + "CHS": "收容所;旅客招待所;救济院" + }, + "mean": { + "CHS": "平均值", + "ENG": "the average amount, figure, or value" + }, + "energy": { + "CHS": "[物] 能量;精力;活力;精神", + "ENG": "power that is used to provide heat, operate machines etc" + }, + "cookie": { + "CHS": "饼干;小甜点", + "ENG": "a small flat sweet cake" + }, + "marital": { + "CHS": "婚姻的;夫妇间的", + "ENG": "relating to marriage" + }, + "caption": { + "CHS": "加上说明;加上标题" + }, + "find": { + "CHS": "发现", + "ENG": "something very good or useful that you discover by chance" + }, + "efface": { + "CHS": "抹去,抹掉;使自己不受人注意", + "ENG": "to destroy or remove something" + }, + "conflate": { + "CHS": "合并;异文合并", + "ENG": "to combine two or more things to form a single new thing" + }, + "hairspray": { + "CHS": "头发定型剂", + "ENG": "a sticky liquid that you spray on your hair to keep it in place" + }, + "vibration": { + "CHS": "振动;犹豫;心灵感应" + }, + "acknowledge": { + "CHS": "承认;答谢;报偿;告知已收到", + "ENG": "to admit or accept that something is true or that a situation exists" + }, + "overgrown": { + "CHS": "生长过度(overgrow的过去分词)" + }, + "patriarch": { + "CHS": "家长;族长;元老;创始人", + "ENG": "an old man who is respected as the head of a family or tribe" + }, + "single": { + "CHS": "选出" + }, + "gust": { + "CHS": "一阵阵地劲吹", + "ENG": "if the wind gusts, it blows strongly with sudden short movements" + }, + "dappled": { + "CHS": "起斑纹(dapple的过去式和过去分词)" + }, + "zealot": { + "CHS": "狂热者;犹太教狂热信徒", + "ENG": "someone who has extremely strong beliefs, especially religious or political beliefs, and is too eager to make other people share them" + }, + "pool": { + "CHS": "联营,合伙经营" + }, + "alongside": { + "CHS": "在……旁边" + }, + "derivation": { + "CHS": "引出;来历;词源;派生词", + "ENG": "the origin of something, especially a word" + }, + "temper": { + "CHS": "使回火;锻炼;调和;使缓和", + "ENG": "to make something less severe or extreme" + }, + "survivor": { + "CHS": "幸存者;生还者;残存物", + "ENG": "someone who continues to live after an accident, war, or illness" + }, + "parrot": { + "CHS": "机械地模仿" + }, + "township": { + "CHS": "镇区;小镇", + "ENG": "a town in Canada or the US that has some local government" + }, + "academic": { + "CHS": "大学生,大学教师;学者", + "ENG": "a teacher in a college or university" + }, + "chariot": { + "CHS": "驾驭(过去式charioted,过去分词charioted,现在分词charioting,第三人称单数chariots)" + }, + "reward": { + "CHS": "[劳经] 奖励;奖赏", + "ENG": "to give something to someone because they have done something good or helpful or have worked for it" + }, + "envelope": { + "CHS": "信封,封皮;包膜;[天] 包层;包迹", + "ENG": "a thin paper cover in which you put and send a letter" + }, + "decease": { + "CHS": "死亡", + "ENG": "death" + }, + "shower": { + "CHS": "大量地给予;把……弄湿", + "ENG": "to give someone a lot of things" + }, + "practicable": { + "CHS": "可用的;行得通的;可实行的", + "ENG": "a practicable way of doing something is possible in a particular situation" + }, + "inclusive": { + "CHS": "包括的,包含的", + "ENG": "an inclusive price or cost includes everything" + }, + "piece": { + "CHS": "修补;接合;凑合" + }, + "insanity": { + "CHS": "疯狂;精神错乱;精神病;愚顽", + "ENG": "the state of being seriously mentally ill, so that you cannot live normally in society" + }, + "quiver": { + "CHS": "颤抖;振动", + "ENG": "to shake slightly because you are cold, or because you feel very afraid, angry, excited etc" + }, + "interlocutor": { + "CHS": "对话者;谈话者", + "ENG": "your interlocutor is the person you are speaking to" + }, + "holocaust": { + "CHS": "大屠杀;毁灭", + "ENG": "the killing of millions of Jews and other people by the Nazis during the Second World War" + }, + "thereafter": { + "CHS": "其后;从那时以后", + "ENG": "after a particular event or time" + }, + "hallowed": { + "CHS": "神圣的,神圣化的", + "ENG": "holy or made holy by religious practices" + }, + "recording": { + "CHS": "录音;记录;录像(record的ing形式)" + }, + "defame": { + "CHS": "诽谤;中伤", + "ENG": "to write or say bad or untrue things about someone or something, so that people will have a bad opinion of them" + }, + "furnishings": { + "CHS": "家具;供应;穿戴用品(furnishing的复数)", + "ENG": "the furniture and other things, such as curtains, in a room" + }, + "chat": { + "CHS": "聊天;闲谈", + "ENG": "an informal friendly conversation" + }, + "etceteras": { + "CHS": "附加项目;其余(etcetera的复数形式)", + "ENG": "miscellaneous extra things or persons " + }, + "recreation": { + "CHS": "娱乐;消遣;休养", + "ENG": "an activity that you do for pleasure or amusement" + }, + "nuzzle": { + "CHS": "用鼻紧挨,用鼻爱抚;紧贴某人" + }, + "align": { + "CHS": "使结盟;使成一行;匹配", + "ENG": "to arrange things so that they form a line or are parallel to each other, or to be in a position that forms a line etc" + }, + "sheath": { + "CHS": "鞘;护套;叶鞘;女子紧身服装", + "ENG": "a cover for the blade of a knife or sword" + }, + "loft": { + "CHS": "把…储放在阁楼内" + }, + "sliver": { + "CHS": "成为薄片;裂成小片" + }, + "disconcert": { + "CHS": "使仓皇失措;使困惑;破坏", + "ENG": "to make someone feel slightly confused, embarrassed, or worried" + }, + "could": { + "CHS": "能(can的过去式)", + "ENG": "used as the past tense of ‘can’ to say what someone was able to do or was allowed to do in the past" + }, + "dazzle": { + "CHS": "使……目眩;使……眼花", + "ENG": "if a very bright light dazzles you, it stops you from seeing properly for a short time" + }, + "spotless": { + "CHS": "无可挑剔的;无瑕疵的;纯洁的", + "ENG": "if someone has a spotless reputation or record, people know or think they have never done anything bad" + }, + "SAP": { + "CHS": "使衰竭,使伤元气;挖掘以破坏基础" + }, + "whizz": { + "CHS": "飕飕作声(等于whiz)" + }, + "massive": { + "CHS": "大量的;巨大的,厚重的;魁伟的", + "ENG": "very large, solid, and heavy" + }, + "concord": { + "CHS": "和谐;和睦;一致;协调", + "ENG": "the state of having a friendly relationship, so that you agree on things and live in peace" + }, + "debtor": { + "CHS": "债务人;[会计] 借方", + "ENG": "a person, group, or organization that owes money" + }, + "disapprove": { + "CHS": "不赞成;不同意", + "ENG": "to think that someone or their behaviour, ideas etc are bad or wrong" + }, + "uprising": { + "CHS": "起义(uprise的ing形式);升起" + }, + "heartbroken": { + "CHS": "悲伤的,伤心的", + "ENG": "extremely sad because of something that has happened" + }, + "gown": { + "CHS": "使穿睡衣" + }, + "detector": { + "CHS": "探测器;检测器;发现者;侦察器", + "ENG": "a machine or piece of equipment that finds or measures something" + }, + "erase": { + "CHS": "抹去;擦除", + "ENG": "to remove information from a computer memory or recorded sounds from a tape" + }, + "entrepreneur": { + "CHS": "企业家;承包人;主办者", + "ENG": "someone who starts a new business or arranges business deals in order to make money, often in a way that involves financial risks" + }, + "keen": { + "CHS": "痛哭,挽歌" + }, + "pant": { + "CHS": "气喘;喘息;喷气声" + }, + "barrister": { + "CHS": "律师;(加拿大)出庭律师(等于arrister-at-law);(英)(有资格出席高等法庭并辩护的)专门律师", + "ENG": "a lawyer in Britain who can argue cases in the higher law courts" + }, + "plateau": { + "CHS": "高原印第安人的" + }, + "mind": { + "CHS": "介意;专心于;照料", + "ENG": "to feel annoyed or upset about something" + }, + "accredit": { + "CHS": "授权;信任;委派;归因于" + }, + "neurosis": { + "CHS": "[心理] 神经症;神经衰弱症", + "ENG": "a mental illness that makes someone unreasonably worried or frightened" + }, + "insistent": { + "CHS": "坚持的;迫切的;显著的;引人注目的;紧急的", + "ENG": "demanding firmly and repeatedly that something should happen" + }, + "access": { + "CHS": "进入;使用权;通路", + "ENG": "the right to enter a place, use something, see someone etc" + }, + "they": { + "CHS": "他们;它们;她们", + "ENG": "used to refer to two or more people or things that have already been mentioned or are already known about" + }, + "intellect": { + "CHS": "智力,理解力;知识分子;思维逻辑领悟力;智力高的人", + "ENG": "the ability to understand things and to think intelligently" + }, + "hell": { + "CHS": "该死;见鬼(表示惊奇、烦恼、厌恶、恼怒、失望等)", + "ENG": "used when you are very angry with someone" + }, + "academy": { + "CHS": "学院;研究院;学会;专科院校", + "ENG": "an official organization which encourages the development of literature, art, science etc" + }, + "reform": { + "CHS": "改革的;改革教会的" + }, + "crafty": { + "CHS": "狡猾的;灵巧的", + "ENG": "good at getting what you want by clever planning and by secretly deceiving people" + }, + "tenancy": { + "CHS": "租期;租用", + "ENG": "the period of time that someone rents a house, land etc" + }, + "competitive": { + "CHS": "竞争的;比赛的;求胜心切的", + "ENG": "relating to competition" + }, + "setting": { + "CHS": "放置;沉没;使…处于某位置(set的ing形式)" + }, + "tattoo": { + "CHS": "刺花纹于", + "ENG": "to mark a permanent picture or writing on someone’s skin with a needle and ink" + }, + "unseemly": { + "CHS": "不得体地;不适宜地" + }, + "domineer": { + "CHS": "跋扈;作威作福" + }, + "nucleus": { + "CHS": "核,核心;原子核", + "ENG": "the central part of an atom, made up of neutrons, protons, and other elementary particles" + }, + "quarrel": { + "CHS": "吵架;反目;怨言;争吵的原因;方头凿", + "ENG": "an angry argument or disagreement" + }, + "habitation": { + "CHS": "居住;住所", + "ENG": "a building that is unfit for human habitation is not safe or healthy for people to live in" + }, + "straighten": { + "CHS": "整顿;使…改正;使…挺直;使…好转", + "ENG": "If you straighten something, you make it neat or put it in its proper position" + }, + "symbolic": { + "CHS": "象征的;符号的;使用符号的", + "ENG": "a symbolic action is important because of what it represents but may not have any real effect" + }, + "constancy": { + "CHS": "坚定不移;恒久不变", + "ENG": "the quality of staying the same even though other things change" + }, + "disadvantageous": { + "CHS": "不利的;不便的;贬抑的", + "ENG": "unfavourable and likely to cause problems for you" + }, + "currency": { + "CHS": "货币;通货", + "ENG": "the system or type of money that a country uses" + }, + "imbecility": { + "CHS": "愚钝;低能;愚蠢的行为,言语等" + }, + "summons": { + "CHS": "唤出;传到;传唤到法院" + }, + "suddenly": { + "CHS": "突然地;忽然", + "ENG": "quickly and unexpectedly" + }, + "arc": { + "CHS": "形成电弧;走弧线" + }, + "terminal": { + "CHS": "末端的;终点的;晚期的", + "ENG": "a terminal illness cannot be cured, and causes death" + }, + "limestone": { + "CHS": "[岩] 石灰岩", + "ENG": "a type of rock that contains calcium" + }, + "utilize": { + "CHS": "利用", + "ENG": "to use something for a particular purpose" + }, + "breathtaking": { + "CHS": "惊人的;惊险的;令人激动的", + "ENG": "very impressive, exciting, or surprising" + }, + "winter": { + "CHS": "冬天的;越冬的" + }, + "bulge": { + "CHS": "使膨胀;使凸起", + "ENG": "to stick out in a rounded shape, especially because something is very full or too tight" + }, + "aggrieved": { + "CHS": "侵害,伤害(aggrieve的过去分词形式);使悲痛" + }, + "foreshore": { + "CHS": "海滩;前滩", + "ENG": "the part of the shore between the highest and lowest levels that the sea reaches" + }, + "administration": { + "CHS": "管理;行政;实施;行政机构", + "ENG": "the activities that are involved in managing the work of a company or organization" + }, + "shake": { + "CHS": "摇动;哆嗦", + "ENG": "if you give something a shake, you move it up and down or from side to side" + }, + "ransom": { + "CHS": "赎金;赎身,赎回", + "ENG": "an amount of money that is paid to free someone who is held as a prisoner" + }, + "inconvenient": { + "CHS": "不便的;打扰的", + "ENG": "causing problems, often in a way that is annoying" + }, + "marvel": { + "CHS": "对…感到惊异", + "ENG": "to feel or express great surprise or admiration at something, especially someone’s behaviour" + }, + "cannibal": { + "CHS": "食同类的;吃人肉的;凶残的" + }, + "thee": { + "CHS": "(Thee)人名;(德)特厄" + }, + "nut": { + "CHS": "采坚果" + }, + "picturesque": { + "CHS": "独特的;生动的;别致的;图画般的", + "ENG": "picturesque language uses unusual, interesting, or sometimes rude words to describe something" + }, + "majesty": { + "CHS": "威严;最高权威,王权;雄伟;权威", + "ENG": "the quality that something big has of being impressive, powerful, or beautiful" + }, + "steely": { + "CHS": "(Steely)人名;(英)斯蒂利" + }, + "dock": { + "CHS": "使靠码头;剪短", + "ENG": "if a ship docks, or if the captain docks it, it sails into a dock so that it can unload" + }, + "behalf": { + "CHS": "代表;利益", + "ENG": "instead of someone, or as their representative" + }, + "swirl": { + "CHS": "盘绕;打旋;眩晕;大口喝酒", + "ENG": "to move around quickly in a twisting circular movement, or to make something do this" + }, + "breadth": { + "CHS": "宽度,幅度;宽宏", + "ENG": "the distance from one side of something to the other" + }, + "grapple": { + "CHS": "抓住;格斗" + }, + "friendly": { + "CHS": "(Friendly)人名;(英)弗兰德利" + }, + "stain": { + "CHS": "污点;瑕疵;着色剂", + "ENG": "a mark that is difficult to remove, especially one made by a liquid such as blood, coffee, or ink" + }, + "suspect": { + "CHS": "怀疑;猜想", + "ENG": "to think that something is probably true, especially something bad" + }, + "uncle": { + "CHS": "叔叔;伯父;伯伯;舅父;姨丈;姑父", + "ENG": "the brother of your mother or father, or the husband of your aunt" + }, + "duration": { + "CHS": "持续,持续的时间,期间", + "ENG": "the length of time that something continues" + }, + "panel": { + "CHS": "嵌镶板" + }, + "uneasy": { + "CHS": "不舒服的;心神不安的;不稳定的", + "ENG": "worried or slightly afraid because you think that something bad might happen" + }, + "despite": { + "CHS": "轻视;憎恨;侮辱" + }, + "misery": { + "CHS": "痛苦,悲惨;不幸;苦恼;穷困", + "ENG": "great suffering that is caused for example by being very poor or very sick" + }, + "wayward": { + "CHS": "任性的;不规则的;刚愎的", + "ENG": "behaving badly, in a way that is difficult to control" + }, + "cartoon": { + "CHS": "为…画漫画" + }, + "worm": { + "CHS": "使蠕动;给除虫;使缓慢前进" + }, + "feeler": { + "CHS": "[动] 触角;试探;试探者;厚薄规", + "ENG": "one of the two long things on an insect’s head that it uses to feel or touch things. Some sea animals also have feelers." + }, + "herring": { + "CHS": "鲱", + "ENG": "a long thin silver sea fish that can be eaten" + }, + "skirt": { + "CHS": "绕过,回避;位于…边缘", + "ENG": "to avoid talking about an important subject, especially because it is difficult or embarrassing – used to show disapproval" + }, + "stipulate": { + "CHS": "有托叶的" + }, + "soup": { + "CHS": "加速;增加马力" + }, + "colourful": { + "CHS": "鲜艳的;生动的;色彩丰富的;富有趣味的", + "ENG": "having bright colours or a lot of different colours" + }, + "deliberation": { + "CHS": "审议;考虑;从容;熟思", + "ENG": "careful consideration or discussion of something" + }, + "VIP": { + "CHS": "大人物,贵宾(Very Important Person);视频接口处理器(Video Interface Processor);可变信息处理(Variable Information Processing)" + }, + "barracks": { + "CHS": "使驻扎军营里;住在工房、棚屋里;(澳)大声鼓噪(barrack的三单形式)" + }, + "fingernail": { + "CHS": "手指甲", + "ENG": "the hard flat part that covers the top end of your finger" + }, + "comprehend": { + "CHS": "理解;包含;由…组成", + "ENG": "to understand something that is complicated or difficult" + }, + "quit": { + "CHS": "摆脱了…的;已经了结的" + }, + "teacher": { + "CHS": "教师;导师", + "ENG": "someone whose job is to teach, especially in a school" + }, + "inescapable": { + "CHS": "不可避免的;逃脱不了的", + "ENG": "an inescapable fact or situation is one that you cannot avoid or ignore" + }, + "turnout": { + "CHS": "产量;出席者;参加人数;出动;清除;[公路] 岔道", + "ENG": "the number of people who vote in an election" + }, + "tender": { + "CHS": "提供,偿还;使…变嫩;使…变柔软" + }, + "begrudge": { + "CHS": "羡慕,嫉妒;吝惜,舍不得给", + "ENG": "to feel angry or upset with someone because they have something that you think they do not deserve" + }, + "failure": { + "CHS": "失败;故障;失败者;破产", + "ENG": "a lack of success in achieving or doing something" + }, + "icicle": { + "CHS": "冰柱;垂冰;冷冰冰的人", + "ENG": "a long thin pointed piece of ice hanging from a roof or other surface" + }, + "occasion": { + "CHS": "引起,惹起", + "ENG": "to cause something" + }, + "dispose": { + "CHS": "处置;性情" + }, + "changeable": { + "CHS": "无常的;可改变的;易变的;不定的", + "ENG": "likely to change, or changing often" + }, + "stupor": { + "CHS": "昏迷,恍惚;麻木", + "ENG": "a state in which you cannot think, speak, see, or hear clearly, usually because you have drunk too much alcohol or taken drugs" + }, + "bouquet": { + "CHS": "花束;酒香", + "ENG": "an arrangement of flowers, especially one that you give to someone" + }, + "parenthood": { + "CHS": "亲子关系;父母身份", + "ENG": "the state of being a parent" + }, + "transport": { + "CHS": "运输;流放;使狂喜", + "ENG": "to take goods, people etc from one place to another in a vehicle" + }, + "emigration": { + "CHS": "移民;移民出境;移居外国" + }, + "incantation": { + "CHS": "咒语", + "ENG": "special words that someone uses in magic, or the act of saying these words" + }, + "stockholder": { + "CHS": "股东;股票持有人", + "ENG": "someone who owns stocks in a business" + }, + "whole": { + "CHS": "整体;全部", + "ENG": "something that consists of a number of parts, but is considered as a single unit" + }, + "puppet": { + "CHS": "木偶;傀儡;受他人操纵的人", + "ENG": "a model of a person or animal that you move by pulling wires or strings, or by putting your hand inside it" + }, + "mollify": { + "CHS": "平息,缓和;使…平静;使…变软", + "ENG": "to make someone feel less angry and upset about something" + }, + "contingency": { + "CHS": "偶然性;[安全] 意外事故;可能性;[审计] 意外开支;[离散数学或逻辑学]偶然式", + "ENG": "A contingency is something that might happen in the future" + }, + "venom": { + "CHS": "使有毒;放毒" + }, + "photo": { + "CHS": "照片", + "ENG": "a photograph" + }, + "flatten": { + "CHS": "(Flatten)人名;(德)弗拉滕" + }, + "university": { + "CHS": "大学;综合性大学;大学校舍", + "ENG": "an educational institution at the highest level, where you study for a degree" + }, + "submarine": { + "CHS": "用潜水艇攻击" + }, + "digit": { + "CHS": "数字;手指或足趾;一指宽", + "ENG": "one of the written signs that represent the numbers 0 to 9" + }, + "destiny": { + "CHS": "命运,定数,天命", + "ENG": "the things that will happen to someone in the future, especially those that cannot be changed or controlled" + }, + "straitlaced": { + "CHS": "用系带缚紧(straitlace的过去式)" + }, + "designer": { + "CHS": "由设计师专门设计的;享有盛名的;赶时髦的", + "ENG": "made by a well-known and fashionable designer" + }, + "matter": { + "CHS": "有关系;要紧", + "ENG": "to be important, especially to be important to you, or to have an effect on what happens" + }, + "peer": { + "CHS": "凝视,盯着看;窥视", + "ENG": "to look very carefully at something, especially because you are having difficulty seeing it" + }, + "vaccine": { + "CHS": "疫苗的;牛痘的" + }, + "housecraft": { + "CHS": "家政学;(英)管家的技能" + }, + "victor": { + "CHS": "胜利者", + "ENG": "the winner of a battle, game, competition etc" + }, + "bore": { + "CHS": "孔;令人讨厌的人", + "ENG": "something that is not interesting to you or that annoys you" + }, + "seem": { + "CHS": "(Seem)人名;(英)西姆" + }, + "antic": { + "CHS": "扮小丑;做滑稽动作" + }, + "popular": { + "CHS": "流行的,通俗的;受欢迎的;大众的;普及的", + "ENG": "liked by a lot of people" + }, + "overwhelming": { + "CHS": "压倒;淹没(overwhelm的ing形式);制服", + "ENG": "" + }, + "crystal": { + "CHS": "水晶的;透明的,清澈的" + }, + "Hindu": { + "CHS": "印度人;印度教教徒", + "ENG": "someone whose religion is Hinduism" + }, + "lateral": { + "CHS": "横向传球" + }, + "deceitful": { + "CHS": "欺骗的;欺诈的;谎言的;虚伪的", + "ENG": "someone who is deceitful tells lies in order to get what they want" + }, + "gesture": { + "CHS": "作手势;用动作示意", + "ENG": "to move your hand, arm, or head to tell someone something, or show them what you mean" + }, + "playground": { + "CHS": "运动场,操场;游乐场", + "ENG": "an area for children to play, especially at a school or in a park, that often has special equipment for climbing on, riding on etc" + }, + "histrionic": { + "CHS": "演员" + }, + "dormitory": { + "CHS": "住宅区的" + }, + "abort": { + "CHS": "中止计划" + }, + "leverage": { + "CHS": "利用;举债经营", + "ENG": "to spread or use resources(= money, skills, buildings etc that an organization has available ), ideas etc again in several different ways or in different parts of a company, system etc" + }, + "responsible": { + "CHS": "负责的,可靠的;有责任的", + "ENG": "if someone is responsible for an accident, mistake, crime etc, it is their fault or they can be blamed" + }, + "braid": { + "CHS": "辫子;穗带;发辫", + "ENG": "a narrow band of material formed by twisting threads together, used to decorate the edges of clothes" + }, + "wholesale": { + "CHS": "批发", + "ENG": "If something is sold wholesale, it is sold in large quantities and at cheaper prices, usually to stores" + }, + "quadrant": { + "CHS": "象限;[海洋][天] 象限仪;四分之一圆", + "ENG": "a quarter of a circle" + }, + "plain": { + "CHS": "清楚地;平易地" + }, + "rookie": { + "CHS": "新手", + "ENG": "someone who has just started doing a job and has little experience" + }, + "redemptive": { + "CHS": "赎回的;赎身的;挽回的", + "ENG": "In Christianity, a redemptive act or quality is something that leads to freedom from the consequences of sin and evil" + }, + "relate": { + "CHS": "叙述;使…有联系", + "ENG": "if two things relate, they are connected in some way" + }, + "agree": { + "CHS": "同意,赞成;承认;约定,商定", + "ENG": "to have or express the same opinion about something as someone else" + }, + "include": { + "CHS": "包含,包括", + "ENG": "if one thing includes another, the second thing is part of the first" + }, + "immense": { + "CHS": "巨大的,广大的;无边无际的;非常好的", + "ENG": "extremely large" + }, + "untenable": { + "CHS": "(论据等)站不住脚的;不能维持的;不能租赁的;难以防守的", + "ENG": "an untenable situation has become so difficult that it is impossible to continue" + }, + "central": { + "CHS": "电话总机" + }, + "hallucinate": { + "CHS": "使产生幻觉", + "ENG": "to see or hear things that are not really there" + }, + "quantity": { + "CHS": "量,数量;大量;总量", + "ENG": "an amount of something that can be counted or measured" + }, + "precipitous": { + "CHS": "险峻的;急躁的,鲁莽的", + "ENG": "dangerously high or steep" + }, + "squabble": { + "CHS": "争吵;口角", + "ENG": "Squabble is also a noun" + }, + "sideline": { + "CHS": "倾斜的" + }, + "sleepless": { + "CHS": "失眠的;不休息的;警觉的;永不停息的", + "ENG": "a night when you are unable to sleep" + }, + "detain": { + "CHS": "拘留;留住;耽搁", + "ENG": "to officially prevent someone from leaving a place" + }, + "show": { + "CHS": "显示;表演;炫耀", + "ENG": "a performance for the public, especially one that includes singing, dancing, or jokes" + }, + "groove": { + "CHS": "开槽于" + }, + "trivia": { + "CHS": "琐事", + "ENG": "unimportant or useless details" + }, + "avert": { + "CHS": "避免,防止;转移", + "ENG": "to prevent something unpleasant from happening" + }, + "pun": { + "CHS": "双关语;俏皮话", + "ENG": "an amusing use of a word or phrase that has two meanings, or of words that have the same sound but different meanings" + }, + "infancy": { + "CHS": "初期;婴儿期;幼年", + "ENG": "the period of a child’s life before they can walk or talk" + }, + "postscript": { + "CHS": "附言;又及", + "ENG": "a message written at the end of a letter after you have signed your name" + }, + "idle": { + "CHS": "无所事事;虚度;空转", + "ENG": "if an engine idles, it runs slowly while the vehicle, machine etc is not moving" + }, + "screech": { + "CHS": "尖叫声,尖利刺耳的声音;尖声喊叫", + "ENG": "Screech is also a noun" + }, + "dancer": { + "CHS": "舞蹈家;舞蹈演员;舞女;跳舞者", + "ENG": "someone who dances as a profession" + }, + "reader": { + "CHS": "读者;阅读器;读物", + "ENG": "someone who reads books, or who reads in a particular way" + }, + "don": { + "CHS": "穿上", + "ENG": "to put on a hat, coat etc" + }, + "green": { + "CHS": "使…变绿色", + "ENG": "to fill an area with growing plants in order to make it more attractive" + }, + "imbibe": { + "CHS": "吸收,接受;喝;吸入", + "ENG": "to drink something, especially alcohol – sometimes used humorously" + }, + "yard": { + "CHS": "把…关进或围在畜栏里" + }, + "salesclerk": { + "CHS": "售货员;商店里的店员", + "ENG": "someone who sells things in a shop" + }, + "conqueror": { + "CHS": "征服者;胜利者", + "ENG": "The conquerors of a country or group of people are the people who have taken complete control of that country or group's land" + }, + "crisp": { + "CHS": "松脆物;油炸马铃薯片", + "ENG": "a very thin flat round piece of potato that is cooked in oil and eaten cold" + }, + "hemp": { + "CHS": "大麻类植物的" + }, + "naked": { + "CHS": "裸体的;无装饰的;无证据的;直率的", + "ENG": "not wearing any clothes or not covered by clothes" + }, + "zoologist": { + "CHS": "动物学家", + "ENG": "a scientist who studies animals and their behaviour" + }, + "ceramic": { + "CHS": "陶瓷;陶瓷制品", + "ENG": "Ceramic is clay that has been heated to a very high temperature so that it becomes hard" + }, + "procession": { + "CHS": "沿著……行进" + }, + "adjust": { + "CHS": "调整,使…适合;校准", + "ENG": "to change or move something slightly to improve it or make it more suitable for a particular purpose" + }, + "turf": { + "CHS": "覆草皮于", + "ENG": "to cover an area of land with turf" + }, + "path": { + "CHS": "道路;小路;轨道", + "ENG": "a track that has been made deliberately or made by many people walking over the same ground" + }, + "handiwork": { + "CHS": "手工艺;[工经] 手工制品;行为后果", + "ENG": "something that someone has made or done using their hands in a skilful way" + }, + "dinner": { + "CHS": "晚餐,晚宴;宴会;正餐", + "ENG": "the main meal of the day, eaten in the middle of the day or the evening" + }, + "adult": { + "CHS": "成年人", + "ENG": "a fully-grown person, or one who is considered to be legally responsible for their actions" + }, + "spray": { + "CHS": "喷射", + "ENG": "to force liquid out of a container so that it comes out in a stream of very small drops and covers an area" + }, + "abject": { + "CHS": "卑鄙的;可怜的;不幸的;(境况)凄惨的,绝望的" + }, + "expensive": { + "CHS": "昂贵的;花钱的", + "ENG": "costing a lot of money" + }, + "obtain": { + "CHS": "获得;流行", + "ENG": "to get something that you want, especially through your own effort, skill, or work" + }, + "approach": { + "CHS": "接近;着手处理", + "ENG": "to move towards or nearer to someone or something" + }, + "bribe": { + "CHS": "贿赂", + "ENG": "money or a gift that you illegally give someone to persuade them to do something for you" + }, + "tail": { + "CHS": "从后面而来的;尾部的" + }, + "sorry": { + "CHS": "对不起,抱歉(表示委婉的拒绝等)" + }, + "grocery": { + "CHS": "食品杂货店", + "ENG": "food and other goods that are sold by a grocer or a supermarket" + }, + "tourist": { + "CHS": "坐旅游车厢;坐经济舱" + }, + "symposium": { + "CHS": "讨论会,座谈会;专题论文集;酒宴,宴会", + "ENG": "a formal meeting in which people who know a lot about a particular subject have discussions about it" + }, + "confess": { + "CHS": "承认;坦白;忏悔;供认", + "ENG": "to admit, especially to the police, that you have done something wrong or illegal" + }, + "assessment": { + "CHS": "评定;估价", + "ENG": "a process in which you make a judgment about a person or situation, or the judgment you make" + }, + "researcher": { + "CHS": "研究员" + }, + "degenerate": { + "CHS": "堕落的人", + "ENG": "someone whose behaviour is considered to be morally unacceptable" + }, + "sky": { + "CHS": "把…投向空中;把…挂得过高" + }, + "inexplicable": { + "CHS": "费解的;无法说明的;不能解释的", + "ENG": "too unusual or strange to be explained or understood" + }, + "tenant": { + "CHS": "租借(常用于被动语态)" + }, + "want": { + "CHS": "需要;缺乏;贫困;必需品", + "ENG": "used to say that you do not have or cannot find what you need in a particular situation" + }, + "recycle": { + "CHS": "再生;再循环;重复利用" + }, + "cellular": { + "CHS": "移动电话;单元" + }, + "counsel": { + "CHS": "建议;劝告", + "ENG": "to advise someone" + }, + "subtle": { + "CHS": "微妙的;精细的;敏感的;狡猾的;稀薄的", + "ENG": "not easy to notice or understand unless you pay careful attention" + }, + "hairpiece": { + "CHS": "假发", + "ENG": "a piece of false hair that you wear on your head to make your own hair look thicker" + }, + "budge": { + "CHS": "羔羊皮" + }, + "poplar": { + "CHS": "白杨;白杨木", + "ENG": "a very tall straight thin tree that grows very fast" + }, + "earthy": { + "CHS": "土的;土质的;朴实的;粗俗的", + "ENG": "tasting, smelling, or looking like earth or soil" + }, + "pidgin": { + "CHS": "洋泾滨语;混杂语言;事务", + "ENG": "a language that is a mixture of two other languages, which people who do not speak each other’s languages well use to talk to each other" + }, + "subvert": { + "CHS": "颠覆;推翻;破坏", + "ENG": "to try to destroy the power and influence of a government or the established system" + }, + "invulnerable": { + "CHS": "无懈可击的;不会受伤害的", + "ENG": "someone or something that is invulnerable cannot be harmed or damaged if you attack or criticize them" + }, + "bladder": { + "CHS": "膀胱;囊状物,可充气的囊袋", + "ENG": "the organ in your body that holds urine (= waste liquid ) until it is passed out of your body" + }, + "motto": { + "CHS": "座右铭,格言;箴言", + "ENG": "a short sentence or phrase giving a rule on how to behave, which expresses the aims or beliefs of a person, school, or institution" + }, + "honour": { + "CHS": "尊敬;[金融] 承兑;承兑远期票据", + "ENG": "to treat someone with special respect" + }, + "partition": { + "CHS": "[数] 分割;分隔;区分", + "ENG": "to divide a country, building, or room into two or more parts" + }, + "rat": { + "CHS": "捕鼠;背叛,告密", + "ENG": "if someone rats on you, they tell someone in authority about something wrong that you have done" + }, + "apartheid": { + "CHS": "种族隔离", + "ENG": "Apartheid was a political system in South Africa in which people were divided into racial groups and kept apart by law" + }, + "locust": { + "CHS": "[植保] 蝗虫,[昆] 蚱蜢", + "ENG": "an insect that lives mainly in Asia and Africa and flies in a very large group, eating and destroying crops" + }, + "spectator": { + "CHS": "观众;旁观者", + "ENG": "someone who is watching an event or game" + }, + "brainstorming": { + "CHS": "集思广益以寻找;集体自由讨论(brainstorm的ing形式)" + }, + "crossroads": { + "CHS": "十字路口;交叉路口;聚会的中心地点(crossroad的复数形式)", + "ENG": "a place where two roads meet and cross each other" + }, + "end": { + "CHS": "结束,终止;终结", + "ENG": "to finish what you are doing" + }, + "horror": { + "CHS": "惊骇;惨状;极端厌恶;令人恐怖的事物", + "ENG": "a strong feeling of shock and fear" + }, + "aborigine": { + "CHS": "土著;土著居民", + "ENG": "someone who belongs to the race of people who have lived in Australia from the earliest times" + }, + "blink": { + "CHS": "眨眼;瞬间;闪光", + "ENG": "very quickly" + }, + "nasty": { + "CHS": "令人不快的事物" + }, + "roger": { + "CHS": "罗杰(男子名)" + }, + "friend": { + "CHS": "朋友;助手;赞助者", + "ENG": "someone who you know and like very much and enjoy spending time with" + }, + "jug": { + "CHS": "关押;放入壶中" + }, + "fall": { + "CHS": "秋天的" + }, + "field": { + "CHS": "扫描场;田赛的;野生的", + "ENG": "You use field to describe work or study that is done in a real, natural environment rather than in a theoretical way or in controlled conditions" + }, + "crane": { + "CHS": "伸着脖子看;迟疑,踌躇", + "ENG": "If you crane your neck or head, you stretch your neck in a particular direction in order to see or hear something better" + }, + "numerical": { + "CHS": "数值的;数字的;用数字表示的(等于numeric)", + "ENG": "expressed or considered in numbers" + }, + "torsion": { + "CHS": "扭转,扭曲;转矩,[力] 扭力", + "ENG": "the twisting of a piece of metal" + }, + "very": { + "CHS": "(Very)人名;(英)维里" + }, + "tolerance": { + "CHS": "公差;宽容;容忍;公差", + "ENG": "willingness to allow people to do, say, or believe what they want without criticizing or punishing them" + }, + "united": { + "CHS": "一致的,统一的;团结的,和睦的", + "ENG": "joined or closely connected by feelings, aims etc" + }, + "passive": { + "CHS": "被动语态", + "ENG": "the passive form of a verb, for example ‘was destroyed’ in the sentence ‘The building was destroyed during the war.’" + }, + "mason": { + "CHS": "用砖瓦砌成" + }, + "inert": { + "CHS": "[化学] 惰性的;呆滞的;迟缓的;无效的", + "ENG": "not producing a chemical reaction when combined with other substances" + }, + "discuss": { + "CHS": "讨论;论述,辩论", + "ENG": "to talk about something with another person or a group in order to exchange ideas or decide something" + }, + "doom": { + "CHS": "注定;判决;使失败", + "ENG": "to make someone or something certain to fail, die, be destroyed etc" + }, + "mental": { + "CHS": "精神病患者" + }, + "truce": { + "CHS": "停战" + }, + "heady": { + "CHS": "(Heady)人名;(英)黑迪" + }, + "mathematical": { + "CHS": "数学的,数学上的;精确的", + "ENG": "relating to or using mathematics" + }, + "cliche": { + "CHS": "陈腐的" + }, + "repeatedly": { + "CHS": "反复地;再三地;屡次地", + "ENG": "many times" + }, + "reap": { + "CHS": "(Reap)人名;(英)里普" + }, + "revolver": { + "CHS": "左轮手枪;旋转器", + "ENG": "a type of small gun. The bullets are in a case which turns around as you fire the gun, so that when you fire one bullet the next bullet is ready to be fired." + }, + "grease": { + "CHS": "油脂;贿赂", + "ENG": "a fatty or oily substance that comes off meat when it is cooked, or off food made using butter or oil" + }, + "qualifier": { + "CHS": "[语] 修饰语", + "ENG": "a word or phrase that limits or adds to the meaning of another word or phrase" + }, + "deliberately": { + "CHS": "故意地;谨慎地;慎重地", + "ENG": "done in a way that is intended or planned" + }, + "unreasonable": { + "CHS": "不合理的;过度的;不切实际的;非理智的", + "ENG": "not fair or sensible" + }, + "cyberspace": { + "CHS": "网络空间;赛博空间", + "ENG": "all the connections between computers in different places, considered as a real place where information, messages, pictures etc exist" + }, + "imperial": { + "CHS": "纸张尺寸;特等品" + }, + "kindred": { + "CHS": "家族;相似;亲属关系", + "ENG": "your whole family" + }, + "runaway": { + "CHS": "逃跑;逃走的人" + }, + "stew": { + "CHS": "炖,炖汤;烦恼;闷热;鱼塘", + "ENG": "a hot meal made by cooking meat and vegetables slowly in liquid for a long time" + }, + "footballer": { + "CHS": "足球运动员;橄榄球运动员", + "ENG": "someone who plays football, especially a professional player" + }, + "God": { + "CHS": "膜拜,崇拜" + }, + "cousin": { + "CHS": "堂兄弟姊妹;表兄弟姊妹", + "ENG": "the child of your uncle or aunt " + }, + "preparatory": { + "CHS": "预科;预备学校" + }, + "hegemony": { + "CHS": "霸权;领导权;盟主权", + "ENG": "a situation in which one state or country controls others" + }, + "bugle": { + "CHS": "吹号集合", + "ENG": "to play or sound (on) a bugle " + }, + "all": { + "CHS": "全部" + }, + "eh": { + "CHS": "啊,嗯!(表示惊奇、疑问等)", + "ENG": "used when you want someone to repeat something because you did not hear it" + }, + "rapport": { + "CHS": "密切关系,交往;和谐一致", + "ENG": "friendly agreement and understanding between people" + }, + "style": { + "CHS": "设计;称呼;使合潮流", + "ENG": "to design clothing, furniture, or the shape of someone’s hair in a particular way" + }, + "consistent": { + "CHS": "始终如一的,一致的;坚持的", + "ENG": "a consistent argument or idea does not have any parts that do not match other parts" + }, + "hovel": { + "CHS": "使…住在茅屋;把…拴入棚舍" + }, + "admissible": { + "CHS": "可容许的;可采纳的;可接受的", + "ENG": "admissible reasons, facts etc are acceptable or allowed, especially in a court of law" + }, + "flutter": { + "CHS": "摆动;鼓翼;烦扰" + }, + "watermark": { + "CHS": "在…上印水印(图案)" + }, + "epitaph": { + "CHS": "碑文,墓志铭", + "ENG": "a short piece of writing on the stone over someone’s grave(= place in the ground where someone is buried )" + }, + "stainless": { + "CHS": "不锈的;纯洁的,未被玷污的;无瑕疵的", + "ENG": "resistant to discoloration, esp discoloration resulting from corrosion; rust-resistant " + }, + "assistant": { + "CHS": "辅助的,助理的;有帮助的", + "ENG": "Assistant is used in front of titles or jobs to indicate a slightly lower rank. For example, an assistant director is one rank lower than a director in an organization. " + }, + "pond": { + "CHS": "池塘", + "ENG": "a small area of fresh water that is smaller than a lake, that is either natural or artificially made" + }, + "gibbon": { + "CHS": "[脊椎] 长臂猿", + "ENG": "a small animal like a monkey, with long arms and no tail, that lives in trees in Asia" + }, + "eccentricity": { + "CHS": "古怪;怪癖;[数] 离心率", + "ENG": "strange or unusual behaviour" + }, + "prominence": { + "CHS": "突出;显著;突出物;卓越", + "ENG": "a part or place that is higher than what is around it" + }, + "toad": { + "CHS": "蟾蜍;癞蛤蟆;讨厌的家伙", + "ENG": "a small animal that looks like a large frog and lives mostly on land" + }, + "monitor": { + "CHS": "监控", + "ENG": "to carefully watch and check a situation in order to see how it changes over a period of time" + }, + "inquiry": { + "CHS": "探究;调查;质询", + "ENG": "the act or process of asking questions in order to get information" + }, + "memo": { + "CHS": "备忘录", + "ENG": "a short official note to another person in the same company or organization" + }, + "bootleg": { + "CHS": "靴统;私货", + "ENG": "Bootleg is also a noun" + }, + "louse": { + "CHS": "搞糟;清除(虱子)" + }, + "wail": { + "CHS": "哀号;悲叹;恸哭声", + "ENG": "Wail is also a noun" + }, + "beet": { + "CHS": "生火;修理;改过" + }, + "congested": { + "CHS": "挤满;超负荷(congest的过去分词)" + }, + "cowl": { + "CHS": "给…穿蒙头斗篷;给…装上风帽状物" + }, + "experienced": { + "CHS": "老练的,熟练的;富有经验的", + "ENG": "possessing skills or knowledge because you have done something often or for a long time" + }, + "mineral": { + "CHS": "矿物的;矿质的" + }, + "ignominy": { + "CHS": "耻辱;不体面;丑行", + "ENG": "an event or situation that makes you feel ashamed or embarrassed, especially in public" + }, + "fatuous": { + "CHS": "愚笨的;昏庸的;发呆的;自满的", + "ENG": "very silly or stupid" + }, + "subordinate": { + "CHS": "使……居下位;使……服从" + }, + "skeleton": { + "CHS": "骨骼的;骨瘦如柴的;概略的" + }, + "horsey": { + "CHS": "马的;似马的(等于sorsy)", + "ENG": "very interested in horses and riding" + }, + "psychoanalyst": { + "CHS": "精神分析学家;心理分析学家", + "ENG": "someone who treats patients using psychoanalysis" + }, + "trying": { + "CHS": "尝试(try的ing形式);试验" + }, + "mechanise": { + "CHS": "使……用机械装置;使……机械化" + }, + "suicide": { + "CHS": "自杀" + }, + "instance": { + "CHS": "举为例", + "ENG": "to give something as an example" + }, + "yours": { + "CHS": "你(们)的(东西);信末署名前用语" + }, + "jaw": { + "CHS": "教训;唠叨" + }, + "vegetarian": { + "CHS": "素食的", + "ENG": "Someone who is vegetarian never eats meat or fish" + }, + "dad": { + "CHS": "爸爸;爹爹", + "ENG": "father" + }, + "untiring": { + "CHS": "不知疲倦的;不屈不挠的;坚持不懈的", + "ENG": "working very hard for a long period of time in order to do something – used to show approval" + }, + "typhoon": { + "CHS": "[气象] 台风", + "ENG": "a very violent tropical storm" + }, + "boo": { + "CHS": "嘘声", + "ENG": "a noise made by people who do not like a person, performance, idea etc" + }, + "category": { + "CHS": "种类,分类;[数] 范畴", + "ENG": "a group of people or things that are all of the same type" + }, + "mortar": { + "CHS": "用灰泥涂抹,用灰泥结合" + }, + "nudity": { + "CHS": "裸露;裸体像", + "ENG": "the state of not wearing any clothes" + }, + "contraception": { + "CHS": "避孕", + "ENG": "the practice of preventing a woman from becoming pregnant when she has sex, or the methods for doing this" + }, + "phantom": { + "CHS": "幽灵的;幻觉的;有名无实的", + "ENG": "seeming to appear to someone" + }, + "hope": { + "CHS": "希望;期望", + "ENG": "to want something to happen or be true and to believe that it is possible or likely" + }, + "believe": { + "CHS": "信任;料想;笃信宗教", + "ENG": "to be sure that something is true or that someone is telling the truth" + }, + "uneasiness": { + "CHS": "不安;担忧;局促" + }, + "railway": { + "CHS": "乘火车旅行" + }, + "spaceship": { + "CHS": "[航] 宇宙飞船", + "ENG": "a vehicle for carrying people through space" + }, + "manageable": { + "CHS": "易管理的;易控制的;易办的", + "ENG": "easy to control or deal with" + }, + "inequality": { + "CHS": "不平等;不同;不平均", + "ENG": "an unfair situation, in which some groups in society have more money, opportunities, power etc than others" + }, + "hermit": { + "CHS": "(尤指宗教原因的)隐士;隐居者", + "ENG": "someone who lives alone and has a simple way of life, usually for religious reasons" + }, + "heroic": { + "CHS": "史诗;英勇行为", + "ENG": "If you describe someone's actions or plans as heroics, you think that they are foolish or dangerous because they are too difficult or brave for the situation in which they occur" + }, + "feint": { + "CHS": "假的" + }, + "Arabia": { + "CHS": "阿拉伯半岛(亚洲西南部,等于Arabian Peninsula)" + }, + "conscious": { + "CHS": "意识到的;故意的;神志清醒的", + "ENG": "noticing or realizing something" + }, + "steady": { + "CHS": "关系固定的情侣;固定支架", + "ENG": "a boyfriend or girlfriend that someone has been having a romantic relationship with" + }, + "sight": { + "CHS": "见票即付的;即席的" + }, + "mother": { + "CHS": "母亲的;出生地的" + }, + "resurgent": { + "CHS": "复活者" + }, + "safe": { + "CHS": "保险箱;冷藏室;纱橱", + "ENG": "a strong metal box or cupboard with special locks where you keep money and valuable things" + }, + "forcible": { + "CHS": "强制的;暴力的;有说服力的;强有力的", + "ENG": "done using physical force" + }, + "aluminium": { + "CHS": "铝", + "ENG": "a silver-white metal that is very light and is used to make cans, cooking pans, window frames etc. It is a chemical element : symbol Al" + }, + "footstep": { + "CHS": "脚步;脚步声;足迹", + "ENG": "the sound each step makes when someone is walking" + }, + "tribute": { + "CHS": "礼物;[税收] 贡物;颂词;(尤指对死者的)致敬,悼念,吊唁礼物", + "ENG": "something that you say, do, or give in order to express your respect or admiration for someone" + }, + "lucid": { + "CHS": "明晰的;透明的;易懂的;头脑清楚的", + "ENG": "expressed in a way that is clear and easy to understand" + }, + "page": { + "CHS": "给…标页码" + }, + "spare": { + "CHS": "剩余;备用零件", + "ENG": "an additional thing, for example a key, that you keep so that it is available" + }, + "literature": { + "CHS": "文学;文献;文艺;著作", + "ENG": "books, plays, poems etc that people think are important and good" + }, + "intellectual": { + "CHS": "知识分子;凭理智做事者", + "ENG": "an intelligent, well-educated person who spends time thinking about complicated ideas and discussing them" + }, + "vanguard": { + "CHS": "先锋;前锋科学卫星", + "ENG": "the leading position at the front of an army or group of ships moving into battle, or the soldiers who are in this position" + }, + "assign": { + "CHS": "分配;指派;[计][数] 赋值", + "ENG": "to give someone a particular job or make them responsible for a particular person or thing" + }, + "rusty": { + "CHS": "生锈的,腐蚀的;铁锈色的,锈色的;迟钝的", + "ENG": "metal that is rusty is covered in rust " + }, + "plume": { + "CHS": "羽毛", + "ENG": "a large feather or bunch of feathers, especially one that is used as a decoration on a hat" + }, + "pension": { + "CHS": "发给养老金或抚恤金", + "ENG": "to grant a pension to " + }, + "lag": { + "CHS": "最后的" + }, + "keynote": { + "CHS": "给…定基调;说明基本政策" + }, + "infectious": { + "CHS": "传染的;传染性的;易传染的", + "ENG": "an infectious illness can be passed from one person to another, especially through the air you breathe" + }, + "accession": { + "CHS": "登记入册" + }, + "music": { + "CHS": "音乐,乐曲", + "ENG": "a series of sounds made by instruments or voices in a way that is pleasant or exciting" + }, + "serenely": { + "CHS": "安详地;沉着地;宁静地" + }, + "trend": { + "CHS": "趋向,伸向" + }, + "funicular": { + "CHS": "索状的;纤维的" + }, + "inbuilt": { + "CHS": "内置的;内藏的;嵌入的", + "ENG": "an inbuilt quality, feature etc is part of the nature of someone or something" + }, + "essential": { + "CHS": "本质;要素;要点;必需品", + "ENG": "something that is necessary to do something or in a particular situation" + }, + "heave": { + "CHS": "举起;起伏;投掷;一阵呕吐", + "ENG": "a strong rising or falling movement" + }, + "swift": { + "CHS": "迅速地" + }, + "vow": { + "CHS": "发誓;郑重宣告", + "ENG": "If you vow to do something, you make a serious promise or decision that you will do it" + }, + "patron": { + "CHS": "赞助人;保护人;主顾", + "ENG": "someone who supports the activities of an organization, for example by giving money" + }, + "impart": { + "CHS": "给予(尤指抽象事物),传授;告知,透露", + "ENG": "to give a particular quality to something" + }, + "casual": { + "CHS": "便装;临时工人;待命士兵" + }, + "present": { + "CHS": "现在;礼物;瞄准", + "ENG": "something you give someone on a special occasion or to thank them for something" + }, + "precede": { + "CHS": "领先,在…之前;优于,高于", + "ENG": "to happen or exist before something or someone, or to come before something else in a series" + }, + "refrain": { + "CHS": "叠句,副歌;重复", + "ENG": "part of a song or poem that is repeated, especially at the end of each verse " + }, + "elegant": { + "CHS": "高雅的,优雅的;讲究的;简炼的;简洁的", + "ENG": "beautiful, attractive, or graceful" + }, + "cyclical": { + "CHS": "周期的,循环的", + "ENG": "A cyclical process is one in which a series of events happens again and again in the same order" + }, + "devious": { + "CHS": "偏僻的;弯曲的;不光明正大的", + "ENG": "not going in the most direct way to get to a place" + }, + "us": { + "CHS": "我们", + "ENG": "used by the person speaking or writing to refer to himself or herself and one or more other people" + }, + "vegetable": { + "CHS": "蔬菜的;植物的", + "ENG": "relating to plants in general, rather than animals or things that are not living" + }, + "respectful": { + "CHS": "恭敬的;有礼貌的", + "ENG": "feeling or showing respect" + }, + "bookseller": { + "CHS": "书商;售书员", + "ENG": "a person or company that sells books" + }, + "prevalent": { + "CHS": "流行的;普遍的,广传的", + "ENG": "common at a particular time, in a particular place, or among a particular group of people" + }, + "spinach": { + "CHS": "菠菜", + "ENG": "a vegetable with large dark green leaves" + }, + "bunker": { + "CHS": "使陷入困境;把球击入沙坑", + "ENG": "to hit a golf ball into a bunker" + }, + "holding": { + "CHS": "召开;担任(hold的ing形式);握住" + }, + "icon": { + "CHS": "图标;偶像;肖像,画像;圣像", + "ENG": "a small sign or picture on a computer screen that is used to start a particular operation" + }, + "reasonable": { + "CHS": "合理的,公道的;通情达理的", + "ENG": "fair and sensible" + }, + "power": { + "CHS": "借影响有权势人物以操纵权力的", + "ENG": "clothes which you wear at work to make you look important or confident" + }, + "phonology": { + "CHS": "音系学;音韵学;语音体系", + "ENG": "the study of the system of speech sounds in a language, or the system of sounds itself" + }, + "printer": { + "CHS": "[计] 打印机;印刷工;印花工", + "ENG": "a machine which is connected to a computer and can make a printed record of computer information" + }, + "witness": { + "CHS": "目击;证明;为…作证", + "ENG": "to see something happen, especially a crime or accident" + }, + "bracelet": { + "CHS": "手镯;手链", + "ENG": "a band or chain that you wear around your wrist or arm as a decoration" + }, + "mixer": { + "CHS": "混合器;搅拌器;[电子] 混频器", + "ENG": "a piece of equipment used to mix things together" + }, + "profit": { + "CHS": "获利;有益", + "ENG": "to be useful or helpful to someone" + }, + "me": { + "CHS": "自我;极端自私的人;自我的一部分", + "ENG": "used by the person speaking or writing to refer to himself or herself" + }, + "intercourse": { + "CHS": "性交;交往;交流", + "ENG": "the act of having sex" + }, + "mature": { + "CHS": "成熟;到期", + "ENG": "to become fully grown or developed" + }, + "deeply": { + "CHS": "深刻地;浓浓地;在深处", + "ENG": "a long way into something" + }, + "handpicked": { + "CHS": "用手采摘;仔细挑选(handpick的过去分词)" + }, + "eastward": { + "CHS": "东部;东方" + }, + "thing": { + "CHS": "事情;东西;事物;情况", + "ENG": "an idea, action, feeling, or fact that someone thinks, does, says, or talks about, or that happens" + }, + "snore": { + "CHS": "打呼噜;打着鼾声渡过", + "ENG": "to breathe in a noisy way through your mouth and nose while you are asleep" + }, + "quartet": { + "CHS": "四重奏;四重唱;四件一套", + "ENG": "four singers or musicians who sing or play together" + }, + "abdicate": { + "CHS": "退位;放弃", + "ENG": "to give up the position of being king or queen" + }, + "pod": { + "CHS": "结豆荚", + "ENG": "to remove the pod or shell from (peas, beans, etc) " + }, + "hulk": { + "CHS": "庞然大物般出现;赫然显现" + }, + "rouse": { + "CHS": "觉醒;奋起" + }, + "handy": { + "CHS": "(Handy)人名;(英)汉迪" + }, + "detachable": { + "CHS": "可分开的;可拆开的;可分遣的", + "ENG": "able to be removed and put back" + }, + "retort": { + "CHS": "反驳,反击", + "ENG": "to reply quickly, in an angry or humorous way" + }, + "conceive": { + "CHS": "怀孕;构思;以为;持有", + "ENG": "to think of a new idea, plan etc and develop it in your mind" + }, + "maritime": { + "CHS": "海的;海事的;沿海的;海员的", + "ENG": "relating to the sea or ships" + }, + "dart": { + "CHS": "飞镖,标枪;急驰,飞奔;(虫的)螯;飞快的移动", + "ENG": "a small pointed object that is thrown or shot as a weapon, or one that is thrown in the game of darts" + }, + "notorious": { + "CHS": "声名狼藉的,臭名昭著的", + "ENG": "famous or well-known for something bad" + }, + "Christ": { + "CHS": "天啊!" + }, + "adoption": { + "CHS": "采用;收养;接受", + "ENG": "the act or process of adopting a child" + }, + "stereo": { + "CHS": "立体的;立体声的;立体感觉的", + "ENG": "using a recording or broadcasting system in which the sound is directed through two speakers " + }, + "mild": { + "CHS": "(英国的一种)淡味麦芽啤酒", + "ENG": "dark beer with a slightly sweet taste" + }, + "electrify": { + "CHS": "使电气化;使充电;使触电;使激动", + "ENG": "if a performance or a speech electrifies people, it makes them feel very interested or excited" + }, + "grandeur": { + "CHS": "壮丽;庄严;宏伟", + "ENG": "impressive beauty, power, or size" + }, + "gurgle": { + "CHS": "作汩汩声;作咯咯声", + "ENG": "if water gurgles, it flows along gently with a pleasant low sound" + }, + "traverse": { + "CHS": "横贯的" + }, + "sneak": { + "CHS": "暗中进行的" + }, + "aggressive": { + "CHS": "侵略性的;好斗的;有进取心的;有闯劲的", + "ENG": "behaving in an angry threatening way, as if you want to fight or attack someone" + }, + "intransitive": { + "CHS": "不及物动词" + }, + "sceptical": { + "CHS": "怀疑的;怀疑论的;习惯怀疑的", + "ENG": "If you are sceptical about something, you have doubts about it" + }, + "revere": { + "CHS": "敬畏;尊敬;崇敬", + "ENG": "to respect and admire someone or something very much" + }, + "rabies": { + "CHS": "[内科] 狂犬病,恐水病", + "ENG": "a very dangerous disease that affects dogs and other animals, and that you can catch if you are bitten by an infected animal" + }, + "digress": { + "CHS": "离题;走向岔道", + "ENG": "If you digress, you move away from the subject you are talking or writing about and talk or write about something different for a while" + }, + "idealist": { + "CHS": "理想主义的;唯心主义的" + }, + "opulent": { + "CHS": "丰富的;富裕的;大量的" + }, + "kid": { + "CHS": "小山羊皮制的;较年幼的" + }, + "contain": { + "CHS": "包含;控制;容纳;牵制(敌军)", + "ENG": "if something such as a bag, box, or place contains something, that thing is inside it" + }, + "digestible": { + "CHS": "易消化的;可摘要的", + "ENG": "food that is digestible can be easily digested" + }, + "oracle": { + "CHS": "神谕;预言;神谕处;圣人", + "ENG": "someone who the ancient Greeks believed could communicate with the gods, who gave advice to people or told them what would happen" + }, + "alive": { + "CHS": "活着的;活泼的;有生气的", + "ENG": "still living and not dead" + }, + "vet": { + "CHS": "兽医", + "ENG": "someone who is trained to give medical care and treatment to sick animals" + }, + "insult": { + "CHS": "侮辱;凌辱;无礼", + "ENG": "a remark or action that is offensive or deliberately rude" + }, + "dialect": { + "CHS": "方言的" + }, + "chirp": { + "CHS": "吱喳而鸣;尖声地说;咂嘴打招呼" + }, + "reality": { + "CHS": "现实;实际;真实", + "ENG": "what actually happens or is true, not what is imagined or thought" + }, + "defendant": { + "CHS": "被告", + "ENG": "the person in a court of law who has been accused of doing something illegal" + }, + "dehydrate": { + "CHS": "使…脱水;使极其口渴;使丧失力量和兴趣等", + "ENG": "to remove the liquid from a substance such as food or a chemical" + }, + "feast": { + "CHS": "筵席,宴会;节日", + "ENG": "a large meal where a lot of people celebrate a special occasion" + }, + "clash": { + "CHS": "冲突,抵触;砰地相碰撞,发出铿锵声", + "ENG": "if two armies, groups etc clash, they start fighting – used in news reports" + }, + "downtown": { + "CHS": "市中心区;三分线以外", + "ENG": "Downtown is also a noun" + }, + "hod": { + "CHS": "煤斗;装木炭容器;木制容器;灰浆桶", + "ENG": "A hod is a container that is used by a building worker for carrying bricks" + }, + "treble": { + "CHS": "变成三倍", + "ENG": "to become three times as big in amount, size, or number, or to make something increase in this way" + }, + "life": { + "CHS": "生活,生存;寿命", + "ENG": "the period of time when someone is alive" + }, + "foregoing": { + "CHS": "发生在…之前;走在…之前(forego的ing形式)" + }, + "theirs": { + "CHS": "他们的;她们的;它们的", + "ENG": "used to refer to something that belongs to or is connected with people that have already been mentioned" + }, + "premise": { + "CHS": "前提;上述各项;房屋连地基", + "ENG": "the buildings and land that a shop, restaurant, company etc uses" + }, + "outweigh": { + "CHS": "比…重(在重量上);比…重要;比…有价值", + "ENG": "to be more important or valuable than something else" + }, + "shark": { + "CHS": "诈骗" + }, + "hutch": { + "CHS": "把…装箱" + }, + "slumber": { + "CHS": "睡眠;蛰伏;麻木", + "ENG": "to sleep" + }, + "loose": { + "CHS": "放纵;放任;发射" + }, + "clandestine": { + "CHS": "秘密的,私下的;偷偷摸摸的", + "ENG": "done or kept secret" + }, + "mystic": { + "CHS": "神秘主义者", + "ENG": "someone who practises mysticism " + }, + "margarine": { + "CHS": "人造黄油;人造奶油", + "ENG": "a yellow substance similar to butter but made from vegetable or animal fats, which you eat with bread or use for cooking" + }, + "crow": { + "CHS": "[鸟] 乌鸦;鸡鸣;撬棍", + "ENG": "a large shiny black bird with a loud cry" + }, + "mosquito": { + "CHS": "蚊子", + "ENG": "a small flying insect that sucks the blood of people and animals, sometimes spreading the disease malaria " + }, + "foreign": { + "CHS": "外国的;外交的;异质的;不相关的", + "ENG": "from or relating to a country that is not your own" + }, + "typographical": { + "CHS": "印刷上的;排字上的", + "ENG": "Typographical relates to the way in which printed material is presented" + }, + "concerto": { + "CHS": "协奏曲", + "ENG": "a piece of classical music, usually for one instrument and an orchestra " + }, + "molest": { + "CHS": "骚扰;调戏;干扰", + "ENG": "to attack or harm someone, especially a child, by touching them in a sexual way or by trying to have sex with them" + }, + "tragedian": { + "CHS": "悲剧演员;悲剧作家", + "ENG": "an actor or writer of tragedy" + }, + "prone": { + "CHS": "(Prone)人名;(意、法)普罗内" + }, + "weaponry": { + "CHS": "兵器,武器(总称)", + "ENG": "weapons of a particular type or belonging to a particular country or group" + }, + "urinate": { + "CHS": "小便,撒尿", + "ENG": "to get rid of urine from your body" + }, + "educational": { + "CHS": "教育的;有教育意义的", + "ENG": "relating to education" + }, + "itinerary": { + "CHS": "旅程的; 巡回的,流动的" + }, + "airy": { + "CHS": "(Airy)人名;(英)艾里" + }, + "petty": { + "CHS": "(Petty)人名;(英、法)佩蒂" + }, + "carton": { + "CHS": "制作纸箱" + }, + "strip": { + "CHS": "带;条状;脱衣舞", + "ENG": "a long narrow piece of paper, cloth etc" + }, + "overstate": { + "CHS": "夸张;夸大的叙述", + "ENG": "to talk about something in a way that makes it seem more important, serious etc than it really is" + }, + "mince": { + "CHS": "切碎物,肉馅", + "ENG": "meat, especially beef , that has been cut into very small pieces using a special machine" + }, + "irrepressible": { + "CHS": "抑制不住的;压服不了的", + "ENG": "An irrepressible person is lively and energetic and never seems to be depressed" + }, + "legislature": { + "CHS": "立法机关;立法机构", + "ENG": "an institution that has the power to make or change laws" + }, + "principal": { + "CHS": "首长;校长;资本;当事人", + "ENG": "someone who is in charge of a school" + }, + "otherwise": { + "CHS": "其他;如果不;然后" + }, + "sophisticated": { + "CHS": "使变得世故;使迷惑;篡改(sophisticate的过去分词形式)" + }, + "crazy": { + "CHS": "疯狂的;狂热的,着迷的", + "ENG": "very strange or not sensible" + }, + "sinister": { + "CHS": "阴险的;凶兆的;灾难性的;左边的", + "ENG": "making you feel that something evil, dangerous, or illegal is happening or will happen" + }, + "Mars": { + "CHS": "战神;[天] 火星", + "ENG": "the small red planet that is fourth in order from the Sun and is nearest the Earth" + }, + "Japanese": { + "CHS": "日本人;日语", + "ENG": "people from Japan" + }, + "seasick": { + "CHS": "晕船的", + "ENG": "feeling ill when you travel in a boat, because of the movement of the boat in the water" + }, + "pharmacist": { + "CHS": "药剂师", + "ENG": "someone whose job is to prepare medicines in a shop or hospital" + }, + "fuddle": { + "CHS": "混乱;酗酒" + }, + "provident": { + "CHS": "节俭的;有先见之明的;顾及未来的", + "ENG": "careful and sensible in the way you plan things, especially by saving money for the future" + }, + "mistaken": { + "CHS": "弄错(mistake的过去分词)" + }, + "adulthood": { + "CHS": "成年;成人期", + "ENG": "the time when you are an adult" + }, + "ebb": { + "CHS": "衰退;减少;衰落;潮退", + "ENG": "if the tide ebbs, it flows away from the shore" + }, + "timid": { + "CHS": "胆小的;羞怯的", + "ENG": "not having courage or confidence" + }, + "painkiller": { + "CHS": "止痛药", + "ENG": "a medicine which reduces or removes pain" + }, + "relief": { + "CHS": "救济;减轻,解除;安慰;浮雕", + "ENG": "when something reduces someone’s pain or unhappy feelings" + }, + "nasal": { + "CHS": "鼻骨;鼻音;鼻音字", + "ENG": "a particular speech sound such as /m/, /n/, or /N/ that is made through your nose" + }, + "edible": { + "CHS": "食品;食物" + }, + "furnace": { + "CHS": "火炉,熔炉", + "ENG": "a large container for a very hot fire, used to produce power, heat, or liquid metal" + }, + "reconstruct": { + "CHS": "重建;改造;修复;重现", + "ENG": "to produce a complete description or copy of an event by collecting together pieces of information" + }, + "scout": { + "CHS": "侦察;跟踪,监视;发现", + "ENG": "to examine a place or area in order to get information about it" + }, + "civil": { + "CHS": "(Civil)人名;(土)吉维尔;(法)西维尔" + }, + "fortitude": { + "CHS": "刚毅;不屈不挠;勇气", + "ENG": "courage shown when you are in great pain or experiencing a lot of trouble" + }, + "torrent": { + "CHS": "奔流;倾注;迸发;连续不断", + "ENG": "A torrent is a lot of water falling or flowing rapidly or violently" + }, + "abreast": { + "CHS": "并排的;肩并肩的" + }, + "omit": { + "CHS": "省略;遗漏;删除;疏忽", + "ENG": "to not include someone or something, either deliberately or because you forget to do it" + }, + "dichotomy": { + "CHS": "二分法;两分;分裂;双歧分枝" + }, + "formula": { + "CHS": "[数] 公式,准则;配方;婴儿食品", + "ENG": "a method or set of principles that you use to solve a problem or to make sure that something is successful" + }, + "salty": { + "CHS": "咸的;含盐的", + "ENG": "tasting of or containing salt" + }, + "intolerant": { + "CHS": "无法忍受的;偏狭的", + "ENG": "not willing to accept ways of thinking and behaving that are different from your own" + }, + "domesticate": { + "CHS": "驯养;教化;引进", + "ENG": "to make an animal able to work for people or live with them as a pet" + }, + "bottleneck": { + "CHS": "瓶颈;障碍物", + "ENG": "a place in a road where the traffic cannot pass easily, so that there are a lot of delays" + }, + "then": { + "CHS": "然后,当时" + }, + "outbreak": { + "CHS": "爆发" + }, + "gentility": { + "CHS": "有教养,文雅;上流阶层" + }, + "allot": { + "CHS": "(Allot)人名;(英)阿洛特;(西)阿略特;(法)阿洛" + }, + "subsequent": { + "CHS": "后来的,随后的", + "ENG": "happening or coming after something else" + }, + "entitle": { + "CHS": "称做…;定名为…;给…称号;使…有权利", + "ENG": "to give someone the official right to do or have something" + }, + "valley": { + "CHS": "山谷;流域;溪谷", + "ENG": "an area of lower land between two lines of hills or mountains, usually with a river flowing through it" + }, + "drugstore": { + "CHS": "[药] 药房(常兼售化妆品、杂志等杂货);(美)杂货店", + "ENG": "a shop where you can buy medicines, beauty products etc" + }, + "truant": { + "CHS": "逃学;偷懒,逃避责任" + }, + "palpable": { + "CHS": "明显的;可感知的;易觉察的", + "ENG": "a feeling that is palpable is so strong that other people notice it and can feel it around them" + }, + "lap": { + "CHS": "使重叠;拍打;包围", + "ENG": "if water laps something or laps against something such as the shore or a boat, it moves against it or hits it in small waves" + }, + "pasta": { + "CHS": "意大利面食;面团", + "ENG": "an Italian food made from flour, eggs, and water and cut into various shapes, usually eaten with a sauce" + }, + "whistle": { + "CHS": "吹口哨;鸣汽笛", + "ENG": "to make a high or musical sound by blowing air out through your lips" + }, + "bookmark": { + "CHS": "书签(等于bookmarker);标记", + "ENG": "a piece of paper, leather etc that you put in a book to show you the last page you have read" + }, + "glance": { + "CHS": "扫视,匆匆一看;反光;瞥闪,瞥见", + "ENG": "to quickly look at someone or something" + }, + "imaginable": { + "CHS": "可能的;可想像的", + "ENG": "used to emphasize that something is the best, worst etc that can be imagined" + }, + "classical": { + "CHS": "古典音乐" + }, + "African": { + "CHS": "非洲人", + "ENG": "someone from Africa" + }, + "reshuffle": { + "CHS": "重新洗牌;改组", + "ENG": "when the jobs of people who work in an organization are changed around, especially in a government" + }, + "unwitting": { + "CHS": "使精神错乱;使丧失智能(unwit的ing形式)" + }, + "smoulder": { + "CHS": "闷烧" + }, + "useless": { + "CHS": "无用的;无效的" + }, + "amendment": { + "CHS": "修正案;改善;改正", + "ENG": "a small change, improvement, or addition that is made to a law or document, or the process of doing this" + }, + "frivolity": { + "CHS": "轻浮;轻薄;轻率", + "ENG": "behaviour or activities that are not serious or sensible, especially when you should be serious or sensible" + }, + "incest": { + "CHS": "乱伦;近亲通婚", + "ENG": "sex between people who are closely related in a family" + }, + "password": { + "CHS": "密码;口令", + "ENG": "a secret group of letters or numbers that you must type into a computer before you can use a system or program" + }, + "unaware": { + "CHS": "意外地;不知不觉地" + }, + "carnal": { + "CHS": "(Carnal)人名;(西)卡纳尔" + }, + "float": { + "CHS": "彩车,花车;漂流物;浮舟;浮萍", + "ENG": "a large vehicle that is decorated to drive through the streets as part of a special event" + }, + "paradise": { + "CHS": "天堂", + "ENG": "in some religions, a perfect place where people are believed to go after they die, if they have led good lives" + }, + "impending": { + "CHS": "迫近;悬空(impend的现在分词)" + }, + "exile": { + "CHS": "放逐,流放;使背井离乡", + "ENG": "to force someone to leave their country, especially for political reasons" + }, + "correlate": { + "CHS": "关联的" + }, + "global": { + "CHS": "全球的;总体的;球形的", + "ENG": "affecting or including the whole world" + }, + "iceberg": { + "CHS": "[地理] 冰山;显露部分", + "ENG": "a very large mass of ice floating in the sea, most of which is under the surface of the water" + }, + "document": { + "CHS": "用文件证明" + }, + "elbow": { + "CHS": "推挤;用手肘推开", + "ENG": "to push someone with your elbows, especially in order to move past them" + }, + "beastly": { + "CHS": "极,非常" + }, + "infer": { + "CHS": "推断;推论", + "ENG": "to form an opinion that something is probably true because of information that you have" + }, + "objection": { + "CHS": "异议,反对;缺陷,缺点;妨碍;拒绝的理由", + "ENG": "a reason that you have for opposing or disapproving of something, or something you say that expresses this" + }, + "insurer": { + "CHS": "保险公司;承保人", + "ENG": "a person or company that provides insurance" + }, + "trim": { + "CHS": "整齐的", + "ENG": "neat and well cared for" + }, + "impose": { + "CHS": "利用;欺骗;施加影响" + }, + "resentment": { + "CHS": "愤恨,怨恨", + "ENG": "a feeling of anger because something has happened that you think is unfair" + }, + "anatomy": { + "CHS": "解剖;解剖学;剖析;骨骼", + "ENG": "the scientific study of the structure of human or animal bodies" + }, + "dead": { + "CHS": "死者", + "ENG": "people who have died" + }, + "haunting": { + "CHS": "常去;缠住某人;萦绕在…心中(haunt的ing形式)" + }, + "excited": { + "CHS": "激动;唤起(excite的过去分词)" + }, + "attrition": { + "CHS": "摩擦;磨损;消耗", + "ENG": "the process of gradually destroying your enemy or making them weak by attacking them continuously" + }, + "bank": { + "CHS": "将…存入银行;倾斜转弯", + "ENG": "if a plane banks, it slopes to one side when turning" + }, + "surrender": { + "CHS": "投降;放弃;交出;屈服", + "ENG": "when you say officially that you want to stop fighting because you realize that you cannot win" + }, + "perform": { + "CHS": "执行;完成;演奏", + "ENG": "to do something, especially something difficult or useful" + }, + "shunt": { + "CHS": "转轨;[电] 分流器", + "ENG": "an act of moving a train or railway carriage to a different track" + }, + "assailant": { + "CHS": "袭击的;攻击的" + }, + "sardine": { + "CHS": "使拥挤不堪" + }, + "circumstantial": { + "CHS": "依照情况的;详细的,详尽的;偶然的", + "ENG": "including all the details" + }, + "blare": { + "CHS": "发嘟嘟声;发出响而刺耳的声音", + "ENG": "to make a very loud unpleasant noise" + }, + "rude": { + "CHS": "(Rude)人名;(英、西、瑞典)鲁德;(法)吕德" + }, + "outcast": { + "CHS": "被遗弃的;无家可归的;被逐出的" + }, + "horde": { + "CHS": "一大群,群;游牧部落", + "ENG": "a large crowd moving in a noisy uncontrolled way" + }, + "exert": { + "CHS": "运用,发挥;施以影响", + "ENG": "to use your power, influence etc in order to make something happen" + }, + "liner": { + "CHS": "班轮,班机;衬垫;画线者", + "ENG": "a piece of material used inside something, especially in order to keep it clean" + }, + "light": { + "CHS": "轻地;清楚地;轻便地" + }, + "flex": { + "CHS": "弹性工作制的" + }, + "hay": { + "CHS": "把晒干", + "ENG": "to cut, dry, and store (grass, clover, etc) as fodder " + }, + "alligator": { + "CHS": "鳄鱼般的;鳄鱼皮革的;鳄鱼皮纹的" + }, + "buck": { + "CHS": "(美)钱,元;雄鹿;纨绔子弟;年轻的印第安人或黑人", + "ENG": "a male rabbit, deer , and some other male animals" + }, + "mouse": { + "CHS": "探出" + }, + "gonorrhea": { + "CHS": "[性病] 淋病", + "ENG": "a disease of the sex organs that is passed on during sex" + }, + "breakthrough": { + "CHS": "突破;突破性进展", + "ENG": "an important new discovery in something you are studying, especially one made after trying for a long time" + }, + "blob": { + "CHS": "弄脏;把…做错" + }, + "adjacent": { + "CHS": "邻近的,毗连的", + "ENG": "a room, building, piece of land etc that is adjacent to something is next to it" + }, + "penis": { + "CHS": "阳物;[解剖] 阴茎", + "ENG": "the outer sex organ of men and male animals, which is used for sex and through which waste water comes out of the body" + }, + "sane": { + "CHS": "(Sane)人名;(日)实(姓);(日)实(名);(芬、塞、冈、几比、塞内)萨内" + }, + "facial": { + "CHS": "美容,美颜;脸部按摩", + "ENG": "if you have a facial, you have a beauty treatment in which your face is cleaned and creams are rubbed into it" + }, + "funky": { + "CHS": "时髦的;畏缩的;恶臭的", + "ENG": "modern, fashionable, and interesting" + }, + "secluded": { + "CHS": "隔绝(seclude的过去式)" + }, + "doomed": { + "CHS": "注定;宣判(doom的过去分词)" + }, + "policy": { + "CHS": "政策,方针;保险单", + "ENG": "a way of doing something that has been officially agreed and chosen by a political party, a business, or another organization" + }, + "interesting": { + "CHS": "有趣的;引起兴趣的,令人关注的", + "ENG": "if something is interesting, you give it your attention because it seems unusual or exciting or provides information that you did not know about" + }, + "plush": { + "CHS": "长毛绒", + "ENG": "a silk or cotton material with a thick soft surface" + }, + "roulette": { + "CHS": "给…滚压骑线孔" + }, + "former": { + "CHS": "模型,样板;起形成作用的人", + "ENG": "a person or thing that forms or shapes " + }, + "flashlight": { + "CHS": "手电筒;闪光灯", + "ENG": "a small electric light that you can carry in your hand" + }, + "entreat": { + "CHS": "恳求;请求", + "ENG": "to ask someone, in a very emotional way, to do something for you" + }, + "optimism": { + "CHS": "乐观;乐观主义", + "ENG": "a tendency to believe that good things will always happen" + }, + "lop": { + "CHS": "垂下的" + }, + "refrigerator": { + "CHS": "冰箱,冷藏库", + "ENG": "a large piece of electrical kitchen equipment, shaped like a cupboard, used for keeping food and drink cool" + }, + "wreath": { + "CHS": "环绕(等于wreathe)" + }, + "barrage": { + "CHS": "以密集炮火进攻" + }, + "shield": { + "CHS": "遮蔽;包庇;避开;保卫", + "ENG": "to protect someone or something from being harmed or damaged" + }, + "reversion": { + "CHS": "逆转;回复;归还;[遗] 隔代遗传;[法] 继承权", + "ENG": "a return to a former condition or habit" + }, + "bulb": { + "CHS": "生球茎;膨胀成球状" + }, + "northwest": { + "CHS": "在西北;向西北;来自西北", + "ENG": "If you go northwest, you travel toward the northwest" + }, + "xenophobia": { + "CHS": "仇外;对外国人的畏惧和憎恨", + "ENG": "strong fear or dislike of people from other countries" + }, + "caterpillar": { + "CHS": "有履带装置的" + }, + "accrue": { + "CHS": "产生;自然增长或利益增加", + "ENG": "if advantages accrue to you, you get those advantages over a period of time" + }, + "terrestrial": { + "CHS": "陆地生物;地球上的人" + }, + "karate": { + "CHS": "空手道(日本的一种徒手武术)", + "ENG": "a Japanese fighting sport, in which you use your feet and hands to hit and kick" + }, + "holster": { + "CHS": "手枪皮套", + "ENG": "a leather object for carrying a small gun, that is worn on a belt" + }, + "occupational": { + "CHS": "职业的;占领的", + "ENG": "relating to or caused by your job" + }, + "moist": { + "CHS": "潮湿" + }, + "morbid": { + "CHS": "病态的;由病引起的;恐怖的;病变部位的", + "ENG": "with a strong and unhealthy interest in unpleasant subjects, especially death" + }, + "widespread": { + "CHS": "普遍的,广泛的;分布广的", + "ENG": "existing or happening in many places or situations, or among many people" + }, + "rigmarole": { + "CHS": "冗长的" + }, + "potency": { + "CHS": "效能;力量;潜力;权势", + "ENG": "the power that something has to influence people" + }, + "discrete": { + "CHS": "分立元件;独立部件" + }, + "deter": { + "CHS": "(Deter)人名;(德)德特尔" + }, + "falter": { + "CHS": "踌躇;支吾;颤抖" + }, + "calculating": { + "CHS": "计算(calculate的ing形式)" + }, + "notify": { + "CHS": "通告,通知;公布", + "ENG": "to formally or officially tell someone about something" + }, + "dreary": { + "CHS": "沉闷的,枯燥的", + "ENG": "dull and making you feel sad or bored" + }, + "gift": { + "CHS": "赋予;向…赠送" + }, + "bother": { + "CHS": "麻烦;烦恼", + "ENG": "trouble or difficulty that has been caused by small problems and that usually only continues for a short time" + }, + "grateful": { + "CHS": "感谢的;令人愉快的,宜人的", + "ENG": "feeling that you want to thank someone because of something kind that they have done, or showing this feeling" + }, + "soften": { + "CHS": "使温和;使缓和;使变柔软", + "ENG": "if your attitude softens, or if something softens it, it becomes less strict and more sympathetic" + }, + "tonal": { + "CHS": "色调的;音调的", + "ENG": "relating to tones of colour or sound" + }, + "lobster": { + "CHS": "龙虾", + "ENG": "a sea animal with eight legs, a shell, and two large claws" + }, + "semester": { + "CHS": "学期;半年", + "ENG": "one of the two periods of time that a year at high schools and universities is divided into, especially in the US" + }, + "erudite": { + "CHS": "饱学之士" + }, + "polytechnic": { + "CHS": "工艺学校;理工专科学校", + "ENG": "a word used in the names of high schools or colleges in the US, where you can study technical or scientific subjects" + }, + "tired": { + "CHS": "疲倦;对…腻烦(tire的过去分词形式)" + }, + "horseman": { + "CHS": "骑马者;马术师", + "ENG": "someone who rides horses" + }, + "into": { + "CHS": "(Into)人名;(芬、英)因托" + }, + "cobweb": { + "CHS": "使布满蛛网;使混乱" + }, + "uncouth": { + "CHS": "笨拙的;粗野的;不舒适的;陌生的", + "ENG": "behaving and speaking in a way that is rude or socially unacceptable" + }, + "contribute": { + "CHS": "贡献,出力;投稿;捐献", + "ENG": "to give money, help, ideas etc to something that a lot of other people are also involved in" + }, + "iris": { + "CHS": "鸢尾属植物的" + }, + "arouse": { + "CHS": "引起;唤醒;鼓励", + "ENG": "to make you become interested, expect something etc" + }, + "verdict": { + "CHS": "结论;裁定", + "ENG": "an official decision made in a court of law, especially about whether someone is guilty of a crime or how a death happened" + }, + "horsehair": { + "CHS": "马毛;马鬃", + "ENG": "the hair from a horse’s mane and tail, sometimes used to fill the inside of furniture" + }, + "scribe": { + "CHS": "写下,记下;用划线器划" + }, + "disentangle": { + "CHS": "解决;松开;解开纠结;解决(纠纷)", + "ENG": "to remove knots from ropes, strings etc that have become twisted or tied together" + }, + "tiara": { + "CHS": "女式冕状头饰;(罗马教皇的)三重冕", + "ENG": "a piece of jewellery like a small crown , that a woman sometimes wears on very formal or important occasions" + }, + "crooked": { + "CHS": "弯曲的;歪的;不正当的", + "ENG": "bent, twisted, or not in a straight line" + }, + "microchip": { + "CHS": "微型集成电路片,微芯片", + "ENG": "a very small piece of silicon containing a set of electronic parts, which is used in computers and other machines" + }, + "classify": { + "CHS": "分类;分等", + "ENG": "to decide what group something belongs to" + }, + "liquid": { + "CHS": "液体,流体;流音", + "ENG": "a substance that is not a solid or a gas, for example water or milk" + }, + "dictionary": { + "CHS": "字典;词典", + "ENG": "a book that gives a list of words in alphabetical order and explains their meanings in the same language, or another language" + }, + "combine": { + "CHS": "联合收割机;联合企业", + "ENG": "a machine used by farmers to cut grain, separate the seeds from it, and clean it" + }, + "hexagon": { + "CHS": "成六角的;成六边的" + }, + "live": { + "CHS": "(Live)人名;(法)利夫" + }, + "punctual": { + "CHS": "准时的,守时的;精确的", + "ENG": "arriving, happening, or being done at exactly the time that has been arranged" + }, + "bureaucracy": { + "CHS": "官僚主义;官僚机构;官僚政治", + "ENG": "a complicated official system that is annoying or confusing because it has a lot of rules, processes etc" + }, + "sleep": { + "CHS": "睡眠", + "ENG": "the natural state of resting your mind and body, usually at night" + }, + "kite": { + "CHS": "使用空头支票;像风筝一样飞;轻快地移动" + }, + "inhabitant": { + "CHS": "居民;居住者", + "ENG": "one of the people who live in a particular place" + }, + "completely": { + "CHS": "完全地,彻底地;完整地", + "ENG": "to the greatest degree possible" + }, + "managerial": { + "CHS": "[管理] 管理的;经理的", + "ENG": "relating to the job of a manager" + }, + "safeguard": { + "CHS": "[安全] 保护,护卫", + "ENG": "to protect something from harm or damage" + }, + "strew": { + "CHS": "散播;撒满", + "ENG": "to scatter things around a large area" + }, + "omega": { + "CHS": "最后;终了;希腊字母的最后一个字Ω", + "ENG": "the last letter of the Greek alphabet" + }, + "enliven": { + "CHS": "使活泼;使生动;使有生气,使活跃" + }, + "cast": { + "CHS": "投掷,抛;铸件,[古生] 铸型;演员阵容;脱落物", + "ENG": "all the people who perform in a play, film etc" + }, + "flawless": { + "CHS": "完美的;无瑕疵的;无裂缝的", + "ENG": "having no mistakes or marks, or not lacking anything" + }, + "deliberate": { + "CHS": "仔细考虑;商议", + "ENG": "to think about something very carefully" + }, + "fantasise": { + "CHS": "耽于幻想" + }, + "crockery": { + "CHS": "陶器;瓦器;土器", + "ENG": "cups, dishes, plates etc" + }, + "subside": { + "CHS": "平息;减弱;沉淀;坐下", + "ENG": "if a feeling, pain, sound etc subsides, it gradually becomes less and then stops" + }, + "derail": { + "CHS": "脱轨;[铁路] 脱轨器" + }, + "impede": { + "CHS": "阻碍;妨碍;阻止", + "ENG": "to make it difficult for someone or something to move forward or make progress" + }, + "flip": { + "CHS": "弹;筋斗", + "ENG": "a movement in which you jump up and turn over in the air, so that your feet go over your head" + }, + "spite": { + "CHS": "刁难;使恼怒" + }, + "student": { + "CHS": "学生;学者", + "ENG": "someone who is studying at a university, school etc" + }, + "cynicism": { + "CHS": "玩世不恭,愤世嫉俗;犬儒主义;冷嘲热讽" + }, + "smuggle": { + "CHS": "走私;偷运", + "ENG": "to take something or someone illegally from one country to another" + }, + "dormant": { + "CHS": "(Dormant)人名;(法)多尔芒" + }, + "surgery": { + "CHS": "外科;外科手术;手术室;诊疗室", + "ENG": "medical treatment in which a surgeon cuts open your body to repair or remove something inside" + }, + "fuss": { + "CHS": "大惊小怪,大惊小怪的人;小题大作;忙乱", + "ENG": "anxious behaviour or activity that is usually about unimportant things" + }, + "bright": { + "CHS": "车头灯光", + "ENG": "The brights on a vehicle are its headlights when they are set to shine their brightest" + }, + "horrific": { + "CHS": "可怕的;令人毛骨悚然的", + "ENG": "extremely bad, in a way that is frightening or upsetting" + }, + "redevelopment": { + "CHS": "再开发;重点恢复", + "ENG": "the act of redeveloping an area, especially in a city" + }, + "intercession": { + "CHS": "调解;说情;仲裁", + "ENG": "when someone talks to a person in authority in order to prevent something bad happening to someone else" + }, + "lioness": { + "CHS": "母狮子;雌狮", + "ENG": "a female lion" + }, + "mundane": { + "CHS": "世俗的,平凡的;世界的,宇宙的", + "ENG": "ordinary and not interesting or exciting" + }, + "differentiate": { + "CHS": "区分,区别", + "ENG": "to recognize or express the difference between things or people" + }, + "congruence": { + "CHS": "一致;适合;[数] 全等", + "ENG": "Congruence is when two things are similar or fit together well" + }, + "brutish": { + "CHS": "粗野的;残忍的;野兽般的", + "ENG": "If you describe a person or their behaviour as brutish, you think that they are brutal and uncivilized" + }, + "paralyse": { + "CHS": "使……无力;使……麻痹;使……瘫痪", + "ENG": "if something paralyses you, it makes you lose the ability to move part or all of your body, or to feel it" + }, + "nevertheless": { + "CHS": "然而,不过" + }, + "output": { + "CHS": "输出", + "ENG": "if a computer outputs information, it produces it" + }, + "companion": { + "CHS": "陪伴" + }, + "dustpan": { + "CHS": "簸箕", + "ENG": "a flat container with a handle that you use with a brush to remove dust and waste from the floor" + }, + "royal": { + "CHS": "王室;王室成员", + "ENG": "a member of a royal family" + }, + "deer": { + "CHS": "鹿", + "ENG": "a large wild animal that can run very fast, eats grass, and has horns" + }, + "crude": { + "CHS": "原油;天然的物质", + "ENG": "oil that is in its natural condition, as it comes out of an oil well , before it is made more pure or separated into different products" + }, + "sightseeing": { + "CHS": "观光(sightsee的ing形式);游览" + }, + "September": { + "CHS": "九月", + "ENG": "the ninth month of the year, between August and October" + }, + "adhesive": { + "CHS": "粘着的;带粘性的", + "ENG": "An adhesive substance is able to stick firmly to something else" + }, + "procedural": { + "CHS": "程序上的", + "ENG": "connected with a procedure, especially in a law court" + }, + "shriek": { + "CHS": "尖声;尖锐的响声", + "ENG": "a loud high sound made because you are frightened, excited, angry etc" + }, + "nearly": { + "CHS": "差不多,几乎;密切地", + "ENG": "almost, but not quite or not completely" + }, + "ajar": { + "CHS": "半开地;微开地;不协调地" + }, + "echo": { + "CHS": "回音;效仿", + "ENG": "a sound that you hear again after a loud noise, because it was made near something such as a wall" + }, + "accomplishment": { + "CHS": "成就;完成;技艺,技能", + "ENG": "something successful or impressive that is achieved after a lot of effort and hard work" + }, + "remainder": { + "CHS": "廉价出售;削价出售" + }, + "his": { + "CHS": "(His)人名;(法)伊斯" + }, + "magic": { + "CHS": "不可思议的;有魔力的;魔术的", + "ENG": "in stories, a magic word or object has special powers that make the person using it able to do impossible things" + }, + "stirrup": { + "CHS": "[建] 箍筋;马镫;镫形物", + "ENG": "one of the rings of metal in which someone riding a horse rests their feet" + }, + "persist": { + "CHS": "存留,坚持;持续,固执", + "ENG": "to continue to do something, although this is difficult, or other people oppose it" + }, + "moon": { + "CHS": "闲荡;出神" + }, + "shrine": { + "CHS": "将…置于神龛内;把…奉为神圣" + }, + "Russian": { + "CHS": "俄语;俄国人", + "ENG": "someone from Russia" + }, + "litigation": { + "CHS": "诉讼;起诉", + "ENG": "the process of taking claims to a court of law" + }, + "flask": { + "CHS": "[分化] 烧瓶;长颈瓶,细颈瓶;酒瓶,携带瓶", + "ENG": "a hip flask " + }, + "delicacy": { + "CHS": "美味;佳肴;微妙;精密;精美;敏锐,敏感;世故,圆滑", + "ENG": "something good to eat that is expensive or rare" + }, + "lullaby": { + "CHS": "唱摇篮曲使入睡" + }, + "room": { + "CHS": "为…提供住处;租房,合住;投宿,住宿;留…住宿", + "ENG": "to rent and live in a room somewhere" + }, + "anxiety": { + "CHS": "焦虑;渴望;挂念;令人焦虑的事", + "ENG": "the feeling of being very worried about something" + }, + "illustrious": { + "CHS": "著名的,杰出的;辉煌的", + "ENG": "famous and admired because of what you have achieved" + }, + "hyperactive": { + "CHS": "极度活跃的;活动过度的", + "ENG": "someone, especially a child, who is hyperactive is too active, and is not able to keep still or be quiet for very long" + }, + "navel": { + "CHS": "[解剖] 肚脐;中央;中心点", + "ENG": "the small hollow or raised place in the middle of your stomach" + }, + "hundred": { + "CHS": "百;百个", + "ENG": "completely" + }, + "and": { + "CHS": "(And)人名;(土、瑞典)安德", + "ENG": "used before saying the part of a large number which is less than 100" + }, + "sportsmanship": { + "CHS": "运动员精神,运动道德", + "ENG": "Sportsmanship is behaviour and attitudes that show respect for the rules of a game and for the other players" + }, + "gloss": { + "CHS": "使光彩;掩盖;注释", + "ENG": "to provide a note in a piece of writing, explaining a difficult word, phrase, or idea" + }, + "candid": { + "CHS": "(Candid)人名;(罗)坎迪德" + }, + "lunacy": { + "CHS": "精神失常;愚蠢的行为", + "ENG": "mental illness" + }, + "enviable": { + "CHS": "值得羡慕的;引起忌妒的", + "ENG": "an enviable quality, position, or possession is good and other people would like to have it" + }, + "impinge": { + "CHS": "撞击;侵犯" + }, + "sunlight": { + "CHS": "日光", + "ENG": "natural light that comes from the sun" + }, + "soar": { + "CHS": "高飞;高涨" + }, + "node": { + "CHS": "节点;瘤;[数] 叉点", + "ENG": "the place on the stem of a plant from which a leaf or branch grows" + }, + "collate": { + "CHS": "核对,校对;校勘", + "ENG": "to gather information together, examine it carefully, and compare it with other information to find any differences" + }, + "purpose": { + "CHS": "决心;企图;打算" + }, + "descendant": { + "CHS": "后裔;子孙", + "ENG": "someone who is related to a person who lived a long time ago, or to a family, group of people etc that existed in the past" + }, + "transmutation": { + "CHS": "变形;变化;演变" + }, + "bathroom": { + "CHS": "浴室;厕所;盥洗室", + "ENG": "a room where there is a bath or shower , a basin , and sometimes a toilet" + }, + "buff": { + "CHS": "有软皮摩擦;缓冲;擦亮,抛光某物", + "ENG": "to polish something with a cloth" + }, + "acrimony": { + "CHS": "辛辣;尖刻;严厉" + }, + "diligent": { + "CHS": "(Diligent)人名;(法)迪利让" + }, + "gifted": { + "CHS": "给予(gift的过去分词)" + }, + "racecourse": { + "CHS": "赛马场,跑马场;跑道", + "ENG": "a grass track on which horses race" + }, + "misapprehension": { + "CHS": "误解;误会", + "ENG": "a mistaken belief or a wrong understanding of something" + }, + "outset": { + "CHS": "开始;开端", + "ENG": "at or from the beginning of an event or process" + }, + "elder": { + "CHS": "年长的;年龄较大的;资格老的", + "ENG": "Theelderof two people is the one who was born first" + }, + "fragile": { + "CHS": "脆的;易碎的", + "ENG": "easily broken or damaged" + }, + "factual": { + "CHS": "事实的;真实的", + "ENG": "based on facts or relating to facts" + }, + "glorify": { + "CHS": "赞美;美化;崇拜(神);使更壮丽", + "ENG": "to make someone or something seem more important or better than they really are" + }, + "amalgamate": { + "CHS": "合并;汞齐化;调制汞合金", + "ENG": "if two organizations amalgamate, or if one amalgamates with another, they join and make one big organization" + }, + "sabbatical": { + "CHS": "休假(美国某些大学给大学教师每七年一次的)", + "ENG": "a period when someone, especially someone in a university job, stops doing their usual work in order to study or travel" + }, + "footloose": { + "CHS": "自由自在的,不受束缚的", + "ENG": "free to do exactly what you want because you have no responsibilities, for example when you are not married or do not have children" + }, + "sigh": { + "CHS": "叹息,叹气", + "ENG": "an act or sound of sighing" + }, + "recommend": { + "CHS": "推荐,介绍;劝告;使受欢迎;托付", + "ENG": "to advise someone to do something, especially because you have special knowledge of a situation or subject" + }, + "vaccinate": { + "CHS": "被接种牛痘者" + }, + "wasp": { + "CHS": "黄蜂似的直扑" + }, + "taciturn": { + "CHS": "沉默寡言的;无言的,不太说话的", + "ENG": "speaking very little, so that you seem unfriendly" + }, + "road": { + "CHS": "(美)巡回的" + }, + "seep": { + "CHS": "小泉;水陆两用的吉普车" + }, + "mosque": { + "CHS": "清真寺", + "ENG": "a building in which Muslims worship" + }, + "diamond": { + "CHS": "菱形的;金刚钻的" + }, + "germinate": { + "CHS": "使发芽;使生长", + "ENG": "if a seed germinates, or if it is germinated, it begins to grow" + }, + "coup": { + "CHS": "推倒;倾斜;溢出" + }, + "unload": { + "CHS": "卸;摆脱…之负担;倾销", + "ENG": "to remove a load from a vehicle, ship etc" + }, + "jacket": { + "CHS": "给…穿夹克;给…装护套;给…包上护封;〈口〉打" + }, + "expend": { + "CHS": "花费;消耗;用光;耗尽", + "ENG": "to use or spend a lot of energy etc in order to do something" + }, + "lesson": { + "CHS": "教训;上课" + }, + "look": { + "CHS": "看;样子;面容", + "ENG": "an act of looking at something" + }, + "pole": { + "CHS": "用竿支撑", + "ENG": "to push a boat along in the water using a pole" + }, + "pounce": { + "CHS": "猛扑,爪", + "ENG": "the act of pouncing; a spring or swoop " + }, + "nude": { + "CHS": "裸体;裸体画", + "ENG": "a painting, statue etc of someone not wearing clothes" + }, + "update": { + "CHS": "更新;现代化", + "ENG": "a change or addition to a computer file so that it has the most recent information" + }, + "standstill": { + "CHS": "停顿;停止", + "ENG": "a situation in which there is no movement or activity at all" + }, + "proletarian": { + "CHS": "普罗阶级的,无产阶级的", + "ENG": "Proletarian means relating to the proletariat" + }, + "textile": { + "CHS": "纺织的" + }, + "decade": { + "CHS": "十年,十年期;十", + "ENG": "a period of 10 years" + }, + "tatters": { + "CHS": "撕碎;把…穿破(tatter的三单形式)" + }, + "brash": { + "CHS": "骤雨;碎片;胃灼热" + }, + "shrill": { + "CHS": "尖叫声" + }, + "aroma": { + "CHS": "芳香", + "ENG": "a strong pleasant smell" + }, + "era": { + "CHS": "时代;年代;纪元", + "ENG": "a period of time in history that is known for a particular event, or for particular qualities" + }, + "javelin": { + "CHS": "标枪,投枪", + "ENG": "a long stick with a pointed end, thrown as a sport" + }, + "suppress": { + "CHS": "抑制;镇压;废止", + "ENG": "to stop people from opposing the government, especially by using force" + }, + "academician": { + "CHS": "院士;大学生;学会会员;大学教师", + "ENG": "a member of an official organization which encourages the development of literature, art, science etc" + }, + "suffix": { + "CHS": "后缀;下标", + "ENG": "a letter or letters added to the end of a word to form a new word, such as ‘ness’ in ‘kindness’ or ‘ly’ in ‘suddenly’" + }, + "gambit": { + "CHS": "话题;开始;以取得优势的开局棋法;开场白", + "ENG": "A gambit is a remark which you make to someone in order to start or continue a conversation with them" + }, + "reply": { + "CHS": "回答;[法] 答辩", + "ENG": "something that is said, written, or done as a way of replying" + }, + "conquer": { + "CHS": "战胜,征服;攻克,攻取", + "ENG": "to get control of a country by fighting" + }, + "chemical": { + "CHS": "化学的", + "ENG": "relating to substances, the study of substances, or processes involving changes in substances" + }, + "thug": { + "CHS": "暴徒;恶棍;刺客", + "ENG": "a violent man" + }, + "happening": { + "CHS": "发生;碰巧(happen的ing形式)" + }, + "squirrel": { + "CHS": "贮藏" + }, + "portray": { + "CHS": "描绘;扮演", + "ENG": "to describe or represent something or someone" + }, + "piss": { + "CHS": "呸!" + }, + "paddle": { + "CHS": "拌;搅;用桨划", + "ENG": "to move a small light boat through water, using one or more paddles" + }, + "emancipate": { + "CHS": "解放;释放", + "ENG": "to give someone the political or legal rights that they did not have before" + }, + "glorious": { + "CHS": "光荣的;辉煌的;极好的", + "ENG": "having or deserving great fame, praise, and honour" + }, + "abolition": { + "CHS": "废除;废止", + "ENG": "when a law or a system is officially ended" + }, + "forefinger": { + "CHS": "食指", + "ENG": "the finger next to your thumb" + }, + "tactful": { + "CHS": "机智的;圆滑的;老练的", + "ENG": "not likely to upset or embarrass other people" + }, + "greedy": { + "CHS": "贪婪的;贪吃的;渴望的", + "ENG": "always wanting more food, money, power, possessions etc than you need" + }, + "outlet": { + "CHS": "出口,排放孔;[电] 电源插座;销路;发泄的方法;批发商店", + "ENG": "a way of expressing or getting rid of strong feelings" + }, + "satisfactory": { + "CHS": "满意的;符合要求的;赎罪的", + "ENG": "something that is satisfactory seems good enough for you, or good enough for a particular situation or purpose" + }, + "pack": { + "CHS": "包装;压紧;捆扎;挑选;塞满", + "ENG": "to put things into cases, bags etc ready for a trip somewhere" + }, + "mat": { + "CHS": "无光泽的" + }, + "frost": { + "CHS": "霜;冰冻,严寒;冷淡", + "ENG": "very cold weather, when water freezes" + }, + "fan": { + "CHS": "迷;风扇;爱好者", + "ENG": "someone who likes a particular sport or performing art very much, or who admires a famous person" + }, + "slant": { + "CHS": "倾斜的;有偏见的" + }, + "scab": { + "CHS": "结痂;生疙瘩;破坏罢工" + }, + "doctrine": { + "CHS": "主义;学说;教义;信条", + "ENG": "a set of beliefs that form an important part of a religion or system of ideas" + }, + "thirsty": { + "CHS": "口渴的,口干的;渴望的,热望的", + "ENG": "feeling that you want or need a drink" + }, + "navigation": { + "CHS": "航行;航海", + "ENG": "the science or job of planning which way you need to go when you are travelling from one place to another" + }, + "inscribe": { + "CHS": "题写;题献;铭记;雕", + "ENG": "to carefully cut, print, or write words on something, especially on the surface of a stone or coin" + }, + "accuse": { + "CHS": "控告,指控;谴责;归咎于", + "ENG": "to say that you believe someone is guilty of a crime or of doing something bad" + }, + "fern": { + "CHS": "[植] 蕨;[植] 蕨类植物", + "ENG": "a type of plant with green leaves shaped like large feathers, but no flowers" + }, + "forage": { + "CHS": "搜寻粮草;搜寻", + "ENG": "to go around searching for food or other supplies" + }, + "miscarriage": { + "CHS": "[妇产] 流产;失败;误送", + "ENG": "if a woman who is going to have a baby has a miscarriage, she gives birth before the baby is properly formed and it dies" + }, + "American": { + "CHS": "美国的,美洲的;地道美国式的", + "ENG": "relating to the US or its people" + }, + "alumnus": { + "CHS": "男校友;男毕业生", + "ENG": "a former student of a school, college etc" + }, + "lot": { + "CHS": "分组,把…划分(常与out连用);把(土地)划分成块" + }, + "angle": { + "CHS": "角度,角,方面", + "ENG": "the space between two straight lines or surfaces that join each other, measured in degrees" + }, + "craftsman": { + "CHS": "工匠;手艺人;技工", + "ENG": "someone who is very skilled at a particular craft " + }, + "doleful": { + "CHS": "寂寞的;悲哀的;阴沉的;忧郁的", + "ENG": "very sad" + }, + "consumer": { + "CHS": "消费者;用户,顾客", + "ENG": "someone who buys and uses products and services" + }, + "humane": { + "CHS": "仁慈的,人道的;高尚的", + "ENG": "treating people or animals in a way that is not cruel and causes them as little suffering as possible" + }, + "retrieve": { + "CHS": "[计] 检索;恢复,取回" + }, + "lass": { + "CHS": "小姑娘;情侣;(苏格兰)女佣" + }, + "dispensary": { + "CHS": "药房;(学校、兵营或工厂的)诊疗所;防治站", + "ENG": "a place where medicines are prepared and given out, especially in a hospital" + }, + "monthly": { + "CHS": "每月,每月一次", + "ENG": "Monthly is also an adverb" + }, + "old": { + "CHS": "古时" + }, + "brilliant": { + "CHS": "灿烂的,闪耀的;杰出的;有才气的;精彩的,绝妙的", + "ENG": "brilliant light or colour is very bright and strong" + }, + "archaic": { + "CHS": "古代的;陈旧的;古体的;古色古香的", + "ENG": "old and no longer used" + }, + "agency": { + "CHS": "代理,中介;代理处,经销处", + "ENG": "a business that provides a particular service for people or organizations" + }, + "restore": { + "CHS": "恢复;修复;归还", + "ENG": "to make something return to its former state or condition" + }, + "logical": { + "CHS": "合逻辑的,合理的;逻辑学的", + "ENG": "seeming reasonable and sensible" + }, + "Spain": { + "CHS": "西班牙" + }, + "Gothic": { + "CHS": "哥特式" + }, + "optical": { + "CHS": "光学的;眼睛的,视觉的", + "ENG": "relating to machines or processes which are concerned with light, images, or the way we see things" + }, + "bracket": { + "CHS": "括在一起;把…归入同一类;排除", + "ENG": "If two or more people or things are bracketed together, they are considered to be similar or related in some way" + }, + "city": { + "CHS": "城市的;都会的" + }, + "cubic": { + "CHS": "(Cubic)人名;(罗)库比克" + }, + "founder": { + "CHS": "创始人;建立者;翻沙工", + "ENG": "someone who establishes a business, organization, school etc" + }, + "schizophrenia": { + "CHS": "[内科] 精神分裂症", + "ENG": "a serious mental illness in which someone’s thoughts and feelings are not based on what is really happening around them" + }, + "environmental": { + "CHS": "环境的,周围的;有关环境的", + "ENG": "concerning or affecting the air, land, or water on Earth" + }, + "veranda": { + "CHS": "走廊,游廊;阳台", + "ENG": "an open area with a floor and a roof that is attached to the side of a house at ground level" + }, + "third": { + "CHS": "第三的;三分之一的", + "ENG": "coming after two other things in a series" + }, + "slice": { + "CHS": "切下;把…分成部分;将…切成薄片", + "ENG": "to cut meat, bread, vegetables etc into thin flat pieces" + }, + "indigestion": { + "CHS": "消化不良;不消化", + "ENG": "pain that you get when your stomach cannot break down food that you have eaten" + }, + "polio": { + "CHS": "小儿麻痹症(等于poliomyelitis);脊髓灰质炎", + "ENG": "a serious infectious disease of the nerves in the spine , that often results in someone being permanently unable to move particular muscles" + }, + "kangaroo": { + "CHS": "袋鼠", + "ENG": "an Australian animal that moves by jumping and carries its babies in a pouch (= a special pocket of skin ) on its stomach" + }, + "bat": { + "CHS": "用球棒击球;击球率达…", + "ENG": "to hit the ball with a bat in cricket or baseball " + }, + "okay": { + "CHS": "好;行" + }, + "unanimous": { + "CHS": "全体一致的;意见一致的;无异议的", + "ENG": "a unanimous decision, vote, agreement etc is one in which all the people involved agree" + }, + "confederate": { + "CHS": "使联盟;使联合;同伙;帮凶" + }, + "vagrant": { + "CHS": "游民;流浪者;无赖;漂泊者", + "ENG": "someone who has no home or work, especially someone who begs" + }, + "gallows": { + "CHS": "绞刑;绞刑架;承梁", + "ENG": "a structure used for killing criminals by hanging from a rope" + }, + "bug": { + "CHS": "烦扰,打扰;装窃听器", + "ENG": "to put a bug (= small piece of electronic equipment ) somewhere secretly in order to listen to conversations" + }, + "stripe": { + "CHS": "加条纹于…", + "ENG": "to mark with a stripe or stripes " + }, + "denture": { + "CHS": "齿列,托牙;一副假牙" + }, + "bed": { + "CHS": "使睡觉;安置,嵌入;栽种" + }, + "able": { + "CHS": "(Able)人名;(伊朗)阿布勒;(英)埃布尔" + }, + "ingenuous": { + "CHS": "天真的;坦白的;正直的;朴实的", + "ENG": "an ingenuous person is simple, trusting, and honest, especially because they have not had much experience of life" + }, + "ladybird": { + "CHS": "瓢虫", + "ENG": "a small round beetle(= a type of insect ) that is usually red with black spots" + }, + "stack": { + "CHS": "使堆叠;把…堆积起来", + "ENG": "If you stack a number of things, you arrange them in neat piles" + }, + "pace": { + "CHS": "踱步;缓慢而行", + "ENG": "to walk first in one direction and then in another many times, especially because you are nervous" + }, + "recollect": { + "CHS": "回忆,想起", + "ENG": "to be able to remember something" + }, + "declaration": { + "CHS": "(纳税品等的)申报;宣布;公告;申诉书", + "ENG": "an important official statement about a particular situation or plan, or the act of making this statement" + }, + "clown": { + "CHS": "扮小丑;装傻", + "ENG": "If you clown, you do silly things in order to make people laugh" + }, + "ant": { + "CHS": "蚂蚁", + "ENG": "a small insect that lives in large groups" + }, + "idolise": { + "CHS": "把…当偶像崇拜;偶像化" + }, + "reassemble": { + "CHS": "重新集合", + "ENG": "to bring together the different parts of something to make a whole again, after they have been separated" + }, + "history": { + "CHS": "历史,历史学;历史记录;来历", + "ENG": "all the things that happened in the past, especially the political, social, or economic development of a nation" + }, + "translate": { + "CHS": "翻译;转化;解释;转变为;调动", + "ENG": "to change written or spoken words into another language" + }, + "telegram": { + "CHS": "发电报" + }, + "imperfect": { + "CHS": "有瑕疵地;有缺点地" + }, + "delirious": { + "CHS": "发狂的;神志昏迷的;精神错乱的", + "ENG": "Someone who is delirious is unable to think or speak in a sensible and reasonable way, usually because they are very ill and have a fever" + }, + "tide": { + "CHS": "随潮漂流" + }, + "clinch": { + "CHS": "拥吻;钉牢", + "ENG": "a situation in which two people who love each other hold each other tightly" + }, + "chatter": { + "CHS": "唠叨;饶舌;(动物的)啁啾声;潺潺流水声", + "ENG": "talk, especially about things that are not serious or important" + }, + "microorganism": { + "CHS": "[微] 微生物;微小动植物", + "ENG": "a living thing that is so small that it cannot be seen without a microscope " + }, + "stall": { + "CHS": "停止,停转;拖延", + "ENG": "if an engine or vehicle stalls, or if you stall it, it stops because there is not enough power or speed to keep it going" + }, + "detrimental": { + "CHS": "有害的人(或物);不受欢迎的求婚者" + }, + "compact": { + "CHS": "使简洁;使紧密结合" + }, + "starve": { + "CHS": "饿死;挨饿;渴望", + "ENG": "to suffer or die because you do not have enough to eat" + }, + "examine": { + "CHS": "检查;调查; 检测;考试", + "ENG": "to look at something carefully and thoroughly because you want to find out more about it" + }, + "hotfoot": { + "CHS": "恶作剧" + }, + "communicable": { + "CHS": "可传达的;会传染的;爱说话的", + "ENG": "a communicable disease can be passed on to other people" + }, + "depressed": { + "CHS": "使沮丧;使萧条(depress的过去式和过去分词形式);压低" + }, + "values": { + "CHS": "价值观念;价值标准", + "ENG": "The value of something is how much money it is worth" + }, + "remark": { + "CHS": "评论;觉察", + "ENG": "to say something, especially about something you have just noticed" + }, + "valuable": { + "CHS": "贵重物品" + }, + "turtle": { + "CHS": "龟,甲鱼;海龟", + "ENG": "a reptile that lives mainly in water and has a soft body covered by a hard shell" + }, + "diverge": { + "CHS": "分歧;偏离;分叉;离题", + "ENG": "if opinions, interests etc diverge, they are different from each other" + }, + "outgrow": { + "CHS": "过大而不适于;出生;长大成熟而不再", + "ENG": "to grow too big for something" + }, + "knight": { + "CHS": "授以爵位", + "ENG": "If someone is knighted, they are given a knighthood" + }, + "beauty": { + "CHS": "美;美丽;美人;美好的东西", + "ENG": "a quality that people, places, or things have that makes them very attractive to look at" + }, + "smell": { + "CHS": "气味,嗅觉;臭味", + "ENG": "the quality that people and animals recognize by using their nose" + }, + "earl": { + "CHS": "(英)伯爵", + "ENG": "a man with a high social rank" + }, + "sustain": { + "CHS": "维持;支撑,承担;忍受;供养;证实", + "ENG": "to make something continue to exist or happen for a period of time" + }, + "federal": { + "CHS": "(Federal)人名;(英)费德勒尔" + }, + "sterile": { + "CHS": "不育的;无菌的;贫瘠的;不毛的;枯燥乏味的", + "ENG": "a person or animal that is sterile cannot produce babies" + }, + "precedent": { + "CHS": "在前的;在先的" + }, + "admiral": { + "CHS": "海军上将;舰队司令;旗舰", + "ENG": "a high rank in the British or US navy, or someone with this rank" + }, + "overture": { + "CHS": "提议;为……奏前奏曲" + }, + "redbrick": { + "CHS": "新大学的" + }, + "serenade": { + "CHS": "为…唱小夜曲", + "ENG": "if you serenade someone, you sing or play music to them, especially to show them that you love them" + }, + "abnormal": { + "CHS": "反常的,不规则的;变态的", + "ENG": "very different from usual in a way that seems strange, worrying, wrong, or dangerous" + }, + "protrude": { + "CHS": "使突出,使伸出", + "ENG": "to stick out from somewhere" + }, + "suspension": { + "CHS": "悬浮;暂停;停职", + "ENG": "when something is officially stopped for a period of time" + }, + "burst": { + "CHS": "爆发,突发;爆炸", + "ENG": "the act of something bursting or the place where it has burst" + }, + "dry": { + "CHS": "干涸", + "ENG": "" + }, + "seduce": { + "CHS": "引诱;诱惑;诱奸;怂恿", + "ENG": "to persuade someone to have sex with you, especially in a way that is attractive and not too direct" + }, + "correspondence": { + "CHS": "通信;一致;相当", + "ENG": "the process of sending and receiving letters" + }, + "revision": { + "CHS": "[印刷] 修正;复习;修订本", + "ENG": "the process of changing something in order to improve it by correcting it or including new information or ideas" + }, + "corn": { + "CHS": "腌;使成颗粒" + }, + "generally": { + "CHS": "通常;普遍地,一般地", + "ENG": "by or to most people" + }, + "skate": { + "CHS": "溜冰;冰鞋", + "ENG": "one of a pair of boots with metal blades on the bottom, for moving quickly on ice" + }, + "ongoing": { + "CHS": "前进;行为,举止" + }, + "sir": { + "CHS": "先生;(用于姓名前)爵士;阁下;(中小学生对男教师的称呼)先生;老师", + "ENG": "used when speaking to a man in order to be polite or show respect" + }, + "strong": { + "CHS": "(Strong)人名;(英)斯特朗" + }, + "meter": { + "CHS": "用仪表测量", + "ENG": "to measure how much of something is used, and how much you must pay for it, by using a meter" + }, + "antidote": { + "CHS": "[药] 解毒剂;解药;矫正方法", + "ENG": "a substance that stops the effects of a poison" + }, + "what": { + "CHS": "什么;多么" + }, + "turnpike": { + "CHS": "[税收] 收费高速公路;收税关卡", + "ENG": "a large road for fast traffic that drivers have to pay to use" + }, + "addict": { + "CHS": "使沉溺;使上瘾" + }, + "election": { + "CHS": "选举;当选;选择权;上帝的选拔", + "ENG": "when people vote to choose someone for an official position" + }, + "ugly": { + "CHS": "丑陋的;邪恶的;令人厌恶的", + "ENG": "extremely unattractive and unpleasant to look at" + }, + "handkerchief": { + "CHS": "手帕;头巾,围巾", + "ENG": "a piece of cloth that you use for drying your nose or eyes" + }, + "surrogate": { + "CHS": "代理的;替代的", + "ENG": "a surrogate person or thing is one that takes the place of someone or something else" + }, + "fragrance": { + "CHS": "香味,芬芳", + "ENG": "a pleasant smell" + }, + "weld": { + "CHS": "焊接;焊接点", + "ENG": "a joint that is made by welding two pieces of metal together" + }, + "launch": { + "CHS": "发射;发行,投放市场;下水;汽艇", + "ENG": "when a new product, book etc is made available or made known" + }, + "continue": { + "CHS": "继续,延续;仍旧,连续", + "ENG": "to not stop happening, existing, or doing something" + }, + "ultrasonic": { + "CHS": "超声波" + }, + "elimination": { + "CHS": "消除;淘汰;除去", + "ENG": "the removal or destruction of something" + }, + "grief": { + "CHS": "悲痛;忧伤;不幸", + "ENG": "extreme sadness, especially because someone you love has died" + }, + "cartridge": { + "CHS": "弹药筒,打印机的(墨盒);[摄] 暗盒;笔芯;一卷软片", + "ENG": "a small container or piece of equipment that you put inside something to make it work" + }, + "holly": { + "CHS": "冬青属植物的" + }, + "reconnaissance": { + "CHS": "[军] 侦察;勘测(等于reconnoissance);搜索;事先考查", + "ENG": "the military activity of sending soldiers and aircraft to find out about the enemy’s forces" + }, + "hurried": { + "CHS": "催促;匆忙进行;急派(hurry的过去分词)" + }, + "familiarise": { + "CHS": "使熟悉(等于familiarize)" + }, + "joyous": { + "CHS": "令人高兴的;充满欢乐的(等于joyful)", + "ENG": "very happy, or likely to make people very happy" + }, + "yes": { + "CHS": "是(表示肯定)" + }, + "plutonium": { + "CHS": "[化学] 钚(94号元素)", + "ENG": "Plutonium is a radioactive element used especially in nuclear weapons and as a fuel in nuclear power stations" + }, + "dance": { + "CHS": "舞蹈的;用于跳舞的" + }, + "sensitive": { + "CHS": "敏感的人;有灵异能力的人" + }, + "route": { + "CHS": "路线;航线;通道", + "ENG": "a way from one place to another" + }, + "circle": { + "CHS": "盘旋,旋转;环行", + "ENG": "to move in the shape of a circle around something, especially in the air" + }, + "peck": { + "CHS": "许多;配克(容量单位,等于2加仑);啄痕;快速轻吻", + "ENG": "an action in which a bird pecks someone or something with its beak" + }, + "irretrievable": { + "CHS": "不能弥补的;不能复原的;无法挽救的", + "ENG": "an irretrievable situation cannot be made right again" + }, + "frosty": { + "CHS": "结霜的,严寒的;冷淡的;灰白的", + "ENG": "unfriendly" + }, + "perimeter": { + "CHS": "周长;周界;[眼科] 视野计", + "ENG": "the whole length of the border around an area or shape" + }, + "invitation": { + "CHS": "邀请;引诱;请帖;邀请函", + "ENG": "a written or spoken request to someone, inviting them to go somewhere or do something" + }, + "clan": { + "CHS": "宗族;部落;集团", + "ENG": "a large group of families who often share the same name" + }, + "unruly": { + "CHS": "不守规矩的;任性的;难驾驭的", + "ENG": "violent or difficult to control" + }, + "goldfish": { + "CHS": "金鱼", + "ENG": "a small shiny orange fish often kept as a pet" + }, + "tremor": { + "CHS": "[医] 震颤;颤动", + "ENG": "If an event causes a tremor in a group or organization, it threatens to make the group or organization less strong or stable" + }, + "glare": { + "CHS": "瞪眼表示" + }, + "hitch": { + "CHS": "搭便车;钩住;套住;猛拉;使结婚", + "ENG": "to get free rides from the drivers of passing cars by standing at the side of the road and putting a hand out with the thumb raised" + }, + "tyranny": { + "CHS": "暴政;专横;严酷;残暴的行为(需用复数)", + "ENG": "cruel or unfair control over other people" + }, + "beside": { + "CHS": "在旁边;与…相比;和…无关", + "ENG": "next to or very close to the side of someone or something" + }, + "serious": { + "CHS": "严肃的,严重的;认真的;庄重的;危急的", + "ENG": "a serious situation, problem, accident etc is extremely bad or dangerous" + }, + "duchy": { + "CHS": "公国;公爵领地;直辖领地", + "ENG": "the land and property of a duke or duchess " + }, + "capitalize": { + "CHS": "使资本化;以大写字母写;估计…的价值", + "ENG": "to write a letter of the alphabet using a capital letter" + }, + "humanism": { + "CHS": "人文主义的;人道主义的" + }, + "autograph": { + "CHS": "亲笔签名于…;亲笔书写", + "ENG": "if a famous person autographs a book, photograph etc, they sign it" + }, + "accordingly": { + "CHS": "因此,于是;相应地;照著", + "ENG": "in a way that is suitable for a particular situation or that is based on what someone has done or said" + }, + "observation": { + "CHS": "观察;监视;观察报告", + "ENG": "the process of watching something or someone carefully for a period of time" + }, + "retain": { + "CHS": "保持;雇;记住", + "ENG": "to remember information" + }, + "enquiry": { + "CHS": "[计] 询问,[贸易] 询盘" + }, + "compare": { + "CHS": "比拟,喻为;[语]构成", + "ENG": "When you compare things, you consider them and discover the differences or similarities between them" + }, + "filling": { + "CHS": "填满;遍及(fill的ing形式)" + }, + "them": { + "CHS": "(Them)人名;(老)探", + "ENG": "used when talking about someone who may be male or female, to avoid saying ‘him or her’" + }, + "pessimistic": { + "CHS": "悲观的,厌世的;悲观主义的", + "ENG": "expecting that bad things will happen in the future or that something will have a bad result" + }, + "symbolism": { + "CHS": "象征,象征主义;符号论;记号", + "ENG": "the use of symbols to represent ideas or qualities" + }, + "bask": { + "CHS": "(Bask)人名;(芬)巴斯克" + }, + "horrible": { + "CHS": "可怕的;极讨厌的", + "ENG": "very bad - used, for example, about things you see, taste, or smell, or about the weather" + }, + "granular": { + "CHS": "颗粒的;粒状的", + "ENG": "consisting of granules" + }, + "underhand": { + "CHS": "欺诈地;以下手投", + "ENG": "if you throw a ball underhand, you throw it without moving your arm above your shoulder" + }, + "glide": { + "CHS": "滑翔;滑行;滑移;滑音", + "ENG": "a smooth quiet movement that seems to take no effort" + }, + "eleven": { + "CHS": "十一;十一个", + "ENG": "the number" + }, + "air": { + "CHS": "使通风,晾干;夸耀", + "ENG": "to let fresh air into a room, especially one that has been closed for a long time" + }, + "silky": { + "CHS": "丝的;柔滑的;温和的;丝绸一样的", + "ENG": "soft, smooth, and shiny like silk" + }, + "reluctance": { + "CHS": "[电磁] 磁阻;勉强;不情愿", + "ENG": "when someone is unwilling to do something, or when they do something slowly to show that they are not very willing" + }, + "alas": { + "CHS": "(Alas)人名;(西、葡、捷、土)阿拉斯" + }, + "govern": { + "CHS": "(Govern)人名;(英)戈文" + }, + "wisdom": { + "CHS": "智慧,才智;明智;学识;至理名言", + "ENG": "good sense and judgment, based especially on your experience of life" + }, + "enough": { + "CHS": "够了!" + }, + "spa": { + "CHS": "矿泉;温泉浴场;矿泉治疗地", + "ENG": "a place where the water has special minerals in it, and where people go to improve their health by drinking the water or swimming in it" + }, + "reformer": { + "CHS": "改革家;改革运动者;改良者", + "ENG": "someone who works to improve a social or political system" + }, + "wild": { + "CHS": "疯狂地;胡乱地", + "ENG": "if plants run wild, they grow a lot in an uncontrolled way" + }, + "thump": { + "CHS": "重打;重击声", + "ENG": "the dull sound that is made when something hits a surface" + }, + "irksome": { + "CHS": "令人厌烦的,讨厌的;令人厌恶的", + "ENG": "annoying" + }, + "consequent": { + "CHS": "随之发生的;作为结果的", + "ENG": "happening as a result of a particular event or situation" + }, + "tendency": { + "CHS": "倾向,趋势;癖好", + "ENG": "if someone or something has a tendency to do or become a particular thing, they are likely to do or become it" + }, + "fend": { + "CHS": "谋生;保护;挡开;供养" + }, + "vitality": { + "CHS": "活力,生气;生命力,生动性", + "ENG": "great energy and eagerness to do things" + }, + "velvet": { + "CHS": "天鹅绒的" + }, + "nervous": { + "CHS": "神经的;紧张不安的;强健有力的", + "ENG": "worried or frightened about something, and unable to relax" + }, + "prostitution": { + "CHS": "卖淫;滥用;出卖灵魂", + "ENG": "the work of prostitutes" + }, + "disease": { + "CHS": "传染;使…有病" + }, + "nuisance": { + "CHS": "讨厌的人;损害;麻烦事;讨厌的东西", + "ENG": "a person, thing, or situation that annoys you or causes problems" + }, + "octopus": { + "CHS": "章鱼", + "ENG": "a sea creature with eight tentacles (= arms )" + }, + "cane": { + "CHS": "以杖击;以藤编制" + }, + "luck": { + "CHS": "靠运气,走运;凑巧碰上" + }, + "deprive": { + "CHS": "使丧失,剥夺", + "ENG": "If you deprive someone of something that they want or need, you take it away from them, or you prevent them from having it" + }, + "overjoyed": { + "CHS": "使…万分高兴;使…狂喜(overjoy的过去分词)" + }, + "knob": { + "CHS": "使有球形突出物" + }, + "hide": { + "CHS": "躲藏;兽皮;躲藏处", + "ENG": "an animal’s skin, especially when it has been removed to be used for leather" + }, + "lighter": { + "CHS": "明亮的;光明的;照明好的;光线充足的" + }, + "ejaculate": { + "CHS": "一次射出的精液" + }, + "rivet": { + "CHS": "铆接;固定;(把目光、注意力等)集中于", + "ENG": "to fasten something with rivets" + }, + "recur": { + "CHS": "复发;重现;采用;再来;循环;递归", + "ENG": "if a number or numbers after a decimal point recur, they are repeated for ever in the same order" + }, + "bedroom": { + "CHS": "两性关系的;城郊住宅区的" + }, + "skylight": { + "CHS": "天窗", + "ENG": "a window in the roof of a building" + }, + "somebody": { + "CHS": "有人;某人", + "ENG": "used to mean a person, when you do not know, or do not say who the person is" + }, + "essence": { + "CHS": "本质,实质;精华;香精", + "ENG": "the most basic and important quality of something" + }, + "storey": { + "CHS": "[建] 楼层;叠架的一层", + "ENG": "a floor or level of a building" + }, + "opt": { + "CHS": "选择", + "ENG": "to choose one thing or do one thing instead of another" + }, + "lift": { + "CHS": "电梯;举起;起重机;搭车", + "ENG": "a machine that you can ride in, that moves up and down between the floors in a tall building" + }, + "temporary": { + "CHS": "临时工,临时雇员" + }, + "spruce": { + "CHS": "云杉", + "ENG": "a tree that grows in nor-thern countries and has short leaves shaped like needles" + }, + "Latin": { + "CHS": "拉丁语;拉丁人", + "ENG": "the language used in ancient Rome" + }, + "anthology": { + "CHS": "(诗、文、曲、画等的)选集", + "ENG": "a set of stories, poems, songs etc by different people collected together in one book" + }, + "acid": { + "CHS": "酸的;讽刺的;刻薄的", + "ENG": "having a sharp sour taste" + }, + "projection": { + "CHS": "投射;规划;突出;发射;推测", + "ENG": "the act of projecting a film or picture onto a screen" + }, + "agricultural": { + "CHS": "农业的;农艺的", + "ENG": "Agricultural means involving or relating to agriculture" + }, + "lash": { + "CHS": "鞭打;睫毛;鞭子;责骂;讽刺", + "ENG": "a hit with a whip, especially as a punishment" + }, + "prison": { + "CHS": "监禁,关押" + }, + "regent": { + "CHS": "摄政的;统治的" + }, + "bleach": { + "CHS": "漂白剂", + "ENG": "a chemical used to make things pale or white, or to kill germ s " + }, + "rocker": { + "CHS": "摇杆;摇的人;镰刀弯;套钩;摇轴", + "ENG": "a rocking chair " + }, + "row": { + "CHS": "划船;使……成排", + "ENG": "to make a boat move across water using oar s " + }, + "volcano": { + "CHS": "火山", + "ENG": "a mountain with a large hole at the top, through which lava(= very hot liquid rock ) is sometimes forced out" + }, + "whom": { + "CHS": "谁(who的宾格)" + }, + "jest": { + "CHS": "开玩笑;嘲笑", + "ENG": "to say things that you do not really mean in order to amuse people" + }, + "turtleneck": { + "CHS": "圆翻领的" + }, + "microphone": { + "CHS": "扩音器,麦克风", + "ENG": "a piece of equipment that you speak into to record your voice or make it louder when you are speaking or performing in public" + }, + "contradiction": { + "CHS": "矛盾;否认;反驳", + "ENG": "a difference between two statements, beliefs, or ideas about something that means they cannot both be true" + }, + "hundredweight": { + "CHS": "英担(重量单位)", + "ENG": "a unit for measuring weight, equal to 112 pounds or 50.8 kilograms in Britain, and 100 pounds or 45.3 kilograms in the US" + }, + "bashful": { + "CHS": "(Bashful)人名;(英)巴什富尔" + }, + "afraid": { + "CHS": "害怕的;恐怕;担心的", + "ENG": "frightened because you think that you may get hurt or that something bad may happen" + }, + "colossus": { + "CHS": "巨像;巨人;巨大的东西", + "ENG": "someone or something that is extremely big or extremely important" + }, + "Christmas": { + "CHS": "圣诞节;圣诞节期间", + "ENG": "the period of time around December 25th, the day when Christians celebrate the birth of Christ" + }, + "paste": { + "CHS": "面团,膏;糊状物,[胶粘] 浆糊", + "ENG": "a soft thick mixture that can easily be shaped or spread" + }, + "huff": { + "CHS": "发怒" + }, + "vital": { + "CHS": "(Vital)人名;(法、德、意、俄、葡)维塔尔;(西)比塔尔" + }, + "study": { + "CHS": "学习;考虑;攻读;细察", + "ENG": "to learn about a subject at school, university etc" + }, + "panacea": { + "CHS": "灵丹妙药;万能药", + "ENG": "If you say that something is a panacea for a set of problems, you mean that it will solve all those problems" + }, + "astray": { + "CHS": "(Astray)人名;(西)阿斯特赖" + }, + "works": { + "CHS": "作品;工厂;工程结构" + }, + "individual": { + "CHS": "个人,个体", + "ENG": "a person, considered separately from the rest of the group or society that they live in" + }, + "adjunct": { + "CHS": "附属的" + }, + "ultrasound": { + "CHS": "超声;超音波", + "ENG": "sound that is too high for humans to hear" + }, + "less": { + "CHS": "较少;较小" + }, + "downhill": { + "CHS": "下坡;滑降" + }, + "Yankee": { + "CHS": "美国佬,美国人;洋基队(美国棒球队名)", + "ENG": "an American – often used to show disapproval" + }, + "outwards": { + "CHS": "向外地", + "ENG": "towards the outside or away from the centre of something" + }, + "housewife": { + "CHS": "家庭主妇", + "ENG": "a married woman who works at home doing the cooking, cleaning etc, but does not have a job outside the house" + }, + "convenience": { + "CHS": "便利;厕所;便利的事物", + "ENG": "the quality of being suitable or useful for a particular purpose, especially by making something easier or saving you time" + }, + "chalk": { + "CHS": "用粉笔写的" + }, + "vexation": { + "CHS": "苦恼;恼怒;令人烦恼的事", + "ENG": "when you feel worried or annoyed by something" + }, + "speak": { + "CHS": "说话;演讲;表明;陈述", + "ENG": "to use your voice to produce words" + }, + "pronoun": { + "CHS": "代词", + "ENG": "a word that is used instead of a noun or noun phrase, such as ‘he’ instead of ‘Peter’ or ‘the man’" + }, + "dine": { + "CHS": "(Dine)人名;(意、葡)迪内;(英)戴恩;(法)迪纳" + }, + "porch": { + "CHS": "门廊;走廊", + "ENG": "an entrance covered by a roof outside the front door of a house or church" + }, + "ammunition": { + "CHS": "装弹药" + }, + "horn": { + "CHS": "装角于" + }, + "submit": { + "CHS": "使服从;主张;呈递", + "ENG": "to give a plan, piece of writing etc to someone in authority for them to consider or approve" + }, + "husky": { + "CHS": "强壮结实之人;爱斯基摩人", + "ENG": "a dog with thick hair used in Canada and Alaska to pull sledges over the snow" + }, + "energetic": { + "CHS": "精力充沛的;积极的;有力的", + "ENG": "having or needing a lot of energy or determination" + }, + "living": { + "CHS": "生活;居住(live的ing形式);度过" + }, + "hint": { + "CHS": "暗示;示意", + "ENG": "to suggest something in an indirect way, but so that someone can guess your meaning" + }, + "dye": { + "CHS": "染;把…染上颜色", + "ENG": "to give something a different colour using a dye" + }, + "certify": { + "CHS": "证明;保证", + "ENG": "to state that something is correct or true, especially after some kind of test" + }, + "anyone": { + "CHS": "任何人;任何一个", + "ENG": "used to refer to any person, when it is not important to say exactly who" + }, + "bone": { + "CHS": "剔去的骨;施骨肥于", + "ENG": "to remove the bones from fish or meat" + }, + "reinforce": { + "CHS": "加强;加固物;加固材料" + }, + "stadium": { + "CHS": "体育场;露天大型运动场", + "ENG": "a building for public events, especially sports and large rock music concerts, consisting of a playing field surrounded by rows of seats" + }, + "immaterial": { + "CHS": "非物质的;无形的;不重要的;非实质的", + "ENG": "not important in a particular situation" + }, + "fascist": { + "CHS": "法西斯主义的,法西斯党的", + "ENG": "You use fascist to describe organizations, ideas, or systems which follow the principles of fascism" + }, + "expiry": { + "CHS": "满期,逾期;呼气;终结", + "ENG": "The expiry of something such as a contract, deadline, or visa is the time that it comes to an end or stops being valid" + }, + "lineage": { + "CHS": "血统;家系,[遗] 世系", + "ENG": "the way in which members of a family are descended from other members" + }, + "pitcher": { + "CHS": "投手;大水罐", + "ENG": "the player in baseball who throws the ball" + }, + "perception": { + "CHS": "知觉;[生理] 感觉;看法;洞察力;获取", + "ENG": "Your perception of something is the way that you think about it or the impression you have of it" + }, + "combustion": { + "CHS": "燃烧,氧化;骚动", + "ENG": "the process of burning" + }, + "Asian": { + "CHS": "亚洲的;亚洲人的", + "ENG": "from or relating to Asia, especially India or Pakistan" + }, + "miss": { + "CHS": "女士,小姐,年轻未婚女子", + "ENG": "used in front of the family name of a woman who is not married to address her politely, to write to her, or to talk about her" + }, + "rigid": { + "CHS": "严格的;僵硬的,死板的;坚硬的;精确的", + "ENG": "rigid methods, systems etc are very strict and difficult to change" + }, + "sweater": { + "CHS": "毛线衣,运动衫;大量出汗的人,发汗剂", + "ENG": "a piece of warm wool or cotton clothing with long sleeves, which covers the top half of your body" + }, + "act": { + "CHS": "行为,行动;法令,法案;(戏剧,歌剧的)一幕,段;装腔作势", + "ENG": "one thing that you do" + }, + "frizzy": { + "CHS": "卷曲的", + "ENG": "frizzy hair is very tightly curled" + }, + "son": { + "CHS": "儿子;孩子(对年轻人的称呼);男性后裔", + "ENG": "someone’s male child" + }, + "minister": { + "CHS": "执行牧师职务;辅助或伺候某人", + "ENG": "to work as a priest" + }, + "brutal": { + "CHS": "残忍的;野蛮的,不讲理的", + "ENG": "very cruel and violent" + }, + "kitchen": { + "CHS": "厨房;炊具;炊事人员", + "ENG": "the room where you prepare and cook food" + }, + "beautiful": { + "CHS": "美丽的", + "ENG": "someone or something that is beautiful is extremely attractive to look at" + }, + "mesh": { + "CHS": "相啮合", + "ENG": "if two ideas or things mesh, they fit together very well" + }, + "hitchhike": { + "CHS": "搭便车(旅行)" + }, + "bigot": { + "CHS": "偏执的人;顽固者;盲信者", + "ENG": "someone who is bigoted" + }, + "poke": { + "CHS": "戳;刺;袋子;懒汉", + "ENG": "to quickly push your fingers, a stick etc into something or someone" + }, + "hunch": { + "CHS": "耸肩;预感到;弯腰驼背", + "ENG": "to raise your shoulders into a rounded shape because you are cold, anxious etc" + }, + "gathering": { + "CHS": "聚集(gather的ing形式)" + }, + "fleck": { + "CHS": "使起斑点;使有斑驳" + }, + "rectangle": { + "CHS": "矩形;长方形", + "ENG": "a shape that has four straight sides, two of which are usually longer than the other two, and four 90˚ angles at the corners" + }, + "anaesthesia": { + "CHS": "麻醉;麻木;感觉缺失(等于anesthesia)", + "ENG": "the use of anaesthetics in medicine" + }, + "reduction": { + "CHS": "减少;下降;缩小;还原反应", + "ENG": "a decrease in the size, price, or amount of something, or the act of decreasing something" + }, + "benefit": { + "CHS": "有益于,对…有益", + "ENG": "if you benefit from something, or it benefits you, it gives you an advantage, improves your life, or helps you in some way" + }, + "bandwagon": { + "CHS": "流行,时尚;乐队花车", + "ENG": "You can refer to an activity or movement that has suddenly become fashionable or popular as a bandwagon" + }, + "screen": { + "CHS": "筛;拍摄;放映;掩蔽", + "ENG": "to do tests on a lot of people to find out whether they have a particular illness" + }, + "mania": { + "CHS": "狂热;狂躁;热衷", + "ENG": "a strong desire for something or interest in something, especially one that affects a lot of people at the same time" + }, + "cello": { + "CHS": "大提琴", + "ENG": "a musical instrument like a large violin that you hold between your knees and play by pulling a bow (= special stick ) across the strings" + }, + "bounce": { + "CHS": "弹跳;使弹起", + "ENG": "if a ball or other object bounces, or you bounce it, it immediately moves up or away from a surface after hitting it" + }, + "against": { + "CHS": "不利的;对立的" + }, + "gruff": { + "CHS": "格拉夫(英国珠宝品牌)" + }, + "antenna": { + "CHS": "[电讯] 天线;[动] 触角,[昆] 触须", + "ENG": "one of two long thin parts on an insect’s head, that it uses to feel things" + }, + "schoolboy": { + "CHS": "男学生;学童", + "ENG": "a boy attending school" + }, + "private": { + "CHS": "列兵;二等兵", + "ENG": "a soldier of the lowest rank" + }, + "contributor": { + "CHS": "贡献者;投稿者;捐助者" + }, + "referendum": { + "CHS": "公民投票权;外交官请示书", + "ENG": "when people vote in order to make a decision about a particular subject, rather than voting for a person" + }, + "outward": { + "CHS": "外表;外面;物质世界" + }, + "suckle": { + "CHS": "给…哺乳;吮吸;养育", + "ENG": "to feed a baby or young animal with milk from the breast" + }, + "clad": { + "CHS": "穿衣(clothe的过去式和过去分词)" + }, + "anchorman": { + "CHS": "末棒运动员;新闻节目主持人" + }, + "Dutch": { + "CHS": "费用平摊地;各自付账地" + }, + "missile": { + "CHS": "导弹的;可投掷的;用以发射导弹的" + }, + "jocular": { + "CHS": "爱开玩笑的;打趣的;滑稽的", + "ENG": "joking or humorous" + }, + "donator": { + "CHS": "捐赠者" + }, + "confirmation": { + "CHS": "确认;证实;证明;批准", + "ENG": "a statement, document etc that says that something is definitely true" + }, + "necessary": { + "CHS": "必需品", + "ENG": "things such as food or basic clothes that you need in order to live" + }, + "infringe": { + "CHS": "侵犯;违反;破坏", + "ENG": "to do something that is against a law or someone’s legal rights" + }, + "dime": { + "CHS": "一角硬币", + "ENG": "a coin of the US and Canada, worth one tenth of a dollar" + }, + "toxic": { + "CHS": "有毒的;中毒的", + "ENG": "containing poison, or caused by poisonous substances" + }, + "receipt": { + "CHS": "收到" + }, + "inveterate": { + "CHS": "根深的;积习的;成癖的", + "ENG": "If you describe someone as, for example, an inveterate liar or smoker, you mean that they have lied or smoked for a long time and are not likely to stop doing it" + }, + "open": { + "CHS": "公开;空旷;户外", + "ENG": "outdoors" + }, + "uninviting": { + "CHS": "讨厌的,无吸引力的;无魅力的", + "ENG": "an uninviting place seems unattractive or unpleasant" + }, + "flautist": { + "CHS": "横笛吹奏者(等于flutist)", + "ENG": "A flautist is someone who plays the flute" + }, + "spore": { + "CHS": "长孢子" + }, + "regression": { + "CHS": "回归;退化;逆行;复原", + "ENG": "the act of returning to an earlier condition that is worse or less developed" + }, + "fortune": { + "CHS": "偶然发生" + }, + "partisan": { + "CHS": "游击队;虔诚信徒;党羽", + "ENG": "a member of an armed group that fights against an enemy that has taken control of its country" + }, + "shortcoming": { + "CHS": "缺点;短处", + "ENG": "a fault or weakness that makes someone or something less successful or effective than they should be" + }, + "chartered": { + "CHS": "特许建立(charter的过去分词)" + }, + "van": { + "CHS": "用车搬运" + }, + "appointee": { + "CHS": "被任命者", + "ENG": "An appointee is someone who has been chosen for a particular job or position of responsibility" + }, + "no": { + "CHS": "数字(number);元素锘(nobelium)的符号" + }, + "adapt": { + "CHS": "使适应;改编", + "ENG": "to gradually change your behaviour and attitudes in order to be successful in a new situation" + }, + "sensibility": { + "CHS": "情感;敏感性;感觉;识别力", + "ENG": "the way that someone reacts to particular subjects or types of behaviour" + }, + "cub": { + "CHS": "生育幼兽" + }, + "symphony": { + "CHS": "交响乐;谐声,和声", + "ENG": "a long piece of music usually in four parts, written for an orchestra " + }, + "threshold": { + "CHS": "入口;门槛;开始;极限;临界值", + "ENG": "the entrance to a room or building, or the area of floor or ground at the entrance" + }, + "dangerous": { + "CHS": "危险的", + "ENG": "able or likely to harm or kill you" + }, + "decipher": { + "CHS": "解释(过去式deciphered,过去分词deciphered,现在分词deciphering,第三人称单数deciphers,名词decipherer,形容词decipherable);译解", + "ENG": "to find the meaning of something that is difficult to read or understand" + }, + "blessed": { + "CHS": "祝福(bless的过去分词)" + }, + "cock": { + "CHS": "使竖起;使耸立;使朝上" + }, + "machinery": { + "CHS": "机械;机器;机构;机械装置", + "ENG": "You can use machinery to refer to machines in general, or machines that are used in a factory or on a farm" + }, + "shelter": { + "CHS": "保护;使掩蔽", + "ENG": "If a place or thing is sheltered by something, it is protected by that thing from wind and rain" + }, + "ignoble": { + "CHS": "不光彩的;卑鄙的;卑贱的", + "ENG": "ignoble thoughts, feelings, or actions are ones that you should feel ashamed or embarrassed about" + }, + "poison": { + "CHS": "有毒的" + }, + "sweatshirt": { + "CHS": "运动衫;T-恤衫", + "ENG": "a loose warm piece of clothing which covers the top part of your body and arms and is worn especially for sport or relaxation" + }, + "thrill": { + "CHS": "使…颤动;使…紧张;使…感到兴奋或激动", + "ENG": "to make someone feel excited and happy" + }, + "continuous": { + "CHS": "连续的,持续的;继续的;连绵不断的", + "ENG": "continuing to happen or exist without stopping" + }, + "boxing": { + "CHS": "将…装入盒中(box的ing形式)" + }, + "numeral": { + "CHS": "数字的;表示数字的" + }, + "transposition": { + "CHS": "[数] 移项;调换;换置;变调" + }, + "embankment": { + "CHS": "路堤;堤防", + "ENG": "a wide wall of earth or stones built to stop water from flooding an area, or to support a road or railway" + }, + "electrician": { + "CHS": "电工;电气技师", + "ENG": "someone whose job is to connect or repair electrical wires or equipment" + }, + "indeed": { + "CHS": "真的(表示惊讶、怀疑、讽刺等)" + }, + "persistence": { + "CHS": "持续;固执;存留;坚持不懈;毅力", + "ENG": "determination to do something even though it is difficult or other people oppose it" + }, + "grill": { + "CHS": "烤架,铁格子;烤肉", + "ENG": "a part of a cooker in which strong heat from above cooks food on a metal shelf below" + }, + "pride": { + "CHS": "使得意,以…自豪", + "ENG": "to be especially proud of something that you do well, or of a good quality that you have" + }, + "tram": { + "CHS": "用煤车运载" + }, + "ostensibly": { + "CHS": "表面上;外表" + }, + "abundance": { + "CHS": "充裕,丰富", + "ENG": "a large quantity of something" + }, + "bit": { + "CHS": "有点儿;相当", + "ENG": "used to show that the way you describe something is only true to a limited degree" + }, + "exhilarating": { + "CHS": "使高兴,使兴奋(exhilarate的现在分词形式)" + }, + "solemn": { + "CHS": "庄严的,严肃的;隆重的,郑重的", + "ENG": "very serious and not happy, for example because something bad has happened or because you are at an important occasion" + }, + "loyal": { + "CHS": "效忠的臣民;忠实信徒" + }, + "highness": { + "CHS": "殿下,阁下;高度,高位;高尚,高贵", + "ENG": "the condition of being high or lofty " + }, + "follow": { + "CHS": "跟随;追随" + }, + "straggle": { + "CHS": "散乱" + }, + "cleave": { + "CHS": "(Cleave)人名;(英)克利夫" + }, + "frolic": { + "CHS": "嬉戏", + "ENG": "to play in an active happy way" + }, + "panda": { + "CHS": "熊猫;猫熊", + "ENG": "a large black and white animal that looks like a bear and lives in the mountains of China" + }, + "neon": { + "CHS": "霓虹灯;氖(10号元素,符号Ne)", + "ENG": "a colourless gas that is found in small quantities in the air and is used in glass tubes to produce a bright light in electric advertising signs. It is a chemical element: symbol Ne" + }, + "intervene": { + "CHS": "干涉;调停;插入", + "ENG": "to become involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "intrude": { + "CHS": "把…强加;把…硬挤" + }, + "disunite": { + "CHS": "不和;使分离", + "ENG": "to separate or become separate; disrupt " + }, + "horizontal": { + "CHS": "水平线,水平面;水平位置", + "ENG": "a horizontal line or surface" + }, + "whisk": { + "CHS": "搅拌器;扫帚;毛掸子", + "ENG": "a small kitchen tool made of curved pieces of wire, used for mixing air into eggs, cream etc" + }, + "discerning": { + "CHS": "辨别(discern的ing形式)" + }, + "voyage": { + "CHS": "航行;航海", + "ENG": "to travel to a place, especially by ship" + }, + "dial": { + "CHS": "拨号", + "ENG": "to press the buttons or turn the dial on a telephone in order to make a telephone call" + }, + "bomb": { + "CHS": "炸弹", + "ENG": "a weapon made of material that will explode" + }, + "lexis": { + "CHS": "词汇;词语", + "ENG": "all the words in a language" + }, + "toleration": { + "CHS": "宽容,忍受,默认;耐受性", + "ENG": "willingness to allow people to believe what they want without being criticized or punished" + }, + "punch": { + "CHS": "开洞;以拳重击", + "ENG": "to hit someone or something hard with your fist (= closed hand ) " + }, + "halting": { + "CHS": "停止;蹒跚;犹豫(halt的ing形式)" + }, + "man": { + "CHS": "操纵;给…配置人员;使增强勇气;在…就位", + "ENG": "to work at, use, or ope-rate a system, piece of equipment etc" + }, + "anarchy": { + "CHS": "无政府状态;混乱;无秩序", + "ENG": "a situation in which there is no effective government in a country or no order in an organization or situation" + }, + "colloquial": { + "CHS": "白话的;通俗的;口语体的", + "ENG": "language or words that are colloquial are used mainly in informal conversations rather than in writing or formal speech" + }, + "drug": { + "CHS": "使服麻醉药;使服毒品;掺麻醉药于", + "ENG": "to give a person or animal a drug, especially in order to make them feel tired or go to sleep, or to make them perform well in a race" + }, + "inimitable": { + "CHS": "独特的;无比的;无法仿效的", + "ENG": "You use inimitable to describe someone, especially a performer, when you like or admire them because of their special qualities" + }, + "haulage": { + "CHS": "拖运;拖曳;运费" + }, + "figurative": { + "CHS": "比喻的;修饰丰富的;形容多的", + "ENG": "a figurative word or phrase is used in a different way from its usual meaning, to give you a particular idea or picture in your mind" + }, + "ape": { + "CHS": "狂热的" + }, + "work": { + "CHS": "使工作;操作;经营;使缓慢前进", + "ENG": "to do the activities and duties that are part of your job" + }, + "mountainous": { + "CHS": "多山的;巨大的;山一般的", + "ENG": "a mountainous area has a lot of mountains" + }, + "insulting": { + "CHS": "侮辱;损害(insult的ing形式)" + }, + "theatrical": { + "CHS": "戏剧性的;剧场的,戏剧的;夸张的;做作的", + "ENG": "relating to the performing of plays" + }, + "inordinate": { + "CHS": "过度的;无节制的;紊乱的", + "ENG": "If you describe something as inordinate, you are emphasizing that it is unusually or excessively great in amount or degree" + }, + "aged": { + "CHS": "老化(age的过去式);成熟;变老" + }, + "sesame": { + "CHS": "芝麻", + "ENG": "a tropical plant grown for its seeds and oil and used in cooking" + }, + "inhabit": { + "CHS": "栖息;居住于;占据", + "ENG": "if animals or people inhabit an area or place, they live there" + }, + "standardize": { + "CHS": "使标准化;用标准检验", + "ENG": "to make all the things of one particular type the same as each other" + }, + "walk": { + "CHS": "散步;走过", + "ENG": "When you walk, you move forward by putting one foot in front of the other in a regular way" + }, + "faith": { + "CHS": "信仰;信念;信任;忠实", + "ENG": "a strong feeling of trust or confidence in someone or something" + }, + "bemoan": { + "CHS": "惋惜;为…恸哭", + "ENG": "to complain or say that you are disappointed about something" + }, + "smoking": { + "CHS": "吸烟;冒烟(smoke的现在分词)" + }, + "euthanasia": { + "CHS": "安乐死;安乐死术", + "ENG": "the deliberate killing of a person who is very ill and going to die, in order to stop them suffering" + }, + "hatchery": { + "CHS": "孵卵处", + "ENG": "A hatchery is a place where people control the hatching of eggs, especially fish eggs" + }, + "respite": { + "CHS": "使缓解;使暂缓;使延期;缓期执行" + }, + "police": { + "CHS": "警察的;有关警察的" + }, + "sonata": { + "CHS": "奏鸣曲", + "ENG": "a piece of music with three or four parts that is written for a piano, or for a piano and another instrument" + }, + "sulk": { + "CHS": "生气;愠怒;生气的人", + "ENG": "a time when someone is sulking" + }, + "coy": { + "CHS": "(Coy)人名;(法)库瓦;(英、德、西)科伊" + }, + "pervert": { + "CHS": "堕落者;行为反常者;性欲反常者;变态", + "ENG": "someone whose sexual behaviour is considered unnatural and unacceptable" + }, + "alteration": { + "CHS": "修改,改变;变更", + "ENG": "a small change that makes someone or something slightly different, or the process of this change" + }, + "option": { + "CHS": "[计] 选项;选择权;买卖的特权", + "ENG": "a choice you can make in a particular situation" + }, + "direct": { + "CHS": "直接地;正好;按直系关系", + "ENG": "Direct is also an adverb" + }, + "letter": { + "CHS": "写字母于", + "ENG": "to write, draw, paint etc letters or words on something" + }, + "lest": { + "CHS": "唯恐,以免;担心", + "ENG": "in order to make sure that something will not happen" + }, + "sacking": { + "CHS": "解雇(sack的ing形式);装进;获得" + }, + "craze": { + "CHS": "发狂;产生纹裂" + }, + "aristocratic": { + "CHS": "贵族的;贵族政治的;有贵族气派的", + "ENG": "belonging to or typical of the aristocracy" + }, + "paint": { + "CHS": "油漆;颜料,涂料;绘画作品;胭脂等化妆品;色彩,装饰", + "ENG": "a liquid that you put on a surface, using a brush to make the surface a particular colour" + }, + "hierarchical": { + "CHS": "分层的;等级体系的", + "ENG": "if a system, organization etc is hierarchical, people or things are divided into levels of importance" + }, + "errant": { + "CHS": "不定的;周游的;错误的;偏离正路的", + "ENG": "Errant is used to describe someone whose actions are considered unacceptable or wrong by other people. For example, an errant husband is unfaithful to his wife. " + }, + "outnumber": { + "CHS": "数目超过;比…多", + "ENG": "to be more in number than another group" + }, + "selfish": { + "CHS": "自私的;利己主义的", + "ENG": "caring only about yourself and not about other people – used to show disapproval" + }, + "vie": { + "CHS": "(Vie)人名;(英)维" + }, + "ambassador": { + "CHS": "大使;代表;使节", + "ENG": "an important official who represents his or her government in a foreign country" + }, + "sarong": { + "CHS": "围裙;马来群岛土人所穿的围裙", + "ENG": "A sarong is a piece of clothing that is worn especially by Malaysian men and women. It consists of a long piece of cloth wrapped around the waist or body. " + }, + "simmer": { + "CHS": "炖;即将沸腾的状态;即将发作", + "ENG": "when something is boiling gently" + }, + "orphanage": { + "CHS": "孤儿院;孤儿身份", + "ENG": "a large house where children who are orphans live and are taken care of" + }, + "shipyard": { + "CHS": "造船厂;船坞;修船厂", + "ENG": "a place where ships are built or repaired" + }, + "drift": { + "CHS": "漂流,漂移;漂泊", + "ENG": "to move slowly on water or in the air" + }, + "blond": { + "CHS": "白肤碧眼金发的人" + }, + "haunt": { + "CHS": "栖息地;常去的地方", + "ENG": "a place that someone likes to go to often" + }, + "contraction": { + "CHS": "收缩,紧缩;缩写式;害病", + "ENG": "a very strong and painful movement of a muscle, especially the muscles around the womb during birth" + }, + "actuality": { + "CHS": "现状;现实;事实", + "ENG": "facts, rather than things that people believe or imagine" + }, + "axle": { + "CHS": "车轴;[车辆] 轮轴", + "ENG": "the bar connecting two wheels on a car or other vehicle" + }, + "treason": { + "CHS": "[法] 叛国罪;不忠", + "ENG": "the crime of being disloyal to your country or its government, especially by helping its enemies or trying to remove the government using violence" + }, + "invariable": { + "CHS": "常数;不变的东西" + }, + "inherent": { + "CHS": "固有的;内在的;与生俱来的,遗传的", + "ENG": "a quality that is inherent in something is a natural part of it and cannot be separated from it" + }, + "blessing": { + "CHS": "使幸福(bless的ing形式);使神圣化;为…祈神赐福" + }, + "stutter": { + "CHS": "口吃,结巴", + "ENG": "an inability to speak normally because you stutter" + }, + "fatality": { + "CHS": "死亡;宿命;致命性;不幸;灾祸", + "ENG": "a death in an accident or a violent attack" + }, + "fateful": { + "CHS": "重大的;决定性的;宿命的", + "ENG": "having an important, especially bad, effect on future events" + }, + "sampan": { + "CHS": "舢板;小船", + "ENG": "a small boat used in China and Southeast Asia" + }, + "flow": { + "CHS": "流动;流量;涨潮,泛滥", + "ENG": "a smooth steady movement of liquid, gas, or electricity" + }, + "laser": { + "CHS": "激光", + "ENG": "a piece of equipment that produces a powerful narrow beam of light that can be used in medical operations, to cut metals, or to make patterns of light for entertainment" + }, + "locality": { + "CHS": "所在;位置;地点", + "ENG": "a small area of a country, city etc" + }, + "exclude": { + "CHS": "排除;排斥;拒绝接纳;逐出", + "ENG": "to deliberately not include something" + }, + "imbecile": { + "CHS": "低能的;愚笨的;虚弱的", + "ENG": "Imbecile means stupid" + }, + "substantiate": { + "CHS": "证实;使实体化", + "ENG": "to prove the truth of something that someone has said, claimed etc" + }, + "pregnant": { + "CHS": "怀孕的;富有意义的", + "ENG": "if a woman or female animal is pregnant, she has an unborn baby growing inside her body" + }, + "extant": { + "CHS": "现存的;显著的", + "ENG": "still existing in spite of being very old" + }, + "imbue": { + "CHS": "灌输;使感染;使渗透", + "ENG": "If someone or something is imbued with an idea, feeling, or quality, they become filled with it" + }, + "remorseless": { + "CHS": "冷酷的;不知过错的;坚持不懈的;不屈不挠的", + "ENG": "cruel, and not caring how much other people are hurt" + }, + "lightning": { + "CHS": "闪电" + }, + "feather": { + "CHS": "用羽毛装饰" + }, + "jaywalk": { + "CHS": "乱穿马路(不遵守交通规则)", + "ENG": "to cross or walk in a street recklessly or illegally " + }, + "valentine": { + "CHS": "情人;情人节礼物", + "ENG": "someone you love or think is attractive, that you send a card to on St Valentine’s Day" + }, + "committee": { + "CHS": "委员会", + "ENG": "a group of people chosen to do a particular job, make decisions etc" + }, + "glasshouse": { + "CHS": "温室;暖房", + "ENG": "a building made mainly of glass which is used for growing plants" + }, + "trash": { + "CHS": "丢弃;修剪树枝" + }, + "moustache": { + "CHS": "小胡子;髭;触须", + "ENG": "hair that grows on a man’s upper lip" + }, + "kindle": { + "CHS": "点燃;激起;照亮", + "ENG": "if you kindle a fire, or if it kindles, it starts to burn" + }, + "foreground": { + "CHS": "前景;最显著的位置", + "ENG": "the part of the view in a picture or a photograph that is closest to you when you are looking at it" + }, + "are": { + "CHS": "公亩", + "ENG": "a unit of area equal to 100 sq metres or 119.599 sq yards; one hundredth of a hectare " + }, + "fixed": { + "CHS": "修理(过去式)" + }, + "blanch": { + "CHS": "漂白的;银白色的" + }, + "drown": { + "CHS": "(Drown)人名;(英)德朗" + }, + "pepper": { + "CHS": "加胡椒粉于;使布满", + "ENG": "to add pepper to food" + }, + "syntactic": { + "CHS": "句法的;语法的;依据造句法的", + "ENG": "relating to syntax" + }, + "prompt": { + "CHS": "准时地" + }, + "asthma": { + "CHS": "[内科][中医] 哮喘,气喘", + "ENG": "a medical condition that causes difficulties in breathing" + }, + "slavery": { + "CHS": "奴役;奴隶制度;奴隶身份", + "ENG": "the system of having slaves" + }, + "vase": { + "CHS": "瓶;花瓶", + "ENG": "a container used to put flowers in or for decoration" + }, + "limb": { + "CHS": "切断…的手足;从…上截下树枝" + }, + "immeasurable": { + "CHS": "无限的;[数] 不可计量的;不能测量的", + "ENG": "used to emphasize that something is too big or too extreme to be measured" + }, + "Mediterranean": { + "CHS": "地中海的", + "ENG": "relating to the Mediterranean Sea, or typical of the area of southern Europe around it" + }, + "hangover": { + "CHS": "宿醉;残留物;遗物", + "ENG": "a pain in your head and a feeling of sickness that you get the day after you have drunk too much alcohol" + }, + "damsel": { + "CHS": "少女;年轻女人", + "ENG": "a young woman who needs help or protection – used humorously" + }, + "seals": { + "CHS": "seal的复数形式" + }, + "turbulence": { + "CHS": "骚乱,动荡;[流] 湍流;狂暴", + "ENG": "a political or emotional situation that is very confused" + }, + "eggplant": { + "CHS": "深紫色的" + }, + "disclose": { + "CHS": "公开;揭露", + "ENG": "to make something publicly known, especially after it has been kept secret" + }, + "lifetime": { + "CHS": "一生的;终身的" + }, + "watercolor": { + "CHS": "水彩的,水彩画的" + }, + "croak": { + "CHS": "呱呱叫声;低沉沙哑的说话声", + "ENG": "the sound that a frog makes" + }, + "continent": { + "CHS": "自制的,克制的", + "ENG": "able to control your sexual desires" + }, + "activist": { + "CHS": "积极分子;激进主义分子", + "ENG": "someone who works hard doing practical things to achieve social or political change" + }, + "motivation": { + "CHS": "动机;积极性;推动", + "ENG": "eagerness and willingness to do something without needing to be told or forced to do it" + }, + "hither": { + "CHS": "到这里;在这里", + "ENG": "here" + }, + "glossary": { + "CHS": "术语(特殊用语)表;词汇表;专业词典", + "ENG": "a list of special words and explanations of their meanings, often at the end of a book" + }, + "moor": { + "CHS": "沼泽;荒野", + "ENG": "a wild open area of high land, covered with rough grass or low bushes and heather , that is not farmed because the soil is not good enough" + }, + "section": { + "CHS": "被切割成片;被分成部分", + "ENG": "If something is sectioned, it is divided into sections" + }, + "quiet": { + "CHS": "使平息;安慰" + }, + "frugal": { + "CHS": "节俭的;朴素的;花钱少的", + "ENG": "careful to buy only what is necessary" + }, + "hop": { + "CHS": "蹦跳,跳跃;跳舞;一次飞行的距离", + "ENG": "a short jump" + }, + "reflex": { + "CHS": "反射的;反省的;反作用的;优角的" + }, + "coal": { + "CHS": "煤;煤块;木炭", + "ENG": "a hard black mineral which is dug out of the ground and burnt to produce heat" + }, + "instantly": { + "CHS": "一…就…" + }, + "director": { + "CHS": "主任,主管;导演;人事助理", + "ENG": "someone who is in charge of a particular activity or organization" + }, + "edit": { + "CHS": "编辑工作" + }, + "girl": { + "CHS": "女孩;姑娘,未婚女子;女职员,女演员;(男人的)女朋友", + "ENG": "a female child" + }, + "apparel": { + "CHS": "给…穿衣" + }, + "chestnut": { + "CHS": "栗色的", + "ENG": "red-brown in colour" + }, + "conical": { + "CHS": "圆锥的;圆锥形的", + "ENG": "shaped like a cone " + }, + "silt": { + "CHS": "淤塞,充塞;为淤泥堵塞" + }, + "ring": { + "CHS": "戒指;铃声,钟声;拳击场;环形物", + "ENG": "a piece of jewellery that you wear on your finger" + }, + "superimpose": { + "CHS": "添加;重叠;附加;安装", + "ENG": "to put one picture, image, or photograph on top of another so that both can be partly seen" + }, + "tanner": { + "CHS": "制革工人;六便士", + "ENG": "someone whose job is to make animal skin into leather by tanning " + }, + "deaf": { + "CHS": "聋的", + "ENG": "physically unable to hear anything or unable to hear well" + }, + "armchair": { + "CHS": "不切实际的" + }, + "violet": { + "CHS": "紫色的;紫罗兰色的" + }, + "identical": { + "CHS": "完全相同的事物" + }, + "overwhelm": { + "CHS": "淹没;压倒;受打击;覆盖;压垮", + "ENG": "if work or a problem overwhelms someone, it is too much or too difficult to deal with" + }, + "rope": { + "CHS": "捆,绑", + "ENG": "to tie things together using rope" + }, + "trail": { + "CHS": "小径;痕迹;尾部;踪迹;一串,一系列", + "ENG": "a rough path across countryside or through a forest" + }, + "heat": { + "CHS": "使激动;把…加热", + "ENG": "to make something become warm or hot" + }, + "straddle": { + "CHS": "跨坐" + }, + "offender": { + "CHS": "罪犯;冒犯者;违法者", + "ENG": "someone who is guilty of a crime" + }, + "persuasion": { + "CHS": "说服;说服力;信念;派别", + "ENG": "the act of persuading someone to do something" + }, + "scaffolding": { + "CHS": "脚手架;搭脚手架的材料", + "ENG": "a set of poles and boards that are built into a structure for workers to stand on when they are working on the outside of a building" + }, + "surround": { + "CHS": "环绕立体声的" + }, + "undoubted": { + "CHS": "无疑的;确实的", + "ENG": "definitely true or known to exist" + }, + "underworld": { + "CHS": "黑社会;地狱;下层社会;尘世", + "ENG": "the criminals in a particular place and the criminal activities they are involved in" + }, + "relationship": { + "CHS": "关系;关联", + "ENG": "the way in which two people or two groups feel about each other and behave towards each other" + }, + "maladjusted": { + "CHS": "失调的;不适应环境的", + "ENG": "a maladjusted child behaves badly and is unable to form good relationships with people because he or she has emotional problems" + }, + "reach": { + "CHS": "范围;延伸;河段;横风行驶", + "ENG": "the limit of someone’s power or ability to do something" + }, + "whenever": { + "CHS": "不论何时;随便什么时候", + "ENG": "at any time" + }, + "bacon": { + "CHS": "咸肉;腌肉;熏猪肉", + "ENG": "salted or smoked meat from the back or sides of a pig, often served in narrow thin pieces" + }, + "periodical": { + "CHS": "期刊;杂志", + "ENG": "a magazine, especially one about a serious or technical subject" + }, + "defuse": { + "CHS": "平息;去掉…的雷管;使除去危险性", + "ENG": "to improve a difficult or dangerous situation, for example by making people less angry or by dealing with the causes of a problem" + }, + "meek": { + "CHS": "(Meek)人名;(英)米克" + }, + "vicar": { + "CHS": "教区牧师,教堂牧师;传教牧师;代理人", + "ENG": "a priest in the Church of England who is in charge of a church in a particular area" + }, + "guardian": { + "CHS": "守护的" + }, + "hunchback": { + "CHS": "驼背", + "ENG": "an offensive word for someone who has a large raised part on their back because their spine curves in an unusual way" + }, + "fantasy": { + "CHS": "空想;想像" + }, + "Hispanic": { + "CHS": "西班牙的", + "ENG": "from or relating to countries where Spanish or Portuguese are spoken, especially ones in Latin America" + }, + "infuriate": { + "CHS": "狂怒的" + }, + "disservice": { + "CHS": "伤害;帮倒忙的行为;不亲切的行为;虐待", + "ENG": "If you do someone or something a disservice, you harm them in some way" + }, + "pillar": { + "CHS": "用柱支持" + }, + "wallow": { + "CHS": "打滚;堕落;泥坑" + }, + "gene": { + "CHS": "[遗] 基因,遗传因子", + "ENG": "a part of a cell in a living thing that controls what it looks like, how it grows, and how it develops. People get their genes from their parents" + }, + "incontrovertible": { + "CHS": "无可争议的;无疑的;明白的", + "ENG": "definitely true and impossible to be proved false" + }, + "tough": { + "CHS": "强硬地,顽强地" + }, + "pending": { + "CHS": "(Pending)人名;(瑞典)彭丁" + }, + "trample": { + "CHS": "蹂躏;践踏声" + }, + "ripe": { + "CHS": "(Ripe)人名;(意、瑞典)里佩" + }, + "cherry": { + "CHS": "樱桃;樱桃树;如樱桃的鲜红色;处女膜,处女", + "ENG": "a small round red or black fruit with a long thin stem and a stone in the middle" + }, + "bodyguard": { + "CHS": "保镖", + "ENG": "someone whose job is to protect an important person" + }, + "wit": { + "CHS": "<古>知道;即", + "ENG": "that is to say; namely (used to introduce statements, as in legal documents) " + }, + "privacy": { + "CHS": "隐私;秘密;隐居;隐居处", + "ENG": "the state of being free from public attention" + }, + "hoggish": { + "CHS": "利己的;贪婪的;猪一般的" + }, + "glory": { + "CHS": "自豪,骄傲;狂喜" + }, + "irrevocable": { + "CHS": "不可改变的;不能取消的;不能挽回的", + "ENG": "an irrevocable decision, action etc cannot be changed or stopped" + }, + "mesmerise": { + "CHS": "施以催眠术;使…入迷;使…目瞪口呆" + }, + "liberal": { + "CHS": "自由主义者", + "ENG": "Liberal is also a noun" + }, + "stimulate": { + "CHS": "刺激;鼓舞,激励", + "ENG": "to encourage or help an activity to begin or develop further" + }, + "pickpocket": { + "CHS": "扒手", + "ENG": "someone who steals things from people’s pockets, especially in a crowd" + }, + "carrot": { + "CHS": "胡萝卜", + "ENG": "a long pointed orange vegetable that grows under the ground" + }, + "artistic": { + "CHS": "艺术的;风雅的;有美感的", + "ENG": "relating to art or culture" + }, + "hammock": { + "CHS": "睡吊床" + }, + "sulphurous": { + "CHS": "含硫磺的;地狱般的", + "ENG": "related to, full of, or used with sulphur" + }, + "halo": { + "CHS": "成晕轮" + }, + "Brazilian": { + "CHS": "巴西人", + "ENG": "someone from Brazil" + }, + "provocation": { + "CHS": "挑衅;激怒;挑拨", + "ENG": "an action or event that makes someone angry or upset, or is intended to do this" + }, + "sunrise": { + "CHS": "日出;黎明", + "ENG": "the time when the sun first appears in the morning" + }, + "celebrity": { + "CHS": "名人;名声", + "ENG": "a famous living person" + }, + "extricate": { + "CHS": "使解脱;解救;使游离", + "ENG": "to escape from a difficult or embarrassing situation, or to help someone escape" + }, + "kitten": { + "CHS": "产小猫" + }, + "boon": { + "CHS": "愉快的;慷慨的" + }, + "bulk": { + "CHS": "使扩大,使形成大量;使显得重要" + }, + "optimum": { + "CHS": "最佳效果;最适宜条件" + }, + "impure": { + "CHS": "不纯的;肮脏的;道德败坏的", + "ENG": "not pure or clean, and often consisting of a mixture of things instead of just one" + }, + "vulgarity": { + "CHS": "粗俗;粗俗语;粗野的动作", + "ENG": "the state or quality of being vulgar" + }, + "sovereignty": { + "CHS": "主权;主权国家;君主;独立国", + "ENG": "complete freedom and power to govern" + }, + "mould": { + "CHS": "模具;霉", + "ENG": "a hollow container that you pour a liquid or soft substance into, so that when it becomes solid, it takes the shape of the container" + }, + "Irish": { + "CHS": "爱尔兰人;爱尔兰语;爱尔兰", + "ENG": "people from Ireland" + }, + "decoy": { + "CHS": "诱骗" + }, + "madam": { + "CHS": "夫人;女士;鸨母", + "ENG": "used to address a woman in a polite way, especially a customer in a shop" + }, + "eve": { + "CHS": "夏娃; 前夕;傍晚;重大事件关头", + "ENG": "evening" + }, + "feud": { + "CHS": "长期不和;长期争斗", + "ENG": "to continue quarrelling for a long time, often in a violent way" + }, + "accord": { + "CHS": "使一致;给予", + "ENG": "to give someone or something special attention or a particular type of treatment" + }, + "awesome": { + "CHS": "令人敬畏的;使人畏惧的;可怕的;极好的", + "ENG": "extremely impressive, serious, or difficult so that you feel great respect, worry, or fear" + }, + "fish": { + "CHS": "鱼,鱼类", + "ENG": "an animal that lives in water, and uses its fins and tail to swim" + }, + "elope": { + "CHS": "私奔;潜逃", + "ENG": "to leave your home secretly in order to get married" + }, + "psychological": { + "CHS": "心理的;心理学的;精神上的", + "ENG": "relating to the way that your mind works and the way that this affects your behaviour" + }, + "fascinating": { + "CHS": "使…着迷;使…陶醉(fascinate的ing形式)" + }, + "savant": { + "CHS": "学者;专家", + "ENG": "someone who knows a lot about a subject" + }, + "query": { + "CHS": "询问;对……表示疑问", + "ENG": "to express doubt about whether something is true or correct" + }, + "marry": { + "CHS": "(Marry)人名;(阿拉伯)马雷;(法)马里" + }, + "sociable": { + "CHS": "联谊会" + }, + "August": { + "CHS": "八月(简写为Aug)", + "ENG": "the eighth month of the year, between July and September" + }, + "presumption": { + "CHS": "放肆,傲慢;推测", + "ENG": "something that you think is true because it is very likely" + }, + "unisex": { + "CHS": "男女皆宜的", + "ENG": "intended for both men and women" + }, + "abnormality": { + "CHS": "异常;畸形,变态", + "ENG": "an abnormal feature, especially something that is wrong with part of someone’s body" + }, + "aerobatics": { + "CHS": "特技飞行;[航] 特技飞行术", + "ENG": "tricks done in a plane that involve making difficult or dangerous movements in the air" + }, + "Arabic": { + "CHS": "阿拉伯语", + "ENG": "the language or writing of the Arabs, which is the main language of North Africa and the Middle East" + }, + "cigarette": { + "CHS": "香烟;纸烟", + "ENG": "a thin tube of paper filled with finely cut tobacco that people smoke" + }, + "await": { + "CHS": "等候,等待;期待", + "ENG": "to wait for something" + }, + "homecoming": { + "CHS": "归国;同学会;省亲回家", + "ENG": "an occasion when someone comes back to their home after a long absence" + }, + "duet": { + "CHS": "二重奏;二重唱", + "ENG": "a piece of music for two singers or players" + }, + "tart": { + "CHS": "打扮" + }, + "how": { + "CHS": "如何" + }, + "jealousy": { + "CHS": "嫉妒;猜忌;戒备", + "ENG": "a feeling of being jealous" + }, + "telecommunications": { + "CHS": "通讯行业:服务类型变更,缴纳话费,账户总览等所有业务均可通过移动设备完成" + }, + "deride": { + "CHS": "嘲笑;嘲弄", + "ENG": "to make remarks or jokes that show you think someone or something is silly or useless" + }, + "instil": { + "CHS": "逐渐灌输;使渗透;滴注", + "ENG": "to teach someone to think, behave, or feel in a particular way over a period of time" + }, + "suburban": { + "CHS": "郊区居民" + }, + "polyester": { + "CHS": "聚酯", + "ENG": "an artificial material used to make cloth" + }, + "wait": { + "CHS": "等待;等候", + "ENG": "a period of time in which you wait for something to happen, someone to arrive etc" + }, + "bonnet": { + "CHS": "给…装上罩;给…戴上帽子" + }, + "reliable": { + "CHS": "可靠的人" + }, + "newborn": { + "CHS": "婴儿", + "ENG": "The newborn are babies or animals who are newborn" + }, + "innumerable": { + "CHS": "无数的,数不清的", + "ENG": "very many, or too many to be counted" + }, + "theological": { + "CHS": "神学的,神学上的" + }, + "pierce": { + "CHS": "刺穿;洞察;响彻;深深地打动", + "ENG": "to make a small hole in or through something, using an object with a sharp point" + }, + "sporadic": { + "CHS": "零星的;分散的;不定时发生的", + "ENG": "happening fairly often, but not regularly" + }, + "mole": { + "CHS": "鼹鼠;痣;防波堤;胎块;间谍", + "ENG": "a small dark furry animal which is almost blind. Moles usually live under the ground." + }, + "inferior": { + "CHS": "下级;次品", + "ENG": "someone who has a lower position or rank than you in an organization" + }, + "balm": { + "CHS": "香油;镇痛软膏;香峰草,香树膏", + "ENG": "an oily liquid with a strong pleasant smell that you rub into your skin, often to reduce pain" + }, + "dentistry": { + "CHS": "牙科学;牙医业", + "ENG": "the medical study of the mouth and teeth, or the work of a dentist" + }, + "discrimination": { + "CHS": "歧视;区别,辨别;识别力", + "ENG": "the practice of treating one person or group differently from another in an unfair way" + }, + "ceremonious": { + "CHS": "隆重的;讲究仪式的;正式的", + "ENG": "done in a formal serious way, as if you were in a ceremony" + }, + "thrift": { + "CHS": "节俭;节约;[植] 海石竹", + "ENG": "wise and careful use of money, so that none is wasted" + }, + "sea": { + "CHS": "海;海洋;许多;大量", + "ENG": "the large area of salty water that covers much of the Earth’s surface" + }, + "assume": { + "CHS": "假定;设想;承担;采取", + "ENG": "to think that something is true, although you do not have definite proof" + }, + "empty": { + "CHS": "空车;空的东西" + }, + "ton": { + "CHS": "吨;很多,大量", + "ENG": "a unit for measuring weight, equal to 2,240 pounds or 1,016 kilograms in Britain, and 2,000 pounds or 907.2 kilograms in the US" + }, + "interactive": { + "CHS": "交互式的;相互作用的", + "ENG": "an interactive computer program, television system etc allows you to communicate directly with it, and does things in reaction to your actions" + }, + "intestinal": { + "CHS": "肠的", + "ENG": "Intestinal means relating to the intestines" + }, + "candle": { + "CHS": "对着光检查" + }, + "testify": { + "CHS": "证明,证实;作证", + "ENG": "to make a formal statement of what is true, especially in a court of law" + }, + "iodide": { + "CHS": "碘负离子" + }, + "asymmetric": { + "CHS": "不对称的;非对称的", + "ENG": "Asymmetric means the same as " + }, + "squeeze": { + "CHS": "压榨;紧握;拥挤;佣金", + "ENG": "a situation in which there is only just enough room for things or people to fit somewhere" + }, + "fetch": { + "CHS": "取得;诡计" + }, + "recollection": { + "CHS": "回忆;回忆起的事物", + "ENG": "something from the past that you remember" + }, + "touching": { + "CHS": "接触;感动(touch的ing形式)" + }, + "hobnob": { + "CHS": "交谈;共饮" + }, + "sodium": { + "CHS": "[化学] 钠(11号元素,符号 Na)", + "ENG": "Sodium is a silvery white chemical element which combines with other chemicals. Salt is a sodium compound. " + }, + "alter": { + "CHS": "(Alter)人名;(英)奥尔特;(德、捷、葡、爱沙、立陶、拉脱、俄、西、罗、瑞典)阿尔特" + }, + "also": { + "CHS": "(Also)人名;(罗)阿尔索" + }, + "whereby": { + "CHS": "凭借;通过…;借以;与…一致", + "ENG": "by means of which or according to which" + }, + "bull": { + "CHS": "企图抬高证券价格;吓唬;强力实现" + }, + "neighbour": { + "CHS": "邻居的;邻近的" + }, + "Bible": { + "CHS": "圣经", + "ENG": "TheBible is the holy book on which the Jewish and Christian religions are based" + }, + "disco": { + "CHS": "迪斯科舞厅;的士高", + "ENG": "a place or social event at which people dance to recorded popular music" + }, + "harrowing": { + "CHS": "(Harrowing)人名;(英)哈罗因" + }, + "retrospective": { + "CHS": "回顾展", + "ENG": "a show of the work of an artist , actor, film-maker etc that includes examples of all the kinds of work they have done" + }, + "rationale": { + "CHS": "基本原理;原理的阐述" + }, + "ordeal": { + "CHS": "折磨;严酷的考验;痛苦的经验", + "ENG": "a terrible or painful experience that continues for a period of time" + }, + "chum": { + "CHS": "结为密友" + }, + "unity": { + "CHS": "团结;一致;联合;个体", + "ENG": "when a group of people or countries agree or are joined together" + }, + "beach": { + "CHS": "将…拖上岸", + "ENG": "to pull a boat onto the shore away from the water" + }, + "buggy": { + "CHS": "多虫的", + "ENG": "infested with bugs " + }, + "blonde": { + "CHS": "白肤金发碧眼的女人", + "ENG": "a woman with pale or yellow-coloured hair" + }, + "yourself": { + "CHS": "你自己", + "ENG": "used when talking to someone to show that they are affected by their own action" + }, + "uniform": { + "CHS": "使穿制服;使成一样" + }, + "salutary": { + "CHS": "有益的,有用的;有益健康的", + "ENG": "a salutary experience is unpleasant but teaches you something" + }, + "mystery": { + "CHS": "秘密,谜;神秘,神秘的事物;推理小说,推理剧;常作 mysteries 秘技,秘诀", + "ENG": "an event, situation etc that people do not understand or cannot explain because they do not know enough about it" + }, + "barbarous": { + "CHS": "野蛮的;残暴的", + "ENG": "extremely cruel in a way that is shocking" + }, + "grotesque": { + "CHS": "奇形怪状的;奇怪的;可笑的", + "ENG": "unpleasant, shocking, and offensive" + }, + "disgrace": { + "CHS": "使……失宠;给……丢脸;使……蒙受耻辱;贬黜", + "ENG": "to do something so bad that you make other people feel ashamed" + }, + "attendant": { + "CHS": "服务员,侍者;随员,陪从", + "ENG": "someone whose job is to look after or help customers in a public place" + }, + "acceptance": { + "CHS": "接纳;赞同;容忍", + "ENG": "when people agree that an idea, statement, explanation etc is right or true" + }, + "amenable": { + "CHS": "有责任的:顺从的,服从的;有义务的;经得起检验的", + "ENG": "willing to accept what someone says or does without arguing" + }, + "kernel": { + "CHS": "核心,要点;[计] 内核;仁;麦粒,谷粒;精髓", + "ENG": "the part of a nut or seed inside the shell, or the part inside the stone of some fruits" + }, + "animation": { + "CHS": "活泼,生气;激励;卡通片绘制", + "ENG": "liveliness and excitement" + }, + "sumptuous": { + "CHS": "华丽的,豪华的;奢侈的", + "ENG": "very impressive and expensive" + }, + "gull": { + "CHS": "骗;欺诈", + "ENG": "to fool, cheat, or hoax " + }, + "discharge": { + "CHS": "排放;卸货;解雇", + "ENG": "when gas, liquid, smoke etc is sent out, or the substance that is sent out" + }, + "incubator": { + "CHS": "[禽] 孵卵器;[儿科] 保温箱;早产儿保育器;细菌培养器", + "ENG": "a piece of hospital equipment into which very small or weak babies are put to keep them alive and warm" + }, + "remove": { + "CHS": "移动;距离;搬家", + "ENG": "a distance or amount by which two things are separated" + }, + "mask": { + "CHS": "掩饰;戴面具;化装", + "ENG": "to hide your feelings or the truth about a situation" + }, + "woo": { + "CHS": "追求;招致;向…求爱;恳求", + "ENG": "to try to persuade a woman to love you and marry you" + }, + "vogue": { + "CHS": "时髦的,流行的" + }, + "negligent": { + "CHS": "疏忽的;粗心大意的", + "ENG": "not taking enough care over something that you are responsible for, with the result that serious mistakes are made" + }, + "management": { + "CHS": "管理;管理人员;管理部门;操纵;经营手段", + "ENG": "the activity of controlling and organizing the work that a company or organization does" + }, + "glacial": { + "CHS": "冰的;冰冷的;冰河时代的", + "ENG": "relating to ice and glaciers, or formed by glaciers" + }, + "bingo": { + "CHS": "宾戈游戏", + "ENG": "a game played for money or prizes, in which numbers are chosen by chance and called out, and if you have the right numbers on your card, you win" + }, + "tuck": { + "CHS": "食物;船尾突出部;缝摺;抱膝式跳水;活力;鼓声", + "ENG": "a pleat or fold in a part of a garment, usually stitched down so as to make it a better fit or as decoration " + }, + "entire": { + "CHS": "(Entire)人名;(英)恩泰尔" + }, + "unprofessional": { + "CHS": "非职业性的,非专业的;外行的" + }, + "enigma": { + "CHS": "谜,不可思议的东西", + "ENG": "If you describe something or someone as an enigma, you mean they are mysterious or difficult to understand" + }, + "maggot": { + "CHS": "[无脊椎] 蛆;空想,狂想", + "ENG": "a small creature like a worm that is the young form of a fly and lives in decaying food, flesh etc" + }, + "eventual": { + "CHS": "最后的,结果的;可能的;终于的", + "ENG": "happening at the end of a long period of time or after a lot of other things have happened" + }, + "tantalise": { + "CHS": "使…干着急;逗弄(等于tantalize)" + }, + "lb": { + "CHS": "救生船(Lifeboat)" + }, + "shuttle": { + "CHS": "使穿梭般来回移动;短程穿梭般运送", + "ENG": "to travel frequently between two places" + }, + "carbohydrate": { + "CHS": "[有化] 碳水化合物;[有化] 糖类", + "ENG": "a substance that is in foods such as sugar, bread, and potatoes, which provides your body with heat and energy and which consists of oxygen, hydrogen , and carbon " + }, + "feign": { + "CHS": "假装;装作;捏造;想象", + "ENG": "to pretend to have a particular feeling or to be ill, asleep etc" + }, + "sieve": { + "CHS": "筛;滤", + "ENG": "to put flour or other food through a sieve" + }, + "conifer": { + "CHS": "针叶树;[植] 松柏科植物", + "ENG": "a tree such as a pine or fir that has leaves like needles and produces brown cones that contain seeds. Most types of conifer keep their leaves in winter." + }, + "break": { + "CHS": "破裂;间断;(持续一段时间的状况的)改变;间歇" + }, + "cut": { + "CHS": "割下的;雕过的;缩减的" + }, + "duplicity": { + "CHS": "口是心非;表里不一;不诚实" + }, + "segregation": { + "CHS": "隔离,分离;种族隔离", + "ENG": "when people of different races, sexes, or religions are kept apart so that they live, work, or study separately" + }, + "incubate": { + "CHS": "孵育物" + }, + "congratulation": { + "CHS": "祝贺;贺辞", + "ENG": "when you tell someone that you are happy because they have achieved something or because something nice has happened to them" + }, + "preparation": { + "CHS": "预备;准备", + "ENG": "the process of preparing something or preparing for something" + }, + "err": { + "CHS": "犯错;做错;犯罪;走上歧途", + "ENG": "to be more careful or safe than is necessary, in order to make sure that nothing bad happens" + }, + "bail": { + "CHS": "保释,帮助某人脱离困境;往外舀水", + "ENG": "to escape from a situation that you do not want to be in any more" + }, + "magnificent": { + "CHS": "高尚的;壮丽的;华丽的;宏伟的", + "ENG": "very good or beautiful, and very impressive" + }, + "baptize": { + "CHS": "(Baptize)人名;(法)巴蒂泽" + }, + "wrestle": { + "CHS": "摔跤;斗争;斟酌", + "ENG": "to fight someone by holding them and pulling or pushing them" + }, + "discourse": { + "CHS": "演说;谈论;讲述" + }, + "confront": { + "CHS": "面对;遭遇;比较", + "ENG": "if a problem, difficulty etc confronts you, it appears and needs to be dealt with" + }, + "toss": { + "CHS": "投掷;使…不安;突然抬起;使…上下摇动;与…掷币打赌" + }, + "binder": { + "CHS": "[胶粘] 粘合剂;活页夹;装订工;捆缚者;用以绑缚之物", + "ENG": "a removable cover for holding loose sheets of paper, magazines etc" + }, + "attest": { + "CHS": "证明;证实;为…作证", + "ENG": "to show or prove that something is true" + }, + "saboteur": { + "CHS": "怠工者,破坏者;从事破坏活动者", + "ENG": "someone who deliberately damages, destroys, or spoils someone else’s property or activities, in order to prevent them from doing something" + }, + "curb": { + "CHS": "控制;勒住", + "ENG": "to control or limit something in order to prevent it from having a harmful effect" + }, + "satyr": { + "CHS": "好色之徒;萨梯(希腊神话中森林之神);眼蝶科" + }, + "symmetric": { + "CHS": "对称的;匀称的", + "ENG": "(of a relation) holding between a pair of arguments x and y when and only when it holds between y and x, as " + }, + "deplore": { + "CHS": "谴责;悲悼;哀叹;对…深感遗憾", + "ENG": "to disapprove of something very strongly and criticize it severely, especially publicly" + }, + "hearten": { + "CHS": "激励;鼓励;使振作", + "ENG": "to make someone feel happier and more hopeful" + }, + "thick": { + "CHS": "密集地;浓浓地,厚厚地", + "ENG": "thickly. Many teachers think this is not correct English." + }, + "dilapidated": { + "CHS": "变得荒废(dilapidate的过去分词)" + }, + "subtly": { + "CHS": "精细地;巧妙地;敏锐地" + }, + "alike": { + "CHS": "以同样的方式;类似于", + "ENG": "used to emphasize that you mean both the people, groups, or things that you have just mentioned" + }, + "truism": { + "CHS": "自明之理;老生常谈;老套;众所周知;真实性", + "ENG": "a statement that is clearly true, so that there is no need to say it" + }, + "alms": { + "CHS": "捐献;救济物,施舍金", + "ENG": "money, food etc given to poor people in the past" + }, + "nomination": { + "CHS": "任命,提名;提名权", + "ENG": "the act of officially suggesting someone or something for a position, duty or prize, or the fact of being suggested for it" + }, + "zoom": { + "CHS": "急速上升;摄像机移动" + }, + "distort": { + "CHS": "扭曲;使失真;曲解", + "ENG": "to report something in a way that is not completely true or correct" + }, + "false": { + "CHS": "欺诈地" + }, + "creative": { + "CHS": "创造性的", + "ENG": "involving the use of imagination to produce new ideas or things" + }, + "complain": { + "CHS": "投诉;发牢骚;诉说", + "ENG": "to say that you are annoyed, not satisfied, or unhappy about something or someone" + }, + "education": { + "CHS": "教育;培养;教育学", + "ENG": "the process of teaching and learning, usually at school, college, or university" + }, + "mouthful": { + "CHS": "一口,满口", + "ENG": "an amount of food or drink that you put into your mouth at one time" + }, + "overrule": { + "CHS": "否决;统治;对…施加影响", + "ENG": "to change an order or decision that you think is wrong, using your official power" + }, + "dissatisfaction": { + "CHS": "不满;令人不满的事物", + "ENG": "a feeling of not being satisfied" + }, + "saleslady": { + "CHS": "女售货员" + }, + "ideal": { + "CHS": "理想;典范", + "ENG": "a principle about what is morally right or a perfect standard that you hope to achieve" + }, + "insoluble": { + "CHS": "不能解决的;[化学] 不能溶解的;难以解释的", + "ENG": "an insoluble problem is or seems impossible to solve" + }, + "pharmaceutical": { + "CHS": "药物", + "ENG": "Pharmaceuticals are medicines" + }, + "stoical": { + "CHS": "坚忍的;禁欲的;斯多葛学派的", + "ENG": "not showing emotion or not complaining when bad things happen to you" + }, + "bum": { + "CHS": "无价值的;劣质的;很不愉快的" + }, + "down": { + "CHS": "打倒,击败", + "ENG": "used to say that you strongly oppose a government, leader etc and want them to lose their power" + }, + "experiment": { + "CHS": "实验,试验;尝试", + "ENG": "a scientific test done to find out how something reacts under certain conditions, or to find out if a particular idea is true" + }, + "graffiti": { + "CHS": "墙上乱写乱画的东西(graffito的复数形式)", + "ENG": "rude, humorous, or political writing and pictures on the walls of buildings, trains etc" + }, + "carol": { + "CHS": "颂歌,赞美诗;欢乐之歌", + "ENG": "a traditional Christmas song" + }, + "agenda": { + "CHS": "议程;日常工作事项;日程表", + "ENG": "a list of problems or subjects that a government, organization etc is planning to deal with" + }, + "arrow": { + "CHS": "以箭头指示;箭一般地飞向" + }, + "magnify": { + "CHS": "放大;赞美;夸大", + "ENG": "to make something seem bigger or louder, especially using special equipment" + }, + "camp": { + "CHS": "露营", + "ENG": "a place where people stay in tents, shelters etc for a short time, usually in the mountains, a forest etc" + }, + "sauce": { + "CHS": "使增加趣味;给…调味" + }, + "estancia": { + "CHS": "大牧场(拉丁美洲的);大庄园(拉丁美洲的)", + "ENG": "(in Spanish America) a large estate or cattle ranch " + }, + "renounce": { + "CHS": "垫牌" + }, + "gape": { + "CHS": "裂口,张嘴;呵欠" + }, + "landscape": { + "CHS": "对…做景观美化,给…做园林美化;从事庭园设计", + "ENG": "to make a park, garden etc look attractive and interesting by changing its design, and by planting trees and bushes etc" + }, + "proliferation": { + "CHS": "增殖,扩散;分芽繁殖", + "ENG": "a sudden increase in the amount or number of something" + }, + "tryout": { + "CHS": "试验;选拔赛;预赛", + "ENG": "a time when people who want to be in a sports team, activity etc are tested, so that the best can be chosen" + }, + "protect": { + "CHS": "保护,防卫;警戒", + "ENG": "to keep someone or something safe from harm, damage, or illness" + }, + "industrialist": { + "CHS": "实业家;工业家;产业工人", + "ENG": "a person who owns or runs a factory or industrial company" + }, + "latent": { + "CHS": "潜在的;潜伏的;隐藏的", + "ENG": "something that is latent is present but hidden, and may develop or become more noticeable in the future" + }, + "patrol": { + "CHS": "巡逻;巡查", + "ENG": "to go around the different parts of an area or building at regular times to check that there is no trouble or danger" + }, + "determine": { + "CHS": "(使)下决心,(使)做出决定", + "ENG": "to officially decide something" + }, + "insidious": { + "CHS": "阴险的;隐伏的;暗中为害的;狡猾的", + "ENG": "an insidious change or problem spreads gradually without being noticed, and causes serious harm" + }, + "authorise": { + "CHS": "授权;批准;允许;委任(等于authorize)" + }, + "restrictive": { + "CHS": "限制词" + }, + "signature": { + "CHS": "署名;签名;信号", + "ENG": "your name written in the way you usually write it, for example at the end of a letter, or on a cheque etc, to show that you have written it" + }, + "organic": { + "CHS": "[有化] 有机的;组织的;器官的;根本的", + "ENG": "living, or produced by or from living things" + }, + "reluctant": { + "CHS": "不情愿的;勉强的;顽抗的", + "ENG": "slow and unwilling" + }, + "rifle": { + "CHS": "用步枪射击;抢夺;偷走" + }, + "vindictive": { + "CHS": "怀恨的;有报仇心的;惩罚的", + "ENG": "unreasonably cruel and unfair towards someone who has harmed you" + }, + "darkness": { + "CHS": "黑暗;模糊;无知;阴郁", + "ENG": "when there is no light" + }, + "never": { + "CHS": "从未;决不", + "ENG": "not at any time, or not once" + }, + "tower": { + "CHS": "高耸;超越", + "ENG": "to be much taller than the people or things around you" + }, + "medium": { + "CHS": "方法;媒体;媒介;中间物", + "ENG": "a way of communicating information and news to people, such as newspapers, television etc" + }, + "bell": { + "CHS": "装钟于,系铃于" + }, + "presently": { + "CHS": "(美)目前;不久", + "ENG": "in a short time" + }, + "eradicate": { + "CHS": "根除,根绝;消灭", + "ENG": "to completely get rid of something such as a disease or a social problem" + }, + "nun": { + "CHS": "修女,尼姑", + "ENG": "someone who is a member of a group of religious women that live together in a convent" + }, + "hepatitis": { + "CHS": "肝炎", + "ENG": "Hepatitis is a serious disease which affects the liver" + }, + "pertain": { + "CHS": "属于;关于;适合", + "ENG": "If one thing pertains to another, it relates, belongs, or applies to it" + }, + "irrational": { + "CHS": "[数] 无理数" + }, + "compulsion": { + "CHS": "强制;强迫;强制力", + "ENG": "the act of forcing or influencing someone to do something they do not want to do" + }, + "prior": { + "CHS": "(Prior)人名;(法、西、葡、捷)普里奥尔;(英)普赖尔;(意)普廖尔" + }, + "florid": { + "CHS": "绚丽的;气色好的" + }, + "moribund": { + "CHS": "垂死的人" + }, + "other": { + "CHS": "另外一个" + }, + "stage": { + "CHS": "举行;上演;筹划", + "ENG": "to organize a public event" + }, + "island": { + "CHS": "孤立;使成岛状" + }, + "appreciate": { + "CHS": "欣赏;感激;领会;鉴别", + "ENG": "used to thank someone in a polite way or to say that you are grateful for something they have done" + }, + "kin": { + "CHS": "同类的;有亲属关系的;性质类似的" + }, + "backup": { + "CHS": "做备份" + }, + "ecologist": { + "CHS": "生态学者", + "ENG": "a scientist who studies ecology" + }, + "indemnity": { + "CHS": "补偿,赔偿;保障;赔偿物", + "ENG": "protection against loss or damage, especially in the form of a promise to pay for any losses or damage" + }, + "corps": { + "CHS": "军团;兵种;兵队;(德国大学的)学生联合会", + "ENG": "a group in an army with special duties and responsibilities" + }, + "plumb": { + "CHS": "垂直的", + "ENG": "exactly upright or level" + }, + "hypnotic": { + "CHS": "安眠药;催眠状态的人", + "ENG": "a drug that helps you to sleep" + }, + "validate": { + "CHS": "证实,验证;确认;使生效", + "ENG": "to prove that something is true or correct, or to make a document or agreement officially and legally acceptable" + }, + "crossword": { + "CHS": "纵横字谜;纵横填字谜(等于cross puzzle)", + "ENG": "a word game in which you write the answers to questions in a pattern of numbered boxes" + }, + "hideaway": { + "CHS": "潜伏处;隐匿处;退隐处", + "ENG": "A hideaway is a place where you go to hide or to get away from other people" + }, + "photograph": { + "CHS": "照片,相片", + "ENG": "a picture obtained by using a camera and film that is sensitive to light" + }, + "architect": { + "CHS": "建筑师", + "ENG": "someone whose job is to design buildings" + }, + "Easter": { + "CHS": "复活节", + "ENG": "a Christian holy day in March or April when Christians remember the death of Christ and his return to life" + }, + "fag": { + "CHS": "使劳累", + "ENG": "to become or cause to become exhausted by hard toil or work " + }, + "arbitrate": { + "CHS": "仲裁;公断", + "ENG": "to officially judge how an argument between two opposing sides should be settled" + }, + "technology": { + "CHS": "技术;工艺;术语", + "ENG": "new machines, equipment, and ways of doing things that are based on modern knowledge about science and computers" + }, + "dryer": { + "CHS": "烘干机;[助剂] 干燥剂", + "ENG": "a machine that dries things, especially clothes" + }, + "utensil": { + "CHS": "用具,器皿", + "ENG": "a thing such as a knife, spoon etc that you use when you are cooking" + }, + "heap": { + "CHS": "堆;堆积", + "ENG": "to put a lot of things on top of each other in an untidy way" + }, + "spanner": { + "CHS": "扳手;螺丝扳手;测量器;用手掌量的人", + "ENG": "a metal tool that fits over a nut , used for turning the nut to make it tight or to undo it" + }, + "urine": { + "CHS": "尿", + "ENG": "the yellow liquid waste that comes out of the body from the bladder" + }, + "dissect": { + "CHS": "切细;仔细分析", + "ENG": "to examine something carefully in order to understand it" + }, + "interpersonal": { + "CHS": "人际的;人与人之间的", + "ENG": "relating to relationships between people" + }, + "crucify": { + "CHS": "折磨;十字架上钉死;克制", + "ENG": "to kill someone by fastening them to a cross" + }, + "doctorate": { + "CHS": "博士学位;博士头衔", + "ENG": "a university degree of the highest level" + }, + "neglect": { + "CHS": "疏忽,忽视;怠慢", + "ENG": "failure to look after something or someone, or the condition of not being looked after" + }, + "ablaze": { + "CHS": "着火;闪耀" + }, + "question": { + "CHS": "询问;怀疑;审问", + "ENG": "to ask someone questions in order to get information about something such as a crime" + }, + "daydream": { + "CHS": "白日梦", + "ENG": "pleasant thoughts you have while you are awake that make you forget what you are doing" + }, + "restitution": { + "CHS": "恢复;赔偿;归还", + "ENG": "the act of giving back something that was lost or stolen to its owner, or of paying for damage" + }, + "boil": { + "CHS": "沸腾,煮沸;疖子", + "ENG": "the act or state of boiling" + }, + "buffet": { + "CHS": "自助的;自助餐的" + }, + "eminence": { + "CHS": "显赫;卓越;高处", + "ENG": "the quality of being famous and important" + }, + "heading": { + "CHS": "用头顶(head的ing形式)" + }, + "save": { + "CHS": "救援", + "ENG": "an action in which a player in a game such as football prevents the other team from scoring" + }, + "minor": { + "CHS": "副修" + }, + "league": { + "CHS": "使…结盟;与…联合" + }, + "unexpected": { + "CHS": "意外的,想不到的", + "ENG": "used to describe something that is surprising because you were not expecting it" + }, + "intangible": { + "CHS": "无形的,触摸不到的;难以理解的", + "ENG": "an intangible quality or feeling is difficult to describe exactly" + }, + "illustrative": { + "CHS": "说明的;作例证的;解说的", + "ENG": "helping to explain the meaning of something" + }, + "seam": { + "CHS": "缝合;接合;使留下伤痕" + }, + "canine": { + "CHS": "犬;[解剖] 犬齿", + "ENG": "one of the four sharp pointed teeth in the front of your mouth" + }, + "her": { + "CHS": "(法)埃尔(人名)" + }, + "marginal": { + "CHS": "边缘的;临界的;末端的", + "ENG": "relating to a change in cost, value etc when one more thing is produced, one more dollar is earned etc" + }, + "devour": { + "CHS": "吞食;毁灭", + "ENG": "to destroy someone or something" + }, + "adore": { + "CHS": "(Adore)人名;(法)阿多尔" + }, + "untold": { + "CHS": "数不清的;未说过的;未透露的;无限的" + }, + "typist": { + "CHS": "打字员,打字者", + "ENG": "a secretary whose main job is to type letters" + }, + "flexible": { + "CHS": "灵活的;柔韧的;易弯曲的", + "ENG": "a person, plan etc that is flexible can change or be changed easily to suit any new situation" + }, + "bitterly": { + "CHS": "苦涩地,悲痛地;残酷地;怨恨地", + "ENG": "in a way that produces or shows feelings of great sadness or anger" + }, + "straightforward": { + "CHS": "直截了当地;坦率地" + }, + "optimal": { + "CHS": "最佳的;最理想的", + "ENG": "the best or most suitable" + }, + "May": { + "CHS": "五月", + "ENG": "the fifth month of the year, between April and June" + }, + "teem": { + "CHS": "(Teem)人名;(英)蒂姆" + }, + "royalty": { + "CHS": "皇室;版税;王权;专利税", + "ENG": "members of a royal family" + }, + "hardness": { + "CHS": "[物] 硬度;坚硬;困难;冷酷" + }, + "cab": { + "CHS": "乘出租马车(或汽车)" + }, + "square": { + "CHS": "成直角地" + }, + "substantial": { + "CHS": "本质;重要材料" + }, + "willow": { + "CHS": "柳木制的" + }, + "structure": { + "CHS": "组织;构成;建造", + "ENG": "to arrange the different parts of something into a pattern or system in which each part is connected to the others" + }, + "corrupt": { + "CHS": "使腐烂;使堕落,使恶化", + "ENG": "to encourage someone to start behaving in an immoral or dishonest way" + }, + "invention": { + "CHS": "发明;发明物;虚构;发明才能", + "ENG": "a useful machine, tool, instrument etc that has been invented" + }, + "extinct": { + "CHS": "使熄灭" + }, + "defrost": { + "CHS": "除霜", + "ENG": "if a freezer or refrigerator defrosts, or if you defrost it, it is turned off so that the ice inside it melts" + }, + "drink": { + "CHS": "酒,饮料;喝酒", + "ENG": "an amount of liquid that you drink, or the act of drinking something" + }, + "consortium": { + "CHS": "财团;联合;合伙", + "ENG": "a group of companies or organizations who are working together to do something" + }, + "Dacron": { + "CHS": "涤纶;的确良", + "ENG": "a type of cloth that is not made from natural materials" + }, + "suck": { + "CHS": "吮吸", + "ENG": "an act of sucking" + }, + "czar": { + "CHS": "(帝俄的)沙皇,皇帝;独裁者" + }, + "unhealthy": { + "CHS": "不健康的;危险的;有害身心健康的", + "ENG": "likely to make you ill" + }, + "embezzle": { + "CHS": "盗用;挪用;贪污", + "ENG": "to steal money from the place where you work" + }, + "anger": { + "CHS": "使发怒,激怒;恼火", + "ENG": "to make someone angry" + }, + "stealth": { + "CHS": "秘密;秘密行动;鬼祟", + "ENG": "when you do something very quietly, slowly or secretly, so that no one notices you" + }, + "succeed": { + "CHS": "成功;继承;继任;兴旺", + "ENG": "to do what you tried or wanted to do" + }, + "exchange": { + "CHS": "交换;交易;兑换", + "ENG": "to replace one thing with another" + }, + "supreme": { + "CHS": "至高;霸权" + }, + "nobody": { + "CHS": "无名小卒;小人物", + "ENG": "If someone says that a person is a nobody, they are saying in an unkind way that the person is not at all important" + }, + "gym": { + "CHS": "健身房;体育;体育馆", + "ENG": "a special building or room that has equipment for doing physical exercise" + }, + "clay": { + "CHS": "用黏土处理" + }, + "noted": { + "CHS": "注意;记下(note的过去式和过去分词)" + }, + "neither": { + "CHS": "两者都不" + }, + "delusion": { + "CHS": "迷惑,欺骗;错觉;幻想", + "ENG": "a false belief about yourself or the situation you are in" + }, + "crime": { + "CHS": "控告……违反纪律" + }, + "eyesore": { + "CHS": "眼中钉;难看的东西", + "ENG": "something that is very ugly, especially a building surrounded by other things that are not ugly" + }, + "concept": { + "CHS": "观念,概念", + "ENG": "an idea of how something is, or how something should be done" + }, + "deckhand": { + "CHS": "甲板水手,普通水手;下级水手", + "ENG": "someone who works on a ship, cleaning and doing small repairs" + }, + "displeasure": { + "CHS": "不愉快;不满意;悲伤", + "ENG": "Someone's displeasure is a feeling of annoyance that they have about something that has happened" + }, + "imprint": { + "CHS": "加特征;刻上记号", + "ENG": "When something is imprinted on your memory, it is firmly fixed in your memory so that you will not forget it" + }, + "mural": { + "CHS": "壁画;(美)壁饰", + "ENG": "a painting that is painted on a wall, either inside or outside a building" + }, + "microcomputer": { + "CHS": "微电脑;[计] 微型计算机", + "ENG": "a small computer" + }, + "technical": { + "CHS": "工艺的,科技的;技术上的;专门的", + "ENG": "connected with knowledge of how machines work" + }, + "intersperse": { + "CHS": "点缀;散布", + "ENG": "if something is interspersed with a particular kind of thing, it has a lot of them in it" + }, + "finicky": { + "CHS": "过分讲究的;过分注意的;过分繁琐的", + "ENG": "too concerned with unimportant details and small things that you like or dislike" + }, + "prayer": { + "CHS": "祈祷,祷告;恳求;祈祷文", + "ENG": "words that you say when praying to God or gods" + }, + "senator": { + "CHS": "参议员;(古罗马的)元老院议员;评议员,理事", + "ENG": "a member of the Senate or a senate" + }, + "sacrilegious": { + "CHS": "该受天谴的,亵渎神明的", + "ENG": "If someone's behaviour or actions are sacrilegious, they show great disrespect toward something holy or toward something that people think should be respected" + }, + "entice": { + "CHS": "诱使;怂恿", + "ENG": "to persuade someone to do something or go somewhere, usually by offering them something that they want" + }, + "bastard": { + "CHS": "私生子", + "ENG": "someone who was born to parents who were not married" + }, + "scandal": { + "CHS": "丑闻;流言蜚语;诽谤;公愤", + "ENG": "an event in which someone, especially someone important, behaves in a bad way that shocks people" + }, + "agonizing": { + "CHS": "感到极度痛苦(agonize的ing形式)" + }, + "yahoo": { + "CHS": "粗鲁的人", + "ENG": "You can refer to people as yahoos when you disapprove of them because they behave in a noisy or stupid way" + }, + "wise": { + "CHS": "(Wise)人名;(英)怀斯" + }, + "frosting": { + "CHS": "结霜的;磨砂的;消光的" + }, + "furl": { + "CHS": "卷起,折叠;卷起之物" + }, + "unworldly": { + "CHS": "非尘世的;精神上的,非物质的;天真的", + "ENG": "not having a lot of experience of life" + }, + "promotion": { + "CHS": "提升,[劳经] 晋升;推销,促销;促进;发扬,振兴", + "ENG": "a move to a more important job or position in a company or organization" + }, + "conditional": { + "CHS": "条件句;条件语", + "ENG": "a sentence or clause that is expressed in a conditional form" + }, + "teddy": { + "CHS": "连衫衬裤;泰迪玩具熊" + }, + "backdate": { + "CHS": "回溯,追溯;倒填日期", + "ENG": "to write an earlier date on a document or cheque than when it was actually written" + }, + "reshape": { + "CHS": "改造;再成形" + }, + "alibi": { + "CHS": "辩解;找托辞开脱" + }, + "monumental": { + "CHS": "不朽的;纪念碑的;非常的", + "ENG": "relating to a monument or built as a monument" + }, + "coma": { + "CHS": "[医] 昏迷;[天] 彗形像差", + "ENG": "someone who is in a coma has been unconscious for a long time, usually because of a serious illness or injury" + }, + "carpet": { + "CHS": "地毯;地毯状覆盖物", + "ENG": "heavy woven material for covering floors or stairs, or a piece of this material" + }, + "slurry": { + "CHS": "泥浆;悬浮液", + "ENG": "a mixture of water and mud, coal, or animal waste" + }, + "credible": { + "CHS": "可靠的,可信的", + "ENG": "deserving or able to be believed or trusted" + }, + "considering": { + "CHS": "考虑到(consider的ing形式)", + "ENG": "used after you have given an opinion, to say that something is true in spite of a situation that makes it seem surprising" + }, + "insignificant": { + "CHS": "无关紧要的", + "ENG": "Something that is insignificant is unimportant, especially because it is very small" + }, + "oppressive": { + "CHS": "压迫的;沉重的;压制性的;难以忍受的", + "ENG": "If you describe a society, its laws, or customs as oppressive, you think they treat people cruelly and unfairly" + }, + "breath": { + "CHS": "呼吸,气息;一口气,(呼吸的)一次;瞬间,瞬息;微风;迹象;无声音,气音", + "ENG": "to start breathing normally again after running or making a lot of effort" + }, + "unoccupied": { + "CHS": "空闲的;没人住的;未占领的;无人占领的", + "ENG": "a seat, house, room etc that is unoccupied has no one in it" + }, + "tray": { + "CHS": "托盘;文件盒;隔底匣;(无线电的)发射箱", + "ENG": "a flat piece of plastic, metal, or wood, with raised edges, used for carrying things such as plates, food etc" + }, + "Scots": { + "CHS": "苏格兰人;苏格兰语", + "ENG": "any of the English dialects spoken or written in Scotland " + }, + "among": { + "CHS": "在…中间;在…之中", + "ENG": "in or through the middle of a group of people or things" + }, + "profitable": { + "CHS": "有利可图的;赚钱的;有益的", + "ENG": "producing a profit or a useful result" + }, + "ethic": { + "CHS": "伦理的;道德的(等于ethical)" + }, + "acronym": { + "CHS": "首字母缩略词", + "ENG": "a word made up from the first letters of the name of something such as an organization. For example, NATO is an acronym for the North Atlantic Treaty Organization." + }, + "mercury": { + "CHS": "[化]汞,水银", + "ENG": "Mercury is a silver-coloured liquid metal that is used especially in thermometers and barometers" + }, + "February": { + "CHS": "二月", + "ENG": "the second month of the year, between January and March" + }, + "cosmic": { + "CHS": "宇宙的(等于cosmical)", + "ENG": "relating to space or the universe" + }, + "instruct": { + "CHS": "指导;通知;命令;教授", + "ENG": "to officially tell someone what to do" + }, + "cosmetic": { + "CHS": "化妆品;装饰品", + "ENG": "Cosmetics are substances such as lipstick or powder, which people put on their face to make themselves look more attractive" + }, + "prehistoric": { + "CHS": "史前的;陈旧的", + "ENG": "relating to the time in history before anything was written down" + }, + "surfboard": { + "CHS": "以冲浪板滑水" + }, + "dream": { + "CHS": "梦的;理想的;不切实际的", + "ENG": "You can use dream to describe something that you think is ideal or perfect, especially if it is something that you thought you would never be able to have or experience" + }, + "unusual": { + "CHS": "不寻常的;与众不同的;不平常的", + "ENG": "different from what is usual or normal" + }, + "allege": { + "CHS": "宣称,断言;提出…作为理由", + "ENG": "to say that something is true or that someone has done something wrong, although it has not been proved" + }, + "Europe": { + "CHS": "欧洲", + "ENG": "the continent that is north of the Mediterranean and goes as far east as the Ural Mountains in Russia" + }, + "tie": { + "CHS": "领带;平局;鞋带;领结;不分胜负", + "ENG": "a long narrow piece of cloth tied in a knot around the neck, worn by men" + }, + "radial": { + "CHS": "射线,光线" + }, + "dandy": { + "CHS": "花花公子;好打扮的人", + "ENG": "a man who spends a lot of time and money on his clothes and appearance" + }, + "recall": { + "CHS": "召回;回忆;撤消", + "ENG": "an official order telling someone to return to a place, especially before they expected to" + }, + "throatily": { + "CHS": "喉音地;嘶哑地" + }, + "absolve": { + "CHS": "免除;赦免;宣告…无罪", + "ENG": "to say publicly that someone is not guilty or responsible for something" + }, + "horseracing": { + "CHS": "赛马运动" + }, + "austerity": { + "CHS": "紧缩;朴素;苦行;严厉", + "ENG": "when a government has a deliberate policy of trying to reduce the amount of money it spends" + }, + "insider": { + "CHS": "内部的人,会员;熟悉内情者", + "ENG": "someone who has a special knowledge of a particular organization because they are part of it" + }, + "sentimental": { + "CHS": "伤感的;多愁善感的;感情用事的;寓有情感的", + "ENG": "someone who is sentimental is easily affected by emotions such as love, sympathy, sadness etc, often in a way that seems silly to other people" + }, + "fiberglass": { + "CHS": "玻璃纤维;玻璃丝" + }, + "property": { + "CHS": "性质,性能;财产;所有权", + "ENG": "the thing or things that someone owns" + }, + "Switzerland": { + "CHS": "瑞士(欧洲国家)" + }, + "grandparent": { + "CHS": "祖父母;祖父或祖母;外祖父母;外祖父或外祖母", + "ENG": "one of the parents of your mother or father" + }, + "slack": { + "CHS": "马虎地;缓慢地" + }, + "teapot": { + "CHS": "茶壶", + "ENG": "a container for making and serving tea, which has a handle and a spout 1 1 " + }, + "call": { + "CHS": "电话;呼叫;要求;访问", + "ENG": "when you speak to someone on the telephone" + }, + "slaughter": { + "CHS": "屠宰,屠杀;杀戮;消灭", + "ENG": "when people kill animals, especially for their meat" + }, + "deserve": { + "CHS": "应受,应得", + "ENG": "to have earned something by good or bad actions or behaviour" + }, + "version": { + "CHS": "版本;译文;倒转术", + "ENG": "a copy of something that has been changed so that it is slightly different" + }, + "exist": { + "CHS": "存在;生存;生活;继续存在", + "ENG": "to happen or be present in a particular situation or place" + }, + "than": { + "CHS": "(Than)人名;(老、柬、德)坦;(缅)丹" + }, + "pedestal": { + "CHS": "搁在台上;支持;加座" + }, + "landlord": { + "CHS": "房东,老板;地主", + "ENG": "a man who rents a room, building, or piece of land to someone" + }, + "influence": { + "CHS": "影响;改变", + "ENG": "to affect the way someone or something develops, behaves, thinks etc without directly forcing or ordering them" + }, + "hive": { + "CHS": "蜂房,蜂巢;热闹的场所;熙攘喧闹的人群", + "ENG": "a place that is full of people who are very busy" + }, + "turbot": { + "CHS": "大比目鱼" + }, + "viola": { + "CHS": "中提琴,中提琴演奏者", + "ENG": "a wooden musical instrument that you play like a violin but that is larger and has a lower sound" + }, + "sailor": { + "CHS": "水手,海员;乘船者", + "ENG": "someone who works on a ship" + }, + "differ": { + "CHS": "(Differ)人名;(法)迪费" + }, + "bifocals": { + "CHS": "远视近视两用的眼镜", + "ENG": "special glasses with an upper part made for seeing things that are far away, and a lower part made for reading" + }, + "compose": { + "CHS": "构成;写作;使平静;排…的版", + "ENG": "to write a piece of music" + }, + "allocation": { + "CHS": "分配,配置;安置", + "ENG": "the decision to allocate something, or the act of allocating it" + }, + "hillside": { + "CHS": "山坡,山腹;山腰", + "ENG": "the sloping side of a hill" + }, + "knuckle": { + "CHS": "开始认真工作" + }, + "pest": { + "CHS": "害虫;有害之物;讨厌的人", + "ENG": "a small animal or insect that destroys crops or food supplies" + }, + "nerve": { + "CHS": "鼓起勇气", + "ENG": "to force yourself to be brave enough to do something" + }, + "banana": { + "CHS": "香蕉;喜剧演员;大鹰钩鼻", + "ENG": "a long curved tropical fruit with a yellow skin" + }, + "herdsman": { + "CHS": "牧人", + "ENG": "a man who looks after a herd of animals" + }, + "heretical": { + "CHS": "异端的;异教的", + "ENG": "A belief or action that is heretical is one that most people think is wrong because it disagrees with beliefs that are generally accepted" + }, + "kilo": { + "CHS": "千克", + "ENG": "a kilogram" + }, + "grape": { + "CHS": "葡萄;葡萄酒;葡萄树;葡萄色", + "ENG": "one of a number of small round green or purple fruits that grow together on a vine . Grapes are often used for making wine" + }, + "embroidery": { + "CHS": "刺绣;刺绣品;粉饰", + "ENG": "a pattern sewn onto cloth, or cloth with patterns sewn onto it" + }, + "slacken": { + "CHS": "松劲,懈怠;变松弛;变缓慢", + "ENG": "to gradually become slower, weaker, less active etc, or to make something do this" + }, + "mission": { + "CHS": "派遣;向……传教" + }, + "scroll": { + "CHS": "成卷形" + }, + "scarlet": { + "CHS": "猩红色;红衣;绯红色;鲜红色布" + }, + "relegate": { + "CHS": "把降低到;归入;提交" + }, + "rejoice": { + "CHS": "高兴;庆祝" + }, + "motive": { + "CHS": "使产生动机,激起" + }, + "mule": { + "CHS": "骡;倔强之人,顽固的人;杂交种动物", + "ENG": "an animal that has a donkey and a horse as parents" + }, + "dumpling": { + "CHS": "饺子,汤团;面团布丁", + "ENG": "a round lump of flour and fat mixed with water, cooked in boiling liquid and served with meat" + }, + "view": { + "CHS": "观察;考虑;查看", + "ENG": "to watch a television programme, film etc" + }, + "space": { + "CHS": "留间隔" + }, + "informant": { + "CHS": "被调查者;告密者;提供消息者", + "ENG": "someone who secretly gives the police, the army etc information about someone else" + }, + "apricot": { + "CHS": "杏黄色的" + }, + "soapy": { + "CHS": "涂着肥皂的;含有肥皂的;似肥皂的;圆滑的", + "ENG": "containing soap" + }, + "declaim": { + "CHS": "慷慨陈词;演讲;朗读", + "ENG": "to speak loudly, sometimes with actions, so that people notice you" + }, + "inherit": { + "CHS": "继承;遗传而得", + "ENG": "to receive money, property etc from someone after they have died" + }, + "lean": { + "CHS": "瘦肉;倾斜;倾斜度", + "ENG": "the condition of inclining from a vertical position " + }, + "medication": { + "CHS": "药物;药物治疗;药物处理", + "ENG": "medicine or drugs given to people who are ill" + }, + "instep": { + "CHS": "脚背;背部;脚背形的东西", + "ENG": "the raised part of your foot between your toes and your ankle" + }, + "curator": { + "CHS": "馆长;监护人;管理者", + "ENG": "someone who is in charge of a museum or zoo" + }, + "analyse": { + "CHS": "分析;分解;细察", + "ENG": "to examine or think about something carefully, in order to understand it" + }, + "disappoint": { + "CHS": "使失望", + "ENG": "to make someone feel unhappy because something they hoped for did not happen or was not as good as they expected" + }, + "demobilize": { + "CHS": "遣散;使复员;使退伍(demobilise)", + "ENG": "to send home the members of an army, navy etc, especially at the end of a war" + }, + "racket": { + "CHS": "过着花天酒地的生活" + }, + "milk": { + "CHS": "榨取;挤…的奶", + "ENG": "to get as much money or as many advantages as you can from a situation, in a very determined and sometimes dishonest way" + }, + "brook": { + "CHS": "小溪;小河", + "ENG": "a small stream" + }, + "exception": { + "CHS": "例外;异议", + "ENG": "something or someone that is not included in a general statement or does not follow a rule or pattern" + }, + "prism": { + "CHS": "棱镜;[晶体][数] 棱柱", + "ENG": "a transparent block of glass that breaks up white light into different colours" + }, + "glass": { + "CHS": "反映;给某物加玻璃" + }, + "charge": { + "CHS": "使充电;使承担;指责;装载;对…索费;向…冲去", + "ENG": "to say publicly that you think someone has done something wrong" + }, + "hogshead": { + "CHS": "大桶;液量单位", + "ENG": "a large container for holding beer, or the amount that it holds" + }, + "duff": { + "CHS": "把…改头换面;虚饰以欺骗人" + }, + "silent": { + "CHS": "无声电影" + }, + "listen": { + "CHS": "听,倾听", + "ENG": "an act of listening" + }, + "knowledgeable": { + "CHS": "知识渊博的,有知识的;有见识的;聪明的", + "ENG": "knowing a lot" + }, + "satanic": { + "CHS": "邪恶的;魔鬼的", + "ENG": "extremely cruel or evil" + }, + "expedite": { + "CHS": "畅通的;迅速的;方便的" + }, + "infest": { + "CHS": "骚扰;寄生于;大批出没;大批滋生", + "ENG": "if insects, rats etc infest a place, there are a lot of them and they usually cause damage" + }, + "moderate": { + "CHS": "变缓和,变弱", + "ENG": "If you moderate something or if it moderates, it becomes less extreme or violent and easier to deal with or accept" + }, + "car": { + "CHS": "汽车;车厢", + "ENG": "a vehicle with four wheels and an engine, that can carry a small number of passengers" + }, + "missionary": { + "CHS": "传教士", + "ENG": "someone who has been sent to a foreign country to teach people about Christianity and persuade them to become Christians" + }, + "it": { + "CHS": "信息技术information technology" + }, + "endurance": { + "CHS": "忍耐力;忍耐;持久;耐久", + "ENG": "the ability to continue doing something difficult or painful over a long period of time" + }, + "tier": { + "CHS": "成递升排列" + }, + "derelict": { + "CHS": "遗弃物;玩忽职守者;被遗弃的人" + }, + "heifer": { + "CHS": "小母牛", + "ENG": "a young cow that has not yet given birth to a calf " + }, + "weekend": { + "CHS": "度周末", + "ENG": "to spend the weekend somewhere" + }, + "depression": { + "CHS": "沮丧;洼地;不景气;忧愁;低气压区", + "ENG": "a long period during which there is very little business activity and a lot of people do not have jobs" + }, + "ecstatic": { + "CHS": "狂喜的人" + }, + "below": { + "CHS": "(Below)人名;(英、德、芬、瑞典)贝洛" + }, + "translation": { + "CHS": "翻译;译文;转化;调任", + "ENG": "when you translate something, or something that has been translated" + }, + "backside": { + "CHS": "背部;后方;臀部", + "ENG": "the part of your body that you sit on" + }, + "slide": { + "CHS": "滑动;滑落;不知不觉陷入", + "ENG": "to move smoothly over a surface while continuing to touch it, or to make something move in this way" + }, + "mime": { + "CHS": "摸拟表演", + "ENG": "to describe or express something, using movements not words" + }, + "infrared": { + "CHS": "红外线的", + "ENG": "Infrared radiation is similar to light but has a longer wavelength, so we cannot see it without special equipment" + }, + "streamline": { + "CHS": "流线型的" + }, + "rash": { + "CHS": "[皮肤] 皮疹;突然大量出现的事物", + "ENG": "a lot of red spots on someone’s skin, caused by an illness" + }, + "enthusiastic": { + "CHS": "热情的;热心的;狂热的", + "ENG": "feeling or showing a lot of interest and excitement about something" + }, + "stuffy": { + "CHS": "闷热的;古板的;不通气的", + "ENG": "a room or building that is stuffy does not have enough fresh air in it" + }, + "at": { + "CHS": "密封的(airtight);气温(air temperature)" + }, + "surgical": { + "CHS": "外科手术;外科病房" + }, + "silly": { + "CHS": "傻瓜", + "ENG": "used to tell someone that you think they are not behaving sensibly" + }, + "deputy": { + "CHS": "副的;代理的" + }, + "denizen": { + "CHS": "居民;外来语;外籍居民", + "ENG": "an animal, plant, or person that lives or is found in a particular place" + }, + "robbery": { + "CHS": "抢劫,盗窃;抢掠", + "ENG": "the crime of stealing money or things from a bank, shop etc, especially using violence" + }, + "discipline": { + "CHS": "训练,训导;惩戒", + "ENG": "to teach someone to obey rules and control their behaviour" + }, + "sprawl": { + "CHS": "蔓生;伸开手足躺卧姿势" + }, + "zone": { + "CHS": "分成区" + }, + "doodle": { + "CHS": "涂鸦;蠢人", + "ENG": "A doodle is a pattern or picture that you draw when you are bored or thinking about something else" + }, + "godmother": { + "CHS": "当…的教母;作…的女监护人" + }, + "membership": { + "CHS": "资格;成员资格;会员身份", + "ENG": "when someone is a member of a club, group, or organization" + }, + "footnote": { + "CHS": "给…作脚注;在脚注里评议" + }, + "heighten": { + "CHS": "提高;增高;加强;使更显著", + "ENG": "if something heightens a feeling, effect etc, or if a feeling etc heightens, it becomes stronger or increases" + }, + "gild": { + "CHS": "(Gild)人名;(俄)希尔德" + }, + "marketing": { + "CHS": "出售;在市场上进行交易;使…上市(market的ing形式)" + }, + "epigram": { + "CHS": "警句;讽刺短诗;隽语", + "ENG": "a short sentence that expresses an idea in a clever or amusing way" + }, + "leaflet": { + "CHS": "小叶;传单", + "ENG": "a small book or piece of paper advertising something or giving information on a particular subject" + }, + "extinguish": { + "CHS": "熄灭;压制;偿清", + "ENG": "to make a fire or light stop burning or shining" + }, + "palette": { + "CHS": "调色板;颜料", + "ENG": "a thin curved board that an artist uses to mix paints, holding it by putting his or her thumb through a hole at the edge" + }, + "vacation": { + "CHS": "休假,度假", + "ENG": "to go somewhere for a holiday" + }, + "meaning": { + "CHS": "意味;意思是(mean的ing形式)" + }, + "theatre": { + "CHS": "电影院,戏院;戏剧;阶梯式讲堂", + "ENG": "a building or place with a stage where plays and shows are performed" + }, + "friction": { + "CHS": "摩擦,[力] 摩擦力", + "ENG": "disagreement, angry feelings, or unfriendliness between people" + }, + "bankruptcy": { + "CHS": "破产", + "ENG": "the state of being unable to pay your debts" + }, + "millet": { + "CHS": "小米;粟;稷;黍的子实", + "ENG": "the small seeds of a plant similar to grass, used as food" + }, + "efficient": { + "CHS": "有效率的;有能力的;生效的", + "ENG": "if someone or something is efficient, they work well without wasting time, money, or energy" + }, + "badminton": { + "CHS": "羽毛球", + "ENG": "a game that is similar to tennis but played with a shuttlecock (= small feathered object ) instead of a ball" + }, + "acoustics": { + "CHS": "声学;音响效果,音质", + "ENG": "the shape and size of a room, which affect the way sound is heard in it" + }, + "consonant": { + "CHS": "辅音;辅音字母", + "ENG": "a speech sound made by partly or completely stopping the flow of air through your mouth" + }, + "low": { + "CHS": "牛叫" + }, + "prohibition": { + "CHS": "禁止;禁令;禁酒;诉讼中止令", + "ENG": "the act of saying that something is illegal" + }, + "downcast": { + "CHS": "倒台;俯视的目光;向下转换" + }, + "ferocious": { + "CHS": "残忍的;惊人的", + "ENG": "violent, dangerous, and frightening" + }, + "influential": { + "CHS": "有影响力的人物" + }, + "squeamish": { + "CHS": "易呕吐的;易生气的;神经质的;过于拘谨的;洁癖的", + "ENG": "easily shocked or upset, or easily made to feel sick by seeing unpleasant things" + }, + "fragmentary": { + "CHS": "碎片的;不完全的;断断续续的", + "ENG": "consisting of many different small parts" + }, + "ovation": { + "CHS": "热烈欢迎;大喝采", + "ENG": "if a group of people give someone an ovation, they clap to show approval" + }, + "exciting": { + "CHS": "激动;刺激(excite的ing形式);唤起" + }, + "reaction": { + "CHS": "反应,感应;反动,复古;反作用", + "ENG": "something that you feel or do because of something that has happened or been said" + }, + "nursery": { + "CHS": "苗圃;托儿所;温床", + "ENG": "a place where young children are taken care of during the day while their parents are at work" + }, + "commentary": { + "CHS": "评论;注释;评注;说明", + "ENG": "something such as a book or an article that explains or discusses a book, poem, idea etc" + }, + "carrier": { + "CHS": "[化学] 载体;运送者;带菌者;货架", + "ENG": "someone who passes a disease or gene to other people, especially without being affected by it themselves" + }, + "retire": { + "CHS": "退休;退隐;退兵信号" + }, + "presumably": { + "CHS": "大概;推测起来;可假定", + "ENG": "used to say that you think something is probably true" + }, + "sunny": { + "CHS": "阳光充足的,和煦的;快活的;性情开朗的", + "ENG": "having a lot of light from the sun" + }, + "crocodile": { + "CHS": "鳄鱼", + "ENG": "a large reptile with a long mouth and many sharp teeth that lives in lakes and rivers in hot wet parts of the world" + }, + "measurement": { + "CHS": "测量;[计量] 度量;尺寸;量度制", + "ENG": "the length, height etc of something" + }, + "great": { + "CHS": "大师;大人物;伟人们", + "ENG": "a very successful and famous person in a particular sport, profession etc" + }, + "flock": { + "CHS": "用棉束填满" + }, + "namesake": { + "CHS": "名义;同名物;同名的人", + "ENG": "another person, especially a more famous person, who has the same name as someone" + }, + "hour": { + "CHS": "小时;钟头;课时;…点钟", + "ENG": "a unit for measuring time. There are 60 minutes in one hour, and 24 hours in one day." + }, + "investigate": { + "CHS": "调查;研究", + "ENG": "to try to find out the truth about something such as a crime, accident, or scientific problem" + }, + "do": { + "CHS": "助动词(构成疑问句和否定句);(代替动词);(用于加强语气)", + "ENG": "used instead of repeating a verb that has already been used" + }, + "eat": { + "CHS": "吃,喝;腐蚀;烦扰", + "ENG": "to put food in your mouth and chew and swallow it" + }, + "overall": { + "CHS": "工装裤;罩衫", + "ENG": "a loose-fitting piece of clothing like a coat, that is worn over clothes to protect them" + }, + "ensure": { + "CHS": "保证,确保;使安全", + "ENG": "to make certain that something will happen properly" + }, + "chrysanthemum": { + "CHS": "菊花", + "ENG": "a garden plant with large brightly coloured flowers" + }, + "practice": { + "CHS": "练习;实习;实行" + }, + "envisage": { + "CHS": "正视,面对;想像", + "ENG": "If you envisage something, you imagine that it is true, real, or likely to happen" + }, + "genesis": { + "CHS": "发生;起源", + "ENG": "the beginning or origin of something" + }, + "mister": { + "CHS": "称…先生" + }, + "sunflower": { + "CHS": "向日葵", + "ENG": "a very tall plant with a large yellow flower, and seeds that can be eaten" + }, + "stoic": { + "CHS": "坚忍的,苦修的;斯多葛派的;禁欲主义的" + }, + "creator": { + "CHS": "创造者;创建者", + "ENG": "someone who made or invented a particular thing" + }, + "monkey": { + "CHS": "胡闹;捣蛋" + }, + "unsuspecting": { + "CHS": "不怀疑的;未猜想到…的", + "ENG": "not knowing that something bad is happening or going to happen" + }, + "thunderous": { + "CHS": "像打雷的,隆轰隆响的;多雷的,强有力的", + "ENG": "If you describe a noise as thunderous, you mean that it is very loud and deep" + }, + "clarify": { + "CHS": "澄清;阐明", + "ENG": "to make something clearer or easier to understand" + }, + "interference": { + "CHS": "干扰,冲突;干涉", + "ENG": "an act of interfering" + }, + "alias": { + "CHS": "别名叫;化名为" + }, + "leap": { + "CHS": "飞跃;跳跃", + "ENG": "a big jump" + }, + "dispatch": { + "CHS": "派遣;分派", + "ENG": "to send someone or something somewhere for a particular purpose" + }, + "censure": { + "CHS": "责难", + "ENG": "the act of expressing strong disapproval and criticism" + }, + "sufferance": { + "CHS": "容许;忍耐;默许" + }, + "factor": { + "CHS": "做代理商" + }, + "nineteenth": { + "CHS": "第十九;十九分之一" + }, + "forfeit": { + "CHS": "(因犯罪、失职、违约等)丧失(权利、名誉、生命等)" + }, + "release": { + "CHS": "释放;发布;让与", + "ENG": "when someone is officially allowed to go free, after being kept somewhere" + }, + "landowner": { + "CHS": "地主,土地所有者", + "ENG": "someone who owns land, especially a large amount of it" + }, + "enemy": { + "CHS": "敌人的,敌方的" + }, + "syphilis": { + "CHS": "[性病] 梅毒", + "ENG": "a very serious disease that is passed from one person to another during sexual activity" + }, + "meet": { + "CHS": "合适的;适宜的", + "ENG": "right or suitable" + }, + "addiction": { + "CHS": "上瘾,沉溺;癖嗜", + "ENG": "the need to take a harmful drug regularly, without being able to stop" + }, + "final": { + "CHS": "决赛;期末考试;当日报纸的末版", + "ENG": "the last and most important game, race, or set of games in a competition" + }, + "honest": { + "CHS": "诚实的,实在的;可靠的;坦率的", + "ENG": "someone who is honest always tells the truth and does not cheat or steal" + }, + "prospective": { + "CHS": "预期;展望" + }, + "signet": { + "CHS": "盖章于", + "ENG": "to stamp or authenticate with a signet " + }, + "rowdy": { + "CHS": "粗暴的人;好吵闹的人", + "ENG": "someone who behaves in a rough noisy way" + }, + "lighten": { + "CHS": "减轻;发亮", + "ENG": "to reduce the amount of work, worry, debt etc that someone has" + }, + "perjury": { + "CHS": "伪证;伪誓;背信弃义", + "ENG": "the crime of telling a lie after promising to tell the truth in a court of law, or a lie told in this way" + }, + "forest": { + "CHS": "森林", + "ENG": "a large area of land that is covered with trees" + }, + "delete": { + "CHS": "删除", + "ENG": "to remove something that has been written down or stored in a computer" + }, + "veterinary": { + "CHS": "兽医(等于veterinarian)" + }, + "still": { + "CHS": "蒸馏;使…静止;使…平静下来" + }, + "village": { + "CHS": "村庄;村民;(动物的)群落", + "ENG": "a very small town in the countryside" + }, + "downright": { + "CHS": "完全,彻底;全然" + }, + "padlock": { + "CHS": "用挂锁锁上;关闭", + "ENG": "If you padlock something, you lock it or fasten it to something else using a padlock" + }, + "northeast": { + "CHS": "向东北;来自东北", + "ENG": "If you go northeast, you travel toward the northeast" + }, + "sure": { + "CHS": "(Sure)人名;(英)休尔" + }, + "booth": { + "CHS": "货摊;公用电话亭", + "ENG": "A booth is a small area separated from a larger public area by screens or thin walls where, for example, people can make a telephone call or vote in private" + }, + "not": { + "CHS": "“非”(计算机中逻辑运算的一种)" + }, + "postage": { + "CHS": "邮资,邮费", + "ENG": "the money charged for sending a letter, package etc by post" + }, + "wither": { + "CHS": "(Wither)人名;(英)威瑟" + }, + "surface": { + "CHS": "浮出水面", + "ENG": "if someone or something surfaces, they suddenly appear somewhere, especially after being gone or hidden for a long time" + }, + "gangster": { + "CHS": "歹徒,流氓;恶棍", + "ENG": "A gangster is a member of an organized group of violent criminals" + }, + "knee": { + "CHS": "用膝盖碰", + "ENG": "to hit someone with your knee" + }, + "synonymous": { + "CHS": "同义的;同义词的;同义突变的", + "ENG": "something that is synonymous with something else is considered to be very closely connected with it" + }, + "goggle": { + "CHS": "瞪眼的,睁眼的" + }, + "prevention": { + "CHS": "预防;阻止;妨碍", + "ENG": "when something bad is stopped from happening" + }, + "understate": { + "CHS": "少说,少报;保守地说;有意轻描淡写", + "ENG": "to describe something in a way that makes it seem less important or serious than it really is" + }, + "suitable": { + "CHS": "适当的;相配的", + "ENG": "having the right qualities for a particular person, purpose, or situation" + }, + "falsity": { + "CHS": "虚伪;错误;谎言;不真实", + "ENG": "the quality of being false or not true" + }, + "foetus": { + "CHS": "胎儿", + "ENG": "a baby or young animal before it is born" + }, + "input": { + "CHS": "[自][电子] 输入;将…输入电脑", + "ENG": "If you input information into a computer, you feed it in, for example, by typing it on a keyboard" + }, + "estuary": { + "CHS": "河口;江口", + "ENG": "the wide part of a river where it goes into the sea" + }, + "hindrance": { + "CHS": "障碍;妨碍;妨害;阻碍物", + "ENG": "something or someone that makes it difficult for you to do something" + }, + "upfront": { + "CHS": "在前面;提前支付(工资)" + }, + "feminist": { + "CHS": "主张女权的", + "ENG": "Feminist groups, ideas, and activities are involved in feminism" + }, + "sherry": { + "CHS": "雪利酒(西班牙产的一种烈性白葡萄酒);葡萄酒", + "ENG": "a pale or dark brown strong wine, originally from Spain" + }, + "virus": { + "CHS": "[病毒] 病毒;恶毒;毒害", + "ENG": "a very small living thing that causes infectious illnesses" + }, + "herbivore": { + "CHS": "[动] 食草动物", + "ENG": "an animal that only eats plants" + }, + "movie": { + "CHS": "电影的" + }, + "hindsight": { + "CHS": "后见之明;枪的照门", + "ENG": "Hindsight is the ability to understand and realize something about an event after it has happened, although you did not understand or realize it at the time" + }, + "relentless": { + "CHS": "无情的;残酷的;不间断的", + "ENG": "strict, cruel, or determined, without ever stopping" + }, + "user": { + "CHS": "用户", + "ENG": "someone or something that uses a product, service etc" + }, + "crater": { + "CHS": "形成坑;消亡" + }, + "thief": { + "CHS": "小偷,贼", + "ENG": "someone who steals things from another person or place" + }, + "gambler": { + "CHS": "赌徒;投机商人", + "ENG": "A gambler is someone who gambles regularly, for example in card games or on horse racing" + }, + "cormorant": { + "CHS": "贪婪的" + }, + "habitue": { + "CHS": "常客;有毒瘾的人" + }, + "philosophy": { + "CHS": "哲学;哲理;人生观", + "ENG": "the study of the nature and meaning of existence, truth, good and evil, etc" + }, + "through": { + "CHS": "直达的;过境的;完结的", + "ENG": "a train by which you can reach a place, without having to use other trains" + }, + "interlude": { + "CHS": "使中断" + }, + "pony": { + "CHS": "付清" + }, + "beckon": { + "CHS": "表召唤的点头;手势" + }, + "insurance": { + "CHS": "保险;保险费;保险契约;赔偿金", + "ENG": "an arrangement with a company in which you pay them money, especially regularly, and they pay the costs if something bad happens, for example if you become ill or your car is damaged" + }, + "gem": { + "CHS": "最佳品质的" + }, + "address": { + "CHS": "地址;演讲;致辞;说话的技巧;称呼", + "ENG": "a formal speech that someone makes to a group of people" + }, + "reprisal": { + "CHS": "报复(行为);报复性劫掠", + "ENG": "something violent or harmful which you do to punish someone for something bad they have done to you" + }, + "membrane": { + "CHS": "膜;薄膜;羊皮纸", + "ENG": "a very thin piece of skin that covers or connects parts of your body" + }, + "bruise": { + "CHS": "使受瘀伤;使受挫伤", + "ENG": "to affect someone badly and make them feel less confident" + }, + "supplant": { + "CHS": "代替;排挤掉", + "ENG": "to take the place of a person or thing so that they are no longer used, no longer in a position of power etc" + }, + "underwear": { + "CHS": "内衣物", + "ENG": "clothes that you wear next to your body under your other clothes" + }, + "landing": { + "CHS": "登陆(land的ing形式)" + }, + "factitious": { + "CHS": "人为的,人工的;不自然的;虚假的", + "ENG": "made to happen artificially by people rather than happening naturally" + }, + "deviate": { + "CHS": "脱离;越轨", + "ENG": "To deviate from something means to start doing something different or not planned, especially in a way that causes problems for others" + }, + "imagine": { + "CHS": "想像;猜想;臆断", + "ENG": "to form a picture or idea in your mind about what something could be like" + }, + "prologue": { + "CHS": "加上…前言;为…作序" + }, + "scrutinise": { + "CHS": "作仔细检查;细致观察" + }, + "jailer": { + "CHS": "狱卒,看守监狱的人", + "ENG": "someone who is in charge of guarding a prison or prisoners" + }, + "pendent": { + "CHS": "悬而未决的;下垂的;未定的;向外伸出的", + "ENG": "hanging from something" + }, + "parking": { + "CHS": "停车(park的ing形式)" + }, + "autonomous": { + "CHS": "自治的;自主的;自发的", + "ENG": "an autonomous place or organization is free to govern or control itself" + }, + "magnolia": { + "CHS": "木兰科的" + }, + "easel": { + "CHS": "画架;黑板架", + "ENG": "a wooden frame that you put a painting on while you paint it" + }, + "circulation": { + "CHS": "流通,传播;循环;发行量", + "ENG": "the movement of blood around your body" + }, + "Internet": { + "CHS": "因特网", + "ENG": "a computer system that allows millions of computer users around the world to exchange information" + }, + "faze": { + "CHS": "打扰;使狼狈;折磨" + }, + "literary": { + "CHS": "文学的;书面的;精通文学的", + "ENG": "relating to literature" + }, + "these": { + "CHS": "这些的" + }, + "matriculate": { + "CHS": "被录取者" + }, + "mention": { + "CHS": "提及,说起", + "ENG": "when someone mentions something or someone in a conversation, piece of writing etc" + }, + "sink": { + "CHS": "水槽;洗涤槽;污水坑", + "ENG": "a large open container that you fill with water and use for washing yourself, washing dishes etc" + }, + "commission": { + "CHS": "委任;使服役;委托制作", + "ENG": "to formally ask someone to write an official report, produce a work of art for you etc" + }, + "uneconomic": { + "CHS": "不经济的;浪费的", + "ENG": "uneconomical" + }, + "bra": { + "CHS": "胸罩", + "ENG": "a piece of underwear that a woman wears to support her breasts" + }, + "junior": { + "CHS": "年少者,晚辈;地位较低者;大学三年级学生", + "ENG": "a child who goes to a junior school" + }, + "endways": { + "CHS": "末端朝上地;两端连接地", + "ENG": "having the end forwards or upwards " + }, + "date": { + "CHS": "过时;注明日期;始于(某一历史时期)", + "ENG": "if clothing, art etc dates, it begins to look old-fashioned" + }, + "usually": { + "CHS": "通常,经常", + "ENG": "used to talk about what happens on most occasions or in most situations" + }, + "adventurous": { + "CHS": "爱冒险的;大胆的;充满危险的", + "ENG": "not afraid of taking risks or trying new things" + }, + "ineffective": { + "CHS": "无效的,失效的;不起作用的", + "ENG": "something that is ineffective does not achieve what it is intended to achieve" + }, + "observatory": { + "CHS": "天文台;气象台;瞭望台", + "ENG": "a special building from which scientists watch the moon, stars, weather etc" + }, + "hostility": { + "CHS": "敌意;战争行动", + "ENG": "when someone is unfriendly and full of anger towards another person" + }, + "convey": { + "CHS": "传达;运输;让与", + "ENG": "to communicate or express something, with or without using words" + }, + "overlap": { + "CHS": "部分重叠;部分的同时发生", + "ENG": "If one thing overlaps another, or if you overlap them, a part of the first thing occupies the same area as a part of the other thing. You can also say that two things overlap. " + }, + "plummet": { + "CHS": "垂直落下;(价格、水平等)骤然下跌", + "ENG": "to suddenly and quickly decrease in value or amount" + }, + "layoff": { + "CHS": "活动停止期间;临时解雇;操作停止;失业期", + "ENG": "When there are layoffs in a company, people become unemployed because there is no more work for them in the company" + }, + "gratuitous": { + "CHS": "无理由的,无端的;免费的", + "ENG": "said or done without a good reason, in a way that offends someone" + }, + "squirm": { + "CHS": "蠕动" + }, + "refinement": { + "CHS": "精制;文雅;[化工][油气][冶] 提纯", + "ENG": "the process of making a substance more pure" + }, + "violation": { + "CHS": "违反;妨碍,侵害;违背;强奸", + "ENG": "an action that breaks a law, agreement, principle etc" + }, + "sarcastic": { + "CHS": "挖苦的;尖刻的,辛辣的", + "ENG": "saying things that are the opposite of what you mean, in order to make an unkind joke or to show that you are annoyed" + }, + "frock": { + "CHS": "女装;连衣裙;僧袍;罩袍", + "ENG": "a woman’s or girl’s dress" + }, + "concentration": { + "CHS": "浓度;集中;浓缩;专心;集合", + "ENG": "the ability to think about something carefully or for a long time" + }, + "flail": { + "CHS": "连枷(打谷物用的工具)", + "ENG": "a tool consisting of a stick that swings from a long handle, used in the past to separate grain from wheat by beating it" + }, + "overshadow": { + "CHS": "使失色;使阴暗;遮阴;夺去…的光彩", + "ENG": "If you are overshadowed by a person or thing, you are less successful, important, or impressive than they are" + }, + "realism": { + "CHS": "现实主义;实在论;现实主义的态度和行为", + "ENG": "the style of art and literature in which things, especially unpleasant things, are shown or described as they really are in life" + }, + "emphasize": { + "CHS": "强调,着重", + "ENG": "to say something in a strong way" + }, + "nonstop": { + "CHS": "不休息地", + "ENG": "Nonstop is also an adverb" + }, + "drape": { + "CHS": "窗帘;褶裥", + "ENG": "Drapes are long heavy curtains" + }, + "lavish": { + "CHS": "浪费;慷慨给予;滥用", + "ENG": "to give someone or something a lot of love, praise, money etc" + }, + "creditor": { + "CHS": "债权人,贷方", + "ENG": "a person, bank, or company that you owe money to" + }, + "personal": { + "CHS": "人事消息栏;人称代名词" + }, + "wharf": { + "CHS": "码头;停泊处", + "ENG": "a structure that is built out into the water so that boats can stop next to it" + }, + "anymore": { + "CHS": "再也不,不再", + "ENG": "not any longer" + }, + "shame": { + "CHS": "使丢脸,使羞愧", + "ENG": "to make someone feel ashamed" + }, + "aspire": { + "CHS": "渴望;立志;追求", + "ENG": "to desire and work towards achieving something important" + }, + "longitude": { + "CHS": "[地理] 经度;经线", + "ENG": "the distance east or west of a particular meridian (= imaginary line along the Earth’s surface from the North Pole to the South Pole ) , measured in degrees" + }, + "spectrum": { + "CHS": "光谱;频谱;范围;余象", + "ENG": "a complete range of opinions, people, situations etc, going from one extreme to its opposite" + }, + "tenuous": { + "CHS": "纤细的;稀薄的;贫乏的", + "ENG": "very thin and easily broken" + }, + "two": { + "CHS": "二", + "ENG": "the number 2" + }, + "schoolmaster": { + "CHS": "男校长;教导者;男教师", + "ENG": "a male teacher, especially in a private school (= one that parents pay to send their children to ) " + }, + "menopause": { + "CHS": "更年期;活动终止期", + "ENG": "the time when a woman stops menstruat ing ,which usually happens around the age of 50" + }, + "sensation": { + "CHS": "感觉;轰动;感动", + "ENG": "a feeling that you get from one of your five senses, especially the sense of touch" + }, + "enable": { + "CHS": "使能够,使成为可能;授予权利或方法", + "ENG": "to make it possible for someone to do something, or for something to happen" + }, + "infection": { + "CHS": "感染;传染;影响;传染病", + "ENG": "a disease that affects a particular part of your body and is caused by bacteria or a virus" + }, + "operator": { + "CHS": "经营者;操作员;话务员;行家", + "ENG": "someone who operates a machine or piece of equipment" + }, + "oats": { + "CHS": "燕麦;燕麦片(oat的复数);燕麦粥", + "ENG": "the grain from which flour or oatmeal is made and that is used in cooking, or in food for animals" + }, + "irreducible": { + "CHS": "[数] 不可约的;不能削减的;不能复归的", + "ENG": "an irreducible sum, level etc cannot be made smaller or simpler" + }, + "dribble": { + "CHS": "n点滴;运球", + "ENG": "the act of moving the ball along with you by short kicks, bounce s or hits in a game of football, basketball etc" + }, + "beer": { + "CHS": "喝啤酒" + }, + "banner": { + "CHS": "横幅图片的广告模式" + }, + "woman": { + "CHS": "妇女;女性;成年女子", + "ENG": "an adult female person" + }, + "Hinduism": { + "CHS": "印度教", + "ENG": "the main religion in India, which includes belief in reincarnation " + }, + "none": { + "CHS": "(None)人名;(葡、罗)诺内;(日)野根(姓)" + }, + "phonetic": { + "CHS": "语音的,语音学的;音形一致的;发音有细微区别的", + "ENG": "relating to the sounds of human speech" + }, + "nod": { + "CHS": "点头;点头表示", + "ENG": "to move your head up and down, especially in order to show agreement or understanding" + }, + "volleyball": { + "CHS": "排球", + "ENG": "a game in which two teams use their hands to hit a ball over a high net" + }, + "macabre": { + "CHS": "可怕的;以死亡为主题的;令人毛骨悚然的(等于macaber)", + "ENG": "very strange and unpleasant and connected with death or with people being seriously hurt" + }, + "archaeology": { + "CHS": "考古学", + "ENG": "the study of ancient societies by examining what remains of their buildings, grave s , tools etc" + }, + "platoon": { + "CHS": "排,团;一组", + "ENG": "a small group of soldiers which is part of a company and is led by a lieutenant " + }, + "shadow": { + "CHS": "影子内阁的", + "ENG": "the group of politicians in the British parliament who would become ministers if their party was in government" + }, + "glint": { + "CHS": "闪烁;(光线)反射;闪闪发光", + "ENG": "if a shiny surface glints, it gives out small flashes of light" + }, + "perfunctory": { + "CHS": "敷衍的;马虎的;得过且过的", + "ENG": "a perfunctory action is done quickly, and is only done because people expect it" + }, + "buffer": { + "CHS": "缓冲", + "ENG": "to reduce the bad effects of something" + }, + "way": { + "CHS": "途中的" + }, + "eon": { + "CHS": "永世;无数的年代;极长时期" + }, + "Catholic": { + "CHS": "天主教徒;罗马天主教", + "ENG": "A Catholic is a member of the Catholic Church" + }, + "seasickness": { + "CHS": "晕船" + }, + "ghost": { + "CHS": "作祟于;替…捉刀;为人代笔", + "ENG": "to write something as a ghost writer " + }, + "powder": { + "CHS": "使成粉末;撒粉;搽粉于" + }, + "leniency": { + "CHS": "宽大,仁慈;温和", + "ENG": "Leniency is a lenient attitude or lenient behaviour" + }, + "surpass": { + "CHS": "超越;胜过,优于;非…所能办到或理解", + "ENG": "to be even better or greater than someone or something else" + }, + "bodily": { + "CHS": "(Bodily)人名;(英)博迪利" + }, + "variation": { + "CHS": "变化;[生物] 变异,变种", + "ENG": "a difference between similar things, or a change from the usual amount or form of something" + }, + "disposable": { + "CHS": "可任意处理的;可自由使用的;用完即可丢弃的", + "ENG": "intended to be used once or for a short time and then thrown away" + }, + "nine": { + "CHS": "九的,九个的" + }, + "judge": { + "CHS": "法官;裁判员", + "ENG": "the official in control of a court, who decides how criminals should be punished" + }, + "stone": { + "CHS": "向扔石块;用石头铺", + "ENG": "to throw stones at someone or something" + }, + "paper": { + "CHS": "用纸糊;用纸包装", + "ENG": "to decorate the walls of a room by covering them with special paper" + }, + "there": { + "CHS": "那个地方" + }, + "player": { + "CHS": "运动员,比赛者;游戏者,做游戏的人;演奏者,表演者;演员;播放器", + "ENG": "someone who takes part in a game or sport" + }, + "chiefly": { + "CHS": "主要地;首先", + "ENG": "mostly but not completely" + }, + "economy": { + "CHS": "经济;节约;理财", + "ENG": "the system by which a country’s money and goods are produced and used, or a country considered in this way" + }, + "flaxen": { + "CHS": "淡黄色的;亚麻的;亚麻色的", + "ENG": "flaxen hair is light yellow in colour" + }, + "intern": { + "CHS": "拘留,软禁", + "ENG": "to put someone in prison without charging them with a crime, for political reasons or during a war" + }, + "second": { + "CHS": "第二;其次;居第二位", + "ENG": "used before you add information to what you have already said" + }, + "anguish": { + "CHS": "使极度痛苦" + }, + "colourless": { + "CHS": "无色的;不生动的;颜色黯淡的", + "ENG": "having no colour" + }, + "hydrant": { + "CHS": "消防栓;水龙头;给水栓", + "ENG": "a fire hydrant " + }, + "fertilizer": { + "CHS": "[肥料] 肥料;受精媒介物;促进发展者", + "ENG": "a substance that is put on the soil to make plants grow" + }, + "meeting": { + "CHS": "会面;会合(meet的ing形式)" + }, + "pleasant": { + "CHS": "(Pleasant)人名;(英)普莱曾特" + }, + "export": { + "CHS": "输出物资", + "ENG": "to sell goods to another country" + }, + "rumour": { + "CHS": "传闻" + }, + "issue": { + "CHS": "发行,发布;发给;放出,排出", + "ENG": "if an organization or someone in an official position issues something such as documents or equipment, they give these things to people who need them" + }, + "linguistic": { + "CHS": "语言的;语言学的", + "ENG": "related to language, words, or linguistics" + }, + "assignment": { + "CHS": "分配;任务;作业;功课", + "ENG": "a piece of work that is given to someone as part of their job" + }, + "kilogramme": { + "CHS": "公斤;千克" + }, + "big": { + "CHS": "(Big)人名;(土)比格" + }, + "anarchist": { + "CHS": "无政府主义者", + "ENG": "someone who believes that governments, laws etc are not necessary" + }, + "schoolgirl": { + "CHS": "女学生", + "ENG": "a girl attending school" + }, + "quilt": { + "CHS": "东拼西凑地编;加软衬料后缝制" + }, + "raindrop": { + "CHS": "雨滴;雨点", + "ENG": "A raindrop is a single drop of rain" + }, + "desperate": { + "CHS": "不顾一切的;令人绝望的;极度渴望的", + "ENG": "willing to do anything to change a very bad situation, and not caring about danger" + }, + "pessimist": { + "CHS": "悲观主义者", + "ENG": "someone who always expects that bad things will happen" + }, + "dais": { + "CHS": "讲台", + "ENG": "a low stage in a room that you stand on when you are making a speech or performing, so that people can see and hear you" + }, + "victimize": { + "CHS": "使受害;使牺牲;欺骗", + "ENG": "to treat someone unfairly because you do not like them, their beliefs, or the race they belong to" + }, + "confection": { + "CHS": "糖果,蜜饯;调制;糖膏(剂);精制工艺品" + }, + "hello": { + "CHS": "表示问候, 惊奇或唤起注意时的用语" + }, + "turbid": { + "CHS": "浑浊的;混乱的;雾重的", + "ENG": "turbid water or liquid is dirty and muddy" + }, + "wonderful": { + "CHS": "极好的,精彩的,绝妙的;奇妙的;美妙;胜;神妙", + "ENG": "making you admire someone or something very much" + }, + "horse": { + "CHS": "使骑马;系马于;捉弄" + }, + "fracture": { + "CHS": "破裂;折断", + "ENG": "if a bone or other hard substance fractures, or if it is fractured, it breaks or cracks" + }, + "fur": { + "CHS": "用毛皮覆盖;使穿毛皮服装" + }, + "executor": { + "CHS": "执行者;[法] 遗嘱执行人", + "ENG": "someone who deals with the instructions in someone’s will" + }, + "always": { + "CHS": "永远,一直;总是;常常", + "ENG": "all the time, at all times, or every time" + }, + "fox": { + "CHS": "狐狸;狡猾的人", + "ENG": "a wild animal like a dog with reddish-brown fur, a pointed face, and a thick tail" + }, + "requiem": { + "CHS": "安魂曲;追思弥撒", + "ENG": "a Christian ceremony in which prayers are said for someone who has died" + }, + "refusal": { + "CHS": "拒绝;优先取舍权;推却;取舍权", + "ENG": "when you say firmly that you will not do, give, or accept something" + }, + "spaniel": { + "CHS": "向…摇尾乞怜" + }, + "recorder": { + "CHS": "录音机;记录器;记录员;八孔直笛", + "ENG": "a piece of electrical equipment that records music, films etc" + }, + "despot": { + "CHS": "专制君主,暴君;独裁者", + "ENG": "someone, especially a ruler, who uses power in a cruel and unfair way" + }, + "terrorist": { + "CHS": "恐怖主义者,恐怖分子", + "ENG": "someone who uses violence such as bombing, shooting etc to obtain political demands" + }, + "blossom": { + "CHS": "花;开花期;兴旺期;花开的状态", + "ENG": "a flower or the flowers on a tree or bush" + }, + "stereotype": { + "CHS": "陈腔滥调,老套;铅版" + }, + "extremist": { + "CHS": "极端主义者,过激分子", + "ENG": "someone who has extreme political opinions and aims, and who is willing to do unusual or illegal things in order to achieve them" + }, + "uncover": { + "CHS": "发现;揭开;揭露", + "ENG": "to find out about something that has been kept secret" + }, + "intention": { + "CHS": "意图;目的;意向;愈合", + "ENG": "a plan or desire to do something" + }, + "slip": { + "CHS": "串行线路接口协议,是旧式的协议(Serial Line Interface Protocol)" + }, + "stimulus": { + "CHS": "刺激;激励;刺激物", + "ENG": "something that helps a process to develop more quickly or more strongly" + }, + "corner": { + "CHS": "囤积;相交成角" + }, + "sake": { + "CHS": "目的;利益;理由;日本米酒" + }, + "headmaster": { + "CHS": "校长", + "ENG": "a male teacher who is in charge of a school" + }, + "audience": { + "CHS": "观众;听众;读者;接见;正式会见;拜会", + "ENG": "a group of people who come to watch and listen to someone speaking or performing in public" + }, + "morning": { + "CHS": "早晨;黎明;初期", + "ENG": "the early part of the day, from when the sun rises until 12 o’clock in the middle of the day" + }, + "expressway": { + "CHS": "(美)高速公路", + "ENG": "a wide road in a city on which cars can travel very quickly without stopping" + }, + "desegregate": { + "CHS": "使…废止种族隔离", + "ENG": "to end a system in which people of different races are kept separate" + }, + "councillor": { + "CHS": "议员;顾问;参赞(等于councilor)", + "ENG": "a member of a council" + }, + "duchess": { + "CHS": "热情款待;讨好" + }, + "generous": { + "CHS": "慷慨的,大方的;宽宏大量的;有雅量的", + "ENG": "someone who is generous is willing to give money, spend time etc, in order to help people or give them pleasure" + }, + "predominant": { + "CHS": "主要的;卓越的;支配的;有力的;有影响的", + "ENG": "If something is predominant, it is more important or noticeable than anything else in a set of people or things" + }, + "racer": { + "CHS": "比赛者;比赛用的汽车", + "ENG": "someone who competes in a race" + }, + "scary": { + "CHS": "(事物)可怕的;恐怖的;吓人的;(人)提心吊胆的;引起惊慌的;胆小的", + "ENG": "frightening" + }, + "adamant": { + "CHS": "坚硬的东西;坚石" + }, + "parameter": { + "CHS": "参数;系数;参量", + "ENG": "Parameters are factors or limits that affect the way something can be done or made" + }, + "later": { + "CHS": "(Later)人名;(德)拉特" + }, + "talent": { + "CHS": "才能;天才;天资", + "ENG": "a natural ability to do something well" + }, + "metal": { + "CHS": "金属制的" + }, + "battlefield": { + "CHS": "战场;沙场", + "ENG": "a place where a battle is being fought or has been fought" + }, + "absent": { + "CHS": "使缺席", + "ENG": "to not go to a place or take part in an event where people expect you to be" + }, + "stride": { + "CHS": "跨过;大踏步走过;跨坐在…", + "ENG": "If you stride somewhere, you walk there with quick, long steps" + }, + "designate": { + "CHS": "指定的;选定的" + }, + "titanic": { + "CHS": "泰坦尼克号" + }, + "hamstring": { + "CHS": "切断腿筋使成跛腿;使残废" + }, + "handicapped": { + "CHS": "残疾人;缺陷者", + "ENG": "You can refer to people who are handicapped as the handicapped" + }, + "airline": { + "CHS": "航线的" + }, + "downpour": { + "CHS": "倾盆大雨;注下", + "ENG": "a lot of rain that falls in a short time" + }, + "temple": { + "CHS": "庙宇;寺院;神殿;太阳穴", + "ENG": "a building where people go to worship , in the Jewish, Hindu, Buddhist, Sikh, and Mormon religions" + }, + "found": { + "CHS": "创立,建立;创办", + "ENG": "to start something such as an organization, company, school, or city, often by providing the necessary money" + }, + "bundle": { + "CHS": "捆", + "ENG": "to include computer software or other services with a new computer at no extra cost" + }, + "ego": { + "CHS": "自我;自负;自我意识", + "ENG": "the opinion that you have about yourself" + }, + "quack": { + "CHS": "骗人的;冒牌医生的", + "ENG": "relating to the activities or medicines of someone who pretends to be a doctor" + }, + "liven": { + "CHS": "(Liven)人名;(俄、英)利文" + }, + "billion": { + "CHS": "十亿的" + }, + "elicit": { + "CHS": "抽出,引出;引起", + "ENG": "to succeed in getting information or a reaction from someone, especially when this is difficult" + }, + "thriller": { + "CHS": "惊险小说;使人毛骨悚然的东西;使人毛骨悚然的小说", + "ENG": "a book or film that tells an exciting story about murder or crime" + }, + "lager": { + "CHS": "(美)贮藏啤酒(等于lager beer)", + "ENG": "a light-coloured beer, or a glass of this type of beer" + }, + "waltz": { + "CHS": "华尔兹舞;华尔兹舞曲", + "ENG": "a fairly slow dance with a regular pattern of three beats" + }, + "forestry": { + "CHS": "林业;森林地;林学", + "ENG": "the science or skill of looking after large areas of trees" + }, + "trinity": { + "CHS": "三位一体;三人一组;三个一组的东西;三倍", + "ENG": "in the Christian religion, the union of Father, Son, and Holy Spirit in one God" + }, + "entail": { + "CHS": "引起;需要;继承" + }, + "regeneration": { + "CHS": "[生物][化学][物] 再生,重生;重建" + }, + "recurrent": { + "CHS": "复发的;周期性的,经常发生的", + "ENG": "happening or appearing several times" + }, + "foreshadow": { + "CHS": "预兆" + }, + "testimony": { + "CHS": "[法] 证词,证言;证据", + "ENG": "a formal statement saying that something is true, especially one a witness makes in a court of law" + }, + "reappraise": { + "CHS": "重新评估;重新评价", + "ENG": "to examine something again in order to consider whether you should change it or your opinion of it" + }, + "seat": { + "CHS": "使…坐下;可容纳…的;使就职", + "ENG": "If you seat yourself somewhere, you sit down" + }, + "feature": { + "CHS": "起重要作用" + }, + "fluorescent": { + "CHS": "荧光;日光灯" + }, + "hazard": { + "CHS": "危险,冒险;冒险的事", + "ENG": "something that may be dangerous, or cause accidents or problems" + }, + "scepticism": { + "CHS": "怀疑;怀疑论;怀疑主义", + "ENG": "an attitude of doubting that particular claims or statements are true or that something will happen" + }, + "removable": { + "CHS": "可移动的;可去掉的;可免职的", + "ENG": "easy to remove" + }, + "pillowcase": { + "CHS": "枕头套(等于pillow slip)", + "ENG": "a cloth cover for a pillow" + }, + "dissension": { + "CHS": "纠纷;意见不合;争吵;倾轧", + "ENG": "disagreement among a group of people" + }, + "merciless": { + "CHS": "残忍的;无慈悲心的", + "ENG": "cruel and showing no kindness or forgiveness" + }, + "ornament": { + "CHS": "装饰,修饰", + "ENG": "to be decorated with something" + }, + "war": { + "CHS": "打仗,作战;对抗" + }, + "roost": { + "CHS": "栖息;安歇", + "ENG": "if a bird roosts, it rests or sleeps somewhere" + }, + "rear": { + "CHS": "后面;屁股;后方部队", + "ENG": "the back part of an object, vehicle, or building, or a position at the back of an object or area" + }, + "dole": { + "CHS": "发放救济;以小份发给", + "ENG": "to distribute, esp in small portions " + }, + "polemic": { + "CHS": "好争论的" + }, + "gracious": { + "CHS": "天哪;哎呀" + }, + "cowboy": { + "CHS": "牛仔;牧童;莽撞的人", + "ENG": "in the US, a man who rides a horse and whose job is to care for cattle" + }, + "dominion": { + "CHS": "主权,统治权;支配;领土", + "ENG": "the power or right to rule people or control something" + }, + "poetess": { + "CHS": "女诗人", + "ENG": "a female poet" + }, + "consequence": { + "CHS": "结果;重要性;推论", + "ENG": "something that happens as a result of a particular action or set of conditions" + }, + "harmonium": { + "CHS": "脚踏式风琴;小风琴", + "ENG": "a musical instrument with a keyboard and metal pipes like a small organ" + }, + "unit": { + "CHS": "单位,单元;装置;[军] 部队;部件", + "ENG": "an amount of something used as a standard of measurement" + }, + "quart": { + "CHS": "夸脱(容量单位);一夸脱的容器", + "ENG": "a unit for measuring liquid, equal to two pints. In Britain this is 1.14 litres, and in the US it is 0.95 litres." + }, + "gladiator": { + "CHS": "斗剑者;古罗马公开表演的格斗者;争论者" + }, + "diffidence": { + "CHS": "无自信;羞怯;内向" + }, + "plunger": { + "CHS": "[机] 活塞;潜水者;跳水者;莽撞的人", + "ENG": "a part of a machine that moves up and down" + }, + "efficiency": { + "CHS": "效率;效能;功效", + "ENG": "the quality of doing something well and effectively, without wasting time, money, or energy" + }, + "admit": { + "CHS": "承认;准许进入;可容纳", + "ENG": "to agree unwillingly that something is true or that someone else is right" + }, + "pronunciation": { + "CHS": "发音;读法", + "ENG": "the way in which a language or a particular word is pronounced" + }, + "click": { + "CHS": "单击;滴答声", + "ENG": "Click is also a noun" + }, + "hygiene": { + "CHS": "卫生;卫生学;保健法", + "ENG": "the practice of keeping yourself and the things around you clean in order to prevent diseases" + }, + "immigrant": { + "CHS": "移民,侨民", + "ENG": "someone who enters another country to live there permanently" + }, + "peacock": { + "CHS": "炫耀;神气活现地走" + }, + "holdall": { + "CHS": "手提旅行箱或手提旅行袋", + "ENG": "a large bag used for carrying clothes and other things when you are travelling" + }, + "appealing": { + "CHS": "恳求(appeal的ing形式);将…上诉" + }, + "hook": { + "CHS": "钩住;引上钩", + "ENG": "to bend your finger, arm, or leg, especially so that you can pull or hold something else" + }, + "publication": { + "CHS": "出版;出版物;发表", + "ENG": "The publication of a book or magazine is the act of printing it and sending it to stores to be sold" + }, + "mandarin": { + "CHS": "紧身马褂的" + }, + "subjunctive": { + "CHS": "虚拟的;虚拟语气的" + }, + "huckster": { + "CHS": "叫卖的小贩;小商人;吃广告饭的人" + }, + "hollow": { + "CHS": "彻底地;无用地" + }, + "memoir": { + "CHS": "回忆录;研究报告;自传;实录", + "ENG": "a book by someone important and famous in which they write about their life and experiences" + }, + "retribution": { + "CHS": "报应;惩罚;报答;报偿", + "ENG": "severe punishment for something very serious" + }, + "throughput": { + "CHS": "生产量,生产能力", + "ENG": "The throughput of an organization or system is the amount of things it can do or deal with in a particular period of time" + }, + "mastery": { + "CHS": "掌握;精通;优势;征服;统治权", + "ENG": "thorough understanding or great skill" + }, + "salesgirl": { + "CHS": "女售货员,女店员", + "ENG": "a young woman who sells things in a shop" + }, + "cling": { + "CHS": "坚持,墨守;紧贴;附着", + "ENG": "If someone clings to a position or a possession they have, they do everything they can to keep it even though this may be very difficult" + }, + "irreversible": { + "CHS": "不可逆的;不能取消的;不能翻转的", + "ENG": "irreversible damage, change etc is so serious or so great that you cannot change something back to how it was before" + }, + "communism": { + "CHS": "共产主义", + "ENG": "a political system in which the government controls the production of all food and goods, and there is no privately owned property" + }, + "unintelligible": { + "CHS": "莫名其妙的;无法了解的" + }, + "verify": { + "CHS": "核实;查证", + "ENG": "to discover whether something is correct or true" + }, + "earthquake": { + "CHS": "地震;大动荡", + "ENG": "a sudden shaking of the earth’s surface that often causes a lot of damage" + }, + "infuse": { + "CHS": "灌输;使充满;浸渍", + "ENG": "to fill something or someone with a particular feeling or quality" + }, + "havoc": { + "CHS": "损毁" + }, + "seven": { + "CHS": "七的;七个的" + }, + "who": { + "CHS": "谁;什么人", + "ENG": "used to ask or talk about which person is involved, or what the name of a person is" + }, + "sonar": { + "CHS": "声纳;声波定位仪(等于asdic)", + "ENG": "equipment on a ship or submarine that uses sound waves to find out the position of objects under the water" + }, + "victorious": { + "CHS": "胜利的;凯旋的", + "ENG": "having won a victory, or ending in a victory" + }, + "appointment": { + "CHS": "任命;约定;任命的职位", + "ENG": "an arrangement for a meeting at an agreed time and place, for a particular purpose" + }, + "cheap": { + "CHS": "便宜地", + "ENG": "at a low price" + }, + "plastic": { + "CHS": "塑料制品;整形;可塑体", + "ENG": "a light strong material that is produced by a chemical process, and which can be made into different shapes when it is soft" + }, + "undergraduate": { + "CHS": "大学生的" + }, + "meteor": { + "CHS": "流星;[气象] 大气现象", + "ENG": "a piece of rock or metal that travels through space, and makes a bright line in the night sky when it falls down towards the Earth" + }, + "cruiser": { + "CHS": "巡洋舰;巡航飞机,警察巡逻车", + "ENG": "a large fast ship used by the navy" + }, + "excavate": { + "CHS": "挖掘;开凿", + "ENG": "if a scientist or archaeologist excavates an area of land, they dig carefully to find ancient objects, bones etc" + }, + "firewood": { + "CHS": "柴火;木柴", + "ENG": "wood that has been cut or collected in order to be burned in a fire" + }, + "educator": { + "CHS": "教育家;教育工作者;教师", + "ENG": "a teacher or someone involved in the process of educating people" + }, + "obscenity": { + "CHS": "猥亵,淫秽;猥亵的言语(或行为)", + "ENG": "sexually offensive language or behaviour, especially in a book, play, film etc" + }, + "solitude": { + "CHS": "孤独;隐居;荒僻的地方", + "ENG": "when you are alone, especially when this is what you enjoy" + }, + "forbidden": { + "CHS": "被禁止的;严禁的,禁用的", + "ENG": "not allowed, especially because of an official rule" + }, + "blood": { + "CHS": "从…抽血;使先取得经验" + }, + "diameter": { + "CHS": "直径", + "ENG": "a straight line from one side of a circle to the other side, passing through the centre of the circle, or the length of this line" + }, + "operate": { + "CHS": "运转;动手术;起作用", + "ENG": "to cut into someone’s body in order to repair or remove a part that is damaged" + }, + "concert": { + "CHS": "音乐会用的;在音乐会上演出的" + }, + "underside": { + "CHS": "下面;阴暗面", + "ENG": "The underside of something is the part of it which normally faces towards the ground" + }, + "renew": { + "CHS": "使更新;续借;续费;复兴;重申", + "ENG": "to begin doing something again after a period of not doing it" + }, + "context": { + "CHS": "环境;上下文;来龙去脉", + "ENG": "the situation, events, or information that are related to something and that help you to understand it" + }, + "period": { + "CHS": "某一时代的" + }, + "maybe": { + "CHS": "可能性;不确定性" + }, + "crew": { + "CHS": "一起工作" + }, + "chicken": { + "CHS": "鸡肉的;胆怯的;幼小的", + "ENG": "not brave enough to do something" + }, + "heartfelt": { + "CHS": "衷心的;真诚的;真心真意的", + "ENG": "very strongly felt and sincere" + }, + "oust": { + "CHS": "驱逐;剥夺;取代", + "ENG": "If someone is ousted from a position of power, job, or place, they are forced to leave it" + }, + "aerial": { + "CHS": "[电讯] 天线", + "ENG": "a piece of equipment for receiving or sending radio or television signals, usually consisting of a piece of metal or wire" + }, + "vibe": { + "CHS": "气氛,氛围", + "ENG": "Vibes are the good or bad atmosphere that you sense with a person or in a place" + }, + "grovel": { + "CHS": "匍匐;卑躬屈膝;趴", + "ENG": "to praise someone a lot or behave with a lot of respect towards them because you think that they are important and will be able to help you in some way – used to show disapproval" + }, + "will": { + "CHS": "将;愿意;必须" + }, + "implicit": { + "CHS": "含蓄的;暗示的;盲从的", + "ENG": "suggested or understood without being stated directly" + }, + "russet": { + "CHS": "赤褐色,黄褐色;冬季粗皮苹果(黄色苹果之一种)", + "ENG": "a reddish brown colour" + }, + "concede": { + "CHS": "承认;退让;给予,容许", + "ENG": "to admit that something is true or correct, although you wish it were not true" + }, + "inspection": { + "CHS": "视察,检查", + "ENG": "an official visit to a building or organization to check that everything is satisfactory and that rules are being obeyed" + }, + "bleep": { + "CHS": "哔哔声", + "ENG": "a short high sound made by a piece of electronic equipment" + }, + "office": { + "CHS": "办公室;政府机关;官职;营业处", + "ENG": "a room where someone has a desk and works, on their own or with other people" + }, + "convoy": { + "CHS": "护航;护送", + "ENG": "to travel with something in order to protect it" + }, + "superman": { + "CHS": "超人,能力非凡的", + "ENG": "a man of unusually great ability or strength" + }, + "strait": { + "CHS": "海峡;困境", + "ENG": "a narrow passage of water between two areas of land, usually connecting two seas" + }, + "unsettle": { + "CHS": "使动摇;使不安定;使心神不宁", + "ENG": "to make someone feel slightly nervous, worried, or upset" + }, + "forward": { + "CHS": "前锋", + "ENG": "an attacking player on a team in sports such as football and basketball " + }, + "sluggish": { + "CHS": "市况呆滞;市势疲弱" + }, + "obsolete": { + "CHS": "淘汰;废弃" + }, + "historical": { + "CHS": "历史的;史学的;基于史实的", + "ENG": "relating to the past" + }, + "runway": { + "CHS": "跑道;河床;滑道", + "ENG": "a long specially prepared hard surface like a road on which aircraft land and take off" + }, + "competent": { + "CHS": "胜任的;有能力的;能干的;足够的", + "ENG": "having enough skill or knowledge to do something to a satisfactory standard" + }, + "squash": { + "CHS": "壁球;挤压;咯吱声;南瓜属植物;(英)果汁饮料", + "ENG": "a game played by two people who use rackets to hit a small rubber ball against the walls of a square court" + }, + "moreover": { + "CHS": "而且;此外", + "ENG": "in addition – used to introduce information that adds to or supports what has previously been said" + }, + "foreman": { + "CHS": "领班;陪审团主席", + "ENG": "a worker who is in charge of a group of other workers, for example in a factory" + }, + "belt": { + "CHS": "用带子系住;用皮带抽打", + "ENG": "to fasten something with a belt" + }, + "shameful": { + "CHS": "可耻的;不体面的;不道德的;猥亵的", + "ENG": "shameful behaviour or actions are so bad that someone should feel ashamed" + }, + "contention": { + "CHS": "争论,争辩;争夺;论点", + "ENG": "a strong opinion that someone expresses" + }, + "mores": { + "CHS": "习惯,习俗;风俗;道德观念", + "ENG": "the customs, social behaviour, and moral values of a particular group" + }, + "congestion": { + "CHS": "拥挤;拥塞;淤血", + "ENG": "If there is congestion in a place, the place is extremely crowded and blocked with traffic or people" + }, + "partiality": { + "CHS": "偏心;偏袒;偏爱;癖好", + "ENG": "unfair support of one person or one group against another" + }, + "infect": { + "CHS": "感染,传染", + "ENG": "to give someone a disease" + }, + "limelight": { + "CHS": "使显露头角,使受到注目" + }, + "autumn": { + "CHS": "秋天的,秋季的" + }, + "unprincipled": { + "CHS": "无原则的;不道德的,不正直的;不合人道的", + "ENG": "not caring whether what you do is morally right" + }, + "outlay": { + "CHS": "[会计] 经费;支出;费用", + "ENG": "the amount of money that you have to spend in order to start a new business, activity etc" + }, + "resolve": { + "CHS": "坚决;决定要做的事", + "ENG": "strong determination to succeed in doing something" + }, + "implacable": { + "CHS": "不能安抚的;难和解的;不能缓和的" + }, + "mating": { + "CHS": "交配;使配对;使紧密配合(mate的现在分词)", + "ENG": "When animals mate, a male and a female have sex in order to produce young" + }, + "discontent": { + "CHS": "使不满" + }, + "memorial": { + "CHS": "记忆的;纪念的,追悼的", + "ENG": "done or made in order to remind people of someone who has died" + }, + "complaint": { + "CHS": "抱怨;诉苦;疾病;委屈", + "ENG": "a statement in which someone complains about something" + }, + "disgust": { + "CHS": "使厌恶;使作呕", + "ENG": "To disgust someone means to make them feel a strong sense of dislike and disapproval" + }, + "narrate": { + "CHS": "叙述;给…作旁白", + "ENG": "to tell a story by describing all the events in order, for example in a book" + }, + "force": { + "CHS": "促使,推动;强迫;强加", + "ENG": "to make someone do something they do not want to do" + }, + "multimedia": { + "CHS": "多媒体的", + "ENG": "involving computers and computer programs that use a mixture of sound, pictures, video, and writing to give information" + }, + "benevolent": { + "CHS": "仁慈的;慈善的;亲切的", + "ENG": "kind and generous" + }, + "wire": { + "CHS": "拍电报;给…装电线", + "ENG": "to send money electronically" + }, + "out": { + "CHS": "出来;暴露", + "ENG": "from inside an object, container, building, or place" + }, + "decompose": { + "CHS": "分解;使腐烂", + "ENG": "to decay or make something decay" + }, + "floodgate": { + "CHS": "水闸;水门;防潮水闸;制约(怒气)", + "ENG": "a gate that is used to control the flow of water from a large lake or river" + }, + "examination": { + "CHS": "考试;检查;查问", + "ENG": "a spoken or written test of knowledge, especially an important one" + }, + "jasmine": { + "CHS": "茉莉;淡黄色", + "ENG": "a plant that grows up a wall, frame etc and has small sweet-smelling white or yellow flowers" + }, + "religious": { + "CHS": "修道士;尼姑" + }, + "cargo": { + "CHS": "货物,船货", + "ENG": "the goods that are being carried in a ship or plane" + }, + "accomplice": { + "CHS": "同谋者,[法] 共犯", + "ENG": "a person who helps someone such as a criminal to do something wrong" + }, + "umbrella": { + "CHS": "雨伞;保护伞;庇护;伞形结构", + "ENG": "an object that you use to protect yourself against rain or hot sun. It consists of a circular folding frame covered in cloth." + }, + "countless": { + "CHS": "无数的;数不尽的", + "ENG": "too many to be counted" + }, + "expansive": { + "CHS": "广阔的;扩张的;豪爽的", + "ENG": "very large in area, or using a lot of space" + }, + "tight": { + "CHS": "(Tight)人名;(英)泰特" + }, + "scavenger": { + "CHS": "食腐动物;清道夫;[助剂] 清除剂;拾荒者" + }, + "chuckle": { + "CHS": "轻笑,窃笑", + "ENG": "Chuckle is also a noun" + }, + "irruption": { + "CHS": "闯入,侵入;激剧繁殖" + }, + "premiere": { + "CHS": "初次的演出;女主角", + "ENG": "The premiere of a new play or movie is the first public performance of it" + }, + "shrug": { + "CHS": "耸肩", + "ENG": "a movement of your shoulders upwards and then downwards again that you make to show that you do not know something or do not care about something" + }, + "hairy": { + "CHS": "(Hairy)人名;(法)艾里" + }, + "fiance": { + "CHS": "fiance" + }, + "grinder": { + "CHS": "[机] 研磨机;研磨者;磨工;臼齿", + "ENG": "a machine for crushing coffee beans, peppercorns etc into powder" + }, + "villa": { + "CHS": "别墅;郊区住宅", + "ENG": "a house that you use or rent while you are on holiday" + }, + "imperialist": { + "CHS": "帝国主义的", + "ENG": "Imperialist means relating to or based on imperialism" + }, + "shopper": { + "CHS": "购物者;顾客", + "ENG": "someone who buys things in shops" + }, + "retrievable": { + "CHS": "可取回的;可补偿的;可检索的" + }, + "pity": { + "CHS": "对……表示怜悯;对……感到同情", + "ENG": "to feel sorry for someone because they are in a very bad situation" + }, + "potent": { + "CHS": "有效的;强有力的,有权势的;有说服力的", + "ENG": "having a very powerful effect or influence on your body or mind" + }, + "hinterland": { + "CHS": "内地;穷乡僻壤;靠港口供应的内地贸易区", + "ENG": "an area of land that is far from the coast, large rivers, or the places where people live" + }, + "chalet": { + "CHS": "瑞士山中的牧人小屋;瑞士的农舍;小屋", + "ENG": "a small house, especially in a holiday camp " + }, + "startle": { + "CHS": "惊愕;惊恐" + }, + "constitutional": { + "CHS": "保健散步;保健运动", + "ENG": "a walk you take because it is good for your health" + }, + "orator": { + "CHS": "演说者;演讲者;雄辩家;原告", + "ENG": "someone who is good at making speeches and persuading people" + }, + "socket": { + "CHS": "给…配插座" + }, + "fold": { + "CHS": "折痕;信徒;羊栏", + "ENG": "a line made in paper or material when you fold one part of it over another" + }, + "auditor": { + "CHS": "审计员;听者;旁听生", + "ENG": "someone whose job is to officially examine a company’s financial records" + }, + "graze": { + "CHS": "放牧;轻擦", + "ENG": "a wound caused by rubbing that slightly breaks the surface of your skin" + }, + "rubdown": { + "CHS": "按摩,摩擦身体;磨平", + "ENG": "if you give someone a rubdown, you rub their body to make them relaxed, especially after exercise" + }, + "tactical": { + "CHS": "战术的;策略的;善于策略的", + "ENG": "relating to what you do to achieve what you want, especially as part of a game or large plan" + }, + "machine": { + "CHS": "用机器制造", + "ENG": "to make or shape something using a machine" + }, + "associate": { + "CHS": "副的;联合的", + "ENG": "Associate is used before a rank or title to indicate a slightly different or lower rank or title" + }, + "calf": { + "CHS": "[解剖] 腓肠,小腿;小牛;小牛皮;(鲸等大哺乳动物的)幼崽", + "ENG": "the part of the back of your leg between your knee and your ankle " + }, + "score": { + "CHS": "获得;评价;划线,刻划;把…记下", + "ENG": "to win a point in a sport, game, competition, or test" + }, + "interaction": { + "CHS": "相互作用;[数] 交互作用", + "ENG": "a process by which two or more things affect each other" + }, + "thereto": { + "CHS": "另外;到那", + "ENG": "to that or it " + }, + "lady": { + "CHS": "女士,夫人;小姐;妻子", + "ENG": "used as the title of the wife or daughter of a British noblemanor the wife of a knight" + }, + "clumsy": { + "CHS": "笨拙的", + "ENG": "moving or doing things in a careless way, especially so that you drop things, knock into things etc" + }, + "execution": { + "CHS": "执行,实行;完成;死刑", + "ENG": "when someone is killed, especially as a legal punishment" + }, + "sand": { + "CHS": "撒沙于;以沙掩盖;用砂纸等擦平或磨光某物;使撒沙似地布满;给…掺沙子", + "ENG": "to make a surface smooth by rubbing it with sandpaper or using a special piece of equipment" + }, + "attraction": { + "CHS": "吸引,吸引力;引力;吸引人的事物", + "ENG": "something interesting or enjoyable to see or do" + }, + "zigzag": { + "CHS": "曲折地;之字形地;Z字形地", + "ENG": "to move forward in sharp angles, first to the left and then to the right etc" + }, + "react": { + "CHS": "反应;影响;反抗;起反作用", + "ENG": "to behave in a particular way or show a particular emotion because of something that has happened or been said" + }, + "college": { + "CHS": "大学;学院;学会", + "ENG": "a school for advanced education, especially in a particular profession or skill" + }, + "artisan": { + "CHS": "工匠,技工", + "ENG": "someone who does skilled work, making things with their hands" + }, + "correspond": { + "CHS": "符合,一致;相应;通信", + "ENG": "if two things or ideas correspond, the parts or information in one relate to the parts or information in the other" + }, + "sizeable": { + "CHS": "大的,相当大的", + "ENG": "fairly large" + }, + "ruler": { + "CHS": "尺;统治者;[测] 划线板,划线的人", + "ENG": "someone such as a king or queen who has official power over a country or area" + }, + "super": { + "CHS": "特级品,特大号;临时雇员" + }, + "equation": { + "CHS": "方程式,等式;相等;[化学] 反应式", + "ENG": "a statement in mathematics that shows that two amounts or totals are equal" + }, + "clutter": { + "CHS": "使凌乱;胡乱地填满", + "ENG": "to cover or fill a space or room with too many things, so that it looks very untidy" + }, + "miscellaneous": { + "CHS": "混杂的,各种各样的;多方面的,多才多艺的", + "ENG": "a miscellaneous set of things or people includes many different things or people that do not seem to be connected with each other" + }, + "intoxicant": { + "CHS": "使醉的东西" + }, + "outcry": { + "CHS": "强烈抗议;大声疾呼;尖叫;倒彩", + "ENG": "an angry protest by a lot of ordinary people" + }, + "northern": { + "CHS": "北部方言" + }, + "inculcate": { + "CHS": "教育;谆谆教诲;教授;反覆灌输", + "ENG": "to fix ideas, principles etc in someone’s mind" + }, + "pacify": { + "CHS": "使平静;安慰;平定", + "ENG": "to make someone calm, quiet, and satisfied after they have been angry or upset" + }, + "afield": { + "CHS": "(Afield)人名;(英)阿菲尔德" + }, + "permanent": { + "CHS": "烫发(等于permanent wave)", + "ENG": "a perm 1 " + }, + "foolproof": { + "CHS": "极简单;安全自锁装置" + }, + "lathe": { + "CHS": "车床;机床", + "ENG": "a machine that shapes wood or metal, by turning it around and around against a sharp tool" + }, + "rheumatism": { + "CHS": "[内科] 风湿病", + "ENG": "a disease that makes your joints or muscles painful and stiff" + }, + "classic": { + "CHS": "名著;经典著作;大艺术家", + "ENG": "a book, play, or film that is important and has been admired for a long time" + }, + "staff": { + "CHS": "供给人员;给…配备职员", + "ENG": "to be or provide the workers for an organization" + }, + "restrain": { + "CHS": "抑制,控制;约束;制止", + "ENG": "to stop someone from doing something, often by using physical force" + }, + "notwithstanding": { + "CHS": "虽然" + }, + "dynamic": { + "CHS": "动态;动力", + "ENG": "something that causes action or change" + }, + "lively": { + "CHS": "(Lively)人名;(英)莱夫利" + }, + "pianist": { + "CHS": "钢琴家;钢琴演奏者", + "ENG": "someone who plays the piano" + }, + "excel": { + "CHS": "超过;擅长", + "ENG": "to do something very well, or much better than most people" + }, + "Fahrenheit": { + "CHS": "华氏温度计;华氏温标", + "ENG": "a scale of temperature in which water freezes at 32˚ and boils at 212˚" + }, + "beneficial": { + "CHS": "有益的,有利的;可享利益的", + "ENG": "having a good effect" + }, + "spectacle": { + "CHS": "景象;场面;奇观;壮观;公开展示;表相,假相 n(复)眼镜", + "ENG": "a very impressive show or scene" + }, + "insincere": { + "CHS": "不诚实的;虚假的", + "ENG": "pretending to be pleased, sympathetic etc, especially by saying nice things, but not really meaning what you say" + }, + "rehearsal": { + "CHS": "排演;预演;练习;训练;叙述", + "ENG": "a time when all the people in a play, concert etc practise before a public performance" + }, + "thought": { + "CHS": "想,思考;认为(think的过去式和过去分词)" + }, + "seafood": { + "CHS": "海鲜;海味;海产食品", + "ENG": "animals from the sea that you can eat, for example fish and shellfish " + }, + "instructor": { + "CHS": "指导书;教员;指导者", + "ENG": "someone who teaches a sport or practical skill" + }, + "remunerate": { + "CHS": "酬劳;给与报酬;赔偿", + "ENG": "If you are remunerated for work that you do, you are paid for it" + }, + "stamp": { + "CHS": "铭记;标出;盖章于…;贴邮票于…;用脚踩踏", + "ENG": "to put your foot down onto the ground loudly and with a lot of force" + }, + "refinery": { + "CHS": "精炼厂;提炼厂;冶炼厂", + "ENG": "a factory where something such as oil or sugar is made purer" + }, + "infinity": { + "CHS": "无穷;无限大;无限距", + "ENG": "a space or distance without limits or an end" + }, + "disturbance": { + "CHS": "干扰;骚乱;忧虑", + "ENG": "a situation in which people behave violently in public" + }, + "incredibly": { + "CHS": "难以置信地;非常地", + "ENG": "extremely" + }, + "prenatal": { + "CHS": "产前的;胎儿期的;[医] 出生以前的", + "ENG": "relating to unborn babies and the care of pregnant women" + }, + "effective": { + "CHS": "有效的,起作用的;实际的,实在的;给人深刻印象", + "ENG": "successful, and working in the way that was intended" + }, + "calligraphy": { + "CHS": "书法;笔迹", + "ENG": "the art of producing beautiful writing using special pens or brushes, or the writing produced this way" + }, + "facilitate": { + "CHS": "促进;帮助;使容易", + "ENG": "To facilitate an action or process, especially one that you would like to happen, means to make it easier or more likely to happen" + }, + "aeronautics": { + "CHS": "航空学;飞行术", + "ENG": "the science of designing and flying planes" + }, + "extort": { + "CHS": "敲诈;侵占;强求;牵强地引出", + "ENG": "to illegally force someone to give you something, especially money, by threatening them" + }, + "salad": { + "CHS": "色拉;尤指莴苣", + "ENG": "a mixture of raw vegetables, especially lettuce , cucumber , and tomato" + }, + "hotelier": { + "CHS": "旅馆老板", + "ENG": "someone who owns or manages a hotel" + }, + "marrow": { + "CHS": "髓,骨髓;精华;活力", + "ENG": "the soft fatty substance in the hollow centre of bones" + }, + "stop": { + "CHS": "停止;车站;障碍;逗留", + "ENG": "if an activity comes to a stop, it stops happening" + }, + "eruption": { + "CHS": "爆发,喷发;火山灰;出疹" + }, + "sun": { + "CHS": "使晒", + "ENG": "to sit or lie outside when the sun is shining" + }, + "ordinal": { + "CHS": "[数] 序数" + }, + "homebound": { + "CHS": "回家的,回家乡的" + }, + "soluble": { + "CHS": "[化学] 可溶的,可溶解的;可解决的", + "ENG": "a soluble substance can be dissolved in a liquid" + }, + "steam": { + "CHS": "蒸汽的" + }, + "upheaval": { + "CHS": "剧变;隆起;举起", + "ENG": "a very big change that often causes problems" + }, + "culprit": { + "CHS": "犯人,罪犯;被控犯罪的人", + "ENG": "the person who is guilty of a crime or doing something wrong" + }, + "impossibility": { + "CHS": "不可能;不可能的事" + }, + "contribution": { + "CHS": "贡献;捐献;投稿", + "ENG": "something that you give or do in order to help something be successful" + }, + "middle": { + "CHS": "中间,中央;腰部", + "ENG": "the part that is nearest the centre of something, and furthest from the sides, edges, top, bottom etc" + }, + "flyer": { + "CHS": "传单;飞鸟;飞行物;飞跳;孤注一掷", + "ENG": "a small sheet of paper advertising something" + }, + "recline": { + "CHS": "靠;依赖;斜倚", + "ENG": "to lie or lean back in a relaxed way" + }, + "reprint": { + "CHS": "重印;翻版", + "ENG": "an occasion when more copies of a book are printed because all the copies of it have been sold" + }, + "fill": { + "CHS": "满足;填满的量;装填物" + }, + "repent": { + "CHS": "[植] 匍匐生根的;[动] 爬行的", + "ENG": "lying or creeping along the ground; reptant " + }, + "mope": { + "CHS": "忧郁的人;消沉" + }, + "Frenchman": { + "CHS": "法国人", + "ENG": "a man from France" + }, + "cutlery": { + "CHS": "餐具;刀剑制造业", + "ENG": "knives, forks, and spoons that you use for eating and serving food" + }, + "contrast": { + "CHS": "对比;差别;对照物", + "ENG": "a difference between people, ideas, situations, things etc that are being compared" + }, + "trace": { + "CHS": "痕迹,踪迹;微量;[仪] 迹线;缰绳", + "ENG": "a small sign that shows that someone or something was present or existed" + }, + "rib": { + "CHS": "戏弄;装肋于", + "ENG": "to furnish or support with a rib or ribs " + }, + "trap": { + "CHS": "陷阱;圈套;[建] 存水湾", + "ENG": "a piece of equipment for catching animals" + }, + "growth": { + "CHS": "增长;发展;生长;种植", + "ENG": "an increase in amount, number, or size" + }, + "dossier": { + "CHS": "档案,卷宗;病历表册", + "ENG": "a set of papers containing detailed, usually secret information about a person or subject" + }, + "diffuse": { + "CHS": "扩散;传播;漫射", + "ENG": "to make heat, light, liquid etc spread through something, or to spread like this" + }, + "illustrator": { + "CHS": "插图画家;说明者;图解者", + "ENG": "someone who draws pictures, especially for books" + }, + "validity": { + "CHS": "[计] 有效性;正确;正确性" + }, + "repayment": { + "CHS": "偿还;[金融] 付还", + "ENG": "when you pay back money that you have borrowed" + }, + "drunken": { + "CHS": "喝醉的;酒醉的;常醉的", + "ENG": "drunk or showing that you are drunk" + }, + "print": { + "CHS": "印刷;打印;刊载;用印刷体写;在…印花样", + "ENG": "to produce many printed copies of a book, newspaper etc" + }, + "flaw": { + "CHS": "使生裂缝,使有裂纹;使无效;使有缺陷", + "ENG": "to make or become blemished, defective, or imperfect " + }, + "headlong": { + "CHS": "头向前地;猛然用力地", + "ENG": "with your head first and the rest of your body following" + }, + "decorum": { + "CHS": "礼仪;礼貌;端正;恪守礼仪", + "ENG": "Decorum is behaviour that people consider to be correct, polite, and respectable" + }, + "dingy": { + "CHS": "昏暗的;肮脏的", + "ENG": "dark, dirty, and in bad condition" + }, + "hospitalize": { + "CHS": "就医;送…进医院治疗", + "ENG": "if someone is hospitalized, they are taken into a hospital for treatment" + }, + "pinpoint": { + "CHS": "针尖;精确位置;极小之物" + }, + "intelligence": { + "CHS": "智力;情报工作;情报机关;理解力;才智,智慧;天分", + "ENG": "the ability to learn, understand, and think about things" + }, + "Sunday": { + "CHS": "星期日;礼拜日", + "ENG": "the day between Saturday and Monday" + }, + "spawn": { + "CHS": "产卵;酿成,造成;大量生产", + "ENG": "to make a series of things happen or start to exist" + }, + "ordain": { + "CHS": "任命某人为牧师;授某人以圣职;(上帝、法律等)命令;注定", + "ENG": "to officially make someone a priest or religious leader" + }, + "reddish": { + "CHS": "(Reddish)人名;(英)雷迪什" + }, + "communique": { + "CHS": "公报,官报" + }, + "deficient": { + "CHS": "不足的;有缺陷的;不充分的", + "ENG": "not containing or having enough of something" + }, + "memory": { + "CHS": "记忆,记忆力;内存,[计] 存储器;回忆", + "ENG": "someone’s ability to remember things, places, experiences etc" + }, + "presume": { + "CHS": "假定;推测;擅自;意味着", + "ENG": "If you presume that something is the case, you think that it is the case, although you are not certain" + }, + "corporate": { + "CHS": "法人的;共同的,全体的;社团的;公司的;企业的", + "ENG": "belonging to or relating to a corporation" + }, + "block": { + "CHS": "成批的,大块的;交通堵塞的" + }, + "development": { + "CHS": "发展;开发;发育;住宅小区(专指由同一开发商开发的);[摄] 显影", + "ENG": "the process of gradually becoming bigger, better, stronger, or more advanced" + }, + "migrate": { + "CHS": "移动;随季节而移居;移往", + "ENG": "if people migrate, they go to live in another area or country, especially in order to find work" + }, + "harsh": { + "CHS": "(Harsh)人名;(英)哈什" + }, + "oar": { + "CHS": "划行" + }, + "lapse": { + "CHS": "(一时的) 走神,判断错误", + "ENG": "A lapse of something such as concentration or judgment is a temporary lack of that thing, which can often cause you to make a mistake" + }, + "replicate": { + "CHS": "复制品;八音阶间隔的反覆音" + }, + "deadlock": { + "CHS": "停顿;相持不下" + }, + "expectancy": { + "CHS": "期望,期待", + "ENG": "the feeling that something pleasant or exciting is going to happen" + }, + "appliance": { + "CHS": "器具;器械;装置", + "ENG": "a piece of equipment, especially electrical equipment, such as a cooker or washing machine , used in people’s homes" + }, + "sentence": { + "CHS": "判决,宣判", + "ENG": "if a judge sentences someone who is guilty of a crime, they give them a punishment" + }, + "climate": { + "CHS": "气候;风气;思潮;风土", + "ENG": "the typical weather conditions in a particular area" + }, + "ever": { + "CHS": "(Ever)人名;(英)埃弗;(俄)叶韦尔;(西、法)埃韦尔" + }, + "salvage": { + "CHS": "抢救;海上救助", + "ENG": "to save something from an accident or bad situation in which other things have already been damaged, destroyed, or lost" + }, + "demo": { + "CHS": "演示;样本唱片;示威;民主党员", + "ENG": "an event at which a large group of people publicly protest about something" + }, + "inflate": { + "CHS": "使充气;使通货膨胀", + "ENG": "to fill something with air or gas so it becomes larger, or to become filled with air or gas" + }, + "workload": { + "CHS": "工作量", + "ENG": "the amount of work that a person or organization has to do" + }, + "package": { + "CHS": "打包;将…包装", + "ENG": "to put food or other goods into a bag, box etc ready to be sold or sent" + }, + "caretaker": { + "CHS": "临时代理的", + "ENG": "A caretaker government or leader is in charge temporarily until a new government or leader is appointed" + }, + "embryo": { + "CHS": "胚胎的;初期的" + }, + "freezing": { + "CHS": "冰冻的;严寒的;冷冻用的", + "ENG": "extremely cold" + }, + "unabashed": { + "CHS": "不害羞的;不畏惧的;厚脸皮的", + "ENG": "not ashamed or embarrassed, especially when doing something unusual or rude" + }, + "artery": { + "CHS": "动脉;干道;主流", + "ENG": "one of the tubes that carries blood from your heart to the rest of your body" + }, + "advertise": { + "CHS": "通知;为…做广告;使突出", + "ENG": "to tell the public about a product or service in order to persuade them to buy it" + }, + "amount": { + "CHS": "数量;总额,总数", + "ENG": "a quantity of something such as time, money, or a substance" + }, + "impeach": { + "CHS": "控告,检举;弹劾;怀疑" + }, + "derby": { + "CHS": "德比(英国中部的都市);德比赛马;大赛马", + "ENG": "used in the names of some well-known horse races" + }, + "spasm": { + "CHS": "[临床] 痉挛;抽搐;一阵发作", + "ENG": "an occasion when your muscles suddenly become tight, causing you pain" + }, + "peppermint": { + "CHS": "薄荷;薄荷油;胡椒薄荷;薄荷糖(等于mint)", + "ENG": "a plant with a strong taste and smell, often used in sweets" + }, + "withhold": { + "CHS": "保留,不给;隐瞒;抑制" + }, + "frustration": { + "CHS": "挫折", + "ENG": "the fact of being prevented from achieving what you are trying to achieve" + }, + "massage": { + "CHS": "按摩;揉", + "ENG": "the action of pressing and rubbing someone’s body with your hands, to help them relax or to reduce pain in their muscles or joints" + }, + "aloud": { + "CHS": "大声地;出声地", + "ENG": "if you read, laugh, say something etc aloud, you read etc so that people can hear you" + }, + "content": { + "CHS": "使满足", + "ENG": "to do or have something that is not what you really wanted, but is still satisfactory" + }, + "rich": { + "CHS": "(Rich)人名;(丹)里克;(捷)里赫;(英、西)里奇;(葡、法)里什", + "ENG": "The rich are rich people" + }, + "irreparable": { + "CHS": "不能挽回的;不能修补的", + "ENG": "irreparable damage, harm etc is so bad that it can never be repaired or made better" + }, + "grassland": { + "CHS": "草原;牧草地", + "ENG": "a large area of land covered with wild grass" + }, + "needle": { + "CHS": "缝纫;做针线" + }, + "moan": { + "CHS": "呻吟声;悲叹", + "ENG": "a long low sound expressing pain, unhappiness, or sexual pleasure" + }, + "further": { + "CHS": "促进,助长;增进", + "ENG": "If you further something, you help it to progress, to be successful, or to be achieved" + }, + "vandalism": { + "CHS": "汪达尔人作风;故意毁坏文物的行为;破坏他人财产的行为", + "ENG": "the crime of deliberately damaging things, especially public property" + }, + "horsewhip": { + "CHS": "用马鞭抽打;惩罚", + "ENG": "If someone horsewhips an animal or a person, they hit them several times with a horsewhip in order to hurt or punish them" + }, + "pretentious": { + "CHS": "自命不凡的;炫耀的;做作的", + "ENG": "if someone or something is pretentious, they try to seem more important, intelligent, or high class than they really are in order to be impressive" + }, + "strategy": { + "CHS": "战略,策略", + "ENG": "a planned series of actions for achieving something" + }, + "incise": { + "CHS": "切;切割;雕刻", + "ENG": "to cut a pattern, word etc into something, using a sharp instrument" + }, + "emission": { + "CHS": "(光、热等的)发射,散发;喷射;发行", + "ENG": "the act of sending out light, heat, gas etc" + }, + "sheep": { + "CHS": "羊,绵羊;胆小鬼", + "ENG": "a farm animal that is kept for its wool and its meat" + }, + "displace": { + "CHS": "取代;置换;转移;把…免职;排水", + "ENG": "to take the place or position of something or someone" + }, + "scenario": { + "CHS": "方案;情节;剧本;设想", + "ENG": "a written description of the characters, place, and things that will happen in a film, play etc" + }, + "emigrant": { + "CHS": "移民的;移居的" + }, + "Welsh": { + "CHS": "威尔士语", + "ENG": "people from Wales" + }, + "sterilize": { + "CHS": "消毒,杀菌;使成不毛;使绝育;使不起作用", + "ENG": "to make something completely clean by killing any bacteria in it" + }, + "booklet": { + "CHS": "小册子", + "ENG": "a very short book that usually contains information on one particular subject" + }, + "doting": { + "CHS": "宠爱(dote的ing形式)" + }, + "hammer": { + "CHS": "铁锤;链球;[解剖] 锤骨;音锤", + "ENG": "the part of a gun that hits the explosive charge that fires a bullet" + }, + "mainstream": { + "CHS": "主流", + "ENG": "the most usual ideas or methods, or the people who have these ideas or methods" + }, + "struggle": { + "CHS": "努力,奋斗;竞争", + "ENG": "a long hard fight to get freedom, political rights etc" + }, + "scare": { + "CHS": "(美)骇人的" + }, + "ceremony": { + "CHS": "典礼,仪式;礼节,礼仪;客套,虚礼", + "ENG": "an important social or religious event, when a traditional set of actions is performed in a formal way" + }, + "your": { + "CHS": "你的,你们的" + }, + "celebration": { + "CHS": "庆典,庆祝会;庆祝;颂扬", + "ENG": "an occasion or party when you celebrate something" + }, + "slop": { + "CHS": "溢出,使溅出", + "ENG": "if liquid slops somewhere, it moves around or over the edge of a container in an uncontrolled way" + }, + "liquidate": { + "CHS": "清算;偿付;消除", + "ENG": "to close a business or company and sell the things that belong to it, in order to pay its debts" + }, + "fury": { + "CHS": "狂怒;暴怒;激怒者", + "ENG": "extreme, often uncontrolled anger" + }, + "displacement": { + "CHS": "取代,位移;[船] 排水量", + "ENG": "the weight or volume of liquid that something replaces when it floats in that liquid – used especially to describe how heavy something such as a ship is" + }, + "duplicate": { + "CHS": "复制的;二重的", + "ENG": "exactly the same as something, or made as an exact copy of something" + }, + "cord": { + "CHS": "用绳子捆绑" + }, + "amuse": { + "CHS": "娱乐;消遣;使发笑;使愉快", + "ENG": "to make time pass in an enjoyable way, so that you do not get bored" + }, + "dynamite": { + "CHS": "极好的" + }, + "chime": { + "CHS": "钟声;一套发谐音的钟;和谐", + "ENG": "a ringing sound made by a bell or clock" + }, + "disperse": { + "CHS": "分散的" + }, + "significant": { + "CHS": "象征;有意义的事物" + }, + "dramatist": { + "CHS": "剧作家,剧本作者", + "ENG": "someone who writes plays, especially serious ones" + }, + "foreword": { + "CHS": "序;前言", + "ENG": "a short piece of writing at the beginning of a book that introduces the book or its writer" + }, + "fishmonger": { + "CHS": "鱼贩;鱼商", + "ENG": "someone who sells fish" + }, + "marshal": { + "CHS": "整理;引领;编列", + "ENG": "to organize your thoughts, ideas etc so that they are clear, effective, or easy to understand" + }, + "volitional": { + "CHS": "意志的;凭意志的" + }, + "elm": { + "CHS": "榆树的;榆木的" + }, + "hustle": { + "CHS": "推;奔忙;拥挤喧嚷", + "ENG": "busy and noisy activity" + }, + "steeple": { + "CHS": "把…建成尖塔" + }, + "tense": { + "CHS": "时态", + "ENG": "any of the forms of a verb that show the time, continuance, or completion of an action or state that is expressed by the verb. ‘I am’ is in the present tense, ‘I was’ is past tense, and ‘I will be’ is future tense." + }, + "scripture": { + "CHS": "(大写)圣经;手稿;(大写)圣经的一句", + "ENG": "the Bible" + }, + "gimmick": { + "CHS": "使暗机关;搞骗人的玩意" + }, + "army": { + "CHS": "陆军,军队", + "ENG": "the part of a country’s military force that is trained to fight on land in a war" + }, + "intelligent": { + "CHS": "智能的;聪明的;理解力强的", + "ENG": "an intelligent person has a high level of mental ability and is good at understanding ideas and thinking clearly" + }, + "assuredly": { + "CHS": "确实地;确信地", + "ENG": "definitely or certainly" + }, + "resign": { + "CHS": "辞去职务" + }, + "entrepot": { + "CHS": "贸易中心;(法)仓库" + }, + "lotus": { + "CHS": "莲花(汽车品牌)", + "ENG": "a white or pink flower that grows on the surface of lakes in Asia and Africa, or the shape of this flower used in decorations" + }, + "press": { + "CHS": "压;按;新闻;出版社;[印刷] 印刷机", + "ENG": "to be criticized in the newspapers or on radio or television" + }, + "learned": { + "CHS": "(Learned)人名;(英)勒尼德" + }, + "wicked": { + "CHS": "邪恶的;恶劣的;不道德的;顽皮的", + "ENG": "behaving in a way that is morally wrong" + }, + "sophist": { + "CHS": "诡辩家;学者,哲学家", + "ENG": "one of the pre-Socratic philosophers who were itinerant professional teachers of oratory and argument and who were prepared to enter into debate on any matter however specious " + }, + "incurable": { + "CHS": "患不治之症者,不能治愈的人" + }, + "psychiatry": { + "CHS": "精神病学;精神病治疗法", + "ENG": "the study and treatment of mental illnesses" + }, + "painting": { + "CHS": "绘画(paint的ing形式);涂色于" + }, + "linger": { + "CHS": "(Linger)人名;(德、捷、瑞典)林格;(法)兰热" + }, + "discus": { + "CHS": "铁饼;掷铁饼", + "ENG": "a heavy flat circular object which is thrown as far as possible as a sport" + }, + "objective": { + "CHS": "目的;目标;[光] 物镜;宾格", + "ENG": "something that you are trying hard to achieve, especially in business or politics" + }, + "scalpel": { + "CHS": "解剖刀;外科手术刀", + "ENG": "a small, very sharp knife that is used by doctors in operations" + }, + "dimple": { + "CHS": "酒窝;涟漪;浅凹", + "ENG": "a small hollow place on your skin, especially one on your cheek or chin when you smile" + }, + "demography": { + "CHS": "人口统计学", + "ENG": "the study of human populations and the ways in which they change, for example the study of how many births, marriages and deaths happen in a particular place at a particular time" + }, + "fen": { + "CHS": "沼地,沼泽;沼泽地区", + "ENG": "an area of low flat wet land, especially in eastern England" + }, + "he": { + "CHS": "他", + "ENG": "used to refer to a man, boy, or male animal that has already been mentioned or is already known about" + }, + "repentance": { + "CHS": "悔改;后悔", + "ENG": "when you are sorry for something you have done" + }, + "brunette": { + "CHS": "深色的" + }, + "fondle": { + "CHS": "爱抚;抚弄", + "ENG": "to gently touch and move your fingers over part of someone’s body in a way that shows love or sexual desire" + }, + "transient": { + "CHS": "瞬变现象;过往旅客;候鸟" + }, + "involuntary": { + "CHS": "无意识的;自然而然的;不知不觉的", + "ENG": "an involuntary movement, sound, reaction etc is one that you make suddenly and without intending to because you cannot control yourself" + }, + "collaboration": { + "CHS": "合作;勾结;通敌", + "ENG": "when you work together with another person or group to achieve something, especially in science or art" + }, + "any": { + "CHS": "(Any)人名;(法、罗)阿尼" + }, + "tuna": { + "CHS": "金枪鱼,鲔鱼", + "ENG": "a large sea fish caught for food" + }, + "commodity": { + "CHS": "商品,货物;日用品", + "ENG": "a product that is bought and sold" + }, + "litre": { + "CHS": "[计量] 公升(米制容量单位)", + "ENG": "the basic unit for measuring liquid in the metric system" + }, + "bemused": { + "CHS": "使发呆(bemuse的过去式和过去分词)" + }, + "abyss": { + "CHS": "深渊;深邃,无底洞,地狱", + "ENG": "a deep empty hole in the ground" + }, + "serum": { + "CHS": "血清;浆液;免疫血清;乳清;树液", + "ENG": "a liquid containing substances that fight infection or poison, that is put into a sick person’s blood" + }, + "indebted": { + "CHS": "使负债;使受恩惠(indebt的过去分词)" + }, + "gold": { + "CHS": "金的,金制的;金色的", + "ENG": "made of gold" + }, + "corrugated": { + "CHS": "(使)起皱纹(corrugate的过去式)" + }, + "I": { + "CHS": "碘元素;英语字母I" + }, + "ammeter": { + "CHS": "[电] 安培计;[电] 电流计", + "ENG": "a piece of equipment used to measure the strength of an electric current" + }, + "frontier": { + "CHS": "边界的;开拓的" + }, + "seventieth": { + "CHS": "第七十;七十分之一" + }, + "charity": { + "CHS": "慈善;施舍;慈善团体;宽容;施舍物", + "ENG": "an organization that gives money, goods, or help to people who are poor, sick etc" + }, + "cathode": { + "CHS": "阴极(电解)", + "ENG": "the negative electrode , marked (-), from which an electric current leaves a piece of equipment such as a battery " + }, + "astronomy": { + "CHS": "天文学", + "ENG": "the scientific study of the stars and planet s " + }, + "sprout": { + "CHS": "芽;萌芽;苗芽", + "ENG": "a small green vegetable like a very small cabbage " + }, + "Englishman": { + "CHS": "英国人", + "ENG": "a man from England" + }, + "cleanse": { + "CHS": "净化;使…纯净;使…清洁", + "ENG": "to make something completely clean" + }, + "unicorn": { + "CHS": "独角兽;麒麟", + "ENG": "an imaginary animal like a white horse with a long straight horn growing on its head" + }, + "fractional": { + "CHS": "部分的;[数] 分数的,小数的", + "ENG": "happening or done in a series of steps" + }, + "simulate": { + "CHS": "模仿的;假装的" + }, + "turbulent": { + "CHS": "骚乱的,混乱的;狂暴的;吵闹的;激流的,湍流的", + "ENG": "a turbulent situation or period of time is one in which there are a lot of sudden changes" + }, + "disparity": { + "CHS": "不同;不一致;不等", + "ENG": "a difference between two or more things, especially an unfair one" + }, + "synthetic": { + "CHS": "合成物" + }, + "synopsis": { + "CHS": "概要,大纲", + "ENG": "a short description of the main events or ideas in a book, film etc" + }, + "inadequate": { + "CHS": "不充分的,不适当的", + "ENG": "not good enough, big enough, skilled enough etc for a particular purpose" + }, + "job": { + "CHS": "承包;代客买卖" + }, + "cooperation": { + "CHS": "合作,协作;[劳经] 协力", + "ENG": "when you work with someone to achieve something that you both want" + }, + "evolution": { + "CHS": "演变;进化论;进展", + "ENG": "the scientific idea that plants and animals develop and change gradually over a long period of time" + }, + "pentagon": { + "CHS": "五角形", + "ENG": "a flat shape with five sides and five angles" + }, + "writhe": { + "CHS": "翻滚;扭动;苦恼" + }, + "society": { + "CHS": "社会;交往;社团;社交界", + "ENG": "people in general, considered in relation to the laws, organizations etc that make it possible for them to live together" + }, + "tutor": { + "CHS": "导师;家庭教师;助教", + "ENG": "someone who gives private lessons to one student or a small group, and is paid directly by them" + }, + "testator": { + "CHS": "立遗嘱者", + "ENG": "a person who makes a will, esp one who dies testate " + }, + "cadre": { + "CHS": "干部;基础结构;骨骼", + "ENG": "a small group of specially trained people in a profession, political party, or military force" + }, + "manly": { + "CHS": "(Manly)人名;(英)曼利" + }, + "dusty": { + "CHS": "落满灰尘的", + "ENG": "covered with dust" + }, + "rebate": { + "CHS": "折扣" + }, + "booze": { + "CHS": "豪饮;痛饮" + }, + "bang": { + "CHS": "重击;发巨响", + "ENG": "to hit something hard, making a loud noise" + }, + "sewage": { + "CHS": "污水;下水道;污物", + "ENG": "the mixture of waste from the human body and used water, that is carried away from houses by pipes under the ground" + }, + "clothing": { + "CHS": "覆盖(clothe的ing形式);给…穿衣" + }, + "estimation": { + "CHS": "估计;尊重", + "ENG": "a calculation of the value, size, amount etc of something" + }, + "catch": { + "CHS": "捕捉;捕获物;窗钩" + }, + "closet": { + "CHS": "把…关在私室中", + "ENG": "to shut someone in a room away from other people in order to discuss something private, to be alone etc" + }, + "carve": { + "CHS": "(Carve)人名;(西、瑞典)卡韦" + }, + "essayist": { + "CHS": "随笔作家,散文家;评论家", + "ENG": "someone who writes essays giving their ideas about politics, society etc" + }, + "switchboard": { + "CHS": "配电盘;接线总机", + "ENG": "a system used to connect telephone calls in an office building, hotel etc, or the people who operate the system" + }, + "nap": { + "CHS": "使拉毛" + }, + "tacitly": { + "CHS": "肃静地;沉默地;心照不宣地" + }, + "chopsticks": { + "CHS": "筷子" + }, + "hearty": { + "CHS": "朋友们;伙伴们" + }, + "teller": { + "CHS": "(美)出纳员;讲述者;讲故事者;计票员", + "ENG": "someone whose job is to receive and pay out money in a bank" + }, + "amphibious": { + "CHS": "[生物] 两栖的,水陆两用的;具有双重性的", + "ENG": "able to live both on land and in water" + }, + "pioneer": { + "CHS": "开辟;倡导;提倡", + "ENG": "to be the first person to do, invent or use something" + }, + "freak": { + "CHS": "奇异的,反常的", + "ENG": "unexpected and very unusual" + }, + "sing": { + "CHS": "演唱;鸣声;呼啸声" + }, + "stampede": { + "CHS": "蜂拥;逃窜", + "ENG": "if a group of large animals or people stampede, they suddenly start running together in the same direction because they are frightened or excited" + }, + "doze": { + "CHS": "瞌睡" + }, + "dignify": { + "CHS": "使高贵;增威严;授以荣誉" + }, + "adversary": { + "CHS": "对手;敌手", + "ENG": "a country or person you are fighting or competing against" + }, + "unpleasant": { + "CHS": "讨厌的;使人不愉快的", + "ENG": "not pleasant or enjoyable" + }, + "deception": { + "CHS": "欺骗,欺诈;骗术", + "ENG": "the act of deliberately making someone believe something that is not true" + }, + "ointment": { + "CHS": "药膏;[药] 油膏", + "ENG": "a soft cream that you rub into your skin, especially as a medical treatment" + }, + "romantic": { + "CHS": "使…浪漫化" + }, + "tutorial": { + "CHS": "个别指导" + }, + "invent": { + "CHS": "发明;创造;虚构", + "ENG": "to make, design, or think of a new type of thing" + }, + "cobbler": { + "CHS": "补鞋匠;工匠;冷饮料;脆皮水果馅饼", + "ENG": "cooked fruit covered with a sweet bread-like mixture" + }, + "Marxist": { + "CHS": "马克思主义的", + "ENG": "relating to or based on Marxism" + }, + "destructive": { + "CHS": "破坏的;毁灭性的;有害的,消极的", + "ENG": "causing damage to people or things" + }, + "devise": { + "CHS": "遗赠" + }, + "product": { + "CHS": "产品;结果;[数] 乘积;作品", + "ENG": "something that is grown or made in a factory in large quantities, usually in order to be sold" + }, + "cobra": { + "CHS": "眼镜蛇;(澳)头颅", + "ENG": "a poisonous African or Asian snake that can spread the skin of its neck to make itself look bigger" + }, + "elegance": { + "CHS": "典雅;高雅" + }, + "billow": { + "CHS": "翻腾", + "ENG": "When smoke or cloud billows, it moves slowly upward or across the sky" + }, + "springlock": { + "CHS": "弹簧锁" + }, + "incompatible": { + "CHS": "互不相容的人或事物" + }, + "ark": { + "CHS": "约柜;方舟;(美)平底船;避难所", + "ENG": "a large ship" + }, + "spurious": { + "CHS": "假的;伪造的;欺骗的", + "ENG": "insincere" + }, + "Medicaid": { + "CHS": "(美)医疗补助计划", + "ENG": "a system in the US by which the government helps to pay the cost of medical treatment for poor people" + }, + "chilli": { + "CHS": "红辣椒", + "ENG": "a small thin red or green pepper with a very strong hot taste" + }, + "awful": { + "CHS": "可怕的;极坏的;使人敬畏的", + "ENG": "making you feel great respect or fear" + }, + "grandchild": { + "CHS": "孙子;孙女;外孙;外孙女", + "ENG": "the child of your son or daughter" + }, + "owing": { + "CHS": "欠;把…归功于(owe的ing形式)" + }, + "conformity": { + "CHS": "一致,适合;符合;相似", + "ENG": "in a way that obeys rules, customs etc" + }, + "amidst": { + "CHS": "在…当中", + "ENG": "amid" + }, + "him": { + "CHS": "(Him)人名;(东南亚国家华语)欣;(柬)亨;(中)谦(广东话·威妥玛)" + }, + "congress": { + "CHS": "国会;代表大会;会议;社交", + "ENG": "a formal meeting of representatives of different groups, countries etc, to discuss ideas, make decisions etc" + }, + "indelible": { + "CHS": "难忘的;擦不掉的", + "ENG": "impossible to remove or forget" + }, + "staid": { + "CHS": "固定的;沉着的;沉静的;古板的,保守的" + }, + "glum": { + "CHS": "(Glum)人名;(德)格卢姆" + }, + "homeland": { + "CHS": "祖国;故乡", + "ENG": "the country where someone was born" + }, + "dependent": { + "CHS": "依赖他人者;受赡养者" + }, + "checkmate": { + "CHS": "将死;挫败", + "ENG": "the position of the king (= most important piece ) in chess at the end of the game, when it is being directly attacked and cannot escape" + }, + "raid": { + "CHS": "对…进行突然袭击", + "ENG": "if police raid a place, they make a surprise visit to search for something illegal" + }, + "Venus": { + "CHS": "[天] 金星;维纳斯(爱与美的女神)", + "ENG": "the planetthat is second in order from the Sun" + }, + "lava": { + "CHS": "火山岩浆;火山所喷出的熔岩", + "ENG": "hot liquid rock that flows from a volcano,or this rock when it has become solid" + }, + "monolith": { + "CHS": "整块石料;庞然大物", + "ENG": "A monolith is a very large, upright piece of stone, especially one that was put in place in ancient times" + }, + "local": { + "CHS": "当地的;局部的;地方性的;乡土的", + "ENG": "relating to the particular area you live in, or the area you are talking about" + }, + "spinster": { + "CHS": "老姑娘;未婚女人", + "ENG": "an unmarried woman, usually one who is no longer young and seems unlikely to marry" + }, + "descriptive": { + "CHS": "描写的,叙述的;描写性的", + "ENG": "giving a description of something" + }, + "hangings": { + "CHS": "门帘;脚手架;帘布(hanging的复数)" + }, + "inflammable": { + "CHS": "易燃物" + }, + "basis": { + "CHS": "基础;底部;主要成分;基本原则或原理", + "ENG": "the facts, ideas, or things from which something can be developed" + }, + "helicopter": { + "CHS": "由直升机运送" + }, + "temptation": { + "CHS": "引诱;诱惑物", + "ENG": "a strong desire to have or do something even though you know you should not" + }, + "modest": { + "CHS": "(Modest)人名;(罗)莫代斯特;(德)莫德斯特;(俄)莫杰斯特" + }, + "plan": { + "CHS": "计划;设计;打算", + "ENG": "to think carefully about something you want to do, and decide how and when you will do it" + }, + "sail": { + "CHS": "帆,篷;航行", + "ENG": "a large piece of strong cloth fixed onto a boat, so that the wind will push the boat along" + }, + "dissonance": { + "CHS": "不一致;不调和;不和谐音", + "ENG": "a combination of notes that sound strange because they are not in harmony " + }, + "fear": { + "CHS": "害怕;敬畏;为…担心", + "ENG": "to feel afraid or worried that something bad may happen" + }, + "daily": { + "CHS": "日常地;每日;天天", + "ENG": "happening or done every day" + }, + "somewhere": { + "CHS": "某个地方" + }, + "crack": { + "CHS": "最好的;高明的" + }, + "ensue": { + "CHS": "跟着发生,接着发生;继起", + "ENG": "to happen after or as a result of something" + }, + "load": { + "CHS": "[力] 加载;装载;装货", + "ENG": "to put a large quantity of something into a vehicle or container" + }, + "gabble": { + "CHS": "急促不清的话" + }, + "wolf": { + "CHS": "大吃;狼吞虎咽地吃", + "ENG": "to eat something very quickly, swallowing it in big pieces" + }, + "invoke": { + "CHS": "调用;祈求;引起;恳求", + "ENG": "to make a particular idea, image, or feeling appear in people’s minds by describing an event or situation, or by talking about a person" + }, + "hang": { + "CHS": "悬挂;暂停,中止" + }, + "finale": { + "CHS": "结局;终曲;最后一场;最后乐章;尾声", + "ENG": "the last part of a piece of music or of a show, event etc" + }, + "worst": { + "CHS": "最坏地;最不利地", + "ENG": "most badly" + }, + "slick": { + "CHS": "使光滑;使漂亮" + }, + "liable": { + "CHS": "有责任的,有义务的;应受罚的;有…倾向的;易…的", + "ENG": "legally responsible for the cost of something" + }, + "fainthearted": { + "CHS": "懦弱的,胆小的;无精神的" + }, + "symphonic": { + "CHS": "交响乐的;交响性的;和声的", + "ENG": "Symphonic means relating to or like a symphony" + }, + "freedom": { + "CHS": "自由,自主;直率", + "ENG": "the right to do what you want without being controlled or restricted by anyone" + }, + "squarely": { + "CHS": "直角地;诚实地;正好;干脆地;正当地", + "ENG": "directly and firmly" + }, + "cringe": { + "CHS": "畏缩;奉承" + }, + "jungle": { + "CHS": "丛林的;蛮荒的" + }, + "commit": { + "CHS": "犯罪,做错事;把交托给;指派…作战;使…承担义务", + "ENG": "to do something wrong or illegal" + }, + "dual": { + "CHS": "双数;双数词" + }, + "incoherent": { + "CHS": "语无伦次的;不连贯的;不合逻辑的", + "ENG": "speaking in a way that cannot be understood, because you are drunk, feeling a strong emotion etc" + }, + "tarry": { + "CHS": "涂了焦油的", + "ENG": "covered with tar (= a thick black liquid ) " + }, + "bye": { + "CHS": "次要的" + }, + "dank": { + "CHS": "(Dank)人名;(英)丹克;(匈)东克" + }, + "hulking": { + "CHS": "笨重的;粗陋的", + "ENG": "very big and often awkward" + }, + "herself": { + "CHS": "她自己(she的反身代词);她亲自", + "ENG": "used to show that the woman or girl who does something is affected by her own action" + }, + "concubine": { + "CHS": "妾;情妇;姘妇", + "ENG": "a woman in the past who lived with and had sex with a man who already had a wife or wives, but who was socially less important than the wives" + }, + "ore": { + "CHS": "矿;矿石", + "ENG": "rock or earth from which metal can be obtained" + }, + "cave": { + "CHS": "洞穴,窑洞", + "ENG": "a large natural hole in the side of a cliff or hill, or under the ground" + }, + "flour": { + "CHS": "撒粉于;把…磨成粉", + "ENG": "to cover a surface with flour when you are cooking" + }, + "fraud": { + "CHS": "欺骗;骗子;诡计", + "ENG": "the crime of deceiving people in order to gain something such as money or goods" + }, + "charter": { + "CHS": "宪章;执照;特许状", + "ENG": "a statement of the principles, duties, and purposes of an organization" + }, + "although": { + "CHS": "尽管;虽然;但是;然而", + "ENG": "used to introduce a statement that makes your main statement seem surprising or unlikely" + }, + "boring": { + "CHS": "钻孔;使厌烦;挖空(bore的ing形式)" + }, + "treeline": { + "CHS": "林木线(山顶上树木生长的上限)" + }, + "galvanize": { + "CHS": "镀锌;通电;刺激", + "ENG": "to shock or surprise someone so that they do something to solve a problem, improve a situation etc" + }, + "consultant": { + "CHS": "顾问;咨询者;会诊医生", + "ENG": "someone whose job is to give advice on a particular subject" + }, + "alkali": { + "CHS": "碱性的" + }, + "element": { + "CHS": "元素;要素;原理;成分;自然环境", + "ENG": "one part or feature of a whole system, plan, piece of work etc, especially one that is basic or important" + }, + "vulnerable": { + "CHS": "易受攻击的,易受…的攻击;易受伤害的;有弱点的", + "ENG": "someone who is vulnerable can be easily harmed or hurt" + }, + "methodical": { + "CHS": "有系统的;有方法的", + "ENG": "a methodical person always does things carefully, using an ordered system" + }, + "sometime": { + "CHS": "以前的;某一时间的", + "ENG": "former" + }, + "spectre": { + "CHS": "幽灵;妖怪;鬼性(等于specter)", + "ENG": "a ghost " + }, + "snack": { + "CHS": "吃快餐,吃点心", + "ENG": "to eat small amounts of food between main meals or instead of a meal" + }, + "invidious": { + "CHS": "诽谤的;不公平的;引起反感的;易招嫉妒的", + "ENG": "unpleasant, especially because it is likely to offend people or make you unpopular" + }, + "procure": { + "CHS": "获得,取得;导致", + "ENG": "to obtain something, especially something that is difficult to get" + }, + "signpost": { + "CHS": "路标;指示牌", + "ENG": "a sign at the side of a road showing directions and distances" + }, + "magnetic": { + "CHS": "地磁的;有磁性的;有吸引力的", + "ENG": "concerning or produced by magnetism " + }, + "tub": { + "CHS": "洗盆浴;(衣服等)被放在桶里洗" + }, + "trot": { + "CHS": "(马)小跑;(人)慢跑;快步走", + "ENG": "if a horse trots, it moves fairly quickly with each front leg moving at the same time as the opposite back leg" + }, + "harmless": { + "CHS": "无害的;无恶意的", + "ENG": "unable or unlikely to hurt anyone or cause damage" + }, + "fillet": { + "CHS": "用带缚;把…切成片" + }, + "amusement": { + "CHS": "消遣,娱乐;乐趣", + "ENG": "the feeling you have when you think something is funny" + }, + "agnostic": { + "CHS": "不可知论的" + }, + "twirl": { + "CHS": "转动,旋转;旋转的东西;万能钥匙" + }, + "manhood": { + "CHS": "成年;男子;男子气概", + "ENG": "qualities such as strength, courage, and sexual power, that people think a man should have" + }, + "petroleum": { + "CHS": "石油", + "ENG": "oil that is obtained from below the surface of the Earth and is used to make petrol, paraffin , and various chemical substances" + }, + "roundabout": { + "CHS": "迂回路线;环状交叉路口", + "ENG": "a raised circular area where three or more roads join together and which cars must drive around" + }, + "frank": { + "CHS": "免费邮寄" + }, + "soviet": { + "CHS": "苏维埃(代表会议);委员会;代表会议", + "ENG": "an elected council in a Communist country" + }, + "quantify": { + "CHS": "量化;为…定量;确定数量", + "ENG": "to calculate the value of something and express it as a number or an amount" + }, + "Turkey": { + "CHS": "土耳其(横跨欧亚两洲的国家)" + }, + "thorough": { + "CHS": "彻底的;十分的;周密的", + "ENG": "including every possible detail" + }, + "narcotic": { + "CHS": "[药] 麻醉药;镇静剂;起麻醉作用的事物", + "ENG": "a type of drug which makes you sleep and reduces pain" + }, + "opener": { + "CHS": "[五金] 开启工具;开启的人", + "ENG": "a tool that is used to open cans, bottles etc" + }, + "line": { + "CHS": "排成一行;划线于;以线条标示;使…起皱纹", + "ENG": "to form rows along the sides of something" + }, + "spill": { + "CHS": "溢出,溅出;溢出量;摔下;小塞子", + "ENG": "when you spill something, or an amount of something that is spilled" + }, + "facile": { + "CHS": "(言语或理论)轻率的,未经深思熟虑的" + }, + "internal": { + "CHS": "内部的;内在的;国内的", + "ENG": "within a particular country" + }, + "revert": { + "CHS": "恢复原状者" + }, + "omission": { + "CHS": "疏忽,遗漏;省略;冗长", + "ENG": "when you do not include or do not do something" + }, + "appreciation": { + "CHS": "欣赏,鉴别;增值;感谢", + "ENG": "pleasure you feel when you realize something is good, useful, or well done" + }, + "ulterior": { + "CHS": "将来的,较远的;在那边的;隐秘不明的" + }, + "avoid": { + "CHS": "避免;避开,躲避;消除", + "ENG": "to prevent something bad from happening" + }, + "recover": { + "CHS": "还原至预备姿势" + }, + "geometry": { + "CHS": "几何学", + "ENG": "the study in mathematics of the angles and shapes formed by the relationships of lines, surfaces, and solid objects in space" + }, + "afresh": { + "CHS": "重新;再度", + "ENG": "if you do something afresh, you do it again from the beginning" + }, + "destine": { + "CHS": "注定;命定;预定" + }, + "canyon": { + "CHS": "峡谷", + "ENG": "a deep valley with very steep sides of rock that usually has a river running through it" + }, + "spike": { + "CHS": "阻止;以大钉钉牢;用尖物刺穿", + "ENG": "to prevent someone from saying something or printing something in a newspaper" + }, + "nape": { + "CHS": "颈背;项", + "ENG": "the bottom part of the back of your neck, where the hair ends" + }, + "abide": { + "CHS": "忍受,容忍;停留;遵守" + }, + "accessory": { + "CHS": "副的;同谋的;附属的" + }, + "silvery": { + "CHS": "银色的;清脆的;银铃一般的;似银的", + "ENG": "a silvery voice or sound is light, pleasant, and musical" + }, + "honesty": { + "CHS": "诚实,正直", + "ENG": "the quality of being honest" + }, + "paradoxical": { + "CHS": "矛盾的;诡论的;似非而是的", + "ENG": "If something is paradoxical, it involves two facts or qualities that seem to contradict each other" + }, + "country": { + "CHS": "祖国的,故乡的;地方的,乡村的;国家的;粗鲁的;乡村音乐的", + "ENG": "belonging to or connected with the countryside" + }, + "solvency": { + "CHS": "偿付能力;溶解力", + "ENG": "A person's or organization's solvency is their ability to pay their debts" + }, + "snout": { + "CHS": "鼻子;猪嘴;烟草;鼻口部;口吻状物", + "ENG": "the long nose of some kinds of animals, such as pigs" + }, + "begin": { + "CHS": "(Begin)人名;(以、德)贝京;(英)贝让" + }, + "mankind": { + "CHS": "人类;男性", + "ENG": "all humans considered as a group" + }, + "embroider": { + "CHS": "刺绣;装饰;镶边", + "ENG": "to decorate cloth by sewing a pattern, picture, or words on it with coloured threads" + }, + "hurry": { + "CHS": "仓促(做某事);催促;(朝某方向)迅速移动;迅速处理", + "ENG": "to make someone do something more quickly" + }, + "hotchpotch": { + "CHS": "杂烩", + "ENG": "a number of things mixed up without sensible order or arrangement" + }, + "striking": { + "CHS": "打(strike的ing形式)" + }, + "idyllic": { + "CHS": "牧歌的" + }, + "framework": { + "CHS": "框架,骨架;结构,构架", + "ENG": "a set of ideas, rules, or beliefs from which something is developed, or on which decisions are based" + }, + "multinational": { + "CHS": "跨国公司", + "ENG": "a large company that has offices, factories etc in many different countries" + }, + "broke": { + "CHS": "(Broke)人名;(英)布罗克" + }, + "Jew": { + "CHS": "欺骗;杀价" + }, + "away": { + "CHS": "离去,离开;在远处", + "ENG": "used to say that someone leaves a place or person, or stays some distance from a place or person" + }, + "cassette": { + "CHS": "盒式磁带;暗盒;珠宝箱;片匣", + "ENG": "a small flat plastic case containing magnetic tape , that can be used for playing or recording sound" + }, + "simile": { + "CHS": "明喻;直喻", + "ENG": "an expression that describes something by comparing it with something else, using the words ‘as’ or ‘like’, for example ‘as white as snow’" + }, + "engender": { + "CHS": "使产生;造成", + "ENG": "to be the cause of a situation or feeling" + }, + "interpreter": { + "CHS": "解释者;口译者;注释器", + "ENG": "someone who changes spoken words from one language into an-other, especially as their job" + }, + "psycho": { + "CHS": "精神病的;精神病学的" + }, + "vexatious": { + "CHS": "令人烦恼的;麻烦的;无理纠缠的", + "ENG": "making you feel annoyed or worried" + }, + "cornerstone": { + "CHS": "基础;柱石;地基", + "ENG": "something that is extremely important because everything else depends on it" + }, + "mackerel": { + "CHS": "鲭(产于北大西洋);马鲛鱼", + "ENG": "a sea fish that has oily flesh and a strong taste" + }, + "inmate": { + "CHS": "(尤指)同院病人;同狱犯人;同被(收容所)收容者", + "ENG": "someone who is being kept in a prison" + }, + "deep": { + "CHS": "深入地;深深地;迟", + "ENG": "a long way into or below the surface of something" + }, + "favoritism": { + "CHS": "偏袒;得宠" + }, + "hemlock": { + "CHS": "铁杉;毒芹属植物;毒胡萝卜", + "ENG": "Hemlock is a poisonous plant" + }, + "meteorological": { + "CHS": "气象的;气象学的", + "ENG": "Meteorological means relating to meteorology" + }, + "secretary": { + "CHS": "秘书;书记;部长;大臣", + "ENG": "someone who works in an office typing letters, keeping records, answering telephone calls, arranging meetings etc" + }, + "Turner": { + "CHS": "特纳(姓氏)" + }, + "attractive": { + "CHS": "吸引人的;有魅力的;引人注目的", + "ENG": "someone who is attractive is good looking, especially in a way that makes you sexually interested in them" + }, + "counterpart": { + "CHS": "副本;配对物;极相似的人或物", + "ENG": "Someone's or something's counterpart is another person or thing that has a similar function or position in a different place" + }, + "abiding": { + "CHS": "遵守;容忍;继续存在(abide的现在分词)" + }, + "label": { + "CHS": "标签;商标;签条", + "ENG": "a piece of paper or another material that is attached to something and gives information about it" + }, + "consul": { + "CHS": "领事;(古罗马的)两执政官之一", + "ENG": "a government official sent to live in a foreign city to help people from his or her own country who are living or staying there" + }, + "voucher": { + "CHS": "证实的可靠性" + }, + "afternoon": { + "CHS": "午后,下午", + "ENG": "the part of the day after the morning and before the evening" + }, + "humankind": { + "CHS": "人类(总称)", + "ENG": "people in general" + }, + "grove": { + "CHS": "小树林;果园", + "ENG": "a piece of land with trees growing on it" + }, + "maiden": { + "CHS": "少女;处女", + "ENG": "a young girl, or a woman who is not married" + }, + "overcome": { + "CHS": "克服;胜过", + "ENG": "to successfully control a feeling or problem that prevents you from achieving something" + }, + "haste": { + "CHS": "赶快" + }, + "freehand": { + "CHS": "徒手画地", + "ENG": "Freehand is also an adverb" + }, + "decor": { + "CHS": "装饰,布置", + "ENG": "the way that the inside of a building is decorated" + }, + "Puritan": { + "CHS": "清教徒", + "ENG": "The Puritans were a group of English Protestants in the sixteenth and seventeenth centuries who lived in a very strict and religious way" + }, + "scorch": { + "CHS": "烧焦;焦痕", + "ENG": "a mark made on something where its surface has been burnt" + }, + "spokesman": { + "CHS": "发言人;代言人", + "ENG": "a man who has been chosen to speak officially for a group, organization, or government" + }, + "virtue": { + "CHS": "美德;优点;贞操;功效", + "ENG": "moral goodness of character and behaviour" + }, + "hit": { + "CHS": "打;打击;(演出等)成功;讽刺", + "ENG": "Hit is also a noun" + }, + "alight": { + "CHS": "烧着的;点亮着的", + "ENG": "burning" + }, + "national": { + "CHS": "国民", + "ENG": "someone who is a citizen of a particular country but is living in another country" + }, + "supple": { + "CHS": "(Supple)人名;(意、西)苏普莱" + }, + "cursory": { + "CHS": "粗略的;草率的;匆忙的", + "ENG": "done very quickly without much attention to details" + }, + "ditto": { + "CHS": "百变怪" + }, + "resuscitation": { + "CHS": "复苏;复兴;复活" + }, + "flavoring": { + "CHS": "加味于…(flavor的ing形式)" + }, + "shot": { + "CHS": "射击(shoot的过去式和过去分词)" + }, + "shred": { + "CHS": "切成条状;用碎纸机撕毁", + "ENG": "to cut or tear something into small thin pieces" + }, + "marmalade": { + "CHS": "橘子酱色的" + }, + "trill": { + "CHS": "用颤音唱;用颤声说" + }, + "notification": { + "CHS": "通知;通告;[法] 告示", + "ENG": "official information about something" + }, + "modem": { + "CHS": "调制解调器(等于modulator-demodulator)", + "ENG": "a piece of electronic equipment that allows information from one computer to be sent along telephone wires to another computer" + }, + "silica": { + "CHS": "二氧化硅;[材] 硅土", + "ENG": "a chemical compound that exists naturally as sand, quartz , and flint , used in making glass" + }, + "terminology": { + "CHS": "术语,术语学;用辞", + "ENG": "the technical words or expressions that are used in a particular subject" + }, + "trinket": { + "CHS": "密谋" + }, + "key": { + "CHS": "关键的", + "ENG": "very important or necessary" + }, + "commence": { + "CHS": "开始;着手;<英>获得学位", + "ENG": "to begin or to start something" + }, + "collapse": { + "CHS": "倒塌;失败;衰竭", + "ENG": "a sudden failure in the way something works, so that it cannot continue" + }, + "borderline": { + "CHS": "边界的;暧昧的", + "ENG": "having qualities of both one situation, state etc and another more extreme situation or state" + }, + "thunderstorm": { + "CHS": "[气象] 雷暴;雷暴雨;大雷雨", + "ENG": "a storm with thunder and lightning" + }, + "breast": { + "CHS": "以胸对着;与…搏斗" + }, + "servility": { + "CHS": "奴性;奴态;卑屈" + }, + "programme": { + "CHS": "编程序;制作节目" + }, + "garment": { + "CHS": "给…穿衣服" + }, + "surf": { + "CHS": "在…冲浪", + "ENG": "to ride on waves while standing on a special board" + }, + "odour": { + "CHS": "气味;声誉", + "ENG": "a smell, especially an unpleasant one" + }, + "allegedly": { + "CHS": "依其申述;据说,据称", + "ENG": "used when reporting something that people say is true, although it has not been proved" + }, + "attention": { + "CHS": "注意力;关心;立正!(口令)", + "ENG": "when you carefully listen to, look at, or think about someone or something" + }, + "toothache": { + "CHS": "[口腔] 牙痛", + "ENG": "a pain in a tooth" + }, + "egoist": { + "CHS": "自我主义者;利己主义者" + }, + "birch": { + "CHS": "用桦条鞭打" + }, + "rarely": { + "CHS": "很少地;难得;罕有地", + "ENG": "If something rarely happens, it does not happen very often" + }, + "omniscient": { + "CHS": "上帝;无所不知者" + }, + "telegraph": { + "CHS": "电汇;流露出;打电报给…", + "ENG": "to send a message by telegraph" + }, + "mirror": { + "CHS": "反射;反映", + "ENG": "if one thing mirrors another, it is very similar to it and may seem to copy or represent it" + }, + "reduce": { + "CHS": "减少;降低;使处于;把…分解", + "ENG": "to make something smaller or less in size, amount, or price" + }, + "riddle": { + "CHS": "谜语;粗筛;谜一般的人、东西、事情等", + "ENG": "a question that is deliberately very confusing and has a humorous or clever answer" + }, + "credibility": { + "CHS": "可信性;确实性", + "ENG": "the quality of deserving to be believed and trusted" + }, + "snooty": { + "CHS": "傲慢的,自大的;目中无人的", + "ENG": "rude and unfriendly, because you think you are better than other people" + }, + "consultation": { + "CHS": "咨询;磋商;[临床] 会诊;讨论会", + "ENG": "a discussion in which people who are affected by or involved in something can give their opinions" + }, + "hermitage": { + "CHS": "隐士生活;隐士住处", + "ENG": "a place where a hermit lives or has lived in the past" + }, + "safety": { + "CHS": "安全;保险;安全设备;保险装置;安打", + "ENG": "when someone or something is safe from danger or harm" + }, + "joystick": { + "CHS": "操纵杆,[机] 控制杆", + "ENG": "an upright handle that you use to control something such as an aircraft or a computer game" + }, + "farmyard": { + "CHS": "农家庭院;农场;农家", + "ENG": "an area surrounded by farm buildings" + }, + "optimise": { + "CHS": "使优化;充分利用" + }, + "parting": { + "CHS": "分开;断裂;离去(part的ing形式)" + }, + "hiccup": { + "CHS": "打嗝", + "ENG": "to have hiccups" + }, + "herein": { + "CHS": "(捷)赫赖因(人名)" + }, + "ponder": { + "CHS": "(Ponder)人名;(英)庞德" + }, + "get": { + "CHS": "生殖;幼兽" + }, + "ungainly": { + "CHS": "笨拙地;不雅地" + }, + "career": { + "CHS": "全速前进,猛冲", + "ENG": "to move forwards quickly without control, making sudden sideways movements" + }, + "depth": { + "CHS": "[海洋] 深度;深奥", + "ENG": "the part that is furthest away from people, and most difficult to reach" + }, + "elevator": { + "CHS": "电梯;升降机;升降舵;起卸机", + "ENG": "a machine that takes people and goods from one level to another in a building" + }, + "roughen": { + "CHS": "变粗糙", + "ENG": "to become rough, or to make something rough" + }, + "delinquent": { + "CHS": "流氓;行为不良的人;失职者" + }, + "dividend": { + "CHS": "红利;股息;[数] 被除数;奖金", + "ENG": "a part of a company’s profit that is divided among the people with share s in the company" + }, + "flux": { + "CHS": "使熔融;用焊剂处理" + }, + "greengrocer": { + "CHS": "蔬菜水果商;菜贩", + "ENG": "someone who owns or works in a shop selling fruit and vegetables" + }, + "piano": { + "CHS": "钢琴", + "ENG": "a large musical instrument that has a long row of black and white key s . You play the piano by sitting in front of it and pressing the keys." + }, + "warranty": { + "CHS": "保证;担保;授权;(正当)理由", + "ENG": "a written agreement in which a company selling something promises to repair it if it breaks within a particular period of time" + }, + "assertion": { + "CHS": "断言,声明;主张,要求;坚持;认定", + "ENG": "something that you say or write that you strongly believe" + }, + "snare": { + "CHS": "捕捉;诱惑", + "ENG": "to catch an animal by using a snare" + }, + "invert": { + "CHS": "转化的" + }, + "oceanography": { + "CHS": "海洋学", + "ENG": "the scientific study of the ocean" + }, + "incendiary": { + "CHS": "煽动的;放火的,纵火的", + "ENG": "an incendiary speech, piece of writing etc is intended to make people angry" + }, + "sew": { + "CHS": "缝合,缝上;缝纫", + "ENG": "to use a needle and thread to make or repair clothes or to fasten something such as a button to them" + }, + "infatuated": { + "CHS": "迷恋;使糊涂(infatuate的过去分词)" + }, + "toward": { + "CHS": "(Toward)人名;(英)特沃德" + }, + "fiasco": { + "CHS": "惨败", + "ENG": "an event that is completely unsuccessful, in a way that is very embarrassing or disappointing" + }, + "convulse": { + "CHS": "震撼;使剧烈震动;使抽搐", + "ENG": "if your body or a part of it convulses, it moves violently and you are not able to control it" + }, + "leftovers": { + "CHS": "遗留;剩余物;吃剩的食物(leftover的复数形式)", + "ENG": "You can refer to food that has not been eaten after a meal as leftovers" + }, + "heater": { + "CHS": "加热器;加热工", + "ENG": "a machine for making air or water hotter" + }, + "playmate": { + "CHS": "玩伴;游伴", + "ENG": "a friend that a child plays with" + }, + "hurrah": { + "CHS": "万岁;好哇(等于hurray)" + }, + "pearl": { + "CHS": "采珍珠;成珍珠状", + "ENG": "to set with or as if with pearls " + }, + "alert": { + "CHS": "警戒,警惕;警报", + "ENG": "a warning to be ready for possible danger" + }, + "baggy": { + "CHS": "袋状的,膨胀的;宽松而下垂的", + "ENG": "baggy clothes are big and do not fit tightly on your body" + }, + "therein": { + "CHS": "在其中;在那里", + "ENG": "in that place, or in that piece of writing" + }, + "library": { + "CHS": "图书馆,藏书室;文库", + "ENG": "a room or building containing books that can be looked at or borrowed" + }, + "onslaught": { + "CHS": "猛攻;突击", + "ENG": "a large violent attack by an army" + }, + "punish": { + "CHS": "惩罚;严厉对待;贪婪地吃喝", + "ENG": "to make someone suffer because they have done something wrong or broken the law" + }, + "carnival": { + "CHS": "狂欢节,嘉年华会;饮宴狂欢", + "ENG": "a public event at which people play music, wear special clothes, and dance in the streets" + }, + "irrelevant": { + "CHS": "不相干的;不切题的", + "ENG": "not useful or not relating to a particular situation, and therefore not important" + }, + "celestial": { + "CHS": "神仙,天堂里的居民" + }, + "detach": { + "CHS": "分离;派遣;使超然", + "ENG": "If you detach one thing from another that it is attached to, you remove it. If one thing detaches from another, it becomes separated from it. " + }, + "firearm": { + "CHS": "火器;枪炮", + "ENG": "a gun" + }, + "glacier": { + "CHS": "冰河,冰川", + "ENG": "a large mass of ice which moves slowly down a mountain valley" + }, + "glamour": { + "CHS": "迷惑,迷住" + }, + "calcium": { + "CHS": "[化学] 钙", + "ENG": "a silver-white metal that helps to form teeth, bones, and chalk . It is a chemical element : symbol Ca" + }, + "costume": { + "CHS": "给…穿上服装" + }, + "cynic": { + "CHS": "犬儒学派的" + }, + "redeem": { + "CHS": "赎回;挽回;兑换;履行;补偿;恢复", + "ENG": "to make something less bad" + }, + "rendition": { + "CHS": "译文;演奏;提供;引渡逃奴", + "ENG": "someone’s performance of a play, piece of music etc" + }, + "disarmament": { + "CHS": "裁军", + "ENG": "when a country reduces the number of weapons it has, or the size of its army, navy etc" + }, + "happily": { + "CHS": "快乐地;幸福地;幸运地;恰当地", + "ENG": "in a happy way" + }, + "lacquer": { + "CHS": "漆;漆器", + "ENG": "a liquid painted onto metal or wood to form a hard shiny surface" + }, + "late": { + "CHS": "晚;迟;最近;在晚期", + "ENG": "after the usual time" + }, + "multitude": { + "CHS": "群众;多数", + "ENG": "a very large number of people or things" + }, + "Buddhism": { + "CHS": "佛教", + "ENG": "a religion of east and central Asia, based on the teaching of Gautama Buddha" + }, + "overdue": { + "CHS": "过期的;迟到的;未兑的", + "ENG": "not done, paid, returned etc by the time expected" + }, + "almond": { + "CHS": "扁桃仁;扁桃树", + "ENG": "a flat pale nut with brown skin that tastes sweet, or the tree that produces these nuts" + }, + "descent": { + "CHS": "除去…的气味;使…失去香味" + }, + "bestow": { + "CHS": "使用;授予;放置;留宿", + "ENG": "to give someone something of great value or importance" + }, + "fringe": { + "CHS": "加穗于" + }, + "continental": { + "CHS": "欧洲人" + }, + "dam": { + "CHS": "[水利] 水坝;障碍", + "ENG": "a special wall built across a river or stream to stop the water from flowing, especially in order to make a lake or produce electricity" + }, + "archetype": { + "CHS": "原型", + "ENG": "a perfect example of something, because it has all the most important qualities of things that belong to that type" + }, + "retaliate": { + "CHS": "报复;回敬", + "ENG": "to do something bad to someone because they have done something bad to you" + }, + "together": { + "CHS": "新潮的;情绪稳定的,做事有效率的" + }, + "creek": { + "CHS": "小溪;小湾", + "ENG": "a small narrow stream or river" + }, + "ounce": { + "CHS": "盎司;少量;雪豹", + "ENG": "a unit for measuring weight, equal to 28.35 grams. There are 16 ounces in a pound." + }, + "brotherhood": { + "CHS": "兄弟关系;手足情谊;四海之内皆兄弟的信念", + "ENG": "a feeling of friendship between people" + }, + "shortcut": { + "CHS": "捷径;被切短的东西", + "ENG": "A shortcut is a method of achieving something more quickly or more easily than if you use the usual methods" + }, + "hoe": { + "CHS": "锄头", + "ENG": "a garden tool with a long handle, used for removing weeds (= unwanted plants ) from the surface of the soil" + }, + "monster": { + "CHS": "巨大的,庞大的", + "ENG": "unusually large" + }, + "magnanimous": { + "CHS": "宽宏大量的;有雅量的;宽大的", + "ENG": "kind and generous, especially to someone that you have defeated" + }, + "enlargement": { + "CHS": "放大;放大的照片;增补物", + "ENG": "a photograph that has been printed again in a bigger size" + }, + "graph": { + "CHS": "用曲线图表示" + }, + "alone": { + "CHS": "独自地;单独地", + "ENG": "Alone is also an adverb" + }, + "industrious": { + "CHS": "勤勉的", + "ENG": "someone who is industrious works hard" + }, + "audible": { + "CHS": "听得见的", + "ENG": "a sound that is audible is loud enough for you to hear it" + }, + "citizen": { + "CHS": "公民;市民;老百姓", + "ENG": "someone who lives in a particular town, country, or state" + }, + "bonfire": { + "CHS": "篝火;营火", + "ENG": "a large outdoor fire, either for burning waste or for a party" + }, + "rotor": { + "CHS": "[电][机][动力] 转子;水平旋翼;旋转体", + "ENG": "a part of a machine that turns around on a central point" + }, + "fertilise": { + "CHS": "使受精;施肥于;使肥沃" + }, + "entertaining": { + "CHS": "款待(entertain的ing形式)", + "ENG": "If you entertain, or entertain people, you provide food and drink for them, for example, when you have invited them to your house" + }, + "precious": { + "CHS": "(Precious)人名;(英)普雷舍斯,普雷舍丝(女名)" + }, + "adverb": { + "CHS": "副词的" + }, + "definition": { + "CHS": "定义;[物] 清晰度;解说", + "ENG": "a phrase or sentence that says exactly what a word, phrase, or idea means" + }, + "utter": { + "CHS": "(Utter)人名;(德、芬)乌特" + }, + "depend": { + "CHS": "依赖,依靠;取决于;相信,信赖", + "ENG": "If you depend on someone or something, you need them in order to be able to survive physically, financially, or emotionally" + }, + "puberty": { + "CHS": "青春期;开花期", + "ENG": "the stage of physical development during which you change from a child to an adult and are able to have children" + }, + "orgasm": { + "CHS": "[生理] 性高潮;极度兴奋", + "ENG": "the greatest point of sexual pleasure" + }, + "another": { + "CHS": "另一个;另一个人" + }, + "amiss": { + "CHS": "(Amiss)人名;(英)埃米斯" + }, + "suicidal": { + "CHS": "自杀的,自杀性的;自我毁灭的;自取灭亡的", + "ENG": "wanting to kill yourself" + }, + "leadership": { + "CHS": "领导能力;领导阶层", + "ENG": "the position of being the leader of a group, organization, country etc" + }, + "passionate": { + "CHS": "热情的;热烈的,激昂的;易怒的", + "ENG": "showing or involving very strong feelings of sexual love" + }, + "armada": { + "CHS": "(西班牙的)无敌舰队", + "ENG": "An armada is a large group of warships" + }, + "drool": { + "CHS": "口水;梦话,胡说" + }, + "castle": { + "CHS": "置…于城堡中;筑城堡防御" + }, + "mortal": { + "CHS": "人类,凡人", + "ENG": "a human – used especially when comparing humans with gods, spirit s etc" + }, + "sharpener": { + "CHS": "卷笔刀;[机] 磨具;研磨者", + "ENG": "A sharpener is a tool or machine used for sharpening pencils or knives" + }, + "slippery": { + "CHS": "滑的;狡猾的;不稳定的", + "ENG": "something that is slippery is difficult to hold, walk on etc because it is wet or greasy " + }, + "planetary": { + "CHS": "行星的", + "ENG": "Planetary means relating to or belonging to planets" + }, + "headman": { + "CHS": "首领;酋长;工头", + "ENG": "the most important man in a village where a tribe lives" + }, + "consider": { + "CHS": "考虑;认为;考虑到;细想", + "ENG": "to think about something carefully, especially before making a choice or decision" + }, + "magnetism": { + "CHS": "磁性,磁力;磁学;吸引力", + "ENG": "the physical force that makes two metal objects pull towards each other or push each other apart" + }, + "pose": { + "CHS": "姿势,姿态;装模作样", + "ENG": "the position in which someone stands or sits, especially in a painting, photograph etc" + }, + "similarity": { + "CHS": "类似;相似点", + "ENG": "if there is a similarity between two things or people, they are similar in some way" + }, + "bliss": { + "CHS": "狂喜" + }, + "cleaner": { + "CHS": "[化工] 清洁剂;清洁工;干洗店;干洗商;洗洁器", + "ENG": "someone whose job is to clean other people’s houses, offices etc" + }, + "dissociate": { + "CHS": "游离;使分离;分裂", + "ENG": "If you dissociate yourself from something or someone, you say or show that you are not connected with them, usually in order to avoid trouble or blame" + }, + "egoism": { + "CHS": "利己主义,自我主义" + }, + "acquisition": { + "CHS": "获得物,获得;收购", + "ENG": "the process by which you gain knowledge or learn a skill" + }, + "housebreaker": { + "CHS": "强盗,侵入家宅者;拆屋者" + }, + "muster": { + "CHS": "集合;检阅;点名册;集合人员", + "ENG": "a gathering together of soldiers so that they can be counted, checked etc" + }, + "relay": { + "CHS": "[电] 继电器;接替,接替人员;驿马" + }, + "countess": { + "CHS": "伯爵夫人;女伯爵", + "ENG": "a woman with the same rank as an earl or a count 2 9 " + }, + "thresh": { + "CHS": "打谷" + }, + "gum": { + "CHS": "用胶粘,涂以树胶;使…有粘性", + "ENG": "to stick together or in place with gum " + }, + "entrust": { + "CHS": "委托,信托", + "ENG": "to make someone responsible for doing something important, or for taking care of someone" + }, + "training": { + "CHS": "训练;教养(train的ing形式)" + }, + "hothead": { + "CHS": "性急的人;鲁莽的人", + "ENG": "someone who does things too quickly without thinking" + }, + "fountain": { + "CHS": "喷泉,泉水;源泉", + "ENG": "a structure from which water is pushed up into the air, used for example as decoration in a garden or park" + }, + "effeminate": { + "CHS": "变得无男子汉气概;变得柔弱" + }, + "inch": { + "CHS": "使缓慢地移动", + "ENG": "to move very slowly in a particular direction, or to make something do this" + }, + "gymnastics": { + "CHS": "体操;体育;体操运动", + "ENG": "a sport involving physical exercises and movements that need skill, strength, and control, and that are often performed in competitions" + }, + "fortuitous": { + "CHS": "偶然的,意外的;幸运的", + "ENG": "happening by chance, especially in a way that has a good result" + }, + "exactly": { + "CHS": "恰好地;正是;精确地;正确地", + "ENG": "used when emphasizing that something is no more and no less than a number or amount, or is completely correct in every detail" + }, + "negate": { + "CHS": "对立面;反面" + }, + "haywire": { + "CHS": "乱糟糟的,乱七八糟的;疯狂的" + }, + "spirited": { + "CHS": "鼓舞(spirit的过去分词)" + }, + "lost": { + "CHS": "遗失(lose的过去分词);失败" + }, + "unemployment": { + "CHS": "失业;失业率;失业人数", + "ENG": "the number of people in a particular country or area who cannot get a job" + }, + "feeder": { + "CHS": "支线;喂食器;奶瓶;饲养员;支流", + "ENG": "a container with food for animals or birds" + }, + "emperor": { + "CHS": "皇帝,君主", + "ENG": "the man who is the ruler of an empire" + }, + "new": { + "CHS": "(New)人名;(英)纽" + }, + "inscription": { + "CHS": "题词;铭文;刻印", + "ENG": "a piece of writing inscribed on a stone, in the front of a book etc" + }, + "flu": { + "CHS": "流感", + "ENG": "a common illness that makes you feel very tired and weak, gives you a sore throat, and makes you cough and have to clear your nose a lot" + }, + "eyelid": { + "CHS": "[解剖] 眼睑;眼皮", + "ENG": "a piece of skin that covers your eye when it is closed" + }, + "mad": { + "CHS": "狂怒" + }, + "cork": { + "CHS": "用瓶塞塞住", + "ENG": "to close a bottle by blocking the hole at the top tightly with a long round piece of cork or plastic" + }, + "ardour": { + "CHS": "激情;热情;情欲;灼热", + "ENG": "very strong admiration or excitement" + }, + "iterate": { + "CHS": "迭代;重复;反复说;重做", + "ENG": "if a computer iterates, it goes through a set of instructions before going through them for a second time" + }, + "vest": { + "CHS": "授予;使穿衣" + }, + "stammer": { + "CHS": "口吃;结巴", + "ENG": "a speech problem which makes someone speak with a lot of pauses and repeated sounds" + }, + "barge": { + "CHS": "驳船;游艇", + "ENG": "a large low boat with a flat bottom, used for carrying goods on a canal or river" + }, + "celebrate": { + "CHS": "庆祝;举行;赞美;祝贺;宣告", + "ENG": "to show that an event or occasion is important by doing something special or enjoyable" + }, + "bookcase": { + "CHS": "[家具] 书柜,书架", + "ENG": "a piece of furniture with shelves to hold books" + }, + "sex": { + "CHS": "引起…的性欲;区别…的性别", + "ENG": "to find out whether an animal is male or female" + }, + "strive": { + "CHS": "努力;奋斗;抗争", + "ENG": "to make a great effort to achieve something" + }, + "nightgown": { + "CHS": "睡衣(等于dressing gown或nightdress)", + "ENG": "a nightdress" + }, + "fortunate": { + "CHS": "幸运的;侥幸的;吉祥的;带来幸运的", + "ENG": "someone who is fortunate has something good happen to them, or is in a good situation" + }, + "representation": { + "CHS": "代表;表现;表示法;陈述", + "ENG": "when you have someone to speak, vote, or make decisions for you" + }, + "stigma": { + "CHS": "[植] 柱头;耻辱;污名;烙印;特征", + "ENG": "a strong feeling in society that being in a particular situation or having a particular illness is something to be ashamed of" + }, + "probation": { + "CHS": "试用;缓刑;查验", + "ENG": "a system that allows some criminals not to go to prison or to leave prison, if they behave well and see a probation officer regularly, for a particular period of time" + }, + "eagerness": { + "CHS": "渴望;热心" + }, + "coincidence": { + "CHS": "巧合;一致;同时发生", + "ENG": "when two things happen at the same time, in the same place, or to the same people in a way that seems surprising or unusual" + }, + "corporation": { + "CHS": "公司;法人(团体);社团;大腹便便;市政当局", + "ENG": "a big company, or a group of companies acting together as a single organization" + }, + "paperwork": { + "CHS": "文书工作", + "ENG": "work such as writing letters or reports, which must be done but is not very interesting" + }, + "divinity": { + "CHS": "神;神性;神学", + "ENG": "the study of God and religious beliefs" + }, + "monogamy": { + "CHS": "一夫一妻制;[动] 单配偶,[动] 单配性", + "ENG": "the custom of being married to only one husband or wife" + }, + "endorse": { + "CHS": "背书;认可;签署;赞同;在背面签名", + "ENG": "to express formal support or approval for someone or something" + }, + "takings": { + "CHS": "[会计] 收入;[金融] 进款", + "ENG": "You can use takings to refer to the amount of money that a business such as a shop or a movie theatre gets from selling its goods or tickets during a particular period" + }, + "cater": { + "CHS": "(Cater)人名;(英)凯特" + }, + "book": { + "CHS": "预订;登记", + "ENG": "to make arrangements to stay in a place, eat in a restaurant, go to a theatre etc at a particular time in the future" + }, + "stress": { + "CHS": "强调;使紧张;加压力于;用重音读", + "ENG": "to emphasize a statement, fact, or idea" + }, + "homely": { + "CHS": "家庭的;平凡的;不好看的", + "ENG": "not very attractive" + }, + "we": { + "CHS": "(We)人名;(缅)韦" + }, + "almanac": { + "CHS": "年鉴;历书;年历", + "ENG": "a book produced each year containing information about a particular subject, especially a sport, or important dates, times etc" + }, + "evolve": { + "CHS": "发展,进化;进化;使逐步形成;推断出", + "ENG": "if an animal or plant evolves, it changes gradually over a long period of time" + }, + "unpalatable": { + "CHS": "味道差的,难吃的;讨人厌的,使人不快的", + "ENG": "an unpalatable fact or idea is very unpleasant and difficult to accept" + }, + "awkward": { + "CHS": "尴尬的;笨拙的;棘手的;不合适的", + "ENG": "making you feel embarrassed so that you are not sure what to do or say" + }, + "browse": { + "CHS": "浏览;吃草", + "ENG": "Browse is also a noun" + }, + "naughty": { + "CHS": "顽皮的,淘气的;不听话的;没规矩的;不适当的;下流的", + "ENG": "a naughty child does not obey adults and behaves badly" + }, + "cult": { + "CHS": "祭仪(尤其指宗教上的);礼拜;狂热信徒", + "ENG": "a group of people who are very interested in a particular thing" + }, + "lens": { + "CHS": "给……摄影" + }, + "drainage": { + "CHS": "排水;排水系统;污水;排水面积", + "ENG": "the process or system by which water or waste liquid flows away" + }, + "cite": { + "CHS": "引用;传讯;想起;表彰", + "ENG": "to give the exact words of something that has been written, especially in order to support an opinion or prove an idea" + }, + "Negro": { + "CHS": "黑人的", + "ENG": "relating to or characteristic of Negroes " + }, + "meat": { + "CHS": "肉,肉类(食用)", + "ENG": "the flesh of animals and birds eaten as food" + }, + "poach": { + "CHS": "水煮;偷猎;窃取;把…踏成泥浆", + "ENG": "to illegally catch or shoot animals, birds, or fish, especially on private land without permission" + }, + "cone": { + "CHS": "使成锥形" + }, + "foible": { + "CHS": "弱点;小缺点;癖好", + "ENG": "a small weakness or strange habit that someone has, which does not harm anyone else" + }, + "pore": { + "CHS": "气孔;小孔", + "ENG": "one of the small holes in your skin that liquid, especially sweat , can pass through, or a similar hole in the surface of a plant" + }, + "leeway": { + "CHS": "余地;风压差;偏航;落后", + "ENG": "Leeway is the freedom that someone has to take the action they want to or to change their plans" + }, + "citizenship": { + "CHS": "[法] 公民身份,公民资格;国籍;公民权", + "ENG": "the legal right of belonging to a particular country" + }, + "scarce": { + "CHS": "仅仅;几乎不;几乎没有", + "ENG": "scarcely" + }, + "chef": { + "CHS": "厨师,大师傅", + "ENG": "a skilled cook, especially the main cook in a hotel or restaurant" + }, + "flout": { + "CHS": "嘲笑;藐视;愚弄", + "ENG": "If you flout something such as a law, an order, or an accepted way of behaving, you deliberately do not obey it or follow it" + }, + "contrive": { + "CHS": "设计;发明;图谋", + "ENG": "to make or invent something in a skilful way, especially because you need it suddenly" + }, + "important": { + "CHS": "重要的,重大的;有地位的;有权力的", + "ENG": "an important event, decision, problem etc has a big effect or influence on people’s lives or on events in the future" + }, + "rectitude": { + "CHS": "公正;诚实;清廉", + "ENG": "behaviour that is honest and morally correct" + }, + "sport": { + "CHS": "运动的" + }, + "dogged": { + "CHS": "跟踪;尾随(dog的过去式)" + }, + "orbital": { + "CHS": "轨道的;眼窝的", + "ENG": "relating to the orbit of one object around another" + }, + "sixth": { + "CHS": "(与 the 连用)第六的,第六个的;六分之一的", + "ENG": "coming after five other things in a series" + }, + "mammal": { + "CHS": "[脊椎] 哺乳动物", + "ENG": "a type of animal that drinks milk from its mother’s body when it is young. Humans, dogs, and whales are mammals." + }, + "mathematics": { + "CHS": "数学;数学运算", + "ENG": "the science of numbers and of shapes, including algebra , geometry , and arithmetic " + }, + "inflation": { + "CHS": "膨胀;通货膨胀;夸张;自命不凡", + "ENG": "a continuing increase in prices, or the rate at which prices increase" + }, + "brow": { + "CHS": "眉,眉毛;额;表情", + "ENG": "the part of your face above your eyes and below your hair" + }, + "dramatize": { + "CHS": "使戏剧化;编写剧本;改编成戏剧", + "ENG": "to make a book or event into a play or film" + }, + "passport": { + "CHS": "护照,通行证;手段", + "ENG": "a small official document that you get from your government, that proves who you are, and which you need in order to leave your country and enter other countries" + }, + "survival": { + "CHS": "幸存,残存;幸存者,残存物", + "ENG": "the state of continuing to live or exist" + }, + "delivery": { + "CHS": "[贸易] 交付;分娩;递送", + "ENG": "the act of bringing goods, letters etc to a particular person or place, or the things that are brought" + }, + "indicative": { + "CHS": "陈述语气;陈述语气的动词形式", + "ENG": "the form of a verb that is used to make statements. For example, in the sentences ‘Penny passed her test’, and ‘Michael likes cake’, the verbs ‘passed’ and ‘likes’ are in the indicative." + }, + "barbarian": { + "CHS": "野蛮人", + "ENG": "someone from a different tribe or land, who people believe to be wild and not civilized " + }, + "slate": { + "CHS": "板岩的;石板色的" + }, + "planet": { + "CHS": "行星", + "ENG": "A planet is a large, round object in space that moves around a star. The Earth is a planet. " + }, + "tartly": { + "CHS": "辛辣地;锋利地" + }, + "frontal": { + "CHS": "额骨,额部;房屋的正面" + }, + "forbear": { + "CHS": "祖先", + "ENG": "a forebear " + }, + "electrocute": { + "CHS": "(美)以电椅处死;使触电致死", + "ENG": "if someone is electrocuted, they are injured or killed by electricity passing through their body" + }, + "dab": { + "CHS": "轻拍;涂;轻擦;轻敷(过去式dabbed,过去分词dabbed,现在分词dabbing,第三人称单数dabs)", + "ENG": "to touch something lightly several times, usually with something such as a cloth" + }, + "sore": { + "CHS": "溃疡,痛处;恨事,伤心事", + "ENG": "a painful, often red, place on your body caused by a wound or infection" + }, + "kaleidoscope": { + "CHS": "万花筒;千变万化", + "ENG": "a pattern, situation, or scene that is always changing and has many details or bright colours" + }, + "abstain": { + "CHS": "自制;放弃;避免", + "ENG": "If you abstain during a vote, you do not use your vote" + }, + "goods": { + "CHS": "商品;动产;合意的人;真本领", + "ENG": "things that are produced in order to be sold" + }, + "materialism": { + "CHS": "唯物主义;唯物论;物质主义", + "ENG": "the belief that money and possessions are more important than art, religion, moral beliefs etc – used in order to show disapproval" + }, + "turnover": { + "CHS": "翻过来的;可翻转的" + }, + "perturb": { + "CHS": "扰乱;使…混乱;使…心绪不宁", + "ENG": "If something perturbs you, it worries you quite a lot" + }, + "renaissance": { + "CHS": "文艺复兴(欧洲14至17世纪)", + "ENG": "a new interest in something, especially a particular form of art, music etc, that has not been popular for a long period" + }, + "nuance": { + "CHS": "细微差别", + "ENG": "a very slight, hardly noticeable difference in manner, colour, meaning etc" + }, + "paperweight": { + "CHS": "书镇;压纸器;镇纸", + "ENG": "a small heavy object used to hold pieces of paper in place" + }, + "protest": { + "CHS": "表示抗议的;抗议性的" + }, + "chaste": { + "CHS": "(Chaste)人名;(法)沙斯特" + }, + "garage": { + "CHS": "把……送入车库;把(汽车)开进车库", + "ENG": "to put or keep a vehicle in a garage" + }, + "yearn": { + "CHS": "渴望,向往;思念,想念;怀念;同情,怜悯", + "ENG": "to have a strong desire for something, especially something that is difficult or impossible to get" + }, + "microprocessor": { + "CHS": "[计] 微处理器", + "ENG": "the central chip in a computer, which controls most of its operations" + }, + "psychotherapist": { + "CHS": "精神治疗医师", + "ENG": "A psychotherapist is a person who treats people who are mentally ill using psychotherapy" + }, + "nonchalant": { + "CHS": "冷淡的,漠不关心的", + "ENG": "If you describe someone as nonchalant, you mean that they appear not to worry or care about things and that they seem very calm" + }, + "inviolable": { + "CHS": "不可侵犯的;神圣的;不可亵渎的", + "ENG": "an inviolable right, law, principle etc is extremely important and should be treated with respect and not broken or removed" + }, + "purify": { + "CHS": "净化;使纯净", + "ENG": "to remove dirty or harmful substances from something" + }, + "manoeuvre": { + "CHS": "策略(等于maneuvre)", + "ENG": "a skilful or carefully planned action intended to gain an advantage for yourself" + }, + "sphere": { + "CHS": "球体的" + }, + "sweetheart": { + "CHS": "私下签订的;私下达成的" + }, + "boat": { + "CHS": "划船" + }, + "static": { + "CHS": "静电;静电干扰", + "ENG": "noise caused by electricity in the air that blocks or spoils the sound from radio or TV" + }, + "underdeveloped": { + "CHS": "不发达的", + "ENG": "a country, area etc that is poor and where there is not much modern industry" + }, + "plight": { + "CHS": "保证;约定", + "ENG": "to give or pledge (one's word) " + }, + "leading": { + "CHS": "领导(lead的ing形式)" + }, + "syllabic": { + "CHS": "音节主音", + "ENG": "a syllabic consonant " + }, + "isolate": { + "CHS": "隔离的;孤立的" + }, + "definite": { + "CHS": "一定的;确切的", + "ENG": "clearly known, seen, or stated" + }, + "peasant": { + "CHS": "农民;乡下人", + "ENG": "a poor farmer who owns or rents a small amount of land, either in past times or in poor countries" + }, + "outskirts": { + "CHS": "市郊,郊区", + "ENG": "the parts of a town or city that are furthest from the centre" + }, + "mend": { + "CHS": "好转,改进;修补处", + "ENG": "to be getting better after an illness or after a difficult period" + }, + "acquire": { + "CHS": "获得;取得;学到;捕获", + "ENG": "to obtain something by buying it or being given it" + }, + "channel": { + "CHS": "通道;频道;海峡", + "ENG": "a television station and all the programmes that it broadcasts" + }, + "trundle": { + "CHS": "使滚动;运送", + "ENG": "If you trundle something somewhere, especially a small, heavy object with wheels, you move or roll it along slowly" + }, + "ear": { + "CHS": "(美俚)听见;抽穗" + }, + "nourish": { + "CHS": "滋养;怀有;使健壮", + "ENG": "to give a person or other living thing the food and other substances they need in order to live, grow, and stay healthy" + }, + "backhand": { + "CHS": "反手的(网球等运动中的动作)" + }, + "scale": { + "CHS": "衡量;攀登;剥落;生水垢", + "ENG": "to climb to the top of something that is high and difficult to climb" + }, + "dustcart": { + "CHS": "垃圾车", + "ENG": "A dustcart is a large truck which collects the garbage from outside people's houses" + }, + "lament": { + "CHS": "哀悼;悲叹;悔恨", + "ENG": "to express feelings of great sadness about something" + }, + "respondent": { + "CHS": "[法] 被告;应答者", + "ENG": "someone who has to defend their own case in a law court, especially in a divorce case" + }, + "mostly": { + "CHS": "主要地;通常;多半地", + "ENG": "used to talk about most members of a group, most occasions, most parts of something etc" + }, + "jellyfish": { + "CHS": "水母;[无脊椎] 海蜇;软弱无能的人", + "ENG": "a sea animal that has a round transparent body and can sting you" + }, + "turmoil": { + "CHS": "混乱,骚动", + "ENG": "a state of confusion, excitement, or anxiety" + }, + "extreme": { + "CHS": "极端;末端;最大程度;极端的事物", + "ENG": "a situation, quality etc which is as great as it can possibly be – used especially when talking about two opposites" + }, + "blast": { + "CHS": "猛攻", + "ENG": "to criticize someone or something very strongly – used especially in news reports" + }, + "frankly": { + "CHS": "真诚地,坦白地", + "ENG": "used to show that you are saying what you really think about something" + }, + "deficiency": { + "CHS": "缺陷,缺点;缺乏;不足的数额", + "ENG": "a lack of something that is necessary" + }, + "submerge": { + "CHS": "淹没;把…浸入;沉浸", + "ENG": "to make yourself very busy doing something, especially in order to forget about something else" + }, + "hefty": { + "CHS": "体格健壮的人" + }, + "entrant": { + "CHS": "进入者;新会员;参加竞赛者;新工作者", + "ENG": "someone who takes part in a competition" + }, + "goose": { + "CHS": "突然加大油门;嘘骂" + }, + "violent": { + "CHS": "暴力的;猛烈的", + "ENG": "involving actions that are intended to injure or kill people, by hitting them, shooting them etc" + }, + "shilling": { + "CHS": "先令", + "ENG": "an old British coin or unit of money. There were 20 shillings in one pound." + }, + "magpie": { + "CHS": "鹊的;有收集癖的;斑驳的,混杂的" + }, + "hardback": { + "CHS": "精装的;硬封面的" + }, + "destroyer": { + "CHS": "驱逐舰;破坏者;起破坏作用的事物", + "ENG": "a small fast military ship with guns" + }, + "firebrand": { + "CHS": "火把;煽动叛乱者;放火者", + "ENG": "someone who tries to make people angry about a law, government etc so that they will try to change it" + }, + "counterbalance": { + "CHS": "使平衡;抵消", + "ENG": "to have an equal and opposite effect to something such as a change, feeling etc" + }, + "movable": { + "CHS": "动产;可移动的东西", + "ENG": "a personal possession such as a piece of furniture" + }, + "suffice": { + "CHS": "使满足;足够…用;合格", + "ENG": "to be enough" + }, + "binoculars": { + "CHS": "[光] 双筒望远镜;[光] 双筒镜,[光] 双目镜", + "ENG": "a pair of special glasses, that you hold up to your eyes to look at objects that are a long distance away" + }, + "rapist": { + "CHS": "强奸犯", + "ENG": "a person who has rape d someone (= forced them to have sex, especially using violence )" + }, + "salute": { + "CHS": "行礼致敬,欢迎", + "ENG": "to move your right hand to your head, especially in order to show respect to an officer in the army, navy etc" + }, + "linguist": { + "CHS": "语言学家", + "ENG": "someone who studies or teaches linguistics" + }, + "crop": { + "CHS": "种植;收割;修剪;剪短", + "ENG": "to cut someone’s hair short" + }, + "bloody": { + "CHS": "很" + }, + "diversify": { + "CHS": "使多样化,使变化;增加产品种类以扩大", + "ENG": "if a business, company, country etc diversifies, it increases the range of goods or services it produces" + }, + "deport": { + "CHS": "(Deport)人名;(捷)德波特;(法)德波尔" + }, + "encroach": { + "CHS": "蚕食,侵占", + "ENG": "to gradually take more of someone’s time, possessions, rights etc than you should" + }, + "dagger": { + "CHS": "用剑刺" + }, + "throng": { + "CHS": "拥挤的" + }, + "confirm": { + "CHS": "确认;确定;证实;批准;使巩固", + "ENG": "to show that something is definitely true, especially by providing more proof" + }, + "ending": { + "CHS": "结局;结尾", + "ENG": "the way that a story, film, activity etc finishes" + }, + "swine": { + "CHS": "猪;卑贱的人", + "ENG": "someone who behaves very rudely or unpleasantly" + }, + "criticism": { + "CHS": "批评;考证;苛求", + "ENG": "remarks that say what you think is bad about someone or something" + }, + "festive": { + "CHS": "节日的;喜庆的;欢乐的", + "ENG": "looking or feeling bright and cheerful in a way that seems suitable for celebrating something" + }, + "grammatical": { + "CHS": "文法的;符合语法规则的", + "ENG": "concerning grammar" + }, + "novelist": { + "CHS": "小说家", + "ENG": "someone who writes novels" + }, + "execrable": { + "CHS": "恶劣的;可憎恨的", + "ENG": "If you describe something as execrable, you mean that it is very bad or unpleasant" + }, + "predatory": { + "CHS": "掠夺的,掠夺成性的;食肉的;捕食生物的", + "ENG": "a predatory animal kills and eats other animals for food" + }, + "housewarming": { + "CHS": "乔迁庆宴", + "ENG": "A housewarming is a party that you give for friends when you have just moved to a new house" + }, + "priceless": { + "CHS": "非卖品" + }, + "epitomise": { + "CHS": "象征;体现;代表(等于epitomize)" + }, + "foodstuff": { + "CHS": "食品,食物;粮食,食料", + "ENG": "food - used especially when talking about the business of producing or selling food" + }, + "prosperity": { + "CHS": "繁荣,成功", + "ENG": "when people have money and everything that is needed for a good life" + }, + "stalwart": { + "CHS": "坚定分子", + "ENG": "someone who is very loyal to a particular organization or set of ideas, and works hard for them" + }, + "vacant": { + "CHS": "(Vacant)人名;(法)瓦康" + }, + "easily": { + "CHS": "容易地;无疑地", + "ENG": "without problems or difficulties" + }, + "pious": { + "CHS": "虔诚的;敬神的;可嘉的;尽责的", + "ENG": "having strong religious beliefs, and showing this in the way you behave" + }, + "snatch": { + "CHS": "夺得;抽空做;及时救助" + }, + "both": { + "CHS": "(Both)人名;(德、罗、捷、南非、匈)博特" + }, + "orderly": { + "CHS": "顺序地;依次地" + }, + "sustenance": { + "CHS": "食物;生计;支持", + "ENG": "food that people or animals need in order to live" + }, + "many": { + "CHS": "(Many)人名;(法)马尼" + }, + "persuade": { + "CHS": "空闲的,有闲的" + }, + "thicket": { + "CHS": "[林] 灌木丛;丛林;错综复杂", + "ENG": "a group of bushes and small trees" + }, + "populous": { + "CHS": "人口稠密的;人口多的", + "ENG": "a populous area has a large population in relation to its size" + }, + "everything": { + "CHS": "每件事物;最重要的东西;(有关的)一切;万事", + "ENG": "each thing or all things" + }, + "cashier": { + "CHS": "解雇;抛弃" + }, + "altitude": { + "CHS": "高地;高度;[数] 顶垂线;(等级和地位等的)高级;海拔", + "ENG": "the height of an object or place above the sea" + }, + "desire": { + "CHS": "想要;要求;希望得到…", + "ENG": "If you desire something, you want it" + }, + "bosom": { + "CHS": "知心的;亲密的", + "ENG": "A bosom buddy is a friend who you know very well and like very much" + }, + "overleaf": { + "CHS": "背面的;次页的" + }, + "kerosene": { + "CHS": "煤油,火油", + "ENG": "a clear oil that is burnt to provide heat or light" + }, + "utopia": { + "CHS": "乌托邦(理想中最美好的社会);理想国", + "ENG": "an imaginary perfect world where everyone is happy" + }, + "every": { + "CHS": "(Every)人名;(英)埃夫里" + }, + "dishonour": { + "CHS": "拒付;不名誉", + "ENG": "loss of respect from other people, because you have behaved in a morally unacceptable way" + }, + "unplug": { + "CHS": "去掉…的障碍物;拔去…的塞子或插头", + "ENG": "to disconnect a piece of electrical equipment by pulling its plug out of a socket" + }, + "fairground": { + "CHS": "露天市场;举行赛会的场所;游乐场", + "ENG": "an open space on which a fair21 takes place" + }, + "expect": { + "CHS": "期望;指望;认为;预料", + "ENG": "to think that something will happen because it seems likely or has been planned" + }, + "council": { + "CHS": "委员会;会议;理事会;地方议会;顾问班子", + "ENG": "a group of people that are chosen to make rules, laws, or decisions, or to give advice" + }, + "ha": { + "CHS": "(Ha)人名;(德)哈;(日)巴 (姓)", + "ENG": "used when you are surprised or have discovered something interesting" + }, + "evocative": { + "CHS": "唤起的;唤出的", + "ENG": "making people remember something by producing a feeling or memory in them" + }, + "laptop": { + "CHS": "膝上型轻便电脑,笔记本电脑", + "ENG": "a small computer that you can carry with you" + }, + "stubble": { + "CHS": "残株;发茬,须茬", + "ENG": "short stiff hairs that grow on a man’s face if he does not shave " + }, + "wade": { + "CHS": "跋涉;可涉水而过的地方" + }, + "defend": { + "CHS": "辩护;防护", + "ENG": "to use arguments to protect something or someone from criticism, or to prove that something is right" + }, + "lazy": { + "CHS": "(Lazy)人名;(德)拉齐" + }, + "flag": { + "CHS": "标志;旗子", + "ENG": "an expression meaning a country or organization and its beliefs, values, and people" + }, + "climax": { + "CHS": "高潮;顶点;层进法;极点", + "ENG": "the most exciting or important part of a story or experience, which usually comes near the end" + }, + "available": { + "CHS": "可获得的;可购得的;可找到的;有空的", + "ENG": "something that is available is able to be used or can easily be bought or found" + }, + "imperil": { + "CHS": "危及;使陷于危险", + "ENG": "to put something or someone in danger" + }, + "edition": { + "CHS": "版本", + "ENG": "the form that a book, newspaper, magazine etc is produced in" + }, + "youth": { + "CHS": "青年;青春;年轻;青少年时期", + "ENG": "the period of time when someone is young, especially the period when someone is a teenager" + }, + "fiddling": { + "CHS": "拉小提琴;虚度时光(fiddle的ing形式)" + }, + "demote": { + "CHS": "使降级;使降职", + "ENG": "to make someone’s rank or position lower or less important" + }, + "burial": { + "CHS": "埋葬的" + }, + "untie": { + "CHS": "解开;解决;使自由", + "ENG": "to take the knots out of something, or unfasten something that has been tied" + }, + "girder": { + "CHS": "[建] 大梁,纵梁", + "ENG": "a strong beam, made of iron or steel, that supports a floor, roof, or bridge" + }, + "fodder": { + "CHS": "喂" + }, + "shroud": { + "CHS": "覆盖;包以尸衣", + "ENG": "to cover or hide something" + }, + "distribute": { + "CHS": "分配;散布;分开;把…分类", + "ENG": "to share things among a group of people, especially in a planned way" + }, + "shapely": { + "CHS": "定形的;形状美观的;样子好的;有条理的", + "ENG": "If you describe a woman as shapely, you mean that she has an attractive shape" + }, + "perpetual": { + "CHS": "永久的;不断的;四季开花的;无期限的", + "ENG": "continuing all the time without changing or stopping" + }, + "politician": { + "CHS": "政治家,政客", + "ENG": "someone who works in politics, especially an elected member of the government" + }, + "transfigure": { + "CHS": "使变形;使改观;美化;理想化", + "ENG": "to change the way someone or something looks, especially so that they become more beautiful" + }, + "repulse": { + "CHS": "拒绝;击退" + }, + "Spanish": { + "CHS": "西班牙语;西班牙人", + "ENG": "the language used in Spain and parts of Latin America" + }, + "leak": { + "CHS": "使渗漏,泄露", + "ENG": "if a container, pipe, roof etc leaks, or if it leaks gas, liquid etc, there is a small hole or crack in it that lets gas or liquid flow through" + }, + "seagull": { + "CHS": "海鸥", + "ENG": "a large common grey or white bird that lives near the sea" + }, + "venue": { + "CHS": "审判地;犯罪地点;发生地点;集合地点" + }, + "leave": { + "CHS": "许可,同意;休假", + "ENG": "time that you are allowed to spend away from your work, especially in the armed forces" + }, + "warfare": { + "CHS": "战争;冲突", + "ENG": "the activity of fighting in a war – used especially when talking about particular methods of fighting" + }, + "everybody": { + "CHS": "每个人;人人", + "ENG": "everyone" + }, + "inform": { + "CHS": "通知;告诉;报告", + "ENG": "to officially tell someone about something or give them information" + }, + "gripe": { + "CHS": "绞痛;握紧;惹恼" + }, + "reckon": { + "CHS": "测算,估计;认为;计算", + "ENG": "spoken to think or suppose something" + }, + "wretched": { + "CHS": "可怜的;卑鄙的;令人苦恼或难受的", + "ENG": "making you feel annoyed or angry" + }, + "adapter": { + "CHS": "适配器;改编者;接合器;适应者", + "ENG": "an object that you use to connect two different pieces of electrical equipment, or to connect two pieces of equipment to the same power supply" + }, + "millionaire": { + "CHS": "100万以上人口的" + }, + "modesty": { + "CHS": "谦逊;质朴;稳重", + "ENG": "a modest way of behaving or talking" + }, + "exhaust": { + "CHS": "排气;废气;排气装置", + "ENG": "a pipe on a car or machine that waste gases pass through" + }, + "domineering": { + "CHS": "实行暴政;高耸;流行(domineer的ing形式)" + }, + "mortuary": { + "CHS": "死的;悲哀的", + "ENG": "connected with death or funerals" + }, + "coroner": { + "CHS": "验尸官", + "ENG": "an official whose job is to discover the cause of someone’s death, especially if they died in a sudden or unusual way" + }, + "cocoa": { + "CHS": "可可粉;可可豆;可可饮料;深褐色", + "ENG": "a brown powder made from cocoa beans, used to make chocolate and to give a chocolate taste to foods" + }, + "causal": { + "CHS": "表示原因的连词" + }, + "expose": { + "CHS": "揭露,揭发;使曝光;显示", + "ENG": "to show something that is usually covered or hidden" + }, + "antiquity": { + "CHS": "高龄;古物;古代的遗物", + "ENG": "ancient times" + }, + "Christianity": { + "CHS": "基督教;基督教精神,基督教教义", + "ENG": "the religion based on the life and beliefs of Jesus Christ" + }, + "withdraw": { + "CHS": "撤退;收回;撤消;拉开", + "ENG": "to stop taking part in an activity, belonging to an organization etc, or to make someone do this" + }, + "selection": { + "CHS": "选择,挑选;选集;精选品", + "ENG": "the careful choice of a particular person or thing from a group of similar people or things" + }, + "bin": { + "CHS": "把…放入箱中" + }, + "westward": { + "CHS": "向西", + "ENG": "towards the west" + }, + "marquee": { + "CHS": "选取框;大天幕;华盖" + }, + "overnight": { + "CHS": "过一夜" + }, + "lumber": { + "CHS": "木材;废物,无用的杂物;隆隆声", + "ENG": "pieces of wood used for building, that have been cut to specific lengths and widths" + }, + "shamble": { + "CHS": "蹒跚;摇晃的脚步", + "ENG": "an awkward or unsteady walk " + }, + "forty": { + "CHS": "四十的;四十个的" + }, + "stereotypically": { + "CHS": "带有成见地" + }, + "dome": { + "CHS": "加圆屋顶于…上" + }, + "alcoholic": { + "CHS": "酒鬼,酗酒者", + "ENG": "someone who regularly drinks too much alcohol and has difficulty stopping" + }, + "to": { + "CHS": "(To)人名;(柬)多;(中)脱(普通话·威妥玛)" + }, + "hydroelectricity": { + "CHS": "水力电气", + "ENG": "Hydroelectricity is electricity made from the energy of running water" + }, + "headway": { + "CHS": "前进;进步;航行速度;间隔时间", + "ENG": "to move forwards – used especially when this is slow or difficult" + }, + "selfless": { + "CHS": "无私的;不考虑自己的", + "ENG": "caring about other people more than about yourself – used to show approval" + }, + "therapeutic": { + "CHS": "治疗剂;治疗学家" + }, + "uphold": { + "CHS": "支撑;鼓励;赞成;举起" + }, + "generator": { + "CHS": "发电机;发生器;生产者", + "ENG": "a machine that produces electricity" + }, + "registrar": { + "CHS": "登记员;注册主任;专科住院医师", + "ENG": "an official of a college or university who deals with the running of the college" + }, + "radioactivity": { + "CHS": "放射性;[核] 放射能力;[核] 放射现象", + "ENG": "the sending out of radiation (= a form of energy ) when the nucleus (= central part ) of an atom has broken apart" + }, + "challenging": { + "CHS": "要求;质疑;反对;向…挑战;盘问(challenge的ing形式)" + }, + "invisible": { + "CHS": "无形的,看不见的;无形的;不显眼的,暗藏的", + "ENG": "something that is invisible cannot be seen" + }, + "awake": { + "CHS": "醒着的", + "ENG": "not sleeping" + }, + "tariff": { + "CHS": "定税率;征收关税" + }, + "remote": { + "CHS": "远程" + }, + "comb": { + "CHS": "梳头发;梳毛", + "ENG": "to make hair look tidy using a comb" + }, + "crush": { + "CHS": "粉碎;迷恋;压榨;拥挤的人群", + "ENG": "a crowd of people pressed so close together that it is difficult for them to move" + }, + "himself": { + "CHS": "他自己;他亲自,他本人" + }, + "bookstore": { + "CHS": "书店(等于bookshop)", + "ENG": "a shop that sells books" + }, + "variety": { + "CHS": "多样;种类;杂耍;变化,多样化", + "ENG": "the differences within a group, set of actions etc that make it interesting" + }, + "squalid": { + "CHS": "肮脏的;污秽的;卑劣的", + "ENG": "very dirty and unpleasant because of a lack of care or money" + }, + "primary": { + "CHS": "原色;最主要者" + }, + "despoil": { + "CHS": "掠夺,剥夺;夺取", + "ENG": "to steal from a place or people using force, especially in a war" + }, + "decide": { + "CHS": "决定;解决;判决", + "ENG": "to make a choice or judgment about something, especially after considering all the possibilities or arguments" + }, + "unlock": { + "CHS": "开启;开…的锁;表露", + "ENG": "to unfasten the lock on a door, box etc" + }, + "miracle": { + "CHS": "奇迹,奇迹般的人或物;惊人的事例", + "ENG": "something very lucky or very good that happens which you did not expect to happen or did not think was possible" + }, + "species": { + "CHS": "物种上的" + }, + "frenzied": { + "CHS": "使狂乱(frenzy的过去式)" + }, + "tongue": { + "CHS": "舔;斥责;用舌吹", + "ENG": "to use your tongue to make separate sounds when playing a musical instrument" + }, + "highland": { + "CHS": "高原的;高地的", + "ENG": "relating to the Scottish Highlands or its people" + }, + "rebuild": { + "CHS": "重建;改造,重新组装;复原", + "ENG": "to build something again, after it has been damaged or destroyed" + }, + "concur": { + "CHS": "同意;一致;互助", + "ENG": "to agree with someone or have the same opinion as them" + }, + "latter": { + "CHS": "(Latter)人名;(英、德、捷)拉特" + }, + "compile": { + "CHS": "编译;编制;编辑;[图情] 汇编", + "ENG": "to make a book, list, record etc, using different pieces of information, music etc" + }, + "review": { + "CHS": "回顾;检查;复审", + "ENG": "to examine, consider, and judge a situation or process carefully in order to see if changes are necessary" + }, + "team": { + "CHS": "使合作", + "ENG": "to put two things or people together, because they will look good or work well together" + }, + "pajamas": { + "CHS": "睡衣;宽长裤" + }, + "reservoir": { + "CHS": "水库;蓄水池", + "ENG": "a lake, especially an artificial one, where water is stored before it is supplied to people’s houses" + }, + "waitress": { + "CHS": "做女服务生" + }, + "cradle": { + "CHS": "抚育;把搁在支架上;把放在摇篮内" + }, + "statement": { + "CHS": "声明;陈述,叙述;报表,清单", + "ENG": "something you say or write, especially publicly or officially, to let people know your intentions or opinions, or to record facts" + }, + "generate": { + "CHS": "使形成;发生;生殖;产生物理反应", + "ENG": "to produce or cause something" + }, + "coalition": { + "CHS": "联合;结合,合并", + "ENG": "a union of two or more political parties that allows them to form a government or fight an election together" + }, + "regatta": { + "CHS": "赛舟会;平底船比赛", + "ENG": "a sports event at which there are races for rowing boats or sailing boats" + }, + "procedure": { + "CHS": "程序,手续;步骤", + "ENG": "a way of doing something, especially the correct or usual way" + }, + "racketeer": { + "CHS": "对…进行勒索" + }, + "battalion": { + "CHS": "营,军营;军队,部队", + "ENG": "a large group of soldiers consisting of several companies ( company )" + }, + "sleeper": { + "CHS": "卧车;卧铺;枕木;睡眠者", + "ENG": "a heavy piece of wood or concrete that supports a railway track" + }, + "solace": { + "CHS": "安慰;抚慰;使快乐(过去式solaced,过去分词solaced,现在分词solacing,第三人称单数solaces)" + }, + "unremitting": { + "CHS": "不懈的;不间断的;坚忍的", + "ENG": "continuing for a long time and not likely to stop" + }, + "untruth": { + "CHS": "虚假,不真实;谎言", + "ENG": "a lie – used when you want to avoid saying the word ‘lie’" + }, + "disappointing": { + "CHS": "令人失望(disappoint的ing形式);辜负…的期望" + }, + "orchestrate": { + "CHS": "把…编成管弦乐曲;(美)精心安排;把…协调地结合起来", + "ENG": "to organize an important event or a complicated plan, especially secretly" + }, + "vivid": { + "CHS": "生动的;鲜明的;鲜艳的", + "ENG": "vivid memories, dreams, descriptions etc are so clear that they seem real" + }, + "sad": { + "CHS": "难过的;悲哀的,令人悲痛的;凄惨的,阴郁的(形容颜色)", + "ENG": "not happy, especially because something unpleasant has happened" + }, + "demanding": { + "CHS": "要求;查问(demand的ing形式)" + }, + "mythology": { + "CHS": "神话;神话学;神话集", + "ENG": "set of ancient myths" + }, + "omen": { + "CHS": "预示;有…的前兆;预告" + }, + "tedious": { + "CHS": "沉闷的;冗长乏味的", + "ENG": "something that is tedious continues for a long time and is not interesting" + }, + "where": { + "CHS": "地点" + }, + "inflict": { + "CHS": "造成;使遭受(损伤、痛苦等);给予(打击等)", + "ENG": "To inflict harm or damage on someone or something means to make them suffer it" + }, + "surplus": { + "CHS": "剩余的;过剩的", + "ENG": "more than what is needed or used" + }, + "amid": { + "CHS": "(Amid)人名;(法、阿拉伯)阿米德" + }, + "pin": { + "CHS": "钉住;压住;将……用针别住", + "ENG": "to fasten something somewhere, or to join two things together, using a pin" + }, + "hateful": { + "CHS": "可憎的;可恨的;可恶的", + "ENG": "very bad, unpleasant, or unkind" + }, + "mobility": { + "CHS": "移动性;机动性;[电子] 迁移率", + "ENG": "the ability to move easily from one job, area, or social class to another" + }, + "build": { + "CHS": "构造;体形;体格", + "ENG": "the shape and size of someone’s body" + }, + "church": { + "CHS": "领…到教堂接受宗教仪式" + }, + "butt": { + "CHS": "以头抵撞;碰撞", + "ENG": "to hit or push against something or someone with your head" + }, + "tripper": { + "CHS": "远足者;旅行者;绊跌者", + "ENG": "a person who goes on a trip " + }, + "peninsula": { + "CHS": "半岛", + "ENG": "a piece of land almost completely surrounded by water but joined to a large area of land" + }, + "controversy": { + "CHS": "争论;论战;辩论", + "ENG": "a serious argument about something that involves many people and continues for a long time" + }, + "hoary": { + "CHS": "久远的,古老的;灰白的", + "ENG": "grey or white in colour, especially through age" + }, + "kingdom": { + "CHS": "王国;界;领域", + "ENG": "a country ruled by a king or queen" + }, + "ellipse": { + "CHS": "[数] 椭圆形,[数] 椭圆", + "ENG": "a curved shape like a circle, but with two slightly longer and flatter sides" + }, + "fireside": { + "CHS": "炉边的;非正式的" + }, + "cruelty": { + "CHS": "残酷;残忍;残酷的行为", + "ENG": "behaviour or actions that deliberately cause pain to people or animals" + }, + "fever": { + "CHS": "发烧;狂热;患热病" + }, + "forewarn": { + "CHS": "预先警告", + "ENG": "to warn someone about something dangerous, unpleasant, or unexpected before it happens" + }, + "brokerage": { + "CHS": "佣金;回扣;中间人业务", + "ENG": "the amount of money a broker charges" + }, + "develop": { + "CHS": "开发;进步;使成长;使显影", + "ENG": "to grow or change into something bigger, stronger, or more advanced, or to make someone or something do this" + }, + "viscount": { + "CHS": "(英国的)子爵", + "ENG": "a British nobleman with a rank between that of an earl and a baron" + }, + "salary": { + "CHS": "薪水", + "ENG": "money that you receive as payment from the organization you work for, usually paid to you every month" + }, + "cursive": { + "CHS": "草书;手写体(一种印刷字体)", + "ENG": "a cursive letter or printing type " + }, + "almost": { + "CHS": "差不多,几乎", + "ENG": "nearly, but not completely or not quite" + }, + "journalist": { + "CHS": "新闻工作者;报人;记日志者", + "ENG": "someone who writes news reports for newspapers, magazines, television, or radio" + }, + "foolish": { + "CHS": "愚蠢的;傻的", + "ENG": "a foolish action, remark etc is stupid and shows that someone is not thinking sensibly" + }, + "tarnish": { + "CHS": "玷污;使……失去光泽;使……变灰暗", + "ENG": "if an event or fact tarnishes someone’s reputation , record, image etc, it makes it worse" + }, + "aerodynamics": { + "CHS": "[流] 气体力学;[航] 航空动力学", + "ENG": "the scientific study of how objects move through the air" + }, + "gravitate": { + "CHS": "受引力作用;被吸引", + "ENG": "to be attracted to something and therefore move towards it or become involved with it" + }, + "stability": { + "CHS": "稳定性;坚定,恒心", + "ENG": "the condition of being steady and not changing" + }, + "assurance": { + "CHS": "保证,担保;(人寿)保险;确信;断言;厚脸皮,无耻", + "ENG": "a promise that something will definitely happen or is definitely true, made especially to make someone less worried" + }, + "hose": { + "CHS": "用软管浇水;痛打", + "ENG": "to wash or pour water over something or someone, using a hose" + }, + "rein": { + "CHS": "控制;驾驭;勒住" + }, + "biotechnology": { + "CHS": "[生物] 生物技术;[生物] 生物工艺学", + "ENG": "the use of living things such as cells, bacteria etc to make drugs, destroy waste matter etc" + }, + "itemise": { + "CHS": "详细列明(等于itemize)" + }, + "since": { + "CHS": "后来", + "ENG": "When you are talking about an event or situation in the past, you use since to indicate that another event happened at some point later in time" + }, + "incomplete": { + "CHS": "不完全的;[计] 不完备的", + "ENG": "not having everything that should be there, or not completely finished" + }, + "fat": { + "CHS": "养肥;在…中加入脂肪" + }, + "complacent": { + "CHS": "自满的;得意的;满足的", + "ENG": "pleased with a situation, especially something you have achieved, so that you stop trying to improve or change things – used to show disapproval" + }, + "balmy": { + "CHS": "(Balmy)人名;(法)巴尔米" + }, + "trademark": { + "CHS": "商标", + "ENG": "a special name, sign, or word that is marked on a product to show that it is made by a particular company, that cannot be used by any other company" + }, + "wear": { + "CHS": "穿着;用旧;耗损;面露", + "ENG": "to have a particular expression on your face" + }, + "quicksand": { + "CHS": "[水利] 流沙,危险状态", + "ENG": "wet sand that is dangerous because you sink down into it if you try to walk on it" + }, + "deem": { + "CHS": "(Deem)人名;(英)迪姆" + }, + "fetter": { + "CHS": "束缚;羁绊;脚镣" + }, + "laurel": { + "CHS": "授予荣誉,使戴桂冠" + }, + "adroit": { + "CHS": "敏捷的,灵巧的;熟练的", + "ENG": "clever and skilful, especially in the way you use words and arguments" + }, + "scant": { + "CHS": "减少;节省;限制" + }, + "symbol": { + "CHS": "象征;符号;标志", + "ENG": "a picture or shape that has a particular meaning or represents a particular organization or idea" + }, + "clearance": { + "CHS": "清除;空隙", + "ENG": "the removal of unwanted things from a place" + }, + "word": { + "CHS": "用言辞表达", + "ENG": "to use words that are carefully chosen in order to express something" + }, + "hardtop": { + "CHS": "给…铺硬质路面" + }, + "repute": { + "CHS": "名誉;认为;把…称为" + }, + "scooter": { + "CHS": "小轮摩托车;速可达;单脚滑行车;小孩滑板车", + "ENG": "a type of small, less powerful motorcycle with small wheels" + }, + "destitute": { + "CHS": "使穷困;夺去" + }, + "thankful": { + "CHS": "感谢的;欣慰的", + "ENG": "grateful and glad about something that has happened, especially because without it the situation would be much worse" + }, + "abandon": { + "CHS": "遗弃;放弃", + "ENG": "to leave someone, especially someone you are responsible for" + }, + "summary": { + "CHS": "概要,摘要,总结", + "ENG": "a short statement that gives the main information about something, without giving all the details" + }, + "miserable": { + "CHS": "悲惨的;痛苦的;卑鄙的", + "ENG": "extremely unhappy, for example because you feel lonely, cold, or badly treated" + }, + "pike": { + "CHS": "用矛刺穿", + "ENG": "to stab or pierce using a pike " + }, + "plasma": { + "CHS": "[等离子] 等离子体;血浆;[矿物] 深绿玉髓", + "ENG": "the yellowish liquid part of blood that contains the blood cells" + }, + "likely": { + "CHS": "很可能;或许", + "ENG": "probably" + }, + "ballast": { + "CHS": "给…装压舱物;给…铺道渣" + }, + "devoid": { + "CHS": "缺乏的;全无的", + "ENG": "If you say that someone or something is devoid of a quality or thing, you are emphasizing that they have none of it" + }, + "incarnation": { + "CHS": "化身;道成肉身;典型", + "ENG": "someone who has a lot of a particular quality, or represents it" + }, + "hoot": { + "CHS": "鸣响;大声叫嚣", + "ENG": "if an owl hoots, it makes a long ‘oo’ sound" + }, + "freckle": { + "CHS": "使生雀斑" + }, + "observance": { + "CHS": "惯例;遵守;仪式;庆祝", + "ENG": "when someone obeys a law or does something because it is part of a religion, custom, or ceremony" + }, + "dessert": { + "CHS": "餐后甜点;甜点心", + "ENG": "sweet food served after the main part of a meal" + }, + "argumentative": { + "CHS": "好辩的;辩论的;争辩的", + "ENG": "someone who is argumentative often argues or likes arguing" + }, + "scrape": { + "CHS": "刮;擦伤;挖成", + "ENG": "to remove something from a surface using the edge of a knife, a stick etc" + }, + "seaward": { + "CHS": "临海位置;朝海方向" + }, + "slat": { + "CHS": "板条;狭板", + "ENG": "a thin flat piece of wood, plastic etc, used especially in furniture" + }, + "highly": { + "CHS": "高度地;非常;非常赞许地", + "ENG": "very" + }, + "thrice": { + "CHS": "三次;三倍地;非常,十分", + "ENG": "three times" + }, + "political": { + "CHS": "政治的;党派的", + "ENG": "Political means relating to the way power is achieved and used in a country or society" + }, + "group": { + "CHS": "聚合" + }, + "homosexual": { + "CHS": "同性恋的", + "ENG": "if someone, especially a man, is homosexual, they are sexually attracted to people of the same sex" + }, + "legalise": { + "CHS": "使合法化(等于legalize)" + }, + "ripen": { + "CHS": "使成熟", + "ENG": "to become ripe or to make something ripe" + }, + "infirmary": { + "CHS": "医务室;医院;养老院", + "ENG": "a hospital – often used in the names of hospitals in Britain" + }, + "prefer": { + "CHS": "更喜欢;宁愿;提出;提升", + "ENG": "to like someone or something more than someone or something else, so that you would choose it if you could" + }, + "hacker": { + "CHS": "电脑黑客,企图不法侵入他人电脑系统的人", + "ENG": "someone who secretly uses or changes the information in other people’s computer systems" + }, + "fritter": { + "CHS": "细片;屑;带馅油炸面团", + "ENG": "a thin piece of fruit, vegetable, or meat covered with a mixture of eggs and flour and cooked in hot fat" + }, + "economics": { + "CHS": "经济学;国家的经济状况", + "ENG": "the study of the way in which money and goods are produced and used" + }, + "obliterate": { + "CHS": "消灭;涂去;冲刷;忘掉", + "ENG": "to remove a thought, feeling, or memory from someone’s mind" + }, + "lucky": { + "CHS": "幸运的;侥幸的", + "ENG": "having good luck" + }, + "racist": { + "CHS": "种族主义者", + "ENG": "someone who believes that people of their own race are better than others, and who treats people from other races unfairly and sometimes violently – used to show disapproval" + }, + "squander": { + "CHS": "浪费" + }, + "blaze": { + "CHS": "火焰,烈火;光辉;情感爆发", + "ENG": "very bright light or colour" + }, + "screw": { + "CHS": "螺旋;螺丝钉;吝啬鬼", + "ENG": "a thin pointed piece of metal that you push and turn in order to fasten pieces of metal or wood together" + }, + "pang": { + "CHS": "使剧痛;折磨" + }, + "fluff": { + "CHS": "念错;抖松;使…起毛", + "ENG": "to make something soft become larger by shaking it" + }, + "gain": { + "CHS": "获得;增加;赚到", + "ENG": "to obtain or achieve something you want or need" + }, + "barley": { + "CHS": "大麦", + "ENG": "a plant that produces a grain used for making food or alcohol" + }, + "prescription": { + "CHS": "凭处方方可购买的" + }, + "obese": { + "CHS": "肥胖的,过胖的", + "ENG": "very fat in a way that is unhealthy" + }, + "decline": { + "CHS": "下降;衰落;谢绝", + "ENG": "to say no politely when someone invites you somewhere, offers you something, or wants you to do something" + }, + "lame": { + "CHS": "变跛", + "ENG": "to make a person or animal unable to walk properly" + }, + "fender": { + "CHS": "(汽车等的)挡泥板;防卫物;(暖炉的)炉围;(船只的)碰垫", + "ENG": "the side part of a car that covers the wheels" + }, + "cafe": { + "CHS": "咖啡馆;小餐馆" + }, + "remains": { + "CHS": "残余;遗骸", + "ENG": "the parts of something that are left after the rest has been destroyed or has disappeared" + }, + "affirmative": { + "CHS": "肯定语;赞成的一方" + }, + "informer": { + "CHS": "告密者;通知者;控告人", + "ENG": "someone who secretly tells the police, the army etc about criminal activities, especially for money" + }, + "engaged": { + "CHS": "保证;约定;同…订婚(engage的过去分词)" + }, + "zinc": { + "CHS": "锌", + "ENG": "a blue-white metal that is used to make brass and to cover and protect objects made of iron. It is a chemical element: symbol Zn" + }, + "stricken": { + "CHS": "患病的;受挫折的;受…侵袭的;遭殃的", + "ENG": "very badly affected by trouble, illness, unhappiness etc" + }, + "perfume": { + "CHS": "洒香水于…;使…带香味", + "ENG": "to put perfume on something" + }, + "potato": { + "CHS": "[作物] 土豆,[作物] 马铃薯", + "ENG": "a round white vegetable with a brown, red, or pale yellow skin, that grows under the ground" + }, + "celebrated": { + "CHS": "庆祝(celebrate的过去式和过去分词)" + }, + "checklist": { + "CHS": "清单;检查表;备忘录;目录册", + "ENG": "a list that helps you by reminding you of the things you need to do or get for a particular job or activity" + }, + "incite": { + "CHS": "煽动;激励;刺激", + "ENG": "to deliberately encourage people to fight, argue etc" + }, + "cardinal": { + "CHS": "主要的,基本的;深红色的", + "ENG": "very important or basic" + }, + "tripod": { + "CHS": "[摄] 三脚架;三脚桌", + "ENG": "a support with three legs, used for a piece of equipment, camera etc" + }, + "infighting": { + "CHS": "暗斗(infight的ing形式);近击" + }, + "suspender": { + "CHS": "袜吊;吊裤带;悬挂物", + "ENG": "a part of a piece of women’s underwear that hangs down and can be attached to stocking s to hold them up" + }, + "map": { + "CHS": "地图;示意图;染色体图", + "ENG": "a drawing of a particular area, for example a city or country, which shows its main features, such as its roads, rivers, mountains etc" + }, + "unfair": { + "CHS": "不公平的,不公正的", + "ENG": "not right or fair, especially because not everyone has an equal opportunity" + }, + "recent": { + "CHS": "最近的;近代的", + "ENG": "having happened or started only a short time ago" + }, + "eagle": { + "CHS": "鹰;鹰状标饰", + "ENG": "a very large strong bird with a beak like a hook that eats small animals, birds etc" + }, + "prejudice": { + "CHS": "损害;使有偏见", + "ENG": "to influence someone so that they have an unfair or unreasonable opinion about someone or something" + }, + "fair": { + "CHS": "展览会;市集;美人", + "ENG": "an outdoor event, at which there are large machines to ride on, games to play, and sometimes farm animals being judged and sold" + }, + "solo": { + "CHS": "单独地", + "ENG": "to fly an aircraft alone" + }, + "swagger": { + "CHS": "炫耀的;时髦的" + }, + "vertical": { + "CHS": "垂直线,垂直面", + "ENG": "the direction of something that is vertical" + }, + "soon": { + "CHS": "快;不久,一会儿;立刻;宁愿", + "ENG": "in a short time from now, or a short time after something else happens" + }, + "topic": { + "CHS": "主题(等于theme);题目;一般规则;总论", + "ENG": "a subject that people talk or write about" + }, + "footwork": { + "CHS": "步法;需跑腿的工作;策略", + "ENG": "skilful use of your feet when dancing or playing a sport" + }, + "sarcasm": { + "CHS": "讽刺;挖苦;嘲笑", + "ENG": "a way of speaking or writing that involves saying the opposite of what you really mean in order to make an unkind joke or to show that you are annoyed" + }, + "adulterate": { + "CHS": "掺假", + "ENG": "to make food or drink less pure by adding another substance of lower quality to it" + }, + "flap": { + "CHS": "拍动;神经紧张;鼓翼而飞;(帽边等)垂下", + "ENG": "to behave in an excited or nervous way" + }, + "largely": { + "CHS": "主要地;大部分;大量地", + "ENG": "mostly or mainly" + }, + "dune": { + "CHS": "(由风吹积而成的)沙丘", + "ENG": "a hill made of sand near the sea or in the desert" + }, + "peg": { + "CHS": "越往下端越细的" + }, + "horrid": { + "CHS": "可怕的;恐怖的;极讨厌的", + "ENG": "If you describe something as horrid, you mean that it is extremely unpleasant" + }, + "attitude": { + "CHS": "态度;看法;意见;姿势", + "ENG": "the opinions and feelings that you usually have about something, especially when this is shown in your behaviour" + }, + "deflate": { + "CHS": "放气;使缩小;紧缩通货;打击;使泄气", + "ENG": "if a tyre, balloon etc deflates, or if you deflate it, it gets smaller because the gas inside it comes out" + }, + "however": { + "CHS": "无论以何种方式; 不管怎样", + "ENG": "in whatever way" + }, + "rift": { + "CHS": "裂开" + }, + "starch": { + "CHS": "给…上浆", + "ENG": "to make cloth stiff, using starch" + }, + "norm": { + "CHS": "标准,规范", + "ENG": "the usual or normal situation, way of doing something etc" + }, + "loin": { + "CHS": "腰;腰部;腰肉", + "ENG": "a piece of meat from the lower part of an animal’s back" + }, + "depreciate": { + "CHS": "使贬值;贬低;轻视", + "ENG": "to decrease in value or price" + }, + "bandit": { + "CHS": "强盗,土匪;恶棍;敲诈者", + "ENG": "someone who robs people, especially one of a group of people who attack travellers" + }, + "seaside": { + "CHS": "海边的;海滨的", + "ENG": "relating to places that are near the sea" + }, + "inconvenience": { + "CHS": "麻烦;打扰", + "ENG": "to cause problems for someone" + }, + "digest": { + "CHS": "文摘;摘要", + "ENG": "a short piece of writing that gives the most important facts from a book, report etc" + }, + "vista": { + "CHS": "远景,狭长的街景;展望;回顾", + "ENG": "a view of a large area of beautiful scenery" + }, + "undergrowth": { + "CHS": "发育不全;生长在大树下的灌木;动物身上长在长毛下面的浓密绒毛", + "ENG": "bushes, small trees, and other plants growing around and under bigger trees" + }, + "parcel": { + "CHS": "打包;捆扎" + }, + "splash": { + "CHS": "飞溅的水;污点;卖弄", + "ENG": "a mark made by a liquid splashing onto something else" + }, + "tug": { + "CHS": "用力拉;竞争;努力做" + }, + "aware": { + "CHS": "(Aware)人名;(阿拉伯、索)阿瓦雷" + }, + "informative": { + "CHS": "教育性的,有益的;情报的;见闻广博的" + }, + "bay": { + "CHS": "向…吠叫", + "ENG": "If a dog or wolf bays, it makes loud, long cries" + }, + "hardy": { + "CHS": "强壮的人;耐寒植物;方柄凿", + "ENG": "any blacksmith's tool made with a square shank so that it can be lodged in a square hole in an anvil " + }, + "rifleman": { + "CHS": "步枪兵", + "ENG": "a man who uses a rifle" + }, + "indicator": { + "CHS": "指示器;[试剂] 指示剂;[计] 指示符;压力计", + "ENG": "something that can be regarded as a sign of something else" + }, + "deprecate": { + "CHS": "反对;抨击;轻视;声明不赞成", + "ENG": "to strongly disapprove of or criticize something" + }, + "centenary": { + "CHS": "一百年的" + }, + "exhilarate": { + "CHS": "使高兴,使振奋;使愉快", + "ENG": "to make lively and cheerful; gladden; elate " + }, + "tolerate": { + "CHS": "忍受;默许;宽恕", + "ENG": "to allow people to do, say, or believe something without criticizing or punishing them" + }, + "etc": { + "CHS": "等等,及其他" + }, + "lime": { + "CHS": "绿黄色的" + }, + "frown": { + "CHS": "皱眉,蹙额", + "ENG": "the expression on your face when you move your eyebrows together because you are angry, unhappy, or confused" + }, + "stuff": { + "CHS": "塞满;填塞;让吃饱", + "ENG": "to push or put something into a small space, especially in a quick careless way" + }, + "economise": { + "CHS": "节约,节省" + }, + "tribal": { + "CHS": "(Tribal)人名;(法)特里巴尔" + }, + "premium": { + "CHS": "高价的;优质的", + "ENG": "of very high quality" + }, + "retina": { + "CHS": "[解剖] 视网膜", + "ENG": "the area at the back of your eye that receives light and sends an image of what you see to your brain" + }, + "forsake": { + "CHS": "放弃;断念", + "ENG": "to stop doing, using, or having something that you enjoy" + }, + "participant": { + "CHS": "参与者;关系者", + "ENG": "someone who is taking part in an activity or event" + }, + "mint": { + "CHS": "完美的", + "ENG": "looking new and in perfect condition" + }, + "coast": { + "CHS": "海岸;滑坡", + "ENG": "the area where the land meets the sea" + }, + "anchor": { + "CHS": "末棒的;最后一棒的" + }, + "separation": { + "CHS": "分离,分开;间隔,距离;[法] 分居;缺口", + "ENG": "when something separates or is separate" + }, + "stair": { + "CHS": "楼梯,阶梯;梯级", + "ENG": "a set of steps built for going from one level of a building to another" + }, + "tipper": { + "CHS": "给小费的人;翻斗卡车;倾卸车之搬运夫", + "ENG": "a person who gives or leaves a tip " + }, + "dozen": { + "CHS": "一打的" + }, + "choppy": { + "CHS": "(Choppy)人名;(法)肖皮" + }, + "extend": { + "CHS": "延伸;扩大;推广;伸出;给予;使竭尽全力;对…估价", + "ENG": "to continue for a particular distance or over a particular area" + }, + "reactionary": { + "CHS": "反动分子;反动派;保守派", + "ENG": "someone who strongly opposes any social or political change - used to show disapproval" + }, + "muzzle": { + "CHS": "使…缄默;给…戴口套;封锁…的言论", + "ENG": "to prevent someone from saying what they think in public" + }, + "polo": { + "CHS": "马球;水球", + "ENG": "a game played between two teams of players who ride on horses and hit a small ball with long-handled wooden hammers" + }, + "loss": { + "CHS": "减少;亏损;失败;遗失", + "ENG": "the fact of no longer having something, or of having less of it than you used to have, or the process by which this happens" + }, + "curve": { + "CHS": "弯曲的;曲线形的" + }, + "necessity": { + "CHS": "需要;必然性;必需品", + "ENG": "something that you need to have in order to live" + }, + "impractical": { + "CHS": "不切实际的,不现实的;不能实行的", + "ENG": "not sensible or possible for practical reasons" + }, + "Koran": { + "CHS": "《可兰经》,《古兰经》(伊斯兰教)", + "ENG": "The Koran is the sacred book on which the religion of Islam is based" + }, + "barber": { + "CHS": "理发师", + "ENG": "a man whose job is to cut men’s hair and sometimes to shave them" + }, + "thematic": { + "CHS": "主题的,主旋律的;题目的;语干的", + "ENG": "relating to a particular theme , or organized according to a theme" + }, + "botanical": { + "CHS": "植物性药材" + }, + "grip": { + "CHS": "紧握;夹紧", + "ENG": "to hold something very tightly" + }, + "nationality": { + "CHS": "国籍,国家;民族;部落", + "ENG": "the state of being legally a citizen of a particular country" + }, + "cremate": { + "CHS": "火葬;烧成灰", + "ENG": "to burn the body of a dead person at a funeral ceremony" + }, + "marker": { + "CHS": "记分员;书签;标识物;作记号的人", + "ENG": "something which shows that a quality or feature exists or is present" + }, + "eight": { + "CHS": "八字形", + "ENG": "the number 8" + }, + "happiness": { + "CHS": "幸福", + "ENG": "the state of being happy" + }, + "perfect": { + "CHS": "完成式", + "ENG": "the form of a verb which is used when talking about a period of time up to and including the present. In English, it is formed with ‘have’ and the past participle." + }, + "dope": { + "CHS": "上涂料;服药" + }, + "showy": { + "CHS": "艳丽的;炫耀的;显眼的", + "ENG": "something that is showy is very colourful, big, expensive etc, especially in a way that attracts people’s attention" + }, + "divine": { + "CHS": "牧师;神学家" + }, + "fiddly": { + "CHS": "需要手巧的,要求高精度的", + "ENG": "small and awkward to do or handle " + }, + "creamy": { + "CHS": "奶油色的;乳脂状的;含乳脂的", + "ENG": "containing cream" + }, + "bake": { + "CHS": "烤;烘烤食品" + }, + "environment": { + "CHS": "环境,外界", + "ENG": "the air, water, and land on Earth, which is affected by man’s activities" + }, + "toothpaste": { + "CHS": "牙膏", + "ENG": "a thick substance that you use to clean your teeth" + }, + "exemplary": { + "CHS": "典范的;惩戒性的;可仿效的", + "ENG": "excellent and providing a good example for people to follow" + }, + "organism": { + "CHS": "有机体;生物体;微生物", + "ENG": "an animal, plant, human, or any other living thing" + }, + "pocket": { + "CHS": "小型的,袖珍的;金钱上的", + "ENG": "You use pocket to describe something that is small enough to fit into a pocket, often something that is a smaller version of a larger item" + }, + "repertory": { + "CHS": "储备;仓库;全部剧目", + "ENG": "a repertoire" + }, + "data": { + "CHS": "数据(datum的复数);资料", + "ENG": "information or facts" + }, + "module": { + "CHS": "[计] 模块;组件;模数", + "ENG": "one of several separate parts that can be combined to form a larger object, such as a machine or building" + }, + "class": { + "CHS": "极好的;很好的,优秀的,出色的" + }, + "ebony": { + "CHS": "乌木,黑檀", + "ENG": "a hard black wood" + }, + "corduroy": { + "CHS": "灯芯绒做的;泥地上用木头铺排成的" + }, + "misfortune": { + "CHS": "不幸;灾祸,灾难", + "ENG": "very bad luck, or something that happens to you as a result of bad luck" + }, + "amplifier": { + "CHS": "[电子] 放大器,扩大器;扩音器", + "ENG": "a piece of electrical equipment that makes sound louder" + }, + "invigilator": { + "CHS": "监考人;[自] 监视器" + }, + "flower": { + "CHS": "成熟,发育;开花;繁荣;旺盛", + "ENG": "to produce flowers" + }, + "oven": { + "CHS": "炉,灶;烤炉,烤箱", + "ENG": "a piece of equipment that food is cooked inside, shaped like a metal box with a door on the front" + }, + "prick": { + "CHS": "竖起的" + }, + "helper": { + "CHS": "助手,帮手", + "ENG": "someone who helps another person" + }, + "vodka": { + "CHS": "伏特加酒", + "ENG": "a strong clear alcoholic drink originally from Russia, or a glass of this" + }, + "leader": { + "CHS": "领导者;首领;指挥者", + "ENG": "the person who directs or controls a group, organization, country etc" + }, + "extraordinary": { + "CHS": "非凡的;特别的;离奇的;临时的;特派的", + "ENG": "very much greater or more impressive than usual" + }, + "palm": { + "CHS": "将…藏于掌中" + }, + "legislate": { + "CHS": "用立法规定;通过立法", + "ENG": "to make a law about something" + }, + "nickname": { + "CHS": "给……取绰号;叫错名字", + "ENG": "If you nickname someone or something, you give them an informal name" + }, + "atrocity": { + "CHS": "暴行;凶恶,残暴", + "ENG": "an extremely cruel and violent action, especially during a war" + }, + "livestock": { + "CHS": "牲畜;家畜", + "ENG": "animals such as cows and sheep that are kept on a farm" + }, + "unwieldy": { + "CHS": "笨拙的;笨重的;不灵便的;难处理的", + "ENG": "an unwieldy object is big, heavy, and difficult to carry or use" + }, + "spatter": { + "CHS": "溅;洒;污蔑", + "ENG": "if a liquid spatters, or if something spatters it, drops of it fall or are thrown all over a surface" + }, + "Mexican": { + "CHS": "墨西哥人;墨西哥语", + "ENG": "someone from Mexico" + }, + "vertex": { + "CHS": "顶点;[昆] 头顶;[天] 天顶", + "ENG": "the point where two lines meet to form an angle, especially the point of a triangle" + }, + "legislative": { + "CHS": "立法权;立法机构" + }, + "liking": { + "CHS": "嗜好,爱好", + "ENG": "If you have a liking for something or someone, you like them" + }, + "teaspoon": { + "CHS": "茶匙;一茶匙的量", + "ENG": "a small spoon that you use for mixing sugar into tea and coffee" + }, + "recite": { + "CHS": "背诵;叙述;列举", + "ENG": "to say a poem, piece of literature etc that you have learned, for people to listen to" + }, + "unlimited": { + "CHS": "无限制的;无限量的;无条件的", + "ENG": "without any limit" + }, + "thaw": { + "CHS": "解冻;融雪", + "ENG": "a period of warm weather during which snow and ice melt" + }, + "rye": { + "CHS": "用黑麦制成的" + }, + "amber": { + "CHS": "使呈琥珀色" + }, + "catalyst": { + "CHS": "[物化] 催化剂;刺激因素", + "ENG": "a substance that makes a chemical reaction happen more quickly without being changed itself" + }, + "windscreen": { + "CHS": "汽车挡风玻璃", + "ENG": "the large window at the front of a car, bus etc" + }, + "Mafia": { + "CHS": "(意)秘密政党;黑手党", + "ENG": "The Mafia is a criminal organization that makes money illegally, especially by threatening people and dealing in drugs" + }, + "solidarity": { + "CHS": "团结,团结一致", + "ENG": "loyalty and general agreement between all the people in a group, or between different groups, because they all have a shared aim" + }, + "recreate": { + "CHS": "娱乐;消遣" + }, + "hardcore": { + "CHS": "硬核;硬底层;碎砖垫层", + "ENG": "a style of rock music characterized by short fast numbers with minimal melody and aggressive delivery " + }, + "scar": { + "CHS": "创伤;伤痕", + "ENG": "a feeling of fear or sadness that remains with you for a long time after an unpleasant experience" + }, + "kinship": { + "CHS": "[法] 亲属关系,家属关系;亲密关系", + "ENG": "a family relationship" + }, + "disciple": { + "CHS": "门徒,信徒;弟子", + "ENG": "someone who believes in the ideas of a great teacher or leader, especially a religious one" + }, + "spider": { + "CHS": "蜘蛛;设圈套者;三脚架", + "ENG": "a small creature with eight legs, which catches insects using a fine network of sticky threads" + }, + "musical": { + "CHS": "音乐片", + "ENG": "a play or film that includes singing and dancing" + }, + "lobe": { + "CHS": "(脑、肺等的)叶;裂片;耳垂;波瓣", + "ENG": "the soft piece of flesh at the bottom of your ear" + }, + "ado": { + "CHS": "忙乱,纷扰,麻烦" + }, + "hobble": { + "CHS": "跛行步态" + }, + "husbandry": { + "CHS": "饲养;务农,耕种;家政", + "ENG": "farming" + }, + "diode": { + "CHS": "[电子] 二极管", + "ENG": "a piece of electrical equipment that makes an electrical current flow in one direction" + }, + "sheepish": { + "CHS": "羞怯的;懦弱的" + }, + "glad": { + "CHS": "(Glad)人名;(塞、瑞典)格拉德;(英)格莱德;(法、挪)格拉" + }, + "eerie": { + "CHS": "可怕的;怪异的", + "ENG": "strange and frightening" + }, + "armament": { + "CHS": "武器;军备", + "ENG": "the weapons and military equipment used by an army" + }, + "birthday": { + "CHS": "生日,诞辰;诞生的日子", + "ENG": "your birthday is a day that is an exact number of years after the day you were born" + }, + "brute": { + "CHS": "畜生;残暴的人", + "ENG": "a man who is cruel, violent, and not sensitive" + }, + "range": { + "CHS": "(在内)变动;平行,列为一行;延伸;漫游;射程达到", + "ENG": "to move around in an area without aiming for a particular place" + }, + "troubleshooter": { + "CHS": "故障检修工;解决纠纷者;解决麻烦问题的能手", + "ENG": "A troubleshooter is a person whose job is to solve major problems or difficulties that occur in a company or government" + }, + "alliance": { + "CHS": "联盟,联合;联姻", + "ENG": "an arrangement in which two or more countries, groups etc agree to work together to try to change or achieve something" + }, + "boss": { + "CHS": "指挥,调遣;当…的领导", + "ENG": "to tell people to do things, give them orders etc, especially when you have no authority to do it" + }, + "research": { + "CHS": "研究;调查", + "ENG": "to study a subject in detail, especially in order to discover new facts or test new ideas" + }, + "beloved": { + "CHS": "心爱的人;亲爱的教友" + }, + "waver": { + "CHS": "动摇;踌躇;挥动者" + }, + "pint": { + "CHS": "品脱;一品脱的量;一品脱牛奶或啤酒", + "ENG": "a unit for measuring an amount of liquid, especially beer or milk. In Britain a pint is equal to 0.568 litres, and in the US it is equal to 0.473 litres." + }, + "centrist": { + "CHS": "中立派议员;中间派议员", + "ENG": "A centrist is someone with centrist views" + }, + "minus": { + "CHS": "减的;负的", + "ENG": "used to talk about a disadvantage of a thing or situation" + }, + "nutrition": { + "CHS": "营养,营养学;营养品", + "ENG": "the process of giving or getting the right type of food for good health and growth" + }, + "folivore": { + "CHS": "食叶动物(尤指灵长目动物)" + }, + "trigger": { + "CHS": "扳机;[电子] 触发器;制滑机", + "ENG": "the part of a gun that you pull with your finger to fire it" + }, + "idol": { + "CHS": "偶像,崇拜物;幻象;谬论", + "ENG": "someone or something that you love or admire very much" + }, + "veritable": { + "CHS": "真正的,名副其实的", + "ENG": "a word used to emphasize a description of someone or something" + }, + "syringe": { + "CHS": "注射器;洗涤器", + "ENG": "an instrument for taking blood from someone’s body or putting liquid, drugs etc into it, consisting of a hollow plastic tube and a needle" + }, + "densely": { + "CHS": "浓密地;密集地" + }, + "hog": { + "CHS": "使拱起" + }, + "impassive": { + "CHS": "冷漠的;无感觉的", + "ENG": "not showing any emotion" + }, + "Satan": { + "CHS": "撒旦(魔鬼)", + "ENG": "the Devil, considered to be the main evil power and God’s opponent" + }, + "configuration": { + "CHS": "配置;结构;外形", + "ENG": "the shape or arrangement of the parts of something" + }, + "militant": { + "CHS": "富有战斗性的人;好斗者;激进分子", + "ENG": "Militant is also a noun" + }, + "interrogate": { + "CHS": "审问;质问;[计] 询问", + "ENG": "to ask someone a lot of questions for a long time in order to get information, sometimes using threats" + }, + "judgement": { + "CHS": "意见;判断力;[法] 审判;评价" + }, + "sift": { + "CHS": "(Sift)人名;(匈)希夫特" + }, + "congregation": { + "CHS": "集会;集合;圣会", + "ENG": "a group of people gathered together in a church" + }, + "volatility": { + "CHS": "[化学] 挥发性;易变;活泼" + }, + "squad": { + "CHS": "把…编成班;把…编入班" + }, + "thinking": { + "CHS": "思考(think的现在分词)" + }, + "burrow": { + "CHS": "(兔、狐等的)洞穴,地道;藏身处,住处", + "ENG": "a passage in the ground made by an animal such as a rabbit or fox as a place to live" + }, + "splutter": { + "CHS": "喷溅;气急败坏地说", + "ENG": "to talk quickly in short confused phrases, especially because you are angry or surprised" + }, + "magician": { + "CHS": "魔术师,变戏法的人", + "ENG": "a man in stories who can use magic" + }, + "crook": { + "CHS": "使弯曲;欺骗,诈骗", + "ENG": "if you crook your finger or your arm, you bend it" + }, + "garrison": { + "CHS": "驻防;守卫", + "ENG": "to send a group of soldiers to defend or guard a place" + }, + "resolute": { + "CHS": "坚决的;果断的", + "ENG": "doing something in a very determined way because you have very strong beliefs, aims etc" + }, + "complement": { + "CHS": "补足,补助", + "ENG": "If people or things complement each other, they are different or do something different, which makes them a good combination" + }, + "finger": { + "CHS": "伸出;用手指拨弄", + "ENG": "to touch or handle something with your fingers" + }, + "marriage": { + "CHS": "结婚;婚姻生活;密切结合,合并", + "ENG": "the relationship between two people who are married, or the state of being married" + }, + "strike": { + "CHS": "罢工;打击;殴打", + "ENG": "a period of time when a group of workers deliberately stop working because of a disagreement about pay, working conditions etc" + }, + "inaugural": { + "CHS": "就职演讲;开幕辞" + }, + "arch": { + "CHS": "使…弯成弓形;用拱连接", + "ENG": "to form or make something form a curved shape" + }, + "ditty": { + "CHS": "小曲;小调", + "ENG": "A ditty is a short or light-hearted song or poem" + }, + "existential": { + "CHS": "存在主义的;有关存在的;存在判断的", + "ENG": "relating to the existence of humans or to existentialism" + }, + "rust": { + "CHS": "使生锈;腐蚀", + "ENG": "to become covered with rust, or to make something become covered in rust" + }, + "mechanical": { + "CHS": "机械的;力学的;呆板的;无意识的;手工操作的", + "ENG": "affecting or involving a machine" + }, + "hopper": { + "CHS": "料斗;漏斗;单足跳者;跳虫", + "ENG": "a large funnel 1 1 " + }, + "vibrate": { + "CHS": "振动;颤动;摇摆;踌躇", + "ENG": "if something vibrates, or if you vibrate it, it shakes quickly and continuously with very small movements" + }, + "practise": { + "CHS": "练习,实践;实施,实行;从事", + "ENG": "to do an activity, often regularly, in order to improve your skill or to prepare for a test" + }, + "divide": { + "CHS": "[地理] 分水岭,分水线", + "ENG": "a line of high ground between two river systems" + }, + "redundant": { + "CHS": "多余的,过剩的;被解雇的,失业的;冗长的,累赘的", + "ENG": "if you are redundant, your employer no longer has a job for you" + }, + "interment": { + "CHS": "葬礼;埋葬", + "ENG": "the act of burying a dead body" + }, + "comparable": { + "CHS": "可比较的;比得上的", + "ENG": "similar to something else in size, number, quality etc, so that you can make a comparison" + }, + "hiker": { + "CHS": "徒步旅行者", + "ENG": "someone who walks long distances in the mountains or country for pleasure" + }, + "secondary": { + "CHS": "副手;代理人" + }, + "brainwash": { + "CHS": "洗脑" + }, + "undue": { + "CHS": "过度的,过分的;不适当的;未到期的", + "ENG": "more than is reasonable, suitable, or necessary" + }, + "indignation": { + "CHS": "愤慨;愤怒;义愤", + "ENG": "feelings of anger and surprise because you feel insulted or unfairly treated" + }, + "calculator": { + "CHS": "计算器;计算者", + "ENG": "a small electronic machine that can add, multiply etc" + }, + "roller": { + "CHS": "[机] 滚筒;[机] 滚轴;辊子;滚转机", + "ENG": "a piece of equipment consisting of a tube-shaped piece of wood, metal etc that rolls over and over, used for painting, crushing, making things smoother etc" + }, + "exult": { + "CHS": "狂喜,欢欣鼓舞;非常高兴", + "ENG": "to show that you are very happy and proud, especially because you have succeeded in doing something" + }, + "lagoon": { + "CHS": "[地理][水文] 泻湖;环礁湖;咸水湖", + "ENG": "a lake of sea water that is partly separated from the sea by rocks, sand, or coral" + }, + "underpass": { + "CHS": "地下通道;[交] 下穿交叉道", + "ENG": "a road or path that goes under another road or a railway" + }, + "tint": { + "CHS": "染(发);给…着色", + "ENG": "to slightly change the colour of something, especially hair" + }, + "moral": { + "CHS": "道德;寓意", + "ENG": "principles or standards of good behaviour, especially in matters of sex" + }, + "duckling": { + "CHS": "小鸭子", + "ENG": "a young duck" + }, + "hike": { + "CHS": "远足;徒步旅行;涨价", + "ENG": "a long walk in the mountains or countryside" + }, + "mobile": { + "CHS": "运动物体", + "ENG": "a decoration made of small objects tied to wires or string which is hung up so that the objects move when air blows around them" + }, + "telex": { + "CHS": "用电传拍发;用直通电报拍发", + "ENG": "If you telex a message to someone, you send it to them by telex" + }, + "illegible": { + "CHS": "难辨认的;字迹模糊的", + "ENG": "difficult or impossible to read" + }, + "exposure": { + "CHS": "暴露;曝光;揭露;陈列", + "ENG": "when someone is in a situation where they are not protected from something dangerous or unpleasant" + }, + "artist": { + "CHS": "艺术家;美术家(尤指画家);大师", + "ENG": "someone who produces art, especially paintings or drawings" + }, + "disparate": { + "CHS": "无法相比的东西" + }, + "burglary": { + "CHS": "入室行窃" + }, + "bleed": { + "CHS": "使出血;榨取", + "ENG": "to force someone to pay an unreasonable amount of money over a period of time" + }, + "canoe": { + "CHS": "乘独木舟", + "ENG": "to travel by canoe" + }, + "mile": { + "CHS": "英里;一英里赛跑;较大的距离", + "ENG": "a unit for measuring distance, equal to 1,760 yard s or about 1,609 metres" + }, + "strand": { + "CHS": "使搁浅;使陷于困境;弄断;使落后", + "ENG": "to leave or drive (ships, fish, etc) aground or ashore or (of ships, fish, etc) to be left or driven ashore " + }, + "point": { + "CHS": "指向;弄尖;加标点于", + "ENG": "to show something to someone by holding up one of your fingers or a thin object towards it" + }, + "candidate": { + "CHS": "候选人,候补者;应试者", + "ENG": "someone who is being considered for a job or is competing in an election" + }, + "regress": { + "CHS": "回归;退回" + }, + "tragic": { + "CHS": "悲剧的;悲痛的,不幸的", + "ENG": "a tragic event or situation makes you feel very sad, especially because it involves death or suffering" + }, + "cuddle": { + "CHS": "搂抱,拥抱", + "ENG": "an act of cuddling someone" + }, + "steep": { + "CHS": "峭壁;浸渍" + }, + "brusque": { + "CHS": "(Brusque)人名;(法)布吕斯克" + }, + "sapling": { + "CHS": "树苗;年轻人", + "ENG": "a young tree" + }, + "utmost": { + "CHS": "极度的;最远的", + "ENG": "You can use utmost to emphasize the importance or seriousness of something or to emphasize the way that it is done" + }, + "occupy": { + "CHS": "占据,占领;居住;使忙碌", + "ENG": "to live or stay in a place" + }, + "exaggerate": { + "CHS": "使扩大;使增大", + "ENG": "If you exaggerate, you indicate that something is, for example, worse or more important than it really is" + }, + "custard": { + "CHS": "奶油冻;奶油蛋羹", + "ENG": "a sweet yellow sauce that is made with milk, sugar, eggs, and flour" + }, + "biographic": { + "CHS": "传记的;传记体的" + }, + "admirable": { + "CHS": "令人钦佩的;极好的;值得赞扬的", + "ENG": "having many good qualities that you respect and admire" + }, + "superficial": { + "CHS": "表面的;肤浅的 ;表面文章的;外表的;(人)浅薄的", + "ENG": "not studying or looking at something carefully and only seeing the most noticeable things" + }, + "compensation": { + "CHS": "补偿;报酬;赔偿金", + "ENG": "money paid to someone because they have suffered injury or loss, or because something they own has been damaged" + }, + "encouragement": { + "CHS": "鼓励", + "ENG": "when you encourage someone or something, or the things that encourage them" + }, + "solution": { + "CHS": "解决方案;溶液;溶解;解答", + "ENG": "a way of solving a problem or dealing with a difficult situation" + }, + "construct": { + "CHS": "构想,概念", + "ENG": "an idea formed by combining several pieces of information or knowledge" + }, + "roof": { + "CHS": "给…盖屋顶,覆盖", + "ENG": "to put a roof on a building" + }, + "rival": { + "CHS": "竞争的" + }, + "tactician": { + "CHS": "战术家;谋士", + "ENG": "someone who is very good at tactics " + }, + "string": { + "CHS": "线,弦,细绳;一串,一行", + "ENG": "a strong thread made of several threads twisted together, used for tying or fastening things" + }, + "fasten": { + "CHS": "(Fasten)人名;(英)法森" + }, + "chemist": { + "CHS": "化学家;化学工作者;药剂师;炼金术士", + "ENG": "a scientist who has special knowledge and training in chemistry" + }, + "conscientious": { + "CHS": "认真的;尽责的;本着良心的;小心谨慎的", + "ENG": "careful to do everything that it is your job or duty to do" + }, + "wing": { + "CHS": "使飞;飞过;空运;增加…速度;装以翼", + "ENG": "to fly somewhere" + }, + "baptism": { + "CHS": "洗礼;严峻考验", + "ENG": "a Christian religious ceremony in which someone is touched or covered with water to welcome them into the Christian faith, and sometimes to officially name them" + }, + "therapist": { + "CHS": "临床医学家;治疗学家", + "ENG": "someone who has been trained to give a particular form of treatment for physical or mental illness" + }, + "owe": { + "CHS": "(Owe)人名;(瑞典、挪)奥弗" + }, + "carefully": { + "CHS": "小心地", + "ENG": "in a careful way" + }, + "hector": { + "CHS": "虚张声势的人;威吓者;恃强凌弱的人" + }, + "stitch": { + "CHS": "缝,缝合", + "ENG": "to sew two pieces of cloth together, or to sew a decoration onto a piece of cloth" + }, + "ungrateful": { + "CHS": "忘恩负义的;不领情的;讨厌的;徒劳的", + "ENG": "not expressing thanks for something that someone has given to you or done for you" + }, + "forthright": { + "CHS": "直路" + }, + "international": { + "CHS": "国际的;两国(或以上)国家的;超越国界的;国际关系的;世界的", + "ENG": "relating to or involving more than one nation" + }, + "uplift": { + "CHS": "举起,抬起;道德的向上;精神的高涨", + "ENG": "Uplift is also a noun" + }, + "cause": { + "CHS": "引起;使遭受", + "ENG": "to make something happen, especially something bad" + }, + "sewerage": { + "CHS": "下水道系统", + "ENG": "the system by which waste material and used water are carried away in sewers and then treated to stop it being harmful" + }, + "physique": { + "CHS": "体格,体形", + "ENG": "the size and appearance of someone’s body" + }, + "cop": { + "CHS": "巡警,警官", + "ENG": "a police officer" + }, + "starter": { + "CHS": "起动机;发令员;第一道菜;发射装置;发起者;参加比赛者,上场队员", + "ENG": "a small amount of food eaten at the start of a meal before the main part" + }, + "already": { + "CHS": "已经,早已;先前", + "ENG": "before now, or before a particular time" + }, + "avail": { + "CHS": "有益于,有益于;使对某人有利。", + "ENG": "If you avail yourself of an offer or an opportunity, you accept the offer or make use of the opportunity" + }, + "probability": { + "CHS": "可能性;机率;[数] 或然率", + "ENG": "how likely something is, sometimes calculated in a mathematical way" + }, + "wall": { + "CHS": "墙壁的" + }, + "violate": { + "CHS": "违反;侵犯,妨碍;亵渎", + "ENG": "to disobey or do something against an official agreement, law, principle etc" + }, + "monsoon": { + "CHS": "季风;(印度等地的)雨季;季候风", + "ENG": "the season, from about April to October, when it rains a lot in India and other southern Asian countries" + }, + "accumulate": { + "CHS": "累积;积聚", + "ENG": "to gradually get more and more money, possessions, knowledge etc over a period of time" + }, + "depress": { + "CHS": "压抑;使沮丧;使萧条", + "ENG": "to make someone feel very unhappy" + }, + "mistress": { + "CHS": "情妇;女主人;主妇;女教师;女能人", + "ENG": "a woman that a man has a sexual relationship with, even though he is married to someone else" + }, + "phenomenon": { + "CHS": "现象;奇迹;杰出的人才", + "ENG": "something that happens or exists in society, science, or nature, especially something that is studied because it is difficult to understand" + }, + "governess": { + "CHS": "女家庭教师", + "ENG": "a female teacher in the past, who lived with a rich family and taught their children at home" + }, + "grand": { + "CHS": "大钢琴;一千美元", + "ENG": "a thousand pounds or dollars" + }, + "fore": { + "CHS": "(打高尔夫球者的叫声)让开!" + }, + "nobility": { + "CHS": "贵族;高贵;高尚", + "ENG": "the group of people in some countries who belong to the highest social class and have titles such as ‘Duke’ or ‘Countess’" + }, + "communicative": { + "CHS": "交际的;爱说话的,健谈的;无隐讳交谈的", + "ENG": "able to talk easily to other people" + }, + "epilogue": { + "CHS": "结语,收场白;尾声,后记", + "ENG": "a speech or piece of writing that is added to the end of a book, film, or play and discusses or explains the ending" + }, + "opaque": { + "CHS": "使不透明;使不反光" + }, + "oversight": { + "CHS": "监督,照管;疏忽", + "ENG": "a mistake in which you forget something or do not notice something" + }, + "nautical": { + "CHS": "航海的,海上的;船员的", + "ENG": "relating to ships, boats, or sailing" + }, + "sunbath": { + "CHS": "日光浴;太阳灯浴" + }, + "repressive": { + "CHS": "镇压的;压抑的;抑制的", + "ENG": "not allowing the expression of feelings or desires, especially sexual ones" + }, + "forestall": { + "CHS": "先发制人,预先阻止;垄断,屯积;领先;占先一步", + "ENG": "to prevent something from happening or prevent someone from doing something by doing something first" + }, + "righteous": { + "CHS": "正义的;正直的;公正的", + "ENG": "strong feelings of anger when you think a situation is not morally right or fair" + }, + "falcon": { + "CHS": "[鸟] 猎鹰;[鸟] 隼", + "ENG": "a bird that kills and eats other animals and can be trained to hunt" + }, + "desirable": { + "CHS": "合意的人或事物" + }, + "inland": { + "CHS": "在内地;向内地;向内陆;在内陆", + "ENG": "in a direction away from the coast and towards the centre of a country" + }, + "monk": { + "CHS": "僧侣,修道士;和尚", + "ENG": "a member of an all-male religious group that lives apart from other people in a monastery " + }, + "menace": { + "CHS": "恐吓;进行威胁", + "ENG": "to threaten" + }, + "yardstick": { + "CHS": "码尺", + "ENG": "something that you compare another thing with, in order to judge how good or successful it is" + }, + "emboss": { + "CHS": "使凸出;在……上作浮雕图案;装饰", + "ENG": "to mould or carve (a decoration or design) on (a surface) so that it is raised above the surface in low relief " + }, + "unfailing": { + "CHS": "经久不衰的;可靠的;无穷尽的", + "ENG": "always there, even in times of difficulty or trouble" + }, + "brevity": { + "CHS": "简洁,简短;短暂,短促", + "ENG": "the quality of expressing something in very few words" + }, + "malfunction": { + "CHS": "故障;失灵;疾病", + "ENG": "a fault in the way a machine or part of someone’s body works" + }, + "ski": { + "CHS": "滑雪(用)的", + "ENG": "You use ski to refer to things that are concerned with skiing" + }, + "intermingle": { + "CHS": "使混合;使搀和", + "ENG": "to mix together, or mix something with something else(" + }, + "inventory": { + "CHS": "存货,存货清单;详细目录;财产清册", + "ENG": "a list of all the things in a place" + }, + "intensive": { + "CHS": "加强器" + }, + "cracker": { + "CHS": "爆竹;饼干;胡桃钳;解密高手", + "ENG": "a hard dry type of bread in small flat shapes, that is often eaten with cheese" + }, + "dismantle": { + "CHS": "拆除;取消;解散;除掉…的覆盖物", + "ENG": "If you dismantle a machine or structure, you carefully separate it into its different parts" + }, + "rampage": { + "CHS": "狂暴;乱闹;发怒" + }, + "incomprehensible": { + "CHS": "费解的;不可思议的;无限的", + "ENG": "difficult or impossible to understand" + }, + "profession": { + "CHS": "职业,专业;声明,宣布,表白", + "ENG": "a job that needs a high level of education and training" + }, + "lastly": { + "CHS": "最后,终于", + "ENG": "used when telling someone the last thing at the end of a list or a series of statements" + }, + "taunt": { + "CHS": "很高的" + }, + "truthful": { + "CHS": "真实的;诚实的", + "ENG": "someone who is truthful does not usually tell lies" + }, + "astronomer": { + "CHS": "天文学家", + "ENG": "a scientist who studies the stars and planet s " + }, + "paddy": { + "CHS": "稻田(复数paddies);爱尔兰人;Patrick(男子名)和Patricia(女子名)的昵称", + "ENG": "a field in which rice is grown in water" + }, + "ensemble": { + "CHS": "同时" + }, + "bankrupt": { + "CHS": "[经] 破产者", + "ENG": "someone who has officially said that they cannot pay their debts" + }, + "upstairs": { + "CHS": "楼上", + "ENG": "one or all of the upper floors in a building" + }, + "serviceman": { + "CHS": "军人;维修人员", + "ENG": "a man who is a member of the military" + }, + "splinter": { + "CHS": "分裂;裂成碎片", + "ENG": "if something such as wood splinters, or if you splinter it, it breaks into thin sharp pieces" + }, + "schedule": { + "CHS": "时间表;计划表;一览表", + "ENG": "a plan of what someone is going to do and when they are going to do it" + }, + "tattooist": { + "CHS": "文身的人", + "ENG": "someone whose job is tattooing" + }, + "outdoors": { + "CHS": "户外的(等于outdoor)" + }, + "swerve": { + "CHS": "转向;偏离的程度", + "ENG": "Swerve is also a noun" + }, + "espouse": { + "CHS": "支持;嫁娶;赞成;信奉", + "ENG": "to support an idea, belief etc, especially a political one" + }, + "swoop": { + "CHS": "猛扑;俯冲;突然袭击", + "ENG": "a sudden surprise attack on a place in order to get something or take people away – used especially in news reports" + }, + "fauna": { + "CHS": "动物群;[动] 动物区系", + "ENG": "all the animals living in a particular area or period in history" + }, + "disjunctive": { + "CHS": "反意连接词" + }, + "employment": { + "CHS": "使用;职业;雇用", + "ENG": "the act of paying someone to work for you" + }, + "emotion": { + "CHS": "情感;情绪", + "ENG": "a strong human feeling such as love, hate, or anger" + }, + "description": { + "CHS": "描述,描写;类型;说明书", + "ENG": "a piece of writing or speech that gives details about what someone or something is like" + }, + "sensational": { + "CHS": "轰动的;耸人听闻的;非常好的;使人感动的", + "ENG": "very interesting, exciting, and surprising" + }, + "slimy": { + "CHS": "黏滑的;泥泞的;谄媚的,虚伪的", + "ENG": "friendly in an unpleasant way that does not seem sincere – used to show disapproval" + }, + "snooker": { + "CHS": "阻挠" + }, + "quitter": { + "CHS": "轻易放弃的人;懒人", + "ENG": "someone who does not have the determination or courage to finish something that is difficult" + }, + "reunion": { + "CHS": "重聚;(班级或学校的)同学会,同窗会", + "ENG": "a social meeting of people who have not met for a long time, especially people who were at school or college together" + }, + "livelihood": { + "CHS": "生计,生活;营生", + "ENG": "the way you earn money in order to live" + }, + "mug": { + "CHS": "扮鬼脸,做怪相", + "ENG": "to make silly expressions with your face or behave in a silly way, especially for a photograph or in a play" + }, + "rickets": { + "CHS": "[内科] 佝偻病", + "ENG": "a disease that children get in which their bones become soft and bent, caused by a lack of vitamin D" + }, + "ankle": { + "CHS": "踝关节,踝", + "ENG": "the joint between your foot and your leg" + }, + "deduct": { + "CHS": "扣除,减去;演绎", + "ENG": "to take away an amount or part from a total" + }, + "fetus": { + "CHS": "胎儿,胎", + "ENG": "A fetus is an animal or human being in its later stages of development before it is born" + }, + "yummy": { + "CHS": "美味的东西;令人喜爱的东西" + }, + "socialist": { + "CHS": "社会主义的", + "ENG": "based on socialism or relating to a political party that supports socialism" + }, + "holiness": { + "CHS": "神圣;圣座(大写,对教宗等的尊称)", + "ENG": "the quality of being pure and good in a religious way" + }, + "axis": { + "CHS": "轴;轴线;轴心国", + "ENG": "the imaginary line around which a large round object, such as the Earth, turns" + }, + "wheat": { + "CHS": "小麦;小麦色", + "ENG": "the grain that bread is made from, or the plant that it grows on" + }, + "silence": { + "CHS": "安静!;别作声!", + "ENG": "complete absence of sound or noise" + }, + "gusto": { + "CHS": "爱好;由衷的高兴;嗜好" + }, + "rooster": { + "CHS": "公鸡;狂妄自负的人", + "ENG": "a male chicken" + }, + "anagram": { + "CHS": "相同字母异序词,易位构词,变位词", + "ENG": "a word or phrase that is made by changing the order of the letters in another word or phrase" + }, + "malaria": { + "CHS": "[内科] 疟疾;瘴气", + "ENG": "a disease that is common in hot countries and that you get when a type of mosquito bites you" + }, + "fell": { + "CHS": "[林] 一季所伐的木材;折缝;兽皮", + "ENG": "an animal skin or hide " + }, + "undo": { + "CHS": "取消;解开;破坏;扰乱", + "ENG": "to open something that is tied, fastened or wrapped" + }, + "subtraction": { + "CHS": "[数] 减法;减少;差集", + "ENG": "the process of taking a number or amount from a larger number or amount" + }, + "canter": { + "CHS": "慢跑", + "ENG": "to ride or make a horse run quite fast, but not as fast as possible" + }, + "graceful": { + "CHS": "优雅的;优美的", + "ENG": "moving in a smooth and attractive way, or having an attractive shape or form" + }, + "voluble": { + "CHS": "健谈的;缠绕的;易旋转的", + "ENG": "If you say that someone is voluble, you mean that they talk a lot with great energy and enthusiasm" + }, + "cursed": { + "CHS": "诅咒(curse的过去分词)" + }, + "spacecraft": { + "CHS": "[航] 宇宙飞船,航天器", + "ENG": "a vehicle that is able to travel in space" + }, + "hedonist": { + "CHS": "享乐主义者的" + }, + "leisure": { + "CHS": "空闲的;有闲的;业余的" + }, + "dockyard": { + "CHS": "[船] 造船厂;海军工厂", + "ENG": "a place where ships are repaired or built" + }, + "stranger": { + "CHS": "陌生人;外地人;局外人", + "ENG": "someone that you do not know" + }, + "steward": { + "CHS": "管理" + }, + "hiding": { + "CHS": "隐匿;躲藏处;殴打", + "ENG": "when someone stays somewhere in secret, especially because they have done something illegal or are in danger" + }, + "illusion": { + "CHS": "幻觉,错觉;错误的观念或信仰", + "ENG": "an idea or opinion that is wrong, especially about yourself" + }, + "fine": { + "CHS": "很好地;精巧地", + "ENG": "in a way that is satisfactory or acceptable" + }, + "ninth": { + "CHS": "九分之一", + "ENG": "one of nine equal parts of something" + }, + "hairpin": { + "CHS": "簪;束发夹;夹发针", + "ENG": "a pin made of wire bent into a U-shape to hold long hair in position" + }, + "insatiable": { + "CHS": "贪得无厌的;不知足的", + "ENG": "always wanting more and more of something" + }, + "curable": { + "CHS": "可治愈的;可医治的;可矫正的", + "ENG": "an illness that is curable can be cured" + }, + "slap": { + "CHS": "直接地;猛然地;恰好" + }, + "Messiah": { + "CHS": "弥赛亚(犹太人所期待的救世主);救星,解放者", + "ENG": "For Jews, the Messiah is the king of the Jews, who will be sent to them by God" + }, + "brown": { + "CHS": "褐色,棕色", + "ENG": "the colour of earth, wood, or coffee" + }, + "slanderous": { + "CHS": "诽谤的;诽谤性的;中伤的", + "ENG": "a slanderous statement about someone is not true, and is intended to damage other people’s good opinion of them" + }, + "silhouette": { + "CHS": "使…照出影子来;使…仅仅显出轮廓" + }, + "tar": { + "CHS": "涂以焦油;玷污", + "ENG": "to coat with tar " + }, + "heinous": { + "CHS": "可憎的;极凶恶的", + "ENG": "very shocking and immoral" + }, + "tax": { + "CHS": "税金;重负", + "ENG": "Tax is an amount of money that you have to pay to the government so that it can pay for public services such as road and schools" + }, + "straw": { + "CHS": "稻草的;无价值的", + "ENG": "having little value or substance " + }, + "underline": { + "CHS": "下划线;下期节目预告" + }, + "diddle": { + "CHS": "骗取;欺骗;浪费", + "ENG": "to get money from someone by deceiving them" + }, + "balloon": { + "CHS": "像气球般鼓起的" + }, + "prefix": { + "CHS": "加前缀;将某事物加在前面", + "ENG": "to add a prefix to a word, name, or set of numbers" + }, + "eminent": { + "CHS": "杰出的;有名的;明显的", + "ENG": "an eminent person is famous, important, and respected" + }, + "resistance": { + "CHS": "阻力;电阻;抵抗;反抗;抵抗力", + "ENG": "a refusal to accept new ideas or changes" + }, + "criticize": { + "CHS": "批评;评论;非难", + "ENG": "to express your disapproval of someone or something, or to talk about their faults" + }, + "those": { + "CHS": "那些(that的复数)" + }, + "eyesight": { + "CHS": "视力;目力", + "ENG": "your ability to see" + }, + "variant": { + "CHS": "变体;转化", + "ENG": "something that is slightly different from the usual form of something" + }, + "attentive": { + "CHS": "留意的,注意的", + "ENG": "listening to or watching someone carefully because you are interested" + }, + "accompanist": { + "CHS": "伴奏者;伴随者", + "ENG": "someone who plays a musical instrument while another person sings or plays the main tune" + }, + "humanly": { + "CHS": "以人力;像人地;在人力所能及的范围", + "ENG": "used to emphasize that something is possible" + }, + "metre": { + "CHS": "米;公尺;韵律", + "ENG": "the basic unit for measuring length in the metric system " + }, + "nymph": { + "CHS": "女神;居于山林水泽的仙女;美丽的少女;蛹", + "ENG": "one of the spirits of nature who, according to ancient Greek and Roman stories, appeared as young girls living in trees, mountains, streams etc" + }, + "folklore": { + "CHS": "民俗学;民间传说;民间风俗", + "ENG": "the traditional stories, customs etc of a particular area or country" + }, + "repetitive": { + "CHS": "重复的", + "ENG": "done many times in the same way, and boring" + }, + "wobble": { + "CHS": "摆动;摇晃;不稳定", + "ENG": "Wobble is also a noun" + }, + "broadcast": { + "CHS": "广播的" + }, + "erect": { + "CHS": "竖立的;笔直的;因性刺激而勃起的", + "ENG": "in a straight upright position" + }, + "christen": { + "CHS": "(Christen)人名;(法、德、西、丹、挪)克里斯滕;(英)克里森" + }, + "elastic": { + "CHS": "松紧带;橡皮圈", + "ENG": "Elastic is a rubber material that stretches when you pull it and returns to its original size and shape when you let it go. Elastic is often used in clothes to make them fit tightly, for example, around the waist. " + }, + "excitement": { + "CHS": "兴奋;刺激;令人兴奋的事物", + "ENG": "the feeling of being excited" + }, + "electricity": { + "CHS": "电力;电流;强烈的紧张情绪", + "ENG": "the power that is carried by wires, cables etc, and is used to provide light or heat, to make machines work etc" + }, + "hungry": { + "CHS": "饥饿的;渴望的;荒年的;不毛的", + "ENG": "wanting to eat something" + }, + "takeover": { + "CHS": "接管;验收", + "ENG": "when one company takes control of another by buying more than half its shares " + }, + "blouse": { + "CHS": "宽松下垂" + }, + "contest": { + "CHS": "竞赛;争夺;争论", + "ENG": "a competition or a situation in which two or more people or groups are competing with each other" + }, + "quail": { + "CHS": "鹌鹑", + "ENG": "a small fat bird with a short tail that is hunted for food or sport, or the meat from this bird" + }, + "assert": { + "CHS": "维护,坚持;断言;主张;声称", + "ENG": "to state firmly that something is true" + }, + "icing": { + "CHS": "冰冻(ice的ing形式)" + }, + "suffocate": { + "CHS": "受阻,受扼制;窒息", + "ENG": "to die or make someone die by preventing them from breathing" + }, + "grit": { + "CHS": "粗砂,砂砾砂砾,粗砂石;勇气;决心", + "ENG": "determination and courage" + }, + "weekly": { + "CHS": "每周一次;逐周", + "ENG": "Weekly is also an adverb" + }, + "tally": { + "CHS": "使符合;计算;记录", + "ENG": "if numbers or statements tally, they match exactly" + }, + "deify": { + "CHS": "把…奉若神明;把…神化;崇拜", + "ENG": "to treat someone or something with extreme respect and admiration" + }, + "suffer": { + "CHS": "(Suffer)人名;(意)苏费尔" + }, + "repertoire": { + "CHS": "全部节目;计算机指令系统;(美)某人或机器的全部技能", + "ENG": "all the plays, pieces of music etc that a performer or group knows and can perform" + }, + "skyrocket": { + "CHS": "飞涨,突然高升" + }, + "unkind": { + "CHS": "无情的;不仁慈的,不厚道的", + "ENG": "nasty, unpleasant, or cruel" + }, + "decent": { + "CHS": "正派的;得体的;相当好的", + "ENG": "of a good enough standard or quality" + }, + "insurgent": { + "CHS": "叛乱者;起义者", + "ENG": "one of a group of people fighting against the government of their own country, or against authority" + }, + "ambitious": { + "CHS": "野心勃勃的;有雄心的;热望的;炫耀的", + "ENG": "determined to be successful, rich, powerful etc" + }, + "nail": { + "CHS": "[解剖] 指甲;钉子", + "ENG": "a thin pointed piece of metal with a flat top, which you hit into a surface with a hammer, for example to join things together or to hang something on" + }, + "recitation": { + "CHS": "背诵;朗诵;详述;背诵的诗", + "ENG": "an act of saying a poem, piece of literature etc that you have learned, for people to listen to" + }, + "withdrawal": { + "CHS": "撤退,收回;提款;取消;退股", + "ENG": "the act of moving an army, weapons etc away from the area where they were fighting" + }, + "irony": { + "CHS": "铁的;似铁的", + "ENG": "of, resembling, or containing iron " + }, + "table": { + "CHS": "桌子的" + }, + "overdraft": { + "CHS": "[金融] 透支" + }, + "pistol": { + "CHS": "用手枪射击" + }, + "hey": { + "CHS": "干草(等于hay)" + }, + "deficit": { + "CHS": "赤字;不足额", + "ENG": "the difference between the amount of something that you have and the higher amount that you need" + }, + "settler": { + "CHS": "移居者;殖民者", + "ENG": "someone who goes to live in a country or area where not many people like them have lived before, and that is a long way from any towns or cities" + }, + "predecessor": { + "CHS": "前任,前辈", + "ENG": "someone who had your job before you started doing it" + }, + "flabby": { + "CHS": "松弛的;软弱的;没气力的;优柔寡断的", + "ENG": "having unattractive soft loose flesh rather than strong muscles" + }, + "convincing": { + "CHS": "使相信;使明白(convince的现在分词)" + }, + "ballot": { + "CHS": "投票;抽签决定", + "ENG": "to ask someone to vote for something" + }, + "bombshell": { + "CHS": "炸弹;突发事件;引起震惊的人或事", + "ENG": "a sexually attractive woman with light-coloured hair" + }, + "cheque": { + "CHS": "支票", + "ENG": "a printed piece of paper that you write an amount of money on, sign, and use instead of money to pay for things" + }, + "ginger": { + "CHS": "姜黄色的", + "ENG": "hair or fur that is ginger is bright orange-brown in colour" + }, + "calendar": { + "CHS": "将…列入表中;将…排入日程表" + }, + "intermediary": { + "CHS": "中间人;仲裁者;调解者;媒介物", + "ENG": "a person or organization that tries to help two other people or groups to agree with each other" + }, + "diplomacy": { + "CHS": "外交;外交手腕;交际手段", + "ENG": "the job or activity of managing the relationships between countries" + }, + "unconcern": { + "CHS": "不关心;不感兴趣;冷淡", + "ENG": "when you do not care about something that other people worry about" + }, + "tone": { + "CHS": "增强;用某种调子说" + }, + "underdone": { + "CHS": "不尽全力做;使…不煮透(underdo的过去分词)" + }, + "bare": { + "CHS": "(Bare)人名;(英)贝尔" + }, + "alchemy": { + "CHS": "点金术;魔力", + "ENG": "a science studied in the Middle Ages, that involved trying to change ordinary metals into gold" + }, + "percentage": { + "CHS": "百分比;百分率,百分数", + "ENG": "an amount expressed as if it is part of a total which is 100" + }, + "type": { + "CHS": "打字;测定(血等)类型", + "ENG": "to write something using a computer or a typewriter " + }, + "battle": { + "CHS": "斗争;作战", + "ENG": "to try very hard to achieve something that is difficult or dangerous" + }, + "receive": { + "CHS": "收到;接待;接纳", + "ENG": "to be given something" + }, + "conventional": { + "CHS": "符合习俗的,传统的;常见的;惯例的", + "ENG": "a conventional method, product, practice etc has been used for a long time and is considered the usual type" + }, + "despotism": { + "CHS": "专制,独裁;专制政治", + "ENG": "rule by a despot" + }, + "weary": { + "CHS": "疲倦;厌烦", + "ENG": "to become very tired, or make someone very tired" + }, + "partner": { + "CHS": "合伙;合股;成为搭档" + }, + "confinement": { + "CHS": "限制;监禁;分娩", + "ENG": "the act of putting someone in a room, prison etc that they are not allowed to leave, or the state of being there" + }, + "bipartisan": { + "CHS": "两党连立的;代表两党的", + "ENG": "involving two political parties, especially parties with opposing views" + }, + "unwise": { + "CHS": "不明智的;愚蠢的;轻率的", + "ENG": "not based on good judgment" + }, + "equate": { + "CHS": "使相等;视为平等" + }, + "pot": { + "CHS": "把…装罐;射击;节略", + "ENG": "If you pot a young plant, or part of a plant, you put it into a container filled with soil, so it can grow there" + }, + "systematic": { + "CHS": "系统的;体系的;有系统的;[图情] 分类的;一贯的,惯常的", + "ENG": "Something that is done in a systematic way is done according to a fixed plan, in a thorough and efficient way" + }, + "sixtieth": { + "CHS": "第六十;六十分之一" + }, + "obsessive": { + "CHS": "强迫性的;着迷的;分神的", + "ENG": "If someone's behaviour is obsessive, they cannot stop doing a particular thing or behaving in a particular way" + }, + "qualify": { + "CHS": "限制;使具有资格;证明…合格", + "ENG": "to have the right to have or do something, or to give someone this right" + }, + "balance": { + "CHS": "使平衡;结算;使相称", + "ENG": "if a government balances the budget, they make the amount of money that they spend equal to the amount of money available" + }, + "outer": { + "CHS": "环外命中" + }, + "satiation": { + "CHS": "饱满;饱食;满足;厌腻" + }, + "transcribe": { + "CHS": "转录;抄写", + "ENG": "to write an exact copy of something" + }, + "earring": { + "CHS": "抽穗;听见(ear的ing形式)" + }, + "corpus": { + "CHS": "[计] 语料库;文集;本金", + "ENG": "A corpus is a large collection of written or spoken texts that is used for language research" + }, + "pawn": { + "CHS": "当掉;以……担保", + "ENG": "If you pawn something that you own, you leave it with a pawnbroker, who gives you money for it and who can sell it if you do not pay back the money before a certain time" + }, + "only": { + "CHS": "但是;不过;可是", + "ENG": "used like ‘but’ to give the reason why something is not possible" + }, + "charisma": { + "CHS": "魅力;神授的能力;非凡的领导力", + "ENG": "a natural ability to attract and interest other people and make them admire you" + }, + "dog": { + "CHS": "跟踪;尾随", + "ENG": "to follow close behind someone" + }, + "Australian": { + "CHS": "澳大利亚人", + "ENG": "someone from Australia" + }, + "masculinity": { + "CHS": "男性;男子气;刚毅", + "ENG": "the features and qualities considered to be typical of men" + }, + "nectar": { + "CHS": "[植] 花蜜;甘露;神酒;任何美味的饮料", + "ENG": "the sweet liquid that bees collect from flowers" + }, + "connote": { + "CHS": "意味着;含言外之意", + "ENG": "If a word or name connotes something, it makes you think of a particular idea or quality" + }, + "guerrilla": { + "CHS": "游击战;游击队", + "ENG": "a member of a small unofficial military group that fights in small groups" + }, + "faithfully": { + "CHS": "忠实地;如实地;诚心诚意地;深信着地", + "ENG": "in a loyal way" + }, + "taper": { + "CHS": "逐渐减少;逐渐变弱", + "ENG": "If something tapers, or if you taper it, it becomes gradually thinner at one end" + }, + "midwife": { + "CHS": "助胎儿出生;促成" + }, + "lobby": { + "CHS": "对……进行游说", + "ENG": "to try to persuade the government or someone with political power that a law or situation should be changed" + }, + "crescent": { + "CHS": "以新月形物装饰;使成新月形" + }, + "coastline": { + "CHS": "海岸线", + "ENG": "the land on the edge of the coast, especially the shape of this land as seen from the air" + }, + "lord": { + "CHS": "使成贵族" + }, + "singer": { + "CHS": "歌手,歌唱家", + "ENG": "someone who sings" + }, + "incomparable": { + "CHS": "盖世无双的人" + }, + "smoky": { + "CHS": "冒烟的;烟熏味的;熏着的;呛人的;烟状的", + "ENG": "producing too much smoke" + }, + "disposition": { + "CHS": "处置;[心理] 性情;[军] 部署;倾向", + "ENG": "a particular type of character which makes someone likely to behave or react in a certain way" + }, + "disclaim": { + "CHS": "否认,拒绝;放弃,弃权;拒绝承认", + "ENG": "to state, especially officially, that you are not responsible for something, that you do not know about it, or that you are not involved with it" + }, + "zoo": { + "CHS": "动物园", + "ENG": "a place, usually in a city, where animals of many kinds are kept so that people can go to look at them" + }, + "lentil": { + "CHS": "[作物] 兵豆,[作物] 小扁豆", + "ENG": "a small round seed like a bean, dried and used for food" + }, + "assemble": { + "CHS": "集合,聚集;装配;收集", + "ENG": "if you assemble a large number of people or things, or if they assemble, they are gathered together in one place, often for a particular purpose" + }, + "sacrament": { + "CHS": "立誓" + }, + "sheriff": { + "CHS": "州长;郡治安官;执行吏" + }, + "parsley": { + "CHS": "荷兰芹,欧芹", + "ENG": "a herb with curly leaves, used in cooking or as decoration on food" + }, + "whirl": { + "CHS": "旋转,回旋;急走;头晕眼花", + "ENG": "to turn or spin around very quickly, or to make someone or something do this" + }, + "groan": { + "CHS": "呻吟;叹息;吱嘎声", + "ENG": "a long deep sound that you make when you are in pain or do not want to do something" + }, + "savings": { + "CHS": "储蓄;存款;救助;节省物(saving的复数形式)", + "ENG": "A saving is a reduction in the amount of time or money that is used or needed" + }, + "punctuation": { + "CHS": "标点;标点符号", + "ENG": "the marks used to divide a piece of writing into sentences, phrases etc" + }, + "wand": { + "CHS": "用扫描笔在…上扫描条形码", + "ENG": "to move a small scanner over something or someone" + }, + "correct": { + "CHS": "正确的;恰当的;端正的", + "ENG": "having no mistakes" + }, + "flank": { + "CHS": "在左右两边" + }, + "thereupon": { + "CHS": "于是;随即;关于那,在其上", + "ENG": "immediately after something else has happened, and usually as a result of it" + }, + "increasingly": { + "CHS": "越来越多地;渐增地", + "ENG": "more and more all the time" + }, + "ventricular": { + "CHS": "心室的;脑室的;膨胀的;腹部的", + "ENG": "of, relating to, involving, or constituting a ventricle " + }, + "segment": { + "CHS": "段;部分", + "ENG": "a part of something that is different from or affected differently from the whole in some way" + }, + "invasion": { + "CHS": "入侵,侵略;侵袭;侵犯", + "ENG": "when the army of one country enters another country by force, in order to take control of it" + }, + "foreleg": { + "CHS": "前脚;前腿", + "ENG": "one of the two front legs of an animal with four legs" + }, + "stint": { + "CHS": "节省;限制", + "ENG": "to provide or use too little of something" + }, + "connoisseur": { + "CHS": "鉴赏家;内行", + "ENG": "someone who knows a lot about something such as art, food, or music" + }, + "gateway": { + "CHS": "门;网关;方法;通道;途径", + "ENG": "the opening in a fence, wall etc that can be closed by a gate" + }, + "saunter": { + "CHS": "闲逛;漫步", + "ENG": "to walk in a slow relaxed way, especially so that you look confident or proud" + }, + "rapt": { + "CHS": "全神贯注的;入迷的", + "ENG": "so interested in something that you do not notice anything else" + }, + "discount": { + "CHS": "贴现;打折扣出售商品", + "ENG": "to reduce the price of something" + }, + "ramble": { + "CHS": "漫步于…", + "ENG": "to go on a walk in the countryside for pleasure" + }, + "annals": { + "CHS": "年报;编年史;年鉴", + "ENG": "used in the titles of official records of events or activities" + }, + "our": { + "CHS": "我们的" + }, + "indeterminate": { + "CHS": "不确定的;模糊的;含混的", + "ENG": "If something is indeterminate, you cannot say exactly what it is" + }, + "plural": { + "CHS": "复数", + "ENG": "a form of a word that shows you are talking about more than one thing, person etc. For example, ‘dogs’ is the plural of ‘dog’" + }, + "rabid": { + "CHS": "激烈的;狂暴的;偏激的;患狂犬病的", + "ENG": "having very extreme and unreasonable opinions" + }, + "repairable": { + "CHS": "可修理的;可挽回的;可补偿的", + "ENG": "able to be fixed" + }, + "inarticulate": { + "CHS": "口齿不清的;说不出话的;[无脊椎] 无关节的" + }, + "anthropology": { + "CHS": "人类学", + "ENG": "the scientific study of people, their societies, culture s etc" + }, + "thirty": { + "CHS": "三十个的" + }, + "enclave": { + "CHS": "飞地(指在本国境内的隶属另一国的一块领土);被包围的领土;被包围物", + "ENG": "a small area that is within a larger area where people of a different kind or nationality live" + }, + "demeanour": { + "CHS": "行为", + "ENG": "Your demeanour is the way you behave, which gives people an impression of your character and feelings" + }, + "cardigan": { + "CHS": "羊毛衫,开襟羊毛衫(等于cardigan sweater)", + "ENG": "a sweater similar to a short coat, fastened at the front with buttons or a zip" + }, + "palate": { + "CHS": "味觉;上颚;趣味", + "ENG": "the sense of taste, and especially your ability to enjoy or judge food" + }, + "hemline": { + "CHS": "底边,底缘" + }, + "panorama": { + "CHS": "全景,全貌;全景画;概论", + "ENG": "an impressive view of a wide area of land" + }, + "newscast": { + "CHS": "新闻广播", + "ENG": "a news programme on radio or television" + }, + "beforehand": { + "CHS": "提前的;预先准备好的" + }, + "icebreaker": { + "CHS": "碎冰船;破冰设备", + "ENG": "a ship that cuts a passage through floating ice" + }, + "prey": { + "CHS": "捕食;牺牲者;被捕食的动物", + "ENG": "an animal, bird etc that is hunted and eaten by another animal" + }, + "attachment": { + "CHS": "附件;依恋;连接物;扣押财产", + "ENG": "a feeling that you like or love someone or something and that you would be unhappy without them" + }, + "monochrome": { + "CHS": "单色的;黑白的", + "ENG": "in shades of only one colour, especially shades of grey" + }, + "Canadian": { + "CHS": "加拿大人", + "ENG": "someone from Canada" + }, + "ultraviolet": { + "CHS": "紫外线辐射,紫外光" + }, + "performer": { + "CHS": "演出者;执行者;演奏者", + "ENG": "an actor, musician etc who performs to entertain people" + }, + "token": { + "CHS": "象征;代表" + }, + "moonlighting": { + "CHS": "夜间活动;夜袭;(尤指夜间)从事第二职业", + "ENG": "working at a secondary job " + }, + "pleasure": { + "CHS": "高兴;寻欢作乐" + }, + "wind": { + "CHS": "缠绕;上发条;使弯曲;吹号角;绕住或缠住某人", + "ENG": "to turn or twist something several times around something else" + }, + "quench": { + "CHS": "熄灭,[机] 淬火;解渴;结束;冷浸", + "ENG": "to stop yourself feeling thirsty, by drinking something" + }, + "forebode": { + "CHS": "预示;预感;预兆", + "ENG": "to warn of or indicate (an event, result, etc) in advance " + }, + "themselves": { + "CHS": "他们自己;他们亲自", + "ENG": "used to show that the people who do something are affected by their own action" + }, + "modernise": { + "CHS": "现代化(等于modernize)" + }, + "appeal": { + "CHS": "呼吁,请求;吸引力,感染力;上诉;诉诸裁判", + "ENG": "an urgent request for something important" + }, + "perceptive": { + "CHS": "感知的,知觉的;有知觉力的", + "ENG": "If you describe a person or their remarks or thoughts as perceptive, you think that they are good at noticing or realizing things, especially things that are not obvious" + }, + "antagonist": { + "CHS": "敌手;[解剖] 对抗肌;[生化] 拮抗物;反协同试剂", + "ENG": "your opponent in a competition, battle, quarrel etc" + }, + "gibber": { + "CHS": "三棱石;无法听懂的话" + }, + "incident": { + "CHS": "[光] 入射的;附带的;易发生的,伴随而来的" + }, + "taffeta": { + "CHS": "似塔夫绸的;塔夫绸做的" + }, + "vanish": { + "CHS": "弱化音" + }, + "civilisation": { + "CHS": "(英)文明(等于civilization)" + }, + "grasp": { + "CHS": "抓住;领会", + "ENG": "to completely understand a fact or an idea, especially a complicated one" + }, + "chairman": { + "CHS": "主席,会长;董事长", + "ENG": "someone, especially a man, who is in charge of a meeting or directs the work of a committee or an organization" + }, + "economic": { + "CHS": "经济的,经济上的;经济学的", + "ENG": "relating to trade, in-dustry, and the management of money" + }, + "jetty": { + "CHS": "伸出" + }, + "somewhat": { + "CHS": "有点;多少;几分;稍微", + "ENG": "more than a little but not very" + }, + "edge": { + "CHS": "使锐利;将…开刃;给…加上边", + "ENG": "to put something on the edge or border of something" + }, + "folly": { + "CHS": "愚蠢;荒唐事;讽刺剧", + "ENG": "a very stupid thing to do, especially one that is likely to have serious results" + }, + "incredible": { + "CHS": "难以置信的,惊人的", + "ENG": "too strange to be believed, or very difficult to believe" + }, + "rail": { + "CHS": "抱怨;责骂", + "ENG": "to complain angrily about something, especially something that you think is very unfair" + }, + "polite": { + "CHS": "有礼貌的,客气的;文雅的;上流的;优雅的", + "ENG": "behaving or speaking in a way that is correct for the social situation you are in, and showing that you are careful to consider other people’s needs and feelings" + }, + "advanced": { + "CHS": "前进;增加;上涨(advance的过去式和过去分词形式)" + }, + "Buddha": { + "CHS": "佛陀;佛像", + "ENG": "Buddha is the title given to Gautama Siddhartha, the religious teacher and founder of Buddhism" + }, + "stealthy": { + "CHS": "鬼鬼祟祟的;秘密的", + "ENG": "moving or doing something quietly and secretly" + }, + "deluxe": { + "CHS": "豪华地" + }, + "outreach": { + "CHS": "扩大服务的" + }, + "hardly": { + "CHS": "几乎不,简直不;刚刚", + "ENG": "almost not" + }, + "steer": { + "CHS": "阉牛", + "ENG": "a young male cow whose sex organs have been removed" + }, + "scream": { + "CHS": "尖叫声;尖锐刺耳的声音;极其滑稽可笑的人", + "ENG": "a loud high sound that you make with your voice because you are hurt, frightened, excited etc" + }, + "gasoline": { + "CHS": "汽油", + "ENG": "a liquid obtained from petroleum, used mainly for producing power in the engines of cars, trucks etc" + }, + "condom": { + "CHS": "避孕套;阴茎套", + "ENG": "a thin rubber bag that a man wears over his penis (= sex organ ) during sex, to prevent a woman having a baby or to protect against disease" + }, + "civic": { + "CHS": "市的;公民的,市民的", + "ENG": "relating to a town or city" + }, + "fifty": { + "CHS": "五十的;五十个的;众多的" + }, + "plum": { + "CHS": "人所希望的;有利的;上等的" + }, + "wed": { + "CHS": "与结婚;娶;嫁", + "ENG": "to marry – used especially in literature or newspapers" + }, + "fissure": { + "CHS": "裂缝;裂沟(尤指岩石上的)", + "ENG": "a deep crack, especially in rock or earth" + }, + "whale": { + "CHS": "鲸;巨大的东西", + "ENG": "a very large animal that lives in the sea and looks like a fish, but is actually a mammal" + }, + "obstacle": { + "CHS": "障碍,干扰;妨害物", + "ENG": "something that makes it difficult to achieve some­thing" + }, + "ignorant": { + "CHS": "无知的;愚昧的", + "ENG": "not knowing facts or information that you ought to know" + }, + "infantry": { + "CHS": "步兵;步兵团", + "ENG": "soldiers who fight on foot" + }, + "snivel": { + "CHS": "流鼻涕;哭泣" + }, + "southwest": { + "CHS": "往西南;来自西南", + "ENG": "If you go southwest, you travel toward the southwest" + }, + "disappointment": { + "CHS": "失望;沮丧", + "ENG": "a feeling of unhappiness because something is not as good as you expected, or has not happened in the way you hoped" + }, + "till": { + "CHS": "耕种;犁", + "ENG": "to prepare land for growing crops" + }, + "revolutionary": { + "CHS": "革命者", + "ENG": "someone who joins in or supports a political or social revolution" + }, + "inspiration": { + "CHS": "灵感;鼓舞;吸气;妙计", + "ENG": "a good idea about what you should do, write, say etc, especially one which you get suddenly" + }, + "Friday": { + "CHS": "星期五", + "ENG": "the day between Thursday and Saturday" + }, + "homogenise": { + "CHS": "(英)使均匀(等于homogenize)" + }, + "offspring": { + "CHS": "后代,子孙;产物", + "ENG": "someone’s child or children – often used humorously" + }, + "remedial": { + "CHS": "治疗的;补救的;矫正的", + "ENG": "intended to improve something that is wrong" + }, + "loll": { + "CHS": "(Loll)人名;(德)洛尔" + }, + "indispensable": { + "CHS": "不可缺少之物;必不可少的人" + }, + "funeral": { + "CHS": "丧葬的,出殡的" + }, + "submissive": { + "CHS": "顺从的;服从的;柔顺的", + "ENG": "always willing to obey someone and never disagreeing with them, even if they are unkind to you" + }, + "dining": { + "CHS": "吃饭(dine的现在分词)", + "ENG": "When you dine, you have dinner" + }, + "secure": { + "CHS": "保护;弄到;招致;缚住", + "ENG": "to make something safe from being attacked, harmed, or lost" + }, + "inconceivable": { + "CHS": "不可思议的;难以置信的;不能想象的;非凡的", + "ENG": "too strange or unusual to be thought real or possible" + }, + "potluck": { + "CHS": "家常便饭;百乐餐(每人自带一个菜的家庭聚会)", + "ENG": "A potluck is a meal that consists of food brought by the people who come to the meal, or a meal that consists of whatever food happens to be available without special preparation" + }, + "evasive": { + "CHS": "逃避的;托辞的;推托的", + "ENG": "not willing to answer questions directly" + }, + "comfortable": { + "CHS": "盖被" + }, + "licence": { + "CHS": "特许,许可;发给执照" + }, + "plenary": { + "CHS": "全体会议", + "ENG": "Plenary is also a noun" + }, + "martyr": { + "CHS": "烈士;殉道者", + "ENG": "someone who dies for their religious or political beliefs and is admired by people for this" + }, + "moment": { + "CHS": "片刻,瞬间,时刻;重要,契机", + "ENG": "a particular point in time" + }, + "straight": { + "CHS": "直;直线;直男,直女,异性恋者", + "ENG": "the straight part of a racetrack " + }, + "thereof": { + "CHS": "它的;由此;在其中;关于…;将它", + "ENG": "relating to something that has just been mentioned" + }, + "chastity": { + "CHS": "贞洁;纯洁;简洁", + "ENG": "the principle or state of not having sex with anyone, or not with anyone except your husband or wife" + }, + "ranch": { + "CHS": "经营牧场;在牧场工作" + }, + "firsthand": { + "CHS": "直接地" + }, + "palatable": { + "CHS": "美味的,可口的;愉快的", + "ENG": "palatable food or drink has a pleasant or acceptable taste" + }, + "accurate": { + "CHS": "精确的", + "ENG": "correct and true in every detail" + }, + "usage": { + "CHS": "使用;用法;惯例", + "ENG": "the way that words are used in a language" + }, + "weigh": { + "CHS": "权衡;称重量" + }, + "misty": { + "CHS": "(Misty)人名;(英)米斯蒂,米丝蒂(女名);(法)米斯蒂" + }, + "party": { + "CHS": "参加社交聚会 [ 过去式 partied 过去分词 partied 现在分词 partying ]" + }, + "inhumanity": { + "CHS": "不人道,无人性;残暴", + "ENG": "very cruel behaviour or actions" + }, + "count": { + "CHS": "计数;计算;伯爵", + "ENG": "the process of counting, or the total that you get when you count things" + }, + "certainty": { + "CHS": "必然;确实;确实的事情", + "ENG": "the state of being completely certain" + }, + "sentinel": { + "CHS": "守卫,放哨" + }, + "integral": { + "CHS": "积分;部分;完整" + }, + "mink": { + "CHS": "豪华的;富裕的" + }, + "pyramid": { + "CHS": "渐增;上涨;成金字塔状" + }, + "real": { + "CHS": "现实;实数" + }, + "kennel": { + "CHS": "把…关进狗舍;宿于狗舍", + "ENG": "to put or go into a kennel; keep or stay in a kennel " + }, + "homicide": { + "CHS": "过失杀人;杀人犯", + "ENG": "the crime of murder" + }, + "guide": { + "CHS": "引导;带领;操纵", + "ENG": "to take someone to a place" + }, + "muse": { + "CHS": "沉思;沉思地说", + "ENG": "to say something in a way that shows you are thinking about it carefully" + }, + "condolence": { + "CHS": "哀悼;慰问", + "ENG": "When you offer or express your condolences to someone, you express your sympathy for them because one of their friends or relatives has died recently" + }, + "revise": { + "CHS": "修订;校订" + }, + "brood": { + "CHS": "一窝;一伙", + "ENG": "a family of young birds all born at the same time" + }, + "globe": { + "CHS": "成球状" + }, + "janitor": { + "CHS": "看门人;守卫;门警", + "ENG": "someone whose job is to look after a school or other large building" + }, + "operation": { + "CHS": "操作;经营;[外科] 手术;[数][计] 运算", + "ENG": "the process of cutting into someone’s body to repair or remove a part that is damaged" + }, + "enormity": { + "CHS": "巨大;暴行;极恶", + "ENG": "a very evil and cruel act" + }, + "terry": { + "CHS": "起毛毛圈的" + }, + "defoliate": { + "CHS": "使落叶", + "ENG": "to use defoliant on a plant or tree" + }, + "atmospheric": { + "CHS": "大气的,大气层的", + "ENG": "relating to the Earth’s atmosphere" + }, + "timber": { + "CHS": "木材;木料", + "ENG": "wood used for building or making things" + }, + "merit": { + "CHS": "值得", + "ENG": "to be good, important, or serious enough for praise or attention" + }, + "night": { + "CHS": "夜晚的,夜间的" + }, + "dweller": { + "CHS": "居民,居住者", + "ENG": "A city dweller or slum dweller, for example, is a person who lives in the kind of place or house indicated" + }, + "common": { + "CHS": "普通;平民;公有地", + "ENG": "a large area of open land in a town or village that people walk or play sport on" + }, + "compliance": { + "CHS": "顺从,服从;承诺", + "ENG": "when someone obeys a rule, agreement, or demand" + }, + "interval": { + "CHS": "间隔;间距;幕间休息", + "ENG": "the period of time between two events, activities etc" + }, + "hobbyist": { + "CHS": "业余爱好者;沉溺于某嗜好之人", + "ENG": "You can refer to person who is very interested in a particular hobby and spends a lot of time on it as a hobbyist" + }, + "cavalry": { + "CHS": "骑兵;装甲兵;装甲部队", + "ENG": "the part of an army that fights on horses, especially in the past" + }, + "slug": { + "CHS": "偷懒;动作迟缓" + }, + "epitome": { + "CHS": "缩影;摘要;象征" + }, + "Sabbath": { + "CHS": "安息日", + "ENG": "to obey or not obey the religious rules of the Sabbath" + }, + "few": { + "CHS": "很少数", + "ENG": "not many or hardly any people or things" + }, + "fiscal": { + "CHS": "(Fiscal)人名;(法)菲斯卡尔" + }, + "fudge": { + "CHS": "胡说八道!", + "ENG": "foolishness; nonsense " + }, + "excellence": { + "CHS": "优秀;美德;长处", + "ENG": "If someone or something has the quality of excellence, they are extremely good in some way" + }, + "fibre": { + "CHS": "纤维;纤维制品", + "ENG": "the parts of plants that you eat but cannot digest . Fibre helps to keep you healthy by moving food quickly through your body." + }, + "tent": { + "CHS": "用帐篷遮盖;使在帐篷里住宿" + }, + "craven": { + "CHS": "懦夫" + }, + "freewheel": { + "CHS": "自由轮" + }, + "censorious": { + "CHS": "挑剔的;受批判的(名词censoriousness,副词censoriously)", + "ENG": "criticizing and expressing disapproval" + }, + "tweed": { + "CHS": "花呢;花呢服装", + "ENG": "rough woollen cloth woven from threads of different colours, used mostly to make jackets , suits, and coats" + }, + "fare": { + "CHS": "票价;费用;旅客;食物", + "ENG": "the price you pay to travel somewhere by bus, train, plane etc" + }, + "soap": { + "CHS": "将肥皂涂在……上;对……拍马屁(俚语)", + "ENG": "to rub soap on or over someone or something" + }, + "householder": { + "CHS": "户主,家长;房主", + "ENG": "someone who owns or is in charge of a house" + }, + "fowl": { + "CHS": "打鸟;捕野禽" + }, + "without": { + "CHS": "外部;外面" + }, + "engineer": { + "CHS": "设计;策划;精明地处理", + "ENG": "to make something happen by skilful secret planning" + }, + "redundancy": { + "CHS": "[计][数] 冗余(等于redundance);裁员;人浮于事", + "ENG": "a situation in which someone has to leave their job, because they are no longer needed" + }, + "decision": { + "CHS": "决定,决心;决议", + "ENG": "a choice or judgment that you make after a period of discussion or thought" + }, + "exodus": { + "CHS": "大批的离去", + "ENG": "If there is an exodus of people from a place, a lot of people leave that place at the same time" + }, + "mortality": { + "CHS": "死亡数,死亡率;必死性,必死的命运", + "ENG": "the number of deaths during a particular period of time among a particular type or group of people" + }, + "picket": { + "CHS": "派……担任纠察;用尖桩围住" + }, + "republic": { + "CHS": "共和国;共和政体", + "ENG": "a country governed by elected representatives of the people, and led by a president, not a king or queen" + }, + "condemn": { + "CHS": "谴责;判刑,定罪;声讨", + "ENG": "to say very strongly that you do not approve of something or someone, especially because you think it is morally wrong" + }, + "up": { + "CHS": "上升;繁荣" + }, + "disposed": { + "CHS": "处理;配置;使适应(dispose的过去分词);使有倾向" + }, + "evangelist": { + "CHS": "福音传道者;圣经新约福音书的作者", + "ENG": "one of the four writers of the books in the Bible called the Gospels" + }, + "interview": { + "CHS": "采访;接见;对…进行面谈;对某人进行面试", + "ENG": "to ask someone questions during an interview" + }, + "downward": { + "CHS": "向下", + "ENG": "If you move or look downward, you move or look toward the ground or a lower level" + }, + "electorate": { + "CHS": "选民;选区", + "ENG": "all the people in a country who have the right to vote" + }, + "oral": { + "CHS": "口试", + "ENG": "a spoken test, especially in a foreign language" + }, + "fraught": { + "CHS": "担心的,忧虑的;充满…的", + "ENG": "If a situation or action is fraught with problems or risks, it is filled with them" + }, + "funk": { + "CHS": "害怕;畏缩;使闻到臭味", + "ENG": "to avoid doing something because it is difficult, or because you are afraid" + }, + "pact": { + "CHS": "协定;公约;条约;契约", + "ENG": "a formal agreement between two groups, countries, or people, especially to help each other or to stop fighting" + }, + "valiant": { + "CHS": "勇士;勇敢的人" + }, + "typography": { + "CHS": "排印;[印刷] 活版印刷术;印刷格式", + "ENG": "the work of preparing written material for printing" + }, + "retell": { + "CHS": "复述;再讲;重述", + "ENG": "to tell a story again, often in a different way or in a different language" + }, + "secretariat": { + "CHS": "秘书处;书记处;秘书(书记,部长等)之职", + "ENG": "a government office or the office of a large international organization, especially one that has a secretary general in charge of it" + }, + "momentum": { + "CHS": "势头;[物] 动量;动力;冲力", + "ENG": "the ability to keep increasing, developing, or being more successful" + }, + "amplify": { + "CHS": "放大,扩大;增强;详述", + "ENG": "to make sound louder, especially musical sound" + }, + "touchdown": { + "CHS": "着陆,降落;触地;触地得分", + "ENG": "the moment at which a plane or spacecraft lands" + }, + "barbaric": { + "CHS": "野蛮的,粗野的;原始的", + "ENG": "very cruel and violent" + }, + "left": { + "CHS": "离开(leave的过去式)" + }, + "voltage": { + "CHS": "[电] 电压", + "ENG": "electrical force measured in volts" + }, + "settee": { + "CHS": "有靠背的长椅;中型沙发", + "ENG": "a long comfortable seat with a back and usually with arms, for more than one person to sit on" + }, + "racialism": { + "CHS": "种族主义;种族歧视;人种偏见" + }, + "sadden": { + "CHS": "使悲伤,使难过;使黯淡", + "ENG": "to make someone feel sad" + }, + "icebox": { + "CHS": "冰箱;冷藏库", + "ENG": "a refrigerator" + }, + "barricade": { + "CHS": "设路障;阻碍", + "ENG": "to build a barricade to prevent someone or something from getting in" + }, + "hatch": { + "CHS": "孵;策划", + "ENG": "if an egg hatches, or if it is hatched, it breaks, letting the young bird, insect etc come out" + }, + "near": { + "CHS": "靠近;近似于" + }, + "thoughtless": { + "CHS": "轻率的;欠考虑的;考虑不周的;不顾及他人的", + "ENG": "not thinking about the needs and feelings of other people, especially because you are thinking about what you want" + }, + "reversible": { + "CHS": "双面布料" + }, + "intent": { + "CHS": "专心的;急切的;坚决的", + "ENG": "giving careful attention to something so that you think about nothing else" + }, + "egocentric": { + "CHS": "利己主义者" + }, + "arithmetic": { + "CHS": "算术,算法", + "ENG": "the science of numbers involving adding, multiplying etc" + }, + "roughly": { + "CHS": "粗糙地;概略地", + "ENG": "not exactly" + }, + "stimulant": { + "CHS": "激励的;使人兴奋的" + }, + "smother": { + "CHS": "窒息状态;令人窒息的浓烟" + }, + "writer": { + "CHS": "作家;作者", + "ENG": "someone who writes books, stories etc, especially as a job" + }, + "allegiance": { + "CHS": "效忠,忠诚;忠贞", + "ENG": "loyalty to a leader, country, belief etc" + }, + "plaza": { + "CHS": "广场;市场,购物中心", + "ENG": "a public square or market place surrounded by buildings, especially in towns in Spanish-speaking countries" + }, + "slender": { + "CHS": "细长的;苗条的;微薄的", + "ENG": "thin in an attractive or graceful way" + }, + "project": { + "CHS": "工程;计划;事业", + "ENG": "a carefully planned piece of work to get information about something, to build something, to improve something etc" + }, + "pair": { + "CHS": "把…组成一对", + "ENG": "to put people or things into groups of two, or to form groups of two" + }, + "unduly": { + "CHS": "过度地;不适当地;不正当地", + "ENG": "more than is normal or reasonable" + }, + "sufficiency": { + "CHS": "足量,充足;自满", + "ENG": "the state of being or having enough" + }, + "farmer": { + "CHS": "农夫,农民" + }, + "prohibit": { + "CHS": "阻止,禁止", + "ENG": "to say that an action is illegal or not allowed" + }, + "birthplace": { + "CHS": "出生地", + "ENG": "the place where someone was born, used especially when talking about someone famous" + }, + "affordable": { + "CHS": "负担得起的", + "ENG": "If something is affordable, most people have enough money to buy it" + }, + "derrick": { + "CHS": "起重机,[机] 转臂起重机;油井的铁架塔", + "ENG": "a tall machine used for lifting heavy weights, especially on ships" + }, + "appendicitis": { + "CHS": "[医] 阑尾炎;盲肠炎", + "ENG": "an illness in which your appendix swells and causes pain" + }, + "mutilate": { + "CHS": "切断,毁坏;使…残缺不全;使…支离破碎", + "ENG": "to severely and violently damage someone’s body, especially by cutting or removing part of it" + }, + "banker": { + "CHS": "银行家;银行业者;掘土工", + "ENG": "someone who works in a bank in an important position" + }, + "mussel": { + "CHS": "蚌;贻贝;淡菜", + "ENG": "a small sea animal with a soft body that can be eaten and a black shell that is divided into two parts" + }, + "capable": { + "CHS": "能干的,能胜任的;有才华的", + "ENG": "able to do things well" + }, + "annex": { + "CHS": "附加物;附属建筑物" + }, + "seventy": { + "CHS": "七十", + "ENG": "the number 70" + }, + "sheikh": { + "CHS": "族长;阿拉伯酋长(等于sheik)", + "ENG": "an Arab ruler or prince" + }, + "clever": { + "CHS": "聪明的;机灵的;熟练的", + "ENG": "able to learn and understand things quickly" + }, + "sanguinary": { + "CHS": "血腥的;流血的;残暴的", + "ENG": "involving violence and killing" + }, + "cede": { + "CHS": "放弃;割让(领土)", + "ENG": "to give something such as an area of land or a right to a country or person, especially when you are forced to" + }, + "magnet": { + "CHS": "磁铁;[电磁] 磁体;磁石", + "ENG": "a piece of iron or steel that can stick to metal or make other metal objects move towards itself" + }, + "viral": { + "CHS": "病毒性的", + "ENG": "relating to or caused by a virus" + }, + "halfway": { + "CHS": "中途的;不彻底的", + "ENG": "at a middle point in space or time between two things" + }, + "berry": { + "CHS": "采集浆果" + }, + "provocative": { + "CHS": "刺激物,挑拨物;兴奋剂" + }, + "feminism": { + "CHS": "女权主义;女权运动;男女平等主义", + "ENG": "the belief that women should have the same rights and opportunities as men" + }, + "inflammatory": { + "CHS": "炎症性的;煽动性的;激动的", + "ENG": "an inflammatory speech, piece of writing etc is likely to make people feel angry" + }, + "optics": { + "CHS": "[光] 光学", + "ENG": "the scientific study of light and the way we see" + }, + "scapegoat": { + "CHS": "使成为…的替罪羊", + "ENG": "To scapegoat someone means to blame them publicly for something bad that has happened, even though it was not their fault" + }, + "devote": { + "CHS": "致力于;奉献", + "ENG": "to use all or most of your time, effort etc in order to do something or help someone" + }, + "fieldwork": { + "CHS": "野外工作;现场工作;野战工事" + }, + "rumble": { + "CHS": "隆隆声;抱怨声", + "ENG": "a series of long low sounds" + }, + "removal": { + "CHS": "免职;移动;排除;搬迁", + "ENG": "when someone is forced out of an important position or dismissed from a job" + }, + "tiresome": { + "CHS": "烦人的,无聊的;令人讨厌的", + "ENG": "making you feel annoyed or impatient" + }, + "cheerful": { + "CHS": "快乐的;愉快的;高兴的", + "ENG": "happy, or behaving in a way that shows you are happy" + }, + "hasten": { + "CHS": "加速;使赶紧;催促", + "ENG": "to make something happen faster or sooner" + }, + "dislodge": { + "CHS": "逐出,驱逐;使……移动;用力移动", + "ENG": "to make someone leave a place or lose a position of power" + }, + "indict": { + "CHS": "控告,起诉;[法] 揭发", + "ENG": "to officially charge someone with a criminal offence" + }, + "killer": { + "CHS": "杀手;致死;止痛药;宰杀的器具;断路器", + "ENG": "a person, animal, or thing that kills" + }, + "oxygen": { + "CHS": "[化学] 氧气,[化学] 氧", + "ENG": "a gas that has no colour or smell, is present in air, and is necessary for most animals and plants to live. It is a chemical element: symbol O" + }, + "colt": { + "CHS": "以笞绳鞭打" + }, + "workbook": { + "CHS": "工作手册;练习簿", + "ENG": "a school book containing questions and exercises" + }, + "gorgeous": { + "CHS": "华丽的,灿烂的;极好的" + }, + "prostate": { + "CHS": "[解剖] 前列腺", + "ENG": "an organ in the body of male mammal s that is near the bladder and that produces a liquid in which sperm are carried" + }, + "aptitude": { + "CHS": "天资;自然倾向;适宜", + "ENG": "natural ability or skill, especially in learning" + }, + "describe": { + "CHS": "描述,形容;描绘", + "ENG": "to say what something or someone is like by giving details about them" + }, + "spicy": { + "CHS": "辛辣的;香的,多香料的;下流的", + "ENG": "food that is spicy has a pleasantly strong taste, and gives you a pleasant burning feeling in your mouth" + }, + "centralise": { + "CHS": "把…集中起来;形成中心" + }, + "consignment": { + "CHS": "委托;运送;托付物", + "ENG": "a quantity of goods that are sent somewhere, especially in order to be sold" + }, + "fulfil": { + "CHS": "履行;完成;实践;满足", + "ENG": "if you fulfil a hope, wish, or aim, you achieve the thing that you hoped for, wished for etc" + }, + "seaman": { + "CHS": "海员,水手;水兵", + "ENG": "a sailor on a ship or in the navy who is not an officer" + }, + "rugger": { + "CHS": "英式橄榄球", + "ENG": "Rugby Union" + }, + "feckless": { + "CHS": "无效的;软弱的;没精神的;不负责任的;无气力的", + "ENG": "lacking determination, and not achieving anything in your life" + }, + "uneducated": { + "CHS": "未受教育(uneducate的过去分词)" + }, + "berth": { + "CHS": "使……停泊;为……提供铺位", + "ENG": "to bring a ship into a berth, or arrive at a berth" + }, + "connotation": { + "CHS": "内涵;含蓄;暗示,隐含意义;储蓄的东西(词、语等)", + "ENG": "a quality or an idea that a word makes you think of that is more than its basic meaning" + }, + "irresistible": { + "CHS": "不可抵抗的;不能压制的;极为诱人的", + "ENG": "so attractive, desirable etc that you cannot prevent yourself from wanting it" + }, + "eject": { + "CHS": "喷射;驱逐,逐出", + "ENG": "to make someone leave a place or building by using force" + }, + "induct": { + "CHS": "引导;感应;使…就职;征召入伍", + "ENG": "to officially give someone a job or position of authority, especially at a special ceremony" + }, + "refugee": { + "CHS": "难民,避难者;流亡者,逃亡者", + "ENG": "someone who has been forced to leave their country, especially during a war, or for political or religious reasons" + }, + "dissertation": { + "CHS": "论文,专题;学术演讲", + "ENG": "a long piece of writing on a particular subject, especially one written for a university degree" + }, + "endow": { + "CHS": "赋予;捐赠;天生具有", + "ENG": "You say that someone is endowed with a particular desirable ability, characteristic, or possession when they have it by chance or by birth" + }, + "hacksaw": { + "CHS": "用钢锯锯断" + }, + "picture": { + "CHS": "画;想像;描写", + "ENG": "to show someone or something in a photograph, painting, or drawing" + }, + "outside": { + "CHS": "在…范围之外" + }, + "feminine": { + "CHS": "女性的;妇女(似)的;阴性的;娇柔的", + "ENG": "having qualities that are considered to be typical of women, especially by being gentle, delicate, and pretty" + }, + "Braille": { + "CHS": "布莱叶(法国盲人教育家);盲人用点字法", + "ENG": "Braille is a system of printing for blind people. The letters are printed as groups of raised dots that you can feel with your fingers. " + }, + "psychotherapy": { + "CHS": "心理疗法;精神疗法", + "ENG": "the treatment of mental illness, for example depression , by talking to someone and discussing their problems rather than giving them drugs" + }, + "apparently": { + "CHS": "显然地;似乎,表面上", + "ENG": "You use apparently to refer to something that seems to be true, although you are not sure whether it is or not" + }, + "commissioner": { + "CHS": "理事;委员;行政长官;总裁", + "ENG": "someone who is officially in charge of a government department in some countries" + }, + "salient": { + "CHS": "凸角;突出部分" + }, + "cabaret": { + "CHS": "卡巴莱歌舞表演;卡巴莱餐馆", + "ENG": "entertainment, usually with music, songs, and dancing, performed in a restaurant or club while the customers eat and drink" + }, + "accede": { + "CHS": "加入;同意;就任", + "ENG": "When a member of a royal family accedes to the throne, they become king or queen" + }, + "mentality": { + "CHS": "心态;[心理] 智力;精神力;头脑作用", + "ENG": "a particular attitude or way of thinking, especially one that you think is wrong or stupid" + }, + "sleepy": { + "CHS": "欲睡的;困乏的;不活跃的", + "ENG": "tired and ready to sleep" + }, + "induction": { + "CHS": "[电磁] 感应;归纳法;感应现象;入门培训,入职仪式,就职;诱导", + "ENG": "the introduction of someone into a new job, company, official position etc, or the ceremony at which this is done" + }, + "kettle": { + "CHS": "壶;[化工] 釜;罐;鼓", + "ENG": "a container with a lid, a handle, and a spout,used for boiling and pouring water" + }, + "fighting": { + "CHS": "奋斗(fight的ing形式);打仗;与…进行拳击", + "ENG": "If you fight something unpleasant, you try in a determined way to prevent it or stop it from happening" + }, + "augment": { + "CHS": "增加;增大" + }, + "attract": { + "CHS": "吸引;引起", + "ENG": "to make someone interested in something, or make them want to take part in something" + }, + "scientific": { + "CHS": "科学的,系统的", + "ENG": "about or related to science, or using its methods" + }, + "encompass": { + "CHS": "包含;包围,环绕;完成", + "ENG": "to include a wide range of ideas, subjects, etc" + }, + "upsurge": { + "CHS": "涌起,高涨" + }, + "ballet": { + "CHS": "芭蕾舞剧;芭蕾舞乐曲", + "ENG": "a performance in which dancing and music tell a story without any speaking" + }, + "system": { + "CHS": "制度,体制;系统;方法", + "ENG": "a group of related parts that work together as a whole for a particular purpose" + }, + "claw": { + "CHS": "用爪抓(或挖)", + "ENG": "to tear or pull at something, using claws or your fingers" + }, + "attribute": { + "CHS": "归属;把…归于", + "ENG": "If you attribute something to an event or situation, you think that it was caused by that event or situation" + }, + "canteen": { + "CHS": "食堂,小卖部;水壶", + "ENG": "a place in a factory, school etc where meals are provided, usually quite cheaply" + }, + "index": { + "CHS": "做索引", + "ENG": "if documents, information etc are indexed, an index is made for them" + }, + "canvass": { + "CHS": "讨论;细查;劝诱" + }, + "cola": { + "CHS": "可乐;可乐树(其子含咖啡碱)", + "ENG": "a brown sweet soft drink , or a bottle, can, or glass of this drink" + }, + "bobsleigh": { + "CHS": "乘大雪橇;滑大雪橇比赛" + }, + "last": { + "CHS": "最后地;上次,最近;最后一点", + "ENG": "most recently before now" + }, + "slimnastics": { + "CHS": "减肥体操;健美操" + }, + "librarian": { + "CHS": "图书馆员;图书管理员", + "ENG": "someone who works in a library" + }, + "renovate": { + "CHS": "更新;修复;革新;刷新", + "ENG": "to repair a building or old furniture so that it is in good condition again" + }, + "blot": { + "CHS": "污点,污渍;墨水渍", + "ENG": "a mark or dirty spot on something, especially made by ink" + }, + "praise": { + "CHS": "赞美,歌颂;表扬", + "ENG": "to say that you admire and approve of someone or something, especially publicly" + }, + "October": { + "CHS": "[天] 十月", + "ENG": "the tenth month of the year, between September and November" + }, + "female": { + "CHS": "女人;[动] 雌性动物", + "ENG": "an animal that belongs to the sex that can have babies or produce eggs" + }, + "commentator": { + "CHS": "评论员,解说员;实况播音员;时事评论者", + "ENG": "someone who knows a lot about a particular subject, and who writes about it or discusses it on the television or radio" + }, + "antler": { + "CHS": "鹿角,茸角;多叉鹿角", + "ENG": "one of the two horns of a male deer " + }, + "knowledge": { + "CHS": "知识,学问;知道,认识;学科", + "ENG": "the information, skills, and understanding that you have gained through learning or experience" + }, + "sunburn": { + "CHS": "晒伤皮肤;晒红皮肤;晒黑皮肤" + }, + "hypertension": { + "CHS": "高血压;过度紧张", + "ENG": "a medical condition in which your blood pressure is too high" + }, + "climactic": { + "CHS": "高潮的;顶点的;渐层法的", + "ENG": "forming a very exciting or important part of an event or story, especially near the end of it" + }, + "ventricle": { + "CHS": "室;心室;脑室", + "ENG": "one of the two spaces in the bottom of your heart through which blood pumps out to your body" + }, + "maladministration": { + "CHS": "管理不善;弊政", + "ENG": "careless or dishonest management" + }, + "ostrich": { + "CHS": "鸵鸟;鸵鸟般的人", + "ENG": "a large African bird with long legs, that runs very quickly but cannot fly" + }, + "auctioneer": { + "CHS": "拍卖商", + "ENG": "someone who is in charge of selling the things at an auction and who calls out how much money has already been offered for something" + }, + "nest": { + "CHS": "筑巢;嵌套", + "ENG": "to build or use a nest" + }, + "latitude": { + "CHS": "纬度;界限;活动范围", + "ENG": "the distance north or south of the equator(= the imaginary line around the middle of the world ), measured in degrees" + }, + "external": { + "CHS": "外部;外观;外面" + }, + "legislation": { + "CHS": "立法;法律", + "ENG": "a law or set of laws" + }, + "backward": { + "CHS": "向后地;相反地", + "ENG": "If you move or look backward, you move or look in the direction that your back is facing" + }, + "bash": { + "CHS": "猛烈的一击,痛击", + "ENG": "a hard strong hit" + }, + "saint": { + "CHS": "成为圣徒" + }, + "backbone": { + "CHS": "支柱;主干网;决心,毅力;脊椎", + "ENG": "the row of connected bones that go down the middle of your back" + }, + "readiness": { + "CHS": "敏捷,迅速;准备就绪;愿意", + "ENG": "when you are prepared for something, or when something is ready to be used" + }, + "suspend": { + "CHS": "延缓,推迟;使暂停;使悬浮", + "ENG": "to officially stop something from continuing, especially for a short time" + }, + "irreconcilable": { + "CHS": "矛盾的;不能和解的;不能协调的", + "ENG": "irreconcilable positions etc are so strongly opposed to each other that it is not possible for them to reach an agreement" + }, + "unlisted": { + "CHS": "未上市的;未编入册的", + "ENG": "not shown on an official stock exchange list" + }, + "tacky": { + "CHS": "俗气的;发黏的;缺乏教养或风度的", + "ENG": "slightly sticky" + }, + "stardom": { + "CHS": "演员们;明星界;明星身份", + "ENG": "Stardom is the state of being very famous, usually as an actor, musician, or athlete" + }, + "synthesis": { + "CHS": "综合,[化学] 合成;综合体", + "ENG": "something that has been made by combining different things, or the process of combining things" + }, + "tomb": { + "CHS": "埋葬" + }, + "wreathe": { + "CHS": "用花环装饰;将…做成花环;包围;覆盖", + "ENG": "If something is wreathed in smoke or mist, it is surrounded by it" + }, + "unashamed": { + "CHS": "无耻的;恬不知耻的;问心无愧的", + "ENG": "not feeling embarrassed or ashamed about something that people might disapprove of" + }, + "transform": { + "CHS": "改变,使…变形;转换", + "ENG": "to completely change the appearance, form, or character of something or someone, especially in a way that improves it" + }, + "keeper": { + "CHS": "监护人;饲养员;看守人;管理人", + "ENG": "someone who looks after animals" + }, + "crowd": { + "CHS": "拥挤,挤满,挤进", + "ENG": "if people crowd somewhere, they gather together in large numbers, filling a particular place" + }, + "brunt": { + "CHS": "冲击;主要冲力" + }, + "Buddhist": { + "CHS": "佛教的", + "ENG": "Buddhist means relating or referring to Buddhism" + }, + "radius": { + "CHS": "半径,半径范围;[解剖] 桡骨;辐射光线;有效航程", + "ENG": "the distance from the centre to the edge of a circle, or a line drawn from the centre to the edge" + }, + "forgive": { + "CHS": "原谅;免除(债务、义务等)", + "ENG": "to stop being angry with someone and stop blaming them, although they have done something wrong" + }, + "locker": { + "CHS": "柜,箱;上锁的人;有锁的橱柜;锁扣装置;有锁的存物柜", + "ENG": "a small cupboard with a lock in a school, sports building, office etc, where you can leave clothes or possessions while you do something" + }, + "independence": { + "CHS": "独立性,自立性;自主", + "ENG": "political freedom from control by the government of another country" + }, + "realistic": { + "CHS": "现实的;现实主义的;逼真的;实在论的", + "ENG": "judging and dealing with situations in a practical way according to what is actually possible rather than what you would like to happen" + }, + "exacerbate": { + "CHS": "使加剧;使恶化;激怒", + "ENG": "to make a bad situation worse" + }, + "insist": { + "CHS": "坚持,强调", + "ENG": "to demand that something should happen" + }, + "cucumber": { + "CHS": "黄瓜;胡瓜", + "ENG": "a long thin round vegetable with a dark green skin and a light green inside, usually eaten raw" + }, + "online": { + "CHS": "在线地", + "ENG": "Online is also an adverb" + }, + "lion": { + "CHS": "狮子;名人;勇猛的人;社交场合的名流", + "ENG": "a large animal of the cat family that lives in Africa and parts of southern Asia. Lions have gold-coloured fur and the male has a mane(= long hair around its neck )." + }, + "conclusive": { + "CHS": "决定性的;最后的;确实的;确定性的", + "ENG": "Conclusive evidence shows that something is certainly true" + }, + "irrigate": { + "CHS": "灌溉;冲洗;使清新", + "ENG": "to supply land or crops with water" + }, + "jagged": { + "CHS": "使成缺口;使成锯齿状(jag的过去式)" + }, + "inertia": { + "CHS": "[力] 惯性;惰性,迟钝;不活动", + "ENG": "when no one wants to do anything to change a situation" + }, + "flop": { + "CHS": "扑通一声;恰巧" + }, + "imperceptible": { + "CHS": "感觉不到的;极细微的" + }, + "Asia": { + "CHS": "亚洲" + }, + "theology": { + "CHS": "神学;宗教体系", + "ENG": "the study of religion and religious ideas and beliefs" + }, + "nestle": { + "CHS": "舒适地坐定;偎依;半隐半现地处于", + "ENG": "to move into a comfortable position, pressing your head or body against someone or against something soft" + }, + "whichever": { + "CHS": "无论哪个;无论哪些" + }, + "acquit": { + "CHS": "无罪释放;表现;脱卸义务和责任;清偿", + "ENG": "to do something well, especially something difficult that you do for the first time in front of other people" + }, + "thou": { + "CHS": "(Thou)人名;(法、柬)图" + }, + "outfit": { + "CHS": "得到装备", + "ENG": "to provide someone or something with a set of clothes or equipment, especially ones that are needed for a particular purpose" + }, + "ennoble": { + "CHS": "使…成为贵族;使…高贵;授予爵位", + "ENG": "to improve your character" + }, + "pollutant": { + "CHS": "污染物", + "ENG": "a substance that makes air, water, soil etc dangerously dirty, and is caused by cars, factories etc" + }, + "columnist": { + "CHS": "专栏作家", + "ENG": "someone who writes articles, especially about a particular subject, that appear regularly in a newspaper or magazine" + }, + "chaotic": { + "CHS": "混沌的;混乱的,无秩序的", + "ENG": "a chaotic situation is one in which everything is happening in a confused way" + }, + "thumb": { + "CHS": "拇指", + "ENG": "the part of your hand that is shaped like a thick short finger and helps you to hold things" + }, + "charwoman": { + "CHS": "按日雇用的女佣;打杂的女佣人" + }, + "rasp": { + "CHS": "[机] 粗锉刀;锉磨声;刺耳声", + "ENG": "a rough unpleasant sound" + }, + "lurk": { + "CHS": "潜伏;埋伏" + }, + "newsletter": { + "CHS": "时事通讯", + "ENG": "a short written report of news about a club, organization etc that is sent regularly to people who are interested" + }, + "cheat": { + "CHS": "欺骗,作弊;骗子", + "ENG": "someone who is dishonest and cheats" + }, + "prune": { + "CHS": "深紫红色;傻瓜;李子干", + "ENG": "a dried plum , often cooked before it is eaten" + }, + "magnate": { + "CHS": "巨头;大资本家;要人;富豪;……大王", + "ENG": "a rich and powerful person in industry or business" + }, + "elasticity": { + "CHS": "弹性;弹力;灵活性", + "ENG": "the ability of something to stretch and go back to its usual length or size" + }, + "lecturer": { + "CHS": "讲师,演讲者", + "ENG": "someone who gives lectures, especially in a university" + }, + "environmentalism": { + "CHS": "环境保护论", + "ENG": "Environmentalism is used to describe actions and policies that show a concern with protecting and preserving the natural environment, for example, by preventing pollution" + }, + "mayor": { + "CHS": "市长", + "ENG": "the person who has been elected to lead the government of a town or city" + }, + "harm": { + "CHS": "伤害;危害;损害", + "ENG": "to have a bad effect on something" + }, + "acceptable": { + "CHS": "可接受的;合意的;可忍受的", + "ENG": "good enough to be used for a particular purpose or to be considered satisfactory" + }, + "spoken": { + "CHS": "说(speak的过去分词)" + }, + "spine": { + "CHS": "脊柱,脊椎;刺;书脊", + "ENG": "the row of bones down the centre of your back that supports your body and protects your spinal cord " + }, + "nominee": { + "CHS": "被任命者;被提名的人;代名人", + "ENG": "someone who has been officially suggested for an important position, duty, or prize" + }, + "hereto": { + "CHS": "到此为止;关于这个", + "ENG": "to this place, thing, matter, document, etc " + }, + "ascribe": { + "CHS": "归因于;归咎于", + "ENG": "If you ascribe an event or condition to a particular cause, you say or consider that it was caused by that thing" + }, + "transpose": { + "CHS": "转置阵" + }, + "translucent": { + "CHS": "透明的;半透明的", + "ENG": "not trans-parent, but clear enough to allow light to pass through" + }, + "visibility": { + "CHS": "能见度,可见性;能见距离;明显性", + "ENG": "the distance it is possible to see, especially when this is affected by weather conditions" + }, + "ceremonial": { + "CHS": "仪式,礼节", + "ENG": "a special ceremony, or special formal actions" + }, + "demonstration": { + "CHS": "示范;证明;示威游行", + "ENG": "an event at which a large group of people meet to protest or to support something in public" + }, + "character": { + "CHS": "印,刻;使具有特征" + }, + "cocaine": { + "CHS": "[药] 可卡因", + "ENG": "a drug, usually in the form of a white powder, that is taken illegally for pleasure or used in some medical situations to prevent pain" + }, + "feeling": { + "CHS": "感觉;认为(feel的现在分词);触摸" + }, + "druggist": { + "CHS": "药剂师;药商;(美)药房老板(兼营化妆品、文具、牙膏、漱口剂、香烟等杂货的)", + "ENG": "someone who is trained to prepare medicines, and works in a shop" + }, + "flounder": { + "CHS": "挣扎,辗转;比目鱼", + "ENG": "a European flatfish, Platichthys flesus having a greyish-brown body covered with prickly scales: family Pleuronectidae: an important food fish " + }, + "emphatic": { + "CHS": "着重的;加强语气的;显著的" + }, + "representative": { + "CHS": "代表;典型;众议员", + "ENG": "someone who has been chosen to speak, vote, or make decisions for someone else" + }, + "desolate": { + "CHS": "使荒凉;使孤寂", + "ENG": "to make someone feel very sad and lonely" + }, + "hindquarters": { + "CHS": "(动物的)尾部;两条后腿;半边胴体的后半部(hindquarter的复数)", + "ENG": "the back part of an animal with four legs" + }, + "frail": { + "CHS": "灯心草篓;少妇;少女" + }, + "pigsty": { + "CHS": "猪舍;木垛;脏乱的地方", + "ENG": "a very dirty or untidy place" + }, + "bride": { + "CHS": "新娘;姑娘,女朋友", + "ENG": "a woman at the time she gets married or just after she is married" + }, + "henpecked": { + "CHS": "惧内的", + "ENG": "a man who is henpecked is always being told what to do by his wife, and is afraid to disagree with her" + }, + "motion": { + "CHS": "运动;打手势" + }, + "spy": { + "CHS": "间谍;密探", + "ENG": "someone whose job is to find out secret information about another country, organization, or group" + }, + "cactus": { + "CHS": "[园艺] 仙人掌", + "ENG": "a desert plant with sharp points instead of leaves" + }, + "shanghai": { + "CHS": "上海(中国东部港市)" + }, + "natural": { + "CHS": "自然的事情;白痴;本位音", + "ENG": "a musical note that has been changed from a flat to be a semitone higher, or from a sharp to be a semitone lower" + }, + "virgin": { + "CHS": "处女", + "ENG": "someone who has never had sex" + }, + "cajole": { + "CHS": "以甜言蜜语哄骗;勾引", + "ENG": "to gradually persuade someone to do something by being nice to them, or making promises to them" + }, + "apoplexy": { + "CHS": "[医] 中风", + "ENG": "an illness in your brain which causes you to suddenly lose your ability to move or think" + }, + "scholarship": { + "CHS": "奖学金;学识,学问", + "ENG": "an amount of money that is given to someone by an educational organization to help pay for their education" + }, + "workshop": { + "CHS": "车间;研讨会;工场;讲习班", + "ENG": "a room or building where tools and machines are used for making or repairing things" + }, + "region": { + "CHS": "地区;范围;部位", + "ENG": "a large area of a country or of the world, usually without exact limits" + }, + "twinkle": { + "CHS": "闪烁", + "ENG": "an expression in your eyes that shows you are happy or amused" + }, + "pink": { + "CHS": "粉红的;比较激进的;石竹科的;脸色发红的", + "ENG": "pale red" + }, + "autobiographic": { + "CHS": "自传的;自传体的;自传作家的" + }, + "glimpse": { + "CHS": "瞥见", + "ENG": "to see someone or something for a moment without getting a complete view of them" + }, + "jab": { + "CHS": "戳;猛击;注射", + "ENG": "a sudden hard hit, especially with a pointed object or your fist(= closed hand )" + }, + "estimate": { + "CHS": "估计,估价;判断,看法", + "ENG": "a calculation of the value, size, amount etc of something made using the information that you have, which may not be complete" + }, + "sell": { + "CHS": "销售;失望;推销术" + }, + "cancel": { + "CHS": "取消,撤销" + }, + "daughter": { + "CHS": "女儿的;子代的" + }, + "goody": { + "CHS": "太好啦", + "ENG": "a goodie " + }, + "brigade": { + "CHS": "把…编成旅;把…编成队" + }, + "ready": { + "CHS": "使准备好", + "ENG": "to make something or someone ready for something" + }, + "underdog": { + "CHS": "比赛中不被看好者;失败者;受压迫者;斗败了的狗" + }, + "sow": { + "CHS": "母猪", + "ENG": "a fully grown female pig" + }, + "empirical": { + "CHS": "经验主义的,完全根据经验的;实证的", + "ENG": "based on scientific testing or practical experience, not on ideas" + }, + "injection": { + "CHS": "注射;注射剂;充血;射入轨道", + "ENG": "an act of putting a drug into someone’s body using a special needle" + }, + "irradiate": { + "CHS": "发光的" + }, + "watertight": { + "CHS": "水密的;不漏水的;无懈可击的", + "ENG": "a watertight container, roof, door etc does not allow water to get in or out" + }, + "major": { + "CHS": "主修" + }, + "sheen": { + "CHS": "闪耀;发光" + }, + "thirtieth": { + "CHS": "第三十;三十分之一" + }, + "scalar": { + "CHS": "[数] 标量;[数] 数量", + "ENG": "a quantity, such as time or temperature, that has magnitude but not direction " + }, + "smear": { + "CHS": "涂片;诽谤;污点", + "ENG": "a dirty mark made by a small amount of something spread across a surface" + }, + "copy": { + "CHS": "副本;一册;摹仿", + "ENG": "something that is made to be exactly like another thing" + }, + "gaiety": { + "CHS": "快乐,兴高采烈;庆祝活动,喜庆;(服饰)华丽,艳丽", + "ENG": "when someone or something is cheerful and fun" + }, + "setback": { + "CHS": "挫折;退步;逆流", + "ENG": "a problem that delays or prevents progress, or makes things worse than they were" + }, + "legendary": { + "CHS": "传说集;圣徒传" + }, + "transmit": { + "CHS": "传输;传播;发射;传达;遗传", + "ENG": "to send out electronic signals, messages etc using radio, television, or other similar equipment" + }, + "chase": { + "CHS": "追逐;追赶;追击", + "ENG": "the act of following someone or something quickly in order to catch them" + }, + "vine": { + "CHS": "长成藤蔓;爬藤" + }, + "home": { + "CHS": "归巢,回家", + "ENG": "to or at the place where you live" + }, + "exclusively": { + "CHS": "唯一地;专有地;排外地", + "ENG": "Exclusively is used to refer to situations or activities that involve only the thing or things mentioned, and nothing else" + }, + "plant": { + "CHS": "种植;培养;栽培;安置", + "ENG": "to put plants or seeds in the ground to grow" + }, + "fluid": { + "CHS": "流体;液体", + "ENG": "a liquid" + }, + "intercom": { + "CHS": "对讲机;内部通话装置", + "ENG": "a communication system by which people in different parts of a building, aircraft etc can speak to each other" + }, + "screwdriver": { + "CHS": "螺丝刀", + "ENG": "a tool with a narrow blade at one end that you use for turning screws" + }, + "yet": { + "CHS": "(Yet)人名;(东南亚国家华语)一" + }, + "imagery": { + "CHS": "像;意象;比喻;形象化", + "ENG": "the use of words or pictures to describe ideas or actions in poems, books, films etc" + }, + "takeaway": { + "CHS": "外卖食品;外卖餐馆", + "ENG": "a meal that you buy at a shop or restaurant to eat at home" + }, + "corpse": { + "CHS": "尸体", + "ENG": "the dead body of a person" + }, + "sit": { + "CHS": "(Sit)人名;(东南亚国家华语)硕;(罗)西特" + }, + "ill": { + "CHS": "疾病;不幸" + }, + "facet": { + "CHS": "在…上琢面" + }, + "someone": { + "CHS": "有人,某人", + "ENG": "used to mean a person, when you do not know or do not say who the person is" + }, + "verse": { + "CHS": "作诗" + }, + "resonance": { + "CHS": "[力] 共振;共鸣;反响", + "ENG": "the special meaning or importance that something has for you because it relates to your own experiences" + }, + "aerosol": { + "CHS": "喷雾的;喷雾器的" + }, + "perpetuate": { + "CHS": "长存的" + }, + "attache": { + "CHS": "专员,公使;使馆随员;大使馆专员" + }, + "dilemma": { + "CHS": "困境;进退两难;两刀论法", + "ENG": "a situation in which it is very difficult to decide what to do, because all the choices seem equally good or equally bad" + }, + "inflection": { + "CHS": "弯曲,变形;音调变化", + "ENG": "the way in which a word changes its form to show a difference in its meaning or use" + }, + "gratify": { + "CHS": "使满足;使满意,使高兴", + "ENG": "to make someone feel pleased and satisfied" + }, + "hypnotism": { + "CHS": "催眠术;催眠状态", + "ENG": "the practice of hypnotizing people" + }, + "dispel": { + "CHS": "驱散,驱逐;消除(烦恼等)", + "ENG": "to make something go away, especially a belief, idea, or feeling" + }, + "cosy": { + "CHS": "保温罩", + "ENG": "a covering for a teapot that keeps the tea inside from getting cold too quickly" + }, + "check": { + "CHS": "<美>支票;制止,抑制;检验,核对", + "ENG": "something that controls something else and stops it from getting worse, continuing to happen etc" + }, + "enlist": { + "CHS": "支持;从军;应募;赞助" + }, + "formation": { + "CHS": "形成;构造;编队", + "ENG": "the process of starting a new organization or group" + }, + "electric": { + "CHS": "电;电气车辆;带电体" + }, + "sideways": { + "CHS": "向侧面的;一旁的", + "ENG": "Sideways is also an adjective" + }, + "overhear": { + "CHS": "无意中听到;偷听", + "ENG": "to accidentally hear what other people are saying, when they do not know that you have heard" + }, + "caste": { + "CHS": "(印度社会中的)种姓;(具有严格等级差别的)社会地位;(排他的)社会团体", + "ENG": "one of the fixed social classes, which cannot be changed, into which people are born in India" + }, + "hangman": { + "CHS": "刽子手;绞刑吏;执行绞刑者", + "ENG": "someone whose job is to kill criminals by hanging them" + }, + "misapprehend": { + "CHS": "误会,误解", + "ENG": "to misunderstand " + }, + "serrated": { + "CHS": "使有锯齿(serrate的过去分词)" + }, + "milestone": { + "CHS": "里程碑,划时代的事件", + "ENG": "a very important event in the development of something" + }, + "substandard": { + "CHS": "不合规格的;标准以下的", + "ENG": "not as good as the average, and not acceptable" + }, + "meditate": { + "CHS": "考虑;计划;企图", + "ENG": "to plan to do something, usually something unpleasant" + }, + "spectacular": { + "CHS": "壮观的,惊人的;公开展示的", + "ENG": "very impressive" + }, + "intractable": { + "CHS": "棘手的;难治的;倔强的;不听话的", + "ENG": "having a strong will and difficult to control" + }, + "nicotine": { + "CHS": "[有化] 尼古丁;[有化] 烟碱", + "ENG": "a substance in tobacco which makes it difficult for people to stop smoking" + }, + "mandatory": { + "CHS": "受托者(等于mandatary)" + }, + "ovum": { + "CHS": "[细胞][组织] 卵;卵子;卵形装饰", + "ENG": "an egg, especially one that develops inside the mother’s body" + }, + "anecdote": { + "CHS": "轶事;奇闻;秘史", + "ENG": "a short story based on your personal experience" + }, + "thinker": { + "CHS": "思想家;思想者", + "ENG": "someone who thinks carefully about important subjects such as science or philosophy , especially someone who is famous for thinking of new ideas" + }, + "oak": { + "CHS": "栎树的;栎木制的" + }, + "coconut": { + "CHS": "椰子;椰子肉", + "ENG": "the large brown seed of a tropical tree, which has a hard shell containing white flesh that you can eat and a milky liquid that you can drink" + }, + "indulgent": { + "CHS": "放纵的;宽容的;任性的", + "ENG": "willing to allow someone, especially a child, to do or have whatever they want, even if this is not good for them" + }, + "tuba": { + "CHS": "大号,低音兼次中音大号;(管风琴的)簧管音栓", + "ENG": "a large metal musical instrument that consists of a curved tube with a wide opening that points straight up. It produces very low sounds when you blow into it." + }, + "lubricant": { + "CHS": "润滑的" + }, + "collar": { + "CHS": "抓住;给…上领子;给…套上颈圈", + "ENG": "to catch someone and hold them so that they cannot escape" + }, + "bilateral": { + "CHS": "双边的;有两边的", + "ENG": "involving two groups or nations" + }, + "guise": { + "CHS": "伪装" + }, + "encircle": { + "CHS": "包围;围绕;环绕", + "ENG": "to surround someone or something completely" + }, + "mall": { + "CHS": "购物商场;林荫路;铁圈球场", + "ENG": "a large area where there are a lot of shops, usually a covered area where cars are not allowed" + }, + "torch": { + "CHS": "像火炬一样燃烧" + }, + "excellent": { + "CHS": "卓越的;极好的;杰出的", + "ENG": "extremely good or of very high quality" + }, + "quality": { + "CHS": "优质的;高品质的;<英俚>棒极了", + "ENG": "very good – used especially by people who are trying to sell something" + }, + "grandiose": { + "CHS": "宏伟的;堂皇的;浮夸的;宏大的", + "ENG": "grandiose plans sound very important or impressive, but are not practical" + }, + "you": { + "CHS": "(You)人名;(柬)尤;(东南亚国家华语)猷" + }, + "livid": { + "CHS": "铅色的;青灰色的;非常生气的", + "ENG": "extremely angry" + }, + "pullover": { + "CHS": "套领的" + }, + "mournful": { + "CHS": "悲哀的;令人惋惜的", + "ENG": "If you are mournful, you are very sad" + }, + "voter": { + "CHS": "选举人,投票人;有投票权者", + "ENG": "someone who has the right to vote in a political election, or who votes in a particular election" + }, + "around": { + "CHS": "四处;在…周围" + }, + "starry": { + "CHS": "(Starry)人名;(英)斯塔里" + }, + "capability": { + "CHS": "才能,能力;性能,容量", + "ENG": "the natural ability, skill, or power that makes a machine, person, or organization able to do something, especially something difficult" + }, + "scriptwriter": { + "CHS": "编剧", + "ENG": "someone who writes the stories and words for films or television programmes" + }, + "unnatural": { + "CHS": "不自然的;反常的;不近人情的", + "ENG": "different from what you would normally expect" + }, + "Jesus": { + "CHS": "耶稣(上帝之子);杰西(男子名)", + "ENG": "Jesus or Jesus Christ is the name of the man who Christians believe was the son of God, and whose teachings are the basis of Christianity" + }, + "pound": { + "CHS": "捣烂;敲打;监禁,拘留", + "ENG": "If you pound something, you crush it into a paste or a powder or into very small pieces" + }, + "here": { + "CHS": "这里" + }, + "sweet": { + "CHS": "糖果;乐趣;芳香;宝贝", + "ENG": "a small piece of sweet food made of sugar or chocolate" + }, + "racing": { + "CHS": "比赛的", + "ENG": "designed or bred to go very fast and be used for racing" + }, + "neutral": { + "CHS": "中立国;中立者;非彩色;齿轮的空档", + "ENG": "a country, person, or group that is not involved in an argument or disagreement" + }, + "homogeneity": { + "CHS": "同质;同种;同次性(等于homogeneousness)" + }, + "solely": { + "CHS": "单独地,唯一地", + "ENG": "not involving anything or anyone else" + }, + "wagon": { + "CHS": "用运货马车运输货物" + }, + "melon": { + "CHS": "瓜;甜瓜;大肚子;圆鼓鼓像瓜似的东西", + "ENG": "a large round fruit with sweet juicy flesh" + }, + "perfection": { + "CHS": "完善;完美", + "ENG": "the state of being perfect" + }, + "sincere": { + "CHS": "真诚的;诚挚的;真实的", + "ENG": "a feeling, belief, or statement that is sincere is honest and true, and based on what you really feel and believe" + }, + "overdo": { + "CHS": "把…做得过分;使过于疲劳;对…表演过火;夸张", + "ENG": "to do something more than is suitable or natural" + }, + "certainly": { + "CHS": "当然;行(用于回答);必定", + "ENG": "used to agree or give your permission" + }, + "resin": { + "CHS": "涂树脂;用树脂处理" + }, + "doomsday": { + "CHS": "世界末日;最后的审判日", + "ENG": "In the Christian religion, Doomsday is the last day of the world, on which God will judge everyone" + }, + "registry": { + "CHS": "注册;登记处;挂号处;船舶的国籍", + "ENG": "a place where information used by an organization is kept, especially official records or lists" + }, + "remain": { + "CHS": "遗迹;剩余物,残骸", + "ENG": "Theremainsof something are the parts of it that are left after most of it has been taken away or destroyed" + }, + "midday": { + "CHS": "正午的" + }, + "permit": { + "CHS": "许可证,执照", + "ENG": "an official written statement giving you the right to do something" + }, + "fallacious": { + "CHS": "谬误的;骗人的;靠不住的;不合理的", + "ENG": "containing or based on false ideas" + }, + "kindhearted": { + "CHS": "仁慈的,好心肠的" + }, + "sugar": { + "CHS": "加糖于;粉饰", + "ENG": "to add sugar or cover something with sugar" + }, + "bushel": { + "CHS": "修整(衣服等)" + }, + "mainland": { + "CHS": "大陆的;本土的" + }, + "headlight": { + "CHS": "汽车等的前灯;船上的桅灯;矿工和医生用的帽灯", + "ENG": "one of the large lights at the front of a vehicle, or the beam of light produced by this" + }, + "momentary": { + "CHS": "瞬间的;短暂的;随时会发生的", + "ENG": "continuing for a very short time" + }, + "mediate": { + "CHS": "间接的;居间的" + }, + "evening": { + "CHS": "晚上好(等于good evening)", + "ENG": "the early part of the night between the end of the day and the time you go to bed" + }, + "spindle": { + "CHS": "长得细长,变细长" + }, + "flattery": { + "CHS": "奉承;谄媚;恭维话", + "ENG": "praise that you do not really mean" + }, + "collude": { + "CHS": "勾结;串通;共谋", + "ENG": "to work with someone secretly, especially in order to do something dishonest or illegal" + }, + "swear": { + "CHS": "宣誓;诅咒" + }, + "guard": { + "CHS": "警惕" + }, + "Marxism": { + "CHS": "马克思的;马克思主义的" + }, + "forego": { + "CHS": "放弃;居先;在……之前", + "ENG": "If you forego something, you decide to do without it, although you would like it" + }, + "consecrate": { + "CHS": "神圣的;被献给神的" + }, + "inward": { + "CHS": "内部;内脏;密友" + }, + "modular": { + "CHS": "模块化的;模数的;有标准组件的", + "ENG": "consisting of separate parts or units which can be put together to form something, often in different combinations" + }, + "tradition": { + "CHS": "惯例,传统;传说", + "ENG": "a belief, custom, or way of doing something that has existed for a long time, or these beliefs, customs etc in general" + }, + "orgy": { + "CHS": "狂欢;放荡", + "ENG": "a wild party with a lot of eating, drinking, and sexual activity" + }, + "sexism": { + "CHS": "(针对女性的)性别歧视;男性至上主义", + "ENG": "the belief that one sex is weaker, less intelligent, or less important than the other, especially when this results in someone being treated unfairly" + }, + "messenger": { + "CHS": "报信者,送信者;先驱", + "ENG": "someone whose job is to deliver messages or documents, or someone who takes a message to someone else" + }, + "Esperanto": { + "CHS": "世界语", + "ENG": "an artificial language invented in 1887 to help people from different countries in the world speak to each other" + }, + "cotton": { + "CHS": "棉的;棉制的" + }, + "tourism": { + "CHS": "旅游业;游览", + "ENG": "the business of providing things for people to do, places for them to stay etc while they are on holiday" + }, + "span": { + "CHS": "跨越;持续;以手指测量", + "ENG": "to include all of a period of time" + }, + "warlike": { + "CHS": "战争的;好战的;有战争危险的", + "ENG": "liking war and being skilful in it" + }, + "stuffing": { + "CHS": "填料,填塞物", + "ENG": "a mixture of bread or rice, onion etc that you put inside a chicken, pepper etc before cooking it" + }, + "parry": { + "CHS": "回避;挡开", + "ENG": "to defend yourself against someone who is attacking you by pushing their weapon or hand to one side" + }, + "basement": { + "CHS": "地下室;地窖", + "ENG": "a room or area in a building that is under the level of the ground" + }, + "gipsy": { + "CHS": "吉普赛人(等于gypsy);流浪汉" + }, + "lubricate": { + "CHS": "润滑;涂油;起润滑剂作用", + "ENG": "to put a lubricant on something in order to make it move more smoothly" + }, + "collegiate": { + "CHS": "大学的;学院的;大学生的", + "ENG": "relating to college or a college" + }, + "mutant": { + "CHS": "突变的" + }, + "seventeen": { + "CHS": "十七", + "ENG": "the number 17" + }, + "whether": { + "CHS": "两个中的哪一个" + }, + "raincoat": { + "CHS": "(美)雨衣", + "ENG": "a coat that you wear to protect yourself from rain" + }, + "quarry": { + "CHS": "费力地找" + }, + "might": { + "CHS": "可能;也许" + }, + "hereby": { + "CHS": "以此方式,据此;特此", + "ENG": "as a result of this statement – used in official situations" + }, + "niece": { + "CHS": "外甥女,侄女", + "ENG": "the daughter of your brother or sister, or the daughter of your wife’s or husband’s brother or sister" + }, + "genre": { + "CHS": "风俗画的;以日常情景为主题的" + }, + "prototype": { + "CHS": "原型;标准,模范", + "ENG": "the first form that a new design of a car, machine etc has, or a model of it used to test the design before it is produced" + }, + "number": { + "CHS": "计入;总数达到", + "ENG": "to count something" + }, + "repel": { + "CHS": "击退;抵制;使厌恶;使不愉快", + "ENG": "if something repels you, it is so unpleasant that you do not want to be near it, or it makes you feel ill" + }, + "unassuming": { + "CHS": "谦逊的;不装腔作势的;不出风头的", + "ENG": "showing no desire to be noticed or given special treatment" + }, + "aristocrat": { + "CHS": "贵族", + "ENG": "someone who belongs to the highest social class" + }, + "specialize": { + "CHS": "专门从事;详细说明;特化", + "ENG": "to limit all or most of your study, business etc to a particular subject or activity" + }, + "competition": { + "CHS": "竞争;比赛,竞赛", + "ENG": "a situation in which people or organizations try to be more successful than other people or organizations" + }, + "horseshoe": { + "CHS": "马蹄铁;U形物", + "ENG": "a U-shaped piece of iron that is fixed onto the bottom of a horse’s foot" + }, + "refuge": { + "CHS": "避难;逃避" + }, + "disillusion": { + "CHS": "幻灭;醒悟", + "ENG": "Disillusion is the same as " + }, + "inadvertent": { + "CHS": "疏忽的;不注意的(副词inadvertently);无意中做的", + "ENG": "An inadvertent action is one that you do without realizing what you are doing" + }, + "radiation": { + "CHS": "辐射;发光;放射物", + "ENG": "a form of energy that comes especially from nuclear reactions, which in large amounts is very harmful to living things" + }, + "paraffin": { + "CHS": "用石蜡处理;涂石蜡于…" + }, + "parasite": { + "CHS": "寄生虫;食客", + "ENG": "a plant or animal that lives on or in another plant or animal and gets food from it" + }, + "throb": { + "CHS": "悸动;脉搏" + }, + "junction": { + "CHS": "连接,接合;交叉点;接合点", + "ENG": "a place where one road, track etc joins another" + }, + "spirit": { + "CHS": "鼓励;鼓舞;诱拐" + }, + "cautious": { + "CHS": "谨慎的;十分小心的", + "ENG": "careful to avoid danger or risks" + }, + "deliverance": { + "CHS": "释放,解救;救助;判决", + "ENG": "the state of being saved from harm or danger" + }, + "emerge": { + "CHS": "浮现;摆脱;暴露", + "ENG": "to appear or come out from somewhere" + }, + "assist": { + "CHS": "参加;出席" + }, + "company": { + "CHS": "交往" + }, + "hopeless": { + "CHS": "绝望的;不可救药的", + "ENG": "if something that you try to do is hopeless, there is no possibility of it being successful" + }, + "tangent": { + "CHS": "[数] 切线,[数] 正切", + "ENG": "a straight line that touches the outside of a curve but does not cut across it" + }, + "method": { + "CHS": "使用体验派表演方法的" + }, + "aid": { + "CHS": "援助;帮助;有助于", + "ENG": "to help someone do something" + }, + "rise": { + "CHS": "上升;高地;增加;出现", + "ENG": "an increase in number, amount, or value" + }, + "debacle": { + "CHS": "崩溃;灾害;解冻", + "ENG": "an event or situation that is a complete failure" + }, + "parlour": { + "CHS": "客厅;会客室;雅座", + "ENG": "a room in a house which has comfortable chairs and is used for meeting guests" + }, + "narcissus": { + "CHS": "水仙", + "ENG": "a yellow or white spring flower, such as the daffodil" + }, + "humanitarian": { + "CHS": "人道主义者;慈善家;博爱主义者;基督凡人论者" + }, + "nib": { + "CHS": "装尖头;削尖;插入" + }, + "mastermind": { + "CHS": "优秀策划者;才子" + }, + "one": { + "CHS": "一;一个", + "ENG": "the number 1" + }, + "sexual": { + "CHS": "性的;性别的;有性的", + "ENG": "relating to the physical activity of sex" + }, + "pockmark": { + "CHS": "使留下痘疤;使有凹坑" + }, + "stout": { + "CHS": "矮胖子;烈性啤酒", + "ENG": "strong dark beer" + }, + "reprove": { + "CHS": "责骂;谴责;非难", + "ENG": "to criticize someone for something that they have done" + }, + "shoe": { + "CHS": "给……穿上鞋;穿……鞋" + }, + "require": { + "CHS": "需要;要求;命令", + "ENG": "to need something" + }, + "incisive": { + "CHS": "深刻的;敏锐的;锋利的", + "ENG": "You use incisive to describe a person, their thoughts, or their speech when you approve of their ability to think and express their ideas clearly, briefly, and forcefully" + }, + "kiwi": { + "CHS": "猕猴桃;几维(一种新西兰产的无翼鸟);新西兰人", + "ENG": "a New Zealand bird that cannot fly" + }, + "larva": { + "CHS": "[水产] 幼体,[昆] 幼虫", + "ENG": "a young insect with a soft tube-shaped body, which will later become an insect with wings" + }, + "guest": { + "CHS": "客人的;特邀的,客座的", + "ENG": "for guests to use" + }, + "premature": { + "CHS": "早产儿;过早发生的事物" + }, + "altogether": { + "CHS": "整个;裸体", + "ENG": "not wearing any clothes – used humorously" + }, + "erratic": { + "CHS": "漂泊无定的人;古怪的人" + }, + "kidnap": { + "CHS": "绑架;诱拐;拐骗", + "ENG": "to take someone somewhere illegally by force, often in order to get money for returning them" + }, + "stake": { + "CHS": "资助,支持;系…于桩上;把…押下打赌", + "ENG": "to risk losing something that is valuable or important to you on the result of something" + }, + "vision": { + "CHS": "想象;显现;梦见" + }, + "obedient": { + "CHS": "顺从的,服从的;孝顺的", + "ENG": "always doing what you are told to do, or what the law, a rule etc says you must do" + }, + "response": { + "CHS": "响应;反应;回答", + "ENG": "something that is done as a reaction to something that has happened or been said" + }, + "illustration": { + "CHS": "说明;插图;例证;图解", + "ENG": "a picture in a book, article etc, especially one that helps you to understand it" + }, + "fortunately": { + "CHS": "幸运地", + "ENG": "happening because of good luck" + }, + "enslave": { + "CHS": "束缚;征服;使某人成为奴隶", + "ENG": "to make someone a slave" + }, + "munitions": { + "CHS": "供应…军需品;从事军需品生产(munition的三单形式)" + }, + "nab": { + "CHS": "(Nab)人名;(阿富)纳卜;(英)纳布" + }, + "civilise": { + "CHS": "教化;文明化;使开化" + }, + "hardball": { + "CHS": "硬式棒球(等于baseball);(为达到某种目的而采取的)强硬手段;刀剑搏杀", + "ENG": "to be very determined to get what you want, especially in business or politics" + }, + "novice": { + "CHS": "初学者,新手", + "ENG": "someone who has no experience in a skill, subject, or activity" + }, + "manacle": { + "CHS": "束缚;给…上手铐", + "ENG": "If a prisoner is manacled, their wrists or legs are put in manacles in order to prevent them from moving or escaping" + }, + "prefabricate": { + "CHS": "预先制造;预先构思;预制构件", + "ENG": "to manufacture sections of (a building), esp in a factory, so that they can be easily transported to and rapidly assembled on a building site " + }, + "adventurism": { + "CHS": "冒险主义", + "ENG": "when someone who is in charge of a government, business, army etc takes dangerous risks" + }, + "March": { + "CHS": "三月", + "ENG": "the third month of the year, between February and April" + }, + "tendon": { + "CHS": "[解剖] 腱", + "ENG": "a thick strong string-like part of your body that connects a muscle to a bone" + }, + "ban": { + "CHS": "禁令,禁忌", + "ENG": "an official order that prevents something from being used or done" + }, + "garbage": { + "CHS": "垃圾;废物", + "ENG": "waste material, such as paper, empty containers, and food thrown away" + }, + "paraphrase": { + "CHS": "释义", + "ENG": "to express in a shorter, clearer, or different way what someone has said or written" + }, + "precis": { + "CHS": "概括…的大意;为…写摘要" + }, + "egg": { + "CHS": "煽动;怂恿", + "ENG": "to urge or incite, esp to daring or foolish acts " + }, + "diagnostic": { + "CHS": "诊断法;诊断结论" + }, + "matrix": { + "CHS": "[数] 矩阵;模型;[生物][地质] 基质;母体;子宫;[地质] 脉石", + "ENG": "an arrangement of numbers, letters, or signs in rows and column s that you consider to be one amount, and that you use in solving mathematical problems" + }, + "lee": { + "CHS": "保护的;庇荫的;避风的" + }, + "platinum": { + "CHS": "唱片集已售出100万张的" + }, + "inlet": { + "CHS": "引进; 嵌入; 插入;" + }, + "throughout": { + "CHS": "贯穿,遍及", + "ENG": "in every part of a particular area, place etc" + }, + "percussion": { + "CHS": "[临床] 叩诊;振动;碰撞;敲打乐器;打击乐器组", + "ENG": "musical instruments such as drums, bells etc which you play by hitting them" + }, + "cool": { + "CHS": "冷静地", + "ENG": "used to tell someone to stop being angry, violent etc" + }, + "presidential": { + "CHS": "总统的;首长的;统辖的", + "ENG": "relating to a president" + }, + "watermelon": { + "CHS": "西瓜", + "ENG": "a large round fruit with hard green skin, red flesh, and black seeds" + }, + "commandant": { + "CHS": "司令官,指挥官;军事学校的校长", + "ENG": "the army officer in charge of a place or group of people" + }, + "persuasive": { + "CHS": "有说服力的;劝诱的,劝说的", + "ENG": "able to make other people believe something or do what you ask" + }, + "criterion": { + "CHS": "(批评判断的)标准;准则;规范;准据", + "ENG": "a standard that you use to judge something or make a decision about something" + }, + "faucet": { + "CHS": "旋塞;插口水龙头", + "ENG": "the thing that you turn on and off to control the flow of water from a pipe" + }, + "umpire": { + "CHS": "裁判员,仲裁人", + "ENG": "the person who makes sure that the players obey the rules in sports such as tennis, baseball, and cricket" + }, + "darling": { + "CHS": "心爱的人;亲爱的", + "ENG": "used when speaking to someone you love" + }, + "officer": { + "CHS": "指挥" + }, + "wealth": { + "CHS": "财富;大量;富有", + "ENG": "a large amount of money, property etc that a person or country owns" + }, + "merge": { + "CHS": "(Merge)人名;(意)梅尔杰" + }, + "pageant": { + "CHS": "盛会;游行;虚饰;露天表演" + }, + "youngster": { + "CHS": "年轻人;少年", + "ENG": "a child or young person" + }, + "ladder": { + "CHS": "成名;发迹" + }, + "haggard": { + "CHS": "野鹰", + "ENG": "a hawk that has reached maturity before being caught " + }, + "diffident": { + "CHS": "羞怯的;缺乏自信的;谦虚谨慎的", + "ENG": "shy and not wanting to make people notice you or talk about you" + }, + "maize": { + "CHS": "玉米;黄色,玉米色", + "ENG": "a tall plant with large yellow seeds that grow together on a cob (= long hard part ) , and that are cooked and eaten as a vegetable" + }, + "advertising": { + "CHS": "公告;为…做广告(advertise的ing形式)" + }, + "crossing": { + "CHS": "横越(cross的现在分词)" + }, + "diverse": { + "CHS": "不同的;多种多样的;变化多的", + "ENG": "If a group of things is diverse, it is made up of a wide variety of things" + }, + "chain": { + "CHS": "束缚;囚禁;用铁链锁住", + "ENG": "to fasten someone or something to something else using a chain, especially in order to prevent them from escaping or being stolen" + }, + "oh": { + "CHS": "哦;哎呀(表示惊讶或恐惧等)", + "ENG": "used to show that you are surprised about something" + }, + "overboard": { + "CHS": "极其热心的;全身心投入的" + }, + "intimacy": { + "CHS": "性行为;亲密;亲昵行为;隐私", + "ENG": "a state of having a close personal relationship with someone" + }, + "equator": { + "CHS": "赤道", + "ENG": "an imaginary line drawn around the middle of the Earth that is exactly the same distance from the North Pole and the South Pole" + }, + "vocabulary": { + "CHS": "词汇;词表;词汇量", + "ENG": "all the words that someone knows or uses" + }, + "hemorrhage": { + "CHS": "[病理] 出血", + "ENG": "If someone is haemorrhaging, there is serious bleeding inside their body" + }, + "function": { + "CHS": "运行;活动;行使职责", + "ENG": "If a machine or system is functioning, it is working or operating" + }, + "contrary": { + "CHS": "相反;反面", + "ENG": "used to add to a negative statement, to disagree with a negative statement by someone else, or to answer no to a question" + }, + "behave": { + "CHS": "表现;(机器等)运转;举止端正;(事物)起某种作用", + "ENG": "to do things that are good, bad, sensible etc" + }, + "scratch": { + "CHS": "抓;刮;挖出;乱涂", + "ENG": "to rub your skin with your nails because it feels uncomfortable" + }, + "scurry": { + "CHS": "急赶;急跑", + "ENG": "to move quickly with short steps, especially because you are in a hurry" + }, + "sneakily": { + "CHS": "偷偷摸摸地" + }, + "unsociable": { + "CHS": "不爱交际的;不与人亲近的;不和气的", + "ENG": "not wanting to be with people or to go to social events" + }, + "warp": { + "CHS": "使变形;使有偏见;曲解", + "ENG": "if something warps, or if heat or cold warps it, it becomes bent or twisted, and loses its original shape" + }, + "passage": { + "CHS": "一段(文章);走廊;通路", + "ENG": "a long narrow area with walls on either side which connects one room or place to another" + }, + "classroom": { + "CHS": "教室", + "ENG": "a room that you have lessons in at a school or college" + }, + "apart": { + "CHS": "分离的;与众不同的", + "ENG": "If people or groups are a long way apart on a particular topic or issue, they have completely different views and disagree about it" + }, + "disadvantaged": { + "CHS": "使处于不利地位(disadvantage的过去式和过去分词)" + }, + "spear": { + "CHS": "用矛刺", + "ENG": "to push or throw a spear into something, especially in order to kill it" + }, + "nimble": { + "CHS": "敏捷的;聪明的;敏感的", + "ENG": "able to move quickly and easily with light neat movements" + }, + "culture": { + "CHS": "[细胞][微] 培养(等于cultivate)", + "ENG": "to grow bacteria or cells for medical or scientific use" + }, + "snub": { + "CHS": "制动用的;短扁上翘的" + }, + "lecture": { + "CHS": "演讲;训诫", + "ENG": "to talk to a group of people on a particular subject, especially to students in a university" + }, + "indefensible": { + "CHS": "站不住脚的;不能防卫的;无辩护余地的", + "ENG": "too bad to be excused or defended" + }, + "sanguine": { + "CHS": "血红色" + }, + "catchword": { + "CHS": "标语,口号;流行语;口头禅", + "ENG": "a word or phrase that refers to a feature of a situation, product etc that is considered important" + }, + "conservative": { + "CHS": "保守派,守旧者", + "ENG": "someone who supports or is a member of the Conservative Party in Britain" + }, + "troublesome": { + "CHS": "麻烦的;讨厌的;使人苦恼的", + "ENG": "causing problems, in an annoying way" + }, + "indubitable": { + "CHS": "不容置疑的;明确的", + "ENG": "You use indubitable to describe something when you want to emphasize that it is definite and cannot be doubted" + }, + "antilogarithm": { + "CHS": "逆对数;[数] 反对数;真数", + "ENG": "a number whose logarithm to a given base is a given number " + }, + "broom": { + "CHS": "扫除" + }, + "dictatorship": { + "CHS": "专政;独裁权;独裁者职位", + "ENG": "government by a ruler who has complete power" + }, + "coordinate": { + "CHS": "调整;整合", + "ENG": "to organize an activity so that the people involved in it work well together and achieve a good result" + }, + "coat": { + "CHS": "覆盖…的表面" + }, + "naive": { + "CHS": "天真的,幼稚的", + "ENG": "not having much experience of how complicated life is, so that you trust people too much and believe that good things will always happen" + }, + "whim": { + "CHS": "奇想;一时的兴致;怪念头;幻想", + "ENG": "a sudden feeling that you would like to do or have something, especially when there is no important or good reason" + }, + "resurrection": { + "CHS": "复活;恢复;复兴", + "ENG": "a situation in which something old or forgotten returns or becomes important again" + }, + "confession": { + "CHS": "忏悔,告解;供认;表白", + "ENG": "a statement that you have done something wrong, illegal, or embarras-sing, especially a formal statement" + }, + "snag": { + "CHS": "抓住机会;造成阻碍;清除障碍物" + }, + "swindle": { + "CHS": "诈骗;骗取", + "ENG": "to get money from someone by deceiving them" + }, + "haircut": { + "CHS": "理发;发型", + "ENG": "when you have a haircut, someone cuts your hair for you" + }, + "sickness": { + "CHS": "疾病;呕吐;弊病", + "ENG": "the state of being ill" + }, + "hut": { + "CHS": "住在小屋中;驻扎" + }, + "immediately": { + "CHS": "一…就", + "ENG": "as soon as" + }, + "equiangular": { + "CHS": "等角的", + "ENG": "having all angles equal " + }, + "mitten": { + "CHS": "露指手套;连指手套", + "ENG": "a type of glove that does not have separate parts for each finger" + }, + "mango": { + "CHS": "[园艺] 芒果", + "ENG": "a tropical fruit with a thin skin and sweet yellow flesh" + }, + "bathe": { + "CHS": "洗澡;游泳", + "ENG": "when you swim in the sea, a river, or a lake" + }, + "felony": { + "CHS": "重罪", + "ENG": "a serious crime such as murder" + }, + "downtime": { + "CHS": "(工厂等由于检修,待料等的)停工期;[电子] 故障停机时间", + "ENG": "the time when a computer is not working" + }, + "bushy": { + "CHS": "浓密的;灌木茂密的;多毛的", + "ENG": "bushy hair or fur grows thickly" + }, + "dawn": { + "CHS": "破晓;出现;被领悟", + "ENG": "if day or morning dawns, it begins" + }, + "pollution": { + "CHS": "污染", + "ENG": "the process of making air, water, soil etc dangerously dirty and not suitable for people to use, or the state of being dangerously dirty" + }, + "animal": { + "CHS": "动物", + "ENG": "a living creature such as a dog or cat, that is not an insect, plant, bird, fish, or person" + }, + "expropriate": { + "CHS": "没收,征用;剥夺", + "ENG": "if a government or someone in authority expropriates your private property, they take it away for public use" + }, + "conserve": { + "CHS": "果酱;蜜饯", + "ENG": "fruit that is preserved by being cooked with sugar" + }, + "grimace": { + "CHS": "鬼脸;怪相;痛苦的表情", + "ENG": "an expression you make by twisting your face because you do not like something or because you are feeling pain" + }, + "aboveboard": { + "CHS": "光明正大的;直率的", + "ENG": "An arrangement or deal that is aboveboard is legal and is being carried out openly and honestly. A person who is aboveboard is open and honest about what they are doing. " + }, + "supper": { + "CHS": "晚餐,晚饭;夜宵", + "ENG": "the meal that you have in the early evening" + }, + "disturb": { + "CHS": "打扰;妨碍;使不安;弄乱;使恼怒", + "ENG": "to interrupt someone so that they cannot continue what they are doing" + }, + "peat": { + "CHS": "泥煤;泥炭块;泥炭色", + "ENG": "a black substance formed from decaying plants under the surface of the ground in some areas, which can be burned as a fuel , or mixed with soil to help plants grow well" + }, + "disjointed": { + "CHS": "脱节的;杂乱的;脱臼的" + }, + "equal": { + "CHS": "对手;匹敌;同辈;相等的事物", + "ENG": "someone who is as important, intelligent etc as you are, or who has the same rights and opportunities as you do" + }, + "conception": { + "CHS": "怀孕;概念;设想;开始", + "ENG": "an idea about what something is like, or a general understanding of something" + }, + "like": { + "CHS": "好像", + "ENG": "the things that someone likes and does not like" + }, + "roundup": { + "CHS": "综述;集拢;围捕;摘要", + "ENG": "In journalism, especially television or radio, a roundup of news is a summary of the main events that have happened" + }, + "allay": { + "CHS": "减轻;使缓和;使平静", + "ENG": "to make someone feel less afraid, worried etc" + }, + "headroom": { + "CHS": "净空;净空高度;头上空间", + "ENG": "the amount of space above your head, especially when you are in a car" + }, + "dealer": { + "CHS": "经销商;商人", + "ENG": "someone who buys and sells a particular product, especially an expensive one" + }, + "jargon": { + "CHS": "行话,术语;黄锆石", + "ENG": "words and expressions used in a particular profession or by a particular group of people, which are difficult for other people to understand – often used to show disapproval" + }, + "sect": { + "CHS": "宗派", + "ENG": "a group of people with their own particular set of beliefs and practices, especially within or separated from a larger religious group" + }, + "kilometre": { + "CHS": "[计量] 公里;[计量] 千米", + "ENG": "a unit for measuring distance, equal to 1,000 metres" + }, + "fridge": { + "CHS": "电冰箱", + "ENG": "a large piece of electrical kitchen equipment, used for keeping food and drinks cool" + }, + "rock": { + "CHS": "摇动;使摇晃", + "ENG": "to make the future of something seem less certain or steady than it was before, especially because of problems or changes" + }, + "abominable": { + "CHS": "讨厌的;令人憎恶的;糟透的", + "ENG": "extremely unpleasant or of very bad quality" + }, + "collect": { + "CHS": "(Collect)人名;(英)科莱克特" + }, + "fling": { + "CHS": "掷,抛;嘲弄;急冲" + }, + "monologue": { + "CHS": "独白", + "ENG": "a long speech by one person" + }, + "insulator": { + "CHS": "[物] 绝缘体;从事绝缘工作的工人" + }, + "quake": { + "CHS": "地震;颤抖", + "ENG": "an earthquake" + }, + "soak": { + "CHS": "浸;湿透;大雨", + "ENG": "when you soak something" + }, + "crash": { + "CHS": "摔碎;坠落;发出隆隆声;(金融企业等)破产", + "ENG": "to make a sudden loud noise" + }, + "security": { + "CHS": "安全的;保安的;保密的" + }, + "taut": { + "CHS": "(Taut)人名;(德)陶特" + }, + "hoarse": { + "CHS": "嘶哑的", + "ENG": "if you are hoarse, or if your voice is hoarse, you speak in a low rough voice, for example because your throat is sore" + }, + "marsh": { + "CHS": "沼泽的;生长在沼泽地的" + }, + "foist": { + "CHS": "偷偷插入;混入;蒙骗;硬卖给;采用欺骗手段出售;把…强加于" + }, + "witchcraft": { + "CHS": "巫术;魔法", + "ENG": "the use of magic powers, especially evil ones, to make things happen" + }, + "see": { + "CHS": "(See)人名;(英)西伊;(柬)塞;(德)泽" + }, + "tin": { + "CHS": "涂锡于;给…包马口铁" + }, + "deceased": { + "CHS": "死亡(decease的过去式)" + }, + "knead": { + "CHS": "揉合,揉捏;按摩;捏制", + "ENG": "to press a mixture of flour and water many times with your hands" + }, + "penny": { + "CHS": "(美)分;便士", + "ENG": "a British unit of money or coin used until 1971. There were 12 pennies in one shilling " + }, + "cashmere": { + "CHS": "羊绒;开士米;开士米羊毛织品;开士米绒线", + "ENG": "a type of fine soft wool" + }, + "superstitious": { + "CHS": "迷信的;由迷信引起的", + "ENG": "influenced by superstitions" + }, + "traitor": { + "CHS": "叛徒;卖国贼;背信弃义的人", + "ENG": "someone who is not loyal to their country, friends, or beliefs" + }, + "funfair": { + "CHS": "游乐场;游艺集市", + "ENG": "a noisy outdoor event where you can ride on machines, play games to win prizes etc" + }, + "debit": { + "CHS": "借方", + "ENG": "a decrease in the amount of money in a bank account, for example because you have taken money out of it" + }, + "propose": { + "CHS": "建议;打算,计划;求婚", + "ENG": "to suggest something as a plan or course of action" + }, + "visitation": { + "CHS": "访问;探视;视察;正式访问", + "ENG": "an official visit to a place or person" + }, + "advantageous": { + "CHS": "有利的;有益的", + "ENG": "helpful and likely to make you successful" + }, + "memorandum": { + "CHS": "备忘录;便笺", + "ENG": "a memo " + }, + "reappear": { + "CHS": "再出现", + "ENG": "to appear again after not being seen for some time" + }, + "expire": { + "CHS": "期满;终止;死亡;呼气", + "ENG": "if a period of time when someone has a particular position of authority expires, it ends" + }, + "incinerate": { + "CHS": "把……烧成灰;烧弃", + "ENG": "to burn something completely in order to destroy it" + }, + "makeshift": { + "CHS": "临时的;权宜之计的;凑合的", + "ENG": "made to be used for a short time only when nothing better is available" + }, + "chip": { + "CHS": "[电子] 芯片;筹码;碎片;(食物的) 小片; 薄片", + "ENG": "a small piece of wood, stone, metal etc that has been broken off something" + }, + "inventive": { + "CHS": "发明的;有发明才能的;独出心裁的", + "ENG": "An inventive person is good at inventing things or has clever and original ideas" + }, + "squire": { + "CHS": "随侍;护卫" + }, + "recompense": { + "CHS": "赔偿;报酬", + "ENG": "something that you give to someone for trouble or losses that you have caused them, or as a reward for their help" + }, + "inborn": { + "CHS": "天生的;先天的", + "ENG": "an inborn quality or ability is one you have had naturally since birth" + }, + "gymnasium": { + "CHS": "体育馆;健身房", + "ENG": "a gym " + }, + "hole": { + "CHS": "凿洞,穿孔;(高尔夫球等)进洞" + }, + "protocol": { + "CHS": "拟定" + }, + "violence": { + "CHS": "暴力;侵犯;激烈;歪曲", + "ENG": "behaviour that is intended to hurt other people physically" + }, + "absence": { + "CHS": "没有;缺乏;缺席;不注意", + "ENG": "when you are not in the place where people expect you to be, or the time that you are away" + }, + "better": { + "CHS": "改善;胜过" + }, + "ramification": { + "CHS": "衍生物;分枝,分叉;支流" + }, + "poignant": { + "CHS": "(Poignant)人名;(法)普瓦尼昂" + }, + "within": { + "CHS": "里面" + }, + "anytime": { + "CHS": "任何时候;无例外地", + "ENG": "at any time" + }, + "secrete": { + "CHS": "藏匿;私下侵吞;分泌", + "ENG": "if a part of an animal or plant secretes a liquid substance, it produces it" + }, + "innovation": { + "CHS": "创新,革新;新方法", + "ENG": "a new idea, method, or invention" + }, + "accusation": { + "CHS": "控告,指控;谴责", + "ENG": "a statement saying that someone is guilty of a crime or of doing something wrong" + }, + "deadline": { + "CHS": "截止期限,最后期限", + "ENG": "a date or time by which you have to do or complete something" + }, + "fully": { + "CHS": "(Fully)人名;(法)菲利" + }, + "laryngitis": { + "CHS": "[耳鼻喉] 喉炎", + "ENG": "an illness which makes talking difficult because your larynx and throat are swollen" + }, + "proposition": { + "CHS": "向…提议;向…求欢", + "ENG": "to suggest to someone that they have sex with you" + }, + "cleavage": { + "CHS": "劈开,分裂;[晶体] 解理;[胚] 卵裂", + "ENG": "a difference between two people or things that often causes problems or arguments" + }, + "maximum": { + "CHS": "最高的;最多的;最大极限的", + "ENG": "the maximum amount, quantity, speed etc is the largest that is possible or allowed" + }, + "byte": { + "CHS": "字节;8位元组", + "ENG": "a unit for measuring computer information, equal to eight bit s (= the smallest unit on which information is stored on a computer ) " + }, + "foster": { + "CHS": "(Foster)人名;(英、捷、意、葡、法、德、俄、西)福斯特" + }, + "bow": { + "CHS": "弯曲的" + }, + "intuition": { + "CHS": "直觉;直觉力;直觉的知识", + "ENG": "the ability to understand or know something because of a feeling rather than by considering the facts" + }, + "superfluous": { + "CHS": "多余的;不必要的;奢侈的", + "ENG": "more than is needed or wanted" + }, + "appreciable": { + "CHS": "可感知的;可评估的;相当可观的", + "ENG": "An appreciable amount or effect is large enough to be important or clearly noticed" + }, + "though": { + "CHS": "但" + }, + "daze": { + "CHS": "迷乱,眼花缭乱", + "ENG": "feeling confused and not able to think clearly" + }, + "whisper": { + "CHS": "耳语;密谈;飒飒地响", + "ENG": "to speak or say something very quietly, using your breath rather than your voice" + }, + "elevation": { + "CHS": "高地;海拔;提高;崇高;正面图", + "ENG": "a height above the level of the sea" + }, + "pastoral": { + "CHS": "牧歌;田园诗;田园景色" + }, + "ham": { + "CHS": "过火的;做作的", + "ENG": "(as modifier) " + }, + "idolatry": { + "CHS": "偶像崇拜;盲目崇拜;邪神崇拜", + "ENG": "the practice of worshipping idols" + }, + "neutralise": { + "CHS": "中和;使中立;使无效" + }, + "footprint": { + "CHS": "足迹;脚印", + "ENG": "a mark made by a foot or shoe" + }, + "seal": { + "CHS": "密封;盖章", + "ENG": "to cover the surface of something with something that will protect it" + }, + "horrify": { + "CHS": "使恐惧;惊骇;使极度厌恶", + "ENG": "If someone is horrified, they feel shocked or disgusted, usually because of something that they have seen or heard" + }, + "paddock": { + "CHS": "围场;小牧场", + "ENG": "a small field in which horses are kept" + }, + "wrestling": { + "CHS": "摔跤;格斗(wrestle的ing形式);与…摔跤;使劲移动" + }, + "process": { + "CHS": "经过特殊加工(或处理)的" + }, + "aside": { + "CHS": "在…旁边" + }, + "ramp": { + "CHS": "蔓延;狂跳乱撞;敲诈" + }, + "cultivated": { + "CHS": "发展(cultivate的过去分词);耕作;教化" + }, + "mischievous": { + "CHS": "淘气的;(人、行为等)恶作剧的;有害的", + "ENG": "someone who is mischievous likes to have fun, especially by playing tricks on people or doing things to annoy or embarrass them" + }, + "ignore": { + "CHS": "驳回诉讼;忽视;不理睬", + "ENG": "to deliberately pay no attention to something that you have been told or that you know about" + }, + "ballistics": { + "CHS": "发射学,弹道学", + "ENG": "the scientific study of the movement of objects that are thrown or fired through the air, such as bullets shot from a gun" + }, + "transparency": { + "CHS": "透明,透明度;幻灯片;有图案的玻璃", + "ENG": "a sheet of plastic or a piece of photographic film through which light can be shone to show a picture on a large screen" + }, + "hackle": { + "CHS": "梳理;乱砍", + "ENG": "to comb (flax) using a hackle " + }, + "conditioner": { + "CHS": "调节器;调节剂;调料槽" + }, + "responsive": { + "CHS": "响应的;应答的;回答的", + "ENG": "eager to communicate with people, and to react to them in a positive way" + }, + "revulsion": { + "CHS": "剧变;厌恶;强烈反感;抽回", + "ENG": "a strong feeling of shock and very strong dislike" + }, + "sulky": { + "CHS": "生气的;阴沉的", + "ENG": "sulking, or tending to sulk" + }, + "wrapper": { + "CHS": "包装材料;[包装] 包装纸;书皮", + "ENG": "the piece of paper or plastic that covers something when it is sold" + }, + "airbase": { + "CHS": "空军基地;航空基地", + "ENG": "a place where military aircraft begin and end their flights, and where members of an air force live" + }, + "rapprochement": { + "CHS": "友好;恢复邦交;友善关系的建立", + "ENG": "the establishment of a good relationship between two countries or groups of people, after a period of unfriendly relations" + }, + "chemistry": { + "CHS": "化学;化学过程", + "ENG": "the science that is concerned with studying the structure of substances and the way that they change or combine with each other" + }, + "congenital": { + "CHS": "先天的,天生的;天赋的", + "ENG": "a congenital medical condition or disease has affected someone since they were born" + }, + "assembly": { + "CHS": "装配;集会,集合", + "ENG": "the meeting together of a group of people for a particular purpose" + }, + "artifice": { + "CHS": "诡计;欺骗;巧妙的办法", + "ENG": "a trick used to deceive someone" + }, + "pardon": { + "CHS": "原谅;赦免;宽恕", + "ENG": "to officially allow someone who has been found guilty of a crime to go free without being punished" + }, + "order": { + "CHS": "命令;整理;定购", + "ENG": "to tell someone that they must do something, especially using your official power or authority" + }, + "visual": { + "CHS": "视觉的,视力的;栩栩如生的", + "ENG": "relating to seeing" + }, + "retreat": { + "CHS": "撤退;退避;向后倾", + "ENG": "to move away from the enemy after being defeated in battle" + }, + "serpent": { + "CHS": "蛇(尤指大蛇或毒蛇);狡猾的人", + "ENG": "a snake, especially a large one" + }, + "reactor": { + "CHS": "[化工] 反应器;[核] 反应堆;起反应的人", + "ENG": "a nuclear reactor " + }, + "downgrade": { + "CHS": "使降级(过去式downgraded,过去分词downgraded,现在分词downgrading,第三人称单数downgrades);小看", + "ENG": "to state that something is not as serious as it was" + }, + "annihilate": { + "CHS": "歼灭;战胜;废止", + "ENG": "To annihilate something means to destroy it completely" + }, + "patience": { + "CHS": "耐性,耐心;忍耐,容忍", + "ENG": "If you have patience, you are able to stay calm and not get annoyed, for example, when something takes a long time, or when someone is not doing what you want them to do" + }, + "dodge": { + "CHS": "躲避,避开", + "ENG": "to move quickly to avoid someone or something" + }, + "embarrassment": { + "CHS": "窘迫,难堪;使人为难的人或事物;拮据", + "ENG": "the feeling you have when you are embarrassed" + }, + "trawl": { + "CHS": "用拖网捕鱼", + "ENG": "to fish by pulling a special wide net behind a boat" + }, + "venture": { + "CHS": "企业;风险;冒险", + "ENG": "a new business activity that involves taking risks" + }, + "commonplace": { + "CHS": "平凡的;陈腐的" + }, + "decadent": { + "CHS": "颓废者" + }, + "ache": { + "CHS": "疼痛", + "ENG": "a continuous pain that is not sharp or very strong" + }, + "oriental": { + "CHS": "东方人", + "ENG": "a word for someone from the eastern part of the world, especially China or Japan, now considered offensive" + }, + "conceited": { + "CHS": "自负的;狂想的;逞能的", + "ENG": "someone who is conceited thinks they are very clever, skilful, beautiful etc – used to show disapproval" + }, + "gastric": { + "CHS": "胃的;胃部的", + "ENG": "relating to your stomach" + }, + "mailbox": { + "CHS": "邮箱;邮筒", + "ENG": "a box, usually outside a house, where someone’s letters are delivered or collected" + }, + "naturalise": { + "CHS": "使入国籍;使归化" + }, + "gulf": { + "CHS": "吞没" + }, + "tilt": { + "CHS": "倾斜", + "ENG": "a movement or position in which one side of something is higher than the other" + }, + "use": { + "CHS": "利用;耗费", + "ENG": "to take an amount of something from a supply of food, gas, money etc" + }, + "medal": { + "CHS": "勋章,奖章;纪念章", + "ENG": "a flat piece of metal, usually shaped like a coin, that is given to someone who has won a competition or who has done something brave" + }, + "superhuman": { + "CHS": "超人" + }, + "china": { + "CHS": "瓷制的" + }, + "strategic": { + "CHS": "战略上的,战略的", + "ENG": "done as part of a plan, especially in a military, business, or political situation" + }, + "adequate": { + "CHS": "充足的;适当的;胜任的", + "ENG": "enough in quantity or of a good enough quality for a particular purpose" + }, + "test": { + "CHS": "试验;测试", + "ENG": "to examine a substance or thing in order to find out its qualities or what it contains" + }, + "pavement": { + "CHS": "人行道", + "ENG": "a hard level surface or path at the side of a road for people to walk on" + }, + "gay": { + "CHS": "同性恋者", + "ENG": "someone who is homosexual, especially a man" + }, + "testament": { + "CHS": "[法] 遗嘱;圣约;确实的证明", + "ENG": "a will 2 2 " + }, + "harbinger": { + "CHS": "预告;充做…的前驱" + }, + "burglar": { + "CHS": "夜贼,窃贼", + "ENG": "someone who goes into houses, shops etc to steal things" + }, + "drip": { + "CHS": "水滴,滴水声;静脉滴注;使人厌烦的人", + "ENG": "one of the drops of liquid that fall from something" + }, + "delightful": { + "CHS": "可爱的,可喜的;讨人喜欢的;令人愉快的", + "ENG": "very pleasant" + }, + "asterisk": { + "CHS": "注上星号;用星号标出" + }, + "middleman": { + "CHS": "中间人;经纪人;调解人", + "ENG": "someone who buys things in order to sell them to someone else, or who helps to arrange business deals for other people" + }, + "colonel": { + "CHS": "陆军上校", + "ENG": "a high rank in the army, Marines, or the US air force, or someone who has this rank" + }, + "root": { + "CHS": "生根;根除", + "ENG": "to grow roots" + }, + "photocopy": { + "CHS": "影印,复印", + "ENG": "to make a photographic copy of something" + }, + "bibliography": { + "CHS": "参考书目;文献目录", + "ENG": "a list of all the books and articles used in preparing a piece of writing" + }, + "film": { + "CHS": "在…上覆以薄膜;把…拍成电影", + "ENG": "to use a camera to record a story or real events so that it can be shown in the cinema or on television" + }, + "oblong": { + "CHS": "椭圆形;长方形", + "ENG": "An oblong is a shape which has two long sides and two short sides and in which all the angles are right angles" + }, + "yield": { + "CHS": "产量;收益", + "ENG": "the amount of profits, crops etc that something produces" + }, + "bite": { + "CHS": "机内测试设备(Built-In Test Equipment)" + }, + "versus": { + "CHS": "对;与相对;对抗", + "ENG": "used to show that two people or teams are competing against each other in a game or court case" + }, + "pizza": { + "CHS": "比萨饼(一种涂有乳酪核番茄酱的意大利式有馅烘饼)", + "ENG": "A pizza is a flat, round piece of dough covered with tomatoes, cheese, and other toppings, and then baked in an oven" + }, + "poem": { + "CHS": "诗", + "ENG": "a piece of writing that expresses emotions, experiences, and ideas, especially in short lines using words that rhyme (= end with the same sound ) " + }, + "alimony": { + "CHS": "[法] 赡养费;生活费", + "ENG": "money that a court orders someone to pay regularly to their former wife or husband after their marriage has ended" + }, + "tramp": { + "CHS": "流浪者;沉重的脚步声;徒步旅行", + "ENG": "someone who has no home or job and moves from place to place, often asking for food or money" + }, + "barren": { + "CHS": "荒地" + }, + "careless": { + "CHS": "(Careless)人名;(英)凯尔利斯" + }, + "misfit": { + "CHS": "对…不适合" + }, + "dirt": { + "CHS": "污垢,泥土;灰尘,尘土;下流话", + "ENG": "any substance that makes things dirty, such as mud or dust" + }, + "illiterate": { + "CHS": "文盲", + "ENG": "someone who has not learned to read or write" + }, + "disregard": { + "CHS": "忽视;不尊重", + "ENG": "when someone ignores something that they should not ignore" + }, + "mass": { + "CHS": "聚集起来,聚集", + "ENG": "to come together, or to make people or things come together, in a large group" + }, + "eventful": { + "CHS": "多事的;重要的;多变故的;重大的", + "ENG": "full of interesting or important events" + }, + "gauze": { + "CHS": "纱布;薄纱;薄雾", + "ENG": "very thin transparent material with very small holes in it" + }, + "exhibit": { + "CHS": "展览品;证据;展示会", + "ENG": "something, for example a painting, that is put in a public place so that people can go to see it" + }, + "parenthetical": { + "CHS": "插句的;附加说明的;放在括号里的", + "ENG": "said or written while you are talking or writing about something else in order to explain something or add information" + }, + "hull": { + "CHS": "[粮食] 去壳", + "ENG": "to take off the outer part of vegetables, rice, grain etc" + }, + "coop": { + "CHS": "鸡笼;小屋;捕鱼篓", + "ENG": "a building for small animals, especially chickens" + }, + "darn": { + "CHS": "织补", + "ENG": "a patch of darned work on a garment " + }, + "come": { + "CHS": "(Come)人名;(英)科姆;(阿尔巴)乔梅" + }, + "tune": { + "CHS": "调整;使一致;为…调音", + "ENG": "to make a musical instrument play at the right pitch " + }, + "carnation": { + "CHS": "肉红色的" + }, + "beast": { + "CHS": "野兽;畜生,人面兽心的人", + "ENG": "an animal, especially a large or dangerous one" + }, + "mobilise": { + "CHS": "动员;调动;使流通" + }, + "help": { + "CHS": "帮助;补救办法;帮忙者;有益的东西", + "ENG": "things you do to make it easier or possible for someone to do something" + }, + "clothes": { + "CHS": "衣服", + "ENG": "the things that people wear to cover their body or keep warm" + }, + "reference": { + "CHS": "引用" + }, + "ward": { + "CHS": "避开;保卫;守护" + }, + "ligament": { + "CHS": "韧带;纽带,系带", + "ENG": "a band of strong material in your body, similar to muscle, that joins bones or holds an organ in its place" + }, + "redolent": { + "CHS": "芬芳的;有…香味的;令人想起…的", + "ENG": "making you think of something" + }, + "prosecute": { + "CHS": "检举;贯彻;从事;依法进行", + "ENG": "if a lawyer prosecutes a case, he or she tries to prove that the person charged with a crime is guilty" + }, + "iodine": { + "CHS": "碘;碘酒", + "ENG": "a dark blue chemical substance that is used on wounds to prevent infection. It is a chemical element :symbol I" + }, + "baggage": { + "CHS": "行李;[交] 辎重(军队的)", + "ENG": "the cases, bags, boxes etc carried by someone who is travelling" + }, + "tank": { + "CHS": "把…贮放在柜内;打败" + }, + "housewifery": { + "CHS": "家事;家政" + }, + "remind": { + "CHS": "提醒;使想起", + "ENG": "to make someone remember something that they must do" + }, + "dissolute": { + "CHS": "放荡的;风流的", + "ENG": "having an immoral way of life, for example drinking too much alcohol or having sex with many people" + }, + "dwelling": { + "CHS": "居住(dwell的现在分词)" + }, + "acting": { + "CHS": "演技;演戏;假装", + "ENG": "the job or skill of performing in plays and films" + }, + "pressing": { + "CHS": "压;按;熨烫衣物(press的ing形式)" + }, + "progress": { + "CHS": "前进,进步;进行", + "ENG": "to improve, develop, or achieve things so that you are then at a more advanced stage" + }, + "stand": { + "CHS": "站立;立场;看台;停止", + "ENG": "a position or opinion that you state firmly and publicly" + }, + "proper": { + "CHS": "(Proper)人名;(英、德)普罗珀" + }, + "axe": { + "CHS": "削减;用斧砍" + }, + "shirt": { + "CHS": "衬衫;汗衫,内衣", + "ENG": "a piece of clothing that covers the upper part of your body and your arms, usually has a collar, and is fastened at the front by buttons" + }, + "stagger": { + "CHS": "交错的;错开的" + }, + "accountant": { + "CHS": "会计师;会计人员", + "ENG": "someone whose job is to keep and check financial accounts, calculate taxes etc" + }, + "exhale": { + "CHS": "呼气;发出;发散;使蒸发", + "ENG": "to breathe air, smoke etc out of your mouth" + }, + "trespass": { + "CHS": "罪过;非法侵入;过失;擅自进入", + "ENG": "the offence of going onto someone’s land without their permission" + }, + "gallop": { + "CHS": "飞驰;急速进行;急急忙忙地说", + "ENG": "if a horse gallops, it moves very fast with all its feet leaving the ground together" + }, + "parent": { + "CHS": "父亲(或母亲);父母亲;根源", + "ENG": "the father or mother of a person or animal" + }, + "conceal": { + "CHS": "隐藏;隐瞒", + "ENG": "to hide something carefully" + }, + "rebel": { + "CHS": "反抗的;造反的" + }, + "financial": { + "CHS": "金融的;财政的,财务的", + "ENG": "relating to money or the management of money" + }, + "slight": { + "CHS": "怠慢;轻蔑" + }, + "adventurist": { + "CHS": "冒险的" + }, + "worthless": { + "CHS": "无价值的;不值钱的;卑微的", + "ENG": "something that is worthless has no value, importance, or use" + }, + "pulse": { + "CHS": "使跳动", + "ENG": "to move or flow with a steady quickbeat or sound" + }, + "regularity": { + "CHS": "规则性;整齐;正规;匀称", + "ENG": "when something is arranged in an even way" + }, + "cad": { + "CHS": "无赖,下流人;下流男子,卑鄙的男人", + "ENG": "a man who cannot be trusted, especially one who treats women badly" + }, + "exorcise": { + "CHS": "驱邪;除怪" + }, + "body": { + "CHS": "赋以形体" + }, + "portion": { + "CHS": "分配;给…嫁妆" + }, + "abate": { + "CHS": "(Abate)人名;(英、意、法、埃塞)阿巴特" + }, + "on": { + "CHS": "(On)人名;(日)温(姓、名);(缅、柬、印)翁" + }, + "bus": { + "CHS": "公共汽车", + "ENG": "a large vehicle that people pay to travel on" + }, + "refined": { + "CHS": "[油气][化工][冶] 精炼的;精确的;微妙的;有教养的", + "ENG": "a substance that is refined has been made pure by an industrial process" + }, + "singe": { + "CHS": "烧焦;烤焦", + "ENG": "a mark on the surface of something where it has been burnt slightly" + }, + "homestead": { + "CHS": "宅地;家园;田产", + "ENG": "In United States history, a homestead was a piece of government land in the west, which was given to someone so they could settle there and develop a farm" + }, + "sword": { + "CHS": "刀,剑;武力,战争", + "ENG": "a weapon with a long pointed blade and a handle" + }, + "salvation": { + "CHS": "拯救;救助", + "ENG": "something that prevents or saves someone or something from danger, loss, or failure" + }, + "upkeep": { + "CHS": "维持;维修费;保养", + "ENG": "the process of keeping something in good condition" + }, + "gearbox": { + "CHS": "变速箱;齿轮箱", + "ENG": "the system of gears in a vehicle" + }, + "feudalism": { + "CHS": "封建主义;封建制度", + "ENG": "a system which existed in the Middle Ages, in which people received land and protection from a lord when they worked and fought for him" + }, + "white": { + "CHS": "白色;洁白;白种人", + "ENG": "the colour of milk, salt, and snow" + }, + "fertile": { + "CHS": "富饶的,肥沃的;能生育的", + "ENG": "fertile land or soil is able to produce good crops" + }, + "store": { + "CHS": "贮藏,储存", + "ENG": "to put things away and keep them until you need them" + }, + "comic": { + "CHS": "连环漫画;喜剧演员;滑稽人物", + "ENG": "a magazine for children that tells a story using comic strips" + }, + "usurer": { + "CHS": "高利贷者;贷款人", + "ENG": "someone who lends money to people and makes them pay interest14" + }, + "inaugurate": { + "CHS": "创新;开辟;开创;举行开幕典礼;举行就职典礼", + "ENG": "to hold an official ceremony when someone starts doing an important job in government" + }, + "electron": { + "CHS": "电子", + "ENG": "a very small piece of matter with a negative electrical charge that moves around the nucleus(= central part ) of an atom" + }, + "architecture": { + "CHS": "建筑学;建筑风格;建筑式样;架构", + "ENG": "the style and design of a building or buildings" + }, + "relation": { + "CHS": "关系;叙述;故事;亲属关系", + "ENG": "a connection between two or more things" + }, + "interviewee": { + "CHS": "被接见者;被访问者", + "ENG": "the person who answers the questions in an interview" + }, + "phone": { + "CHS": "打电话", + "ENG": "to speak to someone by telephone" + }, + "mop": { + "CHS": "拖把;蓬松的头发;鬼脸", + "ENG": "a thing used for washing floors, consisting of a long stick with threads of thick string or a piece of sponge fastened to one end" + }, + "inverse": { + "CHS": "使倒转;使颠倒" + }, + "transit": { + "CHS": "运送" + }, + "additionally": { + "CHS": "此外;又,加之", + "ENG": "in addition" + }, + "uninformed": { + "CHS": "无知的;未被通知的;未受教育的;不学无术的", + "ENG": "not having enough knowledge or information" + }, + "innocence": { + "CHS": "清白,无罪;天真无邪", + "ENG": "the fact of being not guilty of a crime" + }, + "let": { + "CHS": "障碍;出租屋", + "ENG": "an arrangement in which a house or flat is rented to someone" + }, + "vomit": { + "CHS": "呕吐;呕吐物;催吐剂", + "ENG": "food or other substances that come up from your stomach and through your mouth when you vomit" + }, + "muffin": { + "CHS": "(涂牛油趁热吃的)英格兰松饼,(常含小块水果等)杯状小松糕;玛芬", + "ENG": "a small, usually sweet cake that sometimes has small pieces of fruit in it" + }, + "strain": { + "CHS": "拉紧;尽力", + "ENG": "to try very hard to do something using all your strength or ability" + }, + "drawback": { + "CHS": "缺点,不利条件;退税", + "ENG": "a disadvantage of a situation, plan, product etc" + }, + "fiendish": { + "CHS": "恶魔似的,残忍的;极坏的", + "ENG": "cruel and unpleasant" + }, + "solvent": { + "CHS": "溶剂;解决方法", + "ENG": "a chemical that is used to dissolve another substance" + }, + "whack": { + "CHS": "重击;尝试;份儿;机会", + "ENG": "the act of hitting something hard, or the noise this makes" + }, + "remembrance": { + "CHS": "回想,回忆;纪念品;记忆力", + "ENG": "a memory that you have of a person or event" + }, + "vernal": { + "CHS": "春天的;和煦的;青春的", + "ENG": "relating to the spring" + }, + "sullen": { + "CHS": "愠怒的,不高兴的;(天气)阴沉的;沉闷的", + "ENG": "angry and silent, especially because you feel life has been unfair to you" + }, + "harmonise": { + "CHS": "使和谐" + }, + "problematic": { + "CHS": "问题的;有疑问的;不确定的", + "ENG": "involving problems and difficult to deal with" + }, + "holder": { + "CHS": "持有人;所有人;固定器;(台、架等)支持物", + "ENG": "someone who owns or controls something" + }, + "bury": { + "CHS": "(Bury)人名;(法)比里;(英、西)伯里;(德、意、罗、波、捷、匈)布里;(俄)布雷" + }, + "hail": { + "CHS": "万岁;欢迎" + }, + "archbishop": { + "CHS": "大主教;总教主", + "ENG": "a priest of the highest rank, who is in charge of all the churches in a particular area" + }, + "spirituality": { + "CHS": "灵性;精神性", + "ENG": "the quality of being interested in religion or religious matters" + }, + "caravan": { + "CHS": "乘拖车度假;参加旅行队旅行" + }, + "grid": { + "CHS": "网格;格子,栅格;输电网", + "ENG": "a metal frame with bars across it" + }, + "mushroom": { + "CHS": "迅速增加;采蘑菇;迅速生长", + "ENG": "to grow and develop very quickly" + }, + "hurl": { + "CHS": "用力的投掷" + }, + "monotone": { + "CHS": "单调地读" + }, + "obligation": { + "CHS": "义务;职责;债务", + "ENG": "a moral or legal duty to do something" + }, + "ambiguity": { + "CHS": "含糊;不明确;暧昧;模棱两可的话", + "ENG": "the state of being unclear, confusing, or not certain, or things that produce this effect" + }, + "apparatus": { + "CHS": "装置,设备;仪器;器官", + "ENG": "the set of tools and machines that you use for a particular scientific, medical, or technical purpose" + }, + "monopoly": { + "CHS": "垄断;垄断者;专卖权", + "ENG": "if a company or government has a monopoly of a business or political activity, it has complete control of it so that other organizations cannot compete with it" + }, + "reproach": { + "CHS": "责备;申斥", + "ENG": "to feel guilty about something that you think you are responsible for" + }, + "corporal": { + "CHS": "下士", + "ENG": "a low rank in the army, air force etc" + }, + "daylight": { + "CHS": "白天;日光;黎明;公开", + "ENG": "the light produced by the sun during the day" + }, + "impious": { + "CHS": "不虔诚的;不孝的;不敬的", + "ENG": "lacking respect for religion or God" + }, + "flowchart": { + "CHS": "[工业] 流程图;作业图" + }, + "armoury": { + "CHS": "兵工厂,军械库", + "ENG": "a place where weapons are stored" + }, + "eighty": { + "CHS": "八十", + "ENG": "the number 80" + }, + "chronological": { + "CHS": "按年代顺序排列的;依时间前后排列而记载的", + "ENG": "arranged according to when things happened or were made" + }, + "poker": { + "CHS": "烙制" + }, + "hysterical": { + "CHS": "歇斯底里的;异常兴奋的", + "ENG": "unable to control your behaviour or emotions because you are very upset, afraid, excited etc" + }, + "intrinsic": { + "CHS": "本质的,固有的", + "ENG": "being part of the nature or character of someone or something" + }, + "capricious": { + "CHS": "反复无常的;任性的", + "ENG": "likely to change your mind suddenly or behave in an unexpected way" + }, + "consideration": { + "CHS": "考虑;原因;关心;报酬", + "ENG": "careful thought and attention, especially before making an official or important decision" + }, + "elude": { + "CHS": "逃避,躲避", + "ENG": "to escape from someone or something, especially by tricking them" + }, + "emergency": { + "CHS": "紧急的;备用的", + "ENG": "An emergency action is one that is done or arranged quickly and not in the normal way, because an emergency has occurred" + }, + "hectare": { + "CHS": "公顷(等于1万平方米)", + "ENG": "a unit for measuring area, equal to 10,000 square metres" + }, + "hotel": { + "CHS": "进行旅馆式办公" + }, + "indiscreet": { + "CHS": "轻率的;不慎重的", + "ENG": "careless about what you say or do, especially by talking about things which should be kept secret" + }, + "scrounge": { + "CHS": "讨要;索要", + "ENG": "to be trying to get money or things you want by asking other people for them" + }, + "ethos": { + "CHS": "民族精神;气质;社会思潮" + }, + "vigil": { + "CHS": "守夜;监视;不眠;警戒", + "ENG": "a period of time, especially during the night, when you stay awake in order to pray, remain with someone who is ill, or watch for danger" + }, + "investment": { + "CHS": "投资;投入;封锁", + "ENG": "the use of money to get a profit or to make a business activity successful, or the money that is used" + }, + "houseboat": { + "CHS": "居住在船上;乘居住船游览" + }, + "pram": { + "CHS": "婴儿车;送牛奶用的手推车", + "ENG": "a small vehicle with four wheels in which a baby can lie down while it is being pushed" + }, + "transportation": { + "CHS": "运输;运输系统;运输工具;流放", + "ENG": "a system or method for carrying passengers or goods from one place to another" + }, + "headlamp": { + "CHS": "照明灯;桅灯;车前灯", + "ENG": "a headlight" + }, + "finely": { + "CHS": "非常地;细微地;美好地;雅致地", + "ENG": "into very thin or very small pieces" + }, + "statistics": { + "CHS": "统计;统计学;[统计] 统计资料", + "ENG": "quantitative data on any subject, esp data comparing the distribution of some quantity for different subclasses of the population " + }, + "unofficial": { + "CHS": "非官方的;非正式的", + "ENG": "done or produced without formal approval or permission" + }, + "bachelor": { + "CHS": "学士;单身汉;(尚未交配的)小雄兽", + "ENG": "a man who has never been married" + }, + "Zionism": { + "CHS": "犹太复国主义;锡安运动", + "ENG": "support for the establishment and development of a state for the Jews in Israel" + }, + "hidden": { + "CHS": "(Hidden)人名;(英)希登" + }, + "slouch": { + "CHS": "没精打采地站;耷拉", + "ENG": "to stand, sit, or walk with a slouch" + }, + "furrier": { + "CHS": "毛皮商;毛皮衣制作工", + "ENG": "someone who makes or sells fur clothing" + }, + "log": { + "CHS": "记录;航行日志;原木", + "ENG": "a thick piece of wood from a tree" + }, + "dare": { + "CHS": "敢冒;不惧", + "ENG": "said to warn someone not to do something because it makes you angry" + }, + "gentle": { + "CHS": "蛆,饵" + }, + "behead": { + "CHS": "砍头;使河流被夺流" + }, + "consent": { + "CHS": "同意;(意见等的)一致;赞成", + "ENG": "agreement about something" + }, + "itch": { + "CHS": "发痒;渴望", + "ENG": "if part of your body or your clothes itch, you have an unpleasant feeling on your skin that makes you want to rub it with your nails" + }, + "sultan": { + "CHS": "苏丹(某些伊斯兰国家统治者的称号)", + "ENG": "a ruler in some Islamic countries" + }, + "barely": { + "CHS": "仅仅,勉强;几乎不;公开地;贫乏地", + "ENG": "only with great difficulty or effort" + }, + "hamper": { + "CHS": "食盒,食篮;阻碍物" + }, + "weak": { + "CHS": "[经] 疲软的;虚弱的;无力的;不牢固的", + "ENG": "not physically strong" + }, + "coax": { + "CHS": "哄;哄诱;慢慢将…弄好", + "ENG": "to persuade someone to do something that they do not want to do by talking to them in a kind, gentle, and patient way" + }, + "delimit": { + "CHS": "划界;定界限", + "ENG": "to set or say exactly what the limits of something are" + }, + "motorway": { + "CHS": "高速公路,汽车高速公路", + "ENG": "a very wide road for travelling fast over long distances, especially between cities" + }, + "detergent": { + "CHS": "清洁剂;去垢剂", + "ENG": "a liquid or powder used for washing clothes, dishes etc" + }, + "vary": { + "CHS": "(Vary)人名;(英、法、罗、柬)瓦里" + }, + "napkin": { + "CHS": "餐巾;餐巾纸;尿布", + "ENG": "a square piece of cloth or paper used for protecting your clothes and for cleaning your hands and lips during a meal" + }, + "femininity": { + "CHS": "温柔;柔弱性;女子本性", + "ENG": "qualities that are considered to be typical of women, especially qualities that are gentle, delicate, and pretty" + }, + "entirely": { + "CHS": "完全地,彻底地", + "ENG": "completely and in every possible way" + }, + "satisfied": { + "CHS": "使满意(satisfy的过去式)" + }, + "forbidding": { + "CHS": "禁止;不准(forbid的ing形式)" + }, + "prerequisite": { + "CHS": "首要必备的" + }, + "seashore": { + "CHS": "海滨的;在海滨的" + }, + "boldness": { + "CHS": "大胆;冒失;显著" + }, + "tedium": { + "CHS": "沉闷;单调乏味;厌烦", + "ENG": "the feeling of being bored because the things you are doing are not interesting and continue for a long time without changing" + }, + "seminal": { + "CHS": "种子的;精液的;生殖的", + "ENG": "producing or containing semen " + }, + "shortfall": { + "CHS": "差额;缺少", + "ENG": "the difference between the amount you have and the amount you need or expect" + }, + "disassociate": { + "CHS": "使分离(过去式disassociated,过去分词disassociated,现在分词disassociating,第三人称单数disassociates,名词disassociation)", + "ENG": "If you disassociate one group or thing from another, you separate them" + }, + "herewith": { + "CHS": "因此;同此;用此方法" + }, + "protective": { + "CHS": "防护的;关切保护的;保护贸易的", + "ENG": "used or intended for protection" + }, + "presuppose": { + "CHS": "假定;预料;以…为先决条件", + "ENG": "to depend on something that is believed to exist or to be true" + }, + "angular": { + "CHS": "[生物] 有角的;生硬的,笨拙的;瘦削的", + "ENG": "having sharp and definite corners" + }, + "syntax": { + "CHS": "语法;句法;有秩序的排列", + "ENG": "the way words are arranged to form sentences or phrases, or the rules of grammar which control this" + }, + "fascination": { + "CHS": "魅力;魔力;入迷", + "ENG": "Fascination is the state of being greatly interested in or delighted by something" + }, + "valour": { + "CHS": "勇猛", + "ENG": "great courage, especially in war" + }, + "sufficient": { + "CHS": "足够的;充分的", + "ENG": "as much as is needed for a particular purpose" + }, + "lantern": { + "CHS": "灯笼;提灯;灯笼式天窗", + "ENG": "a lamp that you can carry, consisting of a metal container with glass sides that surrounds a flame or light" + }, + "headache": { + "CHS": "头痛;麻烦;令人头痛之事", + "ENG": "a pain in your head" + }, + "uncertain": { + "CHS": "无常的;含糊的;靠不住的;迟疑不决的", + "ENG": "feeling doubt about something" + }, + "scene": { + "CHS": "场面;情景;景象;事件", + "ENG": "a view of a place as you see it, or as it appears in a picture" + }, + "consummate": { + "CHS": "完成;作成;使达到极点", + "ENG": "to make something complete, especially an agreement" + }, + "warlord": { + "CHS": "军阀", + "ENG": "the leader of an unofficial military group fighting against a government, king, or different group" + }, + "ease": { + "CHS": "轻松,舒适;安逸,悠闲", + "ENG": "Ease is the state of being very comfortable and able to live as you want, without any worries or problems" + }, + "shallow": { + "CHS": "使变浅" + }, + "geometric": { + "CHS": "几何学的;[数] 几何学图形的", + "ENG": "having or using the shapes and lines in geometry , such as circles or squares, especially when these are arranged in regular patterns" + }, + "giant": { + "CHS": "巨大的;巨人般的", + "ENG": "extremely big, and much bigger than other things of the same type" + }, + "defensive": { + "CHS": "防御;守势", + "ENG": "if you put someone on the defensive in an argument, you attack them so that they are in a weaker position" + }, + "consolidate": { + "CHS": "巩固,使固定;联合", + "ENG": "to strengthen the position of power or success that you have, so that it becomes more effective or continues for longer" + }, + "which": { + "CHS": "哪一个;哪一些" + }, + "baleful": { + "CHS": "恶意的;有害的", + "ENG": "expressing anger, hatred, or a wish to harm someone" + }, + "golf": { + "CHS": "打高尔夫球" + }, + "switch": { + "CHS": "开关;转换;鞭子", + "ENG": "a piece of equipment that starts or stops the flow of electricity to a machine, light etc when you push it" + }, + "mechanics": { + "CHS": "力学(用作单数);结构;技术;机械学(用作单数)", + "ENG": "Mechanics is the part of physics that deals with the natural forces that act on moving or stationary objects" + }, + "conquest": { + "CHS": "征服,战胜;战利品", + "ENG": "the act of getting control of a country by fighting" + }, + "forethought": { + "CHS": "预先计划好的" + }, + "honestly": { + "CHS": "真诚地;公正地", + "ENG": "in an honest way" + }, + "curse": { + "CHS": "诅咒;咒骂", + "ENG": "to swear" + }, + "discover": { + "CHS": "发现;发觉", + "ENG": "to find someone or something, either by accident or because you were looking for them" + }, + "spinner": { + "CHS": "纺纱机;纺纱工人;旋床工人;旋式诱饵", + "ENG": "someone whose job is to make thread by twisting cotton, wool etc" + }, + "virile": { + "CHS": "(Virile)人名;(意)维里莱" + }, + "handbrake": { + "CHS": "手煞车;手闸", + "ENG": "a brake in a car that you pull up with your hand to stop the car from moving when it is parked" + }, + "ooze": { + "CHS": "[地质] 软泥", + "ENG": "very soft mud, especially at the bottom of a lake or sea" + }, + "gland": { + "CHS": "腺", + "ENG": "an organ of the body which produces a substance that the body needs, such as hormones, sweat, or saliva" + }, + "gut": { + "CHS": "简单的;本质的,根本的;本能的,直觉的", + "ENG": "A gut feeling is based on instinct or emotion rather than reason" + }, + "correspondent": { + "CHS": "通讯记者;客户;通信者;代理商行", + "ENG": "someone who is employed by a newspaper or a television station etc to report news from a particular area or on a particular subject" + }, + "reinforcement": { + "CHS": "加固;增援;援军;加强", + "ENG": "more soldiers, police etc who are sent to a battle, fight etc to make their group stronger" + }, + "propagate": { + "CHS": "传播;传送;繁殖;宣传", + "ENG": "to spread an idea, belief etc to many people" + }, + "microscope": { + "CHS": "显微镜", + "ENG": "a scientific instrument that makes extremely small things look larger" + }, + "theft": { + "CHS": "盗窃;偷;赃物", + "ENG": "the crime of stealing" + }, + "hospitable": { + "CHS": "热情友好的;(环境)舒适的", + "ENG": "friendly, welcoming, and generous to visitors" + }, + "indoors": { + "CHS": "在室内,在户内", + "ENG": "into or inside a building" + }, + "scribble": { + "CHS": "乱写;滥写;潦草地书写", + "ENG": "to write something quickly and untidily" + }, + "injure": { + "CHS": "伤害,损害", + "ENG": "to say unfair or unpleasant things that hurt someone’s pride, feelings etc" + }, + "initiate": { + "CHS": "新加入的;接受初步知识的" + }, + "footwear": { + "CHS": "鞋类", + "ENG": "things that people wear on their feet, such as shoes or boots" + }, + "squeal": { + "CHS": "尖叫声", + "ENG": "a long loud high sound or cry" + }, + "awkwardly": { + "CHS": "笨拙地;无技巧地" + }, + "thirteenth": { + "CHS": "第十三;十三分之一" + }, + "simpleton": { + "CHS": "傻子;笨蛋", + "ENG": "someone who has a very low level of intelligence" + }, + "viciousness": { + "CHS": "邪恶;恶意" + }, + "futility": { + "CHS": "无用;徒劳;无价值", + "ENG": "Futility is a total lack of purpose or usefulness" + }, + "ozone": { + "CHS": "[化学] 臭氧;新鲜的空气", + "ENG": "a poisonous blue gas that is a type of oxygen" + }, + "seniority": { + "CHS": "长辈;老资格;前任者的特权" + }, + "editor": { + "CHS": "编者,编辑;社论撰写人;编辑装置", + "ENG": "the person who is in charge of a newspaper or magazine, or part of a newspaper or magazine, and decides what should be included in it" + }, + "depopulate": { + "CHS": "使人口减少", + "ENG": "to greatly reduce the number of people living in a particular area" + }, + "secret": { + "CHS": "秘密的;机密的", + "ENG": "known about by only a few people and kept hidden from others" + }, + "checkpoint": { + "CHS": "检查站,关卡", + "ENG": "a place, especially on a border, where an official person examines vehicles or people" + }, + "flyover": { + "CHS": "天桥;立交桥;立交马路", + "ENG": "a bridge that takes one road over another road" + }, + "comment": { + "CHS": "发表评论;发表意见", + "ENG": "to express an opinion about someone or something" + }, + "cyclist": { + "CHS": "骑自行车的人", + "ENG": "someone who rides a bicycle" + }, + "oblivion": { + "CHS": "遗忘;湮没;赦免", + "ENG": "when something is completely forgotten or no longer important" + }, + "fastening": { + "CHS": "扣紧;系结物(fasten的现在分词)" + }, + "propel": { + "CHS": "推进;驱使;激励;驱策", + "ENG": "to move, drive, or push something forward" + }, + "delight": { + "CHS": "高兴", + "ENG": "to give someone great satisfaction and enjoyment" + }, + "doubtless": { + "CHS": "无疑的;确定的" + }, + "pencil": { + "CHS": "用铅笔写;用眉笔涂", + "ENG": "to write something or make a mark with a pencil" + }, + "equipment": { + "CHS": "设备,装备;器材", + "ENG": "the tools, machines etc that you need to do a particular job or activity" + }, + "overseas": { + "CHS": "海外的,国外的", + "ENG": "coming from, existing in, or happening in a foreign country that is across the sea" + }, + "introspection": { + "CHS": "内省;反省", + "ENG": "the process of thinking deeply about your own thoughts, feelings, or behaviour" + }, + "wonder": { + "CHS": "奇妙的;非凡的", + "ENG": "If you refer, for example, to a young man as a wonder boy, or to a new product as a wonder drug, you mean that they are believed by many people to be very good or very effective" + }, + "falsify": { + "CHS": "伪造;篡改;歪曲;证明虚假", + "ENG": "to change figures, records etc so that they contain false information" + }, + "ledger": { + "CHS": "总帐,分户总帐;[会计] 分类帐;帐簿;底帐;(手脚架上的)横木", + "ENG": "a book in which a business, bank etc records how much money it receives and spends" + }, + "horizon": { + "CHS": "[天] 地平线;视野;眼界;范围", + "ENG": "the line far away where the land or sea seems to meet the sky" + }, + "pudding": { + "CHS": "布丁", + "ENG": "a hot sweet dish, made from cake, rice, bread etc with fruit, milk, or other sweet things added" + }, + "assistance": { + "CHS": "援助,帮助;辅助设备", + "ENG": "help or support" + }, + "crap": { + "CHS": "掷骰子;拉屎", + "ENG": "to pass waste matter from your bowels " + }, + "dwell": { + "CHS": "居住;存在于;细想某事", + "ENG": "to live in a particular place" + }, + "mayhem": { + "CHS": "故意的伤害罪;重伤罪;蓄意的破坏" + }, + "manner": { + "CHS": "方式;习惯;种类;规矩;风俗", + "ENG": "the way in which something is done or happens" + }, + "exporter": { + "CHS": "出口商;输出国", + "ENG": "a person, company, or country that sells goods to another country" + }, + "campus": { + "CHS": "(大学)校园;大学,大学生活;校园内的草地", + "ENG": "the land and buildings of a university or college, including the buildings where students live" + }, + "raisin": { + "CHS": "葡萄干", + "ENG": "a dried grape " + }, + "kindly": { + "CHS": "亲切的;和蔼的;体贴的;爽快的", + "ENG": "kind and caring for other people" + }, + "tranquility": { + "CHS": "宁静;平静" + }, + "hankie": { + "CHS": "手帕(等于handkerchief)", + "ENG": "a handkerchief" + }, + "responsibility": { + "CHS": "责任,职责;义务", + "ENG": "a duty to be in charge of someone or something, so that you make decisions and can be blamed if something bad happens" + }, + "trombone": { + "CHS": "长号,伸缩喇叭", + "ENG": "a large metal musical instrument that you play by blowing into it and sliding a long tube in and out to change the notes" + }, + "ratepayer": { + "CHS": "地方税纳税人", + "ENG": "someone who pays taxes that are used to provide local services" + }, + "readily": { + "CHS": "容易地;乐意地;无困难地", + "ENG": "quickly, willingly, and without complaining" + }, + "noticeable": { + "CHS": "显而易见的,显著的;值得注意的", + "ENG": "easy to notice" + }, + "challenge": { + "CHS": "向…挑战;对…质疑", + "ENG": "to refuse to accept that something is right, fair, or legal" + }, + "eightieth": { + "CHS": "第八十的;八十分之一的" + }, + "retrieval": { + "CHS": "检索;恢复;取回;拯救", + "ENG": "the process of getting back information stored on a computer system" + }, + "servant": { + "CHS": "仆人,佣人;公务员;雇工", + "ENG": "someone, especially in the past, who was paid to clean someone’s house, cook for them, answer the door etc, and who often lived in the house" + }, + "ferryboat": { + "CHS": "渡船", + "ENG": "a ferry" + }, + "position": { + "CHS": "安置;把……放在适当位置", + "ENG": "to carefully put something in a particular position" + }, + "gong": { + "CHS": "鸣锣传唤;鸣锣命令驾车者停驶" + }, + "acquittal": { + "CHS": "赦免;无罪开释;履行;尽职;(债务等的)清偿" + }, + "form": { + "CHS": "构成,组成;排列,组织;产生,塑造", + "ENG": "to establish an organization, committee, government etc" + }, + "decimate": { + "CHS": "十中抽一,取十分之一;大批杀害" + }, + "hemisphere": { + "CHS": "半球", + "ENG": "a half of the Earth, especially one of the halves above and below the equator " + }, + "shape": { + "CHS": "形成;塑造,使成形;使符合", + "ENG": "to influence something such as a belief, opinion etc and make it develop in a particular way" + }, + "basket": { + "CHS": "装入篮" + }, + "supremacy": { + "CHS": "霸权;至高无上;主权;最高地位", + "ENG": "the position in which you are more powerful or advanced than anyone else" + }, + "equitable": { + "CHS": "公平的,公正的;平衡法的", + "ENG": "treating all people in a fair and equal way" + }, + "dowry": { + "CHS": "嫁妆;天资;亡夫遗产", + "ENG": "property and money that a woman gives to her husband when they marry in some societies" + }, + "politics": { + "CHS": "政治,政治学;政治活动;政纲", + "ENG": "ideas and activities relating to gaining and using power in a country, city etc" + }, + "known": { + "CHS": "知道(know的过去分词)" + }, + "heartland": { + "CHS": "中心地带;心脏地区", + "ENG": "the central part of a country or area of land" + }, + "snug": { + "CHS": "舒适温暖的地方;雅室" + }, + "handbag": { + "CHS": "手提包", + "ENG": "a small bag in which a woman carries money and personal things" + }, + "town": { + "CHS": "城镇,市镇;市内商业区", + "ENG": "a large area with houses, shops, offices etc where people live and work, that is smaller than a city and larger than a village" + }, + "prevent": { + "CHS": "预防,防止;阻止", + "ENG": "to stop something from happening, or stop someone from doing something" + }, + "brilliance": { + "CHS": "光辉;才华;宏伟", + "ENG": "a very high level of intelligence or skill" + }, + "text": { + "CHS": "发短信", + "ENG": "to send someone a written message on a mobile phone " + }, + "merchant": { + "CHS": "商业的,商人的", + "ENG": "Merchant seamen or ships are involved in carrying goods for trade" + }, + "blow": { + "CHS": "风吹;喘气", + "ENG": "if the wind or a current of air blows, it moves" + }, + "conversant": { + "CHS": "熟悉的;精通的;亲近的", + "ENG": "having knowledge or experience of something" + }, + "creativity": { + "CHS": "创造力;创造性", + "ENG": "the ability to use your imagination to produce new ideas, make things etc" + }, + "productivity": { + "CHS": "生产力;生产率;生产能力", + "ENG": "the rate at which goods are produced, and the amount produced, especially in relation to the work, time, and money needed to produce them" + }, + "hamburger": { + "CHS": "汉堡包,火腿汉堡;牛肉饼,肉饼;碎牛肉", + "ENG": "a flat round piece of finely cut beef(= meat from a cow ) which is cooked and eaten in a bread bun" + }, + "distress": { + "CHS": "使悲痛;使贫困" + }, + "intermediate": { + "CHS": "[化学] 中间物;媒介" + }, + "townsfolk": { + "CHS": "市民;镇民", + "ENG": "The townsfolk of a town or city are the people who live there" + }, + "salt": { + "CHS": "用盐腌;给…加盐;将盐撒在道路上使冰或雪融化", + "ENG": "to add salt to food to make it taste better" + }, + "indifferent": { + "CHS": "漠不关心的;无关紧要的;中性的,中立的", + "ENG": "not at all interested in someone or something" + }, + "entertainer": { + "CHS": "演艺人员,表演者", + "ENG": "someone whose job is to tell jokes, sing etc in order to entertain people" + }, + "nomadic": { + "CHS": "游牧的;流浪的;游动的", + "ENG": "nomadic people are nomads" + }, + "keyhole": { + "CHS": "显示内情的" + }, + "heart": { + "CHS": "结心" + }, + "imperious": { + "CHS": "专横的;迫切的;傲慢的", + "ENG": "giving orders and expecting to be obeyed, in a way that seems too proud" + }, + "senior": { + "CHS": "上司;较年长者;毕业班学生", + "ENG": "a student in their last year of high school or university" + }, + "carat": { + "CHS": "克拉(等于karat)", + "ENG": "a unit for measuring the weight of jewels, equal to 200 milligram s " + }, + "drop": { + "CHS": "滴;落下;空投;微量;滴剂", + "ENG": "a very small amount of liquid that falls in a round shape" + }, + "proceed": { + "CHS": "收入,获利", + "ENG": "The proceeds of an event or activity are the money that has been obtained from it" + }, + "hobbyhorse": { + "CHS": "木马;竹马;摇动木马", + "ENG": "an old-fashioned toy made of a horse’s head on a stick" + }, + "couple": { + "CHS": "结合;成婚", + "ENG": "to join or fasten two things together" + }, + "bread": { + "CHS": "在…上洒面包屑" + }, + "succour": { + "CHS": "救助", + "ENG": "to give help and sympathy to someone" + }, + "presence": { + "CHS": "存在;出席;参加;风度;仪态", + "ENG": "when someone or something is present in a particular place" + }, + "spire": { + "CHS": "给…加塔尖" + }, + "jelly": { + "CHS": "成胶状", + "ENG": "to jellify " + }, + "porter": { + "CHS": "门房;服务员;行李搬运工;守门人", + "ENG": "someone whose job is to carry people’s bags at railway stations, airports etc" + }, + "epidemic": { + "CHS": "传染病;流行病;风尚等的流行", + "ENG": "a large number of cases of a disease that happen at the same time" + }, + "divulge": { + "CHS": "泄露;暴露", + "ENG": "to give someone information that should be secret" + }, + "tobacco": { + "CHS": "烟草,烟叶;烟草制品;抽烟", + "ENG": "the dried brown leaves that are smoked in cigarettes, pipes etc" + }, + "familiar": { + "CHS": "常客;密友" + }, + "tip": { + "CHS": "小费;尖端;小建议,小窍门;轻拍", + "ENG": "the end of something, especially something pointed" + }, + "impetus": { + "CHS": "动力;促进;冲力", + "ENG": "an influence that makes something happen or makes it happen more quickly" + }, + "newsreel": { + "CHS": "新闻影片", + "ENG": "a short film of news that was shown in cinemas in the past" + }, + "hemophilia": { + "CHS": "[内科] 血友病(等于haemophilia)", + "ENG": "Haemophilia is a medical condition in which a person's blood does not thicken or clot properly when they are injured, so they continue bleeding" + }, + "censor": { + "CHS": "检查员;[心理] 潜意识压抑力;信件检查员", + "ENG": "someone whose job is to examine books, films, letters etc and remove anything considered to be offensive, morally harmful, or politically dangerous" + }, + "torment": { + "CHS": "痛苦,苦恼;痛苦的根源", + "ENG": "severe mental or physical suffering" + }, + "temporal": { + "CHS": "世间万物;暂存的事物" + }, + "orientation": { + "CHS": "方向;定向;适应;情况介绍;向东方", + "ENG": "the type of activity or subject that a person or organization seems most interested in and gives most attention to" + }, + "satisfaction": { + "CHS": "满意,满足;赔偿;乐事;赎罪", + "ENG": "a feeling of happiness or pleasure because you have achieved something or got what you wanted" + }, + "dungarees": { + "CHS": "粗布工作服", + "ENG": "heavy cotton trousers used for working in" + }, + "back": { + "CHS": "后面的;过去的;拖欠的", + "ENG": "at or in the back of something" + }, + "warmth": { + "CHS": "温暖;热情;激动", + "ENG": "the heat something produces, or when you feel warm" + }, + "devotion": { + "CHS": "献身,奉献;忠诚;热爱", + "ENG": "the loyalty that you show towards a person, job etc, especially by working hard" + }, + "feverish": { + "CHS": "发热的;极度兴奋的", + "ENG": "suffering from a fever" + }, + "tropical": { + "CHS": "热带的;热情的;酷热的", + "ENG": "coming from or existing in the hottest parts of the world" + }, + "literal": { + "CHS": "文字的;逐字的;无夸张的", + "ENG": "The literal sense of a word or phrase is its most basic sense" + }, + "mess": { + "CHS": "弄乱,弄脏;毁坏;使就餐" + }, + "vein": { + "CHS": "使成脉络;象脉络般分布于" + }, + "toll": { + "CHS": "征收;敲钟", + "ENG": "if a large bell tolls, or if you toll it, it keeps ringing slowly, especially to show that someone has died" + }, + "preside": { + "CHS": "主持,担任会议主席", + "ENG": "to be in charge of a formal event, organization, ceremony etc" + }, + "splendour": { + "CHS": "显赫(等于splendor);光彩壮丽" + }, + "tapeworm": { + "CHS": "[基医] 绦虫", + "ENG": "a long flat worm that lives in the bowels of humans and other animals and can make them ill" + }, + "cloud": { + "CHS": "使混乱;以云遮敝;使忧郁;玷污" + }, + "binary": { + "CHS": "[数] 二进制的;二元的,二态的", + "ENG": "a system of counting, used in computers, in which only the numbers 0 and 1 are used" + }, + "tumour": { + "CHS": "[肿瘤] 瘤;肿瘤;肿块", + "ENG": "a mass of diseased cells in your body that have divided and increased too quickly" + }, + "strenuous": { + "CHS": "紧张的;费力的;奋发的;艰苦的;热烈的", + "ENG": "needing a lot of effort or strength" + }, + "lunge": { + "CHS": "刺;戳;使前冲", + "ENG": "If you lunge in a particular direction, you move in that direction suddenly and clumsily" + }, + "adversity": { + "CHS": "逆境;不幸;灾难;灾祸", + "ENG": "a situation in which you have a lot of problems that seem to be caused by bad luck" + }, + "spouse": { + "CHS": "和…结婚" + }, + "autocratic": { + "CHS": "专制的;独裁的,专横的", + "ENG": "An autocratic person or organization has complete power and makes decisions without asking anyone else's advice" + }, + "granny": { + "CHS": "奶奶;外婆;婆婆妈妈的人", + "ENG": "grandmother" + }, + "cheer": { + "CHS": "欢呼;愉快;心情;令人愉快的事", + "ENG": "a shout of happiness, praise, approval, or encouragement" + }, + "portrait": { + "CHS": "肖像;描写;半身雕塑像", + "ENG": "a painting, drawing, or photograph of a person" + }, + "likelihood": { + "CHS": "可能性,可能", + "ENG": "the degree to which something can reasonably be expected to happen" + }, + "clergyman": { + "CHS": "牧师;教士", + "ENG": "a male member of the clergy" + }, + "silicon": { + "CHS": "[化学] 硅;硅元素", + "ENG": "a chemical substance that exists as a solid or as a powder and is used to make glass, bricks, and parts for computers. It is a chemical element: symbol Si" + }, + "bedtime": { + "CHS": "适于睡前的" + }, + "fingertip": { + "CHS": "指尖;指套", + "ENG": "the end of your finger that is furthest away from your hand" + }, + "institution": { + "CHS": "制度;建立;(社会或宗教等)公共机构;习俗", + "ENG": "a large organization that has a particular kind of work or purpose" + }, + "mound": { + "CHS": "堆起;筑堤" + }, + "frame": { + "CHS": "有木架的;有构架的" + }, + "worth": { + "CHS": "价值;财产", + "ENG": "an amount of something worth ten pounds, $500 etc" + }, + "educate": { + "CHS": "教育;培养;训练", + "ENG": "to teach a child at a school, college, or university" + }, + "stewardess": { + "CHS": "女管家;女干事;女服务员", + "ENG": "a woman whose job is to serve food and drinks to passengers on a plane or ship" + }, + "cognitive": { + "CHS": "认知的,认识的", + "ENG": "related to the process of knowing, understanding, and learning something" + }, + "purge": { + "CHS": "净化;泻药", + "ENG": "a substance used to make you empty your bowel s " + }, + "nor": { + "CHS": "(Nor)人名;(中)挪(广东话·威妥玛);(马来、俄)诺尔;(柬)诺" + }, + "elector": { + "CHS": "选举人;有选举权的人;总统选举人", + "ENG": "someone who has the right to vote in an election" + }, + "skirmish": { + "CHS": "进行小规模战斗;发生小争论", + "ENG": "If people skirmish, they fight" + }, + "slavish": { + "CHS": "奴隶的;奴性的;卑屈的;盲从的", + "ENG": "obeying, supporting, or copying someone completely – used to show disapproval" + }, + "congenial": { + "CHS": "意气相投的;性格相似的;适意的;一致的", + "ENG": "suitable for something" + }, + "scrawny": { + "CHS": "骨瘦如柴的", + "ENG": "a scrawny person or animal looks very thin and weak" + }, + "oval": { + "CHS": "椭圆形;卵形", + "ENG": "a shape like a circle, but wider in one direction than the other" + }, + "destination": { + "CHS": "目的地,终点", + "ENG": "the place that someone or something is going to" + }, + "append": { + "CHS": "设置数据文件的搜索路径" + }, + "priority": { + "CHS": "优先;优先权;[数] 优先次序;优先考虑的事", + "ENG": "the thing that you think is most important and that needs attention before anything else" + }, + "athletics": { + "CHS": "竞技;体育运动;田径运动", + "ENG": "sports such as running and jumping" + }, + "renovation": { + "CHS": "革新;修理;恢复活力" + }, + "contestant": { + "CHS": "竞争者;争辩者", + "ENG": "someone who competes in a contest" + }, + "admission": { + "CHS": "承认;入场费;进入许可;坦白;录用", + "ENG": "a statement in which you admit that something is true or that you have done something wrong" + }, + "raffle": { + "CHS": "抽彩售货", + "ENG": "If someone raffles something, they give it as a prize in a raffle" + }, + "emaciated": { + "CHS": "憔悴;消瘦下去(emaciate的过去分词)" + }, + "wage": { + "CHS": "工资;代价;报偿", + "ENG": "money you earn that is paid according to the number of hours, days, or weeks that you work" + }, + "respectability": { + "CHS": "体面;可尊敬;有社会地位" + }, + "repeal": { + "CHS": "废除;撤销", + "ENG": "Repeal is also a noun" + }, + "myth": { + "CHS": "神话;虚构的人,虚构的事", + "ENG": "an ancient story, especially one invented in order to explain natural or historical events" + }, + "according": { + "CHS": "给予( accord的现在分词 );使和谐一致;使符合;使适合", + "ENG": "If you are accorded a particular kind of treatment, people act toward you or treat you in that way" + }, + "demented": { + "CHS": "精神错乱;变得痴呆(dement的过去分词)" + }, + "exonerate": { + "CHS": "使免罪" + }, + "basics": { + "CHS": "基础;基本要素(basic的复数)", + "ENG": "the most important and necessary facts about something, from which other possibilities and ideas may develop" + }, + "unwilling": { + "CHS": "不愿意的;不情愿的;勉强的", + "ENG": "not wanting to do something and refusing to do it" + }, + "injunction": { + "CHS": "[管理] 禁令;命令;劝告", + "ENG": "an order given by a court, which tells someone not to do something" + }, + "combination": { + "CHS": "结合;组合;联合;[化学] 化合", + "ENG": "two or more different things that exist together or are used or put together" + }, + "cackle": { + "CHS": "咯咯叫;喋喋不休;饶舌", + "ENG": "to laugh in a loud unpleasant way, making short high sounds" + }, + "sort": { + "CHS": "分类;协调;交往", + "ENG": "to put things in a particular order or arrange them in groups according to size, type etc" + }, + "wrest": { + "CHS": "扭,拧" + }, + "meal": { + "CHS": "进餐" + }, + "spate": { + "CHS": "洪水;一阵;大雨;突然迸发" + }, + "frighten": { + "CHS": "使惊吓;吓唬…", + "ENG": "to make someone feel afraid" + }, + "dose": { + "CHS": "服药", + "ENG": "to give someone medicine or a drug" + }, + "reminder": { + "CHS": "暗示;提醒的人/物;催单", + "ENG": "something, for example a letter, that reminds you to do something which you might have forgotten" + }, + "incidentally": { + "CHS": "顺便;偶然地;附带地", + "ENG": "used to add more information to what you have just said, or to introduce a new subject that you have just thought of" + }, + "secondhand": { + "CHS": "间接地;间接听来;以旧货", + "ENG": "Secondhand is also an adverb" + }, + "Spaniard": { + "CHS": "西班牙人", + "ENG": "someone from Spain" + }, + "navigate": { + "CHS": "驾驶,操纵;使通过;航行于", + "ENG": "to sail along a river or other area of water" + }, + "thrifty": { + "CHS": "节约的;茂盛的;成功的", + "ENG": "using money carefully and wisely" + }, + "pernicious": { + "CHS": "有害的;恶性的;致命的;险恶的", + "ENG": "very harmful or evil, often in a way that you do not notice easily" + }, + "mimic": { + "CHS": "模仿的,模拟的;假装的" + }, + "customary": { + "CHS": "习惯法汇编" + }, + "gaze": { + "CHS": "凝视;注视", + "ENG": "a long steady look" + }, + "treaty": { + "CHS": "条约,协议;谈判", + "ENG": "a formal written agreement between two or more countries or governments" + }, + "flyleaf": { + "CHS": "飞页,章节后的空白", + "ENG": "The flyleaf of a book is a page at the front that has nothing printed on it" + }, + "battery": { + "CHS": "[电] 电池,蓄电池", + "ENG": "an object that provides a supply of electricity for something such as a radio, car, or toy" + }, + "repulsive": { + "CHS": "排斥的;令人厌恶的;击退的;冷淡的", + "ENG": "extremely unpleas-ant, in a way that almost makes you feel sick" + }, + "underprivileged": { + "CHS": "贫困的;被剥夺基本权力的;社会地位低下的", + "ENG": "very poor, with worse living conditions, educational opportunities etc than most people in society" + }, + "ventral": { + "CHS": "腹鳍" + }, + "employee": { + "CHS": "雇员;从业员工", + "ENG": "someone who is paid to work for someone else" + }, + "torso": { + "CHS": "躯干;裸体躯干雕像;未完成的作品;残缺不全的东西", + "ENG": "your body, not including your head, arms, or legs" + }, + "hers": { + "CHS": "(Hers)人名;(法)埃尔" + }, + "motif": { + "CHS": "主题;动机;主旨;图形;意念", + "ENG": "an idea, subject, or image that is regularly repeated and developed in a book, film, work of art etc" + }, + "patent": { + "CHS": "专利权;执照;专利品", + "ENG": "a special document that gives you the right to make or sell a new invention or product that no one else is allowed to copy" + }, + "define": { + "CHS": "(Define)人名;(英)德法恩;(葡)德菲内" + }, + "comprehension": { + "CHS": "理解;包含", + "ENG": "the ability to understand something" + }, + "foreland": { + "CHS": "沿海地区;前沿地;海角" + }, + "demagogue": { + "CHS": "煽动者;煽动家;煽动政治家", + "ENG": "If you say that someone such as a politician is a demagogue you are criticizing them because you think they try to win people's support by appealing to their emotions rather than using reasonable arguments" + }, + "pile": { + "CHS": "累积;打桩于" + }, + "ranger": { + "CHS": "突击队员;漫游者;骑警;别动队员" + }, + "repugnant": { + "CHS": "讨厌的;矛盾的;敌对的" + }, + "colleague": { + "CHS": "同事,同僚", + "ENG": "someone you work with – used especially by professional people" + }, + "drag": { + "CHS": "拖;拖累" + }, + "staircase": { + "CHS": "楼梯", + "ENG": "a set of stairs inside a building with its supports and the side parts that you hold on to" + }, + "inestimable": { + "CHS": "无价的;难以估计的", + "ENG": "too much or too great to be calculated" + }, + "fluency": { + "CHS": "(语言、文章)流利;(技能)娴熟" + }, + "purple": { + "CHS": "变成紫色" + }, + "helmet": { + "CHS": "钢盔,头盔", + "ENG": "a strong hard hat that soldiers, motorcycle riders, the police etc wear to protect their heads" + }, + "bourgeois": { + "CHS": "资产阶级的;中产阶级的;贪图享受的", + "ENG": "belonging to the middle class " + }, + "rally": { + "CHS": "集会;回复;公路赛车会", + "ENG": "a large public meeting, especially one that is held outdoors to support a political idea, protest etc" + }, + "debate": { + "CHS": "辩论;辩论会", + "ENG": "discussion of a particular subject that often continues for a long time and in which people express different opinions" + }, + "simple": { + "CHS": "笨蛋;愚蠢的行为;出身低微者" + }, + "deduce": { + "CHS": "推论,推断;演绎出", + "ENG": "to use the knowledge and information you have in order to understand something or form an opinion about it" + }, + "arrears": { + "CHS": "[会计] 拖欠;待完成的事;应付欠款", + "ENG": "if someone is in arrears, or if their payments are in arrears, they are late in paying something that they should pay regularly, such as rent" + }, + "operative": { + "CHS": "侦探;技工", + "ENG": "a worker, especially a factory worker – used in business" + }, + "distance": { + "CHS": "疏远;把…远远甩在后面", + "ENG": "If you distance yourself from a person or thing, or if something distances you from them, you feel less friendly or positive toward them, or become less involved with them" + }, + "sufferable": { + "CHS": "可忍耐的;可容忍的;可忍受得了的", + "ENG": "able to be tolerated or suffered; endurable " + }, + "spook": { + "CHS": "惊吓;鬼怪般地出没", + "ENG": "to frighten someone" + }, + "investor": { + "CHS": "投资者", + "ENG": "someone who gives money to a company, business, or bank in order to get a profit" + }, + "HIV": { + "CHS": "艾滋病病毒(human immunodeficiency virus)" + }, + "play": { + "CHS": "游戏;比赛;剧本", + "ENG": "a story that is written to be performed by actors, especially in a theatre" + }, + "shove": { + "CHS": "推;挤", + "ENG": "a strong push" + }, + "footpath": { + "CHS": "人行道;小路;小径", + "ENG": "a narrow path for people to walk along, especially in the country" + }, + "senility": { + "CHS": "[基医] 衰老;高龄;老态龙钟" + }, + "headgear": { + "CHS": "帽子;马首挽具;[矿业] 井架;牙齿矫正器", + "ENG": "hats and other things that you wear on your head" + }, + "gale": { + "CHS": "[气象] 大风,狂风;(突发的)一阵", + "ENG": "a very strong wind" + }, + "strife": { + "CHS": "冲突;争吵;不和", + "ENG": "trouble between two or more people or groups" + }, + "shovel": { + "CHS": "铲除;用铲挖;把…胡乱塞入", + "ENG": "to lift and move earth, stones etc with a shovel" + }, + "secrecy": { + "CHS": "保密;秘密;隐蔽", + "ENG": "the process of keeping something secret, or when something is kept a secret" + }, + "suction": { + "CHS": "吸;吸力;抽吸", + "ENG": "the process of removing air or liquid from an enclosed space so that another substance is sucked in, or so that two surfaces stick together" + }, + "histogram": { + "CHS": "[统计] 直方图;柱状图", + "ENG": "a bar chart " + }, + "feed": { + "CHS": "饲料;饲养;(动物或婴儿的)一餐", + "ENG": "food for animals" + }, + "inclusion": { + "CHS": "包含;内含物", + "ENG": "the act of including someone or something in a larger group or set, or the fact of being included in one" + }, + "ale": { + "CHS": "麦芽酒", + "ENG": "a type of beer made from malt 1 " + }, + "rambler": { + "CHS": "漫步者,漫谈者;攀缘蔷薇", + "ENG": "someone who goes for walks in the countryside for pleasure" + }, + "handsome": { + "CHS": "(男子)英俊的;可观的;大方的,慷慨的;健美而端庄的", + "ENG": "a handsome amount of money is large" + }, + "minimum": { + "CHS": "最小的;最低的", + "ENG": "the minimum number, degree, or amount of something is the smallest or least that is possible, allowed, or needed" + }, + "menstrual": { + "CHS": "月经的;每月的;一月一次的", + "ENG": "relating to the time each month when a woman loses blood, or the blood that she loses" + }, + "file": { + "CHS": "提出;锉;琢磨;把…归档", + "ENG": "to keep papers, documents etc in a particular place so that you can find them easily" + }, + "puzzle": { + "CHS": "谜;难题;迷惑", + "ENG": "something that is difficult to understand or explain" + }, + "concise": { + "CHS": "简明的,简洁的", + "ENG": "short, with no unnecessary words" + }, + "noble": { + "CHS": "抓住;逮捕" + }, + "voice": { + "CHS": "表达;吐露", + "ENG": "to tell people your opinions or feelings about a particular subject" + }, + "bargain": { + "CHS": "讨价还价;议价;(谈价钱后)卖", + "ENG": "to discuss the conditions of a sale, agreement etc, for example to try and get a lower price" + }, + "in": { + "CHS": "执政者;门路;知情者" + }, + "drawer": { + "CHS": "抽屉;开票人;出票人;起草者;酒馆侍", + "ENG": "part of a piece of furniture, such as a desk, that you pull out and push in and use to keep things in" + }, + "Danish": { + "CHS": "丹麦语", + "ENG": "the language used in Denmark" + }, + "tulip": { + "CHS": "郁金香", + "ENG": "a brightly coloured flower that is shaped like a cup and grows from a bulb in spring" + }, + "whimsical": { + "CHS": "古怪的;异想天开的;反复无常的", + "ENG": "unusual or strange and often amusing" + }, + "refuse": { + "CHS": "拒绝;不愿;抵制", + "ENG": "to say firmly that you will not do something that someone has asked you to do" + }, + "empiricism": { + "CHS": "经验主义;经验论", + "ENG": "the belief in basing your ideas on practical experience" + }, + "groom": { + "CHS": "新郎;马夫;男仆", + "ENG": "a bridegroom " + }, + "drowse": { + "CHS": "瞌睡;假寐" + }, + "comply": { + "CHS": "遵守;顺从,遵从;答应", + "ENG": "to do what you have to do or are asked to do" + }, + "cider": { + "CHS": "苹果酒;苹果汁", + "ENG": "an alcoholic drink made from apples, or a glass of this drink" + }, + "introduce": { + "CHS": "介绍;引进;提出;采用", + "ENG": "if you introduce someone to another person, you tell them each other’s names for the first time" + }, + "darken": { + "CHS": "使变暗;使模糊", + "ENG": "to become dark, or to make something dark" + }, + "insect": { + "CHS": "昆虫;卑鄙的人", + "ENG": "a small creature such as a fly or ant, that has six legs, and sometimes wings" + }, + "sponsor": { + "CHS": "赞助;发起", + "ENG": "to give money to a sports event, theatre, institution etc, especially in exchange for the right to advertise" + }, + "for": { + "CHS": "因为", + "ENG": "used to introduce the reason for something" + }, + "proposal": { + "CHS": "提议,建议;求婚", + "ENG": "a plan or suggestion which is made formally to an official person or group, or the act of making it" + }, + "sticky": { + "CHS": "粘的;粘性的", + "ENG": "made of or covered with a substance that sticks to surfaces" + }, + "engineering": { + "CHS": "设计;管理(engineer的ing形式);建造" + }, + "famed": { + "CHS": "著名的", + "ENG": "well-known" + }, + "fifteenth": { + "CHS": "第十五" + }, + "vendor": { + "CHS": "卖主;小贩;供应商;[贸易] 自动售货机", + "ENG": "someone who sells things, especially on the street" + }, + "frequent": { + "CHS": "常到,常去;时常出入于", + "ENG": "to go to a particular place often" + }, + "roam": { + "CHS": "漫步,漫游;流浪" + }, + "faint": { + "CHS": "[中医] 昏厥,昏倒", + "ENG": "an act of becoming unconscious" + }, + "afloat": { + "CHS": "在海上;飘浮著;浸满水" + }, + "shameless": { + "CHS": "无耻的;不要脸的;伤风败俗的", + "ENG": "not seeming to be ashamed of your bad behaviour although other people think you should be ashamed" + }, + "stiffen": { + "CHS": "变硬;变猛烈;变粘", + "ENG": "to become stronger, more severe, or more determined, or to make something do this" + }, + "substance": { + "CHS": "物质;实质;资产;主旨", + "ENG": "a particular type of solid, liquid, or gas" + }, + "whoop": { + "CHS": "高声说;唤起" + }, + "persistent": { + "CHS": "固执的,坚持的;持久稳固的", + "ENG": "continuing to do something, although this is difficult, or other people warn you not to do it" + }, + "paramilitary": { + "CHS": "准军事部队", + "ENG": "Paramilitaries are members of a paramilitary organization" + }, + "kill": { + "CHS": "致命的;致死的" + }, + "trailer": { + "CHS": "用拖车载运" + }, + "sketch": { + "CHS": "画素描或速写", + "ENG": "to draw a sketch of something" + }, + "supplement": { + "CHS": "增补,补充;补充物;增刊,副刊", + "ENG": "something that you add to something else to improve it or make it complete" + }, + "fax": { + "CHS": "传真", + "ENG": "a letter or message that is sent in electronic form down a telephone line and then printed using a special machine" + }, + "slacks": { + "CHS": "放松;懈怠;使…松弛(slack的第三人称单数)" + }, + "tensile": { + "CHS": "[力] 拉力的;可伸长的;可拉长的", + "ENG": "able to be stretched without breaking" + }, + "tickle": { + "CHS": "胳肢;痒感;使人发痒、高兴的东西", + "ENG": "a feeling in your throat that makes you want to cough" + }, + "box": { + "CHS": "拳击", + "ENG": "to fight someone as a sport by hitting them with your closed hands inside big leather glove s " + }, + "loaf": { + "CHS": "游荡;游手好闲;虚度光阴", + "ENG": "to spend time somewhere and not do very much" + }, + "rebellion": { + "CHS": "叛乱;反抗;谋反;不服从", + "ENG": "an organized attempt to change the government or leader of a country, using violence" + }, + "debt": { + "CHS": "债务;借款;罪过", + "ENG": "a sum of money that a person or organization owes" + }, + "spelling": { + "CHS": "拼写;意味着(spell的ing形式);迷住" + }, + "acupuncture": { + "CHS": "针刺;[中医] 针刺疗法", + "ENG": "a treatment for pain and disease that involves pushing special needles into parts of the body" + }, + "impress": { + "CHS": "印象,印记;特征,痕迹" + }, + "psychiatrist": { + "CHS": "精神病学家,精神病医生", + "ENG": "a doctor trained in the treatment of mental illness" + }, + "subtract": { + "CHS": "减去;扣掉", + "ENG": "to take a number or an amount from a larger number or amount" + }, + "risky": { + "CHS": "危险的;冒险的;(作品等)有伤风化的", + "ENG": "involving a risk that something bad will happen" + }, + "vigorous": { + "CHS": "有力的;精力充沛的", + "ENG": "using a lot of energy and strength or determination" + }, + "alleviate": { + "CHS": "减轻,缓和", + "ENG": "to make something less painful or difficult to deal with" + }, + "turn": { + "CHS": "转弯;变化;(损害或有益于别人的)行为,举动,举止", + "ENG": "a sudden or unexpected change that makes a situation develop in a different way" + }, + "stately": { + "CHS": "庄严的;堂皇的,宏伟的", + "ENG": "done slowly and with a lot of ceremony" + }, + "gruesome": { + "CHS": "可怕的;阴森的", + "ENG": "very unpleasant or shocking, and involving someone being killed or badly injured" + }, + "forgetful": { + "CHS": "健忘的;不注意的;疏忽的;使遗忘的", + "ENG": "often forgetting things" + }, + "imitate": { + "CHS": "模仿,仿效;仿造,仿制", + "ENG": "to copy the way someone behaves, speaks, moves etc, especially in order to make people laugh" + }, + "poisonous": { + "CHS": "有毒的;恶毒的;讨厌的", + "ENG": "containing poison or producing poison" + }, + "descend": { + "CHS": "下降;下去;下来;遗传;屈尊", + "ENG": "to move from a higher level to a lower one" + }, + "disappear": { + "CHS": "消失;失踪;不复存在", + "ENG": "to become impossible to see any longer" + }, + "sample": { + "CHS": "试样的,样品的;作为例子的" + }, + "lemonade": { + "CHS": "柠檬水", + "ENG": "a sweet fizzy drink that tastes of lemons" + }, + "tannic": { + "CHS": "单宁的;得自鞣革的", + "ENG": "of, relating to, containing, or produced from tan, tannin, or tannic acid " + }, + "ignorance": { + "CHS": "无知,愚昧;不知,不懂", + "ENG": "lack of knowledge or information about something" + }, + "dilute": { + "CHS": "稀释;冲淡;削弱", + "ENG": "to make a liquid weaker by adding water or another liquid" + }, + "resistor": { + "CHS": "[电] 电阻器", + "ENG": "a piece of wire or other material used for increasing electrical resistance" + }, + "irresponsible": { + "CHS": "不负责任的;不可靠的", + "ENG": "doing careless things without thinking or worrying about the possible bad results" + }, + "wink": { + "CHS": "眨眼;使眼色;闪烁;瞬间", + "ENG": "a quick action of opening and closing one eye, usually as a signal to someone else" + }, + "willpower": { + "CHS": "意志力;毅力", + "ENG": "the ability to control your mind and body in order to achieve something that you want to do" + }, + "kidney": { + "CHS": "[解剖] 肾脏;腰子;个性", + "ENG": "one of the two organs in your lower back that separate waste products from your blood and make urine" + }, + "hoax": { + "CHS": "骗局;恶作剧", + "ENG": "a false warning about something dangerous" + }, + "intermittent": { + "CHS": "间歇的;断断续续的;间歇性", + "ENG": "stopping and starting often and for short periods" + }, + "legion": { + "CHS": "众多的;大量的", + "ENG": "very many" + }, + "hyphenate": { + "CHS": "归化的美国公民" + }, + "federation": { + "CHS": "联合;联邦;联盟;联邦政府", + "ENG": "a group of organizations, clubs, or people that have joined together to form a single group" + }, + "fog": { + "CHS": "使模糊;使困惑;以雾笼罩", + "ENG": "if something made of glass fogs or becomes fogged, it becomes covered in small drops of water that make it difficult to see through" + }, + "fatal": { + "CHS": "(Fatal)人名;(葡、芬)法塔尔" + }, + "grocer": { + "CHS": "杂货店;食品商", + "ENG": "someone who owns or works in a shop that sells food and other things used in the home" + }, + "therefore": { + "CHS": "因此;所以", + "ENG": "as a result of something that has just been mentioned" + }, + "resistant": { + "CHS": "抵抗者" + }, + "immigration": { + "CHS": "外来移民;移居", + "ENG": "the process of entering another country in order to live there permanently" + }, + "foyer": { + "CHS": "门厅,休息室;大厅", + "ENG": "a room or hall at the entrance to a public building" + }, + "share": { + "CHS": "份额;股份", + "ENG": "one of the equal parts into which the ownership of a company is divided" + }, + "chubby": { + "CHS": "圆胖的,丰满的", + "ENG": "slightly fat in a way that looks healthy and attractive" + }, + "blunt": { + "CHS": "(Blunt)人名;(英)布伦特" + }, + "fool": { + "CHS": "傻的", + "ENG": "silly or stupid" + }, + "talkative": { + "CHS": "饶舌的;多话的;多嘴的;爱说话的", + "ENG": "someone who is talkative talks a lot" + }, + "slither": { + "CHS": "滑动;滑行" + }, + "scaffold": { + "CHS": "给…搭脚手架;用支架支撑" + }, + "emir": { + "CHS": "埃米尔(穆斯林酋长等的称号);穆罕默德后裔的尊称;土耳其高级官员的尊称(等于emeer,amir,ameer)", + "ENG": "a Muslim ruler, especially in the Middle East" + }, + "quarterly": { + "CHS": "季刊", + "ENG": "a magazine that is produced four times a year" + }, + "wartime": { + "CHS": "战时", + "ENG": "the period of time when a country is fighting a war" + }, + "homeward": { + "CHS": "在归途上的,向家的", + "ENG": "If you are on a homeward trip, you are on a trip toward your home" + }, + "harmonica": { + "CHS": "口琴(等于mouth organ)", + "ENG": "a small musical instrument that you play by blowing or sucking and moving it from side to side near your mouth" + }, + "particularly": { + "CHS": "特别地,独特地;详细地,具体地;明确地,细致地", + "ENG": "more than usual or more than others" + }, + "faulty": { + "CHS": "有错误的;有缺点的", + "ENG": "not working properly, or not made correctly" + }, + "dressy": { + "CHS": "(Dressy)人名;(法)德雷西" + }, + "dump": { + "CHS": "垃圾场;仓库;无秩序地累积", + "ENG": "a place where unwanted waste is taken and left" + }, + "utility": { + "CHS": "实用的;通用的;有多种用途的" + }, + "advantage": { + "CHS": "获利" + }, + "foreboding": { + "CHS": "预感的;不祥之兆的" + }, + "scoring": { + "CHS": "得分(score的ing形式);刻痕;记下" + }, + "forearm": { + "CHS": "预先武装;准备", + "ENG": "to prepare or arm (someone, esp oneself) in advance " + }, + "inmost": { + "CHS": "心底的,内心深处的;最深的", + "ENG": "your inmost feelings, desires etc are your most personal and secret ones" + }, + "conviction": { + "CHS": "定罪;确信;证明有罪;确信,坚定的信仰", + "ENG": "a very strong belief or opinion" + }, + "participate": { + "CHS": "参与,参加;分享", + "ENG": "to take part in an activity or event" + }, + "enforce": { + "CHS": "实施,执行;强迫,强制", + "ENG": "to make people obey a rule or law" + }, + "explosion": { + "CHS": "爆炸;爆发;激增", + "ENG": "a loud sound and the energy produced by something such as a bomb bursting into small pieces" + }, + "swindler": { + "CHS": "骗子" + }, + "chieftain": { + "CHS": "酋长;首领", + "ENG": "the leader of a tribe or a Scottish clan " + }, + "wooden": { + "CHS": "木制的;僵硬的,呆板的", + "ENG": "made of wood" + }, + "lengthen": { + "CHS": "使延长;加长", + "ENG": "to make something longer or to become longer" + }, + "rascal": { + "CHS": "不诚实的;下贱的,卑鄙的" + }, + "enlarge": { + "CHS": "扩大;放大;详述", + "ENG": "if you enlarge something, or if it enlarges, it increases in size or scale" + }, + "excitable": { + "CHS": "易激动的;易兴奋的;易怒的", + "ENG": "becoming excited too easily" + }, + "elect": { + "CHS": "选举;选择;推选", + "ENG": "to choose someone for an official position by voting" + }, + "dummy": { + "CHS": "傀儡;哑巴;仿制品", + "ENG": "an object that is made to look like a tool, weapon, vehicle etc but which you cannot use" + }, + "suitability": { + "CHS": "适合;适当;相配", + "ENG": "the degree to which something or someone has the right qualities for a particular purpose" + }, + "bottle": { + "CHS": "控制;把…装入瓶中", + "ENG": "to put a liquid, especially wine or beer, into a bottle after you have made it" + }, + "proofread": { + "CHS": "校对,校勘", + "ENG": "to read through something that is written or printed in order to correct any mistakes in it" + }, + "precinct": { + "CHS": "选区;管理区;管辖区", + "ENG": "one of the areas that a town or city is divided into, so that elections or police work can be organized more easily" + }, + "innkeeper": { + "CHS": "客栈老板;旅馆主人", + "ENG": "someone who owns or manages an inn" + }, + "brag": { + "CHS": "吹牛,自夸", + "ENG": "to talk too proudly about what you have done, what you own etc – used to show disapproval" + }, + "luxurious": { + "CHS": "奢侈的;丰富的;放纵的;特级的" + }, + "lychee": { + "CHS": "[园艺] 荔枝(等于litchi)", + "ENG": "a small round fruit with a rough pink-brown shell outside and sweet white flesh inside" + }, + "telescope": { + "CHS": "望远镜;缩叠式旅行袋", + "ENG": "a piece of equipment shaped like a tube, used for making distant objects look larger and closer" + }, + "conservatism": { + "CHS": "保守主义;守旧性", + "ENG": "dislike of change and new ideas" + }, + "requisition": { + "CHS": "征用;申请领取", + "ENG": "if someone in authority, especially the army, requisitions a building, vehicle, or food, they officially demand to have it during an emergency such as a war" + }, + "upside": { + "CHS": "优势,上面" + }, + "bakery": { + "CHS": "面包店", + "ENG": "a place where bread and cakes are baked, or a shop where they are sold" + }, + "unlikely": { + "CHS": "未必" + }, + "subscribe": { + "CHS": "订阅;捐款;认购;赞成;签署", + "ENG": "to pay money, usually once a year, to have copies of a newspaper or magazine sent to you, or to have some other service" + }, + "chair": { + "CHS": "担任(会议的)主席;使…入座;使就任要职", + "ENG": "to be the chairperson of a meeting or committee" + }, + "individuality": { + "CHS": "个性;个人;个人特征;个人的嗜好(通常复数)", + "ENG": "the qualities that make someone or something different from other things or people" + }, + "powerful": { + "CHS": "很;非常" + }, + "consciousness": { + "CHS": "意识;知觉;觉悟;感觉", + "ENG": "your mind and your thoughts" + }, + "instant": { + "CHS": "瞬间;立即;片刻", + "ENG": "a moment" + }, + "squawk": { + "CHS": "抗议;叫声;诉苦;故障", + "ENG": "Squawk is also a noun" + }, + "hairdresser": { + "CHS": "美发师", + "ENG": "a person who cuts, washes, and arranges people’s hair in particular styles" + }, + "speaker": { + "CHS": "演讲者;扬声器;说话者;说某种语言的人", + "ENG": "someone who makes a formal speech to a group of people" + }, + "waive": { + "CHS": "放弃;搁置", + "ENG": "to state officially that a right, rule etc can be ignored" + }, + "physics": { + "CHS": "物理学;物理现象", + "ENG": "the science concerned with the study of physical objects and substances, and of natural forces such as light, heat, and movement" + }, + "agriculture": { + "CHS": "农业;农耕;农业生产;农艺,农学", + "ENG": "the practice or science of farming" + }, + "modern": { + "CHS": "现代人;有思想的人" + }, + "payoff": { + "CHS": "支付的;决定性的;产生结果的" + }, + "foretaste": { + "CHS": "先试;预尝;快乐地期待" + }, + "ineluctable": { + "CHS": "不可避免的;无法逃避的", + "ENG": "impossible to avoid" + }, + "infirm": { + "CHS": "衰弱的;意志薄弱的;不坚固的", + "ENG": "A person who is infirm is weak or ill, and usually old" + }, + "earplug": { + "CHS": "耳栓", + "ENG": "a small piece of rubber that you put inside your ear to keep out noise or water" + }, + "impressive": { + "CHS": "感人的;令人钦佩的;给人以深刻印象的", + "ENG": "something that is impressive makes you admire it because it is very good, large, important etc" + }, + "jewel": { + "CHS": "镶以宝石;饰以珠宝" + }, + "runner": { + "CHS": "跑步者;走私者;推销员;送信人", + "ENG": "someone who runs for sport or pleasure" + }, + "invigilate": { + "CHS": "监考;看守", + "ENG": "to watch people who are taking an examination and make sure that they do not cheat" + }, + "tribe": { + "CHS": "部落;族;宗族;一伙", + "ENG": "a social group consisting of people of the same race who have the same beliefs, customs, language etc, and usually live in one particular area ruled by their leader" + }, + "archive": { + "CHS": "把…存档", + "ENG": "to put documents, books, information etc in an archive" + }, + "propaganda": { + "CHS": "宣传;传道总会", + "ENG": "information which is false or which emphasizes just one part of a situation, used by a government or political group to make people agree with them" + }, + "metaphysical": { + "CHS": "形而上学的;超自然的;玄学派诗歌的", + "ENG": "concerned with the study of metaphysics" + }, + "chop": { + "CHS": "剁碎;砍", + "ENG": "to cut something into smaller pieces" + }, + "relapse": { + "CHS": "复发,再发;故态复萌;回复原状", + "ENG": "when someone becomes ill again after having seemed to improve" + }, + "throat": { + "CHS": "开沟于;用喉音说" + }, + "residence": { + "CHS": "住宅,住处;居住", + "ENG": "a house, especially a large or official one" + }, + "problem": { + "CHS": "成问题的;难处理的" + }, + "radiance": { + "CHS": "辐射;光辉;发光;容光焕发", + "ENG": "great happiness that shows in someone’s face and makes them look attractive" + }, + "mercantile": { + "CHS": "商品" + }, + "mileage": { + "CHS": "英里数", + "ENG": "the number of miles someone travels in a vehicle in a particular period of time" + }, + "clause": { + "CHS": "条款;[计] 子句", + "ENG": "a part of a written law or legal document covering a particular subject of the whole law or document" + }, + "honourable": { + "CHS": "荣誉的;值得尊敬的;表示尊敬的;正直的", + "ENG": "an honourable action or activity deserves respect and admiration" + }, + "dull": { + "CHS": "(Dull)人名;(罗、匈)杜尔;(柬)杜;(英)达尔" + }, + "administrator": { + "CHS": "管理人;行政官", + "ENG": "someone whose job involves managing the work of a company or organization" + }, + "shelf": { + "CHS": "架子;搁板;搁板状物;暗礁", + "ENG": "a long flat narrow board attached to a wall or in a frame or cupboard, used for putting things on" + }, + "evangelical": { + "CHS": "福音派信徒" + }, + "spotlight": { + "CHS": "聚光照明;使公众注意", + "ENG": "to shine a strong beam of light on something" + }, + "uncooperative": { + "CHS": "不合作的;不配合的", + "ENG": "not willing to work with or help someone" + }, + "diphthong": { + "CHS": "双元音;复合元音;元音连字", + "ENG": "a vowel sound made by pronouncing two vowels quickly one after the other. For example, the vowel sound in ‘main’ is a diphthong." + }, + "nicely": { + "CHS": "(Nicely)人名;(英)奈斯利" + }, + "locomotive": { + "CHS": "机车;火车头", + "ENG": "a railway engine" + }, + "flashback": { + "CHS": "倒叙;闪回;迷幻药效幻觉重现", + "ENG": "a scene in a film, play, book etc that shows something that happened before that point in the story" + }, + "pretence": { + "CHS": "假装;借口;虚伪", + "ENG": "a way of behaving which is intended to make people believe something that is not true" + }, + "oxidize": { + "CHS": "使氧化;使生锈", + "ENG": "to combine with oxygen, or make something combine with oxygen, especially in a way that causes rust" + }, + "breakfast": { + "CHS": "吃早餐", + "ENG": "When you breakfast, you have breakfast" + }, + "hale": { + "CHS": "(Hale)人名;(英)黑尔;(德、瑞典、芬)哈勒" + }, + "hall": { + "CHS": "过道,门厅,走廊;会堂;食堂;学生宿舍;大厅,前厅;娱乐中心,会所", + "ENG": "the area just inside the door of a house or other building, that leads to other rooms" + }, + "aimless": { + "CHS": "没有目标的;无目的的", + "ENG": "not having a clear purpose or reason" + }, + "when": { + "CHS": "时间,时候;日期;场合" + }, + "radar": { + "CHS": "[雷达] 雷达,无线电探测器", + "ENG": "a piece of equipment that uses radio waves to find the position of things and watch their movement" + }, + "enthusiast": { + "CHS": "狂热者,热心家", + "ENG": "someone who is very interested in a particular activity or subject" + }, + "steel": { + "CHS": "钢制的;钢铁业的;坚强的" + }, + "hopeful": { + "CHS": "有希望成功的人", + "ENG": "someone who is hoping to be successful, especially in acting, sports, politics etc" + }, + "must": { + "CHS": "绝对必要的事物;未发酵葡萄汁", + "ENG": "the newly pressed juice of grapes or other fruit ready for fermentation " + }, + "steal": { + "CHS": "偷窃;便宜货;偷垒;断球", + "ENG": "to be very cheap" + }, + "hotline": { + "CHS": "热线;热线电话,咨询电话", + "ENG": "a special telephone line for people to find out about or talk about something" + }, + "detest": { + "CHS": "厌恶;憎恨", + "ENG": "to hate something or someone very much" + }, + "bilingual": { + "CHS": "通两种语言的人" + }, + "ode": { + "CHS": "赋;颂歌;颂诗", + "ENG": "a poem or song written in order to praise a person or thing" + }, + "jeweller": { + "CHS": "珠宝商;钟表匠,宝石匠", + "ENG": "someone who buys, sells, makes, or repairs jewellery" + }, + "tubular": { + "CHS": "管状的", + "ENG": "made of tubes or in the form of a tube" + }, + "quest": { + "CHS": "追求;寻找", + "ENG": "If you are questing for something, you are searching for it" + }, + "provide": { + "CHS": "提供;规定;准备;装备", + "ENG": "to give something to someone or make it available to them, because they need it or want it" + }, + "ventilator": { + "CHS": "通风设备;换气扇;【医】呼吸机", + "ENG": "a piece of equipment that puts fresh air into a room, building etc" + }, + "flier": { + "CHS": "飞行员;快车;飞行物;(美)广告传单" + }, + "gap": { + "CHS": "裂开" + }, + "shore": { + "CHS": "海滨;支柱", + "ENG": "the land along the edge of a large area of water such as an ocean or lake" + }, + "upgrade": { + "CHS": "向上的" + }, + "visitor": { + "CHS": "访问者,参观者;视察者;候鸟", + "ENG": "someone who comes to visit a place or a person" + }, + "lawn": { + "CHS": "草地;草坪", + "ENG": "an area of ground in a garden or park that is covered with short grass" + }, + "numerous": { + "CHS": "许多的,很多的", + "ENG": "many" + }, + "migration": { + "CHS": "迁移;移民;移动", + "ENG": "when large numbers of people go to live in another area or country, especially in order to find work" + }, + "inhumane": { + "CHS": "残忍的;无人情味的", + "ENG": "extremely cruel and causing unacceptable suffering" + }, + "by": { + "CHS": "通过;经过;附近;[互联网] 白俄罗斯的国家代码顶级域名", + "ENG": "past someone or something" + }, + "awfully": { + "CHS": "可怕地;十分;非常;很", + "ENG": "very" + }, + "scenic": { + "CHS": "风景胜地;风景照片" + }, + "ratio": { + "CHS": "比率,比例", + "ENG": "a relationship between two amounts, represented by a pair of numbers showing how much bigger one amount is than the other" + }, + "banal": { + "CHS": "(Banal)人名;(法、意)巴纳尔" + }, + "swamp": { + "CHS": "使陷于沼泽;使沉没;使陷入困境", + "ENG": "If something swamps a place or object, it fills it with water" + }, + "protein": { + "CHS": "蛋白质的" + }, + "apartment": { + "CHS": "公寓;房间", + "ENG": "a set of rooms on one floor of a large building, where someone lives" + }, + "hardship": { + "CHS": "困苦;苦难;艰难险阻", + "ENG": "something that makes your life difficult or unpleasant, especially a lack of money, or the condition of having a difficult life" + }, + "sharpen": { + "CHS": "削尖;磨快;使敏捷;加重" + }, + "multiply": { + "CHS": "多层的;多样的" + }, + "entourage": { + "CHS": "随从;周围;环境", + "ENG": "a group of people who travel with an important person" + }, + "joyful": { + "CHS": "欢喜的;令人高兴的", + "ENG": "very happy, or likely to make people very happy" + }, + "neighbourhood": { + "CHS": "邻近;周围;邻居关系;附近一带", + "ENG": "the area around you or around a particular place, or the people who live there" + }, + "outlaw": { + "CHS": "宣布…为不合法;将…放逐;剥夺…的法律保护", + "ENG": "When something is outlawed, it is made illegal" + }, + "subsidy": { + "CHS": "补贴;津贴;补助金", + "ENG": "money that is paid by a government or organization to make prices lower, reduce the cost of producing goods etc" + }, + "vitamin": { + "CHS": "[生化] 维生素;[生化] 维他命", + "ENG": "a chemical substance in food that is necessary for good health" + }, + "drapery": { + "CHS": "布料;帏帐;打褶的帐幔", + "ENG": "cloth arranged in folds" + }, + "sculptor": { + "CHS": "雕刻家", + "ENG": "someone who makes sculptures" + }, + "bird": { + "CHS": "向…喝倒彩;起哄" + }, + "succumb": { + "CHS": "屈服;死;被压垮", + "ENG": "to stop opposing someone or something that is stronger than you, and allow them to take control" + }, + "supervisor": { + "CHS": "监督人,[管理] 管理人;检查员", + "ENG": "someone who supervises a person or activity" + }, + "cluster": { + "CHS": "群聚;丛生" + }, + "comparison": { + "CHS": "比较;对照;比喻;比较关系", + "ENG": "the process of comparing two or more people or things" + }, + "sumo": { + "CHS": "(日)相扑", + "ENG": "a Japanese form of wrestling , done by men who are very large" + }, + "grapevine": { + "CHS": "葡萄树;葡萄藤;小道消息;秘密情报网", + "ENG": "a climbing plant on which grapes grow" + }, + "resent": { + "CHS": "怨恨;愤恨;厌恶", + "ENG": "to feel angry or upset about a situation or about something that someone has done, especially because you think that it is not fair" + }, + "insensibility": { + "CHS": "不关心,不在乎;无感觉", + "ENG": "the state of being unconscious" + }, + "guy": { + "CHS": "嘲弄,取笑" + }, + "recapture": { + "CHS": "夺回;取回;政府对公司超额收益或利润的征收" + }, + "argue": { + "CHS": "(Argue)人名;(英、法)阿格" + }, + "firebrick": { + "CHS": "耐火砖", + "ENG": "a brick that is not damaged by heat, used in chimneys" + }, + "mill": { + "CHS": "工厂;磨坊;磨粉机;制造厂;压榨机", + "ENG": "a building containing a large machine for crushing grain into flour" + }, + "dampen": { + "CHS": "抑制;使…沮丧;使…潮湿", + "ENG": "to make something slightly wet" + }, + "retirement": { + "CHS": "退休,退役", + "ENG": "when you stop working, usually because of your age" + }, + "charming": { + "CHS": "使陶醉(charm的现在分词)" + }, + "interject": { + "CHS": "突然插入;插嘴", + "ENG": "to interrupt what someone else is saying with a sudden remark" + }, + "material": { + "CHS": "材料,原料;物资;布料", + "ENG": "cloth used for making clothes, curtains etc" + }, + "teach": { + "CHS": "(Teach)人名;(英)蒂奇" + }, + "virtuous": { + "CHS": "善良的;有道德的;贞洁的;正直的;有效力的", + "ENG": "behaving in a very honest and moral way" + }, + "effusive": { + "CHS": "流出的;感情横溢的", + "ENG": "showing your good feelings in a very excited way" + }, + "award": { + "CHS": "奖品;判决", + "ENG": "something such as a prize or money given to someone to reward them for something they have done" + }, + "array": { + "CHS": "排列,部署;打扮", + "ENG": "to arrange something in an attractive way" + }, + "breeze": { + "CHS": "吹微风;逃走" + }, + "legible": { + "CHS": "清晰的;易读的;易辨认的", + "ENG": "written or printed clearly enough for you to read" + }, + "bicker": { + "CHS": "吵嘴;口角;(水的)潺潺声", + "ENG": "" + }, + "improvement": { + "CHS": "改进,改善;提高", + "ENG": "the act of improving something or the state of being improved" + }, + "heel": { + "CHS": "倾侧", + "ENG": "(of a vessel) to lean over; list " + }, + "outing": { + "CHS": "出来;暴露(out的ing形式)" + }, + "unnerve": { + "CHS": "使失去勇气;使身心交疲;使焦躁;使失常", + "ENG": "to upset or frighten someone so that they lose their confidence or their ability to think clearly" + }, + "rattlesnake": { + "CHS": "[脊椎] 响尾蛇", + "ENG": "a poisonous American snake that shakes its tail to make a noise when it is angry" + }, + "treasonable": { + "CHS": "不忠的;叛逆的,谋反的", + "ENG": "Treasonable activities are criminal activities which someone carries out with the intention of helping their country's enemies or removing its government using violence" + }, + "pig": { + "CHS": "生小猪;像猪一样过活" + }, + "shortsighted": { + "CHS": "目光短浅的;近视的", + "ENG": "If someone is shortsighted about something, or if their ideas are shortsighted, they do not make proper or careful judgments about the future" + }, + "venerate": { + "CHS": "崇敬,尊敬", + "ENG": "to honour or respect someone or something because they are old, holy, or connected with the past" + }, + "overcrowd": { + "CHS": "使过度拥挤;把…塞得过满", + "ENG": "to fill (a room, vehicle, city, etc) with more people or things than is desirable " + }, + "banter": { + "CHS": "无恶意的玩笑", + "ENG": "Banter is teasing or joking talk that is amusing and friendly" + }, + "diagnose": { + "CHS": "诊断;断定", + "ENG": "to find out what illness someone has, or what the cause of a fault is, after doing tests, examinations etc" + }, + "assail": { + "CHS": "攻击;质问;着手解决", + "ENG": "to attack someone or something violently" + }, + "truly": { + "CHS": "(Truly)人名;(英)特鲁利" + }, + "evade": { + "CHS": "逃避;规避;逃脱", + "ENG": "to not do or deal with something that you should do" + }, + "sheaf": { + "CHS": "捆;束;扎" + }, + "saddle": { + "CHS": "承受;使负担;装以马鞍", + "ENG": "to put a saddle on a horse" + }, + "technician": { + "CHS": "技师,技术员;技巧纯熟的人", + "ENG": "someone whose job is to check equipment or machines and make sure that they are working properly" + }, + "maniac": { + "CHS": "发狂的;狂热的;癫狂的", + "ENG": "If you describe someone's behaviour as maniac, you are emphasizing that it is extremely foolish and uncontrolled" + }, + "aground": { + "CHS": "搁浅的;地面上的" + }, + "offset": { + "CHS": "抵消;弥补;用平版印刷术印刷", + "ENG": "if the cost or amount of something offsets another cost or amount, the two things have an opposite effect so that the situation remains the same" + }, + "impotence": { + "CHS": "[泌尿][中医] 阳萎;虚弱;无效(等于impotency)", + "ENG": "Impotence is a man's sexual problem in which his penis fails to get hard or stay hard" + }, + "accommodate": { + "CHS": "容纳;使适应;供应;调解", + "ENG": "if a room, building etc can accommodate a particular number of people or things, it has enough space for them" + }, + "ministry": { + "CHS": "(政府的)部门", + "ENG": "a government department that is responsible for one of the areas of government work, such as education or health" + }, + "cardiac": { + "CHS": "心脏的;心脏病的;贲门的", + "ENG": "relating to the heart" + }, + "supervision": { + "CHS": "监督,管理", + "ENG": "when you supervise someone or something" + }, + "holdup": { + "CHS": "持枪抢劫;交通阻塞", + "ENG": "A holdup is a situation in which someone is threatened with a weapon in order to make them hand over money or valuables" + }, + "apposite": { + "CHS": "适当的;贴切的", + "ENG": "suitable to what is happening or being discussed" + }, + "size": { + "CHS": "依大小排列", + "ENG": "to sort according to size " + }, + "thistle": { + "CHS": "[植] 蓟", + "ENG": "a wild plant which has leaves with sharp points and purple or white furry flowers" + }, + "pain": { + "CHS": "使…痛苦;使…烦恼", + "ENG": "If a fact or idea pains you, it makes you feel upset and disappointed" + }, + "snow": { + "CHS": "降雪", + "ENG": "if it snows, snow falls from the sky" + }, + "orange": { + "CHS": "橙;橙色;桔子", + "ENG": "a round fruit that has a thick orange skin and is divided into parts inside" + }, + "arsenal": { + "CHS": "兵工厂;军械库", + "ENG": "An arsenal is a building where weapons and military equipment are stored" + }, + "upholster": { + "CHS": "装饰;用(挂毯、家具等)布置;为(沙发等)装上垫子", + "ENG": "to cover a chair with material" + }, + "sulphate": { + "CHS": "硫酸盐化" + }, + "administrative": { + "CHS": "管理的,行政的", + "ENG": "relating to the work of managing a company or organization" + }, + "constitute": { + "CHS": "组成,构成;建立;任命", + "ENG": "if several people or things constitute something, they are the parts that form it" + }, + "deathly": { + "CHS": "死了一样地;非常", + "ENG": "If you say that someone is deathly pale or deathly still, you are emphasizing that they are very pale or still, like a dead person" + }, + "brief": { + "CHS": "简报,摘要;作…的提要" + }, + "pork": { + "CHS": "与女子性交" + }, + "pirate": { + "CHS": "掠夺;翻印;剽窃", + "ENG": "to illegally copy and sell another person’s work such as a book, video, or computer program" + }, + "platform": { + "CHS": "平台;月台,站台;坛;讲台", + "ENG": "the raised place beside a railway track where you get on and off a train in a station" + }, + "risk": { + "CHS": "冒…的危险", + "ENG": "to put something in a situation in which it could be lost, destroyed, or harmed" + }, + "metropolitan": { + "CHS": "大城市人;大主教;宗主国的公民" + }, + "acquiesce": { + "CHS": "默许;勉强同意", + "ENG": "to do what someone else wants, or allow something to happen, even though you do not really agree with it" + }, + "soda": { + "CHS": "苏打;碳酸水", + "ENG": "water that contains bubbles and is often added to alcoholic drinks" + }, + "hovercraft": { + "CHS": "气垫船", + "ENG": "a vehicle that travels just above the surface of land or water, travelling on a strong current of air that the engines produce beneath it" + }, + "blurt": { + "CHS": "未加思索地冲口说出;突然说出", + "ENG": "If someone blurts something, they say it suddenly, after trying hard to keep quiet or to keep it secret" + }, + "implicate": { + "CHS": "使卷入;涉及;暗指;影响" + }, + "garlic": { + "CHS": "大蒜;蒜头", + "ENG": "a plant like a small onion, used in cooking to give a strong taste" + }, + "unorthodox": { + "CHS": "非正统的;异端的;异教的", + "ENG": "unorthodox opinions or methods are different from what is usual or accepted by most people" + }, + "pet": { + "CHS": "宠爱的", + "ENG": "a plan, idea, or subject that you particularly like or are interested in" + }, + "brave": { + "CHS": "勇士", + "ENG": "a young fighting man from a Native American tribe" + }, + "dung": { + "CHS": "粪", + "ENG": "solid waste from animals, especially cows" + }, + "gaunt": { + "CHS": "(Gaunt)人名;(英)冈特" + }, + "freighter": { + "CHS": "[水运][船] 货船;承运人", + "ENG": "a ship or aircraft that carries goods" + }, + "boisterous": { + "CHS": "喧闹的;狂暴的;猛烈的", + "ENG": "someone, especially a child, who is boisterous makes a lot of noise and has a lot of energy" + }, + "tangerine": { + "CHS": "橘子", + "ENG": "a small sweet fruit like an orange with a skin that comes off easily" + }, + "manager": { + "CHS": "经理;管理人员", + "ENG": "someone whose job is to manage part or all of a company or other organization" + }, + "communication": { + "CHS": "通讯,[通信] 通信;交流;信函", + "ENG": "the process by which people exchange information or express their thoughts and feelings" + }, + "geopolitics": { + "CHS": "地缘政治学;地理政治论", + "ENG": "ideas and activities relating to the way that a country’s position, population etc affect its political development and its relationship with other countries, or the study of this" + }, + "connection": { + "CHS": "连接;关系;人脉;连接件", + "ENG": "the way in which two facts, ideas, events etc are related to each other, and one is affected or caused by the other" + }, + "domesticity": { + "CHS": "家庭生活;专心于家务;对家庭的挚爱", + "ENG": "life at home with your family" + }, + "incense": { + "CHS": "香;奉承", + "ENG": "a substance that has a pleasant smell when you burn it" + }, + "sixteenth": { + "CHS": "第十六的;十六分之一的" + }, + "wholly": { + "CHS": "完全地;全部;统统", + "ENG": "completely" + }, + "flimsy": { + "CHS": "薄纸;复写纸;打字纸" + }, + "suspenders": { + "CHS": "吊裤带;裤子背带(suspender的复数)", + "ENG": "Suspenders are a pair of straps that go over someone's shoulders and are fastened to their trousers at the front and back to prevent the trousers from falling down" + }, + "bind": { + "CHS": "捆绑;困境;讨厌的事情;植物的藤蔓", + "ENG": "an annoying or difficult situation" + }, + "nigh": { + "CHS": "(Nigh)人名;(英)奈伊" + }, + "revolt": { + "CHS": "反抗;叛乱;反感", + "ENG": "a refusal to accept someone’s authority or obey rules or laws" + }, + "fairly": { + "CHS": "(Fairly)人名;(英)费尔利" + }, + "souvenir": { + "CHS": "把…留作纪念" + }, + "anthem": { + "CHS": "唱圣歌庆祝;唱赞歌" + }, + "western": { + "CHS": "西方人;西部片,西部小说", + "ENG": "a film about life in the 19th century in the American West, especially the lives of cowboys" + }, + "depressing": { + "CHS": "压抑的;使人沮丧的", + "ENG": "making you feel very sad" + }, + "geographic": { + "CHS": "地理的;地理学的" + }, + "imaginary": { + "CHS": "虚构的,假想的;想像的;虚数的", + "ENG": "not real, but produced from pictures or ideas in your mind" + }, + "grim": { + "CHS": "(Grim)人名;(英、德、俄、捷、匈)格里姆" + }, + "wring": { + "CHS": "拧;绞;挤;扭动" + }, + "foot": { + "CHS": "步行;跳舞;总计" + }, + "wry": { + "CHS": "扭曲;扭歪" + }, + "pail": { + "CHS": "桶,提桶", + "ENG": "a metal or wooden container with a handle, used for carrying liquids" + }, + "swarm": { + "CHS": "蜂群;一大群", + "ENG": "a large group of insects, especially bee s ,moving together" + }, + "Rome": { + "CHS": "罗马(意大利首都)" + }, + "speedway": { + "CHS": "高速公路;(摩托车或汽车的)赛车跑道;机器脚踏车的竞赛场", + "ENG": "the sport of racing motorcycles or cars on a special track" + }, + "reconciliation": { + "CHS": "和解;调和;和谐;甘愿", + "ENG": "a situation in which two people, countries etc become friendly with each other again after quarrelling" + }, + "avalanche": { + "CHS": "雪崩" + }, + "domicile": { + "CHS": "居住" + }, + "midget": { + "CHS": "小型的", + "ENG": "very small" + }, + "cloak": { + "CHS": "遮掩;隐匿" + }, + "dramatic": { + "CHS": "戏剧的;急剧的;引人注目的;激动人心的", + "ENG": "great and sudden" + }, + "hesitation": { + "CHS": "犹豫", + "ENG": "when someone hesitates" + }, + "piracy": { + "CHS": "海盗行为;剽窃;著作权侵害;非法翻印", + "ENG": "the crime of illegally copying and selling books, tapes, videos, computer programs etc" + }, + "gravel": { + "CHS": "用碎石铺;使船搁浅在沙滩上;使困惑" + }, + "alienate": { + "CHS": "使疏远,离间;让与", + "ENG": "to do something that makes someone unfriendly or unwilling to support you" + }, + "formal": { + "CHS": "正式的社交活动;夜礼服", + "ENG": "a dance at which you have to wear formal clothes" + }, + "scholastic": { + "CHS": "学者;学生;墨守成规者;经院哲学家" + }, + "appalling": { + "CHS": "使惊愕;惊吓(appal的ing形式)" + }, + "neurotic": { + "CHS": "神经病患者;神经过敏者", + "ENG": "A neurotic is someone who is neurotic" + }, + "balcony": { + "CHS": "阳台;包厢;戏院楼厅", + "ENG": "a structure that you can stand on, that is attached to the outside wall of a building, above ground level" + }, + "discrepancy": { + "CHS": "不符;矛盾;相差", + "ENG": "a difference between two amounts, details, reports etc that should be the same" + }, + "contract": { + "CHS": "合同;婚约", + "ENG": "an official agreement between two or more people, stating what each will do" + }, + "brainless": { + "CHS": "无头脑的,愚蠢的,脑残的", + "ENG": "completely stupid" + }, + "growl": { + "CHS": "咆哮声;吠声;不平", + "ENG": "Growl is also a noun" + }, + "gerund": { + "CHS": "动名词", + "ENG": "a noun in the form of the present participle of a verb, for example ‘shopping’ in the sentence ‘I like shopping’" + }, + "outcome": { + "CHS": "结果,结局;成果", + "ENG": "the final result of a meeting, discussion, war etc – used especially when no one knows what it will be until it actually happens" + }, + "pigeon": { + "CHS": "鸽子", + "ENG": "a grey bird with short legs that is common in cities" + }, + "pipe": { + "CHS": "吹笛;尖叫", + "ENG": "to make a musical sound, using a pipe" + }, + "side": { + "CHS": "旁的,侧的", + "ENG": "in or on the side of something" + }, + "scandalous": { + "CHS": "可耻的;诽谤性的" + }, + "bar": { + "CHS": "除……外", + "ENG": "except" + }, + "philosopher": { + "CHS": "哲学家;哲人", + "ENG": "someone who studies and develops ideas about the nature and meaning of existence, truth, good and evil etc" + }, + "sham": { + "CHS": "假的;虚假的;假装的", + "ENG": "made to appear real in order to deceive people" + }, + "depict": { + "CHS": "描述;描画", + "ENG": "to describe something or someone in writing or speech, or to show them in a painting, picture etc" + }, + "sour": { + "CHS": "酸味;苦事" + }, + "hijack": { + "CHS": "劫持;威逼;敲诈", + "ENG": "when a plane, vehicle etc is hijacked" + }, + "lookout": { + "CHS": "监视;监视哨;警戒;守望者;担心的事;前景", + "ENG": "someone whose duty is to watch carefully for something, especially for danger" + }, + "walnut": { + "CHS": "胡桃科植物的" + }, + "aesthetics": { + "CHS": "美学;美的哲学", + "ENG": "Aesthetics is a branch of philosophy concerned with the study of the idea of beauty" + }, + "the": { + "CHS": "更加(用于比较级,最高级前)", + "ENG": "used before two comparative adjectives or adverbs to show that the degree of one event or situation is related to the degree of another one" + }, + "traditional": { + "CHS": "传统的;惯例的", + "ENG": "being part of the traditions of a country or group of people" + }, + "topple": { + "CHS": "(Topple)人名;(英)托佩尔" + }, + "port": { + "CHS": "转向左舷", + "ENG": "to turn or be turned towards the port " + }, + "brew": { + "CHS": "啤酒;质地", + "ENG": "beer, or a can or glass of beer" + }, + "inclination": { + "CHS": "倾向,爱好;斜坡", + "ENG": "a feeling that makes you want to do something" + }, + "yoga": { + "CHS": "瑜珈(意为“结合”,指修行);瑜珈术", + "ENG": "a system of exercises that help you control your mind and body in order to relax" + }, + "pronounce": { + "CHS": "发音;宣判;断言", + "ENG": "to give a judgment or opinion" + }, + "window": { + "CHS": "窗;窗口;窗户", + "ENG": "a space or an area of glass in the wall of a building or vehicle that lets in light" + }, + "khaki": { + "CHS": "卡其色的;黄褐色的;卡其布做的" + }, + "productive": { + "CHS": "能生产的;生产的,生产性的;多产的;富有成效的", + "ENG": "producing or achieving a lot" + }, + "paralytic": { + "CHS": "中风患者;麻痹患者", + "ENG": "someone who is paralysed " + }, + "widow": { + "CHS": "寡妇;孀妇", + "ENG": "a woman whose husband has died and who has not married again" + }, + "flight": { + "CHS": "射击;使惊飞" + }, + "severe": { + "CHS": "严峻的;严厉的;剧烈的;苛刻的", + "ENG": "severe problems, injuries, illnesses etc are very bad or very serious" + }, + "strengthen": { + "CHS": "加强;巩固", + "ENG": "to become stronger or make something stronger" + }, + "liar": { + "CHS": "说谎的人", + "ENG": "someone who deliberately says things which are not true" + }, + "rule": { + "CHS": "统治;规则", + "ENG": "an official instruction that says how things must be done or what is allowed, especially in a game, organization, or job" + }, + "turret": { + "CHS": "炮塔;角楼;小塔;攻城用仰冲车", + "ENG": "a small tower on a large building, especially a castle " + }, + "hump": { + "CHS": "隆起;弓起;努力;急速行进" + }, + "ashamed": { + "CHS": "惭愧的,感到难为情的;耻于……的", + "ENG": "feeling very sorry and embarrassed because of something you have done" + }, + "slime": { + "CHS": "涂泥" + }, + "personify": { + "CHS": "使人格化;赋与…以人性", + "ENG": "to think of or represent a quality or thing as a person" + }, + "cylinder": { + "CHS": "圆筒;汽缸;[数] 柱面;圆柱状物", + "ENG": "a shape, object, or container with circular ends and long straight sides" + }, + "refreshing": { + "CHS": "使清新;恢复精神(refresh的ing形式)" + }, + "miraculous": { + "CHS": "不可思议的,奇迹的", + "ENG": "very good, completely unexpected, and often very lucky" + }, + "chap": { + "CHS": "使皲裂", + "ENG": "(of the skin) to make or become raw and cracked, esp by exposure to cold " + }, + "quay": { + "CHS": "码头", + "ENG": "a place in a town or village where boats can be tied up or can stop to load and unload goods" + }, + "tempt": { + "CHS": "诱惑;引起;冒…的风险;使感兴趣", + "ENG": "to make someone want to have or do something, even though they know they really should not" + }, + "dedicate": { + "CHS": "致力;献身;题献", + "ENG": "to give all your attention and effort to one particular thing" + }, + "train": { + "CHS": "培养;训练;瞄准", + "ENG": "to teach someone the skills of a particular job or activity, or to be taught these skills" + }, + "accentuate": { + "CHS": "强调;重读", + "ENG": "to make something more noticeable" + }, + "fatherland": { + "CHS": "祖国", + "ENG": "the place where someone or their family was born" + }, + "child": { + "CHS": "儿童,小孩,孩子;产物;子孙;幼稚的人;弟子", + "ENG": "someone who is not yet an adult" + }, + "indication": { + "CHS": "指示,指出;迹象;象征", + "ENG": "a sign, remark, event etc that shows what is happening, what someone is thinking or feeling, or what is true" + }, + "rotate": { + "CHS": "[植] 辐状的" + }, + "daffodil": { + "CHS": "水仙花色的" + }, + "identify": { + "CHS": "确定;鉴定;识别,辨认出;使参与;把…看成一样 vi确定;认同;一致", + "ENG": "to recognize and correctly name someone or something" + }, + "bayonet": { + "CHS": "用刺刀刺", + "ENG": "to push the point of a bayonet into someone" + }, + "unforgettable": { + "CHS": "难忘的", + "ENG": "an unforgettable experience, sight etc affects you so strongly that you will never forget it, especially because it is particularly good or beautiful" + }, + "teak": { + "CHS": "柚木", + "ENG": "a hard yellowish-brown wood that is used for making ships and good quality furniture" + }, + "hillock": { + "CHS": "小丘;小山似的一堆", + "ENG": "a little hill" + }, + "thunderclap": { + "CHS": "霹雳;雷声;晴天霹雳似的消息", + "ENG": "a single loud noise of thunder" + }, + "convention": { + "CHS": "大会;[法] 惯例;[计] 约定;[法] 协定;习俗", + "ENG": "a large formal meeting for people who belong to the same profession or organization or who have the same interests" + }, + "font": { + "CHS": "字体;字形;泉;洗礼盘,圣水器", + "ENG": "a set of letters of a particular size and style, used for printing books, newspapers etc or on a computer screen" + }, + "lie": { + "CHS": "谎言;位置", + "ENG": "something that you say or write that you know is untrue" + }, + "Monday": { + "CHS": "星期一", + "ENG": "the day between Sunday and Tuesday" + }, + "vandal": { + "CHS": "破坏文化艺术的" + }, + "shave": { + "CHS": "刮脸,剃胡子;修面;<口>侥幸逃过,幸免;剃刀,刮刀", + "ENG": "if a man has a shave, he cuts off the hair on his face close to his skin using a razor " + }, + "hydroelectric": { + "CHS": "水力发电的;水电治疗的", + "ENG": "using water power to produce electricity" + }, + "receptionist": { + "CHS": "接待员;传达员", + "ENG": "someone whose job is to welcome and deal with people arriving in a hotel or office building, visiting a doctor etc" + }, + "county": { + "CHS": "郡,县", + "ENG": "an area of a state or country that has its own government to deal with local matters" + }, + "person": { + "CHS": "人;身体;容貌,外表;人称", + "ENG": "a human being, especially considered as someone with their own particular character" + }, + "skyline": { + "CHS": "天空映衬出…的轮廓" + }, + "relieve": { + "CHS": "解除,减轻;使不单调乏味;换…的班;解围;使放心", + "ENG": "to reduce someone’s pain or unpleasant feelings" + }, + "tape": { + "CHS": "录音;用带子捆扎;用胶布把…封住", + "ENG": "to record sound or pictures onto a tape" + }, + "nappy": { + "CHS": "起毛的" + }, + "reporter": { + "CHS": "记者", + "ENG": "someone whose job is to write about news events for a newspaper, or to tell people about them on television or on the radio" + }, + "troop": { + "CHS": "群集;成群而行;结队", + "ENG": "if a group of people troop somewhere, they walk there together in a way that shows they are tired or bored" + }, + "origin": { + "CHS": "起源;原点;出身;开端", + "ENG": "the place or situation in which something begins to exist" + }, + "report": { + "CHS": "报告;报导;使报到", + "ENG": "to give people information about recent events, especially in newspapers and on television and radio" + }, + "exhibitor": { + "CHS": "展出者;显示者", + "ENG": "An exhibitor is a person or company whose work or products are being shown in an exhibition" + }, + "chronic": { + "CHS": "(Chronic)人名;(英)克罗尼克" + }, + "push": { + "CHS": "推,决心;大规模攻势;矢志的追求", + "ENG": "when someone pushes something" + }, + "crosscheck": { + "CHS": "交叉核对,反复核对" + }, + "stock": { + "CHS": "进货;备有;装把手于…", + "ENG": "if a shop stocks a particular product, it keeps a supply of it to sell" + }, + "pineapple": { + "CHS": "凤梨科的" + }, + "long": { + "CHS": "长期地;始终", + "ENG": "for a long time" + }, + "relish": { + "CHS": "盼望;期待;享受; 品味;喜爱;给…加佐料", + "ENG": "to enjoy an experience or the thought of something that is going to happen" + }, + "treat": { + "CHS": "请客;款待", + "ENG": "something special that you give someone or do for them because you know they will enjoy it" + }, + "scheme": { + "CHS": "搞阴谋;拟订计划", + "ENG": "If you say that people are scheming, you mean that they are making secret plans in order to gain something for themselves" + }, + "luscious": { + "CHS": "甘美的;满足感官的", + "ENG": "extremely good to eat or drink" + }, + "blue": { + "CHS": "把…染成蓝色;使成蓝色;给…用上蓝剂;用上蓝剂于" + }, + "reverend": { + "CHS": "教士" + }, + "festival": { + "CHS": "节日的,喜庆的;快乐的" + }, + "unable": { + "CHS": "不会的,不能的;[劳经] 无能力的;不能胜任的", + "ENG": "not able to do something" + }, + "brunch": { + "CHS": "早午餐", + "ENG": "a meal eaten in the late morning, as a combination of breakfast and lunch " + }, + "worse": { + "CHS": "更坏的事;更恶劣的事", + "ENG": "something worse" + }, + "vivacity": { + "CHS": "活泼;快活;精神充沛" + }, + "lid": { + "CHS": "给…盖盖子" + }, + "constrain": { + "CHS": "驱使;强迫;束缚", + "ENG": "to limit something" + }, + "dogmatic": { + "CHS": "教条的;武断的", + "ENG": "someone who is dogmatic is completely certain of their beliefs and expects other people to accept them without arguing" + }, + "alcohol": { + "CHS": "酒精,乙醇", + "ENG": "drinks such as beer or wine that contain a substance which can make you drunk" + }, + "affix": { + "CHS": "[语] 词缀;附加物", + "ENG": "a group of letters added to the beginning or end of a word to change its meaning or use, such as ‘un-’, ‘mis-’, ‘-ness’, or ‘-ly’" + }, + "support": { + "CHS": "支持,维持;支援,供养;支持者,支撑物", + "ENG": "approval, encouragement, and perhaps help for a person, idea, plan etc" + }, + "finery": { + "CHS": "服饰;华丽的服饰,鲜艳服装;装饰", + "ENG": "clothes and jewellery that are beautiful or very expensive, and are worn for a special occasion" + }, + "sultry": { + "CHS": "闷热的;狂暴的;淫荡的", + "ENG": "weather that is sultry is hot with air that feels wet" + }, + "mow": { + "CHS": "割草;收割庄稼", + "ENG": "to cut grass using a machine" + }, + "ensconce": { + "CHS": "安置;安顿下来;使…隐藏", + "ENG": "to settle yourself in a place where you feel comfortable and safe" + }, + "day": { + "CHS": "日间的;逐日的" + }, + "sorghum": { + "CHS": "高粱;[作物] 蜀黍;甜得发腻的东西", + "ENG": "a type of grain that is grown in tropical areas" + }, + "discovery": { + "CHS": "发现,发觉;被发现的事物", + "ENG": "a fact or thing that someone finds out about, when it was not known about before" + }, + "rubber": { + "CHS": "涂橡胶于;用橡胶制造" + }, + "dietician": { + "CHS": "营养学家;膳食学家(等于dietitian)", + "ENG": "someone who is trained to give people advice about what it is healthy for them to eat and drink" + }, + "parody": { + "CHS": "拙劣模仿", + "ENG": "to copy someone or something in a way that makes people laugh" + }, + "baton": { + "CHS": "指挥棒;接力棒;警棍;司令棒", + "ENG": "a short thin stick used by a conductor (= the leader of a group of musicians ) to direct the music" + }, + "bamboo": { + "CHS": "竹制的;土著居民的" + }, + "triple": { + "CHS": "增至三倍", + "ENG": "to increase by three times as much, or to make something do this" + }, + "hoist": { + "CHS": "升起;吊起", + "ENG": "to raise, lift, or pull something up, especially using ropes" + }, + "mysterious": { + "CHS": "神秘的;不可思议的;难解的", + "ENG": "mysterious events or situations are difficult to explain or understand" + }, + "atomic": { + "CHS": "原子的,原子能的;微粒子的", + "ENG": "relating to the energy produced by splitting atoms or the weapons that use this energy" + }, + "ruffle": { + "CHS": "皱褶;生气;混乱;连续轻敲声" + }, + "solitary": { + "CHS": "独居者;隐士", + "ENG": "someone who lives completely alone" + }, + "theme": { + "CHS": "以奇想主题布置的" + }, + "cowardice": { + "CHS": "怯懦;胆小", + "ENG": "lack of courage" + }, + "ethereal": { + "CHS": "优雅的;轻飘的;缥缈的;超凡的", + "ENG": "very delicate and light, in a way that does not seem real" + }, + "boyfriend": { + "CHS": "男朋友,情郎", + "ENG": "a man that you are having a romantic relationship with" + }, + "standpoint": { + "CHS": "立场;观点", + "ENG": "a way of thinking about people, situations, ideas etc" + }, + "manifestation": { + "CHS": "表现;显示;示威运动", + "ENG": "a very clear sign that a particular situation or feeling exists" + }, + "notoriety": { + "CHS": "恶名;声名狼藉;丑名", + "ENG": "the state of being famous or well-known for something that is bad or that people do not approve of" + }, + "limousine": { + "CHS": "豪华轿车;大型豪华轿车", + "ENG": "a very large, expensive, and comfortable car, driven by someone who is paid to drive" + }, + "pitfall": { + "CHS": "陷阱,圈套;缺陷;诱惑", + "ENG": "a problem or difficulty that is likely to happen in a particular job, course of action, or activity" + }, + "tenth": { + "CHS": "十分之一的;第十个的", + "ENG": "coming after nine other things in a series" + }, + "briefing": { + "CHS": "概述;作…的摘要(brief的现在分词)" + }, + "governor": { + "CHS": "主管人员;统治者,管理者;[自] 调节器;地方长官", + "ENG": "the person in charge of an institution" + }, + "favourite": { + "CHS": "特别喜爱的人(或物)", + "ENG": "something that you like more than other things of the same kind" + }, + "dolphin": { + "CHS": "海豚", + "ENG": "a very intelligent sea animal like a fish with a long grey pointed nose" + }, + "proclaim": { + "CHS": "宣告,公布;声明;表明;赞扬", + "ENG": "to say publicly or officially that something important is true or exists" + }, + "radicalism": { + "CHS": "激进主义", + "ENG": "Radicalism is radical beliefs, ideas, or behaviour" + }, + "vantage": { + "CHS": "优势;有利情况", + "ENG": "a state, position, or opportunity affording superiority or advantage " + }, + "containerization": { + "CHS": "集装箱化" + }, + "roach": { + "CHS": "(美)蟑螂;[鱼] 斜齿鳊", + "ENG": "a cockroach " + }, + "choral": { + "CHS": "赞美诗;唱诗班" + }, + "urgent": { + "CHS": "紧急的;急迫的", + "ENG": "very important and needing to be dealt with immediately" + }, + "grass": { + "CHS": "放牧;使……长满草;使……吃草" + }, + "arena": { + "CHS": "舞台;竞技场", + "ENG": "a building with a large flat central area surrounded by seats, where sports or entertainments take place" + }, + "expunge": { + "CHS": "擦去;删掉", + "ENG": "to remove a name from a list, piece of information, or book" + }, + "tread": { + "CHS": "踏;踩;践踏;跳;踩出", + "ENG": "to put your foot on or in something while you are walking" + }, + "antagonize": { + "CHS": "使…敌对;使…对抗;对…起反作用", + "ENG": "to annoy someone very much by doing something that they do not like" + }, + "catastrophe": { + "CHS": "大灾难;大祸;惨败", + "ENG": "a terrible event in which there is a lot of destruction, suffering, or death" + }, + "surmount": { + "CHS": "克服,越过;战胜", + "ENG": "to succeed in dealing with a problem or difficulty" + }, + "mockery": { + "CHS": "嘲弄;笑柄;徒劳无功;拙劣可笑的模仿或歪曲", + "ENG": "when someone laughs at someone or something or shows that they think they are stupid" + }, + "hack": { + "CHS": "砍;出租", + "ENG": "to cut something roughly or violently" + }, + "territory": { + "CHS": "领土,领域;范围;地域;版图", + "ENG": "land that is owned or controlled by a particular country, ruler, or military force" + }, + "story": { + "CHS": "说谎" + }, + "fecund": { + "CHS": "肥沃的;多产的;丰饶的;生殖力旺盛的", + "ENG": "able to produce many children, young animals, or crops" + }, + "thesis": { + "CHS": "论文;论点", + "ENG": "a long piece of writing about a particular subject that you do as part of an advanced university degree such as an MA or a PhD" + }, + "partake": { + "CHS": "吃,喝;分享;参与;分担;带有某种性质", + "ENG": "to eat or drink something" + }, + "evident": { + "CHS": "明显的;明白的", + "ENG": "easy to see, notice, or understand" + }, + "arbitrary": { + "CHS": "[数] 任意的;武断的;专制的", + "ENG": "decided or arranged without any reason or plan, often unfairly" + }, + "misunderstand": { + "CHS": "误解;误会", + "ENG": "to fail to understand someone or something correctly" + }, + "peculiarity": { + "CHS": "特性;特质;怪癖;奇特", + "ENG": "something that is a feature of only one particular place, person, situation etc" + }, + "family": { + "CHS": "家庭的;家族的;适合于全家的", + "ENG": "You can use family to describe things that belong to a particular family" + }, + "optional": { + "CHS": "选修科目" + }, + "between": { + "CHS": "在中间", + "ENG": "in or through the place that seprates two things, people, or places" + }, + "animate": { + "CHS": "有生命的", + "ENG": "living" + }, + "shock": { + "CHS": "浓密的;蓬乱的" + }, + "bunch": { + "CHS": "隆起;打褶;形成一串", + "ENG": "to pull material together tightly in folds" + }, + "minority": { + "CHS": "少数的;属于少数派的" + }, + "deductible": { + "CHS": "可扣除的;可减免的", + "ENG": "If a payment or expense is deductible, it can be deducted from another sum such as your income, for example, when calculating how much income tax you have to pay" + }, + "proportional": { + "CHS": "[数] 比例项" + }, + "Maori": { + "CHS": "毛利人;毛利语", + "ENG": "someone who belongs to the race of people that first lived in New Zealand and now forms only a small part of the population" + }, + "connect": { + "CHS": "连接;联合;关连", + "ENG": "to join two or more things together" + }, + "eraser": { + "CHS": "橡皮;擦除器;[计] 清除器", + "ENG": "a small piece of rubber that you use to remove pencil or pen marks from paper" + }, + "spoonful": { + "CHS": "一匙;一匙的量", + "ENG": "the amount that a spoon will hold" + }, + "automobile": { + "CHS": "驾驶汽车" + }, + "ridiculous": { + "CHS": "可笑的;荒谬的", + "ENG": "very silly or unreasonable" + }, + "quietly": { + "CHS": "安静地;秘密地;平稳地", + "ENG": "without protesting, complaining, or fighting" + }, + "indolent": { + "CHS": "懒惰的;无痛的", + "ENG": "lazy" + }, + "oyster": { + "CHS": "牡蛎,[无脊椎] 蚝;沉默寡言的人", + "ENG": "a type of shellfish that can be eaten cooked or uncooked, and that produces a jewel called a pearl" + }, + "argument": { + "CHS": "论证;论据;争吵;内容提要", + "ENG": "a situation in which two or more people disagree, often angrily" + }, + "sandy": { + "CHS": "(Sandy)人名;(法、喀、罗、西、英)桑迪(教名Alasdair、Alastair、Alexander、Alister、Elshender的昵称)" + }, + "pastel": { + "CHS": "粉蜡笔;粉蜡笔画", + "ENG": "a small coloured stick for drawing pictures with, made of a substance like chalk " + }, + "my": { + "CHS": "(My)人名;(越)美;(老、柬)米" + }, + "humdrum": { + "CHS": "单调乏味地进行" + }, + "extrapolate": { + "CHS": "外推;推断", + "ENG": "to use facts about the present or about one thing or group to make a guess about the future or about other things or groups" + }, + "exude": { + "CHS": "散发;流出;使渗出", + "ENG": "to flow out slowly and steadily, or to make something do this" + }, + "butterfly": { + "CHS": "蝴蝶;蝶泳;举止轻浮的人;追求享乐的人", + "ENG": "a type of insect that has large wings, often with beautiful colours" + }, + "guillotine": { + "CHS": "于断头台斩首;终止辩论将议案付诸表决", + "ENG": "to cut off someone’s head using a guillotine" + }, + "entity": { + "CHS": "实体;存在;本质", + "ENG": "something that exists as a single and complete unit" + }, + "inglorious": { + "CHS": "可耻的;不名誉的;不体面的", + "ENG": "causing shame and dishonour" + }, + "peony": { + "CHS": "牡丹;芍药", + "ENG": "a garden plant with large round flowers that are dark red, white, or pink" + }, + "sixteen": { + "CHS": "十六", + "ENG": "the number" + }, + "structural": { + "CHS": "结构的;建筑的", + "ENG": "connected with the structure of something" + }, + "novelty": { + "CHS": "新奇;新奇的事物;新颖小巧而廉价的物品", + "ENG": "the quality of being new, unusual, and interesting" + }, + "interloper": { + "CHS": "闯入者;(为私利)干涉他人事务者;无执照营业者", + "ENG": "someone who enters a place or group where they should not be" + }, + "distillation": { + "CHS": "精馏,蒸馏,净化;蒸馏法;精华,蒸馏物" + }, + "heal": { + "CHS": "(Heal)人名;(英)希尔" + }, + "expert": { + "CHS": "当专家;在…中当行家" + }, + "monastery": { + "CHS": "修道院;僧侣", + "ENG": "a place where monk s live" + }, + "dumpy": { + "CHS": "矮沙发;短雨伞" + }, + "conform": { + "CHS": "一致的;顺从的" + }, + "cue": { + "CHS": "给…暗示", + "ENG": "to give someone a sign that it is the right moment for them to speak or do something, especially during a performance" + }, + "comma": { + "CHS": "逗号;停顿", + "ENG": "the mark (,) used in writing to show a short pause or to separate things in a list" + }, + "carefree": { + "CHS": "无忧无虑的;不负责的", + "ENG": "having no worries or problems" + }, + "floral": { + "CHS": "花的;植物的,植物群的;花似的", + "ENG": "made of flowers or decorated with flowers or pictures of flowers" + }, + "enzyme": { + "CHS": "[生化] 酶", + "ENG": "a chemical substance that is produced in a plant or animal, and helps chemical changes to take place in the plant or animal" + }, + "townsman": { + "CHS": "市民,镇民;同乡人", + "ENG": "an inhabitant of a town " + }, + "half": { + "CHS": "一半的;不完全的;半途的", + "ENG": "Half is also an adjective" + }, + "maul": { + "CHS": "打伤;殴打;抨击;粗暴对待", + "ENG": "to strongly criticize something, especially a new book, play etc" + }, + "epoch": { + "CHS": "[地质] 世;新纪元;新时代;时间上的一点", + "ENG": "a period of history" + }, + "stealthily": { + "CHS": "暗地里" + }, + "headphones": { + "CHS": "[电讯] 耳机;听筒;[电子] 头戴式受话器(headphone的复数形式)", + "ENG": "a piece of equipment that you wear over your ears to listen to the radio, music etc without other people hearing it" + }, + "demolish": { + "CHS": "拆除;破坏;毁坏;推翻;驳倒", + "ENG": "to completely destroy a building" + }, + "vocal": { + "CHS": "声乐作品;元音" + }, + "asphalt": { + "CHS": "用柏油铺成的" + }, + "materialise": { + "CHS": "物质化(等于materialize)" + }, + "respond": { + "CHS": "应答;唱和" + }, + "toddle": { + "CHS": "蹒跚学步;东倒西歪地走;散步", + "ENG": "if a small child toddles, it walks with short, unsteady steps" + }, + "wreck": { + "CHS": "破坏;使失事;拆毁", + "ENG": "to completely spoil something so that it cannot continue in a successful way" + }, + "escape": { + "CHS": "逃跑;逃亡;逃走;逃跑工具或方法;野生种;泄漏", + "ENG": "the act of getting away from a place, or a dangerous or bad situation" + }, + "minefield": { + "CHS": "布雷区;充满隐伏危险的事物", + "ENG": "an area where a lot of bombs have been hidden just below the ground or under water" + }, + "retention": { + "CHS": "保留;扣留,滞留;记忆力;闭尿", + "ENG": "the act of keeping something" + }, + "crinkle": { + "CHS": "皱纹;波纹;沙沙声", + "ENG": "a thin fold, especially in your skin or on cloth, paper etc" + }, + "demagogy": { + "CHS": "煽动家的方法与行为", + "ENG": "You can refer to a method of political rule as demagogy or demagoguery if you disapprove of it because you think it involves appealing to people's emotions rather than using reasonable arguments" + }, + "diehard": { + "CHS": "顽固分子;死不屈从者;倔强的人", + "ENG": "someone who opposes change and refuses to accept new ideas" + }, + "importer": { + "CHS": "进口商;输入者", + "ENG": "a person, company, or country that buys goods from other countries so they can be sold in their own country" + }, + "flash": { + "CHS": "闪光的,火速的" + }, + "fishery": { + "CHS": "渔业;渔场;水产业", + "ENG": "a part of the sea where fish are caught in large numbers" + }, + "uproar": { + "CHS": "骚动;喧嚣", + "ENG": "a lot of noise or angry protest about something" + }, + "flat": { + "CHS": "逐渐变平;[音乐]以降调唱(或奏)" + }, + "contact": { + "CHS": "使接触,联系", + "ENG": "to write to or telephone someone" + }, + "mood": { + "CHS": "情绪,语气;心境;气氛", + "ENG": "the way you feel at a particular time" + }, + "inseparable": { + "CHS": "不可分离的事物;形影不离的朋友" + }, + "choose": { + "CHS": "选择,决定", + "ENG": "to decide which one of a number of things or people you want" + }, + "realm": { + "CHS": "领域,范围;王国", + "ENG": "a general area of knowledge, activity, or thought" + }, + "dissipated": { + "CHS": "消散;浪费(dissipate的过去式)" + }, + "sparkle": { + "CHS": "使闪耀;使发光", + "ENG": "to shine in small bright flashes" + }, + "vocative": { + "CHS": "呼格", + "ENG": "a word or particular form of a word used to show that you are speaking or writing directly to someone" + }, + "hawk": { + "CHS": "鹰;鹰派成员;掠夺他人的人", + "ENG": "a large bird that hunts and eats small birds and animals" + }, + "optimistic": { + "CHS": "乐观的;乐观主义的", + "ENG": "believing that good things will happen in the future" + }, + "glove": { + "CHS": "给…戴手套" + }, + "ingredient": { + "CHS": "构成组成部分的" + }, + "cell": { + "CHS": "住在牢房或小室中" + }, + "fictitious": { + "CHS": "虚构的;假想的;编造的;假装的", + "ENG": "not true, or not real" + }, + "pager": { + "CHS": "寻呼机,呼机", + "ENG": "a small machine you can carry in your pocket that can receive signals from a telephone. It tells you when someone has sent you a message, or wants you to telephone them, for example by making a noise." + }, + "nothing": { + "CHS": "什么也没有" + }, + "perhaps": { + "CHS": "假定;猜想;未定之事" + }, + "abdomen": { + "CHS": "腹部;下腹;腹腔", + "ENG": "the part of your body between your chest and legs which contains your stomach, bowel s etc" + }, + "handle": { + "CHS": "处理;操作;运用;买卖;触摸", + "ENG": "to do the things that are necessary to complete a job" + }, + "elf": { + "CHS": "小精灵;淘气鬼", + "ENG": "an imaginary creature like a small person with pointed ears and magical powers" + }, + "compatible": { + "CHS": "兼容的;能共处的;可并立的", + "ENG": "if two pieces of computer equipment are compatible, they can be used together, especially when they are made by different companies" + }, + "interface": { + "CHS": "(使通过界面或接口)接合,连接;[计算机]使联系", + "ENG": "if you interface two parts of a computer system, or if they interface, you connect them" + }, + "install": { + "CHS": "安装;任命;安顿", + "ENG": "to put a piece of equipment somewhere and connect it so that it is ready to be used" + }, + "disinfect": { + "CHS": "将…消毒", + "ENG": "to clean something with a chemical that destroys bacteria " + }, + "accelerate": { + "CHS": "使……加快;使……增速", + "ENG": "if a process accelerates or if something accelerates it, it happens faster than usual or sooner than you expect" + }, + "bald": { + "CHS": "(Bald)人名;(英)鲍尔德;(德、法、波)巴尔德" + }, + "spacious": { + "CHS": "宽敞的,广阔的;无边无际的", + "ENG": "a spacious house, room etc is large and has plenty of space to move around in" + }, + "nostalgic": { + "CHS": "怀旧的;乡愁的", + "ENG": "if you feel nostalgic about a time in the past, you feel happy when you remember it, and in some ways you wish that things had not changed" + }, + "infirmity": { + "CHS": "虚弱;疾病;衰弱;缺点", + "ENG": "bad health or a particular illness" + }, + "amend": { + "CHS": "(Amend)人名;(德、英)阿门德" + }, + "crematorium": { + "CHS": "火葬场(等于crematory)", + "ENG": "a building in which the bodies of dead people are burned at a funeral ceremony" + }, + "compress": { + "CHS": "受压缩小", + "ENG": "to press something or make it smaller so that it takes up less space, or to become smaller" + }, + "belongings": { + "CHS": "[经] 财产,所有物;亲戚", + "ENG": "the things you own, especially things that you can carry with you" + }, + "west": { + "CHS": "在西方;向西方;自西方", + "ENG": "towards the west" + }, + "tepid": { + "CHS": "微温的,温热的;不太热烈的;不热情的", + "ENG": "a feeling, reaction etc that is tepid shows a lack of excitement or interest" + }, + "isotherm": { + "CHS": "[气象] 等温线", + "ENG": "a line on a weather map joining places where the temperature is the same" + }, + "adverbial": { + "CHS": "状语" + }, + "forename": { + "CHS": "在姓前面的名", + "ENG": "someone’s first name " + }, + "pare": { + "CHS": "(Pare)人名;(英)佩尔;(法)帕尔" + }, + "pat": { + "CHS": "轻拍", + "ENG": "to lightly touch someone or something several times with your hand flat, especially to give comfort" + }, + "union": { + "CHS": "联盟,协会;工会;联合", + "ENG": "an organization formed by workers to protect their rights" + }, + "bravery": { + "CHS": "勇敢;勇气", + "ENG": "actions, behaviour, or an attitude that shows courage and confidence" + }, + "deterrent": { + "CHS": "威慑;妨碍物;挽留的事物", + "ENG": "something that makes someone less likely to do something, by making them realize it will be difficult or have bad results" + }, + "benediction": { + "CHS": "祝福;赐福;恩赐;祈求上帝赐福的仪式", + "ENG": "a Christian prayer that asks God to protect and help someone" + }, + "southern": { + "CHS": "南方人" + }, + "assiduous": { + "CHS": "刻苦的,勤勉的", + "ENG": "Someone who is assiduous works hard or does things very thoroughly" + }, + "curious": { + "CHS": "好奇的,有求知欲的;古怪的;爱挑剔的", + "ENG": "wanting to know about something" + }, + "poultry": { + "CHS": "家禽", + "ENG": "birds such as chickens and ducks that are kept on farms in order to produce eggs and meat" + }, + "inadequacy": { + "CHS": "不适当,不充分;不完全;不十分" + }, + "jot": { + "CHS": "少量;稍许" + }, + "trance": { + "CHS": "使恍惚;使发呆" + }, + "penalize": { + "CHS": "处罚;处刑;使不利", + "ENG": "to punish someone or treat them unfairly" + }, + "tumultuous": { + "CHS": "吵闹的;骚乱的;狂暴的", + "ENG": "full of activity, confusion, or violence" + }, + "genetic": { + "CHS": "遗传的;基因的;起源的", + "ENG": "relating to genes or genetics" + }, + "handgun": { + "CHS": "手枪", + "ENG": "a small gun that you hold in one hand when you fire it" + }, + "drunkard": { + "CHS": "酒鬼,醉汉", + "ENG": "A drunkard is someone who frequently gets drunk" + }, + "upcoming": { + "CHS": "即将来临的", + "ENG": "happening soon" + }, + "sequel": { + "CHS": "续集;结局;继续;后果", + "ENG": "a book, film, play etc that continues the story of an earlier one, usually written or made by the same person" + }, + "cripple": { + "CHS": "跛的;残废的" + }, + "hallo": { + "CHS": "(Hallo)人名;(法)阿洛;(荷)哈洛" + }, + "gosh": { + "CHS": "天啊;唉;糟了;必定", + "ENG": "used to express surprise" + }, + "commerce": { + "CHS": "贸易;商业;商务", + "ENG": "the buying and selling of goods and services" + }, + "rouge": { + "CHS": "〈罕〉红的〔只用于: R- Croix 〔英国〕纹章局四属官之一" + }, + "chasm": { + "CHS": "峡谷;裂口;分歧;深坑", + "ENG": "a very deep space between two areas of rock or ice, especially one that is dangerous" + }, + "honey": { + "CHS": "对…说甜言蜜语;加蜜使甜" + }, + "demean": { + "CHS": "贬低的身分;举止", + "ENG": "To demean someone or something means to make people have less respect for them" + }, + "subjection": { + "CHS": "隶属;服从;征服", + "ENG": "when a person or a group of people are controlled by a government or by another person" + }, + "acquaintance": { + "CHS": "熟人;相识;了解;知道", + "ENG": "someone you know, but who is not a close friend" + }, + "distinguish": { + "CHS": "区分;辨别;使杰出,使表现突出", + "ENG": "to recognize and understand the difference between two or more things or people" + }, + "probe": { + "CHS": "调查;探测", + "ENG": "to ask questions in order to find things out, especially things that other people do not want you to know" + }, + "headland": { + "CHS": "岬", + "ENG": "an area of land that sticks out from the coast into the sea" + }, + "python": { + "CHS": "巨蟒;大蟒", + "ENG": "a large tropical snake that kills animals for food by winding itself around them and crushing them" + }, + "electroscope": { + "CHS": "[电] 验电器", + "ENG": "an apparatus for detecting an electric charge, typically consisting of a rod holding two gold foils that separate when a charge is applied " + }, + "hilt": { + "CHS": "刀把,柄", + "ENG": "the handle of a sword or knife, where the blade is attached" + }, + "rather": { + "CHS": "(Rather)人名;(英)拉瑟" + }, + "mattress": { + "CHS": "床垫;褥子;空气垫", + "ENG": "the soft part of a bed that you lie on" + }, + "forerunner": { + "CHS": "先驱;先驱者;预兆", + "ENG": "someone or something that existed before something similar that developed or came later" + }, + "justify": { + "CHS": "证明合法;整理版面", + "ENG": "To justify a decision, action, or idea means to show or prove that it is reasonable or necessary" + }, + "freshwater": { + "CHS": "淡水;内河;湖水" + }, + "critique": { + "CHS": "批判;评论", + "ENG": "to say how good or bad a book, play, painting, or set of ideas is" + }, + "hood": { + "CHS": "罩上;以头巾覆盖", + "ENG": "to cover or provide with or as if with a hood " + }, + "aggressor": { + "CHS": "侵略者;侵略国;挑衅者", + "ENG": "a person or country that begins a fight or war with another person or country" + }, + "flaccid": { + "CHS": "[医] 弛缓的;软弱的;无活力的", + "ENG": "soft and weak instead of firm" + }, + "slump": { + "CHS": "衰退;暴跌;消沉", + "ENG": "Slump is also a noun" + }, + "Cantonese": { + "CHS": "广州的,广州人的", + "ENG": "Cantonese means belonging or relating to the city of Canton or Guangdong province" + }, + "goodness": { + "CHS": "善良,优秀 ;精华,养分", + "ENG": "the quality of being good" + }, + "redraw": { + "CHS": "重画", + "ENG": "If people in a position of authority redraw the boundaries or borders of a country or region, they change the borders so that the country or region covers a slightly different area than before" + }, + "daytime": { + "CHS": "日间,白天", + "ENG": "the time during the day between the time when it gets light and the time when it gets dark" + }, + "commercial": { + "CHS": "商业广告", + "ENG": "an advertisement on television or radio" + }, + "rental": { + "CHS": "租赁的;收取租金的", + "ENG": "You use rental to describe things that are connected with the renting out of goods, properties, and services" + }, + "perseverance": { + "CHS": "坚持不懈;不屈不挠", + "ENG": "determination to keep trying to achieve something in spite of difficulties – use this to show approval" + }, + "routine": { + "CHS": "日常的;例行的", + "ENG": "happening as a normal part of a job or process" + }, + "theoretical": { + "CHS": "理论的;理论上的;假设的;推理的", + "ENG": "relating to the study of ideas, especially scientific ideas, rather than with practical uses of the ideas or practical experience" + }, + "additive": { + "CHS": "附加的;[数] 加法的" + }, + "aftermath": { + "CHS": "后果;余波", + "ENG": "the period of time after something such as a war, storm, or accident when people are still dealing with the results" + }, + "trafficker": { + "CHS": "贩子;商人;从事违法勾当者", + "ENG": "someone who buys and sells illegal goods, especially drugs" + }, + "Israeli": { + "CHS": "以色列人", + "ENG": "someone from Israel" + }, + "calorie": { + "CHS": "卡路里(热量单位)", + "ENG": "a unit for measuring the amount of energy that food will produce" + }, + "tearful": { + "CHS": "含泪的;令人伤心的", + "ENG": "someone who is tearful is crying a little, or almost crying" + }, + "heretofore": { + "CHS": "直到此时,迄今为止;在这以前", + "ENG": "before this time" + }, + "exposition": { + "CHS": "博览会;阐述;展览会", + "ENG": "a clear and detailed explanation" + }, + "myself": { + "CHS": "我自己;我亲自;我的正常的健康状况和正常情绪", + "ENG": "used by the person speaking or writing to show that they are affected by their own action" + }, + "replica": { + "CHS": "复制品,复制物", + "ENG": "an exact copy of something, especially a building, a gun, or a work of art" + }, + "cement": { + "CHS": "水泥;接合剂", + "ENG": "a grey powder made from lime and clay that becomes hard when it is mixed with water and allowed to dry, and that is used in building" + }, + "compass": { + "CHS": "包围" + }, + "deform": { + "CHS": "畸形的;丑陋的" + }, + "befall": { + "CHS": "降临", + "ENG": "if something unpleasant or dangerous befalls you, it happens to you" + }, + "scanty": { + "CHS": "缺乏的;吝啬的;仅有的;稀疏的", + "ENG": "You describe something as scanty when there is less of it than you think there should be" + }, + "unison": { + "CHS": "和谐;齐唱;同度;[声] 同音" + }, + "joint": { + "CHS": "连接,贴合;接合;使有接头" + }, + "salesman": { + "CHS": "推销员;售货员", + "ENG": "a man whose job is to persuade people to buy his company’s products" + }, + "counselor": { + "CHS": "顾问;法律顾问;参事(等于counsellor)" + }, + "decree": { + "CHS": "命令;颁布;注定;判决", + "ENG": "to make an official judgment or give an official order" + }, + "shipwreck": { + "CHS": "使失事;使毁灭;使失败" + }, + "aids": { + "CHS": "艾滋病(Acquired Immune Deficiency Syndrome);获得性免疫缺乏综合症" + }, + "cornet": { + "CHS": "短号;圆锥形纸袋", + "ENG": "a musical instrument like a small trumpet " + }, + "jewellery": { + "CHS": "珠宝(等于jewelry)", + "ENG": "small things that you wear for decoration, such as rings or necklaces" + }, + "account": { + "CHS": "解释;导致;报账" + }, + "campaign": { + "CHS": "运动;活动;战役", + "ENG": "a series of actions intended to achieve a particular result relating to politics or business, or a social improvement" + }, + "denial": { + "CHS": "否认;拒绝;节制;背弃", + "ENG": "a statement saying that something is not true" + }, + "repellent": { + "CHS": "防护剂;防水布;排斥力" + }, + "emend": { + "CHS": "修订;改进", + "ENG": "to remove the mistakes from something that has been written" + }, + "frustrate": { + "CHS": "挫败的;无益的" + }, + "astronomical": { + "CHS": "天文的,天文学的;极大的", + "ENG": "astronomical prices, costs etc are extremely high" + }, + "flesh": { + "CHS": "喂肉给…;使发胖" + }, + "querulous": { + "CHS": "易怒的,暴躁的;爱发牢骚的,抱怨的;爱挑剔的", + "ENG": "someone who is querulous complains about things in an annoying way" + }, + "taboo": { + "CHS": "禁忌;禁止" + }, + "thin": { + "CHS": "细小部分" + }, + "squint": { + "CHS": "斜视的;斜的" + }, + "susceptible": { + "CHS": "易得病的人" + }, + "solar": { + "CHS": "日光浴室" + }, + "pancake": { + "CHS": "使平坠著陆;使平展" + }, + "hypermarket": { + "CHS": "大规模超级市场", + "ENG": "a very large supermarket " + }, + "derision": { + "CHS": "嘲笑;嘲笑的对象", + "ENG": "when you show that you think someone or something is stupid or silly" + }, + "fallible": { + "CHS": "易犯错误的;不可靠的", + "ENG": "able to make mistakes or be wrong" + }, + "shaky": { + "CHS": "摇晃的;不可靠的;不坚定的", + "ENG": "weak and unsteady because of old age, illness, or shock" + }, + "ecological": { + "CHS": "生态的,生态学的", + "ENG": "connected with the way plants, animals, and people are related to each other and to their environment" + }, + "attach": { + "CHS": "使依附;贴上;系上;使依恋", + "ENG": "If you attach something to an object, you join it or fasten it to the object" + }, + "formulate": { + "CHS": "规划;用公式表示;明确地表达", + "ENG": "to develop something such as a plan or a set of rules, and decide all the details of how it will be done" + }, + "hedonism": { + "CHS": "快乐主义;快乐论", + "ENG": "Hedonism is the belief that gaining pleasure is the most important thing in life" + }, + "evidence": { + "CHS": "证明", + "ENG": "to show that something exists or is true" + }, + "showpiece": { + "CHS": "展出品,展示品", + "ENG": "A showpiece is something that is admired because it is the best thing of its type, especially something that is intended to be impressive" + }, + "satirist": { + "CHS": "讽刺作家;爱挖苦的人", + "ENG": "someone who writes satire" + }, + "despise": { + "CHS": "轻视,鄙视", + "ENG": "to dislike and have a low opinion of someone or something" + }, + "importance": { + "CHS": "价值;重要;重大;傲慢", + "ENG": "the quality of being important" + }, + "tomato": { + "CHS": "番茄,西红柿", + "ENG": "a round soft red fruit eaten raw or cooked as a vegetable" + }, + "hostage": { + "CHS": "人质;抵押品", + "ENG": "someone who is kept as a prisoner by an enemy so that the other side will do what the enemy demands" + }, + "extensive": { + "CHS": "广泛的;大量的;广阔的", + "ENG": "large in size, amount, or degree" + }, + "adept": { + "CHS": "内行;能手" + }, + "nudge": { + "CHS": "推进;用肘轻推;向…不停地唠叨", + "ENG": "to move something or someone a short distance by gently pushing" + }, + "empire": { + "CHS": "帝国;帝王统治,君权", + "ENG": "a group of countries that are all controlled by one ruler or government" + }, + "suburbanite": { + "CHS": "郊区居民", + "ENG": "someone who lives in a suburb – often used to show disapproval" + }, + "archipelago": { + "CHS": "群岛,列岛;多岛的海区", + "ENG": "a group of small islands" + }, + "rebuff": { + "CHS": "断然拒绝", + "ENG": "If you rebuff someone or rebuff a suggestion that they make, you refuse to do what they suggest" + }, + "ask": { + "CHS": "(Ask)人名;(芬、瑞典)阿斯克" + }, + "Karaoke": { + "CHS": "卡拉OK;卡拉OK录音,自动伴奏录音", + "ENG": "Karaoke is a form of entertainment in which a machine plays the tunes of songs, and people take turns singing the words" + }, + "chew": { + "CHS": "嚼碎,咀嚼", + "ENG": "to bite food several times before swallowing it" + }, + "lottery": { + "CHS": "彩票;碰运气的事,难算计的事;抽彩给奖法", + "ENG": "a game used to make money for a state or a charity in which people buy tickets with a series of numbers on them. If their number is picked by chance, they win money or a prize." + }, + "oppose": { + "CHS": "反对;对抗,抗争", + "ENG": "to disagree with something such as a plan or idea and try to prevent it from happening or succeeding" + }, + "weighty": { + "CHS": "重的;重大的;严肃的", + "ENG": "important and serious" + }, + "duster": { + "CHS": "抹布,掸子;除尘器;打扫灰尘的人", + "ENG": "a cloth for removing dust from furniture" + }, + "quadrilateral": { + "CHS": "四边形的", + "ENG": "having or formed by four sides " + }, + "apathy": { + "CHS": "冷漠,无兴趣,漠不关心;无感情", + "ENG": "the feeling of not being interested in something, and not willing to make any effort to change or improve things" + }, + "impertinent": { + "CHS": "不恰当的;无礼的;粗鲁的;不相干的", + "ENG": "rude and not respectful, especially to someone who is older or more important" + }, + "vinegar": { + "CHS": "醋", + "ENG": "a sour-tasting liquid made from malt or wine that is used to improve the taste of food or to preserve it" + }, + "ingratiating": { + "CHS": "逢迎的,讨好的;迷人的,吸引人的", + "ENG": "If you describe someone or their behaviour as ingratiating, you mean that they try to make people like them" + }, + "vignette": { + "CHS": "把……印放为虚光照,晕映" + }, + "macroeconomic": { + "CHS": "整体经济" + }, + "meantime": { + "CHS": "同时;其间", + "ENG": "in the period of time between now and a future event, or between two events in the past" + }, + "outstanding": { + "CHS": "未偿贷款" + }, + "telephone": { + "CHS": "打电话", + "ENG": "to talk to someone by telephone" + }, + "gunpowder": { + "CHS": "火药;有烟火药", + "ENG": "an explosive substance used in bombs and fireworks " + }, + "italic": { + "CHS": "[印刷] 斜体的", + "ENG": "Italic letters slope to the right" + }, + "humiliate": { + "CHS": "羞辱;使…丢脸;耻辱", + "ENG": "to make someone feel ashamed or stupid, especially when other people are present" + }, + "nightingale": { + "CHS": "夜莺", + "ENG": "a small bird that sings very beautifully, especially at night" + }, + "golfer": { + "CHS": "高尔夫球手", + "ENG": "A golfer is a person who plays golf for pleasure or as a profession" + }, + "watch": { + "CHS": "手表;监视;守护;值班人", + "ENG": "a small clock that you wear on your wrist or keep in your pocket" + }, + "coverage": { + "CHS": "覆盖,覆盖范围;新闻报道", + "ENG": "when a subject or event is reported on television or radio, or in newspapers" + }, + "disillusioned": { + "CHS": "使幻想破灭(disillusion的过去分词);唤醒" + }, + "sunset": { + "CHS": "日落,傍晚", + "ENG": "the time of day when the sun disappears and night begins" + }, + "wholesome": { + "CHS": "健全的;有益健康的;合乎卫生的;审慎的", + "ENG": "likely to make you healthy" + }, + "attain": { + "CHS": "成就" + }, + "grandstand": { + "CHS": "看台上的" + }, + "pivotal": { + "CHS": "关键事物;中心事物" + }, + "vat": { + "CHS": "大桶;瓮染料制剂桶", + "ENG": "a very large container for storing liquids in" + }, + "orthodox": { + "CHS": "正统的人;正统的事物" + }, + "flippant": { + "CHS": "轻率的;嘴碎的;没礼貌的", + "ENG": "not being serious about something that other people think you should be serious about" + }, + "tirade": { + "CHS": "激烈的长篇演说" + }, + "touch": { + "CHS": "接触;触觉;格调;少许", + "ENG": "the sense that you use to discover what something feels like, by putting your hand or fingers on it" + }, + "forceps": { + "CHS": "[医] 钳子;医用镊子", + "ENG": "a medical instrument used for picking up and holding things" + }, + "rake": { + "CHS": "耙子;斜度;钱耙;放荡的人,浪子", + "ENG": "a gardening tool with a row of metal teeth at the end of a long handle, used for making soil level, gathering up dead leaves etc" + }, + "terminate": { + "CHS": "结束的" + }, + "mistake": { + "CHS": "弄错;误解", + "ENG": "to understand something wrongly" + }, + "stroke": { + "CHS": "(用笔等)画;轻抚;轻挪;敲击;划尾桨;划掉;(打字时)击打键盘", + "ENG": "to move your hand gently over something" + }, + "hearsay": { + "CHS": "传闻的,风闻的" + }, + "blatant": { + "CHS": "喧嚣的;公然的;炫耀的;俗丽的", + "ENG": "something bad that is blatant is very clear and easy to see, but the person responsible for it does not seem embarrassed or ashamed" + }, + "trouble": { + "CHS": "麻烦;使烦恼;折磨", + "ENG": "to say something or ask someone to do something which may use or waste their time or upset them" + }, + "rattle": { + "CHS": "喋喋不休的人;吓吱声,格格声", + "ENG": "a short repeated sound, made when something shakes" + }, + "outline": { + "CHS": "概述;略述;描画…轮廓", + "ENG": "to describe something in a general way, giving the main points but not the details" + }, + "hover": { + "CHS": "徘徊;盘旋;犹豫" + }, + "oboe": { + "CHS": "双簧管", + "ENG": "a wooden musical instrument like a narrow tube, which you play by blowing air through a reed" + }, + "apron": { + "CHS": "着围裙于;围绕" + }, + "adrift": { + "CHS": "随波逐流地;漂浮着" + }, + "mighty": { + "CHS": "有势力的人" + }, + "until": { + "CHS": "在…以前;到…为止", + "ENG": "if something happens until a particular time, it continues and then stops at that time" + }, + "unconscious": { + "CHS": "无意识的;失去知觉的;不省人事的;未发觉的", + "ENG": "unable to see, move, feel etc in the normal way because you are not conscious" + }, + "arrogance": { + "CHS": "自大;傲慢态度", + "ENG": "when someone behaves in a rude way because they think they are very important" + }, + "dishonourable": { + "CHS": "不名誉的;无耻的;不受尊重的(等于dishonorable)", + "ENG": "not morally correct or acceptable" + }, + "noise": { + "CHS": "谣传", + "ENG": "if news or information is noised abroad, people are talking about it" + }, + "handstand": { + "CHS": "手倒立", + "ENG": "a movement in which you put your hands on the ground and your legs in the air" + }, + "scenery": { + "CHS": "风景;景色;舞台布景", + "ENG": "the natural features of a particular part of a country that you can see, such as mountains, forests, deserts etc" + }, + "lover": { + "CHS": "爱人,恋人;爱好者", + "ENG": "someone’s lover is the person they are having a sexual relationship with but who they are not married to" + }, + "opponent": { + "CHS": "对立的;敌对的" + }, + "collusion": { + "CHS": "勾结;共谋", + "ENG": "a secret agreement that two or more people make in order to do something dishonest" + }, + "incipient": { + "CHS": "初期的;初始的;起初的;发端的", + "ENG": "starting to happen or exist" + }, + "humus": { + "CHS": "腐殖质;腐植土", + "ENG": "Humus is the part of soil which consists of dead plants that have begun to decay" + }, + "blueprint": { + "CHS": "蓝图,设计图;计划", + "ENG": "a plan for achieving something" + }, + "paralysis": { + "CHS": "麻痹;无力;停顿", + "ENG": "the loss of the ability to move all or part of your body or feel things in it" + }, + "bishop": { + "CHS": "(基督教的)主教;(国际象棋的)象", + "ENG": "a priest with a high rank in some Christian religions, who is the head of all the churches and priests in a large area" + }, + "churlish": { + "CHS": "没有礼貌的;脾气暴躁的", + "ENG": "Someone who is churlish is unfriendly, bad-tempered, or impolite" + }, + "hermetic": { + "CHS": "炼金术士" + }, + "delicatessen": { + "CHS": "熟食;现成的食品", + "ENG": "a shop that sells high quality cheeses, salad s ,cooked meats etc" + }, + "unparalleled": { + "CHS": "无比的;无双的;空前未有的", + "ENG": "bigger, better, or worse than anything else" + }, + "seedy": { + "CHS": "多种子的;结籽的;破烂的;没精打采的;下流的" + }, + "intestine": { + "CHS": "肠", + "ENG": "the long tube in your body through which food passes after it leaves your stomach" + }, + "ivory": { + "CHS": "乳白色的;象牙制的" + }, + "landlady": { + "CHS": "女房东;女地主;女店主", + "ENG": "a woman who rents a room, building, or piece of land to someone" + }, + "aerobics": { + "CHS": "有氧运动法;增氧健身法", + "ENG": "a very active type of physical exercise done to music, usually in a class" + }, + "layer": { + "CHS": "把…分层堆放;借助压条法;生根繁殖;将(头发)剪成不同层次", + "ENG": "to make a layer of something or put something down in layers" + }, + "dissuade": { + "CHS": "劝阻,劝止", + "ENG": "to persuade someone not to do something" + }, + "patient": { + "CHS": "病人;患者", + "ENG": "someone who is receiving medical treatment from a doctor or in a hospital" + }, + "envoy": { + "CHS": "使者;全权公使", + "ENG": "someone who is sent to another country as an official representative" + }, + "solve": { + "CHS": "解决;解答;溶解", + "ENG": "to find or provide a way of dealing with a problem" + }, + "exclusion": { + "CHS": "排除;排斥;驱逐;被排除在外的事物", + "ENG": "when someone is not allowed to take part in something or enter a place" + }, + "debilitate": { + "CHS": "使衰弱;使虚弱", + "ENG": "to make someone ill and weak" + }, + "amazing": { + "CHS": "使吃惊(amaze的ing形式)" + }, + "fastidious": { + "CHS": "挑剔的;苛求的,难取悦的;(微生物等)需要复杂营养地", + "ENG": "very careful about small details in your appearance, work etc" + }, + "vice": { + "CHS": "副的;代替的", + "ENG": "serving in the place of or as a deputy for " + }, + "scalp": { + "CHS": "剥头皮", + "ENG": "to cut the hair and skin off the head of a dead enemy as a sign of victory" + }, + "chuck": { + "CHS": "丢弃,抛掷;驱逐;轻拍", + "ENG": "to throw something in a careless or relaxed way" + }, + "waterfall": { + "CHS": "瀑布;瀑布似的东西", + "ENG": "a place where water from a river or stream falls down over a cliff or rock" + }, + "analysis": { + "CHS": "分析;分解;验定", + "ENG": "a process in which a doctor makes someone talk about their past experiences, relationships etc in order to help them with mental or emotional problems" + }, + "weep": { + "CHS": "哭泣;眼泪;滴下" + }, + "vicarage": { + "CHS": "教区牧师的住宅", + "ENG": "a house where a vicar lives" + }, + "handlebar": { + "CHS": "手把;(美)八字胡(等于handlebar mustache)", + "ENG": "The handlebar or handlebars of a bicycle consist of a curved metal bar with handles at each end which are used for steering" + }, + "formerly": { + "CHS": "以前;原来", + "ENG": "in earlier times" + }, + "automation": { + "CHS": "自动化;自动操作", + "ENG": "the use of computers and machines instead of people to do a job" + }, + "invocation": { + "CHS": "祈祷;符咒;【法律】(法院对另案的)文件调取;(法权的)行使", + "ENG": "a speech or prayer at the beginning of a ceremony or meeting" + }, + "axiom": { + "CHS": "[数] 公理;格言;自明之理", + "ENG": "a rule or principle that is generally considered to be true" + }, + "monopolise": { + "CHS": "垄断,获得专卖权(等于monopolize)" + }, + "infinite": { + "CHS": "无限;[数] 无穷大;无限的东西(如空间,时间)" + }, + "collective": { + "CHS": "集团;集合体;集合名词" + }, + "badge": { + "CHS": "授给…徽章" + }, + "preclude": { + "CHS": "排除;妨碍;阻止", + "ENG": "to prevent something or make something impossible" + }, + "countryside": { + "CHS": "农村,乡下;乡下的全体居民", + "ENG": "land that is outside cities and towns" + }, + "mob": { + "CHS": "大举包围,围攻;蜂拥进入" + }, + "digestion": { + "CHS": "消化;领悟", + "ENG": "the process of digesting food" + }, + "gradually": { + "CHS": "逐步地;渐渐地", + "ENG": "slowly, over a long period of time" + }, + "poetic": { + "CHS": "诗学,诗论" + }, + "unrelenting": { + "CHS": "无情的;不屈不挠的;不松懈的", + "ENG": "an unpleasant situation that is unrelenting continues for a long time without stopping" + }, + "yoghurt": { + "CHS": "酸奶(等于yoghourt);酸乳酪", + "ENG": "a thick liquid food that tastes slightly sour and is made from milk, or an amount of this food" + }, + "bridge": { + "CHS": "架桥;渡过", + "ENG": "to build or form a bridge over something" + }, + "cloth": { + "CHS": "布制的" + }, + "detect": { + "CHS": "察觉;发现;探测", + "ENG": "to notice or discover something, especially something that is not easy to see, hear etc" + }, + "chilly": { + "CHS": "(Chilly)人名;(法)希伊" + }, + "antagonism": { + "CHS": "对抗,敌对;对立;敌意", + "ENG": "hatred between people or groups of people" + }, + "tapestry": { + "CHS": "用挂毯装饰" + }, + "introduction": { + "CHS": "介绍;引进;采用;入门;传入", + "ENG": "the act of bringing something into use for the first time" + }, + "intrepid": { + "CHS": "无畏的;勇敢的;勇猛的", + "ENG": "willing to do dangerous things or go to dangerous places – often used humorously" + }, + "windy": { + "CHS": "多风的,有风的;腹胀的;吹牛的", + "ENG": "if it is windy, there is a lot of wind" + }, + "dexterity": { + "CHS": "灵巧;敏捷;机敏", + "ENG": "skill and speed in doing something with your hands" + }, + "coniferous": { + "CHS": "结球果的;松柏科的" + }, + "resilience": { + "CHS": "恢复力;弹力;顺应力", + "ENG": "the ability to become strong, happy, or successful again after a difficult situation or event" + }, + "duo": { + "CHS": "二重奏;二重唱;二人组", + "ENG": "a piece of music for two performers" + }, + "base": { + "CHS": "以…作基础", + "ENG": "to have your main place of work, business etc in a particular place" + }, + "underwrite": { + "CHS": "给保险;承诺支付;签在下" + }, + "encyclopaedia": { + "CHS": "百科全书" + }, + "pick": { + "CHS": "选择;鹤嘴锄;挖;掩护", + "ENG": "if you can have your pick or take your pick of different things, you can choose which one you want" + }, + "countable": { + "CHS": "可计算的;能算的", + "ENG": "a countable noun has both a singular and a plural form" + }, + "coexist": { + "CHS": "共存;和平共处", + "ENG": "if two different things coexist, they exist at the same time or in the same place" + }, + "hackneyed": { + "CHS": "出租(马匹、马车等);役使(hackney的过去式)" + }, + "pay": { + "CHS": "收费的;需付费的" + }, + "brewery": { + "CHS": "啤酒厂", + "ENG": "a place where beer is made, or a company that makes beer" + }, + "hip": { + "CHS": "熟悉内情的;非常时尚的", + "ENG": "doing things or done according to the latest fashion" + }, + "blade": { + "CHS": "叶片;刀片,刀锋;剑", + "ENG": "the flat cutting part of a tool or weapon" + }, + "syndrome": { + "CHS": "[临床] 综合症状;并发症状;校验子;并发位", + "ENG": "an illness which consists of a set of physical or mental problems – often used in the name of illnesses" + }, + "celery": { + "CHS": "[园艺] 芹菜", + "ENG": "a vegetable with long pale green stems that you can eat cooked or uncooked" + }, + "vocation": { + "CHS": "职业;天职;天命;神召", + "ENG": "a strong belief that you have been chosen by God to be a priest or a nun" + }, + "restoration": { + "CHS": "恢复;复位;王政复辟;归还", + "ENG": "the act of bringing back a law, tax, or system of government" + }, + "smoke": { + "CHS": "冒烟,吸烟;抽烟;弥漫", + "ENG": "to suck or breathe in smoke from a cigarette, pipe etc or to do this regularly as a habit" + }, + "subjective": { + "CHS": "主观的;个人的;自觉的", + "ENG": "a state-ment, report, attitude etc that is subjective is influenced by personal opinion and can therefore be unfair" + }, + "hamlet": { + "CHS": "小村庄", + "ENG": "a very small village" + }, + "ashtray": { + "CHS": "烟灰缸", + "ENG": "a small dish where you put used cigarettes" + }, + "filthy": { + "CHS": "肮脏的;污秽的;猥亵的", + "ENG": "very dirty" + }, + "caution": { + "CHS": "警告", + "ENG": "to warn someone that something might be dangerous, difficult etc" + }, + "disfavour": { + "CHS": "不赞成;不喜欢", + "ENG": "a feeling of dislike and disapproval" + }, + "haughty": { + "CHS": "傲慢的;自大的", + "ENG": "behaving in a proud unfriendly way" + }, + "European": { + "CHS": "欧洲人", + "ENG": "someone from Europe" + }, + "conclusion": { + "CHS": "结论;结局;推论", + "ENG": "something you decide after considering all the information you have" + }, + "conduct": { + "CHS": "进行;行为;实施", + "ENG": "the way someone behaves, especially in public, in their job etc" + }, + "prize": { + "CHS": "获奖的", + "ENG": "good enough to win a prize or having won a prize" + }, + "composer": { + "CHS": "作曲家;作家,著作者;设计者", + "ENG": "someone who writes music" + }, + "wily": { + "CHS": "(Wily)人名;(英)威利" + }, + "rum": { + "CHS": "朗姆酒", + "ENG": "a strong alcoholic drink made from sugar, or a glass of this drink" + }, + "simply": { + "CHS": "简单地;仅仅;简直;朴素地;坦白地", + "ENG": "used to emphasize what you are saying" + }, + "decorate": { + "CHS": "装饰;布置;授勋给", + "ENG": "to make something look more attractive by putting something pretty on it" + }, + "divisive": { + "CHS": "分裂的;区分的;造成不和的", + "ENG": "causing a lot of disagreement between people" + }, + "millipede": { + "CHS": "[无脊椎] 千足虫;倍足纲节动物(等于millepede)", + "ENG": "a long thin creature with a very large number of legs" + }, + "actress": { + "CHS": "女演员", + "ENG": "a woman who performs in a play or film" + }, + "shun": { + "CHS": "(Shun)人名;(日)春(姓)" + }, + "tarmac": { + "CHS": "柏油碎石路面;铺有柏油碎石的飞机跑道", + "ENG": "a mixture of tar and very small stones, used for making the surface of roads" + }, + "diplomat": { + "CHS": "外交家,外交官;有外交手腕的人;处事圆滑机敏的人", + "ENG": "someone who officially represents their government in a foreign country" + }, + "lurch": { + "CHS": "倾斜;蹒跚", + "ENG": "to walk or move suddenly in an uncontrolled or unsteady way" + }, + "circulate": { + "CHS": "传播,流传;循环;流通", + "ENG": "to move around within a system, or to make something do this" + }, + "would": { + "CHS": "will的过去式", + "ENG": "used to ask someone politely to do something" + }, + "stagnation": { + "CHS": "停滞;滞止" + }, + "delinquency": { + "CHS": "行为不良,违法犯罪;失职,怠工", + "ENG": "illegal or immoral behaviour or actions, especially by young people" + }, + "invaluable": { + "CHS": "无价的;非常贵重的", + "ENG": "If you describe something as invaluable, you mean that it is extremely useful" + }, + "ram": { + "CHS": "撞击;填塞;强迫通过或接受", + "ENG": "to run or drive into something very hard" + }, + "appraise": { + "CHS": "评价,鉴定;估价", + "ENG": "to officially judge how successful, effective, or valuable something is" + }, + "aggravate": { + "CHS": "加重;使恶化;激怒", + "ENG": "to make a bad situation, an illness, or an injury worse" + }, + "gymnastic": { + "CHS": "体操的,体育的", + "ENG": "of, relating to, like, or involving gymnastics " + }, + "rebellious": { + "CHS": "反抗的;造反的;难控制的", + "ENG": "deliberately not obeying people in authority or rules of behaviour" + }, + "kneel": { + "CHS": "跪下,跪", + "ENG": "to be in or move into a position where your body is resting on your knees" + }, + "weapon": { + "CHS": "武器,兵器", + "ENG": "something that you use to fight with or attack someone with, such as a knife, bomb, or gun" + }, + "tell": { + "CHS": "(Tell)人名;(英、德、瑞典)特尔;(罗、意)泰尔;(阿拉伯)塔勒" + }, + "insipid": { + "CHS": "清淡的;无趣的", + "ENG": "food or drink that is insipid does not have much taste" + }, + "fiend": { + "CHS": "魔鬼;能手;成癖者", + "ENG": "an evil spirit" + }, + "mount": { + "CHS": "山峰;底座;乘骑用马;攀,登;运载工具;底座", + "ENG": "used as part of the name of a mountain" + }, + "inhuman": { + "CHS": "残忍的;野蛮的;无人性的", + "ENG": "very cruel or without any normal feelings of pity" + }, + "capillary": { + "CHS": "毛细管的;毛状的" + }, + "scope": { + "CHS": "审视" + }, + "arcade": { + "CHS": "使有拱廊" + }, + "ewe": { + "CHS": "[畜牧] 母羊", + "ENG": "a female sheep" + }, + "earthwork": { + "CHS": "[建] 土方工程;土木工事", + "ENG": "a large long pile of earth, used in the past to stop attacks" + }, + "refreshment": { + "CHS": "点心;起提神作用的东西;精力恢复", + "ENG": "small amounts of food and drink that are provided at a meeting, sports event etc" + }, + "euphemistic": { + "CHS": "委婉的;婉言的", + "ENG": "euphemistic language uses polite words and expressions to avoid shocking or upsetting people" + }, + "inundate": { + "CHS": "淹没;泛滥;浸水;(洪水般的)扑来", + "ENG": "to cover an area with a large amount of water" + }, + "vial": { + "CHS": "装入小瓶" + }, + "terrific": { + "CHS": "极好的;极其的,非常的;可怕的", + "ENG": "very good, especially in a way that makes you feel happy and excited" + }, + "gnarled": { + "CHS": "把…扭曲;长木瘤(gnarl的过去分词)" + }, + "dislike": { + "CHS": "嫌恶,反感,不喜爱", + "ENG": "Dislike is the feeling that you do not like someone or something" + }, + "zeal": { + "CHS": "热情;热心;热诚", + "ENG": "eagerness to do something, especially to achieve a particular religious or political aim" + }, + "exaltation": { + "CHS": "得意洋洋,欣喜;提拔;举起" + }, + "sediment": { + "CHS": "沉积;沉淀物", + "ENG": "solid substances that settle at the bottom of a liquid" + }, + "wares": { + "CHS": "[贸易] 商品;货物", + "ENG": "things that are for sale, usually not in a shop" + }, + "community": { + "CHS": "社区;[生态] 群落;共同体;团体", + "ENG": "the people who live in the same area, town etc" + }, + "generalization": { + "CHS": "概括;普遍化;一般化", + "ENG": "a statement about all the members of a group that may be true in some or many situations but is not true in every case" + }, + "karat": { + "CHS": "开(黄金成色单位);克拉(宝石的重量单位,等于carat)", + "ENG": "an American spelling of carat" + }, + "alloy": { + "CHS": "合金", + "ENG": "a metal that consists of two or more metals mixed together" + }, + "bridal": { + "CHS": "婚礼" + }, + "hug": { + "CHS": "拥抱;紧抱;固执", + "ENG": "the action of putting your arms around someone and holding them tightly to show love or friendship" + }, + "coupon": { + "CHS": "息票;赠券;联票;[经] 配给券", + "ENG": "a small piece of printed paper that gives you the right to pay less for something or get something free" + }, + "weekday": { + "CHS": "平日,普通日;工作日", + "ENG": "any day of the week except Saturday and Sunday" + }, + "rhetoric": { + "CHS": "花言巧语的" + }, + "camouflage": { + "CHS": "伪装,掩饰", + "ENG": "to hide something, especially by making it look the same as the things around it, or by making it seem like something else" + }, + "anxiously": { + "CHS": "不安地,忧虑地" + }, + "lovely": { + "CHS": "美女;可爱的东西" + }, + "handbook": { + "CHS": "手册;指南", + "ENG": "a short book that gives information or instructions about something" + }, + "wound": { + "CHS": "使受伤" + }, + "lousy": { + "CHS": "讨厌的;多虱的;污秽的;极坏的" + }, + "rocky": { + "CHS": "岩石的,多岩石的;坚如岩石的;摇晃的;头晕目眩的", + "ENG": "covered with rocks or made of rock" + }, + "harebrained": { + "CHS": "轻率的;粗心的" + }, + "apostrophe": { + "CHS": "省略符号,撇号;呼语,顿呼", + "ENG": "the sign (‘) that is used in writing to show that numbers or letters have been left out, as in ’don’t' (= do not ) and '86 (= 1986 )" + }, + "prawn": { + "CHS": "捕虾" + }, + "rank": { + "CHS": "排列;把…分等", + "ENG": "to arrange objects in a line or row" + }, + "seizure": { + "CHS": "没收;夺取;捕获;(疾病的)突然发作", + "ENG": "the act of suddenly taking control of something, especially by force" + }, + "gnaw": { + "CHS": "咬;折磨;侵蚀", + "ENG": "to keep biting something hard" + }, + "bowler": { + "CHS": "圆顶礼帽;投球手;玩滚球的人", + "ENG": "a player in cricket who throws the ball at a batsman " + }, + "marked": { + "CHS": "表示(mark的过去分词);作记号;打分数" + }, + "dish": { + "CHS": "盛于碟盘中;分发;使某人的希望破灭;说(某人)的闲话", + "ENG": "to give a lot of information about something or someone, especially something that would usually be secret or private" + }, + "parentage": { + "CHS": "出身;亲子关系;门第;起源", + "ENG": "someone’s parents and the country and social class they are from" + }, + "constituency": { + "CHS": "(选区的)选民;支持者;(一批)顾客", + "ENG": "an area of a country that elects a representative to a parliament" + }, + "information": { + "CHS": "信息,资料;知识;情报;通知", + "ENG": "facts or details that tell you something about a situation, person, event etc" + }, + "vacancy": { + "CHS": "空缺;空位;空白;空虚", + "ENG": "a job that is available for someone to start doing" + }, + "immigrate": { + "CHS": "移入", + "ENG": "to come into a country in order to live there permanently" + }, + "gaseous": { + "CHS": "气态的,气体的;无实质的", + "ENG": "like gas or in the form of gas" + }, + "resist": { + "CHS": "[助剂] 抗蚀剂;防染剂" + }, + "oily": { + "CHS": "油的;油质的;油滑的;油腔滑调的", + "ENG": "covered with oil" + }, + "chaplain": { + "CHS": "牧师;专职教士", + "ENG": "a priest or other religious minister responsible for the religious needs of a club, the army, a hospital etc" + }, + "quotation": { + "CHS": "[贸易] 报价单;引用语;引证", + "ENG": "a sentence or phrase from a book, speech etc which you repeat in a speech or piece of writing because it is interesting or amusing" + }, + "detonate": { + "CHS": "使爆炸", + "ENG": "to explode or to make something explode" + }, + "xerox": { + "CHS": "用静电复印法复印", + "ENG": "If you Xerox a document, you make a copy of it using a Xerox machine" + }, + "interpret": { + "CHS": "说明;口译", + "ENG": "to translate spoken words from one language into another" + }, + "successful": { + "CHS": "成功的;一帆风顺的", + "ENG": "achieving what you wanted, or having the effect or result you intended" + }, + "distaste": { + "CHS": "不喜欢" + }, + "foe": { + "CHS": "敌人;反对者;危害物", + "ENG": "an enemy" + }, + "youthful": { + "CHS": "年轻的;早期的", + "ENG": "typical of young people, or seeming young" + }, + "tonic": { + "CHS": "滋补的;声调的;使精神振作的" + }, + "sever": { + "CHS": "(Sever)人名;(俄)谢韦尔;(捷、塞、意、西、土、瑞典、罗)塞韦尔;(英)塞弗;(德)泽弗" + }, + "saucer": { + "CHS": "茶托,浅碟;浅碟形物;眼睛", + "ENG": "a small round plate that curves up at the edges, that you put a cup on" + }, + "submission": { + "CHS": "投降;提交(物);服从;(向法官提出的)意见;谦恭", + "ENG": "when you give or show something to someone in authority, for them to consider or approve" + }, + "proportion": { + "CHS": "使成比例;使均衡;分摊", + "ENG": "to put something in a particular relationship with something else according to their relative size, amount, position etc" + }, + "purity": { + "CHS": "[化学] 纯度;纯洁;纯净;纯粹", + "ENG": "the quality or state of being pure" + }, + "television": { + "CHS": "电视,电视机;电视业", + "ENG": "a piece of electronic equipment shaped like a box with a screen, on which you can watch programmes" + }, + "syndicate": { + "CHS": "联合成辛迪加;组成企业联合组织" + }, + "harp": { + "CHS": "竖琴", + "ENG": "a large musical instrument with strings that are stretched across a vertical frame with three corners, and that you play with your fingers" + }, + "total": { + "CHS": "总数,合计", + "ENG": "the final number or amount of things, people etc when everything has been counted" + }, + "conjecture": { + "CHS": "推测;揣摩", + "ENG": "to form an idea or opinion without having much information to base it on" + }, + "peel": { + "CHS": "皮", + "ENG": "the skin of some fruits and vegetables, especially the thick skin of fruits such as oranges, which you do not eat" + }, + "satirise": { + "CHS": "讥刺;讽刺" + }, + "bureau": { + "CHS": "局,处;衣柜;办公桌", + "ENG": "a government department or a part of a government department in the US" + }, + "series": { + "CHS": "系列,连续;[电] 串联;级数;丛书", + "ENG": "several events or actions of a similar type that happen one after the other" + }, + "silk": { + "CHS": "(玉米)处于长须的阶段中" + }, + "sidle": { + "CHS": "侧走;挨近" + }, + "dust": { + "CHS": "撒;拂去灰尘", + "ENG": "to clean the dust from a surface by moving something such as a soft cloth across it" + }, + "colony": { + "CHS": "殖民地;移民队;种群;动物栖息地", + "ENG": "a country or area that is under the political control of a more powerful country, usually one that is far away" + }, + "nationwide": { + "CHS": "在全国", + "ENG": "Nationwide is also an adverb" + }, + "ancestry": { + "CHS": "祖先;血统", + "ENG": "the members of your family who lived a long time ago" + }, + "spar": { + "CHS": "争论;拳击", + "ENG": "to practise boxing with someone" + }, + "twelfth": { + "CHS": "第十二;月的第十二日" + }, + "writing": { + "CHS": "书写(write的ing形式)" + }, + "stretch": { + "CHS": "伸展,延伸", + "ENG": "the action of stretching a part of your body out to its full length, or a particular way of doing this" + }, + "tractable": { + "CHS": "易于管教的;易驾驭的;易处理的;驯良的", + "ENG": "easy to control or deal with" + }, + "hare": { + "CHS": "野兔", + "ENG": "an animal like a rabbit but larger, which can run very quickly" + }, + "slave": { + "CHS": "苦干;拼命工作", + "ENG": "to work very hard with little time to rest" + }, + "constantly": { + "CHS": "不断地;时常地", + "ENG": "all the time, or very often" + }, + "thud": { + "CHS": "砰的一声掉下;发出砰声", + "ENG": "If something thuds somewhere, it makes a dull sound, usually when it falls onto or hits something else" + }, + "dollop": { + "CHS": "啪地落下;噗通一声坠落" + }, + "carcass": { + "CHS": "(人或动物的)尸体;残骸;(除脏去头备食用的)畜体", + "ENG": "the body of a dead animal" + }, + "publisher": { + "CHS": "出版者,出版商;发行人", + "ENG": "a person or company whose business is to arrange the writing, production, and sale of books, newspapers etc" + }, + "phrase": { + "CHS": "措词, 将(乐曲)分成乐句" + }, + "halt": { + "CHS": "停止;立定;休息", + "ENG": "a stop or pause" + }, + "illegal": { + "CHS": "非法移民,非法劳工", + "ENG": "an illegal immigrant" + }, + "improvise": { + "CHS": "即兴创作;即兴表演;临时做;临时提供", + "ENG": "to do something without any preparation, because you are forced to do this by unexpected events" + }, + "lad": { + "CHS": "少年,小伙子;家伙", + "ENG": "a boy or young man" + }, + "queen": { + "CHS": "使…成为女王或王后" + }, + "survey": { + "CHS": "调查;勘测;俯瞰", + "ENG": "to ask a large number of people questions in order to find out their attitudes or opinions" + }, + "vulture": { + "CHS": "秃鹰,秃鹫;贪婪的人", + "ENG": "a large bird that eats dead animals" + }, + "thermal": { + "CHS": "上升的热气流", + "ENG": "a rising current of warm air used by birds" + }, + "reside": { + "CHS": "住,居住;属于", + "ENG": "to live in a particular place" + }, + "shotgun": { + "CHS": "用猎枪射击" + }, + "stay": { + "CHS": "逗留;停止;支柱", + "ENG": "a limited time of living in a place" + }, + "denominate": { + "CHS": "有特定名称的" + }, + "unnecessary": { + "CHS": "不必要的;多余的,无用的", + "ENG": "not needed, or more than is needed" + }, + "hoof": { + "CHS": "蹄;人的脚", + "ENG": "the hard foot of an animal such as a horse, cow etc" + }, + "difference": { + "CHS": "差异;不同;争执", + "ENG": "a way in which two or more people or things are not like each other" + }, + "besiege": { + "CHS": "围困;包围;烦扰", + "ENG": "to surround a city or castle with military force until the people inside let you take control" + }, + "discourage": { + "CHS": "阻止;使气馁", + "ENG": "to make something less likely to happen" + }, + "handiness": { + "CHS": "轻便;灵巧;敏捷" + }, + "pillow": { + "CHS": "垫;枕于…;使…靠在", + "ENG": "to rest your head somewhere" + }, + "regressive": { + "CHS": "回归的;后退的;退化的", + "ENG": "returning to an earlier, less advanced state, or causing something to do this - used to show disapproval" + }, + "smith": { + "CHS": "史密斯(男子姓氏)" + }, + "stressful": { + "CHS": "紧张的;有压力的", + "ENG": "a job, experience, or situation that is stressful makes you worry a lot" + }, + "carpenter": { + "CHS": "当木匠,做木匠工作" + }, + "mountain": { + "CHS": "山;山脉", + "ENG": "a very high hill" + }, + "boredom": { + "CHS": "厌倦;令人厌烦的事物", + "ENG": "the feeling you have when you are bored, or the quality of being boring" + }, + "successive": { + "CHS": "连续的;继承的;依次的;接替的", + "ENG": "coming or following one after the other" + }, + "supplementary": { + "CHS": "补充者;增补物" + }, + "lunatic": { + "CHS": "疯子;疯人", + "ENG": "someone who behaves in a crazy or very stupid way – often used humorously" + }, + "pedestrian": { + "CHS": "行人;步行者", + "ENG": "someone who is walking, especially along a street or other place used by cars" + }, + "snake": { + "CHS": "迂回前进", + "ENG": "if a river, road, train, or line snakes somewhere, it moves in long twisting curves" + }, + "appendix": { + "CHS": "附录;阑尾;附加物", + "ENG": "a small organ near your bowel , which has little or no use" + }, + "reverse": { + "CHS": "反面的;颠倒的;反身的", + "ENG": "the back of something" + }, + "declare": { + "CHS": "宣布,声明;断言,宣称", + "ENG": "to state officially and publicly that a particular situation exists or that something is true" + }, + "deliver": { + "CHS": "投球" + }, + "inducement": { + "CHS": "诱因,刺激物", + "ENG": "a reason for doing something, especially something that you will get as a result" + }, + "intake": { + "CHS": "摄取量;通风口;引入口;引入的量", + "ENG": "the amount of food, drink etc that you take into your body" + }, + "proceeding": { + "CHS": "开始;继续做;行进(proceed的ing形式)" + }, + "occurrence": { + "CHS": "发生;出现;事件;发现", + "ENG": "something that happens" + }, + "write": { + "CHS": "写,写字;写作,作曲;写信", + "ENG": "to put words in a letter to someone" + }, + "fatten": { + "CHS": "养肥;使肥沃;使充实", + "ENG": "If you say that someone is fattening something such as a business or its profits, you mean that they are increasing the value of the business or its profits, in a way that you disapprove of" + }, + "sixpence": { + "CHS": "(英)六便士(硬币)", + "ENG": "a small silver-coloured coin worth six old pennies , used in Britain in the past" + }, + "headdress": { + "CHS": "头发编梳的式样;饰头巾", + "ENG": "something that someone wears on their head, especially for decoration on a special occasion" + }, + "solicit": { + "CHS": "征求;招揽;请求;乞求", + "ENG": "to ask someone for money, help, or information" + }, + "juggle": { + "CHS": "玩戏法;欺骗" + }, + "control": { + "CHS": "控制;管理;抑制", + "ENG": "to have the power to make the decisions about how a country, place, company etc is organized or what it does" + }, + "pictorial": { + "CHS": "画报;画刊" + }, + "tether": { + "CHS": "用绳或链拴住", + "ENG": "to tie an animal to a post so that it can only move around within a limited area" + }, + "resignation": { + "CHS": "辞职;放弃;辞职书;顺从", + "ENG": "an occasion when you officially announce that you have decided to leave your job or an organization, or a written statement that says you will be leaving" + }, + "four": { + "CHS": "(Four)人名;(西)福尔;(法)富尔" + }, + "bereaved": { + "CHS": "使丧失(bereave的过去式和过去分词)" + }, + "fond": { + "CHS": "(Fond)人名;(法)丰;(瑞典)丰德" + }, + "flint": { + "CHS": "燧石;打火石;极硬的东西", + "ENG": "a type of smooth hard stone that makes a small flame when you hit it with steel" + }, + "spoil": { + "CHS": "次品;奖品" + }, + "tomorrow": { + "CHS": "明天;未来地(等于to-morrow)", + "ENG": "on or during the day after today" + }, + "fuzzy": { + "CHS": "(Fuzzy)人名;(英)富齐" + }, + "rape": { + "CHS": "强奸;掠夺,抢夺", + "ENG": "to force someone to have sex, especially by using violence" + }, + "column": { + "CHS": "纵队,列;专栏;圆柱,柱形物", + "ENG": "a tall solid upright stone post used to support a building or as a decoration" + }, + "hen": { + "CHS": "母鸡;女人;雌禽", + "ENG": "an adult female chicken" + }, + "astonish": { + "CHS": "使惊讶", + "ENG": "to surprise someone very much" + }, + "gentleman": { + "CHS": "先生;绅士;有身份的人", + "ENG": "a polite word for a man, used especially when talking to or about a man you do not know" + }, + "rapture": { + "CHS": "使…狂喜" + }, + "helpful": { + "CHS": "有帮助的;有益的", + "ENG": "providing useful help in making a situation better or easier" + }, + "self": { + "CHS": "自花授精" + }, + "suspicious": { + "CHS": "可疑的;怀疑的;多疑的", + "ENG": "thinking that someone might be guilty of doing something wrong or dishonest" + }, + "hidebound": { + "CHS": "死板的;保守的;顽固的;墨守成规的", + "ENG": "having old-fashioned attitudes and ideas – used to show disapproval" + }, + "principle": { + "CHS": "原理,原则;主义,道义;本质,本义;根源,源泉", + "ENG": "the basic idea that a plan or system is based on" + }, + "sidewalk": { + "CHS": "人行道", + "ENG": "a hard surface or path at the side of a street for people to walk on" + }, + "den": { + "CHS": "把……赶进洞穴" + }, + "modernization": { + "CHS": "现代化" + }, + "inn": { + "CHS": "住旅馆" + }, + "irregular": { + "CHS": "不规则的;无规律的;非正规的;不合法的", + "ENG": "having a shape, surface, pattern etc that is not even, smooth, or balanced" + }, + "reverie": { + "CHS": "幻想;沉思;幻想曲", + "ENG": "a state of imagining or thinking about pleasant things, that is like dreaming" + }, + "meander": { + "CHS": "漫步;蜿蜒缓慢流动", + "ENG": "to walk somewhere in a slow relaxed way rather than take the most direct way possible" + }, + "rower": { + "CHS": "桨手" + }, + "prevail": { + "CHS": "盛行,流行;战胜,获胜", + "ENG": "if a belief, custom, situation etc prevails, it exists among a group of people at a certain time" + }, + "inappropriate": { + "CHS": "不适当的;不相称的", + "ENG": "not suitable or right for a particular purpose or in a particular situation" + }, + "dollar": { + "CHS": "美元", + "ENG": "the standard unit of money in the US, Canada, Australia, and some other countries, divided into 100 cent s : symbol $" + }, + "shoal": { + "CHS": "浅的" + }, + "delineate": { + "CHS": "描绘;描写;画…的轮廓", + "ENG": "If you delineate something such as an idea or situation, you describe it or define it, often in a lot of detail" + }, + "existent": { + "CHS": "存在的;生存的", + "ENG": "existing now" + }, + "conversion": { + "CHS": "转换;变换;[金融] 兑换;改变信仰", + "ENG": "when you change something from one form, purpose, or system to a different one" + }, + "uranium": { + "CHS": "[化学] 铀", + "ENG": "a heavy white metal that is radioactive and is used to produce nuclear power and nuclear weapons. It is a chemical element: symbol U" + }, + "manifesto": { + "CHS": "发表宣言" + }, + "compete": { + "CHS": "竞争;比赛;对抗", + "ENG": "if one company or country competes with another, it tries to get people to buy its goods or servicesrather than those available from another company or country" + }, + "hire": { + "CHS": "雇用;出租", + "ENG": "to pay money to borrow something for a short period of time" + }, + "adjudicate": { + "CHS": "裁定;宣判", + "ENG": "to officially decide who is right in a disagreement and decide what should be done" + }, + "fidelity": { + "CHS": "保真度;忠诚;精确;尽责", + "ENG": "when you are loyal to your husband, girlfriend etc, by not having sex with anyone else" + }, + "basic": { + "CHS": "基础;要素" + }, + "understand": { + "CHS": "理解;懂;获悉;推断;省略", + "ENG": "to know the meaning of what someone is telling you, or the language that they speak" + }, + "quadratic": { + "CHS": "二次方程式", + "ENG": "an equation containing one or more terms in which the variable is raised to the power of two, but no terms in which it is raised to a higher power " + }, + "settlement": { + "CHS": "解决,处理;[会计] 结算;沉降;殖民", + "ENG": "an official agreement or decision that ends an argument, a court case, or a fight, or the action of making an agreement" + }, + "compunction": { + "CHS": "悔恨,后悔;内疚", + "ENG": "a feeling that you should not do something because it is bad or wrong" + }, + "display": { + "CHS": "展览的;陈列用的" + }, + "blitz": { + "CHS": "闪击的;凌厉的" + }, + "juvenile": { + "CHS": "青少年;少年读物", + "ENG": "A juvenile is a child or young person who is not yet old enough to be regarded as an adult" + }, + "Nazism": { + "CHS": "纳粹主义", + "ENG": "Nazism was the political ideas and activities of the German Nazi Party" + }, + "courtyard": { + "CHS": "庭院,院子;天井", + "ENG": "an open space that is completely or partly surrounded by buildings" + }, + "consistency": { + "CHS": "[计] 一致性;稠度;相容性", + "ENG": "how thick, smooth etc a substance is" + }, + "thus": { + "CHS": "乳香" + }, + "inviting": { + "CHS": "邀请(invite的ing形式)" + }, + "hind": { + "CHS": "雌鹿", + "ENG": "a female deer " + }, + "inoculate": { + "CHS": "[医] 接种;嫁接;灌输" + }, + "horned": { + "CHS": "截短…的角(horn的过去式和过去分词)" + }, + "fail": { + "CHS": "不及格", + "ENG": "an unsuccessful result in a test or examination" + }, + "photographer": { + "CHS": "摄影师;照相师", + "ENG": "someone who takes photographs, especially as a professional or as an artist" + }, + "airborne": { + "CHS": "[航] 空运的;空气传播的;风媒的", + "ENG": "airborne soldiers are trained to fight in areas that they get to by jumping out of a plane" + }, + "department": { + "CHS": "部;部门;系;科;局", + "ENG": "one of the groups of people who work together in a particular part of a large organization such as a hospital, university, company, or government" + }, + "with": { + "CHS": "(With)人名;(德、芬、丹、瑞典)维特" + }, + "Indian": { + "CHS": "印度人;印第安人;印第安语", + "ENG": "someone from India" + }, + "shimmer": { + "CHS": "闪烁;发闪烁的微光", + "ENG": "to shine with a soft light that looks as if it shakes slightly" + }, + "fixer": { + "CHS": "固定器;[摄] 定影剂;毒贩子;调停者" + }, + "intervention": { + "CHS": "介入;调停;妨碍", + "ENG": "the act of becoming involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "hunger": { + "CHS": "渴望;挨饿", + "ENG": "If you say that someone hungers for something or hungers after it, you are emphasizing that they want it very much" + }, + "thyroid": { + "CHS": "甲状腺的;盾状的" + }, + "milky": { + "CHS": "(Milky)人名;(巴基)米尔基" + }, + "condense": { + "CHS": "浓缩;凝结", + "ENG": "if a gas condenses, or is condensed, it becomes a liquid" + }, + "beginner": { + "CHS": "初学者;新手;创始人", + "ENG": "someone who has just started to do or learn something" + }, + "more": { + "CHS": "更多", + "ENG": "a greater amount or number" + }, + "ascend": { + "CHS": "上升;登高;追溯", + "ENG": "to move up through the air" + }, + "rend": { + "CHS": "(Rend)人名;(英、匈)伦德" + }, + "convenient": { + "CHS": "方便的;[废语]适当的;[口语]近便的;实用的", + "ENG": "useful to you because it saves you time, or does not spoil your plans or cause you problems" + }, + "cooler": { + "CHS": "更冷的(cool的比较级)" + }, + "pad": { + "CHS": "步行;放轻脚步走", + "ENG": "to walk softly and quietly" + }, + "hotbed": { + "CHS": "滋长地,温床", + "ENG": "a place where a lot of a particular type of activity, especially bad or violent activity, happens" + }, + "depreciation": { + "CHS": "折旧;贬值", + "ENG": "a reduction in the value or price of something" + }, + "expel": { + "CHS": "驱逐;开除", + "ENG": "to officially force someone to leave a school or organization" + }, + "dim": { + "CHS": "笨蛋,傻子" + }, + "corroborate": { + "CHS": "证实;使坚固", + "ENG": "to provide information that supports or helps to prove someone else’s statement, idea etc" + }, + "roast": { + "CHS": "烤肉;烘烤", + "ENG": "a large piece of roasted meat" + }, + "lonesome": { + "CHS": "自己" + }, + "ion": { + "CHS": "[化学] 离子", + "ENG": "an atom which has been given a positive or negative force by adding or taking away an electron " + }, + "ashore": { + "CHS": "在岸上的;在陆上的" + }, + "clinic": { + "CHS": "临床;诊所", + "ENG": "a place, often in a hospital, where medical treatment is given to people who do not need to stay in the hospital" + }, + "disgusting": { + "CHS": "令人厌恶的", + "ENG": "extremely unpleasant and making you feel sick" + }, + "laureate": { + "CHS": "使戴桂冠" + }, + "seaport": { + "CHS": "海港;港口都市", + "ENG": "a large town on or near a coast, with a harbour that big ships can use" + }, + "bungalow": { + "CHS": "平房;小屋", + "ENG": "a house that is all on ground level" + }, + "during": { + "CHS": "(During)人名;(法)迪兰;(瑞典、利比)杜林" + }, + "raise": { + "CHS": "高地;上升;加薪", + "ENG": "an increase in the money you earn" + }, + "emergent": { + "CHS": "紧急的;浮现的;意外的;自然发生的" + }, + "shoplift": { + "CHS": "从商店中偷商品", + "ENG": "If someone shoplifts, they steal goods from a shop by hiding them in a bag or in their clothes" + }, + "hundredth": { + "CHS": "第一百,第一百个;百分之一" + }, + "impartial": { + "CHS": "公平的,公正的;不偏不倚的", + "ENG": "not involved in a particular situation, and therefore able to give a fair opinion or piece of advice" + }, + "obesity": { + "CHS": "肥大,肥胖", + "ENG": "when someone is very fat in a way that is unhealthy" + }, + "floppy": { + "CHS": "软磁碟" + }, + "beeper": { + "CHS": "能发出哔哔声音的仪器;导弹遥控员" + }, + "linesman": { + "CHS": "巡线工人;前锋;架线工,线条员;巡边员", + "ENG": "an official in a sport who decides when a ball has gone out of the playing area" + }, + "deadweight": { + "CHS": "自重;载重量;重负" + }, + "skateboard": { + "CHS": "用滑板滑行" + }, + "jet": { + "CHS": "射出", + "ENG": "if a liquid or gas jets out from somewhere, it comes quickly out of a small hole" + }, + "dietary": { + "CHS": "饮食的,饭食的,规定食物的", + "ENG": "related to the food someone eats" + }, + "fashion": { + "CHS": "使用;改变;做成…的形状", + "ENG": "to shape or make something, using your hands or only a few tools" + }, + "shadowy": { + "CHS": "朦胧的;有阴影的;虚无的;暗黑的", + "ENG": "full of shadows, or difficult to see because of shadows" + }, + "formulation": { + "CHS": "构想,规划;公式化;简洁陈述", + "ENG": "A formulation is the way in which you express your thoughts and ideas" + }, + "premier": { + "CHS": "总理,首相", + "ENG": "a prime minister – used in news reports" + }, + "judicial": { + "CHS": "公正的,明断的;法庭的;审判上的", + "ENG": "Judicial means relating to the legal system and to judgments made in a court of law" + }, + "mellow": { + "CHS": "(Mellow)人名;(英)梅洛" + }, + "swim": { + "CHS": "游泳时穿戴的" + }, + "homing": { + "CHS": "回家(home的ing形式)" + }, + "loophole": { + "CHS": "漏洞;枪眼;换气孔;射弹孔", + "ENG": "a small mistake in a law that makes it possible to avoid doing something that the law is supposed to make you do" + }, + "goal": { + "CHS": "攻门,射门得分" + }, + "custom": { + "CHS": "(衣服等)定做的,定制的", + "ENG": "custom products or services are specially designed and made for a particular person" + }, + "inlaid": { + "CHS": "把…镶入;用镶嵌物装饰(inlay的过去分词形式)" + }, + "soot": { + "CHS": "用煤烟熏黑;以煤烟弄脏" + }, + "impasse": { + "CHS": "僵局;死路", + "ENG": "a situation in which it is impossible to continue with a discussion or plan because the people involved cannot agree" + }, + "visage": { + "CHS": "面貌,容貌;外表", + "ENG": "a face" + }, + "auditorium": { + "CHS": "礼堂,会堂;观众席", + "ENG": "the part of a theatre where people sit when watching a play, concert etc" + }, + "inhale": { + "CHS": "吸入;猛吃猛喝", + "ENG": "to breathe in air, smoke, or gas" + }, + "spell": { + "CHS": "符咒;一段时间;魅力", + "ENG": "a piece of magic that someone does, or the special words or ceremonies used in doing it" + }, + "deliverer": { + "CHS": "拯救者;交付者;投递者" + }, + "invalid": { + "CHS": "使伤残;使退役" + }, + "Christian": { + "CHS": "基督教的;信基督教的", + "ENG": "related to Christianity" + }, + "baritone": { + "CHS": "男中音的", + "ENG": "a baritone voice or instrument is lower than a tenor but higher than a bass " + }, + "obstinate": { + "CHS": "顽固的;倔强的;难以控制的", + "ENG": "determined not to change your ideas, behaviour, opinions etc, even when other people think you are being unreasonable" + }, + "illiteracy": { + "CHS": "文盲;无知", + "ENG": "Illiteracy is the state of not knowing how to read or write" + }, + "earthen": { + "CHS": "土制的;陶制的;地球上的", + "ENG": "an earthen floor or wall is made of soil" + }, + "camera": { + "CHS": "照相机;摄影机", + "ENG": "a piece of equipment used to take photographs or make films or television programmes" + }, + "cod": { + "CHS": "欺骗;愚弄" + }, + "prosecution": { + "CHS": "起诉,检举;进行;经营", + "ENG": "when a charge is made against someone for a crime, or when someone is judged for a crime in a court of law" + }, + "schematize": { + "CHS": "系统化;计划;扼要表示", + "ENG": "to arrange something in a system" + }, + "pamper": { + "CHS": "(Pamper)人名;(德)潘佩尔" + }, + "quite": { + "CHS": "很;相当;完全", + "ENG": "You use quite to indicate that something is the case to a fairly great extent" + }, + "incredulous": { + "CHS": "怀疑的;不轻信的", + "ENG": "unable or unwilling to believe something" + }, + "contemptuous": { + "CHS": "轻蔑的;侮辱的", + "ENG": "showing that you think someone or something deserves no respect" + }, + "impassioned": { + "CHS": "使充满激情(impassion的过去式和过去分词)" + }, + "videophone": { + "CHS": "电视电话", + "ENG": "a type of telephone that allows you to see the person you are talking to on a screen" + }, + "saver": { + "CHS": "救助者;节俭的人;节约装置" + }, + "nostalgia": { + "CHS": "乡愁;怀旧之情;怀乡病", + "ENG": "Nostalgia is an affectionate feeling you have for the past, especially for a particularly happy time" + }, + "envy": { + "CHS": "嫉妒,妒忌;羡慕", + "ENG": "to wish that you had someone else’s possessions, abilities etc" + }, + "anchorage": { + "CHS": "锚地;下锚;停泊税", + "ENG": "a place where ships can anchor" + }, + "characteristic": { + "CHS": "特征;特性;特色", + "ENG": "a quality or feature of something or someone that is typical of them and easy to recognize" + }, + "replay": { + "CHS": "重赛;重播;重演", + "ENG": "a game that is played again because neither team won the first time" + }, + "municipality": { + "CHS": "市民;市政当局;自治市或区", + "ENG": "a town, city, or other small area, which has its own government to make decisions about local affairs, or the officials in that government" + }, + "canny": { + "CHS": "(Canny)人名;(英)坎尼" + }, + "lodge": { + "CHS": "提出;寄存;借住;嵌入", + "ENG": "to make a formal or official complaint, protest etc" + }, + "verbal": { + "CHS": "动词的非谓语形式", + "ENG": "a word that has been formed from a verb, for example a gerund, infinitive, or participle" + }, + "similar": { + "CHS": "类似物" + }, + "over": { + "CHS": "(Over)人名;(俄、西、土)奥韦尔" + }, + "foundation": { + "CHS": "基础;地基;基金会;根据;创立", + "ENG": "the solid layer of cement , bricks, stones etc that is put under a building to support it" + }, + "sagacious": { + "CHS": "睿智的,聪慧的;有远见的,聪慧的", + "ENG": "able to understand and judge things very well" + }, + "petition": { + "CHS": "请愿;请求", + "ENG": "to ask the government or an organization to do something by sending them a petition" + }, + "fresh": { + "CHS": "刚刚,才;最新地" + }, + "counteract": { + "CHS": "抵消;中和;阻碍", + "ENG": "to reduce or prevent the bad effect of something, by doing something that has the opposite effect" + }, + "balk": { + "CHS": "阻止;推诿;错过", + "ENG": "to stop someone or something from getting or achieving what they want" + }, + "inept": { + "CHS": "笨拙的;不适当的", + "ENG": "not good at doing something" + }, + "detachment": { + "CHS": "分离,拆开;超然;分遣;分遣队", + "ENG": "the state of not reacting to or being involved in something in an emotional way" + }, + "abdominal": { + "CHS": "腹部的;有腹鳍的", + "ENG": "Abdominal is used to describe something that is situated in the abdomen or forms part of it" + }, + "pretty": { + "CHS": "有吸引力的事物(尤指饰品);漂亮的人" + }, + "vengeful": { + "CHS": "复仇的,报复的;复仇心重的", + "ENG": "very eager to punish someone who has done something bad" + }, + "river": { + "CHS": "河,江", + "ENG": "a natural and continuous flow of water in a long line across a country into the sea" + }, + "organ": { + "CHS": "[生物] 器官;机构;风琴;管风琴;嗓音", + "ENG": "an organization that is part of, or works for, a larger organization or group" + }, + "insecticide": { + "CHS": "杀虫剂", + "ENG": "a chemical substance used for killing insects" + }, + "apologetic": { + "CHS": "道歉的;赔罪的", + "ENG": "showing or saying that you are sorry that something has happened, especially because you feel guilty or embarrassed about it" + }, + "rebuke": { + "CHS": "非难,指责;谴责,鞭策", + "ENG": "Rebuke is also a noun" + }, + "heretic": { + "CHS": "异端的;异教的" + }, + "selenium": { + "CHS": "[化学] 硒", + "ENG": "a poisonous chemical substance, used in electrical instruments to make them sensitive to light. It is a chemical element : symbol Se" + }, + "churn": { + "CHS": "搅乳器", + "ENG": "a container used for shaking milk in order to make it into butter" + }, + "considerate": { + "CHS": "体贴的;体谅的;考虑周到的", + "ENG": "always thinking of what other people need or want and being careful not to upset them" + }, + "tiger": { + "CHS": "老虎;凶暴的人", + "ENG": "a large wild animal that has yellow and black lines on its body and is a member of the cat family" + }, + "investigation": { + "CHS": "调查;调查研究", + "ENG": "an official attempt to find out the truth about or the cause of something such as a crime, accident, or scientific problem" + }, + "ice": { + "CHS": "冰的" + }, + "harness": { + "CHS": "马具;甲胄;挽具状带子;降落伞背带;日常工作", + "ENG": "a set of leather bands used to control a horse or to attach it to a vehicle it is pulling" + }, + "squeak": { + "CHS": "吱吱声;机会", + "ENG": "a very short high noise or cry" + }, + "herald": { + "CHS": "通报;预示…的来临", + "ENG": "to be a sign of something that is going to come or happen soon" + }, + "canary": { + "CHS": "[鸟] 金丝雀;淡黄色", + "ENG": "a small yellow bird that people often keep as a pet" + }, + "systematise": { + "CHS": "使系统化;使有秩序(等于systematize)" + }, + "frenzy": { + "CHS": "使发狂;使狂怒" + }, + "thermodynamics": { + "CHS": "热力学", + "ENG": "the science that deals with the relationship between heat and other forms of energy" + }, + "thermonuclear": { + "CHS": "[核] 热核的;高热原子核反应的", + "ENG": "thermonuclear weapons use a nuclear reaction, involving the splitting of atoms, to produce very high temperatures and a very powerful explosion" + }, + "nomad": { + "CHS": "游牧的;流浪的" + }, + "debug": { + "CHS": "调试;除错,改正有毛病部分;[军] 除去窃听器", + "ENG": "to remove secret listening equipment from a place" + }, + "fairyland": { + "CHS": "仙境;乐园;奇境", + "ENG": "a place that looks very beautiful and special" + }, + "receiver": { + "CHS": "接收器;接受者;收信机;收款员,接待者", + "ENG": "A receiver is the part of a radio or television that picks up signals and converts them into sound or pictures" + }, + "patriot": { + "CHS": "爱国者", + "ENG": "someone who loves their country and is willing to defend it – used to show approval" + }, + "fume": { + "CHS": "烟;愤怒,烦恼", + "ENG": "Fumes are the unpleasant and often unhealthy smoke and gases that are produced by fires or by things such as chemicals, fuel, or cooking" + }, + "rare": { + "CHS": "用后腿站起;渴望" + }, + "sausage": { + "CHS": "香肠;腊肠;装香肠的碎肉", + "ENG": "a small tube of skin filled with a mixture of meat, spices etc, eaten hot or cold after it has been cooked" + }, + "worry": { + "CHS": "担心;发愁;折磨", + "ENG": "to be anxious or unhappy about someone or something, so that you think about them a lot" + }, + "vapour": { + "CHS": "蒸气(等于vapor);水蒸气", + "ENG": "a mass of very small drops of a liquid which float in the air, for example because the liquid has been heated" + }, + "beg": { + "CHS": "(Beg)人名;(德、塞、巴基)贝格" + }, + "quixotic": { + "CHS": "唐吉诃德式的;狂想家的;愚侠的", + "ENG": "quixotic ideas or plans are not practical and are based on unreasonable hopes of improving the world" + }, + "rid": { + "CHS": "(Rid)人名;(英)里德" + }, + "overtake": { + "CHS": "赶上;压倒;突然来袭" + }, + "businessman": { + "CHS": "商人", + "ENG": "a man who works in business" + }, + "drily": { + "CHS": "干燥地;冷淡地;讽刺地" + }, + "speed": { + "CHS": "速度,速率;迅速,快速;昌盛,繁荣", + "ENG": "the rate at which something moves or travels" + }, + "firedamp": { + "CHS": "沼气;甲烷", + "ENG": "a mixture of hydrocarbons, chiefly methane, formed in coal mines" + }, + "shipping": { + "CHS": "运送,乘船(ship的ing形式)" + }, + "unceremonious": { + "CHS": "随便的,不拘礼节的;无礼貌的", + "ENG": "without ceremony; informal, abrupt, rude, or undignified " + }, + "deafen": { + "CHS": "使聋;淹没", + "ENG": "if a noise deafens you, it is so loud that you cannot hear anything else" + }, + "dense": { + "CHS": "稠密的;浓厚的;愚钝的", + "ENG": "made of or containing a lot of things or people that are very close together" + }, + "naval": { + "CHS": "(Naval)人名;(西、德、印)纳瓦尔" + }, + "business": { + "CHS": "商业;[贸易] 生意;[贸易] 交易;事情", + "ENG": "the activity of making money by producing or buying and selling goods, or providing services" + }, + "flexibly": { + "CHS": "灵活地;易曲地;柔软地;有弹性地" + }, + "recognizable": { + "CHS": "可辨认的;可认识的;可承认的", + "ENG": "If something can be easily recognized or identified, you can say that it is easily recognizable" + }, + "replenish": { + "CHS": "补充,再装满;把…装满;给…添加燃料", + "ENG": "to put new supplies into something, or to fill something again" + }, + "bale": { + "CHS": "将打包" + }, + "ventilate": { + "CHS": "使通风;给…装通风设备;宣布", + "ENG": "to let fresh air into a room, building etc" + }, + "rightly": { + "CHS": "正确地;恰当地;公正地;合适地", + "ENG": "correctly, or for a good reason" + }, + "site": { + "CHS": "设置;为…选址", + "ENG": "to place or build something in a particular place" + }, + "corpulent": { + "CHS": "肥胖的", + "ENG": "fat" + }, + "sharp": { + "CHS": "打扮;升音演奏" + }, + "issuance": { + "CHS": "发布,发行", + "ENG": "the act of issuing " + }, + "unknown": { + "CHS": "未知数;未知的事物,默默无闻的人", + "ENG": "things that you do not know or understand" + }, + "rainforest": { + "CHS": "(热带)雨林" + }, + "verb": { + "CHS": "动词的;有动词性质的;起动词作用的" + }, + "yellow": { + "CHS": "使变黄或发黄", + "ENG": "to become yellow or make something become yellow" + }, + "environmentalist": { + "CHS": "环保人士;环境论者;研究环境问题的专家", + "ENG": "someone who is concerned about protecting the environment" + }, + "mare": { + "CHS": "母马;母驴;月球表面阴暗部", + "ENG": "a female horse or donkey " + }, + "parade": { + "CHS": "游行;炫耀;列队行进", + "ENG": "to walk or march together to celebrate or protest about something" + }, + "understandable": { + "CHS": "可以理解的;可以了解的", + "ENG": "understandable behaviour, reactions etc seem normal and reasonable because of the situation you are in" + }, + "preposition": { + "CHS": "介词;前置词", + "ENG": "a word that is used before a noun, pronoun , or gerund to show place, time, direction etc. In the phrase ‘the trees in the park’, ‘in’ is a preposition." + }, + "wipe": { + "CHS": "擦拭;用力打", + "ENG": "a wiping movement with a cloth" + }, + "bill": { + "CHS": "宣布;开账单;用海报宣传", + "ENG": "to send someone a bill" + }, + "ladle": { + "CHS": "钢水包;杓子;长柄杓", + "ENG": "a large deep spoon with a long handle, used for lifting liquid food, especially soup, out of a container" + }, + "just": { + "CHS": "(Just)人名;(英)贾斯特;(法)朱斯特;(德、匈、波、捷、挪)尤斯特;(西)胡斯特" + }, + "pure": { + "CHS": "(Pure)人名;(俄)普雷" + }, + "wrist": { + "CHS": "用腕力移动" + }, + "rounders": { + "CHS": "一种类似棒球的儿童游戏", + "ENG": "a ball game in which players run between posts after hitting the ball, scoring a 'rounder' if they run round all four before the ball is retrieved " + }, + "executioner": { + "CHS": "刽子手,死刑执行人", + "ENG": "someone whose job is to execute criminals" + }, + "prod": { + "CHS": "刺,戳;刺激", + "ENG": "to quickly push something or someone with your finger or a pointed object" + }, + "doubt": { + "CHS": "怀疑;不信;恐怕;拿不准", + "ENG": "to think that something may not be true or that it is unlikely" + }, + "decency": { + "CHS": "正派;体面;庄重;合乎礼仪;礼貌", + "ENG": "polite, honest, and moral behaviour and attitudes that show respect for other people" + }, + "hotly": { + "CHS": "激烈地;热心地;暑热地", + "ENG": "in an excited or angry way" + }, + "ghetto": { + "CHS": "使集中居住" + }, + "decay": { + "CHS": "衰退,[核] 衰减;腐烂,腐朽", + "ENG": "the natural chemical change that causes the slow destruction of something" + }, + "ghostly": { + "CHS": "幽灵的;可怕的;影子似的", + "ENG": "slightly frightening and seeming to be related to ghosts or spirits" + }, + "chatterbox": { + "CHS": "喋喋不休者;唠叨的人", + "ENG": "someone, especially a child, who talks too much" + }, + "heavy": { + "CHS": "大量地;笨重地" + }, + "marvellous": { + "CHS": "不可思议的;惊人的" + }, + "sinful": { + "CHS": "有罪的", + "ENG": "against religious rules, or doing something that is against religious rules" + }, + "renown": { + "CHS": "使有声望" + }, + "grave": { + "CHS": "雕刻;铭记", + "ENG": "to cut, carve, sculpt, or engrave " + }, + "wood": { + "CHS": "植林于;给…添加木柴" + }, + "inquisitive": { + "CHS": "好奇的;好问的,爱打听的", + "ENG": "asking too many questions and trying to find out too many details about something or someone" + }, + "jazz": { + "CHS": "爵士乐的;喧吵的" + }, + "debase": { + "CHS": "(Debase)人名;(意)德巴塞" + }, + "apology": { + "CHS": "道歉;谢罪;辩护;勉强的替代物", + "ENG": "something that you say or write to show that you are sorry for doing something wrong" + }, + "diminish": { + "CHS": "使减少;使变小", + "ENG": "to become or make something become smaller or less" + }, + "poster": { + "CHS": "海报,广告;招贴", + "ENG": "a large printed notice, picture, or photograph, used to advertise something or as a decoration" + }, + "habitual": { + "CHS": "习惯的;惯常的;习以为常的", + "ENG": "doing something from habit, and unable to stop doing it" + }, + "militiaman": { + "CHS": "民兵;民兵组织", + "ENG": "a member of a militia" + }, + "permissible": { + "CHS": "可允许的;获得准许的", + "ENG": "allowed by law or by the rules" + }, + "something": { + "CHS": "大约;有点象" + }, + "storage": { + "CHS": "存储;仓库;贮藏所", + "ENG": "the process of keeping or putting something in a special place while it is not being used" + }, + "hybrid": { + "CHS": "混合的;杂种的", + "ENG": "Hybrid is also an adjective" + }, + "poet": { + "CHS": "诗人", + "ENG": "someone who writes poems" + }, + "jump": { + "CHS": "跳跃;使跳跃;跳过;突升", + "ENG": "to let yourself drop from a place that is above the ground" + }, + "thread": { + "CHS": "穿过;穿线于;使交织", + "ENG": "to put a thread, string, rope etc through a hole" + }, + "levee": { + "CHS": "为…筑堤" + }, + "raven": { + "CHS": "掠夺;狼吞虎咽", + "ENG": "to seize or seek (plunder, prey, etc) " + }, + "couch": { + "CHS": "蹲伏,埋伏;躺着" + }, + "delegation": { + "CHS": "代表团;授权;委托", + "ENG": "a group of people who represent a company, organization etc" + }, + "notary": { + "CHS": "[法] 公证人", + "ENG": "someone, especially a lawyer, who has the legal power to make a signed statement or document official" + }, + "aircraft": { + "CHS": "飞机,航空器", + "ENG": "a plane or other vehicle that can fly" + }, + "neat": { + "CHS": "灵巧的;整洁的;优雅的;齐整的;未搀水的;平滑的", + "ENG": "tidy and carefully arranged" + }, + "festoon": { + "CHS": "花彩;[建] 花彩装饰物", + "ENG": "a long thin piece of material, flowers etc, used especially for decoration" + }, + "drastic": { + "CHS": "烈性泻药" + }, + "housebound": { + "CHS": "不能离家的,足不出户的", + "ENG": "not able to leave your house, especially because you are ill or old" + }, + "logo": { + "CHS": "商标,徽标;标识语", + "ENG": "a small design that is the official sign of a company or organization" + }, + "rod": { + "CHS": "棒;惩罚;枝条;权力", + "ENG": "a long thin pole or bar" + }, + "practitioner": { + "CHS": "开业者,从业者,执业医生", + "ENG": "someone who works as a doctor or a lawyer" + }, + "morale": { + "CHS": "士气,斗志", + "ENG": "the level of confidence and positive feelings that people have, especially people who work together, who belong to the same team etc" + }, + "peep": { + "CHS": "窥视;慢慢露出,出现;吱吱叫", + "ENG": "to look at something quickly and secretly, especially through a hole or opening" + }, + "fast": { + "CHS": "斋戒;绝食", + "ENG": "a period during which someone does not eat, especially for religious reasons" + }, + "dipper": { + "CHS": "长柄勺;浸染工;[鸟] 河鸟", + "ENG": "a small bird that finds its food in streams" + }, + "capsule": { + "CHS": "压缩;简述" + }, + "discreet": { + "CHS": "谨慎的;小心的", + "ENG": "careful about what you say or do, so that you do not offend, upset, or embarrass people or tell secrets" + }, + "mischief": { + "CHS": "恶作剧;伤害;顽皮;不和", + "ENG": "bad behaviour, especially by children, that causes trouble or damage, but no serious harm" + }, + "airport": { + "CHS": "机场;航空站", + "ENG": "a place where planes take off and land, with buildings for passengers to wait in" + }, + "divisible": { + "CHS": "可分的;可分割的", + "ENG": "able to be divided, for example by a number" + }, + "young": { + "CHS": "年轻人;(动物的)崽,仔", + "ENG": "young people" + }, + "thoughtful": { + "CHS": "深思的;体贴的;关切的", + "ENG": "always thinking of the things you can do to make people happy or comfortable" + }, + "shepherd": { + "CHS": "牧羊人;牧师;指导者", + "ENG": "someone whose job is to take care of sheep" + }, + "gang": { + "CHS": "使成群结队;结伙伤害或恐吓某人" + }, + "unawares": { + "CHS": "不知不觉地;出其不意地;不料", + "ENG": "without noticing" + }, + "emigrate": { + "CHS": "移居;移居外国", + "ENG": "to leave your own country in order to live in another country" + }, + "queue": { + "CHS": "排队;排队等候", + "ENG": "to form or join a line of people or vehicles waiting to do something or go somewhere" + }, + "defensible": { + "CHS": "可防御的;可辩护的;可拥护的", + "ENG": "a defensible building or area is easy to protect against attack" + }, + "excluding": { + "CHS": "排除;除外;拒绝(exclude的ing形式)" + }, + "rim": { + "CHS": "作…的边,装边于", + "ENG": "to be around the edge of something" + }, + "hologram": { + "CHS": "[激光] 全息图;全息摄影,全息照相", + "ENG": "a kind of photograph made with a laser that looks as if it is not flat when you look at it from an angle" + }, + "deploy": { + "CHS": "部署" + }, + "buttock": { + "CHS": "用腰摔" + }, + "narrow": { + "CHS": "使变狭窄", + "ENG": "to make something narrower or to become narrower" + }, + "strategist": { + "CHS": "战略家;军事家", + "ENG": "someone who is good at planning things, especially military or political actions" + }, + "start": { + "CHS": "开始;起点", + "ENG": "the first part of an activity or event, or the point at which it begins to develop" + }, + "frostbite": { + "CHS": "冻伤;冻疮;霜寒", + "ENG": "a condition caused by extreme cold, that makes your fingers and toes swell, become darker, and sometimes fall off" + }, + "stench": { + "CHS": "发恶臭" + }, + "shift": { + "CHS": "移动;转变;转换", + "ENG": "to change a situation, discussion etc by giving special attention to one idea or subject instead of to a previous one" + }, + "thigh": { + "CHS": "大腿,股", + "ENG": "the top part of your leg, between your knee and your hip " + }, + "hypocritical": { + "CHS": "虚伪的;伪善的", + "ENG": "behaving in a way that is different from what you claim to believe – used to show disapproval" + }, + "mid": { + "CHS": "(Mid)人名;(柬)米" + }, + "percent": { + "CHS": "以百分之…地" + }, + "slash": { + "CHS": "削减;斜线;猛砍;砍痕;沼泽低地", + "ENG": "a quick movement that you make with a knife, sword etc in order to cut someone or something" + }, + "dubious": { + "CHS": "可疑的;暧昧的;无把握的;半信半疑的", + "ENG": "probably not honest, true, right etc" + }, + "embellish": { + "CHS": "修饰;装饰;润色", + "ENG": "to make something more beautiful by adding decorations to it" + }, + "exit": { + "CHS": "退出;离去", + "ENG": "to leave a place" + }, + "advertisement": { + "CHS": "广告,宣传", + "ENG": "a picture, set of words, or a short film, which is intended to persuade people to buy a product or use a service, or that gives information about a job that is available, an event that is going to happen etc" + }, + "bellow": { + "CHS": "吼叫声;轰鸣声", + "ENG": "a loud deep shout" + }, + "heterodox": { + "CHS": "异端的;非正统的", + "ENG": "heterodox beliefs, practices etc are not approved of by a particular group, especially a religious one" + }, + "stallion": { + "CHS": "种马;成年公马", + "ENG": "a male horse that is fully grown, especially one that is used for breeding" + }, + "wizard": { + "CHS": "男巫的;巫术的" + }, + "finally": { + "CHS": "最后;终于;决定性地", + "ENG": "after a long time" + }, + "woe": { + "CHS": "唉(表示痛苦,悲伤或悔恨)", + "ENG": "Woe is great sadness" + }, + "flavour": { + "CHS": "给……调味;给……增添风趣", + "ENG": "to give something a particular taste or more taste" + }, + "fickle": { + "CHS": "浮躁的;易变的;变幻无常的", + "ENG": "someone who is fickle is always changing their mind about people or things that they like, so that you cannot depend on them – used to show disapproval" + }, + "textbook": { + "CHS": "教科书,课本", + "ENG": "a book that contains information about a subject that people study, especially at school or college" + }, + "tile": { + "CHS": "铺以瓦;铺以瓷砖" + }, + "chin": { + "CHS": "用下巴夹住;与…聊天;在单杠上作引体向上动作" + }, + "tinny": { + "CHS": "(Tinny)人名;(罗)廷尼" + }, + "bad": { + "CHS": "很,非常;坏地;邪恶地", + "ENG": "a word used to mean ‘badly’ that many people think is incorrect" + }, + "ours": { + "CHS": "(Ours)人名;(法)乌尔斯" + }, + "shareholder": { + "CHS": "股东;股票持有人", + "ENG": "someone who owns shares in a company or business" + }, + "diner": { + "CHS": "用餐者;路边小饭店;餐车式简便餐厅", + "ENG": "someone who is eating in a restaurant" + }, + "weird": { + "CHS": "(苏格兰)命运;预言" + }, + "preferable": { + "CHS": "更好的,更可取的;更合意的", + "ENG": "better or more suitable" + }, + "taxi": { + "CHS": "出租汽车", + "ENG": "a car and driver that you pay to take you somewhere" + }, + "fragment": { + "CHS": "使成碎片", + "ENG": "to break something, or be broken into a lot of small separate parts – used to show disapproval" + }, + "unforeseen": { + "CHS": "未预见到的,无法预料的", + "ENG": "an unforeseen situation is one that you did not expect to happen" + }, + "cruel": { + "CHS": "残酷的,残忍的;使人痛苦的,让人受难的;无情的,严酷的", + "ENG": "making someone suffer or feel unhappy" + }, + "erection": { + "CHS": "勃起;建造;建筑物;直立", + "ENG": "if a man has an erection, his penis increases in size and becomes stiff and upright because he is sexually excited" + }, + "sound": { + "CHS": "彻底地,充分地" + }, + "cape": { + "CHS": "[地理] 海角,岬;披肩", + "ENG": "a long loose piece of clothing without sleeve s that fastens around your neck and hangs from your shoulders" + }, + "recipient": { + "CHS": "容易接受的,感受性强的" + }, + "facade": { + "CHS": "正面;表面;外观", + "ENG": "the front of a building, especially a large and important one" + }, + "boundless": { + "CHS": "无限的;无边无际的", + "ENG": "having no limit or end" + }, + "denim": { + "CHS": "斜纹粗棉布,丁尼布;劳动布", + "ENG": "a type of strong cotton cloth used especially to make jean s " + }, + "appear": { + "CHS": "出现;显得;似乎;出庭;登场", + "ENG": "used to say how something seems, especially from what you know about it or from what you can see" + }, + "archway": { + "CHS": "拱门;拱道", + "ENG": "a passage or entrance under an arch or arches" + }, + "yuppie": { + "CHS": "(美)雅皮士(属于中上阶层的年轻专业人士)", + "ENG": "a young person with a professional job who seems to be interested only in earning a lot of money and buying expensive things" + }, + "superlative": { + "CHS": "最高级;最好的人;最高程度;夸大话", + "ENG": "the superlative form of an adjective or adverb. For example, ‘biggest’ is the superlative of ‘big’." + }, + "derogatory": { + "CHS": "贬损的", + "ENG": "derogatory remarks, attitudes etc are insulting and disapproving" + }, + "upmarket": { + "CHS": "进入高消费者市场" + }, + "pluck": { + "CHS": "摘;拔;扯", + "ENG": "to pull something quickly in order to remove it" + }, + "quantitative": { + "CHS": "定量的;量的,数量的", + "ENG": "relating to amounts rather than to the quality or standard of something" + }, + "glossy": { + "CHS": "光滑的;有光泽的", + "ENG": "shiny and smooth" + }, + "motor": { + "CHS": "乘汽车", + "ENG": "to travel by car" + }, + "basin": { + "CHS": "水池;流域;盆地;盆", + "ENG": "a round container attached to the wall in a bathroom, where you wash your hands and face" + }, + "cog": { + "CHS": "钝齿;雄榫", + "ENG": "a wheel with small bits sticking out around the edge that fit together with the bits of another wheel as they turn in a machine" + }, + "impound": { + "CHS": "没收;拘留;将…关在圈中" + }, + "cope": { + "CHS": "长袍", + "ENG": "a long loose piece of clothing worn by priests on special occasions" + }, + "substantive": { + "CHS": "名词性实词;独立存在的实体", + "ENG": "a noun" + }, + "quintet": { + "CHS": "五重奏,五重唱;男子篮球队;[计] 五位字节", + "ENG": "five singers or musicians who perform together" + }, + "dictate": { + "CHS": "命令;指示", + "ENG": "an order, rule, or principle that you have to obey" + }, + "meagre": { + "CHS": "瘦的;贫弱的;贫乏的" + }, + "hardware": { + "CHS": "计算机硬件;五金器具", + "ENG": "computer machinery and equipment, as opposed to the programs that make computers work" + }, + "equally": { + "CHS": "同样地;相等地,平等地;公平地", + "ENG": "to the same degree or amount" + }, + "ungracious": { + "CHS": "无礼貌的,没规矩的;没有教养的;讨厌的", + "ENG": "not polite or friendly" + }, + "electrical": { + "CHS": "有关电的;电气科学的", + "ENG": "relating to electricity" + }, + "warrant": { + "CHS": "保证;担保;批准;辩解", + "ENG": "to promise that something is true" + }, + "tinder": { + "CHS": "火绒;易燃物", + "ENG": "dry material that burns easily and can be used for lighting fires" + }, + "ecstasy": { + "CHS": "狂喜;入迷;忘形", + "ENG": "a feeling of extreme happiness" + }, + "relinquish": { + "CHS": "放弃;放手;让渡", + "ENG": "to let someone else have your position, power, or rights, especially unwillingly" + }, + "vocalist": { + "CHS": "歌手;声乐家", + "ENG": "someone who sings popular songs, especially with a band" + }, + "foremost": { + "CHS": "首先;居于首位地" + }, + "bend": { + "CHS": "弯曲", + "ENG": "a curved part of something, especially a road or river" + }, + "agitation": { + "CHS": "激动;搅动;煽动;烦乱", + "ENG": "public argument or action for social or political change" + }, + "miscalculate": { + "CHS": "算错;估计错误", + "ENG": "to make a mistake when deciding how long something will take to do, how much money you will need etc" + }, + "detached": { + "CHS": "分离" + }, + "preliminary": { + "CHS": "初步的;开始的;预备的", + "ENG": "happening before something that is more important, often in order to prepare for it" + }, + "spice": { + "CHS": "加香料于…;使…增添趣味", + "ENG": "to add interest or excitement to something" + }, + "underestimate": { + "CHS": "低估", + "ENG": "a guessed amount or number that is too low" + }, + "list": { + "CHS": "列于表上", + "ENG": "To list several things such as reasons or names means to write or say them one after another, usually in a particular order" + }, + "thermometer": { + "CHS": "温度计;体温计", + "ENG": "a piece of equipment that measures the temperature of the air, of your body etc" + }, + "majestic": { + "CHS": "庄严的;宏伟的", + "ENG": "very big, impressive, or beautiful" + }, + "evaluate": { + "CHS": "评价;估价;求…的值", + "ENG": "to judge how good, useful, or successful something is" + }, + "headline": { + "CHS": "给…加标题;使成为注意中心;大力宣传", + "ENG": "to give a headline to an article or story" + }, + "impersonal": { + "CHS": "非人称动词;不具人格的事物" + }, + "slangy": { + "CHS": "俚语的;俗话多的;好用俚语的", + "ENG": "Slangy speech or writing has a lot of slang in it" + }, + "belly": { + "CHS": "涨满;鼓起", + "ENG": "to fill with air and become rounder in shape" + }, + "attend": { + "CHS": "出席;上(大学等);照料;招待;陪伴", + "ENG": "to go to an event such as a meeting or a class" + }, + "abase": { + "CHS": "使…谦卑;降低…的品格;降低…的地位", + "ENG": "to humble or belittle (oneself, etc) " + }, + "interfere": { + "CHS": "干涉;妨碍;打扰", + "ENG": "to deliberately get involved in a situation where you are not wanted or needed" + }, + "disciplinary": { + "CHS": "规律的;训练的;训诫的", + "ENG": "Disciplinary bodies or actions are concerned with making sure that people obey rules or regulations and that they are punished if they do not" + }, + "disrespect": { + "CHS": "无礼,失礼,不敬", + "ENG": "lack of respect for someone or something" + }, + "kindergarten": { + "CHS": "幼儿园;幼稚园", + "ENG": "a school for children aged two to five" + }, + "conservation": { + "CHS": "保存,保持;保护", + "ENG": "the protection of natural things such as animals, plants, forests etc, to prevent them from being spoiled or destroyed" + }, + "marathon": { + "CHS": "参加马拉松赛跑" + }, + "passerby": { + "CHS": "行人,过路人", + "ENG": "someone who is walking past a place by chance" + }, + "curfew": { + "CHS": "宵禁;宵禁令;晚钟;打晚钟时刻", + "ENG": "a law that forces people to stay indoors after a particular time at night, or the time people must be indoors" + }, + "sorrowful": { + "CHS": "悲伤的,伤心的", + "ENG": "very sad" + }, + "ferry": { + "CHS": "(乘渡船)渡过;用渡船运送;空运", + "ENG": "to carry people or things a short distance from one place to another in a boat or other vehicle" + }, + "hotpot": { + "CHS": "火锅", + "ENG": "a piece of electrical equipment with a small container, used to boil water" + }, + "determination": { + "CHS": "决心;果断;测定", + "ENG": "the quality of trying to do something even when it is difficult" + }, + "black": { + "CHS": "使变黑;把鞋油等涂在…上;把(眼眶)打成青肿", + "ENG": "to make something black" + }, + "hyphen": { + "CHS": "连字号", + "ENG": "a short written or printed line (-) that joins words or syllables " + }, + "locate": { + "CHS": "位于;查找…的地点", + "ENG": "to find the exact position of something" + }, + "careful": { + "CHS": "仔细的,小心的", + "ENG": "used to tell someone to think about what they are doing so that something bad does not happen" + }, + "demand": { + "CHS": "[经] 需求;要求;需要", + "ENG": "the need or desire that people have for particular goods and services" + }, + "flinch": { + "CHS": "退缩;畏惧", + "ENG": "the act or an instance of drawing back " + }, + "embargo": { + "CHS": "禁令;禁止;封港令", + "ENG": "an official order to stop trade with another country" + }, + "measles": { + "CHS": "[内科] 麻疹;风疹", + "ENG": "an infectious illness in which you have a fever and small red spots on your face and body. People often have measles when they are children." + }, + "clatter": { + "CHS": "发出哗啦声;喧闹的谈笑", + "ENG": "if heavy hard objects clatter, or if you clatter them, they make a loud unpleasant noise" + }, + "idealize": { + "CHS": "理想化;形成思想", + "ENG": "to imagine or represent something or someone as being perfect or better than they really are" + }, + "integrate": { + "CHS": "一体化;集成体" + }, + "masquerade": { + "CHS": "伪装;化妆舞会", + "ENG": "a formal dance or party where people wear mask s and unusual clothes" + }, + "opinion": { + "CHS": "意见;主张", + "ENG": "your ideas or beliefs about a particular subject" + }, + "hangnail": { + "CHS": "手指头的倒拉刺(指甲旁的逆刺皮)", + "ENG": "a piece of skin that has become loose near the bottom of your fingernail" + }, + "monarchy": { + "CHS": "君主政体;君主国;君主政治", + "ENG": "the system in which a country is ruled by a king or queen" + }, + "olive": { + "CHS": "橄榄的;橄榄色的", + "ENG": "If someone has olive skin, the colour of their skin is yellowish brown" + }, + "vanilla": { + "CHS": "香草味的", + "ENG": "having the taste of vanilla" + }, + "song": { + "CHS": "歌曲;歌唱;诗歌;鸣声", + "ENG": "the musical sounds made by birds and some other animals such as whales " + }, + "surprising": { + "CHS": "使惊奇;意外发现(surprise的ing形式)" + }, + "glean": { + "CHS": "收集(资料);拾(落穗)", + "ENG": "to collect grain that has been left behind after the crops have been cut" + }, + "tongs": { + "CHS": "用钳夹取(tong的三单形式)" + }, + "liken": { + "CHS": "比拟;把…比作", + "ENG": "If you liken one thing or person to another thing or person, you say that they are similar" + }, + "dressing": { + "CHS": "给…穿衣;为…打扮(dress的现在分词)" + }, + "accountable": { + "CHS": "有责任的;有解释义务的;可解释的", + "ENG": "responsible for the effects of your actions and willing to explain or be criticized for them" + }, + "ancestor": { + "CHS": "始祖,祖先;被继承人", + "ENG": "a member of your family who lived a long time ago" + }, + "heating": { + "CHS": "[热] 加热(heat的现在分词)" + }, + "stile": { + "CHS": "阶梯", + "ENG": "a set of steps that helps people climb over a fence in the countryside" + }, + "busy": { + "CHS": "(Busy)人名;(匈)布希;(法)比西" + }, + "introductory": { + "CHS": "引导的,介绍的;开端的", + "ENG": "said or written at the beginning of a book, speech etc in order to explain what it is about" + }, + "nylon": { + "CHS": "尼龙,[纺] 聚酰胺纤维;尼龙袜", + "ENG": "a strong artificial material that is used to make plastics, clothes, rope etc" + }, + "fleet": { + "CHS": "飞逝;疾驰;掠过" + }, + "scallop": { + "CHS": "使成扇形" + }, + "seed": { + "CHS": "播种;结实;成熟;去…籽", + "ENG": "to remove seeds from fruit or vegetables" + }, + "statute": { + "CHS": "[法] 法规;法令;条例", + "ENG": "a law passed by a parliament, council etc and formally written down" + }, + "censorship": { + "CHS": "审查制度;审查机构", + "ENG": "the practice or system of censoring something" + }, + "expanse": { + "CHS": "宽阔;广阔的区域;苍天;膨胀扩张", + "ENG": "a very large area of water, sky, land etc" + }, + "embrace": { + "CHS": "拥抱", + "ENG": "the act of holding someone close to you, especially as a sign of love" + }, + "precarious": { + "CHS": "危险的;不确定的", + "ENG": "a precarious situation or state is one which may very easily or quickly become worse" + }, + "happy": { + "CHS": "(Happy)人名;(英、瑞典、喀)哈皮" + }, + "hieroglyphics": { + "CHS": "[语] 象形文字;难以辨认或理解的文字(hieroglyphic的复数形式)", + "ENG": "pictures and symbols used to represent words or parts of words, especially in the ancient Egyptian writing system" + }, + "scatterbrain": { + "CHS": "注意力不集中的人", + "ENG": "a person who is incapable of serious thought or concentration " + }, + "inexorable": { + "CHS": "无情的;不屈不挠的;不可阻挡的;无法改变的", + "ENG": "an inexorable process cannot be stopped" + }, + "defect": { + "CHS": "变节;叛变", + "ENG": "to leave your own country or group in order to go to or join an opposing one" + }, + "hectic": { + "CHS": "兴奋的,狂热的;脸上发红;肺病的;忙碌的", + "ENG": "very busy or full of activity" + }, + "manipulate": { + "CHS": "操纵;操作;巧妙地处理;篡改", + "ENG": "to make someone think and behave exactly as you want them to, by skilfully deceiving or influencing them" + }, + "goddess": { + "CHS": "女神,受崇拜的女性", + "ENG": "a female being who is believed to control the world or part of it, or represents a particular quality" + }, + "expectation": { + "CHS": "期待;预期;指望", + "ENG": "what you think or hope will happen" + }, + "fetid": { + "CHS": "臭的;恶臭的;腐臭的", + "ENG": "having a strong bad smell" + }, + "cowardly": { + "CHS": "胆怯地" + }, + "aboriginal": { + "CHS": "土著居民;土生生物", + "ENG": "an aborigine" + }, + "eschew": { + "CHS": "避免;避开;远避", + "ENG": "to deliberately avoid doing or using something" + }, + "purely": { + "CHS": "纯粹地;仅仅,只不过;完全地;贞淑地;清洁地", + "ENG": "completely and only" + }, + "respect": { + "CHS": "尊敬,尊重;遵守", + "ENG": "to admire someone because they have high standards and good qualities such as fairness and honesty" + }, + "allude": { + "CHS": "暗指,转弯抹角地说到;略为提及,顺便提到", + "ENG": "If you allude to something, you mention it in an indirect way" + }, + "farming": { + "CHS": "耕种;出租(farm的ing形式)" + }, + "term": { + "CHS": "把…叫做", + "ENG": "to use a particular word or expression to name or describe something" + }, + "cute": { + "CHS": "可爱的;漂亮的;聪明的,伶俐的", + "ENG": "very pretty or attractive" + }, + "smart": { + "CHS": "(Smart)人名;(法)斯马尔;(英、德)斯马特" + }, + "venison": { + "CHS": "鹿肉;野味", + "ENG": "the meat of a deer" + }, + "madame": { + "CHS": "(法语)夫人;太太" + }, + "acrobat": { + "CHS": "杂技演员,特技演员;随机应变者;翻云覆雨者,善变者", + "ENG": "someone who entertains people by doing difficult physical actions such as walking on their hands or balancing on a high rope, especially at a circus " + }, + "infallible": { + "CHS": "永远正确的人;绝无谬误的事物" + }, + "detract": { + "CHS": "转移,使分心" + }, + "unjust": { + "CHS": "不公平的,不公正的;非正义的", + "ENG": "not fair or reasonable" + }, + "saffron": { + "CHS": "藏红花色的,橘黄色的" + }, + "honeycomb": { + "CHS": "似蜂巢的" + }, + "telling": { + "CHS": "告诉;讲述(tell的ing形式);命令" + }, + "duty": { + "CHS": "责任;[税收] 关税;职务", + "ENG": "something that you have to do because it is morally or legally right" + }, + "timetable": { + "CHS": "时间表;时刻表;课程表", + "ENG": "a list of the times at which buses, trains, planes etc arrive and leave" + }, + "provision": { + "CHS": "供给…食物及必需品", + "ENG": "to provide someone or something with a lot of food and supplies, especially for a journey" + }, + "presentation": { + "CHS": "展示;描述,陈述;介绍;赠送", + "ENG": "an event at which you describe or explain a new product or idea" + }, + "stamina": { + "CHS": "毅力;精力;活力;持久力", + "ENG": "physical or mental strength that lets you continue doing something for a long time without getting tired" + }, + "batter": { + "CHS": "猛击;打坏;使向上倾斜", + "ENG": "to hit someone or something many times, in a way that hurts or damages them" + }, + "nought": { + "CHS": "[数] 零;没有", + "ENG": "the number 0" + }, + "grunt": { + "CHS": "作呼噜声;发哼声", + "ENG": "if a person or animal grunts, they make short low sounds in their throat" + }, + "scoundrel": { + "CHS": "恶棍;无赖;流氓", + "ENG": "a bad or dishonest man, especially someone who cheats or deceives other people" + }, + "earmark": { + "CHS": "特征;耳上记号", + "ENG": "The earmark of something or someone is their most typical quality or feature" + }, + "potential": { + "CHS": "潜在的;可能的;势的", + "ENG": "likely to develop into a particular type of person or thing in the future" + }, + "standing": { + "CHS": "站立;坚持不变;坐落于(stand的ing形式)" + }, + "summarize": { + "CHS": "总结;概述", + "ENG": "to make a short statement giving only the main information and not the details of a plan, event, report etc" + }, + "clang": { + "CHS": "发铿锵声", + "ENG": "if a metal object clangs, or if you clang it, it makes a loud ringing sound" + }, + "monument": { + "CHS": "为…树碑" + }, + "shack": { + "CHS": "居住" + }, + "focus": { + "CHS": "使集中;使聚焦", + "ENG": "to give special attention to one particular person or thing, or to make people do this" + }, + "therewith": { + "CHS": "随其;于是;以其;与此", + "ENG": "with or in addition to that " + }, + "encounter": { + "CHS": "遭遇,偶然碰见", + "ENG": "an occasion when you meet or experience something" + }, + "perpendicular": { + "CHS": "垂线;垂直的位置", + "ENG": "an exactly vertical position or line" + }, + "object": { + "CHS": "提出…作为反对的理由", + "ENG": "to state a fact or opinion as a reason for opposing or disapproving of something" + }, + "dustbin": { + "CHS": "垃圾箱;吃货", + "ENG": "a large container outside your house, used for holding waste until it is taken away" + }, + "sole": { + "CHS": "触底;上鞋底" + }, + "peak": { + "CHS": "最高的;最大值的", + "ENG": "used to talk about the best, highest, or greatest level or amount of something" + }, + "backbreaking": { + "CHS": "非常辛劳的;费力的", + "ENG": "backbreaking work is physically difficult and makes you very tired" + }, + "tooth": { + "CHS": "啮合" + }, + "forehead": { + "CHS": "额,前额", + "ENG": "the part of your face above your eyes and below your hair" + }, + "now": { + "CHS": "由于;既然", + "ENG": "because of something or as a result of something" + }, + "reject": { + "CHS": "被弃之物或人;次品", + "ENG": "a product that has been rejected because there is something wrong with it" + }, + "tournament": { + "CHS": "锦标赛,联赛;比赛", + "ENG": "a competition in which players compete against each other in a series of games until there is one winner" + }, + "anew": { + "CHS": "重新;再", + "ENG": "to begin a different job, start to live in a different place etc, especially after a difficult period in your life" + }, + "despair": { + "CHS": "绝望,丧失信心", + "ENG": "to feel that there is no hope at all" + }, + "acumen": { + "CHS": "聪明,敏锐", + "ENG": "the ability to think quickly and make good judgments" + }, + "pressure": { + "CHS": "迫使;密封;使……增压" + }, + "elusive": { + "CHS": "难懂的;易忘的;逃避的;难捉摸的", + "ENG": "an elusive result is difficult to achieve" + }, + "quotient": { + "CHS": "[数] 商;系数;份额", + "ENG": "the number which is obtained when one number is divided by another" + }, + "hanker": { + "CHS": "(Hanker)人名;(德、捷)汉克" + }, + "shrubby": { + "CHS": "灌木的;灌木繁茂的;灌木一般的", + "ENG": "A shrubby plant is like a shrub" + }, + "cooker": { + "CHS": "炊具;烹饪用水果;窜改者" + }, + "prop": { + "CHS": "支撑,支持,维持;使倚靠在某物上", + "ENG": "to support something by leaning it against something, or by putting something else under, next to, or behind it" + }, + "editorial": { + "CHS": "社论", + "ENG": "a piece of writing in a newspaper that gives the editor’s opinion about something, rather than reporting facts" + }, + "pavilion": { + "CHS": "搭帐篷;置…于亭中;笼罩" + }, + "opposition": { + "CHS": "反对;反对派;在野党;敌对", + "ENG": "strong disagreement with, or protest against, something such as a plan, law, or system" + }, + "hate": { + "CHS": "憎恨;反感", + "ENG": "an angry unpleasant feeling that someone has when they hate someone and want to harm them" + }, + "volume": { + "CHS": "把…收集成卷" + }, + "shade": { + "CHS": "使阴暗;使渐变;为…遮阳;使阴郁;掩盖", + "ENG": "to protect something from direct light" + }, + "slur": { + "CHS": "污点;诽谤;连音符", + "ENG": "an unfair criticism that is intended to make people dislike someone or something" + }, + "secretarial": { + "CHS": "秘书的;书记的;部长的", + "ENG": "relating to the work of a secretary" + }, + "quaint": { + "CHS": "古雅的;奇怪的;离奇有趣的;做得很精巧的", + "ENG": "Something that is quaint is attractive because it is old-fashioned" + }, + "time": { + "CHS": "定时的;定期的;分期的" + }, + "devolve": { + "CHS": "被移交;转让", + "ENG": "if land, money etc devolves to someone, it becomes their property when someone else dies" + }, + "length": { + "CHS": "长度,长;时间的长短;(语)音长", + "ENG": "the measurement of how long something is from one end to the other" + }, + "collide": { + "CHS": "碰撞;抵触,冲突", + "ENG": "to hit something or someone that is moving in a different direction from you" + }, + "elsewhere": { + "CHS": "在别处;到别处", + "ENG": "in, at, or to another place" + }, + "unite": { + "CHS": "使…混合;使…联合;使…团结", + "ENG": "if different people or organizations unite, or if something unites them, they join together in order to achieve something" + }, + "album": { + "CHS": "相簿;唱片集;集邮簿;签名纪念册", + "ENG": "a book that you put photographs, stamps etc in" + }, + "mummy": { + "CHS": "妈妈;木乃伊;干瘪的人", + "ENG": "mother – used especially by young children or when you are talking to young children" + }, + "dissent": { + "CHS": "异议;(大写)不信奉国教", + "ENG": "refusal to agree with an official decision or accepted opinion" + }, + "rue": { + "CHS": "芸香;后悔", + "ENG": "sorrow, pity, or regret " + }, + "sully": { + "CHS": "污点,损伤" + }, + "specify": { + "CHS": "指定;详细说明;列举;把…列入说明书", + "ENG": "to state something in an exact and detailed way" + }, + "whitewash": { + "CHS": "掩饰;把…刷白", + "ENG": "to hide the true facts about a serious accident or illegal action" + }, + "uncompromising": { + "CHS": "不妥协的,不让步的;坚定的", + "ENG": "unwilling to change your opinions or intentions" + }, + "seventh": { + "CHS": "居第七位地" + }, + "fade": { + "CHS": "[电影][电视] 淡出;[电影][电视] 淡入" + }, + "rampant": { + "CHS": "(Rampant)人名;(法)朗庞" + }, + "speculator": { + "CHS": "投机者;思索者", + "ENG": "someone who buys goods, property, shares in a company etc, hoping that they will make a large profit when they sell them" + }, + "slot": { + "CHS": "跟踪;开槽于" + }, + "sunbathe": { + "CHS": "沐日光浴", + "ENG": "to sit or lie outside in the sun, especially in order to become brown" + }, + "recess": { + "CHS": "使凹进;把…放在隐蔽处" + }, + "interpretation": { + "CHS": "解释;翻译;演出", + "ENG": "the way in which someone explains or understands an event, information, someone’s actions etc" + }, + "strained": { + "CHS": "使紧张(动词strain的过去式和过去分词)" + }, + "pretend": { + "CHS": "假装的", + "ENG": "imaginary or not real - used especially by children" + }, + "biology": { + "CHS": "(一个地区全部的)生物;生物学", + "ENG": "the scientific study of living things" + }, + "beacon": { + "CHS": "照亮,指引" + }, + "unilateral": { + "CHS": "单边的;[植] 单侧的;单方面的;单边音;(父母)单系的", + "ENG": "a unilateral action or decision is done by only one of the groups involved in a situation" + }, + "modernism": { + "CHS": "现代主义;现代思想;现代作风", + "ENG": "a style of art, building etc that was popular especially from the 1940s to the 1960s, in which artists used simple shapes and modern artificial materials" + }, + "fortieth": { + "CHS": "第四十;四十分之一" + }, + "eyebrow": { + "CHS": "为…描眉;用皱眉蹙额迫使" + }, + "molecule": { + "CHS": "[化学] 分子;微小颗粒,微粒", + "ENG": "the smallest unit into which any substance can be divided without losing its own chemical nature, usually consisting of two or more atoms" + }, + "doctor": { + "CHS": "医生;博士", + "ENG": "someone who is trained to treat people who are ill" + }, + "streak": { + "CHS": "飞跑,疾驶;加上条纹", + "ENG": "to run or fly somewhere so fast you can hardly be seen" + }, + "variable": { + "CHS": "[数] 变量;可变物,可变因素", + "ENG": "something that may be different in different situations, so that you cannot be sure what will happen" + }, + "huge": { + "CHS": "(Huge)人名;(英)休奇" + }, + "thesaurus": { + "CHS": "宝库;辞典;知识宝库;分类词汇汇编" + }, + "feedback": { + "CHS": "反馈;成果,资料;回复", + "ENG": "advice, criticism etc about how successful or useful something is" + }, + "incensed": { + "CHS": "激怒(incense的过去分词)", + "ENG": "If you say that something incenses you, you mean that it makes you extremely angry" + }, + "elliptical": { + "CHS": "椭圆的;省略的", + "ENG": "having the shape of an ellipse" + }, + "disarray": { + "CHS": "使混乱;弄乱;使脱去衣服" + }, + "frightened": { + "CHS": "害怕;使吃惊;吓走(frighten的过去分词)" + }, + "indefinable": { + "CHS": "难下定义的事物;难以确切描述的事物" + }, + "shoemaker": { + "CHS": "鞋匠;补鞋工人", + "ENG": "someone who makes shoes and boots" + }, + "sexuality": { + "CHS": "[胚] 性别;性欲;性征;性方面的事情(比如性行为或性能力)", + "ENG": "the things people do, think, and feel that are related to their sexual desires" + }, + "meteorology": { + "CHS": "气象状态,气象学", + "ENG": "the scientific study of weather conditions" + }, + "calibre": { + "CHS": "[军] 口径;才干;水准", + "ENG": "the level of quality or ability that someone or something has achieved" + }, + "foil": { + "CHS": "面向文件的翻译语言(file-Oriented interpretive language)" + }, + "talented": { + "CHS": "有才能的;多才的", + "ENG": "having a natural ability to do something well" + }, + "general": { + "CHS": "一般;将军,上将;常规", + "ENG": "an officer of very high rank in the army or air force" + }, + "metallurgy": { + "CHS": "冶金;冶金学;冶金术", + "ENG": "the scientific study of metals and their uses" + }, + "mutual": { + "CHS": "共同的;相互的,彼此的", + "ENG": "mutual feelings such as respect, trust, or hatred are feelings that two or more people have for each other" + }, + "sandal": { + "CHS": "凉鞋;檀香;檀香木;便鞋", + "ENG": "a light shoe that is fastened onto your foot by bands of leather or cloth, and is worn in warm weather" + }, + "boost": { + "CHS": "推动;帮助;宣扬", + "ENG": "something that gives someone more confidence, or that helps something increase, improve, or become successful" + }, + "practical": { + "CHS": "实际的;实用性的", + "ENG": "relating to real situations and events rather than ideas, emotions etc" + }, + "hemorrhoid": { + "CHS": "痔疮(等于haemorrhoid);很难相处的人", + "ENG": "Haemorrhoids are painful swellings that can appear in the veins inside the anus" + }, + "onward": { + "CHS": "向前;在前面", + "ENG": "Onward is also an adverb" + }, + "theory": { + "CHS": "理论;原理;学说;推测", + "ENG": "an idea or set of ideas that is intended to explain something about life or the world, especially an idea that has not yet been proved to be true" + }, + "record": { + "CHS": "创纪录的", + "ENG": "You use record to say that something is higher, lower, better, or worse than has ever been achieved before" + }, + "frogman": { + "CHS": "蛙人", + "ENG": "someone who swims under water using special equipment to help them breathe, especially as a job" + }, + "superintendent": { + "CHS": "监督人;负责人;主管;指挥者", + "ENG": "someone who is in charge of all the schools in a particular area in the US" + }, + "sequence": { + "CHS": "按顺序排好" + }, + "frigid": { + "CHS": "寒冷的,严寒的;冷淡的", + "ENG": "a woman who is frigid does not like having sex" + }, + "courtship": { + "CHS": "求爱;求婚;求爱期", + "ENG": "the period of time during which a man and woman have a romantic relationship before marrying" + }, + "flourish": { + "CHS": "夸耀;挥舞", + "ENG": "If you flourish an object, you wave it about in a way that makes people notice it" + }, + "defence": { + "CHS": "防御;防卫;答辩;防卫设备", + "ENG": "something you do or a way of behaving that prevents you from seeming weak or being hurt by others" + }, + "unhappy": { + "CHS": "不快乐的;不幸福的;不适当的", + "ENG": "not happy" + }, + "terse": { + "CHS": "简洁的,精练的,扼要的" + }, + "enclosure": { + "CHS": "附件;围墙;围场", + "ENG": "an area surrounded by a wall or fence, and used for a particular purpose" + }, + "ethical": { + "CHS": "处方药" + }, + "occupation": { + "CHS": "职业;占有;消遣;占有期", + "ENG": "a job or profession" + }, + "gunfire": { + "CHS": "炮火;炮火声", + "ENG": "the repeated shooting of guns, or the noise made by this" + }, + "milkman": { + "CHS": "牛奶商;送奶工人;挤奶员工", + "ENG": "someone in Britain whose job is to deliver milk to people’s houses each morning" + }, + "homework": { + "CHS": "家庭作业,课外作业", + "ENG": "work that a student at school is asked to do at home" + }, + "windfall": { + "CHS": "意外之财;被风吹落的果子;意外的收获", + "ENG": "an amount of money that you get unexpectedly" + }, + "thorn": { + "CHS": "刺;[植] 荆棘", + "ENG": "a sharp point that grows on the stem of a plant such as a rose" + }, + "conceit": { + "CHS": "幻想" + }, + "gather": { + "CHS": "聚集;衣褶;收获量", + "ENG": "a small fold produced by pulling cloth together" + }, + "obsess": { + "CHS": "迷住,缠住;使…着迷;使…困扰" + }, + "peaceful": { + "CHS": "和平的,爱好和平的;平静的", + "ENG": "a peaceful time, place, or situation is quiet and calm without any worry or excitement" + }, + "negotiable": { + "CHS": "可通过谈判解决的;可协商的", + "ENG": "an offer, price, contract etc that is negotiable can be discussed and changed before being agreed on" + }, + "sirloin": { + "CHS": "牛的上部腰肉;牛里脊肉", + "ENG": "a good-quality piece of beef which is cut from the lower part of a cow’s back" + }, + "flammable": { + "CHS": "易燃物" + }, + "deity": { + "CHS": "神;神性", + "ENG": "a god or goddess " + }, + "compute": { + "CHS": "计算;估计;推断" + }, + "special": { + "CHS": "特别的;专门的,专用的", + "ENG": "not ordinary or usual, but different in some way and often better or more important" + }, + "humanity": { + "CHS": "人类;人道;仁慈;人文学科", + "ENG": "people in general" + }, + "luggage": { + "CHS": "行李;皮箱", + "ENG": "the cases, bags etc that you carry when you are travelling" + }, + "dawdle": { + "CHS": "混日子;游手好闲;偷懒" + }, + "giraffe": { + "CHS": "长颈鹿", + "ENG": "a tall African animal with a very long neck and legs and dark spots on its yellow-brown fur" + }, + "skyscraper": { + "CHS": "摩天楼,超高层大楼;特别高的东西", + "ENG": "a very tall modern city building" + }, + "tropic": { + "CHS": "热带的" + }, + "demonstrate": { + "CHS": "证明;展示;论证", + "ENG": "to show or prove something clearly" + }, + "hand": { + "CHS": "传递,交给;支持;搀扶", + "ENG": "to give something to someone else with your hand" + }, + "pester": { + "CHS": "(Pester)人名;(德)佩斯特" + }, + "place": { + "CHS": "放置;任命;寄予", + "ENG": "to put something somewhere, especially with care" + }, + "mark": { + "CHS": "作记号", + "ENG": "to write or draw on something, so that someone will notice what you have written" + }, + "advisable": { + "CHS": "明智的,可取的,适当的", + "ENG": "something that is advisable should be done in order to avoid problems or risks" + }, + "siege": { + "CHS": "围攻;包围" + }, + "throne": { + "CHS": "登上王座" + }, + "furrow": { + "CHS": "犁;耕;弄绉", + "ENG": "to make a wide deep line in the surface of something" + }, + "sanity": { + "CHS": "明智;头脑清楚;精神健全;通情达理", + "ENG": "the condition of being mentally healthy" + }, + "suffrage": { + "CHS": "选举权;投票;参政权;代祷;赞成票", + "ENG": "the right to vote in national elections" + }, + "selective": { + "CHS": "选择性的", + "ENG": "careful about what you choose to do, buy, allow etc" + }, + "experience": { + "CHS": "经验;经历;体验", + "ENG": "if you experience a problem, event, or situation, it happens to you or affects you" + }, + "oasis": { + "CHS": "绿洲;舒适的地方;令人宽慰的事物", + "ENG": "a place with water and trees in a desert" + }, + "commendation": { + "CHS": "推荐;赞扬;奖状", + "ENG": "an official statement praising someone, especially someone who has been brave or very successful" + }, + "reinstate": { + "CHS": "使恢复;使复原", + "ENG": "if someone is reinstated, they are officially given back their job after it was taken away" + }, + "hydraulic": { + "CHS": "液压的;水力的;水力学的", + "ENG": "moved or operated by the pressure of water or other liquid" + }, + "rough": { + "CHS": "粗糙地;粗略地;粗暴地" + }, + "haven": { + "CHS": "为……提供避难处;安置……于港中" + }, + "excise": { + "CHS": "消费税;货物税", + "ENG": "the government tax that is put on the goods that are produced and used inside a country" + }, + "regulation": { + "CHS": "规定的;平常的", + "ENG": "used or worn because of official rules" + }, + "status": { + "CHS": "地位;状态;情形;重要身份", + "ENG": "the official legal position or condition of a person, group, country etc" + }, + "restrict": { + "CHS": "限制;约束;限定", + "ENG": "to limit or control the size, amount, or range of something" + }, + "knack": { + "CHS": "诀窍;本领;熟练技术;巧妙手法", + "ENG": "a natural skill or ability" + }, + "chimney": { + "CHS": "烟囱", + "ENG": "a vertical pipe that allows smoke from a fire to pass out of a building up into the air, or the part of this pipe that is above the roof" + }, + "shall": { + "CHS": "应;会;将;必须" + }, + "confidence": { + "CHS": "(美)诈骗的;骗得信任的" + }, + "innate": { + "CHS": "先天的;固有的;与生俱来的", + "ENG": "an innate quality or ability is something you are born with" + }, + "religion": { + "CHS": "宗教;宗教信仰", + "ENG": "a belief in one or more gods" + }, + "various": { + "CHS": "各种各样的;多方面的", + "ENG": "if there are various things, there are several different types of that thing" + }, + "ruffian": { + "CHS": "残暴的;凶恶的;无法无天的" + }, + "expulsion": { + "CHS": "驱逐;开除", + "ENG": "the act of forcing someone to leave a place" + }, + "inflame": { + "CHS": "激怒;使燃烧;使发炎" + }, + "avid": { + "CHS": "(Avid)人名;(俄)阿维德" + }, + "standard": { + "CHS": "标准的;合规格的;公认为优秀的", + "ENG": "accepted as normal or usual" + }, + "soldierly": { + "CHS": "军人的;适于军人的;英勇的", + "ENG": "typical of a good soldier" + }, + "posthumous": { + "CHS": "死后的;遗腹的;作者死后出版的", + "ENG": "happening, printed etc after someone’s death" + }, + "pathetic": { + "CHS": "可怜的,悲哀的;感伤的;乏味的", + "ENG": "making you feel pity or sympathy" + }, + "patronise": { + "CHS": "(英)保护(等于patronize)" + }, + "humanist": { + "CHS": "人文主义的;人道主义的" + }, + "change": { + "CHS": "变化;找回的零钱", + "ENG": "the process or result of something or someone becoming different" + }, + "fervour": { + "CHS": "热情(等于fervor)", + "ENG": "very strong belief or feeling" + }, + "infatuation": { + "CHS": "迷恋;醉心", + "ENG": "a strong feeling of love for someone or interest in something, especially a feeling that is unreasonable and does not continue for a long time" + }, + "weakness": { + "CHS": "弱点;软弱;嗜好", + "ENG": "a fault in someone’s character or in a system, organization, design etc" + }, + "calculation": { + "CHS": "计算;估计;计算的结果;深思熟虑", + "ENG": "A calculation is something that you think about and work out mathematically. Calculation is the process of working something out mathematically. " + }, + "disintegration": { + "CHS": "瓦解,崩溃;分解" + }, + "wander": { + "CHS": "(Wander)人名;(英)万德(女子教名)" + }, + "manslaughter": { + "CHS": "杀人;过失杀人;一般杀人罪", + "ENG": "the crime of killing someone illegally but not deliberately" + }, + "highway": { + "CHS": "公路,大路;捷径", + "ENG": "a wide main road that joins one town to another" + }, + "offence": { + "CHS": "犯罪;违反;过错;攻击", + "ENG": "an illegal action or a crime" + }, + "museum": { + "CHS": "博物馆", + "ENG": "a building where important cultural , historical, or scientific objects are kept and shown to the public" + }, + "seaweed": { + "CHS": "海藻,海草", + "ENG": "a plant that grows in the sea" + }, + "pledge": { + "CHS": "保证,许诺;用……抵押;举杯祝……健康", + "ENG": "to make a formal, usually public, promise that you will do something" + }, + "wriggle": { + "CHS": "蠕动;扭动", + "ENG": "a movement in which you twist your body from side to side" + }, + "enmity": { + "CHS": "敌意;憎恨", + "ENG": "Enmity is a feeling of hatred toward someone that lasts for a long time" + }, + "Sol": { + "CHS": "索尔(男子名,等于Solomon);(罗马神话)太阳神;黄金", + "ENG": "the Roman god personifying the sun " + }, + "soft": { + "CHS": "柔性;柔软的东西;柔软部分" + }, + "cure": { + "CHS": "治疗;治愈;[临床] 疗法", + "ENG": "a medicine or medical treatment that makes an illness go away" + }, + "itinerant": { + "CHS": "巡回者;行商" + }, + "morphine": { + "CHS": "[毒物][药] 吗啡", + "ENG": "a powerful and addictive drug used for stopping pain and making people calmer" + }, + "little": { + "CHS": "少许;没有多少;短时间" + }, + "facing": { + "CHS": "饰面;衣服等的贴边", + "ENG": "an outer surface of a wall or building made of a different material from the rest in order to make it look attractive" + }, + "resort": { + "CHS": "求助,诉诸;常去;采取某手段或方法", + "ENG": "If you resort to a course of action that you do not really approve of, you adopt it because you cannot see any other way of achieving what you want" + }, + "fitting": { + "CHS": "适合的,适宜的;相称的", + "ENG": "right for a particular situation or occasion" + }, + "tow": { + "CHS": "拖;牵引;曳", + "ENG": "to pull a vehicle or ship along behind another vehicle, using a rope or chain" + }, + "madden": { + "CHS": "(Madden)人名;(英、意、捷)马登" + }, + "sleigh": { + "CHS": "雪橇", + "ENG": "a large open vehicle with no wheels that is used for travelling over snow and is pulled along by animals" + }, + "pro": { + "CHS": "赞成", + "ENG": "if you are pro an idea, suggestion etc, you support it" + }, + "cap": { + "CHS": "脱帽致意" + }, + "disability": { + "CHS": "残疾;无能;无资格;不利条件", + "ENG": "A disability is a permanent injury, illness, or physical or mental condition that tends to restrict the way that someone can live their life" + }, + "uncomfortable": { + "CHS": "不舒服的;不安的", + "ENG": "not feeling physically comfortable, or not making you feel comfortable" + }, + "toe": { + "CHS": "用脚尖走;以趾踏触" + }, + "Arabian": { + "CHS": "阿拉伯人" + }, + "bronze": { + "CHS": "镀青铜于" + }, + "postulate": { + "CHS": "基本条件;假定", + "ENG": "something believed to be true, on which an argument or scientific discussion is based" + }, + "vanity": { + "CHS": "虚荣心;空虚;浮华;无价值的东西", + "ENG": "too much pride in yourself, so that you are always thinking about yourself and your appearance" + }, + "grievous": { + "CHS": "痛苦的;剧烈的", + "ENG": "very serious and causing great pain or suffering" + }, + "heartily": { + "CHS": "衷心地;热忱地;痛快地" + }, + "shirk": { + "CHS": "(Shirk)人名;(英)舍克" + }, + "eyeglass": { + "CHS": "眼镜;镜片", + "ENG": "a lens for one eye, worn to help you see better with that eye" + }, + "renewal": { + "CHS": "更新,恢复;复兴;补充;革新;续借;重申", + "ENG": "when an activity, situation, or process begins again after a period when it had stopped" + }, + "jealous": { + "CHS": "妒忌的;猜疑的;唯恐失去的;戒备的", + "ENG": "feeling unhappy because someone has something that you wish you had" + }, + "barrel": { + "CHS": "桶;枪管,炮管", + "ENG": "a large curved container with a flat top and bottom, made of wood or metal, and used for storing beer, wine etc" + }, + "boxer": { + "CHS": "拳师,拳击手", + "ENG": "someone who box es , especially as a job" + }, + "calculus": { + "CHS": "[病理] 结石;微积分学", + "ENG": "the part of mathematics that deals with changing quantities, such as the speed of a falling stone or the slope of a curved line" + }, + "crab": { + "CHS": "抱怨;破坏;使偏航" + }, + "embark": { + "CHS": "从事,着手;上船或飞机", + "ENG": "to go onto a ship or a plane, or to put or take something onto a ship or plane" + }, + "hence": { + "CHS": "因此;今后", + "ENG": "for this reason" + }, + "cranky": { + "CHS": "暴躁的;古怪的;动摇的", + "ENG": "strange" + }, + "flit": { + "CHS": "轻快的飞行;搬家" + }, + "biological": { + "CHS": "生物的;生物学的", + "ENG": "relating to the natural processes performed by living things" + }, + "clamber": { + "CHS": "攀登,爬上" + }, + "rime": { + "CHS": "使蒙霜" + }, + "misunderstanding": { + "CHS": "误解;误会;不和", + "ENG": "a problem caused by someone not understanding a question, situation, or instruction correctly" + }, + "creep": { + "CHS": "爬行;毛骨悚然的感觉;谄媚者" + }, + "felicity": { + "CHS": "幸福;快乐;幸运", + "ENG": "happiness" + }, + "illumination": { + "CHS": "照明;[光] 照度;启发;灯饰(需用复数);阐明", + "ENG": "lighting provided by a lamp, light etc" + }, + "renegade": { + "CHS": "叛徒的;背弃的;脱离的" + }, + "ferocity": { + "CHS": "凶猛;残忍;暴行", + "ENG": "the state of being extremely violent and severe" + }, + "caress": { + "CHS": "爱抚,拥抱;接吻", + "ENG": "a gentle touch or kiss that shows you love someone" + }, + "bush": { + "CHS": "如灌木般长得低矮的;粗野的" + }, + "firm": { + "CHS": "公司;商号", + "ENG": "a business or company, especially a small one" + }, + "brick": { + "CHS": "用砖做的;似砖的" + }, + "actual": { + "CHS": "真实的,实际的;现行的,目前的", + "ENG": "used to emphasize that something is real or exact" + }, + "artifact": { + "CHS": "人工制品;手工艺品" + }, + "piston": { + "CHS": "活塞", + "ENG": "a part of an engine consisting of a short solid piece of metal inside a tube, which moves up and down to make the other parts of the engine move" + }, + "outrage": { + "CHS": "凌辱,强奸;对…施暴行;激起愤怒", + "ENG": "to make someone feel very angry and shocked" + }, + "fence": { + "CHS": "防护;用篱笆围住;练习剑术", + "ENG": "to fight with a long thin sword as a sport" + }, + "prose": { + "CHS": "把…写成散文" + }, + "inoffensive": { + "CHS": "不触犯人的;无害的;没恶意的" + }, + "elephant": { + "CHS": "象;大号图画纸", + "ENG": "a very large grey animal with four legs, two tusks(= long curved teeth ) and a trunk(= long nose ) that it can use to pick things up" + }, + "Islam": { + "CHS": "伊斯兰教", + "ENG": "the Muslim religion, which was started by Muhammad and whose holy book is the Quran (Koran)" + }, + "blackout": { + "CHS": "灯火管制;灯火熄灭;暂时的意识丧失", + "ENG": "a period during a war when all the lights in a town or city must be turned off" + }, + "tonnage": { + "CHS": "吨位,载重量;船舶总吨数,排水量", + "ENG": "the size of a ship or the amount of goods it can carry, shown in tonnes " + }, + "limited": { + "CHS": "高级快车" + }, + "deface": { + "CHS": "损伤外观,丑化" + }, + "distraught": { + "CHS": "发狂的;心烦意乱的", + "ENG": "so upset and worried that you cannot think clearly" + }, + "sleeve": { + "CHS": "给……装袖子;给……装套筒" + }, + "denomination": { + "CHS": "面额;名称;教派", + "ENG": "a religious group that has different beliefs from other groups within the same religion" + }, + "asset": { + "CHS": "资产;优点;有用的东西;有利条件;财产;有价值的人或物", + "ENG": "the things that a company owns, that can be sold to pay debts" + }, + "foresight": { + "CHS": "先见,远见;预见;深谋远虑", + "ENG": "the ability to imagine what is likely to happen and to consider this when planning for the future" + }, + "incapable": { + "CHS": "不能的;无能力的;不能胜任的", + "ENG": "not able to do something" + }, + "requirement": { + "CHS": "要求;必要条件;必需品", + "ENG": "something that someone needs or asks for" + }, + "tantamount": { + "CHS": "同等的;相当于…的", + "ENG": "If you say that one thing is tantamount to another, more serious thing, you are emphasizing how bad, unacceptable, or unfortunate the first thing is by comparing it to the second thing" + }, + "vehement": { + "CHS": "激烈的,猛烈的;热烈的", + "ENG": "showing very strong feelings or opinions" + }, + "currently": { + "CHS": "当前;一般地", + "ENG": "at the present time" + }, + "announcer": { + "CHS": "[广播] 广播员;宣告者", + "ENG": "someone who gives information to people using a loudspeaker or microphone , especially at an airport or railway station" + }, + "fervent": { + "CHS": "热心的;强烈的;炽热的;热烈的", + "ENG": "believing or feeling something very strongly and sincerely" + }, + "vibrant": { + "CHS": "(Vibrant)人名;(德)维布兰特" + }, + "instrument": { + "CHS": "仪器;工具;乐器;手段;器械", + "ENG": "a small tool used in work such as science or medicine" + }, + "victory": { + "CHS": "胜利;成功;克服", + "ENG": "a situation in which you win a battle, game, election, or dispute" + }, + "repeat": { + "CHS": "重复;副本", + "ENG": "the sign that tells a performer to play a piece of music again, or the music that is played again" + }, + "evolutionary": { + "CHS": "进化的;发展的;渐进的", + "ENG": "relating to the way in which plants and animals develop and change gradually over a long period of time" + }, + "seller": { + "CHS": "卖方,售货员", + "ENG": "someone who sells something" + }, + "fame": { + "CHS": "使闻名,使有名望" + }, + "belie": { + "CHS": "掩饰;与…不符;使失望;证明…虚假错误", + "ENG": "to give someone a false idea about something" + }, + "shortchange": { + "CHS": "欺骗;(找钱时故意)少找零钱" + }, + "warn": { + "CHS": "(Warn)人名;(英)沃恩;(德)瓦恩" + }, + "eliminate": { + "CHS": "消除;排除", + "ENG": "to completely get rid of something that is unnecessary or unwanted" + }, + "jog": { + "CHS": "慢跑;轻推,轻撞", + "ENG": "a slow steady run, especially done as a way of exercising" + }, + "rig": { + "CHS": "操纵;装配;装扮;装上索具", + "ENG": "to dishonestly arrange the result of an election or competition before it happens" + }, + "breathless": { + "CHS": "喘不过气来的;停止呼吸的", + "ENG": "having difficulty breathing, especially because you are very tired, excited, or frightened" + }, + "whisker": { + "CHS": "[晶体] 晶须;胡须;腮须", + "ENG": "one of the long stiff hairs that grow near the mouth of a cat, mouse etc" + }, + "physician": { + "CHS": "[医] 医师;内科医师", + "ENG": "a doctor" + }, + "troupe": { + "CHS": "巡回演出" + }, + "dangle": { + "CHS": "(Dangle)人名;(法)当格勒" + }, + "scientist": { + "CHS": "科学家", + "ENG": "someone who works or is trained in science" + }, + "stable": { + "CHS": "被关在马厩", + "ENG": "to put or keep a horse in a stable" + }, + "shipboard": { + "CHS": "船;舷侧" + }, + "fake": { + "CHS": "伪造的", + "ENG": "made to look like a real material or object in order to deceive people" + }, + "trawler": { + "CHS": "拖网渔船;拖网捕鱼的人", + "ENG": "a fishing boat that uses a trawl net" + }, + "timely": { + "CHS": "及时地;早" + }, + "bewitch": { + "CHS": "施魔法于,蛊惑;使着迷", + "ENG": "to make someone feel so interested or attracted that they cannot think clearly" + }, + "golden": { + "CHS": "(Golden)人名;(英、法、罗、德、瑞典)戈尔登" + }, + "chief": { + "CHS": "主要地;首要地" + }, + "rove": { + "CHS": "流浪;徘徊;粗纺线", + "ENG": "the act of roving " + }, + "generalise": { + "CHS": "概括;归纳;普及" + }, + "pea": { + "CHS": "豌豆", + "ENG": "a round green seed that is cooked and eaten as a vegetable, or the plant on which these seeds grow" + }, + "inspiring": { + "CHS": "鼓舞;激发;使感悟(inspire的ing形式)" + }, + "quadruple": { + "CHS": "四倍" + }, + "grasshopper": { + "CHS": "见异思迁;蚱蜢似地跳" + }, + "striped": { + "CHS": "被剥去(strip的过去分词)" + }, + "fellow": { + "CHS": "使…与另一个对等;使…与另一个匹敌" + }, + "saxophone": { + "CHS": "萨克斯管", + "ENG": "a curved musical instrument made of metal that you play by blowing into it and pressing buttons, used especially in popular music and jazz " + }, + "sign": { + "CHS": "签署;签名", + "ENG": "to write your signature on something to show that you wrote it, agree with it, or were present" + }, + "proud": { + "CHS": "(Proud)人名;(英)普劳德" + }, + "software": { + "CHS": "软件", + "ENG": "the sets of programs that tell a computer how to do a particular job" + }, + "name": { + "CHS": "姓名的;据以取名的" + }, + "fancy": { + "CHS": "想象;喜爱;设想;自负", + "ENG": "to like or want something, or want to do something" + }, + "as": { + "CHS": "同样地;和…一样的" + }, + "corrode": { + "CHS": "侵蚀;损害", + "ENG": "if metal corrodes, or if something corrodes it, it is slowly destroyed by the effect of water, chemicals etc" + }, + "viewpoint": { + "CHS": "观点,看法;视角", + "ENG": "a particular way of thinking about a problem or subject" + }, + "slightly": { + "CHS": "些微地,轻微地;纤细地", + "ENG": "Slightly means to some degree but not to a very large degree" + }, + "relax": { + "CHS": "放松,休息;松懈,松弛;变从容;休养", + "ENG": "to rest or do something that is enjoyable, especially after you have been working" + }, + "mongrel": { + "CHS": "杂种的;混血儿的" + }, + "porcelain": { + "CHS": "瓷制的;精美的" + }, + "deflect": { + "CHS": "使转向;使偏斜;使弯曲", + "ENG": "if someone or something deflects something that is moving, or if it deflects, it turns in a different direction" + }, + "approximate": { + "CHS": "[数] 近似的;大概的", + "ENG": "an approximate number, amount, or time is close to the exact number, amount etc, but could be a little bit more or less than it" + }, + "formalise": { + "CHS": "使成为正式" + }, + "escapee": { + "CHS": "逃避者;逃亡者", + "ENG": "someone who has escaped from somewhere" + }, + "ulcer": { + "CHS": "[病理] 溃疡;腐烂物;道德败坏", + "ENG": "a sore area on your skin or inside your body that may bleed or produce poisonous substances" + }, + "reconcile": { + "CHS": "使一致;使和解;调停,调解;使顺从", + "ENG": "if you reconcile two ideas, situations, or facts, you find a way in which they can both be true or acceptable" + }, + "unfamiliar": { + "CHS": "不熟悉的;不常见的;没有经验的", + "ENG": "not known to you" + }, + "steamer": { + "CHS": "轮船;蒸汽机;蒸笼", + "ENG": "a steamship " + }, + "hoover": { + "CHS": "用吸尘器打扫", + "ENG": "to clean a floor, carpet etc using a vacuum cleaner (= a machine that sucks up dirt ) " + }, + "default": { + "CHS": "违约;缺席;缺乏;系统默认值", + "ENG": "failure to pay money that you owe at the right time" + }, + "manger": { + "CHS": "马槽;牛槽;挡水板", + "ENG": "a long open container that horses, cattle etc eat from" + }, + "programmer": { + "CHS": "[自][计] 程序设计员", + "ENG": "someone whose job is to write computer programs" + }, + "detriment": { + "CHS": "损害;伤害;损害物", + "ENG": "harm or damage" + }, + "pedal": { + "CHS": "脚的;脚踏的", + "ENG": "of or relating to the foot or feet " + }, + "dustman": { + "CHS": "清洁工人", + "ENG": "someone whose job is to remove waste from dustbin s " + }, + "harrow": { + "CHS": "耙地;使苦恼", + "ENG": "to draw a harrow over (land) " + }, + "irritating": { + "CHS": "刺激(irritate的ing形式);激怒" + }, + "binding": { + "CHS": "捆绑(bind的ing形式)" + }, + "husk": { + "CHS": "削皮;以粗哑的嗓音说" + }, + "under": { + "CHS": "下面的;从属的" + }, + "flexitime": { + "CHS": "弹性上班制(等于flextime)", + "ENG": "a system in which people work a particular number of hours each week or month, but can change the times at which they start and finish each day" + }, + "desiccate": { + "CHS": "变干" + }, + "precipitate": { + "CHS": "突如其来的;猛地落下的;急促的", + "ENG": "A precipitate action or decision happens or is made more quickly or suddenly than most people think is sensible" + }, + "negotiate": { + "CHS": "谈判,商议;转让;越过", + "ENG": "to discuss something in order to reach an agreement, especially in business or politics" + }, + "courteous": { + "CHS": "有礼貌的;谦恭的", + "ENG": "polite and showing respect for other people" + }, + "neurological": { + "CHS": "神经病学的,神经学上的", + "ENG": "Neurological means related to the nervous system" + }, + "institute": { + "CHS": "学会,协会;学院", + "ENG": "an organization that has a particular purpose such as scientific or educational work, or the building where this organization is based" + }, + "insufficient": { + "CHS": "不足的,不充足的;不胜任的;缺乏能力的", + "ENG": "not enough, or not great enough" + }, + "airway": { + "CHS": "导气管;空中航线;通风孔", + "ENG": "the passage in your throat that you breathe through" + }, + "sergeant": { + "CHS": "军士;警察小队长;海军陆战队中士;高等律师", + "ENG": "a low rank in the army, air force, police etc, or someone who has this rank" + }, + "deduction": { + "CHS": "扣除,减除;推论;减除额", + "ENG": "the process of using the knowledge or information you have in order to understand something or form an opinion, or the opinion that you form" + }, + "extortionate": { + "CHS": "敲诈的;勒索的;过高的", + "ENG": "an extortionate price, demand etc is unreasonably high" + }, + "scruple": { + "CHS": "有顾忌;踌躇" + }, + "mixture": { + "CHS": "混合;混合物;混合剂", + "ENG": "a combination of two or more different things, feelings, or types of people" + }, + "exquisite": { + "CHS": "服饰过于讲究的男子" + }, + "postcard": { + "CHS": "明信片", + "ENG": "a card that can be sent in the post without an envelope, especially one with a picture on it" + }, + "superiority": { + "CHS": "优越,优势;优越性", + "ENG": "the quality of being better, more skilful, more powerful etc than other people or things" + }, + "rhythm": { + "CHS": "节奏;韵律", + "ENG": "a regular repeated pattern of sounds or movements" + }, + "sheet": { + "CHS": "片状的" + }, + "enjoyable": { + "CHS": "快乐的;有乐趣的;令人愉快的", + "ENG": "something enjoyable gives you pleasure" + }, + "mist": { + "CHS": "下雾;变模糊" + }, + "rancour": { + "CHS": "深仇;敌意", + "ENG": "a feeling of hatred and anger towards someone you cannot forgive because they harmed you in the past" + }, + "idiom": { + "CHS": "成语,习语;土话", + "ENG": "a group of words that has a special meaning that is different from the ordinary meaning of each separate word. For example, ‘under the weather’ is an idiom meaning ‘ill’." + }, + "packet": { + "CHS": "包装,打包" + }, + "domestic": { + "CHS": "国货;佣人", + "ENG": "a servant who works in a large house" + }, + "reverence": { + "CHS": "敬畏;尊敬" + }, + "repress": { + "CHS": "抑制;镇压(叛乱等);约束", + "ENG": "if someone represses upsetting feelings, memories etc, they do not allow themselves to express or think about them" + }, + "avenge": { + "CHS": "替…报仇", + "ENG": "to do something to hurt or punish someone because they have harmed or offended you" + }, + "rover": { + "CHS": "漫游者;流浪者;漂泊者", + "ENG": "a person who roves; wanderer " + }, + "loathe": { + "CHS": "讨厌,厌恶", + "ENG": "to hate someone or something very much" + }, + "especially": { + "CHS": "特别;尤其;格外", + "ENG": "used to emphasize that something is more important or happens more with one particular thing than with others" + }, + "parliamentary": { + "CHS": "议会的;国会的;议会制度的", + "ENG": "relating to or governed by a parliament" + }, + "kind": { + "CHS": "和蔼的;宽容的;令人感激的", + "ENG": "saying or doing things that show that you care about other people and want to help them or make them happy" + }, + "virginal": { + "CHS": "十六、七世纪的小型有键乐器" + }, + "master": { + "CHS": "主人的;主要的;熟练的", + "ENG": "most important or main" + }, + "tantrum": { + "CHS": "发脾气;发怒", + "ENG": "a sudden short period when someone, especially a child, behaves very angrily and unreasonably" + }, + "obvious": { + "CHS": "明显的;显著的;平淡无奇的", + "ENG": "easy to notice or understand" + }, + "stag": { + "CHS": "不带女伴参加晚会" + }, + "befit": { + "CHS": "适合于;为…该做的;对…适当", + "ENG": "to be proper or suitable for someone or something" + }, + "minute": { + "CHS": "微小的,详细的 [maɪˈnjuːt; US -ˈnuːt; maɪˋnut]", + "ENG": "extremely small" + }, + "defunct": { + "CHS": "死者" + }, + "accompany": { + "CHS": "陪伴,伴随;伴奏", + "ENG": "to go somewhere with someone" + }, + "stupefaction": { + "CHS": "麻醉;昏迷;麻木状态" + }, + "didactic": { + "CHS": "说教的;教诲的", + "ENG": "speech or writing that is didactic is intended to teach people a moral lesson" + }, + "litter": { + "CHS": "乱丢;给…垫褥草;把…弄得乱七八糟", + "ENG": "if things litter an area, there are a lot of them in that place, scattered in an untidy way" + }, + "explode": { + "CHS": "爆炸,爆发;激增", + "ENG": "to burst, or to make something burst, into small pieces, usually with a loud noise and in a way that causes damage" + }, + "retail": { + "CHS": "零售的" + }, + "sway": { + "CHS": "影响;摇摆;统治", + "ENG": "power to rule or influence people" + }, + "finished": { + "CHS": "完成;结束;毁掉(finish的过去分词形式)" + }, + "indisposed": { + "CHS": "使厌恶,使不适当,使不能(indispose的过去式)" + }, + "dominant": { + "CHS": "显性" + }, + "disenchant": { + "CHS": "使清醒;使不抱幻想", + "ENG": "to make disappointed or disillusioned " + }, + "stationary": { + "CHS": "不动的人;驻军" + }, + "oath": { + "CHS": "誓言,誓约;诅咒,咒骂", + "ENG": "a formal and very serious promise" + }, + "prophesy": { + "CHS": "预言;预告", + "ENG": "to say what will happen in the future, especially using religious or magical knowledge" + }, + "exclaim": { + "CHS": "呼喊,惊叫;大声叫嚷", + "ENG": "to say something suddenly and loudly because you are surprised, angry, or excited" + }, + "rap": { + "CHS": "轻敲", + "ENG": "a series of quick sharp hits or knocks" + }, + "gash": { + "CHS": "划开;砍入很深;(使)负深伤" + }, + "determiner": { + "CHS": "[语] 限定词;决定因素", + "ENG": "a word that is used before a noun in order to show which thing you mean. In the phrases ‘the car’ and ‘some cars’, ‘the’ and ‘some’ are determiners." + }, + "relent": { + "CHS": "变温和,变宽厚;减弱;缓和", + "ENG": "to change your attitude and become less strict or cruel towards someone" + }, + "revivify": { + "CHS": "使再生,使复活;使振奋精神", + "ENG": "to give new life and health to someone or something" + }, + "take": { + "CHS": "捕获量;看法;利益,盈益;(入场券的)售得金额" + }, + "outspoken": { + "CHS": "坦率的,直言不讳的", + "ENG": "expressing your opinions honestly and directly, even when doing this might annoy some people" + }, + "faculty": { + "CHS": "科,系;能力;全体教员", + "ENG": "all the teachers in a university" + }, + "skinny": { + "CHS": "皮的;皮包骨的;紧身的;小气的", + "ENG": "very thin, especially in a way that is unattractive" + }, + "mammoth": { + "CHS": "巨大的,庞大的;猛犸似的", + "ENG": "extremely large" + }, + "permission": { + "CHS": "允许,许可", + "ENG": "If someone who has authority over you gives you permission to do something, they say that they will allow you to do it" + }, + "offensive": { + "CHS": "攻势;攻击", + "ENG": "a planned military attack involving large forces over a long period" + }, + "polar": { + "CHS": "极面;极线" + }, + "three": { + "CHS": "三的,三个的" + }, + "rep": { + "CHS": "代表(representative);名声(reputation)" + }, + "postman": { + "CHS": "邮递员;邮差", + "ENG": "someone whose job is to collect and deliver letters" + }, + "disobedience": { + "CHS": "不服从;违反,违抗", + "ENG": "Disobedience is deliberately not doing what someone tells you to do, or what a rule or law says that you should do" + }, + "eclectic": { + "CHS": "折衷派的人;折衷主义者" + }, + "eyewitness": { + "CHS": "目击者;见证人", + "ENG": "someone who has seen something such as a crime happen, and is able to describe it afterwards" + }, + "compel": { + "CHS": "(Compel)人名;(法)孔佩尔" + }, + "conciliate": { + "CHS": "安抚,安慰;调和;驯服;怀柔;赢得", + "ENG": "to do something to make people more likely to stop arguing, especially by giving them something they want" + }, + "hassle": { + "CHS": "困难,麻烦;激战", + "ENG": "something that is annoying, because it causes problems or is difficult to do" + }, + "palace": { + "CHS": "宫殿;宅邸;豪华住宅", + "ENG": "the official home of a person of very high rank, especially a king or queen – often used in names" + }, + "lieu": { + "CHS": "代替;场所", + "ENG": "instead of" + }, + "goalkeeper": { + "CHS": "守门员", + "ENG": "the player in a sports team whose job is to try to stop the ball going into the goal" + }, + "salivary": { + "CHS": "唾液的;分泌唾液的" + }, + "sick": { + "CHS": "使狗去咬;呕吐;追击" + }, + "forum": { + "CHS": "论坛,讨论会;法庭;公开讨论的广场", + "ENG": "an organization, meeting, TV programme etc where people have a chance to publicly discuss an important subject" + }, + "saturate": { + "CHS": "浸透的,饱和的;深颜色的" + }, + "relevance": { + "CHS": "关联;适当;中肯" + }, + "mosaic": { + "CHS": "马赛克;镶嵌;镶嵌细工", + "ENG": "a pattern or picture made by fitting together small pieces of coloured stone, glass etc" + }, + "plead": { + "CHS": "借口;为辩护;托称", + "ENG": "to give a particular excuse for your actions" + }, + "convex": { + "CHS": "凸面体;凸状" + }, + "explosive": { + "CHS": "炸药;爆炸物", + "ENG": "a substance that can cause an explosion" + }, + "limp": { + "CHS": "跛行", + "ENG": "the way someone walks when they are limping" + }, + "shady": { + "CHS": "(Shady)人名;(阿拉伯)沙迪" + }, + "firework": { + "CHS": "烟火;激烈情绪", + "ENG": "a small container filled with powder that burns or explodes to produce coloured lights and noise in the sky" + }, + "glitter": { + "CHS": "闪光;灿烂", + "ENG": "brightness consisting of many flashing points of light" + }, + "seesaw": { + "CHS": "玩跷跷板;上下来回摇动" + }, + "firepower": { + "CHS": "火力", + "ENG": "the number of weapons that an army, military vehicle etc has available" + }, + "vindicate": { + "CHS": "维护;证明…无辜;证明…正确", + "ENG": "to prove that someone who was blamed for something is in fact not guilty" + }, + "rob": { + "CHS": "抢劫;使…丧失;非法剥夺", + "ENG": "to steal money or property from a person, bank etc" + }, + "disinterested": { + "CHS": "使不再有利害关系;使无兴趣(disinterest的过去分词)" + }, + "congratulate": { + "CHS": "祝贺;恭喜;庆贺", + "ENG": "to tell someone that you are happy because they have achieved something or because something nice has happened to them" + }, + "beat": { + "CHS": "筋疲力尽的;疲惫不堪的" + }, + "drawl": { + "CHS": "慢吞吞拉长调子的说话方式", + "ENG": "Drawl is also a noun" + }, + "romanticism": { + "CHS": "浪漫主义;浪漫精神", + "ENG": "a way of writing or painting that was popular in the late 18th and early 19th century, in which feelings, imagination, and wild natural beauty were considered more important than anything else" + }, + "qualification": { + "CHS": "资格;条件;限制;赋予资格", + "ENG": "if you have a qualification, you have passed an examination or course to show you have a particular level of skill or knowledge in a subject" + }, + "heartbeat": { + "CHS": "心跳;情感", + "ENG": "the action or sound of your heart as it pumps blood through your body" + }, + "mercy": { + "CHS": "仁慈,宽容;怜悯;幸运;善行", + "ENG": "if someone shows mercy, they choose to forgive or to be kind to someone who they have the power to hurt or punish" + }, + "setter": { + "CHS": "[机] 调节器;作曲者;排字工人;安装员,从事安装的人" + }, + "dependant": { + "CHS": "家眷;侍从;食客(等于dependent)" + }, + "hurricane": { + "CHS": "飓风,暴风", + "ENG": "a storm that has very strong fast winds and that moves over water" + }, + "coronation": { + "CHS": "加冕礼", + "ENG": "the ceremony at which someone is officially made king or queen" + }, + "dismiss": { + "CHS": "解散;解雇;开除;让离开;不予理会、不予考虑", + "ENG": "to remove someone from their job" + }, + "taste": { + "CHS": "尝;体验", + "ENG": "to experience or recognize the taste of food or drink" + }, + "sundry": { + "CHS": "杂货;杂项" + }, + "nowhere": { + "CHS": "不存在的;毫无结果的;不知名的" + }, + "lake": { + "CHS": "(使)血球溶解" + }, + "dunce": { + "CHS": "傻瓜;劣学生", + "ENG": "If you say that someone is a dunce, you think they are stupid because they find it difficult or impossible to learn what someone is trying to teach them" + }, + "explanation": { + "CHS": "说明,解释;辩解", + "ENG": "the reasons you give for why something happened or why you did something" + }, + "mecca": { + "CHS": "麦加(沙特阿拉伯一座城市);众人渴望去的地方", + "ENG": "a place that many people want to visit for a particular reason" + }, + "necessitate": { + "CHS": "使成为必需,需要;迫使", + "ENG": "to make it necessary for you to do something" + }, + "stoke": { + "CHS": "(Stoke)人名;(英)斯托克" + }, + "subversive": { + "CHS": "危险分子;颠覆分子", + "ENG": "someone who secretly tries to damage or destroy the government or an established system" + }, + "torrid": { + "CHS": "晒热的;热情的", + "ENG": "involving strong emotions, especially of sexual love" + }, + "incidence": { + "CHS": "发生率;影响;[光] 入射;影响范围", + "ENG": "the number of times something happens, especially crime, disease etc" + }, + "profiteer": { + "CHS": "[贸易] 奸商;牟取暴利的人" + }, + "exploratory": { + "CHS": "勘探的;探究的;考察的", + "ENG": "done in order to find out more about something" + }, + "pedigree": { + "CHS": "纯种的", + "ENG": "a pedigree animal comes from a family that has been recorded for a long time and is considered to be of a very good breed " + }, + "presidium": { + "CHS": "主席团", + "ENG": "a committee chosen to represent a large political organization, especially in a communist country" + }, + "rejuvenate": { + "CHS": "使年轻;使更新;使恢复精神;使复原", + "ENG": "to make someone look or feel young and strong again" + }, + "contend": { + "CHS": "竞争;奋斗;斗争;争论", + "ENG": "to compete against someone in order to gain something" + }, + "tyrannize": { + "CHS": "施行暴政;欺压", + "ENG": "to use power over someone cruelly or unfairly" + }, + "think": { + "CHS": "思想的" + }, + "insomuch": { + "CHS": "就此程度而言;由于", + "ENG": "to such an extent or degree " + }, + "fated": { + "CHS": "命中注定的,宿命的;受命运支配的", + "ENG": "certain to happen or to do something because a mysterious force is controlling events" + }, + "if": { + "CHS": "条件;设想", + "ENG": "used when saying what someone’s feelings are about a possible situation" + }, + "pass": { + "CHS": "经过;传递;变化;终止", + "ENG": "to come up to a particular place, person, or object and go past them" + }, + "tame": { + "CHS": "(Tame)人名;(捷)塔梅" + }, + "expansion": { + "CHS": "膨胀;阐述;扩张物", + "ENG": "when a company, business etc becomes larger by opening new shops, factories etc" + }, + "cost": { + "CHS": "费用,代价,成本;损失", + "ENG": "the amount of money that you have to pay in order to buy, do, or produce something" + }, + "diplomatic": { + "CHS": "外交的;外交上的;老练的", + "ENG": "relating to or involving the work of diplomats" + }, + "step": { + "CHS": "踏,踩;走", + "ENG": "to bring your foot down on something" + }, + "return": { + "CHS": "报答的;回程的;返回的", + "ENG": "used or paid for a journey from one place to another and back again" + }, + "influenza": { + "CHS": "[内科] 流行性感冒(简写flu);家畜流行性感冒", + "ENG": "an infectious disease that is like a very bad cold" + }, + "poppy": { + "CHS": "罂粟科的" + }, + "phase": { + "CHS": "月相", + "ENG": "one of a fixed number of changes in the appearance of the Moon or a planet when it is seen from the Earth" + }, + "immerse": { + "CHS": "沉浸;使陷入", + "ENG": "to put someone or something deep into a liquid so that they are completely covered" + }, + "fraudulent": { + "CHS": "欺骗性的;不正的", + "ENG": "intended to deceive people in an illegal way, in order to gain money, power etc" + }, + "creed": { + "CHS": "信条,教义", + "ENG": "a set of beliefs or principles" + }, + "exploit": { + "CHS": "勋绩;功绩" + }, + "doll": { + "CHS": "把…打扮得花枝招展" + }, + "subsidiary": { + "CHS": "子公司;辅助者", + "ENG": "a company that is owned or controlled by another larger company" + }, + "outlandish": { + "CHS": "古怪的;奇异的;异国风格的;偏僻的", + "ENG": "strange and unusual" + }, + "tangible": { + "CHS": "有形资产" + }, + "club": { + "CHS": "俱乐部的" + }, + "scarf": { + "CHS": "披嵌接;用围巾围" + }, + "year": { + "CHS": "年;年度;历年;年纪;一年的期间;某年级的学生", + "ENG": "a period of about 365 days or 12 months, measured from any particular time" + }, + "deed": { + "CHS": "立契转让" + }, + "regulate": { + "CHS": "调节,规定;控制;校准;有系统的管理", + "ENG": "to control an activity or process, especially by rules" + }, + "lunch": { + "CHS": "吃午餐;供给午餐", + "ENG": "to eat lunch" + }, + "personality": { + "CHS": "个性;品格;名人", + "ENG": "someone’s character, especially the way they behave towards other people" + }, + "extravagance": { + "CHS": "奢侈,浪费;过度;放肆的言行", + "ENG": "Extravagance is the spending of more money than is reasonable or than you can afford" + }, + "whiskey": { + "CHS": "威士忌酒的" + }, + "identification": { + "CHS": "鉴定,识别;认同;身份证明", + "ENG": "official papers or cards, such as your passport, that prove who you are" + }, + "ordinance": { + "CHS": "条例;法令;圣餐礼", + "ENG": "a law, usually of a city or town, that forbids or restricts an activity" + }, + "increase": { + "CHS": "增加,增大;繁殖", + "ENG": "if you increase something, or if it increases, it becomes bigger in amount, number, or degree" + }, + "reading": { + "CHS": "阅读(read的ing形式)" + }, + "rector": { + "CHS": "校长;院长;教区牧师", + "ENG": "a priest in some Christian churches who is responsible for a particular area, group etc" + }, + "offer": { + "CHS": "提议;出价;意图;录取通知书", + "ENG": "a statement saying that you are willing to do something for someone or give them something" + }, + "fission": { + "CHS": "裂变;分裂;分体;分裂生殖法", + "ENG": "the process of splitting an atom to produce large amounts of energy or an explosion" + }, + "eternal": { + "CHS": "永恒的;不朽的", + "ENG": "continuing for ever and having no end" + }, + "hooray": { + "CHS": "万岁" + }, + "unequivocal": { + "CHS": "明确的;不含糊的", + "ENG": "completely clear and without any possibility of doubt" + }, + "howl": { + "CHS": "嗥叫;怒号;嚎哭", + "ENG": "a long loud sound made by a dog, wolf , or other animal" + }, + "euphoria": { + "CHS": "精神欢快,[临床] 欣快;兴高采烈;欣快症;幸福愉快感" + }, + "chant": { + "CHS": "唱;诵扬", + "ENG": "to repeat a word or phrase again and again" + }, + "crown": { + "CHS": "加冕;居…之顶;表彰;使圆满完成", + "ENG": "to place a crown on the head of a new king or queen as part of an official ceremony in which they become king or queen" + }, + "venomous": { + "CHS": "有毒的;恶毒的;分泌毒液的;怨恨的", + "ENG": "full of hatred or anger" + }, + "Greek": { + "CHS": "希腊的;希腊人的,希腊语的", + "ENG": "relating to Greece, its people, or its language" + }, + "news": { + "CHS": "新闻,消息;新闻报导", + "ENG": "information about something that has happened recently" + }, + "execute": { + "CHS": "实行;执行;处死", + "ENG": "to kill someone, especially legally as a punishment" + }, + "bounty": { + "CHS": "以赏金等形式发放" + }, + "warm": { + "CHS": "取暖;加热" + }, + "rigorous": { + "CHS": "严格的,严厉的;严密的;严酷的", + "ENG": "careful, thorough, and exact" + }, + "conductor": { + "CHS": "导体;售票员;领导者;管理人", + "ENG": "someone whose job is to collect payments from passengers on a bus" + }, + "dated": { + "CHS": "注有日期(date的过去式和过去分词)" + }, + "stretcher": { + "CHS": "担架;延伸器", + "ENG": "a type of bed used for carrying someone who is too injured or ill to walk" + }, + "verdure": { + "CHS": "碧绿", + "ENG": "flourishing green vegetation or its colour " + }, + "fascism": { + "CHS": "法西斯主义;极端国家主义", + "ENG": "a right-wing political system in which people’s lives are completely controlled by the state and no political opposition is allowed" + }, + "good": { + "CHS": "好", + "ENG": "well. Many teachers think this is not correct English" + }, + "dress": { + "CHS": "连衣裙;女装", + "ENG": "a piece of clothing worn by a woman or girl that covers the top of her body and part or all of her legs" + }, + "servile": { + "CHS": "奴隶的;奴性的;卑屈的;卑屈的", + "ENG": "very eager to obey someone because you want to please them – used to show disapproval" + }, + "retainer": { + "CHS": "保持器;家臣;保持者;[机] 护圈;预付费用", + "ENG": "a reduced amount of rent that you pay for a room, flat etc when you are not there, so that it will still be available when you return" + }, + "fellowship": { + "CHS": "团体;友谊;奖学金;研究员职位", + "ENG": "a feeling of friendship resulting from shared interests or experiences" + }, + "fearful": { + "CHS": "可怕的;担心的;严重的", + "ENG": "frightened that something bad might happen" + }, + "exterminate": { + "CHS": "消灭;根除", + "ENG": "to kill large numbers of people or animals of a particular type so that they no longer exist" + }, + "harpoon": { + "CHS": "鱼叉", + "ENG": "a weapon used for hunting whales" + }, + "wide": { + "CHS": "大千世界" + }, + "interior": { + "CHS": "内部的;国内的;本质的", + "ENG": "inside or indoors" + }, + "lug": { + "CHS": "用力拉或拖", + "ENG": "to pull or carry something heavy with difficulty" + }, + "vocalization": { + "CHS": "发声,发音;发声法" + }, + "linen": { + "CHS": "亚麻的;亚麻布制的" + }, + "Scandinavian": { + "CHS": "斯堪的纳维亚的;斯堪的纳维亚人的;斯堪的纳维亚语的;北欧日耳曼语系的", + "ENG": "Scandinavian means belonging or relating to a group of northern European countries that includes Denmark, Norway, and Sweden, or to the people, languages, or culture of those countries" + }, + "sneer": { + "CHS": "嘲笑,冷笑", + "ENG": "an unkind smile or remark that shows you have no respect for something or someone" + }, + "commend": { + "CHS": "推荐;称赞;把…委托", + "ENG": "to praise or approve of someone or something publicly" + }, + "concrete": { + "CHS": "具体物;凝结物" + }, + "personage": { + "CHS": "要人;角色;名士", + "ENG": "a person, usually someone famous or important" + }, + "container": { + "CHS": "集装箱;容器", + "ENG": "something such as a box or bowl that you use to keep things in" + }, + "clerk": { + "CHS": "当销售员,当店员;当职员", + "ENG": "to work as a clerk" + }, + "interdependent": { + "CHS": "相互依赖的;互助的", + "ENG": "depending on or necessary to each other" + }, + "clamp": { + "CHS": "夹钳,螺丝钳", + "ENG": "a piece of equipment for holding things together" + }, + "waterway": { + "CHS": "航道;水路;排水沟", + "ENG": "a river or canal that boats travel on" + }, + "five": { + "CHS": "五的;五个的" + }, + "complexion": { + "CHS": "使增添色彩" + }, + "transitory": { + "CHS": "短暂的,暂时的;瞬息的", + "ENG": "continuing or existing for only a short time" + }, + "strict": { + "CHS": "严格的;绝对的;精确的;详细的", + "ENG": "expecting people to obey rules or to do what you say" + }, + "accordion": { + "CHS": "手风琴", + "ENG": "a musical instrument like a large box that you hold in both hands. You play it by pressing the sides together and pulling them out again, while you push buttons and key s ." + }, + "heatstroke": { + "CHS": "[中医] 中暑", + "ENG": "fever and weakness caused by being outside in the heat of the sun for too long" + }, + "sportswoman": { + "CHS": "女运动家;女运动员", + "ENG": "a woman who plays many different sports" + }, + "cheek": { + "CHS": "无礼地向…讲话,对…大胆无礼", + "ENG": "to speak rudely or with disrespect to someone, especially to someone older such as your teacher or parents" + }, + "decoration": { + "CHS": "装饰,装潢;装饰品;奖章", + "ENG": "something pretty that you put in a place or on top of something to make it look attractive" + }, + "announce": { + "CHS": "宣布;述说;预示;播报", + "ENG": "to officially tell people about something, especially about a plan or a decision" + }, + "forte": { + "CHS": "响亮地" + }, + "slab": { + "CHS": "把…分成厚片;用石板铺" + }, + "bogus": { + "CHS": "伪币" + }, + "diploma": { + "CHS": "发给…毕业文凭" + }, + "bookkeeping": { + "CHS": "记帐,簿记", + "ENG": "Bookkeeping is the job or activity of keeping an accurate record of the money that is spent and received by a business or other organization" + }, + "bike": { + "CHS": "骑自行车(或摩托车)", + "ENG": "to ride a bicycle" + }, + "pensioner": { + "CHS": "领养老金者;领取抚恤金者", + "ENG": "someone who receives a pension" + }, + "synoptic": { + "CHS": "天气的;概要的;对观福音书的" + }, + "bitter": { + "CHS": "使变苦" + }, + "sanctification": { + "CHS": "神圣化,神灵化" + }, + "seize": { + "CHS": "抓住;夺取;理解;逮捕", + "ENG": "to take hold of something suddenly and violently" + }, + "industrial": { + "CHS": "工业股票;工业工人" + }, + "pouch": { + "CHS": "成袋状" + }, + "feat": { + "CHS": "合适的;灵巧的" + }, + "entree": { + "CHS": "(美)主菜;(法)入场许可" + }, + "rocket": { + "CHS": "火箭", + "ENG": "a vehicle used for travelling or carrying things into space, which is shaped like a big tube" + }, + "husband": { + "CHS": "丈夫", + "ENG": "the man that a woman is married to" + }, + "moonlight": { + "CHS": "兼职,夜袭", + "ENG": "to have a second job in addition to your main job, especially without the knowledge of the government tax department" + }, + "inquisition": { + "CHS": "调查;宗教法庭;审讯", + "ENG": "a Roman Catholic organization in the past whose aim was to find and punish people who had unacceptable religious beliefs" + }, + "matinee": { + "CHS": "白天举行的音乐会;妇女便装之一种" + }, + "transformation": { + "CHS": "[遗] 转化;转换;改革;变形", + "ENG": "a complete change in someone or something" + }, + "famous": { + "CHS": "著名的;极好的,非常令人满意的", + "ENG": "known about by many people in many places" + }, + "abbey": { + "CHS": "大修道院,大寺院;修道院中全体修士或修女", + "ENG": "a large church with buildings next to it where monk s and nun s live or used to live" + }, + "serviceable": { + "CHS": "有用的,可供使用的;耐用的", + "ENG": "ready or able to be used" + }, + "action": { + "CHS": "行动;活动;功能;战斗;情节", + "ENG": "the process of doing something, especially in order to achieve a particular thing" + }, + "underbrush": { + "CHS": "林下灌木丛;矮树丛", + "ENG": "bushes, small trees etc growing under and around larger trees in a forest" + }, + "clam": { + "CHS": "蛤;沉默寡言的人;钳子", + "ENG": "a shellfish you can eat that has a shell in two parts that open up" + }, + "bridegroom": { + "CHS": "新郎", + "ENG": "a man at the time he gets married, or just after he is married" + }, + "unpopular": { + "CHS": "不流行的,不受欢迎的", + "ENG": "not liked by most people" + }, + "pollute": { + "CHS": "污染;玷污;败坏", + "ENG": "to make air, water, soil etc dangerously dirty and not suitable for people to use" + }, + "guilt": { + "CHS": "犯罪,过失;内疚", + "ENG": "a strong feeling of shame and sadness because you know that you have done something wrong" + }, + "aberrant": { + "CHS": "异常的;畸变的;脱离常轨的;迷乱的", + "ENG": "not usual or normal" + }, + "disbelief": { + "CHS": "怀疑,不信", + "ENG": "a feeling that something is not true or does not exist" + }, + "applicable": { + "CHS": "可适用的;可应用的;合适的", + "ENG": "if something is applicable to a particular person, group, or situation, it affects them or is related to them" + }, + "universe": { + "CHS": "宇宙;世界;领域", + "ENG": "all space, including all the stars and planets" + }, + "overt": { + "CHS": "明显的;公然的;蓄意的", + "ENG": "An overt action or attitude is done or shown in an open and obvious way" + }, + "repository": { + "CHS": "贮藏室,仓库;知识库;智囊团", + "ENG": "a place or container in which large quantities of something are stored" + }, + "exhaustive": { + "CHS": "详尽的;彻底的;消耗的", + "ENG": "extremely thorough and complete" + }, + "sadness": { + "CHS": "悲哀", + "ENG": "the state of feeling sad" + }, + "November": { + "CHS": "十一月", + "ENG": "the 11th month of the year, between October and December" + }, + "cohesive": { + "CHS": "凝聚的;有结合力的;紧密结合的;有粘着力的", + "ENG": "connected or related in a reasonable way to form a whole" + }, + "nineteen": { + "CHS": "十九", + "ENG": "the number 19" + }, + "converge": { + "CHS": "使汇聚", + "ENG": "if groups of people converge in a particular place, they come there from many different places and meet together to form a large crowd" + }, + "impersonate": { + "CHS": "扮演;模仿;拟人,人格化", + "ENG": "to copy someone’s voice and behaviour, especially in order to make people laugh" + }, + "accomplish": { + "CHS": "完成;实现;达到", + "ENG": "to succeed in doing something, especially after trying very hard" + }, + "wedding": { + "CHS": "与…结婚(wed的ing形式)" + }, + "kick": { + "CHS": "踢;反冲,后座力", + "ENG": "Kick is also a noun" + }, + "supermarket": { + "CHS": "超级市场;自助售货商店", + "ENG": "a very large shop that sells food, drinks, and things that people need regularly in their homes" + }, + "robe": { + "CHS": "穿长袍" + }, + "anaemia": { + "CHS": "贫血(症);无活力;脸色苍白", + "ENG": "a medical condition in which there are too few red cells in your blood" + }, + "tidy": { + "CHS": "椅子的背罩" + }, + "Briton": { + "CHS": "英国人;大不列颠人", + "ENG": "someone from Britain" + }, + "brandy": { + "CHS": "白兰地酒", + "ENG": "a strong alcoholic drink made from wine, or a glass of this drink" + }, + "oversea": { + "CHS": "国外;向国外,向海外" + }, + "characterise": { + "CHS": "刻划……的性格;表示……的特性" + }, + "bookstall": { + "CHS": "书报摊", + "ENG": "a small shop that has an open front and sells books and magazines, often at a railway station" + }, + "surname": { + "CHS": "给…起别名;给…姓氏" + }, + "cannon": { + "CHS": "炮轰;开炮" + }, + "rose": { + "CHS": "起义( rise的过去式);升起;(数量)增加;休会" + }, + "behind": { + "CHS": "屁股", + "ENG": "the part of your body that you sit on" + }, + "cricket": { + "CHS": "板球,板球运动;蟋蟀", + "ENG": "a game between two teams of 11 players in which players try to get points by hitting a ball and running between two sets of three sticks" + }, + "stalemate": { + "CHS": "使僵持;使陷入困境" + }, + "millimetre": { + "CHS": "毫米;公厘", + "ENG": "a unit for measuring length. There are 1,000 millimetres in one metre." + }, + "aspect": { + "CHS": "方面;方向;形势;外貌", + "ENG": "one part of a situation, idea, plan etc that has many parts" + }, + "agony": { + "CHS": "苦恼;极大的痛苦;临死的挣扎", + "ENG": "very severe pain" + }, + "estrange": { + "CHS": "使疏远;离间" + }, + "market": { + "CHS": "在市场上出售", + "ENG": "to make a product available in shops" + }, + "bicycle": { + "CHS": "骑脚踏车", + "ENG": "to go somewhere by bicycle" + }, + "honk": { + "CHS": "发雁鸣或汽车喇叭声" + }, + "desperately": { + "CHS": "拼命地;绝望地;极度地", + "ENG": "in a desperate way" + }, + "gramme": { + "CHS": "克" + }, + "malady": { + "CHS": "弊病;疾病;腐败", + "ENG": "an illness" + }, + "miner": { + "CHS": "矿工;开矿机", + "ENG": "someone who works under the ground in a mine to remove coal, gold etc" + }, + "likeness": { + "CHS": "相似,相像;样子,肖像;照片,画像;相似物", + "ENG": "the quality of being similar in appearance to someone or something" + }, + "contempt": { + "CHS": "轻视,蔑视;耻辱", + "ENG": "a feeling that someone or something is not important and deserves no respect" + }, + "injurious": { + "CHS": "有害的;诽谤的", + "ENG": "causing injury, harm, or damage" + }, + "rink": { + "CHS": "溜冰" + }, + "ace": { + "CHS": "太棒了;太好了" + }, + "neck": { + "CHS": "搂著脖子亲吻;变狭窄", + "ENG": "if two people are necking, they kiss for a long time in a sexual way" + }, + "instructive": { + "CHS": "有益的;教育性的", + "ENG": "providing a lot of useful information" + }, + "succession": { + "CHS": "连续;继位;继承权;[生态] 演替", + "ENG": "happening one after the other without anything diffe-rent happening in between" + }, + "enclose": { + "CHS": "围绕;装入;放入封套", + "ENG": "to put something inside an envelope as well as a letter" + }, + "highlight": { + "CHS": "最精彩的部分;最重要的事情;加亮区", + "ENG": "the most important, interesting, or enjoyable part of something such as a holiday, performance, or sports competition" + }, + "extremism": { + "CHS": "极端主义(尤指政治上的极右或极左);极端性;过激主义", + "ENG": "opinions, ideas, and actions, especially political or religious ones, that most people think are unreasonable and unacceptable" + }, + "fiftieth": { + "CHS": "第五十的;五十分之一的" + }, + "conflict": { + "CHS": "冲突,抵触;争执;战斗", + "ENG": "if two ideas, beliefs, opinions etc conflict, they cannot exist together or both be true" + }, + "eventually": { + "CHS": "最后,终于", + "ENG": "after a long time, or after a lot of things have happened" + }, + "harelip": { + "CHS": "兔唇,[口腔] 唇裂", + "ENG": "an offensive word for the condition of having your top lip divided into two parts because it did not develop correctly before birth" + }, + "advocacy": { + "CHS": "主张;拥护;辩护", + "ENG": "public support for a course of action or way of doing things" + }, + "flagship": { + "CHS": "旗舰;(作定语)一流;佼佼者", + "ENG": "the most important ship in a group of ships belonging to the navy" + }, + "gamble": { + "CHS": "赌博;冒险;打赌", + "ENG": "an action or plan that involves a risk but that you hope will succeed" + }, + "superior": { + "CHS": "上级,长官;优胜者,高手;长者", + "ENG": "someone who has a higher rank or position than you, especially in a job" + }, + "deceive": { + "CHS": "欺骗;行骗", + "ENG": "to make someone believe something that is not true" + }, + "accuracy": { + "CHS": "[数] 精确度,准确性", + "ENG": "the ability to do something in an exact way without making a mistake" + }, + "imitation": { + "CHS": "人造的,仿制的", + "ENG": "Imitation things are not genuine but are made to look as if they are" + }, + "softly": { + "CHS": "温柔地;柔和地;柔软地;静静地" + }, + "vaguely": { + "CHS": "含糊地;暧昧地;茫然地", + "ENG": "not clearly or exactly" + }, + "swan": { + "CHS": "游荡,闲荡" + }, + "rest": { + "CHS": "休息,静止;休息时间;剩余部分;支架", + "ENG": "a period of time when you are not doing anything tiring and you can relax or sleep" + }, + "cash": { + "CHS": "将…兑现;支付现款", + "ENG": "If you cash a cheque, you exchange it at a bank for the amount of money that it is worth" + }, + "same": { + "CHS": "(Same)人名;(意)萨梅" + }, + "earthly": { + "CHS": "地球的;尘世的;可能的", + "ENG": "connected with life on Earth rather than in heaven" + }, + "bypass": { + "CHS": "旁路;[公路] 支路", + "ENG": "a road that goes around a town or other busy area rather than through it" + }, + "duly": { + "CHS": "(Duly)人名;(英)杜利" + }, + "particle": { + "CHS": "颗粒;[物] 质点;极小量;小品词", + "ENG": "a very small piece of something" + }, + "rota": { + "CHS": "值班名册;轮值表", + "ENG": "a register of names showing the order in which people take their turn to perform certain duties " + }, + "topsoil": { + "CHS": "表层土;上层土", + "ENG": "the upper level of soil in which most plants have their roots" + }, + "entangle": { + "CHS": "使纠缠;卷入;使混乱", + "ENG": "to involve someone in an argument, a relationship, or a situation that is difficult to escape from" + }, + "substitution": { + "CHS": "代替;[数] 置换;代替物", + "ENG": "when someone or something is replaced by someone or something else, or the person or thing being replaced" + }, + "inspire": { + "CHS": "激发;鼓舞;启示;产生;使生灵感", + "ENG": "to encourage someone by making them feel confident and eager to do something" + }, + "repay": { + "CHS": "偿还;报答;报复", + "ENG": "to pay back money that you have borrowed" + }, + "disposal": { + "CHS": "处理;支配;清理;安排", + "ENG": "when you get rid of something" + }, + "accountancy": { + "CHS": "会计工作;会计学;会计师之职", + "ENG": "the profession or work of keeping or checking financial accounts, calculating taxes etc" + }, + "Scotch": { + "CHS": "苏格兰人的;苏格兰语的" + }, + "racial": { + "CHS": "种族的;人种的", + "ENG": "relating to the relationships between different races of people who now live in the same country or area" + }, + "radiant": { + "CHS": "光点;发光的物体" + }, + "overtime": { + "CHS": "加班地" + }, + "confer": { + "CHS": "(Confer)人名;(英)康弗" + }, + "squadron": { + "CHS": "把…编成中队" + }, + "bedding": { + "CHS": "睡(bed的ing形式)" + }, + "fee": { + "CHS": "付费给……" + }, + "politburo": { + "CHS": "(共产党中央委员会的)政治局;类似政治局的决策控制机构", + "ENG": "the most important decision-making committee of a Communist party or Communist government" + }, + "preach": { + "CHS": "说教" + }, + "gazette": { + "CHS": "在报上刊载" + }, + "worship": { + "CHS": "崇拜;尊敬;爱慕", + "ENG": "to show respect and love for a god, especially by praying in a religious building" + }, + "accommodation": { + "CHS": "住处,膳宿;调节;和解;预订铺位", + "ENG": "a place for someone to stay, live, or work" + }, + "wrong": { + "CHS": "委屈;无理地对待;诽谤", + "ENG": "Wrong is also an adverb" + }, + "organisation": { + "CHS": "组织;团体(等于organization)" + }, + "disc": { + "CHS": "灌唱片" + }, + "motley": { + "CHS": "混杂;杂色衣服;小丑" + }, + "popularise": { + "CHS": "推广,普及;使…通俗化(等于popularize);使…受欢迎" + }, + "transparent": { + "CHS": "透明的;显然的;坦率的;易懂的", + "ENG": "if something is transparent, you can see through it" + }, + "blues": { + "CHS": "把…染成蓝色(blue的第三人称单数)" + }, + "combatant": { + "CHS": "战斗的;好斗的" + }, + "bisect": { + "CHS": "平分;二等分", + "ENG": "to divide something into two equal parts" + }, + "harbour": { + "CHS": "海港(等于harbor);避难所" + }, + "lighthouse": { + "CHS": "灯塔", + "ENG": "a tower with a powerful flashing light that guides ships away from danger" + }, + "delta": { + "CHS": "(河流的)三角洲;德耳塔(希腊字母的第四个字)", + "ENG": "the fourth letter of the Greek alphabet" + }, + "ethics": { + "CHS": "伦理学;伦理观;道德标准", + "ENG": "Ethics are moral beliefs and rules about right and wrong" + }, + "frozen": { + "CHS": "结冰(freeze的过去分词);凝固;变得刻板" + }, + "hiatus": { + "CHS": "裂缝,空隙;脱漏部分", + "ENG": "a space where something is missing, especially in a piece of writing" + }, + "hill": { + "CHS": "小山;丘陵;斜坡;山冈", + "ENG": "an area of land that is higher than the land around it, like a mountain but smaller" + }, + "energize": { + "CHS": "激励;使活跃;供给…能量", + "ENG": "To energize someone means to give them the enthusiasm and determination to do something" + }, + "circumference": { + "CHS": "圆周;周长;胸围", + "ENG": "the distance or measurement around the outside of a circle or any round shape" + }, + "ship": { + "CHS": "船;舰;太空船", + "ENG": "a large boat used for carrying people or goods across the sea" + }, + "farm": { + "CHS": "农场;农家;畜牧场", + "ENG": "an area of land used for growing crops or keeping animals" + }, + "humid": { + "CHS": "潮湿的;湿润的;多湿气的", + "ENG": "if the weather is humid, you feel uncomfortable because the air is very wet and usually hot" + }, + "interim": { + "CHS": "过渡时期,中间时期;暂定", + "ENG": "in the period of time between two events" + }, + "herd": { + "CHS": "成群,聚在一起", + "ENG": "to bring people together in a large group, especially roughly" + }, + "contaminate": { + "CHS": "污染,弄脏", + "ENG": "to make a place or substance dirty or harmful by putting something such as chemicals or poison in it" + }, + "shortly": { + "CHS": "立刻;简短地;唐突地", + "ENG": "soon" + }, + "impressionable": { + "CHS": "敏感的;易受影响的", + "ENG": "someone who is impressionable is easily influenced, especially because they are young" + }, + "wording": { + "CHS": "用词语表达;讲话(word的ing形式)" + }, + "radioactive": { + "CHS": "[核] 放射性的;有辐射的", + "ENG": "a radioactive substance is dangerous because it contains radiation (= a form of energy that can harm living things ) " + }, + "inkling": { + "CHS": "暗示 (inkle的ing形式);略知;低声说出" + }, + "almighty": { + "CHS": "全能的神" + }, + "housing": { + "CHS": "房屋;住房供给;[机] 外壳;遮盖物;机器等的防护外壳或外罩", + "ENG": "the work of providing houses for people to live in" + }, + "dip": { + "CHS": "下沉,下降;倾斜;浸渍,蘸湿", + "ENG": "a slight decrease in the amount of something" + }, + "supersonic": { + "CHS": "超音速;超声波" + }, + "cudgel": { + "CHS": "棍棒", + "ENG": "a short thick stick used as a weapon" + }, + "stockbroker": { + "CHS": "[金融] 股票经纪人", + "ENG": "a person or organization whose job is to buy and sell shares , bonds etc for people" + }, + "trifle": { + "CHS": "开玩笑;闲混;嘲弄" + }, + "flamboyant": { + "CHS": "凤凰木" + }, + "surreptitious": { + "CHS": "秘密的;鬼鬼祟祟的;暗中的", + "ENG": "done secretly or quickly because you do not want other people to notice" + }, + "terracotta": { + "CHS": "陶瓦;赤土陶器;赤土色", + "ENG": "hard reddish-brown baked clay " + }, + "drive": { + "CHS": "驱动器;驾车;[心理] 内驱力,推进力;快车道", + "ENG": "a journey in a car" + }, + "hound": { + "CHS": "猎犬;卑劣的人", + "ENG": "a dog that is fast and has a good sense of smell, used for hunting" + }, + "stagnant": { + "CHS": "停滞的;不景气的;污浊的;迟钝的", + "ENG": "stagnant water or air does not move or flow and often smells bad" + }, + "peddle": { + "CHS": "(Peddle)人名;(英)佩德尔" + }, + "stylish": { + "CHS": "时髦的;现代风格的;潇洒的", + "ENG": "attractive in a fashionable way" + }, + "lyric": { + "CHS": "抒情诗;歌词", + "ENG": "the words of a song" + }, + "sawmill": { + "CHS": "锯木厂;锯木机", + "ENG": "a factory where trees are cut into flat pieces that can be used as wood" + }, + "installation": { + "CHS": "安装,装置;就职", + "ENG": "when someone fits a piece of equipment somewhere" + }, + "matron": { + "CHS": "主妇;保姆;妇女;女舍监", + "ENG": "an older married woman" + }, + "syllable": { + "CHS": "按音节发音;讲话" + }, + "mauve": { + "CHS": "淡紫色的" + }, + "coefficient": { + "CHS": "合作的;共同作用的" + }, + "database": { + "CHS": "数据库,资料库", + "ENG": "a large amount of data stored in a computer system so that you can find and use it easily" + }, + "unabated": { + "CHS": "不减弱的,不衰退的", + "ENG": "continuing without becoming any weaker or less violent" + }, + "tube": { + "CHS": "使成管状;把…装管;用管输送" + }, + "pray": { + "CHS": "(Pray)人名;(匈)普劳伊;(英)普雷" + }, + "so": { + "CHS": "(So)人名;(柬)索" + }, + "freebie": { + "CHS": "免费的东西;免费赠品(尤指戏院赠券)", + "ENG": "something that you are given free, usually by a company" + }, + "rupture": { + "CHS": "破裂;发疝气", + "ENG": "to break or burst, or to make something break or burst" + }, + "dictation": { + "CHS": "听写;口述;命令", + "ENG": "when you say words for someone to write down" + }, + "spearhead": { + "CHS": "带头;做先锋", + "ENG": "to lead an attack or organized action" + }, + "sunken": { + "CHS": "沉没(sink的过去分词);下沉" + }, + "course": { + "CHS": "追赶;跑过" + }, + "possess": { + "CHS": "控制;使掌握;持有;迷住;拥有,具备", + "ENG": "to have a particular quality or ability" + }, + "gill": { + "CHS": "用刺网捕鱼;去除内脏" + }, + "surprise": { + "CHS": "令人惊讶的" + }, + "onion": { + "CHS": "洋葱;洋葱头", + "ENG": "a round white vegetable with a brown, red, or white skin and many layers. Onions have a strong taste and smell." + }, + "ideological": { + "CHS": "思想的;意识形态的", + "ENG": "based on strong beliefs or ideas, especially political or economic ideas" + }, + "howler": { + "CHS": "大声叫喊者;嚎叫的人或动物;滑稽可笑的错误", + "ENG": "a stupid mistake that makes people laugh" + }, + "detention": { + "CHS": "拘留;延迟;挽留", + "ENG": "the state of being kept in prison" + }, + "irascible": { + "CHS": "易怒的", + "ENG": "easily becoming angry" + }, + "regal": { + "CHS": "(Regal)人名;(英、西、捷)雷加尔" + }, + "nebulous": { + "CHS": "朦胧的;星云的,星云状的", + "ENG": "a shape that is nebulous is unclear and has no definite edges" + }, + "defraud": { + "CHS": "欺骗", + "ENG": "to trick a person or organization in order to get money from them" + }, + "hearing": { + "CHS": "听见(hear的ing形式)" + }, + "disuse": { + "CHS": "停止使用" + }, + "lettuce": { + "CHS": "[园艺] 生菜;莴苣;(美)纸币", + "ENG": "a round vegetable with thin green leaves eaten raw in salads" + }, + "lipstick": { + "CHS": "涂口红" + }, + "effort": { + "CHS": "努力;成就", + "ENG": "an attempt to do something, especially when this involves a lot of hard work or determination" + }, + "unbecoming": { + "CHS": "不适当的,不相称的;不合身的,不得体的", + "ENG": "clothes that are unbecoming make you look unattractive" + }, + "fussy": { + "CHS": "(Fussy)人名;(法)菲西" + }, + "toothbrush": { + "CHS": "牙刷", + "ENG": "a small brush that you use for cleaning your teeth" + }, + "because": { + "CHS": "因为", + "ENG": "used when you are giving the reason for something" + }, + "cockroach": { + "CHS": "[昆] 蟑螂", + "ENG": "a large black or brown insect that lives in dirty houses, especially if they are warm and there is food to eat" + }, + "edict": { + "CHS": "法令;布告", + "ENG": "an official public order made by someone in a position of power" + }, + "limit": { + "CHS": "限制;限定", + "ENG": "to stop an amount or number from increasing beyond a particular point" + }, + "predict": { + "CHS": "预报,预言;预知", + "ENG": "to say that something will happen, before it happens" + }, + "fireproof": { + "CHS": "使耐火;使防火" + }, + "difficult": { + "CHS": "困难的;不随和的;执拗的", + "ENG": "hard to do, understand, or deal with" + }, + "enter": { + "CHS": "[计] 输入;回车" + }, + "sagacity": { + "CHS": "睿智;聪敏;有远见", + "ENG": "good judgment and understanding" + }, + "distract": { + "CHS": "转移;分心", + "ENG": "to take someone’s attention away from something by making them look at or listen to something else" + }, + "launderette": { + "CHS": "自助洗衣店", + "ENG": "a place where you can go to wash your clothes in machines that work when you put coins in them" + }, + "persecute": { + "CHS": "迫害;困扰;同…捣乱", + "ENG": "to treat someone cruelly or unfairly over a period of time, especially because of their religious or political beliefs" + }, + "crux": { + "CHS": "关键;难题;十字架形,坩埚" + }, + "drowsy": { + "CHS": "昏昏欲睡的;沉寂的;催眠的", + "ENG": "tired and almost asleep" + }, + "maze": { + "CHS": "迷失;使混乱;使困惑" + }, + "swollen": { + "CHS": "肿胀的,浮肿的;浮夸的;激动兴奋的", + "ENG": "a part of your body that is swollen is bigger than usual, especially because you are ill or injured" + }, + "insolent": { + "CHS": "无礼的;傲慢的;粗野的;无耻的", + "ENG": "rude and not showing any respect" + }, + "composition": { + "CHS": "作文,作曲,作品;[材] 构成;合成物;成分", + "ENG": "the way in which something is made up of different parts, things, or members" + }, + "disband": { + "CHS": "解散", + "ENG": "to stop existing as an organization, or to make something do this" + }, + "murder": { + "CHS": "谋杀,凶杀", + "ENG": "the crime of deliberately killing someone" + }, + "shoot": { + "CHS": "射击;摄影;狩猎;急流", + "ENG": "an occasion when someone takes photographs or makes a film" + }, + "phenomenal": { + "CHS": "现象的;显著的;异常的;能知觉的;惊人的,非凡的", + "ENG": "very great or impressive" + }, + "faithful": { + "CHS": "(Faithful)人名;(英)费思富尔" + }, + "lip": { + "CHS": "用嘴唇" + }, + "nip": { + "CHS": "夹;捏;刺骨;小饮", + "ENG": "the act or result of biting something lightly or pressing something between two fingers, edges, or surfaces" + }, + "artillery": { + "CHS": "火炮;大炮;炮队;炮术", + "ENG": "large guns, either on wheels or fixed in one place" + }, + "obstruction": { + "CHS": "障碍;阻碍;妨碍", + "ENG": "an offence in football, hockey etc in which a player gets between an opponent and the ball" + }, + "horticulture": { + "CHS": "园艺,园艺学", + "ENG": "the practice or science of growing flowers, fruit, and vegetables" + }, + "musician": { + "CHS": "音乐家", + "ENG": "someone who plays a musical instrument, especially very well or as a job" + }, + "anarchic": { + "CHS": "无政府的;无政府主义的;无法无天的", + "ENG": "lacking any rules or order, or not following the moral rules of society" + }, + "enfeeble": { + "CHS": "使衰弱;使无力", + "ENG": "to make weak; deprive of strength " + }, + "stanza": { + "CHS": "演出期;局;场;诗的一节", + "ENG": "a group of lines in a repeated pattern forming part of a poem" + }, + "mascot": { + "CHS": "吉祥物;福神(等于mascotte)", + "ENG": "an animal or toy, or a person dressed as an animal, that represents a team or organization, and is thought to bring them good luck" + }, + "jumbo": { + "CHS": "庞然大物;巨型喷气式飞机;体大而笨拙的人或物", + "ENG": "A jumbo or a jumbo jet is a very large jet aircraft that can carry several hundred passengers" + }, + "fluidity": { + "CHS": "[流] 流动性;流质;易变性" + }, + "vacuum": { + "CHS": "用真空吸尘器清扫", + "ENG": "to clean using a vacuum cleaner" + }, + "departure": { + "CHS": "离开;出发;违背", + "ENG": "an act of leaving a place, especially at the start of a journey" + }, + "equilateral": { + "CHS": "等边形" + }, + "cease": { + "CHS": "停止", + "ENG": "without stopping" + }, + "hoard": { + "CHS": "贮藏物", + "ENG": "a collection of things that someone hides somewhere, especially so they can use them later" + }, + "whereas": { + "CHS": "然而;鉴于;反之", + "ENG": "used at the beginning of an official document to mean ‘because of a particular fact’" + }, + "result": { + "CHS": "结果;导致;产生", + "ENG": "if something results from something else, it is caused by it" + }, + "antibiotic": { + "CHS": "抗生素,抗菌素", + "ENG": "a drug that is used to kill bacteria and cure infections" + }, + "meningitis": { + "CHS": "脑膜炎", + "ENG": "a serious illness in which the outer part of the brain becomes swollen" + }, + "plate": { + "CHS": "电镀;给…装甲" + }, + "nutritious": { + "CHS": "有营养的,滋养的", + "ENG": "food that is nutritious is full of the natural substances that your body needs to stay healthy or to grow properly" + }, + "incarnate": { + "CHS": "体现;使…具体化;使实体化", + "ENG": "If you say that a quality is incarnated in a person, you mean that they represent that quality or are typical of it in an extreme form" + }, + "rut": { + "CHS": "挖槽于;在…形成车辙", + "ENG": "to make a rut or ruts in " + }, + "popularity": { + "CHS": "普及,流行;名气;受大众欢迎", + "ENG": "when something or someone is liked or supported by a lot of people" + }, + "computer": { + "CHS": "计算机;电脑;电子计算机", + "ENG": "an electronic machine that stores information and uses programs to help you find, organize, or change the information" + }, + "housework": { + "CHS": "家务事", + "ENG": "work that you do to take care of a house, for example washing, cleaning etc" + }, + "enjoyment": { + "CHS": "享受;乐趣;享有", + "ENG": "the feeling of pleasure you get from having or doing something, or something you enjoy doing" + }, + "henceforth": { + "CHS": "今后;自此以后", + "ENG": "from this time on" + }, + "dapper": { + "CHS": "(Dapper)人名;(英)达珀;(意)达珀尔;(德)达佩尔" + }, + "smooth": { + "CHS": "光滑地;平稳地;流畅地", + "ENG": "If you smooth something, you move your hands over its surface to make it smooth and flat" + }, + "cycle": { + "CHS": "使循环;使轮转", + "ENG": "to go through a series of related events again and again, or to make something do this" + }, + "respiration": { + "CHS": "呼吸;呼吸作用", + "ENG": "the process of breathing" + }, + "dredge": { + "CHS": "挖泥船,疏浚机;拖捞网", + "ENG": "a machine, in the form of a bucket ladder, grab, or suction device, used to remove material from a riverbed, channel, etc " + }, + "misgiving": { + "CHS": "担忧;使…疑虑;害怕(misgive的ing形式)" + }, + "overcast": { + "CHS": "使沮丧;包缝;遮蔽" + }, + "discard": { + "CHS": "抛弃;被丢弃的东西或人" + }, + "memorise": { + "CHS": "(英)记忆;存储(等于memorize)" + }, + "tasty": { + "CHS": "可口的东西;引人入胜的东西" + }, + "perilous": { + "CHS": "危险的,冒险的", + "ENG": "very dangerous" + }, + "cream": { + "CHS": "奶油,乳脂;精华;面霜;乳酪", + "ENG": "a thick yellow-white liquid that rises to the top of milk" + }, + "earnings": { + "CHS": "收入", + "ENG": "the money that you receive for the work that you do" + }, + "inner": { + "CHS": "内部" + }, + "refer": { + "CHS": "参考;涉及;提到;查阅", + "ENG": "If you refer to a particular subject or person, you talk about them or mention them" + }, + "cauliflower": { + "CHS": "花椰菜,菜花", + "ENG": "a vegetable with green leaves around a firm white centre" + }, + "value": { + "CHS": "评价;重视;估价", + "ENG": "to think that someone or something is important" + }, + "unreal": { + "CHS": "不真实的;假的;幻想的;虚构的", + "ENG": "an experience, situation etc that is unreal seems so strange that you think you must be imagining it" + }, + "drizzle": { + "CHS": "细雨,毛毛雨", + "ENG": "weather that is a combination of light rain and mist" + }, + "butcher": { + "CHS": "屠夫", + "ENG": "A butcher is a shopkeeper who cuts up and sells meat. Some butchers also kill animals for meat and make foods such as sausages and meat pies. " + }, + "cereal": { + "CHS": "谷类的;谷类制成的" + }, + "rainy": { + "CHS": "(Rainy)人名;(英)雷尼" + }, + "original": { + "CHS": "原始的;最初的;独创的;新颖的", + "ENG": "existing or happening first, before other people or things" + }, + "significance": { + "CHS": "意义;重要性;意思", + "ENG": "The significance of something is the importance that it has, usually because it will have an effect on a situation or shows something about a situation" + }, + "eastern": { + "CHS": "东方人;(美国)东部地区的人" + }, + "king": { + "CHS": "主要的,最重要的,最大的" + }, + "fruit": { + "CHS": "结果实", + "ENG": "if a tree or a plant fruits, it produces fruit" + }, + "merciful": { + "CHS": "仁慈的;慈悲的;宽容的", + "ENG": "being kind to people and forgiving them rather than punishing them or being cruel" + }, + "ground": { + "CHS": "土地的;地面上的;磨碎的;磨过的", + "ENG": "ground coffee or nuts have been broken up into powder or very small pieces, using a special machine" + }, + "penalty": { + "CHS": "罚款,罚金;处罚", + "ENG": "a punishment for breaking a law, rule, or legal agreement" + }, + "dismay": { + "CHS": "使沮丧;使惊慌", + "ENG": "If you are dismayed by something, it makes you feel afraid, worried, or sad" + }, + "sinuous": { + "CHS": "蜿蜒的;弯曲的;迂回的", + "ENG": "with many smooth twists and turns" + }, + "dwarf": { + "CHS": "矮小的", + "ENG": "a dwarf plant or animal is much smaller than the usual size" + }, + "wrench": { + "CHS": "扭伤;猛扭;曲解;折磨", + "ENG": "to twist and pull something roughly from the place where it is being held" + }, + "demon": { + "CHS": "恶魔;魔鬼;精力充沛的人;邪恶的事物", + "ENG": "an evil spirit or force" + }, + "realist": { + "CHS": "现实主义者;实在论者", + "ENG": "someone who accepts that things are not always perfect, and deals with problems or difficult situations in a practical way" + }, + "implant": { + "CHS": "[医] 植入物;植入管", + "ENG": "something artificial that is put into someone’s body in a medical operation" + }, + "unfold": { + "CHS": "打开;呈现", + "ENG": "if a story unfolds, or if someone unfolds it, it is told" + }, + "motorist": { + "CHS": "驾车旅行的人,开汽车的人", + "ENG": "A motorist is a person who drives a car" + }, + "ideology": { + "CHS": "意识形态;思想意识;观念学", + "ENG": "a set of beliefs on which a political or economic system is based, or which strongly influence the way people behave" + }, + "superb": { + "CHS": "(Superb)人名;(罗)苏佩尔布" + }, + "smokeless": { + "CHS": "无烟的;不冒烟的", + "ENG": "tobacco that you chew rather than smoke" + }, + "yarn": { + "CHS": "用纱线缠" + }, + "entry": { + "CHS": "进入;入口;条目;登记;报关手续;对土地的侵占", + "ENG": "the act of going into something" + }, + "south": { + "CHS": "南的,南方的", + "ENG": "in the south, or facing the south" + }, + "comprehensive": { + "CHS": "综合学校;专业综合测验" + }, + "tall": { + "CHS": "(Tall)人名;(马里、阿拉伯)塔勒;(芬、罗、瑞典)塔尔;(英)托尔;(土)塔勒" + }, + "approval": { + "CHS": "批准;认可;赞成", + "ENG": "when a plan, decision, or person is officially accepted" + }, + "water": { + "CHS": "使湿;供以水;给…浇水", + "ENG": "if you water plants or the ground they are growing in, you pour water on them" + }, + "graveyard": { + "CHS": "墓地", + "ENG": "an area of ground where people are buried, often next to a church" + }, + "canon": { + "CHS": "标准;教规;正典圣经;教士", + "ENG": "a standard, rule, or principle, or set of these, that are believed by a group of people to be right and good" + }, + "role": { + "CHS": "角色;任务", + "ENG": "the character played by an actor in a play or film" + }, + "directive": { + "CHS": "指导的;管理的", + "ENG": "giving instructions" + }, + "southerly": { + "CHS": "南风" + }, + "deregulate": { + "CHS": "解除对……的管制", + "ENG": "to remove government rules and controls from some types of business activity" + }, + "Nordic": { + "CHS": "北欧人;日耳曼民族;斯堪的纳维亚人;具有北欧日尔曼民族外貌特征的人" + }, + "cumbersome": { + "CHS": "笨重的;累赘的;难处理的", + "ENG": "a process or system that is cumbersome is slow and difficult" + }, + "logic": { + "CHS": "逻辑的" + }, + "resounding": { + "CHS": "回响(resound的ing形式)" + }, + "toilet": { + "CHS": "给…梳妆打扮" + }, + "admittedly": { + "CHS": "公认地;无可否认地;明白地", + "ENG": "used when you are admitting that something is true" + }, + "airmail": { + "CHS": "航空邮件", + "ENG": "letters and packages that are sent somewhere using a plane, or the system of doing this" + }, + "handyman": { + "CHS": "手巧的人;[劳经] 杂务工;水手", + "ENG": "someone who is good at doing repairs and practical jobs in the house" + }, + "truck": { + "CHS": "(美)运货汽车的" + }, + "clean": { + "CHS": "打扫", + "ENG": "a process in which you clean something" + }, + "remorseful": { + "CHS": "懊悔的;悔恨的", + "ENG": "If you are remorseful, you feel very guilty and sorry about something wrong that you have done" + }, + "intransigent": { + "CHS": "不妥协的人" + }, + "ferret": { + "CHS": "雪貂;白鼬;侦探", + "ENG": "a small animal with a pointed nose, used to hunt rats and rabbits" + }, + "pier": { + "CHS": "码头,直码头;桥墩;窗间壁", + "ENG": "a structure that is built over and into the water so that boats can stop next to it or people can walk along it" + }, + "dynamism": { + "CHS": "活力;动态;物力论;推动力;精神动力作用", + "ENG": "energy and determination to succeed" + }, + "laborious": { + "CHS": "勤劳的;艰苦的;费劲的", + "ENG": "taking a lot of time and effort" + }, + "snorkel": { + "CHS": "用水下通气管潜航" + }, + "translator": { + "CHS": "译者;翻译器", + "ENG": "someone who changes writing into a different language" + }, + "confusion": { + "CHS": "混淆,混乱;困惑", + "ENG": "when you do not understand what is happening or what something means because it is not clear" + }, + "intoxicate": { + "CHS": "使陶醉;使喝醉;使中毒", + "ENG": "(of an alcoholic drink) to produce in (a person) a state ranging from euphoria to stupor, usually accompanied by loss of inhibitions and control; make drunk; inebriate " + }, + "cold": { + "CHS": "完全地", + "ENG": "suddenly and completely" + }, + "pathologic": { + "CHS": "病理学的;病态的" + }, + "derive": { + "CHS": "(Derive)人名;(法)德里夫" + }, + "elucidate": { + "CHS": "阐明;说明", + "ENG": "to explain something that is difficult to understand by providing more information" + }, + "knot": { + "CHS": "打结", + "ENG": "to tie together two ends or pieces of string, rope, cloth etc" + }, + "trophy": { + "CHS": "显示身份的;有威望的" + }, + "am": { + "CHS": "(柬)安(人名)" + }, + "tumult": { + "CHS": "骚动;骚乱;吵闹;激动", + "ENG": "a confused, noisy, and excited situation, often caused by a large crowd" + }, + "stopper": { + "CHS": "用塞子塞住" + }, + "comedian": { + "CHS": "喜剧演员;滑稽人物", + "ENG": "someone whose job is to tell jokes and make people laugh" + }, + "register": { + "CHS": "登记;注册;记录;寄存器;登记簿", + "ENG": "an official list of names of people, companies etc, or a book that has this list" + }, + "should": { + "CHS": "应该;就;可能;将要" + }, + "spiritual": { + "CHS": "精神的,心灵的", + "ENG": "relating to your spirit rather than to your body or mind" + }, + "cornea": { + "CHS": "[解剖] 角膜", + "ENG": "the transparent protective covering on the outer surface of your eye" + }, + "jumble": { + "CHS": "混杂;搀杂", + "ENG": "to mix things together in an untidy way, without any order" + }, + "Nazi": { + "CHS": "纳粹党的;纳粹主义的", + "ENG": "You use Nazi to say that something relates to the Nazis" + }, + "decibel": { + "CHS": "分贝", + "ENG": "a unit for measuring the loudness of sound" + }, + "boardroom": { + "CHS": "会议室;交换场所", + "ENG": "a room where the director s of a company have meetings" + }, + "infinitive": { + "CHS": "原形的,不定式的" + }, + "charismatic": { + "CHS": "超凡魅力的;神赐能力的", + "ENG": "having charisma" + }, + "sweep": { + "CHS": "打扫,扫除;范围;全胜", + "ENG": "the act of cleaning a room with a long-handled brush" + }, + "abundant": { + "CHS": "丰富的;充裕的;盛产", + "ENG": "something that is abundant exists or is available in large quantities so that there is more than enough" + }, + "lab": { + "CHS": "实验室,研究室", + "ENG": "a laboratory" + }, + "subjectivity": { + "CHS": "主观性,主观" + }, + "highhanded": { + "CHS": "专横的;高压的" + }, + "wane": { + "CHS": "衰退;月亏;衰退期;缺损" + }, + "savagery": { + "CHS": "野性;野蛮人;原始状态", + "ENG": "extremely cruel and violent behaviour" + }, + "inquest": { + "CHS": "审讯;验尸;讯问", + "ENG": "a legal process to find out the cause of someone’s death" + }, + "combustible": { + "CHS": "可燃物;易燃物" + }, + "immortal": { + "CHS": "神仙;不朽人物", + "ENG": "An immortal is someone who will be remembered for a long time" + }, + "indignity": { + "CHS": "侮辱;轻蔑;有伤尊严;无礼举动", + "ENG": "a situation that makes you feel very ashamed and not respected" + }, + "vigilant": { + "CHS": "警惕的;警醒的;注意的;警戒的", + "ENG": "giving careful attention to what is happening, so that you will notice any danger or illegal activity" + }, + "noisy": { + "CHS": "嘈杂的;喧闹的;聒噪的", + "ENG": "someone or something that is noisy makes a lot of noise" + }, + "doldrums": { + "CHS": "忧郁;赤道无风带", + "ENG": "if you are in the doldrums, you are feeling sad" + }, + "abstinence": { + "CHS": "节制;节欲;戒酒;禁食", + "ENG": "the practice of not having something you enjoy, especially alcohol or sex, usually for reasons of religion or health" + }, + "sensory": { + "CHS": "感觉的;知觉的;传递感觉的", + "ENG": "relating to or using your senses of sight, hearing, smell, taste, or touch" + }, + "household": { + "CHS": "全家人,一家人;(包括佣工在内的)家庭,户", + "ENG": "The household is your home and everything that is connected with taking care of it" + }, + "favour": { + "CHS": "赞成;喜爱;有助于", + "ENG": "to provide suitable conditions for something to happen" + }, + "refurbish": { + "CHS": "刷新;再磨光", + "ENG": "To refurbish a building or room means to clean it and decorate it and make it more attractive or better equipped" + }, + "apprehension": { + "CHS": "理解;恐惧;逮捕;忧惧", + "ENG": "the act of apprehending a criminal" + }, + "blunder": { + "CHS": "大错", + "ENG": "a careless or stupid mistake" + }, + "except": { + "CHS": "除了;要不是", + "ENG": "used to give the reason why something was not done or did not happen" + }, + "reasoning": { + "CHS": "推论;说服(reason的ing形式)" + }, + "underling": { + "CHS": "下属,部下;走卒", + "ENG": "an insulting word for someone who has a low rank – often used humorously" + }, + "angel": { + "CHS": "出钱支持" + }, + "tributary": { + "CHS": "支流;进贡国;附属国", + "ENG": "a stream or river that flows into a larger river" + }, + "insurmountable": { + "CHS": "不能克服的;不能超越的;难以对付的", + "ENG": "an insurmountable difficulty or problem is too large or difficult to deal with" + }, + "handshake": { + "CHS": "握手", + "ENG": "the act of taking someone’s right hand and shaking it, which people do when they meet or leave each other or when they have made an agreement" + }, + "tolerant": { + "CHS": "宽容的;容忍的;有耐药力的", + "ENG": "allowing people to do, say, or believe what they want without criticizing or punishing them" + }, + "idea": { + "CHS": "想法;主意;概念", + "ENG": "a plan or suggestion for a possible course of action, especially one that you think of suddenly" + }, + "caricature": { + "CHS": "画成漫画讽刺", + "ENG": "to draw or describe someone or something in a way that makes them seem silly" + }, + "insensitive": { + "CHS": "感觉迟钝的,对…没有感觉的", + "ENG": "Someone who is insensitive to a situation or to a need does not think or care about it" + }, + "referee": { + "CHS": "仲裁;担任裁判", + "ENG": "to be the referee of a game" + }, + "ghastly": { + "CHS": "恐怖地;惨白地" + }, + "tab": { + "CHS": "给…贴标签" + }, + "cookery": { + "CHS": "烹调术;烹调业", + "ENG": "the art or skill of cooking" + }, + "audiovisuals": { + "CHS": "视听教具" + }, + "amass": { + "CHS": "积聚,积累", + "ENG": "if you amass money, knowledge, information etc, you gradually collect a large amount of it" + }, + "thrash": { + "CHS": "打谷;逆风浪行进;踢水动作" + }, + "lane": { + "CHS": "小巷;[航][水运] 航线;车道;罚球区", + "ENG": "a narrow road in the countryside" + }, + "menial": { + "CHS": "仆人;住家佣工;下贱的人" + }, + "muddy": { + "CHS": "使污浊;使沾上泥;把…弄糊涂", + "ENG": "to make something dirty with mud" + }, + "dove": { + "CHS": "潜水(dive的过去式)" + }, + "habit": { + "CHS": "使穿衣" + }, + "hypnosis": { + "CHS": "催眠;催眠状态", + "ENG": "a state similar to sleep, in which someone’s thoughts and actions can be influenced by someone else" + }, + "revolve": { + "CHS": "旋转;循环;旋转舞台" + }, + "suggest": { + "CHS": "提议,建议;启发;使人想起;显示;暗示", + "ENG": "to tell someone your ideas about what they should do, where they should go etc" + }, + "reparation": { + "CHS": "赔偿;修理;赔款", + "ENG": "money paid by a defeated country after a war, for all the deaths, damage etc it has caused" + }, + "brothel": { + "CHS": "妓院", + "ENG": "a house where men pay to have sex with prostitute s " + }, + "closure": { + "CHS": "使终止" + }, + "lack": { + "CHS": "缺乏;不足", + "ENG": "when there is not enough of something, or none of it" + }, + "plumber": { + "CHS": "水管工;堵漏人员", + "ENG": "A plumber is a person whose job is to connect and repair things such as water and drainage pipes, bathtubs, and toilets" + }, + "alphabet": { + "CHS": "字母表,字母系统;入门,初步", + "ENG": "a set of letters, arranged in a particular order, and used in writing" + }, + "indemnify": { + "CHS": "赔偿;保护;使免于受罚", + "ENG": "to promise to pay someone if something they own is damaged or lost" + }, + "scrap": { + "CHS": "废弃的;零碎的", + "ENG": "Scrap metal or paper is no longer wanted for its original purpose, but may have some other use" + }, + "forbid": { + "CHS": "禁止;不准;不允许;〈正式〉严禁", + "ENG": "to tell someone that they are not allowed to do something, or that something is not allowed" + }, + "featherbrained": { + "CHS": "轻浮的;愚蠢的", + "ENG": "extremely silly" + }, + "handicraft": { + "CHS": "手工艺;手工艺品", + "ENG": "an activity such as sewing or making baskets, in which you use your hands in a skilful way to make things" + }, + "nutrient": { + "CHS": "营养的;滋养的" + }, + "arctic": { + "CHS": "北极圈;御寒防水套鞋", + "ENG": "The Arctic is the area of the world around the North Pole. It is extremely cold and there is very little light in winter and very little darkness in summer. " + }, + "ahead": { + "CHS": "向前地;领先地;在(某人或某事物的)前面;预先;在将来,为未来", + "ENG": "a short distance in front of someone or something" + }, + "migraine": { + "CHS": "[内科] 偏头痛", + "ENG": "an extremely bad headache, during which you feel sick and have pain behind your eyes" + }, + "suffering": { + "CHS": "受苦;蒙受(suffer的ing形式)" + }, + "easy": { + "CHS": "发出停划命令" + }, + "insinuate": { + "CHS": "暗示;使逐渐而巧妙地取得;使迂回地潜入", + "ENG": "to say something which seems to mean something unpleasant without saying it openly, especially suggesting that someone is being dishonest" + }, + "maintenance": { + "CHS": "维护,维修;保持;生活费用", + "ENG": "the repairs, painting etc that are necessary to keep something in good condition" + }, + "atrocious": { + "CHS": "凶恶的,残暴的", + "ENG": "If you describe someone's behaviour or their actions as atrocious, you mean that it is unacceptable because it is extremely violent or cruel" + }, + "mermaid": { + "CHS": "美人鱼(传说中的);女子游泳健将", + "ENG": "in stories, a woman who has a fish’s tail instead of legs and who lives in the sea" + }, + "dispensable": { + "CHS": "可有可无的;非必要的", + "ENG": "not necessary or important and so easy to get rid of" + }, + "lawyer": { + "CHS": "律师;法学家", + "ENG": "someone whose job is to advise people about laws, write formal agreements, or represent people in court" + }, + "design": { + "CHS": "设计;图案", + "ENG": "the art or process of making a drawing of something to show how you will make it or what it will look like" + }, + "tidal": { + "CHS": "(Tidal)人名;(瑞典)蒂达尔" + }, + "density": { + "CHS": "密度", + "ENG": "the degree to which an area is filled with people or things" + }, + "blank": { + "CHS": "使…无效;使…模糊;封锁" + }, + "observant": { + "CHS": "善于观察的;机警的;严格遵守的", + "ENG": "good or quick at noticing things" + }, + "abusive": { + "CHS": "辱骂的;滥用的;虐待的", + "ENG": "using cruel words or physical violence" + }, + "petrol": { + "CHS": "(英)汽油", + "ENG": "a liquid obtained from petroleum that is used to supply power to the engine of cars and other vehicles" + }, + "fairway": { + "CHS": "航路;水上飞机升降用的水面跑道;(高尔夫球场上的)平坦球道", + "ENG": "the part of a golf course that you hit the ball along towards the hole" + }, + "have": { + "CHS": "(Have)人名;(芬)哈韦;(德)哈弗" + }, + "rugged": { + "CHS": "崎岖的;坚固的;高低不平的;粗糙的", + "ENG": "land that is rugged is rough and uneven" + }, + "restful": { + "CHS": "宁静的;安静的;给人休息的", + "ENG": "peaceful and quiet, making you feel relaxed" + }, + "claustrophobia": { + "CHS": "[心理] 幽闭恐怖症", + "ENG": "a strong fear of being in a small enclosed space or in a situation that limits what you can do" + }, + "classmate": { + "CHS": "同班同学", + "ENG": "a member of the same class in a school, college or – in the US – a university" + }, + "usurp": { + "CHS": "篡夺;夺取;侵占", + "ENG": "to take someone else’s power, position, job etc when you do not have the right to" + }, + "buffalo": { + "CHS": "[畜牧][脊椎] 水牛;[脊椎] 野牛(产于北美);水陆两用坦克", + "ENG": "an African animal similar to a large cow with long curved horns" + }, + "impossible": { + "CHS": "不可能;不可能的事", + "ENG": "something that cannot be done" + }, + "notion": { + "CHS": "概念;见解;打算", + "ENG": "an idea, belief, or opinion" + }, + "pit": { + "CHS": "使竞争;窖藏;使凹下;去…之核;使留疤痕", + "ENG": "to put small marks or holes in the surface of something" + }, + "vast": { + "CHS": "浩瀚;广阔无垠的空间" + }, + "spasmodic": { + "CHS": "痉挛的,痉挛性的;间歇性的", + "ENG": "of or relating to a muscle spasm" + }, + "deli": { + "CHS": "熟食店;[食品] 熟食品(等于delicatessen)", + "ENG": "a delicatessen " + }, + "dimension": { + "CHS": "规格的" + }, + "veto": { + "CHS": "否决;禁止", + "ENG": "if someone in authority vetoes something, they refuse to allow it to happen, especially something that other people or organizations have agreed" + }, + "chocolate": { + "CHS": "巧克力色的;巧克力口味的" + }, + "trench": { + "CHS": "掘沟" + }, + "exercise": { + "CHS": "锻炼;练习;使用;使忙碌;使惊恐", + "ENG": "to use a power, right, or quality that you have" + }, + "narration": { + "CHS": "叙述,讲述;故事", + "ENG": "the act of telling a story" + }, + "unprejudiced": { + "CHS": "没有成见的;公平的;无偏见的", + "ENG": "not prejudiced or biased; impartial " + }, + "supportive": { + "CHS": "支持的;支援的;赞助的", + "ENG": "giving help or encouragement, especially to someone who is in a difficult situation – used to show approval" + }, + "French": { + "CHS": "法国人;法语", + "ENG": "people from France" + }, + "graft": { + "CHS": "移植;嫁接;渎职", + "ENG": "a piece of healthy skin or bone taken from someone’s body and put in or on another part of their body that has been damaged" + }, + "judicious": { + "CHS": "明智的;头脑精明的;判断正确的", + "ENG": "done in a sensible and careful way" + }, + "flute": { + "CHS": "用长笛吹奏" + }, + "concern": { + "CHS": "关系;关心;关心的事;忧虑", + "ENG": "something that is important to you or that involves you" + }, + "creole": { + "CHS": "克里奥尔语的;克里奥尔人的;克里奥耳式法语的", + "ENG": "Creole means belonging to or relating to the Creole community" + }, + "specialist": { + "CHS": "专家的;专业的" + }, + "emit": { + "CHS": "发出,放射;发行;发表", + "ENG": "to send out gas, heat, light, sound etc" + }, + "jack": { + "CHS": "雄的", + "ENG": "tired or fed up with (something) " + }, + "granddaughter": { + "CHS": "孙女;外孙女", + "ENG": "the daughter of your son or daughter" + }, + "quantum": { + "CHS": "量子论;额;美国昆腾公司(世界领先的硬盘生产商)", + "ENG": "a unit of energy in nuclear physics" + }, + "patch": { + "CHS": "修补;解决;掩饰", + "ENG": "to repair a hole in something by putting a piece of something else over it" + }, + "sacred": { + "CHS": "神的;神圣的;宗教的;庄严的", + "ENG": "relating to a god or religion" + }, + "fun": { + "CHS": "开玩笑" + }, + "adverse": { + "CHS": "不利的;相反的;敌对的(名词adverseness,副词adversely)", + "ENG": "not good or favourable" + }, + "inflow": { + "CHS": "流入;货币回笼" + }, + "put": { + "CHS": "固定不动的" + }, + "housemaster": { + "CHS": "男舍监;舍监", + "ENG": "a male teacher who is in charge of one of the houses (= groups of children of different ages ) in a school" + }, + "smash": { + "CHS": "了不起的;非常轰动的;出色的" + }, + "terror": { + "CHS": "恐怖;恐怖行动;恐怖时期;可怕的人", + "ENG": "a feeling of extreme fear" + }, + "protagonist": { + "CHS": "主角,主演;主要人物,领导者", + "ENG": "the most important character in a play, film, or story" + }, + "appease": { + "CHS": "使平息;使满足;使和缓;对…让步", + "ENG": "If you try to appease someone, you try to stop them from being angry by giving them what they want" + }, + "alternate": { + "CHS": "替换物", + "ENG": "An alternate is a person or thing that replaces another, and can act or be used instead of them" + }, + "semicolon": { + "CHS": "分号", + "ENG": "a punctuation mark (;) used to separate different parts of a sentence or list" + }, + "dominate": { + "CHS": "控制;支配;占优势;在…中占主要地位", + "ENG": "to control someone or something or to have more importance than other people or things" + }, + "rehearse": { + "CHS": "排练;预演", + "ENG": "to practise or make people practise something such as a play or concert in order to prepare for a public performance" + }, + "stringent": { + "CHS": "严格的;严厉的;紧缩的;短缺的", + "ENG": "a stringent law, rule, standard etc is very strict and must be obeyed" + }, + "embed": { + "CHS": "栽种;使嵌入,使插入;使深留脑中", + "ENG": "to put something firmly and deeply into something else, or to be put into something in this way" + }, + "mouth": { + "CHS": "做作地说,装腔作势地说;喃喃地说出" + }, + "fright": { + "CHS": "使惊恐" + }, + "nephew": { + "CHS": "侄子;外甥", + "ENG": "the son of your brother or sister, or the son of your husband’s or wife’s brother or sister" + }, + "spoon": { + "CHS": "用匙舀;使成匙状", + "ENG": "to move food with a spoon" + }, + "curtail": { + "CHS": "缩减;剪短;剥夺…特权等", + "ENG": "to reduce or limit something" + }, + "clearway": { + "CHS": "畅行道,超速道路", + "ENG": "a road in Britain on which vehicles must not stop" + }, + "hooligan": { + "CHS": "阿飞;小流氓", + "ENG": "a noisy violent person who causes trouble by fighting etc" + }, + "atom": { + "CHS": "原子", + "ENG": "the smallest part of an element that can exist alone or can combine with other substances to form a molecule " + }, + "humiliating": { + "CHS": "使蒙耻(humiliate的ing形式)" + }, + "participle": { + "CHS": "分词", + "ENG": "one of the forms of a verb that are used to make tenses. In English, present participle s end in -ing and past participle s usually end in -ed or -en." + }, + "impale": { + "CHS": "刺穿;钉住;使绝望", + "ENG": "if someone or something is impaled, a sharp pointed object goes through them" + }, + "rectangular": { + "CHS": "矩形的;成直角的", + "ENG": "having the shape of a rectangle" + }, + "that": { + "CHS": "(That)人名;(德)塔特", + "ENG": "used after a noun as a relative pronoun like ‘who’, ‘whom’, or ‘which’ to introduce a clause " + }, + "displease": { + "CHS": "使生气;触怒" + }, + "reedy": { + "CHS": "(Reedy)人名;(英、阿拉伯)里迪" + }, + "curd": { + "CHS": "凝结" + }, + "engulf": { + "CHS": "吞没;吞食,狼吞虎咽", + "ENG": "if an unpleasant feeling engulfs you, you feel it very strongly" + }, + "payment": { + "CHS": "付款,支付;报酬,报答;偿还;惩罚,报应", + "ENG": "the act of paying for something" + }, + "decimal": { + "CHS": "小数", + "ENG": "a fraction (= a number less than 1 ) that is shown as a full stop followed by the number of tenth s , hundredth s etc. The numbers 0.5, 0.175, and 0.661 are decimals." + }, + "location": { + "CHS": "位置(形容词locational);地点;外景拍摄场地", + "ENG": "a particular place, especially in relation to other areas, buildings etc" + }, + "decorative": { + "CHS": "装饰性的;装潢用的", + "ENG": "pretty or attractive, but not always necessary or useful" + }, + "aspiration": { + "CHS": "渴望;抱负;送气;吸气;吸引术", + "ENG": "a strong desire to have or achieve something" + }, + "target": { + "CHS": "把……作为目标;规定……的指标;瞄准某物", + "ENG": "to make something have an effect on a particular limited group or area" + }, + "complicated": { + "CHS": "难懂的,复杂的", + "ENG": "difficult to understand or deal with, because many parts or details are involved" + }, + "cot": { + "CHS": "简易床;小屋;轻便小床" + }, + "chrome": { + "CHS": "铬,铬合金;铬黄;谷歌浏览器", + "ENG": "a type of hard shiny metal" + }, + "midway": { + "CHS": "中途", + "ENG": "If something is midway between two places, it is between them and the same distance from each of them" + }, + "scuba": { + "CHS": "水肺;水中呼吸器" + }, + "situate": { + "CHS": "位于…的" + }, + "impeccable": { + "CHS": "无瑕疵的;没有缺点的", + "ENG": "without any faults and impossible to criticize" + }, + "stylistic": { + "CHS": "体裁上的;格式上的;文体论的", + "ENG": "relating to the particular way an artist, writer, musician etc makes or performs something, especially the technical features or methods they use" + }, + "industry": { + "CHS": "产业;工业;勤勉", + "ENG": "businesses that produce a particular type of thing or provide a particular service" + }, + "binge": { + "CHS": "放纵", + "ENG": "to do too much of something, such as eating or drinking, in a short period of time" + }, + "eardrum": { + "CHS": "鼓膜,耳膜;中耳", + "ENG": "a tight thin piece of skin over the inside of your ear which allows you to hear sound" + }, + "peach": { + "CHS": "告密" + }, + "isolation": { + "CHS": "隔离;孤立;[电] 绝缘;[化学] 离析", + "ENG": "when one group, person, or thing is separate from others" + }, + "nipple": { + "CHS": "乳头,奶头;奶嘴", + "ENG": "the small dark circular part of a woman’s breast. Babies suck milk through their mother’s nipples." + }, + "skin": { + "CHS": "剥皮", + "ENG": "to remove the skin from an animal, fruit, or vegetable" + }, + "cafeteria": { + "CHS": "自助餐厅", + "ENG": "a restaurant, often in a factory, college etc, where you choose from foods that have already been cooked and carry your own food to a table" + }, + "board": { + "CHS": "上(飞机、车、船等);用板盖上;给提供膳宿", + "ENG": "to get on a bus, plane, train etc in order to travel somewhere" + }, + "weaken": { + "CHS": "减少;使变弱;使变淡", + "ENG": "to make someone or something less powerful or less important, or to become less powerful" + }, + "harvest": { + "CHS": "收割;得到", + "ENG": "to gather crops from the fields" + }, + "unquestionable": { + "CHS": "毫无疑问的;确实的;无可挑剔的", + "ENG": "If you describe something as unquestionable, you are emphasizing that it is so obviously true or real that nobody can doubt it" + }, + "flirt": { + "CHS": "急扔;调情的人;卖弄风骚的人", + "ENG": "someone who flirts with people" + }, + "exclusive": { + "CHS": "独家新闻;独家经营的项目;排外者", + "ENG": "an important or exciting story that is printed in only one newspaper, because that newspaper was the first to find out about it" + }, + "accordance": { + "CHS": "一致;和谐" + }, + "active": { + "CHS": "主动语态;积极分子", + "ENG": "the active form of a verb, for example ‘destroyed’ in the sentence ‘Enemy planes destroyed the village.’" + }, + "banjo": { + "CHS": "班卓琴;五弦琴", + "ENG": "a musical instrument like a guitar, with a round body and four or more strings, played especially in country and western music" + }, + "malformed": { + "CHS": "畸形的,难看的", + "ENG": "if a part of someone’s body is malformed, it is badly formed" + }, + "shipment": { + "CHS": "装货;装载的货物", + "ENG": "a load of goods sent by sea, road, or air, or the act of sending them" + }, + "emotional": { + "CHS": "情绪的;易激动的;感动人的", + "ENG": "relating to your feelings or how you control them" + }, + "vegetation": { + "CHS": "植被;植物,草木;呆板单调的生活", + "ENG": "plants in general" + }, + "cavity": { + "CHS": "腔;洞,凹处", + "ENG": "a hole or space inside something" + }, + "claimant": { + "CHS": "原告;[贸易] 索赔人;提出要求者", + "ENG": "someone who claims something, especially money, from the government, a court etc because they think they have a right to it" + }, + "swap": { + "CHS": "与交换;以作交换", + "ENG": "to give something to someone and get something in return" + }, + "shoddy": { + "CHS": "假冒的;劣质的;卑劣的", + "ENG": "made or done cheaply or carelessly" + }, + "robin": { + "CHS": "知更鸟", + "ENG": "a small European bird with a red breast and brown back" + }, + "downhearted": { + "CHS": "无精打采的;垂头丧气的", + "ENG": "feeling sad and disappointed, especially because you have tried to achieve something but have failed" + }, + "transcendental": { + "CHS": "先验的;卓越的,[数] 超越的;超自然的", + "ENG": "Transcendental refers to things that lie beyond the practical experience of ordinary people, and cannot be discovered or understood by ordinary reasoning" + }, + "destroy": { + "CHS": "破坏;消灭;毁坏", + "ENG": "to damage something so badly that it no longer exists or cannot be used or repaired" + }, + "scupper": { + "CHS": "排水口;水性杨花的女人", + "ENG": "a hole in the side of a ship that allows water to flow back into the sea" + }, + "upper": { + "CHS": "(Upper)人名;(英)厄珀" + }, + "communist": { + "CHS": "共产主义的", + "ENG": "relating to communism" + }, + "muffle": { + "CHS": "低沉的声音;消声器;包裹物(如头巾,围巾等);唇鼻部" + }, + "reclaim": { + "CHS": "改造,感化;再生胶" + }, + "impregnate": { + "CHS": "充满的;怀孕的" + }, + "recede": { + "CHS": "后退;减弱", + "ENG": "When something such as a quality, problem, or illness recedes, it becomes weaker, smaller, or less intense" + }, + "exalted": { + "CHS": "高举;赞扬;使激动(exalt的过去分词)" + }, + "vague": { + "CHS": "(Vague)人名;(法)瓦格;(英)韦格" + }, + "engross": { + "CHS": "使全神贯注;用大字体书写;正式写成(决议等);独占;吸引", + "ENG": "if something engrosses you, it interests you so much that you do not notice anything else" + }, + "highchair": { + "CHS": "小孩吃饭时用的高脚椅子", + "ENG": "a special tall chair that a young child sits in to eat" + }, + "measurable": { + "CHS": "可测量的;重要的;重大的", + "ENG": "able to be measured" + }, + "stony": { + "CHS": "无情的;多石的;石头的", + "ENG": "covered by stones or containing stones" + }, + "vitalize": { + "CHS": "赋予…生命;激发;使有生气", + "ENG": "to make vital, living, or alive; endow with life or vigour " + }, + "colon": { + "CHS": "[解剖] 结肠;冒号(用于引语、说明、例证等之前);科郎(哥斯达黎加货币单位)", + "ENG": "the lower part of the bowels , in which food is changed into waste matter" + }, + "eyelash": { + "CHS": "睫毛", + "ENG": "one of the small hairs that grow along the edge of your eyelids" + }, + "wafer": { + "CHS": "用干胶片封" + }, + "seemingly": { + "CHS": "看来似乎;表面上看来", + "ENG": "according to the facts as you know them" + }, + "immaculate": { + "CHS": "完美的;洁净的;无瑕疵的", + "ENG": "exactly correct or perfect in every detail" + }, + "zipper": { + "CHS": "拉上拉链" + }, + "worthy": { + "CHS": "杰出人物;知名人士", + "ENG": "someone who is important and should be respected" + }, + "textual": { + "CHS": "本文的;按原文的", + "ENG": "relating to the way that a book, magazine etc is written" + }, + "isotope": { + "CHS": "同位素", + "ENG": "one of the possible different forms of an atom of a particular element " + }, + "motivate": { + "CHS": "刺激;使有动机;激发…的积极性", + "ENG": "to be the reason why someone does something" + }, + "courier": { + "CHS": "导游;情报员,通讯员;送快信的人", + "ENG": "A courier is a person who is paid to take letters and packages direct from one place to another" + }, + "soggy": { + "CHS": "浸水的;透湿的;沉闷的", + "ENG": "unpleasantly wet and soft" + }, + "spur": { + "CHS": "骑马疾驰;给予刺激", + "ENG": "to make an improvement or change happen faster" + }, + "circumstance": { + "CHS": "环境,情况;事件;境遇", + "ENG": "the conditions that affect a situation, action, event etc" + }, + "a": { + "CHS": "[物]安(ampere)" + }, + "severity": { + "CHS": "严重;严格;猛烈" + }, + "surgeon": { + "CHS": "外科医生", + "ENG": "a doctor who does operations in a hospital" + }, + "loyalty": { + "CHS": "忠诚;忠心;忠实;忠于…感情", + "ENG": "the quality of remaining faithful to your friends, principles, country etc" + }, + "world": { + "CHS": "世界;领域;世俗;全人类;物质生活", + "ENG": "the planet we live on, and all the people, cities, and countries on it" + }, + "hedgehog": { + "CHS": "刺猬", + "ENG": "a small brown European animal whose body is round and covered with sharp needle-like spines " + }, + "slim": { + "CHS": "(Slim)人名;(阿拉伯)萨利姆;(英、西)斯利姆" + }, + "donate": { + "CHS": "捐赠;捐献" + }, + "bequest": { + "CHS": "遗产;遗赠", + "ENG": "money or property that you arrange to give to someone after your death" + }, + "leek": { + "CHS": "韭;[园艺] 韭葱", + "ENG": "a vegetable with a long white stem and long flat green leaves, which tastes like an onion" + }, + "empower": { + "CHS": "授权,允许;使能够", + "ENG": "to give a person or organization the legal right to do something" + }, + "establishment": { + "CHS": "确立,制定;公司;设施", + "ENG": "the act of starting an organization, relationship, or system" + }, + "confiscate": { + "CHS": "被没收的" + }, + "bond": { + "CHS": "结合,团结在一起", + "ENG": "if two things bond with each other, they become firmly fixed together, especially after they have been joined with glue" + }, + "eloquence": { + "CHS": "口才;雄辩;雄辩术;修辞" + }, + "sportsman": { + "CHS": "运动员;运动家;冒险家", + "ENG": "a man who plays several different sports" + }, + "quash": { + "CHS": "撤销;镇压;宣布无效;捣碎", + "ENG": "to officially say that a legal judgment or decision is no longer acceptable or correct" + }, + "free": { + "CHS": "(Free)人名;(英)弗里" + }, + "scour": { + "CHS": "擦,冲刷;洗涤剂;(畜类等的)腹泻", + "ENG": "the act of scouring " + }, + "wiggle": { + "CHS": "扭动", + "ENG": "Wiggle is also a noun" + }, + "hoop": { + "CHS": "加箍于;包围", + "ENG": "to surround with or as if with a hoop " + }, + "shrubbery": { + "CHS": "灌木;[林] 灌木林", + "ENG": "shrubs planted close together" + }, + "asylum": { + "CHS": "庇护;收容所,救济院", + "ENG": "protection given to someone by a government because they have escaped from fighting or political trouble in their own country" + }, + "absolutely": { + "CHS": "绝对地;完全地", + "ENG": "completely and in every way" + }, + "dot": { + "CHS": "打上点" + }, + "reimburse": { + "CHS": "偿还;赔偿", + "ENG": "to pay money back to someone when their money has been spent or lost" + }, + "vortex": { + "CHS": "[航][流] 涡流;漩涡;(动乱,争论等的)中心;旋风", + "ENG": "a mass of wind or water that spins quickly and pulls things into its centre" + }, + "halve": { + "CHS": "(Halve)人名;(芬)哈尔韦" + }, + "milligramme": { + "CHS": "毫克(等于milligram);公厘" + }, + "invader": { + "CHS": "侵略者;侵入物", + "ENG": "a soldier or a group of soldiers that enters a country or town by force in order to take control of it" + }, + "tribunal": { + "CHS": "法庭;裁决;法官席", + "ENG": "a type of court that is given official authority to deal with a particular situation or problem" + }, + "regarding": { + "CHS": "关于,至于", + "ENG": "a word used especially in letters or speeches to introduce the subject you are writing or talking about" + }, + "ancient": { + "CHS": "古代人;老人", + "ENG": "people who lived long ago, especially the Greeks and Romans" + }, + "mousse": { + "CHS": "在…上抹摩丝" + }, + "undesirable": { + "CHS": "不良分子;不受欢迎的人", + "ENG": "someone who is considered to be immoral, criminal, or socially unacceptable" + }, + "father": { + "CHS": "发明,创立;当…的父亲", + "ENG": "to become the father of a child by making a woman pregnant " + }, + "refutation": { + "CHS": "反驳;驳斥;辩驳", + "ENG": "A refutation of an argument, accusation, or theory is something that proves it is wrong or untrue" + }, + "jurisdiction": { + "CHS": "司法权,审判权,管辖权;权限,权力", + "ENG": "the right to use an official power to make legal decisions, or the area where this right exists" + }, + "safari": { + "CHS": "旅行;狩猎远征;旅行队", + "ENG": "a trip to see or hunt wild animals, especially in Africa" + }, + "vacate": { + "CHS": "空出,腾出;辞职;休假", + "ENG": "to leave a job or position so that it is available for someone else to do" + }, + "weather": { + "CHS": "露天的;迎风的" + }, + "vicariously": { + "CHS": "代理地,担任代理者地;间接感受到地" + }, + "sparse": { + "CHS": "稀疏的;稀少的", + "ENG": "existing only in small amounts" + }, + "prophet": { + "CHS": "先知;预言者;提倡者", + "ENG": "a man who people in the Christian, Jewish, or Muslim religion believe has been sent by God to lead them and teach them their religion" + }, + "dash": { + "CHS": "使…破灭;猛撞;泼溅", + "ENG": "If you dash somewhere, you run or go there quickly and suddenly" + }, + "stethoscope": { + "CHS": "[临床] 听诊器", + "ENG": "an instrument that a doctor uses to listen to your heart or breathing" + }, + "repudiate": { + "CHS": "拒绝;否定;批判;与…断绝关系;拒付", + "ENG": "to refuse to accept or continue with something" + }, + "pear": { + "CHS": "[园艺] 梨树;梨子", + "ENG": "a sweet juicy fruit that has a round base and is thinner near the top, or the tree that produces this fruit" + }, + "fireplace": { + "CHS": "壁炉", + "ENG": "a special place in the wall of a room, where you can make a fire" + }, + "vertebrate": { + "CHS": "脊椎动物", + "ENG": "a living creature that has a backbone" + }, + "branch": { + "CHS": "树枝,分枝;分部;支流", + "ENG": "a part of a tree that grows out from the trunk (= main stem ) and that has leaves, fruit, or smaller branches growing from it" + }, + "HRH": { + "CHS": "殿下(His/Her Royal Highness)" + }, + "bucket": { + "CHS": "倾盆而下;颠簸着行进" + }, + "triumphant": { + "CHS": "成功的;得意洋洋的;狂欢的", + "ENG": "having gained a victory or success" + }, + "hallelujah": { + "CHS": "哈利路亚", + "ENG": "used to express thanks, joy, or praise to God" + }, + "care": { + "CHS": "照顾;关心;喜爱;顾虑", + "ENG": "to be concerned about what happens to someone, because you like or love them" + }, + "daisy": { + "CHS": "极好的;上等的" + }, + "geologist": { + "CHS": "地质学家,地质学者" + }, + "fount": { + "CHS": "泉;源泉;墨水缸", + "ENG": "the place, person, idea etc that all knowledge, wisdom etc comes from" + }, + "viewfinder": { + "CHS": "取景器;反光镜;检像器", + "ENG": "the small square of glass on a camera that you look through to see exactly what you are photographing" + }, + "bag": { + "CHS": "猎获;把…装入袋中;占据,私吞;使膨大", + "ENG": "to put things into bags" + }, + "nirvana": { + "CHS": "涅槃;天堂", + "ENG": "the final state of complete knowledge and understanding that is the aim of believers in Buddhism" + }, + "pervade": { + "CHS": "遍及;弥漫", + "ENG": "if a feeling, idea, or smell pervades a place, it is present in every part of it" + }, + "split": { + "CHS": "劈开的" + }, + "cesspit": { + "CHS": "垃圾坑,污水坑;粪坑", + "ENG": "a large hole or container under the ground in which waste from a building, especially from the toilets, is collected" + }, + "schema": { + "CHS": "[计][心理] 模式;计划;图解;概要", + "ENG": "a drawing or description of the main parts of something" + }, + "daring": { + "CHS": "敢(dare的现在分词)" + }, + "carriage": { + "CHS": "运输;运费;四轮马车;举止;客车厢", + "ENG": "a vehicle with wheels that is pulled by a horse, used in the past" + }, + "disinfectant": { + "CHS": "消毒的" + }, + "registration": { + "CHS": "登记;注册;挂号", + "ENG": "the act of recording names and details on an official list" + }, + "tinker": { + "CHS": "做焊锅匠;焊补;笨手笨脚地做事" + }, + "sponge": { + "CHS": "海绵;海绵状物", + "ENG": "a piece of a soft natural or artificial substance full of small holes, which can suck up liquid and is used for washing" + }, + "cushion": { + "CHS": "给…安上垫子;把…安置在垫子上;缓和…的冲击", + "ENG": "to make the effect of a fall or hit less painful, for example by having something soft in the way" + }, + "morality": { + "CHS": "道德;品行,美德", + "ENG": "beliefs or ideas about what is right and wrong and about how people should behave" + }, + "exceptional": { + "CHS": "超常的学生" + }, + "Saturday": { + "CHS": "星期六", + "ENG": "the day between Friday and Sunday" + }, + "balustrade": { + "CHS": "栏杆", + "ENG": "a row of wooden, stone, or metal posts that stop someone falling from a bridge or balcony " + }, + "accidental": { + "CHS": "次要方面;非主要的特性;临时记号" + }, + "climb": { + "CHS": "爬;攀登", + "ENG": "a process in which you move up towards a place, especially while using a lot of effort" + }, + "additional": { + "CHS": "附加的,额外的", + "ENG": "more than what was agreed or expected" + }, + "airhostess": { + "CHS": "客机女服务员,空姐" + }, + "dub": { + "CHS": "笨蛋;鼓声" + }, + "authoritative": { + "CHS": "有权威的;命令式的;当局的", + "ENG": "an authoritative book, account etc is respected because the person who wrote it knows a lot about the subject" + }, + "backwater": { + "CHS": "回水;死水;停滞不进的状态或地方", + "ENG": "a part of a river away from the main part, where the water does not move" + }, + "advice": { + "CHS": "建议;忠告;劝告;通知", + "ENG": "an opinion you give someone about what they should do" + }, + "tortuous": { + "CHS": "扭曲的,弯曲的;啰嗦的", + "ENG": "a tortuous path, stream, road etc has a lot of bends in it and is therefore difficult to travel along" + }, + "lofty": { + "CHS": "(Lofty)人名;(英)洛夫蒂" + }, + "ascendant": { + "CHS": "上升的;优越的", + "ENG": "becoming more powerful or popular" + }, + "rudimentary": { + "CHS": "基本的;初步的;退化的;残遗的;未发展的", + "ENG": "a rudimentary knowledge or understanding of a subject is very simple and basic" + }, + "eighth": { + "CHS": "第八;八分之一", + "ENG": "one of eight equal parts of something" + }, + "hospitality": { + "CHS": "好客;殷勤", + "ENG": "friendly behaviour towards visitors" + }, + "pedlar": { + "CHS": "[贸易] 小贩;传播者(等于peddler)", + "ENG": "A pedlar is someone who goes from place to place in order to sell something" + }, + "circus": { + "CHS": "马戏;马戏团", + "ENG": "a group of people and animals who travel to different places performing skilful tricks as entertainment" + }, + "excite": { + "CHS": "激起;刺激…,使…兴奋", + "ENG": "to make someone feel happy, interested, or eager" + }, + "prince": { + "CHS": "王子,国君;亲王;贵族", + "ENG": "the son of a king, queen, or prince" + }, + "crib": { + "CHS": "剽窃", + "ENG": "to copy school or college work dishonestly from someone else" + }, + "cobble": { + "CHS": "鹅卵石,圆石", + "ENG": "a cobblestone" + }, + "secretive": { + "CHS": "秘密的;偷偷摸摸的;促进分泌的" + }, + "handsomely": { + "CHS": "漂亮地;慷慨地;相当大地" + }, + "draught": { + "CHS": "汲出的;拖拉的(等于draft)" + }, + "vintage": { + "CHS": "采葡萄" + }, + "curtain": { + "CHS": "遮蔽;装上门帘" + }, + "quell": { + "CHS": "(Quell)人名;(捷)奎尔;(西)克利" + }, + "homage": { + "CHS": "敬意;尊敬;效忠", + "ENG": "something you do to show respect for someone or something you think is important" + }, + "pastry": { + "CHS": "油酥点心;面粉糕饼", + "ENG": "a mixture of flour, butter, and milk or water, used to make the outer part of baked foods such as pie s " + }, + "rabbit": { + "CHS": "让…见鬼去吧" + }, + "eighteen": { + "CHS": "十八", + "ENG": "the number 18" + }, + "scan": { + "CHS": "扫描;浏览;审视;细看", + "ENG": "a medical test in which a special machine produces a picture of something inside your body" + }, + "Revel": { + "CHS": "狂欢;闹饮;喜庆狂欢活动" + }, + "discredit": { + "CHS": "怀疑;无信用;名声的败坏" + }, + "sidestep": { + "CHS": "台阶;横跨的一步" + }, + "nitrate": { + "CHS": "用硝酸处理" + }, + "haul": { + "CHS": "拖运;拖拉", + "ENG": "to pull something heavy with a continuous steady movement" + }, + "adviser": { + "CHS": "顾问;劝告者;指导教师(等于advisor)", + "ENG": "someone whose job is to give advice because they know a lot about a subject, especially in business, law, or politics" + }, + "sierra": { + "CHS": "[地理] 锯齿山脊;呈齿状起伏的山脉", + "ENG": "a row or area of sharply pointed mountains" + }, + "greyhound": { + "CHS": "灰狗(一种猎犬);快速船", + "ENG": "In the United States, a Greyhound or a Greyhound bus is a bus that travels between towns or cities rather than within a particular town or city" + }, + "flurry": { + "CHS": "使恐慌;使激动" + }, + "masterpiece": { + "CHS": "杰作;绝无仅有的人", + "ENG": "a work of art, a piece of writing or music etc that is of very high quality or that is the best that a particular artist, writer etc has produced" + }, + "bandage": { + "CHS": "用绷带包扎", + "ENG": "to tie or cover a part of the body with a bandage" + }, + "lick": { + "CHS": "舔;打;少许", + "ENG": "when you move your tongue across the surface of something" + }, + "fundamental": { + "CHS": "基本原理;基本原则" + }, + "treatment": { + "CHS": "治疗,疗法;处理;对待", + "ENG": "something that is done to cure someone who is injured or ill" + }, + "mercenary": { + "CHS": "雇佣兵;唯利是图者", + "ENG": "a soldier who fights for any country or group that will pay him" + }, + "antibody": { + "CHS": "[免疫] 抗体", + "ENG": "a substance produced by your body to fight disease" + }, + "lonely": { + "CHS": "孤独者" + }, + "headquarters": { + "CHS": "总部;指挥部;司令部", + "ENG": "the main building or offices used by a large company or organization" + }, + "catwalk": { + "CHS": "猫步;狭小通道;桥上人行道", + "ENG": "a narrow structure for people to walk on that is high up inside or outside a building" + }, + "imperative": { + "CHS": "必要的事;命令;需要;规则;[语]祈使语气", + "ENG": "something that must be done urgently" + }, + "Catholicism": { + "CHS": "天主教;天主教义", + "ENG": "Catholicism is the traditions, the behaviour, and the set of Christian beliefs that are held by Catholics" + }, + "sly": { + "CHS": "(Sly)人名;(英)斯莱" + }, + "deposit": { + "CHS": "使沉积;存放", + "ENG": "to put something down in a particular place" + }, + "ability": { + "CHS": "能力,能耐;才能", + "ENG": "the state of being able to do something" + }, + "bubble": { + "CHS": "沸腾,冒泡;发出气泡声", + "ENG": "to produce bubbles" + }, + "sting": { + "CHS": "刺;驱使;使…苦恼;使…疼痛", + "ENG": "if an insect or a plant stings you, it makes a very small hole in your skin and you feel a sharp pain because of a poisonous substance" + }, + "prisoner": { + "CHS": "囚犯,犯人;俘虏;刑事被告", + "ENG": "someone who is kept in a prison as a legal punishment for a crime or while they are waiting for their trial " + }, + "bacteria": { + "CHS": "[微] 细菌", + "ENG": "very small living things, some of which cause illness or disease" + }, + "culminate": { + "CHS": "到绝顶;达到高潮;达到顶点" + }, + "ascent": { + "CHS": "上升;上坡路;登高", + "ENG": "the act of climbing something or moving upwards" + }, + "sniff": { + "CHS": "吸,闻;嗤之以鼻;气味;以鼻吸气;吸气声", + "ENG": "Sniff is also a noun" + }, + "wag": { + "CHS": "摇摆;爱说笑打趣的人", + "ENG": "someone who says or does something clever and amusing" + }, + "suntan": { + "CHS": "晒黑;土黄色军服;棕色", + "ENG": "brown skin that someone with pale skin gets after they have spent time in the sun" + }, + "enthusiasm": { + "CHS": "热心,热忱,热情", + "ENG": "a strong feeling of interest and enjoyment about something and an eagerness to be involved in it" + }, + "conference": { + "CHS": "举行或参加(系列)会议" + }, + "franchise": { + "CHS": "给…以特许(或特权);赋予公民权", + "ENG": "to give or sell a franchise to someone" + }, + "clue": { + "CHS": "为…提供线索;为…提供情况" + }, + "canopy": { + "CHS": "用天蓬遮盖;遮盖" + }, + "win": { + "CHS": "赢;胜利", + "ENG": "a success or victory, especially in sport" + }, + "ancestral": { + "CHS": "祖先的;祖传的", + "ENG": "You use ancestral to refer to a person's family in former times, especially when the family is important and has property or land that they have had for a long time" + }, + "frisk": { + "CHS": "搜身;快乐;蹦跳;快乐的时刻" + }, + "sitcom": { + "CHS": "情景喜剧(situation comedy)" + }, + "impact": { + "CHS": "挤入,压紧;撞击;对…产生影响", + "ENG": "to have an important or noticeable effect on someone or something" + }, + "zebra": { + "CHS": "有斑纹的" + }, + "phoenix": { + "CHS": "凤凰;死而复生的人", + "ENG": "a magic bird that is born from a fire, according to ancient stories" + }, + "precise": { + "CHS": "精确的;明确的;严格的", + "ENG": "precise information, details etc are exact, clear, and correct" + }, + "conversation": { + "CHS": "交谈,会话;社交;交往,交际;会谈;(人与计算机的)人机对话", + "ENG": "an informal talk in which people exchange news, feelings, and thoughts" + }, + "irrespective": { + "CHS": "无关的;不考虑的;不顾的" + }, + "sentry": { + "CHS": "设岗哨" + }, + "coerce": { + "CHS": "强制,迫使", + "ENG": "to force someone to do something they do not want to do by threatening them" + }, + "client": { + "CHS": "[经] 客户;顾客;委托人", + "ENG": "someone who gets services or advice from a professional person, company, or organization" + }, + "threat": { + "CHS": "威胁,恐吓;凶兆", + "ENG": "a statement in which you tell someone that you will cause them harm or trouble if they do not do what you want" + }, + "invigorate": { + "CHS": "鼓舞;使精力充沛", + "ENG": "to make the people in an organization or group feel excited again, so that they want to make something successful" + }, + "evidently": { + "CHS": "显然,明显地;清楚地", + "ENG": "used to say that something is true because you can see that it is true" + }, + "sickle": { + "CHS": "镰刀", + "ENG": "a tool with a blade in the shape of a hook, used for cutting wheat or long grass" + }, + "tension": { + "CHS": "使紧张;使拉紧" + }, + "desert": { + "CHS": "沙漠的;荒凉的;不毛的" + }, + "wash": { + "CHS": "洗涤;洗刷;冲走;拍打", + "ENG": "to clean something using water and a type of soap" + }, + "lawful": { + "CHS": "合法的;法定的;法律许可的", + "ENG": "allowed or recognized by law" + }, + "be": { + "CHS": "(Be)人名;(缅)拜;(日)部(姓);(朝)培;(中非)贝" + }, + "auxiliary": { + "CHS": "辅助的;副的;附加的", + "ENG": "auxiliary workers provide additional help for another group of workers" + }, + "rate": { + "CHS": "认为;估价;责骂", + "ENG": "if you rate someone or something, you think they are very good" + }, + "bulletin": { + "CHS": "公布,公告" + }, + "scum": { + "CHS": "产生泡沫;被浮渣覆盖" + }, + "fable": { + "CHS": "煞有介事地讲述;虚构" + }, + "distil": { + "CHS": "蒸馏;提炼;渗出", + "ENG": "If a liquid such as whisky or water is distilled, it is heated until it changes into steam or vapour and then cooled until it becomes liquid again. This is usually done in order to make it pure. " + }, + "closely": { + "CHS": "紧密地;接近地;严密地;亲近地", + "ENG": "very carefully" + }, + "incline": { + "CHS": "倾斜;斜面;斜坡", + "ENG": "a slope" + }, + "tact": { + "CHS": "机智;老练;圆滑;鉴赏力" + }, + "sordid": { + "CHS": "肮脏的;卑鄙的;利欲熏心的;色彩暗淡的", + "ENG": "involving immoral or dishonest behaviour" + }, + "cabin": { + "CHS": "把…关在小屋里" + }, + "glue": { + "CHS": "胶;各种胶合物", + "ENG": "a sticky substance used for joining things together" + }, + "shell": { + "CHS": "剥落;设定命令行解释器的位置", + "ENG": "to remove something such as beans or nuts from a shell or pod " + }, + "rostrum": { + "CHS": "讲坛;演讲者;嘴;喙", + "ENG": "a small platform that you stand on when you are making a speech or conduct ing musicians" + }, + "astonishment": { + "CHS": "惊讶;令人惊讶的事物", + "ENG": "complete surprise" + }, + "awaken": { + "CHS": "唤醒;唤起;使…意识到", + "ENG": "if something awakens an emotion, interest, memory etc it makes you suddenly begin to feel that emotion etc" + }, + "rational": { + "CHS": "有理数" + }, + "civilian": { + "CHS": "平民,百姓", + "ENG": "anyone who is not a member of the military forces or the police" + }, + "militarism": { + "CHS": "军国主义;尚武精神,好战态度;职业军人的精神", + "ENG": "the belief that a country should build up its military forces and use them to protect itself and get what it wants" + }, + "paranoia": { + "CHS": "[心理] 偏执狂,[内科] 妄想狂", + "ENG": "a mental illness that makes someone believe that they are very important and that people hate them and are trying to harm them" + }, + "sanction": { + "CHS": "制裁,处罚;批准;鼓励", + "ENG": "to officially accept or allow something" + }, + "homesick": { + "CHS": "想家的;思乡病的", + "ENG": "feeling unhappy because you are a long way from your home" + }, + "welcome": { + "CHS": "欢迎", + "ENG": "the way in which you greet someone when they arrive at a place" + }, + "aeroplane": { + "CHS": "飞机(等于airplane)", + "ENG": "a flying vehicle with wings and at least one engine" + }, + "alternative": { + "CHS": "二中择一;供替代的选择", + "ENG": "something you can choose to do or use instead of something else" + }, + "tenet": { + "CHS": "原则;信条;教义", + "ENG": "a principle or belief, especially one that is part of a larger system of beliefs" + }, + "broccoli": { + "CHS": "花椰菜;西兰花", + "ENG": "a green vegetable that has short branch-like stems" + }, + "seedling": { + "CHS": "秧苗,幼苗;树苗", + "ENG": "a young plant or tree grown from a seed" + }, + "radiochemical": { + "CHS": "放射化学的" + }, + "institutional": { + "CHS": "制度的;制度上的", + "ENG": "institutional attitudes and behaviour have existed for a long time in an organization and have become accepted as normal even though they are bad" + }, + "tutelage": { + "CHS": "监护;指导", + "ENG": "when you are taught or looked after by someone" + }, + "muscular": { + "CHS": "肌肉的;肌肉发达的;强健的", + "ENG": "having large strong muscles" + }, + "request": { + "CHS": "要求,请求", + "ENG": "to ask for something in a polite or formal way" + }, + "legitimize": { + "CHS": "使…合法;立为嫡嗣", + "ENG": "to make something official or legal" + }, + "imprudent": { + "CHS": "轻率的,鲁莽的;不小心的", + "ENG": "not sensible or wise" + }, + "pivot": { + "CHS": "枢轴的;关键的" + }, + "vineyard": { + "CHS": "葡萄园", + "ENG": "a piece of land where grapevines are grown in order to produce wine" + }, + "speckle": { + "CHS": "斑点", + "ENG": "a small or slight mark usually of a contrasting colour, as on the skin, a bird's plumage, or eggs " + }, + "economist": { + "CHS": "经济学者;节俭的人", + "ENG": "someone who studies the way in which money and goods are produced and used and the systems of business and trade" + }, + "trustworthy": { + "CHS": "可靠的;可信赖的", + "ENG": "able to be trusted and depended on" + }, + "bait": { + "CHS": "饵;诱饵", + "ENG": "food used to attract fish, animals, or birds so that you can catch them" + }, + "boot": { + "CHS": "靴子;踢;汽车行李箱", + "ENG": "a type of shoe that covers your whole foot and the lower part of your leg" + }, + "avenue": { + "CHS": "大街;林荫大道;[比喻](达到某物的)途径,手段,方法,渠道", + "ENG": "used in the names of streets in a town or city" + }, + "blind": { + "CHS": "使失明;使失去理智", + "ENG": "to make someone lose their good sense or judgment and be unable to see the truth about something" + }, + "confide": { + "CHS": "吐露;委托", + "ENG": "to tell someone you trust about personal things that you do not want other people to know" + }, + "adultery": { + "CHS": "通奸,通奸行为", + "ENG": "sex between someone who is married and someone who is not their wife or husband" + }, + "cellar": { + "CHS": "把…藏入地窖" + }, + "male": { + "CHS": "男人;雄性动物", + "ENG": "a male animal" + }, + "phobia": { + "CHS": "恐怖,憎恶;恐惧症", + "ENG": "a strong unreasonable fear of something" + }, + "lance": { + "CHS": "以长矛攻击;用柳叶刀割开;冲进", + "ENG": "If a boil on someone's body is lanced, a small cut is made in it so that the liquid inside comes out" + }, + "elementary": { + "CHS": "基本的;初级的;[化学] 元素的", + "ENG": "simple or basic" + }, + "race": { + "CHS": "使参加比赛;和…竞赛;使急走,使全速行进", + "ENG": "to compete against someone or something in a race" + }, + "excursion": { + "CHS": "偏移;远足;短程旅行;离题;游览,游览团", + "ENG": "a short journey arranged so that a group of people can visit a place, especially while they are on holiday" + }, + "dutiful": { + "CHS": "忠实的;顺从的;守本分的", + "ENG": "doing what you are expected to do and behaving in a loyal and obedient way" + }, + "misplace": { + "CHS": "放错地方;忘记把…放在什么地方;错误地信任某人", + "ENG": "to lose something for a short time by putting it in the wrong place" + }, + "elapse": { + "CHS": "流逝;时间的过去" + }, + "plaque": { + "CHS": "匾;血小板;饰板", + "ENG": "a piece of flat metal, wood, or stone with writing on it, used as a prize in a competition or attached to a building to remind people of an event or person" + }, + "offend": { + "CHS": "冒犯;使…不愉快", + "ENG": "to make someone angry or upset by doing or saying something that they think is rude, unkind etc" + }, + "budget": { + "CHS": "廉价的", + "ENG": "very low in price – often used in advertisements" + }, + "stink": { + "CHS": "发出臭味;招人讨厌", + "ENG": "To stink means to smell very bad" + }, + "admiration": { + "CHS": "钦佩;赞赏;羡慕;赞美", + "ENG": "a feeling of great respect and liking for something or someone" + }, + "price": { + "CHS": "给……定价;问……的价格", + "ENG": "to decide the price of something that is for sale" + }, + "kiss": { + "CHS": "吻;轻拂", + "ENG": "an act of kissing" + }, + "scorpion": { + "CHS": "蝎子;蝎尾鞭;心黑的人", + "ENG": "a tropical animal like an insect, with a curving tail and a poisonous sting" + }, + "disavow": { + "CHS": "否认,否定;抵赖;拒绝对…的责任", + "ENG": "to say that you are not responsible for something, that you do not know about it, or that you are not involved with it" + }, + "flick": { + "CHS": "弹开;快速的轻打;轻打声", + "ENG": "a short quick sudden movement or hit with a part of your body, whip etc" + }, + "need": { + "CHS": "需要", + "ENG": "to have to have something or someone, because you cannot do something without them, or because you cannot continue or cannot exist without them" + }, + "biscuit": { + "CHS": "小点心,饼干", + "ENG": "a small thin dry cake that is usually sweet and made for one person to eat" + }, + "keep": { + "CHS": "保持;生计;生活费", + "ENG": "the cost of providing food and a home for someone" + }, + "medicine": { + "CHS": "用药物治疗;给…用药" + }, + "undignified": { + "CHS": "不庄重的;无威严的", + "ENG": "behaving in a way that is embarrassing or makes you look silly" + }, + "ambush": { + "CHS": "埋伏,伏击", + "ENG": "If a group of people ambush their enemies, they attack them after hiding and waiting for them" + }, + "puppy": { + "CHS": "小狗,幼犬", + "ENG": "a young dog" + }, + "respectable": { + "CHS": "可敬的人" + }, + "hanger": { + "CHS": "衣架;挂钩;绞刑执行者", + "ENG": "a curved piece of wood or metal with a hook on top, used for hanging clothes on" + }, + "formidable": { + "CHS": "强大的;可怕的;令人敬畏的;艰难的", + "ENG": "very powerful or impressive, and often frightening" + }, + "clone": { + "CHS": "无性繁殖,复制", + "ENG": "to make an exact copy of a plant or animal by taking a cell from it and developing it artificially" + }, + "botanist": { + "CHS": "植物学家", + "ENG": "someone whose job is to make scientific studies of wild plants" + }, + "greenhouse": { + "CHS": "温室", + "ENG": "a glass building used for growing plants that need warmth, light, and protection" + }, + "contented": { + "CHS": "使…满足;使…安心(content的过去式和过去分词)" + }, + "resigned": { + "CHS": "辞职;顺从(resign的过去分词)" + }, + "considerable": { + "CHS": "相当大的;重要的,值得考虑的", + "ENG": "fairly large, especially large enough to have an effect or be important" + }, + "midst": { + "CHS": "在…中间(等于amidst)", + "ENG": "surrounded by people or things" + }, + "government": { + "CHS": "政府;政体;管辖", + "ENG": "the group of people who govern a country or state" + }, + "soloist": { + "CHS": "独奏者;独唱者", + "ENG": "a musician who performs alone or plays an instrument alone" + }, + "availability": { + "CHS": "可用性;有效性;实用性" + }, + "bitch": { + "CHS": "糟蹋;弄糟" + }, + "burden": { + "CHS": "使负担;烦扰;装货于", + "ENG": "If someone burdens you with something that is likely to worry you, for example, a problem or a difficult decision, they tell you about it" + }, + "harmful": { + "CHS": "有害的;能造成损害的", + "ENG": "causing harm" + }, + "indistinguishable": { + "CHS": "不能区别的,不能辨别的;不易察觉的", + "ENG": "If one thing is indistinguishable from another, the two things are so similar that it is difficult to know which is which" + }, + "thereabout": { + "CHS": "在那附近;大约" + }, + "gun": { + "CHS": "用枪射击;加大油门快速前进" + }, + "automatic": { + "CHS": "自动机械;自动手枪", + "ENG": "a weapon that can fire bullets continuously" + }, + "confidential": { + "CHS": "机密的;表示信任的;获信任的", + "ENG": "spoken or written in secret and intended to be kept secret" + }, + "mechanic": { + "CHS": "手工的" + }, + "illustrate": { + "CHS": "阐明,举例说明;图解", + "ENG": "to make the meaning of something clearer by giving examples" + }, + "peril": { + "CHS": "危及;置…于险境" + }, + "degrade": { + "CHS": "贬低;使……丢脸;使……降级;使……降解", + "ENG": "to treat someone without respect and make them lose respect for themselves" + }, + "encourage": { + "CHS": "鼓励,怂恿;激励;支持", + "ENG": "to give someone the courage or confidence to do something" + }, + "fetching": { + "CHS": "迷人的;动人的;吸引人的", + "ENG": "attractive, especially because the clothes you are wearing suit you" + }, + "fourteen": { + "CHS": "十四的记号;十四岁;十四点钟;十五世纪", + "ENG": "the number 14" + }, + "soldier": { + "CHS": "当兵;磨洋工;坚持干;假称害病" + }, + "dusky": { + "CHS": "暗淡的;微暗的;忧郁的;朦胧的", + "ENG": "dark or not very bright in colour" + }, + "hobgoblin": { + "CHS": "妖怪", + "ENG": "a goblin " + }, + "malign": { + "CHS": "恶意的,恶性的;有害的", + "ENG": "harmful" + }, + "arrangement": { + "CHS": "布置;整理;准备", + "ENG": "plans and preparations that you must make so that something can happen" + }, + "farther": { + "CHS": "进一步的;更远的(far的比较级)", + "ENG": "more distant; a comparative form of ‘far’" + }, + "hymn": { + "CHS": "唱赞美歌" + }, + "conscience": { + "CHS": "道德心,良心", + "ENG": "the part of your mind that tells you whether what you are doing is morally right or wrong" + }, + "stalk": { + "CHS": "追踪,潜近;高视阔步", + "ENG": "to walk in a proud or angry way, with long steps" + }, + "of": { + "CHS": "关于;属于;…的;由…组成的", + "ENG": "used to show what a part belongs to or comes from" + }, + "armour": { + "CHS": "盔甲;装甲;护面", + "ENG": "metal or leather clothing that protects your body, worn by soldiers in battles in past times" + }, + "moisturise": { + "CHS": "给…增加水分" + }, + "indisputable": { + "CHS": "明白的;无争论之余地的", + "ENG": "If you say that something is indisputable, you are emphasizing that it is true and cannot be shown to be untrue" + }, + "brochure": { + "CHS": "手册,小册子", + "ENG": "a thin book giving information or advertising something" + }, + "radium": { + "CHS": "[化学] 镭(88号元素符号Ra)", + "ENG": "a white metal that is radioactive and is used in the treatment of diseases such as cancer . It is a chemical element : symbol Ra" + }, + "indecent": { + "CHS": "下流的;不礼貌的;不得体的", + "ENG": "something that is indecent is shocking and offensive, usually because it involves sex or shows parts of the body that are usually covered" + }, + "example": { + "CHS": "举例" + }, + "twitch": { + "CHS": "抽搐;抽动;阵痛", + "ENG": "if a part of someone’s body twitches, or if they twitch it, it makes a small sudden movement" + }, + "monolingual": { + "CHS": "只用一种语言的人" + }, + "immature": { + "CHS": "不成熟的;未成熟的;粗糙的", + "ENG": "someone who is immature behaves or thinks in a way that is typical of someone much younger – used to show disapproval" + }, + "military": { + "CHS": "军队;军人", + "ENG": "the military forces of a country" + }, + "corrosion": { + "CHS": "腐蚀;腐蚀产生的物质;衰败", + "ENG": "the gradual destruction of metal by the effect of water, chemicals etc or a substance such as rust produced by this process" + }, + "camel": { + "CHS": "工作刻板平庸" + }, + "crease": { + "CHS": "起皱", + "ENG": "to become marked with a line or lines, or to make a line appear on cloth, paper etc by folding or crushing it" + }, + "seatbelt": { + "CHS": "座位安全带" + }, + "tingle": { + "CHS": "刺痛感;激动;鸣响" + }, + "upset": { + "CHS": "混乱;翻倒;颠覆", + "ENG": "Upset is also a noun" + }, + "helping": { + "CHS": "帮助;扶持(help的ing形式)" + }, + "wine": { + "CHS": "喝酒", + "ENG": "to entertain someone well with a meal, wine etc" + }, + "spot": { + "CHS": "准确地;恰好" + }, + "swallow": { + "CHS": "燕子;一次吞咽的量", + "ENG": "a small black and white bird that comes to northern countries in the summer" + }, + "embroil": { + "CHS": "使卷入;使混乱", + "ENG": "to involve someone or something in a difficult situation" + }, + "specimen": { + "CHS": "样品,样本;标本", + "ENG": "a small amount or piece that is taken from something, so that it can be tested or examined" + }, + "invite": { + "CHS": "邀请", + "ENG": "an invitation to a party, meal etc" + }, + "efficacy": { + "CHS": "功效,效力", + "ENG": "the ability of something to produce the right result" + }, + "pendant": { + "CHS": "下垂物,垂饰", + "ENG": "a jewel, stone etc that hangs from a thin chain that you wear around your neck" + }, + "confident": { + "CHS": "自信的;确信的", + "ENG": "sure that something will happen in the way that you want or expect" + }, + "unscrew": { + "CHS": "旋开;旋松;从旋出螺丝", + "ENG": "to open something by twisting it" + }, + "foliage": { + "CHS": "植物;叶子(总称)", + "ENG": "the leaves of a plant" + }, + "mode": { + "CHS": "模式;方式;风格;时尚", + "ENG": "a particular way or style of behaving, living or doing something" + }, + "card": { + "CHS": "记于卡片上" + }, + "annuity": { + "CHS": "年金,养老金;年金保险;年金享受权", + "ENG": "a fixed amount of money that is paid each year to someone, usually until they die" + }, + "shockproof": { + "CHS": "防震的;防电击的", + "ENG": "a watch, machine etc that is shockproof is designed so that it is not easily damaged if it is dropped or hit" + }, + "heartless": { + "CHS": "无情的;无勇气的", + "ENG": "cruel and not feeling any pity" + }, + "she": { + "CHS": "女人;雌性动物", + "ENG": "used to refer to a woman, girl, or female animal that has already been mentioned or is already known about" + }, + "weave": { + "CHS": "织物;织法;编织式样", + "ENG": "the way in which a material is woven, and the pattern formed by this" + }, + "hobnail": { + "CHS": "鞋钉,平头钉;乡下佬", + "ENG": "a short nail with a large head for protecting the soles of heavy footwear " + }, + "funny": { + "CHS": "滑稽人物;笑话,有趣的故事;滑稽连环漫画栏;(英)(比赛用)单人双桨小艇" + }, + "done": { + "CHS": "(西、罗)多内(人名);(英)多恩(人名)" + }, + "eczema": { + "CHS": "[皮肤] 湿疹", + "ENG": "a condition in which your skin becomes dry, red, and swollen" + }, + "advent": { + "CHS": "到来;出现;基督降临;基督降临节", + "ENG": "the time when something first begins to be widely used" + }, + "underachieve": { + "CHS": "未能充分发挥学习潜力;学习成绩不良" + }, + "enchant": { + "CHS": "使迷惑;施魔法", + "ENG": "In fairy tales and legends, to enchant someone or something means to put a magic spell on them" + }, + "provoke": { + "CHS": "驱使;激怒;煽动;惹起", + "ENG": "to cause a reaction or feeling, especially a sudden one" + }, + "hothouse": { + "CHS": "温室的;过分保护的;娇弱的" + }, + "compensate": { + "CHS": "补偿,赔偿;抵消", + "ENG": "to replace or balance the effect of something bad" + }, + "compassion": { + "CHS": "同情;怜悯", + "ENG": "a strong feeling of sympathy for someone who is suffering, and a desire to help them" + }, + "sexist": { + "CHS": "性别主义者的;性别歧视者的", + "ENG": "If you describe people or their behaviour as sexist, you mean that they are influenced by the belief that the members of one sex, usually women, are less intelligent or less capable than those of the other sex and need not be treated equally" + }, + "Celsius": { + "CHS": "摄氏度", + "ENG": "a scale of temperature in which water freezes at 0˚ and boils at 100˚" + }, + "shut": { + "CHS": "关闭的;围绕的", + "ENG": "not open" + }, + "constellation": { + "CHS": "[天] 星座;星群;荟萃;兴奋丛", + "ENG": "a group of stars that forms a particular pattern and has a name" + }, + "ephemeral": { + "CHS": "只生存一天的事物" + }, + "abridge": { + "CHS": "删节;缩短;节略", + "ENG": "to reduce the length of (a written work) by condensing or rewriting " + }, + "adherence": { + "CHS": "坚持;依附;忠诚", + "ENG": "when someone behaves according to a particular rule, belief, principle etc" + }, + "allowance": { + "CHS": "定量供应" + }, + "undercharge": { + "CHS": "充电不足;低的索价;填不够量的火药", + "ENG": "an insufficient charge " + }, + "remittance": { + "CHS": "汇款;汇寄之款;汇款额", + "ENG": "an amount of money that you send to pay for something" + }, + "tea": { + "CHS": "喝茶;进茶点" + }, + "abrupt": { + "CHS": "生硬的;突然的;唐突的;陡峭的", + "ENG": "sudden and unexpected" + }, + "pull": { + "CHS": "拉,拉绳;拉力,牵引力;拖", + "ENG": "an act of using force to move something towards you or in the same direction that you are moving" + }, + "plough": { + "CHS": "犁;耕地(等于plow)", + "ENG": "a piece of farm equipment used to turn over the earth so that seeds can be planted" + }, + "steak": { + "CHS": "牛排;肉排;鱼排", + "ENG": "good quality beef , or a large thick piece of any good quality red meat" + }, + "gadget": { + "CHS": "小玩意;小器具;小配件;诡计", + "ENG": "A gadget is a small machine or device which does something useful. You sometimes refer to something as a gadget when you are suggesting that it is complicated and unnecessary. " + }, + "case": { + "CHS": "包围;把…装于容器中" + }, + "biologist": { + "CHS": "生物学家", + "ENG": "someone who studies or works in biology" + }, + "activity": { + "CHS": "活动;行动;活跃", + "ENG": "things that people do, especially in order to achieve a particular aim" + }, + "folk": { + "CHS": "民间的", + "ENG": "folk art, stories, customs etc are traditional and typical of the ordinary people who live in a particular area" + }, + "customer": { + "CHS": "顾客;家伙", + "ENG": "someone who buys goods or services from a shop, company etc" + }, + "sip": { + "CHS": "啜饮" + }, + "twentieth": { + "CHS": "第二十" + }, + "existentialist": { + "CHS": "存在主义的", + "ENG": "If you describe a person or their philosophy as existentialist, you mean that their beliefs are based on existentialism" + }, + "first": { + "CHS": "第一", + "ENG": "something that has never happened or been done before" + }, + "corruption": { + "CHS": "贪污,腐败;堕落", + "ENG": "dishonest, illegal, or immoral behaviour, especially from someone with power" + }, + "welfare": { + "CHS": "福利的;接受社会救济的", + "ENG": "Welfare services are provided to help with people's living conditions and financial problems" + }, + "bribery": { + "CHS": "[法] 贿赂;受贿;行贿", + "ENG": "the act of giving bribes" + }, + "futile": { + "CHS": "无用的;无效的;没有出息的;琐细的;不重要的", + "ENG": "actions that are futile are useless because they have no chance of being successful" + }, + "enumerate": { + "CHS": "列举;枚举;计算", + "ENG": "to name a list of things one by one" + }, + "rice": { + "CHS": "把…捣成米糊状" + }, + "tyre": { + "CHS": "[橡胶] 轮胎;轮箍", + "ENG": "a thick rubber ring that fits around the wheel of a car, bicycle etc" + }, + "drumstick": { + "CHS": "鸡腿,家禽腿;鼓槌", + "ENG": "a stick that you use to hit a drum" + }, + "erosion": { + "CHS": "侵蚀,腐蚀", + "ENG": "the process by which rock or soil is gradually destroyed by wind, rain, or the sea" + }, + "aspirin": { + "CHS": "阿司匹林(解热镇痛药)", + "ENG": "a medicine that reduces pain, inflammation , and fever" + }, + "engrave": { + "CHS": "雕刻;铭记", + "ENG": "to cut words or designs on metal, wood, glass etc" + }, + "quick": { + "CHS": "迅速地,快", + "ENG": "quickly – many teachers think this is not correct English" + }, + "mathematician": { + "CHS": "数学家", + "ENG": "someone who studies or teaches mathematics, or is a specialist in mathematics" + }, + "housemaid": { + "CHS": "女佣,女仆", + "ENG": "a female servant who cleans someone’s house" + }, + "implement": { + "CHS": "工具,器具;手段", + "ENG": "a tool, especially one used for outdoor physical work" + }, + "pacific": { + "CHS": "太平洋" + }, + "merry": { + "CHS": "甜樱桃" + }, + "intruder": { + "CHS": "侵入者;干扰者;妨碍者", + "ENG": "An intruder is a person who goes into a place where they are not supposed to be" + }, + "vicious": { + "CHS": "(Vicious)人名;(英)维舍斯" + }, + "hindmost": { + "CHS": "最后面的,最后部的", + "ENG": "furthest back; last " + }, + "jingle": { + "CHS": "(使)叮当作响;具有简单而又引人注意的韵律" + }, + "sovereign": { + "CHS": "君主;独立国;最高统治者", + "ENG": "a king or queen" + }, + "broad": { + "CHS": "宽阔地" + }, + "marksman": { + "CHS": "神射手;不能用笔署名者", + "ENG": "someone who can shoot a gun very well" + }, + "abruptly": { + "CHS": "突然地;唐突地" + }, + "beating": { + "CHS": "打(beat的ing形式)" + }, + "junk": { + "CHS": "垃圾,废物;舢板", + "ENG": "old or unwanted objects that have no use or value" + }, + "chapel": { + "CHS": "非国教的" + }, + "cup": { + "CHS": "使成杯状;为…拔火罐", + "ENG": "If you cup your hands, you make them into a curved shape like a cup" + }, + "quarantine": { + "CHS": "检疫;隔离;检疫期;封锁", + "ENG": "a period of time when a person or animal is kept apart from others in case they are carrying a disease" + }, + "imprisonment": { + "CHS": "监禁,关押;坐牢;下狱", + "ENG": "Imprisonment is the state of being imprisoned" + }, + "apple": { + "CHS": "苹果,苹果树,苹果似的东西;[美俚]炸弹,手榴弹,(棒球的)球;[美俚]人,家伙。", + "ENG": "a hard round fruit that has red, light green, or yellow skin and is white inside" + }, + "partly": { + "CHS": "部分地;在一定程度上", + "ENG": "to some degree, but not completely" + }, + "Scottish": { + "CHS": "苏格兰人;苏格兰语" + }, + "badly": { + "CHS": "非常,很;严重地,厉害地;恶劣地", + "ENG": "in an unsatisfactory or unsuccessful way" + }, + "cat": { + "CHS": "猫,猫科动物", + "ENG": "to pretend to allow someone to do or have what they want, and then to stop them from doing or having it" + }, + "ass": { + "CHS": "屁股;驴子;蠢人", + "ENG": "a stupid annoying person" + }, + "error": { + "CHS": "误差;错误;过失", + "ENG": "a mistake" + }, + "illogical": { + "CHS": "不合逻辑的;不合常理的", + "ENG": "not sensible or reasonable" + }, + "composure": { + "CHS": "镇静;沉着", + "ENG": "the state of feeling or seeming calm" + }, + "annoyance": { + "CHS": "烦恼;可厌之事;打扰", + "ENG": "a feeling of slight anger" + }, + "nature": { + "CHS": "自然;性质;本性;种类", + "ENG": "everything in the physical world that is not controlled by humans, such as wild plants and animals, earth and rocks, and the weather" + }, + "assimilate": { + "CHS": "吸收;使同化;把…比作;使相似", + "ENG": "to completely understand and begin to use new ideas, information etc" + }, + "visible": { + "CHS": "可见物;进出口贸易中的有形项目" + }, + "humidify": { + "CHS": "使潮湿;使湿润", + "ENG": "to add very small drops of water to the air in a room etc because the air is too dry" + }, + "dependence": { + "CHS": "依赖;依靠;信任;信赖", + "ENG": "when you depend on the help and support of someone or something else in order to exist or be successful" + }, + "pregnancy": { + "CHS": "怀孕;丰富,多产;意义深长", + "ENG": "when a woman is pregnant (= has a baby growing inside her body )" + }, + "communicate": { + "CHS": "通讯,传达;相通;交流;感染", + "ENG": "to exchange information or conversation with other people, using words, signs, writing etc" + }, + "graduate": { + "CHS": "毕业的;研究生的", + "ENG": "relating to or involved in studies done at a university after completing a first degree" + }, + "eulogy": { + "CHS": "悼词;颂词;颂扬;赞词", + "ENG": "a speech or piece of writing in which you praise someone or something very much, especially at a funeral" + }, + "tartan": { + "CHS": "格子呢的" + }, + "photography": { + "CHS": "摄影;摄影术", + "ENG": "the art, profession, or method of producing photographs or the scenes in films" + }, + "ailment": { + "CHS": "小病;不安", + "ENG": "an illness that is not very serious" + }, + "gaily": { + "CHS": "华丽地;欢乐地", + "ENG": "in a happy way" + }, + "volatile": { + "CHS": "挥发物;有翅的动物" + }, + "friendship": { + "CHS": "友谊;友爱;友善", + "ENG": "a relationship between friends" + }, + "inexperienced": { + "CHS": "无经验的;不熟练的", + "ENG": "not having had much experience" + }, + "even": { + "CHS": "(Even)人名;(法)埃旺;(德)埃文;(英)埃文" + }, + "improve": { + "CHS": "改善,增进;提高…的价值", + "ENG": "to make something better, or to become better" + }, + "member": { + "CHS": "成员;会员;议员", + "ENG": "a person or country that belongs to a group or organization" + }, + "trout": { + "CHS": "鳟鱼,鲑鱼", + "ENG": "a common river-fish, often used for food, or the flesh of this fish" + }, + "dungeon": { + "CHS": "地牢,土牢", + "ENG": "a dark underground prison, especially under a castle, that was used in the past" + }, + "renunciation": { + "CHS": "放弃;脱离关系;拒绝承认;抛弃;弃权", + "ENG": "when someone makes a formal decision to no longer believe in something, live in a particular way etc" + }, + "savoury": { + "CHS": "可口的;开胃的;令人愉快的", + "ENG": "a savoury smell or taste is strong and pleasant but is not sweet" + }, + "accustom": { + "CHS": "使习惯于", + "ENG": "to make yourself or another person become used to a situation or place" + }, + "gin": { + "CHS": "喝杜松子酒; 用陷阱(或网)捕捉,诱捕(猎物)" + }, + "gender": { + "CHS": "生(过去式gendered,过去分词gendered,现在分词gendering,第三人称单数genders,形容词genderless)" + }, + "resource": { + "CHS": "资源,财力;办法;智谋", + "ENG": "something such as useful land, or minerals such as oil or coal, that exists in a country and can be used to increase its wealth" + }, + "snapshot": { + "CHS": "拍快照" + }, + "allow": { + "CHS": "允许;给予;认可", + "ENG": "to let someone do or have something, or let something happen" + }, + "age": { + "CHS": "成熟;变老", + "ENG": "to start looking older or to make someone or something look older" + }, + "dispensation": { + "CHS": "分配;免除;豁免;天命", + "ENG": "A dispensation is special permission to do something that is normally not allowed" + }, + "shamefaced": { + "CHS": "谦逊的;害羞的;不惹眼的" + }, + "finesse": { + "CHS": "巧妙处理;以偷牌方式先出", + "ENG": "to handle a situation well, but in a way that is slightly deceitful" + }, + "drawing": { + "CHS": "绘画;吸引(draw的ing形式);拖曳" + }, + "cupboard": { + "CHS": "碗柜;食橱", + "ENG": "a piece of furniture with doors, and sometimes shelves, used for storing clothes, plates, food etc" + }, + "dripping": { + "CHS": "滴下(drip的ing形式)" + }, + "awe": { + "CHS": "敬畏", + "ENG": "a feeling of great respect and liking for someone or something" + }, + "ballerina": { + "CHS": "芭蕾舞女演员,芭蕾舞女", + "ENG": "a woman who dances in ballets" + }, + "knit": { + "CHS": "编织衣物;编织法" + }, + "briefcase": { + "CHS": "公文包", + "ENG": "a flat case used especially by business people for carrying papers or documents" + }, + "communion": { + "CHS": "共享;恳谈;宗教团体;圣餐仪式", + "ENG": "the Christian ceremony in which people eat bread and drink wine as signs of Christ’s body and blood" + }, + "annul": { + "CHS": "取消;废除;宣告无效", + "ENG": "to officially state that a marriage or legal agreement no longer exists" + }, + "donkey": { + "CHS": "驴子;傻瓜;顽固的人", + "ENG": "a grey or brown animal like a horse, but smaller and with long ears" + }, + "hotplate": { + "CHS": "电炉;扁平烤盘", + "ENG": "A hotplate is a portable device that you use for cooking food or keeping it warm" + }, + "bonus": { + "CHS": "奖金;红利;额外津贴", + "ENG": "money added to someone’s wages, especially as a reward for good work" + }, + "stoppage": { + "CHS": "停止;故障;罢工;堵塞;扣留", + "ENG": "a situation in which workers stop working for a short time as a protest" + }, + "plentiful": { + "CHS": "丰富的;许多的;丰饶的;众多的", + "ENG": "more than enough in quantity" + }, + "airliner": { + "CHS": "班机;大型客机", + "ENG": "a large plane for passengers" + }, + "abbreviation": { + "CHS": "缩写;缩写词", + "ENG": "a short form of a word or expression" + }, + "finalist": { + "CHS": "参加决赛的选手", + "ENG": "one of the people or teams that reaches the final game in a competition" + }, + "complicity": { + "CHS": "共谋;串通;共犯关系", + "ENG": "involvement in a crime, together with other people" + }, + "negative": { + "CHS": "否定;拒绝", + "ENG": "to refuse to accept a proposal or request" + }, + "intact": { + "CHS": "完整的;原封不动的;未受损伤的", + "ENG": "not broken, damaged, or spoiled" + }, + "fruition": { + "CHS": "完成,成就;结果实", + "ENG": "if a plan, project etc comes to fruition, it is successfully put into action and completed, often after a long process" + }, + "homey": { + "CHS": "(Homey)人名;(德)霍迈" + }, + "insulate": { + "CHS": "隔离,使孤立;使绝缘,使隔热", + "ENG": "to cover or protect something with a material that stops electricity, sound, heat etc from getting in or out" + }, + "courage": { + "CHS": "勇气;胆量", + "ENG": "the quality of being brave when you are facing a difficult or dangerous situation or when you are very ill" + }, + "niche": { + "CHS": "放入壁龛" + }, + "domino": { + "CHS": "多米诺骨牌;面具;化装外衣", + "ENG": "one of a set of small flat pieces of wood, plastic etc, with different numbers of spots, used for playing a game" + }, + "hesitate": { + "CHS": "踌躇,犹豫;不愿", + "ENG": "If you hesitate to do something, you delay doing it or are unwilling to do it, usually because you are not certain it would be right. If you do not hesitate to do something, you do it immediately. " + }, + "dislocate": { + "CHS": "使脱臼;使混乱", + "ENG": "to move a bone out of its normal position in a joint, usually in an accident" + }, + "inaccessible": { + "CHS": "难达到的;难接近的;难见到的", + "ENG": "difficult or impossible to reach" + }, + "illuminating": { + "CHS": "照明,阐释(illuminate的现在分词形式)", + "ENG": "To illuminate something means to shine light on it and to make it brighter and more visible" + }, + "sod": { + "CHS": "铺上草皮;以生草土覆盖;铺草皮于", + "ENG": "to cover with sods " + }, + "rapid": { + "CHS": "急流;高速交通工具,高速交通网" + }, + "predicament": { + "CHS": "窘况,困境;状态", + "ENG": "a difficult or unpleasant situation in which you do not know what to do, or in which you have to make a difficult choice" + }, + "seasoning": { + "CHS": "调味品;佐料;风干;增添趣味的东西", + "ENG": "salt, pepper, spices etc that give food a more interesting taste" + }, + "fornicate": { + "CHS": "弓形的;拱状的" + }, + "excusable": { + "CHS": "可原谅的;可辩解的;可免除的", + "ENG": "behaviour that is excusable can be forgiven" + }, + "ornate": { + "CHS": "华丽的;装饰的;(文体)绚丽的", + "ENG": "covered with a lot of decoration" + }, + "affluent": { + "CHS": "支流;富人", + "ENG": "The affluent are people who are affluent" + }, + "dirty": { + "CHS": "弄脏", + "ENG": "To dirty something means to cause it to become dirty" + }, + "absurd": { + "CHS": "荒诞;荒诞作品" + }, + "thoughtlessness": { + "CHS": "欠考虑;不体贴" + }, + "backdrop": { + "CHS": "背景;背景幕;交流声", + "ENG": "the scenery behind something that you are looking at" + }, + "prospect": { + "CHS": "勘探,找矿", + "ENG": "to examine an area of land or water, in order to find gold, silver, oil etc" + }, + "lessen": { + "CHS": "(Lessen)人名;(德、罗)莱森" + }, + "fuel": { + "CHS": "燃料;刺激因素", + "ENG": "a substance such as coal, gas, or oil that can be burned to produce heat or energy" + }, + "idiot": { + "CHS": "笨蛋,傻瓜;白痴", + "ENG": "a stupid person or someone who has done something stupid" + }, + "glutton": { + "CHS": "酷爱…的人;贪吃的人", + "ENG": "If you say that someone is a glutton for something, you mean that they enjoy or need it very much" + }, + "daredevil": { + "CHS": "蛮勇的,不怕死的" + }, + "congressman": { + "CHS": "国会议员;众议院议员", + "ENG": "a man who is a member of a congress, especially the US House of Representatives" + }, + "code": { + "CHS": "编码;制成法典" + }, + "while": { + "CHS": "消磨;轻松地度过", + "ENG": "to spend time in a pleasant and lazy way" + }, + "ninety": { + "CHS": "九十", + "ENG": "the number 90" + }, + "cinder": { + "CHS": "用煤渣等铺路面" + }, + "shrub": { + "CHS": "灌木;灌木丛", + "ENG": "a small bush with several woody stems" + }, + "defiant": { + "CHS": "挑衅的;目中无人的,蔑视的;挑战的", + "ENG": "If you say that someone is defiant, you mean they show aggression or independence by refusing to obey someone" + }, + "evanescent": { + "CHS": "容易消散的;逐渐消失的;会凋零的", + "ENG": "Something that is evanescent gradually disappears from sight or memory" + }, + "charitable": { + "CHS": "慈善事业的;慷慨的,仁慈的;宽恕的", + "ENG": "relating to giving help to the poor" + }, + "park": { + "CHS": "停放;放置;寄存", + "ENG": "to put a car or other vehicle in a particular place for a period of time" + }, + "unacceptable": { + "CHS": "不能接受的;不受欢迎的", + "ENG": "something that is unacceptable is so wrong or bad that you think it should not be allowed" + }, + "try": { + "CHS": "尝试;努力;试验", + "ENG": "an attempt to do something" + }, + "prime": { + "CHS": "使准备好;填装", + "ENG": "to prepare someone for a situation so that they know what to do" + }, + "fawn": { + "CHS": "浅黄褐色的", + "ENG": "having a pale yellow-brown colour" + }, + "positive": { + "CHS": "正数;[摄] 正片" + }, + "scavenge": { + "CHS": "打扫;排除废气;以…为食", + "ENG": "if an animal scavenges, it eats anything that it can find" + }, + "ruby": { + "CHS": "使带红宝石色" + }, + "immediate": { + "CHS": "立即的;直接的;最接近的", + "ENG": "happening or done at once and without delay" + }, + "Halloween": { + "CHS": "万圣节前夕(指十月三十一日夜晚)", + "ENG": "the night of October 31st, which is now celebrated by children, who dress in costumes and go from house to house asking for sweets, especially in the US and Canada. In the past, people believed the souls of dead people appeared on Halloween." + }, + "dumbfound": { + "CHS": "使惊呆;使人惊愕失声", + "ENG": "If someone or something dumbfounds you, they surprise you very much" + }, + "illegitimate": { + "CHS": "非嫡出子;庶子" + }, + "hereabouts": { + "CHS": "在这里附近;在这一带", + "ENG": "somewhere near the place where you are" + }, + "loving": { + "CHS": "(Loving)人名;(英、瑞典)洛文" + }, + "billiards": { + "CHS": "台球,桌球;弹子戏", + "ENG": "a game played on a cloth-covered table in which balls are hit with a cue (= a long stick ) against each other and into pockets at the edge of the table" + }, + "hazel": { + "CHS": "淡褐色的;榛树的", + "ENG": "hazel eyes are a green-brown colour" + }, + "carry": { + "CHS": "运载;[计] 进位;射程", + "ENG": "the distance a ball or bullet travels after it has been thrown, hit, or fired" + }, + "midnight": { + "CHS": "半夜的;漆黑的", + "ENG": "Midnight is used to describe something that happens or appears at midnight or in the middle of the night" + }, + "married": { + "CHS": "结婚,与…结婚(marry的过去式)" + }, + "expense": { + "CHS": "被花掉" + }, + "interplay": { + "CHS": "相互影响,相互作用" + }, + "donor": { + "CHS": "捐献的;经人工授精出生的", + "ENG": "Donor organs or parts are organs or parts of the body which people allow doctors to use to help people who are ill" + }, + "antecedent": { + "CHS": "先行的;前驱的;先前的" + }, + "frog": { + "CHS": "捕蛙" + }, + "perplex": { + "CHS": "使困惑,使为难;使复杂化", + "ENG": "if something perplexes you, it makes you feel confused and worried because it is difficult to understand" + }, + "flagpole": { + "CHS": "旗竿", + "ENG": "a tall pole on which a flag hangs" + }, + "virulent": { + "CHS": "剧毒的;恶性的;有恶意的", + "ENG": "a poison, disease etc that is virulent is very dangerous and affects people very quickly" + }, + "pump": { + "CHS": "泵,抽水机;打气筒", + "ENG": "a machine for forcing liquid or gas into or out of something" + }, + "estate": { + "CHS": "房地产;财产;身份", + "ENG": "law all of someone’s property and money, especially everything that is left after they die" + }, + "fleece": { + "CHS": "剪下羊毛;欺诈,剥削", + "ENG": "If you fleece someone, you get a lot of money from them by tricking them or charging them too much" + }, + "dilettante": { + "CHS": "(在艺术、科学等方面)浅尝辄止" + }, + "iron": { + "CHS": "铁的;残酷的;刚强的", + "ENG": "You can use iron to describe the character or behaviour of someone who is very firm in their decisions and actions, or who can control their feelings well" + }, + "unravel": { + "CHS": "解开;阐明;解决;拆散", + "ENG": "to understand or explain something that is mysterious or complicated" + }, + "singular": { + "CHS": "单数", + "ENG": "the form of a word used when writing or speaking about one person or thing" + }, + "integer": { + "CHS": "[数] 整数;整体;完整的事物", + "ENG": "a whole number" + }, + "especial": { + "CHS": "(Especial)人名;(葡)埃斯佩西亚尔" + }, + "hoarding": { + "CHS": "贮藏(hoard的ing形式)" + }, + "outpost": { + "CHS": "前哨;警戒部队;边区村落" + }, + "learning": { + "CHS": "学习(learn的现在分词)" + }, + "salon": { + "CHS": "沙龙;客厅;画廊;美术展览馆", + "ENG": "a room in a very large house, where people can meet and talk" + }, + "beneath": { + "CHS": "在下方", + "ENG": "in or to a lower position than something, or directly under something" + }, + "autocrat": { + "CHS": "独裁者,专制君主;独断独行的人", + "ENG": "someone who makes decisions and gives orders to people without asking them for their opinion" + }, + "Protestant": { + "CHS": "新教;新教徒", + "ENG": "a member of a part of the Christian Church that separated from the Roman Catholic Church in the 16th century" + }, + "aunt": { + "CHS": "阿姨;姑妈;伯母;舅妈", + "ENG": "the sister of your father or mother, or the wife of your father’s or mother’s brother" + }, + "invade": { + "CHS": "侵略;侵袭;侵扰;涌入", + "ENG": "to enter a country, town, or area using military force, in order to take control of it" + }, + "application": { + "CHS": "应用;申请;应用程序;敷用", + "ENG": "a formal, usually written, request for something such as a job, place at university, or permission to do something" + }, + "fate": { + "CHS": "注定" + }, + "claim": { + "CHS": "要求;声称;索赔;断言;值得", + "ENG": "a statement that something is true, even though it has not been proved" + }, + "thermocouple": { + "CHS": "[电] 热电偶", + "ENG": "a device for measuring temperature consisting of a pair of wires of different metals or semiconductors joined at both ends. One junction is at the temperature to be measured, the second at a fixed temperature. The electromotive force generated depends upon the temperature difference " + }, + "irritate": { + "CHS": "刺激,使兴奋;激怒", + "ENG": "to make someone feel annoyed or impatient, especially by doing something many times or for a long period of time" + }, + "nomenclature": { + "CHS": "命名法;术语", + "ENG": "a system of naming things, especially in science" + }, + "trade": { + "CHS": "交易,买卖;以物易物", + "ENG": "to buy and sell goods, services etc as your job or business" + }, + "easygoing": { + "CHS": "悠闲的;逍遥自在的;脾气随和的;不严肃的" + }, + "rind": { + "CHS": "剥壳;削皮" + }, + "noon": { + "CHS": "中午;正午;全盛期", + "ENG": "12 o’clock in the daytime" + }, + "hasty": { + "CHS": "(Hasty)人名;(英)黑斯蒂" + }, + "capacity": { + "CHS": "能力;容量;资格,地位;生产力", + "ENG": "the amount of space a container, room etc has to hold things or people" + }, + "constraint": { + "CHS": "[数] 约束;局促,态度不自然;强制", + "ENG": "something that limits your freedom to do what you want" + }, + "absorb": { + "CHS": "吸收;吸引;承受;理解;使…全神贯注", + "ENG": "to take in liquid, gas, or another substance from the surface or space around something" + }, + "walkway": { + "CHS": "通道,[建] 走道", + "ENG": "an outdoor path built for people to walk along, often above the ground" + }, + "sos": { + "CHS": "发出遇难信号" + }, + "checkout": { + "CHS": "检验;签出;结账台;检出" + }, + "eleventh": { + "CHS": "第十一;十一分之一", + "ENG": "one of eleven equal parts of something" + }, + "employ": { + "CHS": "使用;雇用" + }, + "voluminous": { + "CHS": "大量的;多卷的,长篇的;著书多的", + "ENG": "voluminous books, documents etc are very long and contain a lot of detail" + }, + "briefly": { + "CHS": "短暂地;简略地;暂时地", + "ENG": "for a short time" + }, + "admire": { + "CHS": "钦佩;赞美", + "ENG": "to respect and like someone because they have done something that you think is good" + }, + "message": { + "CHS": "报信,报告;[通信] 报文" + }, + "fungus": { + "CHS": "真菌,霉菌;菌类", + "ENG": "a simple type of plant that has no leaves or flowers and that grows on plants or other surfaces. mushrooms and mould are both fungi." + }, + "contingent": { + "CHS": "分遣队;偶然事件;分得部分;代表团", + "ENG": "a group of people who all have something in common, such as their nationality, beliefs etc, and who are part of a larger group" + }, + "diagonal": { + "CHS": "对角线;斜线" + }, + "fight": { + "CHS": "打架;战斗,斗志", + "ENG": "a situation in which two people or groups hit, push etc each other" + }, + "thoroughbred": { + "CHS": "良种的;受过严格训练的;优秀的" + }, + "electroplate": { + "CHS": "电镀物品", + "ENG": "electroplated articles collectively, esp when plated with silver " + }, + "tenor": { + "CHS": "男高音的", + "ENG": "a tenor voice or instrument has a range of notes that is lower than an alto voice or instrument" + }, + "crave": { + "CHS": "(Crave)人名;(法)克拉夫" + }, + "puff": { + "CHS": "粉扑;泡芙;蓬松;一阵喷烟;肿块;吹嘘,宣传广告", + "ENG": "Puff is also a noun" + }, + "far": { + "CHS": "远方" + }, + "people": { + "CHS": "居住于;使住满人", + "ENG": "if a country or area is peopled by people of a particular type, they live there" + }, + "shine": { + "CHS": "光亮,光泽;好天气;擦亮;晴天;擦皮鞋;鬼把戏或诡计", + "ENG": "the brightness that something has when light shines on it" + }, + "run": { + "CHS": "奔跑;赛跑;趋向;奔跑的路程", + "ENG": "to be very busy and continuously rushing about" + }, + "damper": { + "CHS": "[航][电子][机] 阻尼器;[车辆] 减震器;气闸", + "ENG": "a type of small metal door that is opened or closed in a stove or furnace , to control the air reaching the fire so that it burns more or less strongly" + }, + "physicist": { + "CHS": "物理学家;唯物论者", + "ENG": "a scientist who has special knowledge and training in physics " + }, + "onto": { + "CHS": "映射的;自身的;映成的" + }, + "bookshop": { + "CHS": "书店", + "ENG": "a shop that sells books" + }, + "aquarium": { + "CHS": "水族馆;养鱼池;玻璃缸", + "ENG": "a clear glass or plastic container for fish and other water animals" + }, + "mantle": { + "CHS": "覆盖;脸红", + "ENG": "to cover the surface of something" + }, + "amateur": { + "CHS": "业余的;外行的", + "ENG": "Amateur sports or activities are done by people as a hobby and not as a job" + }, + "fingerprint": { + "CHS": "采指纹", + "ENG": "If someone is fingerprinted, the police take their fingerprints" + }, + "fathom": { + "CHS": "英寻(测量水深的长度单位)", + "ENG": "a unit for measuring the depth of water, equal to six feet or about 1.8 metres" + }, + "biochemistry": { + "CHS": "生物化学", + "ENG": "the scientific study of the chemistry of living things" + }, + "Allah": { + "CHS": "阿拉;真主", + "ENG": "Allah is the name of God in Islam" + }, + "helm": { + "CHS": "指挥;给掌舵", + "ENG": "to direct or steer " + }, + "deny": { + "CHS": "否定,否认;拒绝给予;拒绝…的要求", + "ENG": "to say that something is not true, or that you do not believe something" + }, + "preserve": { + "CHS": "保护区;禁猎地;加工成的食品" + }, + "transmission": { + "CHS": "传动装置,[机] 变速器;传递;传送;播送", + "ENG": "the process of sending out electronic signals, messages etc, using radio, television, or other similar equipment" + }, + "miniature": { + "CHS": "是…的缩影" + }, + "archer": { + "CHS": "弓箭手", + "ENG": "someone who shoots arrow s from a bow " + }, + "impediment": { + "CHS": "口吃;妨碍;阻止", + "ENG": "Something that is an impediment to a person or thing makes their movement, development, or progress difficult" + }, + "cholera": { + "CHS": "[内科] 霍乱", + "ENG": "a serious disease that causes sickness and sometimes death. It is caused by eating infected food or drinking infected water." + }, + "boiler": { + "CHS": "锅炉;烧水壶,热水器;盛热水器", + "ENG": "a container for boiling water that is part of a steam engine, or is used to provide heating in a house" + }, + "shrinkage": { + "CHS": "收缩;减低", + "ENG": "the act of shrinking, or the amount that something shrinks" + }, + "chronology": { + "CHS": "年表;年代学", + "ENG": "an account of events in the order in which they happened" + }, + "dialogue": { + "CHS": "用对话表达" + }, + "feebleminded": { + "CHS": "低能的;意志薄弱的;精神薄弱的" + }, + "ensign": { + "CHS": "旗;海军少尉;徽章", + "ENG": "a flag on a ship that shows what country the ship belongs to" + }, + "missing": { + "CHS": "(Missing)人名;(德)米辛" + }, + "gynaecology": { + "CHS": "妇科医学", + "ENG": "the study and treatment of medical conditions and illnesses that affect only women, and usually relating to a woman’s ability to have babies" + }, + "devilish": { + "CHS": "非常;极度地" + }, + "stabilize": { + "CHS": "使稳固,使安定", + "ENG": "to become firm, steady, or unchanging, or to make something firm or steady" + }, + "rinse": { + "CHS": "冲洗;漂洗;[轻] 染发剂;染发", + "ENG": "when you rinse something" + }, + "slang": { + "CHS": "用粗话骂" + }, + "majority": { + "CHS": "多数;成年", + "ENG": "most of the people or things in a group" + }, + "backyard": { + "CHS": "后院;后庭", + "ENG": "a small area behind a house, covered with a hard surface" + }, + "aromatic": { + "CHS": "芳香植物;芳香剂" + }, + "six": { + "CHS": "六,六个", + "ENG": "the number 6" + }, + "armpit": { + "CHS": "腋窝", + "ENG": "the hollow place under your arm where it joins your body" + }, + "dispense": { + "CHS": "分配,分发;免除;执行", + "ENG": "to give something to people, especially in fixed amounts" + }, + "owl": { + "CHS": "猫头鹰;枭;惯于晚上活动的人", + "ENG": "a bird with large eyes that hunts at night" + }, + "esoteric": { + "CHS": "秘传的;限于圈内人的;难懂的", + "ENG": "If you describe something as esoteric, you mean it is known, understood, or appreciated by only a small number of people" + }, + "arise": { + "CHS": "(Arise)人名;(西)阿里塞;(日)在濑(姓)" + }, + "navy": { + "CHS": "海军", + "ENG": "the part of a country’s military forces that fights at sea" + }, + "unpredictable": { + "CHS": "不可预言的事" + }, + "rodent": { + "CHS": "[脊椎] 啮齿动物", + "ENG": "any small animal of the type that has long sharp front teeth, such as a rat or a rabbit" + }, + "sniper": { + "CHS": "狙击兵", + "ENG": "someone who shoots at people from a hidden position" + }, + "cedar": { + "CHS": "雪松;香柏;西洋杉木", + "ENG": "a large evergreen tree with leaves shaped like needles" + }, + "learn": { + "CHS": "学习;得知;认识到", + "ENG": "to gain knowledge of a subject or skill, by experience, by studying it, or by being taught" + }, + "birth": { + "CHS": "出生;血统,出身;起源", + "ENG": "the time when a baby comes out of its mother’s body" + }, + "sterility": { + "CHS": "[泌尿] 不育;[妇产] 不孕;无菌;不毛;内容贫乏" + }, + "is": { + "CHS": "存在" + }, + "chapter": { + "CHS": "把…分成章节" + }, + "inability": { + "CHS": "无能力;无才能", + "ENG": "the fact of being unable to do something" + }, + "melody": { + "CHS": "旋律;歌曲;美妙的音乐", + "ENG": "a song or tune" + }, + "ravish": { + "CHS": "(Ravish)人名;(印)拉维什" + }, + "induce": { + "CHS": "诱导;引起;引诱;感应", + "ENG": "to persuade someone to do something, especially something that does not seem wise" + }, + "sixty": { + "CHS": "六十;六十个", + "ENG": "the number" + }, + "constituent": { + "CHS": "构成的;选举的", + "ENG": "being one of the parts of something" + }, + "legal": { + "CHS": "(Legal)人名;(法)勒加尔" + }, + "streetcar": { + "CHS": "有轨电车", + "ENG": "a type of bus that runs on electricity along metal tracks in the road" + }, + "meant": { + "CHS": "意味;打算(mean的过去式和过去分词);表示…的意思" + }, + "leaf": { + "CHS": "生叶;翻书页" + }, + "dusk": { + "CHS": "使变微暗" + }, + "mail": { + "CHS": "邮寄;给…穿盔甲", + "ENG": "to send a letter or package to someone" + }, + "reaffirm": { + "CHS": "再肯定,重申;再断言", + "ENG": "to formally state an opinion, belief, or intention again, especially when someone has questioned you or expressed a doubt" + }, + "sailcloth": { + "CHS": "帆布", + "ENG": "Sailcloth a strong heavy cloth that is used for making things such as sails or tents" + }, + "memorable": { + "CHS": "显著的,难忘的;值得纪念的", + "ENG": "very good, enjoyable, or unusual, and worth remembering" + }, + "executive": { + "CHS": "总经理;执行委员会;执行者;经理主管人员", + "ENG": "a manager in an organization or company who helps make important decisions" + }, + "orbit": { + "CHS": "盘旋;绕轨道运行", + "ENG": "to travel in a curved path around a much larger object such as the Earth, the Sun etc" + }, + "bossy": { + "CHS": "母牛;牛犊" + }, + "coed": { + "CHS": "男女同校的学生", + "ENG": "a woman student at a university" + }, + "crypt": { + "CHS": "土窖,地下室;腺窝", + "ENG": "a room under a church, used in the past for burying people" + }, + "bane": { + "CHS": "毒药;祸害;灭亡的原因" + }, + "happen": { + "CHS": "发生;碰巧;偶然遇到", + "ENG": "when something happens, there is an event, especially one that is not planned" + }, + "statistician": { + "CHS": "统计学家,统计员", + "ENG": "someone who works with statistics" + }, + "languish": { + "CHS": "憔悴;凋萎;失去活力;苦思" + }, + "dynasty": { + "CHS": "王朝,朝代", + "ENG": "a family of kings or other rulers whose parents, grandparents etc have ruled the country for many years" + }, + "intentional": { + "CHS": "故意的;蓄意的;策划的", + "ENG": "done deliberately and usually intended to cause harm" + }, + "coherent": { + "CHS": "连贯的,一致的;明了的;清晰的;凝聚性的;互相耦合的;粘在一起的", + "ENG": "if a piece of writing, set of ideas etc is coherent, it is easy to understand because it is clear and reasonable" + }, + "future": { + "CHS": "将来的,未来的", + "ENG": "likely to happen or exist at a time after the present" + }, + "benchmark": { + "CHS": "用基准问题测试(计算机系统等)" + }, + "graduation": { + "CHS": "毕业;毕业典礼;刻度,分度;分等级", + "ENG": "the time when you complete a university degree course or your education at an American high school " + }, + "discussion": { + "CHS": "讨论,议论", + "ENG": "when you discuss something" + }, + "tag": { + "CHS": "尾随,紧随;连接;起浑名;添饰" + }, + "glamourous": { + "CHS": "富有魅力的;迷人的" + }, + "reunite": { + "CHS": "使重聚;使再结合;使再联合", + "ENG": "to come together again or to bring people, parts of an organization, political party, or country together again" + }, + "capital": { + "CHS": "首都的;重要的;大写的", + "ENG": "a capital letter is one that is written or printed in its large form" + }, + "owner": { + "CHS": "[经] 所有者;物主", + "ENG": "someone who owns something" + }, + "headstone": { + "CHS": "基石;墓石", + "ENG": "a piece of stone on a grave, with the name of the dead person written on it" + }, + "amiable": { + "CHS": "(Amiable)人名;(法)阿米亚布勒;(英)阿米娅布尔" + }, + "centre": { + "CHS": "中央的" + }, + "astrophysics": { + "CHS": "天体物理学", + "ENG": "the scientific study of the chemical structure of the stars and the forces that influence them" + }, + "thanksgiving": { + "CHS": "感恩", + "ENG": "an expression of thanks to God" + }, + "satin": { + "CHS": "光滑的;绸缎做的;似缎的", + "ENG": "having a smooth shiny surface" + }, + "childish": { + "CHS": "幼稚的,孩子气的", + "ENG": "relating to or typical of a child" + }, + "escalate": { + "CHS": "逐步增强;逐步升高", + "ENG": "to become higher or increase, or to make something do this" + }, + "manage": { + "CHS": "管理;经营;控制;设法", + "ENG": "to direct or control a business or department and the people, equipment, and money involved in it" + }, + "furthermore": { + "CHS": "此外;而且", + "ENG": "in addition to what has already been said" + }, + "follower": { + "CHS": "追随者;信徒;属下", + "ENG": "someone who believes in a particular system of ideas, or who supports a leader who teaches these ideas" + }, + "unprecedented": { + "CHS": "空前的;无前例的", + "ENG": "never having happened before, or never having happened so much" + }, + "thunder": { + "CHS": "打雷;怒喝", + "ENG": "if it thunders, there is a loud noise in the sky, usually after a flash of lightning" + }, + "affirm": { + "CHS": "肯定;断言", + "ENG": "to state publicly that something is true" + }, + "lump": { + "CHS": "很;非常" + }, + "susceptibility": { + "CHS": "敏感性;感情;磁化系数", + "ENG": "someone’s feelings, especially when they are easily offended or upset" + }, + "innovate": { + "CHS": "创新;改革;革新", + "ENG": "to start to use new ideas, methods, or inventions" + }, + "constructive": { + "CHS": "建设性的;推定的;构造上的;有助益的", + "ENG": "useful and helpful, or likely to produce good results" + }, + "headset": { + "CHS": "耳机;头戴式受话器", + "ENG": "a set of headphones, often with a microphone attached" + }, + "handout": { + "CHS": "散发材料(免费发给的新闻通报);上课老师发的印刷品;文字资料 \t(会议上分发的);施舍物", + "ENG": "money or goods that are given to someone, for example because they are poor" + }, + "shrewd": { + "CHS": "精明(的人);机灵(的人)" + }, + "blemish": { + "CHS": "玷污;损害;弄脏", + "ENG": "to spoil the beauty or appearance of something, so that it is not perfect" + }, + "maxim": { + "CHS": "格言;准则;座右铭", + "ENG": "a well-known phrase or saying, especially one that gives a rule for sensible behaviour" + }, + "triumph": { + "CHS": "获得胜利,成功", + "ENG": "to gain a victory or success after a difficult struggle" + }, + "serial": { + "CHS": "电视连续剧;[图情] 期刊;连载小说", + "ENG": "a story that is broadcast or printed in several separate parts on television, in a magazine etc" + }, + "employer": { + "CHS": "雇主,老板", + "ENG": "a person, company, or organization that employs people" + }, + "stun": { + "CHS": "昏迷;打昏;惊倒;令人惊叹的事物" + }, + "smog": { + "CHS": "烟雾", + "ENG": "dirty air that looks like a mixture of smoke and fog , caused by smoke from cars and factories in cities" + }, + "reflection": { + "CHS": "反射;沉思;映象", + "ENG": "something that shows what something else is like, or that is a sign of a particular situation" + }, + "arrive": { + "CHS": "(Arrive)人名;(法)阿里夫" + }, + "adhere": { + "CHS": "坚持;依附;粘着;追随", + "ENG": "to stick firmly to something" + }, + "rain": { + "CHS": "下雨;降雨", + "ENG": "if it rains, drops of water fall from clouds in the sky" + }, + "separatist": { + "CHS": "分离主义者的", + "ENG": "Separatist organizations and activities within a country involve members of a group of people who want to establish their own separate government or are trying to do so" + }, + "next": { + "CHS": "靠近;居于…之后" + }, + "creation": { + "CHS": "创造,创作;创作物,产物", + "ENG": "the act of creating something" + }, + "greeting": { + "CHS": "致敬,欢迎(greet的现在分词)" + }, + "decrease": { + "CHS": "减少,减小", + "ENG": "to become less or go down to a lower level, or to make something do this" + }, + "often": { + "CHS": "常常,时常", + "ENG": "if something happens often, it happens regularly or many times" + }, + "ally": { + "CHS": "使联盟;使联合", + "ENG": "If you ally yourself with someone or something, you give your support to them" + }, + "complexity": { + "CHS": "复杂,复杂性;复杂错综的事物", + "ENG": "the state of being complicated" + }, + "abound": { + "CHS": "富于;充满", + "ENG": "If things abound, or if a place abounds with things, there are very large numbers of them" + }, + "reservation": { + "CHS": "预约,预订;保留", + "ENG": "an arrangement which you make so that a place in a hotel, restaurant, plane etc is kept for you at a particular time in the future" + }, + "gramophone": { + "CHS": "用唱片录制;用唱机播放" + }, + "scurf": { + "CHS": "头皮屑" + }, + "periphery": { + "CHS": "外围,边缘;圆周;圆柱体表面", + "ENG": "the edge of an area" + }, + "annoy": { + "CHS": "烦恼(等于annoyance)" + }, + "eyewash": { + "CHS": "无稽之谈;骗局;洗眼水;表面文章", + "ENG": "a mild solution for applying to the eyes for relief of irritation, etc " + }, + "prairie": { + "CHS": "大草原;牧场", + "ENG": "a wide open area of fairly flat land in North America which is covered in grass or wheat" + }, + "hypothesis": { + "CHS": "假设", + "ENG": "an idea that is suggested as an explanation for something, but that has not yet been proved to be true" + }, + "die": { + "CHS": "冲模,钢模;骰子", + "ENG": "a dice " + }, + "shorthand": { + "CHS": "速记法的" + }, + "dentist": { + "CHS": "牙科医生", + "ENG": "someone whose job is to treat people’s teeth" + }, + "sermon": { + "CHS": "布道" + }, + "odd": { + "CHS": "奇数;怪人;奇特的事物" + }, + "traffic": { + "CHS": "用…作交换;在…通行" + }, + "furnish": { + "CHS": "提供;供应;装备", + "ENG": "to supply or provide something" + }, + "prosperous": { + "CHS": "繁荣的;兴旺的", + "ENG": "rich and successful" + }, + "mainstay": { + "CHS": "支柱;中流砥柱;主要的依靠;主桅支索", + "ENG": "an important part of something that makes it possible for it to work properly or continue to exist" + }, + "purse": { + "CHS": "(嘴巴)皱起,使缩拢;撅嘴", + "ENG": "if you purse your lips, you bring them together tightly into a small circle, especially to show disapproval or doubt" + }, + "hinder": { + "CHS": "(Hinder)人名;(芬)欣德" + }, + "deft": { + "CHS": "灵巧的;机敏的;敏捷熟练的", + "ENG": "a deft movement is skilful, and often quick" + }, + "strident": { + "CHS": "刺耳的;尖锐的;吱吱尖叫的;轧轧作响的", + "ENG": "a strident sound or voice is loud and unpleasant" + }, + "tsar": { + "CHS": "沙皇(大权独揽的人物)", + "ENG": "a male ruler of Russia before" + }, + "projector": { + "CHS": "[仪] 投影仪;放映机;探照灯;设计者", + "ENG": "a piece of equipment that makes a film or picture appear on a screen or flat surface" + }, + "feel": { + "CHS": "感觉;触摸", + "ENG": "a quality that something has that makes you feel or think a particular way about it" + }, + "undercut": { + "CHS": "底切;牛腰部下侧嫩肉;砍口;切球" + }, + "contraceptive": { + "CHS": "避孕的", + "ENG": "A contraceptive method or device is used to prevent pregnancy" + }, + "prostitute": { + "CHS": "妓女", + "ENG": "someone, especially a woman, who earns money by having sex with people" + }, + "arrest": { + "CHS": "逮捕;监禁", + "ENG": "when the police take someone away and guard them because they may have done something illegal" + }, + "waistcoat": { + "CHS": "背心;[服装] 马甲", + "ENG": "a piece of clothing without sleeves that has buttons down the front and is worn over a shirt, often under a jacket as part of a man’s suit" + }, + "airily": { + "CHS": "轻盈地,快活地", + "ENG": "in a way that shows you are not worried about something or do not think it is serious" + }, + "malpractice": { + "CHS": "玩忽职守;不法行为;治疗不当", + "ENG": "when a professional person makes a mistake or does not do their job properly and can be punished by a court" + }, + "centimetre": { + "CHS": "厘米;公分", + "ENG": "a unit for measuring length. There are 100 centimetres in one metre." + }, + "scent": { + "CHS": "闻到;发觉;使充满…的气味;循着遗臭追踪", + "ENG": "if an animal scents another animal or a person, it knows that they are near because it can smell them" + }, + "stool": { + "CHS": "长新枝;分檗" + }, + "disqualify": { + "CHS": "取消…的资格", + "ENG": "to stop someone from taking part in an activity because they have broken a rule" + }, + "labour": { + "CHS": "劳动;分娩;费力地前进", + "ENG": "to move slowly and with difficulty" + }, + "lock": { + "CHS": "锁;水闸;刹车", + "ENG": "a thing that keeps a door, drawer etc fastened and is usually opened with a key or by moving a small metal bar" + }, + "mire": { + "CHS": "陷于泥坑;陷入困境" + }, + "homogeneous": { + "CHS": "均匀的;[数] 齐次的;同种的;同类的,同质的", + "ENG": "Homogeneous is used to describe a group or thing which has members or parts that are all the same" + }, + "stab": { + "CHS": "刺;戳;尝试;突发的一阵", + "ENG": "an act of stabbing or trying to stab someone with a knife" + }, + "grant": { + "CHS": "拨款;[法] 授予物", + "ENG": "an amount of money given to someone, especially by the government, for a particular purpose" + }, + "again": { + "CHS": "(英、保)阿盖恩" + }, + "saloon": { + "CHS": "酒吧;大厅;展览场;公共大厅;大会客室;轿车(英国用法)", + "ENG": "a public place where alcoholic drinks were sold and drunk in the western US in the 19th century" + }, + "pie": { + "CHS": "使杂乱" + }, + "relaxation": { + "CHS": "放松;缓和;消遣", + "ENG": "a way of resting and enjoying yourself" + }, + "everywhere": { + "CHS": "每个地方" + }, + "each": { + "CHS": "每个;各自" + }, + "close": { + "CHS": "结束", + "ENG": "the end of an activity or of a period of time" + }, + "juice": { + "CHS": "(水果)汁,液;果汁", + "ENG": "the liquid that comes from fruit and vegetables, or a drink that is made from this" + }, + "aggregate": { + "CHS": "聚合的;集合的;合计的", + "ENG": "being the total amount of something after all the figures or points have been added together" + }, + "witch": { + "CHS": "迷惑;施巫术" + }, + "strontium": { + "CHS": "[化学] 锶", + "ENG": "a soft silver-white metal that is used to make firework s . It is a chemical element : symbol Sr" + }, + "humble": { + "CHS": "使谦恭;轻松打败(尤指强大的对手);低声下气", + "ENG": "If you humble someone who is more important or powerful than you, you defeat them easily" + }, + "seldom": { + "CHS": "很少,不常", + "ENG": "very rarely or almost never" + }, + "Metro": { + "CHS": "麦德龙" + }, + "reliability": { + "CHS": "可靠性" + }, + "continual": { + "CHS": "持续不断的;频繁的", + "ENG": "continuing for a long time without stopping" + }, + "momentous": { + "CHS": "重要的;重大的", + "ENG": "a momentous event, change, or decision is very important because it will have a great influence on the future" + }, + "mutter": { + "CHS": "咕哝;喃喃低语" + }, + "physiotherapy": { + "CHS": "物理疗法", + "ENG": "a treatment that uses special exercises, rubbing, heat etc to treat medical conditions and problems with muscles" + }, + "toy": { + "CHS": "作为玩具的;玩物似的" + }, + "ambulance": { + "CHS": "[车辆][医] 救护车;战时流动医院", + "ENG": "a special vehicle that is used to take people who are ill or injured to hospital" + }, + "rotary": { + "CHS": "旋转式机器;[动力] 转缸式发动机" + }, + "clock": { + "CHS": "记录;记时", + "ENG": "to measure or record the time or speed that someone or something is travelling at" + }, + "afflict": { + "CHS": "折磨;使痛苦;使苦恼", + "ENG": "to affect someone or something in an unpleasant way, and make them suffer" + }, + "extinguisher": { + "CHS": "灭火器;消灭者;熄灭者", + "ENG": "a fire extinguisher" + }, + "retrospect": { + "CHS": "回顾,追溯;回想" + }, + "rendezvous": { + "CHS": "会合;约会", + "ENG": "to meet someone at a time or place that was arranged earlier" + }, + "wave": { + "CHS": "波动;波浪;高潮;挥手示意;卷曲", + "ENG": "a line of raised water that moves across the surface of the sea" + }, + "assassinate": { + "CHS": "暗杀;行刺", + "ENG": "to murder an important person" + }, + "angry": { + "CHS": "生气的;愤怒的;狂暴的;(伤口等)发炎的", + "ENG": "feeling strong emotions which make you want to shout at someone or hurt them because they have behaved in an unfair, cruel, offensive etc way, or because you think that a situation is unfair, unacceptable etc" + }, + "immune": { + "CHS": "免疫者;免除者" + }, + "pheasant": { + "CHS": "野鸡;雉科鸟", + "ENG": "a large bird with a long tail, often shot for food, or the meat of this bird" + }, + "desperation": { + "CHS": "绝望的境地;不顾一切拼命", + "ENG": "the state of being desperate" + }, + "rely": { + "CHS": "依靠;信赖", + "ENG": "If you rely on someone or something, you need them and depend on them in order to live or work properly" + }, + "sentiment": { + "CHS": "感情,情绪;情操;观点;多愁善感", + "ENG": "an opinion or feeling you have about something" + }, + "insurrection": { + "CHS": "暴动;叛乱", + "ENG": "an attempt by a large group of people within a country to take control using force and violence" + }, + "intersect": { + "CHS": "相交,交叉", + "ENG": "if two lines or roads intersect, they meet or go across each other" + }, + "pneumonia": { + "CHS": "肺炎", + "ENG": "a serious illness that affects your lungs and makes it difficult for you to breathe" + }, + "proficient": { + "CHS": "精通;专家,能手" + }, + "house": { + "CHS": "覆盖;给…房子住;把…储藏在房内", + "ENG": "to provide someone with a place to live" + }, + "subconscious": { + "CHS": "潜在意识;下意识心理活动", + "ENG": "the part of your mind that has thoughts and feelings you do not know about" + }, + "verge": { + "CHS": "边缘", + "ENG": "the edge of a road, path etc" + }, + "set": { + "CHS": "固定的;规定的;固执的", + "ENG": "a set amount, time etc is fixed and is never changed" + }, + "gallant": { + "CHS": "(Gallant)人名;(法)加朗;(英)加伦特" + }, + "spleen": { + "CHS": "脾脏;坏脾气;怒气", + "ENG": "an organ near your stomach that controls the quality of your blood" + }, + "subtitle": { + "CHS": "在…上印字幕;给…加副标题", + "ENG": "If you say how a book or play is subtitled, you say what its subtitle is" + }, + "payroll": { + "CHS": "工资单;在册职工人数;工资名单", + "ENG": "The people on the payroll of a company or an organization are the people who work for it and are paid by it" + }, + "authority": { + "CHS": "权威;权力;当局", + "ENG": "the power you have because of your official position" + }, + "plea": { + "CHS": "恳求,请求;辩解,辩护;借口,托辞", + "ENG": "a request that is urgent or full of emotion" + }, + "possible": { + "CHS": "可能性;合适的人;可能的事物", + "ENG": "someone or something that might be suitable or acceptable for a particular purpose" + }, + "rearmament": { + "CHS": "[军] 重整军备;改良装备", + "ENG": "Rearmament is the process of building up a new stock of military weapons" + }, + "satirical": { + "CHS": "讽刺性的;讥讽的;爱挖苦人的", + "ENG": "A satirical drawing, piece of writing, or comedy show is one in which humour or exaggeration is used to criticize something" + }, + "temperature": { + "CHS": "温度;体温;气温;发烧", + "ENG": "a measure of how hot or cold a place or thing is" + }, + "manure": { + "CHS": "肥料;粪肥", + "ENG": "waste matter from animals that is mixed with soil to improve the soil and help plants grow" + }, + "dragonfly": { + "CHS": "[昆] 蜻蜓", + "ENG": "a brightly-coloured insect with a long thin body and transparent wings which lives near water" + }, + "professional": { + "CHS": "专业人员;职业运动员", + "ENG": "someone who earns money by doing a job, sport, or activity that many other people do just for fun" + }, + "season": { + "CHS": "给…调味;使适应", + "ENG": "to add salt, pepper etc to food you are cooking" + }, + "sometimes": { + "CHS": "有时,间或", + "ENG": "on some occasions but not always" + }, + "ceiling": { + "CHS": "天花板;上限", + "ENG": "the inner surface of the top part of a room" + }, + "tailor": { + "CHS": "裁缝", + "ENG": "someone whose job is to make men’s clothes, that are measured to fit each customer perfectly" + }, + "impromptu": { + "CHS": "即席的", + "ENG": "done or said without any preparation or planning" + }, + "disbelieve": { + "CHS": "不信;怀疑", + "ENG": "to not believe something or someone" + }, + "grain": { + "CHS": "成谷粒" + }, + "shiny": { + "CHS": "有光泽的,擦亮的;闪耀的;晴朗的;磨损的", + "ENG": "smooth and bright" + }, + "street": { + "CHS": "街道的" + }, + "barbecue": { + "CHS": "烧烤;烤肉", + "ENG": "to cook food on a metal frame over a fire outdoors" + }, + "reef": { + "CHS": "收帆;缩帆", + "ENG": "to tie up part of a sail in order to make it smaller" + }, + "teacup": { + "CHS": "茶碗,茶杯;一茶杯容量;心理极其脆弱、不堪一击的人", + "ENG": "a cup that you serve tea in" + }, + "holy": { + "CHS": "神圣的东西" + }, + "tolerable": { + "CHS": "可以的;可容忍的", + "ENG": "unpleasant or painful and only just able to be accepted" + }, + "regime": { + "CHS": "政权,政体;社会制度;管理体制", + "ENG": "a government, especially one that was not elected fairly or that you disapprove of for some other reason" + }, + "complimentary": { + "CHS": "赠送的;称赞的;问候的", + "ENG": "given free to people" + }, + "manual": { + "CHS": "手册,指南", + "ENG": "a book that gives instructions about how to do something, especially how to use a machine" + }, + "vote": { + "CHS": "提议,使投票;投票决定;公认", + "ENG": "to show which person or party you want, or whether you support a plan, by marking a piece of paper, raising your hand etc" + }, + "join": { + "CHS": "结合;连接;接合点", + "ENG": "a place where two parts of an object are connected or fastened together" + }, + "movement": { + "CHS": "运动;活动;运转;乐章", + "ENG": "a group of people who share the same ideas or beliefs and who work together to achieve a particular aim" + }, + "running": { + "CHS": "跑;运转(run的ing形式);行驶" + }, + "fuse": { + "CHS": "保险丝,熔线;导火线,雷管", + "ENG": "a short thin piece of wire inside electrical equipment which prevents damage by melting and stopping the electricity when there is too much power" + }, + "hosiery": { + "CHS": "针织品;袜类", + "ENG": "a general word for tights , stockings , or socks, used in shops and in the clothing industry" + }, + "maverick": { + "CHS": "未打烙印的;行为不合常规的;特立独行的", + "ENG": "Maverick is also an adjective" + }, + "grisly": { + "CHS": "可怕的;厉害的;严重的" + }, + "snob": { + "CHS": "势利小人,势利眼;假内行", + "ENG": "someone who thinks they are better than people from a lower social class – used to show disapproval" + }, + "forthcoming": { + "CHS": "来临" + }, + "fairness": { + "CHS": "公平;美好;清晰;顺利性", + "ENG": "the quality of being fair" + }, + "peanut": { + "CHS": "花生", + "ENG": "a pale brown nut in a thin shell which grows under the ground" + }, + "fire": { + "CHS": "点燃;解雇;开除;使发光;烧制;激动;放枪", + "ENG": "to force someone to leave their job" + }, + "leather": { + "CHS": "皮的;皮革制的" + }, + "money": { + "CHS": "钱;货币;财富", + "ENG": "what you earn by working and can use to buy things. Money can be in the form of notes and coins or cheques, and can be kept in a bank" + }, + "ditch": { + "CHS": "沟渠;壕沟", + "ENG": "a long narrow hole dug at the side of a field, road etc to hold or remove unwanted water" + }, + "senate": { + "CHS": "参议院,上院;(古罗马的)元老院", + "ENG": "the highest level of government in ancient Rome" + }, + "intrigue": { + "CHS": "用诡计取得;激起的兴趣", + "ENG": "if something intrigues you, it interests you a lot because it seems strange or mysterious" + }, + "plenty": { + "CHS": "足够", + "ENG": "used to emphasize that something is more than big enough, fast enough etc" + }, + "plaintiff": { + "CHS": "原告", + "ENG": "someone who brings a legal action against another person in a court of law" + }, + "simultaneously": { + "CHS": "同时地" + }, + "wish": { + "CHS": "祝愿;渴望;向…致问候语", + "ENG": "to want something to be true although you know it is either impossible or unlikely" + }, + "excess": { + "CHS": "额外的,过量的;附加的", + "ENG": "additional and not needed because there is already enough of something" + }, + "pane": { + "CHS": "装窗玻璃于;镶嵌板于" + }, + "converse": { + "CHS": "逆行,逆向;倒;相反的事物", + "ENG": "the converse of a fact, word, statement etc is the opposite of it" + }, + "sympathize": { + "CHS": "同情,怜悯;支持", + "ENG": "to feel sorry for someone because you understand their problems" + }, + "lend": { + "CHS": "(Lend)人名;(德)伦德" + }, + "bullish": { + "CHS": "看涨的;上扬的;似公牛的", + "ENG": "in a business market that is bullish, the prices of share s are rising or seem likely to rise" + }, + "desolation": { + "CHS": "荒芜;忧伤;孤寂;废墟", + "ENG": "If you refer to desolation in a place, you mean that it is empty and frightening, for example, because it has been destroyed by a violent force or army" + }, + "reliance": { + "CHS": "信赖;信心;受信赖的人或物" + }, + "formative": { + "CHS": "构词要素" + }, + "crusade": { + "CHS": "加入十字军;从事改革运动", + "ENG": "to take part in a crusade" + }, + "gauge": { + "CHS": "测量;估计;给…定规格", + "ENG": "to measure or calculate something by using a particular instrument or method" + }, + "tuition": { + "CHS": "学费;讲授", + "ENG": "teaching, especially in small groups" + }, + "tackle": { + "CHS": "处理;抓住;固定;与…交涉", + "ENG": "to try to deal with a difficult problem" + }, + "preface": { + "CHS": "为…加序言;以…开始", + "ENG": "If you preface an action or speech with something else, you do or say this other thing first" + }, + "sincerity": { + "CHS": "真实,诚挚", + "ENG": "when someone is sincere and really means what they are saying" + }, + "parable": { + "CHS": "寓言,比喻;隐晦或谜般的格言", + "ENG": "a short simple story that teaches a moral or religious lesson, especially one of the stories told by Jesus in the Bible" + }, + "obligatory": { + "CHS": "义务的;必须的;义不容辞的", + "ENG": "something that is obligatory must be done because of a law, rule etc" + }, + "haunch": { + "CHS": "腰部,腰;臀部", + "ENG": "the part of your body that includes your bottom, your hips, and the tops of your legs" + }, + "ether": { + "CHS": "乙醚;[有化] 以太;苍天;天空醚", + "ENG": "a clear liquid used in the past as an anaesthetic to make people sleep before an operation" + }, + "nightmare": { + "CHS": "可怕的;噩梦似的" + }, + "creature": { + "CHS": "动物,生物;人;创造物", + "ENG": "anything that is living, such as an animal, fish, or insect, but not a plant" + }, + "colonialist": { + "CHS": "殖民主义者的", + "ENG": "Colonialist means relating to colonialism" + }, + "pan": { + "CHS": "淘金;在浅锅中烹调(食物);[非正式用语]严厉的批评", + "ENG": "to wash soil in a metal container in order to separate gold from other substances" + }, + "phosphorous": { + "CHS": "磷的,含磷的;发磷光的", + "ENG": "of or containing phosphorus in the trivalent state " + }, + "playwright": { + "CHS": "剧作家", + "ENG": "someone who writes plays" + }, + "publish": { + "CHS": "出版;发表;公布", + "ENG": "to arrange for a book, magazine etc to be written, printed, and sold" + }, + "plump": { + "CHS": "扑通声", + "ENG": "a heavy abrupt fall or the sound of this " + }, + "cholesterol": { + "CHS": "[生化] 胆固醇", + "ENG": "a chemical substance found in your blood. Too much cholesterol in your body may cause heart disease." + }, + "literacy": { + "CHS": "读写能力;精通文学", + "ENG": "the state of being able to read and write" + }, + "exploration": { + "CHS": "探测;探究;踏勘", + "ENG": "the act of travelling through a place in order to find out about it or find something such as oil or gold in it" + }, + "host": { + "CHS": "主持;当主人招待", + "ENG": "to introduce a radio or television programme" + }, + "marble": { + "CHS": "大理石的;冷酷无情的" + }, + "counterfeit": { + "CHS": "假冒的,伪造的;虚伪的", + "ENG": "made to look exactly like something else, in order to deceive people" + }, + "overthrow": { + "CHS": "推翻;打倒;倾覆", + "ENG": "to remove a leader or government from power, especially by force" + }, + "cook": { + "CHS": "厨师,厨子", + "ENG": "someone who prepares and cooks food as their job" + }, + "resourceful": { + "CHS": "资源丰富的;足智多谋的;机智的", + "ENG": "good at finding ways of dealing with practical problems" + }, + "marine": { + "CHS": "海运业;舰队;水兵;(海军)士兵或军官", + "ENG": "A marine is a member of an armed force, for example the U.S. Marine Corps or the Royal Marines, who is specially trained for military duties at sea as well as on land. " + }, + "damned": { + "CHS": "咒骂;诅咒…下地狱(damn的过去式)" + }, + "glaring": { + "CHS": "耀眼的;瞪视的;炯炯的", + "ENG": "too bright and difficult to look at" + }, + "dandelion": { + "CHS": "蒲公英", + "ENG": "a wild plant with a bright yellow flower which later becomes a white ball of seeds that are blown away in the wind" + }, + "ripple": { + "CHS": "起潺潺声", + "ENG": "to make a noise like water that is flowing gently" + }, + "hypodermic": { + "CHS": "皮下的", + "ENG": "used to give an injection beneath the skin" + }, + "depot": { + "CHS": "药性持久的" + }, + "unquestioning": { + "CHS": "不提出疑问的;不犹豫的;盲目的;无异议的;无条件的", + "ENG": "an unquestioning faith, attitude etc is very certain and without doubts" + }, + "invest": { + "CHS": "投资;覆盖;耗费;授予;包围", + "ENG": "to buy shares, property, or goods because you hope that the value will increase and you can make a profit" + }, + "reminiscence": { + "CHS": "回忆;怀旧;引起联想的相似事物", + "ENG": "a spoken or written story about events that you remember" + }, + "combat": { + "CHS": "战斗的;为…斗争的" + }, + "ragged": { + "CHS": "衣衫褴褛的;粗糙的;参差不齐的;锯齿状的;刺耳的;不规则的", + "ENG": "wearing clothes that are old and torn" + }, + "verbatim": { + "CHS": "逐字的", + "ENG": "repeating the actual words that were spoken or written" + }, + "theorem": { + "CHS": "[数] 定理;原理", + "ENG": "a statement, especially in mathematics, that you can prove by showing that it has been correctly developed from facts" + }, + "stir": { + "CHS": "搅拌;激起;惹起", + "ENG": "to move a liquid or substance around with a spoon or stick in order to mix it together" + }, + "stratum": { + "CHS": "(组织的)层;[地质] 地层;社会阶层", + "ENG": "a layer of rock or earth" + }, + "band": { + "CHS": "用带绑扎;给镶边" + }, + "sadism": { + "CHS": "虐待狂;性虐待狂;病态的残忍", + "ENG": "when someone gets sexual pleasure from hurting someone" + }, + "massacre": { + "CHS": "大屠杀;惨败", + "ENG": "when a lot of people are killed violently, especially people who cannot defend themselves" + }, + "affair": { + "CHS": "事情;事务;私事;(尤指关系不长久的)风流韵事", + "ENG": "public or political events and activities" + }, + "bowels": { + "CHS": "取出…的肠子(bowel的第三人称单数)" + }, + "captive": { + "CHS": "俘虏;迷恋者", + "ENG": "someone who is kept as a prisoner, especially in a war" + }, + "chaos": { + "CHS": "混沌,混乱", + "ENG": "a situation in which everything is happening in a confused way and nothing is organized or arranged in order" + }, + "imprison": { + "CHS": "监禁;关押;使…下狱", + "ENG": "to put someone in prison or to keep them somewhere and prevent them from leaving" + }, + "mute": { + "CHS": "哑巴;弱音器;闭锁音", + "ENG": "a small piece of metal, rubber etc that you place over or into a musical instrument to make it sound softer" + }, + "surely": { + "CHS": "当然;无疑;坚定地;稳当地", + "ENG": "certainly" + }, + "idealism": { + "CHS": "唯心主义,理想主义;理念论", + "ENG": "the belief that you should live your life according to high standards and principles, even when they are very difficult to achieve" + }, + "serf": { + "CHS": "农奴;奴隶;被压迫者", + "ENG": "someone in the past who lived and worked on land that they did not own and who had to obey the owner of the land" + }, + "forgery": { + "CHS": "伪造;伪造罪;伪造物", + "ENG": "a document, painting, or piece of paper money that has been copied illegally" + }, + "appropriate": { + "CHS": "占用,拨出", + "ENG": "to take something for yourself when you do not have the right to do this" + }, + "justice": { + "CHS": "司法,法律制裁;正义;法官,审判员", + "ENG": "the system by which people are judged in courts of law and criminals are punished" + }, + "hippopotamus": { + "CHS": "[脊椎] 河马", + "ENG": "a large grey African animal with a big head and mouth that lives near water" + }, + "bourgeoisie": { + "CHS": "资产阶级;中产阶级", + "ENG": "the people in a society who are rich, educated, own land etc, according to Marxism" + }, + "landmark": { + "CHS": "有重大意义或影响的" + }, + "apex": { + "CHS": "顶点;尖端", + "ENG": "the top or highest part of something pointed or curved" + }, + "scissors": { + "CHS": "剪开;删除(scissor的第三人称单数)" + }, + "tale": { + "CHS": "故事;传说;叙述;流言蜚语", + "ENG": "a story about exciting imaginary events" + }, + "ribbon": { + "CHS": "把…撕成条带;用缎带装饰" + }, + "arson": { + "CHS": "纵火;纵火罪", + "ENG": "the crime of deliberately making something burn, especially a building" + }, + "pop": { + "CHS": "卖点广告(Point of Purchase)" + }, + "lopsided": { + "CHS": "不平衡的,倾向一方的", + "ENG": "unequal or uneven, especially in an unfair way" + }, + "captivate": { + "CHS": "迷住,迷惑", + "ENG": "to attract someone very much, and hold their attention" + }, + "directory": { + "CHS": "指导的;咨询的" + }, + "anxious": { + "CHS": "焦虑的;担忧的;渴望的;急切的", + "ENG": "worried about something" + }, + "explicable": { + "CHS": "可解释的,可说明的", + "ENG": "able to be easily understood or explained" + }, + "adaptation": { + "CHS": "适应;改编;改编本,改写本", + "ENG": "a film or television programme that is based on a book or play" + }, + "vessel": { + "CHS": "船,舰;[组织] 脉管,血管;容器,器皿", + "ENG": "a ship or large boat" + }, + "veil": { + "CHS": "遮蔽;掩饰;以面纱遮掩;用帷幕分隔", + "ENG": "to cover something with a veil" + }, + "champion": { + "CHS": "优胜的;第一流的" + }, + "undulate": { + "CHS": "波动的;起伏的;波浪形的" + }, + "humility": { + "CHS": "谦卑,谦逊", + "ENG": "the quality of not being too proud about yourself – use this to show approval" + }, + "solid": { + "CHS": "固体;立方体", + "ENG": "a firm object or substance that has a fixed shape, not a gas or liquid" + }, + "regain": { + "CHS": "收复;取回" + }, + "refine": { + "CHS": "精炼,提纯;改善;使…文雅", + "ENG": "to improve a method, plan, system etc by gradually making slight changes to it" + }, + "underground": { + "CHS": "地下;地铁;地道;地下组织;秘密活动;先锋派团体", + "ENG": "a railway system under the ground" + }, + "informed": { + "CHS": "通知;使了解;提供资料(inform的过去分词)" + }, + "select": { + "CHS": "被挑选者;精萃" + }, + "grammar": { + "CHS": "语法;语法书", + "ENG": "the rules by which words change their forms and are combined into sentences, or the study or use of these rules" + }, + "title": { + "CHS": "冠军的;标题的;头衔的" + }, + "zenith": { + "CHS": "顶峰;顶点;最高点", + "ENG": "the most successful point in the development of something" + }, + "social": { + "CHS": "联谊会;联欢会", + "ENG": "a party for the members of a group, club, or church" + }, + "evergreen": { + "CHS": "[植] 常绿的;永葆青春的", + "ENG": "an evergreen tree or bush does not lose its leaves in winter" + }, + "demonstrative": { + "CHS": "指示词", + "ENG": "In grammar, the words \"this,\" \"that,\" \"these,\" and \"those\" are sometimes called demonstratives" + }, + "staunch": { + "CHS": "(Staunch)人名;(英)斯汤奇" + }, + "dignified": { + "CHS": "使高贵(dignify的过去式)" + }, + "idiosyncrasy": { + "CHS": "(个人独有的)气质,性格,习惯,癖好", + "ENG": "an unusual habit or way of behaving that someone has" + }, + "Englishwoman": { + "CHS": "英国女人;英格兰妇女", + "ENG": "a woman from England" + }, + "rearrange": { + "CHS": "重新排列;重新整理", + "ENG": "to change the position or order of things" + }, + "genius": { + "CHS": "天才,天赋;精神", + "ENG": "a very high level of intelligence, mental skill, or ability, which only a few people have" + }, + "clip": { + "CHS": "剪;剪掉;缩短;给…剪毛(或发)用别针别在某物上,用夹子夹在某物上", + "ENG": "to cut small amounts of something in order to make it tidier" + }, + "bear": { + "CHS": "熊", + "ENG": "a large strong animal with thick fur, that eats flesh, fruit, and insects" + }, + "colour": { + "CHS": "颜色;风格;气色,面色;外貌", + "ENG": "red, blue, yellow, green, brown, purple etc" + }, + "towel": { + "CHS": "用毛巾擦", + "ENG": "to dry yourself using a towel" + }, + "mansion": { + "CHS": "大厦;宅邸", + "ENG": "a very large house" + }, + "subway": { + "CHS": "乘地铁" + }, + "overly": { + "CHS": "(Overly)人名;(英)奥弗利" + }, + "assent": { + "CHS": "同意;赞成", + "ENG": "approval or agreement from someone who has authority" + }, + "insomnia": { + "CHS": "失眠症,失眠", + "ENG": "if you suffer from insomnia, you are not able to sleep" + }, + "veer": { + "CHS": "转向;方向的转变", + "ENG": "a change of course or direction " + }, + "grievance": { + "CHS": "不满,不平;委屈;冤情", + "ENG": "a belief that you have been treated unfairly, or an unfair situation or event that affects and upsets you" + }, + "chargeable": { + "CHS": "应支付的;可以控诉的;可充电的;应课税的", + "ENG": "needing to be paid for" + }, + "shaft": { + "CHS": "利用;在……上装杆" + }, + "reassure": { + "CHS": "使…安心,使消除疑虑", + "ENG": "to make someone feel calmer and less worried or frightened about a problem or situation" + }, + "cage": { + "CHS": "把…关进笼子;把…囚禁起来", + "ENG": "to put or keep an animal or bird in a cage" + }, + "aim": { + "CHS": "目的;目标;对准", + "ENG": "something you hope to achieve by doing something" + }, + "sack": { + "CHS": "解雇;把……装入袋;劫掠", + "ENG": "to dismiss someone from their job" + }, + "wean": { + "CHS": "(苏格兰)幼儿" + }, + "defile": { + "CHS": "狭谷;隘路" + }, + "vault": { + "CHS": "跳跃;成穹状弯曲", + "ENG": "to jump over something in one movement, using your hands or a pole to help you" + }, + "lily": { + "CHS": "洁白的,纯洁的" + }, + "suburb": { + "CHS": "郊区;边缘", + "ENG": "an area where people live which is away from the centre of a town or city" + }, + "bout": { + "CHS": "回合;较量;发作;一阵", + "ENG": "a short period of time during which you suffer from an illness" + }, + "manpower": { + "CHS": "人力;人力资源;劳动力", + "ENG": "all the workers available for a particular kind of work" + }, + "fabricate": { + "CHS": "制造;伪造;装配", + "ENG": "to invent a story, piece of information etc in order to deceive someone" + }, + "fluent": { + "CHS": "流畅的,流利的;液态的;畅流的", + "ENG": "able to speak a language very well" + }, + "regency": { + "CHS": "摄政;摄政统治;摄政权", + "ENG": "a period of government by a regent (= person who governs instead of a king or queen ) " + }, + "lichen": { + "CHS": "使长满地衣" + }, + "lawsuit": { + "CHS": "诉讼(尤指非刑事案件);诉讼案件", + "ENG": "a problem or complaint that a person or organization brings to a court of law to be settled" + }, + "bearing": { + "CHS": "忍受(bear的ing形式)" + }, + "flax": { + "CHS": "亚麻;亚麻纤维;亚麻布;亚麻织品", + "ENG": "a plant with blue flowers, used for making cloth and oil" + }, + "shortage": { + "CHS": "缺乏,缺少;不足", + "ENG": "a situation in which there is not enough of something that people need" + }, + "imperialism": { + "CHS": "帝国主义", + "ENG": "a political system in which one country rules a lot of other countries" + }, + "provisional": { + "CHS": "临时邮票" + }, + "tablecloth": { + "CHS": "桌布;台布", + "ENG": "a cloth used for covering a table" + }, + "warning": { + "CHS": "警告(warn的ing形式)" + }, + "German": { + "CHS": "德语;德国人", + "ENG": "someone from Germany" + }, + "maltreat": { + "CHS": "虐待;滥用;粗暴对待", + "ENG": "to treat a person or animal cruelly" + }, + "rodeo": { + "CHS": "竞技" + }, + "sibling": { + "CHS": "兄弟姊妹;民族成员", + "ENG": "a brother or sister" + }, + "thatch": { + "CHS": "用茅草覆盖屋顶" + }, + "soccer": { + "CHS": "英式足球,足球", + "ENG": "a sport played by two teams of 11 players, who try to kick a round ball into their opponents’ goal " + }, + "yawn": { + "CHS": "打哈欠;裂开", + "ENG": "to open your mouth wide and breathe in deeply because you are tired or bored" + }, + "mast": { + "CHS": "在…上装桅杆", + "ENG": "to equip with a mast or masts " + }, + "enlighten": { + "CHS": "启发,启蒙;教导,开导;照耀", + "ENG": "to explain something to someone" + }, + "cottage": { + "CHS": "小屋;村舍;(农舍式的)小别墅", + "ENG": "a small house in the country" + }, + "coddle": { + "CHS": "娇养;溺爱(等于mollycoddle);用文火煮", + "ENG": "to treat someone in a way that is too kind and gentle and that protects them from pain or difficulty" + }, + "drummer": { + "CHS": "鼓手;旅行推销员;跑街", + "ENG": "someone who plays drums" + }, + "promising": { + "CHS": "许诺,答应(promise的现在分词形式)" + }, + "zest": { + "CHS": "给…调味" + }, + "dire": { + "CHS": "可怕的;悲惨的;极端的", + "ENG": "extremely serious or terrible" + }, + "existence": { + "CHS": "存在,实在;生存,生活;存在物,实在物", + "ENG": "the state of existing" + }, + "peace": { + "CHS": "和平;平静;和睦;秩序", + "ENG": "a situation in which there is no war or fighting" + }, + "endanger": { + "CHS": "危及;使遭到危险", + "ENG": "to put someone or something in danger of being hurt, damaged, or destroyed" + }, + "curt": { + "CHS": "(Curt)人名;(法)屈尔;(英)柯特;(德、西、芬、罗、瑞典)库尔特" + }, + "infantile": { + "CHS": "婴儿的;幼稚的;初期的", + "ENG": "infantile behaviour seems silly in an adult because it is typical of a child" + }, + "lenient": { + "CHS": "(Lenient)人名;(法)勒尼安" + }, + "observe": { + "CHS": "庆祝", + "ENG": "If you observe an important day such as a holiday or anniversary, you do something special in order to honour or celebrate it" + }, + "analogue": { + "CHS": "类似的;相似物的;模拟计算机的", + "ENG": "analogue technology uses changing physical quantities such as voltage to store data" + }, + "abolish": { + "CHS": "废除,废止;取消,革除", + "ENG": "to officially end a law, system etc, especially one that has existed for a long time" + }, + "misappropriate": { + "CHS": "侵占;盗用;滥用", + "ENG": "to dishonestly take something that someone has trusted you with, especially money or goods that belong to your employer" + }, + "partial": { + "CHS": "局部的;偏爱的;不公平的", + "ENG": "not complete" + }, + "diesel": { + "CHS": "内燃机传动的;供内燃机用的" + }, + "forefront": { + "CHS": "最前线,最前部;活动的中心", + "ENG": "If you are at the forefront of a campaign or other activity, you have a leading and influential position in it" + }, + "federate": { + "CHS": "使结成同盟;使结成联邦", + "ENG": "if a group of states federate, they join together to form a federation" + }, + "flowerpot": { + "CHS": "花盆;花钵", + "ENG": "a plastic or clay pot in which you grow plants" + }, + "distinct": { + "CHS": "明显的;独特的;清楚的;有区别的", + "ENG": "something that is distinct can clearly be seen, heard, smelled etc" + }, + "track": { + "CHS": "追踪;通过;循路而行;用纤拉", + "ENG": "to search for a person or animal by following the marks they leave behind them on the ground, their smell etc" + }, + "diversity": { + "CHS": "多样性;差异", + "ENG": "the fact of including many different types of people or things" + }, + "creak": { + "CHS": "发出咯吱咯吱声;勉强运转" + }, + "feeble": { + "CHS": "微弱的,无力的;虚弱的;薄弱的", + "ENG": "extremely weak" + }, + "luncheon": { + "CHS": "午宴;正式的午餐会", + "ENG": "lunch" + }, + "reception": { + "CHS": "接待;接收;招待会;感受;反应", + "ENG": "a particular type of welcome for someone, or a particular type of reaction to their ideas, work etc" + }, + "prediction": { + "CHS": "预报;预言", + "ENG": "a statement about what you think is going to happen, or the act of making this statement" + }, + "dent": { + "CHS": "产生凹陷;凹进去;削减", + "ENG": "if you dent something, or if it dents, you hit or press it so that its surface is bent inwards" + }, + "sunstroke": { + "CHS": "中暑", + "ENG": "fever, weakness etc caused by being outside in the sun for too long" + }, + "electrostatic": { + "CHS": "静电的;静电学的", + "ENG": "of, concerned with, producing, or caused by static electricity " + }, + "depose": { + "CHS": "免职;作证;废黜", + "ENG": "to remove a leader or ruler from a position of power" + }, + "crackle": { + "CHS": "使发爆裂声;使产生碎裂花纹", + "ENG": "to make repeated short sounds like something burning in a fire" + }, + "draughty": { + "CHS": "通风的;通风良好的", + "ENG": "a draughty room or building has cold air blowing through it" + }, + "component": { + "CHS": "成分;组件;[电子] 元件", + "ENG": "one of several parts that together make up a whole machine, system etc" + }, + "granule": { + "CHS": "颗粒", + "ENG": "a small hard piece of something" + }, + "muslim": { + "CHS": "伊斯兰教的", + "ENG": "Muslim means relating to Islam or Muslims" + }, + "sympathetic": { + "CHS": "交感神经;容易感受的人" + }, + "failing": { + "CHS": "失败;不及格(fail的ing形式)" + }, + "critical": { + "CHS": "鉴定的;[核] 临界的;批评的,爱挑剔的;危险的;决定性的;评论的", + "ENG": "if you are critical, you criticize someone or something" + }, + "hereditary": { + "CHS": "遗传类" + }, + "sartorial": { + "CHS": "裁缝的;缝纫的;裁缝匠的" + }, + "incapacitate": { + "CHS": "使无能力;使不能;使不适于", + "ENG": "to make you too ill or weak to live and work normally" + }, + "interact": { + "CHS": "幕间剧;幕间休息" + }, + "algebra": { + "CHS": "代数学", + "ENG": "a type of mathematics that uses letters and other signs to represent numbers and values" + }, + "classified": { + "CHS": "把…分类(classify的过去分词)" + }, + "manic": { + "CHS": "躁狂症者" + }, + "faction": { + "CHS": "派别;内讧;小集团;纪实小说", + "ENG": "a small group of people within a larger group, who have different ideas from the other members, and who try to get their own ideas accepted" + }, + "Rugby": { + "CHS": "英式橄榄球;拉格比(英格兰中部的城市)", + "ENG": "Rugby or rugby football is a game played by two teams using an oval ball. Players try to score points by carrying the ball to their opponents' end of the field, or by kicking it over a bar fixed between two posts. " + }, + "fashionable": { + "CHS": "流行的;时髦的;上流社会的", + "ENG": "popular, especially for a short period of time" + }, + "aloof": { + "CHS": "远离;避开地" + }, + "girdle": { + "CHS": "围绕;绕…而行;用带子捆扎", + "ENG": "to surround something" + }, + "dainty": { + "CHS": "美味", + "ENG": "something small that is good to eat, especially something sweet such as a cake" + }, + "casualty": { + "CHS": "意外事故;伤亡人员;急诊室", + "ENG": "the part of a hospital that people are taken to when they are hurt in an accident or suddenly become ill" + }, + "lasting": { + "CHS": "持续;维持(last的ing形式)" + }, + "inventor": { + "CHS": "发明家;[专利] 发明人;创造者", + "ENG": "someone who has invented something, or whose job is to invent things" + }, + "satiate": { + "CHS": "饱足的;厌腻的" + }, + "administer": { + "CHS": "管理;执行;给予", + "ENG": "to manage the work or money of a company or organization" + }, + "carnage": { + "CHS": "大屠杀;残杀;大量绝灭", + "ENG": "when a lot of people are killed and injured, especially in a war" + }, + "amnesia": { + "CHS": "健忘症,[内科] 记忆缺失", + "ENG": "the medical condition of not being able to remember anything" + }, + "speculate": { + "CHS": "推测;投机;思索", + "ENG": "to guess about the possible causes or effects of something, without knowing all the facts or details" + }, + "basketball": { + "CHS": "篮球;篮球运动", + "ENG": "a game played indoors between two teams of five players, in which each team tries to win points by throwing a ball through a net" + }, + "expenditure": { + "CHS": "支出,花费;经费,消费额", + "ENG": "the total amount of money that a government, organization, or person spends during a particular period of time" + }, + "grey": { + "CHS": "灰色", + "ENG": "the colour of dark clouds, neither black nor white" + }, + "gloom": { + "CHS": "昏暗;阴暗", + "ENG": "almost complete darkness" + }, + "falsetto": { + "CHS": "用假声" + }, + "coach": { + "CHS": "训练;指导", + "ENG": "to teach a person or team the skills they need for a sport" + }, + "authoritarian": { + "CHS": "权力主义者;独裁主义者" + }, + "entertain": { + "CHS": "娱乐;招待;怀抱;容纳", + "ENG": "to invite people to your home for a meal, party etc, or to take your company’s customers somewhere to have a meal, drinks etc" + }, + "figment": { + "CHS": "虚构的事;臆造的事物", + "ENG": "something that you imagine is real, but does not exist" + }, + "passion": { + "CHS": "激情;热情;酷爱;盛怒", + "ENG": "a very strong belief or feeling about something" + }, + "useful": { + "CHS": "有用的,有益的;有帮助的", + "ENG": "helping you to do or get what you want" + }, + "skim": { + "CHS": "脱脂的;撇去浮沫的;表层的" + }, + "loudspeaker": { + "CHS": "喇叭,扬声器;扩音器", + "ENG": "a piece of equipment used to make sounds louder" + }, + "sepulchre": { + "CHS": "埋葬;以…为坟墓" + }, + "recurrence": { + "CHS": "再发生;循环;重现;重新提起", + "ENG": "an occasion when something that has happened before happens again" + }, + "moss": { + "CHS": "使长满苔藓" + }, + "preferential": { + "CHS": "优先的;选择的;特惠的;先取的", + "ENG": "preferential treatment, rates etc are deliberately different in order to give an advantage to particular people" + }, + "confine": { + "CHS": "限制;禁闭", + "ENG": "to keep someone or something within the limits of a particular activity or subject" + }, + "enthral": { + "CHS": "奴役;使…做奴隶;迷惑(等于enthrall)", + "ENG": "If you are enthralled by something, you enjoy it and give it your complete attention and interest" + }, + "successor": { + "CHS": "继承者;后续的事物", + "ENG": "Someone's successor is the person who takes their job after they have left" + }, + "cemetery": { + "CHS": "墓地;公墓", + "ENG": "a piece of land, usually not belonging to a church, in which dead people are buried" + }, + "Persian": { + "CHS": "猫老大" + }, + "slowly": { + "CHS": "缓慢地,慢慢地", + "ENG": "at a slow speed" + }, + "wilt": { + "CHS": "枯萎;憔悴;衰弱" + }, + "reserve": { + "CHS": "储备;保留;预约", + "ENG": "to arrange for a place in a hotel, restaurant, plane etc to be kept for you to use at a particular time in the future" + }, + "condition": { + "CHS": "决定;使适应;使健康;以…为条件", + "ENG": "to make a person or an animal think or behave in a certain way by influencing or training them over a period of time" + }, + "actor": { + "CHS": "男演员;行动者;作用物", + "ENG": "someone who performs in a play or film" + }, + "prepare": { + "CHS": "准备;使适合;装备;起草", + "ENG": "to make plans or arrangements for something that will happen in the future" + }, + "airlift": { + "CHS": "空运", + "ENG": "If people, troops, or goods are airlifted somewhere, they are carried by air, especially in a war or when land routes are closed" + }, + "archaeologist": { + "CHS": "考古学家" + }, + "pal": { + "CHS": "结为朋友" + }, + "stoneware": { + "CHS": "瓷器;石器" + }, + "organise": { + "CHS": "组织起来;组织工会" + }, + "limitation": { + "CHS": "限制;限度;极限;追诉时效;有效期限;缺陷", + "ENG": "the act or process of controlling or reducing something" + }, + "nigger": { + "CHS": "黑鬼(蔑称);社会地位低下的人", + "ENG": "a very offensive word for a black person. Do not use this word." + }, + "Eskimo": { + "CHS": "爱斯基摩人的" + }, + "astrology": { + "CHS": "占星术;占星学;星座", + "ENG": "the study of the positions and movements of the stars and how they might influence people and events" + }, + "mutton": { + "CHS": "羊肉", + "ENG": "the meat from a sheep" + }, + "fulfilment": { + "CHS": "实现;成就", + "ENG": "when something you wanted happens or is given to you" + }, + "equality": { + "CHS": "平等;相等;[数] 等式", + "ENG": "a situation in which people have the same rights, advantages etc" + }, + "anaesthetic": { + "CHS": "麻醉剂;麻药", + "ENG": "a drug that stops you feeling pain" + }, + "fanciful": { + "CHS": "想像的;稀奇的", + "ENG": "imagined rather than based on facts – often used to show disapproval" + }, + "instalment": { + "CHS": "分期付款;装设;就职", + "ENG": "one of a series of regular payments that you make until you have paid all the money you owe" + }, + "fir": { + "CHS": "弗京(firkin)" + }, + "shiver": { + "CHS": "颤抖;哆嗦;打碎", + "ENG": "to shake slightly because you are cold or frightened" + }, + "beggar": { + "CHS": "使贫穷;使沦为乞丐", + "ENG": "to make someone very poor" + }, + "predicate": { + "CHS": "谓语的;述语的" + }, + "subversion": { + "CHS": "颠覆;破坏", + "ENG": "secret activities that are intended to damage or destroy the power or influence of a government or established system" + }, + "icy": { + "CHS": "冰冷的;冷淡的;结满冰的", + "ENG": "extremely cold" + }, + "popcorn": { + "CHS": "爆米花,爆玉米花", + "ENG": "a kind of corn that swells and bursts open when heated, and is usually eaten warm with salt or sugar as a snack " + }, + "PhD": { + "CHS": "博士学位;哲学博士学位(Doctor of Philosophy)" + }, + "merely": { + "CHS": "仅仅,只不过;只是", + "ENG": "used to emphasize how small or unimportant something or someone is" + }, + "genocide": { + "CHS": "种族灭绝;灭绝整个种族的大屠杀", + "ENG": "the deliberate murder of a whole group or race of people" + }, + "diarrhoea": { + "CHS": "腹泻", + "ENG": "an illness in which waste from the bowel s is watery and comes out often" + }, + "flame": { + "CHS": "焚烧;泛红", + "ENG": "to burn brightly" + }, + "freight": { + "CHS": "货运;运费;船货", + "ENG": "goods that are carried by ship, train, or aircraft, and the system of moving these goods" + }, + "despicable": { + "CHS": "卑劣的;可鄙的", + "ENG": "extremely bad, immoral, or cruel" + }, + "vocally": { + "CHS": "用声音;口头地" + }, + "witty": { + "CHS": "(Witty)人名;(英)威蒂" + }, + "personnel": { + "CHS": "人员的;有关人事的" + }, + "onlooker": { + "CHS": "旁观者;观众(等于spectator)", + "ENG": "someone who watches something happening without being involved in it" + }, + "anomaly": { + "CHS": "异常;不规则;反常事物", + "ENG": "something that is noticeable because it is different from what is usual" + }, + "strawberry": { + "CHS": "草莓;草莓色", + "ENG": "a soft red juicy fruit with small seeds on its surface, or the plant that grows this fruit" + }, + "sociological": { + "CHS": "社会的(等于sociologic);社会学的;针对社会问题的" + }, + "heaven": { + "CHS": "天堂;天空;极乐", + "ENG": "the place where God is believed to live and where good people are believed to go when they die" + }, + "glaze": { + "CHS": "釉;光滑面", + "ENG": "a liquid that is used to cover plates, cups etc made of clay to give them a shiny surface" + }, + "merchandise": { + "CHS": "买卖;推销", + "ENG": "to try to sell goods or services using methods such as advertising" + }, + "bronchitis": { + "CHS": "[内科] 支气管炎", + "ENG": "an illness that affects your bronchial tubes and makes you cough" + }, + "stifle": { + "CHS": "(马等的)后膝关节;(马等的)[动] 后膝关节病" + }, + "occupancy": { + "CHS": "居住;占有;占用", + "ENG": "the number of people who stay, work, or live in a room or building at the same time" + }, + "trust": { + "CHS": "信任,信赖;盼望;赊卖给", + "ENG": "to believe that someone is honest or will not do anything bad or wrong" + }, + "rebound": { + "CHS": "回升;弹回", + "ENG": "if a ball or other moving object rebounds, it moves quickly back away from something it has just hit" + }, + "narrative": { + "CHS": "叙事的,叙述的;叙事体的" + }, + "equinox": { + "CHS": "春分;秋分;昼夜平分点", + "ENG": "one of the two times in a year when night and day are of equal length" + }, + "melancholy": { + "CHS": "忧郁;悲哀;愁思", + "ENG": "a feeling of sadness for no particular reason" + }, + "collector": { + "CHS": "收藏家;[电子] 集电极;收税员;征收者", + "ENG": "someone who collects things that are interesting or attractive" + }, + "donation": { + "CHS": "捐款,捐赠物;捐赠", + "ENG": "something, especially money, that you give to a person or an organ-ization in order to help them" + }, + "frontage": { + "CHS": "前方;房子的正面;临街", + "ENG": "the part of a building or piece of land that is along a road, river etc" + }, + "watery": { + "CHS": "水的;淡的;湿的;松软的;有雨意的", + "ENG": "full of water or relating to water" + }, + "labourer": { + "CHS": "劳动者;劳工", + "ENG": "someone whose work needs physical strength, for example building work" + }, + "rhinoceros": { + "CHS": "[脊椎] 犀牛", + "ENG": "a large heavy African or Asian animal with thick skin and either one or two horns on its nose" + }, + "sterling": { + "CHS": "英国货币;标准纯银", + "ENG": "the standard unit of money in the United Kingdom, based on the pound" + }, + "dew": { + "CHS": "结露水" + }, + "resolution": { + "CHS": "[物] 分辨率;决议;解决;决心", + "ENG": "a formal decision or statement agreed on by a group of people, especially after a vote" + }, + "fig": { + "CHS": "打扮;使马跑快" + }, + "groundwork": { + "CHS": "基础;地基,根基", + "ENG": "something that has to happen before an activity or plan can be successful" + }, + "liberalism": { + "CHS": "自由主义;开明的思想或见解", + "ENG": "liberal opinions an principles, especially on social and political subjects" + }, + "artificial": { + "CHS": "人造的;仿造的;虚伪的;非原产地的;武断的", + "ENG": "not real or not made of natural things but made to be like something that is real or natural" + }, + "transmute": { + "CHS": "使变形;使变质", + "ENG": "to change one substance or type of thing into another" + }, + "retard": { + "CHS": "延迟;阻止" + }, + "parson": { + "CHS": "牧师,教区牧师;神职人员", + "ENG": "a Christian priest or minister" + }, + "income": { + "CHS": "收入,收益;所得", + "ENG": "the money that you earn from your work or that you receive from investments, the government etc" + }, + "belief": { + "CHS": "相信,信赖;信仰;教义", + "ENG": "the feeling that something is definitely true or definitely exists" + }, + "drain": { + "CHS": "排水;下水道,排水管;消耗", + "ENG": "a pipe that carries water or waste liquids away" + }, + "district": { + "CHS": "区域;地方;行政区", + "ENG": "an area of a town or the countryside, especially one with particular features" + }, + "fifteen": { + "CHS": "十五", + "ENG": "the number 15" + }, + "sideboard": { + "CHS": "餐具柜;侧板,边线界墙", + "ENG": "a long low piece of furniture usually in a dining room , used for storing plates, glasses etc" + }, + "etiquette": { + "CHS": "礼节,礼仪;规矩", + "ENG": "the formal rules for polite behaviour in society or in a particular group" + }, + "categorize": { + "CHS": "分类", + "ENG": "to put people or things into groups according to the type of person or thing they are" + }, + "saucepan": { + "CHS": "炖锅;深平底锅", + "ENG": "a deep round metal container with a handle that is used for cooking" + }, + "summon": { + "CHS": "召唤;召集;鼓起;振作", + "ENG": "to order someone to come to a place" + }, + "sparingly": { + "CHS": "节俭地;保守地;爱惜地" + }, + "smoker": { + "CHS": "吸烟者;薰制工", + "ENG": "someone who smokes cigarettes, cigar s etc" + }, + "reciprocal": { + "CHS": "[数] 倒数;互相起作用的事物" + }, + "disrupt": { + "CHS": "分裂的,中断的;分散的" + }, + "exhort": { + "CHS": "忠告;劝诫", + "ENG": "If you exhort someone to do something, you try hard to persuade or encourage them to do it" + }, + "distinction": { + "CHS": "区别;差别;特性;荣誉、勋章", + "ENG": "a clear difference or separation between two similar things" + }, + "assortment": { + "CHS": "分类;混合物" + }, + "blacksmith": { + "CHS": "铁匠;锻工", + "ENG": "someone who makes and repairs things made of iron, especially horseshoe s " + }, + "designation": { + "CHS": "指定;名称;指示;选派", + "ENG": "the act of choosing someone or something for a particular purpose, or of giving them a particular description" + }, + "ingenious": { + "CHS": "有独创性的;机灵的,精制的;心灵手巧的", + "ENG": "an ingenious plan, idea, or object works well and is the result of clever thinking and new ideas" + }, + "versatile": { + "CHS": "多才多艺的;通用的,万能的;多面手的", + "ENG": "someone who is versatile has many different skills" + }, + "read": { + "CHS": "有学问的" + }, + "underclass": { + "CHS": "下层阶级,下层社会;一、二年级学生", + "ENG": "the lowest social class, consisting of people who are very poor and who are not likely to be able to improve their situation" + }, + "model": { + "CHS": "模范的;作模型用的", + "ENG": "Model is also an adjective" + }, + "obscene": { + "CHS": "淫秽的;猥亵的;可憎的", + "ENG": "relating to sex in a way that is shocking and offensive" + }, + "mash": { + "CHS": "捣碎;调情" + }, + "policewoman": { + "CHS": "女警察;女警官", + "ENG": "a female police officer" + }, + "sedative": { + "CHS": "使镇静的;使安静的" + }, + "dote": { + "CHS": "(Dote)人名;(日)土手 (姓);(中非)多泰" + }, + "enthrone": { + "CHS": "使登基;立…为王;任为主教;崇拜", + "ENG": "if a king or queen is enthroned, there is a ceremony to show that they are starting to rule" + }, + "revolution": { + "CHS": "革命;旋转;运行;循环", + "ENG": "a complete change in ways of thinking, methods of working etc" + }, + "health": { + "CHS": "健康;卫生;保健;兴旺", + "ENG": "the general condition of your body and how healthy you are" + }, + "revenge": { + "CHS": "报复;替…报仇;洗雪", + "ENG": "to punish someone who has done something to harm you or someone else" + }, + "wary": { + "CHS": "谨慎的;机警的;惟恐的;考虑周到的", + "ENG": "someone who is wary is careful because they think something might be dangerous or harmful" + }, + "blanket": { + "CHS": "覆盖,掩盖;用毯覆盖", + "ENG": "to cover something with a thick layer" + }, + "flighty": { + "CHS": "轻浮的;轻狂的;心情浮动的", + "ENG": "a woman who is flighty changes her ideas and opinions often, and only remains interested in people or things for a short time" + }, + "sectarian": { + "CHS": "属于宗派的人;宗派心强的人;宗派主义者" + }, + "beyond": { + "CHS": "远处" + }, + "panther": { + "CHS": "豹;黑豹;美洲豹", + "ENG": "a large wild animal that is black and a member of the cat family" + }, + "curiosity": { + "CHS": "好奇,好奇心;珍品,古董,古玩", + "ENG": "the desire to know about something" + }, + "farsighted": { + "CHS": "有远见的;能看到远处的", + "ENG": "If you describe someone as farsighted, you admire them because they understand what is likely to happen in the future, and therefore make wise decisions and plans" + }, + "eventuality": { + "CHS": "可能性;可能发生的事;不测的事", + "ENG": "something that might happen, especially something bad" + }, + "orchid": { + "CHS": "淡紫色的" + }, + "physical": { + "CHS": "体格检查", + "ENG": "a thorough examination of someone’s body by a doctor, in order to discover whether they are healthy or have any illnesses or medical problems" + }, + "situation": { + "CHS": "情况;形势;处境;位置", + "ENG": "a combination of all the things that are happening and all the conditions that exist at a particular time in a particular place" + }, + "aisle": { + "CHS": "通道,走道;侧廊", + "ENG": "a long passage between rows of seats in a church, plane, theatre etc, or between rows of shelves in a shop" + }, + "lush": { + "CHS": "饮" + }, + "discernible": { + "CHS": "可辨别的;可识别的" + }, + "belong": { + "CHS": "属于,应归入;居住;适宜;应被放置", + "ENG": "If something belongs to you, you own it" + }, + "immoral": { + "CHS": "不道德的;邪恶的;淫荡的", + "ENG": "morally wrong" + }, + "polarity": { + "CHS": "[物] 极性;两极;对立", + "ENG": "a state in which people, opinions, or ideas are completely different or opposite to each other" + }, + "maid": { + "CHS": "当女仆" + }, + "spiteful": { + "CHS": "怀恨的,恶意的", + "ENG": "deliberately nasty to someone in order to hurt or upset them" + }, + "cryptic": { + "CHS": "神秘的,含义模糊的;[动] 隐藏的", + "ENG": "having a meaning that is mysterious or not easily understood" + }, + "refresh": { + "CHS": "更新;使……恢复;使……清新;消除……的疲劳", + "ENG": "if you refresh your computer screen while you are connected to the Internet, you make the screen show any new information that has arrived since you first began looking at it" + }, + "prophecy": { + "CHS": "预言;预言书;预言能力", + "ENG": "a statement that something will happen in the future, especially one made by someone with religious or magic powers" + }, + "undercover": { + "CHS": "秘密的,秘密从事的;从事间谍活动的", + "ENG": "Undercover work involves secretly obtaining information for the government or the police" + }, + "imposing": { + "CHS": "impose的ing形式" + }, + "sympathy": { + "CHS": "同情;慰问;赞同", + "ENG": "the feeling of being sorry for someone who is in a bad situation" + }, + "unleash": { + "CHS": "发动;解开…的皮带;解除…的束缚", + "ENG": "to let a dog run free after it has been held on a leash" + }, + "exponent": { + "CHS": "说明的" + }, + "homily": { + "CHS": "说教;训诫", + "ENG": "advice about how to behave that is often unwanted" + }, + "rainbow": { + "CHS": "呈彩虹状" + }, + "unswerving": { + "CHS": "坚定的;始终不渝的;不歪的", + "ENG": "an unswerving belief or attitude is one that is very strong and never changes" + }, + "revive": { + "CHS": "复兴;复活;苏醒;恢复精神", + "ENG": "to bring something back after it has not been used or has not existed for a period of time" + }, + "differential": { + "CHS": "微分;差别", + "ENG": "a difference between things, especially between the wages of people doing different types of jobs in the same industry or profession" + }, + "committed": { + "CHS": "承诺;委托;干坏事;付诸(commit的过去分词)", + "ENG": "If you commit yourself to something, you say that you will definitely do it. If you commit yourself to someone, you decide that you want to have a long-term relationship with them. " + }, + "seduction": { + "CHS": "诱惑;魅力;(复数)诱惑物", + "ENG": "something that strongly attracts people, but often has a bad effect on their lives" + }, + "honeymoon": { + "CHS": "度蜜月", + "ENG": "to go somewhere for your honeymoon" + }, + "pattern": { + "CHS": "模仿;以图案装饰", + "ENG": "to be designed or made in a way that is copied from something else" + }, + "rueful": { + "CHS": "可怜的;悲伤的;悔恨的", + "ENG": "feeling or showing that you wish you had not done something" + }, + "throttle": { + "CHS": "压制,扼杀;使……窒息;使……节流", + "ENG": "to make it difficult or impossible for something to succeed" + }, + "humidity": { + "CHS": "[气象] 湿度;湿气", + "ENG": "the amount of water contained in the air" + }, + "filth": { + "CHS": "污秽;肮脏;猥亵;不洁", + "ENG": "dirt, especially a lot of it" + }, + "sic": { + "CHS": "(拉)原文如此(通常放在括号内)", + "ENG": "used after a word that you have copied in order to show that you know it was not spelled or used correctly" + }, + "feasible": { + "CHS": "可行的;可能的;可实行的", + "ENG": "a plan, idea, or method that is feasible is possible and is likely to work" + }, + "wax": { + "CHS": "蜡制的;似蜡的" + }, + "downstream": { + "CHS": "下游的;顺流的", + "ENG": "Downstream is also an adjective" + }, + "airforce": { + "CHS": "空军" + }, + "snarl": { + "CHS": "咆哮;怒骂;缠结", + "ENG": "if an animal snarls, it makes a low angry sound and shows its teeth" + }, + "nightclub": { + "CHS": "去夜总会" + }, + "gloat": { + "CHS": "幸灾乐祸;贪婪的盯视;洋洋得意" + }, + "buoyancy": { + "CHS": "浮力;轻快;轻松的心情;(股票)保持高价或回升", + "ENG": "the ability of an object to float" + }, + "studio": { + "CHS": "工作室;[广播][电视] 演播室;画室;电影制片厂", + "ENG": "a film company or the buildings it owns and uses to make its films" + }, + "emotive": { + "CHS": "感情的;情绪的;表现感情的", + "ENG": "making people have strong feelings" + }, + "hatchet": { + "CHS": "用短柄小斧砍伐;扼杀" + }, + "proficiency": { + "CHS": "精通,熟练", + "ENG": "a good standard of ability and skill" + }, + "statesman": { + "CHS": "政治家;国务活动家", + "ENG": "a political or government leader, especially one who is respected as being wise and fair" + }, + "maternal": { + "CHS": "母亲的;母性的;母系的;母体遗传的", + "ENG": "typical of the way a good mother behaves or feels" + }, + "reputable": { + "CHS": "声誉好的;受尊敬的;卓越的", + "ENG": "respected for being honest or for doing good work" + }, + "disobey": { + "CHS": "违反;不服从", + "ENG": "to refuse to do what someone with authority tells you to do, or refuse to obey a rule or law" + }, + "dissident": { + "CHS": "持不同政见的,意见不同的", + "ENG": "Dissident people disagree with or criticize their government or a powerful organization they belong to" + }, + "equidistant": { + "CHS": "等距的;距离相等的", + "ENG": "at an equal distance from two places" + }, + "footbridge": { + "CHS": "[交] 人行桥", + "ENG": "a narrow bridge used by people who are walking" + }, + "secular": { + "CHS": "修道院外的教士,(对宗教家而言的) 俗人" + }, + "randy": { + "CHS": "莽汉;粗鲁悍妇", + "ENG": "a rude or reckless person " + }, + "evaporate": { + "CHS": "使……蒸发;使……脱水;使……消失", + "ENG": "if a liquid evaporates, or if heat evaporates it, it changes into a gas" + }, + "fete": { + "CHS": "宴请;招待" + }, + "chancellor": { + "CHS": "总理(德、奥等的);(英)大臣;校长(美国某些大学的);(英)大法官;(美)首席法官", + "ENG": "the Chancellor of the Exchequer" + }, + "extraneous": { + "CHS": "外来的;没有关联的;来自体外的", + "ENG": "coming from outside" + }, + "hideous": { + "CHS": "可怕的;丑恶的", + "ENG": "extremely unpleasant or ugly" + }, + "adaptable": { + "CHS": "适合的;能适应的;可修改的", + "ENG": "able to change in order to be successful in new and different situations" + }, + "foretell": { + "CHS": "预言;预示;预告", + "ENG": "to say what will happen in the future, especially by using special magical powers" + }, + "suit": { + "CHS": "诉讼;恳求;套装,西装;一套外衣", + "ENG": "a set of clothes made of the same material, usually including a jacket with trousers or a skirt" + }, + "pupil": { + "CHS": "学生;[解剖] 瞳孔;未成年人", + "ENG": "someone who is being taught, especially a child" + }, + "bump": { + "CHS": "突然地,猛烈地" + }, + "revenue": { + "CHS": "税收,国家的收入;收益", + "ENG": "money that a business or organization receives over a period of time, especially from selling goods or services" + }, + "companionship": { + "CHS": "友谊;陪伴;交谊", + "ENG": "when you are with someone you enjoy being with, and are not alone" + }, + "industrialise": { + "CHS": "使工业化(等于industrialize)" + }, + "nitrogen": { + "CHS": "[化学] 氮", + "ENG": "a gas that has no colour or smell, and that forms most of the Earth’s air. It is a chemical element: symbol N" + }, + "equivocal": { + "CHS": "模棱两可的;可疑的", + "ENG": "if you are equivocal, you are deliberately unclear in the way that you give information or your opinion" + }, + "utilitarian": { + "CHS": "功利主义者", + "ENG": "A utilitarian is someone with utilitarian views" + }, + "patriarchal": { + "CHS": "家长的;族长的;由族长统治的", + "ENG": "ruled or controlled only by men" + }, + "dilate": { + "CHS": "扩大;膨胀;详述", + "ENG": "if a hollow part of your body dilates or if something dilates it, it becomes wider" + }, + "sublime": { + "CHS": "使…纯化;使…升华;使…变高尚" + }, + "insofar": { + "CHS": "在…的范围;在…情况下" + }, + "financier": { + "CHS": "金融家;投资家", + "ENG": "someone who controls or lends large sums of money" + }, + "integrity": { + "CHS": "完整;正直;诚实;廉正", + "ENG": "the quality of being honest and strong about what you believe to be right" + }, + "shrivel": { + "CHS": "枯萎;皱缩", + "ENG": "if something shrivels, or if it is shrivelled, it becomes smaller and its surface becomes covered in lines because it is very dry or old" + }, + "toenail": { + "CHS": "脚趾甲;[木] 斜钉", + "ENG": "the hard part that covers the top of each of your toes" + }, + "cooperative": { + "CHS": "合作社", + "ENG": "a business or organization owned equally by all the people working there" + }, + "coke": { + "CHS": "焦化" + }, + "bikini": { + "CHS": "比基尼泳装;大爆炸", + "ENG": "a set of clothes worn by women for swimming, which consists of a top part covering the breasts, and a bottom part" + }, + "deacon": { + "CHS": "朗读;搞欺骗" + }, + "bough": { + "CHS": "大树枝", + "ENG": "a main branch on a tree" + }, + "herbivorous": { + "CHS": "[动] 食草的", + "ENG": "Herbivorous animals only eat plants" + }, + "dither": { + "CHS": "踌躇;发抖;犹豫", + "ENG": "to keep being unable to make a final decision about something" + }, + "teenager": { + "CHS": "十几岁的青少年;十三岁到十九岁的少年", + "ENG": "someone who is between 13 and 19 years old" + }, + "lethal": { + "CHS": "致死因子" + }, + "Olympic": { + "CHS": "奥林匹斯山的,奥林匹亚的;奥林匹克的", + "ENG": "relating to the Olympic Games" + }, + "seductive": { + "CHS": "有魅力的;性感的;引人注意的", + "ENG": "someone, especially a woman, who is seductive is sexually attractive" + }, + "dimensional": { + "CHS": "空间的;尺寸的" + }, + "ecology": { + "CHS": "生态学;社会生态学", + "ENG": "the way in which plants, animals, and people are related to each other and to their environment, or the scientific study of this" + }, + "falsehood": { + "CHS": "说谎;假话;不真实;错误的信仰", + "ENG": "a statement that is untrue" + }, + "underlie": { + "CHS": "成为……的基础;位于……之下", + "ENG": "to be the cause of something, or be the basic thing from which something develops" + }, + "land": { + "CHS": "使…登陆;使…陷于;将…卸下", + "ENG": "If you land in an unpleasant situation or place or if something lands you in it, something causes you to be in it" + }, + "hormone": { + "CHS": "[生理] 激素,荷尔蒙", + "ENG": "a chemical substance produced by your body that influences its growth, development, and condition" + }, + "yearly": { + "CHS": "年刊;年鉴" + }, + "jolly": { + "CHS": "(Jolly)人名;(法)若利;(英、印)乔利;(德)约利" + }, + "heartrending": { + "CHS": "悲惨的;令人心碎的", + "ENG": "making you feel great pity" + }, + "fruitful": { + "CHS": "富有成效的;多产的;果实结得多的", + "ENG": "producing good results" + }, + "soil": { + "CHS": "弄脏;污辱", + "ENG": "to make something dirty, especially with waste from your body" + }, + "shin": { + "CHS": "爬;攀", + "ENG": "to climb quickly up or down a tree, pole etc by using your hands and legs" + }, + "wheel": { + "CHS": "转动;使变换方向;给…装轮子", + "ENG": "to push something that has wheels somewhere" + }, + "somehow": { + "CHS": "以某种方法;莫名其妙地" + }, + "expedition": { + "CHS": "远征;探险队;迅速", + "ENG": "a long and carefully organized journey, especially to a dangerous or unfamiliar place, or the people that make this journey" + }, + "gorilla": { + "CHS": "大猩猩", + "ENG": "a very large African monkey that is the largest of the apes " + }, + "scuffle": { + "CHS": "混战;扭打", + "ENG": "a short fight that is not very violent" + }, + "respective": { + "CHS": "分别的,各自的", + "ENG": "used before a plural noun to refer to the different things that belong to each separate person or thing mentioned" + }, + "Scotland": { + "CHS": "苏格兰" + }, + "hippie": { + "CHS": "嬉皮的" + }, + "usual": { + "CHS": "通常的,惯例的;平常的", + "ENG": "happening, done, or existing most of the time or in most situations" + }, + "rosy": { + "CHS": "(Rosy)人名;(罗、意、瑞、典)罗茜(女名),罗西;(英)罗茜" + }, + "germ": { + "CHS": "萌芽" + }, + "lexical": { + "CHS": "词汇的;[语] 词典的;词典编纂的", + "ENG": "dealing with words, or related to words" + }, + "scanner": { + "CHS": "[计] 扫描仪;扫描器;光电子扫描装置", + "ENG": "a machine that passes an electrical beam over something in order to produce a picture of what is inside it" + }, + "intensify": { + "CHS": "增强,强化;变激烈", + "ENG": "to increase in degree or strength, or to make something do this" + }, + "Scotsman": { + "CHS": "苏格兰人", + "ENG": "a man from Scotland" + }, + "signify": { + "CHS": "表示;意味;预示", + "ENG": "to represent, mean, or be a sign of something" + }, + "uncharitable": { + "CHS": "严厉的;无情的;不宽恕的;无慈悲心的" + }, + "haphazard": { + "CHS": "偶然地;随意地" + }, + "suitcase": { + "CHS": "[轻] 手提箱;衣箱", + "ENG": "a large case with a handle, used for carrying clothes and possessions when you travel" + }, + "headmistress": { + "CHS": "女校长", + "ENG": "a female teacher who is in charge of a school" + }, + "cancer": { + "CHS": "癌症;恶性肿瘤", + "ENG": "a very serious disease in which cells in one part of the body start to grow in a way that is not normal" + }, + "inaction": { + "CHS": "不活动;迟钝" + }, + "hurtle": { + "CHS": "碰撞;猛冲" + }, + "southeast": { + "CHS": "来自东南", + "ENG": "If you go southeast, you travel toward the southeast" + }, + "syllabus": { + "CHS": "教学大纲,摘要;课程表", + "ENG": "a plan that states exactly what students at a school or college should learn in a particular subject" + }, + "consumption": { + "CHS": "消费;消耗;肺痨", + "ENG": "the amount of energy, oil, electricity etc that is used" + }, + "eddy": { + "CHS": "旋转;起漩涡", + "ENG": "if water, wind, dust etc eddies, it moves around with a circular movement" + }, + "gesticulate": { + "CHS": "用姿势示意;(讲话时)做手势", + "ENG": "to make movements with your arms and hands, usually while speaking, because you are excited, angry, or cannot think of the right words to use" + }, + "chill": { + "CHS": "冷冻,冷藏;使寒心;使感到冷", + "ENG": "if you chill something such as food or drink, or if it chills, it becomes very cold but does not freeze" + }, + "shampoo": { + "CHS": "洗发", + "ENG": "to wash something with shampoo" + }, + "ad": { + "CHS": "公元;广告(ad)", + "ENG": "an advertisement" + }, + "resurrect": { + "CHS": "使复活;复兴;挖出", + "ENG": "to bring back an old activity, belief, idea etc that has not existed for a long time" + }, + "electromagnet": { + "CHS": "电磁体,[电] 电磁铁;电磁石", + "ENG": "a piece of metal that becomes magnetic(= able to attract metal objects ) when an electric current is turned on" + }, + "haystack": { + "CHS": "干草堆", + "ENG": "a large, firmly built pile of hay" + }, + "hiss": { + "CHS": "嘘声;嘶嘶声", + "ENG": "Hiss is also a noun" + }, + "kilobyte": { + "CHS": "[计] 千字节,1024字节", + "ENG": "a unit for measuring computer information, equal to 1,024 bytes" + }, + "occasional": { + "CHS": "偶然的;临时的;特殊场合的", + "ENG": "Occasional means happening sometimes, but not regularly or often" + }, + "constant": { + "CHS": "[数] 常数;恒量", + "ENG": "a number or quantity that never changes" + }, + "twilight": { + "CHS": "黄昏;薄暮;衰退期;朦胧状态", + "ENG": "the small amount of light in the sky as the day ends" + }, + "snuff": { + "CHS": "鼻烟;烛花;灯花", + "ENG": "a type of tobacco in powder form, which people breathe in through their noses" + }, + "heirloom": { + "CHS": "传家宝;祖传遗物", + "ENG": "a valuable object that has been owned by a family for many years and that is passed from the older members to the younger members" + }, + "irritation": { + "CHS": "刺激;激怒,恼怒,生气;兴奋;令人恼火的事", + "ENG": "the feeling of being annoyed about something, especially something that happens repeatedly or for a long time" + }, + "Tory": { + "CHS": "保守主义的", + "ENG": "of, characteristic of, or relating to Tories " + }, + "skipper": { + "CHS": "带领;作…的船长(或机长)" + }, + "division": { + "CHS": "[数] 除法;部门;分配;分割;师(军队);赛区", + "ENG": "the act of separating something into two or more different parts, or the way these parts are separated or shared" + }, + "puncture": { + "CHS": "穿刺;刺痕", + "ENG": "A puncture is a small hole in a car tyre or bicycle tyre that has been made by a sharp object" + }, + "illuminate": { + "CHS": "阐明,说明;照亮;使灿烂;用灯装饰", + "ENG": "to make a light shine on something, or to fill a place with light" + }, + "confidant": { + "CHS": "知己;密友", + "ENG": "someone you tell your secrets to or who you talk to about personal things" + }, + "correction": { + "CHS": "改正,修正", + "ENG": "a change made in something in order to make it right or better" + }, + "concentric": { + "CHS": "同轴的;同中心的", + "ENG": "having the same centre" + }, + "roll": { + "CHS": "卷,卷形物;名单;摇晃", + "ENG": "a piece of paper, camera film, money etc that has been rolled into the shape of a tube" + }, + "peek": { + "CHS": "窥视,偷看", + "ENG": "to look quickly at something, or to look at something from behind something else, especially something that you are not supposed to see" + }, + "century": { + "CHS": "世纪,百年;(板球)一百分", + "ENG": "one of the 100-year periods measured from before or after the year of Christ’s birth" + }, + "hear": { + "CHS": "听到,听;听说;审理", + "ENG": "to know that a sound is being made, using your ears" + }, + "demonic": { + "CHS": "有魔力的,恶魔的", + "ENG": "relating to a demon" + }, + "flagstaff": { + "CHS": "旗杆", + "ENG": "a tall pole on which a flag hangs" + }, + "gala": { + "CHS": "节日的,欢庆的;欢乐的" + }, + "media": { + "CHS": "媒体;媒质(medium的复数);血管中层;浊塞音;中脉", + "ENG": "all the organizations, such as television, radio, and newspapers, that provide news and information for the public, or the people who do this work" + }, + "juxtapose": { + "CHS": "并列;并置", + "ENG": "to put things together, especially things that are not normally together, in order to compare them or to make something new" + }, + "carnivore": { + "CHS": "[动] 食肉动物;食虫植物", + "ENG": "an animal that eats flesh" + }, + "repetition": { + "CHS": "重复;背诵;副本", + "ENG": "doing or saying the same thing many times" + }, + "skimmer": { + "CHS": "漏杓;燕鸥类;大略阅读的人;撇去浮沫的器具" + }, + "postpone": { + "CHS": "使…延期;把…放在次要地位;把…放在后面" + }, + "chord": { + "CHS": "弦;和弦;香水的基调", + "ENG": "a combination of several musical notes that are played at the same time and sound pleasant together" + }, + "scintillation": { + "CHS": "闪烁;发出火花;才华横溢", + "ENG": "the act of scintillating " + }, + "hydrocarbon": { + "CHS": "[有化] 碳氢化合物", + "ENG": "a chemical compound that consists of hydrogen and carbon , such as coal or gas" + }, + "their": { + "CHS": "(Their)人名;(英)蒂尔;(芬、瑞典)泰尔", + "ENG": "used when talking about someone who may be male or female, to avoid saying ‘his or her’" + }, + "forget": { + "CHS": "(Forget)人名;(法)福尔热" + }, + "census": { + "CHS": "人口普查,人口调查", + "ENG": "an official process of counting a country’s population and finding out about the people" + }, + "hydrochloric": { + "CHS": "氯化氢的,盐酸的" + }, + "extension": { + "CHS": "延长;延期;扩大;伸展;电话分机", + "ENG": "the process of making a road, building etc bigger or longer, or the part that is added" + }, + "insane": { + "CHS": "疯狂的;精神病的;极愚蠢的", + "ENG": "completely stupid or crazy, often in a way that is dangerous" + }, + "bullheaded": { + "CHS": "顽固的;顽强的;愚笨的;莽撞的" + }, + "smack": { + "CHS": "猛然;直接地" + }, + "threaten": { + "CHS": "威胁;恐吓;预示", + "ENG": "to say that you will cause someone harm or trouble if they do not do what you want" + }, + "concession": { + "CHS": "让步;特许(权);承认;退位", + "ENG": "something that you allow someone to have in order to end an argument or a disagreement" + }, + "distinguished": { + "CHS": "区别(distinguish的过去式)" + }, + "baroque": { + "CHS": "巴洛克风格;巴洛克艺术", + "ENG": "used to describe baroque art, music, buildings etc" + }, + "therapy": { + "CHS": "治疗,疗法", + "ENG": "the treatment of an illness or injury over a fairly long period of time" + }, + "envelop": { + "CHS": "信封;包裹" + }, + "large": { + "CHS": "大" + }, + "fitness": { + "CHS": "健康;适当;适合性", + "ENG": "when you are healthy and strong enough to do hard work or play sports" + }, + "credit": { + "CHS": "相信,信任;把…归给,归功于;赞颂", + "ENG": "to believe or admit that someone has a quality, or has done something good" + }, + "untidy": { + "CHS": "使不整洁;使杂乱无章" + }, + "violin": { + "CHS": "小提琴;小提琴手", + "ENG": "a small wooden musical instrument that you hold under your chin and play by pulling a bow(= special stick ) across the strings" + }, + "latch": { + "CHS": "门闩", + "ENG": "a small metal or plastic object used to keep a door, gate, or window closed" + }, + "knife": { + "CHS": "用刀切;(口)伤害", + "ENG": "to put a knife into someone’s body" + }, + "gist": { + "CHS": "主旨,要点;依据", + "ENG": "the main idea and meaning of what someone has said or written" + }, + "salvo": { + "CHS": "齐鸣" + }, + "villainous": { + "CHS": "罪恶的;恶棍的;恶毒的;坏透的", + "ENG": "evil or criminal" + }, + "image": { + "CHS": "想象;反映;象征;作…的像" + }, + "unlike": { + "CHS": "和…不同,不像", + "ENG": "completely different from a particular person or thing" + }, + "intelligible": { + "CHS": "可理解的;明了的;仅能用智力了解的", + "ENG": "Something that is intelligible can be understood" + }, + "explorer": { + "CHS": "探险家;勘探者;探测器;[医]探针", + "ENG": "someone who travels through an unknown area to find out about it" + }, + "equable": { + "CHS": "平静的;变动小的" + }, + "untouchable": { + "CHS": "达不到的;不可批评的;不可捉摸的", + "ENG": "If you say that someone is untouchable, you mean that they cannot be affected or punished in any way" + }, + "barrier": { + "CHS": "把…关入栅栏" + }, + "thrive": { + "CHS": "繁荣,兴旺;茁壮成长", + "ENG": "to become very successful or very strong and healthy" + }, + "noodle": { + "CHS": "面条;笨蛋", + "ENG": "a long thin piece of food made from a mixture of flour, water, and eggs, usually cooked in soup or boiling water" + }, + "snobbish": { + "CHS": "势利的", + "ENG": "behaving in a way that shows you think you are better than other people because you are from a higher social class or know more than they do" + }, + "boast": { + "CHS": "自夸;值得夸耀的事物,引以为荣的事物", + "ENG": "something that you like telling people because you are proud of it" + }, + "pentathlon": { + "CHS": "五项运动;五项全能运动", + "ENG": "a sports event involving five different sports" + }, + "shrew": { + "CHS": "泼妇,悍妇", + "ENG": "an unpleasant woman who always argues and disagrees with people" + }, + "difficulty": { + "CHS": "困难,困境", + "ENG": "if you have difficulty doing something, it is difficult for you to do" + }, + "flywheel": { + "CHS": "[机] 飞轮,惯性轮;调速轮", + "ENG": "a heavy wheel that keeps a machine working at a steady speed" + }, + "hibernate": { + "CHS": "过冬;(动物)冬眠;(人等)避寒", + "ENG": "if an animal hibernates, it sleeps for the whole winter" + }, + "fiction": { + "CHS": "小说;虚构,编造;谎言", + "ENG": "books and stories about imaginary people and events" + }, + "endeavour": { + "CHS": "竭力做到,试图或力图(做某事)", + "ENG": "to try very hard" + }, + "distant": { + "CHS": "遥远的;冷漠的;远隔的;不友好的,冷淡的", + "ENG": "far away in space or time" + }, + "transfuse": { + "CHS": "输血;灌输;注入" + }, + "villager": { + "CHS": "乡村居民,村民", + "ENG": "someone who lives in a village" + }, + "stratify": { + "CHS": "分层;成层;使形成阶层", + "ENG": "to form or be formed in layers or strata " + }, + "dike": { + "CHS": "筑堤防护;开沟排水(等于dyke)" + }, + "warehouse": { + "CHS": "储入仓库;以他人名义购进(股票)" + }, + "beetle": { + "CHS": "甲虫;大槌", + "ENG": "an insect with a round hard back that is usually black" + }, + "opportunity": { + "CHS": "时机,机会", + "ENG": "a chance to do something or an occasion when it is easy for you to do something" + }, + "shop": { + "CHS": "购物", + "ENG": "to go to one or more shops to buy things" + }, + "remission": { + "CHS": "缓解;宽恕;豁免", + "ENG": "a period when a serious illness improves for a time" + }, + "replace": { + "CHS": "取代,代替;替换,更换;归还,偿还;把…放回原处", + "ENG": "to start doing something instead of another person, or start being used instead of another thing" + }, + "statistical": { + "CHS": "统计的;统计学的", + "ENG": "Statistical means relating to the use of statistics" + }, + "double": { + "CHS": "双重地;两倍地;弓身地", + "ENG": "to become twice as big or twice as much, or to make something twice as big or twice as much" + }, + "jury": { + "CHS": "应急的", + "ENG": "makeshift " + }, + "worker": { + "CHS": "工人;劳动者;职蚁", + "ENG": "the members of the working class " + }, + "stubborn": { + "CHS": "顽固的;顽强的;难处理的", + "ENG": "determined not to change your mind, even when people think you are being unreasonable" + }, + "illness": { + "CHS": "病;疾病", + "ENG": "a disease of the body or mind, or the condition of being ill" + }, + "intonation": { + "CHS": "声调,语调;语音的抑扬", + "ENG": "the way in which the level of your voice changes in order to add meaning to what you are saying, for example by going up at the end of a question" + }, + "venereal": { + "CHS": "性病的;性交的;由性交传染的", + "ENG": "of, relating to, or infected with venereal disease " + }, + "per": { + "CHS": "(Per)人名;(德、挪、丹、瑞典)佩尔" + }, + "hem": { + "CHS": "包围;给缝边", + "ENG": "to turn under the edge of a piece of material or clothing and stitch it in place" + }, + "fad": { + "CHS": "时尚;一时的爱好;一时流行的狂热", + "ENG": "something that people like or do for a short time, or that is fashionable for a short time" + }, + "understanding": { + "CHS": "理解;明白(understand的ing形式)" + }, + "royalist": { + "CHS": "保皇主义的;保皇党人的" + }, + "misadventure": { + "CHS": "灾难;不幸遭遇", + "ENG": "bad luck or an accident" + }, + "florist": { + "CHS": "花商,种花人;花卉研究者", + "ENG": "someone who owns or works in a shop that sells flowers and indoor plants for the home" + }, + "willing": { + "CHS": "(Willing)人名;(德、芬、瑞典)维林;(英)威林" + }, + "brim": { + "CHS": "满溢;溢出", + "ENG": "to have a lot of a particular thing, quality, or emotion" + }, + "harangue": { + "CHS": "向…滔滔不绝地演讲;大声训斥" + }, + "endemic": { + "CHS": "地方病" + }, + "garland": { + "CHS": "戴花环" + }, + "singlehood": { + "CHS": "单身;未婚" + }, + "greatly": { + "CHS": "很,大大地;非常", + "ENG": "extremely or very much" + }, + "glow": { + "CHS": "灼热;色彩鲜艳;兴高采烈" + }, + "covert": { + "CHS": "隐蔽的;隐密的;偷偷摸摸的;在丈夫保护下的", + "ENG": "secret or hidden" + }, + "shorts": { + "CHS": "短裤", + "ENG": "trousers reaching the top of the thigh or partway to the knee, worn by both sexes for sport, relaxing in summer, etc " + }, + "austere": { + "CHS": "严峻的;简朴的;苦行的;无装饰的", + "ENG": "plain and simple and without any decoration" + }, + "rationalize": { + "CHS": "使……合理化;使……有理化;为……找借口", + "ENG": "If you try to rationalize attitudes or actions that are difficult to accept, you think of reasons to justify or explain them" + }, + "sorrow": { + "CHS": "懊悔;遗憾;感到悲伤", + "ENG": "to feel or express sorrow" + }, + "or": { + "CHS": "(Or)人名;(中)柯(广东话·威妥玛);(柬)奥;(土、匈、土库、阿塞、瑞典)奥尔" + }, + "constitution": { + "CHS": "宪法;体制;章程;构造;建立,组成;体格", + "ENG": "a set of basic laws and principles that a country or organization is governed by" + }, + "baby": { + "CHS": "婴儿的;幼小的", + "ENG": "Baby vegetables are vegetables picked when they are very small" + }, + "invoice": { + "CHS": "开发票;记清单", + "ENG": "If you invoice someone, you send them a bill for goods or services you have provided them with" + }, + "screenplay": { + "CHS": "编剧,剧本;电影剧本", + "ENG": "the words that are written down for actors to say in a film, and the instructions that tell them what they should do" + }, + "enjoy": { + "CHS": "欣赏,享受;喜爱;使过得快活", + "ENG": "If you enjoy something such as a right, benefit, or privilege, you have it" + }, + "newly": { + "CHS": "最近;重新;以新的方式", + "ENG": "Newly is used before a past participle or an adjective to indicate that a particular action is very recent, or that a particular state of affairs has very recently begun to exist" + }, + "hew": { + "CHS": "(Hew)人名;(英)休;(东南亚国家华语)丘" + }, + "persevere": { + "CHS": "坚持;不屈不挠;固执己见(在辩论中)", + "ENG": "to continue trying to do something in a very determined way in spite of difficulties – use this to show approval" + }, + "pottery": { + "CHS": "陶器;陶器厂;陶器制造术", + "ENG": "objects made out of baked clay" + }, + "graphics": { + "CHS": "[测] 制图学;制图法;图表算法", + "ENG": "pictures or images that are designed to represent objects or facts, especially in a computer program" + }, + "unfaithful": { + "CHS": "不忠实的;不诚实的;不准确的", + "ENG": "someone who is unfaithful has sex with someone who is not their wife, husband, or usual partner" + }, + "extraterrestrial": { + "CHS": "天外来客" + }, + "sling": { + "CHS": "用投石器投掷;吊起", + "ENG": "If you sling something over your shoulder or over something such as a chair, you hang it there loosely" + }, + "rural": { + "CHS": "农村的,乡下的;田园的,有乡村风味的", + "ENG": "happening in or relating to the countryside, not the city" + }, + "suitor": { + "CHS": "求婚者;请愿者;[法] 起诉人", + "ENG": "a man who wants to marry a particular woman" + }, + "quote": { + "CHS": "引用", + "ENG": "a sentence or phrase from a book, speech etc which you repeat in a speech or piece of writing because it is interesting or amusing" + }, + "folder": { + "CHS": "文件夹;折叠机;折叠式印刷品", + "ENG": "a container for keeping loose papers in, made of folded card or plastic" + }, + "main": { + "CHS": "主要的,最重要的;全力的", + "ENG": "larger or more important than all other things, ideas etc of the same kind" + }, + "flak": { + "CHS": "高射炮;抨击;谴责", + "ENG": "strong criticism" + }, + "early": { + "CHS": "(Early)人名;(英)厄尔利" + }, + "perspective": { + "CHS": "透视的" + }, + "initially": { + "CHS": "最初,首先;开头", + "ENG": "at the beginning" + }, + "diabetes": { + "CHS": "糖尿病;多尿症", + "ENG": "a serious disease in which there is too much sugar in your blood" + }, + "inquire": { + "CHS": "询问;查究;问明", + "ENG": "to ask someone for information" + }, + "strut": { + "CHS": "支柱;高视阔步", + "ENG": "a long thin piece of metal or wood used to support a part of a building, the wing of an aircraft etc" + }, + "aquatic": { + "CHS": "水上运动;水生植物或动物" + }, + "bound": { + "CHS": "范围;跳跃", + "ENG": "a long or high jump made with a lot of energy" + }, + "incriminate": { + "CHS": "控告;暗示有罪", + "ENG": "If something incriminates you, it suggests that you are responsible for something bad, especially a crime" + }, + "possession": { + "CHS": "拥有;财产;领地;自制;着迷", + "ENG": "if something is in your possession, you own it, or you have obtained it from somewhere" + }, + "task": { + "CHS": "工作,作业;任务", + "ENG": "a piece of work that must be done, especially one that is difficult or unpleasant or that must be done regularly" + }, + "extremities": { + "CHS": "四肢,骨端;末端,极限(extremity复数形式);手足", + "ENG": "The extremity of something is its farthest end or edge" + }, + "expand": { + "CHS": "扩张;使膨胀;详述", + "ENG": "if a company, business etc expands, or if someone expands it, they open new shops, factories etc" + }, + "rug": { + "CHS": "小地毯;毛皮地毯;男子假发", + "ENG": "a piece of thick cloth or wool that covers part of a floor, used for warmth or as a decoration" + }, + "yeast": { + "CHS": "酵母;泡沫;酵母片;引起骚动因素", + "ENG": "a type of fungus used for producing alcohol in beer and wine, and for making bread rise" + }, + "nose": { + "CHS": "嗅;用鼻子触" + }, + "lax": { + "CHS": "松的;松懈的;腹泻的", + "ENG": "not strict or careful enough about standards of behaviour, work, safety etc" + }, + "toast": { + "CHS": "向…祝酒,为…干杯", + "ENG": "to drink a glass of wine etc to thank some-one, wish someone luck, or celebrate something" + }, + "hardheaded": { + "CHS": "脚踏实地的;冷静的;无懈可击的;顽固的", + "ENG": "You use hardheaded to describe someone who is practical and determined to get what they want or need, and who does not allow emotions to affect their actions" + }, + "foresee": { + "CHS": "预见;预知", + "ENG": "to think or know that something is going to happen in the future" + }, + "science": { + "CHS": "科学;技术;学科;理科", + "ENG": "knowledge about the world, especially based on examining, testing, and proving facts" + }, + "repine": { + "CHS": "抱怨;不满", + "ENG": "to be fretful or low-spirited through discontent " + }, + "oneself": { + "CHS": "自己;亲自", + "ENG": "the reflexive form of one27" + }, + "quibble": { + "CHS": "诡辩;挑剔;说模棱两可的话", + "ENG": "When people quibble over a small matter, they argue about it even though it is not important" + }, + "brighten": { + "CHS": "(Brighten)人名;(英)布赖滕" + }, + "random": { + "CHS": "胡乱地" + }, + "desktop": { + "CHS": "桌面;台式机", + "ENG": "the main area on a computer where you can find the icon s that represent programs, and where you can do things to manage the information on the computer" + }, + "parliament": { + "CHS": "议会,国会", + "ENG": "the group of people who are elected to make a country’s laws and discuss important national affairs" + }, + "resumption": { + "CHS": "恢复;重新开始;取回;重获;恢复硬币支付", + "ENG": "the act of starting an activity again after stopping or being interrupted" + }, + "circular": { + "CHS": "通知,传单" + }, + "voluntary": { + "CHS": "志愿者;自愿行动" + }, + "lever": { + "CHS": "用杠杆撬动;把…作为杠杆", + "ENG": "to move something with a lever" + }, + "loiter": { + "CHS": "(Loiter)人名;(俄)洛伊特" + }, + "construction": { + "CHS": "建设;建筑物;解释;造句", + "ENG": "the process of building things such as houses, bridges, roads etc" + }, + "commonwealth": { + "CHS": "联邦;共和国;国民整体", + "ENG": "The commonwealth is an organization consisting of the United Kingdom and most of the countries that were previously under its rule" + }, + "lower": { + "CHS": "(Lower)人名;(英、意)洛厄" + }, + "synonym": { + "CHS": "同义词;同义字", + "ENG": "a word with the same meaning as another word in the same language" + }, + "article": { + "CHS": "订约将…收为学徒或见习生;使…受协议条款的约束" + }, + "injustice": { + "CHS": "不公正;不讲道义", + "ENG": "a situation in which people are treated very unfairly and not given their rights" + }, + "sabre": { + "CHS": "用马刀砍(等于saber)" + }, + "tighten": { + "CHS": "变紧;使变紧", + "ENG": "to close or fasten something firmly by turning it" + }, + "con": { + "CHS": "以…" + }, + "flypast": { + "CHS": "空中分列" + }, + "expressive": { + "CHS": "表现的;有表现力的;表达…的", + "ENG": "If you describe a person or their behaviour as expressive, you mean that their behaviour clearly indicates their feelings or intentions" + }, + "unsightly": { + "CHS": "难看的;不雅观的", + "ENG": "ugly or unpleasant to look at" + }, + "embattled": { + "CHS": "列阵;筑垒于(embattle的过去式和过去分词)" + }, + "heyday": { + "CHS": "嘿!(表喜悦或惊奇等)" + }, + "spark": { + "CHS": "发动;鼓舞;求婚", + "ENG": "If a burning object or electricity sparks a fire, it causes a fire" + }, + "strap": { + "CHS": "带;皮带;磨刀皮带;鞭打", + "ENG": "a narrow band of strong material that is used to fasten, hang, or hold onto something" + }, + "hard": { + "CHS": "(Hard)人名;(英、芬、瑞典)哈德" + }, + "demerit": { + "CHS": "缺点,短处;过失", + "ENG": "a bad quality or feature of something" + }, + "butler": { + "CHS": "男管家;仆役长", + "ENG": "the main male servant of a house" + }, + "unwind": { + "CHS": "放松;解开;[计] 展开", + "ENG": "to relax and stop feeling anxious" + }, + "express": { + "CHS": "快车,快递,专使;捷运公司", + "ENG": "a train or bus that does not stop in many places and therefore travels quickly" + }, + "revaluation": { + "CHS": "重新估价;再评价" + }, + "cliff": { + "CHS": "悬崖;绝壁", + "ENG": "a large area of rock or a mountain with a very steep side, often at the edge of the sea or a river" + }, + "coffin": { + "CHS": "棺材", + "ENG": "a long box in which a dead person is buried or burnt" + }, + "compulsory": { + "CHS": "(花样滑冰、竞技体操等的)规定动作" + }, + "consist": { + "CHS": "由…组成;在于;符合" + }, + "comrade": { + "CHS": "同志;伙伴", + "ENG": " socialists or communists often call each other ‘comrade’, especially in meetings" + }, + "wrap": { + "CHS": "外套;围巾", + "ENG": "a piece of thick cloth that a woman wears around her shoulders" + }, + "pine": { + "CHS": "松木的;似松的" + }, + "alphabetic": { + "CHS": "字母的;照字母次序的" + }, + "requisite": { + "CHS": "必需品", + "ENG": "something that is needed for a particular purpose" + }, + "gutter": { + "CHS": "贫贱的;粗俗的;耸人听闻的" + }, + "oil": { + "CHS": "加油;涂油;使融化", + "ENG": "to put oil onto part of a machine or part of something that moves, to help it to move or work more smoothly" + }, + "sensor": { + "CHS": "传感器", + "ENG": "a piece of equipment used for discovering the presence of light, heat, movement etc" + }, + "disapproval": { + "CHS": "不赞成;不喜欢", + "ENG": "If you feel or show disapproval of something or someone, you feel or show that you do not approve of them" + }, + "visit": { + "CHS": "访问;参观;视察", + "ENG": "to go and spend time in a place or with someone, especially for pleasure or interest" + }, + "swivel": { + "CHS": "使旋转", + "ENG": "to turn around quickly and face a different direction, or to make something do this" + }, + "impel": { + "CHS": "推动;驱使;激励", + "ENG": "if something impels you to do something, it makes you feel very strongly that you must do it" + }, + "raider": { + "CHS": "袭击者;侵入者" + }, + "winner": { + "CHS": "胜利者", + "ENG": "a person or animal that has won something" + }, + "gobble": { + "CHS": "火鸡叫声", + "ENG": "the loud rapid gurgling sound made by male turkeys " + }, + "surreal": { + "CHS": "超现实主义的;离奇的;不真实的", + "ENG": "a situation or experience that is surreal is very strange and difficult to understand, like something from a dream" + }, + "sensual": { + "CHS": "感觉的;肉欲的;世俗的;感觉论的" + }, + "lynch": { + "CHS": "处以私刑;以私刑处死", + "ENG": "if a crowd of people lynches someone, they kill them, especially by hang ing them, without a trial " + }, + "bridle": { + "CHS": "控制;给装马勒" + }, + "reason": { + "CHS": "推论;劝说", + "ENG": "to form a particular judgment about a situation after carefully considering the facts" + }, + "banister": { + "CHS": "栏杆的支柱;楼梯的扶栏", + "ENG": "a row of wooden posts with a bar along the top, that stops you from falling over the edge of stairs" + }, + "aversion": { + "CHS": "厌恶;讨厌的人", + "ENG": "a strong dislike of something or someone" + }, + "Hindi": { + "CHS": "北印度的" + }, + "spread": { + "CHS": "伸展的" + }, + "neural": { + "CHS": "(Neural)人名;(捷)诺伊拉尔" + }, + "sidelight": { + "CHS": "侧灯,舷灯;趣闻;侧面射进来的光线", + "ENG": "one of the two small lights next to the main front lights on a car" + }, + "appreciative": { + "CHS": "感激的;赏识的;有欣赏力的;承认有价值的", + "ENG": "feeling or showing that you enjoy something or are pleased about it" + }, + "chimpanzee": { + "CHS": "[脊椎] 黑猩猩", + "ENG": "an intelligent African animal that is like a large monkey without a tail" + }, + "bead": { + "CHS": "形成珠状,起泡" + }, + "originality": { + "CHS": "创意;独创性,创造力;原始;新奇", + "ENG": "when something is completely new and different from anything that anyone has thought of before" + }, + "primitive": { + "CHS": "原始人", + "ENG": "an artist who paints simple pictures like those of a child" + }, + "today": { + "CHS": "今天;现今", + "ENG": "the day that is happening now" + }, + "dissatisfy": { + "CHS": "不满足;使……感觉不满", + "ENG": "to fail to satisfy; disappoint " + }, + "rotational": { + "CHS": "转动的;回转的;轮流的" + }, + "heir": { + "CHS": "[法] 继承人;后嗣;嗣子", + "ENG": "the person who has the legal right to receive the property or title of another person when they die" + }, + "trounce": { + "CHS": "痛打;严责;打败", + "ENG": "to defeat someone completely" + }, + "technicality": { + "CHS": "学术性;专门性;术语,专门语" + }, + "face": { + "CHS": "向;朝", + "ENG": "to be opposite someone or something, or to be looking or pointing in a particular direction" + }, + "statue": { + "CHS": "以雕像装饰" + }, + "dictum": { + "CHS": "格言;声明;法官的附带意见", + "ENG": "a formal statement of opinion by someone who is respected or has authority" + }, + "dregs": { + "CHS": "渣滓;少量;沉淀物(dreg的复数)", + "ENG": "not polite an offensive expression used to describe the people that you consider are the least important or useful in society" + }, + "seminar": { + "CHS": "讨论会,研讨班", + "ENG": "a class at a university or college for a small group of students and a teacher to study or discuss a particular subject" + }, + "sunshine": { + "CHS": "阳光;愉快;晴天;快活", + "ENG": "the light and heat that come from the sun when there is no cloud" + }, + "homeopath": { + "CHS": "同种疗法医师;顺势医疗论者", + "ENG": "A homeopath is someone who treats illness by homeopathy" + }, + "daybreak": { + "CHS": "黎明;破晓", + "ENG": "the time of day when light first appears" + }, + "staple": { + "CHS": "把…分级;钉住" + }, + "reed": { + "CHS": "用芦苇盖;用芦苇装饰" + }, + "accident": { + "CHS": "事故;意外;[法] 意外事件;机遇", + "ENG": "in a way that is not planned or intended" + }, + "cover": { + "CHS": "封面,封皮;盖子;掩蔽物;幌子,借口", + "ENG": "the outer front or back part of a magazine, book etc" + }, + "poise": { + "CHS": "使平衡;保持姿势", + "ENG": "to put or hold something in a carefully balanced position, especially above something else" + }, + "firstborn": { + "CHS": "头生的;第一胎生的" + }, + "boy": { + "CHS": "男孩;男人", + "ENG": "a male child, or a male person in general" + }, + "inset": { + "CHS": "嵌入;插入", + "ENG": "if something is inset with decorations or jewels, they are fixed into or on its surface" + }, + "notice": { + "CHS": "通知;注意到;留心", + "ENG": "if someone can’t help noticing something, they realize that it exists or is happening even though they are not deliberately trying to pay attention to it" + }, + "fierce": { + "CHS": "(Fierce)人名;(英)菲尔斯" + }, + "hornet": { + "CHS": "[昆] 大黄蜂", + "ENG": "a large black and yellow flying insect that can sting" + }, + "desirous": { + "CHS": "渴望的;想要的", + "ENG": "wanting something very much" + }, + "gorge": { + "CHS": "使吃饱;吞下;使扩张" + }, + "identity": { + "CHS": "身份;同一性,一致;特性;恒等式", + "ENG": "someone’s identity is their name or who they are" + }, + "chunk": { + "CHS": "大块;矮胖的人或物", + "ENG": "a large thick piece of something that does not have an even shape" + }, + "addictive": { + "CHS": "使人上瘾的", + "ENG": "if a substance, especially a drug, is addictive, your body starts to need it regularly and you are unable to stop taking it" + }, + "maintain": { + "CHS": "维持;继续;维修;主张;供养", + "ENG": "to make something continue in the same way or at the same standard as before" + }, + "minibus": { + "CHS": "乘中客车" + }, + "poll": { + "CHS": "无角的;剪过毛的;修过枝的" + }, + "command": { + "CHS": "指挥,控制;命令;司令部", + "ENG": "the control of a group of people or a situation" + }, + "waiter": { + "CHS": "服务员,侍者", + "ENG": "a man who serves food and drink at the tables in a restaurant" + }, + "indifference": { + "CHS": "漠不关心;冷淡;不重视;中立", + "ENG": "lack of interest or concern" + }, + "extremely": { + "CHS": "非常,极其;极端地", + "ENG": "to a very great degree" + }, + "tuberculosis": { + "CHS": "肺结核;结核病", + "ENG": "a serious infectious disease that affects many parts of your body, especially your lungs" + }, + "uneatable": { + "CHS": "不能吃的;不适合食用的", + "ENG": "a word meaning unpleas­ant or unsuitable to eat, that some people think is incorrect" + }, + "harmony": { + "CHS": "协调;和睦;融洽;调和", + "ENG": "notes of music combined together in a pleasant way" + }, + "bench": { + "CHS": "给…以席位;为…设置条凳" + }, + "soul": { + "CHS": "美国黑人文化的" + }, + "adorn": { + "CHS": "(Adorn)人名;(泰)阿隆" + }, + "stationery": { + "CHS": "文具;信纸", + "ENG": "paper for writing letters, usually with matching envelopes" + }, + "spade": { + "CHS": "铲;把……弄实抹平" + }, + "rancid": { + "CHS": "腐臭的;令人作呕的,讨厌的", + "ENG": "oily or fatty food that is rancid smells or tastes unpleasant because it is no longer fresh" + }, + "bleak": { + "CHS": "阴冷的;荒凉的,无遮蔽的;黯淡的,无希望的;冷酷的;单调的", + "ENG": "cold and without any pleasant or comfortable features" + }, + "advisory": { + "CHS": "报告;公告", + "ENG": "an official warning or notice that gives information about a dangerous situation" + }, + "dewdrop": { + "CHS": "露珠;露滴", + "ENG": "a single drop of dew" + }, + "influx": { + "CHS": "流入;汇集;河流的汇集处" + } +} \ No newline at end of file diff --git "a/modules/self_contained/wordle/words/\344\270\223\345\233\233.json" "b/modules/self_contained/wordle/words/\344\270\223\345\233\233.json" new file mode 100644 index 00000000..ed81db1a --- /dev/null +++ "b/modules/self_contained/wordle/words/\344\270\223\345\233\233.json" @@ -0,0 +1,16384 @@ +{ + "handily": { + "CHS": "轻松地", + "ENG": "if you win something handily, you win easily" + }, + "seal": { + "CHS": "(密)封", + "ENG": "to close an entrance or a container with something that stops air, water etc from coming in or out of it" + }, + "paycheck": { + "CHS": "工资支票" + }, + "cessation": { + "CHS": "中止", + "ENG": "a pause or stop" + }, + "sensible": { + "CHS": "合理的", + "ENG": "reasonable, practical, and showing good judgment" + }, + "revision": { + "CHS": "修改", + "ENG": "the process of changing something in order to improve it by correcting it or including new information or ideas" + }, + "ascertain": { + "CHS": "确定,查明", + "ENG": "to find out something" + }, + "property": { + "CHS": "财产", + "ENG": "the thing or things that someone owns" + }, + "carpenter": { + "CHS": "木工,木匠", + "ENG": "someone whose job is making and repairing wooden objects" + }, + "federal": { + "CHS": "联邦的", + "ENG": "a federal country or system of government consists of a group of states which control their own affairs, but which are also controlled by a single national government which makes decisions on foreign affairs, defence etc" + }, + "greed": { + "CHS": "贪心", + "ENG": "a strong desire for more food, money, power, possessions etc than you need" + }, + "bargain": { + "CHS": "讨价还价", + "ENG": "to discuss the conditions of a sale, agreement etc, for example to try and get a lower price" + }, + "taboo": { + "CHS": "禁忌;禁止", + "ENG": "a custom that says you must avoid a particular activity or subject, either because it is considered offensive or because your religion does not allow it" + }, + "pollster": { + "CHS": "民意调查者", + "ENG": "someone who works for a company that prepares and asks questions to find out what people think about a particular subject" + }, + "inactive": { + "CHS": "不活跃的,停滞的", + "ENG": "not doing anything, not working, or not moving" + }, + "slack": { + "CHS": "萧条的", + "ENG": "with less business activity than usual" + }, + "distinguishing": { + "CHS": "与众不同的" + }, + "wrap": { + "CHS": "包,裹", + "ENG": "to put paper or cloth over something to cover it" + }, + "nameless": { + "CHS": "不可名状的", + "ENG": "used when you want to say that someone has done something wrong but without mentioning their name, especially to criticize them in a friendly way" + }, + "sarcastic": { + "CHS": "讽刺的", + "ENG": "saying things that are the opposite of what you mean, in order to make an unkind joke or to show that you are annoyed" + }, + "distinguished": { + "CHS": "卓越的", + "ENG": "successful, respected, and admired" + }, + "battery": { + "CHS": "电池", + "ENG": "an object that provides a supply of electricity for something such as a radio, car, or toy" + }, + "contempt": { + "CHS": "轻视;蔑视", + "ENG": "a feeling that someone or something is not important and deserves no respect" + }, + "conclusive": { + "CHS": "(事实、证据等)令人信服的,确凿的", + "ENG": "showing that something is definitely true" + }, + "ghetto": { + "CHS": "贫民区", + "ENG": "a part of a city where people of a particular race or class, especially people who are poor, live separately from the rest of the people in the city. This word is sometimes considered offensive." + }, + "rejection": { + "CHS": "拒绝", + "ENG": "the act of not accepting, believing in, or agreeing with something" + }, + "stamp": { + "CHS": "打上(或盖上)(标记,图案) ;踏平", + "ENG": "If you stamp a mark or word on an object, you press the mark or word onto the object using a stamp or other device" + }, + "tip": { + "CHS": "小费 v.给....小费", + "ENG": "a small amount of additional money that you give to someone such as a waiter or a taxi driver" + }, + "proprietor": { + "CHS": "所有者,经营者" + }, + "curb": { + "CHS": "路缘vt.控制;勒住", + "ENG": "the raised edge of a road, between where people can walk and cars can drive" + }, + "extraterrestrial": { + "CHS": "地球外的,地球大气圈外的;n. 外星人", + "ENG": "relating to things that exist outside the Earth" + }, + "mastery": { + "CHS": "精通,熟练", + "ENG": "thorough understanding or great skill" + }, + "assure": { + "CHS": "向...保证,使...确信", + "ENG": "to tell someone that something will definitely happen or is definitely true so that they are less worried" + }, + "cease": { + "CHS": "停止,终止", + "ENG": "to stop doing something or stop happening" + }, + "reputation": { + "CHS": "名誉,声望", + "ENG": "the opinion that people have about someone or something because of what has happened in the past" + }, + "symbolize": { + "CHS": "象征;用符号代表", + "ENG": "if something symbolizes a quality, feeling etc, it represents it" + }, + "funeral": { + "CHS": "葬礼的" + }, + "gullible": { + "CHS": "易受骗的;轻信的", + "ENG": "too ready to believe what other people tell you, so that you are easily tricked" + }, + "declare": { + "CHS": "宣布", + "ENG": "to state officially and publicly that a particular situation exists or that something is true" + }, + "render": { + "CHS": "给予,提供", + "ENG": "to give something to someone or do something, because it is your duty or because someone expects you to" + }, + "standstill": { + "CHS": "停止,停顿", + "ENG": "a situation in which there is no movement or activity at all" + }, + "neural": { + "CHS": "神经的", + "ENG": "relating to a nerve or the nervous system" + }, + "fake": { + "CHS": "假的", + "ENG": "made to look like a real material or object in order to deceive people" + }, + "willpower": { + "CHS": "意志力", + "ENG": "the ability to control your mind and body in order to achieve something that you want to do" + }, + "households": { + "CHS": "家庭", + "ENG": "A household is all the people in a family or group who live together in a house" + }, + "fade": { + "CHS": "使褪色;逐渐消逝", + "ENG": "to gradually disappear" + }, + "dwelling": { + "CHS": "住宅", + "ENG": "a house, apartment etc where people live" + }, + "ease": { + "CHS": "缓解,减少", + "ENG": "if something unpleasant eases, or if you ease it, it gradually improves or becomes less" + }, + "gaily": { + "CHS": "花哨地,艳丽地", + "ENG": "having bright cheerful colours" + }, + "overeat": { + "CHS": "吃得过多", + "ENG": "to eat too much, or eat more than is healthy" + }, + "recollect": { + "CHS": "使想起", + "ENG": "to be able to remember something" + }, + "flourish": { + "CHS": "繁荣", + "ENG": "to develop well and be successful" + }, + "aftermath": { + "CHS": "后果;余波", + "ENG": "the period of time after something such as a war, storm, or accident when people are still dealing with the results" + }, + "essay": { + "CHS": "小论文", + "ENG": "a short piece of writing about a particular subject by a student as part of a course of study" + }, + "impose": { + "CHS": "利用;欺骗;施加影响" + }, + "qualification": { + "CHS": "资格", + "ENG": "if you have a qualification, you have passed an examination or course to show you have a particular level of skill or knowledge in a subject" + }, + "incalculable": { + "CHS": "不可估量的", + "ENG": "too great to be calculated" + }, + "incidentally": { + "CHS": "附带地,顺便提及", + "ENG": "used to add more information to what you have just said, or to introduce a new subject that you have just thought of" + }, + "silhouette": { + "CHS": "使呈现暗色轮廓" + }, + "suspender": { + "CHS": "吊带裤,悬挂物", + "ENG": "a part of a piece of women’s underwear that hangs down and can be attached to stocking s to hold them up" + }, + "undertaking": { + "CHS": "工作,任务", + "ENG": "an important job, piece of work, or activity that you are responsible for" + }, + "award": { + "CHS": "奖励,奖品", + "ENG": "something such as a prize or money given to someone to reward them for something they have done" + }, + "forum": { + "CHS": "论坛", + "ENG": "an organization, meeting, TV programme etc where people have a chance to publicly discuss an important subject" + }, + "staggering": { + "CHS": "难以置信的,令人震惊的", + "ENG": "extremely great or surprising" + }, + "aimless": { + "CHS": "没有目标的", + "ENG": "not having a clear purpose or reason" + }, + "bankruptcy": { + "CHS": "破产,倒闭", + "ENG": "the state of being unable to pay your debts" + }, + "pedestrian": { + "CHS": "行人", + "ENG": "someone who is walking, especially along a street or other place used by cars" + }, + "maintenance": { + "CHS": "维护,维修", + "ENG": "the repairs, painting etc that are necessary to keep something in good condition" + }, + "descend": { + "CHS": "(夜色,黑暗)降临", + "ENG": "to move from a higher level to a lower one" + }, + "philosophy": { + "CHS": "哲理", + "ENG": "the study of the nature and meaning of existence, truth, good and evil, etc" + }, + "gritty": { + "CHS": "勇敢的,坚毅的", + "ENG": "showing determination and courage" + }, + "panic": { + "CHS": "恐慌", + "ENG": "a sudden strong feeling of fear or nervousness that makes you unable to think clearly or behave sensibly" + }, + "wrath": { + "CHS": "愤怒;激怒", + "ENG": "extreme anger" + }, + "tactic": { + "CHS": "把戏;战术;策略,战略" + }, + "confrontation": { + "CHS": "对抗;面对", + "ENG": "a situation in which there is a lot of angry disagreement between two people or groups" + }, + "vigorous": { + "CHS": "强有力的(运动、活动)精力充沛的", + "ENG": "using a lot of energy and strength or determination" + }, + "recommend": { + "CHS": "推荐", + "ENG": "to say that something or someone is good, or suggest them for a particular purpose or job" + }, + "artificial": { + "CHS": "人造的; 人工的", + "ENG": "not real or not made of natural things but made to be like something that is real or natural" + }, + "sustainability": { + "CHS": "持续性" + }, + "appeal": { + "CHS": "吸引;呼吁", + "ENG": "to make a serious public request for help, money, information etc" + }, + "fertile": { + "CHS": "肥沃的,能生产的", + "ENG": "fertile land or soil is able to produce good crops" + }, + "spite": { + "CHS": "恶意,怨恨", + "ENG": "a feeling of wanting to hurt or upset people, for example because you are jealous or think you have been unfairly treated" + }, + "radical": { + "CHS": "根本的,基本的" + }, + "transmission": { + "CHS": "传输;传送", + "ENG": "the process of sending out electronic signals, messages etc, using radio, television, or other similar equipment" + }, + "origin": { + "CHS": "起源,来源", + "ENG": "the place or situation in which something begins to exist" + }, + "conserve": { + "CHS": "保护", + "ENG": "to protect something and prevent it from changing or being damaged" + }, + "reasonable": { + "CHS": "适当的,适度的", + "ENG": "A reasonable amount of something is a fairly large amount of it" + }, + "sensitively": { + "CHS": "易感知地,神经过敏地" + }, + "supervise": { + "CHS": "监督", + "ENG": "to be in charge of an activity or person, and make sure that things are done in the correct way" + }, + "bridge": { + "CHS": "弥合(差距),消除(分歧)", + "ENG": "to reduce or get rid of the difference between two things" + }, + "remove": { + "CHS": "祛除,去掉", + "ENG": "to take something away from, out of, or off the place where it is" + }, + "disgrace": { + "CHS": "耻辱", + "ENG": "the loss of other people’s respect because you have done something they strongly disapprove of" + }, + "gigantic": { + "CHS": "巨大的,庞大的", + "ENG": "extremely big" + }, + "drag": { + "CHS": "拖拽; 吃力地往前拉", + "ENG": "to pull something along the ground, often because it is too heavy to carry" + }, + "precaution": { + "CHS": "预防措施", + "ENG": "something you do in order to prevent something dangerous or unpleasant from happening" + }, + "crude": { + "CHS": "粗糙的,拙劣的", + "ENG": "not exact or without any detail, but generally correct and useful" + }, + "downside": { + "CHS": "负面", + "ENG": "the negative part or disadvantage of something" + }, + "grab": { + "CHS": "抢先,抢占" + }, + "deceive": { + "CHS": "欺骗;行骗", + "ENG": "to make someone believe something that is not true" + }, + "juggle": { + "CHS": "同时应付", + "ENG": "to try to fit two or more jobs, activities etc into your life, especially with difficulty" + }, + "premature": { + "CHS": "过早的", + "ENG": "happening before the natural or proper time" + }, + "shortlist": { + "CHS": "把…列入候选名单;提名", + "ENG": "If someone or something is shortlisted for a job or a prize, they are put on a shortlist" + }, + "ambiguous": { + "CHS": "模棱两可的", + "ENG": "something that is ambiguous is unclear, confusing, or not certain, especially because it can be understood in more than one way" + }, + "conversely": { + "CHS": "相反地", + "ENG": "used when one situation is the opposite of another" + }, + "dismal": { + "CHS": "糟糕的", + "ENG": "bad and unsuccessful" + }, + "democratic": { + "CHS": "民主的", + "ENG": "controlled by representatives who are elected by the people of a country" + }, + "credit": { + "CHS": "荣誉,声誉" + }, + "hospitality": { + "CHS": "好客", + "ENG": "friendly behaviour towards visitors" + }, + "Bible": { + "CHS": "圣经", + "ENG": "TheBible is the holy book on which the Jewish and Christian religions are based" + }, + "calibre": { + "CHS": "能力; 水准", + "ENG": "the level of quality or ability that someone or something has achieved" + }, + "loan": { + "CHS": "贷款" + }, + "eventual": { + "CHS": "最终的", + "ENG": "happening at the end of a long period of time or after a lot of other things have happened" + }, + "contemplate": { + "CHS": "沉思;深思熟虑", + "ENG": "to think about something seriously for a period of time" + }, + "feature": { + "CHS": "特征,特点", + "ENG": "a part of something that you notice because it seems important, interesting, or typical" + }, + "circulation": { + "CHS": "循环", + "ENG": "the movement of blood around your body" + }, + "trivialization": { + "CHS": "琐碎化;轻视;平凡" + }, + "smack": { + "CHS": "打,掌掴", + "ENG": "to hit someone, especially a child, with your open hand in order to punish them" + }, + "elate": { + "CHS": "得意的" + }, + "hippie": { + "CHS": "嬉皮士", + "ENG": "someone, especially in the 1960s, who opposed violence peacefully and often wore unusual clothes, had long hair, and took drugs for pleasure" + }, + "formula": { + "CHS": "准则", + "ENG": "a method or set of principles that you use to solve a problem or to make sure that something is successful" + }, + "caution": { + "CHS": "注意(事项)" + }, + "skeptical": { + "CHS": "怀疑的;怀疑论的" + }, + "sociology": { + "CHS": "社会学", + "ENG": "the scientific study of societies and the behaviour of people in groups" + }, + "cruise": { + "CHS": "航游,巡航", + "ENG": "If you cruise an ocean, river, or canal, you travel around it or along it on a cruise" + }, + "restrict": { + "CHS": "限制,约束", + "ENG": "to limit or control the size, amount, or range of something" + }, + "authentic": { + "CHS": "真实的", + "ENG": "a painting, document, book etc that is authentic has been proved to be by a particular person" + }, + "criterion": { + "CHS": "标准", + "ENG": "a standard that you use to judge something or make a decision about something" + }, + "compelling": { + "CHS": "令人信服的;引人入胜的", + "ENG": "an argument etc that makes you feel certain that something is true or that you must do something about it" + }, + "insult": { + "CHS": "侮辱", + "ENG": "to offend someone by saying or doing something they think is rude" + }, + "principal": { + "CHS": "校长", + "ENG": "someone who is in charge of a school" + }, + "legend": { + "CHS": "传说,传奇", + "ENG": "an old, well-known story, often about brave people, adventures, or magical events" + }, + "braid": { + "CHS": "把(头发)梳成辫子;编织", + "ENG": "to weave or twist together three pieces of hair or cloth to form one length" + }, + "resourceful": { + "CHS": "足智多谋的;机智的", + "ENG": "good at finding ways of dealing with practical problems" + }, + "mythology": { + "CHS": "神话学", + "ENG": "set of ancient myths" + }, + "explanatory": { + "CHS": "解释的; 说明的", + "ENG": "giving information about something or describing how something works, in order to make it easier to understand" + }, + "evade": { + "CHS": "逃避;规避;逃脱", + "ENG": "to not do or deal with something that you should do" + }, + "ordeal": { + "CHS": "痛苦的经历", + "ENG": "a terrible or painful experience that continues for a period of time" + }, + "atrophy": { + "CHS": "萎缩" + }, + "approachable": { + "CHS": "容易接近的,友善的", + "ENG": "friendly and easy to talk to" + }, + "combination": { + "CHS": "结合体,混合物", + "ENG": "two or more different things that exist together or are used or put together" + }, + "cue": { + "CHS": "暗示", + "ENG": "an action or event that is a signal for something else to happen" + }, + "conservative": { + "CHS": "保守的", + "ENG": "not liking changes or new ideas" + }, + "characteristic": { + "CHS": "特征", + "ENG": "a quality or feature of something or someone that is typical of them and easy to recognize" + }, + "seize": { + "CHS": "up(机器等)卡住", + "ENG": "If you seize something, you take hold of it quickly, firmly, and forcefully" + }, + "revealing": { + "CHS": "发人深省的" + }, + "release": { + "CHS": "发布,发行;释放", + "ENG": "to let someone go free, after having kept them somewhere" + }, + "overlook": { + "CHS": "忽视,忽略", + "ENG": "to not notice something, or not see how important it is" + }, + "quilt": { + "CHS": "缝制(被褥)", + "ENG": "If you quilt, or if you quilt a piece of fabric, you make a quilt" + }, + "contagious": { + "CHS": "有感染力的;会蔓延的", + "ENG": "if a feeling, attitude, or action is contagious, other people are quickly affected by it and begin to have it or do it" + }, + "immigration": { + "CHS": "移民", + "ENG": "the process of entering another country in order to live there permanently" + }, + "crack": { + "CHS": "破裂", + "ENG": "to break or to make something break, either so that it gets lines on its surface, or so that it breaks into pieces" + }, + "motto": { + "CHS": "箴言,座右铭", + "ENG": "a short sentence or phrase giving a rule on how to behave, which expresses the aims or beliefs of a person, school, or institution" + }, + "crave": { + "CHS": "渴望,热望", + "ENG": "to have an extremely strong desire for something" + }, + "considerate": { + "CHS": "体贴的,为他人考虑的", + "ENG": "always thinking of what other people need or want and being careful not to upset them" + }, + "lust": { + "CHS": "欲望;", + "ENG": "very strong sexual desire, especially when it does not include love" + }, + "associate": { + "CHS": "使有联系", + "ENG": "to make a connection in your mind between one thing or person and another" + }, + "dispute": { + "CHS": "争论;对...提出质疑", + "ENG": "to argue or disagree with someone" + }, + "ailment": { + "CHS": "小病", + "ENG": "an illness that is not very serious" + }, + "gadget": { + "CHS": "小配件,小装置" + }, + "thatcher": { + "CHS": "盖屋匠", + "ENG": "someone whose job is making roofs from dried straw , reeds , leaves etc" + }, + "virtually": { + "CHS": "几乎", + "ENG": "almost" + }, + "oblong": { + "CHS": "长方形的", + "ENG": "an oblong shape has four straight sides at 90 degrees to each other, two of which are longer than the other two" + }, + "detect": { + "CHS": "察觉;侦查", + "ENG": "to notice or discover something, especially something that is not easy to see, hear etc" + }, + "civil": { + "CHS": "公民的,市民的", + "ENG": "relating to the people who live in a country" + }, + "thaw": { + "CHS": "使融解;解冻", + "ENG": "if ice or snow thaws, or if the sun thaws it, it turns into water" + }, + "impair": { + "CHS": "损害;削弱", + "ENG": "to damage something or make it not as good as it should be" + }, + "lung": { + "CHS": "肺", + "ENG": "one of the two organs in your body that you breathe with" + }, + "sophisticated": { + "CHS": "复杂的,老于世故的", + "ENG": "a sophisticated machine, system, method etc is very well designed and very advanced, and often works in a complicated way" + }, + "presumably": { + "CHS": "据推测; 大概", + "ENG": "used to say that you think something is probably true" + }, + "sin": { + "CHS": "罪恶", + "ENG": "an action that is against religious rules and is considered to be an offence against God" + }, + "freshmen": { + "CHS": "大一新生", + "ENG": "In the United States, a freshman is a student who is in his or her first year at a high school or college" + }, + "seduce": { + "CHS": "勾引,引诱", + "ENG": "to persuade someone to have sex with you, especially in a way that is attractive and not too direct" + }, + "pupil": { + "CHS": "学生", + "ENG": "someone who is being taught, especially a child" + }, + "attorney": { + "CHS": "(尤指出庭的)律师", + "ENG": "a lawyer" + }, + "prohibition": { + "CHS": "禁止;禁令", + "ENG": "the act of saying that something is illegal" + }, + "underachieve": { + "CHS": "学习成绩不良" + }, + "mortgage": { + "CHS": "抵押贷款" + }, + "lizard": { + "CHS": "蜥蜴", + "ENG": "a type of reptile that has four legs and a long tail" + }, + "interns": { + "CHS": "住院实习医生", + "ENG": "An intern is an advanced student or a recent graduate, especially in medicine, who is being given practical training under supervision" + }, + "execute": { + "CHS": "实行;执行;处死", + "ENG": "to kill someone, especially legally as a punishment" + }, + "spouse": { + "CHS": "配偶,夫妻", + "ENG": "a husband or wife" + }, + "consequence": { + "CHS": "结果", + "ENG": "something that happens as a result of a particular action or set of conditions" + }, + "torrent": { + "CHS": "急流,湍流", + "ENG": "a large amount of water moving very quickly and strongly in a particular direction" + }, + "blockade": { + "CHS": "封锁", + "ENG": "the surrounding of an area by soldiers or ships to stop people or supplies entering or leaving" + }, + "structure": { + "CHS": "结构", + "ENG": "the way in which the parts of something are connected with each other and form a whole, or the thing that these parts make up" + }, + "infinite": { + "CHS": "无限的", + "ENG": "without limits in space or time" + }, + "disclose": { + "CHS": "公开;揭露", + "ENG": "to make something publicly known, especially after it has been kept secret" + }, + "safe": { + "CHS": "保险箱", + "ENG": "a strong metal box or cupboard with special locks where you keep money and valuable things" + }, + "paranormal": { + "CHS": "超自然的;不平常的", + "ENG": "paranormal events cannot be explained by science and seem strange and mysterious" + }, + "relative": { + "CHS": "亲属", + "ENG": "a member of your family" + }, + "surge": { + "CHS": "猛增;急剧上升", + "ENG": "a sudden increase in amount or number" + }, + "lift": { + "CHS": "(情绪,心境)变好" + }, + "totemic": { + "CHS": "图腾的;有图腾的" + }, + "emergence": { + "CHS": "冒出;涌现", + "ENG": "when something begins to be known or noticed" + }, + "assembly": { + "CHS": "组装", + "ENG": "the process of putting the parts of something together" + }, + "complacent": { + "CHS": "自满的", + "ENG": "pleased with a situation, especially something you have achieved, so that you stop trying to improve or change things – used to show disapproval" + }, + "signify": { + "CHS": "表示", + "ENG": "to represent, mean, or be a sign of something" + }, + "inspiration": { + "CHS": "灵感", + "ENG": "a good idea about what you should do, write, say etc, especially one which you get suddenly" + }, + "assume": { + "CHS": "假设,臆断", + "ENG": "to think that something is true, although you do not have definite proof" + }, + "expel": { + "CHS": "驱逐;赶走;把…除名", + "ENG": "to officially force someone to leave a school or organization" + }, + "illusion": { + "CHS": "错觉", + "ENG": "an idea or opinion that is wrong, especially about yourself" + }, + "ambitious": { + "CHS": "野心勃勃的", + "ENG": "determined to be successful, rich, powerful etc" + }, + "desperately": { + "CHS": "极度地" + }, + "picturesque": { + "CHS": "别具一格的;如画般的" + }, + "clue": { + "CHS": "线索", + "ENG": "an object or piece of information that helps someone solve a crime or mystery" + }, + "dove": { + "CHS": "鸽", + "ENG": "a kind of small white pigeon (= bird ) often used as a sign of peace" + }, + "adolescent": { + "CHS": "青春期的;青少年", + "ENG": "Adolescent is used to describe young people who are no longer children but who have not yet become adults. It also refers to their behaviour. " + }, + "accessory": { + "CHS": "配饰;附件", + "ENG": "something such as a piece of equipment or a decoration that is not necessary, but that makes a machine, car, room etc more useful or more attractive" + }, + "wary": { + "CHS": "谨慎的", + "ENG": "someone who is wary is careful because they think something might be dangerous or harmful" + }, + "erase": { + "CHS": "清除", + "ENG": "to remove information from a computer memory or recorded sounds from a tape" + }, + "tow": { + "CHS": "拖,拉; 牵引", + "ENG": "to pull a vehicle or ship along behind another vehicle, using a rope or chain" + }, + "generations": { + "CHS": "数代人", + "ENG": "A generation is all the people in a group or country who are of a similar age, especially when they are considered as having the same experiences or attitudes" + }, + "file": { + "CHS": "文件", + "ENG": "a box or piece of folded card in which you store loose papers" + }, + "tough": { + "CHS": "困难的", + "ENG": "difficult to do or deal with" + }, + "warranty": { + "CHS": "保证;担保;保修单", + "ENG": "a written agreement in which a company selling something promises to repair it if it breaks within a particular period of time" + }, + "appearance": { + "CHS": "外貌,外表", + "ENG": "the way someone or something looks to other people" + }, + "detention": { + "CHS": "拘留", + "ENG": "the state of being kept in prison" + }, + "delegate": { + "CHS": "委派 n.代表", + "ENG": "to choose someone to do a particular job, or to be a representative of a group, organization etc" + }, + "granite": { + "CHS": "花岗岩", + "ENG": "a very hard grey rock, often used in building" + }, + "withdraw": { + "CHS": "取款", + "ENG": "to stop giving support or money to someone or something, especially as the result of an official decision" + }, + "transition": { + "CHS": "过渡,转变", + "ENG": "when something changes from one form or state to another" + }, + "fate": { + "CHS": "命运", + "ENG": "the things that happen to someone or something, especially unpleasant things that end their existence or end a particular period" + }, + "spontaneous": { + "CHS": "自发的; 自然的", + "ENG": "something that is spontaneous has not been planned or organized, but happens by itself, or because you suddenly feel you want to do it" + }, + "stability": { + "CHS": "稳定", + "ENG": "the condition of being steady and not changing" + }, + "instantaneously": { + "CHS": "即刻;突如其来地" + }, + "numerous": { + "CHS": "许多的,无数的", + "ENG": "many" + }, + "manifest": { + "CHS": "显示,表明", + "ENG": "to show a feeling, attitude etc" + }, + "bandwagon": { + "CHS": "时尚,潮流", + "ENG": "an activity that a lot of people are doing" + }, + "tape": { + "CHS": "系,捆" + }, + "assessment": { + "CHS": "评估; 评价", + "ENG": "a process in which you make a judgment about a person or situation, or the judgment you make" + }, + "exclusive": { + "CHS": "排外的,唯一的", + "ENG": "deliberately not allowing someone to do something or be part of a group" + }, + "theory": { + "CHS": "理论", + "ENG": "an idea or set of ideas that is intended to explain something about life or the world, especially an idea that has not yet been proved to be true" + }, + "particularly": { + "CHS": "特别地", + "ENG": "more than usual or more than others" + }, + "proclaim": { + "CHS": "宣告", + "ENG": "to say publicly or officially that something important is true or exists" + }, + "formality": { + "CHS": "遵守礼节;正式手续;例行公事", + "ENG": "something that you must do as a formal or official part of an activity or process" + }, + "appositive": { + "CHS": "同位语", + "ENG": "standing in apposition " + }, + "chore": { + "CHS": "杂务", + "ENG": "a small job that you have to do regularly, especially work that you do to keep a house clean" + }, + "attendant": { + "CHS": "服务人员", + "ENG": "someone whose job is to look after or help customers in a public place" + }, + "tireless": { + "CHS": "不疲倦的", + "ENG": "working very hard in a determined way without stopping" + }, + "apprenticeship": { + "CHS": "学徒期;学徒身份", + "ENG": "the job of being an apprentice, or the period of time in which you are an apprentice" + }, + "doze": { + "CHS": "瞌睡", + "ENG": "to sleep lightly for a short time" + }, + "elaborate": { + "CHS": "精心制作 vi.详细描述", + "ENG": "If you elaborate on something that has been said, you say more about it, or give more details" + }, + "enforce": { + "CHS": "强迫服从;实施,执行;加强", + "ENG": "to make people obey a rule or law" + }, + "dispel": { + "CHS": "消除(疑虑等)", + "ENG": "to make something go away, especially a belief, idea, or feeling" + }, + "vigilant": { + "CHS": "警惕的,警醒的", + "ENG": "giving careful attention to what is happening, so that you will notice any danger or illegal activity" + }, + "insure": { + "CHS": "为...上保险", + "ENG": "to buy insurance so that you will receive money if something bad happens to you, your family, your possessions etc" + }, + "spectator": { + "CHS": "观众", + "ENG": "someone who is watching an event or game" + }, + "effective": { + "CHS": "有效的", + "ENG": "successful, and working in the way that was intended" + }, + "fidgety": { + "CHS": "坐立不安的,烦躁不安的", + "ENG": "unable to stay still, especially because of being bored or nervous" + }, + "gloomy": { + "CHS": "阴暗的", + "ENG": "sad because you think the situation will not improve" + }, + "diminish": { + "CHS": "减少", + "ENG": "to become or make something become smaller or less" + }, + "gash": { + "CHS": "伤口", + "ENG": "a large deep cut or hole in something, for example in a person’s skin" + }, + "nominate": { + "CHS": "提名;任命", + "ENG": "to officially suggest someone or something for an important position, duty, or prize" + }, + "arthritis": { + "CHS": "关节炎", + "ENG": "a disease that causes the joints of your body to become swollen and very painful" + }, + "pandemic": { + "CHS": "流行病", + "ENG": "a disease that affects people over a very large area or the whole world" + }, + "cautious": { + "CHS": "谨慎的", + "ENG": "careful to avoid danger or risks" + }, + "celebrity": { + "CHS": "名人", + "ENG": "a famous living person" + }, + "dread": { + "CHS": "担忧,畏惧", + "ENG": "Dread is a feeling of great anxiety and fear about something that may happen" + }, + "transform": { + "CHS": "改观", + "ENG": "to completely change the appearance, form, or character of something or someone, especially in a way that improves it" + }, + "trap": { + "CHS": "使落入圈套", + "ENG": "to trick someone so that you make them do or say something that they did not intend to" + }, + "relay": { + "CHS": "转告;传送", + "ENG": "To relay television or radio signals means to send them or broadcast them" + }, + "interact": { + "CHS": "互动;相互交往", + "ENG": "if people interact with each other, they talk to each other, work together etc" + }, + "ultimately": { + "CHS": "最后;根本上", + "ENG": "finally, after everything else has been done or considered" + }, + "outcast": { + "CHS": "被逐出者", + "ENG": "someone who is not accepted by the people they live among, or who has been forced out of their home" + }, + "definite": { + "CHS": "明确的", + "ENG": "clearly known, seen, or stated" + }, + "betray": { + "CHS": "背叛", + "ENG": "to be disloyal to someone who trusts you, so that they are harmed or upset" + }, + "contradiction": { + "CHS": "矛盾", + "ENG": "a difference between two statements, beliefs, or ideas about something that means they cannot both be true" + }, + "headquarters": { + "CHS": "总部", + "ENG": "the main building or offices used by a large company or organization" + }, + "organic": { + "CHS": "有机的", + "ENG": "relating to farming or gardening methods of growing food without using artificial chemicals, or produced or grown by these methods" + }, + "resolutely": { + "CHS": "坚决地" + }, + "hibernate": { + "CHS": "(动物)冬眠", + "ENG": "if an animal hibernates, it sleeps for the whole winter" + }, + "dreary": { + "CHS": "枯燥的,沉闷的", + "ENG": "dull and making you feel sad or bored" + }, + "civic": { + "CHS": "城市的;城镇的;市民的", + "ENG": "relating to a town or city" + }, + "hazard": { + "CHS": "危险", + "ENG": "something that may be dangerous, or cause accidents or problems" + }, + "buzz": { + "CHS": "发出嘈杂的谈话声", + "ENG": "to make a continuous sound, like the sound of a bee " + }, + "hieroglyphics": { + "CHS": "象形字", + "ENG": "pictures and symbols used to represent words or parts of words, especially in the ancient Egyptian writing system" + }, + "downright": { + "CHS": "十足地,彻底地", + "ENG": "used to emphasize that something is completely bad or untrue" + }, + "excel": { + "CHS": "胜过(他人)", + "ENG": "to do something very well, or much better than most people" + }, + "combine": { + "CHS": "将...相结合", + "ENG": "if you combine two or more different things, or if they combine, they begin to exist or work together" + }, + "suspending": { + "CHS": "延迟" + }, + "erect": { + "CHS": "建立", + "ENG": "to build something such as a building or wall" + }, + "offset": { + "CHS": "弥补", + "ENG": "if the cost or amount of something offsets another cost or amount, the two things have an opposite effect so that the situation remains the same" + }, + "solution": { + "CHS": "解决", + "ENG": "a way of solving a problem or dealing with a difficult situation" + }, + "suspense": { + "CHS": "挂念; 悬念", + "ENG": "a feeling of excitement or anxiety when you do not know what will happen next" + }, + "vehicle": { + "CHS": "交通工具", + "ENG": "a machine with an engine that is used to take people or things from one place to another, such as a car, bus, or truck" + }, + "primal": { + "CHS": "最初的;原始的;主要的", + "ENG": "primal feelings or actions seem to belong to a part of people’s character that is ancient and animal-like" + }, + "charitable": { + "CHS": "仁慈的", + "ENG": "relating to giving help to the poor" + }, + "furious": { + "CHS": "狂怒的", + "ENG": "very angry" + }, + "comically": { + "CHS": "滑稽地" + }, + "funk": { + "CHS": "乡土音乐", + "ENG": "a style of music with a strong rhythm that is based on jazz and African music" + }, + "exclusively": { + "CHS": "排他地;独家的", + "ENG": "Exclusively is used to refer to situations or activities that involve only the thing or things mentioned, and nothing else" + }, + "mercifully": { + "CHS": "幸运地;仁慈地", + "ENG": "fortunately or luckily, because a situation could have been much worse" + }, + "imitate": { + "CHS": "模仿,仿效;仿造,仿制", + "ENG": "to copy the way someone behaves, speaks, moves etc, especially in order to make people laugh" + }, + "cater": { + "CHS": "迎合;满足需要", + "ENG": "To cater to a group of people means to provide all the things that they need or want" + }, + "convert": { + "CHS": "转变,变化;皈依", + "ENG": "to change something into a different form, or to change something so that it can be used for a different purpose or in a different way" + }, + "schedule": { + "CHS": "安排", + "ENG": "to plan that something will happen at a particular time" + }, + "amplify": { + "CHS": "放大", + "ENG": "to make sound louder, especially musical sound" + }, + "eternal": { + "CHS": "永久的", + "ENG": "continuing for ever and having no end" + }, + "preinstall": { + "CHS": "预装" + }, + "specially": { + "CHS": "特意地;专门地", + "ENG": "for one particular purpose, and only for that purpose" + }, + "psychiatrist": { + "CHS": "精神科医生", + "ENG": "a doctor trained in the treatment of mental illness" + }, + "privacy": { + "CHS": "(不受干扰的)独处", + "ENG": "the state of being able to be alone, and not seen or heard by other people" + }, + "consumption": { + "CHS": "消费量", + "ENG": "the amount of energy, oil, electricity etc that is used" + }, + "application": { + "CHS": "应用", + "ENG": "the practical purpose for which a machine, idea etc can be used, or a situation when this is used" + }, + "yearn": { + "CHS": "渴望", + "ENG": "to have a strong desire for something, especially something that is difficult or impossible to get" + }, + "tattered": { + "CHS": "破旧的", + "ENG": "clothes, books etc that are tattered are old and torn" + }, + "meditation": { + "CHS": "冥想", + "ENG": "the practice of emptying your mind of thoughts and feelings, in order to relax completely or for religious reasons" + }, + "confusion": { + "CHS": "混乱", + "ENG": "when you do not understand what is happening or what something means because it is not clear" + }, + "various": { + "CHS": "各种各样的", + "ENG": "if there are various things, there are several different types of that thing" + }, + "especially": { + "CHS": "尤其,特别是", + "ENG": "used to emphasize that something is more important or happens more with one particular thing than with others" + }, + "blank": { + "CHS": "空白的;空虚的;单调的", + "ENG": "without any writing, print, or recorded sound" + }, + "deformity": { + "CHS": "畸形", + "ENG": "a condition in which part of someone’s body is not the normal shape" + }, + "splendid": { + "CHS": "壮观的", + "ENG": "beautiful and impressive" + }, + "complex": { + "CHS": "复杂的,错综复杂的", + "ENG": "consisting of many different parts and often difficult to understand" + }, + "fertilizer": { + "CHS": "肥料", + "ENG": "a substance that is put on the soil to make plants grow" + }, + "passionate": { + "CHS": "有激情的;热烈的,激昂的", + "ENG": "showing or involving very strong feelings of sexual love" + }, + "animated": { + "CHS": "栩栩如生的" + }, + "instant": { + "CHS": "立即的", + "ENG": "happening or produced immediately" + }, + "amateur": { + "CHS": "外行", + "ENG": "someone who you think is not very skilled at something" + }, + "attendance": { + "CHS": "出席人数", + "ENG": "the number of people who attend a game, concert, meeting etc" + }, + "assignment": { + "CHS": "作业", + "ENG": "a piece of work that a student is asked to do" + }, + "generous": { + "CHS": "慷慨的", + "ENG": "someone who is generous is willing to give money, spend time etc, in order to help people or give them pleasure" + }, + "indolence": { + "CHS": "懒惰;懒散", + "ENG": "Indolence means laziness" + }, + "landscape": { + "CHS": "风景,景色", + "ENG": "an area of countryside or land of a particular type, used especially when talking about its appearance" + }, + "perspiration": { + "CHS": "汗水,汗", + "ENG": "liquid that appears on your skin when you are hot or nervous" + }, + "implant": { + "CHS": "灌输", + "ENG": "to strongly fix an idea, feeling, attitude etc in someone’s mind or character" + }, + "bias": { + "CHS": "偏见", + "ENG": "an opinion about whether a person, group, or idea is good or bad that influences how you deal with it" + }, + "drowsy": { + "CHS": "昏昏欲睡的", + "ENG": "tired and almost asleep" + }, + "amusement": { + "CHS": "娱乐", + "ENG": "the feeling you have when you think something is funny" + }, + "inundate": { + "CHS": "应接不暇", + "ENG": "to receive so much of something that you cannot easily deal with it all" + }, + "faculty": { + "CHS": "全体教员", + "ENG": "all the teachers in a university" + }, + "immortality": { + "CHS": "永生,不朽", + "ENG": "the state of living for ever or being remembered for ever" + }, + "multiple": { + "CHS": "多个的", + "ENG": "many, or involving many things, people, events etc" + }, + "lure": { + "CHS": "诱惑", + "ENG": "to persuade someone to do something, especially something wrong or dangerous, by making it seem attractive or exciting" + }, + "brilliant": { + "CHS": "才华横溢的", + "ENG": "extremely clever or skilful" + }, + "tantalize": { + "CHS": "使干着急", + "ENG": "to show or promise something that someone really wants, but then not allow them to have it" + }, + "insecurity": { + "CHS": "不安全" + }, + "secretion": { + "CHS": "分泌;分泌物", + "ENG": "a substance, usually liquid, produced by part of a plant or animal" + }, + "rosy": { + "CHS": "美好的", + "ENG": "seeming to offer hope of success or happiness" + }, + "ensure": { + "CHS": "保证,确保", + "ENG": "to make certain that something will happen properly" + }, + "outlet": { + "CHS": "(感情的)发泄途径", + "ENG": "a way of expressing or getting rid of strong feelings" + }, + "herculean": { + "CHS": "艰巨的", + "ENG": "A herculean task or ability is one that requires extremely great strength or effort" + }, + "exhaustive": { + "CHS": "无遗漏的,详尽的", + "ENG": "extremely thorough and complete" + }, + "rehearse": { + "CHS": "彩排,预演", + "ENG": "to practise or make people practise something such as a play or concert in order to prepare for a public performance" + }, + "light": { + "CHS": "点燃", + "ENG": "to start to burn, or to make something start to burn" + }, + "attain": { + "CHS": "获得;得到", + "ENG": "to succeed in achieving something after trying for a long time" + }, + "imbalance": { + "CHS": "不平衡", + "ENG": "a lack of a fair or correct balance between two things, which results in problems or unfairness" + }, + "tease": { + "CHS": "戏弄,取笑", + "ENG": "to laugh at someone and make jokes in order to have fun by embarrassing them, either in a friendly way or in an unkind way" + }, + "oval": { + "CHS": "椭圆形的", + "ENG": "Oval things have a shape that is like a circle but is wider in one direction than the other" + }, + "pause": { + "CHS": "暂停", + "ENG": "a short time during which someone stops speaking or doing something before starting again" + }, + "genetically": { + "CHS": "基因地" + }, + "embrace": { + "CHS": "包括,拥抱", + "ENG": "to put your arms around someone and hold them in a friendly or loving way" + }, + "industrialized": { + "CHS": "工业的", + "ENG": "an industrialized country or place has a lot of factories, mines etc" + }, + "banquet": { + "CHS": "宴会", + "ENG": "a formal dinner for many people on an important occasion" + }, + "physical": { + "CHS": "自然(界)的", + "ENG": "relating to or following natural laws" + }, + "demonstrate": { + "CHS": "证明,证实", + "ENG": "to show or prove something clearly" + }, + "tenant": { + "CHS": "承租人;房客;佃户", + "ENG": "someone who lives in a house, room etc and pays rent to the person who owns it" + }, + "adrift": { + "CHS": "漫无目的地; 漂浮着", + "ENG": "a boat that is adrift is not fastened to anything or controlled by anyone" + }, + "still": { + "CHS": "(使)安静,(使)静止" + }, + "swell": { + "CHS": "肿胀", + "ENG": "to become larger and rounder than normal – used especially about parts of the body" + }, + "dwell": { + "CHS": "居住", + "ENG": "to live in a particular place" + }, + "doom": { + "CHS": "劫数", + "ENG": "something very bad that is going to happen, or the fact that it is going to happen" + }, + "vital": { + "CHS": "至关重要的", + "ENG": "extremely important and necessary for something to succeed or exist" + }, + "manipulation": { + "CHS": "操纵,控制" + }, + "outstanding": { + "CHS": "杰出的", + "ENG": "extremely good" + }, + "extensive": { + "CHS": "广泛的,大量的", + "ENG": "large in size, amount, or degree" + }, + "adversely": { + "CHS": "不利地" + }, + "overcharge": { + "CHS": "对...要价过高", + "ENG": "to charge someone too much money for something" + }, + "enclose": { + "CHS": "附入", + "ENG": "to put something inside an envelope as well as a letter" + }, + "extrovert": { + "CHS": "性格外向的人", + "ENG": "someone who is active and confident, and who enjoys spending time with other people" + }, + "conducive": { + "CHS": "有益于...的", + "ENG": "if a situation is conducive to something such as work, rest etc, it provides conditions that make it easy for you to work etc" + }, + "tendency": { + "CHS": "倾向,趋势", + "ENG": "if someone or something has a tendency to do or become a particular thing, they are likely to do or become it" + }, + "cursor": { + "CHS": "光标", + "ENG": "a mark that can be moved around a computer screen to show where you are working" + }, + "frustrating": { + "CHS": "令人沮丧的", + "ENG": "making you feel annoyed, upset, or impatient because you cannot do what you want to do" + }, + "humiliation": { + "CHS": "丢脸", + "ENG": "a feeling of shame and great embarrassment, because you have been made to look stupid or weak" + }, + "barrier": { + "CHS": "障碍,隔阂", + "ENG": "a rule, problem etc that prevents people from doing something, or limits what they can do" + }, + "attachment": { + "CHS": "依恋", + "ENG": "a feeling that you like or love someone or something and that you would be unhappy without them" + }, + "curiosity": { + "CHS": "好奇心", + "ENG": "the desire to know about something" + }, + "awkward": { + "CHS": "笨拙的;尴尬的", + "ENG": "making you feel embarrassed so that you are not sure what to do or say" + }, + "clumsy": { + "CHS": "笨拙的", + "ENG": "moving or doing things in a careless way, especially so that you drop things, knock into things etc" + }, + "reinforce": { + "CHS": "强化;加强", + "ENG": "to give support to an opinion, idea, or feeling, and make it stronger" + }, + "discriminate": { + "CHS": "歧视", + "ENG": "to treat a person or group differently from another in an unfair way" + }, + "assistance": { + "CHS": "帮助,援助", + "ENG": "help or support" + }, + "address": { + "CHS": "写名字地址", + "ENG": "if you address an envelope, package etc, you write on it the name and address of the person you are sending it to" + }, + "bankrupt": { + "CHS": "破产的", + "ENG": "without enough money to pay what you owe" + }, + "repel": { + "CHS": "抵制;使厌恶", + "ENG": "if something repels you, it is so unpleasant that you do not want to be near it, or it makes you feel ill" + }, + "chaos": { + "CHS": "混乱", + "ENG": "a situation in which everything is happening in a confused way and nothing is organized or arranged in order" + }, + "receipt": { + "CHS": "收据", + "ENG": "a piece of paper that you are given which shows that you have paid for something" + }, + "plumber": { + "CHS": "管道工,水管工", + "ENG": "someone whose job is to repair water pipes, baths, toilets etc" + }, + "outstretch": { + "CHS": "伸出", + "ENG": "to extend or expand; stretch out " + }, + "mimic": { + "CHS": "模仿", + "ENG": "to copy the way someone speaks or behaves, especially in order to make people laugh" + }, + "trigger": { + "CHS": " vt.扣…的扳机", + "ENG": "the part of a gun that you pull with your finger to fire it" + }, + "valiant": { + "CHS": "勇敢的,英勇的", + "ENG": "very brave, especially in a difficult situation" + }, + "flute": { + "CHS": "长笛", + "ENG": "a musical instrument like a thin pipe, that you play by holding it across your lips, blowing over a hole, and pressing down buttons with your fingers" + }, + "inheritance": { + "CHS": "继承", + "ENG": "money, property etc that you receive from someone who has died" + }, + "load": { + "CHS": "负荷", + "ENG": "a large quantity of something that is carried by a vehicle, person etc" + }, + "suspension": { + "CHS": "暂令,停止,停学,停赛等", + "ENG": "when something is officially stopped for a period of time" + }, + "upgrade": { + "CHS": "提高;升级", + "ENG": "to make a computer, machine, or piece of software better and able to do more things" + }, + "specifically": { + "CHS": "明确地,具体的", + "ENG": "relating to or intended for one particular type of person or thing only" + }, + "temporary": { + "CHS": "临时的,暂时的", + "ENG": "continuing for only a limited period of time" + }, + "imminent": { + "CHS": "迫在眉睫的;即将来临的", + "ENG": "an event that is imminent, especially an unpleasant one, will happen very soon" + }, + "inclined": { + "CHS": "倾向于...的;有...意向的", + "ENG": "to be likely to do something or behave in a particular way" + }, + "fundamental": { + "CHS": "根本的,基本的", + "ENG": "relating to the most basic and important parts of something" + }, + "inspire": { + "CHS": "鼓舞; 激励", + "ENG": "to encourage someone by making them feel confident and eager to do something" + }, + "deliver": { + "CHS": "供给,提供", + "ENG": "to give something such as a blow, shock, or warning to someone or something" + }, + "seniority": { + "CHS": "资历", + "ENG": "if you have seniority in a company or organization, you have worked there a long time and have some official advantages" + }, + "sluggish": { + "CHS": "行动缓慢的,反应迟缓的", + "ENG": "moving or reacting more slowly than normal" + }, + "literary": { + "CHS": "文学(上)的", + "ENG": "relating to literature" + }, + "respiration": { + "CHS": "呼吸", + "ENG": "the process of breathing" + }, + "preference": { + "CHS": "偏爱", + "ENG": "if you have a preference for something, you like it more than another thing and will choose it if you can" + }, + "thorough": { + "CHS": "彻底的,全面的", + "ENG": "including every possible detail" + }, + "calendar": { + "CHS": "日历,月历", + "ENG": "a set of pages that show the days, weeks, and months of a particular year, that you usually hang on a wall" + }, + "utilize": { + "CHS": "利用;使用", + "ENG": "to use something for a particular purpose" + }, + "respectable": { + "CHS": "值得尊敬的;人格高尚的", + "ENG": "someone who is respectable behaves in a way that is considered socially acceptable" + }, + "incredibly": { + "CHS": "非常;极其", + "ENG": "extremely" + }, + "refreshment": { + "CHS": "点心", + "ENG": "small amounts of food and drink that are provided at a meeting, sports event etc" + }, + "wrench": { + "CHS": "扳手v.猛扭;扭伤;曲解;折磨", + "ENG": "especially AmE a metal tool that you use for turning nut s " + }, + "quell": { + "CHS": "制止,平息,镇压", + "ENG": "to end a situation in which people are behaving violently or protesting, especially by using force" + }, + "gratitude": { + "CHS": "感激(之情);感谢", + "ENG": "the feeling of being grateful" + }, + "overwhelming": { + "CHS": "难以抗拒的", + "ENG": "having such a great effect on you that you feel confused and do not know how to react" + }, + "monarchy": { + "CHS": "君主制,君主政体", + "ENG": "the system in which a country is ruled by a king or queen" + }, + "tutor": { + "CHS": "导师", + "ENG": "someone who gives private lessons to one student or a small group, and is paid directly by them" + }, + "caste": { + "CHS": "(印度世袭的)社会等级", + "ENG": "a group of people who have the same position in society" + }, + "facility": { + "CHS": "设备,设施", + "ENG": "Facilities are buildings, pieces of equipment, or services that are provided for a particular purpose" + }, + "squeak": { + "CHS": "短促的尖叫声", + "ENG": "a very short high noise or cry" + }, + "scorn": { + "CHS": "轻蔑vt.轻蔑;藐视", + "ENG": "the feeling that someone or something is stupid or does not deserve respect" + }, + "scramble": { + "CHS": "爬,攀登", + "ENG": "to climb up, down, or over something quickly and with difficulty, especially using your hands to help you" + }, + "habitual": { + "CHS": "习惯的", + "ENG": "doing something from habit, and unable to stop doing it" + }, + "dynamic": { + "CHS": "充满活力的", + "ENG": "full of energy and new ideas, and determined to succeed" + }, + "autopsy": { + "CHS": "尸体剖检", + "ENG": "an examination of a dead body to discover the cause of death" + }, + "parallel": { + "CHS": "平行的", + "ENG": "two lines, paths etc that are parallel to each other are the same distance apart along their whole length" + }, + "congress": { + "CHS": "国会;大会", + "ENG": "a formal meeting of representatives of different groups, countries etc, to discuss ideas, make decisions etc" + }, + "stethoscope": { + "CHS": "听诊器", + "ENG": "an instrument that a doctor uses to listen to your heart or breathing" + }, + "shrewd": { + "CHS": "精明的;机灵的", + "ENG": "good at judging what people or situations are really like" + }, + "gesture": { + "CHS": "做手势", + "ENG": "to move your hand, arm, or head to tell someone something, or show them what you mean" + }, + "supplier": { + "CHS": "供应商", + "ENG": "a company or person that provides a particular product" + }, + "malnourished": { + "CHS": "营养不良的", + "ENG": "someone who is malnourished is ill or weak because they have not had enough good food to eat" + }, + "manipulate": { + "CHS": "操纵;巧妙地处理", + "ENG": "to make someone think and behave exactly as you want them to, by skilfully deceiving or influencing them" + }, + "variable": { + "CHS": "多变的,易变的", + "ENG": "likely to change often" + }, + "multiplication": { + "CHS": "乘法", + "ENG": "a method of calculating in which you add a number to itself a particular number of times" + }, + "expand": { + "CHS": "扩展,变大", + "ENG": "to become larger in size, number, or amount, or to make something become larger" + }, + "perseverance": { + "CHS": "毅力" + }, + "literate": { + "CHS": "有文化的,识字的", + "ENG": "able to read and write" + }, + "appropriate": { + "CHS": "恰当的", + "ENG": "correct or suitable for a particular time, situation, or purpose" + }, + "mystic": { + "CHS": "神秘的", + "ENG": "Mystic means the same as " + }, + "exhaustion": { + "CHS": "耗尽,疲惫", + "ENG": "when all of something has been used" + }, + "boarder": { + "CHS": "寄宿者", + "ENG": "a student who stays at a school during the night, as well as during the day" + }, + "gossip": { + "CHS": "流言飞语", + "ENG": "information that is passed from one person to another about other people’s behaviour and private lives, often including unkind or untrue remarks" + }, + "bracket": { + "CHS": "括号", + "ENG": "one of the pair of signs ( ) put around words to show extra information" + }, + "concept": { + "CHS": "观念;想法", + "ENG": "an idea of how something is, or how something should be done" + }, + "sumptuous": { + "CHS": "华丽的;奢侈的", + "ENG": "very impressive and expensive" + }, + "productive": { + "CHS": "多产的", + "ENG": "producing or achieving a lot" + }, + "wholesome": { + "CHS": "有益健康的", + "ENG": "likely to make you healthy" + }, + "canal": { + "CHS": "运河,沟渠", + "ENG": "a long passage dug into the ground and filled with water, either for boats to travel along, or to take water to a place" + }, + "primitive": { + "CHS": "原始的;远古的", + "ENG": "belonging to a simple way of life that existed in the past and does not have modern industries and machines" + }, + "stun": { + "CHS": "震惊", + "ENG": "to surprise or upset someone so much that they do not react immediately" + }, + "dizzy": { + "CHS": "眩晕的", + "ENG": "feeling unable to stand steadily, for example because you are looking down from a high place or because you are ill" + }, + "pneumonia": { + "CHS": "肺炎", + "ENG": "a serious illness that affects your lungs and makes it difficult for you to breathe" + }, + "attending": { + "CHS": "主治医生" + }, + "highlight": { + "CHS": "强调", + "ENG": "If someone or something highlights a point or problem, they emphasize it or make you think about it" + }, + "crucial": { + "CHS": "至关重要的", + "ENG": "something that is crucial is extremely important, because everything else depends on it" + }, + "paralegal": { + "CHS": "辅助律师业务的" + }, + "desirous": { + "CHS": "渴望…的", + "ENG": "wanting something very much" + }, + "presence": { + "CHS": "出席", + "ENG": "when someone or something is present in a particular place" + }, + "disseminate": { + "CHS": "散布,传播", + "ENG": "to spread information or ideas to as many people as possible" + }, + "shabby": { + "CHS": "破烂的,衣着寒酸的", + "ENG": "wearing clothes that are old and worn" + }, + "reconcile": { + "CHS": "调和;和解", + "ENG": "if you reconcile two ideas, situations, or facts, you find a way in which they can both be true or acceptable" + }, + "comprehensive": { + "CHS": "全面的,广泛的", + "ENG": "including all the necessary facts, details, or problems that need to be dealt with" + }, + "blister": { + "CHS": "水泡", + "ENG": "a swelling on your skin containing clear liquid, caused, for example, by a burn or continuous rubbing" + }, + "session": { + "CHS": "(法庭,议会等)会议,开会;学期;学年", + "ENG": "a formal meeting or group of meetings, especially of a law court or parliament" + }, + "outsource": { + "CHS": "外包", + "ENG": "If a company outsources work or things, it pays workers from outside the company and often outside the country to do the work or supply the things" + }, + "commentator": { + "CHS": "评论员", + "ENG": "someone who knows a lot about a particular subject, and who writes about it or discusses it on the television or radio" + }, + "shield": { + "CHS": "防护物,盾牌", + "ENG": "a large piece of metal or leather that soldiers used in the past to protect themselves when fighting" + }, + "available": { + "CHS": "可得到的", + "ENG": "something that is available is able to be used or can easily be bought or found" + }, + "grit": { + "CHS": "毅力", + "ENG": "determination and courage" + }, + "fair": { + "CHS": "浅色的" + }, + "acquaintance": { + "CHS": "(对某人的)相识,认识;熟人(with someone)", + "ENG": "a relationship with someone you know, but who is not a close friend" + }, + "grasp": { + "CHS": "抓住;领会", + "ENG": "to completely understand a fact or an idea, especially a complicated one" + }, + "righteousness": { + "CHS": "正义" + }, + "civilized": { + "CHS": "文明的;有教养的", + "ENG": "a civilized society is well organized and developed, and has fair laws and customs" + }, + "strengthen": { + "CHS": "加强", + "ENG": "to become stronger or make something stronger" + }, + "accompany": { + "CHS": "陪伴,陪同", + "ENG": "to go somewhere with someone" + }, + "preliminary": { + "CHS": "初步的,开始的", + "ENG": "happening before something that is more important, often in order to prepare for it" + }, + "Mistletoe": { + "CHS": "槲寄生", + "ENG": "Mistletoe is a plant with pale berries that grows on the branches of some trees. Mistletoe is used in the United States as a Christmas decoration, and people often kiss under it. " + }, + "trumpet": { + "CHS": "喇叭" + }, + "imply": { + "CHS": "暗示", + "ENG": "to suggest that something is true, without saying this directly" + }, + "personality": { + "CHS": "人格,人性", + "ENG": "someone’s character, especially the way they behave towards other people" + }, + "impression": { + "CHS": "印象", + "ENG": "the opinion or feeling you have about someone or something because of the way they seem" + }, + "civilian": { + "CHS": "平民百姓的", + "ENG": "In a military situation, civilian is used to describe people or things that are not military" + }, + "insecure": { + "CHS": "不安全的", + "ENG": "a job, investment etc that is insecure does not give you a feeling of safety, because it might be taken away or lost at any time" + }, + "emerge": { + "CHS": "出现,浮现", + "ENG": "to appear or come out from somewhere" + }, + "companionship": { + "CHS": "陪伴", + "ENG": "Companionship is having someone you know and like with you, instead of being on your own" + }, + "corrupt": { + "CHS": "腐败的,贪污的;堕落的vt.使出错,破坏", + "ENG": "using your power in a dishonest or illegal way in order to get an advantage for yourself" + }, + "torment": { + "CHS": "折磨,使痛苦", + "ENG": "to make someone suffer a lot, especially mentally" + }, + "shiny": { + "CHS": "发亮的", + "ENG": "smooth and bright" + }, + "blare": { + "CHS": "发出响而刺耳的声音", + "ENG": "to make a very loud unpleasant noise" + }, + "elicit": { + "CHS": "使发出;引出", + "ENG": "If you elicit a response or a reaction, you do or say something that makes other people respond or react" + }, + "source": { + "CHS": "根源;源头", + "ENG": "the cause of something, especially a problem, or the place where it starts" + }, + "virtual": { + "CHS": "实质上的,实际上的", + "ENG": "You can use virtual to indicate that something is so nearly true that for most purposes it can be regarded as true" + }, + "masterpiece": { + "CHS": "杰作", + "ENG": "a work of art, a piece of writing or music etc that is of very high quality or that is the best that a particular artist, writer etc has produced" + }, + "gasp": { + "CHS": "倒抽气", + "ENG": "to breathe in suddenly in a way that can be heard, especially because you are surprised or in pain" + }, + "mechanical": { + "CHS": "机械的", + "ENG": "affecting or involving a machine" + }, + "delicate": { + "CHS": "微妙的;精美的;脆弱的", + "ENG": "needing to be dealt with carefully or sensitively in order to avoid problems or failure" + }, + "considerable": { + "CHS": "相当多的,可观的", + "ENG": "fairly large, especially large enough to have an effect or be important" + }, + "expanse": { + "CHS": "广阔的区域" + }, + "restrain": { + "CHS": "抑制,遏制", + "ENG": "to stop someone from doing something, often by using physical force" + }, + "monsoon": { + "CHS": "雨季;季风", + "ENG": "the season, from about April to October, when it rains a lot in India and other southern Asian countries" + }, + "resemblance": { + "CHS": "相似", + "ENG": "if there is a resemblance between two people or things, they are similar, especially in the way they look" + }, + "illustration": { + "CHS": "插图;说明;例证", + "ENG": "a picture in a book, article etc, especially one that helps you to understand it" + }, + "surest": { + "CHS": "无疑的" + }, + "ample": { + "CHS": "足够的;丰富的", + "ENG": "more than enough" + }, + "charge": { + "CHS": "充电", + "ENG": "if a battery charges, or if you charge it, it takes in and stores electricity" + }, + "relieve": { + "CHS": "解除; 缓解", + "ENG": "to reduce someone’s pain or unpleasant feelings" + }, + "whistle": { + "CHS": "口哨", + "ENG": "a small object that produces a high whistling sound when you blow into it" + }, + "deter": { + "CHS": "阻止,制止", + "ENG": "to stop someone from doing something, by making them realize it will be difficult or have bad results" + }, + "claim": { + "CHS": "要求(拥有)", + "ENG": "to officially demand or receive money from an organization because you have a right to it" + }, + "manufacturer": { + "CHS": "制造商,制造厂", + "ENG": "a company that makes large quantities of goods" + }, + "represent": { + "CHS": "象征;代表", + "ENG": "to officially speak or take action for another person or group of people" + }, + "deprive": { + "CHS": "剥夺,使丧失", + "ENG": "If you deprive someone of something that they want or need, you take it away from them, or you prevent them from having it" + }, + "abstract": { + "CHS": "抽象的", + "ENG": "based on general ideas or principles rather than specific examples or real events" + }, + "pyramid": { + "CHS": "金字塔", + "ENG": "a large stone building with four triangular (= three-sided ) walls that slope in to a point at the top, especially in Egypt and Central America" + }, + "afterworld": { + "CHS": "阴间", + "ENG": "a world inhabited after death " + }, + "subsequently": { + "CHS": "后来地", + "ENG": "after an event in the past" + }, + "pessimistic": { + "CHS": "悲观的", + "ENG": "expecting that bad things will happen in the future or that something will have a bad result" + }, + "prolong": { + "CHS": "延长", + "ENG": "to deliberately make something such as a feeling or an activity last longer" + }, + "slot": { + "CHS": "狭缝;狭槽", + "ENG": "a long narrow hole in a surface, that you can put something into" + }, + "Ecotourism": { + "CHS": "生态旅游" + }, + "startle": { + "CHS": "吃惊", + "ENG": "to make someone suddenly surprised or slightly shocked" + }, + "symptom": { + "CHS": "症状", + "ENG": "something wrong with your body or mind which shows that you have a particular illness" + }, + "discrimination": { + "CHS": "歧视", + "ENG": "the practice of treating one person or group differently from another in an unfair way" + }, + "plug": { + "CHS": "塞子,插头", + "ENG": "a round flat piece of rubber used for stopping the water flowing out of a bath or sink " + }, + "twitter": { + "CHS": "推特" + }, + "typify": { + "CHS": "作为...的典型", + "ENG": "to be a typical example of something" + }, + "consult": { + "CHS": "请教", + "ENG": "to ask for information or advice from someone because it is their job to know something" + }, + "neglect": { + "CHS": "忽略", + "ENG": "to fail to look after someone or something properly" + }, + "produce": { + "CHS": "产生,导致", + "ENG": "to cause a particular result or effect" + }, + "terrorize": { + "CHS": "恐吓,威胁", + "ENG": "to deliberately frighten people by threatening to harm them, especially so they will do what you want" + }, + "welfare": { + "CHS": "福利", + "ENG": "someone’s welfare is their health and happiness" + }, + "increasingly": { + "CHS": "越来越多地;日益", + "ENG": "more and more all the time" + }, + "prototype": { + "CHS": "原型,雏形", + "ENG": "the first form that a new design of a car, machine etc has, or a model of it used to test the design before it is produced" + }, + "scripted": { + "CHS": "照原稿宣读的", + "ENG": "a speech or broadcast that is scripted has been written down before it is read" + }, + "superb": { + "CHS": "卓越的,极好的", + "ENG": "extremely good" + }, + "hitchhiker": { + "CHS": "搭便车旅行者" + }, + "slump": { + "CHS": "暴跌 n.萧条期,下滑期", + "ENG": "to suddenly go down in price, value, or number" + }, + "protest": { + "CHS": "&vt.抗议,反对", + "ENG": "to come together to publicly express disapproval or opposition to something" + }, + "morale": { + "CHS": "士气", + "ENG": "the level of confidence and positive feelings that people have, especially people who work together, who belong to the same team etc" + }, + "jovial": { + "CHS": "愉快的", + "ENG": "If you describe a person as jovial, you mean that they are happy and behave in a cheerful way" + }, + "diversify": { + "CHS": "使多样化,使变化", + "ENG": "to change something or to make it change so that there is more variety" + }, + "curriculum": { + "CHS": "课程", + "ENG": "the subjects that are taught by a school, college etc, or the things that are studied in a particular subject" + }, + "annoying": { + "CHS": "恼人的", + "ENG": "making you feel slightly angry" + }, + "cite": { + "CHS": "引用,引证", + "ENG": "to mention something as an example, especially one that supports, proves, or explains an idea or situation" + }, + "lump": { + "CHS": "肿块", + "ENG": "a small piece of something solid, without a particular shape" + }, + "entity": { + "CHS": "实体", + "ENG": "something that exists as a single and complete unit" + }, + "undertake": { + "CHS": "承担;从事", + "ENG": "to accept that you are responsible for a piece of work, and start to do it" + }, + "gilded": { + "CHS": "镀金的" + }, + "generative": { + "CHS": "生产的,有生产力的", + "ENG": "able to produce something" + }, + "float": { + "CHS": "漂浮", + "ENG": "if something floats, it moves slowly through the air or stays up in the air" + }, + "superstition": { + "CHS": "迷信", + "ENG": "a belief that some objects or actions are lucky or unlucky, or that they cause events to happen, based on old ideas of magic" + }, + "makeshift": { + "CHS": "临时替代的; 权宜的", + "ENG": "made to be used for a short time only when nothing better is available" + }, + "offspring": { + "CHS": "后代,子孙", + "ENG": "someone’s child or children – often used humorously" + }, + "reliability": { + "CHS": "可靠性" + }, + "explosion": { + "CHS": "爆炸", + "ENG": "a loud sound and the energy produced by something such as a bomb bursting into small pieces" + }, + "determiner": { + "CHS": "限定词", + "ENG": "a word that is used before a noun in order to show which thing you mean. In the phrases ‘the car’ and ‘some cars’, ‘the’ and ‘some’ are determiners." + }, + "scant": { + "CHS": "少量的,不足的", + "ENG": "not enough" + }, + "mere": { + "CHS": "仅仅,只不过", + "ENG": "used to emphasize how small or unimportant something or someone is" + }, + "utter": { + "CHS": "彻底的,完全的", + "ENG": "complete – used especially to emphasize that something is very bad, or that a feeling is very strong" + }, + "syndrome": { + "CHS": "综合征", + "ENG": "an illness which consists of a set of physical or mental problems – often used in the name of illnesses" + }, + "weapon": { + "CHS": "武器", + "ENG": "something that you use to fight with or attack someone with, such as a knife, bomb, or gun" + }, + "alternative": { + "CHS": "可供选择的事物", + "ENG": "something you can choose to do or use instead of something else" + }, + "deadly": { + "CHS": "致命的", + "ENG": "likely to cause death" + }, + "inhibition": { + "CHS": "抑制", + "ENG": "a feeling of shyness or embarrassment that stops you doing or saying what you really want" + }, + "inconvenience": { + "CHS": "不方便", + "ENG": "problems caused by something which annoy or affect you" + }, + "tailor": { + "CHS": "使适应(特定需要)" + }, + "siren": { + "CHS": "警报声", + "ENG": "a piece of equipment that makes very loud warning sounds, used on police cars, fire engines etc" + }, + "hydrostatics": { + "CHS": "流体静力学", + "ENG": "the branch of science concerned with the mechanical properties and behaviour of fluids that are not in motion " + }, + "muddy": { + "CHS": "泥泞的", + "ENG": "covered with mud or containing mud" + }, + "revenue": { + "CHS": "收益", + "ENG": "money that a business or organization receives over a period of time, especially from selling goods or services" + }, + "breach": { + "CHS": "破坏,违反", + "ENG": "an action that breaks a law, rule, or agreement" + }, + "wholesale": { + "CHS": "批发销售", + "ENG": "If something is sold wholesale, it is sold in large quantities and at cheaper prices, usually to stores" + }, + "desperation": { + "CHS": "绝望", + "ENG": "the state of being desperate" + }, + "bugle": { + "CHS": "冲锋号", + "ENG": "A bugle is a simple brass musical instrument that looks like a small trumpet. Bugles are often used in the army to announce when activities such as meals are about to begin. " + }, + "revolution": { + "CHS": "革命", + "ENG": "a complete change in ways of thinking, methods of working etc" + }, + "proportion": { + "CHS": "比例", + "ENG": "The proportion of one kind of person or thing in a group is the number of people or things of that kind compared to the total number of people or things in the group" + }, + "convince": { + "CHS": "使信服,使相信", + "ENG": "to make someone feel certain that something is true" + }, + "ribbon": { + "CHS": "缎带,丝带", + "ENG": "a narrow piece of attractive cloth that you use, for example, to tie your hair or hold things together" + }, + "chase": { + "CHS": "追逐", + "ENG": "to quickly follow someone or something in order to catch them" + }, + "unconscious": { + "CHS": "无意识的", + "ENG": "a feeling or thought that is unconscious is one that you have without realizing it" + }, + "gutter": { + "CHS": "(路边)排水沟", + "ENG": "the low part at the edge of a road where water collects and flows away" + }, + "integral": { + "CHS": "构成整体所必需的", + "ENG": "Something that is an integral part of something is an essential part of that thing" + }, + "contemporary": { + "CHS": "当代的;同时代的", + "ENG": "belonging to the present time" + }, + "archaeologist": { + "CHS": "考古学家" + }, + "indulgent": { + "CHS": "放纵的,纵容的", + "ENG": "willing to allow someone, especially a child, to do or have whatever they want, even if this is not good for them" + }, + "humanitarian": { + "CHS": "人道主义者" + }, + "promulgate": { + "CHS": "颁布,公布", + "ENG": "to make a new law come into effect by announcing it officially" + }, + "essence": { + "CHS": "本质,实质", + "ENG": "the most basic and important quality of something" + }, + "flutter": { + "CHS": "摆动;鼓翼;烦扰" + }, + "prawn": { + "CHS": "捕虾" + }, + "spine": { + "CHS": "脊柱,脊椎;刺;书脊", + "ENG": "the row of bones down the centre of your back that supports your body and protects your spinal cord " + }, + "delivery": { + "CHS": "[贸易] 交付;分娩;递送", + "ENG": "the act of bringing goods, letters etc to a particular person or place, or the things that are brought" + }, + "streamline": { + "CHS": "流线型的" + }, + "seizure": { + "CHS": "没收;夺取;捕获;(疾病的)突然发作", + "ENG": "the act of suddenly taking control of something, especially by force" + }, + "foundation": { + "CHS": "基础;地基;基金会;根据;创立", + "ENG": "the solid layer of cement , bricks, stones etc that is put under a building to support it" + }, + "trot": { + "CHS": "(马)小跑;(人)慢跑;快步走", + "ENG": "if a horse trots, it moves fairly quickly with each front leg moving at the same time as the opposite back leg" + }, + "reasoning": { + "CHS": "推论;说服(reason的ing形式)" + }, + "turtle": { + "CHS": "龟,甲鱼;海龟", + "ENG": "a reptile that lives mainly in water and has a soft body covered by a hard shell" + }, + "blacksmith": { + "CHS": "铁匠;锻工", + "ENG": "someone who makes and repairs things made of iron, especially horseshoe s " + }, + "shawl": { + "CHS": "用披巾包裹" + }, + "dismiss": { + "CHS": "解散;解雇;开除;让离开;不予理会、不予考虑", + "ENG": "to remove someone from their job" + }, + "violently": { + "CHS": "猛烈地,激烈地;极端地", + "ENG": "with a lot of force in a way that is very difficult to control" + }, + "revolt": { + "CHS": "反抗;叛乱;反感", + "ENG": "a refusal to accept someone’s authority or obey rules or laws" + }, + "legal": { + "CHS": "(Legal)人名;(法)勒加尔" + }, + "rise": { + "CHS": "上升;高地;增加;出现", + "ENG": "an increase in number, amount, or value" + }, + "ginger": { + "CHS": "姜黄色的", + "ENG": "hair or fur that is ginger is bright orange-brown in colour" + }, + "Rome": { + "CHS": "罗马(意大利首都)" + }, + "slide": { + "CHS": "滑动;滑落;不知不觉陷入", + "ENG": "to move smoothly over a surface while continuing to touch it, or to make something move in this way" + }, + "comic": { + "CHS": "连环漫画;喜剧演员;滑稽人物", + "ENG": "a magazine for children that tells a story using comic strips" + }, + "pajamas": { + "CHS": "睡衣;宽长裤" + }, + "saturate": { + "CHS": "浸透的,饱和的;深颜色的" + }, + "emit": { + "CHS": "发出,放射;发行;发表", + "ENG": "to send out gas, heat, light, sound etc" + }, + "abound": { + "CHS": "富于;充满", + "ENG": "If things abound, or if a place abounds with things, there are very large numbers of them" + }, + "expansion": { + "CHS": "膨胀;阐述;扩张物", + "ENG": "when a company, business etc becomes larger by opening new shops, factories etc" + }, + "untidy": { + "CHS": "使不整洁;使杂乱无章" + }, + "selection": { + "CHS": "选择,挑选;选集;精选品", + "ENG": "the careful choice of a particular person or thing from a group of similar people or things" + }, + "flagstaff": { + "CHS": "旗杆", + "ENG": "a tall pole on which a flag hangs" + }, + "preparatory": { + "CHS": "预科;预备学校" + }, + "mercury": { + "CHS": "[化]汞,水银", + "ENG": "Mercury is a silver-coloured liquid metal that is used especially in thermometers and barometers" + }, + "bass": { + "CHS": "低音的", + "ENG": "a bass instrument or voice produces low notes" + }, + "citizenship": { + "CHS": "[法] 公民身份,公民资格;国籍;公民权", + "ENG": "the legal right of belonging to a particular country" + }, + "sling": { + "CHS": "用投石器投掷;吊起", + "ENG": "If you sling something over your shoulder or over something such as a chair, you hang it there loosely" + }, + "tortuous": { + "CHS": "扭曲的,弯曲的;啰嗦的", + "ENG": "a tortuous path, stream, road etc has a lot of bends in it and is therefore difficult to travel along" + }, + "alligator": { + "CHS": "鳄鱼般的;鳄鱼皮革的;鳄鱼皮纹的" + }, + "career": { + "CHS": "全速前进,猛冲", + "ENG": "to move forwards quickly without control, making sudden sideways movements" + }, + "incurable": { + "CHS": "患不治之症者,不能治愈的人" + }, + "noun": { + "CHS": "名词", + "ENG": "a word or group of words that represent a person (such as ‘Michael’, ‘teacher’ or ‘police officer’), a place (such as ‘France’ or ‘school’), a thing or activity (such as ‘coffee’ or ‘football’), or a quality or idea (such as ‘danger’ or ‘happiness’). Nouns can be used as the subject or object of a verb (as in ‘The teacher arrived’ or ‘We like the teacher’) or as the object of a preposition (as in ‘good at football’)." + }, + "exhale": { + "CHS": "呼气;发出;发散;使蒸发", + "ENG": "to breathe air, smoke etc out of your mouth" + }, + "polytechnic": { + "CHS": "工艺学校;理工专科学校", + "ENG": "a word used in the names of high schools or colleges in the US, where you can study technical or scientific subjects" + }, + "carton": { + "CHS": "制作纸箱" + }, + "necessity": { + "CHS": "需要;必然性;必需品", + "ENG": "something that you need to have in order to live" + }, + "touching": { + "CHS": "接触;感动(touch的ing形式)" + }, + "misgiving": { + "CHS": "担忧;使…疑虑;害怕(misgive的ing形式)" + }, + "routine": { + "CHS": "日常的;例行的", + "ENG": "happening as a normal part of a job or process" + }, + "fiction": { + "CHS": "小说;虚构,编造;谎言", + "ENG": "books and stories about imaginary people and events" + }, + "appetite": { + "CHS": "食欲;嗜好", + "ENG": "a desire for food" + }, + "monastery": { + "CHS": "修道院;僧侣", + "ENG": "a place where monk s live" + }, + "quarry": { + "CHS": "费力地找" + }, + "gum": { + "CHS": "用胶粘,涂以树胶;使…有粘性", + "ENG": "to stick together or in place with gum " + }, + "foster": { + "CHS": "(Foster)人名;(英、捷、意、葡、法、德、俄、西)福斯特" + }, + "prey": { + "CHS": "捕食;牺牲者;被捕食的动物", + "ENG": "an animal, bird etc that is hunted and eaten by another animal" + }, + "denote": { + "CHS": "表示,指示", + "ENG": "to mean something" + }, + "announcer": { + "CHS": "[广播] 广播员;宣告者", + "ENG": "someone who gives information to people using a loudspeaker or microphone , especially at an airport or railway station" + }, + "legislation": { + "CHS": "立法;法律", + "ENG": "a law or set of laws" + }, + "shoemaker": { + "CHS": "鞋匠;补鞋工人", + "ENG": "someone who makes shoes and boots" + }, + "cauliflower": { + "CHS": "花椰菜,菜花", + "ENG": "a vegetable with green leaves around a firm white centre" + }, + "credulous": { + "CHS": "轻信的;因轻信而产生的", + "ENG": "always believing what you are told, and therefore easily deceived" + }, + "stuff": { + "CHS": "塞满;填塞;让吃饱", + "ENG": "to push or put something into a small space, especially in a quick careless way" + }, + "shriek": { + "CHS": "尖声;尖锐的响声", + "ENG": "a loud high sound made because you are frightened, excited, angry etc" + }, + "procedure": { + "CHS": "程序,手续;步骤", + "ENG": "a way of doing something, especially the correct or usual way" + }, + "courageous": { + "CHS": "有胆量的,勇敢的", + "ENG": "brave" + }, + "thrush": { + "CHS": "画眉;[口腔] 鹅口疮;蹄叉腐疽" + }, + "calcium": { + "CHS": "[化学] 钙", + "ENG": "a silver-white metal that helps to form teeth, bones, and chalk . It is a chemical element : symbol Ca" + }, + "somewhat": { + "CHS": "有点;多少;几分;稍微", + "ENG": "more than a little but not very" + }, + "dissatisfy": { + "CHS": "不满足;使……感觉不满", + "ENG": "to fail to satisfy; disappoint " + }, + "gerund": { + "CHS": "动名词", + "ENG": "a noun in the form of the present participle of a verb, for example ‘shopping’ in the sentence ‘I like shopping’" + }, + "poetry": { + "CHS": "诗;诗意,诗情;诗歌艺术", + "ENG": "poems in general, or the art of writing them" + }, + "eloquence": { + "CHS": "口才;雄辩;雄辩术;修辞" + }, + "separation": { + "CHS": "分离,分开;间隔,距离;[法] 分居;缺口", + "ENG": "when something separates or is separate" + }, + "decorative": { + "CHS": "装饰性的;装潢用的", + "ENG": "pretty or attractive, but not always necessary or useful" + }, + "undermine": { + "CHS": "破坏,渐渐破坏;挖掘地基", + "ENG": "If you undermine someone's efforts or undermine their chances of achieving something, you behave in a way that makes them less likely to succeed" + }, + "auction": { + "CHS": "拍卖", + "ENG": "a public meeting where land, buildings, paintings etc are sold to the person who offers the most money for them" + }, + "cloak": { + "CHS": "遮掩;隐匿" + }, + "vomit": { + "CHS": "呕吐;呕吐物;催吐剂", + "ENG": "food or other substances that come up from your stomach and through your mouth when you vomit" + }, + "instrumental": { + "CHS": "器乐曲;工具字,工具格", + "ENG": "a piece of music in which no voices are used, only instruments" + }, + "commute": { + "CHS": "通勤(口语)", + "ENG": "A commute is the journey that you make when you commute" + }, + "trouble": { + "CHS": "麻烦;使烦恼;折磨", + "ENG": "to say something or ask someone to do something which may use or waste their time or upset them" + }, + "apostrophe": { + "CHS": "省略符号,撇号;呼语,顿呼", + "ENG": "the sign (‘) that is used in writing to show that numbers or letters have been left out, as in ’don’t' (= do not ) and '86 (= 1986 )" + }, + "meadow": { + "CHS": "草地;牧场", + "ENG": "a field with wild grass and flowers" + }, + "beacon": { + "CHS": "照亮,指引" + }, + "lean": { + "CHS": "瘦肉;倾斜;倾斜度", + "ENG": "the condition of inclining from a vertical position " + }, + "combat": { + "CHS": "战斗的;为…斗争的" + }, + "health": { + "CHS": "健康;卫生;保健;兴旺", + "ENG": "the general condition of your body and how healthy you are" + }, + "trash": { + "CHS": "丢弃;修剪树枝" + }, + "coordinate": { + "CHS": "调整;整合", + "ENG": "to organize an activity so that the people involved in it work well together and achieve a good result" + }, + "phonetic": { + "CHS": "语音的,语音学的;音形一致的;发音有细微区别的", + "ENG": "relating to the sounds of human speech" + }, + "Hebrew": { + "CHS": "希伯来人的;希伯来语的", + "ENG": "Hebrew means belonging to or relating to the Hebrew language or people" + }, + "steadfast": { + "CHS": "坚定的;不变的", + "ENG": "being certain that you are right about something and refusing to change your opinion in any way" + }, + "instance": { + "CHS": "举为例", + "ENG": "to give something as an example" + }, + "thrash": { + "CHS": "打谷;逆风浪行进;踢水动作" + }, + "pope": { + "CHS": "教皇,罗马教皇;权威,大师", + "ENG": "Thepope is the head of the Roman Catholic Church" + }, + "sonnet": { + "CHS": "十四行诗;商籁诗", + "ENG": "a poem with 14 lines which rhyme with each other in a fixed pattern" + }, + "aborigine": { + "CHS": "土著;土著居民", + "ENG": "someone who belongs to the race of people who have lived in Australia from the earliest times" + }, + "emphasis": { + "CHS": "重点;强调;加强语气", + "ENG": "special attention or importance" + }, + "hidden": { + "CHS": "(Hidden)人名;(英)希登" + }, + "backbone": { + "CHS": "支柱;主干网;决心,毅力;脊椎", + "ENG": "the row of connected bones that go down the middle of your back" + }, + "Koran": { + "CHS": "《可兰经》,《古兰经》(伊斯兰教)", + "ENG": "The Koran is the sacred book on which the religion of Islam is based" + }, + "anticipate": { + "CHS": "预期,期望;占先,抢先;提前使用", + "ENG": "to expect that something will happen and be ready for it" + }, + "bracelet": { + "CHS": "手镯;手链", + "ENG": "a band or chain that you wear around your wrist or arm as a decoration" + }, + "miser": { + "CHS": "守财奴;吝啬鬼;(石油工程上用的)凿井机", + "ENG": "someone who is not generous and does not like spending money" + }, + "copyright": { + "CHS": "保护版权;为…取得版权" + }, + "frightened": { + "CHS": "害怕;使吃惊;吓走(frighten的过去分词)" + }, + "orthodox": { + "CHS": "正统的人;正统的事物" + }, + "nickname": { + "CHS": "给……取绰号;叫错名字", + "ENG": "If you nickname someone or something, you give them an informal name" + }, + "handicap": { + "CHS": "妨碍,阻碍;使不利", + "ENG": "to make it difficult for someone to do something that they want or need to do" + }, + "employment": { + "CHS": "使用;职业;雇用", + "ENG": "the act of paying someone to work for you" + }, + "notable": { + "CHS": "名人,显要人物" + }, + "rally": { + "CHS": "集会;回复;公路赛车会", + "ENG": "a large public meeting, especially one that is held outdoors to support a political idea, protest etc" + }, + "traitor": { + "CHS": "叛徒;卖国贼;背信弃义的人", + "ENG": "someone who is not loyal to their country, friends, or beliefs" + }, + "mahogany": { + "CHS": "桃花心木,红木;红褐色", + "ENG": "a type of hard reddish brown wood used for making furniture, or the tree that produces this wood" + }, + "popularity": { + "CHS": "普及,流行;名气;受大众欢迎", + "ENG": "when something or someone is liked or supported by a lot of people" + }, + "dose": { + "CHS": "服药", + "ENG": "to give someone medicine or a drug" + }, + "craft": { + "CHS": "精巧地制作", + "ENG": "to make something using a special skill, especially with your hands" + }, + "ranch": { + "CHS": "经营牧场;在牧场工作" + }, + "episode": { + "CHS": "插曲;一段情节;插话;有趣的事件", + "ENG": "a television or radio programme that is one of a series of programmes in which the same story is continued each week" + }, + "clout": { + "CHS": "给…打补钉;猛击", + "ENG": "to hit someone or something hard" + }, + "corpse": { + "CHS": "尸体", + "ENG": "the dead body of a person" + }, + "celebrated": { + "CHS": "庆祝(celebrate的过去式和过去分词)" + }, + "asset": { + "CHS": "资产;优点;有用的东西;有利条件;财产;有价值的人或物", + "ENG": "the things that a company owns, that can be sold to pay debts" + }, + "hostage": { + "CHS": "人质;抵押品", + "ENG": "someone who is kept as a prisoner by an enemy so that the other side will do what the enemy demands" + }, + "challenge": { + "CHS": "向…挑战;对…质疑", + "ENG": "to refuse to accept that something is right, fair, or legal" + }, + "topsoil": { + "CHS": "表层土;上层土", + "ENG": "the upper level of soil in which most plants have their roots" + }, + "expenditure": { + "CHS": "支出,花费;经费,消费额", + "ENG": "the total amount of money that a government, organization, or person spends during a particular period of time" + }, + "lute": { + "CHS": "弹诗琴表达;用封泥封" + }, + "pilgrim": { + "CHS": "去朝圣;漫游" + }, + "stagger": { + "CHS": "交错的;错开的" + }, + "sequence": { + "CHS": "按顺序排好" + }, + "addict": { + "CHS": "使沉溺;使上瘾" + }, + "nap": { + "CHS": "使拉毛" + }, + "cataract": { + "CHS": "倾注" + }, + "rug": { + "CHS": "小地毯;毛皮地毯;男子假发", + "ENG": "a piece of thick cloth or wool that covers part of a floor, used for warmth or as a decoration" + }, + "unethical": { + "CHS": "不道德的;缺乏职业道德的", + "ENG": "morally unacceptable" + }, + "crisis": { + "CHS": "危机的;用于处理危机的" + }, + "effect": { + "CHS": "产生;达到目的" + }, + "decree": { + "CHS": "命令;颁布;注定;判决", + "ENG": "to make an official judgment or give an official order" + }, + "thoughtful": { + "CHS": "深思的;体贴的;关切的", + "ENG": "always thinking of the things you can do to make people happy or comfortable" + }, + "ceremony": { + "CHS": "典礼,仪式;礼节,礼仪;客套,虚礼", + "ENG": "an important social or religious event, when a traditional set of actions is performed in a formal way" + }, + "inviting": { + "CHS": "邀请(invite的ing形式)" + }, + "mow": { + "CHS": "割草;收割庄稼", + "ENG": "to cut grass using a machine" + }, + "fore": { + "CHS": "(打高尔夫球者的叫声)让开!" + }, + "plunder": { + "CHS": "掠夺;抢劫;侵吞", + "ENG": "to steal large amounts of money or property from somewhere, especially while fighting in a war" + }, + "full": { + "CHS": "全部;完整", + "ENG": "including the whole of something" + }, + "desolate": { + "CHS": "使荒凉;使孤寂", + "ENG": "to make someone feel very sad and lonely" + }, + "freebie": { + "CHS": "免费的东西;免费赠品(尤指戏院赠券)", + "ENG": "something that you are given free, usually by a company" + }, + "consent": { + "CHS": "同意;(意见等的)一致;赞成", + "ENG": "agreement about something" + }, + "hesitation": { + "CHS": "犹豫", + "ENG": "when someone hesitates" + }, + "receptive": { + "CHS": "善于接受的;能容纳的", + "ENG": "willing to consider new ideas or listen to someone else’s opinions" + }, + "teem": { + "CHS": "(Teem)人名;(英)蒂姆" + }, + "hairy": { + "CHS": "(Hairy)人名;(法)艾里" + }, + "phase": { + "CHS": "月相", + "ENG": "one of a fixed number of changes in the appearance of the Moon or a planet when it is seen from the Earth" + }, + "remedy": { + "CHS": "补救;治疗;赔偿", + "ENG": "a way of dealing with a problem or making a bad situation better" + }, + "dwindle": { + "CHS": "减少;变小", + "ENG": "to gradually become less and less or smaller and smaller" + }, + "portable": { + "CHS": "手提式打字机" + }, + "mass": { + "CHS": "聚集起来,聚集", + "ENG": "to come together, or to make people or things come together, in a large group" + }, + "tranquil": { + "CHS": "安静的,平静的;安宁的;稳定的", + "ENG": "pleasantly calm, quiet, and peaceful" + }, + "nutrition": { + "CHS": "营养,营养学;营养品", + "ENG": "the process of giving or getting the right type of food for good health and growth" + }, + "ally": { + "CHS": "使联盟;使联合", + "ENG": "If you ally yourself with someone or something, you give your support to them" + }, + "pact": { + "CHS": "协定;公约;条约;契约", + "ENG": "a formal agreement between two groups, countries, or people, especially to help each other or to stop fighting" + }, + "honest": { + "CHS": "诚实的,实在的;可靠的;坦率的", + "ENG": "someone who is honest always tells the truth and does not cheat or steal" + }, + "beak": { + "CHS": "[鸟] 鸟嘴;鹰钩鼻子;地方执法官;男教师", + "ENG": "the hard pointed mouth of a bird" + }, + "manufacture": { + "CHS": "制造;加工;捏造", + "ENG": "to use machines to make goods or materials, usually in large numbers or amounts" + }, + "intact": { + "CHS": "完整的;原封不动的;未受损伤的", + "ENG": "not broken, damaged, or spoiled" + }, + "paradox": { + "CHS": "悖论,反论;似非而是的论点;自相矛盾的人或事", + "ENG": "a situation that seems strange because it involves two ideas or qualities that are very different" + }, + "distress": { + "CHS": "使悲痛;使贫困" + }, + "proficient": { + "CHS": "精通;专家,能手" + }, + "persevere": { + "CHS": "坚持;不屈不挠;固执己见(在辩论中)", + "ENG": "to continue trying to do something in a very determined way in spite of difficulties – use this to show approval" + }, + "spread": { + "CHS": "伸展的" + }, + "afford": { + "CHS": "(Afford)人名;(英)阿福德" + }, + "napkin": { + "CHS": "餐巾;餐巾纸;尿布", + "ENG": "a square piece of cloth or paper used for protecting your clothes and for cleaning your hands and lips during a meal" + }, + "particular": { + "CHS": "详细说明;个别项目", + "ENG": "the facts and details about a job, property, legal case etc" + }, + "elevate": { + "CHS": "提升;举起;振奋情绪等;提升…的职位", + "ENG": "to move someone or something to a more important level or rank, or make them better than before" + }, + "automate": { + "CHS": "使自动化,使自动操作", + "ENG": "to start using computers and machines to do a job, rather than people" + }, + "frank": { + "CHS": "免费邮寄" + }, + "stuffing": { + "CHS": "填料,填塞物", + "ENG": "a mixture of bread or rice, onion etc that you put inside a chicken, pepper etc before cooking it" + }, + "peanut": { + "CHS": "花生", + "ENG": "a pale brown nut in a thin shell which grows under the ground" + }, + "shipment": { + "CHS": "装货;装载的货物", + "ENG": "a load of goods sent by sea, road, or air, or the act of sending them" + }, + "random": { + "CHS": "胡乱地" + }, + "reduce": { + "CHS": "减少;降低;使处于;把…分解", + "ENG": "to make something smaller or less in size, amount, or price" + }, + "lobster": { + "CHS": "龙虾", + "ENG": "a sea animal with eight legs, a shell, and two large claws" + }, + "inform": { + "CHS": "通知;告诉;报告", + "ENG": "to officially tell someone about something or give them information" + }, + "youngster": { + "CHS": "年轻人;少年", + "ENG": "a child or young person" + }, + "trademark": { + "CHS": "商标", + "ENG": "a special name, sign, or word that is marked on a product to show that it is made by a particular company, that cannot be used by any other company" + }, + "catalogue": { + "CHS": "把…编入目录", + "ENG": "to make a complete list of all the things in a group" + }, + "Persian": { + "CHS": "猫老大" + }, + "appear": { + "CHS": "出现;显得;似乎;出庭;登场", + "ENG": "used to say how something seems, especially from what you know about it or from what you can see" + }, + "takeover": { + "CHS": "接管;验收", + "ENG": "when one company takes control of another by buying more than half its shares " + }, + "invaluable": { + "CHS": "无价的;非常贵重的", + "ENG": "If you describe something as invaluable, you mean that it is extremely useful" + }, + "distort": { + "CHS": "扭曲;使失真;曲解", + "ENG": "to report something in a way that is not completely true or correct" + }, + "page": { + "CHS": "给…标页码" + }, + "improve": { + "CHS": "改善,增进;提高…的价值", + "ENG": "to make something better, or to become better" + }, + "prose": { + "CHS": "把…写成散文" + }, + "miserly": { + "CHS": "吝啬的;贪婪的", + "ENG": "a miserly person is not generous and does not like spending money" + }, + "fortress": { + "CHS": "筑要塞;以要塞防守" + }, + "dagger": { + "CHS": "用剑刺" + }, + "duly": { + "CHS": "(Duly)人名;(英)杜利" + }, + "wish": { + "CHS": "祝愿;渴望;向…致问候语", + "ENG": "to want something to be true although you know it is either impossible or unlikely" + }, + "envelop": { + "CHS": "信封;包裹" + }, + "splinter": { + "CHS": "分裂;裂成碎片", + "ENG": "if something such as wood splinters, or if you splinter it, it breaks into thin sharp pieces" + }, + "morality": { + "CHS": "道德;品行,美德", + "ENG": "beliefs or ideas about what is right and wrong and about how people should behave" + }, + "cherry": { + "CHS": "樱桃;樱桃树;如樱桃的鲜红色;处女膜,处女", + "ENG": "a small round red or black fruit with a long thin stem and a stone in the middle" + }, + "moment": { + "CHS": "片刻,瞬间,时刻;重要,契机", + "ENG": "a particular point in time" + }, + "dynasty": { + "CHS": "王朝,朝代", + "ENG": "a family of kings or other rulers whose parents, grandparents etc have ruled the country for many years" + }, + "bottleneck": { + "CHS": "瓶颈;障碍物", + "ENG": "a place in a road where the traffic cannot pass easily, so that there are a lot of delays" + }, + "exceedingly": { + "CHS": "非常;极其;极度地;极端", + "ENG": "extremely" + }, + "subtract": { + "CHS": "减去;扣掉", + "ENG": "to take a number or an amount from a larger number or amount" + }, + "dump": { + "CHS": "垃圾场;仓库;无秩序地累积", + "ENG": "a place where unwanted waste is taken and left" + }, + "firsthand": { + "CHS": "直接地" + }, + "cordial": { + "CHS": "补品;兴奋剂;甜香酒,甘露酒", + "ENG": "a strong sweet alcoholic drink" + }, + "unbearable": { + "CHS": "难以忍受的;承受不住的", + "ENG": "too unpleasant, painful, or annoying to deal with" + }, + "expire": { + "CHS": "期满;终止;死亡;呼气", + "ENG": "if a period of time when someone has a particular position of authority expires, it ends" + }, + "ventilate": { + "CHS": "使通风;给…装通风设备;宣布", + "ENG": "to let fresh air into a room, building etc" + }, + "invalid": { + "CHS": "使伤残;使退役" + }, + "scandal": { + "CHS": "丑闻;流言蜚语;诽谤;公愤", + "ENG": "an event in which someone, especially someone important, behaves in a bad way that shocks people" + }, + "gem": { + "CHS": "最佳品质的" + }, + "fathom": { + "CHS": "英寻(测量水深的长度单位)", + "ENG": "a unit for measuring the depth of water, equal to six feet or about 1.8 metres" + }, + "strategy": { + "CHS": "战略,策略", + "ENG": "a planned series of actions for achieving something" + }, + "wardrobe": { + "CHS": "衣柜;行头;全部戏装", + "ENG": "a piece of furniture like a large cupboard that you hang clothes in" + }, + "dock": { + "CHS": "使靠码头;剪短", + "ENG": "if a ship docks, or if the captain docks it, it sails into a dock so that it can unload" + }, + "pharmacy": { + "CHS": "药房;配药学,药剂学;制药业;一批备用药品", + "ENG": "a shop or a part of a shop where medicines are prepared and sold" + }, + "sterling": { + "CHS": "英国货币;标准纯银", + "ENG": "the standard unit of money in the United Kingdom, based on the pound" + }, + "discern": { + "CHS": "识别;领悟,认识", + "ENG": "If you can discern something, you are aware of it and know what it is" + }, + "tradition": { + "CHS": "惯例,传统;传说", + "ENG": "a belief, custom, or way of doing something that has existed for a long time, or these beliefs, customs etc in general" + }, + "classify": { + "CHS": "分类;分等", + "ENG": "to decide what group something belongs to" + }, + "accurate": { + "CHS": "精确的", + "ENG": "correct and true in every detail" + }, + "cocoa": { + "CHS": "可可粉;可可豆;可可饮料;深褐色", + "ENG": "a brown powder made from cocoa beans, used to make chocolate and to give a chocolate taste to foods" + }, + "carcass": { + "CHS": "(人或动物的)尸体;残骸;(除脏去头备食用的)畜体", + "ENG": "the body of a dead animal" + }, + "clinical": { + "CHS": "临床的;诊所的", + "ENG": "relating to treating or testing people who are sick" + }, + "stir": { + "CHS": "搅拌;激起;惹起", + "ENG": "to move a liquid or substance around with a spoon or stick in order to mix it together" + }, + "speculate": { + "CHS": "推测;投机;思索", + "ENG": "to guess about the possible causes or effects of something, without knowing all the facts or details" + }, + "axle": { + "CHS": "车轴;[车辆] 轮轴", + "ENG": "the bar connecting two wheels on a car or other vehicle" + }, + "thresh": { + "CHS": "打谷" + }, + "decent": { + "CHS": "正派的;得体的;相当好的", + "ENG": "of a good enough standard or quality" + }, + "stony": { + "CHS": "无情的;多石的;石头的", + "ENG": "covered by stones or containing stones" + }, + "graphic": { + "CHS": "形象的;图表的;绘画似的", + "ENG": "connected with or including drawing, printing, or designing" + }, + "fixed": { + "CHS": "修理(过去式)" + }, + "jerk": { + "CHS": "痉挛;急拉;颠簸地行进", + "ENG": "to pull something suddenly and roughly" + }, + "present": { + "CHS": "现在;礼物;瞄准", + "ENG": "something you give someone on a special occasion or to thank them for something" + }, + "turbulence": { + "CHS": "骚乱,动荡;[流] 湍流;狂暴", + "ENG": "a political or emotional situation that is very confused" + }, + "process": { + "CHS": "经过特殊加工(或处理)的" + }, + "goddess": { + "CHS": "女神,受崇拜的女性", + "ENG": "a female being who is believed to control the world or part of it, or represents a particular quality" + }, + "testament": { + "CHS": "[法] 遗嘱;圣约;确实的证明", + "ENG": "a will 2 2 " + }, + "halt": { + "CHS": "停止;立定;休息", + "ENG": "a stop or pause" + }, + "wipe": { + "CHS": "擦拭;用力打", + "ENG": "a wiping movement with a cloth" + }, + "stutter": { + "CHS": "口吃,结巴", + "ENG": "an inability to speak normally because you stutter" + }, + "aviation": { + "CHS": "航空;飞行术;飞机制造业", + "ENG": "the science or practice of flying in aircraft" + }, + "pamphlet": { + "CHS": "小册子", + "ENG": "a very thin book with paper covers, that gives information about something" + }, + "subsidy": { + "CHS": "补贴;津贴;补助金", + "ENG": "money that is paid by a government or organization to make prices lower, reduce the cost of producing goods etc" + }, + "evident": { + "CHS": "明显的;明白的", + "ENG": "easy to see, notice, or understand" + }, + "dubious": { + "CHS": "可疑的;暧昧的;无把握的;半信半疑的", + "ENG": "probably not honest, true, right etc" + }, + "edit": { + "CHS": "编辑工作" + }, + "refresh": { + "CHS": "更新;使……恢复;使……清新;消除……的疲劳", + "ENG": "if you refresh your computer screen while you are connected to the Internet, you make the screen show any new information that has arrived since you first began looking at it" + }, + "remark": { + "CHS": "评论;觉察", + "ENG": "to say something, especially about something you have just noticed" + }, + "influential": { + "CHS": "有影响力的人物" + }, + "sociable": { + "CHS": "联谊会" + }, + "vacant": { + "CHS": "(Vacant)人名;(法)瓦康" + }, + "weave": { + "CHS": "织物;织法;编织式样", + "ENG": "the way in which a material is woven, and the pattern formed by this" + }, + "hospitalize": { + "CHS": "就医;送…进医院治疗", + "ENG": "if someone is hospitalized, they are taken into a hospital for treatment" + }, + "verb": { + "CHS": "动词的;有动词性质的;起动词作用的" + }, + "Jesus": { + "CHS": "耶稣(上帝之子);杰西(男子名)", + "ENG": "Jesus or Jesus Christ is the name of the man who Christians believe was the son of God, and whose teachings are the basis of Christianity" + }, + "spike": { + "CHS": "阻止;以大钉钉牢;用尖物刺穿", + "ENG": "to prevent someone from saying something or printing something in a newspaper" + }, + "swollen": { + "CHS": "肿胀的,浮肿的;浮夸的;激动兴奋的", + "ENG": "a part of your body that is swollen is bigger than usual, especially because you are ill or injured" + }, + "scooter": { + "CHS": "小轮摩托车;速可达;单脚滑行车;小孩滑板车", + "ENG": "a type of small, less powerful motorcycle with small wheels" + }, + "feasible": { + "CHS": "可行的;可能的;可实行的", + "ENG": "a plan, idea, or method that is feasible is possible and is likely to work" + }, + "imaginable": { + "CHS": "可能的;可想像的", + "ENG": "used to emphasize that something is the best, worst etc that can be imagined" + }, + "quick": { + "CHS": "迅速地,快", + "ENG": "quickly – many teachers think this is not correct English" + }, + "engulf": { + "CHS": "吞没;吞食,狼吞虎咽", + "ENG": "if an unpleasant feeling engulfs you, you feel it very strongly" + }, + "deadweight": { + "CHS": "自重;载重量;重负" + }, + "hold": { + "CHS": "控制;保留", + "ENG": "control, power, or influence over something or someone" + }, + "deny": { + "CHS": "否定,否认;拒绝给予;拒绝…的要求", + "ENG": "to say that something is not true, or that you do not believe something" + }, + "stretch": { + "CHS": "伸展,延伸", + "ENG": "the action of stretching a part of your body out to its full length, or a particular way of doing this" + }, + "drumstick": { + "CHS": "鸡腿,家禽腿;鼓槌", + "ENG": "a stick that you use to hit a drum" + }, + "severe": { + "CHS": "严峻的;严厉的;剧烈的;苛刻的", + "ENG": "severe problems, injuries, illnesses etc are very bad or very serious" + }, + "eloquent": { + "CHS": "意味深长的;雄辩的,有口才的;有说服力的;动人的", + "ENG": "able to express your ideas and opinions well, especially in a way that influences people" + }, + "dignified": { + "CHS": "使高贵(dignify的过去式)" + }, + "depress": { + "CHS": "压抑;使沮丧;使萧条", + "ENG": "to make someone feel very unhappy" + }, + "germ": { + "CHS": "萌芽" + }, + "stab": { + "CHS": "刺;戳;尝试;突发的一阵", + "ENG": "an act of stabbing or trying to stab someone with a knife" + }, + "parliament": { + "CHS": "议会,国会", + "ENG": "the group of people who are elected to make a country’s laws and discuss important national affairs" + }, + "grave": { + "CHS": "雕刻;铭记", + "ENG": "to cut, carve, sculpt, or engrave " + }, + "intelligence": { + "CHS": "智力;情报工作;情报机关;理解力;才智,智慧;天分", + "ENG": "the ability to learn, understand, and think about things" + }, + "sweatshirt": { + "CHS": "运动衫;T-恤衫", + "ENG": "a loose warm piece of clothing which covers the top part of your body and arms and is worn especially for sport or relaxation" + }, + "rival": { + "CHS": "竞争的" + }, + "kit": { + "CHS": "装备" + }, + "input": { + "CHS": "[自][电子] 输入;将…输入电脑", + "ENG": "If you input information into a computer, you feed it in, for example, by typing it on a keyboard" + }, + "assemble": { + "CHS": "集合,聚集;装配;收集", + "ENG": "if you assemble a large number of people or things, or if they assemble, they are gathered together in one place, often for a particular purpose" + }, + "historic": { + "CHS": "有历史意义的;历史上著名的", + "ENG": "a historic event or act is very important and will be recorded as part of history" + }, + "monster": { + "CHS": "巨大的,庞大的", + "ENG": "unusually large" + }, + "biotechnology": { + "CHS": "[生物] 生物技术;[生物] 生物工艺学", + "ENG": "the use of living things such as cells, bacteria etc to make drugs, destroy waste matter etc" + }, + "insulation": { + "CHS": "绝缘;隔离,孤立", + "ENG": "when something is insulated or someone insulates something" + }, + "stress": { + "CHS": "强调;使紧张;加压力于;用重音读", + "ENG": "to emphasize a statement, fact, or idea" + }, + "whirl": { + "CHS": "旋转,回旋;急走;头晕眼花", + "ENG": "to turn or spin around very quickly, or to make someone or something do this" + }, + "tangerine": { + "CHS": "橘子", + "ENG": "a small sweet fruit like an orange with a skin that comes off easily" + }, + "leadership": { + "CHS": "领导能力;领导阶层", + "ENG": "the position of being the leader of a group, organization, country etc" + }, + "binary": { + "CHS": "[数] 二进制的;二元的,二态的", + "ENG": "a system of counting, used in computers, in which only the numbers 0 and 1 are used" + }, + "increase": { + "CHS": "增加,增大;繁殖", + "ENG": "if you increase something, or if it increases, it becomes bigger in amount, number, or degree" + }, + "originate": { + "CHS": "引起;创作", + "ENG": "to have the idea for something and start it" + }, + "embarrass": { + "CHS": "使局促不安;使困窘;阻碍", + "ENG": "to make someone feel ashamed, nervous, or uncomfortable, especially in front of other people" + }, + "emancipate": { + "CHS": "解放;释放", + "ENG": "to give someone the political or legal rights that they did not have before" + }, + "negligent": { + "CHS": "疏忽的;粗心大意的", + "ENG": "not taking enough care over something that you are responsible for, with the result that serious mistakes are made" + }, + "realm": { + "CHS": "领域,范围;王国", + "ENG": "a general area of knowledge, activity, or thought" + }, + "ferment": { + "CHS": "发酵;动乱", + "ENG": "if fruit, beer, wine etc ferments, or if it is fermented, the sugar in it changes to alcohol" + }, + "radiate": { + "CHS": "辐射状的,有射线的" + }, + "groom": { + "CHS": "新郎;马夫;男仆", + "ENG": "a bridegroom " + }, + "lad": { + "CHS": "少年,小伙子;家伙", + "ENG": "a boy or young man" + }, + "prevent": { + "CHS": "预防,防止;阻止", + "ENG": "to stop something from happening, or stop someone from doing something" + }, + "spearhead": { + "CHS": "带头;做先锋", + "ENG": "to lead an attack or organized action" + }, + "repent": { + "CHS": "[植] 匍匐生根的;[动] 爬行的", + "ENG": "lying or creeping along the ground; reptant " + }, + "grin": { + "CHS": "露齿笑", + "ENG": "a wide smile" + }, + "habitat": { + "CHS": "[生态] 栖息地,产地", + "ENG": "the natural home of a plant or animal" + }, + "treaty": { + "CHS": "条约,协议;谈判", + "ENG": "a formal written agreement between two or more countries or governments" + }, + "slip": { + "CHS": "串行线路接口协议,是旧式的协议(Serial Line Interface Protocol)" + }, + "capability": { + "CHS": "才能,能力;性能,容量", + "ENG": "the natural ability, skill, or power that makes a machine, person, or organization able to do something, especially something difficult" + }, + "helpless": { + "CHS": "无助的;无能的;没用的", + "ENG": "unable to look after yourself or to do anything to help yourself" + }, + "deploy": { + "CHS": "部署" + }, + "heroic": { + "CHS": "史诗;英勇行为", + "ENG": "If you describe someone's actions or plans as heroics, you think that they are foolish or dangerous because they are too difficult or brave for the situation in which they occur" + }, + "pumpkin": { + "CHS": "南瓜", + "ENG": "a very large orange fruit that grows on the ground, or the inside of this fruit" + }, + "jelly": { + "CHS": "成胶状", + "ENG": "to jellify " + }, + "glint": { + "CHS": "闪烁;(光线)反射;闪闪发光", + "ENG": "if a shiny surface glints, it gives out small flashes of light" + }, + "frozen": { + "CHS": "结冰(freeze的过去分词);凝固;变得刻板" + }, + "excess": { + "CHS": "额外的,过量的;附加的", + "ENG": "additional and not needed because there is already enough of something" + }, + "engineering": { + "CHS": "设计;管理(engineer的ing形式);建造" + }, + "absorbed": { + "CHS": "吸收;使全神贯注(absorb的过去分词形式)" + }, + "plume": { + "CHS": "羽毛", + "ENG": "a large feather or bunch of feathers, especially one that is used as a decoration on a hat" + }, + "output": { + "CHS": "输出", + "ENG": "if a computer outputs information, it produces it" + }, + "strength": { + "CHS": "力量;力气;兵力;长处", + "ENG": "the physical power and energy that makes someone strong" + }, + "proof": { + "CHS": "试验;校对;使不被穿透", + "ENG": "to proofread something" + }, + "chef": { + "CHS": "厨师,大师傅", + "ENG": "a skilled cook, especially the main cook in a hotel or restaurant" + }, + "narrowly": { + "CHS": "仔细地;勉强地;狭窄地;严密地", + "ENG": "by only a small amount" + }, + "virgin": { + "CHS": "处女", + "ENG": "someone who has never had sex" + }, + "keen": { + "CHS": "痛哭,挽歌" + }, + "consecutive": { + "CHS": "连贯的;连续不断的", + "ENG": "consecutive numbers or periods of time follow one after the other without any interruptions" + }, + "screw": { + "CHS": "螺旋;螺丝钉;吝啬鬼", + "ENG": "a thin pointed piece of metal that you push and turn in order to fasten pieces of metal or wood together" + }, + "curve": { + "CHS": "弯曲的;曲线形的" + }, + "condense": { + "CHS": "浓缩;凝结", + "ENG": "if a gas condenses, or is condensed, it becomes a liquid" + }, + "unlikely": { + "CHS": "未必" + }, + "painkiller": { + "CHS": "止痛药", + "ENG": "a medicine which reduces or removes pain" + }, + "mood": { + "CHS": "情绪,语气;心境;气氛", + "ENG": "the way you feel at a particular time" + }, + "transistor": { + "CHS": "晶体管(收音机)" + }, + "embroider": { + "CHS": "刺绣;装饰;镶边", + "ENG": "to decorate cloth by sewing a pattern, picture, or words on it with coloured threads" + }, + "unisex": { + "CHS": "男女皆宜的", + "ENG": "intended for both men and women" + }, + "disrupt": { + "CHS": "分裂的,中断的;分散的" + }, + "illumination": { + "CHS": "照明;[光] 照度;启发;灯饰(需用复数);阐明", + "ENG": "lighting provided by a lamp, light etc" + }, + "excessively": { + "CHS": "过分地;极度" + }, + "treason": { + "CHS": "[法] 叛国罪;不忠", + "ENG": "the crime of being disloyal to your country or its government, especially by helping its enemies or trying to remove the government using violence" + }, + "piece": { + "CHS": "修补;接合;凑合" + }, + "slumber": { + "CHS": "睡眠;蛰伏;麻木", + "ENG": "to sleep" + }, + "overcome": { + "CHS": "克服;胜过", + "ENG": "to successfully control a feeling or problem that prevents you from achieving something" + }, + "warehouse": { + "CHS": "储入仓库;以他人名义购进(股票)" + }, + "haste": { + "CHS": "赶快" + }, + "southward": { + "CHS": "朝南的方向" + }, + "embargo": { + "CHS": "禁令;禁止;封港令", + "ENG": "an official order to stop trade with another country" + }, + "abdomen": { + "CHS": "腹部;下腹;腹腔", + "ENG": "the part of your body between your chest and legs which contains your stomach, bowel s etc" + }, + "prestige": { + "CHS": "威望,声望;声誉", + "ENG": "the respect and admiration that someone or something gets because of their success or important position in society" + }, + "caravan": { + "CHS": "乘拖车度假;参加旅行队旅行" + }, + "foodstuff": { + "CHS": "食品,食物;粮食,食料", + "ENG": "food - used especially when talking about the business of producing or selling food" + }, + "tender": { + "CHS": "提供,偿还;使…变嫩;使…变柔软" + }, + "simultaneous": { + "CHS": "同时译员" + }, + "Negro": { + "CHS": "黑人的", + "ENG": "relating to or characteristic of Negroes " + }, + "accumulate": { + "CHS": "累积;积聚", + "ENG": "to gradually get more and more money, possessions, knowledge etc over a period of time" + }, + "earnings": { + "CHS": "收入", + "ENG": "the money that you receive for the work that you do" + }, + "certainty": { + "CHS": "必然;确实;确实的事情", + "ENG": "the state of being completely certain" + }, + "showdown": { + "CHS": "摊牌;紧要关头;最后一决胜负", + "ENG": "a meeting, argument, fight etc that will settle a disagreement or competition that has continued for a long time" + }, + "buoy": { + "CHS": "使浮起;支撑;鼓励", + "ENG": "to keep something floating" + }, + "synthesize": { + "CHS": "合成;综合", + "ENG": "to make something by combining different things or substances" + }, + "churchyard": { + "CHS": "境内;教堂院落,多做墓地", + "ENG": "a piece of land around a church where people are buried" + }, + "demolish": { + "CHS": "拆除;破坏;毁坏;推翻;驳倒", + "ENG": "to completely destroy a building" + }, + "abrupt": { + "CHS": "生硬的;突然的;唐突的;陡峭的", + "ENG": "sudden and unexpected" + }, + "species": { + "CHS": "物种上的" + }, + "capsule": { + "CHS": "压缩;简述" + }, + "scapegoat": { + "CHS": "使成为…的替罪羊", + "ENG": "To scapegoat someone means to blame them publicly for something bad that has happened, even though it was not their fault" + }, + "dialect": { + "CHS": "方言的" + }, + "petty": { + "CHS": "(Petty)人名;(英、法)佩蒂" + }, + "miner": { + "CHS": "矿工;开矿机", + "ENG": "someone who works under the ground in a mine to remove coal, gold etc" + }, + "flint": { + "CHS": "燧石;打火石;极硬的东西", + "ENG": "a type of smooth hard stone that makes a small flame when you hit it with steel" + }, + "pave": { + "CHS": "(Pave)人名;(西、塞)帕韦" + }, + "snooker": { + "CHS": "阻挠" + }, + "response": { + "CHS": "响应;反应;回答", + "ENG": "something that is done as a reaction to something that has happened or been said" + }, + "token": { + "CHS": "象征;代表" + }, + "diplomacy": { + "CHS": "外交;外交手腕;交际手段", + "ENG": "the job or activity of managing the relationships between countries" + }, + "deafen": { + "CHS": "使聋;淹没", + "ENG": "if a noise deafens you, it is so loud that you cannot hear anything else" + }, + "sapling": { + "CHS": "树苗;年轻人", + "ENG": "a young tree" + }, + "concubine": { + "CHS": "妾;情妇;姘妇", + "ENG": "a woman in the past who lived with and had sex with a man who already had a wife or wives, but who was socially less important than the wives" + }, + "clutch": { + "CHS": "没有手提带或背带的;紧要关头的" + }, + "inferior": { + "CHS": "下级;次品", + "ENG": "someone who has a lower position or rank than you in an organization" + }, + "conceive": { + "CHS": "怀孕;构思;以为;持有", + "ENG": "to think of a new idea, plan etc and develop it in your mind" + }, + "summarize": { + "CHS": "总结;概述", + "ENG": "to make a short statement giving only the main information and not the details of a plan, event, report etc" + }, + "kowtow": { + "CHS": "叩头" + }, + "thrift": { + "CHS": "节俭;节约;[植] 海石竹", + "ENG": "wise and careful use of money, so that none is wasted" + }, + "instruct": { + "CHS": "指导;通知;命令;教授", + "ENG": "to officially tell someone what to do" + }, + "prop": { + "CHS": "支撑,支持,维持;使倚靠在某物上", + "ENG": "to support something by leaning it against something, or by putting something else under, next to, or behind it" + }, + "testify": { + "CHS": "证明,证实;作证", + "ENG": "to make a formal statement of what is true, especially in a court of law" + }, + "sow": { + "CHS": "母猪", + "ENG": "a fully grown female pig" + }, + "apricot": { + "CHS": "杏黄色的" + }, + "election": { + "CHS": "选举;当选;选择权;上帝的选拔", + "ENG": "when people vote to choose someone for an official position" + }, + "wrist": { + "CHS": "用腕力移动" + }, + "dairy": { + "CHS": "乳品的;牛奶的;牛奶制的;产乳的", + "ENG": "Dairy is used to refer to foods such as butter and cheese that are made from milk" + }, + "Tory": { + "CHS": "保守主义的", + "ENG": "of, characteristic of, or relating to Tories " + }, + "hateful": { + "CHS": "可憎的;可恨的;可恶的", + "ENG": "very bad, unpleasant, or unkind" + }, + "carnival": { + "CHS": "狂欢节,嘉年华会;饮宴狂欢", + "ENG": "a public event at which people play music, wear special clothes, and dance in the streets" + }, + "sinister": { + "CHS": "阴险的;凶兆的;灾难性的;左边的", + "ENG": "making you feel that something evil, dangerous, or illegal is happening or will happen" + }, + "reform": { + "CHS": "改革的;改革教会的" + }, + "sardine": { + "CHS": "使拥挤不堪" + }, + "axe": { + "CHS": "削减;用斧砍" + }, + "backyard": { + "CHS": "后院;后庭", + "ENG": "a small area behind a house, covered with a hard surface" + }, + "rye": { + "CHS": "用黑麦制成的" + }, + "climax": { + "CHS": "高潮;顶点;层进法;极点", + "ENG": "the most exciting or important part of a story or experience, which usually comes near the end" + }, + "draft": { + "CHS": "初步画出或(写出)的;(设计、草图、提纲或版本)正在起草中的,草拟的;以草稿形式的;草图的", + "ENG": "a piece of writing that is not yet in its finished form" + }, + "confidently": { + "CHS": "自信地;安心地" + }, + "rub": { + "CHS": "摩擦;障碍;磨损处", + "ENG": "A massage can be referred to as a rub" + }, + "roar": { + "CHS": "咆哮;吼叫;喧闹", + "ENG": "to make a deep, very loud noise" + }, + "confess": { + "CHS": "承认;坦白;忏悔;供认", + "ENG": "to admit, especially to the police, that you have done something wrong or illegal" + }, + "consume": { + "CHS": "消耗,消费;使…著迷;挥霍", + "ENG": "to use time, energy, goods etc" + }, + "torrential": { + "CHS": "猛烈的,汹涌的;奔流的" + }, + "semester": { + "CHS": "学期;半年", + "ENG": "one of the two periods of time that a year at high schools and universities is divided into, especially in the US" + }, + "strife": { + "CHS": "冲突;争吵;不和", + "ENG": "trouble between two or more people or groups" + }, + "mathematical": { + "CHS": "数学的,数学上的;精确的", + "ENG": "relating to or using mathematics" + }, + "soak": { + "CHS": "浸;湿透;大雨", + "ENG": "when you soak something" + }, + "respective": { + "CHS": "分别的,各自的", + "ENG": "used before a plural noun to refer to the different things that belong to each separate person or thing mentioned" + }, + "rheumatism": { + "CHS": "[内科] 风湿病", + "ENG": "a disease that makes your joints or muscles painful and stiff" + }, + "enlarge": { + "CHS": "扩大;放大;详述", + "ENG": "if you enlarge something, or if it enlarges, it increases in size or scale" + }, + "hippo": { + "CHS": "河马;吐根", + "ENG": "a hippopotamus" + }, + "draw": { + "CHS": "平局;抽签", + "ENG": "the final result of a game or competition in which both teams or players have the same number of points" + }, + "monologue": { + "CHS": "独白", + "ENG": "a long speech by one person" + }, + "blend": { + "CHS": "混合;掺合物", + "ENG": "a product such as tea, tobacco, or whisky that is a mixture of several different types" + }, + "quest": { + "CHS": "追求;寻找", + "ENG": "If you are questing for something, you are searching for it" + }, + "amid": { + "CHS": "(Amid)人名;(法、阿拉伯)阿米德" + }, + "slice": { + "CHS": "切下;把…分成部分;将…切成薄片", + "ENG": "to cut meat, bread, vegetables etc into thin flat pieces" + }, + "merciless": { + "CHS": "残忍的;无慈悲心的", + "ENG": "cruel and showing no kindness or forgiveness" + }, + "relaxation": { + "CHS": "放松;缓和;消遣", + "ENG": "a way of resting and enjoying yourself" + }, + "hood": { + "CHS": "罩上;以头巾覆盖", + "ENG": "to cover or provide with or as if with a hood " + }, + "county": { + "CHS": "郡,县", + "ENG": "an area of a state or country that has its own government to deal with local matters" + }, + "besiege": { + "CHS": "围困;包围;烦扰", + "ENG": "to surround a city or castle with military force until the people inside let you take control" + }, + "significance": { + "CHS": "意义;重要性;意思", + "ENG": "The significance of something is the importance that it has, usually because it will have an effect on a situation or shows something about a situation" + }, + "scrub": { + "CHS": "矮小的;临时凑合的;次等的", + "ENG": "small, stunted, or inferior " + }, + "fission": { + "CHS": "裂变;分裂;分体;分裂生殖法", + "ENG": "the process of splitting an atom to produce large amounts of energy or an explosion" + }, + "viewpoint": { + "CHS": "观点,看法;视角", + "ENG": "a particular way of thinking about a problem or subject" + }, + "crest": { + "CHS": "到达绝顶;形成浪峰", + "ENG": "to reach the top of a hill or mountain" + }, + "enamel": { + "CHS": "彩饰;涂以瓷釉" + }, + "salesclerk": { + "CHS": "售货员;商店里的店员", + "ENG": "someone who sells things in a shop" + }, + "logic": { + "CHS": "逻辑的" + }, + "honeymoon": { + "CHS": "度蜜月", + "ENG": "to go somewhere for your honeymoon" + }, + "hatred": { + "CHS": "憎恨;怨恨;敌意", + "ENG": "an angry feeling of extreme dislike for someone or something" + }, + "safety": { + "CHS": "安全;保险;安全设备;保险装置;安打", + "ENG": "when someone or something is safe from danger or harm" + }, + "dilemma": { + "CHS": "困境;进退两难;两刀论法", + "ENG": "a situation in which it is very difficult to decide what to do, because all the choices seem equally good or equally bad" + }, + "exception": { + "CHS": "例外;异议", + "ENG": "something or someone that is not included in a general statement or does not follow a rule or pattern" + }, + "demerit": { + "CHS": "缺点,短处;过失", + "ENG": "a bad quality or feature of something" + }, + "preposition": { + "CHS": "介词;前置词", + "ENG": "a word that is used before a noun, pronoun , or gerund to show place, time, direction etc. In the phrase ‘the trees in the park’, ‘in’ is a preposition." + }, + "documentary": { + "CHS": "纪录片", + "ENG": "a film or television or a radio programme that gives detailed information about a particular subject" + }, + "porcelain": { + "CHS": "瓷制的;精美的" + }, + "stealthy": { + "CHS": "鬼鬼祟祟的;秘密的", + "ENG": "moving or doing something quietly and secretly" + }, + "materialism": { + "CHS": "唯物主义;唯物论;物质主义", + "ENG": "the belief that money and possessions are more important than art, religion, moral beliefs etc – used in order to show disapproval" + }, + "influenza": { + "CHS": "[内科] 流行性感冒(简写flu);家畜流行性感冒", + "ENG": "an infectious disease that is like a very bad cold" + }, + "justify": { + "CHS": "证明合法;整理版面", + "ENG": "To justify a decision, action, or idea means to show or prove that it is reasonable or necessary" + }, + "banister": { + "CHS": "栏杆的支柱;楼梯的扶栏", + "ENG": "a row of wooden posts with a bar along the top, that stops you from falling over the edge of stairs" + }, + "comparison": { + "CHS": "比较;对照;比喻;比较关系", + "ENG": "the process of comparing two or more people or things" + }, + "imaginary": { + "CHS": "虚构的,假想的;想像的;虚数的", + "ENG": "not real, but produced from pictures or ideas in your mind" + }, + "belongings": { + "CHS": "[经] 财产,所有物;亲戚", + "ENG": "the things you own, especially things that you can carry with you" + }, + "magnify": { + "CHS": "放大;赞美;夸大", + "ENG": "to make something seem bigger or louder, especially using special equipment" + }, + "invest": { + "CHS": "投资;覆盖;耗费;授予;包围", + "ENG": "to buy shares, property, or goods because you hope that the value will increase and you can make a profit" + }, + "noticeable": { + "CHS": "显而易见的,显著的;值得注意的", + "ENG": "easy to notice" + }, + "seminar": { + "CHS": "讨论会,研讨班", + "ENG": "a class at a university or college for a small group of students and a teacher to study or discuss a particular subject" + }, + "maize": { + "CHS": "玉米;黄色,玉米色", + "ENG": "a tall plant with large yellow seeds that grow together on a cob (= long hard part ) , and that are cooked and eaten as a vegetable" + }, + "thereabouts": { + "CHS": "大约;在那附近(等于thereabout)", + "ENG": "near a particular time, place, number etc, but not exactly" + }, + "caterpillar": { + "CHS": "有履带装置的" + }, + "skull": { + "CHS": "头盖骨,脑壳", + "ENG": "the bones of a person’s or animal’s head" + }, + "xerox": { + "CHS": "用静电复印法复印", + "ENG": "If you Xerox a document, you make a copy of it using a Xerox machine" + }, + "heartbeat": { + "CHS": "心跳;情感", + "ENG": "the action or sound of your heart as it pumps blood through your body" + }, + "rental": { + "CHS": "租赁的;收取租金的", + "ENG": "You use rental to describe things that are connected with the renting out of goods, properties, and services" + }, + "pod": { + "CHS": "结豆荚", + "ENG": "to remove the pod or shell from (peas, beans, etc) " + }, + "geopolitics": { + "CHS": "地缘政治学;地理政治论", + "ENG": "ideas and activities relating to the way that a country’s position, population etc affect its political development and its relationship with other countries, or the study of this" + }, + "core": { + "CHS": "挖的核", + "ENG": "If you core a fruit, you remove its core" + }, + "suckle": { + "CHS": "给…哺乳;吮吸;养育", + "ENG": "to feed a baby or young animal with milk from the breast" + }, + "utmost": { + "CHS": "极度的;最远的", + "ENG": "You can use utmost to emphasize the importance or seriousness of something or to emphasize the way that it is done" + }, + "tread": { + "CHS": "踏;踩;践踏;跳;踩出", + "ENG": "to put your foot on or in something while you are walking" + }, + "discourage": { + "CHS": "阻止;使气馁", + "ENG": "to make something less likely to happen" + }, + "rainproof": { + "CHS": "使防水", + "ENG": "to make rainproof " + }, + "lighter": { + "CHS": "明亮的;光明的;照明好的;光线充足的" + }, + "diffuse": { + "CHS": "扩散;传播;漫射", + "ENG": "to make heat, light, liquid etc spread through something, or to spread like this" + }, + "commit": { + "CHS": "犯罪,做错事;把交托给;指派…作战;使…承担义务", + "ENG": "to do something wrong or illegal" + }, + "clearance": { + "CHS": "清除;空隙", + "ENG": "the removal of unwanted things from a place" + }, + "environmental": { + "CHS": "环境的,周围的;有关环境的", + "ENG": "concerning or affecting the air, land, or water on Earth" + }, + "existent": { + "CHS": "存在的;生存的", + "ENG": "existing now" + }, + "state": { + "CHS": "国家的;州的;正式的", + "ENG": "State industries or organizations are financed and organized by the government rather than private companies" + }, + "patriot": { + "CHS": "爱国者", + "ENG": "someone who loves their country and is willing to defend it – used to show approval" + }, + "tickle": { + "CHS": "胳肢;痒感;使人发痒、高兴的东西", + "ENG": "a feeling in your throat that makes you want to cough" + }, + "cereal": { + "CHS": "谷类的;谷类制成的" + }, + "aquarium": { + "CHS": "水族馆;养鱼池;玻璃缸", + "ENG": "a clear glass or plastic container for fish and other water animals" + }, + "anode": { + "CHS": "阳极(电解)", + "ENG": "the part of a battery that collects electron s , often a wire or piece of metal with the sign (+)" + }, + "survive": { + "CHS": "幸存;生还;幸免于;比活得长", + "ENG": "to continue to live after an accident, war, or illness" + }, + "sparse": { + "CHS": "稀疏的;稀少的", + "ENG": "existing only in small amounts" + }, + "excellent": { + "CHS": "卓越的;极好的;杰出的", + "ENG": "extremely good or of very high quality" + }, + "linen": { + "CHS": "亚麻的;亚麻布制的" + }, + "blessing": { + "CHS": "使幸福(bless的ing形式);使神圣化;为…祈神赐福" + }, + "whale": { + "CHS": "鲸;巨大的东西", + "ENG": "a very large animal that lives in the sea and looks like a fish, but is actually a mammal" + }, + "subsidiary": { + "CHS": "子公司;辅助者", + "ENG": "a company that is owned or controlled by another larger company" + }, + "widow": { + "CHS": "寡妇;孀妇", + "ENG": "a woman whose husband has died and who has not married again" + }, + "division": { + "CHS": "[数] 除法;部门;分配;分割;师(军队);赛区", + "ENG": "the act of separating something into two or more different parts, or the way these parts are separated or shared" + }, + "filth": { + "CHS": "污秽;肮脏;猥亵;不洁", + "ENG": "dirt, especially a lot of it" + }, + "droop": { + "CHS": "下垂;消沉", + "ENG": "Droop is also a noun" + }, + "tackle": { + "CHS": "处理;抓住;固定;与…交涉", + "ENG": "to try to deal with a difficult problem" + }, + "query": { + "CHS": "询问;对……表示疑问", + "ENG": "to express doubt about whether something is true or correct" + }, + "chargeable": { + "CHS": "应支付的;可以控诉的;可充电的;应课税的", + "ENG": "needing to be paid for" + }, + "envoy": { + "CHS": "使者;全权公使", + "ENG": "someone who is sent to another country as an official representative" + }, + "panel": { + "CHS": "嵌镶板" + }, + "stump": { + "CHS": "砍伐;使为难;在…作巡回政治演说", + "ENG": "to travel around an area, meeting people and making speeches in order to gain political support" + }, + "confine": { + "CHS": "限制;禁闭", + "ENG": "to keep someone or something within the limits of a particular activity or subject" + }, + "attentive": { + "CHS": "留意的,注意的", + "ENG": "listening to or watching someone carefully because you are interested" + }, + "artillery": { + "CHS": "火炮;大炮;炮队;炮术", + "ENG": "large guns, either on wheels or fixed in one place" + }, + "illuminate": { + "CHS": "阐明,说明;照亮;使灿烂;用灯装饰", + "ENG": "to make a light shine on something, or to fill a place with light" + }, + "cultivate": { + "CHS": "培养;陶冶;耕作", + "ENG": "to prepare and use land for growing crops and plants" + }, + "otherwise": { + "CHS": "其他;如果不;然后" + }, + "form": { + "CHS": "构成,组成;排列,组织;产生,塑造", + "ENG": "to establish an organization, committee, government etc" + }, + "idle": { + "CHS": "无所事事;虚度;空转", + "ENG": "if an engine idles, it runs slowly while the vehicle, machine etc is not moving" + }, + "mentality": { + "CHS": "心态;[心理] 智力;精神力;头脑作用", + "ENG": "a particular attitude or way of thinking, especially one that you think is wrong or stupid" + }, + "surrender": { + "CHS": "投降;放弃;交出;屈服", + "ENG": "when you say officially that you want to stop fighting because you realize that you cannot win" + }, + "indifferent": { + "CHS": "漠不关心的;无关紧要的;中性的,中立的", + "ENG": "not at all interested in someone or something" + }, + "ambiguity": { + "CHS": "含糊;不明确;暧昧;模棱两可的话", + "ENG": "the state of being unclear, confusing, or not certain, or things that produce this effect" + }, + "compulsory": { + "CHS": "(花样滑冰、竞技体操等的)规定动作" + }, + "shellfish": { + "CHS": "甲壳类动物;贝类等有壳的水生动物", + "ENG": "an animal that lives in water, has a shell, and can be eaten as food, for example crab s , lobster s , and oyster s " + }, + "horror": { + "CHS": "惊骇;惨状;极端厌恶;令人恐怖的事物", + "ENG": "a strong feeling of shock and fear" + }, + "saddle": { + "CHS": "承受;使负担;装以马鞍", + "ENG": "to put a saddle on a horse" + }, + "nickel": { + "CHS": "镀镍于" + }, + "compel": { + "CHS": "(Compel)人名;(法)孔佩尔" + }, + "rest": { + "CHS": "休息,静止;休息时间;剩余部分;支架", + "ENG": "a period of time when you are not doing anything tiring and you can relax or sleep" + }, + "tavern": { + "CHS": "酒馆;客栈", + "ENG": "a pub where you can also stay the night" + }, + "straightforward": { + "CHS": "直截了当地;坦率地" + }, + "conjunction": { + "CHS": "结合;[语] 连接词;同时发生", + "ENG": "a combination of different things that have come together by chance" + }, + "dictate": { + "CHS": "命令;指示", + "ENG": "an order, rule, or principle that you have to obey" + }, + "seemingly": { + "CHS": "看来似乎;表面上看来", + "ENG": "according to the facts as you know them" + }, + "aptitude": { + "CHS": "天资;自然倾向;适宜", + "ENG": "natural ability or skill, especially in learning" + }, + "chestnut": { + "CHS": "栗色的", + "ENG": "red-brown in colour" + }, + "herring": { + "CHS": "鲱", + "ENG": "a long thin silver sea fish that can be eaten" + }, + "hoarse": { + "CHS": "嘶哑的", + "ENG": "if you are hoarse, or if your voice is hoarse, you speak in a low rough voice, for example because your throat is sore" + }, + "supplement": { + "CHS": "增补,补充;补充物;增刊,副刊", + "ENG": "something that you add to something else to improve it or make it complete" + }, + "knot": { + "CHS": "打结", + "ENG": "to tie together two ends or pieces of string, rope, cloth etc" + }, + "misfortune": { + "CHS": "不幸;灾祸,灾难", + "ENG": "very bad luck, or something that happens to you as a result of bad luck" + }, + "leopard": { + "CHS": "豹;美洲豹", + "ENG": "a large animal of the cat family, with yellow fur and black spots, which lives in Africa and South Asia" + }, + "suggestion": { + "CHS": "建议;示意;微量,细微的迹象", + "ENG": "an idea, plan, or possibility that someone mentions, or the act of mentioning it" + }, + "maintain": { + "CHS": "维持;继续;维修;主张;供养", + "ENG": "to make something continue in the same way or at the same standard as before" + }, + "collegiate": { + "CHS": "大学的;学院的;大学生的", + "ENG": "relating to college or a college" + }, + "sherry": { + "CHS": "雪利酒(西班牙产的一种烈性白葡萄酒);葡萄酒", + "ENG": "a pale or dark brown strong wine, originally from Spain" + }, + "kiosk": { + "CHS": "【网络】自助服务终端;一体机;Kiosk (KDE);小卖部" + }, + "prevail": { + "CHS": "盛行,流行;战胜,获胜", + "ENG": "if a belief, custom, situation etc prevails, it exists among a group of people at a certain time" + }, + "hustle": { + "CHS": "推;奔忙;拥挤喧嚷", + "ENG": "busy and noisy activity" + }, + "lofty": { + "CHS": "(Lofty)人名;(英)洛夫蒂" + }, + "suited": { + "CHS": "适合(suit的过去分词)" + }, + "bulb": { + "CHS": "生球茎;膨胀成球状" + }, + "denounce": { + "CHS": "谴责;告发;公然抨击;通告废除", + "ENG": "to express strong disapproval of someone or something, especially in public" + }, + "ego": { + "CHS": "自我;自负;自我意识", + "ENG": "the opinion that you have about yourself" + }, + "lime": { + "CHS": "绿黄色的" + }, + "solve": { + "CHS": "解决;解答;溶解", + "ENG": "to find or provide a way of dealing with a problem" + }, + "imperial": { + "CHS": "纸张尺寸;特等品" + }, + "exert": { + "CHS": "运用,发挥;施以影响", + "ENG": "to use your power, influence etc in order to make something happen" + }, + "innumerable": { + "CHS": "无数的,数不清的", + "ENG": "very many, or too many to be counted" + }, + "burglar": { + "CHS": "夜贼,窃贼", + "ENG": "someone who goes into houses, shops etc to steal things" + }, + "slender": { + "CHS": "细长的;苗条的;微薄的", + "ENG": "thin in an attractive or graceful way" + }, + "dioxide": { + "CHS": "二氧化物", + "ENG": "a chemical compound that contains two atoms of oxygen and one atom of another chemical element " + }, + "tornado": { + "CHS": "[气象] 龙卷风;旋风;暴风;大雷雨", + "ENG": "an extremely violent storm consisting of air that spins very quickly and causes a lot of damage" + }, + "insecticide": { + "CHS": "杀虫剂", + "ENG": "a chemical substance used for killing insects" + }, + "skilled": { + "CHS": "熟练的;有技能的;需要技能的", + "ENG": "someone who is skilled has the training and experience that is needed to do something well" + }, + "forge": { + "CHS": "伪造;做锻工;前进", + "ENG": "to illegally copy something, especially something printed or written, to make people think that it is real" + }, + "reckless": { + "CHS": "(Reckless)人名;(英)雷克利斯" + }, + "ape": { + "CHS": "狂热的" + }, + "pursue": { + "CHS": "继续;从事;追赶;纠缠", + "ENG": "to continue doing an activity or trying to achieve something over a long period of time" + }, + "operation": { + "CHS": "操作;经营;[外科] 手术;[数][计] 运算", + "ENG": "the process of cutting into someone’s body to repair or remove a part that is damaged" + }, + "separate": { + "CHS": "分开;抽印本" + }, + "relativity": { + "CHS": "相对论;相关性;相对性", + "ENG": "the relationship in physics between time, space, and movement according to Einstein’s theory " + }, + "anchor": { + "CHS": "末棒的;最后一棒的" + }, + "restrictive": { + "CHS": "限制词" + }, + "bosom": { + "CHS": "知心的;亲密的", + "ENG": "A bosom buddy is a friend who you know very well and like very much" + }, + "stall": { + "CHS": "停止,停转;拖延", + "ENG": "if an engine or vehicle stalls, or if you stall it, it stops because there is not enough power or speed to keep it going" + }, + "narrate": { + "CHS": "叙述;给…作旁白", + "ENG": "to tell a story by describing all the events in order, for example in a book" + }, + "tray": { + "CHS": "托盘;文件盒;隔底匣;(无线电的)发射箱", + "ENG": "a flat piece of plastic, metal, or wood, with raised edges, used for carrying things such as plates, food etc" + }, + "verdict": { + "CHS": "结论;裁定", + "ENG": "an official decision made in a court of law, especially about whether someone is guilty of a crime or how a death happened" + }, + "spur": { + "CHS": "骑马疾驰;给予刺激", + "ENG": "to make an improvement or change happen faster" + }, + "veto": { + "CHS": "否决;禁止", + "ENG": "if someone in authority vetoes something, they refuse to allow it to happen, especially something that other people or organizations have agreed" + }, + "knob": { + "CHS": "使有球形突出物" + }, + "export": { + "CHS": "输出物资", + "ENG": "to sell goods to another country" + }, + "seasick": { + "CHS": "晕船的", + "ENG": "feeling ill when you travel in a boat, because of the movement of the boat in the water" + }, + "differential": { + "CHS": "微分;差别", + "ENG": "a difference between things, especially between the wages of people doing different types of jobs in the same industry or profession" + }, + "speedway": { + "CHS": "高速公路;(摩托车或汽车的)赛车跑道;机器脚踏车的竞赛场", + "ENG": "the sport of racing motorcycles or cars on a special track" + }, + "cope": { + "CHS": "长袍", + "ENG": "a long loose piece of clothing worn by priests on special occasions" + }, + "decimal": { + "CHS": "小数", + "ENG": "a fraction (= a number less than 1 ) that is shown as a full stop followed by the number of tenth s , hundredth s etc. The numbers 0.5, 0.175, and 0.661 are decimals." + }, + "silent": { + "CHS": "无声电影" + }, + "dummy": { + "CHS": "傀儡;哑巴;仿制品", + "ENG": "an object that is made to look like a tool, weapon, vehicle etc but which you cannot use" + }, + "precede": { + "CHS": "领先,在…之前;优于,高于", + "ENG": "to happen or exist before something or someone, or to come before something else in a series" + }, + "temperament": { + "CHS": "气质,性情,性格;急躁", + "ENG": "the emotional part of someone’s character, especially how likely they are to be happy, angry etc" + }, + "swarm": { + "CHS": "蜂群;一大群", + "ENG": "a large group of insects, especially bee s ,moving together" + }, + "rack": { + "CHS": "变形;随风飘;小步跑", + "ENG": "(of clouds) to be blown along by the wind " + }, + "pager": { + "CHS": "寻呼机,呼机", + "ENG": "a small machine you can carry in your pocket that can receive signals from a telephone. It tells you when someone has sent you a message, or wants you to telephone them, for example by making a noise." + }, + "vanish": { + "CHS": "弱化音" + }, + "copper": { + "CHS": "镀铜" + }, + "snail": { + "CHS": "缓慢移动" + }, + "readily": { + "CHS": "容易地;乐意地;无困难地", + "ENG": "quickly, willingly, and without complaining" + }, + "tramp": { + "CHS": "流浪者;沉重的脚步声;徒步旅行", + "ENG": "someone who has no home or job and moves from place to place, often asking for food or money" + }, + "chap": { + "CHS": "使皲裂", + "ENG": "(of the skin) to make or become raw and cracked, esp by exposure to cold " + }, + "curable": { + "CHS": "可治愈的;可医治的;可矫正的", + "ENG": "an illness that is curable can be cured" + }, + "continue": { + "CHS": "继续,延续;仍旧,连续", + "ENG": "to not stop happening, existing, or doing something" + }, + "corduroy": { + "CHS": "灯芯绒做的;泥地上用木头铺排成的" + }, + "bind": { + "CHS": "捆绑;困境;讨厌的事情;植物的藤蔓", + "ENG": "an annoying or difficult situation" + }, + "cola": { + "CHS": "可乐;可乐树(其子含咖啡碱)", + "ENG": "a brown sweet soft drink , or a bottle, can, or glass of this drink" + }, + "alert": { + "CHS": "警戒,警惕;警报", + "ENG": "a warning to be ready for possible danger" + }, + "sprout": { + "CHS": "芽;萌芽;苗芽", + "ENG": "a small green vegetable like a very small cabbage " + }, + "devote": { + "CHS": "致力于;奉献", + "ENG": "to use all or most of your time, effort etc in order to do something or help someone" + }, + "yardstick": { + "CHS": "码尺", + "ENG": "something that you compare another thing with, in order to judge how good or successful it is" + }, + "riot": { + "CHS": "骚乱;放荡", + "ENG": "if a crowd of people riot, they behave in a violent and uncontrolled way, for example by fighting the police and damaging cars or buildings" + }, + "urine": { + "CHS": "尿", + "ENG": "the yellow liquid waste that comes out of the body from the bladder" + }, + "playwright": { + "CHS": "剧作家", + "ENG": "someone who writes plays" + }, + "monopoly": { + "CHS": "垄断;垄断者;专卖权", + "ENG": "if a company or government has a monopoly of a business or political activity, it has complete control of it so that other organizations cannot compete with it" + }, + "personnel": { + "CHS": "人员的;有关人事的" + }, + "lieutenant": { + "CHS": "中尉;副官;助理人员", + "ENG": "someone who does work for, or in place of, someone in a higher position" + }, + "glide": { + "CHS": "滑翔;滑行;滑移;滑音", + "ENG": "a smooth quiet movement that seems to take no effort" + }, + "clamp": { + "CHS": "夹钳,螺丝钳", + "ENG": "a piece of equipment for holding things together" + }, + "suspicious": { + "CHS": "可疑的;怀疑的;多疑的", + "ENG": "thinking that someone might be guilty of doing something wrong or dishonest" + }, + "exquisite": { + "CHS": "服饰过于讲究的男子" + }, + "disbelief": { + "CHS": "怀疑,不信", + "ENG": "a feeling that something is not true or does not exist" + }, + "seaweed": { + "CHS": "海藻,海草", + "ENG": "a plant that grows in the sea" + }, + "prune": { + "CHS": "深紫红色;傻瓜;李子干", + "ENG": "a dried plum , often cooked before it is eaten" + }, + "smith": { + "CHS": "史密斯(男子姓氏)" + }, + "relevant": { + "CHS": "相关的;切题的;中肯的;有重大关系的;有意义的,目的明确的", + "ENG": "directly relating to the subject or problem being discussed or considered" + }, + "garrison": { + "CHS": "驻防;守卫", + "ENG": "to send a group of soldiers to defend or guard a place" + }, + "costly": { + "CHS": "(Costly)人名;(英)科斯特利" + }, + "watt": { + "CHS": "瓦特", + "ENG": "a unit for measuring electrical power" + }, + "syllable": { + "CHS": "按音节发音;讲话" + }, + "special": { + "CHS": "特别的;专门的,专用的", + "ENG": "not ordinary or usual, but different in some way and often better or more important" + }, + "sue": { + "CHS": "(Sue)人名;(日)末(名);(法)休;(英)休(女子教名Susan、Susanna的昵称)" + }, + "sacred": { + "CHS": "神的;神圣的;宗教的;庄严的", + "ENG": "relating to a god or religion" + }, + "thumbtack": { + "CHS": "用图钉钉住" + }, + "adventurous": { + "CHS": "爱冒险的;大胆的;充满危险的", + "ENG": "not afraid of taking risks or trying new things" + }, + "tempt": { + "CHS": "诱惑;引起;冒…的风险;使感兴趣", + "ENG": "to make someone want to have or do something, even though they know they really should not" + }, + "spruce": { + "CHS": "云杉", + "ENG": "a tree that grows in nor-thern countries and has short leaves shaped like needles" + }, + "converse": { + "CHS": "逆行,逆向;倒;相反的事物", + "ENG": "the converse of a fact, word, statement etc is the opposite of it" + }, + "permanent": { + "CHS": "烫发(等于permanent wave)", + "ENG": "a perm 1 " + }, + "cobbler": { + "CHS": "补鞋匠;工匠;冷饮料;脆皮水果馅饼", + "ENG": "cooked fruit covered with a sweet bread-like mixture" + }, + "casino": { + "CHS": "俱乐部,赌场;娱乐场", + "ENG": "a place where people try to win money by playing card games or roulette " + }, + "underworld": { + "CHS": "黑社会;地狱;下层社会;尘世", + "ENG": "the criminals in a particular place and the criminal activities they are involved in" + }, + "hike": { + "CHS": "远足;徒步旅行;涨价", + "ENG": "a long walk in the mountains or countryside" + }, + "Scandinavian": { + "CHS": "斯堪的纳维亚的;斯堪的纳维亚人的;斯堪的纳维亚语的;北欧日耳曼语系的", + "ENG": "Scandinavian means belonging or relating to a group of northern European countries that includes Denmark, Norway, and Sweden, or to the people, languages, or culture of those countries" + }, + "accustom": { + "CHS": "使习惯于", + "ENG": "to make yourself or another person become used to a situation or place" + }, + "congregate": { + "CHS": "集合在一起的" + }, + "gateway": { + "CHS": "门;网关;方法;通道;途径", + "ENG": "the opening in a fence, wall etc that can be closed by a gate" + }, + "fume": { + "CHS": "烟;愤怒,烦恼", + "ENG": "Fumes are the unpleasant and often unhealthy smoke and gases that are produced by fires or by things such as chemicals, fuel, or cooking" + }, + "janitor": { + "CHS": "看门人;守卫;门警", + "ENG": "someone whose job is to look after a school or other large building" + }, + "fastening": { + "CHS": "扣紧;系结物(fasten的现在分词)" + }, + "raid": { + "CHS": "对…进行突然袭击", + "ENG": "if police raid a place, they make a surprise visit to search for something illegal" + }, + "staunch": { + "CHS": "(Staunch)人名;(英)斯汤奇" + }, + "era": { + "CHS": "时代;年代;纪元", + "ENG": "a period of time in history that is known for a particular event, or for particular qualities" + }, + "professional": { + "CHS": "专业人员;职业运动员", + "ENG": "someone who earns money by doing a job, sport, or activity that many other people do just for fun" + }, + "steamer": { + "CHS": "轮船;蒸汽机;蒸笼", + "ENG": "a steamship " + }, + "comedian": { + "CHS": "喜剧演员;滑稽人物", + "ENG": "someone whose job is to tell jokes and make people laugh" + }, + "tumour": { + "CHS": "[肿瘤] 瘤;肿瘤;肿块", + "ENG": "a mass of diseased cells in your body that have divided and increased too quickly" + }, + "shake": { + "CHS": "摇动;哆嗦", + "ENG": "if you give something a shake, you move it up and down or from side to side" + }, + "reflex": { + "CHS": "反射的;反省的;反作用的;优角的" + }, + "pleasing": { + "CHS": "取悦(please的现在分词)" + }, + "verge": { + "CHS": "边缘", + "ENG": "the edge of a road, path etc" + }, + "evolve": { + "CHS": "发展,进化;进化;使逐步形成;推断出", + "ENG": "if an animal or plant evolves, it changes gradually over a long period of time" + }, + "barn": { + "CHS": "把…贮存入仓" + }, + "innovate": { + "CHS": "创新;改革;革新", + "ENG": "to start to use new ideas, methods, or inventions" + }, + "mango": { + "CHS": "[园艺] 芒果", + "ENG": "a tropical fruit with a thin skin and sweet yellow flesh" + }, + "agenda": { + "CHS": "议程;日常工作事项;日程表", + "ENG": "a list of problems or subjects that a government, organization etc is planning to deal with" + }, + "compliment": { + "CHS": "恭维;称赞", + "ENG": "to say something nice to someone in order to praise them" + }, + "suffocate": { + "CHS": "受阻,受扼制;窒息", + "ENG": "to die or make someone die by preventing them from breathing" + }, + "Welsh": { + "CHS": "威尔士语", + "ENG": "people from Wales" + }, + "bureau": { + "CHS": "局,处;衣柜;办公桌", + "ENG": "a government department or a part of a government department in the US" + }, + "retail": { + "CHS": "零售的" + }, + "sewage": { + "CHS": "污水;下水道;污物", + "ENG": "the mixture of waste from the human body and used water, that is carried away from houses by pipes under the ground" + }, + "range": { + "CHS": "(在内)变动;平行,列为一行;延伸;漫游;射程达到", + "ENG": "to move around in an area without aiming for a particular place" + }, + "entertain": { + "CHS": "娱乐;招待;怀抱;容纳", + "ENG": "to invite people to your home for a meal, party etc, or to take your company’s customers somewhere to have a meal, drinks etc" + }, + "discharge": { + "CHS": "排放;卸货;解雇", + "ENG": "when gas, liquid, smoke etc is sent out, or the substance that is sent out" + }, + "static": { + "CHS": "静电;静电干扰", + "ENG": "noise caused by electricity in the air that blocks or spoils the sound from radio or TV" + }, + "illiteracy": { + "CHS": "文盲;无知", + "ENG": "Illiteracy is the state of not knowing how to read or write" + }, + "passion": { + "CHS": "激情;热情;酷爱;盛怒", + "ENG": "a very strong belief or feeling about something" + }, + "transplant": { + "CHS": "移植;移植器官;被移植物;移居者", + "ENG": "the operation of transplanting an organ, piece of skin etc" + }, + "poverty": { + "CHS": "贫困;困难;缺少;低劣", + "ENG": "the situation or experience of being poor" + }, + "resentment": { + "CHS": "愤恨,怨恨", + "ENG": "a feeling of anger because something has happened that you think is unfair" + }, + "concerned": { + "CHS": "关心(concern的过去时和过去分词);与…有关" + }, + "extinguish": { + "CHS": "熄灭;压制;偿清", + "ENG": "to make a fire or light stop burning or shining" + }, + "workbook": { + "CHS": "工作手册;练习簿", + "ENG": "a school book containing questions and exercises" + }, + "tribute": { + "CHS": "礼物;[税收] 贡物;颂词;(尤指对死者的)致敬,悼念,吊唁礼物", + "ENG": "something that you say, do, or give in order to express your respect or admiration for someone" + }, + "dragon": { + "CHS": "龙;凶暴的人,凶恶的人;严厉而有警觉性的女人", + "ENG": "a large imaginary animal that has wings and a long tail and can breathe out fire" + }, + "beware": { + "CHS": "当心,小心", + "ENG": "used to warn someone to be careful because something is dangerous" + }, + "uncontrollable": { + "CHS": "无法控制的;无法管束的;难以驾驭的", + "ENG": "if an emotion, desire, or physical action is uncontrollable, you cannot control it or stop yourself from feeling it or doing it" + }, + "fascism": { + "CHS": "法西斯主义;极端国家主义", + "ENG": "a right-wing political system in which people’s lives are completely controlled by the state and no political opposition is allowed" + }, + "lipstick": { + "CHS": "涂口红" + }, + "ounce": { + "CHS": "盎司;少量;雪豹", + "ENG": "a unit for measuring weight, equal to 28.35 grams. There are 16 ounces in a pound." + }, + "kid": { + "CHS": "小山羊皮制的;较年幼的" + }, + "twinkle": { + "CHS": "闪烁", + "ENG": "an expression in your eyes that shows you are happy or amused" + }, + "band": { + "CHS": "用带绑扎;给镶边" + }, + "telecommunications": { + "CHS": "通讯行业:服务类型变更,缴纳话费,账户总览等所有业务均可通过移动设备完成" + }, + "cargo": { + "CHS": "货物,船货", + "ENG": "the goods that are being carried in a ship or plane" + }, + "motorway": { + "CHS": "高速公路,汽车高速公路", + "ENG": "a very wide road for travelling fast over long distances, especially between cities" + }, + "password": { + "CHS": "密码;口令", + "ENG": "a secret group of letters or numbers that you must type into a computer before you can use a system or program" + }, + "fail": { + "CHS": "不及格", + "ENG": "an unsuccessful result in a test or examination" + }, + "indoors": { + "CHS": "在室内,在户内", + "ENG": "into or inside a building" + }, + "moth": { + "CHS": "蛾;蛀虫", + "ENG": "an insect related to the butterfly that flies mainly at night and is attracted to lights. Some moths eat holes in cloth." + }, + "mint": { + "CHS": "完美的", + "ENG": "looking new and in perfect condition" + }, + "rib": { + "CHS": "戏弄;装肋于", + "ENG": "to furnish or support with a rib or ribs " + }, + "fossil": { + "CHS": "化石的;陈腐的,守旧的" + }, + "donut": { + "CHS": "炸面圈;环状线圈(等于doughnut)" + }, + "deal": { + "CHS": "交易;(美)政策;待遇;份量", + "ENG": "treatment of a particular type that is given or received" + }, + "interfere": { + "CHS": "干涉;妨碍;打扰", + "ENG": "to deliberately get involved in a situation where you are not wanted or needed" + }, + "unnatural": { + "CHS": "不自然的;反常的;不近人情的", + "ENG": "different from what you would normally expect" + }, + "quite": { + "CHS": "很;相当;完全", + "ENG": "You use quite to indicate that something is the case to a fairly great extent" + }, + "versatile": { + "CHS": "多才多艺的;通用的,万能的;多面手的", + "ENG": "someone who is versatile has many different skills" + }, + "cookery": { + "CHS": "烹调术;烹调业", + "ENG": "the art or skill of cooking" + }, + "darling": { + "CHS": "心爱的人;亲爱的", + "ENG": "used when speaking to someone you love" + }, + "focus": { + "CHS": "使集中;使聚焦", + "ENG": "to give special attention to one particular person or thing, or to make people do this" + }, + "inquire": { + "CHS": "询问;查究;问明", + "ENG": "to ask someone for information" + }, + "hose": { + "CHS": "用软管浇水;痛打", + "ENG": "to wash or pour water over something or someone, using a hose" + }, + "wholly": { + "CHS": "完全地;全部;统统", + "ENG": "completely" + }, + "lease": { + "CHS": "出租;租得", + "ENG": "to use a building, car etc under a lease" + }, + "warmth": { + "CHS": "温暖;热情;激动", + "ENG": "the heat something produces, or when you feel warm" + }, + "priest": { + "CHS": "使成为神职人员;任命…为祭司" + }, + "hyphen": { + "CHS": "连字号", + "ENG": "a short written or printed line (-) that joins words or syllables " + }, + "pose": { + "CHS": "姿势,姿态;装模作样", + "ENG": "the position in which someone stands or sits, especially in a painting, photograph etc" + }, + "snicker": { + "CHS": "窃笑", + "ENG": "Snicker is also a noun" + }, + "possess": { + "CHS": "控制;使掌握;持有;迷住;拥有,具备", + "ENG": "to have a particular quality or ability" + }, + "whisker": { + "CHS": "[晶体] 晶须;胡须;腮须", + "ENG": "one of the long stiff hairs that grow near the mouth of a cat, mouse etc" + }, + "pickpocket": { + "CHS": "扒手", + "ENG": "someone who steals things from people’s pockets, especially in a crowd" + }, + "stiffen": { + "CHS": "变硬;变猛烈;变粘", + "ENG": "to become stronger, more severe, or more determined, or to make something do this" + }, + "surpass": { + "CHS": "超越;胜过,优于;非…所能办到或理解", + "ENG": "to be even better or greater than someone or something else" + }, + "lover": { + "CHS": "爱人,恋人;爱好者", + "ENG": "someone’s lover is the person they are having a sexual relationship with but who they are not married to" + }, + "solemn": { + "CHS": "庄严的,严肃的;隆重的,郑重的", + "ENG": "very serious and not happy, for example because something bad has happened or because you are at an important occasion" + }, + "erroneous": { + "CHS": "错误的;不正确的", + "ENG": "erroneous ideas or information are wrong and based on facts that are not correct" + }, + "awful": { + "CHS": "可怕的;极坏的;使人敬畏的", + "ENG": "making you feel great respect or fear" + }, + "slam": { + "CHS": "猛击;砰然声", + "ENG": "the noise or action of a door, window etc slamming" + }, + "Scots": { + "CHS": "苏格兰人;苏格兰语", + "ENG": "any of the English dialects spoken or written in Scotland " + }, + "skeleton": { + "CHS": "骨骼的;骨瘦如柴的;概略的" + }, + "likewise": { + "CHS": "同样地;也", + "ENG": "in the same way" + }, + "blunt": { + "CHS": "(Blunt)人名;(英)布伦特" + }, + "ultraviolet": { + "CHS": "紫外线辐射,紫外光" + }, + "furnish": { + "CHS": "提供;供应;装备", + "ENG": "to supply or provide something" + }, + "ankle": { + "CHS": "踝关节,踝", + "ENG": "the joint between your foot and your leg" + }, + "scare": { + "CHS": "(美)骇人的" + }, + "mule": { + "CHS": "骡;倔强之人,顽固的人;杂交种动物", + "ENG": "an animal that has a donkey and a horse as parents" + }, + "seek": { + "CHS": "寻求;寻找;探索;搜索", + "ENG": "to try to achieve or get something" + }, + "barren": { + "CHS": "荒地" + }, + "scope": { + "CHS": "审视" + }, + "metaphor": { + "CHS": "暗喻,隐喻;比喻说法", + "ENG": "a way of describing something by referring to it as something different and suggesting that it has similar qualities to that thing" + }, + "flock": { + "CHS": "用棉束填满" + }, + "lighthouse": { + "CHS": "灯塔", + "ENG": "a tower with a powerful flashing light that guides ships away from danger" + }, + "express": { + "CHS": "快车,快递,专使;捷运公司", + "ENG": "a train or bus that does not stop in many places and therefore travels quickly" + }, + "racecourse": { + "CHS": "赛马场,跑马场;跑道", + "ENG": "a grass track on which horses race" + }, + "ivory": { + "CHS": "乳白色的;象牙制的" + }, + "predict": { + "CHS": "预报,预言;预知", + "ENG": "to say that something will happen, before it happens" + }, + "downfall": { + "CHS": "垮台;衰败;落下;大雨", + "ENG": "complete loss of your money, moral standards, social position etc, or the sudden failure of an organization" + }, + "unreasonable": { + "CHS": "不合理的;过度的;不切实际的;非理智的", + "ENG": "not fair or sensible" + }, + "astronomy": { + "CHS": "天文学", + "ENG": "the scientific study of the stars and planet s " + }, + "positive": { + "CHS": "正数;[摄] 正片" + }, + "decibel": { + "CHS": "分贝", + "ENG": "a unit for measuring the loudness of sound" + }, + "convey": { + "CHS": "传达;运输;让与", + "ENG": "to communicate or express something, with or without using words" + }, + "saliva": { + "CHS": "唾液;涎", + "ENG": "the liquid that is produced naturally in your mouth" + }, + "rearrange": { + "CHS": "重新排列;重新整理", + "ENG": "to change the position or order of things" + }, + "crane": { + "CHS": "伸着脖子看;迟疑,踌躇", + "ENG": "If you crane your neck or head, you stretch your neck in a particular direction in order to see or hear something better" + }, + "purple": { + "CHS": "变成紫色" + }, + "global": { + "CHS": "全球的;总体的;球形的", + "ENG": "affecting or including the whole world" + }, + "transitive": { + "CHS": "传递;及物动词" + }, + "rare": { + "CHS": "用后腿站起;渴望" + }, + "schoolmaster": { + "CHS": "男校长;教导者;男教师", + "ENG": "a male teacher, especially in a private school (= one that parents pay to send their children to ) " + }, + "regime": { + "CHS": "政权,政体;社会制度;管理体制", + "ENG": "a government, especially one that was not elected fairly or that you disapprove of for some other reason" + }, + "soy": { + "CHS": "大豆;酱油" + }, + "behalf": { + "CHS": "代表;利益", + "ENG": "instead of someone, or as their representative" + }, + "equity": { + "CHS": "公平,公正;衡平法;普通股;抵押资产的净值", + "ENG": "a situation in which all people are treated equally and no one has an unfair advantage" + }, + "microchip": { + "CHS": "微型集成电路片,微芯片", + "ENG": "a very small piece of silicon containing a set of electronic parts, which is used in computers and other machines" + }, + "situate": { + "CHS": "位于…的" + }, + "characterize": { + "CHS": "描绘…的特性;具有…的特征", + "ENG": "to describe the qualities of someone or something in a particular way" + }, + "Islam": { + "CHS": "伊斯兰教", + "ENG": "the Muslim religion, which was started by Muhammad and whose holy book is the Quran (Koran)" + }, + "zoology": { + "CHS": "动物学;动物区系", + "ENG": "the scientific study of animals and their behaviour" + }, + "gild": { + "CHS": "(Gild)人名;(俄)希尔德" + }, + "occasion": { + "CHS": "引起,惹起", + "ENG": "to cause something" + }, + "lodge": { + "CHS": "提出;寄存;借住;嵌入", + "ENG": "to make a formal or official complaint, protest etc" + }, + "knighthood": { + "CHS": "骑士;骑士身份", + "ENG": "A knighthood is a title that is given to a man by a British king or queen for his achievements or his service to his country" + }, + "slum": { + "CHS": "贫民窟;陋巷;脏乱的地方", + "ENG": "a house or an area of a city that is in very bad condition, where very poor people live" + }, + "sitcom": { + "CHS": "情景喜剧(situation comedy)" + }, + "accidental": { + "CHS": "次要方面;非主要的特性;临时记号" + }, + "sidelight": { + "CHS": "侧灯,舷灯;趣闻;侧面射进来的光线", + "ENG": "one of the two small lights next to the main front lights on a car" + }, + "soul": { + "CHS": "美国黑人文化的" + }, + "clay": { + "CHS": "用黏土处理" + }, + "lens": { + "CHS": "给……摄影" + }, + "disapproval": { + "CHS": "不赞成;不喜欢", + "ENG": "If you feel or show disapproval of something or someone, you feel or show that you do not approve of them" + }, + "namely": { + "CHS": "也就是;即是;换句话说", + "ENG": "used when saying the names of the people or things you are referring to" + }, + "ancestral": { + "CHS": "祖先的;祖传的", + "ENG": "You use ancestral to refer to a person's family in former times, especially when the family is important and has property or land that they have had for a long time" + }, + "desperate": { + "CHS": "不顾一切的;令人绝望的;极度渴望的", + "ENG": "willing to do anything to change a very bad situation, and not caring about danger" + }, + "blink": { + "CHS": "眨眼;瞬间;闪光", + "ENG": "very quickly" + }, + "harmless": { + "CHS": "无害的;无恶意的", + "ENG": "unable or unlikely to hurt anyone or cause damage" + }, + "flannel": { + "CHS": "法兰绒的" + }, + "triple": { + "CHS": "增至三倍", + "ENG": "to increase by three times as much, or to make something do this" + }, + "persistent": { + "CHS": "固执的,坚持的;持久稳固的", + "ENG": "continuing to do something, although this is difficult, or other people warn you not to do it" + }, + "admirable": { + "CHS": "令人钦佩的;极好的;值得赞扬的", + "ENG": "having many good qualities that you respect and admire" + }, + "cabin": { + "CHS": "把…关在小屋里" + }, + "hijack": { + "CHS": "劫持;威逼;敲诈", + "ENG": "when a plane, vehicle etc is hijacked" + }, + "protein": { + "CHS": "蛋白质的" + }, + "crystal": { + "CHS": "水晶的;透明的,清澈的" + }, + "exchange": { + "CHS": "交换;交易;兑换", + "ENG": "to replace one thing with another" + }, + "cucumber": { + "CHS": "黄瓜;胡瓜", + "ENG": "a long thin round vegetable with a dark green skin and a light green inside, usually eaten raw" + }, + "interim": { + "CHS": "过渡时期,中间时期;暂定", + "ENG": "in the period of time between two events" + }, + "southerly": { + "CHS": "南风" + }, + "flake": { + "CHS": "小薄片;火花", + "ENG": "a small thin piece that breaks away easily from something else" + }, + "summon": { + "CHS": "召唤;召集;鼓起;振作", + "ENG": "to order someone to come to a place" + }, + "photocopy": { + "CHS": "影印,复印", + "ENG": "to make a photographic copy of something" + }, + "novel": { + "CHS": "小说", + "ENG": "a long written story in which the characters and events are usually imaginary" + }, + "tumble": { + "CHS": "跌倒;翻筋斗;跌跤", + "ENG": "a fall, especially from a high place or level" + }, + "coastal": { + "CHS": "沿海的;海岸的", + "ENG": "in the sea or on the land near the coast" + }, + "effort": { + "CHS": "努力;成就", + "ENG": "an attempt to do something, especially when this involves a lot of hard work or determination" + }, + "armament": { + "CHS": "武器;军备", + "ENG": "the weapons and military equipment used by an army" + }, + "jam": { + "CHS": "使堵塞;挤进,使塞满;混杂;压碎", + "ENG": "if a lot of people or vehicles jam a place, they fill it so that it is difficult to move" + }, + "proudly": { + "CHS": "傲慢地,自负地;得意洋洋地" + }, + "fiance": { + "CHS": "fiance" + }, + "wink": { + "CHS": "眨眼;使眼色;闪烁;瞬间", + "ENG": "a quick action of opening and closing one eye, usually as a signal to someone else" + }, + "deficit": { + "CHS": "赤字;不足额", + "ENG": "the difference between the amount of something that you have and the higher amount that you need" + }, + "confront": { + "CHS": "面对;遭遇;比较", + "ENG": "if a problem, difficulty etc confronts you, it appears and needs to be dealt with" + }, + "grunt": { + "CHS": "作呼噜声;发哼声", + "ENG": "if a person or animal grunts, they make short low sounds in their throat" + }, + "maiden": { + "CHS": "少女;处女", + "ENG": "a young girl, or a woman who is not married" + }, + "soften": { + "CHS": "使温和;使缓和;使变柔软", + "ENG": "if your attitude softens, or if something softens it, it becomes less strict and more sympathetic" + }, + "carefree": { + "CHS": "无忧无虑的;不负责的", + "ENG": "having no worries or problems" + }, + "lunatic": { + "CHS": "疯子;疯人", + "ENG": "someone who behaves in a crazy or very stupid way – often used humorously" + }, + "candidate": { + "CHS": "候选人,候补者;应试者", + "ENG": "someone who is being considered for a job or is competing in an election" + }, + "faint": { + "CHS": "[中医] 昏厥,昏倒", + "ENG": "an act of becoming unconscious" + }, + "unreal": { + "CHS": "不真实的;假的;幻想的;虚构的", + "ENG": "an experience, situation etc that is unreal seems so strange that you think you must be imagining it" + }, + "circumference": { + "CHS": "圆周;周长;胸围", + "ENG": "the distance or measurement around the outside of a circle or any round shape" + }, + "shift": { + "CHS": "移动;转变;转换", + "ENG": "to change a situation, discussion etc by giving special attention to one idea or subject instead of to a previous one" + }, + "flea": { + "CHS": "跳蚤;低廉的旅馆;生蚤的动物", + "ENG": "a very small insect without wings that jumps and bites animals and people to eat their blood" + }, + "hospitable": { + "CHS": "热情友好的;(环境)舒适的", + "ENG": "friendly, welcoming, and generous to visitors" + }, + "eardrum": { + "CHS": "鼓膜,耳膜;中耳", + "ENG": "a tight thin piece of skin over the inside of your ear which allows you to hear sound" + }, + "sandstone": { + "CHS": "[岩] 砂岩;沙岩", + "ENG": "a type of soft yellow or red rock, often used in buildings" + }, + "duck": { + "CHS": "闪避;没入水中", + "ENG": "to push someone under water for a short time as a joke" + }, + "sanitary": { + "CHS": "公共厕所" + }, + "unexpected": { + "CHS": "意外的,想不到的", + "ENG": "used to describe something that is surprising because you were not expecting it" + }, + "ethnic": { + "CHS": "种族的;人种的", + "ENG": "relating to a particular race, nation, or tribe and their customs and traditions" + }, + "idiot": { + "CHS": "笨蛋,傻瓜;白痴", + "ENG": "a stupid person or someone who has done something stupid" + }, + "PhD": { + "CHS": "博士学位;哲学博士学位(Doctor of Philosophy)" + }, + "fatten": { + "CHS": "养肥;使肥沃;使充实", + "ENG": "If you say that someone is fattening something such as a business or its profits, you mean that they are increasing the value of the business or its profits, in a way that you disapprove of" + }, + "diction": { + "CHS": "用语;措词", + "ENG": "the choice and use of words and phrases to express meaning, especially in literature" + }, + "lag": { + "CHS": "最后的" + }, + "peer": { + "CHS": "凝视,盯着看;窥视", + "ENG": "to look very carefully at something, especially because you are having difficulty seeing it" + }, + "canvas": { + "CHS": "帆布制的" + }, + "rifle": { + "CHS": "用步枪射击;抢夺;偷走" + }, + "pillar": { + "CHS": "用柱支持" + }, + "dragonfly": { + "CHS": "[昆] 蜻蜓", + "ENG": "a brightly-coloured insect with a long thin body and transparent wings which lives near water" + }, + "pluck": { + "CHS": "摘;拔;扯", + "ENG": "to pull something quickly in order to remove it" + }, + "digit": { + "CHS": "数字;手指或足趾;一指宽", + "ENG": "one of the written signs that represent the numbers 0 to 9" + }, + "cardinal": { + "CHS": "主要的,基本的;深红色的", + "ENG": "very important or basic" + }, + "nausea": { + "CHS": "恶心,晕船;极端的憎恶", + "ENG": "the feeling that you have when you think you are going to vomit (= bring food up from your stomach through your mouth )" + }, + "freight": { + "CHS": "货运;运费;船货", + "ENG": "goods that are carried by ship, train, or aircraft, and the system of moving these goods" + }, + "grip": { + "CHS": "紧握;夹紧", + "ENG": "to hold something very tightly" + }, + "decade": { + "CHS": "十年,十年期;十", + "ENG": "a period of 10 years" + }, + "inexhaustible": { + "CHS": "用不完的;不知疲倦的", + "ENG": "something that is inexhaustible exists in such large amounts that it can never be finished or used up" + }, + "stain": { + "CHS": "污点;瑕疵;着色剂", + "ENG": "a mark that is difficult to remove, especially one made by a liquid such as blood, coffee, or ink" + }, + "aloof": { + "CHS": "远离;避开地" + }, + "disinfect": { + "CHS": "将…消毒", + "ENG": "to clean something with a chemical that destroys bacteria " + }, + "pat": { + "CHS": "轻拍", + "ENG": "to lightly touch someone or something several times with your hand flat, especially to give comfort" + }, + "owing": { + "CHS": "欠;把…归功于(owe的ing形式)" + }, + "SAP": { + "CHS": "使衰竭,使伤元气;挖掘以破坏基础" + }, + "inhuman": { + "CHS": "残忍的;野蛮的;无人性的", + "ENG": "very cruel or without any normal feelings of pity" + }, + "fidelity": { + "CHS": "保真度;忠诚;精确;尽责", + "ENG": "when you are loyal to your husband, girlfriend etc, by not having sex with anyone else" + }, + "inhale": { + "CHS": "吸入;猛吃猛喝", + "ENG": "to breathe in air, smoke, or gas" + }, + "sewerage": { + "CHS": "下水道系统", + "ENG": "the system by which waste material and used water are carried away in sewers and then treated to stop it being harmful" + }, + "sensitive": { + "CHS": "敏感的人;有灵异能力的人" + }, + "tertiary": { + "CHS": "第三的;第三位的;三代的", + "ENG": "third in place, degree, or order" + }, + "stroll": { + "CHS": "散步;闲逛;巡回演出", + "ENG": "to walk somewhere in a slow relaxed way" + }, + "attach": { + "CHS": "使依附;贴上;系上;使依恋", + "ENG": "If you attach something to an object, you join it or fasten it to the object" + }, + "alliance": { + "CHS": "联盟,联合;联姻", + "ENG": "an arrangement in which two or more countries, groups etc agree to work together to try to change or achieve something" + }, + "adore": { + "CHS": "(Adore)人名;(法)阿多尔" + }, + "schoolchild": { + "CHS": "学童", + "ENG": "a child attending school" + }, + "prefix": { + "CHS": "加前缀;将某事物加在前面", + "ENG": "to add a prefix to a word, name, or set of numbers" + }, + "satire": { + "CHS": "讽刺;讽刺文学,讽刺作品", + "ENG": "a way of criticizing something such as a group of people or a system, in which you deliberately make them seem funny so that people will see their faults" + }, + "loom": { + "CHS": "可怕地出现;朦胧地出现;隐约可见", + "ENG": "to appear as a large unclear shape, especially in a threatening way" + }, + "hem": { + "CHS": "包围;给缝边", + "ENG": "to turn under the edge of a piece of material or clothing and stitch it in place" + }, + "gorilla": { + "CHS": "大猩猩", + "ENG": "a very large African monkey that is the largest of the apes " + }, + "cosmopolitan": { + "CHS": "四海为家者;世界主义者;世界各地都有的东西" + }, + "partition": { + "CHS": "[数] 分割;分隔;区分", + "ENG": "to divide a country, building, or room into two or more parts" + }, + "linger": { + "CHS": "(Linger)人名;(德、捷、瑞典)林格;(法)兰热" + }, + "disco": { + "CHS": "迪斯科舞厅;的士高", + "ENG": "a place or social event at which people dance to recorded popular music" + }, + "specification": { + "CHS": "规格;说明书;详述", + "ENG": "a detailed instruction about how a car, building, piece of equipment etc should be made" + }, + "slap": { + "CHS": "直接地;猛然地;恰好" + }, + "irritation": { + "CHS": "刺激;激怒,恼怒,生气;兴奋;令人恼火的事", + "ENG": "the feeling of being annoyed about something, especially something that happens repeatedly or for a long time" + }, + "reflect": { + "CHS": "反映;反射,照出;表达;显示;反省", + "ENG": "if a person or a thing is reflected in a mirror, glass, or water, you can see an image of the person or thing on the surface of the mirror, glass, or water" + }, + "rely": { + "CHS": "依靠;信赖", + "ENG": "If you rely on someone or something, you need them and depend on them in order to live or work properly" + }, + "inevitable": { + "CHS": "必然的,不可避免的", + "ENG": "certain to happen and impossible to avoid" + }, + "bale": { + "CHS": "将打包" + }, + "fleet": { + "CHS": "飞逝;疾驰;掠过" + }, + "reservoir": { + "CHS": "水库;蓄水池", + "ENG": "a lake, especially an artificial one, where water is stored before it is supplied to people’s houses" + }, + "vision": { + "CHS": "想象;显现;梦见" + }, + "gramme": { + "CHS": "克" + }, + "unlock": { + "CHS": "开启;开…的锁;表露", + "ENG": "to unfasten the lock on a door, box etc" + }, + "urgent": { + "CHS": "紧急的;急迫的", + "ENG": "very important and needing to be dealt with immediately" + }, + "genius": { + "CHS": "天才,天赋;精神", + "ENG": "a very high level of intelligence, mental skill, or ability, which only a few people have" + }, + "magnetic": { + "CHS": "地磁的;有磁性的;有吸引力的", + "ENG": "concerning or produced by magnetism " + }, + "annual": { + "CHS": "年刊,年鉴;一年生植物", + "ENG": "a plant that lives for one year or season" + }, + "ditch": { + "CHS": "沟渠;壕沟", + "ENG": "a long narrow hole dug at the side of a field, road etc to hold or remove unwanted water" + }, + "peddle": { + "CHS": "(Peddle)人名;(英)佩德尔" + }, + "massage": { + "CHS": "按摩;揉", + "ENG": "the action of pressing and rubbing someone’s body with your hands, to help them relax or to reduce pain in their muscles or joints" + }, + "sledge": { + "CHS": "雪橇;大锤", + "ENG": "a small vehicle used for sliding over snow, often used by children or in some sports" + }, + "landlady": { + "CHS": "女房东;女地主;女店主", + "ENG": "a woman who rents a room, building, or piece of land to someone" + }, + "deputy": { + "CHS": "副的;代理的" + }, + "quart": { + "CHS": "夸脱(容量单位);一夸脱的容器", + "ENG": "a unit for measuring liquid, equal to two pints. In Britain this is 1.14 litres, and in the US it is 0.95 litres." + }, + "sideboard": { + "CHS": "餐具柜;侧板,边线界墙", + "ENG": "a long low piece of furniture usually in a dining room , used for storing plates, glasses etc" + }, + "mixer": { + "CHS": "混合器;搅拌器;[电子] 混频器", + "ENG": "a piece of equipment used to mix things together" + }, + "descriptive": { + "CHS": "描写的,叙述的;描写性的", + "ENG": "giving a description of something" + }, + "coarse": { + "CHS": "粗糙的;粗俗的;下等的", + "ENG": "having a rough surface that feels slightly hard" + }, + "indulge": { + "CHS": "满足;纵容;使高兴;使沉迷于…", + "ENG": "to let someone have or do whatever they want, even if it is bad for them" + }, + "toddle": { + "CHS": "蹒跚学步;东倒西歪地走;散步", + "ENG": "if a small child toddles, it walks with short, unsteady steps" + }, + "decisive": { + "CHS": "决定性的;果断的,坚定的", + "ENG": "an action, event etc that is decisive has a big effect on the way that something develops" + }, + "ferocious": { + "CHS": "残忍的;惊人的", + "ENG": "violent, dangerous, and frightening" + }, + "scar": { + "CHS": "创伤;伤痕", + "ENG": "a feeling of fear or sadness that remains with you for a long time after an unpleasant experience" + }, + "tattoo": { + "CHS": "刺花纹于", + "ENG": "to mark a permanent picture or writing on someone’s skin with a needle and ink" + }, + "recommendation": { + "CHS": "推荐;建议;推荐信", + "ENG": "official advice given to someone, especially about what to do" + }, + "resent": { + "CHS": "怨恨;愤恨;厌恶", + "ENG": "to feel angry or upset about a situation or about something that someone has done, especially because you think that it is not fair" + }, + "lest": { + "CHS": "唯恐,以免;担心", + "ENG": "in order to make sure that something will not happen" + }, + "everlasting": { + "CHS": "永恒的;接连不断的", + "ENG": "continuing for ever, even after someone has died" + }, + "barge": { + "CHS": "驳船;游艇", + "ENG": "a large low boat with a flat bottom, used for carrying goods on a canal or river" + }, + "conflict": { + "CHS": "冲突,抵触;争执;战斗", + "ENG": "if two ideas, beliefs, opinions etc conflict, they cannot exist together or both be true" + }, + "bland": { + "CHS": "(Bland)人名;(英)布兰德" + }, + "flagship": { + "CHS": "旗舰;(作定语)一流;佼佼者", + "ENG": "the most important ship in a group of ships belonging to the navy" + }, + "therefore": { + "CHS": "因此;所以", + "ENG": "as a result of something that has just been mentioned" + }, + "truant": { + "CHS": "逃学;偷懒,逃避责任" + }, + "Buddha": { + "CHS": "佛陀;佛像", + "ENG": "Buddha is the title given to Gautama Siddhartha, the religious teacher and founder of Buddhism" + }, + "rebel": { + "CHS": "反抗的;造反的" + }, + "hawk": { + "CHS": "鹰;鹰派成员;掠夺他人的人", + "ENG": "a large bird that hunts and eats small birds and animals" + }, + "fitted": { + "CHS": "适应(fit的过去分词);合适;为…提供设备" + }, + "voucher": { + "CHS": "证实的可靠性" + }, + "blond": { + "CHS": "白肤碧眼金发的人" + }, + "try": { + "CHS": "尝试;努力;试验", + "ENG": "an attempt to do something" + }, + "thereof": { + "CHS": "它的;由此;在其中;关于…;将它", + "ENG": "relating to something that has just been mentioned" + }, + "vibrate": { + "CHS": "振动;颤动;摇摆;踌躇", + "ENG": "if something vibrates, or if you vibrate it, it shakes quickly and continuously with very small movements" + }, + "fluff": { + "CHS": "念错;抖松;使…起毛", + "ENG": "to make something soft become larger by shaking it" + }, + "generalize": { + "CHS": "概括;推广;使一般化", + "ENG": "to form a general principle or opinion after considering only a small number of facts or examples" + }, + "toss": { + "CHS": "投掷;使…不安;突然抬起;使…上下摇动;与…掷币打赌" + }, + "thermometer": { + "CHS": "温度计;体温计", + "ENG": "a piece of equipment that measures the temperature of the air, of your body etc" + }, + "observe": { + "CHS": "庆祝", + "ENG": "If you observe an important day such as a holiday or anniversary, you do something special in order to honour or celebrate it" + }, + "puncture": { + "CHS": "穿刺;刺痕", + "ENG": "A puncture is a small hole in a car tyre or bicycle tyre that has been made by a sharp object" + }, + "costume": { + "CHS": "给…穿上服装" + }, + "wig": { + "CHS": "使戴假发;斥责" + }, + "critic": { + "CHS": "批评家,评论家;爱挑剔的人", + "ENG": "someone whose job is to make judgments about the good and bad qualities of art, music, films etc" + }, + "uninformative": { + "CHS": "不提供信息的;不增长见闻的", + "ENG": "Something that is uninformative does not give you enough useful information" + }, + "whiskey": { + "CHS": "威士忌酒的" + }, + "cricket": { + "CHS": "板球,板球运动;蟋蟀", + "ENG": "a game between two teams of 11 players in which players try to get points by hitting a ball and running between two sets of three sticks" + }, + "sadden": { + "CHS": "使悲伤,使难过;使黯淡", + "ENG": "to make someone feel sad" + }, + "appreciable": { + "CHS": "可感知的;可评估的;相当可观的", + "ENG": "An appreciable amount or effect is large enough to be important or clearly noticed" + }, + "keynote": { + "CHS": "给…定基调;说明基本政策" + }, + "nostril": { + "CHS": "鼻孔", + "ENG": "one of the two holes at the end of your nose, through which you breathe and smell things" + }, + "wound": { + "CHS": "使受伤" + }, + "sulky": { + "CHS": "生气的;阴沉的", + "ENG": "sulking, or tending to sulk" + }, + "antic": { + "CHS": "扮小丑;做滑稽动作" + }, + "circulate": { + "CHS": "传播,流传;循环;流通", + "ENG": "to move around within a system, or to make something do this" + }, + "bushel": { + "CHS": "修整(衣服等)" + }, + "gross": { + "CHS": "总额,总数" + }, + "repertory": { + "CHS": "储备;仓库;全部剧目", + "ENG": "a repertoire" + }, + "host": { + "CHS": "主持;当主人招待", + "ENG": "to introduce a radio or television programme" + }, + "axis": { + "CHS": "轴;轴线;轴心国", + "ENG": "the imaginary line around which a large round object, such as the Earth, turns" + }, + "lunar": { + "CHS": "(Lunar)人名;(西)卢纳尔" + }, + "layoff": { + "CHS": "活动停止期间;临时解雇;操作停止;失业期", + "ENG": "When there are layoffs in a company, people become unemployed because there is no more work for them in the company" + }, + "admittedly": { + "CHS": "公认地;无可否认地;明白地", + "ENG": "used when you are admitting that something is true" + }, + "kaleidoscope": { + "CHS": "万花筒;千变万化", + "ENG": "a pattern, situation, or scene that is always changing and has many details or bright colours" + }, + "ripple": { + "CHS": "起潺潺声", + "ENG": "to make a noise like water that is flowing gently" + }, + "spinster": { + "CHS": "老姑娘;未婚女人", + "ENG": "an unmarried woman, usually one who is no longer young and seems unlikely to marry" + }, + "glossary": { + "CHS": "术语(特殊用语)表;词汇表;专业词典", + "ENG": "a list of special words and explanations of their meanings, often at the end of a book" + }, + "crutch": { + "CHS": "用拐杖支撑;支持" + }, + "mid": { + "CHS": "(Mid)人名;(柬)米" + }, + "malice": { + "CHS": "恶意;怨恨;预谋", + "ENG": "the desire to harm someone because you hate them" + }, + "antagonism": { + "CHS": "对抗,敌对;对立;敌意", + "ENG": "hatred between people or groups of people" + }, + "chariot": { + "CHS": "驾驭(过去式charioted,过去分词charioted,现在分词charioting,第三人称单数chariots)" + }, + "brook": { + "CHS": "小溪;小河", + "ENG": "a small stream" + }, + "fringe": { + "CHS": "加穗于" + }, + "reaction": { + "CHS": "反应,感应;反动,复古;反作用", + "ENG": "something that you feel or do because of something that has happened or been said" + }, + "bachelor": { + "CHS": "学士;单身汉;(尚未交配的)小雄兽", + "ENG": "a man who has never been married" + }, + "villa": { + "CHS": "别墅;郊区住宅", + "ENG": "a house that you use or rent while you are on holiday" + }, + "approach": { + "CHS": "接近;着手处理", + "ENG": "to move towards or nearer to someone or something" + }, + "splash": { + "CHS": "飞溅的水;污点;卖弄", + "ENG": "a mark made by a liquid splashing onto something else" + }, + "stool": { + "CHS": "长新枝;分檗" + }, + "estuary": { + "CHS": "河口;江口", + "ENG": "the wide part of a river where it goes into the sea" + }, + "millimetre": { + "CHS": "毫米;公厘", + "ENG": "a unit for measuring length. There are 1,000 millimetres in one metre." + }, + "interviewer": { + "CHS": "采访者;会见者;面谈者;进行面试者", + "ENG": "the person who asks the questions in an interview" + }, + "merchandise": { + "CHS": "买卖;推销", + "ENG": "to try to sell goods or services using methods such as advertising" + }, + "merit": { + "CHS": "值得", + "ENG": "to be good, important, or serious enough for praise or attention" + }, + "diver": { + "CHS": "潜水者;跳水的选手;潜鸟", + "ENG": "someone who swims or works under water using special equipment to help them breathe" + }, + "universal": { + "CHS": "一般概念;普通性" + }, + "overtime": { + "CHS": "加班地" + }, + "barrel": { + "CHS": "桶;枪管,炮管", + "ENG": "a large curved container with a flat top and bottom, made of wood or metal, and used for storing beer, wine etc" + }, + "blade": { + "CHS": "叶片;刀片,刀锋;剑", + "ENG": "the flat cutting part of a tool or weapon" + }, + "obstinate": { + "CHS": "顽固的;倔强的;难以控制的", + "ENG": "determined not to change your ideas, behaviour, opinions etc, even when other people think you are being unreasonable" + }, + "geometric": { + "CHS": "几何学的;[数] 几何学图形的", + "ENG": "having or using the shapes and lines in geometry , such as circles or squares, especially when these are arranged in regular patterns" + }, + "sign": { + "CHS": "签署;签名", + "ENG": "to write your signature on something to show that you wrote it, agree with it, or were present" + }, + "recede": { + "CHS": "后退;减弱", + "ENG": "When something such as a quality, problem, or illness recedes, it becomes weaker, smaller, or less intense" + }, + "motivate": { + "CHS": "刺激;使有动机;激发…的积极性", + "ENG": "to be the reason why someone does something" + }, + "peck": { + "CHS": "许多;配克(容量单位,等于2加仑);啄痕;快速轻吻", + "ENG": "an action in which a bird pecks someone or something with its beak" + }, + "toll": { + "CHS": "征收;敲钟", + "ENG": "if a large bell tolls, or if you toll it, it keeps ringing slowly, especially to show that someone has died" + }, + "sodium": { + "CHS": "[化学] 钠(11号元素,符号 Na)", + "ENG": "Sodium is a silvery white chemical element which combines with other chemicals. Salt is a sodium compound. " + }, + "wet": { + "CHS": "弄湿", + "ENG": "to make something wet" + }, + "ketchup": { + "CHS": "番茄酱", + "ENG": "a thick cold red sauce made from tomatoes that you put on food" + }, + "ozone": { + "CHS": "[化学] 臭氧;新鲜的空气", + "ENG": "a poisonous blue gas that is a type of oxygen" + }, + "vary": { + "CHS": "(Vary)人名;(英、法、罗、柬)瓦里" + }, + "malaria": { + "CHS": "[内科] 疟疾;瘴气", + "ENG": "a disease that is common in hot countries and that you get when a type of mosquito bites you" + }, + "gear": { + "CHS": "好极了" + }, + "respecting": { + "CHS": "尊敬;考虑(respect的ing形式)" + }, + "sting": { + "CHS": "刺;驱使;使…苦恼;使…疼痛", + "ENG": "if an insect or a plant stings you, it makes a very small hole in your skin and you feel a sharp pain because of a poisonous substance" + }, + "exhibit": { + "CHS": "展览品;证据;展示会", + "ENG": "something, for example a painting, that is put in a public place so that people can go to see it" + }, + "yell": { + "CHS": "喊声,叫声", + "ENG": "a loud shout" + }, + "distant": { + "CHS": "遥远的;冷漠的;远隔的;不友好的,冷淡的", + "ENG": "far away in space or time" + }, + "untie": { + "CHS": "解开;解决;使自由", + "ENG": "to take the knots out of something, or unfasten something that has been tied" + }, + "algebra": { + "CHS": "代数学", + "ENG": "a type of mathematics that uses letters and other signs to represent numbers and values" + }, + "sauna": { + "CHS": "洗桑拿浴" + }, + "reward": { + "CHS": "[劳经] 奖励;奖赏", + "ENG": "to give something to someone because they have done something good or helpful or have worked for it" + }, + "nourish": { + "CHS": "滋养;怀有;使健壮", + "ENG": "to give a person or other living thing the food and other substances they need in order to live, grow, and stay healthy" + }, + "accomplish": { + "CHS": "完成;实现;达到", + "ENG": "to succeed in doing something, especially after trying very hard" + }, + "hypocritical": { + "CHS": "虚伪的;伪善的", + "ENG": "behaving in a way that is different from what you claim to believe – used to show disapproval" + }, + "schoolgirl": { + "CHS": "女学生", + "ENG": "a girl attending school" + }, + "brandy": { + "CHS": "白兰地酒", + "ENG": "a strong alcoholic drink made from wine, or a glass of this drink" + }, + "peony": { + "CHS": "牡丹;芍药", + "ENG": "a garden plant with large round flowers that are dark red, white, or pink" + }, + "security": { + "CHS": "安全的;保安的;保密的" + }, + "margin": { + "CHS": "加边于;加旁注于" + }, + "probability": { + "CHS": "可能性;机率;[数] 或然率", + "ENG": "how likely something is, sometimes calculated in a mathematical way" + }, + "walkway": { + "CHS": "通道,[建] 走道", + "ENG": "an outdoor path built for people to walk along, often above the ground" + }, + "puppet": { + "CHS": "木偶;傀儡;受他人操纵的人", + "ENG": "a model of a person or animal that you move by pulling wires or strings, or by putting your hand inside it" + }, + "consonant": { + "CHS": "辅音;辅音字母", + "ENG": "a speech sound made by partly or completely stopping the flow of air through your mouth" + }, + "leukemia": { + "CHS": "[内科][肿瘤] 白血病", + "ENG": "a type of cancer of the blood, that causes weakness and sometimes death" + }, + "liberty": { + "CHS": "自由;许可;冒失", + "ENG": "the freedom and the right to do whatever you want without asking permission or being afraid of authority" + }, + "inherent": { + "CHS": "固有的;内在的;与生俱来的,遗传的", + "ENG": "a quality that is inherent in something is a natural part of it and cannot be separated from it" + }, + "drawback": { + "CHS": "缺点,不利条件;退税", + "ENG": "a disadvantage of a situation, plan, product etc" + }, + "chop": { + "CHS": "剁碎;砍", + "ENG": "to cut something into smaller pieces" + }, + "tidal": { + "CHS": "(Tidal)人名;(瑞典)蒂达尔" + }, + "preside": { + "CHS": "主持,担任会议主席", + "ENG": "to be in charge of a formal event, organization, ceremony etc" + }, + "limit": { + "CHS": "限制;限定", + "ENG": "to stop an amount or number from increasing beyond a particular point" + }, + "frequency": { + "CHS": "频率;频繁", + "ENG": "the number of times that something happens within a particular period of time or within a particular group of people" + }, + "singular": { + "CHS": "单数", + "ENG": "the form of a word used when writing or speaking about one person or thing" + }, + "propaganda": { + "CHS": "宣传;传道总会", + "ENG": "information which is false or which emphasizes just one part of a situation, used by a government or political group to make people agree with them" + }, + "boast": { + "CHS": "自夸;值得夸耀的事物,引以为荣的事物", + "ENG": "something that you like telling people because you are proud of it" + }, + "sneak": { + "CHS": "暗中进行的" + }, + "induce": { + "CHS": "诱导;引起;引诱;感应", + "ENG": "to persuade someone to do something, especially something that does not seem wise" + }, + "colony": { + "CHS": "殖民地;移民队;种群;动物栖息地", + "ENG": "a country or area that is under the political control of a more powerful country, usually one that is far away" + }, + "toxic": { + "CHS": "有毒的;中毒的", + "ENG": "containing poison, or caused by poisonous substances" + }, + "disguise": { + "CHS": "伪装;假装;用作伪装的东西", + "ENG": "something that you wear to change your appearance and hide who you are, or the act of wearing this" + }, + "heighten": { + "CHS": "提高;增高;加强;使更显著", + "ENG": "if something heightens a feeling, effect etc, or if a feeling etc heightens, it becomes stronger or increases" + }, + "indispensable": { + "CHS": "不可缺少之物;必不可少的人" + }, + "deteriorate": { + "CHS": "恶化,变坏", + "ENG": "to become worse" + }, + "elegant": { + "CHS": "高雅的,优雅的;讲究的;简炼的;简洁的", + "ENG": "beautiful, attractive, or graceful" + }, + "sculptor": { + "CHS": "雕刻家", + "ENG": "someone who makes sculptures" + }, + "jury": { + "CHS": "应急的", + "ENG": "makeshift " + }, + "fuse": { + "CHS": "保险丝,熔线;导火线,雷管", + "ENG": "a short thin piece of wire inside electrical equipment which prevents damage by melting and stopping the electricity when there is too much power" + }, + "dispose": { + "CHS": "处置;性情" + }, + "cassette": { + "CHS": "盒式磁带;暗盒;珠宝箱;片匣", + "ENG": "a small flat plastic case containing magnetic tape , that can be used for playing or recording sound" + }, + "provoke": { + "CHS": "驱使;激怒;煽动;惹起", + "ENG": "to cause a reaction or feeling, especially a sudden one" + }, + "Dutch": { + "CHS": "费用平摊地;各自付账地" + }, + "soldierly": { + "CHS": "军人的;适于军人的;英勇的", + "ENG": "typical of a good soldier" + }, + "antonym": { + "CHS": "[语] 反义词", + "ENG": "a word that means the opposite of another word" + }, + "restore": { + "CHS": "恢复;修复;归还", + "ENG": "to make something return to its former state or condition" + }, + "solo": { + "CHS": "单独地", + "ENG": "to fly an aircraft alone" + }, + "plough": { + "CHS": "犁;耕地(等于plow)", + "ENG": "a piece of farm equipment used to turn over the earth so that seeds can be planted" + }, + "scoundrel": { + "CHS": "恶棍;无赖;流氓", + "ENG": "a bad or dishonest man, especially someone who cheats or deceives other people" + }, + "fireman": { + "CHS": "消防队员;救火队员;锅炉工", + "ENG": "a man whose job is to stop fires burning" + }, + "gaoler": { + "CHS": "监狱看守;监狱长" + }, + "ellipse": { + "CHS": "[数] 椭圆形,[数] 椭圆", + "ENG": "a curved shape like a circle, but with two slightly longer and flatter sides" + }, + "displace": { + "CHS": "取代;置换;转移;把…免职;排水", + "ENG": "to take the place or position of something or someone" + }, + "mischief": { + "CHS": "恶作剧;伤害;顽皮;不和", + "ENG": "bad behaviour, especially by children, that causes trouble or damage, but no serious harm" + }, + "polo": { + "CHS": "马球;水球", + "ENG": "a game played between two teams of players who ride on horses and hit a small ball with long-handled wooden hammers" + }, + "charcoal": { + "CHS": "用木炭画(过去式charcoaled,过去分词charcoaled,现在分词charcoaling,第三人称单数charcoals)" + }, + "drizzle": { + "CHS": "细雨,毛毛雨", + "ENG": "weather that is a combination of light rain and mist" + }, + "usher": { + "CHS": "引导,招待;迎接;开辟", + "ENG": "to help someone to get from one place to another, especially by showing them the way" + }, + "quay": { + "CHS": "码头", + "ENG": "a place in a town or village where boats can be tied up or can stop to load and unload goods" + }, + "proletarian": { + "CHS": "普罗阶级的,无产阶级的", + "ENG": "Proletarian means relating to the proletariat" + }, + "garment": { + "CHS": "给…穿衣服" + }, + "stationary": { + "CHS": "不动的人;驻军" + }, + "wither": { + "CHS": "(Wither)人名;(英)威瑟" + }, + "trawl": { + "CHS": "用拖网捕鱼", + "ENG": "to fish by pulling a special wide net behind a boat" + }, + "exile": { + "CHS": "放逐,流放;使背井离乡", + "ENG": "to force someone to leave their country, especially for political reasons" + }, + "gorge": { + "CHS": "使吃饱;吞下;使扩张" + }, + "swindler": { + "CHS": "骗子" + }, + "annex": { + "CHS": "附加物;附属建筑物" + }, + "pornography": { + "CHS": "色情文学;色情描写", + "ENG": "magazines, films etc that show sexual acts and images in a way that is intended to make people feel sexually excited" + }, + "imaginative": { + "CHS": "富于想象的;有创造力的", + "ENG": "containing new and interesting ideas" + }, + "destruction": { + "CHS": "破坏,毁灭;摧毁", + "ENG": "the act or process of destroying something or of being destroyed" + }, + "gasoline": { + "CHS": "汽油", + "ENG": "a liquid obtained from petroleum, used mainly for producing power in the engines of cars, trucks etc" + }, + "fungus": { + "CHS": "真菌,霉菌;菌类", + "ENG": "a simple type of plant that has no leaves or flowers and that grows on plants or other surfaces. mushrooms and mould are both fungi." + }, + "dustpan": { + "CHS": "簸箕", + "ENG": "a flat container with a handle that you use with a brush to remove dust and waste from the floor" + }, + "celluloid": { + "CHS": "赛璐珞;(美俚)电影(胶片)", + "ENG": "on cinema film" + }, + "alphabet": { + "CHS": "字母表,字母系统;入门,初步", + "ENG": "a set of letters, arranged in a particular order, and used in writing" + }, + "extensively": { + "CHS": "广阔地;广大地" + }, + "revise": { + "CHS": "修订;校订" + }, + "underwater": { + "CHS": "水下" + }, + "fearless": { + "CHS": "无畏的;大胆的", + "ENG": "not afraid of anything" + }, + "hint": { + "CHS": "暗示;示意", + "ENG": "to suggest something in an indirect way, but so that someone can guess your meaning" + }, + "successive": { + "CHS": "连续的;继承的;依次的;接替的", + "ENG": "coming or following one after the other" + }, + "entrance": { + "CHS": "使出神,使入迷", + "ENG": "if someone or something entrances you, they make you give them all your attention because they are so beautiful, interesting etc" + }, + "stigma": { + "CHS": "[植] 柱头;耻辱;污名;烙印;特征", + "ENG": "a strong feeling in society that being in a particular situation or having a particular illness is something to be ashamed of" + }, + "aerial": { + "CHS": "[电讯] 天线", + "ENG": "a piece of equipment for receiving or sending radio or television signals, usually consisting of a piece of metal or wire" + }, + "commander": { + "CHS": "指挥官;司令官", + "ENG": "an officer of any rank who is in charge of a group of soldiers or a particular military activity" + }, + "lace": { + "CHS": "饰以花边;结带子" + }, + "wagon": { + "CHS": "用运货马车运输货物" + }, + "disqualify": { + "CHS": "取消…的资格", + "ENG": "to stop someone from taking part in an activity because they have broken a rule" + }, + "given": { + "CHS": "(Given)人名;(英、土)吉文" + }, + "album": { + "CHS": "相簿;唱片集;集邮簿;签名纪念册", + "ENG": "a book that you put photographs, stamps etc in" + }, + "dwarf": { + "CHS": "矮小的", + "ENG": "a dwarf plant or animal is much smaller than the usual size" + }, + "compromise": { + "CHS": "妥协,和解;折衷", + "ENG": "an agreement that is achieved after everyone involved accepts less than what they wanted at first, or the act of making this agreement" + }, + "inaccessible": { + "CHS": "难达到的;难接近的;难见到的", + "ENG": "difficult or impossible to reach" + }, + "overtake": { + "CHS": "赶上;压倒;突然来袭" + }, + "press": { + "CHS": "压;按;新闻;出版社;[印刷] 印刷机", + "ENG": "to be criticized in the newspapers or on radio or television" + }, + "confiscate": { + "CHS": "被没收的" + }, + "forestry": { + "CHS": "林业;森林地;林学", + "ENG": "the science or skill of looking after large areas of trees" + }, + "prime": { + "CHS": "使准备好;填装", + "ENG": "to prepare someone for a situation so that they know what to do" + }, + "prejudice": { + "CHS": "损害;使有偏见", + "ENG": "to influence someone so that they have an unfair or unreasonable opinion about someone or something" + }, + "escalator": { + "CHS": "(美)自动扶梯;电动扶梯", + "ENG": "a set of moving stairs that take people to different levels in a building" + }, + "Catholic": { + "CHS": "天主教徒;罗马天主教", + "ENG": "A Catholic is a member of the Catholic Church" + }, + "gallop": { + "CHS": "飞驰;急速进行;急急忙忙地说", + "ENG": "if a horse gallops, it moves very fast with all its feet leaving the ground together" + }, + "loop": { + "CHS": "环;圈;弯曲部分;翻筋斗", + "ENG": "a shape like a curve or a circle made by a line curving back towards itself, or a piece of wire, string etc that has this shape" + }, + "karat": { + "CHS": "开(黄金成色单位);克拉(宝石的重量单位,等于carat)", + "ENG": "an American spelling of carat" + }, + "miracle": { + "CHS": "奇迹,奇迹般的人或物;惊人的事例", + "ENG": "something very lucky or very good that happens which you did not expect to happen or did not think was possible" + }, + "perspective": { + "CHS": "透视的" + }, + "unaccepted": { + "CHS": "未被接纳的;被拒绝的;不承担的" + }, + "sulphur": { + "CHS": "使硫化;用硫磺处理" + }, + "scuttle": { + "CHS": "逃避;急促地跑" + }, + "turnover": { + "CHS": "翻过来的;可翻转的" + }, + "venue": { + "CHS": "审判地;犯罪地点;发生地点;集合地点" + }, + "oven": { + "CHS": "炉,灶;烤炉,烤箱", + "ENG": "a piece of equipment that food is cooked inside, shaped like a metal box with a door on the front" + }, + "sportsman": { + "CHS": "运动员;运动家;冒险家", + "ENG": "a man who plays several different sports" + }, + "soot": { + "CHS": "用煤烟熏黑;以煤烟弄脏" + }, + "hatch": { + "CHS": "孵;策划", + "ENG": "if an egg hatches, or if it is hatched, it breaks, letting the young bird, insect etc come out" + }, + "joyful": { + "CHS": "欢喜的;令人高兴的", + "ENG": "very happy, or likely to make people very happy" + }, + "similar": { + "CHS": "类似物" + }, + "tube": { + "CHS": "使成管状;把…装管;用管输送" + }, + "voluntary": { + "CHS": "志愿者;自愿行动" + }, + "mute": { + "CHS": "哑巴;弱音器;闭锁音", + "ENG": "a small piece of metal, rubber etc that you place over or into a musical instrument to make it sound softer" + }, + "liaison": { + "CHS": "联络;(语言)连音", + "ENG": "the regular exchange of information between groups of people, especially at work, so that each group knows what the other is doing" + }, + "persecute": { + "CHS": "迫害;困扰;同…捣乱", + "ENG": "to treat someone cruelly or unfairly over a period of time, especially because of their religious or political beliefs" + }, + "audit": { + "CHS": "审计;[审计] 查账", + "ENG": "an official examination of a company’s financial records in order to check that they are correct" + }, + "participle": { + "CHS": "分词", + "ENG": "one of the forms of a verb that are used to make tenses. In English, present participle s end in -ing and past participle s usually end in -ed or -en." + }, + "Polish": { + "CHS": "波兰的", + "ENG": "relating to Poland, its people, or its language" + }, + "climate": { + "CHS": "气候;风气;思潮;风土", + "ENG": "the typical weather conditions in a particular area" + }, + "mean": { + "CHS": "平均值", + "ENG": "the average amount, figure, or value" + }, + "even": { + "CHS": "(Even)人名;(法)埃旺;(德)埃文;(英)埃文" + }, + "site": { + "CHS": "设置;为…选址", + "ENG": "to place or build something in a particular place" + }, + "drastic": { + "CHS": "烈性泻药" + }, + "colonel": { + "CHS": "陆军上校", + "ENG": "a high rank in the army, Marines, or the US air force, or someone who has this rank" + }, + "fro": { + "CHS": "向后;向那边" + }, + "adjust": { + "CHS": "调整,使…适合;校准", + "ENG": "to change or move something slightly to improve it or make it more suitable for a particular purpose" + }, + "journal": { + "CHS": "日报,杂志;日记;分类账", + "ENG": "a serious magazine produced for professional people or those with a particular interest" + }, + "rich": { + "CHS": "(Rich)人名;(丹)里克;(捷)里赫;(英、西)里奇;(葡、法)里什", + "ENG": "The rich are rich people" + }, + "overdue": { + "CHS": "过期的;迟到的;未兑的", + "ENG": "not done, paid, returned etc by the time expected" + }, + "berry": { + "CHS": "采集浆果" + }, + "firstborn": { + "CHS": "头生的;第一胎生的" + }, + "implicate": { + "CHS": "使卷入;涉及;暗指;影响" + }, + "setting": { + "CHS": "放置;沉没;使…处于某位置(set的ing形式)" + }, + "calculation": { + "CHS": "计算;估计;计算的结果;深思熟虑", + "ENG": "A calculation is something that you think about and work out mathematically. Calculation is the process of working something out mathematically. " + }, + "Marxism": { + "CHS": "马克思的;马克思主义的" + }, + "hollow": { + "CHS": "彻底地;无用地" + }, + "paraphrase": { + "CHS": "释义", + "ENG": "to express in a shorter, clearer, or different way what someone has said or written" + }, + "specialize": { + "CHS": "专门从事;详细说明;特化", + "ENG": "to limit all or most of your study, business etc to a particular subject or activity" + }, + "tense": { + "CHS": "时态", + "ENG": "any of the forms of a verb that show the time, continuance, or completion of an action or state that is expressed by the verb. ‘I am’ is in the present tense, ‘I was’ is past tense, and ‘I will be’ is future tense." + }, + "rate": { + "CHS": "认为;估价;责骂", + "ENG": "if you rate someone or something, you think they are very good" + }, + "prince": { + "CHS": "王子,国君;亲王;贵族", + "ENG": "the son of a king, queen, or prince" + }, + "filter": { + "CHS": "滤波器;[化工] 过滤器;筛选;滤光器", + "ENG": "something that you pass water, air etc through in order to remove unwanted substances and make it clean or suitable to use" + }, + "barracks": { + "CHS": "使驻扎军营里;住在工房、棚屋里;(澳)大声鼓噪(barrack的三单形式)" + }, + "substance": { + "CHS": "物质;实质;资产;主旨", + "ENG": "a particular type of solid, liquid, or gas" + }, + "sweatshop": { + "CHS": "血汗工厂;剥削劳力的工厂", + "ENG": "a small business, factory etc where people work hard in bad conditions for very little money – used to show disapproval" + }, + "spinach": { + "CHS": "菠菜", + "ENG": "a vegetable with large dark green leaves" + }, + "engage": { + "CHS": "吸引,占用;使参加;雇佣;使订婚;预定", + "ENG": "to be doing or to become involved in an activity" + }, + "dissertation": { + "CHS": "论文,专题;学术演讲", + "ENG": "a long piece of writing on a particular subject, especially one written for a university degree" + }, + "anxiety": { + "CHS": "焦虑;渴望;挂念;令人焦虑的事", + "ENG": "the feeling of being very worried about something" + }, + "availability": { + "CHS": "可用性;有效性;实用性" + }, + "birch": { + "CHS": "用桦条鞭打" + }, + "recitation": { + "CHS": "背诵;朗诵;详述;背诵的诗", + "ENG": "an act of saying a poem, piece of literature etc that you have learned, for people to listen to" + }, + "voltage": { + "CHS": "[电] 电压", + "ENG": "electrical force measured in volts" + }, + "hull": { + "CHS": "[粮食] 去壳", + "ENG": "to take off the outer part of vegetables, rice, grain etc" + }, + "pants": { + "CHS": "裤子", + "ENG": "a piece of clothing that covers you from your waist to your feet and has a separate part for each leg" + }, + "drift": { + "CHS": "漂流,漂移;漂泊", + "ENG": "to move slowly on water or in the air" + }, + "hip": { + "CHS": "熟悉内情的;非常时尚的", + "ENG": "doing things or done according to the latest fashion" + }, + "drop": { + "CHS": "滴;落下;空投;微量;滴剂", + "ENG": "a very small amount of liquid that falls in a round shape" + }, + "naive": { + "CHS": "天真的,幼稚的", + "ENG": "not having much experience of how complicated life is, so that you trust people too much and believe that good things will always happen" + }, + "savoury": { + "CHS": "可口的;开胃的;令人愉快的", + "ENG": "a savoury smell or taste is strong and pleasant but is not sweet" + }, + "smuggle": { + "CHS": "走私;偷运", + "ENG": "to take something or someone illegally from one country to another" + }, + "humble": { + "CHS": "使谦恭;轻松打败(尤指强大的对手);低声下气", + "ENG": "If you humble someone who is more important or powerful than you, you defeat them easily" + }, + "perfection": { + "CHS": "完善;完美", + "ENG": "the state of being perfect" + }, + "grenade": { + "CHS": "扔手榴弹;用催泪弹攻击" + }, + "safeguard": { + "CHS": "[安全] 保护,护卫", + "ENG": "to protect something from harm or damage" + }, + "ridiculous": { + "CHS": "可笑的;荒谬的", + "ENG": "very silly or unreasonable" + }, + "struggle": { + "CHS": "努力,奋斗;竞争", + "ENG": "a long hard fight to get freedom, political rights etc" + }, + "contain": { + "CHS": "包含;控制;容纳;牵制(敌军)", + "ENG": "if something such as a bag, box, or place contains something, that thing is inside it" + }, + "devil": { + "CHS": "虐待,折磨;(用扯碎机)扯碎;(替作家,律师等)做助手;抹辣味料烤制或煎煮" + }, + "lengthen": { + "CHS": "使延长;加长", + "ENG": "to make something longer or to become longer" + }, + "luxury": { + "CHS": "奢侈的", + "ENG": "A luxury item is something expensive which is not necessary but which gives you pleasure" + }, + "complicity": { + "CHS": "共谋;串通;共犯关系", + "ENG": "involvement in a crime, together with other people" + }, + "hog": { + "CHS": "使拱起" + }, + "enlist": { + "CHS": "支持;从军;应募;赞助" + }, + "entirety": { + "CHS": "全部;完全", + "ENG": "the whole of sth" + }, + "therapy": { + "CHS": "治疗,疗法", + "ENG": "the treatment of an illness or injury over a fairly long period of time" + }, + "convex": { + "CHS": "凸面体;凸状" + }, + "forbidden": { + "CHS": "被禁止的;严禁的,禁用的", + "ENG": "not allowed, especially because of an official rule" + }, + "limp": { + "CHS": "跛行", + "ENG": "the way someone walks when they are limping" + }, + "detail": { + "CHS": "详述;选派", + "ENG": "to list things or give all the facts or information about something" + }, + "toenail": { + "CHS": "脚趾甲;[木] 斜钉", + "ENG": "the hard part that covers the top of each of your toes" + }, + "empty": { + "CHS": "空车;空的东西" + }, + "obscurity": { + "CHS": "朦胧;阴暗;晦涩;身份低微;不分明", + "ENG": "something that is difficult to understand, or the quality of being difficult to understand" + }, + "exhaust": { + "CHS": "排气;废气;排气装置", + "ENG": "a pipe on a car or machine that waste gases pass through" + }, + "landmark": { + "CHS": "有重大意义或影响的" + }, + "normal": { + "CHS": "正常;标准;常态", + "ENG": "the usual state, level, or amount" + }, + "knight": { + "CHS": "授以爵位", + "ENG": "If someone is knighted, they are given a knighthood" + }, + "overwhelm": { + "CHS": "淹没;压倒;受打击;覆盖;压垮", + "ENG": "if work or a problem overwhelms someone, it is too much or too difficult to deal with" + }, + "negotiate": { + "CHS": "谈判,商议;转让;越过", + "ENG": "to discuss something in order to reach an agreement, especially in business or politics" + }, + "unearth": { + "CHS": "发掘;揭露,发现;从洞中赶出", + "ENG": "to find something after searching for it, especially something that has been buried in the ground or lost for a long time" + }, + "air": { + "CHS": "使通风,晾干;夸耀", + "ENG": "to let fresh air into a room, especially one that has been closed for a long time" + }, + "clown": { + "CHS": "扮小丑;装傻", + "ENG": "If you clown, you do silly things in order to make people laugh" + }, + "smokestack": { + "CHS": "低技术制造业的;大工厂的" + }, + "tier": { + "CHS": "成递升排列" + }, + "stink": { + "CHS": "发出臭味;招人讨厌", + "ENG": "To stink means to smell very bad" + }, + "lane": { + "CHS": "小巷;[航][水运] 航线;车道;罚球区", + "ENG": "a narrow road in the countryside" + }, + "empress": { + "CHS": "皇后;女皇", + "ENG": "a female ruler of an empire, or the wife of an emperor" + }, + "superiority": { + "CHS": "优越,优势;优越性", + "ENG": "the quality of being better, more skilful, more powerful etc than other people or things" + }, + "axiom": { + "CHS": "[数] 公理;格言;自明之理", + "ENG": "a rule or principle that is generally considered to be true" + }, + "hover": { + "CHS": "徘徊;盘旋;犹豫" + }, + "sore": { + "CHS": "溃疡,痛处;恨事,伤心事", + "ENG": "a painful, often red, place on your body caused by a wound or infection" + }, + "organ": { + "CHS": "[生物] 器官;机构;风琴;管风琴;嗓音", + "ENG": "an organization that is part of, or works for, a larger organization or group" + }, + "cello": { + "CHS": "大提琴", + "ENG": "a musical instrument like a large violin that you hold between your knees and play by pulling a bow (= special stick ) across the strings" + }, + "taxation": { + "CHS": "课税,征税;税款", + "ENG": "the system of charging taxes" + }, + "feedback": { + "CHS": "反馈;成果,资料;回复", + "ENG": "advice, criticism etc about how successful or useful something is" + }, + "mock": { + "CHS": "仿制的,模拟的,虚假的,不诚实的", + "ENG": "not real, but intended to be very similar to a real situation, substance etc" + }, + "ragged": { + "CHS": "衣衫褴褛的;粗糙的;参差不齐的;锯齿状的;刺耳的;不规则的", + "ENG": "wearing clothes that are old and torn" + }, + "scarce": { + "CHS": "仅仅;几乎不;几乎没有", + "ENG": "scarcely" + }, + "graphics": { + "CHS": "[测] 制图学;制图法;图表算法", + "ENG": "pictures or images that are designed to represent objects or facts, especially in a computer program" + }, + "earnest": { + "CHS": "认真;定金;诚挚", + "ENG": "if something starts happening in earnest, it begins properly – used when it was happening in a small or informal way before" + }, + "surveillance": { + "CHS": "监督;监视", + "ENG": "when the police, army etc watch a person or place carefully because they may be connected with criminal activities" + }, + "mackintosh": { + "CHS": "橡皮布防水衣;橡皮布", + "ENG": "a coat which you wear to keep out the rain" + }, + "warrant": { + "CHS": "保证;担保;批准;辩解", + "ENG": "to promise that something is true" + }, + "kidney": { + "CHS": "[解剖] 肾脏;腰子;个性", + "ENG": "one of the two organs in your lower back that separate waste products from your blood and make urine" + }, + "plural": { + "CHS": "复数", + "ENG": "a form of a word that shows you are talking about more than one thing, person etc. For example, ‘dogs’ is the plural of ‘dog’" + }, + "parlour": { + "CHS": "客厅;会客室;雅座", + "ENG": "a room in a house which has comfortable chairs and is used for meeting guests" + }, + "bulldozer": { + "CHS": "推土机;欺凌者,威吓者", + "ENG": "a powerful vehicle with a broad metal blade, used for moving earth and rocks, destroying buildings etc" + }, + "profit": { + "CHS": "获利;有益", + "ENG": "to be useful or helpful to someone" + }, + "legitimate": { + "CHS": "使合法;认为正当(等于legitimize)" + }, + "misunderstanding": { + "CHS": "误解;误会;不和", + "ENG": "a problem caused by someone not understanding a question, situation, or instruction correctly" + }, + "bellow": { + "CHS": "吼叫声;轰鸣声", + "ENG": "a loud deep shout" + }, + "weld": { + "CHS": "焊接;焊接点", + "ENG": "a joint that is made by welding two pieces of metal together" + }, + "scatter": { + "CHS": "分散;散播,撒播" + }, + "creditor": { + "CHS": "债权人,贷方", + "ENG": "a person, bank, or company that you owe money to" + }, + "stable": { + "CHS": "被关在马厩", + "ENG": "to put or keep a horse in a stable" + }, + "occur": { + "CHS": "发生;出现;存在", + "ENG": "to happen" + }, + "pentagon": { + "CHS": "五角形", + "ENG": "a flat shape with five sides and five angles" + }, + "mall": { + "CHS": "购物商场;林荫路;铁圈球场", + "ENG": "a large area where there are a lot of shops, usually a covered area where cars are not allowed" + }, + "mark": { + "CHS": "作记号", + "ENG": "to write or draw on something, so that someone will notice what you have written" + }, + "hind": { + "CHS": "雌鹿", + "ENG": "a female deer " + }, + "policy": { + "CHS": "政策,方针;保险单", + "ENG": "a way of doing something that has been officially agreed and chosen by a political party, a business, or another organization" + }, + "overrule": { + "CHS": "否决;统治;对…施加影响", + "ENG": "to change an order or decision that you think is wrong, using your official power" + }, + "charter": { + "CHS": "宪章;执照;特许状", + "ENG": "a statement of the principles, duties, and purposes of an organization" + }, + "vet": { + "CHS": "兽医", + "ENG": "someone who is trained to give medical care and treatment to sick animals" + }, + "excursion": { + "CHS": "偏移;远足;短程旅行;离题;游览,游览团", + "ENG": "a short journey arranged so that a group of people can visit a place, especially while they are on holiday" + }, + "biological": { + "CHS": "生物的;生物学的", + "ENG": "relating to the natural processes performed by living things" + }, + "baptize": { + "CHS": "(Baptize)人名;(法)巴蒂泽" + }, + "bungalow": { + "CHS": "平房;小屋", + "ENG": "a house that is all on ground level" + }, + "arouse": { + "CHS": "引起;唤醒;鼓励", + "ENG": "to make you become interested, expect something etc" + }, + "inviolable": { + "CHS": "不可侵犯的;神圣的;不可亵渎的", + "ENG": "an inviolable right, law, principle etc is extremely important and should be treated with respect and not broken or removed" + }, + "autobiography": { + "CHS": "自传;自传文学", + "ENG": "a book in which someone writes about their own life, or books of this type" + }, + "mention": { + "CHS": "提及,说起", + "ENG": "when someone mentions something or someone in a conversation, piece of writing etc" + }, + "italic": { + "CHS": "[印刷] 斜体的", + "ENG": "Italic letters slope to the right" + }, + "instinct": { + "CHS": "充满着的" + }, + "villain": { + "CHS": "坏人,恶棍;戏剧、小说中的反派角色;顽童;罪犯", + "ENG": "the main bad character in a film, play, or story" + }, + "facilitate": { + "CHS": "促进;帮助;使容易", + "ENG": "To facilitate an action or process, especially one that you would like to happen, means to make it easier or more likely to happen" + }, + "teddy": { + "CHS": "连衫衬裤;泰迪玩具熊" + }, + "common": { + "CHS": "普通;平民;公有地", + "ENG": "a large area of open land in a town or village that people walk or play sport on" + }, + "hardly": { + "CHS": "几乎不,简直不;刚刚", + "ENG": "almost not" + }, + "negative": { + "CHS": "否定;拒绝", + "ENG": "to refuse to accept a proposal or request" + }, + "battle": { + "CHS": "斗争;作战", + "ENG": "to try very hard to achieve something that is difficult or dangerous" + }, + "barbarous": { + "CHS": "野蛮的;残暴的", + "ENG": "extremely cruel in a way that is shocking" + }, + "falter": { + "CHS": "踌躇;支吾;颤抖" + }, + "forthcoming": { + "CHS": "来临" + }, + "tribe": { + "CHS": "部落;族;宗族;一伙", + "ENG": "a social group consisting of people of the same race who have the same beliefs, customs, language etc, and usually live in one particular area ruled by their leader" + }, + "arid": { + "CHS": "干旱的;不毛的,[农] 荒芜的", + "ENG": "arid land or an arid climate is very dry because it has very little rain" + }, + "flypast": { + "CHS": "空中分列" + }, + "reference": { + "CHS": "引用" + }, + "buck": { + "CHS": "(美)钱,元;雄鹿;纨绔子弟;年轻的印第安人或黑人", + "ENG": "a male rabbit, deer , and some other male animals" + }, + "cradle": { + "CHS": "抚育;把搁在支架上;把放在摇篮内" + }, + "springlock": { + "CHS": "弹簧锁" + }, + "crumble": { + "CHS": "面包屑" + }, + "frame": { + "CHS": "有木架的;有构架的" + }, + "entrepot": { + "CHS": "贸易中心;(法)仓库" + }, + "tune": { + "CHS": "调整;使一致;为…调音", + "ENG": "to make a musical instrument play at the right pitch " + }, + "grace": { + "CHS": "使优美", + "ENG": "to make a place or an object look more attractive" + }, + "twilight": { + "CHS": "黄昏;薄暮;衰退期;朦胧状态", + "ENG": "the small amount of light in the sky as the day ends" + }, + "psychiatry": { + "CHS": "精神病学;精神病治疗法", + "ENG": "the study and treatment of mental illnesses" + }, + "Karaoke": { + "CHS": "卡拉OK;卡拉OK录音,自动伴奏录音", + "ENG": "Karaoke is a form of entertainment in which a machine plays the tunes of songs, and people take turns singing the words" + }, + "knapsack": { + "CHS": "背包", + "ENG": "a bag that you carry on your shoulders" + }, + "suppress": { + "CHS": "抑制;镇压;废止", + "ENG": "to stop people from opposing the government, especially by using force" + }, + "luck": { + "CHS": "靠运气,走运;凑巧碰上" + }, + "marine": { + "CHS": "海运业;舰队;水兵;(海军)士兵或军官", + "ENG": "A marine is a member of an armed force, for example the U.S. Marine Corps or the Royal Marines, who is specially trained for military duties at sea as well as on land. " + }, + "conceal": { + "CHS": "隐藏;隐瞒", + "ENG": "to hide something carefully" + }, + "tart": { + "CHS": "打扮" + }, + "cyclone": { + "CHS": "旋风;[气象] 气旋;飓风", + "ENG": "a very strong wind that moves very fast in a circle" + }, + "notion": { + "CHS": "概念;见解;打算", + "ENG": "an idea, belief, or opinion" + }, + "absurd": { + "CHS": "荒诞;荒诞作品" + }, + "approximate": { + "CHS": "[数] 近似的;大概的", + "ENG": "an approximate number, amount, or time is close to the exact number, amount etc, but could be a little bit more or less than it" + }, + "resistance": { + "CHS": "阻力;电阻;抵抗;反抗;抵抗力", + "ENG": "a refusal to accept new ideas or changes" + }, + "frown": { + "CHS": "皱眉,蹙额", + "ENG": "the expression on your face when you move your eyebrows together because you are angry, unhappy, or confused" + }, + "extravagant": { + "CHS": "奢侈的;浪费的;过度的;放纵的", + "ENG": "spending or costing a lot of money, especially more than is necessary or more than you can afford" + }, + "risk": { + "CHS": "冒…的危险", + "ENG": "to put something in a situation in which it could be lost, destroyed, or harmed" + }, + "dung": { + "CHS": "粪", + "ENG": "solid waste from animals, especially cows" + }, + "duchess": { + "CHS": "热情款待;讨好" + }, + "obtain": { + "CHS": "获得;流行", + "ENG": "to get something that you want, especially through your own effort, skill, or work" + }, + "kindle": { + "CHS": "点燃;激起;照亮", + "ENG": "if you kindle a fire, or if it kindles, it starts to burn" + }, + "legacy": { + "CHS": "遗赠,遗产", + "ENG": "something that happens or exists as a result of things that happened at an earlier time" + }, + "mast": { + "CHS": "在…上装桅杆", + "ENG": "to equip with a mast or masts " + }, + "horizon": { + "CHS": "[天] 地平线;视野;眼界;范围", + "ENG": "the line far away where the land or sea seems to meet the sky" + }, + "furnace": { + "CHS": "火炉,熔炉", + "ENG": "a large container for a very hot fire, used to produce power, heat, or liquid metal" + }, + "badge": { + "CHS": "授给…徽章" + }, + "media": { + "CHS": "媒体;媒质(medium的复数);血管中层;浊塞音;中脉", + "ENG": "all the organizations, such as television, radio, and newspapers, that provide news and information for the public, or the people who do this work" + }, + "Spaniard": { + "CHS": "西班牙人", + "ENG": "someone from Spain" + }, + "outlook": { + "CHS": "朝外看" + }, + "crossword": { + "CHS": "纵横字谜;纵横填字谜(等于cross puzzle)", + "ENG": "a word game in which you write the answers to questions in a pattern of numbered boxes" + }, + "complacency": { + "CHS": "自满;满足;自鸣得意", + "ENG": "a feeling of satisfaction with a situation or with what you have achieved, so that you stop trying to improve or change things – used to show disapproval" + }, + "atmospheric": { + "CHS": "大气的,大气层的", + "ENG": "relating to the Earth’s atmosphere" + }, + "veil": { + "CHS": "遮蔽;掩饰;以面纱遮掩;用帷幕分隔", + "ENG": "to cover something with a veil" + }, + "extracurricular": { + "CHS": "课外的;业余的;婚外的", + "ENG": "extracurricular activities are not part of the course that a student is doing at a school or college" + }, + "ponder": { + "CHS": "(Ponder)人名;(英)庞德" + }, + "surgery": { + "CHS": "外科;外科手术;手术室;诊疗室", + "ENG": "medical treatment in which a surgeon cuts open your body to repair or remove something inside" + }, + "standardize": { + "CHS": "使标准化;用标准检验", + "ENG": "to make all the things of one particular type the same as each other" + }, + "spectacular": { + "CHS": "壮观的,惊人的;公开展示的", + "ENG": "very impressive" + }, + "outskirts": { + "CHS": "市郊,郊区", + "ENG": "the parts of a town or city that are furthest from the centre" + }, + "loyal": { + "CHS": "效忠的臣民;忠实信徒" + }, + "scrape": { + "CHS": "刮;擦伤;挖成", + "ENG": "to remove something from a surface using the edge of a knife, a stick etc" + }, + "melody": { + "CHS": "旋律;歌曲;美妙的音乐", + "ENG": "a song or tune" + }, + "martyr": { + "CHS": "烈士;殉道者", + "ENG": "someone who dies for their religious or political beliefs and is admired by people for this" + }, + "grassroots": { + "CHS": "草根;基础", + "ENG": "The grassroots of an organization or movement are the ordinary people who form the main part of it, rather than its leaders" + }, + "tournament": { + "CHS": "锦标赛,联赛;比赛", + "ENG": "a competition in which players compete against each other in a series of games until there is one winner" + }, + "cherish": { + "CHS": "珍爱", + "ENG": "if you cherish something, it is very important to you" + }, + "emigrate": { + "CHS": "移居;移居外国", + "ENG": "to leave your own country in order to live in another country" + }, + "renew": { + "CHS": "使更新;续借;续费;复兴;重申", + "ENG": "to begin doing something again after a period of not doing it" + }, + "lass": { + "CHS": "小姑娘;情侣;(苏格兰)女佣" + }, + "triangular": { + "CHS": "三角的,[数] 三角形的;三人间的", + "ENG": "shaped like a triangle" + }, + "gunpowder": { + "CHS": "火药;有烟火药", + "ENG": "an explosive substance used in bombs and fireworks " + }, + "action": { + "CHS": "行动;活动;功能;战斗;情节", + "ENG": "the process of doing something, especially in order to achieve a particular thing" + }, + "rep": { + "CHS": "代表(representative);名声(reputation)" + }, + "stricken": { + "CHS": "患病的;受挫折的;受…侵袭的;遭殃的", + "ENG": "very badly affected by trouble, illness, unhappiness etc" + }, + "sunbath": { + "CHS": "日光浴;太阳灯浴" + }, + "neglectful": { + "CHS": "疏忽的;忽略的;不小心的", + "ENG": "not looking after something properly, or not giving it enough attention" + }, + "acquaint": { + "CHS": "使熟悉;使认识" + }, + "hurl": { + "CHS": "用力的投掷" + }, + "contradict": { + "CHS": "反驳;否定;与…矛盾;与…抵触", + "ENG": "to disagree with something, especially by saying that the opposite is true" + }, + "inaugural": { + "CHS": "就职演讲;开幕辞" + }, + "slaughter": { + "CHS": "屠宰,屠杀;杀戮;消灭", + "ENG": "when people kill animals, especially for their meat" + }, + "widen": { + "CHS": "(Widen)人名;(德)维登" + }, + "colon": { + "CHS": "[解剖] 结肠;冒号(用于引语、说明、例证等之前);科郎(哥斯达黎加货币单位)", + "ENG": "the lower part of the bowels , in which food is changed into waste matter" + }, + "anonymous": { + "CHS": "匿名的,无名的;无个性特征的", + "ENG": "unknown by name" + }, + "crown": { + "CHS": "加冕;居…之顶;表彰;使圆满完成", + "ENG": "to place a crown on the head of a new king or queen as part of an official ceremony in which they become king or queen" + }, + "progressive": { + "CHS": "改革论者;进步分子", + "ENG": "A progressive is someone who is progressive" + }, + "different": { + "CHS": "不同的;个别的,与众不同的", + "ENG": "not like something or someone else, or not like before" + }, + "perceive": { + "CHS": "察觉,感觉;理解;认知", + "ENG": "to understand or think of something or someone in a particular way" + }, + "tuna": { + "CHS": "金枪鱼,鲔鱼", + "ENG": "a large sea fish caught for food" + }, + "Nazi": { + "CHS": "纳粹党的;纳粹主义的", + "ENG": "You use Nazi to say that something relates to the Nazis" + }, + "staff": { + "CHS": "供给人员;给…配备职员", + "ENG": "to be or provide the workers for an organization" + }, + "chancellor": { + "CHS": "总理(德、奥等的);(英)大臣;校长(美国某些大学的);(英)大法官;(美)首席法官", + "ENG": "the Chancellor of the Exchequer" + }, + "code": { + "CHS": "编码;制成法典" + }, + "manoeuvre": { + "CHS": "策略(等于maneuvre)", + "ENG": "a skilful or carefully planned action intended to gain an advantage for yourself" + }, + "butler": { + "CHS": "男管家;仆役长", + "ENG": "the main male servant of a house" + }, + "farewell": { + "CHS": "告别的" + }, + "spotless": { + "CHS": "无可挑剔的;无瑕疵的;纯洁的", + "ENG": "if someone has a spotless reputation or record, people know or think they have never done anything bad" + }, + "pasture": { + "CHS": "放牧;吃草", + "ENG": "to put animals outside in a field to feed on the grass" + }, + "crowded": { + "CHS": "拥挤(crowd的过去分词)" + }, + "inventive": { + "CHS": "发明的;有发明才能的;独出心裁的", + "ENG": "An inventive person is good at inventing things or has clever and original ideas" + }, + "quantity": { + "CHS": "量,数量;大量;总量", + "ENG": "an amount of something that can be counted or measured" + }, + "supply": { + "CHS": "供给,提供;补充", + "ENG": "to provide people with something that they need or want, especially regularly over a long period of time" + }, + "savings": { + "CHS": "储蓄;存款;救助;节省物(saving的复数形式)", + "ENG": "A saving is a reduction in the amount of time or money that is used or needed" + }, + "later": { + "CHS": "(Later)人名;(德)拉特" + }, + "fanatic": { + "CHS": "狂热的;盲信的", + "ENG": "Fanatic means the same as " + }, + "excitement": { + "CHS": "兴奋;刺激;令人兴奋的事物", + "ENG": "the feeling of being excited" + }, + "forth": { + "CHS": "(Forth)人名;(德)福特;(英)福思" + }, + "hideous": { + "CHS": "可怕的;丑恶的", + "ENG": "extremely unpleasant or ugly" + }, + "plentiful": { + "CHS": "丰富的;许多的;丰饶的;众多的", + "ENG": "more than enough in quantity" + }, + "plot": { + "CHS": "密谋;绘图;划分;标绘", + "ENG": "to make a secret plan to harm a person or organization, especially a political leader or government" + }, + "metropolis": { + "CHS": "大都市;首府;重要中心", + "ENG": "a very large city that is the most important city in a country or area" + }, + "bibliography": { + "CHS": "参考书目;文献目录", + "ENG": "a list of all the books and articles used in preparing a piece of writing" + }, + "earache": { + "CHS": "耳朵痛,耳痛", + "ENG": "a pain inside your ear" + }, + "orient": { + "CHS": "东方的" + }, + "vacancy": { + "CHS": "空缺;空位;空白;空虚", + "ENG": "a job that is available for someone to start doing" + }, + "deck": { + "CHS": "装饰;装甲板;打扮", + "ENG": "to decorate something with flowers, flags etc" + }, + "sniff": { + "CHS": "吸,闻;嗤之以鼻;气味;以鼻吸气;吸气声", + "ENG": "Sniff is also a noun" + }, + "estate": { + "CHS": "房地产;财产;身份", + "ENG": "law all of someone’s property and money, especially everything that is left after they die" + }, + "representative": { + "CHS": "代表;典型;众议员", + "ENG": "someone who has been chosen to speak, vote, or make decisions for someone else" + }, + "successively": { + "CHS": "相继地;接连着地" + }, + "deduce": { + "CHS": "推论,推断;演绎出", + "ENG": "to use the knowledge and information you have in order to understand something or form an opinion about it" + }, + "survey": { + "CHS": "调查;勘测;俯瞰", + "ENG": "to ask a large number of people questions in order to find out their attitudes or opinions" + }, + "comet": { + "CHS": "[天] 彗星", + "ENG": "an object in space like a bright ball with a long tail, that moves around the sun" + }, + "damn": { + "CHS": "讨厌" + }, + "intermediate": { + "CHS": "[化学] 中间物;媒介" + }, + "blast": { + "CHS": "猛攻", + "ENG": "to criticize someone or something very strongly – used especially in news reports" + }, + "puff": { + "CHS": "粉扑;泡芙;蓬松;一阵喷烟;肿块;吹嘘,宣传广告", + "ENG": "Puff is also a noun" + }, + "mount": { + "CHS": "山峰;底座;乘骑用马;攀,登;运载工具;底座", + "ENG": "used as part of the name of a mountain" + }, + "programmer": { + "CHS": "[自][计] 程序设计员", + "ENG": "someone whose job is to write computer programs" + }, + "rust": { + "CHS": "使生锈;腐蚀", + "ENG": "to become covered with rust, or to make something become covered in rust" + }, + "dual": { + "CHS": "双数;双数词" + }, + "subjunctive": { + "CHS": "虚拟的;虚拟语气的" + }, + "prompt": { + "CHS": "准时地" + }, + "judicial": { + "CHS": "公正的,明断的;法庭的;审判上的", + "ENG": "Judicial means relating to the legal system and to judgments made in a court of law" + }, + "proficiency": { + "CHS": "精通,熟练", + "ENG": "a good standard of ability and skill" + }, + "log": { + "CHS": "记录;航行日志;原木", + "ENG": "a thick piece of wood from a tree" + }, + "ale": { + "CHS": "麦芽酒", + "ENG": "a type of beer made from malt 1 " + }, + "zinc": { + "CHS": "锌", + "ENG": "a blue-white metal that is used to make brass and to cover and protect objects made of iron. It is a chemical element: symbol Zn" + }, + "Mexican": { + "CHS": "墨西哥人;墨西哥语", + "ENG": "someone from Mexico" + }, + "tyrant": { + "CHS": "暴君", + "ENG": "a ruler who has complete power and uses it in a cruel and unfair way" + }, + "dependent": { + "CHS": "依赖他人者;受赡养者" + }, + "nobility": { + "CHS": "贵族;高贵;高尚", + "ENG": "the group of people in some countries who belong to the highest social class and have titles such as ‘Duke’ or ‘Countess’" + }, + "fascinate": { + "CHS": "使着迷,使神魂颠倒", + "ENG": "If something fascinates you, it interests and delights you so much that your thoughts tend to concentrate on it" + }, + "clang": { + "CHS": "发铿锵声", + "ENG": "if a metal object clangs, or if you clang it, it makes a loud ringing sound" + }, + "edible": { + "CHS": "食品;食物" + }, + "shepherd": { + "CHS": "牧羊人;牧师;指导者", + "ENG": "someone whose job is to take care of sheep" + }, + "ascend": { + "CHS": "上升;登高;追溯", + "ENG": "to move up through the air" + }, + "duel": { + "CHS": "决斗", + "ENG": "to fight a duel" + }, + "prize": { + "CHS": "获奖的", + "ENG": "good enough to win a prize or having won a prize" + }, + "soviet": { + "CHS": "苏维埃(代表会议);委员会;代表会议", + "ENG": "an elected council in a Communist country" + }, + "solicit": { + "CHS": "征求;招揽;请求;乞求", + "ENG": "to ask someone for money, help, or information" + }, + "concentrate": { + "CHS": "浓缩,精选;浓缩液", + "ENG": "a substance or liquid which has been made stronger by removing most of the water from it" + }, + "cornerstone": { + "CHS": "基础;柱石;地基", + "ENG": "something that is extremely important because everything else depends on it" + }, + "toad": { + "CHS": "蟾蜍;癞蛤蟆;讨厌的家伙", + "ENG": "a small animal that looks like a large frog and lives mostly on land" + }, + "bilingual": { + "CHS": "通两种语言的人" + }, + "speechless": { + "CHS": "说不出话的;哑的;非言语所能表达的", + "ENG": "unable to speak because you feel very angry, upset etc" + }, + "stifle": { + "CHS": "(马等的)后膝关节;(马等的)[动] 后膝关节病" + }, + "proposal": { + "CHS": "提议,建议;求婚", + "ENG": "a plan or suggestion which is made formally to an official person or group, or the act of making it" + }, + "pastry": { + "CHS": "油酥点心;面粉糕饼", + "ENG": "a mixture of flour, butter, and milk or water, used to make the outer part of baked foods such as pie s " + }, + "cart": { + "CHS": "用车装载", + "ENG": "to take something somewhere in a cart, truck etc" + }, + "cruelty": { + "CHS": "残酷;残忍;残酷的行为", + "ENG": "behaviour or actions that deliberately cause pain to people or animals" + }, + "requirement": { + "CHS": "要求;必要条件;必需品", + "ENG": "something that someone needs or asks for" + }, + "mistress": { + "CHS": "情妇;女主人;主妇;女教师;女能人", + "ENG": "a woman that a man has a sexual relationship with, even though he is married to someone else" + }, + "donate": { + "CHS": "捐赠;捐献" + }, + "medieval": { + "CHS": "中世纪的;原始的;仿中世纪的;老式的", + "ENG": "connected with the Middle Ages (= the period between about 1100 and 1500 AD )" + }, + "unofficial": { + "CHS": "非官方的;非正式的", + "ENG": "done or produced without formal approval or permission" + }, + "elsewhere": { + "CHS": "在别处;到别处", + "ENG": "in, at, or to another place" + }, + "annals": { + "CHS": "年报;编年史;年鉴", + "ENG": "used in the titles of official records of events or activities" + }, + "thrifty": { + "CHS": "节约的;茂盛的;成功的", + "ENG": "using money carefully and wisely" + }, + "repairable": { + "CHS": "可修理的;可挽回的;可补偿的", + "ENG": "able to be fixed" + }, + "conical": { + "CHS": "圆锥的;圆锥形的", + "ENG": "shaped like a cone " + }, + "angle": { + "CHS": "角度,角,方面", + "ENG": "the space between two straight lines or surfaces that join each other, measured in degrees" + }, + "gymnasium": { + "CHS": "体育馆;健身房", + "ENG": "a gym " + }, + "destined": { + "CHS": "注定(destine的过去式和过去分词)" + }, + "remote": { + "CHS": "远程" + }, + "olive": { + "CHS": "橄榄的;橄榄色的", + "ENG": "If someone has olive skin, the colour of their skin is yellowish brown" + }, + "soar": { + "CHS": "高飞;高涨" + }, + "hesitate": { + "CHS": "踌躇,犹豫;不愿", + "ENG": "If you hesitate to do something, you delay doing it or are unwilling to do it, usually because you are not certain it would be right. If you do not hesitate to do something, you do it immediately. " + }, + "bin": { + "CHS": "把…放入箱中" + }, + "geology": { + "CHS": "地质学;地质情况", + "ENG": "the study of the rocks, soil etc that make up the Earth, and of the way they have changed since the Earth was formed" + }, + "deliberate": { + "CHS": "仔细考虑;商议", + "ENG": "to think about something very carefully" + }, + "transparency": { + "CHS": "透明,透明度;幻灯片;有图案的玻璃", + "ENG": "a sheet of plastic or a piece of photographic film through which light can be shone to show a picture on a large screen" + }, + "Israel": { + "CHS": "以色列(亚洲国家);犹太人,以色列人" + }, + "sterile": { + "CHS": "不育的;无菌的;贫瘠的;不毛的;枯燥乏味的", + "ENG": "a person or animal that is sterile cannot produce babies" + }, + "imagine": { + "CHS": "想像;猜想;臆断", + "ENG": "to form a picture or idea in your mind about what something could be like" + }, + "cling": { + "CHS": "坚持,墨守;紧贴;附着", + "ENG": "If someone clings to a position or a possession they have, they do everything they can to keep it even though this may be very difficult" + }, + "omit": { + "CHS": "省略;遗漏;删除;疏忽", + "ENG": "to not include someone or something, either deliberately or because you forget to do it" + }, + "nuisance": { + "CHS": "讨厌的人;损害;麻烦事;讨厌的东西", + "ENG": "a person, thing, or situation that annoys you or causes problems" + }, + "unusual": { + "CHS": "不寻常的;与众不同的;不平常的", + "ENG": "different from what is usual or normal" + }, + "rarity": { + "CHS": "罕见;珍贵;珍品(需用复数);稀薄", + "ENG": "to not happen or exist very often" + }, + "antenna": { + "CHS": "[电讯] 天线;[动] 触角,[昆] 触须", + "ENG": "one of two long thin parts on an insect’s head, that it uses to feel things" + }, + "visible": { + "CHS": "可见物;进出口贸易中的有形项目" + }, + "chronic": { + "CHS": "(Chronic)人名;(英)克罗尼克" + }, + "vegetation": { + "CHS": "植被;植物,草木;呆板单调的生活", + "ENG": "plants in general" + }, + "pore": { + "CHS": "气孔;小孔", + "ENG": "one of the small holes in your skin that liquid, especially sweat , can pass through, or a similar hole in the surface of a plant" + }, + "relief": { + "CHS": "救济;减轻,解除;安慰;浮雕", + "ENG": "when something reduces someone’s pain or unhappy feelings" + }, + "whereby": { + "CHS": "凭借;通过…;借以;与…一致", + "ENG": "by means of which or according to which" + }, + "minority": { + "CHS": "少数的;属于少数派的" + }, + "particle": { + "CHS": "颗粒;[物] 质点;极小量;小品词", + "ENG": "a very small piece of something" + }, + "irritate": { + "CHS": "刺激,使兴奋;激怒", + "ENG": "to make someone feel annoyed or impatient, especially by doing something many times or for a long period of time" + }, + "thesis": { + "CHS": "论文;论点", + "ENG": "a long piece of writing about a particular subject that you do as part of an advanced university degree such as an MA or a PhD" + }, + "raise": { + "CHS": "高地;上升;加薪", + "ENG": "an increase in the money you earn" + }, + "illuminating": { + "CHS": "照明,阐释(illuminate的现在分词形式)", + "ENG": "To illuminate something means to shine light on it and to make it brighter and more visible" + }, + "thesaurus": { + "CHS": "宝库;辞典;知识宝库;分类词汇汇编" + }, + "exclusion": { + "CHS": "排除;排斥;驱逐;被排除在外的事物", + "ENG": "when someone is not allowed to take part in something or enter a place" + }, + "bodily": { + "CHS": "(Bodily)人名;(英)博迪利" + }, + "scoop": { + "CHS": "勺;铲子;独家新闻;凹处", + "ENG": "an important or exciting news story that is printed in one newspaper or shown on one television station before any of the others know about it" + }, + "maternal": { + "CHS": "母亲的;母性的;母系的;母体遗传的", + "ENG": "typical of the way a good mother behaves or feels" + }, + "essayist": { + "CHS": "随笔作家,散文家;评论家", + "ENG": "someone who writes essays giving their ideas about politics, society etc" + }, + "tremendous": { + "CHS": "极大的,巨大的;惊人的;极好的", + "ENG": "very big, fast, powerful etc" + }, + "zealous": { + "CHS": "(Zealous)人名;(英)泽勒斯" + }, + "tricky": { + "CHS": "狡猾的;机警的", + "ENG": "a tricky person is clever and likely to deceive you" + }, + "negligible": { + "CHS": "微不足道的,可以忽略的", + "ENG": "too slight or unimportant to have any effect" + }, + "oblivious": { + "CHS": "遗忘的;健忘的;不注意的;不知道的", + "ENG": "not knowing about or not noticing something that is happening around you" + }, + "direct": { + "CHS": "直接地;正好;按直系关系", + "ENG": "Direct is also an adverb" + }, + "soda": { + "CHS": "苏打;碳酸水", + "ENG": "water that contains bubbles and is often added to alcoholic drinks" + }, + "champagne": { + "CHS": "香槟酒;香槟酒色", + "ENG": "a French white wine with a lot of bubble s , drunk on special occasions" + }, + "exposure": { + "CHS": "暴露;曝光;揭露;陈列", + "ENG": "when someone is in a situation where they are not protected from something dangerous or unpleasant" + }, + "adapted": { + "CHS": "使适应,改编(adapt的过去式)" + }, + "electromagnet": { + "CHS": "电磁体,[电] 电磁铁;电磁石", + "ENG": "a piece of metal that becomes magnetic(= able to attract metal objects ) when an electric current is turned on" + }, + "clergy": { + "CHS": "神职人员;牧师;僧侣", + "ENG": "the official leaders of religious activities in organized religions, such as priests, rabbi s , and mullah s " + }, + "duke": { + "CHS": "公爵,(公国的)君主;公爵(种)樱桃", + "ENG": "a man with the highest social rank outside the royal family" + }, + "decay": { + "CHS": "衰退,[核] 衰减;腐烂,腐朽", + "ENG": "the natural chemical change that causes the slow destruction of something" + }, + "limb": { + "CHS": "切断…的手足;从…上截下树枝" + }, + "chasm": { + "CHS": "峡谷;裂口;分歧;深坑", + "ENG": "a very deep space between two areas of rock or ice, especially one that is dangerous" + }, + "durable": { + "CHS": "耐用品" + }, + "livelihood": { + "CHS": "生计,生活;营生", + "ENG": "the way you earn money in order to live" + }, + "infected": { + "CHS": "传染(infect的过去分词)" + }, + "flavour": { + "CHS": "给……调味;给……增添风趣", + "ENG": "to give something a particular taste or more taste" + }, + "catastrophe": { + "CHS": "大灾难;大祸;惨败", + "ENG": "a terrible event in which there is a lot of destruction, suffering, or death" + }, + "gauze": { + "CHS": "纱布;薄纱;薄雾", + "ENG": "very thin transparent material with very small holes in it" + }, + "stagnant": { + "CHS": "停滞的;不景气的;污浊的;迟钝的", + "ENG": "stagnant water or air does not move or flow and often smells bad" + }, + "oxide": { + "CHS": "[化学] 氧化物", + "ENG": "a substance which is produced when a substance is combined with oxygen" + }, + "fern": { + "CHS": "[植] 蕨;[植] 蕨类植物", + "ENG": "a type of plant with green leaves shaped like large feathers, but no flowers" + }, + "persist": { + "CHS": "存留,坚持;持续,固执", + "ENG": "to continue to do something, although this is difficult, or other people oppose it" + }, + "midst": { + "CHS": "在…中间(等于amidst)", + "ENG": "surrounded by people or things" + }, + "peak": { + "CHS": "最高的;最大值的", + "ENG": "used to talk about the best, highest, or greatest level or amount of something" + }, + "cardboard": { + "CHS": "不真实的;硬纸板制的", + "ENG": "made from cardboard" + }, + "rage": { + "CHS": "大怒,发怒;流行,风行", + "ENG": "to feel very angry about something and show this in the way you behave or speak" + }, + "desktop": { + "CHS": "桌面;台式机", + "ENG": "the main area on a computer where you can find the icon s that represent programs, and where you can do things to manage the information on the computer" + }, + "coward": { + "CHS": "胆小的,懦怯的" + }, + "assist": { + "CHS": "参加;出席" + }, + "abnormal": { + "CHS": "反常的,不规则的;变态的", + "ENG": "very different from usual in a way that seems strange, worrying, wrong, or dangerous" + }, + "shrimp": { + "CHS": "有虾的;虾制的" + }, + "malady": { + "CHS": "弊病;疾病;腐败", + "ENG": "an illness" + }, + "valentine": { + "CHS": "情人;情人节礼物", + "ENG": "someone you love or think is attractive, that you send a card to on St Valentine’s Day" + }, + "grocery": { + "CHS": "食品杂货店", + "ENG": "food and other goods that are sold by a grocer or a supermarket" + }, + "paralyse": { + "CHS": "使……无力;使……麻痹;使……瘫痪", + "ENG": "if something paralyses you, it makes you lose the ability to move part or all of your body, or to feel it" + }, + "energetic": { + "CHS": "精力充沛的;积极的;有力的", + "ENG": "having or needing a lot of energy or determination" + }, + "truthful": { + "CHS": "真实的;诚实的", + "ENG": "someone who is truthful does not usually tell lies" + }, + "stem": { + "CHS": "阻止;除去…的茎;给…装柄", + "ENG": "to stop something from happening, spreading, or developing" + }, + "intercom": { + "CHS": "对讲机;内部通话装置", + "ENG": "a communication system by which people in different parts of a building, aircraft etc can speak to each other" + }, + "stubborn": { + "CHS": "顽固的;顽强的;难处理的", + "ENG": "determined not to change your mind, even when people think you are being unreasonable" + }, + "bastard": { + "CHS": "私生子", + "ENG": "someone who was born to parents who were not married" + }, + "hockey": { + "CHS": "曲棍球;冰球", + "ENG": "a game played on grass by two teams of 11 players, with sticks and a ball" + }, + "gene": { + "CHS": "[遗] 基因,遗传因子", + "ENG": "a part of a cell in a living thing that controls what it looks like, how it grows, and how it develops. People get their genes from their parents" + }, + "snore": { + "CHS": "打呼噜;打着鼾声渡过", + "ENG": "to breathe in a noisy way through your mouth and nose while you are asleep" + }, + "obstacle": { + "CHS": "障碍,干扰;妨害物", + "ENG": "something that makes it difficult to achieve some­thing" + }, + "trim": { + "CHS": "整齐的", + "ENG": "neat and well cared for" + }, + "idol": { + "CHS": "偶像,崇拜物;幻象;谬论", + "ENG": "someone or something that you love or admire very much" + }, + "damage": { + "CHS": "损害;损毁", + "ENG": "to cause physical harm to something or to part of someone’s body" + }, + "sanguinary": { + "CHS": "血腥的;流血的;残暴的", + "ENG": "involving violence and killing" + }, + "despise": { + "CHS": "轻视,鄙视", + "ENG": "to dislike and have a low opinion of someone or something" + }, + "educational": { + "CHS": "教育的;有教育意义的", + "ENG": "relating to education" + }, + "seller": { + "CHS": "卖方,售货员", + "ENG": "someone who sells something" + }, + "arc": { + "CHS": "形成电弧;走弧线" + }, + "comprehend": { + "CHS": "理解;包含;由…组成", + "ENG": "to understand something that is complicated or difficult" + }, + "rocky": { + "CHS": "岩石的,多岩石的;坚如岩石的;摇晃的;头晕目眩的", + "ENG": "covered with rocks or made of rock" + }, + "nitrogen": { + "CHS": "[化学] 氮", + "ENG": "a gas that has no colour or smell, and that forms most of the Earth’s air. It is a chemical element: symbol N" + }, + "theatrical": { + "CHS": "戏剧性的;剧场的,戏剧的;夸张的;做作的", + "ENG": "relating to the performing of plays" + }, + "endow": { + "CHS": "赋予;捐赠;天生具有", + "ENG": "You say that someone is endowed with a particular desirable ability, characteristic, or possession when they have it by chance or by birth" + }, + "binoculars": { + "CHS": "[光] 双筒望远镜;[光] 双筒镜,[光] 双目镜", + "ENG": "a pair of special glasses, that you hold up to your eyes to look at objects that are a long distance away" + }, + "envision": { + "CHS": "想象;预想", + "ENG": "to imagine something that you think might happen in the future, especially something that you think will be good" + }, + "counterpart": { + "CHS": "副本;配对物;极相似的人或物", + "ENG": "Someone's or something's counterpart is another person or thing that has a similar function or position in a different place" + }, + "stale": { + "CHS": "尿" + }, + "silicon": { + "CHS": "[化学] 硅;硅元素", + "ENG": "a chemical substance that exists as a solid or as a powder and is used to make glass, bricks, and parts for computers. It is a chemical element: symbol Si" + }, + "likelihood": { + "CHS": "可能性,可能", + "ENG": "the degree to which something can reasonably be expected to happen" + }, + "retina": { + "CHS": "[解剖] 视网膜", + "ENG": "the area at the back of your eye that receives light and sends an image of what you see to your brain" + }, + "knuckle": { + "CHS": "开始认真工作" + }, + "comply": { + "CHS": "遵守;顺从,遵从;答应", + "ENG": "to do what you have to do or are asked to do" + }, + "corporal": { + "CHS": "下士", + "ENG": "a low rank in the army, air force etc" + }, + "remember": { + "CHS": "记得;牢记;纪念;代…问好", + "ENG": "to have a picture or idea in your mind of people, events, places etc from the past" + }, + "retreat": { + "CHS": "撤退;退避;向后倾", + "ENG": "to move away from the enemy after being defeated in battle" + }, + "surf": { + "CHS": "在…冲浪", + "ENG": "to ride on waves while standing on a special board" + }, + "regiment": { + "CHS": "团;大量", + "ENG": "a large group of soldiers, usually consisting of several battalion s " + }, + "strap": { + "CHS": "带;皮带;磨刀皮带;鞭打", + "ENG": "a narrow band of strong material that is used to fasten, hang, or hold onto something" + }, + "leave": { + "CHS": "许可,同意;休假", + "ENG": "time that you are allowed to spend away from your work, especially in the armed forces" + }, + "cosmos": { + "CHS": "宇宙;和谐;秩序;大波斯菊", + "ENG": "the whole universe, especially when you think of it as a system" + }, + "daydream": { + "CHS": "白日梦", + "ENG": "pleasant thoughts you have while you are awake that make you forget what you are doing" + }, + "peacock": { + "CHS": "炫耀;神气活现地走" + }, + "acre": { + "CHS": "土地,地产;英亩", + "ENG": "a unit for measuring area, equal to 4,840 square yards or 4,047 square metres" + }, + "effusive": { + "CHS": "流出的;感情横溢的", + "ENG": "showing your good feelings in a very excited way" + }, + "sermon": { + "CHS": "布道" + }, + "stoneware": { + "CHS": "瓷器;石器" + }, + "extreme": { + "CHS": "极端;末端;最大程度;极端的事物", + "ENG": "a situation, quality etc which is as great as it can possibly be – used especially when talking about two opposites" + }, + "rascal": { + "CHS": "不诚实的;下贱的,卑鄙的" + }, + "erode": { + "CHS": "腐蚀,侵蚀", + "ENG": "if the weather erodes rock or soil, or if rock or soil erodes, its surface is gradually destroyed" + }, + "fodder": { + "CHS": "喂" + }, + "annoyance": { + "CHS": "烦恼;可厌之事;打扰", + "ENG": "a feeling of slight anger" + }, + "regardless": { + "CHS": "不顾后果地;不管怎样,无论如何;不惜费用地", + "ENG": "without being affected or influenced by something" + }, + "disturbance": { + "CHS": "干扰;骚乱;忧虑", + "ENG": "a situation in which people behave violently in public" + }, + "feeble": { + "CHS": "微弱的,无力的;虚弱的;薄弱的", + "ENG": "extremely weak" + }, + "pastime": { + "CHS": "娱乐,消遣", + "ENG": "something that you do because you think it is enjoyable or interesting" + }, + "collapse": { + "CHS": "倒塌;失败;衰竭", + "ENG": "a sudden failure in the way something works, so that it cannot continue" + }, + "refute": { + "CHS": "反驳,驳斥;驳倒", + "ENG": "to prove that a statement or idea is not correct" + }, + "way": { + "CHS": "途中的" + }, + "sulphate": { + "CHS": "硫酸盐化" + }, + "promotion": { + "CHS": "提升,[劳经] 晋升;推销,促销;促进;发扬,振兴", + "ENG": "a move to a more important job or position in a company or organization" + }, + "aesthetics": { + "CHS": "美学;美的哲学", + "ENG": "Aesthetics is a branch of philosophy concerned with the study of the idea of beauty" + }, + "Jew": { + "CHS": "欺骗;杀价" + }, + "assuredly": { + "CHS": "确实地;确信地", + "ENG": "definitely or certainly" + }, + "maltreat": { + "CHS": "虐待;滥用;粗暴对待", + "ENG": "to treat a person or animal cruelly" + }, + "launch": { + "CHS": "发射;发行,投放市场;下水;汽艇", + "ENG": "when a new product, book etc is made available or made known" + }, + "strain": { + "CHS": "拉紧;尽力", + "ENG": "to try very hard to do something using all your strength or ability" + }, + "charity": { + "CHS": "慈善;施舍;慈善团体;宽容;施舍物", + "ENG": "an organization that gives money, goods, or help to people who are poor, sick etc" + }, + "hail": { + "CHS": "万岁;欢迎" + }, + "khaki": { + "CHS": "卡其色的;黄褐色的;卡其布做的" + }, + "cannery": { + "CHS": "罐头工厂", + "ENG": "a factory where food is put into cans" + }, + "monotonous": { + "CHS": "单调的,无抑扬顿挫的;无变化的", + "ENG": "boring because of always being the same" + }, + "harmony": { + "CHS": "协调;和睦;融洽;调和", + "ENG": "notes of music combined together in a pleasant way" + }, + "embark": { + "CHS": "从事,着手;上船或飞机", + "ENG": "to go onto a ship or a plane, or to put or take something onto a ship or plane" + }, + "teller": { + "CHS": "(美)出纳员;讲述者;讲故事者;计票员", + "ENG": "someone whose job is to receive and pay out money in a bank" + }, + "clockwise": { + "CHS": "顺时针方向的", + "ENG": "Clockwise is also an adjective" + }, + "cliff": { + "CHS": "悬崖;绝壁", + "ENG": "a large area of rock or a mountain with a very steep side, often at the edge of the sea or a river" + }, + "dismissal": { + "CHS": "解雇;免职", + "ENG": "when someone is removed from their job" + }, + "pirate": { + "CHS": "掠夺;翻印;剽窃", + "ENG": "to illegally copy and sell another person’s work such as a book, video, or computer program" + }, + "alloy": { + "CHS": "合金", + "ENG": "a metal that consists of two or more metals mixed together" + }, + "authority": { + "CHS": "权威;权力;当局", + "ENG": "the power you have because of your official position" + }, + "scenery": { + "CHS": "风景;景色;舞台布景", + "ENG": "the natural features of a particular part of a country that you can see, such as mountains, forests, deserts etc" + }, + "rough": { + "CHS": "粗糙地;粗略地;粗暴地" + }, + "fragile": { + "CHS": "脆的;易碎的", + "ENG": "easily broken or damaged" + }, + "eventful": { + "CHS": "多事的;重要的;多变故的;重大的", + "ENG": "full of interesting or important events" + }, + "substitution": { + "CHS": "代替;[数] 置换;代替物", + "ENG": "when someone or something is replaced by someone or something else, or the person or thing being replaced" + }, + "last": { + "CHS": "最后地;上次,最近;最后一点", + "ENG": "most recently before now" + }, + "administer": { + "CHS": "管理;执行;给予", + "ENG": "to manage the work or money of a company or organization" + }, + "acupuncture": { + "CHS": "针刺;[中医] 针刺疗法", + "ENG": "a treatment for pain and disease that involves pushing special needles into parts of the body" + }, + "embryo": { + "CHS": "胚胎的;初期的" + }, + "indebted": { + "CHS": "使负债;使受恩惠(indebt的过去分词)" + }, + "principle": { + "CHS": "原理,原则;主义,道义;本质,本义;根源,源泉", + "ENG": "the basic idea that a plan or system is based on" + }, + "mayor": { + "CHS": "市长", + "ENG": "the person who has been elected to lead the government of a town or city" + }, + "aquatic": { + "CHS": "水上运动;水生植物或动物" + }, + "formal": { + "CHS": "正式的社交活动;夜礼服", + "ENG": "a dance at which you have to wear formal clothes" + }, + "youthful": { + "CHS": "年轻的;早期的", + "ENG": "typical of young people, or seeming young" + }, + "regain": { + "CHS": "收复;取回" + }, + "make": { + "CHS": "制造;构造;性情" + }, + "brotherly": { + "CHS": "兄弟般地;亲切地" + }, + "lasting": { + "CHS": "持续;维持(last的ing形式)" + }, + "thwart": { + "CHS": "横过" + }, + "staircase": { + "CHS": "楼梯", + "ENG": "a set of stairs inside a building with its supports and the side parts that you hold on to" + }, + "constable": { + "CHS": "治安官,巡警;警察", + "ENG": "a British police officer of the lowest rank" + }, + "extraordinary": { + "CHS": "非凡的;特别的;离奇的;临时的;特派的", + "ENG": "very much greater or more impressive than usual" + }, + "coil": { + "CHS": "线圈;卷", + "ENG": "a continuous series of circular rings into which something such as wire or rope has been wound or twisted" + }, + "overcast": { + "CHS": "使沮丧;包缝;遮蔽" + }, + "runaway": { + "CHS": "逃跑;逃走的人" + }, + "founder": { + "CHS": "创始人;建立者;翻沙工", + "ENG": "someone who establishes a business, organization, school etc" + }, + "index": { + "CHS": "做索引", + "ENG": "if documents, information etc are indexed, an index is made for them" + }, + "external": { + "CHS": "外部;外观;外面" + }, + "factual": { + "CHS": "事实的;真实的", + "ENG": "based on facts or relating to facts" + }, + "moan": { + "CHS": "呻吟声;悲叹", + "ENG": "a long low sound expressing pain, unhappiness, or sexual pleasure" + }, + "superlative": { + "CHS": "最高级;最好的人;最高程度;夸大话", + "ENG": "the superlative form of an adjective or adverb. For example, ‘biggest’ is the superlative of ‘big’." + }, + "compliance": { + "CHS": "顺从,服从;承诺", + "ENG": "when someone obeys a rule, agreement, or demand" + }, + "tunnel": { + "CHS": "挖;在…打开通道;在…挖掘隧道", + "ENG": "to dig a long passage under the ground" + }, + "distinct": { + "CHS": "明显的;独特的;清楚的;有区别的", + "ENG": "something that is distinct can clearly be seen, heard, smelled etc" + }, + "slogan": { + "CHS": "标语;呐喊声", + "ENG": "a short phrase that is easy to remember and is used in advertisements, or by politicians, organizations etc" + }, + "lava": { + "CHS": "火山岩浆;火山所喷出的熔岩", + "ENG": "hot liquid rock that flows from a volcano,or this rock when it has become solid" + }, + "paste": { + "CHS": "面团,膏;糊状物,[胶粘] 浆糊", + "ENG": "a soft thick mixture that can easily be shaped or spread" + }, + "instructor": { + "CHS": "指导书;教员;指导者", + "ENG": "someone who teaches a sport or practical skill" + }, + "suspend": { + "CHS": "延缓,推迟;使暂停;使悬浮", + "ENG": "to officially stop something from continuing, especially for a short time" + }, + "Hindu": { + "CHS": "印度人;印度教教徒", + "ENG": "someone whose religion is Hinduism" + }, + "combustion": { + "CHS": "燃烧,氧化;骚动", + "ENG": "the process of burning" + }, + "liable": { + "CHS": "有责任的,有义务的;应受罚的;有…倾向的;易…的", + "ENG": "legally responsible for the cost of something" + }, + "loss": { + "CHS": "减少;亏损;失败;遗失", + "ENG": "the fact of no longer having something, or of having less of it than you used to have, or the process by which this happens" + }, + "usual": { + "CHS": "通常的,惯例的;平常的", + "ENG": "happening, done, or existing most of the time or in most situations" + }, + "notice": { + "CHS": "通知;注意到;留心", + "ENG": "if someone can’t help noticing something, they realize that it exists or is happening even though they are not deliberately trying to pay attention to it" + }, + "distract": { + "CHS": "转移;分心", + "ENG": "to take someone’s attention away from something by making them look at or listen to something else" + }, + "scent": { + "CHS": "闻到;发觉;使充满…的气味;循着遗臭追踪", + "ENG": "if an animal scents another animal or a person, it knows that they are near because it can smell them" + }, + "portray": { + "CHS": "描绘;扮演", + "ENG": "to describe or represent something or someone" + }, + "unjustified": { + "CHS": "不正当的;未被证明其正确的", + "ENG": "If you describe a belief or action as unjustified, you think that there is no good reason for having it or doing it" + }, + "gloom": { + "CHS": "昏暗;阴暗", + "ENG": "almost complete darkness" + }, + "coincide": { + "CHS": "一致,符合;同时发生", + "ENG": "to happen at the same time as something else, especially by chance" + }, + "apt": { + "CHS": "(Apt)人名;(法、波、英)阿普特" + }, + "practical": { + "CHS": "实际的;实用性的", + "ENG": "relating to real situations and events rather than ideas, emotions etc" + }, + "pulp": { + "CHS": "使…化成纸浆;除去…的果肉", + "ENG": "to beat or crush something until it becomes very soft and almost liquid" + }, + "tone": { + "CHS": "增强;用某种调子说" + }, + "heave": { + "CHS": "举起;起伏;投掷;一阵呕吐", + "ENG": "a strong rising or falling movement" + }, + "distinction": { + "CHS": "区别;差别;特性;荣誉、勋章", + "ENG": "a clear difference or separation between two similar things" + }, + "violent": { + "CHS": "暴力的;猛烈的", + "ENG": "involving actions that are intended to injure or kill people, by hitting them, shooting them etc" + }, + "recipe": { + "CHS": "食谱;[临床] 处方;秘诀;烹饪法", + "ENG": "a set of instructions for cooking a particular type of food" + }, + "mill": { + "CHS": "工厂;磨坊;磨粉机;制造厂;压榨机", + "ENG": "a building containing a large machine for crushing grain into flour" + }, + "inconsiderate": { + "CHS": "轻率的;不顾别人的;无谋得", + "ENG": "If you accuse someone of being inconsiderate, you mean that they do not take enough care over how their words or actions will affect other people" + }, + "childish": { + "CHS": "幼稚的,孩子气的", + "ENG": "relating to or typical of a child" + }, + "antecedent": { + "CHS": "先行的;前驱的;先前的" + }, + "insistent": { + "CHS": "坚持的;迫切的;显著的;引人注目的;紧急的", + "ENG": "demanding firmly and repeatedly that something should happen" + }, + "damp": { + "CHS": "潮湿的", + "ENG": "slightly wet, often in an unpleasant way" + }, + "uptown": { + "CHS": "(美)在住宅区;(美)在城镇非商业区", + "ENG": "in or towards an area of a city that is away from the centre, especially one where the streets have larger numbers in their names and where people have more money" + }, + "narrow": { + "CHS": "使变狭窄", + "ENG": "to make something narrower or to become narrower" + }, + "fellowship": { + "CHS": "团体;友谊;奖学金;研究员职位", + "ENG": "a feeling of friendship resulting from shared interests or experiences" + }, + "dissident": { + "CHS": "持不同政见的,意见不同的", + "ENG": "Dissident people disagree with or criticize their government or a powerful organization they belong to" + }, + "regency": { + "CHS": "摄政;摄政统治;摄政权", + "ENG": "a period of government by a regent (= person who governs instead of a king or queen ) " + }, + "sexy": { + "CHS": "性感的;迷人的;色情的", + "ENG": "sexually exciting or sexually attractive" + }, + "terrific": { + "CHS": "极好的;极其的,非常的;可怕的", + "ENG": "very good, especially in a way that makes you feel happy and excited" + }, + "muffle": { + "CHS": "低沉的声音;消声器;包裹物(如头巾,围巾等);唇鼻部" + }, + "dim": { + "CHS": "笨蛋,傻子" + }, + "constellation": { + "CHS": "[天] 星座;星群;荟萃;兴奋丛", + "ENG": "a group of stars that forms a particular pattern and has a name" + }, + "promising": { + "CHS": "许诺,答应(promise的现在分词形式)" + }, + "glare": { + "CHS": "瞪眼表示" + }, + "couch": { + "CHS": "蹲伏,埋伏;躺着" + }, + "continual": { + "CHS": "持续不断的;频繁的", + "ENG": "continuing for a long time without stopping" + }, + "precis": { + "CHS": "概括…的大意;为…写摘要" + }, + "beetle": { + "CHS": "甲虫;大槌", + "ENG": "an insect with a round hard back that is usually black" + }, + "sake": { + "CHS": "目的;利益;理由;日本米酒" + }, + "pony": { + "CHS": "付清" + }, + "sos": { + "CHS": "发出遇难信号" + }, + "accelerate": { + "CHS": "使……加快;使……增速", + "ENG": "if a process accelerates or if something accelerates it, it happens faster than usual or sooner than you expect" + }, + "additional": { + "CHS": "附加的,额外的", + "ENG": "more than what was agreed or expected" + }, + "statesman": { + "CHS": "政治家;国务活动家", + "ENG": "a political or government leader, especially one who is respected as being wise and fair" + }, + "gaol": { + "CHS": "监狱" + }, + "nervousness": { + "CHS": "神经质;[心理] 神经过敏;紧张不安" + }, + "vertical": { + "CHS": "垂直线,垂直面", + "ENG": "the direction of something that is vertical" + }, + "reddish": { + "CHS": "(Reddish)人名;(英)雷迪什" + }, + "palm": { + "CHS": "将…藏于掌中" + }, + "mutual": { + "CHS": "共同的;相互的,彼此的", + "ENG": "mutual feelings such as respect, trust, or hatred are feelings that two or more people have for each other" + }, + "Roman": { + "CHS": "罗马的;罗马人的", + "ENG": "relating to ancient Rome or the Roman Empire" + }, + "archaeology": { + "CHS": "考古学", + "ENG": "the study of ancient societies by examining what remains of their buildings, grave s , tools etc" + }, + "switch": { + "CHS": "开关;转换;鞭子", + "ENG": "a piece of equipment that starts or stops the flow of electricity to a machine, light etc when you push it" + }, + "smoky": { + "CHS": "冒烟的;烟熏味的;熏着的;呛人的;烟状的", + "ENG": "producing too much smoke" + }, + "shrine": { + "CHS": "将…置于神龛内;把…奉为神圣" + }, + "soothe": { + "CHS": "安慰;使平静;缓和", + "ENG": "to make someone feel calmer and less anxious, upset, or angry" + }, + "echo": { + "CHS": "回音;效仿", + "ENG": "a sound that you hear again after a loud noise, because it was made near something such as a wall" + }, + "linguistics": { + "CHS": "语言学", + "ENG": "the study of language in general and of particular languages, their structure, grammar, and history" + }, + "serpent": { + "CHS": "蛇(尤指大蛇或毒蛇);狡猾的人", + "ENG": "a snake, especially a large one" + }, + "rip": { + "CHS": "裂口,裂缝", + "ENG": "a long tear or cut" + }, + "thought": { + "CHS": "想,思考;认为(think的过去式和过去分词)" + }, + "eve": { + "CHS": "夏娃; 前夕;傍晚;重大事件关头", + "ENG": "evening" + }, + "reconnaissance": { + "CHS": "[军] 侦察;勘测(等于reconnoissance);搜索;事先考查", + "ENG": "the military activity of sending soldiers and aircraft to find out about the enemy’s forces" + }, + "incomparable": { + "CHS": "盖世无双的人" + }, + "refuge": { + "CHS": "避难;逃避" + }, + "vitality": { + "CHS": "活力,生气;生命力,生动性", + "ENG": "great energy and eagerness to do things" + }, + "romantic": { + "CHS": "使…浪漫化" + }, + "subjective": { + "CHS": "主观的;个人的;自觉的", + "ENG": "a state-ment, report, attitude etc that is subjective is influenced by personal opinion and can therefore be unfair" + }, + "inspection": { + "CHS": "视察,检查", + "ENG": "an official visit to a building or organization to check that everything is satisfactory and that rules are being obeyed" + }, + "touchdown": { + "CHS": "着陆,降落;触地;触地得分", + "ENG": "the moment at which a plane or spacecraft lands" + }, + "repeal": { + "CHS": "废除;撤销", + "ENG": "Repeal is also a noun" + }, + "shrug": { + "CHS": "耸肩", + "ENG": "a movement of your shoulders upwards and then downwards again that you make to show that you do not know something or do not care about something" + }, + "undergo": { + "CHS": "经历,经受;忍受", + "ENG": "if you undergo a change, an unpleasant experience etc, it happens to you or is done to you" + }, + "godmother": { + "CHS": "当…的教母;作…的女监护人" + }, + "rhino": { + "CHS": "犀牛(等于rhinoceros);钱;现金", + "ENG": "a rhinoceros" + }, + "mostly": { + "CHS": "主要地;通常;多半地", + "ENG": "used to talk about most members of a group, most occasions, most parts of something etc" + }, + "Swede": { + "CHS": "瑞典人;瑞典甘蓝", + "ENG": "someone from Sweden" + }, + "derive": { + "CHS": "(Derive)人名;(法)德里夫" + }, + "formidable": { + "CHS": "强大的;可怕的;令人敬畏的;艰难的", + "ENG": "very powerful or impressive, and often frightening" + }, + "commonplace": { + "CHS": "平凡的;陈腐的" + }, + "unique": { + "CHS": "独一无二的人或物" + }, + "guardian": { + "CHS": "守护的" + }, + "pop": { + "CHS": "卖点广告(Point of Purchase)" + }, + "urban": { + "CHS": "(Urban)人名;(西)乌尔万;(斯洛伐)乌尔班;(德、俄、罗、匈、塞、波、捷、瑞典、意)乌尔班;(英)厄本;(法)于尔邦" + }, + "elastic": { + "CHS": "松紧带;橡皮圈", + "ENG": "Elastic is a rubber material that stretches when you pull it and returns to its original size and shape when you let it go. Elastic is often used in clothes to make them fit tightly, for example, around the waist. " + }, + "marshal": { + "CHS": "整理;引领;编列", + "ENG": "to organize your thoughts, ideas etc so that they are clear, effective, or easy to understand" + }, + "squarely": { + "CHS": "直角地;诚实地;正好;干脆地;正当地", + "ENG": "directly and firmly" + }, + "pace": { + "CHS": "踱步;缓慢而行", + "ENG": "to walk first in one direction and then in another many times, especially because you are nervous" + }, + "ask": { + "CHS": "(Ask)人名;(芬、瑞典)阿斯克" + }, + "sportswoman": { + "CHS": "女运动家;女运动员", + "ENG": "a woman who plays many different sports" + }, + "dental": { + "CHS": "齿音" + }, + "residual": { + "CHS": "剩余的;残留的", + "ENG": "remaining after a process, event etc is finished" + }, + "graph": { + "CHS": "用曲线图表示" + }, + "newly": { + "CHS": "最近;重新;以新的方式", + "ENG": "Newly is used before a past participle or an adjective to indicate that a particular action is very recent, or that a particular state of affairs has very recently begun to exist" + }, + "margarine": { + "CHS": "人造黄油;人造奶油", + "ENG": "a yellow substance similar to butter but made from vegetable or animal fats, which you eat with bread or use for cooking" + }, + "magical": { + "CHS": "魔术的;有魔力的", + "ENG": "relating to magic or able to do magic" + }, + "stack": { + "CHS": "使堆叠;把…堆积起来", + "ENG": "If you stack a number of things, you arrange them in neat piles" + }, + "injustice": { + "CHS": "不公正;不讲道义", + "ENG": "a situation in which people are treated very unfairly and not given their rights" + }, + "experience": { + "CHS": "经验;经历;体验", + "ENG": "if you experience a problem, event, or situation, it happens to you or affects you" + }, + "component": { + "CHS": "成分;组件;[电子] 元件", + "ENG": "one of several parts that together make up a whole machine, system etc" + }, + "grumble": { + "CHS": "抱怨地表示;嘟囔地说", + "ENG": "If someone grumbles, they complain about something in a bad-tempered way" + }, + "pretence": { + "CHS": "假装;借口;虚伪", + "ENG": "a way of behaving which is intended to make people believe something that is not true" + }, + "essential": { + "CHS": "本质;要素;要点;必需品", + "ENG": "something that is necessary to do something or in a particular situation" + }, + "tuck": { + "CHS": "食物;船尾突出部;缝摺;抱膝式跳水;活力;鼓声", + "ENG": "a pleat or fold in a part of a garment, usually stitched down so as to make it a better fit or as decoration " + }, + "narcotic": { + "CHS": "[药] 麻醉药;镇静剂;起麻醉作用的事物", + "ENG": "a type of drug which makes you sleep and reduces pain" + }, + "enterprise": { + "CHS": "企业;事业;进取心;事业心", + "ENG": "a company, organization, or business" + }, + "part": { + "CHS": "部分的", + "ENG": "payment of only a part of something, not all of it" + }, + "misguided": { + "CHS": "使入歧途(misguide的过去分词)" + }, + "dime": { + "CHS": "一角硬币", + "ENG": "a coin of the US and Canada, worth one tenth of a dollar" + }, + "scale": { + "CHS": "衡量;攀登;剥落;生水垢", + "ENG": "to climb to the top of something that is high and difficult to climb" + }, + "potential": { + "CHS": "潜在的;可能的;势的", + "ENG": "likely to develop into a particular type of person or thing in the future" + }, + "purify": { + "CHS": "净化;使纯净", + "ENG": "to remove dirty or harmful substances from something" + }, + "throne": { + "CHS": "登上王座" + }, + "seashore": { + "CHS": "海滨的;在海滨的" + }, + "withhold": { + "CHS": "保留,不给;隐瞒;抑制" + }, + "Israeli": { + "CHS": "以色列人", + "ENG": "someone from Israel" + }, + "dissect": { + "CHS": "切细;仔细分析", + "ENG": "to examine something carefully in order to understand it" + }, + "element": { + "CHS": "元素;要素;原理;成分;自然环境", + "ENG": "one part or feature of a whole system, plan, piece of work etc, especially one that is basic or important" + }, + "comprise": { + "CHS": "包含;由…组成", + "ENG": "to consist of particular parts, groups etc" + }, + "hoop": { + "CHS": "加箍于;包围", + "ENG": "to surround with or as if with a hoop " + }, + "mission": { + "CHS": "派遣;向……传教" + }, + "sufficient": { + "CHS": "足够的;充分的", + "ENG": "as much as is needed for a particular purpose" + }, + "sober": { + "CHS": "(Sober)人名;(英)索伯" + }, + "ravage": { + "CHS": "蹂躏,破坏" + }, + "assassin": { + "CHS": "刺客,暗杀者", + "ENG": "someone who murders an important person" + }, + "version": { + "CHS": "版本;译文;倒转术", + "ENG": "a copy of something that has been changed so that it is slightly different" + }, + "exterior": { + "CHS": "外部;表面;外型;外貌", + "ENG": "the outside of something, especially a building" + }, + "adapt": { + "CHS": "使适应;改编", + "ENG": "to gradually change your behaviour and attitudes in order to be successful in a new situation" + }, + "force": { + "CHS": "促使,推动;强迫;强加", + "ENG": "to make someone do something they do not want to do" + }, + "elbow": { + "CHS": "推挤;用手肘推开", + "ENG": "to push someone with your elbows, especially in order to move past them" + }, + "preserve": { + "CHS": "保护区;禁猎地;加工成的食品" + }, + "compensate": { + "CHS": "补偿,赔偿;抵消", + "ENG": "to replace or balance the effect of something bad" + }, + "grapevine": { + "CHS": "葡萄树;葡萄藤;小道消息;秘密情报网", + "ENG": "a climbing plant on which grapes grow" + }, + "intense": { + "CHS": "强烈的;紧张的;非常的;热情的", + "ENG": "having a very strong effect or felt very strongly" + }, + "regretful": { + "CHS": "后悔的,遗憾的;惋惜的", + "ENG": "someone who is regretful feels sorry or disappointed" + }, + "concerning": { + "CHS": "涉及;使关心(concern的ing形式);忧虑" + }, + "salvation": { + "CHS": "拯救;救助", + "ENG": "something that prevents or saves someone or something from danger, loss, or failure" + }, + "spoil": { + "CHS": "次品;奖品" + }, + "dazzle": { + "CHS": "使……目眩;使……眼花", + "ENG": "if a very bright light dazzles you, it stops you from seeing properly for a short time" + }, + "alas": { + "CHS": "(Alas)人名;(西、葡、捷、土)阿拉斯" + }, + "athletic": { + "CHS": "运动的,运动员的;体格健壮的", + "ENG": "physically strong and good at sport" + }, + "erupt": { + "CHS": "爆发;喷出;发疹;长牙", + "ENG": "if fighting, violence, noise etc erupts, it starts suddenly" + }, + "compile": { + "CHS": "编译;编制;编辑;[图情] 汇编", + "ENG": "to make a book, list, record etc, using different pieces of information, music etc" + }, + "envious": { + "CHS": "羡慕的;嫉妒的", + "ENG": "wanting something that someone else has" + }, + "convention": { + "CHS": "大会;[法] 惯例;[计] 约定;[法] 协定;习俗", + "ENG": "a large formal meeting for people who belong to the same profession or organization or who have the same interests" + }, + "impractical": { + "CHS": "不切实际的,不现实的;不能实行的", + "ENG": "not sensible or possible for practical reasons" + }, + "feat": { + "CHS": "合适的;灵巧的" + }, + "VIP": { + "CHS": "大人物,贵宾(Very Important Person);视频接口处理器(Video Interface Processor);可变信息处理(Variable Information Processing)" + }, + "aggressor": { + "CHS": "侵略者;侵略国;挑衅者", + "ENG": "a person or country that begins a fight or war with another person or country" + }, + "uneatable": { + "CHS": "不能吃的;不适合食用的", + "ENG": "a word meaning unpleas­ant or unsuitable to eat, that some people think is incorrect" + }, + "gourmet": { + "CHS": "菜肴精美的", + "ENG": "Gourmet food is nicer or more unusual or sophisticated than ordinary food, and is often more expensive" + }, + "heal": { + "CHS": "(Heal)人名;(英)希尔" + }, + "gin": { + "CHS": "喝杜松子酒; 用陷阱(或网)捕捉,诱捕(猎物)" + }, + "instantly": { + "CHS": "一…就…" + }, + "concise": { + "CHS": "简明的,简洁的", + "ENG": "short, with no unnecessary words" + }, + "scalp": { + "CHS": "剥头皮", + "ENG": "to cut the hair and skin off the head of a dead enemy as a sign of victory" + }, + "cardigan": { + "CHS": "羊毛衫,开襟羊毛衫(等于cardigan sweater)", + "ENG": "a sweater similar to a short coat, fastened at the front with buttons or a zip" + }, + "comment": { + "CHS": "发表评论;发表意见", + "ENG": "to express an opinion about someone or something" + }, + "provide": { + "CHS": "提供;规定;准备;装备", + "ENG": "to give something to someone or make it available to them, because they need it or want it" + }, + "patient": { + "CHS": "病人;患者", + "ENG": "someone who is receiving medical treatment from a doctor or in a hospital" + }, + "talented": { + "CHS": "有才能的;多才的", + "ENG": "having a natural ability to do something well" + }, + "czar": { + "CHS": "(帝俄的)沙皇,皇帝;独裁者" + }, + "accordion": { + "CHS": "手风琴", + "ENG": "a musical instrument like a large box that you hold in both hands. You play it by pressing the sides together and pulling them out again, while you push buttons and key s ." + }, + "sandy": { + "CHS": "(Sandy)人名;(法、喀、罗、西、英)桑迪(教名Alasdair、Alastair、Alexander、Alister、Elshender的昵称)" + }, + "brochure": { + "CHS": "手册,小册子", + "ENG": "a thin book giving information or advertising something" + }, + "verbal": { + "CHS": "动词的非谓语形式", + "ENG": "a word that has been formed from a verb, for example a gerund, infinitive, or participle" + }, + "stew": { + "CHS": "炖,炖汤;烦恼;闷热;鱼塘", + "ENG": "a hot meal made by cooking meat and vegetables slowly in liquid for a long time" + }, + "suggestive": { + "CHS": "暗示的;提示的;影射的", + "ENG": "similar to something" + }, + "bewilder": { + "CHS": "使迷惑,使不知所措", + "ENG": "to confuse someone" + }, + "sticky": { + "CHS": "粘的;粘性的", + "ENG": "made of or covered with a substance that sticks to surfaces" + }, + "conquest": { + "CHS": "征服,战胜;战利品", + "ENG": "the act of getting control of a country by fighting" + }, + "fund": { + "CHS": "投资;资助", + "ENG": "to provide money for an activity, organization, event etc" + }, + "bishop": { + "CHS": "(基督教的)主教;(国际象棋的)象", + "ENG": "a priest with a high rank in some Christian religions, who is the head of all the churches and priests in a large area" + }, + "impressive": { + "CHS": "感人的;令人钦佩的;给人以深刻印象的", + "ENG": "something that is impressive makes you admire it because it is very good, large, important etc" + }, + "sportsmanship": { + "CHS": "运动员精神,运动道德", + "ENG": "Sportsmanship is behaviour and attitudes that show respect for the rules of a game and for the other players" + }, + "proportional": { + "CHS": "[数] 比例项" + }, + "discretion": { + "CHS": "自由裁量权;谨慎;判断力;判定;考虑周到", + "ENG": "the ability to deal with situations in a way that does not offend, upset, or embarrass people or tell any of their secrets" + }, + "profile": { + "CHS": "描…的轮廓;扼要描述" + }, + "bleat": { + "CHS": "咩咩叫声", + "ENG": "Bleat is also a noun" + }, + "racist": { + "CHS": "种族主义者", + "ENG": "someone who believes that people of their own race are better than others, and who treats people from other races unfairly and sometimes violently – used to show disapproval" + }, + "craze": { + "CHS": "发狂;产生纹裂" + }, + "shorten": { + "CHS": "缩短;减少;变短", + "ENG": "to become shorter or make something shorter" + }, + "uninformed": { + "CHS": "无知的;未被通知的;未受教育的;不学无术的", + "ENG": "not having enough knowledge or information" + }, + "excited": { + "CHS": "激动;唤起(excite的过去分词)" + }, + "affluent": { + "CHS": "支流;富人", + "ENG": "The affluent are people who are affluent" + }, + "eel": { + "CHS": "鳗鱼;鳝鱼", + "ENG": "a long thin fish that looks like a snake and can be eaten" + }, + "switchboard": { + "CHS": "配电盘;接线总机", + "ENG": "a system used to connect telephone calls in an office building, hotel etc, or the people who operate the system" + }, + "introduce": { + "CHS": "介绍;引进;提出;采用", + "ENG": "if you introduce someone to another person, you tell them each other’s names for the first time" + }, + "dilute": { + "CHS": "稀释;冲淡;削弱", + "ENG": "to make a liquid weaker by adding water or another liquid" + }, + "opium": { + "CHS": "鸦片的" + }, + "sector": { + "CHS": "把…分成扇形" + }, + "haughty": { + "CHS": "傲慢的;自大的", + "ENG": "behaving in a proud unfriendly way" + }, + "column": { + "CHS": "纵队,列;专栏;圆柱,柱形物", + "ENG": "a tall solid upright stone post used to support a building or as a decoration" + }, + "chamber": { + "CHS": "把…关在室内;装填(弹药等)" + }, + "connecting": { + "CHS": "连接(connect的ing形式)", + "ENG": "If something or someone connects one thing to another, or if one thing connects to another, or if two things connect, the two things are joined together" + }, + "heart": { + "CHS": "结心" + }, + "thorn": { + "CHS": "刺;[植] 荆棘", + "ENG": "a sharp point that grows on the stem of a plant such as a rose" + }, + "clam": { + "CHS": "蛤;沉默寡言的人;钳子", + "ENG": "a shellfish you can eat that has a shell in two parts that open up" + }, + "initiate": { + "CHS": "新加入的;接受初步知识的" + }, + "sometime": { + "CHS": "以前的;某一时间的", + "ENG": "former" + }, + "onlooker": { + "CHS": "旁观者;观众(等于spectator)", + "ENG": "someone who watches something happening without being involved in it" + }, + "scrutiny": { + "CHS": "详细审查;监视;细看;选票复查" + }, + "invariable": { + "CHS": "常数;不变的东西" + }, + "spider": { + "CHS": "蜘蛛;设圈套者;三脚架", + "ENG": "a small creature with eight legs, which catches insects using a fine network of sticky threads" + }, + "delta": { + "CHS": "(河流的)三角洲;德耳塔(希腊字母的第四个字)", + "ENG": "the fourth letter of the Greek alphabet" + }, + "vacuum": { + "CHS": "用真空吸尘器清扫", + "ENG": "to clean using a vacuum cleaner" + }, + "spicy": { + "CHS": "辛辣的;香的,多香料的;下流的", + "ENG": "food that is spicy has a pleasantly strong taste, and gives you a pleasant burning feeling in your mouth" + }, + "senate": { + "CHS": "参议院,上院;(古罗马的)元老院", + "ENG": "the highest level of government in ancient Rome" + }, + "statue": { + "CHS": "以雕像装饰" + }, + "overweight": { + "CHS": "超重" + }, + "plan": { + "CHS": "计划;设计;打算", + "ENG": "to think carefully about something you want to do, and decide how and when you will do it" + }, + "road": { + "CHS": "(美)巡回的" + }, + "drought": { + "CHS": "干旱;缺乏", + "ENG": "a long period of dry weather when there is not enough water for plants and animals to live" + }, + "creek": { + "CHS": "小溪;小湾", + "ENG": "a small narrow stream or river" + }, + "honorific": { + "CHS": "敬语", + "ENG": "an expression or title that is used to show respect for the person you are speaking to" + }, + "via": { + "CHS": "渠道,通过;经由", + "ENG": "travelling through a place on the way to another place" + }, + "inclusion": { + "CHS": "包含;内含物", + "ENG": "the act of including someone or something in a larger group or set, or the fact of being included in one" + }, + "horseman": { + "CHS": "骑马者;马术师", + "ENG": "someone who rides horses" + }, + "custody": { + "CHS": "保管;监护;拘留;抚养权", + "ENG": "the right to take care of a child, given to one of their parents when they have divorced " + }, + "use": { + "CHS": "利用;耗费", + "ENG": "to take an amount of something from a supply of food, gas, money etc" + }, + "define": { + "CHS": "(Define)人名;(英)德法恩;(葡)德菲内" + }, + "sesame": { + "CHS": "芝麻", + "ENG": "a tropical plant grown for its seeds and oil and used in cooking" + }, + "orchard": { + "CHS": "果园;果树林", + "ENG": "a place where fruit trees are grown" + }, + "plaza": { + "CHS": "广场;市场,购物中心", + "ENG": "a public square or market place surrounded by buildings, especially in towns in Spanish-speaking countries" + }, + "pigeon": { + "CHS": "鸽子", + "ENG": "a grey bird with short legs that is common in cities" + }, + "gang": { + "CHS": "使成群结队;结伙伤害或恐吓某人" + }, + "circuit": { + "CHS": "环行" + }, + "downcast": { + "CHS": "倒台;俯视的目光;向下转换" + }, + "recover": { + "CHS": "还原至预备姿势" + }, + "swallow": { + "CHS": "燕子;一次吞咽的量", + "ENG": "a small black and white bird that comes to northern countries in the summer" + }, + "swathe": { + "CHS": "带子,绷带;包装品" + }, + "aristocrat": { + "CHS": "贵族", + "ENG": "someone who belongs to the highest social class" + }, + "regrettable": { + "CHS": "令人遗憾的;可惜的;可悲的;抱歉的", + "ENG": "something that is regrettable is unpleasant, and you wish things could be different" + }, + "newscast": { + "CHS": "新闻广播", + "ENG": "a news programme on radio or television" + }, + "designate": { + "CHS": "指定的;选定的" + }, + "construction": { + "CHS": "建设;建筑物;解释;造句", + "ENG": "the process of building things such as houses, bridges, roads etc" + }, + "outline": { + "CHS": "概述;略述;描画…轮廓", + "ENG": "to describe something in a general way, giving the main points but not the details" + }, + "hoe": { + "CHS": "锄头", + "ENG": "a garden tool with a long handle, used for removing weeds (= unwanted plants ) from the surface of the soil" + }, + "wasp": { + "CHS": "黄蜂似的直扑" + }, + "escapee": { + "CHS": "逃避者;逃亡者", + "ENG": "someone who has escaped from somewhere" + }, + "ambassador": { + "CHS": "大使;代表;使节", + "ENG": "an important official who represents his or her government in a foreign country" + }, + "avoid": { + "CHS": "避免;避开,躲避;消除", + "ENG": "to prevent something bad from happening" + }, + "galaxy": { + "CHS": "银河;[天] 星系;银河系;一群显赫的人", + "ENG": "one of the large groups of stars that make up the universe" + }, + "exposition": { + "CHS": "博览会;阐述;展览会", + "ENG": "a clear and detailed explanation" + }, + "ingredient": { + "CHS": "构成组成部分的" + }, + "retort": { + "CHS": "反驳,反击", + "ENG": "to reply quickly, in an angry or humorous way" + }, + "berth": { + "CHS": "使……停泊;为……提供铺位", + "ENG": "to bring a ship into a berth, or arrive at a berth" + }, + "rural": { + "CHS": "农村的,乡下的;田园的,有乡村风味的", + "ENG": "happening in or relating to the countryside, not the city" + }, + "grind": { + "CHS": "磨;苦工作", + "ENG": "a movement in skateboarding or rollerblading , which involves moving sideways along the edge of something, so that the bar connecting the wheels of the skateboard or rollerblade presses hard against the edge" + }, + "ceaseless": { + "CHS": "不断的;不停的", + "ENG": "happening for a long time without stopping" + }, + "socket": { + "CHS": "给…配插座" + }, + "enlargement": { + "CHS": "放大;放大的照片;增补物", + "ENG": "a photograph that has been printed again in a bigger size" + }, + "housewife": { + "CHS": "家庭主妇", + "ENG": "a married woman who works at home doing the cooking, cleaning etc, but does not have a job outside the house" + }, + "inexact": { + "CHS": "不精确的;不严格的;不正确的", + "ENG": "not exact" + }, + "sleepless": { + "CHS": "失眠的;不休息的;警觉的;永不停息的", + "ENG": "a night when you are unable to sleep" + }, + "provincial": { + "CHS": "粗野的人;乡下人;外地人" + }, + "opening": { + "CHS": "开放(open的ing形式);打开;公开" + }, + "arrest": { + "CHS": "逮捕;监禁", + "ENG": "when the police take someone away and guard them because they may have done something illegal" + }, + "resort": { + "CHS": "求助,诉诸;常去;采取某手段或方法", + "ENG": "If you resort to a course of action that you do not really approve of, you adopt it because you cannot see any other way of achieving what you want" + }, + "grimace": { + "CHS": "鬼脸;怪相;痛苦的表情", + "ENG": "an expression you make by twisting your face because you do not like something or because you are feeling pain" + }, + "gut": { + "CHS": "简单的;本质的,根本的;本能的,直觉的", + "ENG": "A gut feeling is based on instinct or emotion rather than reason" + }, + "alien": { + "CHS": "让渡,转让" + }, + "resist": { + "CHS": "[助剂] 抗蚀剂;防染剂" + }, + "average": { + "CHS": "算出…的平均数;将…平均分配;使…平衡", + "ENG": "to usually do something or usually happen a particular number of times, or to usually be a particular size or amount" + }, + "accountant": { + "CHS": "会计师;会计人员", + "ENG": "someone whose job is to keep and check financial accounts, calculate taxes etc" + }, + "modernise": { + "CHS": "现代化(等于modernize)" + }, + "sentimental": { + "CHS": "伤感的;多愁善感的;感情用事的;寓有情感的", + "ENG": "someone who is sentimental is easily affected by emotions such as love, sympathy, sadness etc, often in a way that seems silly to other people" + }, + "anecdote": { + "CHS": "轶事;奇闻;秘史", + "ENG": "a short story based on your personal experience" + }, + "priceless": { + "CHS": "非卖品" + }, + "curl": { + "CHS": "卷曲;卷发;螺旋状物", + "ENG": "a piece of hair that hangs in a curved shape" + }, + "unwise": { + "CHS": "不明智的;愚蠢的;轻率的", + "ENG": "not based on good judgment" + }, + "rebirth": { + "CHS": "再生;复兴", + "ENG": "when an important idea, feeling, or organization becomes strong or popular again" + }, + "hush": { + "CHS": "嘘;别作声" + }, + "abundant": { + "CHS": "丰富的;充裕的;盛产", + "ENG": "something that is abundant exists or is available in large quantities so that there is more than enough" + }, + "cashier": { + "CHS": "解雇;抛弃" + }, + "unworthy": { + "CHS": "不值得的;无价值的;不相称的", + "ENG": "not deserving respect, attention etc" + }, + "bead": { + "CHS": "形成珠状,起泡" + }, + "herd": { + "CHS": "成群,聚在一起", + "ENG": "to bring people together in a large group, especially roughly" + }, + "neglected": { + "CHS": "忽视;疏忽(neglect的过去分词)", + "ENG": "If you neglect someone or something, you fail to give them the amount of attention that they deserve" + }, + "herald": { + "CHS": "通报;预示…的来临", + "ENG": "to be a sign of something that is going to come or happen soon" + }, + "rinse": { + "CHS": "冲洗;漂洗;[轻] 染发剂;染发", + "ENG": "when you rinse something" + }, + "pronoun": { + "CHS": "代词", + "ENG": "a word that is used instead of a noun or noun phrase, such as ‘he’ instead of ‘Peter’ or ‘the man’" + }, + "attempt": { + "CHS": "企图,试图;尝试", + "ENG": "to try to do something, especially something difficult" + }, + "meantime": { + "CHS": "同时;其间", + "ENG": "in the period of time between now and a future event, or between two events in the past" + }, + "flask": { + "CHS": "[分化] 烧瓶;长颈瓶,细颈瓶;酒瓶,携带瓶", + "ENG": "a hip flask " + }, + "strong": { + "CHS": "(Strong)人名;(英)斯特朗" + }, + "carol": { + "CHS": "颂歌,赞美诗;欢乐之歌", + "ENG": "a traditional Christmas song" + }, + "hedge": { + "CHS": "对冲,套期保值;树篱;障碍", + "ENG": "a row of small bushes or trees growing close together, usually dividing one field or garden from another" + }, + "consumed": { + "CHS": "消耗(consume的过去式和过去分词)" + }, + "vast": { + "CHS": "浩瀚;广阔无垠的空间" + }, + "starry": { + "CHS": "(Starry)人名;(英)斯塔里" + }, + "practicable": { + "CHS": "可用的;行得通的;可实行的", + "ENG": "a practicable way of doing something is possible in a particular situation" + }, + "territory": { + "CHS": "领土,领域;范围;地域;版图", + "ENG": "land that is owned or controlled by a particular country, ruler, or military force" + }, + "intensive": { + "CHS": "加强器" + }, + "drill": { + "CHS": "钻孔;训练", + "ENG": "to train soldiers to march or perform other military actions" + }, + "lord": { + "CHS": "使成贵族" + }, + "subtle": { + "CHS": "微妙的;精细的;敏感的;狡猾的;稀薄的", + "ENG": "not easy to notice or understand unless you pay careful attention" + }, + "acquire": { + "CHS": "获得;取得;学到;捕获", + "ENG": "to obtain something by buying it or being given it" + }, + "glorify": { + "CHS": "赞美;美化;崇拜(神);使更壮丽", + "ENG": "to make someone or something seem more important or better than they really are" + }, + "applaud": { + "CHS": "赞同;称赞;向…喝彩", + "ENG": "to express strong approval of an idea, plan etc" + }, + "tumult": { + "CHS": "骚动;骚乱;吵闹;激动", + "ENG": "a confused, noisy, and excited situation, often caused by a large crowd" + }, + "priority": { + "CHS": "优先;优先权;[数] 优先次序;优先考虑的事", + "ENG": "the thing that you think is most important and that needs attention before anything else" + }, + "worship": { + "CHS": "崇拜;尊敬;爱慕", + "ENG": "to show respect and love for a god, especially by praying in a religious building" + }, + "standpoint": { + "CHS": "立场;观点", + "ENG": "a way of thinking about people, situations, ideas etc" + }, + "dispatch": { + "CHS": "派遣;分派", + "ENG": "to send someone or something somewhere for a particular purpose" + }, + "deserve": { + "CHS": "应受,应得", + "ENG": "to have earned something by good or bad actions or behaviour" + }, + "rotate": { + "CHS": "[植] 辐状的" + }, + "diner": { + "CHS": "用餐者;路边小饭店;餐车式简便餐厅", + "ENG": "someone who is eating in a restaurant" + }, + "melancholy": { + "CHS": "忧郁;悲哀;愁思", + "ENG": "a feeling of sadness for no particular reason" + }, + "talkative": { + "CHS": "饶舌的;多话的;多嘴的;爱说话的", + "ENG": "someone who is talkative talks a lot" + }, + "soapy": { + "CHS": "涂着肥皂的;含有肥皂的;似肥皂的;圆滑的", + "ENG": "containing soap" + }, + "surname": { + "CHS": "给…起别名;给…姓氏" + }, + "reproach": { + "CHS": "责备;申斥", + "ENG": "to feel guilty about something that you think you are responsible for" + }, + "prostitution": { + "CHS": "卖淫;滥用;出卖灵魂", + "ENG": "the work of prostitutes" + }, + "domestic": { + "CHS": "国货;佣人", + "ENG": "a servant who works in a large house" + }, + "indoor": { + "CHS": "室内的,户内的", + "ENG": "used or happening inside a building" + }, + "anatomy": { + "CHS": "解剖;解剖学;剖析;骨骼", + "ENG": "the scientific study of the structure of human or animal bodies" + }, + "coinage": { + "CHS": "造币;[金融] 货币制度;新造的字及其语等", + "ENG": "the system or type of money used in a country" + }, + "monetary": { + "CHS": "货币的;财政的", + "ENG": "relating to money, especially all the money in a particular country" + }, + "stalk": { + "CHS": "追踪,潜近;高视阔步", + "ENG": "to walk in a proud or angry way, with long steps" + }, + "discover": { + "CHS": "发现;发觉", + "ENG": "to find someone or something, either by accident or because you were looking for them" + }, + "autonomy": { + "CHS": "自治,自治权", + "ENG": "freedom that a place or an organization has to govern or control itself" + }, + "chauffeur": { + "CHS": "开车运送", + "ENG": "to drive a car for someone as your job" + }, + "specimen": { + "CHS": "样品,样本;标本", + "ENG": "a small amount or piece that is taken from something, so that it can be tested or examined" + }, + "economy": { + "CHS": "经济;节约;理财", + "ENG": "the system by which a country’s money and goods are produced and used, or a country considered in this way" + }, + "screenplay": { + "CHS": "编剧,剧本;电影剧本", + "ENG": "the words that are written down for actors to say in a film, and the instructions that tell them what they should do" + }, + "smash": { + "CHS": "了不起的;非常轰动的;出色的" + }, + "pierce": { + "CHS": "刺穿;洞察;响彻;深深地打动", + "ENG": "to make a small hole in or through something, using an object with a sharp point" + }, + "striking": { + "CHS": "打(strike的ing形式)" + }, + "canine": { + "CHS": "犬;[解剖] 犬齿", + "ENG": "one of the four sharp pointed teeth in the front of your mouth" + }, + "hereabout": { + "CHS": "在这一带;在这附近(等于hereabouts)" + }, + "ashore": { + "CHS": "在岸上的;在陆上的" + }, + "skid": { + "CHS": "刹住,使减速;滚滑" + }, + "onward": { + "CHS": "向前;在前面", + "ENG": "Onward is also an adverb" + }, + "flap": { + "CHS": "拍动;神经紧张;鼓翼而飞;(帽边等)垂下", + "ENG": "to behave in an excited or nervous way" + }, + "technician": { + "CHS": "技师,技术员;技巧纯熟的人", + "ENG": "someone whose job is to check equipment or machines and make sure that they are working properly" + }, + "conditional": { + "CHS": "条件句;条件语", + "ENG": "a sentence or clause that is expressed in a conditional form" + }, + "glamour": { + "CHS": "迷惑,迷住" + }, + "disastrous": { + "CHS": "灾难性的;损失惨重的;悲伤的", + "ENG": "very bad, or ending in failure" + }, + "hut": { + "CHS": "住在小屋中;驻扎" + }, + "crash": { + "CHS": "摔碎;坠落;发出隆隆声;(金融企业等)破产", + "ENG": "to make a sudden loud noise" + }, + "activate": { + "CHS": "刺激;使活动;使活泼;使产生放射性", + "ENG": "to make an electrical system or chemical process start working" + }, + "dimension": { + "CHS": "规格的" + }, + "values": { + "CHS": "价值观念;价值标准", + "ENG": "The value of something is how much money it is worth" + }, + "silvery": { + "CHS": "银色的;清脆的;银铃一般的;似银的", + "ENG": "a silvery voice or sound is light, pleasant, and musical" + }, + "shaft": { + "CHS": "利用;在……上装杆" + }, + "bilateral": { + "CHS": "双边的;有两边的", + "ENG": "involving two groups or nations" + }, + "townsfolk": { + "CHS": "市民;镇民", + "ENG": "The townsfolk of a town or city are the people who live there" + }, + "borderline": { + "CHS": "边界的;暧昧的", + "ENG": "having qualities of both one situation, state etc and another more extreme situation or state" + }, + "membership": { + "CHS": "资格;成员资格;会员身份", + "ENG": "when someone is a member of a club, group, or organization" + }, + "concrete": { + "CHS": "具体物;凝结物" + }, + "limited": { + "CHS": "高级快车" + }, + "perfume": { + "CHS": "洒香水于…;使…带香味", + "ENG": "to put perfume on something" + }, + "stake": { + "CHS": "资助,支持;系…于桩上;把…押下打赌", + "ENG": "to risk losing something that is valuable or important to you on the result of something" + }, + "coalition": { + "CHS": "联合;结合,合并", + "ENG": "a union of two or more political parties that allows them to form a government or fight an election together" + }, + "stapler": { + "CHS": "[轻] 订书机;主要商品批发商;把羊毛分级的人", + "ENG": "a tool used for putting staples into paper" + }, + "tsar": { + "CHS": "沙皇(大权独揽的人物)", + "ENG": "a male ruler of Russia before" + }, + "contribute": { + "CHS": "贡献,出力;投稿;捐献", + "ENG": "to give money, help, ideas etc to something that a lot of other people are also involved in" + }, + "rower": { + "CHS": "桨手" + }, + "raw": { + "CHS": "擦伤" + }, + "marmalade": { + "CHS": "橘子酱色的" + }, + "vulgar": { + "CHS": "平民,百姓" + }, + "trench": { + "CHS": "掘沟" + }, + "interest": { + "CHS": "使……感兴趣;引起……的关心;使……参与", + "ENG": "to make someone want to pay attention to something and find out more about it" + }, + "pole": { + "CHS": "用竿支撑", + "ENG": "to push a boat along in the water using a pole" + }, + "lichen": { + "CHS": "使长满地衣" + }, + "pram": { + "CHS": "婴儿车;送牛奶用的手推车", + "ENG": "a small vehicle with four wheels in which a baby can lie down while it is being pushed" + }, + "leap": { + "CHS": "飞跃;跳跃", + "ENG": "a big jump" + }, + "scour": { + "CHS": "擦,冲刷;洗涤剂;(畜类等的)腹泻", + "ENG": "the act of scouring " + }, + "perpendicular": { + "CHS": "垂线;垂直的位置", + "ENG": "an exactly vertical position or line" + }, + "slay": { + "CHS": "(Slay)人名;(英、柬)斯莱" + }, + "beaker": { + "CHS": "烧杯;大口杯", + "ENG": "a drinking cup with straight sides and no handle, usually made of plastic" + }, + "allowance": { + "CHS": "定量供应" + }, + "desire": { + "CHS": "想要;要求;希望得到…", + "ENG": "If you desire something, you want it" + }, + "collector": { + "CHS": "收藏家;[电子] 集电极;收税员;征收者", + "ENG": "someone who collects things that are interesting or attractive" + }, + "hum": { + "CHS": "哼;嗯" + }, + "snug": { + "CHS": "舒适温暖的地方;雅室" + }, + "altitude": { + "CHS": "高地;高度;[数] 顶垂线;(等级和地位等的)高级;海拔", + "ENG": "the height of an object or place above the sea" + }, + "periodical": { + "CHS": "期刊;杂志", + "ENG": "a magazine, especially one about a serious or technical subject" + }, + "grope": { + "CHS": "摸索;触摸" + }, + "accord": { + "CHS": "使一致;给予", + "ENG": "to give someone or something special attention or a particular type of treatment" + }, + "cod": { + "CHS": "欺骗;愚弄" + }, + "slim": { + "CHS": "(Slim)人名;(阿拉伯)萨利姆;(英、西)斯利姆" + }, + "unskilled": { + "CHS": "不熟练;无技能(unskill的过去式和过去分词形式)" + }, + "estimate": { + "CHS": "估计,估价;判断,看法", + "ENG": "a calculation of the value, size, amount etc of something made using the information that you have, which may not be complete" + }, + "sane": { + "CHS": "(Sane)人名;(日)实(姓);(日)实(名);(芬、塞、冈、几比、塞内)萨内" + }, + "recession": { + "CHS": "衰退;不景气;后退;凹处", + "ENG": "a difficult time when there is less trade, business activity etc in a country than usual" + }, + "discipline": { + "CHS": "训练,训导;惩戒", + "ENG": "to teach someone to obey rules and control their behaviour" + }, + "birthrate": { + "CHS": "出生率", + "ENG": "the number of births for every 100 or every 1,000 people in a particular year in a particular place" + }, + "dye": { + "CHS": "染;把…染上颜色", + "ENG": "to give something a different colour using a dye" + }, + "vacate": { + "CHS": "空出,腾出;辞职;休假", + "ENG": "to leave a job or position so that it is available for someone else to do" + }, + "vivid": { + "CHS": "生动的;鲜明的;鲜艳的", + "ENG": "vivid memories, dreams, descriptions etc are so clear that they seem real" + }, + "introductory": { + "CHS": "引导的,介绍的;开端的", + "ENG": "said or written at the beginning of a book, speech etc in order to explain what it is about" + }, + "apply": { + "CHS": "申请;涂,敷;应用", + "ENG": "to make a formal request, usually written, for something such as a job, a place at a university, or permission to do something" + }, + "supportive": { + "CHS": "支持的;支援的;赞助的", + "ENG": "giving help or encouragement, especially to someone who is in a difficult situation – used to show approval" + }, + "underpass": { + "CHS": "地下通道;[交] 下穿交叉道", + "ENG": "a road or path that goes under another road or a railway" + }, + "messenger": { + "CHS": "报信者,送信者;先驱", + "ENG": "someone whose job is to deliver messages or documents, or someone who takes a message to someone else" + }, + "Mediterranean": { + "CHS": "地中海的", + "ENG": "relating to the Mediterranean Sea, or typical of the area of southern Europe around it" + }, + "toffee": { + "CHS": "乳脂糖,太妃糖", + "ENG": "a sticky sweet brown substance that you can eat, made by boiling sugar, water, and butter together, or a piece of this substance" + }, + "dean": { + "CHS": "院长;系主任;教务长;主持牧师", + "ENG": "a priest of high rank in the Christian church who is in charge of several priests or churches" + }, + "reminiscence": { + "CHS": "回忆;怀旧;引起联想的相似事物", + "ENG": "a spoken or written story about events that you remember" + }, + "factor": { + "CHS": "做代理商" + }, + "impossibility": { + "CHS": "不可能;不可能的事" + }, + "reluctant": { + "CHS": "不情愿的;勉强的;顽抗的", + "ENG": "slow and unwilling" + }, + "absolve": { + "CHS": "免除;赦免;宣告…无罪", + "ENG": "to say publicly that someone is not guilty or responsible for something" + }, + "massacre": { + "CHS": "大屠杀;惨败", + "ENG": "when a lot of people are killed violently, especially people who cannot defend themselves" + }, + "examine": { + "CHS": "检查;调查; 检测;考试", + "ENG": "to look at something carefully and thoroughly because you want to find out more about it" + }, + "daze": { + "CHS": "迷乱,眼花缭乱", + "ENG": "feeling confused and not able to think clearly" + }, + "feudalism": { + "CHS": "封建主义;封建制度", + "ENG": "a system which existed in the Middle Ages, in which people received land and protection from a lord when they worked and fought for him" + }, + "townsman": { + "CHS": "市民,镇民;同乡人", + "ENG": "an inhabitant of a town " + }, + "overall": { + "CHS": "工装裤;罩衫", + "ENG": "a loose-fitting piece of clothing like a coat, that is worn over clothes to protect them" + }, + "yoghurt": { + "CHS": "酸奶(等于yoghourt);酸乳酪", + "ENG": "a thick liquid food that tastes slightly sour and is made from milk, or an amount of this food" + }, + "ruthless": { + "CHS": "无情的,残忍的", + "ENG": "so determined to get what you want that you do not care if you have to hurt other people in order to do it" + }, + "prosperous": { + "CHS": "繁荣的;兴旺的", + "ENG": "rich and successful" + }, + "lash": { + "CHS": "鞭打;睫毛;鞭子;责骂;讽刺", + "ENG": "a hit with a whip, especially as a punishment" + }, + "pessimist": { + "CHS": "悲观主义者", + "ENG": "someone who always expects that bad things will happen" + }, + "naked": { + "CHS": "裸体的;无装饰的;无证据的;直率的", + "ENG": "not wearing any clothes or not covered by clothes" + }, + "radioactivity": { + "CHS": "放射性;[核] 放射能力;[核] 放射现象", + "ENG": "the sending out of radiation (= a form of energy ) when the nucleus (= central part ) of an atom has broken apart" + }, + "farming": { + "CHS": "耕种;出租(farm的ing形式)" + }, + "fragment": { + "CHS": "使成碎片", + "ENG": "to break something, or be broken into a lot of small separate parts – used to show disapproval" + }, + "mislead": { + "CHS": "误导;带错", + "ENG": "to make someone believe something that is not true by giving them information that is false or not complete" + }, + "residence": { + "CHS": "住宅,住处;居住", + "ENG": "a house, especially a large or official one" + }, + "delicacy": { + "CHS": "美味;佳肴;微妙;精密;精美;敏锐,敏感;世故,圆滑", + "ENG": "something good to eat that is expensive or rare" + }, + "volume": { + "CHS": "把…收集成卷" + }, + "fingerprint": { + "CHS": "采指纹", + "ENG": "If someone is fingerprinted, the police take their fingerprints" + }, + "improvement": { + "CHS": "改进,改善;提高", + "ENG": "the act of improving something or the state of being improved" + }, + "shoplift": { + "CHS": "从商店中偷商品", + "ENG": "If someone shoplifts, they steal goods from a shop by hiding them in a bag or in their clothes" + }, + "limestone": { + "CHS": "[岩] 石灰岩", + "ENG": "a type of rock that contains calcium" + }, + "countable": { + "CHS": "可计算的;能算的", + "ENG": "a countable noun has both a singular and a plural form" + }, + "enrol": { + "CHS": "登记;卷起;入学;使入会" + }, + "sicken": { + "CHS": "使患病;使恶心;使嫌恶", + "ENG": "If something sickens you, it makes you feel disgusted" + }, + "missing": { + "CHS": "(Missing)人名;(德)米辛" + }, + "preferable": { + "CHS": "更好的,更可取的;更合意的", + "ENG": "better or more suitable" + }, + "intensify": { + "CHS": "增强,强化;变激烈", + "ENG": "to increase in degree or strength, or to make something do this" + }, + "desirable": { + "CHS": "合意的人或事物" + }, + "windmill": { + "CHS": "作风车般旋转" + }, + "princess": { + "CHS": "公主;王妃;女巨头", + "ENG": "a close female relation of a king and queen, especially a daughter" + }, + "fowl": { + "CHS": "打鸟;捕野禽" + }, + "crate": { + "CHS": "将某物装入大木箱或板条箱中", + "ENG": "to pack things into a crate" + }, + "spanner": { + "CHS": "扳手;螺丝扳手;测量器;用手掌量的人", + "ENG": "a metal tool that fits over a nut , used for turning the nut to make it tight or to undo it" + }, + "adverb": { + "CHS": "副词的" + }, + "emotion": { + "CHS": "情感;情绪", + "ENG": "a strong human feeling such as love, hate, or anger" + }, + "flexible": { + "CHS": "灵活的;柔韧的;易弯曲的", + "ENG": "a person, plan etc that is flexible can change or be changed easily to suit any new situation" + }, + "squander": { + "CHS": "浪费" + }, + "enchant": { + "CHS": "使迷惑;施魔法", + "ENG": "In fairy tales and legends, to enchant someone or something means to put a magic spell on them" + }, + "prominent": { + "CHS": "突出的,显著的;杰出的;卓越的", + "ENG": "important" + }, + "substantial": { + "CHS": "本质;重要材料" + }, + "overleaf": { + "CHS": "背面的;次页的" + }, + "yeast": { + "CHS": "酵母;泡沫;酵母片;引起骚动因素", + "ENG": "a type of fungus used for producing alcohol in beer and wine, and for making bread rise" + }, + "insensitive": { + "CHS": "感觉迟钝的,对…没有感觉的", + "ENG": "Someone who is insensitive to a situation or to a need does not think or care about it" + }, + "toil": { + "CHS": "辛苦工作;艰难地行进", + "ENG": "When people toil, they work very hard doing unpleasant or tiring tasks" + }, + "streak": { + "CHS": "飞跑,疾驶;加上条纹", + "ENG": "to run or fly somewhere so fast you can hardly be seen" + }, + "gland": { + "CHS": "腺", + "ENG": "an organ of the body which produces a substance that the body needs, such as hormones, sweat, or saliva" + }, + "lily": { + "CHS": "洁白的,纯洁的" + }, + "Venus": { + "CHS": "[天] 金星;维纳斯(爱与美的女神)", + "ENG": "the planetthat is second in order from the Sun" + }, + "marketing": { + "CHS": "出售;在市场上进行交易;使…上市(market的ing形式)" + }, + "quotation": { + "CHS": "[贸易] 报价单;引用语;引证", + "ENG": "a sentence or phrase from a book, speech etc which you repeat in a speech or piece of writing because it is interesting or amusing" + }, + "bully": { + "CHS": "好;妙" + }, + "fruitless": { + "CHS": "不成功的,徒劳的;不结果实的", + "ENG": "failing to achieve what was wanted, especially after a lot of effort" + }, + "intonation": { + "CHS": "声调,语调;语音的抑扬", + "ENG": "the way in which the level of your voice changes in order to add meaning to what you are saying, for example by going up at the end of a question" + }, + "sift": { + "CHS": "(Sift)人名;(匈)希夫特" + }, + "practice": { + "CHS": "练习;实习;实行" + }, + "assign": { + "CHS": "分配;指派;[计][数] 赋值", + "ENG": "to give someone a particular job or make them responsible for a particular person or thing" + }, + "luster": { + "CHS": "使有光泽" + }, + "handgun": { + "CHS": "手枪", + "ENG": "a small gun that you hold in one hand when you fire it" + }, + "van": { + "CHS": "用车搬运" + }, + "minimum": { + "CHS": "最小的;最低的", + "ENG": "the minimum number, degree, or amount of something is the smallest or least that is possible, allowed, or needed" + }, + "unload": { + "CHS": "卸;摆脱…之负担;倾销", + "ENG": "to remove a load from a vehicle, ship etc" + }, + "peril": { + "CHS": "危及;置…于险境" + }, + "default": { + "CHS": "违约;缺席;缺乏;系统默认值", + "ENG": "failure to pay money that you owe at the right time" + }, + "notorious": { + "CHS": "声名狼藉的,臭名昭著的", + "ENG": "famous or well-known for something bad" + }, + "fairyland": { + "CHS": "仙境;乐园;奇境", + "ENG": "a place that looks very beautiful and special" + }, + "secular": { + "CHS": "修道院外的教士,(对宗教家而言的) 俗人" + }, + "mammal": { + "CHS": "[脊椎] 哺乳动物", + "ENG": "a type of animal that drinks milk from its mother’s body when it is young. Humans, dogs, and whales are mammals." + }, + "wreck": { + "CHS": "破坏;使失事;拆毁", + "ENG": "to completely spoil something so that it cannot continue in a successful way" + }, + "junction": { + "CHS": "连接,接合;交叉点;接合点", + "ENG": "a place where one road, track etc joins another" + }, + "endeavour": { + "CHS": "竭力做到,试图或力图(做某事)", + "ENG": "to try very hard" + }, + "vanity": { + "CHS": "虚荣心;空虚;浮华;无价值的东西", + "ENG": "too much pride in yourself, so that you are always thinking about yourself and your appearance" + }, + "unaware": { + "CHS": "意外地;不知不觉地" + }, + "evergreen": { + "CHS": "[植] 常绿的;永葆青春的", + "ENG": "an evergreen tree or bush does not lose its leaves in winter" + }, + "waltz": { + "CHS": "华尔兹舞;华尔兹舞曲", + "ENG": "a fairly slow dance with a regular pattern of three beats" + }, + "adulthood": { + "CHS": "成年;成人期", + "ENG": "the time when you are an adult" + }, + "ebb": { + "CHS": "衰退;减少;衰落;潮退", + "ENG": "if the tide ebbs, it flows away from the shore" + }, + "creep": { + "CHS": "爬行;毛骨悚然的感觉;谄媚者" + }, + "fluctuate": { + "CHS": "波动;涨落;动摇", + "ENG": "if a price or amount fluctuates, it keeps changing and becoming higher and lower" + }, + "straw": { + "CHS": "稻草的;无价值的", + "ENG": "having little value or substance " + }, + "secondary": { + "CHS": "副手;代理人" + }, + "bolt": { + "CHS": "突然地;像箭似地;直立地", + "ENG": "If a person or animal bolts, they suddenly start to run very fast, often because something has frightened them" + }, + "kilobyte": { + "CHS": "[计] 千字节,1024字节", + "ENG": "a unit for measuring computer information, equal to 1,024 bytes" + }, + "oak": { + "CHS": "栎树的;栎木制的" + }, + "cemetery": { + "CHS": "墓地;公墓", + "ENG": "a piece of land, usually not belonging to a church, in which dead people are buried" + }, + "equivalent": { + "CHS": "等价物,相等物", + "ENG": "something that has the same value, purpose, job etc as something else" + }, + "Gothic": { + "CHS": "哥特式" + }, + "resign": { + "CHS": "辞去职务" + }, + "despair": { + "CHS": "绝望,丧失信心", + "ENG": "to feel that there is no hope at all" + }, + "general": { + "CHS": "一般;将军,上将;常规", + "ENG": "an officer of very high rank in the army or air force" + }, + "theoretical": { + "CHS": "理论的;理论上的;假设的;推理的", + "ENG": "relating to the study of ideas, especially scientific ideas, rather than with practical uses of the ideas or practical experience" + }, + "complement": { + "CHS": "补足,补助", + "ENG": "If people or things complement each other, they are different or do something different, which makes them a good combination" + }, + "detergent": { + "CHS": "清洁剂;去垢剂", + "ENG": "a liquid or powder used for washing clothes, dishes etc" + }, + "interchange": { + "CHS": "互换;立体交叉道", + "ENG": "an exchange, especially of ideas or thoughts" + }, + "engrossed": { + "CHS": "全神贯注(engross的过去分词)" + }, + "eyelash": { + "CHS": "睫毛", + "ENG": "one of the small hairs that grow along the edge of your eyelids" + }, + "pad": { + "CHS": "步行;放轻脚步走", + "ENG": "to walk softly and quietly" + }, + "Fahrenheit": { + "CHS": "华氏温度计;华氏温标", + "ENG": "a scale of temperature in which water freezes at 32˚ and boils at 212˚" + }, + "bodyguard": { + "CHS": "保镖", + "ENG": "someone whose job is to protect an important person" + }, + "swing": { + "CHS": "旋转的;悬挂的;强节奏爵士音乐的" + }, + "rod": { + "CHS": "棒;惩罚;枝条;权力", + "ENG": "a long thin pole or bar" + }, + "paradise": { + "CHS": "天堂", + "ENG": "in some religions, a perfect place where people are believed to go after they die, if they have led good lives" + }, + "continental": { + "CHS": "欧洲人" + }, + "hare": { + "CHS": "野兔", + "ENG": "an animal like a rabbit but larger, which can run very quickly" + }, + "demanding": { + "CHS": "要求;查问(demand的ing形式)" + }, + "thoroughbred": { + "CHS": "良种的;受过严格训练的;优秀的" + }, + "pathetic": { + "CHS": "可怜的,悲哀的;感伤的;乏味的", + "ENG": "making you feel pity or sympathy" + }, + "overseas": { + "CHS": "海外的,国外的", + "ENG": "coming from, existing in, or happening in a foreign country that is across the sea" + }, + "spin": { + "CHS": "旋转;疾驰", + "ENG": "an act of turning around quickly" + }, + "yolk": { + "CHS": "蛋黄;[胚] 卵黄;羊毛脂", + "ENG": "the yellow part in the centre of an egg" + }, + "alumna": { + "CHS": "女毕业生;女校友", + "ENG": "a woman who is a former student of a school, college etc" + }, + "plausible": { + "CHS": "貌似可信的,花言巧语的;貌似真实的,貌似有理的", + "ENG": "reasonable and likely to be true or successful" + }, + "ashtray": { + "CHS": "烟灰缸", + "ENG": "a small dish where you put used cigarettes" + }, + "bleach": { + "CHS": "漂白剂", + "ENG": "a chemical used to make things pale or white, or to kill germ s " + }, + "mason": { + "CHS": "用砖瓦砌成" + }, + "serviceman": { + "CHS": "军人;维修人员", + "ENG": "a man who is a member of the military" + }, + "lever": { + "CHS": "用杠杆撬动;把…作为杠杆", + "ENG": "to move something with a lever" + }, + "deserted": { + "CHS": "遗弃(desert的过去式和过去分词)", + "ENG": "If people or animals desert a place, they leave it and it becomes empty" + }, + "commend": { + "CHS": "推荐;称赞;把…委托", + "ENG": "to praise or approve of someone or something publicly" + }, + "yield": { + "CHS": "产量;收益", + "ENG": "the amount of profits, crops etc that something produces" + }, + "jack": { + "CHS": "雄的", + "ENG": "tired or fed up with (something) " + }, + "poise": { + "CHS": "使平衡;保持姿势", + "ENG": "to put or hold something in a carefully balanced position, especially above something else" + }, + "ceramic": { + "CHS": "陶瓷;陶瓷制品", + "ENG": "Ceramic is clay that has been heated to a very high temperature so that it becomes hard" + }, + "accommodate": { + "CHS": "容纳;使适应;供应;调解", + "ENG": "if a room, building etc can accommodate a particular number of people or things, it has enough space for them" + }, + "crawl": { + "CHS": "爬行;养鱼池;匍匐而行", + "ENG": "an enclosure in shallow, coastal water for fish, lobsters, etc " + }, + "campus": { + "CHS": "(大学)校园;大学,大学生活;校园内的草地", + "ENG": "the land and buildings of a university or college, including the buildings where students live" + }, + "cactus": { + "CHS": "[园艺] 仙人掌", + "ENG": "a desert plant with sharp points instead of leaves" + }, + "adequate": { + "CHS": "充足的;适当的;胜任的", + "ENG": "enough in quantity or of a good enough quality for a particular purpose" + }, + "lonesome": { + "CHS": "自己" + }, + "audio": { + "CHS": "声音的;[声] 音频的,[声] 声频的", + "ENG": "relating to sound that is recorded or broadcast" + }, + "scorch": { + "CHS": "烧焦;焦痕", + "ENG": "a mark made on something where its surface has been burnt" + }, + "prelude": { + "CHS": "成为…的序幕;演奏…作为前奏曲" + }, + "landowner": { + "CHS": "地主,土地所有者", + "ENG": "someone who owns land, especially a large amount of it" + }, + "trifle": { + "CHS": "开玩笑;闲混;嘲弄" + }, + "immense": { + "CHS": "巨大的,广大的;无边无际的;非常好的", + "ENG": "extremely large" + }, + "projector": { + "CHS": "[仪] 投影仪;放映机;探照灯;设计者", + "ENG": "a piece of equipment that makes a film or picture appear on a screen or flat surface" + }, + "fiddle": { + "CHS": "瞎搞;拉小提琴", + "ENG": "to play a violin " + }, + "facsimile": { + "CHS": "传真;临摹" + }, + "paperweight": { + "CHS": "书镇;压纸器;镇纸", + "ENG": "a small heavy object used to hold pieces of paper in place" + }, + "dome": { + "CHS": "加圆屋顶于…上" + }, + "equip": { + "CHS": "装备,配备", + "ENG": "to provide a person or place with the things that are needed for a particular kind of activity or work" + }, + "semicolon": { + "CHS": "分号", + "ENG": "a punctuation mark (;) used to separate different parts of a sentence or list" + }, + "transmit": { + "CHS": "传输;传播;发射;传达;遗传", + "ENG": "to send out electronic signals, messages etc using radio, television, or other similar equipment" + }, + "freshman": { + "CHS": "新手,生手;大学一年级学生", + "ENG": "a student in the first year of high school or university" + }, + "sympathy": { + "CHS": "同情;慰问;赞同", + "ENG": "the feeling of being sorry for someone who is in a bad situation" + }, + "economic": { + "CHS": "经济的,经济上的;经济学的", + "ENG": "relating to trade, in-dustry, and the management of money" + }, + "invert": { + "CHS": "转化的" + }, + "engrave": { + "CHS": "雕刻;铭记", + "ENG": "to cut words or designs on metal, wood, glass etc" + }, + "devour": { + "CHS": "吞食;毁灭", + "ENG": "to destroy someone or something" + }, + "analogy": { + "CHS": "类比;类推;类似", + "ENG": "something that seems similar between two situations, processes etc" + }, + "topple": { + "CHS": "(Topple)人名;(英)托佩尔" + }, + "faulty": { + "CHS": "有错误的;有缺点的", + "ENG": "not working properly, or not made correctly" + }, + "install": { + "CHS": "安装;任命;安顿", + "ENG": "to put a piece of equipment somewhere and connect it so that it is ready to be used" + }, + "stereo": { + "CHS": "立体的;立体声的;立体感觉的", + "ENG": "using a recording or broadcasting system in which the sound is directed through two speakers " + }, + "forceful": { + "CHS": "强有力的;有说服力的;坚强的", + "ENG": "a forceful person expresses their opinions very strongly and clearly and people are easily persuaded by them" + }, + "sponsor": { + "CHS": "赞助;发起", + "ENG": "to give money to a sports event, theatre, institution etc, especially in exchange for the right to advertise" + }, + "affix": { + "CHS": "[语] 词缀;附加物", + "ENG": "a group of letters added to the beginning or end of a word to change its meaning or use, such as ‘un-’, ‘mis-’, ‘-ness’, or ‘-ly’" + }, + "finalist": { + "CHS": "参加决赛的选手", + "ENG": "one of the people or teams that reaches the final game in a competition" + }, + "participate": { + "CHS": "参与,参加;分享", + "ENG": "to take part in an activity or event" + }, + "spokesperson": { + "CHS": "发言人;代言人", + "ENG": "a spokesman or spokeswoman" + }, + "undergraduate": { + "CHS": "大学生的" + }, + "suburb": { + "CHS": "郊区;边缘", + "ENG": "an area where people live which is away from the centre of a town or city" + }, + "keep": { + "CHS": "保持;生计;生活费", + "ENG": "the cost of providing food and a home for someone" + }, + "timid": { + "CHS": "胆小的;羞怯的", + "ENG": "not having courage or confidence" + }, + "kennel": { + "CHS": "把…关进狗舍;宿于狗舍", + "ENG": "to put or go into a kennel; keep or stay in a kennel " + }, + "dockyard": { + "CHS": "[船] 造船厂;海军工厂", + "ENG": "a place where ships are repaired or built" + }, + "undercover": { + "CHS": "秘密的,秘密从事的;从事间谍活动的", + "ENG": "Undercover work involves secretly obtaining information for the government or the police" + }, + "parade": { + "CHS": "游行;炫耀;列队行进", + "ENG": "to walk or march together to celebrate or protest about something" + }, + "employee": { + "CHS": "雇员;从业员工", + "ENG": "someone who is paid to work for someone else" + }, + "canon": { + "CHS": "标准;教规;正典圣经;教士", + "ENG": "a standard, rule, or principle, or set of these, that are believed by a group of people to be right and good" + }, + "imprison": { + "CHS": "监禁;关押;使…下狱", + "ENG": "to put someone in prison or to keep them somewhere and prevent them from leaving" + }, + "aperture": { + "CHS": "孔,穴;(照相机,望远镜等的)光圈,孔径;缝隙", + "ENG": "a small hole or space in something" + }, + "ferryboat": { + "CHS": "渡船", + "ENG": "a ferry" + }, + "colloquial": { + "CHS": "白话的;通俗的;口语体的", + "ENG": "language or words that are colloquial are used mainly in informal conversations rather than in writing or formal speech" + }, + "gravity": { + "CHS": "重力,地心引力;严重性;庄严", + "ENG": "the force that causes something to fall to the ground or to be attracted to another planet " + }, + "earthly": { + "CHS": "地球的;尘世的;可能的", + "ENG": "connected with life on Earth rather than in heaven" + }, + "cripple": { + "CHS": "跛的;残废的" + }, + "collide": { + "CHS": "碰撞;抵触,冲突", + "ENG": "to hit something or someone that is moving in a different direction from you" + }, + "minute": { + "CHS": "微小的,详细的 [maɪˈnjuːt; US -ˈnuːt; maɪˋnut]", + "ENG": "extremely small" + }, + "creed": { + "CHS": "信条,教义", + "ENG": "a set of beliefs or principles" + }, + "trend": { + "CHS": "趋向,伸向" + }, + "phobia": { + "CHS": "恐怖,憎恶;恐惧症", + "ENG": "a strong unreasonable fear of something" + }, + "sovereignty": { + "CHS": "主权;主权国家;君主;独立国", + "ENG": "complete freedom and power to govern" + }, + "pavilion": { + "CHS": "搭帐篷;置…于亭中;笼罩" + }, + "cocktail": { + "CHS": "鸡尾酒的" + }, + "advantageous": { + "CHS": "有利的;有益的", + "ENG": "helpful and likely to make you successful" + }, + "batch": { + "CHS": "分批处理", + "ENG": "to group (items) for efficient processing " + }, + "sway": { + "CHS": "影响;摇摆;统治", + "ENG": "power to rule or influence people" + }, + "giant": { + "CHS": "巨大的;巨人般的", + "ENG": "extremely big, and much bigger than other things of the same type" + }, + "epic": { + "CHS": "史诗;叙事诗;史诗般的作品", + "ENG": "a book, poem, or film that tells a long story about brave actions and exciting events" + }, + "automobile": { + "CHS": "驾驶汽车" + }, + "similarity": { + "CHS": "类似;相似点", + "ENG": "if there is a similarity between two things or people, they are similar in some way" + }, + "vitamin": { + "CHS": "[生化] 维生素;[生化] 维他命", + "ENG": "a chemical substance in food that is necessary for good health" + }, + "hitch": { + "CHS": "搭便车;钩住;套住;猛拉;使结婚", + "ENG": "to get free rides from the drivers of passing cars by standing at the side of the road and putting a hand out with the thumb raised" + }, + "Greek": { + "CHS": "希腊的;希腊人的,希腊语的", + "ENG": "relating to Greece, its people, or its language" + }, + "conscious": { + "CHS": "意识到的;故意的;神志清醒的", + "ENG": "noticing or realizing something" + }, + "speck": { + "CHS": "使有斑点" + }, + "constitute": { + "CHS": "组成,构成;建立;任命", + "ENG": "if several people or things constitute something, they are the parts that form it" + }, + "gaseous": { + "CHS": "气态的,气体的;无实质的", + "ENG": "like gas or in the form of gas" + }, + "grim": { + "CHS": "(Grim)人名;(英、德、俄、捷、匈)格里姆" + }, + "vice": { + "CHS": "副的;代替的", + "ENG": "serving in the place of or as a deputy for " + }, + "vineyard": { + "CHS": "葡萄园", + "ENG": "a piece of land where grapevines are grown in order to produce wine" + }, + "pollutant": { + "CHS": "污染物", + "ENG": "a substance that makes air, water, soil etc dangerously dirty, and is caused by cars, factories etc" + }, + "lumber": { + "CHS": "木材;废物,无用的杂物;隆隆声", + "ENG": "pieces of wood used for building, that have been cut to specific lengths and widths" + }, + "bandit": { + "CHS": "强盗,土匪;恶棍;敲诈者", + "ENG": "someone who robs people, especially one of a group of people who attack travellers" + }, + "cornea": { + "CHS": "[解剖] 角膜", + "ENG": "the transparent protective covering on the outer surface of your eye" + }, + "torch": { + "CHS": "像火炬一样燃烧" + }, + "counterattack": { + "CHS": "反击;反攻", + "ENG": "an attack you make against someone who has attacked you, in a war, sport, or argument" + }, + "vaporize": { + "CHS": "蒸发", + "ENG": "to change into a vapour, or to make something, especially a liquid, do this" + }, + "gender": { + "CHS": "生(过去式gendered,过去分词gendered,现在分词gendering,第三人称单数genders,形容词genderless)" + }, + "advocate": { + "CHS": "提倡者;支持者;律师", + "ENG": "someone who publicly supports someone or something" + }, + "swamp": { + "CHS": "使陷于沼泽;使沉没;使陷入困境", + "ENG": "If something swamps a place or object, it fills it with water" + }, + "jealous": { + "CHS": "妒忌的;猜疑的;唯恐失去的;戒备的", + "ENG": "feeling unhappy because someone has something that you wish you had" + }, + "hurrah": { + "CHS": "万岁;好哇(等于hurray)" + }, + "graze": { + "CHS": "放牧;轻擦", + "ENG": "a wound caused by rubbing that slightly breaks the surface of your skin" + }, + "census": { + "CHS": "人口普查,人口调查", + "ENG": "an official process of counting a country’s population and finding out about the people" + }, + "baker": { + "CHS": "面包师;面包工人;(便携式)烘炉", + "ENG": "someone who bakes bread and cakes, especially in order to sell them in a shop" + }, + "persuasion": { + "CHS": "说服;说服力;信念;派别", + "ENG": "the act of persuading someone to do something" + }, + "penguin": { + "CHS": "企鹅;空军地勤人员", + "ENG": "a large black and white Antarctic sea bird, which cannot fly but uses its wings for swimming" + }, + "sprinkle": { + "CHS": "洒;微雨;散置", + "ENG": "to scatter small drops of liquid or small pieces of something" + }, + "byte": { + "CHS": "字节;8位元组", + "ENG": "a unit for measuring computer information, equal to eight bit s (= the smallest unit on which information is stored on a computer ) " + }, + "rebuff": { + "CHS": "断然拒绝", + "ENG": "If you rebuff someone or rebuff a suggestion that they make, you refuse to do what they suggest" + }, + "tariff": { + "CHS": "定税率;征收关税" + }, + "commodity": { + "CHS": "商品,货物;日用品", + "ENG": "a product that is bought and sold" + }, + "sinful": { + "CHS": "有罪的", + "ENG": "against religious rules, or doing something that is against religious rules" + }, + "boiler": { + "CHS": "锅炉;烧水壶,热水器;盛热水器", + "ENG": "a container for boiling water that is part of a steam engine, or is used to provide heating in a house" + }, + "amenable": { + "CHS": "有责任的:顺从的,服从的;有义务的;经得起检验的", + "ENG": "willing to accept what someone says or does without arguing" + }, + "rectangular": { + "CHS": "矩形的;成直角的", + "ENG": "having the shape of a rectangle" + }, + "landlord": { + "CHS": "房东,老板;地主", + "ENG": "a man who rents a room, building, or piece of land to someone" + }, + "formation": { + "CHS": "形成;构造;编队", + "ENG": "the process of starting a new organization or group" + }, + "slant": { + "CHS": "倾斜的;有偏见的" + }, + "goalkeeper": { + "CHS": "守门员", + "ENG": "the player in a sports team whose job is to try to stop the ball going into the goal" + }, + "chilli": { + "CHS": "红辣椒", + "ENG": "a small thin red or green pepper with a very strong hot taste" + }, + "chuckle": { + "CHS": "轻笑,窃笑", + "ENG": "Chuckle is also a noun" + }, + "laureate": { + "CHS": "使戴桂冠" + }, + "path": { + "CHS": "道路;小路;轨道", + "ENG": "a track that has been made deliberately or made by many people walking over the same ground" + }, + "descent": { + "CHS": "除去…的气味;使…失去香味" + }, + "alter": { + "CHS": "(Alter)人名;(英)奥尔特;(德、捷、葡、爱沙、立陶、拉脱、俄、西、罗、瑞典)阿尔特" + }, + "subway": { + "CHS": "乘地铁" + }, + "empirical": { + "CHS": "经验主义的,完全根据经验的;实证的", + "ENG": "based on scientific testing or practical experience, not on ideas" + }, + "fir": { + "CHS": "弗京(firkin)" + }, + "denomination": { + "CHS": "面额;名称;教派", + "ENG": "a religious group that has different beliefs from other groups within the same religion" + }, + "considering": { + "CHS": "考虑到(consider的ing形式)", + "ENG": "used after you have given an opinion, to say that something is true in spite of a situation that makes it seem surprising" + }, + "apron": { + "CHS": "着围裙于;围绕" + }, + "portrait": { + "CHS": "肖像;描写;半身雕塑像", + "ENG": "a painting, drawing, or photograph of a person" + }, + "aspect": { + "CHS": "方面;方向;形势;外貌", + "ENG": "one part of a situation, idea, plan etc that has many parts" + }, + "lastly": { + "CHS": "最后,终于", + "ENG": "used when telling someone the last thing at the end of a list or a series of statements" + }, + "memo": { + "CHS": "备忘录", + "ENG": "a short official note to another person in the same company or organization" + }, + "allergic": { + "CHS": "对…过敏的;对…极讨厌的", + "ENG": "having an allergy" + }, + "molecule": { + "CHS": "[化学] 分子;微小颗粒,微粒", + "ENG": "the smallest unit into which any substance can be divided without losing its own chemical nature, usually consisting of two or more atoms" + }, + "favoured": { + "CHS": "喜爱的;受优惠的;有特权的", + "ENG": "receiving special attention, help, or treatment, sometimes in an unfair way" + }, + "beginner": { + "CHS": "初学者;新手;创始人", + "ENG": "someone who has just started to do or learn something" + }, + "mutter": { + "CHS": "咕哝;喃喃低语" + }, + "halfway": { + "CHS": "中途的;不彻底的", + "ENG": "at a middle point in space or time between two things" + }, + "intimate": { + "CHS": "暗示;通知;宣布", + "ENG": "to make people understand what you mean without saying it directly" + }, + "applicant": { + "CHS": "申请人,申请者;请求者", + "ENG": "someone who has formally asked, usually in writing, for a job, university place etc" + }, + "drunkard": { + "CHS": "酒鬼,醉汉", + "ENG": "A drunkard is someone who frequently gets drunk" + }, + "experienced": { + "CHS": "老练的,熟练的;富有经验的", + "ENG": "possessing skills or knowledge because you have done something often or for a long time" + }, + "trout": { + "CHS": "鳟鱼,鲑鱼", + "ENG": "a common river-fish, often used for food, or the flesh of this fish" + }, + "fuss": { + "CHS": "大惊小怪,大惊小怪的人;小题大作;忙乱", + "ENG": "anxious behaviour or activity that is usually about unimportant things" + }, + "exaggerate": { + "CHS": "使扩大;使增大", + "ENG": "If you exaggerate, you indicate that something is, for example, worse or more important than it really is" + }, + "rehouse": { + "CHS": "供以新住宅;使移住新居", + "ENG": "If someone is rehoused, their local government or other authority provides them with a different house to live in" + }, + "bait": { + "CHS": "饵;诱饵", + "ENG": "food used to attract fish, animals, or birds so that you can catch them" + }, + "fortunately": { + "CHS": "幸运地", + "ENG": "happening because of good luck" + }, + "solidarity": { + "CHS": "团结,团结一致", + "ENG": "loyalty and general agreement between all the people in a group, or between different groups, because they all have a shared aim" + }, + "caliber": { + "CHS": "[军] 口径;才干;水准(等于calibre);器量" + }, + "track": { + "CHS": "追踪;通过;循路而行;用纤拉", + "ENG": "to search for a person or animal by following the marks they leave behind them on the ground, their smell etc" + }, + "rehabilitate": { + "CHS": "使康复;使恢复名誉;使恢复原状", + "ENG": "to make people think that someone or something is good again after a period when people had a bad opinion of them" + }, + "debut": { + "CHS": "初次登台" + }, + "mattress": { + "CHS": "床垫;褥子;空气垫", + "ENG": "the soft part of a bed that you lie on" + }, + "auxiliary": { + "CHS": "辅助的;副的;附加的", + "ENG": "auxiliary workers provide additional help for another group of workers" + }, + "luncheon": { + "CHS": "午宴;正式的午餐会", + "ENG": "lunch" + }, + "battlefield": { + "CHS": "战场;沙场", + "ENG": "a place where a battle is being fought or has been fought" + }, + "sly": { + "CHS": "(Sly)人名;(英)斯莱" + }, + "violate": { + "CHS": "违反;侵犯,妨碍;亵渎", + "ENG": "to disobey or do something against an official agreement, law, principle etc" + }, + "canary": { + "CHS": "[鸟] 金丝雀;淡黄色", + "ENG": "a small yellow bird that people often keep as a pet" + }, + "compass": { + "CHS": "包围" + }, + "crisp": { + "CHS": "松脆物;油炸马铃薯片", + "ENG": "a very thin flat round piece of potato that is cooked in oil and eaten cold" + }, + "streetcar": { + "CHS": "有轨电车", + "ENG": "a type of bus that runs on electricity along metal tracks in the road" + }, + "renaissance": { + "CHS": "文艺复兴(欧洲14至17世纪)", + "ENG": "a new interest in something, especially a particular form of art, music etc, that has not been popular for a long period" + }, + "feminism": { + "CHS": "女权主义;女权运动;男女平等主义", + "ENG": "the belief that women should have the same rights and opportunities as men" + }, + "renounce": { + "CHS": "垫牌" + }, + "Mongolian": { + "CHS": "蒙古人的;蒙古语的", + "ENG": "Mongolian means belonging or relating to Mongolia, or to its people, language, or culture" + }, + "suitability": { + "CHS": "适合;适当;相配", + "ENG": "the degree to which something or someone has the right qualities for a particular purpose" + }, + "threaten": { + "CHS": "威胁;恐吓;预示", + "ENG": "to say that you will cause someone harm or trouble if they do not do what you want" + }, + "perch": { + "CHS": "栖息;就位;位于;使坐落于", + "ENG": "To perch somewhere means to be on the top or edge of something" + }, + "emerald": { + "CHS": "翠绿色的" + }, + "watch": { + "CHS": "手表;监视;守护;值班人", + "ENG": "a small clock that you wear on your wrist or keep in your pocket" + }, + "quarterly": { + "CHS": "季刊", + "ENG": "a magazine that is produced four times a year" + }, + "dedicate": { + "CHS": "致力;献身;题献", + "ENG": "to give all your attention and effort to one particular thing" + }, + "delight": { + "CHS": "高兴", + "ENG": "to give someone great satisfaction and enjoyment" + }, + "gust": { + "CHS": "一阵阵地劲吹", + "ENG": "if the wind gusts, it blows strongly with sudden short movements" + }, + "step": { + "CHS": "踏,踩;走", + "ENG": "to bring your foot down on something" + }, + "informed": { + "CHS": "通知;使了解;提供资料(inform的过去分词)" + }, + "fulfil": { + "CHS": "履行;完成;实践;满足", + "ENG": "if you fulfil a hope, wish, or aim, you achieve the thing that you hoped for, wished for etc" + }, + "scheme": { + "CHS": "搞阴谋;拟订计划", + "ENG": "If you say that people are scheming, you mean that they are making secret plans in order to gain something for themselves" + }, + "tangle": { + "CHS": "使纠缠;处于混乱状态" + }, + "obscure": { + "CHS": "某种模糊的或不清楚的东西" + }, + "atlas": { + "CHS": "地图集;寰椎", + "ENG": "a book containing maps, especially of the whole world" + }, + "adopt": { + "CHS": "采取;接受;收养;正式通过", + "ENG": "to take someone else’s child into your home and legally become its parent" + }, + "rear": { + "CHS": "后面;屁股;后方部队", + "ENG": "the back part of an object, vehicle, or building, or a position at the back of an object or area" + }, + "coffin": { + "CHS": "棺材", + "ENG": "a long box in which a dead person is buried or burnt" + }, + "rejoice": { + "CHS": "高兴;庆祝" + }, + "condolence": { + "CHS": "哀悼;慰问", + "ENG": "When you offer or express your condolences to someone, you express your sympathy for them because one of their friends or relatives has died recently" + }, + "means": { + "CHS": "意思是;打算(mean的第三人称单数) [ 复数means ]" + }, + "dietary": { + "CHS": "饮食的,饭食的,规定食物的", + "ENG": "related to the food someone eats" + }, + "physiology": { + "CHS": "生理学;生理机能", + "ENG": "the science that studies the way in which the bodies of living things work" + }, + "situation": { + "CHS": "情况;形势;处境;位置", + "ENG": "a combination of all the things that are happening and all the conditions that exist at a particular time in a particular place" + }, + "upside": { + "CHS": "优势,上面" + }, + "nightingale": { + "CHS": "夜莺", + "ENG": "a small bird that sings very beautifully, especially at night" + }, + "drain": { + "CHS": "排水;下水道,排水管;消耗", + "ENG": "a pipe that carries water or waste liquids away" + }, + "post": { + "CHS": "张贴;公布;邮递;布置", + "ENG": "to put up a public notice about something on a wall or notice board" + }, + "ministry": { + "CHS": "(政府的)部门", + "ENG": "a government department that is responsible for one of the areas of government work, such as education or health" + }, + "reappear": { + "CHS": "再出现", + "ENG": "to appear again after not being seen for some time" + }, + "pudding": { + "CHS": "布丁", + "ENG": "a hot sweet dish, made from cake, rice, bread etc with fruit, milk, or other sweet things added" + }, + "tug": { + "CHS": "用力拉;竞争;努力做" + }, + "throatily": { + "CHS": "喉音地;嘶哑地" + }, + "flush": { + "CHS": "大量的;齐平的;丰足的,洋溢的;挥霍的", + "ENG": "if two surfaces are flush, they are at exactly the same level, so that the place where they meet is flat" + }, + "hemisphere": { + "CHS": "半球", + "ENG": "a half of the Earth, especially one of the halves above and below the equator " + }, + "sincerity": { + "CHS": "真实,诚挚", + "ENG": "when someone is sincere and really means what they are saying" + }, + "surmount": { + "CHS": "克服,越过;战胜", + "ENG": "to succeed in dealing with a problem or difficulty" + }, + "day": { + "CHS": "日间的;逐日的" + }, + "rugged": { + "CHS": "崎岖的;坚固的;高低不平的;粗糙的", + "ENG": "land that is rugged is rough and uneven" + }, + "deceit": { + "CHS": "欺骗;谎言;欺诈手段", + "ENG": "behaviour that is intended to make someone believe something that is not true" + }, + "context": { + "CHS": "环境;上下文;来龙去脉", + "ENG": "the situation, events, or information that are related to something and that help you to understand it" + }, + "ritual": { + "CHS": "仪式的;例行的;礼节性的", + "ENG": "done in a fixed and expected way, but without real meaning or sincerity" + }, + "quota": { + "CHS": "配额;定额;限额", + "ENG": "an official limit on the number or amount of something that is allowed in a particular period" + }, + "miniature": { + "CHS": "是…的缩影" + }, + "coma": { + "CHS": "[医] 昏迷;[天] 彗形像差", + "ENG": "someone who is in a coma has been unconscious for a long time, usually because of a serious illness or injury" + }, + "steeple": { + "CHS": "把…建成尖塔" + }, + "archbishop": { + "CHS": "大主教;总教主", + "ENG": "a priest of the highest rank, who is in charge of all the churches in a particular area" + }, + "rape": { + "CHS": "强奸;掠夺,抢夺", + "ENG": "to force someone to have sex, especially by using violence" + }, + "motion": { + "CHS": "运动;打手势" + }, + "extract": { + "CHS": "汁;摘录;榨出物;选粹", + "ENG": "a short piece of writing, music etc taken from a particular book, piece of music etc" + }, + "feeler": { + "CHS": "[动] 触角;试探;试探者;厚薄规", + "ENG": "one of the two long things on an insect’s head that it uses to feel or touch things. Some sea animals also have feelers." + }, + "genuine": { + "CHS": "真实的,真正的;诚恳的", + "ENG": "a genuine feeling, desire etc is one that you really feel, not one you pretend to feel" + }, + "devise": { + "CHS": "遗赠" + }, + "ratio": { + "CHS": "比率,比例", + "ENG": "a relationship between two amounts, represented by a pair of numbers showing how much bigger one amount is than the other" + }, + "mate": { + "CHS": "使配对;使一致;结伴", + "ENG": "if animals mate, they have sex to produce babies" + }, + "stimulate": { + "CHS": "刺激;鼓舞,激励", + "ENG": "to encourage or help an activity to begin or develop further" + }, + "campaign": { + "CHS": "运动;活动;战役", + "ENG": "a series of actions intended to achieve a particular result relating to politics or business, or a social improvement" + }, + "zigzag": { + "CHS": "曲折地;之字形地;Z字形地", + "ENG": "to move forward in sharp angles, first to the left and then to the right etc" + }, + "abbey": { + "CHS": "大修道院,大寺院;修道院中全体修士或修女", + "ENG": "a large church with buildings next to it where monk s and nun s live or used to live" + }, + "convict": { + "CHS": "罪犯", + "ENG": "someone who has been proved to be guilty of a crime and sent to prison" + }, + "ladybird": { + "CHS": "瓢虫", + "ENG": "a small round beetle(= a type of insect ) that is usually red with black spots" + }, + "biographic": { + "CHS": "传记的;传记体的" + }, + "gathering": { + "CHS": "聚集(gather的ing形式)" + }, + "premier": { + "CHS": "总理,首相", + "ENG": "a prime minister – used in news reports" + }, + "tedious": { + "CHS": "沉闷的;冗长乏味的", + "ENG": "something that is tedious continues for a long time and is not interesting" + }, + "illegible": { + "CHS": "难辨认的;字迹模糊的", + "ENG": "difficult or impossible to read" + }, + "timber": { + "CHS": "木材;木料", + "ENG": "wood used for building or making things" + }, + "spot": { + "CHS": "准确地;恰好" + }, + "motorist": { + "CHS": "驾车旅行的人,开汽车的人", + "ENG": "A motorist is a person who drives a car" + }, + "gamble": { + "CHS": "赌博;冒险;打赌", + "ENG": "an action or plan that involves a risk but that you hope will succeed" + }, + "alga": { + "CHS": "水藻" + }, + "acknowledge": { + "CHS": "承认;答谢;报偿;告知已收到", + "ENG": "to admit or accept that something is true or that a situation exists" + }, + "sight": { + "CHS": "见票即付的;即席的" + }, + "predecessor": { + "CHS": "前任,前辈", + "ENG": "someone who had your job before you started doing it" + }, + "fabric": { + "CHS": "织物;布;组织;构造;建筑物", + "ENG": "cloth used for making clothes, curtains etc" + }, + "puppy": { + "CHS": "小狗,幼犬", + "ENG": "a young dog" + }, + "vowel": { + "CHS": "元音的" + }, + "middle": { + "CHS": "中间,中央;腰部", + "ENG": "the part that is nearest the centre of something, and furthest from the sides, edges, top, bottom etc" + }, + "agent": { + "CHS": "代理的" + }, + "witchcraft": { + "CHS": "巫术;魔法", + "ENG": "the use of magic powers, especially evil ones, to make things happen" + }, + "prospect": { + "CHS": "勘探,找矿", + "ENG": "to examine an area of land or water, in order to find gold, silver, oil etc" + }, + "dike": { + "CHS": "筑堤防护;开沟排水(等于dyke)" + }, + "sparkle": { + "CHS": "使闪耀;使发光", + "ENG": "to shine in small bright flashes" + }, + "tablecloth": { + "CHS": "桌布;台布", + "ENG": "a cloth used for covering a table" + }, + "cask": { + "CHS": "装入桶内" + }, + "investigate": { + "CHS": "调查;研究", + "ENG": "to try to find out the truth about something such as a crime, accident, or scientific problem" + }, + "textile": { + "CHS": "纺织的" + }, + "plain": { + "CHS": "清楚地;平易地" + }, + "whereabouts": { + "CHS": "在何处;靠近什么地方" + }, + "relic": { + "CHS": "遗迹,遗物;废墟;纪念物", + "ENG": "an old object or custom that reminds people of the past or that has lived on from a past time" + }, + "cane": { + "CHS": "以杖击;以藤编制" + }, + "invade": { + "CHS": "侵略;侵袭;侵扰;涌入", + "ENG": "to enter a country, town, or area using military force, in order to take control of it" + }, + "lawn": { + "CHS": "草地;草坪", + "ENG": "an area of ground in a garden or park that is covered with short grass" + }, + "convenience": { + "CHS": "便利;厕所;便利的事物", + "ENG": "the quality of being suitable or useful for a particular purpose, especially by making something easier or saving you time" + }, + "reckon": { + "CHS": "测算,估计;认为;计算", + "ENG": "spoken to think or suppose something" + }, + "contention": { + "CHS": "争论,争辩;争夺;论点", + "ENG": "a strong opinion that someone expresses" + }, + "pagoda": { + "CHS": "(东方寺院的)宝塔;印度的旧金币", + "ENG": "a Buddhist temple (= religious building ) that has several levels with a decorated roof at each level" + }, + "institutional": { + "CHS": "制度的;制度上的", + "ENG": "institutional attitudes and behaviour have existed for a long time in an organization and have become accepted as normal even though they are bad" + }, + "avenge": { + "CHS": "替…报仇", + "ENG": "to do something to hurt or punish someone because they have harmed or offended you" + }, + "sanatorium": { + "CHS": "疗养院;休养地", + "ENG": "a type of hospital for sick people who are getting better after a long illness but still need rest and a lot of care" + }, + "vulnerable": { + "CHS": "易受攻击的,易受…的攻击;易受伤害的;有弱点的", + "ENG": "someone who is vulnerable can be easily harmed or hurt" + }, + "raspberry": { + "CHS": "覆盆子;舌头放在唇间发出的声音;(表示轻蔑,嘲笑等的)咂舌声", + "ENG": "a soft sweet red berry, or the bush that this berry grows on" + }, + "banner": { + "CHS": "横幅图片的广告模式" + }, + "contraction": { + "CHS": "收缩,紧缩;缩写式;害病", + "ENG": "a very strong and painful movement of a muscle, especially the muscles around the womb during birth" + }, + "inventory": { + "CHS": "存货,存货清单;详细目录;财产清册", + "ENG": "a list of all the things in a place" + }, + "chapel": { + "CHS": "非国教的" + }, + "committee": { + "CHS": "委员会", + "ENG": "a group of people chosen to do a particular job, make decisions etc" + }, + "jade": { + "CHS": "疲倦" + }, + "sensation": { + "CHS": "感觉;轰动;感动", + "ENG": "a feeling that you get from one of your five senses, especially the sense of touch" + }, + "fairy": { + "CHS": "虚构的;仙女的" + }, + "violet": { + "CHS": "紫色的;紫罗兰色的" + }, + "crust": { + "CHS": "结硬皮;结成外壳" + }, + "airbase": { + "CHS": "空军基地;航空基地", + "ENG": "a place where military aircraft begin and end their flights, and where members of an air force live" + }, + "capture": { + "CHS": "捕获;战利品,俘虏", + "ENG": "when you catch someone in order to make them a prisoner" + }, + "thinker": { + "CHS": "思想家;思想者", + "ENG": "someone who thinks carefully about important subjects such as science or philosophy , especially someone who is famous for thinking of new ideas" + }, + "stylistic": { + "CHS": "体裁上的;格式上的;文体论的", + "ENG": "relating to the particular way an artist, writer, musician etc makes or performs something, especially the technical features or methods they use" + }, + "argumentative": { + "CHS": "好辩的;辩论的;争辩的", + "ENG": "someone who is argumentative often argues or likes arguing" + }, + "panorama": { + "CHS": "全景,全貌;全景画;概论", + "ENG": "an impressive view of a wide area of land" + }, + "aspirin": { + "CHS": "阿司匹林(解热镇痛药)", + "ENG": "a medicine that reduces pain, inflammation , and fever" + }, + "dew": { + "CHS": "结露水" + }, + "hereditary": { + "CHS": "遗传类" + }, + "litter": { + "CHS": "乱丢;给…垫褥草;把…弄得乱七八糟", + "ENG": "if things litter an area, there are a lot of them in that place, scattered in an untidy way" + }, + "manpower": { + "CHS": "人力;人力资源;劳动力", + "ENG": "all the workers available for a particular kind of work" + }, + "coupon": { + "CHS": "息票;赠券;联票;[经] 配给券", + "ENG": "a small piece of printed paper that gives you the right to pay less for something or get something free" + }, + "replay": { + "CHS": "重赛;重播;重演", + "ENG": "a game that is played again because neither team won the first time" + }, + "integrate": { + "CHS": "一体化;集成体" + }, + "identical": { + "CHS": "完全相同的事物" + }, + "invasion": { + "CHS": "入侵,侵略;侵袭;侵犯", + "ENG": "when the army of one country enters another country by force, in order to take control of it" + }, + "groove": { + "CHS": "开槽于" + }, + "seldom": { + "CHS": "很少,不常", + "ENG": "very rarely or almost never" + }, + "finding": { + "CHS": "找到;感到(find的ing形式);遇到" + }, + "envisage": { + "CHS": "正视,面对;想像", + "ENG": "If you envisage something, you imagine that it is true, real, or likely to happen" + }, + "velvet": { + "CHS": "天鹅绒的" + }, + "scalar": { + "CHS": "[数] 标量;[数] 数量", + "ENG": "a quantity, such as time or temperature, that has magnitude but not direction " + }, + "attic": { + "CHS": "阁楼;顶楼;鼓室上的隐窝", + "ENG": "a space or room just below the roof of a house, often used for storing things" + }, + "vow": { + "CHS": "发誓;郑重宣告", + "ENG": "If you vow to do something, you make a serious promise or decision that you will do it" + }, + "complain": { + "CHS": "投诉;发牢骚;诉说", + "ENG": "to say that you are annoyed, not satisfied, or unhappy about something or someone" + }, + "sergeant": { + "CHS": "军士;警察小队长;海军陆战队中士;高等律师", + "ENG": "a low rank in the army, air force, police etc, or someone who has this rank" + }, + "surplus": { + "CHS": "剩余的;过剩的", + "ENG": "more than what is needed or used" + }, + "influence": { + "CHS": "影响;改变", + "ENG": "to affect the way someone or something develops, behaves, thinks etc without directly forcing or ordering them" + }, + "major": { + "CHS": "主修" + }, + "failure": { + "CHS": "失败;故障;失败者;破产", + "ENG": "a lack of success in achieving or doing something" + }, + "saloon": { + "CHS": "酒吧;大厅;展览场;公共大厅;大会客室;轿车(英国用法)", + "ENG": "a public place where alcoholic drinks were sold and drunk in the western US in the 19th century" + }, + "simplify": { + "CHS": "简化;使单纯;使简易", + "ENG": "to make something easier or less complicated" + }, + "wait": { + "CHS": "等待;等候", + "ENG": "a period of time in which you wait for something to happen, someone to arrive etc" + }, + "saucepan": { + "CHS": "炖锅;深平底锅", + "ENG": "a deep round metal container with a handle that is used for cooking" + }, + "cadre": { + "CHS": "干部;基础结构;骨骼", + "ENG": "a small group of specially trained people in a profession, political party, or military force" + }, + "turf": { + "CHS": "覆草皮于", + "ENG": "to cover an area of land with turf" + }, + "desert": { + "CHS": "沙漠的;荒凉的;不毛的" + }, + "fatal": { + "CHS": "(Fatal)人名;(葡、芬)法塔尔" + }, + "unify": { + "CHS": "统一;使相同,使一致", + "ENG": "if you unify two or more parts or things, or if they unify, they are combined to make a single unit" + }, + "appliance": { + "CHS": "器具;器械;装置", + "ENG": "a piece of equipment, especially electrical equipment, such as a cooker or washing machine , used in people’s homes" + }, + "silky": { + "CHS": "丝的;柔滑的;温和的;丝绸一样的", + "ENG": "soft, smooth, and shiny like silk" + }, + "advertising": { + "CHS": "公告;为…做广告(advertise的ing形式)" + }, + "label": { + "CHS": "标签;商标;签条", + "ENG": "a piece of paper or another material that is attached to something and gives information about it" + }, + "lessen": { + "CHS": "(Lessen)人名;(德、罗)莱森" + }, + "plague": { + "CHS": "折磨;使苦恼;使得灾祸", + "ENG": "to cause pain, suffering, or trouble to someone, especially for a long period of time" + }, + "marvel": { + "CHS": "对…感到惊异", + "ENG": "to feel or express great surprise or admiration at something, especially someone’s behaviour" + }, + "anniversary": { + "CHS": "周年纪念日", + "ENG": "a date on which something special or important happened in a previous year" + }, + "compact": { + "CHS": "使简洁;使紧密结合" + }, + "almond": { + "CHS": "扁桃仁;扁桃树", + "ENG": "a flat pale nut with brown skin that tastes sweet, or the tree that produces these nuts" + }, + "canyon": { + "CHS": "峡谷", + "ENG": "a deep valley with very steep sides of rock that usually has a river running through it" + }, + "stench": { + "CHS": "发恶臭" + }, + "rebuke": { + "CHS": "非难,指责;谴责,鞭策", + "ENG": "Rebuke is also a noun" + }, + "executive": { + "CHS": "总经理;执行委员会;执行者;经理主管人员", + "ENG": "a manager in an organization or company who helps make important decisions" + }, + "triumphant": { + "CHS": "成功的;得意洋洋的;狂欢的", + "ENG": "having gained a victory or success" + }, + "robe": { + "CHS": "穿长袍" + }, + "work": { + "CHS": "使工作;操作;经营;使缓慢前进", + "ENG": "to do the activities and duties that are part of your job" + }, + "reminder": { + "CHS": "暗示;提醒的人/物;催单", + "ENG": "something, for example a letter, that reminds you to do something which you might have forgotten" + }, + "wrinkle": { + "CHS": "起皱", + "ENG": "if you wrinkle a part of your face, or if it wrinkles, small lines appear on it" + }, + "anthem": { + "CHS": "唱圣歌庆祝;唱赞歌" + }, + "ore": { + "CHS": "矿;矿石", + "ENG": "rock or earth from which metal can be obtained" + }, + "mature": { + "CHS": "成熟;到期", + "ENG": "to become fully grown or developed" + }, + "involve": { + "CHS": "包含;牵涉;使陷于;潜心于", + "ENG": "if an activity or situation involves something, that thing is part of it or a result of it" + }, + "jolly": { + "CHS": "(Jolly)人名;(法)若利;(英、印)乔利;(德)约利" + }, + "embroidery": { + "CHS": "刺绣;刺绣品;粉饰", + "ENG": "a pattern sewn onto cloth, or cloth with patterns sewn onto it" + }, + "superior": { + "CHS": "上级,长官;优胜者,高手;长者", + "ENG": "someone who has a higher rank or position than you, especially in a job" + }, + "stopper": { + "CHS": "用塞子塞住" + }, + "affair": { + "CHS": "事情;事务;私事;(尤指关系不长久的)风流韵事", + "ENG": "public or political events and activities" + }, + "shrill": { + "CHS": "尖叫声" + }, + "fraternity": { + "CHS": "友爱;兄弟会;互助会;大学生联谊会", + "ENG": "a club at an American college or university that has only male members" + }, + "ether": { + "CHS": "乙醚;[有化] 以太;苍天;天空醚", + "ENG": "a clear liquid used in the past as an anaesthetic to make people sleep before an operation" + }, + "absorb": { + "CHS": "吸收;吸引;承受;理解;使…全神贯注", + "ENG": "to take in liquid, gas, or another substance from the surface or space around something" + }, + "valid": { + "CHS": "有效的;有根据的;合法的;正当的", + "ENG": "a valid ticket, document, or agreement is legally or officially acceptable" + }, + "heavyweight": { + "CHS": "重量级的;特别厚重的" + }, + "fleece": { + "CHS": "剪下羊毛;欺诈,剥削", + "ENG": "If you fleece someone, you get a lot of money from them by tricking them or charging them too much" + }, + "minor": { + "CHS": "副修" + }, + "entail": { + "CHS": "引起;需要;继承" + }, + "cavalry": { + "CHS": "骑兵;装甲兵;装甲部队", + "ENG": "the part of an army that fights on horses, especially in the past" + }, + "display": { + "CHS": "展览的;陈列用的" + }, + "diesel": { + "CHS": "内燃机传动的;供内燃机用的" + }, + "suffix": { + "CHS": "后缀;下标", + "ENG": "a letter or letters added to the end of a word to form a new word, such as ‘ness’ in ‘kindness’ or ‘ly’ in ‘suddenly’" + }, + "glimpse": { + "CHS": "瞥见", + "ENG": "to see someone or something for a moment without getting a complete view of them" + }, + "prophet": { + "CHS": "先知;预言者;提倡者", + "ENG": "a man who people in the Christian, Jewish, or Muslim religion believe has been sent by God to lead them and teach them their religion" + }, + "allot": { + "CHS": "(Allot)人名;(英)阿洛特;(西)阿略特;(法)阿洛" + }, + "marked": { + "CHS": "表示(mark的过去分词);作记号;打分数" + }, + "defendant": { + "CHS": "被告", + "ENG": "the person in a court of law who has been accused of doing something illegal" + }, + "preface": { + "CHS": "为…加序言;以…开始", + "ENG": "If you preface an action or speech with something else, you do or say this other thing first" + }, + "compose": { + "CHS": "构成;写作;使平静;排…的版", + "ENG": "to write a piece of music" + }, + "probe": { + "CHS": "调查;探测", + "ENG": "to ask questions in order to find things out, especially things that other people do not want you to know" + }, + "deceased": { + "CHS": "死亡(decease的过去式)" + }, + "plateau": { + "CHS": "高原印第安人的" + }, + "outlaw": { + "CHS": "宣布…为不合法;将…放逐;剥夺…的法律保护", + "ENG": "When something is outlawed, it is made illegal" + }, + "commonwealth": { + "CHS": "联邦;共和国;国民整体", + "ENG": "The commonwealth is an organization consisting of the United Kingdom and most of the countries that were previously under its rule" + }, + "ridge": { + "CHS": "使成脊状;作垄" + }, + "result": { + "CHS": "结果;导致;产生", + "ENG": "if something results from something else, it is caused by it" + }, + "bladder": { + "CHS": "膀胱;囊状物,可充气的囊袋", + "ENG": "the organ in your body that holds urine (= waste liquid ) until it is passed out of your body" + }, + "manifold": { + "CHS": "多种;复印本" + }, + "starch": { + "CHS": "给…上浆", + "ENG": "to make cloth stiff, using starch" + }, + "sleigh": { + "CHS": "雪橇", + "ENG": "a large open vehicle with no wheels that is used for travelling over snow and is pulled along by animals" + }, + "dispense": { + "CHS": "分配,分发;免除;执行", + "ENG": "to give something to people, especially in fixed amounts" + }, + "wit": { + "CHS": "<古>知道;即", + "ENG": "that is to say; namely (used to introduce statements, as in legal documents) " + }, + "flyover": { + "CHS": "天桥;立交桥;立交马路", + "ENG": "a bridge that takes one road over another road" + }, + "disfavour": { + "CHS": "不赞成;不喜欢", + "ENG": "a feeling of dislike and disapproval" + }, + "robin": { + "CHS": "知更鸟", + "ENG": "a small European bird with a red breast and brown back" + }, + "growl": { + "CHS": "咆哮声;吠声;不平", + "ENG": "Growl is also a noun" + }, + "backup": { + "CHS": "做备份" + }, + "underclass": { + "CHS": "下层阶级,下层社会;一、二年级学生", + "ENG": "the lowest social class, consisting of people who are very poor and who are not likely to be able to improve their situation" + }, + "vessel": { + "CHS": "船,舰;[组织] 脉管,血管;容器,器皿", + "ENG": "a ship or large boat" + }, + "speed": { + "CHS": "速度,速率;迅速,快速;昌盛,繁荣", + "ENG": "the rate at which something moves or travels" + }, + "pedal": { + "CHS": "脚的;脚踏的", + "ENG": "of or relating to the foot or feet " + }, + "compound": { + "CHS": "合成;混合;恶化,加重;和解,妥协", + "ENG": "to make a difficult situation worse by adding more problems" + }, + "ransom": { + "CHS": "赎金;赎身,赎回", + "ENG": "an amount of money that is paid to free someone who is held as a prisoner" + }, + "roughly": { + "CHS": "粗糙地;概略地", + "ENG": "not exactly" + }, + "raisin": { + "CHS": "葡萄干", + "ENG": "a dried grape " + }, + "somehow": { + "CHS": "以某种方法;莫名其妙地" + }, + "artistic": { + "CHS": "艺术的;风雅的;有美感的", + "ENG": "relating to art or culture" + }, + "mode": { + "CHS": "模式;方式;风格;时尚", + "ENG": "a particular way or style of behaving, living or doing something" + }, + "trustworthy": { + "CHS": "可靠的;可信赖的", + "ENG": "able to be trusted and depended on" + }, + "bid": { + "CHS": "出价;叫牌;努力争取", + "ENG": "an offer to pay a particular price for something, especially at an auction " + }, + "bristle": { + "CHS": "发怒;竖起", + "ENG": "to behave in a way that shows you are very angry or annoyed" + }, + "crush": { + "CHS": "粉碎;迷恋;压榨;拥挤的人群", + "ENG": "a crowd of people pressed so close together that it is difficult for them to move" + }, + "learning": { + "CHS": "学习(learn的现在分词)" + }, + "sieve": { + "CHS": "筛;滤", + "ENG": "to put flour or other food through a sieve" + }, + "commercial": { + "CHS": "商业广告", + "ENG": "an advertisement on television or radio" + }, + "eccentric": { + "CHS": "古怪的人", + "ENG": "someone who behaves in a way that is different from what is usual or socially accepted" + }, + "agreeable": { + "CHS": "令人愉快的;适合的;和蔼可亲的", + "ENG": "pleasant" + }, + "Gypsy": { + "CHS": "流浪" + }, + "mischievous": { + "CHS": "淘气的;(人、行为等)恶作剧的;有害的", + "ENG": "someone who is mischievous likes to have fun, especially by playing tricks on people or doing things to annoy or embarrass them" + }, + "dishwasher": { + "CHS": "洗碗工;洗碟机", + "ENG": "a machine that washes dishes" + }, + "flick": { + "CHS": "弹开;快速的轻打;轻打声", + "ENG": "a short quick sudden movement or hit with a part of your body, whip etc" + }, + "plump": { + "CHS": "扑通声", + "ENG": "a heavy abrupt fall or the sound of this " + }, + "bony": { + "CHS": "(Bony)人名;(法)博尼" + }, + "clash": { + "CHS": "冲突,抵触;砰地相碰撞,发出铿锵声", + "ENG": "if two armies, groups etc clash, they start fighting – used in news reports" + }, + "upright": { + "CHS": "垂直;竖立", + "ENG": "a long piece of wood or metal that stands straight up and supports something" + }, + "flatter": { + "CHS": "奉承;谄媚;使高兴", + "ENG": "to praise someone in order to please them or get something from them, even though you do not mean it" + }, + "tragedy": { + "CHS": "悲剧;灾难;惨案", + "ENG": "a very sad event, that shocks people because it involves death" + }, + "turn": { + "CHS": "转弯;变化;(损害或有益于别人的)行为,举动,举止", + "ENG": "a sudden or unexpected change that makes a situation develop in a different way" + }, + "governor": { + "CHS": "主管人员;统治者,管理者;[自] 调节器;地方长官", + "ENG": "the person in charge of an institution" + }, + "adhere": { + "CHS": "坚持;依附;粘着;追随", + "ENG": "to stick firmly to something" + }, + "shockproof": { + "CHS": "防震的;防电击的", + "ENG": "a watch, machine etc that is shockproof is designed so that it is not easily damaged if it is dropped or hit" + }, + "Danish": { + "CHS": "丹麦语", + "ENG": "the language used in Denmark" + }, + "seaward": { + "CHS": "临海位置;朝海方向" + }, + "ornament": { + "CHS": "装饰,修饰", + "ENG": "to be decorated with something" + }, + "veranda": { + "CHS": "走廊,游廊;阳台", + "ENG": "an open area with a floor and a roof that is attached to the side of a house at ground level" + }, + "thrive": { + "CHS": "繁荣,兴旺;茁壮成长", + "ENG": "to become very successful or very strong and healthy" + }, + "shareholder": { + "CHS": "股东;股票持有人", + "ENG": "someone who owns shares in a company or business" + }, + "consul": { + "CHS": "领事;(古罗马的)两执政官之一", + "ENG": "a government official sent to live in a foreign city to help people from his or her own country who are living or staying there" + }, + "eradication": { + "CHS": "消灭,扑灭;根除" + }, + "cosy": { + "CHS": "保温罩", + "ENG": "a covering for a teapot that keeps the tea inside from getting cold too quickly" + }, + "advanced": { + "CHS": "前进;增加;上涨(advance的过去式和过去分词形式)" + }, + "designer": { + "CHS": "由设计师专门设计的;享有盛名的;赶时髦的", + "ENG": "made by a well-known and fashionable designer" + }, + "politburo": { + "CHS": "(共产党中央委员会的)政治局;类似政治局的决策控制机构", + "ENG": "the most important decision-making committee of a Communist party or Communist government" + }, + "contemptuous": { + "CHS": "轻蔑的;侮辱的", + "ENG": "showing that you think someone or something deserves no respect" + }, + "infer": { + "CHS": "推断;推论", + "ENG": "to form an opinion that something is probably true because of information that you have" + }, + "metric": { + "CHS": "度量标准" + }, + "overcrowd": { + "CHS": "使过度拥挤;把…塞得过满", + "ENG": "to fill (a room, vehicle, city, etc) with more people or things than is desirable " + }, + "defy": { + "CHS": "挑战;对抗" + }, + "strive": { + "CHS": "努力;奋斗;抗争", + "ENG": "to make a great effort to achieve something" + }, + "marsh": { + "CHS": "沼泽的;生长在沼泽地的" + }, + "torture": { + "CHS": "折磨;拷问;歪曲", + "ENG": "an act of deliberately hurting someone in order to force them to tell you something, to punish them, or to be cruel" + }, + "inclusive": { + "CHS": "包括的,包含的", + "ENG": "an inclusive price or cost includes everything" + }, + "grime": { + "CHS": "使污秽;使…弄脏" + }, + "fatherland": { + "CHS": "祖国", + "ENG": "the place where someone or their family was born" + }, + "cynical": { + "CHS": "愤世嫉俗的;冷嘲的", + "ENG": "unwilling to believe that people have good, honest, or sincere reasons for doing something" + }, + "ace": { + "CHS": "太棒了;太好了" + }, + "untiring": { + "CHS": "不知疲倦的;不屈不挠的;坚持不懈的", + "ENG": "working very hard for a long period of time in order to do something – used to show approval" + }, + "knock": { + "CHS": "敲;敲打;爆震声", + "ENG": "the sound of something hard hitting a hard surface" + }, + "dependence": { + "CHS": "依赖;依靠;信任;信赖", + "ENG": "when you depend on the help and support of someone or something else in order to exist or be successful" + }, + "vendor": { + "CHS": "卖主;小贩;供应商;[贸易] 自动售货机", + "ENG": "someone who sells things, especially on the street" + }, + "decrease": { + "CHS": "减少,减小", + "ENG": "to become less or go down to a lower level, or to make something do this" + }, + "divide": { + "CHS": "[地理] 分水岭,分水线", + "ENG": "a line of high ground between two river systems" + }, + "function": { + "CHS": "运行;活动;行使职责", + "ENG": "If a machine or system is functioning, it is working or operating" + }, + "symphony": { + "CHS": "交响乐;谐声,和声", + "ENG": "a long piece of music usually in four parts, written for an orchestra " + }, + "joint": { + "CHS": "连接,贴合;接合;使有接头" + }, + "gulf": { + "CHS": "吞没" + }, + "smoked": { + "CHS": "用烟处理(smoke的过去分词)" + }, + "jug": { + "CHS": "关押;放入壶中" + }, + "ruby": { + "CHS": "使带红宝石色" + }, + "sheriff": { + "CHS": "州长;郡治安官;执行吏" + }, + "snapshot": { + "CHS": "拍快照" + }, + "saint": { + "CHS": "成为圣徒" + }, + "deficient": { + "CHS": "不足的;有缺陷的;不充分的", + "ENG": "not containing or having enough of something" + }, + "free": { + "CHS": "(Free)人名;(英)弗里" + }, + "reveal": { + "CHS": "揭露;暴露;门侧,窗侧" + }, + "reproduce": { + "CHS": "复制;再生;生殖;使…在脑海中重现", + "ENG": "if an animal or plant reproduces, or reproduces itself, it produces young plants or animals" + }, + "allege": { + "CHS": "宣称,断言;提出…作为理由", + "ENG": "to say that something is true or that someone has done something wrong, although it has not been proved" + }, + "foe": { + "CHS": "敌人;反对者;危害物", + "ENG": "an enemy" + }, + "peculiar": { + "CHS": "特权;特有财产" + }, + "disgust": { + "CHS": "使厌恶;使作呕", + "ENG": "To disgust someone means to make them feel a strong sense of dislike and disapproval" + }, + "provision": { + "CHS": "供给…食物及必需品", + "ENG": "to provide someone or something with a lot of food and supplies, especially for a journey" + }, + "controversial": { + "CHS": "有争议的;有争论的", + "ENG": "causing a lot of disagreement, because many people have strong opinions about the subject being discussed" + }, + "calf": { + "CHS": "[解剖] 腓肠,小腿;小牛;小牛皮;(鲸等大哺乳动物的)幼崽", + "ENG": "the part of the back of your leg between your knee and your ankle " + }, + "clamour": { + "CHS": "喧闹", + "ENG": "a very loud noise made by a large group of people or animals" + }, + "numeral": { + "CHS": "数字的;表示数字的" + }, + "federation": { + "CHS": "联合;联邦;联盟;联邦政府", + "ENG": "a group of organizations, clubs, or people that have joined together to form a single group" + }, + "witness": { + "CHS": "目击;证明;为…作证", + "ENG": "to see something happen, especially a crime or accident" + }, + "storey": { + "CHS": "[建] 楼层;叠架的一层", + "ENG": "a floor or level of a building" + }, + "foyer": { + "CHS": "门厅,休息室;大厅", + "ENG": "a room or hall at the entrance to a public building" + }, + "spawn": { + "CHS": "产卵;酿成,造成;大量生产", + "ENG": "to make a series of things happen or start to exist" + }, + "rustic": { + "CHS": "乡下人;乡巴佬", + "ENG": "someone from the country, especially a farm worker" + }, + "Jupiter": { + "CHS": "[天] 木星;朱庇特(罗马神话中的宙斯神)", + "ENG": "the planet that is fifth in order from the sun and is the largest in the solar system" + }, + "blacken": { + "CHS": "(Blacken)人名;(英)布莱肯" + }, + "latent": { + "CHS": "潜在的;潜伏的;隐藏的", + "ENG": "something that is latent is present but hidden, and may develop or become more noticeable in the future" + }, + "discourse": { + "CHS": "演说;谈论;讲述" + }, + "Christianity": { + "CHS": "基督教;基督教精神,基督教教义", + "ENG": "the religion based on the life and beliefs of Jesus Christ" + }, + "worthy": { + "CHS": "杰出人物;知名人士", + "ENG": "someone who is important and should be respected" + }, + "stitch": { + "CHS": "缝,缝合", + "ENG": "to sew two pieces of cloth together, or to sew a decoration onto a piece of cloth" + }, + "motel": { + "CHS": "汽车旅馆", + "ENG": "a hotel for people who are travelling by car, where you can park your car outside your room" + }, + "outrageous": { + "CHS": "粗暴的;可恶的;令人吃惊的", + "ENG": "If you describe something as outrageous, you are emphasizing that it is unacceptable or very shocking" + }, + "levy": { + "CHS": "征收(税等);征集(兵等)", + "ENG": "to officially say that people must pay a tax or charge" + }, + "hoof": { + "CHS": "蹄;人的脚", + "ENG": "the hard foot of an animal such as a horse, cow etc" + }, + "intrude": { + "CHS": "把…强加;把…硬挤" + }, + "murmur": { + "CHS": "低声说;私下抱怨;发出轻柔持续的声音", + "ENG": "to make a soft low sound" + }, + "expressway": { + "CHS": "(美)高速公路", + "ENG": "a wide road in a city on which cars can travel very quickly without stopping" + }, + "budget": { + "CHS": "廉价的", + "ENG": "very low in price – often used in advertisements" + }, + "annul": { + "CHS": "取消;废除;宣告无效", + "ENG": "to officially state that a marriage or legal agreement no longer exists" + }, + "tag": { + "CHS": "尾随,紧随;连接;起浑名;添饰" + }, + "replace": { + "CHS": "取代,代替;替换,更换;归还,偿还;把…放回原处", + "ENG": "to start doing something instead of another person, or start being used instead of another thing" + }, + "sheet": { + "CHS": "片状的" + }, + "elapse": { + "CHS": "流逝;时间的过去" + }, + "queer": { + "CHS": "同性恋者;怪人;伪造的货币", + "ENG": "an offensive word for a homosexual person, especially a man. Do not use this word." + }, + "tuberculosis": { + "CHS": "肺结核;结核病", + "ENG": "a serious infectious disease that affects many parts of your body, especially your lungs" + }, + "insight": { + "CHS": "洞察力;洞悉", + "ENG": "the ability to understand and realize what people or situations are really like" + }, + "shovel": { + "CHS": "铲除;用铲挖;把…胡乱塞入", + "ENG": "to lift and move earth, stones etc with a shovel" + }, + "thoroughfare": { + "CHS": "大道,通路", + "ENG": "the main road through a place such as a city or village" + }, + "indicative": { + "CHS": "陈述语气;陈述语气的动词形式", + "ENG": "the form of a verb that is used to make statements. For example, in the sentences ‘Penny passed her test’, and ‘Michael likes cake’, the verbs ‘passed’ and ‘likes’ are in the indicative." + }, + "avalanche": { + "CHS": "雪崩" + }, + "adjacent": { + "CHS": "邻近的,毗连的", + "ENG": "a room, building, piece of land etc that is adjacent to something is next to it" + }, + "platinum": { + "CHS": "唱片集已售出100万张的" + }, + "opposition": { + "CHS": "反对;反对派;在野党;敌对", + "ENG": "strong disagreement with, or protest against, something such as a plan, law, or system" + }, + "shudder": { + "CHS": "发抖;战栗" + }, + "beg": { + "CHS": "(Beg)人名;(德、塞、巴基)贝格" + }, + "tan": { + "CHS": "黄褐色的;鞣皮的", + "ENG": "having a light yellowish-brown colour" + }, + "delinquency": { + "CHS": "行为不良,违法犯罪;失职,怠工", + "ENG": "illegal or immoral behaviour or actions, especially by young people" + }, + "eyelid": { + "CHS": "[解剖] 眼睑;眼皮", + "ENG": "a piece of skin that covers your eye when it is closed" + }, + "optimal": { + "CHS": "最佳的;最理想的", + "ENG": "the best or most suitable" + }, + "cylinder": { + "CHS": "圆筒;汽缸;[数] 柱面;圆柱状物", + "ENG": "a shape, object, or container with circular ends and long straight sides" + }, + "previous": { + "CHS": "在先;在…以前" + }, + "clip": { + "CHS": "剪;剪掉;缩短;给…剪毛(或发)用别针别在某物上,用夹子夹在某物上", + "ENG": "to cut small amounts of something in order to make it tidier" + }, + "lioness": { + "CHS": "母狮子;雌狮", + "ENG": "a female lion" + }, + "compartment": { + "CHS": "分隔;划分" + }, + "stainless": { + "CHS": "不锈的;纯洁的,未被玷污的;无瑕疵的", + "ENG": "resistant to discoloration, esp discoloration resulting from corrosion; rust-resistant " + }, + "dumb": { + "CHS": "哑的,无说话能力的;不说话的,无声音的", + "ENG": "unable to speak, because you are angry, surprised, shocked etc" + }, + "gorgeous": { + "CHS": "华丽的,灿烂的;极好的" + }, + "enthusiasm": { + "CHS": "热心,热忱,热情", + "ENG": "a strong feeling of interest and enjoyment about something and an eagerness to be involved in it" + }, + "esteem": { + "CHS": "尊重;尊敬", + "ENG": "a feeling of respect for someone, or a good opinion of someone" + }, + "fragrance": { + "CHS": "香味,芬芳", + "ENG": "a pleasant smell" + }, + "moving": { + "CHS": "移动(move的ing形式)" + }, + "histogram": { + "CHS": "[统计] 直方图;柱状图", + "ENG": "a bar chart " + }, + "council": { + "CHS": "委员会;会议;理事会;地方议会;顾问班子", + "ENG": "a group of people that are chosen to make rules, laws, or decisions, or to give advice" + }, + "acute": { + "CHS": "严重的,[医] 急性的;敏锐的;激烈的;尖声的", + "ENG": "an acute problem is very serious" + }, + "contrast": { + "CHS": "对比;差别;对照物", + "ENG": "a difference between people, ideas, situations, things etc that are being compared" + }, + "transportation": { + "CHS": "运输;运输系统;运输工具;流放", + "ENG": "a system or method for carrying passengers or goods from one place to another" + }, + "affirm": { + "CHS": "肯定;断言", + "ENG": "to state publicly that something is true" + }, + "vicar": { + "CHS": "教区牧师,教堂牧师;传教牧师;代理人", + "ENG": "a priest in the Church of England who is in charge of a church in a particular area" + }, + "swear": { + "CHS": "宣誓;诅咒" + }, + "seam": { + "CHS": "缝合;接合;使留下伤痕" + }, + "quiet": { + "CHS": "使平息;安慰" + }, + "comparable": { + "CHS": "可比较的;比得上的", + "ENG": "similar to something else in size, number, quality etc, so that you can make a comparison" + }, + "ignorance": { + "CHS": "无知,愚昧;不知,不懂", + "ENG": "lack of knowledge or information about something" + }, + "remarkable": { + "CHS": "卓越的;非凡的;值得注意的", + "ENG": "unusual or surprising and therefore deserving attention or praise" + }, + "atomic": { + "CHS": "原子的,原子能的;微粒子的", + "ENG": "relating to the energy produced by splitting atoms or the weapons that use this energy" + }, + "ostrich": { + "CHS": "鸵鸟;鸵鸟般的人", + "ENG": "a large African bird with long legs, that runs very quickly but cannot fly" + }, + "cultural": { + "CHS": "文化的;教养的", + "ENG": "belonging or relating to a particular society and its way of life" + }, + "disregard": { + "CHS": "忽视;不尊重", + "ENG": "when someone ignores something that they should not ignore" + }, + "area": { + "CHS": "区域,地区;面积;范围", + "ENG": "a particular part of a country, town etc" + }, + "taper": { + "CHS": "逐渐减少;逐渐变弱", + "ENG": "If something tapers, or if you taper it, it becomes gradually thinner at one end" + }, + "confirm": { + "CHS": "确认;确定;证实;批准;使巩固", + "ENG": "to show that something is definitely true, especially by providing more proof" + }, + "oily": { + "CHS": "油的;油质的;油滑的;油腔滑调的", + "ENG": "covered with oil" + }, + "chill": { + "CHS": "冷冻,冷藏;使寒心;使感到冷", + "ENG": "if you chill something such as food or drink, or if it chills, it becomes very cold but does not freeze" + }, + "guerrilla": { + "CHS": "游击战;游击队", + "ENG": "a member of a small unofficial military group that fights in small groups" + }, + "peninsula": { + "CHS": "半岛", + "ENG": "a piece of land almost completely surrounded by water but joined to a large area of land" + }, + "cunning": { + "CHS": "狡猾", + "ENG": "the ability to achieve what you want by deceiving people in a clever way" + }, + "clause": { + "CHS": "条款;[计] 子句", + "ENG": "a part of a written law or legal document covering a particular subject of the whole law or document" + }, + "treble": { + "CHS": "变成三倍", + "ENG": "to become three times as big in amount, size, or number, or to make something increase in this way" + }, + "scan": { + "CHS": "扫描;浏览;审视;细看", + "ENG": "a medical test in which a special machine produces a picture of something inside your body" + }, + "fury": { + "CHS": "狂怒;暴怒;激怒者", + "ENG": "extreme, often uncontrolled anger" + }, + "depreciation": { + "CHS": "折旧;贬值", + "ENG": "a reduction in the value or price of something" + }, + "leak": { + "CHS": "使渗漏,泄露", + "ENG": "if a container, pipe, roof etc leaks, or if it leaks gas, liquid etc, there is a small hole or crack in it that lets gas or liquid flow through" + }, + "admiral": { + "CHS": "海军上将;舰队司令;旗舰", + "ENG": "a high rank in the British or US navy, or someone with this rank" + }, + "stumble": { + "CHS": "绊倒;蹒跚而行" + }, + "target": { + "CHS": "把……作为目标;规定……的指标;瞄准某物", + "ENG": "to make something have an effect on a particular limited group or area" + }, + "artery": { + "CHS": "动脉;干道;主流", + "ENG": "one of the tubes that carries blood from your heart to the rest of your body" + }, + "complete": { + "CHS": "完成", + "ENG": "to finish doing or making something, especially when it has taken a long time" + }, + "opportunity": { + "CHS": "时机,机会", + "ENG": "a chance to do something or an occasion when it is easy for you to do something" + }, + "grandstand": { + "CHS": "看台上的" + }, + "memoir": { + "CHS": "回忆录;研究报告;自传;实录", + "ENG": "a book by someone important and famous in which they write about their life and experiences" + }, + "amber": { + "CHS": "使呈琥珀色" + }, + "offence": { + "CHS": "犯罪;违反;过错;攻击", + "ENG": "an illegal action or a crime" + }, + "quit": { + "CHS": "摆脱了…的;已经了结的" + }, + "etc": { + "CHS": "等等,及其他" + }, + "truism": { + "CHS": "自明之理;老生常谈;老套;众所周知;真实性", + "ENG": "a statement that is clearly true, so that there is no need to say it" + }, + "icy": { + "CHS": "冰冷的;冷淡的;结满冰的", + "ENG": "extremely cold" + }, + "rehearsal": { + "CHS": "排演;预演;练习;训练;叙述", + "ENG": "a time when all the people in a play, concert etc practise before a public performance" + }, + "machinery": { + "CHS": "机械;机器;机构;机械装置", + "ENG": "You can use machinery to refer to machines in general, or machines that are used in a factory or on a farm" + }, + "abuse": { + "CHS": "滥用;虐待;辱骂", + "ENG": "to treat someone in a cruel and violent way, often sexually" + }, + "grudge": { + "CHS": "怨恨;恶意;妒忌", + "ENG": "a feeling of dislike for someone because you cannot forget that they harmed you in the past" + }, + "skate": { + "CHS": "溜冰;冰鞋", + "ENG": "one of a pair of boots with metal blades on the bottom, for moving quickly on ice" + }, + "waterfall": { + "CHS": "瀑布;瀑布似的东西", + "ENG": "a place where water from a river or stream falls down over a cliff or rock" + }, + "corporate": { + "CHS": "法人的;共同的,全体的;社团的;公司的;企业的", + "ENG": "belonging to or relating to a corporation" + }, + "sumo": { + "CHS": "(日)相扑", + "ENG": "a Japanese form of wrestling , done by men who are very large" + }, + "involved": { + "CHS": "涉及;使参与;包含(involve的过去式和过去分词)" + }, + "merge": { + "CHS": "(Merge)人名;(意)梅尔杰" + }, + "chair": { + "CHS": "担任(会议的)主席;使…入座;使就任要职", + "ENG": "to be the chairperson of a meeting or committee" + }, + "restless": { + "CHS": "焦躁不安的;不安宁的;得不到满足的", + "ENG": "unwilling to keep still or stay where you are, especially because you are nervous or bored" + }, + "outset": { + "CHS": "开始;开端", + "ENG": "at or from the beginning of an event or process" + }, + "stride": { + "CHS": "跨过;大踏步走过;跨坐在…", + "ENG": "If you stride somewhere, you walk there with quick, long steps" + }, + "royal": { + "CHS": "王室;王室成员", + "ENG": "a member of a royal family" + }, + "tell": { + "CHS": "(Tell)人名;(英、德、瑞典)特尔;(罗、意)泰尔;(阿拉伯)塔勒" + }, + "contest": { + "CHS": "竞赛;争夺;争论", + "ENG": "a competition or a situation in which two or more people or groups are competing with each other" + }, + "spill": { + "CHS": "溢出,溅出;溢出量;摔下;小塞子", + "ENG": "when you spill something, or an amount of something that is spilled" + }, + "enrich": { + "CHS": "(Enrich)人名;(西)恩里奇" + }, + "ultimate": { + "CHS": "终极;根本;基本原则" + }, + "overthrow": { + "CHS": "推翻;打倒;倾覆", + "ENG": "to remove a leader or government from power, especially by force" + }, + "resume": { + "CHS": "重新开始,继续;恢复,重新占用", + "ENG": "to start doing something again after stopping or being interrupted" + }, + "pillowcase": { + "CHS": "枕头套(等于pillow slip)", + "ENG": "a cloth cover for a pillow" + }, + "gulp": { + "CHS": "一大口(尤指液体);吞咽", + "ENG": "a large amount of something that you swallow quickly, or the action of swallowing" + }, + "shilling": { + "CHS": "先令", + "ENG": "an old British coin or unit of money. There were 20 shillings in one pound." + }, + "stud": { + "CHS": "种马的;为配种而饲养的" + }, + "plum": { + "CHS": "人所希望的;有利的;上等的" + }, + "individual": { + "CHS": "个人,个体", + "ENG": "a person, considered separately from the rest of the group or society that they live in" + }, + "mansion": { + "CHS": "大厦;宅邸", + "ENG": "a very large house" + }, + "literacy": { + "CHS": "读写能力;精通文学", + "ENG": "the state of being able to read and write" + }, + "grammatical": { + "CHS": "文法的;符合语法规则的", + "ENG": "concerning grammar" + }, + "futile": { + "CHS": "无用的;无效的;没有出息的;琐细的;不重要的", + "ENG": "actions that are futile are useless because they have no chance of being successful" + }, + "diverse": { + "CHS": "不同的;多种多样的;变化多的", + "ENG": "If a group of things is diverse, it is made up of a wide variety of things" + }, + "rigid": { + "CHS": "严格的;僵硬的,死板的;坚硬的;精确的", + "ENG": "rigid methods, systems etc are very strict and difficult to change" + }, + "doctrine": { + "CHS": "主义;学说;教义;信条", + "ENG": "a set of beliefs that form an important part of a religion or system of ideas" + }, + "circumstance": { + "CHS": "环境,情况;事件;境遇", + "ENG": "the conditions that affect a situation, action, event etc" + }, + "brew": { + "CHS": "啤酒;质地", + "ENG": "beer, or a can or glass of beer" + }, + "checkpoint": { + "CHS": "检查站,关卡", + "ENG": "a place, especially on a border, where an official person examines vehicles or people" + }, + "deposit": { + "CHS": "使沉积;存放", + "ENG": "to put something down in a particular place" + }, + "leftovers": { + "CHS": "遗留;剩余物;吃剩的食物(leftover的复数形式)", + "ENG": "You can refer to food that has not been eaten after a meal as leftovers" + }, + "correspondence": { + "CHS": "通信;一致;相当", + "ENG": "the process of sending and receiving letters" + }, + "faithful": { + "CHS": "(Faithful)人名;(英)费思富尔" + }, + "untimely": { + "CHS": "不合时宜地;过早地" + }, + "plead": { + "CHS": "借口;为辩护;托称", + "ENG": "to give a particular excuse for your actions" + }, + "conifer": { + "CHS": "针叶树;[植] 松柏科植物", + "ENG": "a tree such as a pine or fir that has leaves like needles and produces brown cones that contain seeds. Most types of conifer keep their leaves in winter." + }, + "resistant": { + "CHS": "抵抗者" + }, + "oats": { + "CHS": "燕麦;燕麦片(oat的复数);燕麦粥", + "ENG": "the grain from which flour or oatmeal is made and that is used in cooking, or in food for animals" + }, + "vintage": { + "CHS": "采葡萄" + }, + "sweetheart": { + "CHS": "私下签订的;私下达成的" + }, + "dough": { + "CHS": "生面团;金钱", + "ENG": "a mixture of flour and water ready to be baked into bread, pastry etc" + }, + "realistic": { + "CHS": "现实的;现实主义的;逼真的;实在论的", + "ENG": "judging and dealing with situations in a practical way according to what is actually possible rather than what you would like to happen" + }, + "magnesium": { + "CHS": "[化学] 镁", + "ENG": "Magnesium is a light, silvery white metal which burns with a bright white flame" + }, + "boom": { + "CHS": "繁荣;吊杆;隆隆声", + "ENG": "a quick increase of business activity" + }, + "greatly": { + "CHS": "很,大大地;非常", + "ENG": "extremely or very much" + }, + "profound": { + "CHS": "深厚的;意义深远的;渊博的", + "ENG": "having a strong influence or effect" + }, + "option": { + "CHS": "[计] 选项;选择权;买卖的特权", + "ENG": "a choice you can make in a particular situation" + }, + "redevelopment": { + "CHS": "再开发;重点恢复", + "ENG": "the act of redeveloping an area, especially in a city" + }, + "cockroach": { + "CHS": "[昆] 蟑螂", + "ENG": "a large black or brown insect that lives in dirty houses, especially if they are warm and there is food to eat" + }, + "impact": { + "CHS": "挤入,压紧;撞击;对…产生影响", + "ENG": "to have an important or noticeable effect on someone or something" + }, + "inconsiderable": { + "CHS": "不足取的;不值得考虑的;琐屑的" + }, + "appointee": { + "CHS": "被任命者", + "ENG": "An appointee is someone who has been chosen for a particular job or position of responsibility" + }, + "obstruct": { + "CHS": "妨碍;阻塞;遮断", + "ENG": "to block a road, passage etc" + }, + "eradicate": { + "CHS": "根除,根绝;消灭", + "ENG": "to completely get rid of something such as a disease or a social problem" + }, + "infant": { + "CHS": "婴儿的;幼稚的;初期的;未成年的", + "ENG": "intended for babies or very young children" + }, + "distribute": { + "CHS": "分配;散布;分开;把…分类", + "ENG": "to share things among a group of people, especially in a planned way" + }, + "vibrant": { + "CHS": "(Vibrant)人名;(德)维布兰特" + }, + "fraction": { + "CHS": "分数;部分;小部分;稍微", + "ENG": "a part of a whole number in mathematics, such as ½ or ¾" + }, + "gleam": { + "CHS": "闪烁;隐约地闪现", + "ENG": "to shine softly" + }, + "dart": { + "CHS": "飞镖,标枪;急驰,飞奔;(虫的)螯;飞快的移动", + "ENG": "a small pointed object that is thrown or shot as a weapon, or one that is thrown in the game of darts" + }, + "trolley": { + "CHS": "用手推车运" + }, + "massive": { + "CHS": "大量的;巨大的,厚重的;魁伟的", + "ENG": "very large, solid, and heavy" + }, + "rim": { + "CHS": "作…的边,装边于", + "ENG": "to be around the edge of something" + }, + "funfair": { + "CHS": "游乐场;游艺集市", + "ENG": "a noisy outdoor event where you can ride on machines, play games to win prizes etc" + }, + "recognition": { + "CHS": "识别;承认,认出;重视;赞誉;公认", + "ENG": "the act of realizing and accepting that something is true or important" + }, + "unashamed": { + "CHS": "无耻的;恬不知耻的;问心无愧的", + "ENG": "not feeling embarrassed or ashamed about something that people might disapprove of" + }, + "discrepancy": { + "CHS": "不符;矛盾;相差", + "ENG": "a difference between two amounts, details, reports etc that should be the same" + }, + "salon": { + "CHS": "沙龙;客厅;画廊;美术展览馆", + "ENG": "a room in a very large house, where people can meet and talk" + }, + "cider": { + "CHS": "苹果酒;苹果汁", + "ENG": "an alcoholic drink made from apples, or a glass of this drink" + }, + "schoolmistress": { + "CHS": "女教师;女校长", + "ENG": "a female teacher, especially in a private school (= one that parents pay to send their children to ) " + }, + "respectful": { + "CHS": "恭敬的;有礼貌的", + "ENG": "feeling or showing respect" + }, + "support": { + "CHS": "支持,维持;支援,供养;支持者,支撑物", + "ENG": "approval, encouragement, and perhaps help for a person, idea, plan etc" + }, + "cement": { + "CHS": "水泥;接合剂", + "ENG": "a grey powder made from lime and clay that becomes hard when it is mixed with water and allowed to dry, and that is used in building" + }, + "cord": { + "CHS": "用绳子捆绑" + }, + "limousine": { + "CHS": "豪华轿车;大型豪华轿车", + "ENG": "a very large, expensive, and comfortable car, driven by someone who is paid to drive" + }, + "neutral": { + "CHS": "中立国;中立者;非彩色;齿轮的空档", + "ENG": "a country, person, or group that is not involved in an argument or disagreement" + }, + "linear": { + "CHS": "线的,线型的;直线的,线状的;长度的", + "ENG": "consisting of lines, or in the form of a straight line" + }, + "further": { + "CHS": "促进,助长;增进", + "ENG": "If you further something, you help it to progress, to be successful, or to be achieved" + }, + "disciple": { + "CHS": "门徒,信徒;弟子", + "ENG": "someone who believes in the ideas of a great teacher or leader, especially a religious one" + }, + "efficient": { + "CHS": "有效率的;有能力的;生效的", + "ENG": "if someone or something is efficient, they work well without wasting time, money, or energy" + }, + "startling": { + "CHS": "令人吃惊的", + "ENG": "very unusual or surprising" + }, + "sponge": { + "CHS": "海绵;海绵状物", + "ENG": "a piece of a soft natural or artificial substance full of small holes, which can suck up liquid and is used for washing" + }, + "selfish": { + "CHS": "自私的;利己主义的", + "ENG": "caring only about yourself and not about other people – used to show disapproval" + }, + "revolve": { + "CHS": "旋转;循环;旋转舞台" + }, + "squat": { + "CHS": "蹲着的;矮胖的", + "ENG": "short and thick or low and wide, especially in a way which is not attractive" + }, + "contaminate": { + "CHS": "污染,弄脏", + "ENG": "to make a place or substance dirty or harmful by putting something such as chemicals or poison in it" + }, + "whim": { + "CHS": "奇想;一时的兴致;怪念头;幻想", + "ENG": "a sudden feeling that you would like to do or have something, especially when there is no important or good reason" + }, + "unjust": { + "CHS": "不公平的,不公正的;非正义的", + "ENG": "not fair or reasonable" + }, + "trickle": { + "CHS": "滴,淌;细流", + "ENG": "a thin slow flow of liquid" + }, + "stoop": { + "CHS": "弯腰,屈背;屈服", + "ENG": "if you have a stoop, your shoulders are bent forward" + }, + "underside": { + "CHS": "下面;阴暗面", + "ENG": "The underside of something is the part of it which normally faces towards the ground" + }, + "finished": { + "CHS": "完成;结束;毁掉(finish的过去分词形式)" + }, + "closely": { + "CHS": "紧密地;接近地;严密地;亲近地", + "ENG": "very carefully" + }, + "alcohol": { + "CHS": "酒精,乙醇", + "ENG": "drinks such as beer or wine that contain a substance which can make you drunk" + }, + "memorise": { + "CHS": "(英)记忆;存储(等于memorize)" + }, + "secureness": { + "CHS": "停止工作" + }, + "thumb": { + "CHS": "拇指", + "ENG": "the part of your hand that is shaped like a thick short finger and helps you to hold things" + }, + "antiseptic": { + "CHS": "防腐剂,抗菌剂", + "ENG": "a medicine that you put onto a wound to stop it from becoming infected" + }, + "beforehand": { + "CHS": "提前的;预先准备好的" + }, + "poultry": { + "CHS": "家禽", + "ENG": "birds such as chickens and ducks that are kept on farms in order to produce eggs and meat" + }, + "inflate": { + "CHS": "使充气;使通货膨胀", + "ENG": "to fill something with air or gas so it becomes larger, or to become filled with air or gas" + }, + "majesty": { + "CHS": "威严;最高权威,王权;雄伟;权威", + "ENG": "the quality that something big has of being impressive, powerful, or beautiful" + }, + "protection": { + "CHS": "保护;防卫;护照", + "ENG": "when someone or something is protected" + }, + "freezer": { + "CHS": "冰箱;冷冻库;制冷工", + "ENG": "a large piece of electrical kitchen equipment in which food can be stored at very low temperatures for a long time" + }, + "bestow": { + "CHS": "使用;授予;放置;留宿", + "ENG": "to give someone something of great value or importance" + }, + "dodge": { + "CHS": "躲避,避开", + "ENG": "to move quickly to avoid someone or something" + }, + "monk": { + "CHS": "僧侣,修道士;和尚", + "ENG": "a member of an all-male religious group that lives apart from other people in a monastery " + }, + "assault": { + "CHS": "攻击;袭击", + "ENG": "to attack someone in a violent way" + }, + "duplicate": { + "CHS": "复制的;二重的", + "ENG": "exactly the same as something, or made as an exact copy of something" + }, + "sausage": { + "CHS": "香肠;腊肠;装香肠的碎肉", + "ENG": "a small tube of skin filled with a mixture of meat, spices etc, eaten hot or cold after it has been cooked" + }, + "perplex": { + "CHS": "使困惑,使为难;使复杂化", + "ENG": "if something perplexes you, it makes you feel confused and worried because it is difficult to understand" + }, + "entrant": { + "CHS": "进入者;新会员;参加竞赛者;新工作者", + "ENG": "someone who takes part in a competition" + }, + "amongst": { + "CHS": "在…之中;在…当中(等于among)" + }, + "sanity": { + "CHS": "明智;头脑清楚;精神健全;通情达理", + "ENG": "the condition of being mentally healthy" + }, + "antiquity": { + "CHS": "高龄;古物;古代的遗物", + "ENG": "ancient times" + }, + "cuisine": { + "CHS": "烹饪,烹调法", + "ENG": "a particular style of cooking" + }, + "jeweler": { + "CHS": "珠宝商;宝石匠;钟表匠;钟表商" + }, + "underline": { + "CHS": "下划线;下期节目预告" + }, + "striped": { + "CHS": "被剥去(strip的过去分词)" + }, + "pistol": { + "CHS": "用手枪射击" + }, + "paddock": { + "CHS": "围场;小牧场", + "ENG": "a small field in which horses are kept" + }, + "pledge": { + "CHS": "保证,许诺;用……抵押;举杯祝……健康", + "ENG": "to make a formal, usually public, promise that you will do something" + }, + "trough": { + "CHS": "水槽,水槽;低谷期;饲料槽;低气压", + "ENG": "a long narrow open container that holds water or food for animals" + }, + "tension": { + "CHS": "使紧张;使拉紧" + }, + "haul": { + "CHS": "拖运;拖拉", + "ENG": "to pull something heavy with a continuous steady movement" + }, + "livestock": { + "CHS": "牲畜;家畜", + "ENG": "animals such as cows and sheep that are kept on a farm" + }, + "categorize": { + "CHS": "分类", + "ENG": "to put people or things into groups according to the type of person or thing they are" + }, + "misery": { + "CHS": "痛苦,悲惨;不幸;苦恼;穷困", + "ENG": "great suffering that is caused for example by being very poor or very sick" + }, + "trophy": { + "CHS": "显示身份的;有威望的" + }, + "swerve": { + "CHS": "转向;偏离的程度", + "ENG": "Swerve is also a noun" + }, + "knit": { + "CHS": "编织衣物;编织法" + }, + "stand": { + "CHS": "站立;立场;看台;停止", + "ENG": "a position or opinion that you state firmly and publicly" + }, + "flowerpot": { + "CHS": "花盆;花钵", + "ENG": "a plastic or clay pot in which you grow plants" + }, + "commence": { + "CHS": "开始;着手;<英>获得学位", + "ENG": "to begin or to start something" + }, + "attention": { + "CHS": "注意力;关心;立正!(口令)", + "ENG": "when you carefully listen to, look at, or think about someone or something" + }, + "liquor": { + "CHS": "使喝醉" + }, + "despot": { + "CHS": "专制君主,暴君;独裁者", + "ENG": "someone, especially a ruler, who uses power in a cruel and unfair way" + }, + "roadside": { + "CHS": "路边的;路旁的" + }, + "mug": { + "CHS": "扮鬼脸,做怪相", + "ENG": "to make silly expressions with your face or behave in a silly way, especially for a photograph or in a play" + }, + "mathematician": { + "CHS": "数学家", + "ENG": "someone who studies or teaches mathematics, or is a specialist in mathematics" + }, + "confident": { + "CHS": "自信的;确信的", + "ENG": "sure that something will happen in the way that you want or expect" + }, + "ration": { + "CHS": "定量;口粮;配给量", + "ENG": "a fixed amount of something that people are allowed to have when there is not enough, for example during a war" + }, + "encyclopaedia": { + "CHS": "百科全书" + }, + "ecology": { + "CHS": "生态学;社会生态学", + "ENG": "the way in which plants, animals, and people are related to each other and to their environment, or the scientific study of this" + }, + "vocation": { + "CHS": "职业;天职;天命;神召", + "ENG": "a strong belief that you have been chosen by God to be a priest or a nun" + }, + "cadet": { + "CHS": "幼子,次子;实习生;候补军官;陆海军官学校的学员", + "ENG": "someone who is training to be an officer in the army, navy, air force , or police" + }, + "feast": { + "CHS": "筵席,宴会;节日", + "ENG": "a large meal where a lot of people celebrate a special occasion" + }, + "patent": { + "CHS": "专利权;执照;专利品", + "ENG": "a special document that gives you the right to make or sell a new invention or product that no one else is allowed to copy" + }, + "barometre": { + "CHS": "气压表;晴雨表" + }, + "renovate": { + "CHS": "更新;修复;革新;刷新", + "ENG": "to repair a building or old furniture so that it is in good condition again" + }, + "ammeter": { + "CHS": "[电] 安培计;[电] 电流计", + "ENG": "a piece of equipment used to measure the strength of an electric current" + }, + "pottery": { + "CHS": "陶器;陶器厂;陶器制造术", + "ENG": "objects made out of baked clay" + }, + "moor": { + "CHS": "沼泽;荒野", + "ENG": "a wild open area of high land, covered with rough grass or low bushes and heather , that is not farmed because the soil is not good enough" + }, + "distinguish": { + "CHS": "区分;辨别;使杰出,使表现突出", + "ENG": "to recognize and understand the difference between two or more things or people" + }, + "chatter": { + "CHS": "唠叨;饶舌;(动物的)啁啾声;潺潺流水声", + "ENG": "talk, especially about things that are not serious or important" + }, + "beat": { + "CHS": "筋疲力尽的;疲惫不堪的" + }, + "hexagon": { + "CHS": "成六角的;成六边的" + }, + "exceed": { + "CHS": "超过;胜过", + "ENG": "to be more than a particular number or amount" + }, + "Celsius": { + "CHS": "摄氏度", + "ENG": "a scale of temperature in which water freezes at 0˚ and boils at 100˚" + }, + "appalling": { + "CHS": "使惊愕;惊吓(appal的ing形式)" + }, + "trailer": { + "CHS": "用拖车载运" + }, + "flatten": { + "CHS": "(Flatten)人名;(德)弗拉滕" + }, + "vein": { + "CHS": "使成脉络;象脉络般分布于" + }, + "beggar": { + "CHS": "使贫穷;使沦为乞丐", + "ENG": "to make someone very poor" + }, + "peppermint": { + "CHS": "薄荷;薄荷油;胡椒薄荷;薄荷糖(等于mint)", + "ENG": "a plant with a strong taste and smell, often used in sweets" + }, + "ironic": { + "CHS": "讽刺的;反话的", + "ENG": "an ironic situation is one that is unusual or amusing because something strange happens, or the opposite of what is expected happens or is true" + }, + "punch": { + "CHS": "开洞;以拳重击", + "ENG": "to hit someone or something hard with your fist (= closed hand ) " + }, + "synthetic": { + "CHS": "合成物" + }, + "incentive": { + "CHS": "激励的;刺激的" + }, + "yarn": { + "CHS": "用纱线缠" + }, + "eyesore": { + "CHS": "眼中钉;难看的东西", + "ENG": "something that is very ugly, especially a building surrounded by other things that are not ugly" + }, + "alongside": { + "CHS": "在……旁边" + }, + "myth": { + "CHS": "神话;虚构的人,虚构的事", + "ENG": "an ancient story, especially one invented in order to explain natural or historical events" + }, + "cobweb": { + "CHS": "使布满蛛网;使混乱" + }, + "phoenix": { + "CHS": "凤凰;死而复生的人", + "ENG": "a magic bird that is born from a fire, according to ancient stories" + }, + "venture": { + "CHS": "企业;风险;冒险", + "ENG": "a new business activity that involves taking risks" + }, + "capitalism": { + "CHS": "资本主义", + "ENG": "an economic and political system in which businesses belong mostly to private owners, not to the government" + }, + "err": { + "CHS": "犯错;做错;犯罪;走上歧途", + "ENG": "to be more careful or safe than is necessary, in order to make sure that nothing bad happens" + }, + "millennium": { + "CHS": "千年期,千禧年;一千年,千年纪念;太平盛世,黄金时代", + "ENG": "a period of 1,000 years" + }, + "yacht": { + "CHS": "游艇,快艇;轻舟", + "ENG": "a large boat with a sail, used for pleasure or sport, especially one that has a place where you can sleep" + }, + "bloom": { + "CHS": "使开花;使茂盛", + "ENG": "if a plant or a flower blooms, its flowers appear or open" + }, + "layer": { + "CHS": "把…分层堆放;借助压条法;生根繁殖;将(头发)剪成不同层次", + "ENG": "to make a layer of something or put something down in layers" + }, + "ramp": { + "CHS": "蔓延;狂跳乱撞;敲诈" + }, + "board": { + "CHS": "上(飞机、车、船等);用板盖上;给提供膳宿", + "ENG": "to get on a bus, plane, train etc in order to travel somewhere" + }, + "innkeeper": { + "CHS": "客栈老板;旅馆主人", + "ENG": "someone who owns or manages an inn" + }, + "access": { + "CHS": "进入;使用权;通路", + "ENG": "the right to enter a place, use something, see someone etc" + }, + "polar": { + "CHS": "极面;极线" + }, + "ram": { + "CHS": "撞击;填塞;强迫通过或接受", + "ENG": "to run or drive into something very hard" + }, + "clench": { + "CHS": "紧抓;敲环脚" + }, + "cable": { + "CHS": "打电报", + "ENG": "to send someone a telegram " + }, + "watercolor": { + "CHS": "水彩的,水彩画的" + }, + "misty": { + "CHS": "(Misty)人名;(英)米斯蒂,米丝蒂(女名);(法)米斯蒂" + }, + "angel": { + "CHS": "出钱支持" + }, + "accuse": { + "CHS": "控告,指控;谴责;归咎于", + "ENG": "to say that you believe someone is guilty of a crime or of doing something bad" + }, + "funnel": { + "CHS": "通过漏斗或烟囱等;使成漏斗形" + }, + "tradesman": { + "CHS": "商人;(英)店主;零售商;手艺人", + "ENG": "someone who buys and sells goods or services, especially in a shop" + }, + "swan": { + "CHS": "游荡,闲荡" + }, + "worthless": { + "CHS": "无价值的;不值钱的;卑微的", + "ENG": "something that is worthless has no value, importance, or use" + }, + "hippopotamus": { + "CHS": "[脊椎] 河马", + "ENG": "a large grey African animal with a big head and mouth that lives near water" + }, + "stocking": { + "CHS": "长袜", + "ENG": "a thin close-fitting piece of clothing that covers a woman’s leg and foot" + }, + "realize": { + "CHS": "实现;认识到;了解;将某物卖得,把(证券等)变成现钱;变卖", + "ENG": "to know and understand something, or suddenly begin to understand it" + }, + "amend": { + "CHS": "(Amend)人名;(德、英)阿门德" + }, + "friction": { + "CHS": "摩擦,[力] 摩擦力", + "ENG": "disagreement, angry feelings, or unfriendliness between people" + }, + "lap": { + "CHS": "使重叠;拍打;包围", + "ENG": "if water laps something or laps against something such as the shore or a boat, it moves against it or hits it in small waves" + }, + "prick": { + "CHS": "竖起的" + }, + "hence": { + "CHS": "因此;今后", + "ENG": "for this reason" + }, + "abolish": { + "CHS": "废除,废止;取消,革除", + "ENG": "to officially end a law, system etc, especially one that has existed for a long time" + }, + "satchel": { + "CHS": "书包;小背包", + "ENG": "a leather bag that you carry over your shoulder, used especially in the past by children for carrying books to school" + }, + "lb": { + "CHS": "救生船(Lifeboat)" + }, + "fatigue": { + "CHS": "疲劳的" + }, + "loosen": { + "CHS": "(Loosen)人名;(德)洛森" + }, + "seat": { + "CHS": "使…坐下;可容纳…的;使就职", + "ENG": "If you seat yourself somewhere, you sit down" + }, + "displeasure": { + "CHS": "不愉快;不满意;悲伤", + "ENG": "Someone's displeasure is a feeling of annoyance that they have about something that has happened" + }, + "grant": { + "CHS": "拨款;[法] 授予物", + "ENG": "an amount of money given to someone, especially by the government, for a particular purpose" + }, + "heading": { + "CHS": "用头顶(head的ing形式)" + }, + "tolerate": { + "CHS": "忍受;默许;宽恕", + "ENG": "to allow people to do, say, or believe something without criticizing or punishing them" + }, + "oversea": { + "CHS": "国外;向国外,向海外" + }, + "premise": { + "CHS": "前提;上述各项;房屋连地基", + "ENG": "the buildings and land that a shop, restaurant, company etc uses" + }, + "clarity": { + "CHS": "清楚,明晰;透明", + "ENG": "the clarity of a piece of writing, law, argument etc is its quality of being expressed clearly" + }, + "unforgettable": { + "CHS": "难忘的", + "ENG": "an unforgettable experience, sight etc affects you so strongly that you will never forget it, especially because it is particularly good or beautiful" + }, + "imagination": { + "CHS": "[心理] 想象力;空想;幻想物", + "ENG": "the ability to form pictures or ideas in your mind" + }, + "patrol": { + "CHS": "巡逻;巡查", + "ENG": "to go around the different parts of an area or building at regular times to check that there is no trouble or danger" + }, + "aeronautics": { + "CHS": "航空学;飞行术", + "ENG": "the science of designing and flying planes" + }, + "inject": { + "CHS": "注入;注射", + "ENG": "to put liquid, especially a drug, into someone’s body by using a special needle" + }, + "petition": { + "CHS": "请愿;请求", + "ENG": "to ask the government or an organization to do something by sending them a petition" + }, + "debt": { + "CHS": "债务;借款;罪过", + "ENG": "a sum of money that a person or organization owes" + }, + "veteran": { + "CHS": "经验丰富的;老兵的" + }, + "elliptical": { + "CHS": "椭圆的;省略的", + "ENG": "having the shape of an ellipse" + }, + "terrace": { + "CHS": "(女服)叠层式的" + }, + "supreme": { + "CHS": "至高;霸权" + }, + "depict": { + "CHS": "描述;描画", + "ENG": "to describe something or someone in writing or speech, or to show them in a painting, picture etc" + }, + "abridge": { + "CHS": "删节;缩短;节略", + "ENG": "to reduce the length of (a written work) by condensing or rewriting " + }, + "vaccine": { + "CHS": "疫苗的;牛痘的" + }, + "versus": { + "CHS": "对;与相对;对抗", + "ENG": "used to show that two people or teams are competing against each other in a game or court case" + }, + "catch": { + "CHS": "捕捉;捕获物;窗钩" + }, + "sanction": { + "CHS": "制裁,处罚;批准;鼓励", + "ENG": "to officially accept or allow something" + }, + "revenge": { + "CHS": "报复;替…报仇;洗雪", + "ENG": "to punish someone who has done something to harm you or someone else" + }, + "garlic": { + "CHS": "大蒜;蒜头", + "ENG": "a plant like a small onion, used in cooking to give a strong taste" + }, + "junk": { + "CHS": "垃圾,废物;舢板", + "ENG": "old or unwanted objects that have no use or value" + }, + "ingenious": { + "CHS": "有独创性的;机灵的,精制的;心灵手巧的", + "ENG": "an ingenious plan, idea, or object works well and is the result of clever thinking and new ideas" + }, + "gull": { + "CHS": "骗;欺诈", + "ENG": "to fool, cheat, or hoax " + }, + "victim": { + "CHS": "受害人;牺牲品;牺牲者", + "ENG": "someone who has been attacked, robbed, or murdered" + }, + "suicide": { + "CHS": "自杀" + }, + "sweep": { + "CHS": "打扫,扫除;范围;全胜", + "ENG": "the act of cleaning a room with a long-handled brush" + }, + "Cantonese": { + "CHS": "广州的,广州人的", + "ENG": "Cantonese means belonging or relating to the city of Canton or Guangdong province" + }, + "thrust": { + "CHS": "插;插入;推挤", + "ENG": "If you thrust your way somewhere, you move there, pushing between people or things which are in your way" + }, + "latitude": { + "CHS": "纬度;界限;活动范围", + "ENG": "the distance north or south of the equator(= the imaginary line around the middle of the world ), measured in degrees" + }, + "comprehension": { + "CHS": "理解;包含", + "ENG": "the ability to understand something" + }, + "wax": { + "CHS": "蜡制的;似蜡的" + }, + "gnaw": { + "CHS": "咬;折磨;侵蚀", + "ENG": "to keep biting something hard" + }, + "arrogance": { + "CHS": "自大;傲慢态度", + "ENG": "when someone behaves in a rude way because they think they are very important" + }, + "orphan": { + "CHS": "使成孤儿", + "ENG": "to become an orphan" + }, + "apologetic": { + "CHS": "道歉的;赔罪的", + "ENG": "showing or saying that you are sorry that something has happened, especially because you feel guilty or embarrassed about it" + }, + "gist": { + "CHS": "主旨,要点;依据", + "ENG": "the main idea and meaning of what someone has said or written" + }, + "publication": { + "CHS": "出版;出版物;发表", + "ENG": "The publication of a book or magazine is the act of printing it and sending it to stores to be sold" + }, + "lottery": { + "CHS": "彩票;碰运气的事,难算计的事;抽彩给奖法", + "ENG": "a game used to make money for a state or a charity in which people buy tickets with a series of numbers on them. If their number is picked by chance, they win money or a prize." + }, + "sheer": { + "CHS": "偏航;透明薄织物" + }, + "greyhound": { + "CHS": "灰狗(一种猎犬);快速船", + "ENG": "In the United States, a Greyhound or a Greyhound bus is a bus that travels between towns or cities rather than within a particular town or city" + }, + "grief": { + "CHS": "悲痛;忧伤;不幸", + "ENG": "extreme sadness, especially because someone you love has died" + }, + "apparatus": { + "CHS": "装置,设备;仪器;器官", + "ENG": "the set of tools and machines that you use for a particular scientific, medical, or technical purpose" + }, + "resemble": { + "CHS": "类似,像", + "ENG": "to look like or be similar to someone or something" + }, + "purchase": { + "CHS": "购买;赢得", + "ENG": "to buy something" + }, + "controversy": { + "CHS": "争论;论战;辩论", + "ENG": "a serious argument about something that involves many people and continues for a long time" + }, + "giggle": { + "CHS": "吃吃的笑", + "ENG": "Giggle is also a noun" + }, + "confidentially": { + "CHS": "秘密地;作为心腹话地", + "ENG": "Confidentially is used to say that what you are telling someone is a secret and should not be discussed with anyone else" + }, + "signal": { + "CHS": "显著的;作为信号的" + }, + "brooch": { + "CHS": "(女用的)胸针,领针", + "ENG": "a piece of jewellery that you fasten to your clothes, usually worn by women" + }, + "latest": { + "CHS": "最新的,最近的;最迟的,最后的", + "ENG": "the most recent or the newest" + }, + "amazing": { + "CHS": "使吃惊(amaze的ing形式)" + }, + "diligence": { + "CHS": "勤奋,勤勉;注意的程度" + }, + "mobility": { + "CHS": "移动性;机动性;[电子] 迁移率", + "ENG": "the ability to move easily from one job, area, or social class to another" + }, + "crab": { + "CHS": "抱怨;破坏;使偏航" + }, + "affection": { + "CHS": "喜爱,感情;影响;感染", + "ENG": "a feeling of liking or love and caring" + }, + "pretext": { + "CHS": "以…为借口" + }, + "order": { + "CHS": "命令;整理;定购", + "ENG": "to tell someone that they must do something, especially using your official power or authority" + }, + "moss": { + "CHS": "使长满苔藓" + }, + "dissent": { + "CHS": "异议;(大写)不信奉国教", + "ENG": "refusal to agree with an official decision or accepted opinion" + }, + "opponent": { + "CHS": "对立的;敌对的" + }, + "stag": { + "CHS": "不带女伴参加晚会" + }, + "scrap": { + "CHS": "废弃的;零碎的", + "ENG": "Scrap metal or paper is no longer wanted for its original purpose, but may have some other use" + }, + "locate": { + "CHS": "位于;查找…的地点", + "ENG": "to find the exact position of something" + }, + "dense": { + "CHS": "稠密的;浓厚的;愚钝的", + "ENG": "made of or containing a lot of things or people that are very close together" + }, + "kitten": { + "CHS": "产小猫" + }, + "digestion": { + "CHS": "消化;领悟", + "ENG": "the process of digesting food" + }, + "lightly": { + "CHS": "轻轻地;轻松地;容易地;不费力地", + "ENG": "with only a small amount of weight or force" + }, + "sever": { + "CHS": "(Sever)人名;(俄)谢韦尔;(捷、塞、意、西、土、瑞典、罗)塞韦尔;(英)塞弗;(德)泽弗" + }, + "biochemistry": { + "CHS": "生物化学", + "ENG": "the scientific study of the chemistry of living things" + }, + "event": { + "CHS": "事件,大事;项目;结果", + "ENG": "something that happens, especially something important, interesting or unusual" + }, + "folly": { + "CHS": "愚蠢;荒唐事;讽刺剧", + "ENG": "a very stupid thing to do, especially one that is likely to have serious results" + }, + "dissatisfaction": { + "CHS": "不满;令人不满的事物", + "ENG": "a feeling of not being satisfied" + }, + "uncover": { + "CHS": "发现;揭开;揭露", + "ENG": "to find out about something that has been kept secret" + }, + "loaf": { + "CHS": "游荡;游手好闲;虚度光阴", + "ENG": "to spend time somewhere and not do very much" + }, + "behavior": { + "CHS": "行为,举止;态度;反应" + }, + "understandable": { + "CHS": "可以理解的;可以了解的", + "ENG": "understandable behaviour, reactions etc seem normal and reasonable because of the situation you are in" + }, + "warning": { + "CHS": "警告(warn的ing形式)" + }, + "gather": { + "CHS": "聚集;衣褶;收获量", + "ENG": "a small fold produced by pulling cloth together" + }, + "hug": { + "CHS": "拥抱;紧抱;固执", + "ENG": "the action of putting your arms around someone and holding them tightly to show love or friendship" + }, + "owl": { + "CHS": "猫头鹰;枭;惯于晚上活动的人", + "ENG": "a bird with large eyes that hunts at night" + }, + "severely": { + "CHS": "严重地;严格地,严厉地;纯朴地", + "ENG": "very badly or to a great degree" + }, + "emotional": { + "CHS": "情绪的;易激动的;感动人的", + "ENG": "relating to your feelings or how you control them" + }, + "careful": { + "CHS": "仔细的,小心的", + "ENG": "used to tell someone to think about what they are doing so that something bad does not happen" + }, + "submit": { + "CHS": "使服从;主张;呈递", + "ENG": "to give a plan, piece of writing etc to someone in authority for them to consider or approve" + }, + "mighty": { + "CHS": "有势力的人" + }, + "idea": { + "CHS": "想法;主意;概念", + "ENG": "a plan or suggestion for a possible course of action, especially one that you think of suddenly" + }, + "antibiotic": { + "CHS": "抗生素,抗菌素", + "ENG": "a drug that is used to kill bacteria and cure infections" + }, + "volcano": { + "CHS": "火山", + "ENG": "a mountain with a large hole at the top, through which lava(= very hot liquid rock ) is sometimes forced out" + }, + "region": { + "CHS": "地区;范围;部位", + "ENG": "a large area of a country or of the world, usually without exact limits" + }, + "playful": { + "CHS": "开玩笑的;幽默的;爱嬉戏的", + "ENG": "very active, happy, and wanting to have fun" + }, + "temperate": { + "CHS": "温和的;适度的;有节制的", + "ENG": "behaviour that is temperate is calm and sensible" + }, + "unpack": { + "CHS": "卸下…;解除…的负担" + }, + "advisable": { + "CHS": "明智的,可取的,适当的", + "ENG": "something that is advisable should be done in order to avoid problems or risks" + }, + "hound": { + "CHS": "猎犬;卑劣的人", + "ENG": "a dog that is fast and has a good sense of smell, used for hunting" + }, + "resonance": { + "CHS": "[力] 共振;共鸣;反响", + "ENG": "the special meaning or importance that something has for you because it relates to your own experiences" + }, + "stray": { + "CHS": "走失的家畜;流浪者", + "ENG": "an animal that is lost or has no home" + }, + "shrub": { + "CHS": "灌木;灌木丛", + "ENG": "a small bush with several woody stems" + }, + "overnight": { + "CHS": "过一夜" + }, + "horn": { + "CHS": "装角于" + }, + "lecturer": { + "CHS": "讲师,演讲者", + "ENG": "someone who gives lectures, especially in a university" + }, + "pictorial": { + "CHS": "画报;画刊" + }, + "innocent": { + "CHS": "天真的人;笨蛋", + "ENG": "An innocent is someone who is innocent" + }, + "stationery": { + "CHS": "文具;信纸", + "ENG": "paper for writing letters, usually with matching envelopes" + }, + "decline": { + "CHS": "下降;衰落;谢绝", + "ENG": "to say no politely when someone invites you somewhere, offers you something, or wants you to do something" + }, + "chunk": { + "CHS": "大块;矮胖的人或物", + "ENG": "a large thick piece of something that does not have an even shape" + }, + "tissue": { + "CHS": "饰以薄纱;用化妆纸揩去" + }, + "troublemaker": { + "CHS": "捣乱者,闹事者;惹麻烦的人", + "ENG": "If you refer to someone as a troublemaker, you mean that they cause unpleasantness, quarrels, or fights, especially by encouraging people to oppose authority" + }, + "groan": { + "CHS": "呻吟;叹息;吱嘎声", + "ENG": "a long deep sound that you make when you are in pain or do not want to do something" + }, + "most": { + "CHS": "大部分,大多数", + "ENG": "nearly all of the people or things in a group, or nearly all of something" + }, + "association": { + "CHS": "协会,联盟,社团;联合;联想", + "ENG": "an organization that consists of a group of people who have the same aims, do the same kind of work etc" + }, + "blaze": { + "CHS": "火焰,烈火;光辉;情感爆发", + "ENG": "very bright light or colour" + }, + "crusade": { + "CHS": "加入十字军;从事改革运动", + "ENG": "to take part in a crusade" + }, + "scorpion": { + "CHS": "蝎子;蝎尾鞭;心黑的人", + "ENG": "a tropical animal like an insect, with a curving tail and a poisonous sting" + }, + "thriller": { + "CHS": "惊险小说;使人毛骨悚然的东西;使人毛骨悚然的小说", + "ENG": "a book or film that tells an exciting story about murder or crime" + }, + "disdain": { + "CHS": "鄙弃", + "ENG": "to have no respect for someone or something, because you think they are not important or good enough" + }, + "bonus": { + "CHS": "奖金;红利;额外津贴", + "ENG": "money added to someone’s wages, especially as a reward for good work" + }, + "setback": { + "CHS": "挫折;退步;逆流", + "ENG": "a problem that delays or prevents progress, or makes things worse than they were" + }, + "isolate": { + "CHS": "隔离的;孤立的" + }, + "unanimous": { + "CHS": "全体一致的;意见一致的;无异议的", + "ENG": "a unanimous decision, vote, agreement etc is one in which all the people involved agree" + }, + "whereas": { + "CHS": "然而;鉴于;反之", + "ENG": "used at the beginning of an official document to mean ‘because of a particular fact’" + }, + "leisure": { + "CHS": "空闲的;有闲的;业余的" + }, + "scroll": { + "CHS": "成卷形" + }, + "industrial": { + "CHS": "工业股票;工业工人" + }, + "statute": { + "CHS": "[法] 法规;法令;条例", + "ENG": "a law passed by a parliament, council etc and formally written down" + }, + "move": { + "CHS": "移动;搬家,迁移;离开", + "ENG": "to change from one place or position to another, or to make something do this" + }, + "redeem": { + "CHS": "赎回;挽回;兑换;履行;补偿;恢复", + "ENG": "to make something less bad" + }, + "Christ": { + "CHS": "天啊!" + }, + "whip": { + "CHS": "鞭子;抽打;车夫;[机] 搅拌器", + "ENG": "a long thin piece of rope or leather with a handle, that you hit animals with to make them move or that you hit someone with to punish them" + }, + "perpetual": { + "CHS": "永久的;不断的;四季开花的;无期限的", + "ENG": "continuing all the time without changing or stopping" + }, + "overlap": { + "CHS": "部分重叠;部分的同时发生", + "ENG": "If one thing overlaps another, or if you overlap them, a part of the first thing occupies the same area as a part of the other thing. You can also say that two things overlap. " + }, + "tobacconist": { + "CHS": "(主英)烟草商;烟草制品零售商", + "ENG": "someone who has a shop that sells tobacco, cigarettes etc" + }, + "considered": { + "CHS": "经过深思熟虑的;被尊重的", + "ENG": "a considered opinion, reply, judgment etc is one that you have thought about carefully" + }, + "flowchart": { + "CHS": "[工业] 流程图;作业图" + }, + "hasty": { + "CHS": "(Hasty)人名;(英)黑斯蒂" + }, + "enzyme": { + "CHS": "[生化] 酶", + "ENG": "a chemical substance that is produced in a plant or animal, and helps chemical changes to take place in the plant or animal" + }, + "thigh": { + "CHS": "大腿,股", + "ENG": "the top part of your leg, between your knee and your hip " + }, + "absolute": { + "CHS": "绝对;绝对事物", + "ENG": "something that is considered to be true or right in all situations" + }, + "distrust": { + "CHS": "不信任", + "ENG": "a feeling that you cannot trust someone" + }, + "moonlight": { + "CHS": "兼职,夜袭", + "ENG": "to have a second job in addition to your main job, especially without the knowledge of the government tax department" + }, + "unplug": { + "CHS": "去掉…的障碍物;拔去…的塞子或插头", + "ENG": "to disconnect a piece of electrical equipment by pulling its plug out of a socket" + }, + "privilege": { + "CHS": "给与…特权;特免", + "ENG": "to treat some people or things better than others" + }, + "abandon": { + "CHS": "遗弃;放弃", + "ENG": "to leave someone, especially someone you are responsible for" + }, + "humid": { + "CHS": "潮湿的;湿润的;多湿气的", + "ENG": "if the weather is humid, you feel uncomfortable because the air is very wet and usually hot" + }, + "cot": { + "CHS": "简易床;小屋;轻便小床" + }, + "doubtful": { + "CHS": "可疑的;令人生疑的;疑心的;不能确定的", + "ENG": "probably not true or not likely to happen" + }, + "buffalo": { + "CHS": "[畜牧][脊椎] 水牛;[脊椎] 野牛(产于北美);水陆两用坦克", + "ENG": "an African animal similar to a large cow with long curved horns" + }, + "asphalt": { + "CHS": "用柏油铺成的" + }, + "harden": { + "CHS": "(Harden)人名;(英、德、罗、瑞典)哈登;(法)阿尔当" + }, + "warfare": { + "CHS": "战争;冲突", + "ENG": "the activity of fighting in a war – used especially when talking about particular methods of fighting" + }, + "siege": { + "CHS": "围攻;包围" + }, + "Scotch": { + "CHS": "苏格兰人的;苏格兰语的" + }, + "knowledgeable": { + "CHS": "知识渊博的,有知识的;有见识的;聪明的", + "ENG": "knowing a lot" + }, + "herdsman": { + "CHS": "牧人", + "ENG": "a man who looks after a herd of animals" + }, + "smear": { + "CHS": "涂片;诽谤;污点", + "ENG": "a dirty mark made by a small amount of something spread across a surface" + }, + "status": { + "CHS": "地位;状态;情形;重要身份", + "ENG": "the official legal position or condition of a person, group, country etc" + }, + "multinational": { + "CHS": "跨国公司", + "ENG": "a large company that has offices, factories etc in many different countries" + }, + "illogical": { + "CHS": "不合逻辑的;不合常理的", + "ENG": "not sensible or reasonable" + }, + "assess": { + "CHS": "评定;估价;对…征税", + "ENG": "to make a judgment about a person or situation after thinking carefully about it" + }, + "congruent": { + "CHS": "适合的,一致的;全等的;和谐的", + "ENG": "fitting together well" + }, + "beloved": { + "CHS": "心爱的人;亲爱的教友" + }, + "tribunal": { + "CHS": "法庭;裁决;法官席", + "ENG": "a type of court that is given official authority to deal with a particular situation or problem" + }, + "pearl": { + "CHS": "采珍珠;成珍珠状", + "ENG": "to set with or as if with pearls " + }, + "surprising": { + "CHS": "使惊奇;意外发现(surprise的ing形式)" + }, + "nerve": { + "CHS": "鼓起勇气", + "ENG": "to force yourself to be brave enough to do something" + }, + "calligraphy": { + "CHS": "书法;笔迹", + "ENG": "the art of producing beautiful writing using special pens or brushes, or the writing produced this way" + }, + "dolphin": { + "CHS": "海豚", + "ENG": "a very intelligent sea animal like a fish with a long grey pointed nose" + }, + "Satan": { + "CHS": "撒旦(魔鬼)", + "ENG": "the Devil, considered to be the main evil power and God’s opponent" + }, + "syringe": { + "CHS": "注射器;洗涤器", + "ENG": "an instrument for taking blood from someone’s body or putting liquid, drugs etc into it, consisting of a hollow plastic tube and a needle" + }, + "carry": { + "CHS": "运载;[计] 进位;射程", + "ENG": "the distance a ball or bullet travels after it has been thrown, hit, or fired" + }, + "throng": { + "CHS": "拥挤的" + }, + "current": { + "CHS": "(水,气,电)流;趋势;涌流", + "ENG": "a continuous movement of water in a river, lake, or sea" + }, + "kidnap": { + "CHS": "绑架;诱拐;拐骗", + "ENG": "to take someone somewhere illegally by force, often in order to get money for returning them" + }, + "pail": { + "CHS": "桶,提桶", + "ENG": "a metal or wooden container with a handle, used for carrying liquids" + }, + "nasty": { + "CHS": "令人不快的事物" + }, + "strip": { + "CHS": "带;条状;脱衣舞", + "ENG": "a long narrow piece of paper, cloth etc" + }, + "terminate": { + "CHS": "结束的" + }, + "squeeze": { + "CHS": "压榨;紧握;拥挤;佣金", + "ENG": "a situation in which there is only just enough room for things or people to fit somewhere" + }, + "item": { + "CHS": "记下;逐条列出" + }, + "overdo": { + "CHS": "把…做得过分;使过于疲劳;对…表演过火;夸张", + "ENG": "to do something more than is suitable or natural" + }, + "disc": { + "CHS": "灌唱片" + }, + "cluster": { + "CHS": "群聚;丛生" + }, + "glimmer": { + "CHS": "闪烁;发微光", + "ENG": "to shine with a light that is not very bright" + }, + "shiver": { + "CHS": "颤抖;哆嗦;打碎", + "ENG": "to shake slightly because you are cold or frightened" + }, + "inner": { + "CHS": "内部" + }, + "guilty": { + "CHS": "有罪的;内疚的", + "ENG": "feeling very ashamed and sad because you know that you have done something wrong" + }, + "image": { + "CHS": "想象;反映;象征;作…的像" + }, + "referee": { + "CHS": "仲裁;担任裁判", + "ENG": "to be the referee of a game" + }, + "reef": { + "CHS": "收帆;缩帆", + "ENG": "to tie up part of a sail in order to make it smaller" + }, + "smokeless": { + "CHS": "无烟的;不冒烟的", + "ENG": "tobacco that you chew rather than smoke" + }, + "downpour": { + "CHS": "倾盆大雨;注下", + "ENG": "a lot of rain that falls in a short time" + }, + "favourable": { + "CHS": "有利" + }, + "conscience": { + "CHS": "道德心,良心", + "ENG": "the part of your mind that tells you whether what you are doing is morally right or wrong" + }, + "honesty": { + "CHS": "诚实,正直", + "ENG": "the quality of being honest" + }, + "amiss": { + "CHS": "(Amiss)人名;(英)埃米斯" + }, + "deathly": { + "CHS": "死了一样地;非常", + "ENG": "If you say that someone is deathly pale or deathly still, you are emphasizing that they are very pale or still, like a dead person" + }, + "delusion": { + "CHS": "迷惑,欺骗;错觉;幻想", + "ENG": "a false belief about yourself or the situation you are in" + }, + "notify": { + "CHS": "通告,通知;公布", + "ENG": "to formally or officially tell someone about something" + }, + "evil": { + "CHS": "罪恶,邪恶;不幸", + "ENG": "cruel or morally bad behaviour in general" + }, + "doubtless": { + "CHS": "无疑的;确定的" + }, + "workload": { + "CHS": "工作量", + "ENG": "the amount of work that a person or organization has to do" + }, + "threshold": { + "CHS": "入口;门槛;开始;极限;临界值", + "ENG": "the entrance to a room or building, or the area of floor or ground at the entrance" + }, + "armour": { + "CHS": "盔甲;装甲;护面", + "ENG": "metal or leather clothing that protects your body, worn by soldiers in battles in past times" + }, + "depot": { + "CHS": "药性持久的" + }, + "trombone": { + "CHS": "长号,伸缩喇叭", + "ENG": "a large metal musical instrument that you play by blowing into it and sliding a long tube in and out to change the notes" + }, + "hinge": { + "CHS": "用铰链连接;依…为转移;给…安装铰链;(门等)装有蝶铰", + "ENG": "to attach something, using a hinge" + }, + "ideal": { + "CHS": "理想;典范", + "ENG": "a principle about what is morally right or a perfect standard that you hope to achieve" + }, + "duster": { + "CHS": "抹布,掸子;除尘器;打扫灰尘的人", + "ENG": "a cloth for removing dust from furniture" + }, + "windscreen": { + "CHS": "汽车挡风玻璃", + "ENG": "the large window at the front of a car, bus etc" + }, + "preach": { + "CHS": "说教" + }, + "steer": { + "CHS": "阉牛", + "ENG": "a young male cow whose sex organs have been removed" + }, + "lobby": { + "CHS": "对……进行游说", + "ENG": "to try to persuade the government or someone with political power that a law or situation should be changed" + }, + "poll": { + "CHS": "无角的;剪过毛的;修过枝的" + }, + "frugal": { + "CHS": "节俭的;朴素的;花钱少的", + "ENG": "careful to buy only what is necessary" + }, + "reunite": { + "CHS": "使重聚;使再结合;使再联合", + "ENG": "to come together again or to bring people, parts of an organization, political party, or country together again" + }, + "sullen": { + "CHS": "愠怒的,不高兴的;(天气)阴沉的;沉闷的", + "ENG": "angry and silent, especially because you feel life has been unfair to you" + }, + "community": { + "CHS": "社区;[生态] 群落;共同体;团体", + "ENG": "the people who live in the same area, town etc" + }, + "preparation": { + "CHS": "预备;准备", + "ENG": "the process of preparing something or preparing for something" + }, + "eminent": { + "CHS": "杰出的;有名的;明显的", + "ENG": "an eminent person is famous, important, and respected" + }, + "partial": { + "CHS": "局部的;偏爱的;不公平的", + "ENG": "not complete" + }, + "hydroelectric": { + "CHS": "水力发电的;水电治疗的", + "ENG": "using water power to produce electricity" + }, + "protective": { + "CHS": "防护的;关切保护的;保护贸易的", + "ENG": "used or intended for protection" + }, + "groundwork": { + "CHS": "基础;地基,根基", + "ENG": "something that has to happen before an activity or plan can be successful" + }, + "genre": { + "CHS": "风俗画的;以日常情景为主题的" + }, + "compensation": { + "CHS": "补偿;报酬;赔偿金", + "ENG": "money paid to someone because they have suffered injury or loss, or because something they own has been damaged" + }, + "goodwill": { + "CHS": "[贸易] 商誉;友好;好意", + "ENG": "kind feelings towards or between people and a willingness to be helpful" + }, + "insincere": { + "CHS": "不诚实的;虚假的", + "ENG": "pretending to be pleased, sympathetic etc, especially by saying nice things, but not really meaning what you say" + }, + "persimmon": { + "CHS": "柿子;柿子树", + "ENG": "a soft orange-coloured fruit that grows in hot countries" + }, + "grandson": { + "CHS": "孙子;外孙", + "ENG": "the son of your son or daughter" + }, + "tar": { + "CHS": "涂以焦油;玷污", + "ENG": "to coat with tar " + }, + "godfather": { + "CHS": "当…的教父" + }, + "marrow": { + "CHS": "髓,骨髓;精华;活力", + "ENG": "the soft fatty substance in the hollow centre of bones" + }, + "extremely": { + "CHS": "非常,极其;极端地", + "ENG": "to a very great degree" + }, + "compassion": { + "CHS": "同情;怜悯", + "ENG": "a strong feeling of sympathy for someone who is suffering, and a desire to help them" + }, + "arise": { + "CHS": "(Arise)人名;(西)阿里塞;(日)在濑(姓)" + }, + "arena": { + "CHS": "舞台;竞技场", + "ENG": "a building with a large flat central area surrounded by seats, where sports or entertainments take place" + }, + "elm": { + "CHS": "榆树的;榆木的" + }, + "twist": { + "CHS": "扭曲;拧;扭伤", + "ENG": "a twisting action or movement" + }, + "pit": { + "CHS": "使竞争;窖藏;使凹下;去…之核;使留疤痕", + "ENG": "to put small marks or holes in the surface of something" + }, + "glitter": { + "CHS": "闪光;灿烂", + "ENG": "brightness consisting of many flashing points of light" + }, + "stroke": { + "CHS": "(用笔等)画;轻抚;轻挪;敲击;划尾桨;划掉;(打字时)击打键盘", + "ENG": "to move your hand gently over something" + }, + "overgrown": { + "CHS": "生长过度(overgrow的过去分词)" + }, + "creation": { + "CHS": "创造,创作;创作物,产物", + "ENG": "the act of creating something" + }, + "teaspoon": { + "CHS": "茶匙;一茶匙的量", + "ENG": "a small spoon that you use for mixing sugar into tea and coffee" + }, + "countess": { + "CHS": "伯爵夫人;女伯爵", + "ENG": "a woman with the same rank as an earl or a count 2 9 " + }, + "creamy": { + "CHS": "奶油色的;乳脂状的;含乳脂的", + "ENG": "containing cream" + }, + "despite": { + "CHS": "轻视;憎恨;侮辱" + }, + "confuse": { + "CHS": "使混乱;使困惑", + "ENG": "to make someone feel that they cannot think clearly or do not understand" + }, + "manly": { + "CHS": "(Manly)人名;(英)曼利" + }, + "ignore": { + "CHS": "驳回诉讼;忽视;不理睬", + "ENG": "to deliberately pay no attention to something that you have been told or that you know about" + }, + "issue": { + "CHS": "发行,发布;发给;放出,排出", + "ENG": "if an organization or someone in an official position issues something such as documents or equipment, they give these things to people who need them" + }, + "plenary": { + "CHS": "全体会议", + "ENG": "Plenary is also a noun" + }, + "flare": { + "CHS": "加剧,恶化;底部展开;(鼻孔)张开的意思;闪光,闪耀;耀斑;爆发;照明弹" + }, + "poke": { + "CHS": "戳;刺;袋子;懒汉", + "ENG": "to quickly push your fingers, a stick etc into something or someone" + }, + "client": { + "CHS": "[经] 客户;顾客;委托人", + "ENG": "someone who gets services or advice from a professional person, company, or organization" + }, + "hostel": { + "CHS": "旅社,招待所(尤指青年旅社)", + "ENG": "a place where people can stay and eat fairly cheaply" + }, + "hinder": { + "CHS": "(Hinder)人名;(芬)欣德" + }, + "fluid": { + "CHS": "流体;液体", + "ENG": "a liquid" + }, + "dismay": { + "CHS": "使沮丧;使惊慌", + "ENG": "If you are dismayed by something, it makes you feel afraid, worried, or sad" + }, + "idiom": { + "CHS": "成语,习语;土话", + "ENG": "a group of words that has a special meaning that is different from the ordinary meaning of each separate word. For example, ‘under the weather’ is an idiom meaning ‘ill’." + }, + "slate": { + "CHS": "板岩的;石板色的" + }, + "incline": { + "CHS": "倾斜;斜面;斜坡", + "ENG": "a slope" + }, + "cosmetic": { + "CHS": "化妆品;装饰品", + "ENG": "Cosmetics are substances such as lipstick or powder, which people put on their face to make themselves look more attractive" + }, + "defiance": { + "CHS": "蔑视;挑战;反抗", + "ENG": "Defiance is behaviour or an attitude which shows that you are not willing to obey someone" + }, + "showcase": { + "CHS": "使展现;在玻璃橱窗陈列", + "ENG": "If something is showcased, it is displayed or presented to its best advantage" + }, + "attitude": { + "CHS": "态度;看法;意见;姿势", + "ENG": "the opinions and feelings that you usually have about something, especially when this is shown in your behaviour" + }, + "retirement": { + "CHS": "退休,退役", + "ENG": "when you stop working, usually because of your age" + }, + "conceit": { + "CHS": "幻想" + }, + "exclude": { + "CHS": "排除;排斥;拒绝接纳;逐出", + "ENG": "to deliberately not include something" + }, + "don": { + "CHS": "穿上", + "ENG": "to put on a hat, coat etc" + }, + "domino": { + "CHS": "多米诺骨牌;面具;化装外衣", + "ENG": "one of a set of small flat pieces of wood, plastic etc, with different numbers of spots, used for playing a game" + }, + "hermit": { + "CHS": "(尤指宗教原因的)隐士;隐居者", + "ENG": "someone who lives alone and has a simple way of life, usually for religious reasons" + }, + "shampoo": { + "CHS": "洗发", + "ENG": "to wash something with shampoo" + }, + "lettuce": { + "CHS": "[园艺] 生菜;莴苣;(美)纸币", + "ENG": "a round vegetable with thin green leaves eaten raw in salads" + }, + "seasickness": { + "CHS": "晕船" + }, + "tarmac": { + "CHS": "柏油碎石路面;铺有柏油碎石的飞机跑道", + "ENG": "a mixture of tar and very small stones, used for making the surface of roads" + }, + "reverse": { + "CHS": "反面的;颠倒的;反身的", + "ENG": "the back of something" + }, + "barley": { + "CHS": "大麦", + "ENG": "a plant that produces a grain used for making food or alcohol" + }, + "lick": { + "CHS": "舔;打;少许", + "ENG": "when you move your tongue across the surface of something" + }, + "tangible": { + "CHS": "有形资产" + }, + "portion": { + "CHS": "分配;给…嫁妆" + }, + "solar": { + "CHS": "日光浴室" + }, + "gong": { + "CHS": "鸣锣传唤;鸣锣命令驾车者停驶" + }, + "mystery": { + "CHS": "秘密,谜;神秘,神秘的事物;推理小说,推理剧;常作 mysteries 秘技,秘诀", + "ENG": "an event, situation etc that people do not understand or cannot explain because they do not know enough about it" + }, + "glance": { + "CHS": "扫视,匆匆一看;反光;瞥闪,瞥见", + "ENG": "to quickly look at someone or something" + }, + "discard": { + "CHS": "抛弃;被丢弃的东西或人" + }, + "reel": { + "CHS": "蹒跚;眩晕;旋转", + "ENG": "a staggering or swaying motion or sensation " + }, + "hobbyist": { + "CHS": "业余爱好者;沉溺于某嗜好之人", + "ENG": "You can refer to person who is very interested in a particular hobby and spends a lot of time on it as a hobbyist" + }, + "script": { + "CHS": "把…改编为剧本", + "ENG": "The person who scripts a movie or a radio or television play writes it" + }, + "crag": { + "CHS": "峭壁;岩石碎块;颈;嗉囊", + "ENG": "a high and very steep rough rock or mass of rocks" + }, + "reduction": { + "CHS": "减少;下降;缩小;还原反应", + "ENG": "a decrease in the size, price, or amount of something, or the act of decreasing something" + }, + "predominantly": { + "CHS": "主要地;显著地", + "ENG": "mostly or mainly" + }, + "dressing": { + "CHS": "给…穿衣;为…打扮(dress的现在分词)" + }, + "omen": { + "CHS": "预示;有…的前兆;预告" + }, + "flaw": { + "CHS": "使生裂缝,使有裂纹;使无效;使有缺陷", + "ENG": "to make or become blemished, defective, or imperfect " + }, + "porch": { + "CHS": "门廊;走廊", + "ENG": "an entrance covered by a roof outside the front door of a house or church" + }, + "deport": { + "CHS": "(Deport)人名;(捷)德波特;(法)德波尔" + }, + "compute": { + "CHS": "计算;估计;推断" + }, + "claw": { + "CHS": "用爪抓(或挖)", + "ENG": "to tear or pull at something, using claws or your fingers" + }, + "nappy": { + "CHS": "起毛的" + }, + "disable": { + "CHS": "使失去能力;使残废;使无资格", + "ENG": "to make someone unable to use a part of their body properly" + }, + "wick": { + "CHS": "依靠毛细作用带走" + }, + "mosque": { + "CHS": "清真寺", + "ENG": "a building in which Muslims worship" + }, + "patron": { + "CHS": "赞助人;保护人;主顾", + "ENG": "someone who supports the activities of an organization, for example by giving money" + }, + "duty": { + "CHS": "责任;[税收] 关税;职务", + "ENG": "something that you have to do because it is morally or legally right" + }, + "parish": { + "CHS": "教区", + "ENG": "the area that a priest in some Christian churches is responsible for" + }, + "sickle": { + "CHS": "镰刀", + "ENG": "a tool with a blade in the shape of a hook, used for cutting wheat or long grass" + }, + "oblige": { + "CHS": "迫使;强制;赐,施恩惠;责成;义务", + "ENG": "if you are obliged to do something, you have to do it because the situation, the law, a duty etc makes it necessary" + }, + "contract": { + "CHS": "合同;婚约", + "ENG": "an official agreement between two or more people, stating what each will do" + }, + "registration": { + "CHS": "登记;注册;挂号", + "ENG": "the act of recording names and details on an official list" + }, + "recall": { + "CHS": "召回;回忆;撤消", + "ENG": "an official order telling someone to return to a place, especially before they expected to" + }, + "raven": { + "CHS": "掠夺;狼吞虎咽", + "ENG": "to seize or seek (plunder, prey, etc) " + }, + "locomotive": { + "CHS": "机车;火车头", + "ENG": "a railway engine" + }, + "reprint": { + "CHS": "重印;翻版", + "ENG": "an occasion when more copies of a book are printed because all the copies of it have been sold" + }, + "batter": { + "CHS": "猛击;打坏;使向上倾斜", + "ENG": "to hit someone or something many times, in a way that hurts or damages them" + }, + "gaze": { + "CHS": "凝视;注视", + "ENG": "a long steady look" + }, + "statistics": { + "CHS": "统计;统计学;[统计] 统计资料", + "ENG": "quantitative data on any subject, esp data comparing the distribution of some quantity for different subclasses of the population " + }, + "chord": { + "CHS": "弦;和弦;香水的基调", + "ENG": "a combination of several musical notes that are played at the same time and sound pleasant together" + }, + "cooler": { + "CHS": "更冷的(cool的比较级)" + }, + "guillotine": { + "CHS": "于断头台斩首;终止辩论将议案付诸表决", + "ENG": "to cut off someone’s head using a guillotine" + }, + "yawn": { + "CHS": "打哈欠;裂开", + "ENG": "to open your mouth wide and breathe in deeply because you are tired or bored" + }, + "space": { + "CHS": "留间隔" + }, + "twig": { + "CHS": "小枝;嫩枝;末梢", + "ENG": "a small very thin stem of wood that grows from a branch on a tree" + }, + "stateroom": { + "CHS": "政府公寓;特等舱;包房", + "ENG": "a private room or place for sleeping on a ship" + }, + "subdue": { + "CHS": "征服;抑制;减轻", + "ENG": "to defeat or control a person or group, especially using force" + }, + "speedometer": { + "CHS": "速度计;里程计", + "ENG": "an instrument in a vehicle that shows how fast it is going" + }, + "settee": { + "CHS": "有靠背的长椅;中型沙发", + "ENG": "a long comfortable seat with a back and usually with arms, for more than one person to sit on" + }, + "stern": { + "CHS": "严厉的;坚定的", + "ENG": "serious and strict, and showing strong disapproval of someone’s behaviour" + }, + "detriment": { + "CHS": "损害;伤害;损害物", + "ENG": "harm or damage" + }, + "prosecution": { + "CHS": "起诉,检举;进行;经营", + "ENG": "when a charge is made against someone for a crime, or when someone is judged for a crime in a court of law" + }, + "tropical": { + "CHS": "热带的;热情的;酷热的", + "ENG": "coming from or existing in the hottest parts of the world" + }, + "footprint": { + "CHS": "足迹;脚印", + "ENG": "a mark made by a foot or shoe" + }, + "recruit": { + "CHS": "补充;聘用;征募;使…恢复健康" + }, + "thereby": { + "CHS": "从而,因此;在那附近;在那方面", + "ENG": "with the result that something else happens" + }, + "secretarial": { + "CHS": "秘书的;书记的;部长的", + "ENG": "relating to the work of a secretary" + }, + "spa": { + "CHS": "矿泉;温泉浴场;矿泉治疗地", + "ENG": "a place where the water has special minerals in it, and where people go to improve their health by drinking the water or swimming in it" + }, + "benefit": { + "CHS": "有益于,对…有益", + "ENG": "if you benefit from something, or it benefits you, it gives you an advantage, improves your life, or helps you in some way" + }, + "muslim": { + "CHS": "伊斯兰教的", + "ENG": "Muslim means relating to Islam or Muslims" + }, + "Scotsman": { + "CHS": "苏格兰人", + "ENG": "a man from Scotland" + }, + "glisten": { + "CHS": "闪光,闪耀" + }, + "milligramme": { + "CHS": "毫克(等于milligram);公厘" + }, + "flowerbed": { + "CHS": "花圃;花床", + "ENG": "an area of ground, for example in a garden, in which flowers are grown" + }, + "placid": { + "CHS": "平静的;温和的;沉着的", + "ENG": "a placid person does not often get angry or upset and does not usually mind doing what other people want them to" + }, + "frustrate": { + "CHS": "挫败的;无益的" + }, + "equally": { + "CHS": "同样地;相等地,平等地;公平地", + "ENG": "to the same degree or amount" + }, + "willow": { + "CHS": "柳木制的" + }, + "sturdy": { + "CHS": "羊晕倒病" + }, + "consolidate": { + "CHS": "巩固,使固定;联合", + "ENG": "to strengthen the position of power or success that you have, so that it becomes more effective or continues for longer" + }, + "pane": { + "CHS": "装窗玻璃于;镶嵌板于" + }, + "crosscheck": { + "CHS": "交叉核对,反复核对" + }, + "renowned": { + "CHS": "使有声誉(renown的过去分词)" + }, + "invariably": { + "CHS": "总是;不变地;一定地", + "ENG": "if something invariably happens or is invariably true, it always happens or is true" + }, + "baggy": { + "CHS": "袋状的,膨胀的;宽松而下垂的", + "ENG": "baggy clothes are big and do not fit tightly on your body" + }, + "implement": { + "CHS": "工具,器具;手段", + "ENG": "a tool, especially one used for outdoor physical work" + }, + "synonym": { + "CHS": "同义词;同义字", + "ENG": "a word with the same meaning as another word in the same language" + }, + "manual": { + "CHS": "手册,指南", + "ENG": "a book that gives instructions about how to do something, especially how to use a machine" + }, + "splendour": { + "CHS": "显赫(等于splendor);光彩壮丽" + }, + "ammonia": { + "CHS": "[无化] 氨,阿摩尼亚", + "ENG": "a clear liquid with a strong bad smell that is used for cleaning or in cleaning products" + }, + "sample": { + "CHS": "试样的,样品的;作为例子的" + }, + "pizza": { + "CHS": "比萨饼(一种涂有乳酪核番茄酱的意大利式有馅烘饼)", + "ENG": "A pizza is a flat, round piece of dough covered with tomatoes, cheese, and other toppings, and then baked in an oven" + }, + "mould": { + "CHS": "模具;霉", + "ENG": "a hollow container that you pour a liquid or soft substance into, so that when it becomes solid, it takes the shape of the container" + }, + "emphatic": { + "CHS": "着重的;加强语气的;显著的" + }, + "cellular": { + "CHS": "移动电话;单元" + }, + "gosh": { + "CHS": "天啊;唉;糟了;必定", + "ENG": "used to express surprise" + }, + "scribble": { + "CHS": "乱写;滥写;潦草地书写", + "ENG": "to write something quickly and untidily" + }, + "peg": { + "CHS": "越往下端越细的" + }, + "saleslady": { + "CHS": "女售货员" + }, + "seasoning": { + "CHS": "调味品;佐料;风干;增添趣味的东西", + "ENG": "salt, pepper, spices etc that give food a more interesting taste" + }, + "commemorate": { + "CHS": "庆祝,纪念;成为…的纪念", + "ENG": "to do something to show that you remember and respect someone important or an important event in the past" + }, + "immeasurable": { + "CHS": "无限的;[数] 不可计量的;不能测量的", + "ENG": "used to emphasize that something is too big or too extreme to be measured" + }, + "harry": { + "CHS": "(Harry)人名;(英)哈里,哈丽(女名)(教名Henry、Harriet的昵称)" + }, + "crib": { + "CHS": "剽窃", + "ENG": "to copy school or college work dishonestly from someone else" + }, + "slander": { + "CHS": "诽谤;中伤", + "ENG": "a false spoken statement about someone, intended to damage the good opinion that people have of that person" + }, + "dinosaur": { + "CHS": "恐龙;过时、落伍的人或事物", + "ENG": "one of a group of reptile s that lived millions of years ago" + }, + "responsibility": { + "CHS": "责任,职责;义务", + "ENG": "a duty to be in charge of someone or something, so that you make decisions and can be blamed if something bad happens" + }, + "remind": { + "CHS": "提醒;使想起", + "ENG": "to make someone remember something that they must do" + }, + "darken": { + "CHS": "使变暗;使模糊", + "ENG": "to become dark, or to make something dark" + }, + "feeder": { + "CHS": "支线;喂食器;奶瓶;饲养员;支流", + "ENG": "a container with food for animals or birds" + }, + "illiterate": { + "CHS": "文盲", + "ENG": "someone who has not learned to read or write" + }, + "inward": { + "CHS": "内部;内脏;密友" + }, + "trafficker": { + "CHS": "贩子;商人;从事违法勾当者", + "ENG": "someone who buys and sells illegal goods, especially drugs" + }, + "uncomfortable": { + "CHS": "不舒服的;不安的", + "ENG": "not feeling physically comfortable, or not making you feel comfortable" + }, + "brewery": { + "CHS": "啤酒厂", + "ENG": "a place where beer is made, or a company that makes beer" + }, + "inert": { + "CHS": "[化学] 惰性的;呆滞的;迟缓的;无效的", + "ENG": "not producing a chemical reaction when combined with other substances" + }, + "vague": { + "CHS": "(Vague)人名;(法)瓦格;(英)韦格" + }, + "epidemic": { + "CHS": "传染病;流行病;风尚等的流行", + "ENG": "a large number of cases of a disease that happen at the same time" + }, + "slope": { + "CHS": "倾斜;逃走", + "ENG": "if the ground or a surface slopes, it is higher at one end than the other" + }, + "enlighten": { + "CHS": "启发,启蒙;教导,开导;照耀", + "ENG": "to explain something to someone" + }, + "modem": { + "CHS": "调制解调器(等于modulator-demodulator)", + "ENG": "a piece of electronic equipment that allows information from one computer to be sent along telephone wires to another computer" + }, + "heir": { + "CHS": "[法] 继承人;后嗣;嗣子", + "ENG": "the person who has the legal right to receive the property or title of another person when they die" + }, + "difference": { + "CHS": "差异;不同;争执", + "ENG": "a way in which two or more people or things are not like each other" + }, + "tapestry": { + "CHS": "用挂毯装饰" + }, + "phenomenon": { + "CHS": "现象;奇迹;杰出的人才", + "ENG": "something that happens or exists in society, science, or nature, especially something that is studied because it is difficult to understand" + }, + "customary": { + "CHS": "习惯法汇编" + }, + "aluminium": { + "CHS": "铝", + "ENG": "a silver-white metal that is very light and is used to make cans, cooking pans, window frames etc. It is a chemical element : symbol Al" + }, + "inlet": { + "CHS": "引进; 嵌入; 插入;" + }, + "mainstream": { + "CHS": "主流", + "ENG": "the most usual ideas or methods, or the people who have these ideas or methods" + }, + "follower": { + "CHS": "追随者;信徒;属下", + "ENG": "someone who believes in a particular system of ideas, or who supports a leader who teaches these ideas" + }, + "faitour": { + "CHS": "骗子;冒名顶替者", + "ENG": "an impostor " + }, + "escort": { + "CHS": "护送;陪同;为…护航", + "ENG": "to take someone somewhere, especially when you are protecting or guarding them" + }, + "verify": { + "CHS": "核实;查证", + "ENG": "to discover whether something is correct or true" + }, + "extension": { + "CHS": "延长;延期;扩大;伸展;电话分机", + "ENG": "the process of making a road, building etc bigger or longer, or the part that is added" + }, + "longitude": { + "CHS": "[地理] 经度;经线", + "ENG": "the distance east or west of a particular meridian (= imaginary line along the Earth’s surface from the North Pole to the South Pole ) , measured in degrees" + }, + "clasp": { + "CHS": "紧抱;扣紧;紧紧缠绕", + "ENG": "to hold someone or something tightly, closing your fingers or arms around them" + }, + "masculine": { + "CHS": "男性;阳性,阳性词" + }, + "scaffolding": { + "CHS": "脚手架;搭脚手架的材料", + "ENG": "a set of poles and boards that are built into a structure for workers to stand on when they are working on the outside of a building" + }, + "ballot": { + "CHS": "投票;抽签决定", + "ENG": "to ask someone to vote for something" + }, + "outdated": { + "CHS": "使过时(outdate的过去式和过去分词)" + }, + "eliminate": { + "CHS": "消除;排除", + "ENG": "to completely get rid of something that is unnecessary or unwanted" + }, + "awe": { + "CHS": "敬畏", + "ENG": "a feeling of great respect and liking for someone or something" + }, + "scythe": { + "CHS": "用大镰刀割", + "ENG": "to cut with a scythe" + }, + "equipped": { + "CHS": "装备;预备(equip的过去分词);整装" + }, + "agony": { + "CHS": "苦恼;极大的痛苦;临死的挣扎", + "ENG": "very severe pain" + }, + "clan": { + "CHS": "宗族;部落;集团", + "ENG": "a large group of families who often share the same name" + }, + "chin": { + "CHS": "用下巴夹住;与…聊天;在单杠上作引体向上动作" + }, + "trivial": { + "CHS": "不重要的,琐碎的;琐细的" + }, + "tile": { + "CHS": "铺以瓦;铺以瓷砖" + }, + "drugstore": { + "CHS": "[药] 药房(常兼售化妆品、杂志等杂货);(美)杂货店", + "ENG": "a shop where you can buy medicines, beauty products etc" + }, + "aisle": { + "CHS": "通道,走道;侧廊", + "ENG": "a long passage between rows of seats in a church, plane, theatre etc, or between rows of shelves in a shop" + }, + "ford": { + "CHS": "涉水而过", + "ENG": "If you ford a river or stream, you cross it without using a boat, usually at a shallow point" + }, + "imperative": { + "CHS": "必要的事;命令;需要;规则;[语]祈使语气", + "ENG": "something that must be done urgently" + }, + "heritage": { + "CHS": "遗产;传统;继承物;继承权", + "ENG": "the traditional beliefs, values, customs etc of a family, country, or society" + }, + "armpit": { + "CHS": "腋窝", + "ENG": "the hollow place under your arm where it joins your body" + }, + "pregnant": { + "CHS": "怀孕的;富有意义的", + "ENG": "if a woman or female animal is pregnant, she has an unborn baby growing inside her body" + }, + "locker": { + "CHS": "柜,箱;上锁的人;有锁的橱柜;锁扣装置;有锁的存物柜", + "ENG": "a small cupboard with a lock in a school, sports building, office etc, where you can leave clothes or possessions while you do something" + }, + "uncompromising": { + "CHS": "不妥协的,不让步的;坚定的", + "ENG": "unwilling to change your opinions or intentions" + }, + "communicative": { + "CHS": "交际的;爱说话的,健谈的;无隐讳交谈的", + "ENG": "able to talk easily to other people" + }, + "gramophone": { + "CHS": "用唱片录制;用唱机播放" + }, + "oyster": { + "CHS": "牡蛎,[无脊椎] 蚝;沉默寡言的人", + "ENG": "a type of shellfish that can be eaten cooked or uncooked, and that produces a jewel called a pearl" + }, + "dogged": { + "CHS": "跟踪;尾随(dog的过去式)" + }, + "rhetoric": { + "CHS": "花言巧语的" + }, + "victor": { + "CHS": "胜利者", + "ENG": "the winner of a battle, game, competition etc" + }, + "hereby": { + "CHS": "以此方式,据此;特此", + "ENG": "as a result of this statement – used in official situations" + }, + "bossy": { + "CHS": "母牛;牛犊" + }, + "compete": { + "CHS": "竞争;比赛;对抗", + "ENG": "if one company or country competes with another, it tries to get people to buy its goods or servicesrather than those available from another company or country" + }, + "latter": { + "CHS": "(Latter)人名;(英、德、捷)拉特" + }, + "cosmic": { + "CHS": "宇宙的(等于cosmical)", + "ENG": "relating to space or the universe" + }, + "evidence": { + "CHS": "证明", + "ENG": "to show that something exists or is true" + }, + "statement": { + "CHS": "声明;陈述,叙述;报表,清单", + "ENG": "something you say or write, especially publicly or officially, to let people know your intentions or opinions, or to record facts" + }, + "nevertheless": { + "CHS": "然而,不过" + }, + "systematic": { + "CHS": "系统的;体系的;有系统的;[图情] 分类的;一贯的,惯常的", + "ENG": "Something that is done in a systematic way is done according to a fixed plan, in a thorough and efficient way" + }, + "radically": { + "CHS": "根本上;彻底地;以激进的方式" + }, + "capacity": { + "CHS": "能力;容量;资格,地位;生产力", + "ENG": "the amount of space a container, room etc has to hold things or people" + }, + "skirmish": { + "CHS": "进行小规模战斗;发生小争论", + "ENG": "If people skirmish, they fight" + }, + "syntax": { + "CHS": "语法;句法;有秩序的排列", + "ENG": "the way words are arranged to form sentences or phrases, or the rules of grammar which control this" + }, + "parachute": { + "CHS": "跳伞", + "ENG": "to jump from a plane using a parachute" + }, + "thereafter": { + "CHS": "其后;从那时以后", + "ENG": "after a particular event or time" + }, + "deflect": { + "CHS": "使转向;使偏斜;使弯曲", + "ENG": "if someone or something deflects something that is moving, or if it deflects, it turns in a different direction" + }, + "den": { + "CHS": "把……赶进洞穴" + }, + "muscle": { + "CHS": "加强;使劲搬动;使劲挤出", + "ENG": "to use your strength to go somewhere" + }, + "takeaway": { + "CHS": "外卖食品;外卖餐馆", + "ENG": "a meal that you buy at a shop or restaurant to eat at home" + }, + "symbol": { + "CHS": "象征;符号;标志", + "ENG": "a picture or shape that has a particular meaning or represents a particular organization or idea" + }, + "cone": { + "CHS": "使成锥形" + }, + "famine": { + "CHS": "饥荒;饥饿,奇缺", + "ENG": "a situation in which a large number of people have little or no food for a long time and many people die" + }, + "object": { + "CHS": "提出…作为反对的理由", + "ENG": "to state a fact or opinion as a reason for opposing or disapproving of something" + }, + "sprain": { + "CHS": "扭伤", + "ENG": "A sprain is the injury caused by spraining a joint" + }, + "explore": { + "CHS": "探索;探测;探险", + "ENG": "to discuss or think about something carefully" + }, + "intervene": { + "CHS": "干涉;调停;插入", + "ENG": "to become involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "hoover": { + "CHS": "用吸尘器打扫", + "ENG": "to clean a floor, carpet etc using a vacuum cleaner (= a machine that sucks up dirt ) " + }, + "declaration": { + "CHS": "(纳税品等的)申报;宣布;公告;申诉书", + "ENG": "an important official statement about a particular situation or plan, or the act of making this statement" + }, + "acrobat": { + "CHS": "杂技演员,特技演员;随机应变者;翻云覆雨者,善变者", + "ENG": "someone who entertains people by doing difficult physical actions such as walking on their hands or balancing on a high rope, especially at a circus " + }, + "milestone": { + "CHS": "里程碑,划时代的事件", + "ENG": "a very important event in the development of something" + }, + "illegitimate": { + "CHS": "非嫡出子;庶子" + }, + "sawmill": { + "CHS": "锯木厂;锯木机", + "ENG": "a factory where trees are cut into flat pieces that can be used as wood" + }, + "radar": { + "CHS": "[雷达] 雷达,无线电探测器", + "ENG": "a piece of equipment that uses radio waves to find the position of things and watch their movement" + }, + "calculate": { + "CHS": "计算;以为;作打算", + "ENG": "to find out how much something will cost, how long something will take etc, by using numbers" + }, + "derelict": { + "CHS": "遗弃物;玩忽职守者;被遗弃的人" + }, + "expertise": { + "CHS": "专门知识;专门技术;专家的意见", + "ENG": "special skills or knowledge in a particular subject, that you learn by experience or training" + }, + "turnpike": { + "CHS": "[税收] 收费高速公路;收税关卡", + "ENG": "a large road for fast traffic that drivers have to pay to use" + }, + "mob": { + "CHS": "大举包围,围攻;蜂拥进入" + }, + "depart": { + "CHS": "逝世的" + }, + "kneel": { + "CHS": "跪下,跪", + "ENG": "to be in or move into a position where your body is resting on your knees" + }, + "stammer": { + "CHS": "口吃;结巴", + "ENG": "a speech problem which makes someone speak with a lot of pauses and repeated sounds" + }, + "epoch": { + "CHS": "[地质] 世;新纪元;新时代;时间上的一点", + "ENG": "a period of history" + }, + "grease": { + "CHS": "油脂;贿赂", + "ENG": "a fatty or oily substance that comes off meat when it is cooked, or off food made using butter or oil" + }, + "eyeglass": { + "CHS": "眼镜;镜片", + "ENG": "a lens for one eye, worn to help you see better with that eye" + }, + "liner": { + "CHS": "班轮,班机;衬垫;画线者", + "ENG": "a piece of material used inside something, especially in order to keep it clean" + }, + "wrestling": { + "CHS": "摔跤;格斗(wrestle的ing形式);与…摔跤;使劲移动" + }, + "dewdrop": { + "CHS": "露珠;露滴", + "ENG": "a single drop of dew" + }, + "tame": { + "CHS": "(Tame)人名;(捷)塔梅" + }, + "hitherto": { + "CHS": "迄今;至今", + "ENG": "up to this time" + }, + "stabilize": { + "CHS": "使稳固,使安定", + "ENG": "to become firm, steady, or unchanging, or to make something firm or steady" + }, + "saunter": { + "CHS": "闲逛;漫步", + "ENG": "to walk in a slow relaxed way, especially so that you look confident or proud" + }, + "favourite": { + "CHS": "特别喜爱的人(或物)", + "ENG": "something that you like more than other things of the same kind" + }, + "credible": { + "CHS": "可靠的,可信的", + "ENG": "deserving or able to be believed or trusted" + }, + "spiral": { + "CHS": "使成螺旋形;使作螺旋形上升", + "ENG": "to move in a continuous curve that gets nearer to or further from its central point as it goes round" + }, + "Mars": { + "CHS": "战神;[天] 火星", + "ENG": "the small red planet that is fourth in order from the Sun and is nearest the Earth" + }, + "sack": { + "CHS": "解雇;把……装入袋;劫掠", + "ENG": "to dismiss someone from their job" + }, + "blot": { + "CHS": "污点,污渍;墨水渍", + "ENG": "a mark or dirty spot on something, especially made by ink" + }, + "thanksgiving": { + "CHS": "感恩", + "ENG": "an expression of thanks to God" + }, + "hacker": { + "CHS": "电脑黑客,企图不法侵入他人电脑系统的人", + "ENG": "someone who secretly uses or changes the information in other people’s computer systems" + }, + "condemn": { + "CHS": "谴责;判刑,定罪;声讨", + "ENG": "to say very strongly that you do not approve of something or someone, especially because you think it is morally wrong" + }, + "detain": { + "CHS": "拘留;留住;耽搁", + "ENG": "to officially prevent someone from leaving a place" + }, + "signpost": { + "CHS": "路标;指示牌", + "ENG": "a sign at the side of a road showing directions and distances" + }, + "patch": { + "CHS": "修补;解决;掩饰", + "ENG": "to repair a hole in something by putting a piece of something else over it" + }, + "acceptable": { + "CHS": "可接受的;合意的;可忍受的", + "ENG": "good enough to be used for a particular purpose or to be considered satisfactory" + }, + "uphold": { + "CHS": "支撑;鼓励;赞成;举起" + }, + "radius": { + "CHS": "半径,半径范围;[解剖] 桡骨;辐射光线;有效航程", + "ENG": "the distance from the centre to the edge of a circle, or a line drawn from the centre to the edge" + }, + "counter": { + "CHS": "反方向地;背道而驰地" + }, + "sneer": { + "CHS": "嘲笑,冷笑", + "ENG": "an unkind smile or remark that shows you have no respect for something or someone" + }, + "modify": { + "CHS": "修改,修饰;更改", + "ENG": "to make small changes to something in order to improve it and make it more suitable or effective" + }, + "gallows": { + "CHS": "绞刑;绞刑架;承梁", + "ENG": "a structure used for killing criminals by hanging from a rope" + }, + "repeatedly": { + "CHS": "反复地;再三地;屡次地", + "ENG": "many times" + }, + "electrician": { + "CHS": "电工;电气技师", + "ENG": "someone whose job is to connect or repair electrical wires or equipment" + }, + "sparsely": { + "CHS": "稀疏地;贫乏地" + }, + "bubble": { + "CHS": "沸腾,冒泡;发出气泡声", + "ENG": "to produce bubbles" + }, + "seaport": { + "CHS": "海港;港口都市", + "ENG": "a large town on or near a coast, with a harbour that big ships can use" + }, + "entitle": { + "CHS": "称做…;定名为…;给…称号;使…有权利", + "ENG": "to give someone the official right to do or have something" + }, + "familiarize": { + "CHS": "使熟悉", + "ENG": "to learn about something so that you understand it, or to teach someone else about something so that they understand it" + }, + "improper": { + "CHS": "不正确的,错误的;不适当的;不合礼仪的", + "ENG": "dishonest, illegal, or morally wrong" + }, + "growth": { + "CHS": "增长;发展;生长;种植", + "ENG": "an increase in amount, number, or size" + }, + "moist": { + "CHS": "潮湿" + }, + "squad": { + "CHS": "把…编成班;把…编入班" + }, + "approve": { + "CHS": "批准;赞成;为…提供证据", + "ENG": "to officially accept a plan, proposal etc" + }, + "fashion": { + "CHS": "使用;改变;做成…的形状", + "ENG": "to shape or make something, using your hands or only a few tools" + }, + "rumour": { + "CHS": "传闻" + }, + "runway": { + "CHS": "跑道;河床;滑道", + "ENG": "a long specially prepared hard surface like a road on which aircraft land and take off" + }, + "rhythm": { + "CHS": "节奏;韵律", + "ENG": "a regular repeated pattern of sounds or movements" + }, + "toast": { + "CHS": "向…祝酒,为…干杯", + "ENG": "to drink a glass of wine etc to thank some-one, wish someone luck, or celebrate something" + }, + "schoolboy": { + "CHS": "男学生;学童", + "ENG": "a boy attending school" + }, + "hop": { + "CHS": "蹦跳,跳跃;跳舞;一次飞行的距离", + "ENG": "a short jump" + }, + "transfer": { + "CHS": "转让;转学;换车", + "ENG": "if a skill, idea, or quality transfers from one situation to another, or if you transfer it, it can be used in the new situation" + }, + "frosting": { + "CHS": "结霜的;磨砂的;消光的" + }, + "reap": { + "CHS": "(Reap)人名;(英)里普" + }, + "chance": { + "CHS": "偶然发生;冒……的险", + "ENG": "to do something that you know involves a risk" + }, + "flashlight": { + "CHS": "手电筒;闪光灯", + "ENG": "a small electric light that you can carry in your hand" + }, + "snobbery": { + "CHS": "势利,谄上欺下;摆绅士架子;势利的行为或语言", + "ENG": "behaviour or attitudes which show that you think you are better than other people, because you belong to a higher social class or know much more than they do – used to show disapproval" + }, + "inscribe": { + "CHS": "题写;题献;铭记;雕", + "ENG": "to carefully cut, print, or write words on something, especially on the surface of a stone or coin" + }, + "championship": { + "CHS": "锦标赛;冠军称号;冠军的地位", + "ENG": "a competition to find which player, team etc is the best in a particular sport" + }, + "choir": { + "CHS": "合唱" + }, + "chrysanthemum": { + "CHS": "菊花", + "ENG": "a garden plant with large brightly coloured flowers" + }, + "roadway": { + "CHS": "道路;路面;车行道;铁路的路基", + "ENG": "the part of the road used by vehicles" + }, + "repetition": { + "CHS": "重复;背诵;副本", + "ENG": "doing or saying the same thing many times" + }, + "refine": { + "CHS": "精炼,提纯;改善;使…文雅", + "ENG": "to improve a method, plan, system etc by gradually making slight changes to it" + }, + "apparent": { + "CHS": "显然的;表面上的", + "ENG": "seeming to have a particular feeling or attitude, although this may not be true" + }, + "include": { + "CHS": "包含,包括", + "ENG": "if one thing includes another, the second thing is part of the first" + }, + "finance": { + "CHS": "负担经费,供给…经费" + }, + "petal": { + "CHS": "花瓣", + "ENG": "one of the coloured parts of a flower that are shaped like leaves" + }, + "cooperate": { + "CHS": "合作,配合;协力", + "ENG": "to work with someone else to achieve something that you both want" + }, + "collaborate": { + "CHS": "合作;勾结,通敌", + "ENG": "to work together with a person or group in order to achieve something, especially in science or art" + }, + "consistently": { + "CHS": "一贯地;一致地;坚实地" + }, + "peel": { + "CHS": "皮", + "ENG": "the skin of some fruits and vegetables, especially the thick skin of fruits such as oranges, which you do not eat" + }, + "larva": { + "CHS": "[水产] 幼体,[昆] 幼虫", + "ENG": "a young insect with a soft tube-shaped body, which will later become an insect with wings" + }, + "satin": { + "CHS": "光滑的;绸缎做的;似缎的", + "ENG": "having a smooth shiny surface" + }, + "shotgun": { + "CHS": "用猎枪射击" + }, + "toe": { + "CHS": "用脚尖走;以趾踏触" + }, + "baron": { + "CHS": "男爵;大亨;巨头", + "ENG": "a man who is a member of a low rank of the British nobility or of a rank of European nobility " + }, + "distil": { + "CHS": "蒸馏;提炼;渗出", + "ENG": "If a liquid such as whisky or water is distilled, it is heated until it changes into steam or vapour and then cooled until it becomes liquid again. This is usually done in order to make it pure. " + }, + "prohibit": { + "CHS": "阻止,禁止", + "ENG": "to say that an action is illegal or not allowed" + }, + "foliage": { + "CHS": "植物;叶子(总称)", + "ENG": "the leaves of a plant" + }, + "mortal": { + "CHS": "人类,凡人", + "ENG": "a human – used especially when comparing humans with gods, spirit s etc" + }, + "telescope": { + "CHS": "望远镜;缩叠式旅行袋", + "ENG": "a piece of equipment shaped like a tube, used for making distant objects look larger and closer" + }, + "indignant": { + "CHS": "愤愤不平的;义愤的", + "ENG": "angry and surprised because you feel insulted or unfairly treated" + }, + "dispensary": { + "CHS": "药房;(学校、兵营或工厂的)诊疗所;防治站", + "ENG": "a place where medicines are prepared and given out, especially in a hospital" + }, + "impulse": { + "CHS": "推动" + }, + "scarlet": { + "CHS": "猩红色;红衣;绯红色;鲜红色布" + }, + "lark": { + "CHS": "骑马玩乐;嬉耍", + "ENG": "to have a good time by frolicking " + }, + "humiliate": { + "CHS": "羞辱;使…丢脸;耻辱", + "ENG": "to make someone feel ashamed or stupid, especially when other people are present" + }, + "concern": { + "CHS": "关系;关心;关心的事;忧虑", + "ENG": "something that is important to you or that involves you" + }, + "roam": { + "CHS": "漫步,漫游;流浪" + }, + "insider": { + "CHS": "内部的人,会员;熟悉内情者", + "ENG": "someone who has a special knowledge of a particular organization because they are part of it" + }, + "moreover": { + "CHS": "而且;此外", + "ENG": "in addition – used to introduce information that adds to or supports what has previously been said" + }, + "golfer": { + "CHS": "高尔夫球手", + "ENG": "A golfer is a person who plays golf for pleasure or as a profession" + }, + "shutter": { + "CHS": "为…装百叶窗;以百叶窗遮闭" + }, + "infect": { + "CHS": "感染,传染", + "ENG": "to give someone a disease" + }, + "visit": { + "CHS": "访问;参观;视察", + "ENG": "to go and spend time in a place or with someone, especially for pleasure or interest" + }, + "nightmare": { + "CHS": "可怕的;噩梦似的" + }, + "affordable": { + "CHS": "负担得起的", + "ENG": "If something is affordable, most people have enough money to buy it" + }, + "presidential": { + "CHS": "总统的;首长的;统辖的", + "ENG": "relating to a president" + }, + "theology": { + "CHS": "神学;宗教体系", + "ENG": "the study of religion and religious ideas and beliefs" + }, + "filament": { + "CHS": "灯丝;细丝;细线;单纤维", + "ENG": "a very thin thread or wire" + }, + "intricate": { + "CHS": "复杂的;错综的,缠结的", + "ENG": "containing many small parts or details that all work or fit together" + }, + "overhear": { + "CHS": "无意中听到;偷听", + "ENG": "to accidentally hear what other people are saying, when they do not know that you have heard" + }, + "sophomore": { + "CHS": "二年级的;二年级学生的" + }, + "shortage": { + "CHS": "缺乏,缺少;不足", + "ENG": "a situation in which there is not enough of something that people need" + }, + "tuition": { + "CHS": "学费;讲授", + "ENG": "teaching, especially in small groups" + }, + "distaste": { + "CHS": "不喜欢" + }, + "trace": { + "CHS": "痕迹,踪迹;微量;[仪] 迹线;缰绳", + "ENG": "a small sign that shows that someone or something was present or existed" + }, + "troupe": { + "CHS": "巡回演出" + }, + "stock": { + "CHS": "进货;备有;装把手于…", + "ENG": "if a shop stocks a particular product, it keeps a supply of it to sell" + }, + "fascist": { + "CHS": "法西斯主义的,法西斯党的", + "ENG": "You use fascist to describe organizations, ideas, or systems which follow the principles of fascism" + }, + "forwards": { + "CHS": "向前;今后" + }, + "revive": { + "CHS": "复兴;复活;苏醒;恢复精神", + "ENG": "to bring something back after it has not been used or has not existed for a period of time" + }, + "discord": { + "CHS": "不一致;刺耳" + }, + "extend": { + "CHS": "延伸;扩大;推广;伸出;给予;使竭尽全力;对…估价", + "ENG": "to continue for a particular distance or over a particular area" + }, + "reject": { + "CHS": "被弃之物或人;次品", + "ENG": "a product that has been rejected because there is something wrong with it" + }, + "intestine": { + "CHS": "肠", + "ENG": "the long tube in your body through which food passes after it leaves your stomach" + }, + "fable": { + "CHS": "煞有介事地讲述;虚构" + }, + "ecosystem": { + "CHS": "生态系统", + "ENG": "all the animals and plants in a particular area, and the way in which they are related to each other and to their environment" + }, + "disgusted": { + "CHS": "使恶心;使讨厌(disgust的过去分词)" + }, + "underneath": { + "CHS": "下面的;底层的" + }, + "parenthesis": { + "CHS": "插入语,插入成分", + "ENG": "if you say something in parenthesis, you say it while you are talking about something else in order to add information or explain something" + }, + "symposium": { + "CHS": "讨论会,座谈会;专题论文集;酒宴,宴会", + "ENG": "a formal meeting in which people who know a lot about a particular subject have discussions about it" + }, + "bough": { + "CHS": "大树枝", + "ENG": "a main branch on a tree" + }, + "frail": { + "CHS": "灯心草篓;少妇;少女" + }, + "seed": { + "CHS": "播种;结实;成熟;去…籽", + "ENG": "to remove seeds from fruit or vegetables" + }, + "extinct": { + "CHS": "使熄灭" + }, + "contented": { + "CHS": "使…满足;使…安心(content的过去式和过去分词)" + }, + "bluff": { + "CHS": "直率的;陡峭的", + "ENG": "a bluff person, usually a man, is pleasant but very direct and does not always consider other people" + }, + "elevator": { + "CHS": "电梯;升降机;升降舵;起卸机", + "ENG": "a machine that takes people and goods from one level to another in a building" + }, + "genocide": { + "CHS": "种族灭绝;灭绝整个种族的大屠杀", + "ENG": "the deliberate murder of a whole group or race of people" + }, + "blueprint": { + "CHS": "蓝图,设计图;计划", + "ENG": "a plan for achieving something" + }, + "strangle": { + "CHS": "把…勒死;使…窒息", + "ENG": "To strangle someone means to kill them by squeezing their throat tightly so that they cannot breathe" + }, + "interpreter": { + "CHS": "解释者;口译者;注释器", + "ENG": "someone who changes spoken words from one language into an-other, especially as their job" + }, + "hostile": { + "CHS": "敌对" + }, + "obedient": { + "CHS": "顺从的,服从的;孝顺的", + "ENG": "always doing what you are told to do, or what the law, a rule etc says you must do" + }, + "hell": { + "CHS": "该死;见鬼(表示惊奇、烦恼、厌恶、恼怒、失望等)", + "ENG": "used when you are very angry with someone" + }, + "shameless": { + "CHS": "无耻的;不要脸的;伤风败俗的", + "ENG": "not seeming to be ashamed of your bad behaviour although other people think you should be ashamed" + }, + "forbid": { + "CHS": "禁止;不准;不允许;〈正式〉严禁", + "ENG": "to tell someone that they are not allowed to do something, or that something is not allowed" + }, + "spacious": { + "CHS": "宽敞的,广阔的;无边无际的", + "ENG": "a spacious house, room etc is large and has plenty of space to move around in" + }, + "reign": { + "CHS": "统治;统治时期;支配", + "ENG": "the period when someone is king, queen, or emperor " + }, + "greenhouse": { + "CHS": "温室", + "ENG": "a glass building used for growing plants that need warmth, light, and protection" + }, + "fortitude": { + "CHS": "刚毅;不屈不挠;勇气", + "ENG": "courage shown when you are in great pain or experiencing a lot of trouble" + }, + "sleet": { + "CHS": "雨夹雪;雨淞", + "ENG": "half-frozen rain that falls when it is very cold" + }, + "pious": { + "CHS": "虔诚的;敬神的;可嘉的;尽责的", + "ENG": "having strong religious beliefs, and showing this in the way you behave" + }, + "fling": { + "CHS": "掷,抛;嘲弄;急冲" + }, + "remains": { + "CHS": "残余;遗骸", + "ENG": "the parts of something that are left after the rest has been destroyed or has disappeared" + }, + "route": { + "CHS": "路线;航线;通道", + "ENG": "a way from one place to another" + }, + "divert": { + "CHS": "(Divert)人名;(法)迪韦尔" + }, + "overflow": { + "CHS": "充满,洋溢;泛滥;超值;溢值" + }, + "curry": { + "CHS": "咖哩粉,咖喱;咖哩饭菜", + "ENG": "a type of food from India, consisting of meat or vegetables in a spicy sauce" + }, + "defect": { + "CHS": "变节;叛变", + "ENG": "to leave your own country or group in order to go to or join an opposing one" + }, + "hysteric": { + "CHS": "歇斯底里的;癔病的;亢奋的", + "ENG": "hysterical " + }, + "concession": { + "CHS": "让步;特许(权);承认;退位", + "ENG": "something that you allow someone to have in order to end an argument or a disagreement" + }, + "springboard": { + "CHS": "利用跳板跃进" + }, + "obliging": { + "CHS": "迫使;约束(oblige的现在分词)" + }, + "disposition": { + "CHS": "处置;[心理] 性情;[军] 部署;倾向", + "ENG": "a particular type of character which makes someone likely to behave or react in a certain way" + }, + "indicate": { + "CHS": "表明;指出;预示;象征", + "ENG": "to show that a particular situation exists, or that something is likely to be true" + }, + "heroin": { + "CHS": "[药][毒物] 海洛因,吗啡", + "ENG": "a powerful and illegal drug made from morphine " + }, + "naughty": { + "CHS": "顽皮的,淘气的;不听话的;没规矩的;不适当的;下流的", + "ENG": "a naughty child does not obey adults and behaves badly" + }, + "cabinet": { + "CHS": "内阁的;私下的,秘密的" + }, + "liver": { + "CHS": "肝脏;生活者,居民", + "ENG": "a large organ in your body that produces bile and cleans your blood" + }, + "teens": { + "CHS": "十多岁,十几岁;青少年", + "ENG": "If you are a teen in your teens, you are between thirteen and nineteen years old. Teen is informal for teenager. " + }, + "pendulum": { + "CHS": "钟摆;摇锤;摇摆不定的事态", + "ENG": "a long metal stick with a weight at the bottom that swings regularly from side to side to control the working of a clock" + }, + "establish": { + "CHS": "建立;创办;安置", + "ENG": "to start a company, organization, system, etc that is intended to exist or continue for a long time" + }, + "especial": { + "CHS": "(Especial)人名;(葡)埃斯佩西亚尔" + }, + "outcome": { + "CHS": "结果,结局;成果", + "ENG": "the final result of a meeting, discussion, war etc – used especially when no one knows what it will be until it actually happens" + }, + "metallic": { + "CHS": "金属的,含金属的", + "ENG": "a metallic noise sounds like pieces of metal hitting each other" + }, + "typical": { + "CHS": "典型的;特有的;象征性的", + "ENG": "having the usual features or qualities of a particular group or thing" + }, + "hinterland": { + "CHS": "内地;穷乡僻壤;靠港口供应的内地贸易区", + "ENG": "an area of land that is far from the coast, large rivers, or the places where people live" + }, + "coconut": { + "CHS": "椰子;椰子肉", + "ENG": "the large brown seed of a tropical tree, which has a hard shell containing white flesh that you can eat and a milky liquid that you can drink" + }, + "entrepreneur": { + "CHS": "企业家;承包人;主办者", + "ENG": "someone who starts a new business or arranges business deals in order to make money, often in a way that involves financial risks" + }, + "offend": { + "CHS": "冒犯;使…不愉快", + "ENG": "to make someone angry or upset by doing or saying something that they think is rude, unkind etc" + }, + "bet": { + "CHS": "打赌;敢断定,确信", + "ENG": "to risk money on the result of a race, game, competition, or other future event" + }, + "compress": { + "CHS": "受压缩小", + "ENG": "to press something or make it smaller so that it takes up less space, or to become smaller" + }, + "voter": { + "CHS": "选举人,投票人;有投票权者", + "ENG": "someone who has the right to vote in a political election, or who votes in a particular election" + }, + "change": { + "CHS": "变化;找回的零钱", + "ENG": "the process or result of something or someone becoming different" + }, + "legion": { + "CHS": "众多的;大量的", + "ENG": "very many" + }, + "cause": { + "CHS": "引起;使遭受", + "ENG": "to make something happen, especially something bad" + }, + "foam": { + "CHS": "起泡沫;吐白沫;起着泡沫流动", + "ENG": "to produce foam" + }, + "oar": { + "CHS": "划行" + }, + "rarely": { + "CHS": "很少地;难得;罕有地", + "ENG": "If something rarely happens, it does not happen very often" + }, + "longevity": { + "CHS": "长寿,长命;寿命", + "ENG": "the amount of time that someone or something lives" + }, + "volt": { + "CHS": "伏特(电压单位);环骑;闪避", + "ENG": "a unit for measuring the force of an electric current" + }, + "sole": { + "CHS": "触底;上鞋底" + }, + "peep": { + "CHS": "窥视;慢慢露出,出现;吱吱叫", + "ENG": "to look at something quickly and secretly, especially through a hole or opening" + }, + "navigate": { + "CHS": "驾驶,操纵;使通过;航行于", + "ENG": "to sail along a river or other area of water" + }, + "nightgown": { + "CHS": "睡衣(等于dressing gown或nightdress)", + "ENG": "a nightdress" + }, + "salmon": { + "CHS": "浅澄色的" + }, + "alley": { + "CHS": "小巷;小路;小径", + "ENG": "a narrow street between or behind buildings, not usually used by cars" + }, + "slang": { + "CHS": "用粗话骂" + }, + "moderate": { + "CHS": "变缓和,变弱", + "ENG": "If you moderate something or if it moderates, it becomes less extreme or violent and easier to deal with or accept" + }, + "sandal": { + "CHS": "凉鞋;檀香;檀香木;便鞋", + "ENG": "a light shoe that is fastened onto your foot by bands of leather or cloth, and is worn in warm weather" + }, + "holder": { + "CHS": "持有人;所有人;固定器;(台、架等)支持物", + "ENG": "someone who owns or controls something" + }, + "generator": { + "CHS": "发电机;发生器;生产者", + "ENG": "a machine that produces electricity" + }, + "celery": { + "CHS": "[园艺] 芹菜", + "ENG": "a vegetable with long pale green stems that you can eat cooked or uncooked" + }, + "refrain": { + "CHS": "叠句,副歌;重复", + "ENG": "part of a song or poem that is repeated, especially at the end of each verse " + }, + "calorie": { + "CHS": "卡路里(热量单位)", + "ENG": "a unit for measuring the amount of energy that food will produce" + }, + "haunt": { + "CHS": "栖息地;常去的地方", + "ENG": "a place that someone likes to go to often" + }, + "burden": { + "CHS": "使负担;烦扰;装货于", + "ENG": "If someone burdens you with something that is likely to worry you, for example, a problem or a difficult decision, they tell you about it" + }, + "casual": { + "CHS": "便装;临时工人;待命士兵" + }, + "encounter": { + "CHS": "遭遇,偶然碰见", + "ENG": "an occasion when you meet or experience something" + }, + "tap": { + "CHS": "水龙头;轻打", + "ENG": "a piece of equipment for controlling the flow of water, gas etc from a pipe or container" + }, + "uneasy": { + "CHS": "不舒服的;心神不安的;不稳定的", + "ENG": "worried or slightly afraid because you think that something bad might happen" + }, + "fit": { + "CHS": "合身;发作;痉挛", + "ENG": "a time when you feel an emotion very strongly and cannot control your behaviour" + }, + "caption": { + "CHS": "加上说明;加上标题" + }, + "overturn": { + "CHS": "倾覆;周转;破灭" + }, + "fame": { + "CHS": "使闻名,使有名望" + }, + "curse": { + "CHS": "诅咒;咒骂", + "ENG": "to swear" + }, + "drip": { + "CHS": "水滴,滴水声;静脉滴注;使人厌烦的人", + "ENG": "one of the drops of liquid that fall from something" + }, + "consistent": { + "CHS": "始终如一的,一致的;坚持的", + "ENG": "a consistent argument or idea does not have any parts that do not match other parts" + }, + "outbreak": { + "CHS": "爆发" + }, + "counsel": { + "CHS": "建议;劝告", + "ENG": "to advise someone" + }, + "revitalize": { + "CHS": "使…复活;使…复兴;使…恢复生气", + "ENG": "To revitalize something that has lost its activity or its health means to make it active or healthy again" + }, + "crimson": { + "CHS": "使变为深红色;脸红", + "ENG": "if your face crimsons, it becomes red because you are embarrassed" + }, + "impeach": { + "CHS": "控告,检举;弹劾;怀疑" + }, + "academy": { + "CHS": "学院;研究院;学会;专科院校", + "ENG": "an official organization which encourages the development of literature, art, science etc" + }, + "alumnus": { + "CHS": "男校友;男毕业生", + "ENG": "a former student of a school, college etc" + }, + "scratch": { + "CHS": "抓;刮;挖出;乱涂", + "ENG": "to rub your skin with your nails because it feels uncomfortable" + }, + "simile": { + "CHS": "明喻;直喻", + "ENG": "an expression that describes something by comparing it with something else, using the words ‘as’ or ‘like’, for example ‘as white as snow’" + }, + "utensil": { + "CHS": "用具,器皿", + "ENG": "a thing such as a knife, spoon etc that you use when you are cooking" + }, + "hoist": { + "CHS": "升起;吊起", + "ENG": "to raise, lift, or pull something up, especially using ropes" + }, + "ideological": { + "CHS": "思想的;意识形态的", + "ENG": "based on strong beliefs or ideas, especially political or economic ideas" + }, + "capable": { + "CHS": "能干的,能胜任的;有才华的", + "ENG": "able to do things well" + }, + "satisfactory": { + "CHS": "满意的;符合要求的;赎罪的", + "ENG": "something that is satisfactory seems good enough for you, or good enough for a particular situation or purpose" + }, + "bleak": { + "CHS": "阴冷的;荒凉的,无遮蔽的;黯淡的,无希望的;冷酷的;单调的", + "ENG": "cold and without any pleasant or comfortable features" + }, + "series": { + "CHS": "系列,连续;[电] 串联;级数;丛书", + "ENG": "several events or actions of a similar type that happen one after the other" + }, + "scout": { + "CHS": "侦察;跟踪,监视;发现", + "ENG": "to examine a place or area in order to get information about it" + }, + "segment": { + "CHS": "段;部分", + "ENG": "a part of something that is different from or affected differently from the whole in some way" + }, + "sewer": { + "CHS": "清洗污水管", + "ENG": "to provide with sewers " + }, + "inherit": { + "CHS": "继承;遗传而得", + "ENG": "to receive money, property etc from someone after they have died" + }, + "spotlight": { + "CHS": "聚光照明;使公众注意", + "ENG": "to shine a strong beam of light on something" + }, + "almighty": { + "CHS": "全能的神" + }, + "chip": { + "CHS": "[电子] 芯片;筹码;碎片;(食物的) 小片; 薄片", + "ENG": "a small piece of wood, stone, metal etc that has been broken off something" + }, + "witch": { + "CHS": "迷惑;施巫术" + }, + "tummy": { + "CHS": "肚子;胃", + "ENG": " stomach – used especially by or to children" + }, + "sampan": { + "CHS": "舢板;小船", + "ENG": "a small boat used in China and Southeast Asia" + }, + "quack": { + "CHS": "骗人的;冒牌医生的", + "ENG": "relating to the activities or medicines of someone who pretends to be a doctor" + }, + "removal": { + "CHS": "免职;移动;排除;搬迁", + "ENG": "when someone is forced out of an important position or dismissed from a job" + }, + "glow": { + "CHS": "灼热;色彩鲜艳;兴高采烈" + }, + "vine": { + "CHS": "长成藤蔓;爬藤" + }, + "mole": { + "CHS": "鼹鼠;痣;防波堤;胎块;间谍", + "ENG": "a small dark furry animal which is almost blind. Moles usually live under the ground." + }, + "homesick": { + "CHS": "想家的;思乡病的", + "ENG": "feeling unhappy because you are a long way from your home" + }, + "honorary": { + "CHS": "名誉学位;获名誉学位者;名誉团体" + }, + "buckle": { + "CHS": "皮带扣,带扣", + "ENG": "a piece of metal used for fastening the two ends of a belt, for fastening a shoe, bag etc, or for decoration" + }, + "conform": { + "CHS": "一致的;顺从的" + }, + "reciprocal": { + "CHS": "[数] 倒数;互相起作用的事物" + }, + "optics": { + "CHS": "[光] 光学", + "ENG": "the scientific study of light and the way we see" + }, + "township": { + "CHS": "镇区;小镇", + "ENG": "a town in Canada or the US that has some local government" + }, + "sphere": { + "CHS": "球体的" + }, + "eyeball": { + "CHS": "盯住看;仔细对…打量", + "ENG": "to look directly and closely at something or someone" + }, + "enormous": { + "CHS": "庞大的,巨大的;凶暴的,极恶的", + "ENG": "very big in size or in amount" + }, + "tinkle": { + "CHS": "叮当声", + "ENG": "a light ringing sound" + }, + "walnut": { + "CHS": "胡桃科植物的" + }, + "array": { + "CHS": "排列,部署;打扮", + "ENG": "to arrange something in an attractive way" + }, + "rash": { + "CHS": "[皮肤] 皮疹;突然大量出现的事物", + "ENG": "a lot of red spots on someone’s skin, caused by an illness" + }, + "nun": { + "CHS": "修女,尼姑", + "ENG": "someone who is a member of a group of religious women that live together in a convent" + }, + "illustrate": { + "CHS": "阐明,举例说明;图解", + "ENG": "to make the meaning of something clearer by giving examples" + }, + "payable": { + "CHS": "应付的;到期的;可付的;可获利的", + "ENG": "a bill, debt etc that is payable must be paid" + }, + "span": { + "CHS": "跨越;持续;以手指测量", + "ENG": "to include all of a period of time" + }, + "diameter": { + "CHS": "直径", + "ENG": "a straight line from one side of a circle to the other side, passing through the centre of the circle, or the length of this line" + }, + "dominate": { + "CHS": "控制;支配;占优势;在…中占主要地位", + "ENG": "to control someone or something or to have more importance than other people or things" + }, + "loaded": { + "CHS": "装载(load的变形)" + }, + "ambition": { + "CHS": "追求;有…野心" + }, + "chorus": { + "CHS": "合唱;异口同声地说", + "ENG": "if people chorus something, they say it at the same time" + }, + "assert": { + "CHS": "维护,坚持;断言;主张;声称", + "ENG": "to state firmly that something is true" + }, + "fluent": { + "CHS": "流畅的,流利的;液态的;畅流的", + "ENG": "able to speak a language very well" + }, + "only": { + "CHS": "但是;不过;可是", + "ENG": "used like ‘but’ to give the reason why something is not possible" + }, + "oppress": { + "CHS": "压迫,压抑;使……烦恼;使……感到沉重", + "ENG": "to treat a group of people unfairly or cruelly, and prevent them from having the same rights that other people in society have" + }, + "intent": { + "CHS": "专心的;急切的;坚决的", + "ENG": "giving careful attention to something so that you think about nothing else" + }, + "sink": { + "CHS": "水槽;洗涤槽;污水坑", + "ENG": "a large open container that you fill with water and use for washing yourself, washing dishes etc" + }, + "Esperanto": { + "CHS": "世界语", + "ENG": "an artificial language invented in 1887 to help people from different countries in the world speak to each other" + }, + "syllabus": { + "CHS": "教学大纲,摘要;课程表", + "ENG": "a plan that states exactly what students at a school or college should learn in a particular subject" + }, + "altar": { + "CHS": "祭坛;圣坛;圣餐台", + "ENG": "a holy table or surface used in religious ceremonies" + }, + "intercept": { + "CHS": "拦截;[数] 截距;截获的情报" + }, + "solitude": { + "CHS": "孤独;隐居;荒僻的地方", + "ENG": "when you are alone, especially when this is what you enjoy" + }, + "laptop": { + "CHS": "膝上型轻便电脑,笔记本电脑", + "ENG": "a small computer that you can carry with you" + }, + "fiery": { + "CHS": "热烈的,炽烈的;暴躁的;燃烧般的", + "ENG": "becoming angry or excited very quickly" + }, + "maternity": { + "CHS": "产科的;产妇的,孕妇的", + "ENG": "relating to a woman who is pregnant or who has just had a baby" + }, + "racing": { + "CHS": "比赛的", + "ENG": "designed or bred to go very fast and be used for racing" + }, + "architect": { + "CHS": "建筑师", + "ENG": "someone whose job is to design buildings" + }, + "eagerness": { + "CHS": "渴望;热心" + }, + "unkind": { + "CHS": "无情的;不仁慈的,不厚道的", + "ENG": "nasty, unpleasant, or cruel" + }, + "modesty": { + "CHS": "谦逊;质朴;稳重", + "ENG": "a modest way of behaving or talking" + }, + "Latin": { + "CHS": "拉丁语;拉丁人", + "ENG": "the language used in ancient Rome" + }, + "tub": { + "CHS": "洗盆浴;(衣服等)被放在桶里洗" + }, + "base": { + "CHS": "以…作基础", + "ENG": "to have your main place of work, business etc in a particular place" + }, + "sketch": { + "CHS": "画素描或速写", + "ENG": "to draw a sketch of something" + }, + "robbery": { + "CHS": "抢劫,盗窃;抢掠", + "ENG": "the crime of stealing money or things from a bank, shop etc, especially using violence" + }, + "gloss": { + "CHS": "使光彩;掩盖;注释", + "ENG": "to provide a note in a piece of writing, explaining a difficult word, phrase, or idea" + }, + "lawful": { + "CHS": "合法的;法定的;法律许可的", + "ENG": "allowed or recognized by law" + }, + "kerosene": { + "CHS": "煤油,火油", + "ENG": "a clear oil that is burnt to provide heat or light" + }, + "flautist": { + "CHS": "横笛吹奏者(等于flutist)", + "ENG": "A flautist is someone who plays the flute" + }, + "format": { + "CHS": "使格式化;规定…的格式", + "ENG": "to organize the space on a computer disk so that information can be stored on it" + }, + "tactical": { + "CHS": "战术的;策略的;善于策略的", + "ENG": "relating to what you do to achieve what you want, especially as part of a game or large plan" + }, + "wharf": { + "CHS": "码头;停泊处", + "ENG": "a structure that is built out into the water so that boats can stop next to it" + }, + "rattlesnake": { + "CHS": "[脊椎] 响尾蛇", + "ENG": "a poisonous American snake that shakes its tail to make a noise when it is angry" + }, + "oath": { + "CHS": "誓言,誓约;诅咒,咒骂", + "ENG": "a formal and very serious promise" + }, + "skyrocket": { + "CHS": "飞涨,突然高升" + }, + "management": { + "CHS": "管理;管理人员;管理部门;操纵;经营手段", + "ENG": "the activity of controlling and organizing the work that a company or organization does" + }, + "reed": { + "CHS": "用芦苇盖;用芦苇装饰" + }, + "inaccurate": { + "CHS": "错误的" + }, + "military": { + "CHS": "军队;军人", + "ENG": "the military forces of a country" + }, + "smudge": { + "CHS": "污点,污迹;烟熏火堆", + "ENG": "a dirty mark" + }, + "regulate": { + "CHS": "调节,规定;控制;校准;有系统的管理", + "ENG": "to control an activity or process, especially by rules" + }, + "penalty": { + "CHS": "罚款,罚金;处罚", + "ENG": "a punishment for breaking a law, rule, or legal agreement" + }, + "online": { + "CHS": "在线地", + "ENG": "Online is also an adverb" + }, + "repay": { + "CHS": "偿还;报答;报复", + "ENG": "to pay back money that you have borrowed" + }, + "stout": { + "CHS": "矮胖子;烈性啤酒", + "ENG": "strong dark beer" + }, + "isle": { + "CHS": "住在岛屿上" + }, + "consequently": { + "CHS": "因此;结果;所以", + "ENG": "as a result" + }, + "naval": { + "CHS": "(Naval)人名;(西、德、印)纳瓦尔" + }, + "bail": { + "CHS": "保释,帮助某人脱离困境;往外舀水", + "ENG": "to escape from a situation that you do not want to be in any more" + }, + "reliable": { + "CHS": "可靠的人" + }, + "harsh": { + "CHS": "(Harsh)人名;(英)哈什" + }, + "medium": { + "CHS": "方法;媒体;媒介;中间物", + "ENG": "a way of communicating information and news to people, such as newspapers, television etc" + }, + "possibility": { + "CHS": "可能性;可能发生的事物", + "ENG": "if there is a possibility that something is true or that something will happen, it might be true or it might happen" + }, + "turnip": { + "CHS": "萝卜;芜菁甘蓝,大头菜", + "ENG": "a large round pale yellow vegetable that grows under the ground, or the plant that produces it" + }, + "intention": { + "CHS": "意图;目的;意向;愈合", + "ENG": "a plan or desire to do something" + }, + "attribute": { + "CHS": "归属;把…归于", + "ENG": "If you attribute something to an event or situation, you think that it was caused by that event or situation" + }, + "odd": { + "CHS": "奇数;怪人;奇特的事物" + }, + "terrorist": { + "CHS": "恐怖主义者,恐怖分子", + "ENG": "someone who uses violence such as bombing, shooting etc to obtain political demands" + }, + "seafood": { + "CHS": "海鲜;海味;海产食品", + "ENG": "animals from the sea that you can eat, for example fish and shellfish " + }, + "diagnose": { + "CHS": "诊断;断定", + "ENG": "to find out what illness someone has, or what the cause of a fault is, after doing tests, examinations etc" + }, + "saw": { + "CHS": "锯子;谚语", + "ENG": "a tool that you use for cutting wood. It has a flat blade with an edge cut into many V shapes." + }, + "tally": { + "CHS": "使符合;计算;记录", + "ENG": "if numbers or statements tally, they match exactly" + }, + "sorghum": { + "CHS": "高粱;[作物] 蜀黍;甜得发腻的东西", + "ENG": "a type of grain that is grown in tropical areas" + } +} \ No newline at end of file diff --git "a/modules/self_contained/wordle/words/\350\200\203\347\240\224.json" "b/modules/self_contained/wordle/words/\350\200\203\347\240\224.json" new file mode 100644 index 00000000..1da29107 --- /dev/null +++ "b/modules/self_contained/wordle/words/\350\200\203\347\240\224.json" @@ -0,0 +1,17707 @@ +{ + "paragraph": { + "CHS": "将…分段" + }, + "influence": { + "CHS": "影响;改变", + "ENG": "to affect the way someone or something develops, behaves, thinks etc without directly forcing or ordering them" + }, + "intellectual": { + "CHS": "知识分子;凭理智做事者", + "ENG": "an intelligent, well-educated person who spends time thinking about complicated ideas and discussing them" + }, + "political": { + "CHS": "政治的;党派的", + "ENG": "Political means relating to the way power is achieved and used in a country or society" + }, + "science": { + "CHS": "科学;技术;学科;理科", + "ENG": "knowledge about the world, especially based on examining, testing, and proving facts" + }, + "economic": { + "CHS": "经济的,经济上的;经济学的", + "ENG": "relating to trade, in-dustry, and the management of money" + }, + "century": { + "CHS": "世纪,百年;(板球)一百分", + "ENG": "one of the 100-year periods measured from before or after the year of Christ’s birth" + }, + "increase": { + "CHS": "增加,增大;繁殖", + "ENG": "if you increase something, or if it increases, it becomes bigger in amount, number, or degree" + }, + "stress": { + "CHS": "强调;使紧张;加压力于;用重音读", + "ENG": "to emphasize a statement, fact, or idea" + }, + "power": { + "CHS": "借影响有权势人物以操纵权力的", + "ENG": "clothes which you wear at work to make you look important or confident" + }, + "national": { + "CHS": "国民", + "ENG": "someone who is a citizen of a particular country but is living in another country" + }, + "consider": { + "CHS": "考虑;认为;考虑到;细想", + "ENG": "to think about something carefully, especially before making a choice or decision" + }, + "process": { + "CHS": "经过特殊加工(或处理)的" + }, + "create": { + "CHS": "创造,创作;造成", + "ENG": "to make something exist that did not exist before" + }, + "drug": { + "CHS": "使服麻醉药;使服毒品;掺麻醉药于", + "ENG": "to give a person or animal a drug, especially in order to make them feel tired or go to sleep, or to make them perform well in a race" + }, + "care": { + "CHS": "照顾;关心;喜爱;顾虑", + "ENG": "to be concerned about what happens to someone, because you like or love them" + }, + "group": { + "CHS": "聚合" + }, + "discovery": { + "CHS": "发现,发觉;被发现的事物", + "ENG": "a fact or thing that someone finds out about, when it was not known about before" + }, + "include": { + "CHS": "包含,包括", + "ENG": "if one thing includes another, the second thing is part of the first" + }, + "price": { + "CHS": "给……定价;问……的价格", + "ENG": "to decide the price of something that is for sale" + }, + "sector": { + "CHS": "把…分成扇形" + }, + "service": { + "CHS": "维修,检修;保养", + "ENG": "if someone services a machine or vehicle, they examine it and do what is needed to keep it working well" + }, + "search": { + "CHS": "搜寻;探究,查究", + "ENG": "an attempt to find someone or something" + }, + "experience": { + "CHS": "经验;经历;体验", + "ENG": "if you experience a problem, event, or situation, it happens to you or affects you" + }, + "require": { + "CHS": "需要;要求;命令", + "ENG": "to need something" + }, + "individual": { + "CHS": "个人,个体", + "ENG": "a person, considered separately from the rest of the group or society that they live in" + }, + "scientific": { + "CHS": "科学的,系统的", + "ENG": "about or related to science, or using its methods" + }, + "attention": { + "CHS": "注意力;关心;立正!(口令)", + "ENG": "when you carefully listen to, look at, or think about someone or something" + }, + "influential": { + "CHS": "有影响力的人物" + }, + "court": { + "CHS": "招致(失败、危险等);向…献殷勤;设法获得" + }, + "law": { + "CHS": "控告;对…起诉" + }, + "federal": { + "CHS": "(Federal)人名;(英)费德勒尔" + }, + "past": { + "CHS": "过;经过", + "ENG": "up to and beyond a person or place, without stopping" + }, + "deal": { + "CHS": "交易;(美)政策;待遇;份量", + "ENG": "treatment of a particular type that is given or received" + }, + "rise": { + "CHS": "上升;高地;增加;出现", + "ENG": "an increase in number, amount, or value" + }, + "limit": { + "CHS": "限制;限定", + "ENG": "to stop an amount or number from increasing beyond a particular point" + }, + "peer": { + "CHS": "凝视,盯着看;窥视", + "ENG": "to look very carefully at something, especially because you are having difficulty seeing it" + }, + "scientist": { + "CHS": "科学家", + "ENG": "someone who works or is trained in science" + }, + "financial": { + "CHS": "金融的;财政的,财务的", + "ENG": "relating to money or the management of money" + }, + "report": { + "CHS": "报告;报导;使报到", + "ENG": "to give people information about recent events, especially in newspapers and on television and radio" + }, + "issue": { + "CHS": "发行,发布;发给;放出,排出", + "ENG": "if an organization or someone in an official position issues something such as documents or equipment, they give these things to people who need them" + }, + "risk": { + "CHS": "冒…的危险", + "ENG": "to put something in a situation in which it could be lost, destroyed, or harmed" + }, + "method": { + "CHS": "使用体验派表演方法的" + }, + "publish": { + "CHS": "出版;发表;公布", + "ENG": "to arrange for a book, magazine etc to be written, printed, and sold" + }, + "practice": { + "CHS": "练习;实习;实行" + }, + "future": { + "CHS": "将来的,未来的", + "ENG": "likely to happen or exist at a time after the present" + }, + "function": { + "CHS": "运行;活动;行使职责", + "ENG": "If a machine or system is functioning, it is working or operating" + }, + "evidence": { + "CHS": "证明", + "ENG": "to show that something exists or is true" + }, + "pressure": { + "CHS": "迫使;密封;使……增压" + }, + "turn": { + "CHS": "转弯;变化;(损害或有益于别人的)行为,举动,举止", + "ENG": "a sudden or unexpected change that makes a situation develop in a different way" + }, + "argue": { + "CHS": "(Argue)人名;(英、法)阿格" + }, + "support": { + "CHS": "支持,维持;支援,供养;支持者,支撑物", + "ENG": "approval, encouragement, and perhaps help for a person, idea, plan etc" + }, + "offer": { + "CHS": "提议;出价;意图;录取通知书", + "ENG": "a statement saying that you are willing to do something for someone or give them something" + }, + "understand": { + "CHS": "理解;懂;获悉;推断;省略", + "ENG": "to know the meaning of what someone is telling you, or the language that they speak" + }, + "history": { + "CHS": "历史,历史学;历史记录;来历", + "ENG": "all the things that happened in the past, especially the political, social, or economic development of a nation" + }, + "bring": { + "CHS": "(Bring)人名;(英、瑞典)布林" + }, + "knowledge": { + "CHS": "知识,学问;知道,认识;学科", + "ENG": "the information, skills, and understanding that you have gained through learning or experience" + }, + "medical": { + "CHS": "医生;体格检查", + "ENG": "an examination of your body by a doctor to see if you are healthy" + }, + "rate": { + "CHS": "认为;估价;责骂", + "ENG": "if you rate someone or something, you think they are very good" + }, + "continue": { + "CHS": "继续,延续;仍旧,连续", + "ENG": "to not stop happening, existing, or doing something" + }, + "monkey": { + "CHS": "胡闹;捣蛋" + }, + "student": { + "CHS": "学生;学者", + "ENG": "someone who is studying at a university, school etc" + }, + "smell": { + "CHS": "气味,嗅觉;臭味", + "ENG": "the quality that people and animals recognize by using their nose" + }, + "single": { + "CHS": "选出" + }, + "average": { + "CHS": "算出…的平均数;将…平均分配;使…平衡", + "ENG": "to usually do something or usually happen a particular number of times, or to usually be a particular size or amount" + }, + "loss": { + "CHS": "减少;亏损;失败;遗失", + "ENG": "the fact of no longer having something, or of having less of it than you used to have, or the process by which this happens" + }, + "legal": { + "CHS": "(Legal)人名;(法)勒加尔" + }, + "effect": { + "CHS": "产生;达到目的" + }, + "feeling": { + "CHS": "感觉;认为(feel的现在分词);触摸" + }, + "gamble": { + "CHS": "赌博;冒险;打赌", + "ENG": "an action or plan that involves a risk but that you hope will succeed" + }, + "writing": { + "CHS": "书写(write的ing形式)" + }, + "share": { + "CHS": "份额;股份", + "ENG": "one of the equal parts into which the ownership of a company is divided" + }, + "earn": { + "CHS": "(Earn)人名;(泰)炎" + }, + "message": { + "CHS": "报信,报告;[通信] 报文" + }, + "standard": { + "CHS": "标准的;合规格的;公认为优秀的", + "ENG": "accepted as normal or usual" + }, + "quit": { + "CHS": "摆脱了…的;已经了结的" + }, + "railroad": { + "CHS": "铁路;铁路公司", + "ENG": "a railway or the railway" + }, + "certain": { + "CHS": "(Certain)人名;(葡)塞尔塔因;(法)塞尔坦" + }, + "decision": { + "CHS": "决定,决心;决议", + "ENG": "a choice or judgment that you make after a period of discussion or thought" + }, + "performance": { + "CHS": "性能;绩效;表演;执行;表现", + "ENG": "when someone performs a play or a piece of music" + }, + "concept": { + "CHS": "观念,概念", + "ENG": "an idea of how something is, or how something should be done" + }, + "class": { + "CHS": "极好的;很好的,优秀的,出色的" + }, + "difference": { + "CHS": "差异;不同;争执", + "ENG": "a way in which two or more people or things are not like each other" + }, + "genetic": { + "CHS": "遗传的;基因的;起源的", + "ENG": "relating to genes or genetics" + }, + "journal": { + "CHS": "日报,杂志;日记;分类账", + "ENG": "a serious magazine produced for professional people or those with a particular interest" + }, + "slave": { + "CHS": "苦干;拼命工作", + "ENG": "to work very hard with little time to rest" + }, + "brain": { + "CHS": "猛击…的头部", + "ENG": "to hit someone very hard on the head – used humorously" + }, + "response": { + "CHS": "响应;反应;回答", + "ENG": "something that is done as a reaction to something that has happened or been said" + }, + "potential": { + "CHS": "潜在的;可能的;势的", + "ENG": "likely to develop into a particular type of person or thing in the future" + }, + "site": { + "CHS": "设置;为…选址", + "ENG": "to place or build something in a particular place" + }, + "produce": { + "CHS": "农产品,产品", + "ENG": "food or other things that have been grown or produced on a farm to be sold" + }, + "spread": { + "CHS": "伸展的" + }, + "attitude": { + "CHS": "态度;看法;意见;姿势", + "ENG": "the opinions and feelings that you usually have about something, especially when this is shown in your behaviour" + }, + "living": { + "CHS": "生活;居住(live的ing形式);度过" + }, + "union": { + "CHS": "联盟,协会;工会;联合", + "ENG": "an organization formed by workers to protect their rights" + }, + "born": { + "CHS": "(Born)人名;(柬)邦;(英、西、俄、捷、德、瑞典、匈)博恩" + }, + "define": { + "CHS": "(Define)人名;(英)德法恩;(葡)德菲内" + }, + "critic": { + "CHS": "批评家,评论家;爱挑剔的人", + "ENG": "someone whose job is to make judgments about the good and bad qualities of art, music, films etc" + }, + "institution": { + "CHS": "制度;建立;(社会或宗教等)公共机构;习俗", + "ENG": "a large organization that has a particular kind of work or purpose" + }, + "experiment": { + "CHS": "实验,试验;尝试", + "ENG": "a scientific test done to find out how something reacts under certain conditions, or to find out if a particular idea is true" + }, + "adult": { + "CHS": "成年人", + "ENG": "a fully-grown person, or one who is considered to be legally responsible for their actions" + }, + "review": { + "CHS": "回顾;检查;复审", + "ENG": "to examine, consider, and judge a situation or process carefully in order to see if changes are necessary" + }, + "generation": { + "CHS": "一代;产生;一代人;生殖", + "ENG": "all people of about the same age" + }, + "quality": { + "CHS": "优质的;高品质的;<英俚>棒极了", + "ENG": "very good – used especially by people who are trying to sell something" + }, + "criticism": { + "CHS": "批评;考证;苛求", + "ENG": "remarks that say what you think is bad about someone or something" + }, + "remain": { + "CHS": "遗迹;剩余物,残骸", + "ENG": "Theremainsof something are the parts of it that are left after most of it has been taken away or destroyed" + }, + "product": { + "CHS": "产品;结果;[数] 乘积;作品", + "ENG": "something that is grown or made in a factory in large quantities, usually in order to be sold" + }, + "nation": { + "CHS": "国家;民族;国民", + "ENG": "a country, considered especially in relation to its people and its social or economic structure" + }, + "infer": { + "CHS": "推断;推论", + "ENG": "to form an opinion that something is probably true because of information that you have" + }, + "community": { + "CHS": "社区;[生态] 群落;共同体;团体", + "ENG": "the people who live in the same area, town etc" + }, + "happy": { + "CHS": "(Happy)人名;(英、瑞典、喀)哈皮" + }, + "cover": { + "CHS": "封面,封皮;盖子;掩蔽物;幌子,借口", + "ENG": "the outer front or back part of a magazine, book etc" + }, + "publication": { + "CHS": "出版;出版物;发表", + "ENG": "The publication of a book or magazine is the act of printing it and sending it to stores to be sold" + }, + "segment": { + "CHS": "段;部分", + "ENG": "a part of something that is different from or affected differently from the whole in some way" + }, + "seek": { + "CHS": "寻求;寻找;探索;搜索", + "ENG": "to try to achieve or get something" + }, + "condition": { + "CHS": "决定;使适应;使健康;以…为条件", + "ENG": "to make a person or an animal think or behave in a certain way by influencing or training them over a period of time" + }, + "internet": { + "CHS": "因特网" + }, + "success": { + "CHS": "成功,成就;胜利;大获成功的人或事物", + "ENG": "when you achieve what you want or intend" + }, + "fund": { + "CHS": "投资;资助", + "ENG": "to provide money for an activity, organization, event etc" + }, + "structure": { + "CHS": "组织;构成;建造", + "ENG": "to arrange the different parts of something into a pattern or system in which each part is connected to the others" + }, + "sense": { + "CHS": "感觉到;检测", + "ENG": "if you sense something, you feel that it exists or is true, without being told or having proof" + }, + "newspaper": { + "CHS": "报纸", + "ENG": "a set of large folded sheets of printed paper containing news, articles, pictures, advertisements etc which is sold daily or weekly" + }, + "customer": { + "CHS": "顾客;家伙", + "ENG": "someone who buys goods or services from a shop, company etc" + }, + "learned": { + "CHS": "(Learned)人名;(英)勒尼德" + }, + "board": { + "CHS": "上(飞机、车、船等);用板盖上;给提供膳宿", + "ENG": "to get on a bus, plane, train etc in order to travel somewhere" + }, + "president": { + "CHS": "总统;董事长;校长;主席", + "ENG": "the official leader of a country that does not have a king or queen" + }, + "remove": { + "CHS": "移动;距离;搬家", + "ENG": "a distance or amount by which two things are separated" + }, + "series": { + "CHS": "系列,连续;[电] 串联;级数;丛书", + "ENG": "several events or actions of a similar type that happen one after the other" + }, + "record": { + "CHS": "创纪录的", + "ENG": "You use record to say that something is higher, lower, better, or worse than has ever been achieved before" + }, + "moral": { + "CHS": "道德;寓意", + "ENG": "principles or standards of good behaviour, especially in matters of sex" + }, + "production": { + "CHS": "成果;产品;生产;作品", + "ENG": "the process of making or growing things to be sold, especially in large quantities" + }, + "population": { + "CHS": "人口;[生物] 种群,[生物] 群体;全体居民", + "ENG": "the number of people living in a particular area, country etc" + }, + "underline": { + "CHS": "下划线;下期节目预告" + }, + "humanity": { + "CHS": "人类;人道;仁慈;人文学科", + "ENG": "people in general" + }, + "position": { + "CHS": "安置;把……放在适当位置", + "ENG": "to carefully put something in a particular position" + }, + "particular": { + "CHS": "详细说明;个别项目", + "ENG": "the facts and details about a job, property, legal case etc" + }, + "immigrant": { + "CHS": "移民,侨民", + "ENG": "someone who enters another country to live there permanently" + }, + "opportunity": { + "CHS": "时机,机会", + "ENG": "a chance to do something or an occasion when it is easy for you to do something" + }, + "access": { + "CHS": "进入;使用权;通路", + "ENG": "the right to enter a place, use something, see someone etc" + }, + "observe": { + "CHS": "庆祝", + "ENG": "If you observe an important day such as a holiday or anniversary, you do something special in order to honour or celebrate it" + }, + "stay": { + "CHS": "逗留;停止;支柱", + "ENG": "a limited time of living in a place" + }, + "commercial": { + "CHS": "商业广告", + "ENG": "an advertisement on television or radio" + }, + "reveal": { + "CHS": "揭露;暴露;门侧,窗侧" + }, + "effort": { + "CHS": "努力;成就", + "ENG": "an attempt to do something, especially when this involves a lot of hard work or determination" + }, + "reduce": { + "CHS": "减少;降低;使处于;把…分解", + "ENG": "to make something smaller or less in size, amount, or price" + }, + "term": { + "CHS": "把…叫做", + "ENG": "to use a particular word or expression to name or describe something" + }, + "action": { + "CHS": "行动;活动;功能;战斗;情节", + "ENG": "the process of doing something, especially in order to achieve a particular thing" + }, + "decade": { + "CHS": "十年,十年期;十", + "ENG": "a period of 10 years" + }, + "productivity": { + "CHS": "生产力;生产率;生产能力", + "ENG": "the rate at which goods are produced, and the amount produced, especially in relation to the work, time, and money needed to produce them" + }, + "sentence": { + "CHS": "判决,宣判", + "ENG": "if a judge sentences someone who is guilty of a crime, they give them a punishment" + }, + "celebrity": { + "CHS": "名人;名声", + "ENG": "a famous living person" + }, + "teacher": { + "CHS": "教师;导师", + "ENG": "someone whose job is to teach, especially in a school" + }, + "concern": { + "CHS": "关系;关心;关心的事;忧虑", + "ENG": "something that is important to you or that involves you" + }, + "score": { + "CHS": "获得;评价;划线,刻划;把…记下", + "ENG": "to win a point in a sport, game, competition, or test" + }, + "variety": { + "CHS": "多样;种类;杂耍;变化,多样化", + "ENG": "the differences within a group, set of actions etc that make it interesting" + }, + "unique": { + "CHS": "独一无二的人或物" + }, + "depend": { + "CHS": "依赖,依靠;取决于;相信,信赖", + "ENG": "If you depend on someone or something, you need them in order to be able to survive physically, financially, or emotionally" + }, + "nuclear": { + "CHS": "原子能的;[细胞] 细胞核的;中心的;原子核的", + "ENG": "relating to or involving the nucleus (= central part ) of an atom, or the energy produced when the nucleus of an atom is either split or joined with the nucleus of another atom" + }, + "involve": { + "CHS": "包含;牵涉;使陷于;潜心于", + "ENG": "if an activity or situation involves something, that thing is part of it or a result of it" + }, + "career": { + "CHS": "全速前进,猛冲", + "ENG": "to move forwards quickly without control, making sudden sideways movements" + }, + "belief": { + "CHS": "相信,信赖;信仰;教义", + "ENG": "the feeling that something is definitely true or definitely exists" + }, + "spend": { + "CHS": "预算" + }, + "necessary": { + "CHS": "必需品", + "ENG": "things such as food or basic clothes that you need in order to live" + }, + "general": { + "CHS": "一般;将军,上将;常规", + "ENG": "an officer of very high rank in the army or air force" + }, + "cure": { + "CHS": "治疗;治愈;[临床] 疗法", + "ENG": "a medicine or medical treatment that makes an illness go away" + }, + "network": { + "CHS": "网络;广播网;网状物", + "ENG": "a system of lines, tubes, wires, roads etc that cross each other and are connected to each other" + }, + "determine": { + "CHS": "(使)下决心,(使)做出决定", + "ENG": "to officially decide something" + }, + "possible": { + "CHS": "可能性;合适的人;可能的事物", + "ENG": "someone or something that might be suitable or acceptable for a particular purpose" + }, + "security": { + "CHS": "安全的;保安的;保密的" + }, + "organization": { + "CHS": "组织;机构;体制;团体", + "ENG": "a group such as a club or business that has formed for a particular purpose" + }, + "pursuit": { + "CHS": "追赶,追求;职业,工作", + "ENG": "when someone tries to get, achieve, or find something in a determined way" + }, + "plant": { + "CHS": "种植;培养;栽培;安置", + "ENG": "to put plants or seeds in the ground to grow" + }, + "situation": { + "CHS": "情况;形势;处境;位置", + "ENG": "a combination of all the things that are happening and all the conditions that exist at a particular time in a particular place" + }, + "agency": { + "CHS": "代理,中介;代理处,经销处", + "ENG": "a business that provides a particular service for people or organizations" + }, + "natural": { + "CHS": "自然的事情;白痴;本位音", + "ENG": "a musical note that has been changed from a flat to be a semitone higher, or from a sharp to be a semitone lower" + }, + "speak": { + "CHS": "说话;演讲;表明;陈述", + "ENG": "to use your voice to produce words" + }, + "feature": { + "CHS": "起重要作用" + }, + "translation": { + "CHS": "翻译;译文;转化;调任", + "ENG": "when you translate something, or something that has been translated" + }, + "mass": { + "CHS": "聚集起来,聚集", + "ENG": "to come together, or to make people or things come together, in a large group" + }, + "achieve": { + "CHS": "取得;获得;实现;成功", + "ENG": "to successfully complete something or get a good result, especially by working hard" + }, + "agree": { + "CHS": "同意,赞成;承认;约定,商定", + "ENG": "to have or express the same opinion about something as someone else" + }, + "difficult": { + "CHS": "困难的;不随和的;执拗的", + "ENG": "hard to do, understand, or deal with" + }, + "formal": { + "CHS": "正式的社交活动;夜礼服", + "ENG": "a dance at which you have to wear formal clothes" + }, + "lawyer": { + "CHS": "律师;法学家", + "ENG": "someone whose job is to advise people about laws, write formal agreements, or represent people in court" + }, + "trend": { + "CHS": "趋向,伸向" + }, + "order": { + "CHS": "命令;整理;定购", + "ENG": "to tell someone that they must do something, especially using your official power or authority" + }, + "advantage": { + "CHS": "获利" + }, + "suppose": { + "CHS": "假使…结果会怎样" + }, + "province": { + "CHS": "省;领域;职权", + "ENG": "one of the large areas into which some countries are divided, and which usually has its own local government" + }, + "soccer": { + "CHS": "英式足球,足球", + "ENG": "a sport played by two teams of 11 players, who try to kick a round ball into their opponents’ goal " + }, + "encourage": { + "CHS": "鼓励,怂恿;激励;支持", + "ENG": "to give someone the courage or confidence to do something" + }, + "promise": { + "CHS": "允诺,许诺;给人以…的指望或希望", + "ENG": "If you promise that you will do something, you say to someone that you will definitely do it" + }, + "sign": { + "CHS": "签署;签名", + "ENG": "to write your signature on something to show that you wrote it, agree with it, or were present" + }, + "analysis": { + "CHS": "分析;分解;验定", + "ENG": "a process in which a doctor makes someone talk about their past experiences, relationships etc in order to help them with mental or emotional problems" + }, + "translate": { + "CHS": "翻译;转化;解释;转变为;调动", + "ENG": "to change written or spoken words into another language" + }, + "expert": { + "CHS": "当专家;在…中当行家" + }, + "present": { + "CHS": "现在;礼物;瞄准", + "ENG": "something you give someone on a special occasion or to thank them for something" + }, + "justice": { + "CHS": "司法,法律制裁;正义;法官,审判员", + "ENG": "the system by which people are judged in courts of law and criminals are punished" + }, + "apply": { + "CHS": "申请;涂,敷;应用", + "ENG": "to make a formal request, usually written, for something such as a job, a place at a university, or permission to do something" + }, + "limited": { + "CHS": "高级快车" + }, + "source": { + "CHS": "来源;水源;原始资料", + "ENG": "a thing, place, activity etc that you get something from" + }, + "carry": { + "CHS": "运载;[计] 进位;射程", + "ENG": "the distance a ball or bullet travels after it has been thrown, hit, or fired" + }, + "focus": { + "CHS": "使集中;使聚焦", + "ENG": "to give special attention to one particular person or thing, or to make people do this" + }, + "sleep": { + "CHS": "睡眠", + "ENG": "the natural state of resting your mind and body, usually at night" + }, + "reality": { + "CHS": "现实;实际;真实", + "ENG": "what actually happens or is true, not what is imagined or thought" + }, + "catch": { + "CHS": "捕捉;捕获物;窗钩" + }, + "basic": { + "CHS": "基础;要素" + }, + "drink": { + "CHS": "酒,饮料;喝酒", + "ENG": "an amount of liquid that you drink, or the act of drinking something" + }, + "finding": { + "CHS": "找到;感到(find的ing形式);遇到" + }, + "visit": { + "CHS": "访问;参观;视察", + "ENG": "to go and spend time in a place or with someone, especially for pleasure or interest" + }, + "model": { + "CHS": "模范的;作模型用的", + "ENG": "Model is also an adjective" + }, + "matter": { + "CHS": "有关系;要紧", + "ENG": "to be important, especially to be important to you, or to have an effect on what happens" + }, + "physical": { + "CHS": "体格检查", + "ENG": "a thorough examination of someone’s body by a doctor, in order to discover whether they are healthy or have any illnesses or medical problems" + }, + "classical": { + "CHS": "古典音乐" + }, + "growth": { + "CHS": "增长;发展;生长;种植", + "ENG": "an increase in amount, number, or size" + }, + "trade": { + "CHS": "交易,买卖;以物易物", + "ENG": "to buy and sell goods, services etc as your job or business" + }, + "track": { + "CHS": "追踪;通过;循路而行;用纤拉", + "ENG": "to search for a person or animal by following the marks they leave behind them on the ground, their smell etc" + }, + "senior": { + "CHS": "上司;较年长者;毕业班学生", + "ENG": "a student in their last year of high school or university" + }, + "educate": { + "CHS": "教育;培养;训练", + "ENG": "to teach a child at a school, college, or university" + }, + "stand": { + "CHS": "站立;立场;看台;停止", + "ENG": "a position or opinion that you state firmly and publicly" + }, + "journalist": { + "CHS": "新闻工作者;报人;记日志者", + "ENG": "someone who writes news reports for newspapers, magazines, television, or radio" + }, + "setting": { + "CHS": "放置;沉没;使…处于某位置(set的ing形式)" + }, + "return": { + "CHS": "报答的;回程的;返回的", + "ENG": "used or paid for a journey from one place to another and back again" + }, + "relationship": { + "CHS": "关系;关联", + "ENG": "the way in which two people or two groups feel about each other and behave towards each other" + }, + "pattern": { + "CHS": "模仿;以图案装饰", + "ENG": "to be designed or made in a way that is copied from something else" + }, + "emerge": { + "CHS": "浮现;摆脱;暴露", + "ENG": "to appear or come out from somewhere" + }, + "ignore": { + "CHS": "驳回诉讼;忽视;不理睬", + "ENG": "to deliberately pay no attention to something that you have been told or that you know about" + }, + "flow": { + "CHS": "流动;流量;涨潮,泛滥", + "ENG": "a smooth steady movement of liquid, gas, or electricity" + }, + "suitable": { + "CHS": "适当的;相配的", + "ENG": "having the right qualities for a particular person, purpose, or situation" + }, + "environment": { + "CHS": "环境,外界", + "ENG": "the air, water, and land on Earth, which is affected by man’s activities" + }, + "exercise": { + "CHS": "锻炼;练习;使用;使忙碌;使惊恐", + "ENG": "to use a power, right, or quality that you have" + }, + "force": { + "CHS": "促使,推动;强迫;强加", + "ENG": "to make someone do something they do not want to do" + }, + "introduce": { + "CHS": "介绍;引进;提出;采用", + "ENG": "if you introduce someone to another person, you tell them each other’s names for the first time" + }, + "personal": { + "CHS": "人事消息栏;人称代名词" + }, + "negative": { + "CHS": "否定;拒绝", + "ENG": "to refuse to accept a proposal or request" + }, + "native": { + "CHS": "本地人;土产;当地居民", + "ENG": "someone who lives in a place all the time or has lived there a long time" + }, + "investment": { + "CHS": "投资;投入;封锁", + "ENG": "the use of money to get a profit or to make a business activity successful, or the money that is used" + }, + "exchange": { + "CHS": "交换;交易;兑换", + "ENG": "to replace one thing with another" + }, + "range": { + "CHS": "(在内)变动;平行,列为一行;延伸;漫游;射程达到", + "ENG": "to move around in an area without aiming for a particular place" + }, + "professional": { + "CHS": "专业人员;职业运动员", + "ENG": "someone who earns money by doing a job, sport, or activity that many other people do just for fun" + }, + "strong": { + "CHS": "(Strong)人名;(英)斯特朗" + }, + "extra": { + "CHS": "额外的,另外收费的;特大的", + "ENG": "more of something, in addition to the usual or standard amount or number" + }, + "threat": { + "CHS": "威胁,恐吓;凶兆", + "ENG": "a statement in which you tell someone that you will cause them harm or trouble if they do not do what you want" + }, + "successful": { + "CHS": "成功的;一帆风顺的", + "ENG": "achieving what you wanted, or having the effect or result you intended" + }, + "conduct": { + "CHS": "进行;行为;实施", + "ENG": "the way someone behaves, especially in public, in their job etc" + }, + "consequence": { + "CHS": "结果;重要性;推论", + "ENG": "something that happens as a result of a particular action or set of conditions" + }, + "simply": { + "CHS": "简单地;仅仅;简直;朴素地;坦白地", + "ENG": "used to emphasize what you are saying" + }, + "largely": { + "CHS": "主要地;大部分;大量地", + "ENG": "mostly or mainly" + }, + "evolution": { + "CHS": "演变;进化论;进展", + "ENG": "the scientific idea that plants and animals develop and change gradually over a long period of time" + }, + "enhance": { + "CHS": "提高;加强;增加", + "ENG": "to improve something" + }, + "emotion": { + "CHS": "情感;情绪", + "ENG": "a strong human feeling such as love, hate, or anger" + }, + "usual": { + "CHS": "通常的,惯例的;平常的", + "ENG": "happening, done, or existing most of the time or in most situations" + }, + "guide": { + "CHS": "引导;带领;操纵", + "ENG": "to take someone to a place" + }, + "economy": { + "CHS": "经济;节约;理财", + "ENG": "the system by which a country’s money and goods are produced and used, or a country considered in this way" + }, + "exist": { + "CHS": "存在;生存;生活;继续存在", + "ENG": "to happen or be present in a particular situation or place" + }, + "politics": { + "CHS": "政治,政治学;政治活动;政纲", + "ENG": "ideas and activities relating to gaining and using power in a country, city etc" + }, + "expose": { + "CHS": "揭露,揭发;使曝光;显示", + "ENG": "to show something that is usually covered or hidden" + }, + "technology": { + "CHS": "技术;工艺;术语", + "ENG": "new machines, equipment, and ways of doing things that are based on modern knowledge about science and computers" + }, + "predict": { + "CHS": "预报,预言;预知", + "ENG": "to say that something will happen, before it happens" + }, + "epidemic": { + "CHS": "传染病;流行病;风尚等的流行", + "ENG": "a large number of cases of a disease that happen at the same time" + }, + "smoke": { + "CHS": "冒烟,吸烟;抽烟;弥漫", + "ENG": "to suck or breathe in smoke from a cigarette, pipe etc or to do this regularly as a habit" + }, + "firm": { + "CHS": "公司;商号", + "ENG": "a business or company, especially a small one" + }, + "discipline": { + "CHS": "训练,训导;惩戒", + "ENG": "to teach someone to obey rules and control their behaviour" + }, + "emphasize": { + "CHS": "强调,着重", + "ENG": "to say something in a strong way" + }, + "poetry": { + "CHS": "诗;诗意,诗情;诗歌艺术", + "ENG": "poems in general, or the art of writing them" + }, + "conscious": { + "CHS": "意识到的;故意的;神志清醒的", + "ENG": "noticing or realizing something" + }, + "goal": { + "CHS": "攻门,射门得分" + }, + "outcome": { + "CHS": "结果,结局;成果", + "ENG": "the final result of a meeting, discussion, war etc – used especially when no one knows what it will be until it actually happens" + }, + "reader": { + "CHS": "读者;阅读器;读物", + "ENG": "someone who reads books, or who reads in a particular way" + }, + "reputation": { + "CHS": "名声,名誉;声望", + "ENG": "the opinion that people have about someone or something because of what has happened in the past" + }, + "identify": { + "CHS": "确定;鉴定;识别,辨认出;使参与;把…看成一样 vi确定;认同;一致", + "ENG": "to recognize and correctly name someone or something" + }, + "express": { + "CHS": "快车,快递,专使;捷运公司", + "ENG": "a train or bus that does not stop in many places and therefore travels quickly" + }, + "policy": { + "CHS": "政策,方针;保险单", + "ENG": "a way of doing something that has been officially agreed and chosen by a political party, a business, or another organization" + }, + "spy": { + "CHS": "间谍;密探", + "ENG": "someone whose job is to find out secret information about another country, organization, or group" + }, + "church": { + "CHS": "领…到教堂接受宗教仪式" + }, + "wrong": { + "CHS": "委屈;无理地对待;诽谤", + "ENG": "Wrong is also an adverb" + }, + "measure": { + "CHS": "测量;估量;权衡", + "ENG": "to find the size, length, or amount of something, using standard units such as inch es ,metres etc" + }, + "prove": { + "CHS": "证明;检验;显示", + "ENG": "to show that something is true by providing facts, information etc" + }, + "competition": { + "CHS": "竞争;比赛,竞赛", + "ENG": "a situation in which people or organizations try to be more successful than other people or organizations" + }, + "majority": { + "CHS": "多数;成年", + "ENG": "most of the people or things in a group" + }, + "store": { + "CHS": "贮藏,储存", + "ENG": "to put things away and keep them until you need them" + }, + "story": { + "CHS": "说谎" + }, + "current": { + "CHS": "(水,气,电)流;趋势;涌流", + "ENG": "a continuous movement of water in a river, lake, or sea" + }, + "scholar": { + "CHS": "学者;奖学金获得者", + "ENG": "someone who knows a lot about a particular subject, especially one that is not a science subject" + }, + "increasingly": { + "CHS": "越来越多地;渐增地", + "ENG": "more and more all the time" + }, + "expect": { + "CHS": "期望;指望;认为;预料", + "ENG": "to think that something will happen because it seems likely or has been planned" + }, + "acquire": { + "CHS": "获得;取得;学到;捕获", + "ENG": "to obtain something by buying it or being given it" + }, + "occur": { + "CHS": "发生;出现;存在", + "ENG": "to happen" + }, + "reflect": { + "CHS": "反映;反射,照出;表达;显示;反省", + "ENG": "if a person or a thing is reflected in a mirror, glass, or water, you can see an image of the person or thing on the surface of the mirror, glass, or water" + }, + "progress": { + "CHS": "前进,进步;进行", + "ENG": "to improve, develop, or achieve things so that you are then at a more advanced stage" + }, + "global": { + "CHS": "全球的;总体的;球形的", + "ENG": "affecting or including the whole world" + }, + "remember": { + "CHS": "记得;牢记;纪念;代…问好", + "ENG": "to have a picture or idea in your mind of people, events, places etc from the past" + }, + "consumption": { + "CHS": "消费;消耗;肺痨", + "ENG": "the amount of energy, oil, electricity etc that is used" + }, + "advance": { + "CHS": "预先的;先行的", + "ENG": "Advance booking, notice, or warning is done or given before an event happens" + }, + "advocate": { + "CHS": "提倡者;支持者;律师", + "ENG": "someone who publicly supports someone or something" + }, + "sort": { + "CHS": "分类;协调;交往", + "ENG": "to put things in a particular order or arrange them in groups according to size, type etc" + }, + "wake": { + "CHS": "尾迹;守夜;守丧", + "ENG": "the time before or after a funeral when friends and relatives meet to remember the dead person" + }, + "doubt": { + "CHS": "怀疑;不信;恐怕;拿不准", + "ENG": "to think that something may not be true or that it is unlikely" + }, + "figure": { + "CHS": "计算;出现;扮演角色", + "ENG": "to be an important part of a process, event, or situation, or to be included in something" + }, + "association": { + "CHS": "协会,联盟,社团;联合;联想", + "ENG": "an organization that consists of a group of people who have the same aims, do the same kind of work etc" + }, + "relation": { + "CHS": "关系;叙述;故事;亲属关系", + "ENG": "a connection between two or more things" + }, + "stop": { + "CHS": "停止;车站;障碍;逗留", + "ENG": "if an activity comes to a stop, it stops happening" + }, + "aspect": { + "CHS": "方面;方向;形势;外貌", + "ENG": "one part of a situation, idea, plan etc that has many parts" + }, + "contribute": { + "CHS": "贡献,出力;投稿;捐献", + "ENG": "to give money, help, ideas etc to something that a lot of other people are also involved in" + }, + "preserve": { + "CHS": "保护区;禁猎地;加工成的食品" + }, + "memory": { + "CHS": "记忆,记忆力;内存,[计] 存储器;回忆", + "ENG": "someone’s ability to remember things, places, experiences etc" + }, + "examine": { + "CHS": "检查;调查; 检测;考试", + "ENG": "to look at something carefully and thoroughly because you want to find out more about it" + }, + "obvious": { + "CHS": "明显的;显著的;平淡无奇的", + "ENG": "easy to notice or understand" + }, + "learning": { + "CHS": "学习(learn的现在分词)" + }, + "tradition": { + "CHS": "惯例,传统;传说", + "ENG": "a belief, custom, or way of doing something that has existed for a long time, or these beliefs, customs etc in general" + }, + "special": { + "CHS": "特别的;专门的,专用的", + "ENG": "not ordinary or usual, but different in some way and often better or more important" + }, + "benefit": { + "CHS": "有益于,对…有益", + "ENG": "if you benefit from something, or it benefits you, it gives you an advantage, improves your life, or helps you in some way" + }, + "attract": { + "CHS": "吸引;引起", + "ENG": "to make someone interested in something, or make them want to take part in something" + }, + "similar": { + "CHS": "类似物" + }, + "statement": { + "CHS": "声明;陈述,叙述;报表,清单", + "ENG": "something you say or write, especially publicly or officially, to let people know your intentions or opinions, or to record facts" + }, + "establish": { + "CHS": "建立;创办;安置", + "ENG": "to start a company, organization, system, etc that is intended to exist or continue for a long time" + }, + "avoid": { + "CHS": "避免;避开,躲避;消除", + "ENG": "to prevent something bad from happening" + }, + "secure": { + "CHS": "保护;弄到;招致;缚住", + "ENG": "to make something safe from being attacked, harmed, or lost" + }, + "collection": { + "CHS": "采集,聚集;[税收] 征收;收藏品;募捐", + "ENG": "the act of asking people to give you money for an organization that helps people, or during a church service, or the money collected in this way" + }, + "replace": { + "CHS": "取代,代替;替换,更换;归还,偿还;把…放回原处", + "ENG": "to start doing something instead of another person, or start being used instead of another thing" + }, + "lack": { + "CHS": "缺乏;不足", + "ENG": "when there is not enough of something, or none of it" + }, + "origin": { + "CHS": "起源;原点;出身;开端", + "ENG": "the place or situation in which something begins to exist" + }, + "dynamic": { + "CHS": "动态;动力", + "ENG": "something that causes action or change" + }, + "suffer": { + "CHS": "(Suffer)人名;(意)苏费尔" + }, + "female": { + "CHS": "女人;[动] 雌性动物", + "ENG": "an animal that belongs to the sex that can have babies or produce eggs" + }, + "disease": { + "CHS": "传染;使…有病" + }, + "charge": { + "CHS": "使充电;使承担;指责;装载;对…索费;向…冲去", + "ENG": "to say publicly that you think someone has done something wrong" + }, + "stock": { + "CHS": "进货;备有;装把手于…", + "ENG": "if a shop stocks a particular product, it keeps a supply of it to sell" + }, + "executive": { + "CHS": "总经理;执行委员会;执行者;经理主管人员", + "ENG": "a manager in an organization or company who helps make important decisions" + }, + "negotiate": { + "CHS": "谈判,商议;转让;越过", + "ENG": "to discuss something in order to reach an agreement, especially in business or politics" + }, + "rely": { + "CHS": "依靠;信赖", + "ENG": "If you rely on someone or something, you need them and depend on them in order to live or work properly" + }, + "desire": { + "CHS": "想要;要求;希望得到…", + "ENG": "If you desire something, you want it" + }, + "revenue": { + "CHS": "税收,国家的收入;收益", + "ENG": "money that a business or organization receives over a period of time, especially from selling goods or services" + }, + "game": { + "CHS": "赌博", + "ENG": "to play games of chance for money, stakes, etc; gamble " + }, + "draft": { + "CHS": "初步画出或(写出)的;(设计、草图、提纲或版本)正在起草中的,草拟的;以草稿形式的;草图的", + "ENG": "a piece of writing that is not yet in its finished form" + }, + "separate": { + "CHS": "分开;抽印本" + }, + "reject": { + "CHS": "被弃之物或人;次品", + "ENG": "a product that has been rejected because there is something wrong with it" + }, + "mental": { + "CHS": "精神病患者" + }, + "essential": { + "CHS": "本质;要素;要点;必需品", + "ENG": "something that is necessary to do something or in a particular situation" + }, + "root": { + "CHS": "生根;根除", + "ENG": "to grow roots" + }, + "escape": { + "CHS": "逃跑;逃亡;逃走;逃跑工具或方法;野生种;泄漏", + "ENG": "the act of getting away from a place, or a dangerous or bad situation" + }, + "phenomenon": { + "CHS": "现象;奇迹;杰出的人才", + "ENG": "something that happens or exists in society, science, or nature, especially something that is studied because it is difficult to understand" + }, + "unite": { + "CHS": "使…混合;使…联合;使…团结", + "ENG": "if different people or organizations unite, or if something unites them, they join together in order to achieve something" + }, + "fair": { + "CHS": "展览会;市集;美人", + "ENG": "an outdoor event, at which there are large machines to ride on, games to play, and sometimes farm animals being judged and sold" + }, + "article": { + "CHS": "订约将…收为学徒或见习生;使…受协议条款的约束" + }, + "discover": { + "CHS": "发现;发觉", + "ENG": "to find someone or something, either by accident or because you were looking for them" + }, + "management": { + "CHS": "管理;管理人员;管理部门;操纵;经营手段", + "ENG": "the activity of controlling and organizing the work that a company or organization does" + }, + "recent": { + "CHS": "最近的;近代的", + "ENG": "having happened or started only a short time ago" + }, + "recognize": { + "CHS": "认出,识别;承认", + "ENG": "to know who someone is or what something is, because you have seen, heard, experienced, or learned about them in the past" + }, + "insurance": { + "CHS": "保险;保险费;保险契约;赔偿金", + "ENG": "an arrangement with a company in which you pay them money, especially regularly, and they pay the costs if something bad happens, for example if you become ill or your car is damaged" + }, + "inevitable": { + "CHS": "必然的,不可避免的", + "ENG": "certain to happen and impossible to avoid" + }, + "original": { + "CHS": "原始的;最初的;独创的;新颖的", + "ENG": "existing or happening first, before other people or things" + }, + "sell": { + "CHS": "销售;失望;推销术" + }, + "status": { + "CHS": "地位;状态;情形;重要身份", + "ENG": "the official legal position or condition of a person, group, country etc" + }, + "regard": { + "CHS": "注重,考虑;看待;尊敬;把…看作;与…有关", + "ENG": "to think about someone or something in a particular way" + }, + "laughter": { + "CHS": "笑;笑声", + "ENG": "when people laugh, or the sound of people laughing" + }, + "appeal": { + "CHS": "呼吁,请求;吸引力,感染力;上诉;诉诸裁判", + "ENG": "an urgent request for something important" + }, + "favor": { + "CHS": "喜爱;欢心;好感" + }, + "sensitive": { + "CHS": "敏感的人;有灵异能力的人" + }, + "suit": { + "CHS": "诉讼;恳求;套装,西装;一套外衣", + "ENG": "a set of clothes made of the same material, usually including a jacket with trousers or a skirt" + }, + "crime": { + "CHS": "控告……违反纪律" + }, + "circuit": { + "CHS": "环行" + }, + "directly": { + "CHS": "一…就", + "ENG": "as soon as" + }, + "property": { + "CHS": "性质,性能;财产;所有权", + "ENG": "the thing or things that someone owns" + }, + "warm": { + "CHS": "取暖;加热" + }, + "skeptical": { + "CHS": "怀疑的;怀疑论的,不可知论的" + }, + "authority": { + "CHS": "权威;权力;当局", + "ENG": "the power you have because of your official position" + }, + "primary": { + "CHS": "原色;最主要者" + }, + "politician": { + "CHS": "政治家,政客", + "ENG": "someone who works in politics, especially an elected member of the government" + }, + "step": { + "CHS": "踏,踩;走", + "ENG": "to bring your foot down on something" + }, + "responsibility": { + "CHS": "责任,职责;义务", + "ENG": "a duty to be in charge of someone or something, so that you make decisions and can be blamed if something bad happens" + }, + "possibility": { + "CHS": "可能性;可能发生的事物", + "ENG": "if there is a possibility that something is true or that something will happen, it might be true or it might happen" + }, + "chemical": { + "CHS": "化学的", + "ENG": "relating to substances, the study of substances, or processes involving changes in substances" + }, + "indicate": { + "CHS": "表明;指出;预示;象征", + "ENG": "to show that a particular situation exists, or that something is likely to be true" + }, + "critical": { + "CHS": "鉴定的;[核] 临界的;批评的,爱挑剔的;危险的;决定性的;评论的", + "ENG": "if you are critical, you criticize someone or something" + }, + "southern": { + "CHS": "南方人" + }, + "importance": { + "CHS": "价值;重要;重大;傲慢", + "ENG": "the quality of being important" + }, + "adjust": { + "CHS": "调整,使…适合;校准", + "ENG": "to change or move something slightly to improve it or make it more suitable for a particular purpose" + }, + "scale": { + "CHS": "衡量;攀登;剥落;生水垢", + "ENG": "to climb to the top of something that is high and difficult to climb" + }, + "everyday": { + "CHS": "平时;寻常日子" + }, + "philosopher": { + "CHS": "哲学家;哲人", + "ENG": "someone who studies and develops ideas about the nature and meaning of existence, truth, good and evil etc" + }, + "magazine": { + "CHS": "杂志;弹药库;胶卷盒", + "ENG": "a large thin book with a paper cover that contains news stories, articles, photographs etc, and is sold weekly or monthly" + }, + "trouble": { + "CHS": "麻烦;使烦恼;折磨", + "ENG": "to say something or ask someone to do something which may use or waste their time or upset them" + }, + "traffic": { + "CHS": "用…作交换;在…通行" + }, + "size": { + "CHS": "依大小排列", + "ENG": "to sort according to size " + }, + "worm": { + "CHS": "使蠕动;给除虫;使缓慢前进" + }, + "bite": { + "CHS": "机内测试设备(Built-In Test Equipment)" + }, + "code": { + "CHS": "编码;制成法典" + }, + "cope": { + "CHS": "长袍", + "ENG": "a long loose piece of clothing worn by priests on special occasions" + }, + "generate": { + "CHS": "使形成;发生;生殖;产生物理反应", + "ENG": "to produce or cause something" + }, + "modern": { + "CHS": "现代人;有思想的人" + }, + "payment": { + "CHS": "付款,支付;报酬,报答;偿还;惩罚,报应", + "ENG": "the act of paying for something" + }, + "respect": { + "CHS": "尊敬,尊重;遵守", + "ENG": "to admire someone because they have high standards and good qualities such as fairness and honesty" + }, + "campaign": { + "CHS": "运动;活动;战役", + "ENG": "a series of actions intended to achieve a particular result relating to politics or business, or a social improvement" + }, + "labor": { + "CHS": "劳动;努力;苦干" + }, + "colleague": { + "CHS": "同事,同僚", + "ENG": "someone you work with – used especially by professional people" + }, + "element": { + "CHS": "元素;要素;原理;成分;自然环境", + "ENG": "one part or feature of a whole system, plan, piece of work etc, especially one that is basic or important" + }, + "sight": { + "CHS": "见票即付的;即席的" + }, + "trust": { + "CHS": "信任,信赖;盼望;赊卖给", + "ENG": "to believe that someone is honest or will not do anything bad or wrong" + }, + "link": { + "CHS": "连接,连结;联合,结合", + "ENG": "to physically join two or more things, people, or places" + }, + "town": { + "CHS": "城镇,市镇;市内商业区", + "ENG": "a large area with houses, shops, offices etc where people live and work, that is smaller than a city and larger than a village" + }, + "freedom": { + "CHS": "自由,自主;直率", + "ENG": "the right to do what you want without being controlled or restricted by anyone" + }, + "partner": { + "CHS": "合伙;合股;成为搭档" + }, + "sit": { + "CHS": "(Sit)人名;(东南亚国家华语)硕;(罗)西特" + }, + "department": { + "CHS": "部;部门;系;科;局", + "ENG": "one of the groups of people who work together in a particular part of a large organization such as a hospital, university, company, or government" + }, + "manager": { + "CHS": "经理;管理人员", + "ENG": "someone whose job is to manage part or all of a company or other organization" + }, + "worth": { + "CHS": "价值;财产", + "ENG": "an amount of something worth ten pounds, $500 etc" + }, + "design": { + "CHS": "设计;图案", + "ENG": "the art or process of making a drawing of something to show how you will make it or what it will look like" + }, + "commit": { + "CHS": "犯罪,做错事;把交托给;指派…作战;使…承担义务", + "ENG": "to do something wrong or illegal" + }, + "ancestor": { + "CHS": "始祖,祖先;被继承人", + "ENG": "a member of your family who lived a long time ago" + }, + "hijack": { + "CHS": "劫持;威逼;敲诈", + "ENG": "when a plane, vehicle etc is hijacked" + }, + "rest": { + "CHS": "休息,静止;休息时间;剩余部分;支架", + "ENG": "a period of time when you are not doing anything tiring and you can relax or sleep" + }, + "enter": { + "CHS": "[计] 输入;回车" + }, + "innovation": { + "CHS": "创新,革新;新方法", + "ENG": "a new idea, method, or invention" + }, + "sustain": { + "CHS": "维持;支撑,承担;忍受;供养;证实", + "ENG": "to make something continue to exist or happen for a period of time" + }, + "image": { + "CHS": "想象;反映;象征;作…的像" + }, + "retail": { + "CHS": "零售的" + }, + "teenager": { + "CHS": "十几岁的青少年;十三岁到十九岁的少年", + "ENG": "someone who is between 13 and 19 years old" + }, + "manner": { + "CHS": "方式;习惯;种类;规矩;风俗", + "ENG": "the way in which something is done or happens" + }, + "threaten": { + "CHS": "威胁;恐吓;预示", + "ENG": "to say that you will cause someone harm or trouble if they do not do what you want" + }, + "month": { + "CHS": "月,一个月的时间", + "ENG": "one of the 12 named periods of time that a year is divided into" + }, + "international": { + "CHS": "国际的;两国(或以上)国家的;超越国界的;国际关系的;世界的", + "ENG": "relating to or involving more than one nation" + }, + "repeat": { + "CHS": "重复;副本", + "ENG": "the sign that tells a performer to play a piece of music again, or the music that is played again" + }, + "neglect": { + "CHS": "疏忽,忽视;怠慢", + "ENG": "failure to look after something or someone, or the condition of not being looked after" + }, + "mode": { + "CHS": "模式;方式;风格;时尚", + "ENG": "a particular way or style of behaving, living or doing something" + }, + "shop": { + "CHS": "购物", + "ENG": "to go to one or more shops to buy things" + }, + "folk": { + "CHS": "民间的", + "ENG": "folk art, stories, customs etc are traditional and typical of the ordinary people who live in a particular area" + }, + "justify": { + "CHS": "证明合法;整理版面", + "ENG": "To justify a decision, action, or idea means to show or prove that it is reasonable or necessary" + }, + "mention": { + "CHS": "提及,说起", + "ENG": "when someone mentions something or someone in a conversation, piece of writing etc" + }, + "resistant": { + "CHS": "抵抗者" + }, + "daily": { + "CHS": "日常地;每日;天天", + "ENG": "happening or done every day" + }, + "random": { + "CHS": "胡乱地" + }, + "decline": { + "CHS": "下降;衰落;谢绝", + "ENG": "to say no politely when someone invites you somewhere, offers you something, or wants you to do something" + }, + "objective": { + "CHS": "目的;目标;[光] 物镜;宾格", + "ENG": "something that you are trying hard to achieve, especially in business or politics" + }, + "stick": { + "CHS": "棍;手杖;呆头呆脑的人", + "ENG": "a long thin piece of wood, plastic etc that you use for a particular purpose" + }, + "factor": { + "CHS": "做代理商" + }, + "rail": { + "CHS": "抱怨;责骂", + "ENG": "to complain angrily about something, especially something that you think is very unfair" + }, + "fall": { + "CHS": "秋天的" + }, + "refer": { + "CHS": "参考;涉及;提到;查阅", + "ENG": "If you refer to a particular subject or person, you talk about them or mention them" + }, + "short": { + "CHS": "不足;突然;唐突地", + "ENG": "to almost do something but then decide not to do it" + }, + "argument": { + "CHS": "论证;论据;争吵;内容提要", + "ENG": "a situation in which two or more people disagree, often angrily" + }, + "task": { + "CHS": "工作,作业;任务", + "ENG": "a piece of work that must be done, especially one that is difficult or unpleasant or that must be done regularly" + }, + "manage": { + "CHS": "管理;经营;控制;设法", + "ENG": "to direct or control a business or department and the people, equipment, and money involved in it" + }, + "low": { + "CHS": "牛叫" + }, + "presence": { + "CHS": "存在;出席;参加;风度;仪态", + "ENG": "when someone or something is present in a particular place" + }, + "match": { + "CHS": "比赛,竞赛;匹配;对手;火柴", + "ENG": "an organized sports event between two teams or people" + }, + "parallel": { + "CHS": "平行的;类似的,相同的", + "ENG": "two lines, paths etc that are parallel to each other are the same distance apart along their whole length" + }, + "military": { + "CHS": "军队;军人", + "ENG": "the military forces of a country" + }, + "conflict": { + "CHS": "冲突,抵触;争执;战斗", + "ENG": "if two ideas, beliefs, opinions etc conflict, they cannot exist together or both be true" + }, + "possibly": { + "CHS": "可能地;也许;大概", + "ENG": "used when saying that something may be true or likely, although you are not completely certain" + }, + "addict": { + "CHS": "使沉溺;使上瘾" + }, + "joy": { + "CHS": "欣喜,欢喜", + "ENG": "to be happy because of something" + }, + "puzzle": { + "CHS": "谜;难题;迷惑", + "ENG": "something that is difficult to understand or explain" + }, + "draw": { + "CHS": "平局;抽签", + "ENG": "the final result of a game or competition in which both teams or players have the same number of points" + }, + "drive": { + "CHS": "驱动器;驾车;[心理] 内驱力,推进力;快车道", + "ENG": "a journey in a car" + }, + "contrast": { + "CHS": "对比;差别;对照物", + "ENG": "a difference between people, ideas, situations, things etc that are being compared" + }, + "background": { + "CHS": "背景的;发布背景材料的" + }, + "wall": { + "CHS": "墙壁的" + }, + "artist": { + "CHS": "艺术家;美术家(尤指画家);大师", + "ENG": "someone who produces art, especially paintings or drawings" + }, + "communication": { + "CHS": "通讯,[通信] 通信;交流;信函", + "ENG": "the process by which people exchange information or express their thoughts and feelings" + }, + "combine": { + "CHS": "联合收割机;联合企业", + "ENG": "a machine used by farmers to cut grain, separate the seeds from it, and clean it" + }, + "alphabet": { + "CHS": "字母表,字母系统;入门,初步", + "ENG": "a set of letters, arranged in a particular order, and used in writing" + }, + "fight": { + "CHS": "打架;战斗,斗志", + "ENG": "a situation in which two people or groups hit, push etc each other" + }, + "crisis": { + "CHS": "危机的;用于处理危机的" + }, + "approve": { + "CHS": "批准;赞成;为…提供证据", + "ENG": "to officially accept a plan, proposal etc" + }, + "agreement": { + "CHS": "协议;同意,一致", + "ENG": "an arrangement or promise to do something, made by two or more people, companies, organizations etc" + }, + "surprise": { + "CHS": "令人惊讶的" + }, + "imagine": { + "CHS": "想像;猜想;臆断", + "ENG": "to form a picture or idea in your mind about what something could be like" + }, + "reliable": { + "CHS": "可靠的人" + }, + "collect": { + "CHS": "(Collect)人名;(英)科莱克特" + }, + "forget": { + "CHS": "(Forget)人名;(法)福尔热" + }, + "supreme": { + "CHS": "至高;霸权" + }, + "strain": { + "CHS": "拉紧;尽力", + "ENG": "to try very hard to do something using all your strength or ability" + }, + "ready": { + "CHS": "使准备好", + "ENG": "to make something or someone ready for something" + }, + "conservative": { + "CHS": "保守派,守旧者", + "ENG": "someone who supports or is a member of the Conservative Party in Britain" + }, + "consume": { + "CHS": "消耗,消费;使…著迷;挥霍", + "ENG": "to use time, energy, goods etc" + }, + "deny": { + "CHS": "否定,否认;拒绝给予;拒绝…的要求", + "ENG": "to say that something is not true, or that you do not believe something" + }, + "trace": { + "CHS": "痕迹,踪迹;微量;[仪] 迹线;缰绳", + "ENG": "a small sign that shows that someone or something was present or existed" + }, + "engage": { + "CHS": "吸引,占用;使参加;雇佣;使订婚;预定", + "ENG": "to be doing or to become involved in an activity" + }, + "disappear": { + "CHS": "消失;失踪;不复存在", + "ENG": "to become impossible to see any longer" + }, + "damage": { + "CHS": "损害;损毁", + "ENG": "to cause physical harm to something or to part of someone’s body" + }, + "misery": { + "CHS": "痛苦,悲惨;不幸;苦恼;穷困", + "ENG": "great suffering that is caused for example by being very poor or very sick" + }, + "saving": { + "CHS": "考虑到;除之外" + }, + "upset": { + "CHS": "混乱;翻倒;颠覆", + "ENG": "Upset is also a noun" + }, + "chief": { + "CHS": "主要地;首要地" + }, + "captive": { + "CHS": "俘虏;迷恋者", + "ENG": "someone who is kept as a prisoner, especially in a war" + }, + "opinion": { + "CHS": "意见;主张", + "ENG": "your ideas or beliefs about a particular subject" + }, + "understanding": { + "CHS": "理解;明白(understand的ing形式)" + }, + "purchase": { + "CHS": "购买;赢得", + "ENG": "to buy something" + }, + "capable": { + "CHS": "能干的,能胜任的;有才华的", + "ENG": "able to do things well" + }, + "gap": { + "CHS": "裂开" + }, + "remains": { + "CHS": "残余;遗骸", + "ENG": "the parts of something that are left after the rest has been destroyed or has disappeared" + }, + "staff": { + "CHS": "供给人员;给…配备职员", + "ENG": "to be or provide the workers for an organization" + }, + "atmosphere": { + "CHS": "气氛;大气;空气", + "ENG": "the feeling that an event or place gives you" + }, + "judge": { + "CHS": "法官;裁判员", + "ENG": "the official in control of a court, who decides how criminals should be punished" + }, + "characterize": { + "CHS": "描绘…的特性;具有…的特征", + "ENG": "to describe the qualities of someone or something in a particular way" + }, + "grape": { + "CHS": "葡萄;葡萄酒;葡萄树;葡萄色", + "ENG": "one of a number of small round green or purple fruits that grow together on a vine . Grapes are often used for making wine" + }, + "confuse": { + "CHS": "使混乱;使困惑", + "ENG": "to make someone feel that they cannot think clearly or do not understand" + }, + "meaning": { + "CHS": "意味;意思是(mean的ing形式)" + }, + "building": { + "CHS": "建筑;建立;增加(build的ing形式)" + }, + "recruit": { + "CHS": "补充;聘用;征募;使…恢复健康" + }, + "failure": { + "CHS": "失败;故障;失败者;破产", + "ENG": "a lack of success in achieving or doing something" + }, + "blame": { + "CHS": "责备;责任;过失", + "ENG": "responsibility for a mistake or for something bad" + }, + "definition": { + "CHS": "定义;[物] 清晰度;解说", + "ENG": "a phrase or sentence that says exactly what a word, phrase, or idea means" + }, + "uniform": { + "CHS": "使穿制服;使成一样" + }, + "hotel": { + "CHS": "进行旅馆式办公" + }, + "intelligent": { + "CHS": "智能的;聪明的;理解力强的", + "ENG": "an intelligent person has a high level of mental ability and is good at understanding ideas and thinking clearly" + }, + "bias": { + "CHS": "偏斜地" + }, + "option": { + "CHS": "[计] 选项;选择权;买卖的特权", + "ENG": "a choice you can make in a particular situation" + }, + "date": { + "CHS": "过时;注明日期;始于(某一历史时期)", + "ENG": "if clothing, art etc dates, it begins to look old-fashioned" + }, + "description": { + "CHS": "描述,描写;类型;说明书", + "ENG": "a piece of writing or speech that gives details about what someone or something is like" + }, + "peculiar": { + "CHS": "特权;特有财产" + }, + "maintain": { + "CHS": "维持;继续;维修;主张;供养", + "ENG": "to make something continue in the same way or at the same standard as before" + }, + "eliminate": { + "CHS": "消除;排除", + "ENG": "to completely get rid of something that is unnecessary or unwanted" + }, + "truth": { + "CHS": "真理;事实;诚实;实质", + "ENG": "the true facts about something, rather than what is untrue, imagined, or guessed" + }, + "historian": { + "CHS": "历史学家", + "ENG": "A historian is a person who specializes in the study of history, and who writes books and articles about it" + }, + "attempt": { + "CHS": "企图,试图;尝试", + "ENG": "to try to do something, especially something difficult" + }, + "birth": { + "CHS": "出生;血统,出身;起源", + "ENG": "the time when a baby comes out of its mother’s body" + }, + "topic": { + "CHS": "主题(等于theme);题目;一般规则;总论", + "ENG": "a subject that people talk or write about" + }, + "piece": { + "CHS": "修补;接合;凑合" + }, + "complete": { + "CHS": "完成", + "ENG": "to finish doing or making something, especially when it has taken a long time" + }, + "exclude": { + "CHS": "排除;排斥;拒绝接纳;逐出", + "ENG": "to deliberately not include something" + }, + "energy": { + "CHS": "[物] 能量;精力;活力;精神", + "ENG": "power that is used to provide heat, operate machines etc" + }, + "entertain": { + "CHS": "娱乐;招待;怀抱;容纳", + "ENG": "to invite people to your home for a meal, party etc, or to take your company’s customers somewhere to have a meal, drinks etc" + }, + "gain": { + "CHS": "获得;增加;赚到", + "ENG": "to obtain or achieve something you want or need" + }, + "attractive": { + "CHS": "吸引人的;有魅力的;引人注目的", + "ENG": "someone who is attractive is good looking, especially in a way that makes you sexually interested in them" + }, + "shut": { + "CHS": "关闭的;围绕的", + "ENG": "not open" + }, + "rose": { + "CHS": "起义( rise的过去式);升起;(数量)增加;休会" + }, + "cucumber": { + "CHS": "黄瓜;胡瓜", + "ENG": "a long thin round vegetable with a dark green skin and a light green inside, usually eaten raw" + }, + "procedure": { + "CHS": "程序,手续;步骤", + "ENG": "a way of doing something, especially the correct or usual way" + }, + "decide": { + "CHS": "决定;解决;判决", + "ENG": "to make a choice or judgment about something, especially after considering all the possibilities or arguments" + }, + "editor": { + "CHS": "编者,编辑;社论撰写人;编辑装置", + "ENG": "the person who is in charge of a newspaper or magazine, or part of a newspaper or magazine, and decides what should be included in it" + }, + "survive": { + "CHS": "幸存;生还;幸免于;比活得长", + "ENG": "to continue to live after an accident, war, or illness" + }, + "demonstrate": { + "CHS": "证明;展示;论证", + "ENG": "to show or prove something clearly" + }, + "academic": { + "CHS": "大学生,大学教师;学者", + "ENG": "a teacher in a college or university" + }, + "economics": { + "CHS": "经济学;国家的经济状况", + "ENG": "the study of the way in which money and goods are produced and used" + }, + "characteristic": { + "CHS": "特征;特性;特色", + "ENG": "a quality or feature of something or someone that is typical of them and easy to recognize" + }, + "convince": { + "CHS": "说服;使确信,使信服", + "ENG": "to make someone feel certain that something is true" + }, + "material": { + "CHS": "材料,原料;物资;布料", + "ENG": "cloth used for making clothes, curtains etc" + }, + "tree": { + "CHS": "把赶上树" + }, + "oppose": { + "CHS": "反对;对抗,抗争", + "ENG": "to disagree with something such as a plan or idea and try to prevent it from happening or succeeding" + }, + "reward": { + "CHS": "[劳经] 奖励;奖赏", + "ENG": "to give something to someone because they have done something good or helpful or have worked for it" + }, + "ideal": { + "CHS": "理想;典范", + "ENG": "a principle about what is morally right or a perfect standard that you hope to achieve" + }, + "initial": { + "CHS": "词首大写字母", + "ENG": "the first letter of someone’s first name" + }, + "cater": { + "CHS": "(Cater)人名;(英)凯特" + }, + "profession": { + "CHS": "职业,专业;声明,宣布,表白", + "ENG": "a job that needs a high level of education and training" + }, + "compete": { + "CHS": "竞争;比赛;对抗", + "ENG": "if one company or country competes with another, it tries to get people to buy its goods or servicesrather than those available from another company or country" + }, + "advanced": { + "CHS": "前进;增加;上涨(advance的过去式和过去分词形式)" + }, + "basis": { + "CHS": "基础;底部;主要成分;基本原则或原理", + "ENG": "the facts, ideas, or things from which something can be developed" + }, + "mislead": { + "CHS": "误导;带错", + "ENG": "to make someone believe something that is not true by giving them information that is false or not complete" + }, + "confront": { + "CHS": "面对;遭遇;比较", + "ENG": "if a problem, difficulty etc confronts you, it appears and needs to be dealt with" + }, + "entire": { + "CHS": "(Entire)人名;(英)恩泰尔" + }, + "contrary": { + "CHS": "相反;反面", + "ENG": "used to add to a negative statement, to disagree with a negative statement by someone else, or to answer no to a question" + }, + "practical": { + "CHS": "实际的;实用性的", + "ENG": "relating to real situations and events rather than ideas, emotions etc" + }, + "vary": { + "CHS": "(Vary)人名;(英、法、罗、柬)瓦里" + }, + "pursue": { + "CHS": "继续;从事;追赶;纠缠", + "ENG": "to continue doing an activity or trying to achieve something over a long period of time" + }, + "temporary": { + "CHS": "临时工,临时雇员" + }, + "dramatic": { + "CHS": "戏剧的;急剧的;引人注目的;激动人心的", + "ENG": "great and sudden" + }, + "vulnerable": { + "CHS": "易受攻击的,易受…的攻击;易受伤害的;有弱点的", + "ENG": "someone who is vulnerable can be easily harmed or hurt" + }, + "represent": { + "CHS": "代表;表现;描绘;回忆;再赠送", + "ENG": "to officially speak or take action for another person or group of people" + }, + "invention": { + "CHS": "发明;发明物;虚构;发明才能", + "ENG": "a useful machine, tool, instrument etc that has been invented" + }, + "plenty": { + "CHS": "足够", + "ENG": "used to emphasize that something is more than big enough, fast enough etc" + }, + "gather": { + "CHS": "聚集;衣褶;收获量", + "ENG": "a small fold produced by pulling cloth together" + }, + "civil": { + "CHS": "(Civil)人名;(土)吉维尔;(法)西维尔" + }, + "criminal": { + "CHS": "刑事的;犯罪的;罪恶的", + "ENG": "relating to crime" + }, + "brand": { + "CHS": "商标,牌子;烙印", + "ENG": "a type of product made by a particular company, that has a particular name or design" + }, + "boom": { + "CHS": "繁荣;吊杆;隆隆声", + "ENG": "a quick increase of business activity" + }, + "systematic": { + "CHS": "系统的;体系的;有系统的;[图情] 分类的;一贯的,惯常的", + "ENG": "Something that is done in a systematic way is done according to a fixed plan, in a thorough and efficient way" + }, + "substantial": { + "CHS": "本质;重要材料" + }, + "opening": { + "CHS": "开放(open的ing形式);打开;公开" + }, + "interesting": { + "CHS": "有趣的;引起兴趣的,令人关注的", + "ENG": "if something is interesting, you give it your attention because it seems unusual or exciting or provides information that you did not know about" + }, + "component": { + "CHS": "成分;组件;[电子] 元件", + "ENG": "one of several parts that together make up a whole machine, system etc" + }, + "refuse": { + "CHS": "拒绝;不愿;抵制", + "ENG": "to say firmly that you will not do something that someone has asked you to do" + }, + "medicine": { + "CHS": "用药物治疗;给…用药" + }, + "pleasure": { + "CHS": "高兴;寻欢作乐" + }, + "team": { + "CHS": "使合作", + "ENG": "to put two things or people together, because they will look good or work well together" + }, + "goods": { + "CHS": "商品;动产;合意的人;真本领", + "ENG": "things that are produced in order to be sold" + }, + "modify": { + "CHS": "修改,修饰;更改", + "ENG": "to make small changes to something in order to improve it and make it more suitable or effective" + }, + "sport": { + "CHS": "运动的" + }, + "vote": { + "CHS": "提议,使投票;投票决定;公认", + "ENG": "to show which person or party you want, or whether you support a plan, by marking a piece of paper, raising your hand etc" + }, + "dose": { + "CHS": "服药", + "ENG": "to give someone medicine or a drug" + }, + "wear": { + "CHS": "穿着;用旧;耗损;面露", + "ENG": "to have a particular expression on your face" + }, + "theme": { + "CHS": "以奇想主题布置的" + }, + "north": { + "CHS": "在北方,向北方", + "ENG": "towards the north" + }, + "leadership": { + "CHS": "领导能力;领导阶层", + "ENG": "the position of being the leader of a group, organization, country etc" + }, + "gift": { + "CHS": "赋予;向…赠送" + }, + "liberal": { + "CHS": "自由主义者", + "ENG": "Liberal is also a noun" + }, + "conservation": { + "CHS": "保存,保持;保护", + "ENG": "the protection of natural things such as animals, plants, forests etc, to prevent them from being spoiled or destroyed" + }, + "round": { + "CHS": "附近;绕过;大约;在…周围" + }, + "insist": { + "CHS": "坚持,强调", + "ENG": "to demand that something should happen" + }, + "object": { + "CHS": "提出…作为反对的理由", + "ENG": "to state a fact or opinion as a reason for opposing or disapproving of something" + }, + "token": { + "CHS": "象征;代表" + }, + "active": { + "CHS": "主动语态;积极分子", + "ENG": "the active form of a verb, for example ‘destroyed’ in the sentence ‘Enemy planes destroyed the village.’" + }, + "gradual": { + "CHS": "弥撒升阶圣歌集" + }, + "diverse": { + "CHS": "不同的;多种多样的;变化多的", + "ENG": "If a group of things is diverse, it is made up of a wide variety of things" + }, + "club": { + "CHS": "俱乐部的" + }, + "grammar": { + "CHS": "语法;语法书", + "ENG": "the rules by which words change their forms and are combined into sentences, or the study or use of these rules" + }, + "narrow": { + "CHS": "使变狭窄", + "ENG": "to make something narrower or to become narrower" + }, + "appointment": { + "CHS": "任命;约定;任命的职位", + "ENG": "an arrangement for a meeting at an agreed time and place, for a particular purpose" + }, + "male": { + "CHS": "男人;雄性动物", + "ENG": "a male animal" + }, + "transaction": { + "CHS": "交易;事务;办理;会报,学报", + "ENG": "a business deal or action, such as buying or selling something" + }, + "creative": { + "CHS": "创造性的", + "ENG": "involving the use of imagination to produce new ideas or things" + }, + "behalf": { + "CHS": "代表;利益", + "ENG": "instead of someone, or as their representative" + }, + "talent": { + "CHS": "才能;天才;天资", + "ENG": "a natural ability to do something well" + }, + "subtle": { + "CHS": "微妙的;精细的;敏感的;狡猾的;稀薄的", + "ENG": "not easy to notice or understand unless you pay careful attention" + }, + "prior": { + "CHS": "(Prior)人名;(法、西、葡、捷)普里奥尔;(英)普赖尔;(意)普廖尔" + }, + "duty": { + "CHS": "责任;[税收] 关税;职务", + "ENG": "something that you have to do because it is morally or legally right" + }, + "application": { + "CHS": "应用;申请;应用程序;敷用", + "ENG": "a formal, usually written, request for something such as a job, place at university, or permission to do something" + }, + "print": { + "CHS": "印刷;打印;刊载;用印刷体写;在…印花样", + "ENG": "to produce many printed copies of a book, newspaper etc" + }, + "forward": { + "CHS": "前锋", + "ENG": "an attacking player on a team in sports such as football and basketball " + }, + "notice": { + "CHS": "通知;注意到;留心", + "ENG": "if someone can’t help noticing something, they realize that it exists or is happening even though they are not deliberately trying to pay attention to it" + }, + "fun": { + "CHS": "开玩笑" + }, + "fortune": { + "CHS": "偶然发生" + }, + "rich": { + "CHS": "(Rich)人名;(丹)里克;(捷)里赫;(英、西)里奇;(葡、法)里什", + "ENG": "The rich are rich people" + }, + "safety": { + "CHS": "安全;保险;安全设备;保险装置;安打", + "ENG": "when someone or something is safe from danger or harm" + }, + "notion": { + "CHS": "概念;见解;打算", + "ENG": "an idea, belief, or opinion" + }, + "prospect": { + "CHS": "勘探,找矿", + "ENG": "to examine an area of land or water, in order to find gold, silver, oil etc" + }, + "juvenile": { + "CHS": "青少年;少年读物", + "ENG": "A juvenile is a child or young person who is not yet old enough to be regarded as an adult" + }, + "fulfill": { + "CHS": "履行;实现;满足;使结束(等于fulfil)" + }, + "explore": { + "CHS": "探索;探测;探险", + "ENG": "to discuss or think about something carefully" + }, + "enable": { + "CHS": "使能够,使成为可能;授予权利或方法", + "ENG": "to make it possible for someone to do something, or for something to happen" + }, + "solution": { + "CHS": "解决方案;溶液;溶解;解答", + "ENG": "a way of solving a problem or dealing with a difficult situation" + }, + "affair": { + "CHS": "事情;事务;私事;(尤指关系不长久的)风流韵事", + "ENG": "public or political events and activities" + }, + "slow": { + "CHS": "(Slow)人名;(英)斯洛" + }, + "aware": { + "CHS": "(Aware)人名;(阿拉伯、索)阿瓦雷" + }, + "ticket": { + "CHS": "加标签于;指派;对…开出交通违规罚单", + "ENG": "to give someone a ticket for parking their car in the wrong place, driving too fast etc" + }, + "immune": { + "CHS": "免疫者;免除者" + }, + "phrase": { + "CHS": "措词, 将(乐曲)分成乐句" + }, + "leading": { + "CHS": "领导(lead的ing形式)" + }, + "expand": { + "CHS": "扩张;使膨胀;详述", + "ENG": "if a company, business etc expands, or if someone expands it, they open new shops, factories etc" + }, + "tip": { + "CHS": "小费;尖端;小建议,小窍门;轻拍", + "ENG": "the end of something, especially something pointed" + }, + "propose": { + "CHS": "建议;打算,计划;求婚", + "ENG": "to suggest something as a plan or course of action" + }, + "budget": { + "CHS": "廉价的", + "ENG": "very low in price – often used in advertisements" + }, + "die": { + "CHS": "冲模,钢模;骰子", + "ENG": "a dice " + }, + "transform": { + "CHS": "改变,使…变形;转换", + "ENG": "to completely change the appearance, form, or character of something or someone, especially in a way that improves it" + }, + "join": { + "CHS": "结合;连接;接合点", + "ENG": "a place where two parts of an object are connected or fastened together" + }, + "priority": { + "CHS": "优先;优先权;[数] 优先次序;优先考虑的事", + "ENG": "the thing that you think is most important and that needs attention before anything else" + }, + "dominate": { + "CHS": "控制;支配;占优势;在…中占主要地位", + "ENG": "to control someone or something or to have more importance than other people or things" + }, + "lower": { + "CHS": "(Lower)人名;(英、意)洛厄" + }, + "category": { + "CHS": "种类,分类;[数] 范畴", + "ENG": "a group of people or things that are all of the same type" + }, + "branch": { + "CHS": "树枝,分枝;分部;支流", + "ENG": "a part of a tree that grows out from the trunk (= main stem ) and that has leaves, fruit, or smaller branches growing from it" + }, + "significant": { + "CHS": "象征;有意义的事物" + }, + "imply": { + "CHS": "意味;暗示;隐含", + "ENG": "to suggest that something is true, without saying this directly" + }, + "endeavor": { + "CHS": "努力;尽力(等于endeavour)" + }, + "sex": { + "CHS": "引起…的性欲;区别…的性别", + "ENG": "to find out whether an animal is male or female" + }, + "actor": { + "CHS": "男演员;行动者;作用物", + "ENG": "someone who performs in a play or film" + }, + "counsel": { + "CHS": "建议;劝告", + "ENG": "to advise someone" + }, + "conventional": { + "CHS": "符合习俗的,传统的;常见的;惯例的", + "ENG": "a conventional method, product, practice etc has been used for a long time and is considered the usual type" + }, + "evolve": { + "CHS": "发展,进化;进化;使逐步形成;推断出", + "ENG": "if an animal or plant evolves, it changes gradually over a long period of time" + }, + "worst": { + "CHS": "最坏地;最不利地", + "ENG": "most badly" + }, + "estimate": { + "CHS": "估计,估价;判断,看法", + "ENG": "a calculation of the value, size, amount etc of something made using the information that you have, which may not be complete" + }, + "assess": { + "CHS": "评定;估价;对…征税", + "ENG": "to make a judgment about a person or situation after thinking carefully about it" + }, + "instance": { + "CHS": "举为例", + "ENG": "to give something as an example" + }, + "criticize": { + "CHS": "批评;评论;非难", + "ENG": "to express your disapproval of someone or something, or to talk about their faults" + }, + "dedicate": { + "CHS": "致力;献身;题献", + "ENG": "to give all your attention and effort to one particular thing" + }, + "compromise": { + "CHS": "妥协,和解;折衷", + "ENG": "an agreement that is achieved after everyone involved accepts less than what they wanted at first, or the act of making this agreement" + }, + "premier": { + "CHS": "总理,首相", + "ENG": "a prime minister – used in news reports" + }, + "salary": { + "CHS": "薪水", + "ENG": "money that you receive as payment from the organization you work for, usually paid to you every month" + }, + "planet": { + "CHS": "行星", + "ENG": "A planet is a large, round object in space that moves around a star. The Earth is a planet. " + }, + "lobby": { + "CHS": "对……进行游说", + "ENG": "to try to persuade the government or someone with political power that a law or situation should be changed" + }, + "smile": { + "CHS": "微笑;笑容;喜色", + "ENG": "an expression in which your mouth curves upwards, when you are being friendly or are happy or amused" + }, + "furthermore": { + "CHS": "此外;而且", + "ENG": "in addition to what has already been said" + }, + "bet": { + "CHS": "打赌;敢断定,确信", + "ENG": "to risk money on the result of a race, game, competition, or other future event" + }, + "competitive": { + "CHS": "竞争的;比赛的;求胜心切的", + "ENG": "relating to competition" + }, + "bush": { + "CHS": "如灌木般长得低矮的;粗野的" + }, + "connection": { + "CHS": "连接;关系;人脉;连接件", + "ENG": "the way in which two facts, ideas, events etc are related to each other, and one is affected or caused by the other" + }, + "picture": { + "CHS": "画;想像;描写", + "ENG": "to show someone or something in a photograph, painting, or drawing" + }, + "cognitive": { + "CHS": "认知的,认识的", + "ENG": "related to the process of knowing, understanding, and learning something" + }, + "aim": { + "CHS": "目的;目标;对准", + "ENG": "something you hope to achieve by doing something" + }, + "afford": { + "CHS": "(Afford)人名;(英)阿福德" + }, + "cite": { + "CHS": "引用;传讯;想起;表彰", + "ENG": "to give the exact words of something that has been written, especially in order to support an opinion or prove an idea" + }, + "typical": { + "CHS": "典型的;特有的;象征性的", + "ENG": "having the usual features or qualities of a particular group or thing" + }, + "movement": { + "CHS": "运动;活动;运转;乐章", + "ENG": "a group of people who share the same ideas or beliefs and who work together to achieve a particular aim" + }, + "commerce": { + "CHS": "贸易;商业;商务", + "ENG": "the buying and selling of goods and services" + }, + "universal": { + "CHS": "一般概念;普通性" + }, + "nose": { + "CHS": "嗅;用鼻子触" + }, + "restore": { + "CHS": "恢复;修复;归还", + "ENG": "to make something return to its former state or condition" + }, + "quarter": { + "CHS": "四分之一", + "ENG": "one of four equal parts into which something can be divided" + }, + "significance": { + "CHS": "意义;重要性;意思", + "ENG": "The significance of something is the importance that it has, usually because it will have an effect on a situation or shows something about a situation" + }, + "elite": { + "CHS": "精英;精华;中坚分子", + "ENG": "a group of people who have a lot of power and influence because they have money, knowledge, or special skills" + }, + "permission": { + "CHS": "允许,许可", + "ENG": "If someone who has authority over you gives you permission to do something, they say that they will allow you to do it" + }, + "regulation": { + "CHS": "规定的;平常的", + "ENG": "used or worn because of official rules" + }, + "quote": { + "CHS": "引用", + "ENG": "a sentence or phrase from a book, speech etc which you repeat in a speech or piece of writing because it is interesting or amusing" + }, + "monopoly": { + "CHS": "垄断;垄断者;专卖权", + "ENG": "if a company or government has a monopoly of a business or political activity, it has complete control of it so that other organizations cannot compete with it" + }, + "anxiety": { + "CHS": "焦虑;渴望;挂念;令人焦虑的事", + "ENG": "the feeling of being very worried about something" + }, + "save": { + "CHS": "救援", + "ENG": "an action in which a player in a game such as football prevents the other team from scoring" + }, + "minister": { + "CHS": "执行牧师职务;辅助或伺候某人", + "ENG": "to work as a priest" + }, + "character": { + "CHS": "印,刻;使具有特征" + }, + "highly": { + "CHS": "高度地;非常;非常赞许地", + "ENG": "very" + }, + "west": { + "CHS": "在西方;向西方;自西方", + "ENG": "towards the west" + }, + "undergraduate": { + "CHS": "大学生的" + }, + "arouse": { + "CHS": "引起;唤醒;鼓励", + "ENG": "to make you become interested, expect something etc" + }, + "exert": { + "CHS": "运用,发挥;施以影响", + "ENG": "to use your power, influence etc in order to make something happen" + }, + "seat": { + "CHS": "使…坐下;可容纳…的;使就职", + "ENG": "If you seat yourself somewhere, you sit down" + }, + "adopt": { + "CHS": "采取;接受;收养;正式通过", + "ENG": "to take someone else’s child into your home and legally become its parent" + }, + "south": { + "CHS": "南的,南方的", + "ENG": "in the south, or facing the south" + }, + "select": { + "CHS": "被挑选者;精萃" + }, + "explanation": { + "CHS": "说明,解释;辩解", + "ENG": "the reasons you give for why something happened or why you did something" + }, + "thesis": { + "CHS": "论文;论点", + "ENG": "a long piece of writing about a particular subject that you do as part of an advanced university degree such as an MA or a PhD" + }, + "sound": { + "CHS": "彻底地,充分地" + }, + "regular": { + "CHS": "定期地;经常地" + }, + "corporation": { + "CHS": "公司;法人(团体);社团;大腹便便;市政当局", + "ENG": "a big company, or a group of companies acting together as a single organization" + }, + "pour": { + "CHS": "灌,注;倒;倾泻;倾吐", + "ENG": "to make a liquid or other substance flow out of or into a container by holding it at an angle" + }, + "pose": { + "CHS": "姿势,姿态;装模作样", + "ENG": "the position in which someone stands or sits, especially in a painting, photograph etc" + }, + "detect": { + "CHS": "察觉;发现;探测", + "ENG": "to notice or discover something, especially something that is not easy to see, hear etc" + }, + "lie": { + "CHS": "谎言;位置", + "ENG": "something that you say or write that you know is untrue" + }, + "triumph": { + "CHS": "获得胜利,成功", + "ENG": "to gain a victory or success after a difficult struggle" + }, + "struggle": { + "CHS": "努力,奋斗;竞争", + "ENG": "a long hard fight to get freedom, political rights etc" + }, + "unlike": { + "CHS": "和…不同,不像", + "ENG": "completely different from a particular person or thing" + }, + "powerful": { + "CHS": "很;非常" + }, + "eventually": { + "CHS": "最后,终于", + "ENG": "after a long time, or after a lot of things have happened" + }, + "version": { + "CHS": "版本;译文;倒转术", + "ENG": "a copy of something that has been changed so that it is slightly different" + }, + "regardless": { + "CHS": "不顾后果地;不管怎样,无论如何;不惜费用地", + "ENG": "without being affected or influenced by something" + }, + "shape": { + "CHS": "形成;塑造,使成形;使符合", + "ENG": "to influence something such as a belief, opinion etc and make it develop in a particular way" + }, + "drop": { + "CHS": "滴;落下;空投;微量;滴剂", + "ENG": "a very small amount of liquid that falls in a round shape" + }, + "span": { + "CHS": "跨越;持续;以手指测量", + "ENG": "to include all of a period of time" + }, + "alike": { + "CHS": "以同样的方式;类似于", + "ENG": "used to emphasize that you mean both the people, groups, or things that you have just mentioned" + }, + "royal": { + "CHS": "王室;王室成员", + "ENG": "a member of a royal family" + }, + "subsidy": { + "CHS": "补贴;津贴;补助金", + "ENG": "money that is paid by a government or organization to make prices lower, reduce the cost of producing goods etc" + }, + "scene": { + "CHS": "场面;情景;景象;事件", + "ENG": "a view of a place as you see it, or as it appears in a picture" + }, + "space": { + "CHS": "留间隔" + }, + "mere": { + "CHS": "小湖;池塘", + "ENG": "a lake" + }, + "expensive": { + "CHS": "昂贵的;花钱的", + "ENG": "costing a lot of money" + }, + "card": { + "CHS": "记于卡片上" + }, + "vast": { + "CHS": "浩瀚;广阔无垠的空间" + }, + "originate": { + "CHS": "引起;创作", + "ENG": "to have the idea for something and start it" + }, + "cheer": { + "CHS": "欢呼;愉快;心情;令人愉快的事", + "ENG": "a shout of happiness, praise, approval, or encouragement" + }, + "addition": { + "CHS": "添加;[数] 加法;增加物", + "ENG": "the act of adding something to something else" + }, + "target": { + "CHS": "把……作为目标;规定……的指标;瞄准某物", + "ENG": "to make something have an effect on a particular limited group or area" + }, + "deserve": { + "CHS": "应受,应得", + "ENG": "to have earned something by good or bad actions or behaviour" + }, + "constitution": { + "CHS": "宪法;体制;章程;构造;建立,组成;体格", + "ENG": "a set of basic laws and principles that a country or organization is governed by" + }, + "appreciate": { + "CHS": "欣赏;感激;领会;鉴别", + "ENG": "used to thank someone in a polite way or to say that you are grateful for something they have done" + }, + "consequently": { + "CHS": "因此;结果;所以", + "ENG": "as a result" + }, + "cooperate": { + "CHS": "合作,配合;协力", + "ENG": "to work with someone else to achieve something that you both want" + }, + "feed": { + "CHS": "饲料;饲养;(动物或婴儿的)一餐", + "ENG": "food for animals" + }, + "crucial": { + "CHS": "重要的;决定性的;定局的;决断的", + "ENG": "something that is crucial is extremely important, because everything else depends on it" + }, + "director": { + "CHS": "主任,主管;导演;人事助理", + "ENG": "someone who is in charge of a particular activity or organization" + }, + "length": { + "CHS": "长度,长;时间的长短;(语)音长", + "ENG": "the measurement of how long something is from one end to the other" + }, + "succeed": { + "CHS": "成功;继承;继任;兴旺", + "ENG": "to do what you tried or wanted to do" + }, + "popular": { + "CHS": "流行的,通俗的;受欢迎的;大众的;普及的", + "ENG": "liked by a lot of people" + }, + "warn": { + "CHS": "(Warn)人名;(英)沃恩;(德)瓦恩" + }, + "voice": { + "CHS": "表达;吐露", + "ENG": "to tell people your opinions or feelings about a particular subject" + }, + "pretty": { + "CHS": "有吸引力的事物(尤指饰品);漂亮的人" + }, + "domestic": { + "CHS": "国货;佣人", + "ENG": "a servant who works in a large house" + }, + "enthusiastic": { + "CHS": "热情的;热心的;狂热的", + "ENG": "feeling or showing a lot of interest and excitement about something" + }, + "rival": { + "CHS": "竞争的" + }, + "chamber": { + "CHS": "把…关在室内;装填(弹药等)" + }, + "electronic": { + "CHS": "电子电路;电子器件" + }, + "controversy": { + "CHS": "争论;论战;辩论", + "ENG": "a serious argument about something that involves many people and continues for a long time" + }, + "govern": { + "CHS": "(Govern)人名;(英)戈文" + }, + "compensate": { + "CHS": "补偿,赔偿;抵消", + "ENG": "to replace or balance the effect of something bad" + }, + "subscribe": { + "CHS": "订阅;捐款;认购;赞成;签署", + "ENG": "to pay money, usually once a year, to have copies of a newspaper or magazine sent to you, or to have some other service" + }, + "tolerate": { + "CHS": "忍受;默许;宽恕", + "ENG": "to allow people to do, say, or believe something without criticizing or punishing them" + }, + "annual": { + "CHS": "年刊,年鉴;一年生植物", + "ENG": "a plant that lives for one year or season" + }, + "regret": { + "CHS": "后悔;惋惜;哀悼", + "ENG": "to feel sorry about something you have done and wish you had not done it" + }, + "weak": { + "CHS": "[经] 疲软的;虚弱的;无力的;不牢固的", + "ENG": "not physically strong" + }, + "switch": { + "CHS": "开关;转换;鞭子", + "ENG": "a piece of equipment that starts or stops the flow of electricity to a machine, light etc when you push it" + }, + "personality": { + "CHS": "个性;品格;名人", + "ENG": "someone’s character, especially the way they behave towards other people" + }, + "servant": { + "CHS": "仆人,佣人;公务员;雇工", + "ENG": "someone, especially in the past, who was paid to clean someone’s house, cook for them, answer the door etc, and who often lived in the house" + }, + "extensive": { + "CHS": "广泛的;大量的;广阔的", + "ENG": "large in size, amount, or degree" + }, + "safe": { + "CHS": "保险箱;冷藏室;纱橱", + "ENG": "a strong metal box or cupboard with special locks where you keep money and valuable things" + }, + "debt": { + "CHS": "债务;借款;罪过", + "ENG": "a sum of money that a person or organization owes" + }, + "capture": { + "CHS": "捕获;战利品,俘虏", + "ENG": "when you catch someone in order to make them a prisoner" + }, + "routine": { + "CHS": "日常的;例行的", + "ENG": "happening as a normal part of a job or process" + }, + "requirement": { + "CHS": "要求;必要条件;必需品", + "ENG": "something that someone needs or asks for" + }, + "promising": { + "CHS": "许诺,答应(promise的现在分词形式)" + }, + "extension": { + "CHS": "延长;延期;扩大;伸展;电话分机", + "ENG": "the process of making a road, building etc bigger or longer, or the part that is added" + }, + "trait": { + "CHS": "特性,特点;品质;少许", + "ENG": "a particular quality in someone’s character" + }, + "celebrate": { + "CHS": "庆祝;举行;赞美;祝贺;宣告", + "ENG": "to show that an event or occasion is important by doing something special or enjoyable" + }, + "agenda": { + "CHS": "议程;日常工作事项;日程表", + "ENG": "a list of problems or subjects that a government, organization etc is planning to deal with" + }, + "rapid": { + "CHS": "急流;高速交通工具,高速交通网" + }, + "hostile": { + "CHS": "敌对" + }, + "hot": { + "CHS": "(Hot)人名;(塞)霍特;(法)奥特" + }, + "previous": { + "CHS": "在先;在…以前" + }, + "ambiguous": { + "CHS": "模糊不清的;引起歧义的" + }, + "acknowledge": { + "CHS": "承认;答谢;报偿;告知已收到", + "ENG": "to admit or accept that something is true or that a situation exists" + }, + "margin": { + "CHS": "加边于;加旁注于" + }, + "profound": { + "CHS": "深厚的;意义深远的;渊博的", + "ENG": "having a strong influence or effect" + }, + "proper": { + "CHS": "(Proper)人名;(英、德)普罗珀" + }, + "strategy": { + "CHS": "战略,策略", + "ENG": "a planned series of actions for achieving something" + }, + "secret": { + "CHS": "秘密的;机密的", + "ENG": "known about by only a few people and kept hidden from others" + }, + "aggravate": { + "CHS": "加重;使恶化;激怒", + "ENG": "to make a bad situation, an illness, or an injury worse" + }, + "fat": { + "CHS": "养肥;在…中加入脂肪" + }, + "display": { + "CHS": "展览的;陈列用的" + }, + "lean": { + "CHS": "瘦肉;倾斜;倾斜度", + "ENG": "the condition of inclining from a vertical position " + }, + "venture": { + "CHS": "企业;风险;冒险", + "ENG": "a new business activity that involves taking risks" + }, + "carrier": { + "CHS": "[化学] 载体;运送者;带菌者;货架", + "ENG": "someone who passes a disease or gene to other people, especially without being affected by it themselves" + }, + "literally": { + "CHS": "照字面地;逐字地;不夸张地;正确地;简直", + "ENG": "used to emphasize a strong expression or word that is not being used in its real or original meaning. Some people consider this use to be incorrect." + }, + "evade": { + "CHS": "逃避;规避;逃脱", + "ENG": "to not do or deal with something that you should do" + }, + "communicate": { + "CHS": "通讯,传达;相通;交流;感染", + "ENG": "to exchange information or conversation with other people, using words, signs, writing etc" + }, + "strike": { + "CHS": "罢工;打击;殴打", + "ENG": "a period of time when a group of workers deliberately stop working because of a disagreement about pay, working conditions etc" + }, + "alter": { + "CHS": "(Alter)人名;(英)奥尔特;(德、捷、葡、爱沙、立陶、拉脱、俄、西、罗、瑞典)阿尔特" + }, + "arise": { + "CHS": "(Arise)人名;(西)阿里塞;(日)在濑(姓)" + }, + "youth": { + "CHS": "青年;青春;年轻;青少年时期", + "ENG": "the period of time when someone is young, especially the period when someone is a teenager" + }, + "famous": { + "CHS": "著名的;极好的,非常令人满意的", + "ENG": "known about by many people in many places" + }, + "unusual": { + "CHS": "不寻常的;与众不同的;不平常的", + "ENG": "different from what is usual or normal" + }, + "historical": { + "CHS": "历史的;史学的;基于史实的", + "ENG": "relating to the past" + }, + "casual": { + "CHS": "便装;临时工人;待命士兵" + }, + "aggressive": { + "CHS": "侵略性的;好斗的;有进取心的;有闯劲的", + "ENG": "behaving in an angry threatening way, as if you want to fight or attack someone" + }, + "revise": { + "CHS": "修订;校订" + }, + "administration": { + "CHS": "管理;行政;实施;行政机构", + "ENG": "the activities that are involved in managing the work of a company or organization" + }, + "fundamental": { + "CHS": "基本原理;基本原则" + }, + "considerable": { + "CHS": "相当大的;重要的,值得考虑的", + "ENG": "fairly large, especially large enough to have an effect or be important" + }, + "style": { + "CHS": "设计;称呼;使合潮流", + "ENG": "to design clothing, furniture, or the shape of someone’s hair in a particular way" + }, + "operation": { + "CHS": "操作;经营;[外科] 手术;[数][计] 运算", + "ENG": "the process of cutting into someone’s body to repair or remove a part that is damaged" + }, + "flexible": { + "CHS": "灵活的;柔韧的;易弯曲的", + "ENG": "a person, plan etc that is flexible can change or be changed easily to suit any new situation" + }, + "stage": { + "CHS": "举行;上演;筹划", + "ENG": "to organize a public event" + }, + "lure": { + "CHS": "诱惑;引诱", + "ENG": "to persuade someone to do something, especially something wrong or dangerous, by making it seem attractive or exciting" + }, + "associate": { + "CHS": "副的;联合的", + "ENG": "Associate is used before a rank or title to indicate a slightly different or lower rank or title" + }, + "candidate": { + "CHS": "候选人,候补者;应试者", + "ENG": "someone who is being considered for a job or is competing in an election" + }, + "passive": { + "CHS": "被动语态", + "ENG": "the passive form of a verb, for example ‘was destroyed’ in the sentence ‘The building was destroyed during the war.’" + }, + "impulse": { + "CHS": "推动" + }, + "file": { + "CHS": "提出;锉;琢磨;把…归档", + "ENG": "to keep papers, documents etc in a particular place so that you can find them easily" + }, + "contempt": { + "CHS": "轻视,蔑视;耻辱", + "ENG": "a feeling that someone or something is not important and deserves no respect" + }, + "quest": { + "CHS": "追求;寻找", + "ENG": "If you are questing for something, you are searching for it" + }, + "host": { + "CHS": "主持;当主人招待", + "ENG": "to introduce a radio or television programme" + }, + "perceive": { + "CHS": "察觉,感觉;理解;认知", + "ENG": "to understand or think of something or someone in a particular way" + }, + "motive": { + "CHS": "使产生动机,激起" + }, + "cup": { + "CHS": "使成杯状;为…拔火罐", + "ENG": "If you cup your hands, you make them into a curved shape like a cup" + }, + "sufficient": { + "CHS": "足够的;充分的", + "ENG": "as much as is needed for a particular purpose" + }, + "respond": { + "CHS": "应答;唱和" + }, + "heading": { + "CHS": "用头顶(head的ing形式)" + }, + "settle": { + "CHS": "有背长椅", + "ENG": "a seat, for two or more people, usually made of wood with a high back and arms, and sometimes having a storage space in the boxlike seat " + }, + "variation": { + "CHS": "变化;[生物] 变异,变种", + "ENG": "a difference between similar things, or a change from the usual amount or form of something" + }, + "panel": { + "CHS": "嵌镶板" + }, + "tiny": { + "CHS": "(Tiny)人名;(葡、印)蒂尼" + }, + "prudent": { + "CHS": "(Prudent)人名;(法)普吕当" + }, + "approval": { + "CHS": "批准;认可;赞成", + "ENG": "when a plan, decision, or person is officially accepted" + }, + "excessive": { + "CHS": "过多的,极度的;过分的", + "ENG": "much more than is reasonable or necessary" + }, + "modest": { + "CHS": "(Modest)人名;(罗)莫代斯特;(德)莫德斯特;(俄)莫杰斯特" + }, + "setback": { + "CHS": "挫折;退步;逆流", + "ENG": "a problem that delays or prevents progress, or makes things worse than they were" + }, + "invite": { + "CHS": "邀请", + "ENG": "an invitation to a party, meal etc" + }, + "precede": { + "CHS": "领先,在…之前;优于,高于", + "ENG": "to happen or exist before something or someone, or to come before something else in a series" + }, + "careful": { + "CHS": "仔细的,小心的", + "ENG": "used to tell someone to think about what they are doing so that something bad does not happen" + }, + "straight": { + "CHS": "直;直线;直男,直女,异性恋者", + "ENG": "the straight part of a racetrack " + }, + "principle": { + "CHS": "原理,原则;主义,道义;本质,本义;根源,源泉", + "ENG": "the basic idea that a plan or system is based on" + }, + "solve": { + "CHS": "解决;解答;溶解", + "ENG": "to find or provide a way of dealing with a problem" + }, + "dismiss": { + "CHS": "解散;解雇;开除;让离开;不予理会、不予考虑", + "ENG": "to remove someone from their job" + }, + "flaw": { + "CHS": "使生裂缝,使有裂纹;使无效;使有缺陷", + "ENG": "to make or become blemished, defective, or imperfect " + }, + "extend": { + "CHS": "延伸;扩大;推广;伸出;给予;使竭尽全力;对…估价", + "ENG": "to continue for a particular distance or over a particular area" + }, + "absorb": { + "CHS": "吸收;吸引;承受;理解;使…全神贯注", + "ENG": "to take in liquid, gas, or another substance from the surface or space around something" + }, + "strange": { + "CHS": "(Strange)人名;(英)斯特兰奇;(瑞典、塞)斯特朗格" + }, + "expense": { + "CHS": "被花掉" + }, + "alternative": { + "CHS": "二中择一;供替代的选择", + "ENG": "something you can choose to do or use instead of something else" + }, + "destroy": { + "CHS": "破坏;消灭;毁坏", + "ENG": "to damage something so badly that it no longer exists or cannot be used or repaired" + }, + "illusion": { + "CHS": "幻觉,错觉;错误的观念或信仰", + "ENG": "an idea or opinion that is wrong, especially about yourself" + }, + "shift": { + "CHS": "移动;转变;转换", + "ENG": "to change a situation, discussion etc by giving special attention to one idea or subject instead of to a previous one" + }, + "tempt": { + "CHS": "诱惑;引起;冒…的风险;使感兴趣", + "ENG": "to make someone want to have or do something, even though they know they really should not" + }, + "boost": { + "CHS": "推动;帮助;宣扬", + "ENG": "something that gives someone more confidence, or that helps something increase, improve, or become successful" + }, + "speaker": { + "CHS": "演讲者;扬声器;说话者;说某种语言的人", + "ENG": "someone who makes a formal speech to a group of people" + }, + "collective": { + "CHS": "集团;集合体;集合名词" + }, + "speech": { + "CHS": "演讲;讲话;[语] 语音;演说", + "ENG": "a talk, especially a formal one about a particular subject, given to a group of people" + }, + "dominant": { + "CHS": "显性" + }, + "row": { + "CHS": "划船;使……成排", + "ENG": "to make a boat move across water using oar s " + }, + "philosophy": { + "CHS": "哲学;哲理;人生观", + "ENG": "the study of the nature and meaning of existence, truth, good and evil, etc" + }, + "manipulate": { + "CHS": "操纵;操作;巧妙地处理;篡改", + "ENG": "to make someone think and behave exactly as you want them to, by skilfully deceiving or influencing them" + }, + "derive": { + "CHS": "(Derive)人名;(法)德里夫" + }, + "laugh": { + "CHS": "笑", + "ENG": "to make sounds with your voice, usually while you are smiling, because you think something is funny" + }, + "graduate": { + "CHS": "毕业的;研究生的", + "ENG": "relating to or involved in studies done at a university after completing a first degree" + }, + "counter": { + "CHS": "反方向地;背道而驰地" + }, + "democratic": { + "CHS": "民主的;民主政治的;大众的", + "ENG": "controlled by representatives who are elected by the people of a country" + }, + "productive": { + "CHS": "能生产的;生产的,生产性的;多产的;富有成效的", + "ENG": "producing or achieving a lot" + }, + "overcome": { + "CHS": "克服;胜过", + "ENG": "to successfully control a feeling or problem that prevents you from achieving something" + }, + "advertise": { + "CHS": "通知;为…做广告;使突出", + "ENG": "to tell the public about a product or service in order to persuade them to buy it" + }, + "sea": { + "CHS": "海;海洋;许多;大量", + "ENG": "the large area of salty water that covers much of the Earth’s surface" + }, + "council": { + "CHS": "委员会;会议;理事会;地方议会;顾问班子", + "ENG": "a group of people that are chosen to make rules, laws, or decisions, or to give advice" + }, + "entail": { + "CHS": "引起;需要;继承" + }, + "son": { + "CHS": "儿子;孩子(对年轻人的称呼);男性后裔", + "ENG": "someone’s male child" + }, + "democracy": { + "CHS": "民主,民主主义;民主政治", + "ENG": "a system of government in which every citizen in the country can vote to elect its government officials" + }, + "academy": { + "CHS": "学院;研究院;学会;专科院校", + "ENG": "an official organization which encourages the development of literature, art, science etc" + }, + "rear": { + "CHS": "后面;屁股;后方部队", + "ENG": "the back part of an object, vehicle, or building, or a position at the back of an object or area" + }, + "specialist": { + "CHS": "专家的;专业的" + }, + "admission": { + "CHS": "承认;入场费;进入许可;坦白;录用", + "ENG": "a statement in which you admit that something is true or that you have done something wrong" + }, + "variable": { + "CHS": "[数] 变量;可变物,可变因素", + "ENG": "something that may be different in different situations, so that you cannot be sure what will happen" + }, + "oblige": { + "CHS": "迫使;强制;赐,施恩惠;责成;义务", + "ENG": "if you are obliged to do something, you have to do it because the situation, the law, a duty etc makes it necessary" + }, + "fruit": { + "CHS": "结果实", + "ENG": "if a tree or a plant fruits, it produces fruit" + }, + "household": { + "CHS": "全家人,一家人;(包括佣工在内的)家庭,户", + "ENG": "The household is your home and everything that is connected with taking care of it" + }, + "wise": { + "CHS": "(Wise)人名;(英)怀斯" + }, + "nail": { + "CHS": "[解剖] 指甲;钉子", + "ENG": "a thin pointed piece of metal with a flat top, which you hit into a surface with a hammer, for example to join things together or to hang something on" + }, + "distinguish": { + "CHS": "区分;辨别;使杰出,使表现突出", + "ENG": "to recognize and understand the difference between two or more things or people" + }, + "bay": { + "CHS": "向…吠叫", + "ENG": "If a dog or wolf bays, it makes loud, long cries" + }, + "colony": { + "CHS": "殖民地;移民队;种群;动物栖息地", + "ENG": "a country or area that is under the political control of a more powerful country, usually one that is far away" + }, + "creature": { + "CHS": "动物,生物;人;创造物", + "ENG": "anything that is living, such as an animal, fish, or insect, but not a plant" + }, + "quick": { + "CHS": "迅速地,快", + "ENG": "quickly – many teachers think this is not correct English" + }, + "integrate": { + "CHS": "一体化;集成体" + }, + "gold": { + "CHS": "金的,金制的;金色的", + "ENG": "made of gold" + }, + "unfortunately": { + "CHS": "不幸地", + "ENG": "used when you are mentioning a fact that you wish was not true" + }, + "divide": { + "CHS": "[地理] 分水岭,分水线", + "ENG": "a line of high ground between two river systems" + }, + "outline": { + "CHS": "概述;略述;描画…轮廓", + "ENG": "to describe something in a general way, giving the main points but not the details" + }, + "extreme": { + "CHS": "极端;末端;最大程度;极端的事物", + "ENG": "a situation, quality etc which is as great as it can possibly be – used especially when talking about two opposites" + }, + "painting": { + "CHS": "绘画(paint的ing形式);涂色于" + }, + "beat": { + "CHS": "筋疲力尽的;疲惫不堪的" + }, + "surround": { + "CHS": "环绕立体声的" + }, + "thoughtful": { + "CHS": "深思的;体贴的;关切的", + "ENG": "always thinking of the things you can do to make people happy or comfortable" + }, + "resource": { + "CHS": "资源,财力;办法;智谋", + "ENG": "something such as useful land, or minerals such as oil or coal, that exists in a country and can be used to increase its wealth" + }, + "local": { + "CHS": "当地的;局部的;地方性的;乡土的", + "ENG": "relating to the particular area you live in, or the area you are talking about" + }, + "ownership": { + "CHS": "所有权;物主身份", + "ENG": "the fact of owning something" + }, + "prescription": { + "CHS": "凭处方方可购买的" + }, + "cancer": { + "CHS": "癌症;恶性肿瘤", + "ENG": "a very serious disease in which cells in one part of the body start to grow in a way that is not normal" + }, + "relax": { + "CHS": "放松,休息;松懈,松弛;变从容;休养", + "ENG": "to rest or do something that is enjoyable, especially after you have been working" + }, + "delight": { + "CHS": "高兴", + "ENG": "to give someone great satisfaction and enjoyment" + }, + "outrage": { + "CHS": "凌辱,强奸;对…施暴行;激起愤怒", + "ENG": "to make someone feel very angry and shocked" + }, + "fold": { + "CHS": "折痕;信徒;羊栏", + "ENG": "a line made in paper or material when you fold one part of it over another" + }, + "array": { + "CHS": "排列,部署;打扮", + "ENG": "to arrange something in an attractive way" + }, + "superfluous": { + "CHS": "多余的;不必要的;奢侈的", + "ENG": "more than is needed or wanted" + }, + "room": { + "CHS": "为…提供住处;租房,合住;投宿,住宿;留…住宿", + "ENG": "to rent and live in a room somewhere" + }, + "equal": { + "CHS": "对手;匹敌;同辈;相等的事物", + "ENG": "someone who is as important, intelligent etc as you are, or who has the same rights and opportunities as you do" + }, + "acquisition": { + "CHS": "获得物,获得;收购", + "ENG": "the process by which you gain knowledge or learn a skill" + }, + "feedback": { + "CHS": "反馈;成果,资料;回复", + "ENG": "advice, criticism etc about how successful or useful something is" + }, + "admire": { + "CHS": "钦佩;赞美", + "ENG": "to respect and like someone because they have done something that you think is good" + }, + "admit": { + "CHS": "承认;准许进入;可容纳", + "ENG": "to agree unwillingly that something is true or that someone else is right" + }, + "linguistic": { + "CHS": "语言的;语言学的", + "ENG": "related to language, words, or linguistics" + }, + "engineer": { + "CHS": "设计;策划;精明地处理", + "ENG": "to make something happen by skilful secret planning" + }, + "surface": { + "CHS": "浮出水面", + "ENG": "if someone or something surfaces, they suddenly appear somewhere, especially after being gone or hidden for a long time" + }, + "bubble": { + "CHS": "沸腾,冒泡;发出气泡声", + "ENG": "to produce bubbles" + }, + "legislation": { + "CHS": "立法;法律", + "ENG": "a law or set of laws" + }, + "confidence": { + "CHS": "(美)诈骗的;骗得信任的" + }, + "belong": { + "CHS": "属于,应归入;居住;适宜;应被放置", + "ENG": "If something belongs to you, you own it" + }, + "restaurant": { + "CHS": "餐馆;[经] 饭店", + "ENG": "a place where you can buy and eat a meal" + }, + "miss": { + "CHS": "女士,小姐,年轻未婚女子", + "ENG": "used in front of the family name of a woman who is not married to address her politely, to write to her, or to talk about her" + }, + "total": { + "CHS": "总数,合计", + "ENG": "the final number or amount of things, people etc when everything has been counted" + }, + "taste": { + "CHS": "尝;体验", + "ENG": "to experience or recognize the taste of food or drink" + }, + "employer": { + "CHS": "雇主,老板", + "ENG": "a person, company, or organization that employs people" + }, + "assumption": { + "CHS": "假定;设想;担任;采取", + "ENG": "something that you think is true although you have no definite proof" + }, + "provoke": { + "CHS": "驱使;激怒;煽动;惹起", + "ENG": "to cause a reaction or feeling, especially a sudden one" + }, + "upright": { + "CHS": "垂直;竖立", + "ENG": "a long piece of wood or metal that stands straight up and supports something" + }, + "pension": { + "CHS": "发给养老金或抚恤金", + "ENG": "to grant a pension to " + }, + "count": { + "CHS": "计数;计算;伯爵", + "ENG": "the process of counting, or the total that you get when you count things" + }, + "operate": { + "CHS": "运转;动手术;起作用", + "ENG": "to cut into someone’s body in order to repair or remove a part that is damaged" + }, + "rage": { + "CHS": "大怒,发怒;流行,风行", + "ENG": "to feel very angry about something and show this in the way you behave or speak" + }, + "complain": { + "CHS": "投诉;发牢骚;诉说", + "ENG": "to say that you are annoyed, not satisfied, or unhappy about something or someone" + }, + "possess": { + "CHS": "控制;使掌握;持有;迷住;拥有,具备", + "ENG": "to have a particular quality or ability" + }, + "marry": { + "CHS": "(Marry)人名;(阿拉伯)马雷;(法)马里" + }, + "inform": { + "CHS": "通知;告诉;报告", + "ENG": "to officially tell someone about something or give them information" + }, + "owe": { + "CHS": "(Owe)人名;(瑞典、挪)奥弗" + }, + "race": { + "CHS": "使参加比赛;和…竞赛;使急走,使全速行进", + "ENG": "to compete against someone or something in a race" + }, + "positive": { + "CHS": "正数;[摄] 正片" + }, + "curiosity": { + "CHS": "好奇,好奇心;珍品,古董,古玩", + "ENG": "the desire to know about something" + }, + "perfect": { + "CHS": "完成式", + "ENG": "the form of a verb which is used when talking about a period of time up to and including the present. In English, it is formed with ‘have’ and the past participle." + }, + "assume": { + "CHS": "假定;设想;承担;采取", + "ENG": "to think that something is true, although you do not have definite proof" + }, + "married": { + "CHS": "结婚,与…结婚(marry的过去式)" + }, + "ensure": { + "CHS": "保证,确保;使安全", + "ENG": "to make certain that something will happen properly" + }, + "widespread": { + "CHS": "普遍的,广泛的;分布广的", + "ENG": "existing or happening in many places or situations, or among many people" + }, + "lay": { + "CHS": "位置;短诗;花纹方向;叙事诗;性伙伴", + "ENG": "a poem or song" + }, + "thousand": { + "CHS": "成千的;无数的" + }, + "deliberate": { + "CHS": "仔细考虑;商议", + "ENG": "to think about something very carefully" + }, + "wild": { + "CHS": "疯狂地;胡乱地", + "ENG": "if plants run wild, they grow a lot in an uncontrolled way" + }, + "master": { + "CHS": "主人的;主要的;熟练的", + "ENG": "most important or main" + }, + "constrain": { + "CHS": "驱使;强迫;束缚", + "ENG": "to limit something" + }, + "commission": { + "CHS": "委任;使服役;委托制作", + "ENG": "to formally ask someone to write an official report, produce a work of art for you etc" + }, + "holder": { + "CHS": "持有人;所有人;固定器;(台、架等)支持物", + "ENG": "someone who owns or controls something" + }, + "suppress": { + "CHS": "抑制;镇压;废止", + "ENG": "to stop people from opposing the government, especially by using force" + }, + "expectation": { + "CHS": "期待;预期;指望", + "ENG": "what you think or hope will happen" + }, + "musician": { + "CHS": "音乐家", + "ENG": "someone who plays a musical instrument, especially very well or as a job" + }, + "huge": { + "CHS": "(Huge)人名;(英)休奇" + }, + "concentrate": { + "CHS": "浓缩,精选;浓缩液", + "ENG": "a substance or liquid which has been made stronger by removing most of the water from it" + }, + "unemployment": { + "CHS": "失业;失业率;失业人数", + "ENG": "the number of people in a particular country or area who cannot get a job" + }, + "couple": { + "CHS": "结合;成婚", + "ENG": "to join or fasten two things together" + }, + "diffuse": { + "CHS": "扩散;传播;漫射", + "ENG": "to make heat, light, liquid etc spread through something, or to spread like this" + }, + "permanent": { + "CHS": "烫发(等于permanent wave)", + "ENG": "a perm 1 " + }, + "supervise": { + "CHS": "监督,管理;指导", + "ENG": "to be in charge of an activity or person, and make sure that things are done in the correct way" + }, + "cell": { + "CHS": "住在牢房或小室中" + }, + "reply": { + "CHS": "回答;[法] 答辩", + "ENG": "something that is said, written, or done as a way of replying" + }, + "technical": { + "CHS": "工艺的,科技的;技术上的;专门的", + "ENG": "connected with knowledge of how machines work" + }, + "bargain": { + "CHS": "讨价还价;议价;(谈价钱后)卖", + "ENG": "to discuss the conditions of a sale, agreement etc, for example to try and get a lower price" + }, + "tendency": { + "CHS": "倾向,趋势;癖好", + "ENG": "if someone or something has a tendency to do or become a particular thing, they are likely to do or become it" + }, + "mix": { + "CHS": "混合;混合物;混乱", + "ENG": "the particular combination of things or people in a group or thing" + }, + "valuable": { + "CHS": "贵重物品" + }, + "indignation": { + "CHS": "愤慨;愤怒;义愤", + "ENG": "feelings of anger and surprise because you feel insulted or unfairly treated" + }, + "theater": { + "CHS": "电影院,戏院,剧场;戏剧;手术室" + }, + "relief": { + "CHS": "救济;减轻,解除;安慰;浮雕", + "ENG": "when something reduces someone’s pain or unhappy feelings" + }, + "composition": { + "CHS": "作文,作曲,作品;[材] 构成;合成物;成分", + "ENG": "the way in which something is made up of different parts, things, or members" + }, + "generous": { + "CHS": "慷慨的,大方的;宽宏大量的;有雅量的", + "ENG": "someone who is generous is willing to give money, spend time etc, in order to help people or give them pleasure" + }, + "conductor": { + "CHS": "导体;售票员;领导者;管理人", + "ENG": "someone whose job is to collect payments from passengers on a bus" + }, + "exhaust": { + "CHS": "排气;废气;排气装置", + "ENG": "a pipe on a car or machine that waste gases pass through" + }, + "brown": { + "CHS": "褐色,棕色", + "ENG": "the colour of earth, wood, or coffee" + }, + "rock": { + "CHS": "摇动;使摇晃", + "ENG": "to make the future of something seem less certain or steady than it was before, especially because of problems or changes" + }, + "tolerance": { + "CHS": "公差;宽容;容忍;公差", + "ENG": "willingness to allow people to do, say, or believe what they want without criticizing or punishing them" + }, + "western": { + "CHS": "西方人;西部片,西部小说", + "ENG": "a film about life in the 19th century in the American West, especially the lives of cowboys" + }, + "assistance": { + "CHS": "援助,帮助;辅助设备", + "ENG": "help or support" + }, + "construction": { + "CHS": "建设;建筑物;解释;造句", + "ENG": "the process of building things such as houses, bridges, roads etc" + }, + "recall": { + "CHS": "召回;回忆;撤消", + "ENG": "an official order telling someone to return to a place, especially before they expected to" + }, + "formulate": { + "CHS": "规划;用公式表示;明确地表达", + "ENG": "to develop something such as a plan or a set of rules, and decide all the details of how it will be done" + }, + "monday": { + "CHS": "星期一", + "ENG": "Monday is the day after Sunday and before Tuesday" + }, + "authentic": { + "CHS": "真正的,真实的;可信的", + "ENG": "based on facts" + }, + "incidence": { + "CHS": "发生率;影响;[光] 入射;影响范围", + "ENG": "the number of times something happens, especially crime, disease etc" + }, + "brook": { + "CHS": "小溪;小河", + "ENG": "a small stream" + }, + "commodity": { + "CHS": "商品,货物;日用品", + "ENG": "a product that is bought and sold" + }, + "throat": { + "CHS": "开沟于;用喉音说" + }, + "cheat": { + "CHS": "欺骗,作弊;骗子", + "ENG": "someone who is dishonest and cheats" + }, + "soul": { + "CHS": "美国黑人文化的" + }, + "prey": { + "CHS": "捕食;牺牲者;被捕食的动物", + "ENG": "an animal, bird etc that is hunted and eaten by another animal" + }, + "cheap": { + "CHS": "便宜地", + "ENG": "at a low price" + }, + "abolish": { + "CHS": "废除,废止;取消,革除", + "ENG": "to officially end a law, system etc, especially one that has existed for a long time" + }, + "abound": { + "CHS": "富于;充满", + "ENG": "If things abound, or if a place abounds with things, there are very large numbers of them" + }, + "literary": { + "CHS": "文学的;书面的;精通文学的", + "ENG": "relating to literature" + }, + "spare": { + "CHS": "剩余;备用零件", + "ENG": "an additional thing, for example a key, that you keep so that it is available" + }, + "desirable": { + "CHS": "合意的人或事物" + }, + "assimilate": { + "CHS": "吸收;使同化;把…比作;使相似", + "ENG": "to completely understand and begin to use new ideas, information etc" + }, + "verbal": { + "CHS": "动词的非谓语形式", + "ENG": "a word that has been formed from a verb, for example a gerund, infinitive, or participle" + }, + "assemble": { + "CHS": "集合,聚集;装配;收集", + "ENG": "if you assemble a large number of people or things, or if they assemble, they are gathered together in one place, often for a particular purpose" + }, + "nasty": { + "CHS": "令人不快的事物" + }, + "wait": { + "CHS": "等待;等候", + "ENG": "a period of time in which you wait for something to happen, someone to arrive etc" + }, + "kit": { + "CHS": "装备" + }, + "wage": { + "CHS": "工资;代价;报偿", + "ENG": "money you earn that is paid according to the number of hours, days, or weeks that you work" + }, + "forever": { + "CHS": "永远;不断地;常常", + "ENG": "for all future time" + }, + "fell": { + "CHS": "[林] 一季所伐的木材;折缝;兽皮", + "ENG": "an animal skin or hide " + }, + "lesson": { + "CHS": "教训;上课" + }, + "appropriate": { + "CHS": "占用,拨出", + "ENG": "to take something for yourself when you do not have the right to do this" + }, + "relative": { + "CHS": "亲戚;相关物;[语] 关系词;亲缘植物", + "ENG": "a member of your family" + }, + "equivalent": { + "CHS": "等价物,相等物", + "ENG": "something that has the same value, purpose, job etc as something else" + }, + "indifferent": { + "CHS": "漠不关心的;无关紧要的;中性的,中立的", + "ENG": "not at all interested in someone or something" + }, + "revolutionary": { + "CHS": "革命者", + "ENG": "someone who joins in or supports a political or social revolution" + }, + "occupy": { + "CHS": "占据,占领;居住;使忙碌", + "ENG": "to live or stay in a place" + }, + "vanish": { + "CHS": "弱化音" + }, + "elaborate": { + "CHS": "精心制作;详细阐述;从简单成分合成(复杂有机物)", + "ENG": "to give more details or new information about something" + }, + "severe": { + "CHS": "严峻的;严厉的;剧烈的;苛刻的", + "ENG": "severe problems, injuries, illnesses etc are very bad or very serious" + }, + "cease": { + "CHS": "停止", + "ENG": "without stopping" + }, + "ancient": { + "CHS": "古代人;老人", + "ENG": "people who lived long ago, especially the Greeks and Romans" + }, + "toxic": { + "CHS": "有毒的;中毒的", + "ENG": "containing poison, or caused by poisonous substances" + }, + "intimate": { + "CHS": "暗示;通知;宣布", + "ENG": "to make people understand what you mean without saying it directly" + }, + "episode": { + "CHS": "插曲;一段情节;插话;有趣的事件", + "ENG": "a television or radio programme that is one of a series of programmes in which the same story is continued each week" + }, + "wholly": { + "CHS": "完全地;全部;统统", + "ENG": "completely" + }, + "custom": { + "CHS": "(衣服等)定做的,定制的", + "ENG": "custom products or services are specially designed and made for a particular person" + }, + "implication": { + "CHS": "含义;暗示;牵连,卷入;可能的结果,影响", + "ENG": "a possible future effect or result of an action, event, decision etc" + }, + "controversial": { + "CHS": "有争议的;有争论的", + "ENG": "causing a lot of disagreement, because many people have strong opinions about the subject being discussed" + }, + "meat": { + "CHS": "肉,肉类(食用)", + "ENG": "the flesh of animals and birds eaten as food" + }, + "marine": { + "CHS": "海运业;舰队;水兵;(海军)士兵或军官", + "ENG": "A marine is a member of an armed force, for example the U.S. Marine Corps or the Royal Marines, who is specially trained for military duties at sea as well as on land. " + }, + "project": { + "CHS": "工程;计划;事业", + "ENG": "a carefully planned piece of work to get information about something, to build something, to improve something etc" + }, + "congress": { + "CHS": "国会;代表大会;会议;社交", + "ENG": "a formal meeting of representatives of different groups, countries etc, to discuss ideas, make decisions etc" + }, + "membership": { + "CHS": "资格;成员资格;会员身份", + "ENG": "when someone is a member of a club, group, or organization" + }, + "locate": { + "CHS": "位于;查找…的地点", + "ENG": "to find the exact position of something" + }, + "airline": { + "CHS": "航线的" + }, + "efficiency": { + "CHS": "效率;效能;功效", + "ENG": "the quality of doing something well and effectively, without wasting time, money, or energy" + }, + "hip": { + "CHS": "熟悉内情的;非常时尚的", + "ENG": "doing things or done according to the latest fashion" + }, + "wisdom": { + "CHS": "智慧,才智;明智;学识;至理名言", + "ENG": "good sense and judgment, based especially on your experience of life" + }, + "practically": { + "CHS": "实际地;几乎;事实上", + "ENG": "almost" + }, + "detach": { + "CHS": "分离;派遣;使超然", + "ENG": "If you detach one thing from another that it is attached to, you remove it. If one thing detaches from another, it becomes separated from it. " + }, + "owner": { + "CHS": "[经] 所有者;物主", + "ENG": "someone who owns something" + }, + "path": { + "CHS": "道路;小路;轨道", + "ENG": "a track that has been made deliberately or made by many people walking over the same ground" + }, + "stem": { + "CHS": "阻止;除去…的茎;给…装柄", + "ENG": "to stop something from happening, spreading, or developing" + }, + "god": { + "CHS": "膜拜,崇拜" + }, + "exhibit": { + "CHS": "展览品;证据;展示会", + "ENG": "something, for example a painting, that is put in a public place so that people can go to see it" + }, + "proportion": { + "CHS": "使成比例;使均衡;分摊", + "ENG": "to put something in a particular relationship with something else according to their relative size, amount, position etc" + }, + "splash": { + "CHS": "飞溅的水;污点;卖弄", + "ENG": "a mark made by a liquid splashing onto something else" + }, + "bypass": { + "CHS": "旁路;[公路] 支路", + "ENG": "a road that goes around a town or other busy area rather than through it" + }, + "alcohol": { + "CHS": "酒精,乙醇", + "ENG": "drinks such as beer or wine that contain a substance which can make you drunk" + }, + "paint": { + "CHS": "油漆;颜料,涂料;绘画作品;胭脂等化妆品;色彩,装饰", + "ENG": "a liquid that you put on a surface, using a brush to make the surface a particular colour" + }, + "breath": { + "CHS": "呼吸,气息;一口气,(呼吸的)一次;瞬间,瞬息;微风;迹象;无声音,气音", + "ENG": "to start breathing normally again after running or making a lot of effort" + }, + "plate": { + "CHS": "电镀;给…装甲" + }, + "superior": { + "CHS": "上级,长官;优胜者,高手;长者", + "ENG": "someone who has a higher rank or position than you, especially in a job" + }, + "loom": { + "CHS": "可怕地出现;朦胧地出现;隐约可见", + "ENG": "to appear as a large unclear shape, especially in a threatening way" + }, + "violence": { + "CHS": "暴力;侵犯;激烈;歪曲", + "ENG": "behaviour that is intended to hurt other people physically" + }, + "operator": { + "CHS": "经营者;操作员;话务员;行家", + "ENG": "someone who operates a machine or piece of equipment" + }, + "obligation": { + "CHS": "义务;职责;债务", + "ENG": "a moral or legal duty to do something" + }, + "dead": { + "CHS": "死者", + "ENG": "people who have died" + }, + "holiday": { + "CHS": "外出度假", + "ENG": "to spend your holiday in a place - used especially in news reports" + }, + "maximum": { + "CHS": "最高的;最多的;最大极限的", + "ENG": "the maximum amount, quantity, speed etc is the largest that is possible or allowed" + }, + "sponsor": { + "CHS": "赞助;发起", + "ENG": "to give money to a sports event, theatre, institution etc, especially in exchange for the right to advertise" + }, + "accompany": { + "CHS": "陪伴,伴随;伴奏", + "ENG": "to go somewhere with someone" + }, + "bother": { + "CHS": "麻烦;烦恼", + "ENG": "trouble or difficulty that has been caused by small problems and that usually only continues for a short time" + }, + "delay": { + "CHS": "延期;耽搁;被耽搁或推迟的时间", + "ENG": "when someone or something has to wait, or the length of the waiting time" + }, + "click": { + "CHS": "单击;滴答声", + "ENG": "Click is also a noun" + }, + "vague": { + "CHS": "(Vague)人名;(法)瓦格;(英)韦格" + }, + "noble": { + "CHS": "抓住;逮捕" + }, + "applicable": { + "CHS": "可适用的;可应用的;合适的", + "ENG": "if something is applicable to a particular person, group, or situation, it affects them or is related to them" + }, + "smart": { + "CHS": "(Smart)人名;(法)斯马尔;(英、德)斯马特" + }, + "slack": { + "CHS": "马虎地;缓慢地" + }, + "attain": { + "CHS": "成就" + }, + "initiative": { + "CHS": "主动的;自发的;起始的" + }, + "reinforce": { + "CHS": "加强;加固物;加固材料" + }, + "impressive": { + "CHS": "感人的;令人钦佩的;给人以深刻印象的", + "ENG": "something that is impressive makes you admire it because it is very good, large, important etc" + }, + "crop": { + "CHS": "种植;收割;修剪;剪短", + "ENG": "to cut someone’s hair short" + }, + "submit": { + "CHS": "使服从;主张;呈递", + "ENG": "to give a plan, piece of writing etc to someone in authority for them to consider or approve" + }, + "impression": { + "CHS": "印象;效果,影响;压痕,印记;感想;曝光(衡量广告被显示的次数。打开一个带有该广告的网页,则该广告的impression 次数增加一次)", + "ENG": "the opinion or feeling you have about someone or something because of the way they seem" + }, + "spur": { + "CHS": "骑马疾驰;给予刺激", + "ENG": "to make an improvement or change happen faster" + }, + "react": { + "CHS": "反应;影响;反抗;起反作用", + "ENG": "to behave in a particular way or show a particular emotion because of something that has happened or been said" + }, + "exemplify": { + "CHS": "例证;例示" + }, + "prepare": { + "CHS": "准备;使适合;装备;起草", + "ENG": "to make plans or arrangements for something that will happen in the future" + }, + "contact": { + "CHS": "使接触,联系", + "ENG": "to write to or telephone someone" + }, + "attach": { + "CHS": "使依附;贴上;系上;使依恋", + "ENG": "If you attach something to an object, you join it or fasten it to the object" + }, + "pace": { + "CHS": "踱步;缓慢而行", + "ENG": "to walk first in one direction and then in another many times, especially because you are nervous" + }, + "nervous": { + "CHS": "神经的;紧张不安的;强健有力的", + "ENG": "worried or frightened about something, and unable to relax" + }, + "fee": { + "CHS": "付费给……" + }, + "guess": { + "CHS": "猜测;推测", + "ENG": "an attempt to answer a question or make a judgement when you are not sure whether you will be correct" + }, + "reluctant": { + "CHS": "不情愿的;勉强的;顽抗的", + "ENG": "slow and unwilling" + }, + "leaf": { + "CHS": "生叶;翻书页" + }, + "surgery": { + "CHS": "外科;外科手术;手术室;诊疗室", + "ENG": "medical treatment in which a surgeon cuts open your body to repair or remove something inside" + }, + "personnel": { + "CHS": "人员的;有关人事的" + }, + "fan": { + "CHS": "迷;风扇;爱好者", + "ENG": "someone who likes a particular sport or performing art very much, or who admires a famous person" + }, + "delicate": { + "CHS": "微妙的;精美的,雅致的;柔和的;易碎的;纤弱的;清淡可口的", + "ENG": "needing to be dealt with carefully or sensitively in order to avoid problems or failure" + }, + "castle": { + "CHS": "置…于城堡中;筑城堡防御" + }, + "criterion": { + "CHS": "(批评判断的)标准;准则;规范;准据", + "ENG": "a standard that you use to judge something or make a decision about something" + }, + "concentration": { + "CHS": "浓度;集中;浓缩;专心;集合", + "ENG": "the ability to think about something carefully or for a long time" + }, + "obscure": { + "CHS": "某种模糊的或不清楚的东西" + }, + "beard": { + "CHS": "胡须;颌毛", + "ENG": "hair that grows around a man’s chin and cheeks" + }, + "sentiment": { + "CHS": "感情,情绪;情操;观点;多愁善感", + "ENG": "an opinion or feeling you have about something" + }, + "comprehensive": { + "CHS": "综合学校;专业综合测验" + }, + "pastime": { + "CHS": "娱乐,消遣", + "ENG": "something that you do because you think it is enjoyable or interesting" + }, + "pregnant": { + "CHS": "怀孕的;富有意义的", + "ENG": "if a woman or female animal is pregnant, she has an unborn baby growing inside her body" + }, + "behave": { + "CHS": "表现;(机器等)运转;举止端正;(事物)起某种作用", + "ENG": "to do things that are good, bad, sensible etc" + }, + "implicit": { + "CHS": "含蓄的;暗示的;盲从的", + "ENG": "suggested or understood without being stated directly" + }, + "perform": { + "CHS": "执行;完成;演奏", + "ENG": "to do something, especially something difficult or useful" + }, + "china": { + "CHS": "瓷制的" + }, + "revive": { + "CHS": "复兴;复活;苏醒;恢复精神", + "ENG": "to bring something back after it has not been used or has not existed for a period of time" + }, + "precious": { + "CHS": "(Precious)人名;(英)普雷舍斯,普雷舍丝(女名)" + }, + "pilgrim": { + "CHS": "去朝圣;漫游" + }, + "likewise": { + "CHS": "同样地;也", + "ENG": "in the same way" + }, + "prize": { + "CHS": "获奖的", + "ENG": "good enough to win a prize or having won a prize" + }, + "strict": { + "CHS": "严格的;绝对的;精确的;详细的", + "ENG": "expecting people to obey rules or to do what you say" + }, + "elevate": { + "CHS": "提升;举起;振奋情绪等;提升…的职位", + "ENG": "to move someone or something to a more important level or rank, or make them better than before" + }, + "inch": { + "CHS": "使缓慢地移动", + "ENG": "to move very slowly in a particular direction, or to make something do this" + }, + "surpass": { + "CHS": "超越;胜过,优于;非…所能办到或理解", + "ENG": "to be even better or greater than someone or something else" + }, + "address": { + "CHS": "地址;演讲;致辞;说话的技巧;称呼", + "ENG": "a formal speech that someone makes to a group of people" + }, + "missing": { + "CHS": "(Missing)人名;(德)米辛" + }, + "hypothesis": { + "CHS": "假设", + "ENG": "an idea that is suggested as an explanation for something, but that has not yet been proved to be true" + }, + "novelty": { + "CHS": "新奇;新奇的事物;新颖小巧而廉价的物品", + "ENG": "the quality of being new, unusual, and interesting" + }, + "protect": { + "CHS": "保护,防卫;警戒", + "ENG": "to keep someone or something safe from harm, damage, or illness" + }, + "clock": { + "CHS": "记录;记时", + "ENG": "to measure or record the time or speed that someone or something is travelling at" + }, + "enlighten": { + "CHS": "启发,启蒙;教导,开导;照耀", + "ENG": "to explain something to someone" + }, + "biology": { + "CHS": "(一个地区全部的)生物;生物学", + "ENG": "the scientific study of living things" + }, + "comparison": { + "CHS": "比较;对照;比喻;比较关系", + "ENG": "the process of comparing two or more people or things" + }, + "accomplish": { + "CHS": "完成;实现;达到", + "ENG": "to succeed in doing something, especially after trying very hard" + }, + "audience": { + "CHS": "观众;听众;读者;接见;正式会见;拜会", + "ENG": "a group of people who come to watch and listen to someone speaking or performing in public" + }, + "profitable": { + "CHS": "有利可图的;赚钱的;有益的", + "ENG": "producing a profit or a useful result" + }, + "pride": { + "CHS": "使得意,以…自豪", + "ENG": "to be especially proud of something that you do well, or of a good quality that you have" + }, + "danger": { + "CHS": "危险;危险物,威胁", + "ENG": "the possibility that someone or something will be harmed, destroyed, or killed" + }, + "resistance": { + "CHS": "阻力;电阻;抵抗;反抗;抵抗力", + "ENG": "a refusal to accept new ideas or changes" + }, + "resent": { + "CHS": "怨恨;愤恨;厌恶", + "ENG": "to feel angry or upset about a situation or about something that someone has done, especially because you think that it is not fair" + }, + "familiar": { + "CHS": "常客;密友" + }, + "gender": { + "CHS": "生(过去式gendered,过去分词gendered,现在分词gendering,第三人称单数genders,形容词genderless)" + }, + "victim": { + "CHS": "受害人;牺牲品;牺牲者", + "ENG": "someone who has been attacked, robbed, or murdered" + }, + "resume": { + "CHS": "重新开始,继续;恢复,重新占用", + "ENG": "to start doing something again after stopping or being interrupted" + }, + "grasp": { + "CHS": "抓住;领会", + "ENG": "to completely understand a fact or an idea, especially a complicated one" + }, + "evil": { + "CHS": "罪恶,邪恶;不幸", + "ENG": "cruel or morally bad behaviour in general" + }, + "effective": { + "CHS": "有效的,起作用的;实际的,实在的;给人深刻印象", + "ENG": "successful, and working in the way that was intended" + }, + "wander": { + "CHS": "(Wander)人名;(英)万德(女子教名)" + }, + "extract": { + "CHS": "汁;摘录;榨出物;选粹", + "ENG": "a short piece of writing, music etc taken from a particular book, piece of music etc" + }, + "dependent": { + "CHS": "依赖他人者;受赡养者" + }, + "coherent": { + "CHS": "连贯的,一致的;明了的;清晰的;凝聚性的;互相耦合的;粘在一起的", + "ENG": "if a piece of writing, set of ideas etc is coherent, it is easy to understand because it is clear and reasonable" + }, + "hook": { + "CHS": "钩住;引上钩", + "ENG": "to bend your finger, arm, or leg, especially so that you can pull or hold something else" + }, + "factory": { + "CHS": "工厂;制造厂;代理店", + "ENG": "a building or group of buildings in which goods are produced in large quantities, using machines" + }, + "prefer": { + "CHS": "更喜欢;宁愿;提出;提升", + "ENG": "to like someone or something more than someone or something else, so that you would choose it if you could" + }, + "guidance": { + "CHS": "指导,引导;领导", + "ENG": "help and advice that is given to someone about their work, education, or personal life" + }, + "regarding": { + "CHS": "关于,至于", + "ENG": "a word used especially in letters or speeches to introduce the subject you are writing or talking about" + }, + "auto": { + "CHS": "乘汽车" + }, + "accident": { + "CHS": "事故;意外;[法] 意外事件;机遇", + "ENG": "in a way that is not planned or intended" + }, + "susceptible": { + "CHS": "易得病的人" + }, + "statistical": { + "CHS": "统计的;统计学的", + "ENG": "Statistical means relating to the use of statistics" + }, + "pupil": { + "CHS": "学生;[解剖] 瞳孔;未成年人", + "ENG": "someone who is being taught, especially a child" + }, + "intense": { + "CHS": "强烈的;紧张的;非常的;热情的", + "ENG": "having a very strong effect or felt very strongly" + }, + "preferable": { + "CHS": "更好的,更可取的;更合意的", + "ENG": "better or more suitable" + }, + "panic": { + "CHS": "使恐慌", + "ENG": "to suddenly feel so frightened that you cannot think clearly or behave sensibly, or to make someone do this" + }, + "equipment": { + "CHS": "设备,装备;器材", + "ENG": "the tools, machines etc that you need to do a particular job or activity" + }, + "cool": { + "CHS": "冷静地", + "ENG": "used to tell someone to stop being angry, violent etc" + }, + "adequate": { + "CHS": "充足的;适当的;胜任的", + "ENG": "enough in quantity or of a good enough quality for a particular purpose" + }, + "attendance": { + "CHS": "出席;到场;出席人数;考勤", + "ENG": "the number of people who attend a game, concert, meeting etc" + }, + "vessel": { + "CHS": "船,舰;[组织] 脉管,血管;容器,器皿", + "ENG": "a ship or large boat" + }, + "inspire": { + "CHS": "激发;鼓舞;启示;产生;使生灵感", + "ENG": "to encourage someone by making them feel confident and eager to do something" + }, + "exploit": { + "CHS": "勋绩;功绩" + }, + "radio": { + "CHS": "用无线电进行通信", + "ENG": "to send a message using a radio" + }, + "remote": { + "CHS": "远程" + }, + "literature": { + "CHS": "文学;文献;文艺;著作", + "ENG": "books, plays, poems etc that people think are important and good" + }, + "format": { + "CHS": "使格式化;规定…的格式", + "ENG": "to organize the space on a computer disk so that information can be stored on it" + }, + "recipient": { + "CHS": "容易接受的,感受性强的" + }, + "persuade": { + "CHS": "空闲的,有闲的" + }, + "peak": { + "CHS": "最高的;最大值的", + "ENG": "used to talk about the best, highest, or greatest level or amount of something" + }, + "debate": { + "CHS": "辩论;辩论会", + "ENG": "discussion of a particular subject that often continues for a long time and in which people express different opinions" + }, + "expression": { + "CHS": "表现,表示,表达;表情,脸色,态度,腔调,声调;式,符号;词句,语句,措辞,说法", + "ENG": "something you say, write, or do that shows what you think or feel" + }, + "award": { + "CHS": "奖品;判决", + "ENG": "something such as a prize or money given to someone to reward them for something they have done" + }, + "abroad": { + "CHS": "海外;异国" + }, + "ahead": { + "CHS": "向前地;领先地;在(某人或某事物的)前面;预先;在将来,为未来", + "ENG": "a short distance in front of someone or something" + }, + "barrier": { + "CHS": "把…关入栅栏" + }, + "contend": { + "CHS": "竞争;奋斗;斗争;争论", + "ENG": "to compete against someone in order to gain something" + }, + "survival": { + "CHS": "幸存,残存;幸存者,残存物", + "ENG": "the state of continuing to live or exist" + }, + "entrance": { + "CHS": "使出神,使入迷", + "ENG": "if someone or something entrances you, they make you give them all your attention because they are so beautiful, interesting etc" + }, + "selection": { + "CHS": "选择,挑选;选集;精选品", + "ENG": "the careful choice of a particular person or thing from a group of similar people or things" + }, + "attend": { + "CHS": "出席;上(大学等);照料;招待;陪伴", + "ENG": "to go to an event such as a meeting or a class" + }, + "dare": { + "CHS": "敢冒;不惧", + "ENG": "said to warn someone not to do something because it makes you angry" + }, + "comparative": { + "CHS": "比较级;对手", + "ENG": "the form of an adjective or adverb that shows an increase in size, degree etc when something is considered in relation to something else. For example, ‘bigger’ is the comparative of ‘big’, and ‘more slowly’ is the comparative of ‘slowly’" + }, + "sudden": { + "CHS": "突然发生的事" + }, + "tie": { + "CHS": "领带;平局;鞋带;领结;不分胜负", + "ENG": "a long narrow piece of cloth tied in a knot around the neck, worn by men" + }, + "alert": { + "CHS": "警戒,警惕;警报", + "ENG": "a warning to be ready for possible danger" + }, + "reserve": { + "CHS": "储备;保留;预约", + "ENG": "to arrange for a place in a hotel, restaurant, plane etc to be kept for you to use at a particular time in the future" + }, + "contest": { + "CHS": "竞赛;争夺;争论", + "ENG": "a competition or a situation in which two or more people or groups are competing with each other" + }, + "trigger": { + "CHS": "扳机;[电子] 触发器;制滑机", + "ENG": "the part of a gun that you pull with your finger to fire it" + }, + "pioneer": { + "CHS": "开辟;倡导;提倡", + "ENG": "to be the first person to do, invent or use something" + }, + "repair": { + "CHS": "修理,修补;修补部位", + "ENG": "something that you do to fix a thing that is damaged, broken, or not working" + }, + "treat": { + "CHS": "请客;款待", + "ENG": "something special that you give someone or do for them because you know they will enjoy it" + }, + "crown": { + "CHS": "加冕;居…之顶;表彰;使圆满完成", + "ENG": "to place a crown on the head of a new king or queen as part of an official ceremony in which they become king or queen" + }, + "slot": { + "CHS": "跟踪;开槽于" + }, + "context": { + "CHS": "环境;上下文;来龙去脉", + "ENG": "the situation, events, or information that are related to something and that help you to understand it" + }, + "toll": { + "CHS": "征收;敲钟", + "ENG": "if a large bell tolls, or if you toll it, it keeps ringing slowly, especially to show that someone has died" + }, + "advice": { + "CHS": "建议;忠告;劝告;通知", + "ENG": "an opinion you give someone about what they should do" + }, + "architecture": { + "CHS": "建筑学;建筑风格;建筑式样;架构", + "ENG": "the style and design of a building or buildings" + }, + "qualification": { + "CHS": "资格;条件;限制;赋予资格", + "ENG": "if you have a qualification, you have passed an examination or course to show you have a particular level of skill or knowledge in a subject" + }, + "leisure": { + "CHS": "空闲的;有闲的;业余的" + }, + "organize": { + "CHS": "组织;使有系统化;给予生机;组织成立工会等", + "ENG": "to make the necessary arrangements so that an activity can happen effectively" + }, + "supplement": { + "CHS": "增补,补充;补充物;增刊,副刊", + "ENG": "something that you add to something else to improve it or make it complete" + }, + "amateur": { + "CHS": "业余的;外行的", + "ENG": "Amateur sports or activities are done by people as a hobby and not as a job" + }, + "athlete": { + "CHS": "运动员,体育家;身强力壮的人", + "ENG": "someone who competes in sports competitions, especially running, jumping, and throwing" + }, + "enormous": { + "CHS": "庞大的,巨大的;凶暴的,极恶的", + "ENG": "very big in size or in amount" + }, + "strengthen": { + "CHS": "加强;巩固", + "ENG": "to become stronger or make something stronger" + }, + "hero": { + "CHS": "英雄;男主角,男主人公", + "ENG": "a man who is admired for doing something extremely brave" + }, + "imitate": { + "CHS": "模仿,仿效;仿造,仿制", + "ENG": "to copy the way someone behaves, speaks, moves etc, especially in order to make people laugh" + }, + "grip": { + "CHS": "紧握;夹紧", + "ENG": "to hold something very tightly" + }, + "super": { + "CHS": "特级品,特大号;临时雇员" + }, + "rid": { + "CHS": "(Rid)人名;(英)里德" + }, + "succession": { + "CHS": "连续;继位;继承权;[生态] 演替", + "ENG": "happening one after the other without anything diffe-rent happening in between" + }, + "thirty": { + "CHS": "三十个的" + }, + "scrutiny": { + "CHS": "详细审查;监视;细看;选票复查" + }, + "tourist": { + "CHS": "坐旅游车厢;坐经济舱" + }, + "sad": { + "CHS": "难过的;悲哀的,令人悲痛的;凄惨的,阴郁的(形容颜色)", + "ENG": "not happy, especially because something unpleasant has happened" + }, + "pipe": { + "CHS": "吹笛;尖叫", + "ENG": "to make a musical sound, using a pipe" + }, + "noise": { + "CHS": "谣传", + "ENG": "if news or information is noised abroad, people are talking about it" + }, + "contribution": { + "CHS": "贡献;捐献;投稿", + "ENG": "something that you give or do in order to help something be successful" + }, + "acclaim": { + "CHS": "欢呼,喝彩;称赞", + "ENG": "Acclaim is public praise for someone or something" + }, + "conceive": { + "CHS": "怀孕;构思;以为;持有", + "ENG": "to think of a new idea, plan etc and develop it in your mind" + }, + "impossible": { + "CHS": "不可能;不可能的事", + "ENG": "something that cannot be done" + }, + "bible": { + "CHS": "有权威的书", + "ENG": "TheBible is the holy book on which the Jewish and Christian religions are based" + }, + "vice": { + "CHS": "副的;代替的", + "ENG": "serving in the place of or as a deputy for " + }, + "perplex": { + "CHS": "使困惑,使为难;使复杂化", + "ENG": "if something perplexes you, it makes you feel confused and worried because it is difficult to understand" + }, + "concert": { + "CHS": "音乐会用的;在音乐会上演出的" + }, + "yield": { + "CHS": "产量;收益", + "ENG": "the amount of profits, crops etc that something produces" + }, + "spelling": { + "CHS": "拼写;意味着(spell的ing形式);迷住" + }, + "scope": { + "CHS": "审视" + }, + "abstract": { + "CHS": "摘要;提取;使……抽象化;转移(注意力、兴趣等);使心不在焉", + "ENG": "to write a document containing the most important ideas or points from a speech, article etc" + }, + "reap": { + "CHS": "(Reap)人名;(英)里普" + }, + "worse": { + "CHS": "更坏的事;更恶劣的事", + "ENG": "something worse" + }, + "absence": { + "CHS": "没有;缺乏;缺席;不注意", + "ENG": "when you are not in the place where people expect you to be, or the time that you are away" + }, + "lucky": { + "CHS": "幸运的;侥幸的", + "ENG": "having good luck" + }, + "assert": { + "CHS": "维护,坚持;断言;主张;声称", + "ENG": "to state firmly that something is true" + }, + "encounter": { + "CHS": "遭遇,偶然碰见", + "ENG": "an occasion when you meet or experience something" + }, + "horizon": { + "CHS": "[天] 地平线;视野;眼界;范围", + "ENG": "the line far away where the land or sea seems to meet the sky" + }, + "rush": { + "CHS": "使冲;突袭;匆忙地做;飞跃", + "ENG": "to attack a person or place suddenly and in a group" + }, + "costly": { + "CHS": "(Costly)人名;(英)科斯特利" + }, + "ceremony": { + "CHS": "典礼,仪式;礼节,礼仪;客套,虚礼", + "ENG": "an important social or religious event, when a traditional set of actions is performed in a formal way" + }, + "window": { + "CHS": "窗;窗口;窗户", + "ENG": "a space or an area of glass in the wall of a building or vehicle that lets in light" + }, + "ritual": { + "CHS": "仪式的;例行的;礼节性的", + "ENG": "done in a fixed and expected way, but without real meaning or sincerity" + }, + "urge": { + "CHS": "强烈的欲望,迫切要求;推动力", + "ENG": "a strong wish or need" + }, + "invert": { + "CHS": "转化的" + }, + "invest": { + "CHS": "投资;覆盖;耗费;授予;包围", + "ENG": "to buy shares, property, or goods because you hope that the value will increase and you can make a profit" + }, + "visible": { + "CHS": "可见物;进出口贸易中的有形项目" + }, + "perspective": { + "CHS": "透视的" + }, + "cautious": { + "CHS": "谨慎的;十分小心的", + "ENG": "careful to avoid danger or risks" + }, + "highlight": { + "CHS": "最精彩的部分;最重要的事情;加亮区", + "ENG": "the most important, interesting, or enjoyable part of something such as a holiday, performance, or sports competition" + }, + "desperate": { + "CHS": "不顾一切的;令人绝望的;极度渴望的", + "ENG": "willing to do anything to change a very bad situation, and not caring about danger" + }, + "final": { + "CHS": "决赛;期末考试;当日报纸的末版", + "ENG": "the last and most important game, race, or set of games in a competition" + }, + "proof": { + "CHS": "试验;校对;使不被穿透", + "ENG": "to proofread something" + }, + "cruel": { + "CHS": "残酷的,残忍的;使人痛苦的,让人受难的;无情的,严酷的", + "ENG": "making someone suffer or feel unhappy" + }, + "ideology": { + "CHS": "意识形态;思想意识;观念学", + "ENG": "a set of beliefs on which a political or economic system is based, or which strongly influence the way people behave" + }, + "bid": { + "CHS": "出价;叫牌;努力争取", + "ENG": "an offer to pay a particular price for something, especially at an auction " + }, + "vacuum": { + "CHS": "用真空吸尘器清扫", + "ENG": "to clean using a vacuum cleaner" + }, + "proud": { + "CHS": "(Proud)人名;(英)普劳德" + }, + "pop": { + "CHS": "卖点广告(Point of Purchase)" + }, + "quiet": { + "CHS": "使平息;安慰" + }, + "chronic": { + "CHS": "(Chronic)人名;(英)克罗尼克" + }, + "bulk": { + "CHS": "使扩大,使形成大量;使显得重要" + }, + "busy": { + "CHS": "(Busy)人名;(匈)布希;(法)比西" + }, + "belt": { + "CHS": "用带子系住;用皮带抽打", + "ENG": "to fasten something with a belt" + }, + "burn": { + "CHS": "灼伤,烧伤;烙印", + "ENG": "an injury caused by fire, heat, the light of the sun, or acid" + }, + "posture": { + "CHS": "摆姿势" + }, + "reference": { + "CHS": "引用" + }, + "craft": { + "CHS": "精巧地制作", + "ENG": "to make something using a special skill, especially with your hands" + }, + "gate": { + "CHS": "给…装大门", + "ENG": "to provide with a gate or gates " + }, + "nutrition": { + "CHS": "营养,营养学;营养品", + "ENG": "the process of giving or getting the right type of food for good health and growth" + }, + "gasp": { + "CHS": "喘气", + "ENG": "when you take in a breath suddenly in a way that can be heard, especially because you are surprised or in pain" + }, + "boycott": { + "CHS": "联合抵制", + "ENG": "an act of boycotting something, or the period of time when it is boycotted" + }, + "incredible": { + "CHS": "难以置信的,惊人的", + "ENG": "too strange to be believed, or very difficult to believe" + }, + "engine": { + "CHS": "引擎,发动机;机车,火车头;工具", + "ENG": "the part of a vehicle that produces power to make it move" + }, + "mood": { + "CHS": "情绪,语气;心境;气氛", + "ENG": "the way you feel at a particular time" + }, + "retain": { + "CHS": "保持;雇;记住", + "ENG": "to remember information" + }, + "barely": { + "CHS": "仅仅,勉强;几乎不;公开地;贫乏地", + "ENG": "only with great difficulty or effort" + }, + "aid": { + "CHS": "援助;帮助;有助于", + "ENG": "to help someone do something" + }, + "weekly": { + "CHS": "每周一次;逐周", + "ENG": "Weekly is also an adverb" + }, + "normal": { + "CHS": "正常;标准;常态", + "ENG": "the usual state, level, or amount" + }, + "thrive": { + "CHS": "繁荣,兴旺;茁壮成长", + "ENG": "to become very successful or very strong and healthy" + }, + "basketball": { + "CHS": "篮球;篮球运动", + "ENG": "a game played indoors between two teams of five players, in which each team tries to win points by throwing a ball through a net" + }, + "ultimate": { + "CHS": "终极;根本;基本原则" + }, + "correct": { + "CHS": "正确的;恰当的;端正的", + "ENG": "having no mistakes" + }, + "skilled": { + "CHS": "熟练的;有技能的;需要技能的", + "ENG": "someone who is skilled has the training and experience that is needed to do something well" + }, + "temper": { + "CHS": "使回火;锻炼;调和;使缓和", + "ENG": "to make something less severe or extreme" + }, + "spell": { + "CHS": "符咒;一段时间;魅力", + "ENG": "a piece of magic that someone does, or the special words or ceremonies used in doing it" + }, + "frustrate": { + "CHS": "挫败的;无益的" + }, + "fierce": { + "CHS": "(Fierce)人名;(英)菲尔斯" + }, + "incline": { + "CHS": "倾斜;斜面;斜坡", + "ENG": "a slope" + }, + "string": { + "CHS": "线,弦,细绳;一串,一行", + "ENG": "a strong thread made of several threads twisted together, used for tying or fastening things" + }, + "slice": { + "CHS": "切下;把…分成部分;将…切成薄片", + "ENG": "to cut meat, bread, vegetables etc into thin flat pieces" + }, + "hall": { + "CHS": "过道,门厅,走廊;会堂;食堂;学生宿舍;大厅,前厅;娱乐中心,会所", + "ENG": "the area just inside the door of a house or other building, that leads to other rooms" + }, + "optimistic": { + "CHS": "乐观的;乐观主义的", + "ENG": "believing that good things will happen in the future" + }, + "praise": { + "CHS": "赞美,歌颂;表扬", + "ENG": "to say that you admire and approve of someone or something, especially publicly" + }, + "excuse": { + "CHS": "原谅;为…申辩;给…免去", + "ENG": "to forgive someone for doing something that is not seriously wrong, such as being rude or careless" + }, + "governor": { + "CHS": "主管人员;统治者,管理者;[自] 调节器;地方长官", + "ENG": "the person in charge of an institution" + }, + "arm": { + "CHS": "武装起来", + "ENG": "to provide weapons for yourself, an army, a country etc in order to prepare for a fight or a war" + }, + "pyramid": { + "CHS": "渐增;上涨;成金字塔状" + }, + "foot": { + "CHS": "步行;跳舞;总计" + }, + "shot": { + "CHS": "射击(shoot的过去式和过去分词)" + }, + "concerning": { + "CHS": "涉及;使关心(concern的ing形式);忧虑" + }, + "fresh": { + "CHS": "刚刚,才;最新地" + }, + "march": { + "CHS": "行进,前进;行军;游行示威;进行曲", + "ENG": "an organized event in which many people walk together to express their ideas or protest about something" + }, + "watch": { + "CHS": "手表;监视;守护;值班人", + "ENG": "a small clock that you wear on your wrist or keep in your pocket" + }, + "rank": { + "CHS": "排列;把…分等", + "ENG": "to arrange objects in a line or row" + }, + "oxygen": { + "CHS": "[化学] 氧气,[化学] 氧", + "ENG": "a gas that has no colour or smell, is present in air, and is necessary for most animals and plants to live. It is a chemical element: symbol O" + }, + "faith": { + "CHS": "信仰;信念;信任;忠实", + "ENG": "a strong feeling of trust or confidence in someone or something" + }, + "hire": { + "CHS": "雇用;出租", + "ENG": "to pay money to borrow something for a short period of time" + }, + "expansion": { + "CHS": "膨胀;阐述;扩张物", + "ENG": "when a company, business etc becomes larger by opening new shops, factories etc" + }, + "superstition": { + "CHS": "迷信", + "ENG": "a belief that some objects or actions are lucky or unlucky, or that they cause events to happen, based on old ideas of magic" + }, + "technique": { + "CHS": "技巧,技术;手法", + "ENG": "a special way of doing something" + }, + "mouth": { + "CHS": "做作地说,装腔作势地说;喃喃地说出" + }, + "forest": { + "CHS": "森林", + "ENG": "a large area of land that is covered with trees" + }, + "regulate": { + "CHS": "调节,规定;控制;校准;有系统的管理", + "ENG": "to control an activity or process, especially by rules" + }, + "valid": { + "CHS": "有效的;有根据的;合法的;正当的", + "ENG": "a valid ticket, document, or agreement is legally or officially acceptable" + }, + "overlook": { + "CHS": "忽视;眺望" + }, + "entrepreneur": { + "CHS": "企业家;承包人;主办者", + "ENG": "someone who starts a new business or arranges business deals in order to make money, often in a way that involves financial risks" + }, + "plead": { + "CHS": "借口;为辩护;托称", + "ENG": "to give a particular excuse for your actions" + }, + "chair": { + "CHS": "担任(会议的)主席;使…入座;使就任要职", + "ENG": "to be the chairperson of a meeting or committee" + }, + "chain": { + "CHS": "束缚;囚禁;用铁链锁住", + "ENG": "to fasten someone or something to something else using a chain, especially in order to prevent them from escaping or being stolen" + }, + "painful": { + "CHS": "痛苦的;疼痛的;令人不快的", + "ENG": "if a part of your body is painful, it hurts" + }, + "enlarge": { + "CHS": "扩大;放大;详述", + "ENG": "if you enlarge something, or if it enlarges, it increases in size or scale" + }, + "shoulder": { + "CHS": "肩负,承担", + "ENG": "to accept a difficult or unpleasant responsibility, duty etc" + }, + "tentative": { + "CHS": "假设,试验" + }, + "odd": { + "CHS": "奇数;怪人;奇特的事物" + }, + "statesman": { + "CHS": "政治家;国务活动家", + "ENG": "a political or government leader, especially one who is respected as being wise and fair" + }, + "abandon": { + "CHS": "遗弃;放弃", + "ENG": "to leave someone, especially someone you are responsible for" + }, + "correlate": { + "CHS": "关联的" + }, + "differ": { + "CHS": "(Differ)人名;(法)迪费" + }, + "certainly": { + "CHS": "当然;行(用于回答);必定", + "ENG": "used to agree or give your permission" + }, + "heavy": { + "CHS": "大量地;笨重地" + }, + "durable": { + "CHS": "耐用品" + }, + "prevail": { + "CHS": "盛行,流行;战胜,获胜", + "ENG": "if a belief, custom, situation etc prevails, it exists among a group of people at a certain time" + }, + "ambition": { + "CHS": "追求;有…野心" + }, + "honor": { + "CHS": "尊敬(等于honour);给…以荣誉" + }, + "split": { + "CHS": "劈开的" + }, + "index": { + "CHS": "做索引", + "ENG": "if documents, information etc are indexed, an index is made for them" + }, + "foreign": { + "CHS": "外国的;外交的;异质的;不相关的", + "ENG": "from or relating to a country that is not your own" + }, + "supply": { + "CHS": "供给,提供;补充", + "ENG": "to provide people with something that they need or want, especially regularly over a long period of time" + }, + "disposition": { + "CHS": "处置;[心理] 性情;[军] 部署;倾向", + "ENG": "a particular type of character which makes someone likely to behave or react in a certain way" + }, + "rain": { + "CHS": "下雨;降雨", + "ENG": "if it rains, drops of water fall from clouds in the sky" + }, + "consent": { + "CHS": "同意;(意见等的)一致;赞成", + "ENG": "agreement about something" + }, + "unity": { + "CHS": "团结;一致;联合;个体", + "ENG": "when a group of people or countries agree or are joined together" + }, + "sober": { + "CHS": "(Sober)人名;(英)索伯" + }, + "housing": { + "CHS": "房屋;住房供给;[机] 外壳;遮盖物;机器等的防护外壳或外罩", + "ENG": "the work of providing houses for people to live in" + }, + "table": { + "CHS": "桌子的" + }, + "recur": { + "CHS": "复发;重现;采用;再来;循环;递归", + "ENG": "if a number or numbers after a decimal point recur, they are repeated for ever in the same order" + }, + "programme": { + "CHS": "编程序;制作节目" + }, + "palace": { + "CHS": "宫殿;宅邸;豪华住宅", + "ENG": "the official home of a person of very high rank, especially a king or queen – often used in names" + }, + "caution": { + "CHS": "警告", + "ENG": "to warn someone that something might be dangerous, difficult etc" + }, + "moderate": { + "CHS": "变缓和,变弱", + "ENG": "If you moderate something or if it moderates, it becomes less extreme or violent and easier to deal with or accept" + }, + "nonetheless": { + "CHS": "尽管如此,但是", + "ENG": "in spite of the fact that has just been mentioned" + }, + "channel": { + "CHS": "通道;频道;海峡", + "ENG": "a television station and all the programmes that it broadcasts" + }, + "unfold": { + "CHS": "打开;呈现", + "ENG": "if a story unfolds, or if someone unfolds it, it is told" + }, + "partly": { + "CHS": "部分地;在一定程度上", + "ENG": "to some degree, but not completely" + }, + "emphasis": { + "CHS": "重点;强调;加强语气", + "ENG": "special attention or importance" + }, + "turbulent": { + "CHS": "骚乱的,混乱的;狂暴的;吵闹的;激流的,湍流的", + "ENG": "a turbulent situation or period of time is one in which there are a lot of sudden changes" + }, + "compensation": { + "CHS": "补偿;报酬;赔偿金", + "ENG": "money paid to someone because they have suffered injury or loss, or because something they own has been damaged" + }, + "client": { + "CHS": "[经] 客户;顾客;委托人", + "ENG": "someone who gets services or advice from a professional person, company, or organization" + }, + "rally": { + "CHS": "集会;回复;公路赛车会", + "ENG": "a large public meeting, especially one that is held outdoors to support a political idea, protest etc" + }, + "lab": { + "CHS": "实验室,研究室", + "ENG": "a laboratory" + }, + "feeble": { + "CHS": "微弱的,无力的;虚弱的;薄弱的", + "ENG": "extremely weak" + }, + "appearance": { + "CHS": "外貌,外观;出现,露面", + "ENG": "the way someone or something looks to other people" + }, + "announce": { + "CHS": "宣布;述说;预示;播报", + "ENG": "to officially tell people about something, especially about a plan or a decision" + }, + "clean": { + "CHS": "打扫", + "ENG": "a process in which you clean something" + }, + "consist": { + "CHS": "由…组成;在于;符合" + }, + "condemn": { + "CHS": "谴责;判刑,定罪;声讨", + "ENG": "to say very strongly that you do not approve of something or someone, especially because you think it is morally wrong" + }, + "aspire": { + "CHS": "渴望;立志;追求", + "ENG": "to desire and work towards achieving something important" + }, + "evident": { + "CHS": "明显的;明白的", + "ENG": "easy to see, notice, or understand" + }, + "sunday": { + "CHS": "星期日;礼拜日", + "ENG": "Sunday is the day after Saturday and before Monday" + }, + "fitting": { + "CHS": "适合的,适宜的;相称的", + "ENG": "right for a particular situation or occasion" + }, + "comply": { + "CHS": "遵守;顺从,遵从;答应", + "ENG": "to do what you have to do or are asked to do" + }, + "render": { + "CHS": "打底;交纳;粉刷" + }, + "percentage": { + "CHS": "百分比;百分率,百分数", + "ENG": "an amount expressed as if it is part of a total which is 100" + }, + "existence": { + "CHS": "存在,实在;生存,生活;存在物,实在物", + "ENG": "the state of existing" + }, + "participant": { + "CHS": "参与者;关系者", + "ENG": "someone who is taking part in an activity or event" + }, + "limitation": { + "CHS": "限制;限度;极限;追诉时效;有效期限;缺陷", + "ENG": "the act or process of controlling or reducing something" + }, + "trap": { + "CHS": "陷阱;圈套;[建] 存水湾", + "ENG": "a piece of equipment for catching animals" + }, + "stable": { + "CHS": "被关在马厩", + "ENG": "to put or keep a horse in a stable" + }, + "purpose": { + "CHS": "决心;企图;打算" + }, + "pool": { + "CHS": "联营,合伙经营" + }, + "senator": { + "CHS": "参议员;(古罗马的)元老院议员;评议员,理事", + "ENG": "a member of the Senate or a senate" + }, + "hospital": { + "CHS": "医院", + "ENG": "a large building where sick or injured people receive medical treatment" + }, + "lounge": { + "CHS": "闲逛;懒洋洋地躺卧;闲混", + "ENG": "to stand, sit, or lie in a lazy or relaxed way" + }, + "numerical": { + "CHS": "数值的;数字的;用数字表示的(等于numeric)", + "ENG": "expressed or considered in numbers" + }, + "evaluate": { + "CHS": "评价;估价;求…的值", + "ENG": "to judge how good, useful, or successful something is" + }, + "fashion": { + "CHS": "使用;改变;做成…的形状", + "ENG": "to shape or make something, using your hands or only a few tools" + }, + "realise": { + "CHS": "认识到,明白" + }, + "marriage": { + "CHS": "结婚;婚姻生活;密切结合,合并", + "ENG": "the relationship between two people who are married, or the state of being married" + }, + "credit": { + "CHS": "相信,信任;把…归给,归功于;赞颂", + "ENG": "to believe or admit that someone has a quality, or has done something good" + }, + "transition": { + "CHS": "过渡;转变;[分子生物] 转换;变调", + "ENG": "when something changes from one form or state to another" + }, + "disaster": { + "CHS": "灾难,灾祸;不幸", + "ENG": "a sudden event such as a flood, storm, or accident which causes great damage or suffering" + }, + "reverse": { + "CHS": "反面的;颠倒的;反身的", + "ENG": "the back of something" + }, + "institute": { + "CHS": "学会,协会;学院", + "ENG": "an organization that has a particular purpose such as scientific or educational work, or the building where this organization is based" + }, + "confirm": { + "CHS": "确认;确定;证实;批准;使巩固", + "ENG": "to show that something is definitely true, especially by providing more proof" + }, + "confine": { + "CHS": "限制;禁闭", + "ENG": "to keep someone or something within the limits of a particular activity or subject" + }, + "frame": { + "CHS": "有木架的;有构架的" + }, + "cent": { + "CHS": "分;一分的硬币;森特(等于半音程的百分之一)", + "ENG": "1/100th of the standard unit of money in some countries. For example, there are 100 cents in one dollar or in one euro : symbol ¢." + }, + "muscle": { + "CHS": "加强;使劲搬动;使劲挤出", + "ENG": "to use your strength to go somewhere" + }, + "mature": { + "CHS": "成熟;到期", + "ENG": "to become fully grown or developed" + }, + "physician": { + "CHS": "[医] 医师;内科医师", + "ENG": "a doctor" + }, + "identity": { + "CHS": "身份;同一性,一致;特性;恒等式", + "ENG": "someone’s identity is their name or who they are" + }, + "amaze": { + "CHS": "使吃惊", + "ENG": "to surprise someone very much" + }, + "reduction": { + "CHS": "减少;下降;缩小;还原反应", + "ENG": "a decrease in the size, price, or amount of something, or the act of decreasing something" + }, + "shark": { + "CHS": "诈骗" + }, + "massive": { + "CHS": "大量的;巨大的,厚重的;魁伟的", + "ENG": "very large, solid, and heavy" + }, + "steady": { + "CHS": "关系固定的情侣;固定支架", + "ENG": "a boyfriend or girlfriend that someone has been having a romantic relationship with" + }, + "literacy": { + "CHS": "读写能力;精通文学", + "ENG": "the state of being able to read and write" + }, + "ignorance": { + "CHS": "无知,愚昧;不知,不懂", + "ENG": "lack of knowledge or information about something" + }, + "invisible": { + "CHS": "无形的,看不见的;无形的;不显眼的,暗藏的", + "ENG": "something that is invisible cannot be seen" + }, + "consultant": { + "CHS": "顾问;咨询者;会诊医生", + "ENG": "someone whose job is to give advice on a particular subject" + }, + "suspend": { + "CHS": "延缓,推迟;使暂停;使悬浮", + "ENG": "to officially stop something from continuing, especially for a short time" + }, + "infant": { + "CHS": "婴儿的;幼稚的;初期的;未成年的", + "ENG": "intended for babies or very young children" + }, + "jaw": { + "CHS": "教训;唠叨" + }, + "column": { + "CHS": "纵队,列;专栏;圆柱,柱形物", + "ENG": "a tall solid upright stone post used to support a building or as a decoration" + }, + "deduce": { + "CHS": "推论,推断;演绎出", + "ENG": "to use the knowledge and information you have in order to understand something or form an opinion about it" + }, + "fuel": { + "CHS": "燃料;刺激因素", + "ENG": "a substance such as coal, gas, or oil that can be burned to produce heat or energy" + }, + "suspicious": { + "CHS": "可疑的;怀疑的;多疑的", + "ENG": "thinking that someone might be guilty of doing something wrong or dishonest" + }, + "embody": { + "CHS": "(Embody)人名;(英)恩博迪" + }, + "hamburger": { + "CHS": "汉堡包,火腿汉堡;牛肉饼,肉饼;碎牛肉", + "ENG": "a flat round piece of finely cut beef(= meat from a cow ) which is cooked and eaten in a bread bun" + }, + "embark": { + "CHS": "从事,着手;上船或飞机", + "ENG": "to go onto a ship or a plane, or to put or take something onto a ship or plane" + }, + "road": { + "CHS": "(美)巡回的" + }, + "jog": { + "CHS": "慢跑;轻推,轻撞", + "ENG": "a slow steady run, especially done as a way of exercising" + }, + "shortcoming": { + "CHS": "缺点;短处", + "ENG": "a fault or weakness that makes someone or something less successful or effective than they should be" + }, + "analyse": { + "CHS": "分析;分解;细察", + "ENG": "to examine or think about something carefully, in order to understand it" + }, + "telephone": { + "CHS": "打电话", + "ENG": "to talk to someone by telephone" + }, + "calorie": { + "CHS": "卡路里(热量单位)", + "ENG": "a unit for measuring the amount of energy that food will produce" + }, + "poisonous": { + "CHS": "有毒的;恶毒的;讨厌的", + "ENG": "containing poison or producing poison" + }, + "vain": { + "CHS": "徒劳的;自负的;无结果的;无用的", + "ENG": "someone who is vain is too proud of their good looks, abilities, or position – used to show disapproval" + }, + "interference": { + "CHS": "干扰,冲突;干涉", + "ENG": "an act of interfering" + }, + "violent": { + "CHS": "暴力的;猛烈的", + "ENG": "involving actions that are intended to injure or kill people, by hitting them, shooting them etc" + }, + "instrument": { + "CHS": "仪器;工具;乐器;手段;器械", + "ENG": "a small tool used in work such as science or medicine" + }, + "clinic": { + "CHS": "临床;诊所", + "ENG": "a place, often in a hospital, where medical treatment is given to people who do not need to stay in the hospital" + }, + "shelter": { + "CHS": "保护;使掩蔽", + "ENG": "If a place or thing is sheltered by something, it is protected by that thing from wind and rain" + }, + "charter": { + "CHS": "宪章;执照;特许状", + "ENG": "a statement of the principles, duties, and purposes of an organization" + }, + "republican": { + "CHS": "共和主义者", + "ENG": "someone who believes in government by elected representatives only, with no king or queen" + }, + "minimum": { + "CHS": "最小的;最低的", + "ENG": "the minimum number, degree, or amount of something is the smallest or least that is possible, allowed, or needed" + }, + "absolute": { + "CHS": "绝对;绝对事物", + "ENG": "something that is considered to be true or right in all situations" + }, + "negligible": { + "CHS": "微不足道的,可以忽略的", + "ENG": "too slight or unimportant to have any effect" + }, + "emergency": { + "CHS": "紧急的;备用的", + "ENG": "An emergency action is one that is done or arranged quickly and not in the normal way, because an emergency has occurred" + }, + "curious": { + "CHS": "好奇的,有求知欲的;古怪的;爱挑剔的", + "ENG": "wanting to know about something" + }, + "declaration": { + "CHS": "(纳税品等的)申报;宣布;公告;申诉书", + "ENG": "an important official statement about a particular situation or plan, or the act of making this statement" + }, + "spark": { + "CHS": "发动;鼓舞;求婚", + "ENG": "If a burning object or electricity sparks a fire, it causes a fire" + }, + "cast": { + "CHS": "投掷,抛;铸件,[古生] 铸型;演员阵容;脱落物", + "ENG": "all the people who perform in a play, film etc" + }, + "cash": { + "CHS": "将…兑现;支付现款", + "ENG": "If you cash a cheque, you exchange it at a bank for the amount of money that it is worth" + }, + "thumb": { + "CHS": "拇指", + "ENG": "the part of your hand that is shaped like a thick short finger and helps you to hold things" + }, + "garment": { + "CHS": "给…穿衣服" + }, + "undoubtedly": { + "CHS": "确实地,毋庸置疑的" + }, + "strength": { + "CHS": "力量;力气;兵力;长处", + "ENG": "the physical power and energy that makes someone strong" + }, + "confusion": { + "CHS": "混淆,混乱;困惑", + "ENG": "when you do not understand what is happening or what something means because it is not clear" + }, + "saturate": { + "CHS": "浸透的,饱和的;深颜色的" + }, + "visual": { + "CHS": "视觉的,视力的;栩栩如生的", + "ENG": "relating to seeing" + }, + "stream": { + "CHS": "流;涌进;飘扬", + "ENG": "to flow quickly and in great amounts" + }, + "backward": { + "CHS": "向后地;相反地", + "ENG": "If you move or look backward, you move or look in the direction that your back is facing" + }, + "assembly": { + "CHS": "装配;集会,集合", + "ENG": "the meeting together of a group of people for a particular purpose" + }, + "resolve": { + "CHS": "坚决;决定要做的事", + "ENG": "strong determination to succeed in doing something" + }, + "coordinate": { + "CHS": "调整;整合", + "ENG": "to organize an activity so that the people involved in it work well together and achieve a good result" + }, + "remind": { + "CHS": "提醒;使想起", + "ENG": "to make someone remember something that they must do" + }, + "purse": { + "CHS": "(嘴巴)皱起,使缩拢;撅嘴", + "ENG": "if you purse your lips, you bring them together tightly into a small circle, especially to show disapproval or doubt" + }, + "cake": { + "CHS": "使结块", + "ENG": "if a substance cakes, it forms a thick hard layer when it dries" + }, + "hearing": { + "CHS": "听见(hear的ing形式)" + }, + "dissolve": { + "CHS": "叠化画面;画面的溶暗" + }, + "calm": { + "CHS": "风平浪静", + "ENG": "a situation or time that is quiet and peaceful" + }, + "equality": { + "CHS": "平等;相等;[数] 等式", + "ENG": "a situation in which people have the same rights, advantages etc" + }, + "glare": { + "CHS": "瞪眼表示" + }, + "deprive": { + "CHS": "使丧失,剥夺", + "ENG": "If you deprive someone of something that they want or need, you take it away from them, or you prevent them from having it" + }, + "fume": { + "CHS": "烟;愤怒,烦恼", + "ENG": "Fumes are the unpleasant and often unhealthy smoke and gases that are produced by fires or by things such as chemicals, fuel, or cooking" + }, + "preface": { + "CHS": "为…加序言;以…开始", + "ENG": "If you preface an action or speech with something else, you do or say this other thing first" + }, + "convention": { + "CHS": "大会;[法] 惯例;[计] 约定;[法] 协定;习俗", + "ENG": "a large formal meeting for people who belong to the same profession or organization or who have the same interests" + }, + "soar": { + "CHS": "高飞;高涨" + }, + "boat": { + "CHS": "划船" + }, + "canal": { + "CHS": "在…开凿运河" + }, + "bound": { + "CHS": "范围;跳跃", + "ENG": "a long or high jump made with a lot of energy" + }, + "edition": { + "CHS": "版本", + "ENG": "the form that a book, newspaper, magazine etc is produced in" + }, + "rocket": { + "CHS": "火箭", + "ENG": "a vehicle used for travelling or carrying things into space, which is shaped like a big tube" + }, + "fleet": { + "CHS": "飞逝;疾驰;掠过" + }, + "oral": { + "CHS": "口试", + "ENG": "a spoken test, especially in a foreign language" + }, + "imitation": { + "CHS": "人造的,仿制的", + "ENG": "Imitation things are not genuine but are made to look as if they are" + }, + "walk": { + "CHS": "散步;走过", + "ENG": "When you walk, you move forward by putting one foot in front of the other in a regular way" + }, + "convenience": { + "CHS": "便利;厕所;便利的事物", + "ENG": "the quality of being suitable or useful for a particular purpose, especially by making something easier or saving you time" + }, + "accuracy": { + "CHS": "[数] 精确度,准确性", + "ENG": "the ability to do something in an exact way without making a mistake" + }, + "instruct": { + "CHS": "指导;通知;命令;教授", + "ENG": "to officially tell someone what to do" + }, + "childhood": { + "CHS": "童年时期;幼年时代", + "ENG": "the period of time when you are a child" + }, + "civilize": { + "CHS": "使文明;教化;使开化", + "ENG": "to influence someone’s behaviour, making or teaching them to act in a more sensible or gentle way" + }, + "esteem": { + "CHS": "尊重;尊敬", + "ENG": "a feeling of respect for someone, or a good opinion of someone" + }, + "diligent": { + "CHS": "(Diligent)人名;(法)迪利让" + }, + "reception": { + "CHS": "接待;接收;招待会;感受;反应", + "ENG": "a particular type of welcome for someone, or a particular type of reaction to their ideas, work etc" + }, + "constitute": { + "CHS": "组成,构成;建立;任命", + "ENG": "if several people or things constitute something, they are the parts that form it" + }, + "invitation": { + "CHS": "邀请;引诱;请帖;邀请函", + "ENG": "a written or spoken request to someone, inviting them to go somewhere or do something" + }, + "bore": { + "CHS": "孔;令人讨厌的人", + "ENG": "something that is not interesting to you or that annoys you" + }, + "intrinsic": { + "CHS": "本质的,固有的", + "ENG": "being part of the nature or character of someone or something" + }, + "surplus": { + "CHS": "剩余的;过剩的", + "ENG": "more than what is needed or used" + }, + "mixture": { + "CHS": "混合;混合物;混合剂", + "ENG": "a combination of two or more different things, feelings, or types of people" + }, + "confer": { + "CHS": "(Confer)人名;(英)康弗" + }, + "worthy": { + "CHS": "杰出人物;知名人士", + "ENG": "someone who is important and should be respected" + }, + "practitioner": { + "CHS": "开业者,从业者,执业医生", + "ENG": "someone who works as a doctor or a lawyer" + }, + "empirical": { + "CHS": "经验主义的,完全根据经验的;实证的", + "ENG": "based on scientific testing or practical experience, not on ideas" + }, + "engineering": { + "CHS": "设计;管理(engineer的ing形式);建造" + }, + "illiterate": { + "CHS": "文盲", + "ENG": "someone who has not learned to read or write" + }, + "abundant": { + "CHS": "丰富的;充裕的;盛产", + "ENG": "something that is abundant exists or is available in large quantities so that there is more than enough" + }, + "distort": { + "CHS": "扭曲;使失真;曲解", + "ENG": "to report something in a way that is not completely true or correct" + }, + "whisper": { + "CHS": "耳语;密谈;飒飒地响", + "ENG": "to speak or say something very quietly, using your breath rather than your voice" + }, + "typewriter": { + "CHS": "打字机", + "ENG": "a machine with keys that you press in order to print letters of the alphabet onto paper" + }, + "memorial": { + "CHS": "记忆的;纪念的,追悼的", + "ENG": "done or made in order to remind people of someone who has died" + }, + "ward": { + "CHS": "避开;保卫;守护" + }, + "flesh": { + "CHS": "喂肉给…;使发胖" + }, + "steal": { + "CHS": "偷窃;便宜货;偷垒;断球", + "ENG": "to be very cheap" + }, + "stun": { + "CHS": "昏迷;打昏;惊倒;令人惊叹的事物" + }, + "ponder": { + "CHS": "(Ponder)人名;(英)庞德" + }, + "accuse": { + "CHS": "控告,指控;谴责;归咎于", + "ENG": "to say that you believe someone is guilty of a crime or of doing something bad" + }, + "sportsman": { + "CHS": "运动员;运动家;冒险家", + "ENG": "a man who plays several different sports" + }, + "boot": { + "CHS": "靴子;踢;汽车行李箱", + "ENG": "a type of shoe that covers your whole foot and the lower part of your leg" + }, + "steep": { + "CHS": "峭壁;浸渍" + }, + "manual": { + "CHS": "手册,指南", + "ENG": "a book that gives instructions about how to do something, especially how to use a machine" + }, + "steer": { + "CHS": "阉牛", + "ENG": "a young male cow whose sex organs have been removed" + }, + "pencil": { + "CHS": "用铅笔写;用眉笔涂", + "ENG": "to write something or make a mark with a pencil" + }, + "sequence": { + "CHS": "按顺序排好" + }, + "broadcast": { + "CHS": "广播的" + }, + "aboard": { + "CHS": "在…上", + "ENG": "on or onto a ship, plane, or train" + }, + "perfection": { + "CHS": "完善;完美", + "ENG": "the state of being perfect" + }, + "pilot": { + "CHS": "驾驶;领航;试用", + "ENG": "to guide an aircraft, spacecraft, or ship as its pilot" + }, + "package": { + "CHS": "打包;将…包装", + "ENG": "to put food or other goods into a bag, box etc ready to be sold or sent" + }, + "gallery": { + "CHS": "挖地道" + }, + "finance": { + "CHS": "负担经费,供给…经费" + }, + "fatal": { + "CHS": "(Fatal)人名;(葡、芬)法塔尔" + }, + "incidentally": { + "CHS": "顺便;偶然地;附带地", + "ENG": "used to add more information to what you have just said, or to introduce a new subject that you have just thought of" + }, + "dinner": { + "CHS": "晚餐,晚宴;宴会;正餐", + "ENG": "the main meal of the day, eaten in the middle of the day or the evening" + }, + "east": { + "CHS": "向东方,在东方", + "ENG": "towards the east" + }, + "enrich": { + "CHS": "(Enrich)人名;(西)恩里奇" + }, + "nice": { + "CHS": "(Nice)人名;(英)尼斯" + }, + "doze": { + "CHS": "瞌睡" + }, + "blood": { + "CHS": "从…抽血;使先取得经验" + }, + "fashionable": { + "CHS": "流行的;时髦的;上流社会的", + "ENG": "popular, especially for a short period of time" + }, + "theft": { + "CHS": "盗窃;偷;赃物", + "ENG": "the crime of stealing" + }, + "extinct": { + "CHS": "使熄灭" + }, + "prolong": { + "CHS": "延长;拖延", + "ENG": "to deliberately make something such as a feeling or an activity last longer" + }, + "formation": { + "CHS": "形成;构造;编队", + "ENG": "the process of starting a new organization or group" + }, + "disperse": { + "CHS": "分散的" + }, + "initiate": { + "CHS": "新加入的;接受初步知识的" + }, + "shadow": { + "CHS": "影子内阁的", + "ENG": "the group of politicians in the British parliament who would become ministers if their party was in government" + }, + "laptop": { + "CHS": "膝上型轻便电脑,笔记本电脑", + "ENG": "a small computer that you can carry with you" + }, + "block": { + "CHS": "成批的,大块的;交通堵塞的" + }, + "delete": { + "CHS": "删除", + "ENG": "to remove something that has been written down or stored in a computer" + }, + "mystery": { + "CHS": "秘密,谜;神秘,神秘的事物;推理小说,推理剧;常作 mysteries 秘技,秘诀", + "ENG": "an event, situation etc that people do not understand or cannot explain because they do not know enough about it" + }, + "disguise": { + "CHS": "伪装;假装;用作伪装的东西", + "ENG": "something that you wear to change your appearance and hide who you are, or the act of wearing this" + }, + "july": { + "CHS": "七月", + "ENG": "July is the seventh month of the year in the Western calendar" + }, + "swing": { + "CHS": "旋转的;悬挂的;强节奏爵士音乐的" + }, + "enterprise": { + "CHS": "企业;事业;进取心;事业心", + "ENG": "a company, organization, or business" + }, + "strip": { + "CHS": "带;条状;脱衣舞", + "ENG": "a long narrow piece of paper, cloth etc" + }, + "june": { + "CHS": "六月;琼(女名)", + "ENG": "June is the sixth month of the year in the Western calendar" + }, + "complicated": { + "CHS": "难懂的,复杂的", + "ENG": "difficult to understand or deal with, because many parts or details are involved" + }, + "orderly": { + "CHS": "顺序地;依次地" + }, + "acceptance": { + "CHS": "接纳;赞同;容忍", + "ENG": "when people agree that an idea, statement, explanation etc is right or true" + }, + "grandmother": { + "CHS": "当祖母" + }, + "tower": { + "CHS": "高耸;超越", + "ENG": "to be much taller than the people or things around you" + }, + "organ": { + "CHS": "[生物] 器官;机构;风琴;管风琴;嗓音", + "ENG": "an organization that is part of, or works for, a larger organization or group" + }, + "river": { + "CHS": "河,江", + "ENG": "a natural and continuous flow of water in a long line across a country into the sea" + }, + "arrogant": { + "CHS": "自大的,傲慢的", + "ENG": "behaving in an unpleasant or rude way because you think you are more important than other people" + }, + "deem": { + "CHS": "(Deem)人名;(英)迪姆" + }, + "deep": { + "CHS": "深入地;深深地;迟", + "ENG": "a long way into or below the surface of something" + }, + "favorable": { + "CHS": "有利的;良好的;赞成的,赞许的;讨人喜欢的" + }, + "harness": { + "CHS": "马具;甲胄;挽具状带子;降落伞背带;日常工作", + "ENG": "a set of leather bands used to control a horse or to attach it to a vehicle it is pulling" + }, + "breast": { + "CHS": "以胸对着;与…搏斗" + }, + "excellent": { + "CHS": "卓越的;极好的;杰出的", + "ENG": "extremely good or of very high quality" + }, + "handsome": { + "CHS": "(男子)英俊的;可观的;大方的,慷慨的;健美而端庄的", + "ENG": "a handsome amount of money is large" + }, + "wallet": { + "CHS": "钱包,皮夹", + "ENG": "a small flat case, often made of leather, that you carry in your pocket, for holding paper money, bank cards etc" + }, + "dock": { + "CHS": "使靠码头;剪短", + "ENG": "if a ship docks, or if the captain docks it, it sails into a dock so that it can unload" + }, + "dignity": { + "CHS": "尊严;高贵", + "ENG": "the ability to behave in a calm controlled way even in a difficult situation" + }, + "suggestion": { + "CHS": "建议;示意;微量,细微的迹象", + "ENG": "an idea, plan, or possibility that someone mentions, or the act of mentioning it" + }, + "therapy": { + "CHS": "治疗,疗法", + "ENG": "the treatment of an illness or injury over a fairly long period of time" + }, + "enforce": { + "CHS": "实施,执行;强迫,强制", + "ENG": "to make people obey a rule or law" + }, + "depress": { + "CHS": "压抑;使沮丧;使萧条", + "ENG": "to make someone feel very unhappy" + }, + "restraint": { + "CHS": "抑制,克制;约束", + "ENG": "calm sensible controlled behaviour, especially in a situation when it is difficult to stay calm" + }, + "sample": { + "CHS": "试样的,样品的;作为例子的" + }, + "crab": { + "CHS": "抱怨;破坏;使偏航" + }, + "privilege": { + "CHS": "给与…特权;特免", + "ENG": "to treat some people or things better than others" + }, + "doom": { + "CHS": "注定;判决;使失败", + "ENG": "to make someone or something certain to fail, die, be destroyed etc" + }, + "tuition": { + "CHS": "学费;讲授", + "ENG": "teaching, especially in small groups" + }, + "cliff": { + "CHS": "悬崖;绝壁", + "ENG": "a large area of rock or a mountain with a very steep side, often at the edge of the sea or a river" + }, + "abide": { + "CHS": "忍受,容忍;停留;遵守" + }, + "masterpiece": { + "CHS": "杰作;绝无仅有的人", + "ENG": "a work of art, a piece of writing or music etc that is of very high quality or that is the best that a particular artist, writer etc has produced" + }, + "route": { + "CHS": "路线;航线;通道", + "ENG": "a way from one place to another" + }, + "recognition": { + "CHS": "识别;承认,认出;重视;赞誉;公认", + "ENG": "the act of realizing and accepting that something is true or important" + }, + "eminent": { + "CHS": "杰出的;有名的;明显的", + "ENG": "an eminent person is famous, important, and respected" + }, + "glance": { + "CHS": "扫视,匆匆一看;反光;瞥闪,瞥见", + "ENG": "to quickly look at someone or something" + }, + "endure": { + "CHS": "忍耐;容忍", + "ENG": "to be in a difficult or painful situation for a long time without complaining" + }, + "insight": { + "CHS": "洞察力;洞悉", + "ENG": "the ability to understand and realize what people or situations are really like" + }, + "continent": { + "CHS": "自制的,克制的", + "ENG": "able to control your sexual desires" + }, + "defy": { + "CHS": "挑战;对抗" + }, + "spot": { + "CHS": "准确地;恰好" + }, + "knee": { + "CHS": "用膝盖碰", + "ENG": "to hit someone with your knee" + }, + "cling": { + "CHS": "坚持,墨守;紧贴;附着", + "ENG": "If someone clings to a position or a possession they have, they do everything they can to keep it even though this may be very difficult" + }, + "hop": { + "CHS": "蹦跳,跳跃;跳舞;一次飞行的距离", + "ENG": "a short jump" + }, + "climb": { + "CHS": "爬;攀登", + "ENG": "a process in which you move up towards a place, especially while using a lot of effort" + }, + "denote": { + "CHS": "表示,指示", + "ENG": "to mean something" + }, + "discourse": { + "CHS": "演说;谈论;讲述" + }, + "facilitate": { + "CHS": "促进;帮助;使容易", + "ENG": "To facilitate an action or process, especially one that you would like to happen, means to make it easier or more likely to happen" + }, + "reasonable": { + "CHS": "合理的,公道的;通情达理的", + "ENG": "fair and sensible" + }, + "tv": { + "CHS": "电视(television)" + }, + "messenger": { + "CHS": "报信者,送信者;先驱", + "ENG": "someone whose job is to deliver messages or documents, or someone who takes a message to someone else" + }, + "signify": { + "CHS": "表示;意味;预示", + "ENG": "to represent, mean, or be a sign of something" + }, + "palm": { + "CHS": "将…藏于掌中" + }, + "birthday": { + "CHS": "生日,诞辰;诞生的日子", + "ENG": "your birthday is a day that is an exact number of years after the day you were born" + }, + "liberty": { + "CHS": "自由;许可;冒失", + "ENG": "the freedom and the right to do whatever you want without asking permission or being afraid of authority" + }, + "pant": { + "CHS": "气喘;喘息;喷气声" + }, + "perpetual": { + "CHS": "永久的;不断的;四季开花的;无期限的", + "ENG": "continuing all the time without changing or stopping" + }, + "acquaintance": { + "CHS": "熟人;相识;了解;知道", + "ENG": "someone you know, but who is not a close friend" + }, + "energetic": { + "CHS": "精力充沛的;积极的;有力的", + "ENG": "having or needing a lot of energy or determination" + }, + "clarify": { + "CHS": "澄清;阐明", + "ENG": "to make something clearer or easier to understand" + }, + "essay": { + "CHS": "尝试;对…做试验" + }, + "extinguish": { + "CHS": "熄灭;压制;偿清", + "ENG": "to make a fire or light stop burning or shining" + }, + "viewpoint": { + "CHS": "观点,看法;视角", + "ENG": "a particular way of thinking about a problem or subject" + }, + "pair": { + "CHS": "把…组成一对", + "ENG": "to put people or things into groups of two, or to form groups of two" + }, + "alive": { + "CHS": "活着的;活泼的;有生气的", + "ENG": "still living and not dead" + }, + "refusal": { + "CHS": "拒绝;优先取舍权;推却;取舍权", + "ENG": "when you say firmly that you will not do, give, or accept something" + }, + "consideration": { + "CHS": "考虑;原因;关心;报酬", + "ENG": "careful thought and attention, especially before making an official or important decision" + }, + "push": { + "CHS": "推,决心;大规模攻势;矢志的追求", + "ENG": "when someone pushes something" + }, + "repertoire": { + "CHS": "全部节目;计算机指令系统;(美)某人或机器的全部技能", + "ENG": "all the plays, pieces of music etc that a performer or group knows and can perform" + }, + "urgent": { + "CHS": "紧急的;急迫的", + "ENG": "very important and needing to be dealt with immediately" + }, + "incentive": { + "CHS": "激励的;刺激的" + }, + "banquet": { + "CHS": "宴请,设宴款待" + }, + "vivid": { + "CHS": "生动的;鲜明的;鲜艳的", + "ENG": "vivid memories, dreams, descriptions etc are so clear that they seem real" + }, + "pessimistic": { + "CHS": "悲观的,厌世的;悲观主义的", + "ENG": "expecting that bad things will happen in the future or that something will have a bad result" + }, + "luck": { + "CHS": "靠运气,走运;凑巧碰上" + }, + "borrow": { + "CHS": "(Borrow)人名;(英)博罗" + }, + "fascinate": { + "CHS": "使着迷,使神魂颠倒", + "ENG": "If something fascinates you, it interests and delights you so much that your thoughts tend to concentrate on it" + }, + "surgeon": { + "CHS": "外科医生", + "ENG": "a doctor who does operations in a hospital" + }, + "inside": { + "CHS": "少于;在…之内" + }, + "reporter": { + "CHS": "记者", + "ENG": "someone whose job is to write about news events for a newspaper, or to tell people about them on television or on the radio" + }, + "mechanical": { + "CHS": "机械的;力学的;呆板的;无意识的;手工操作的", + "ENG": "affecting or involving a machine" + }, + "formidable": { + "CHS": "强大的;可怕的;令人敬畏的;艰难的", + "ENG": "very powerful or impressive, and often frightening" + }, + "clue": { + "CHS": "为…提供线索;为…提供情况" + }, + "retreat": { + "CHS": "撤退;退避;向后倾", + "ENG": "to move away from the enemy after being defeated in battle" + }, + "punch": { + "CHS": "开洞;以拳重击", + "ENG": "to hit someone or something hard with your fist (= closed hand ) " + }, + "dictate": { + "CHS": "命令;指示", + "ENG": "an order, rule, or principle that you have to obey" + }, + "dress": { + "CHS": "连衣裙;女装", + "ENG": "a piece of clothing worn by a woman or girl that covers the top of her body and part or all of her legs" + }, + "penny": { + "CHS": "(美)分;便士", + "ENG": "a British unit of money or coin used until 1971. There were 12 pennies in one shilling " + }, + "monotonous": { + "CHS": "单调的,无抑扬顿挫的;无变化的", + "ENG": "boring because of always being the same" + }, + "relevant": { + "CHS": "相关的;切题的;中肯的;有重大关系的;有意义的,目的明确的", + "ENG": "directly relating to the subject or problem being discussed or considered" + }, + "lonely": { + "CHS": "孤独者" + }, + "luxury": { + "CHS": "奢侈的", + "ENG": "A luxury item is something expensive which is not necessary but which gives you pleasure" + }, + "anxious": { + "CHS": "焦虑的;担忧的;渴望的;急切的", + "ENG": "worried about something" + }, + "eve": { + "CHS": "夏娃; 前夕;傍晚;重大事件关头", + "ENG": "evening" + }, + "tissue": { + "CHS": "饰以薄纱;用化妆纸揩去" + }, + "likelihood": { + "CHS": "可能性,可能", + "ENG": "the degree to which something can reasonably be expected to happen" + }, + "foresee": { + "CHS": "预见;预知", + "ENG": "to think or know that something is going to happen in the future" + }, + "bewilder": { + "CHS": "使迷惑,使不知所措", + "ENG": "to confuse someone" + }, + "glue": { + "CHS": "胶;各种胶合物", + "ENG": "a sticky substance used for joining things together" + }, + "repeatedly": { + "CHS": "反复地;再三地;屡次地", + "ENG": "many times" + }, + "cloak": { + "CHS": "遮掩;隐匿" + }, + "era": { + "CHS": "时代;年代;纪元", + "ENG": "a period of time in history that is known for a particular event, or for particular qualities" + }, + "grateful": { + "CHS": "感谢的;令人愉快的,宜人的", + "ENG": "feeling that you want to thank someone because of something kind that they have done, or showing this feeling" + }, + "multiple": { + "CHS": "倍数;[电] 并联", + "ENG": "a number that contains a smaller number an exact number of times" + }, + "multiply": { + "CHS": "多层的;多样的" + }, + "representative": { + "CHS": "代表;典型;众议员", + "ENG": "someone who has been chosen to speak, vote, or make decisions for someone else" + }, + "ferry": { + "CHS": "(乘渡船)渡过;用渡船运送;空运", + "ENG": "to carry people or things a short distance from one place to another in a boat or other vehicle" + }, + "lodge": { + "CHS": "提出;寄存;借住;嵌入", + "ENG": "to make a formal or official complaint, protest etc" + }, + "solid": { + "CHS": "固体;立方体", + "ENG": "a firm object or substance that has a fixed shape, not a gas or liquid" + }, + "satisfaction": { + "CHS": "满意,满足;赔偿;乐事;赎罪", + "ENG": "a feeling of happiness or pleasure because you have achieved something or got what you wanted" + }, + "readily": { + "CHS": "容易地;乐意地;无困难地", + "ENG": "quickly, willingly, and without complaining" + }, + "observation": { + "CHS": "观察;监视;观察报告", + "ENG": "the process of watching something or someone carefully for a period of time" + }, + "mask": { + "CHS": "掩饰;戴面具;化装", + "ENG": "to hide your feelings or the truth about a situation" + }, + "skip": { + "CHS": "跳跃;跳读", + "ENG": "a skipping movement" + }, + "presently": { + "CHS": "(美)目前;不久", + "ENG": "in a short time" + }, + "attribute": { + "CHS": "归属;把…归于", + "ENG": "If you attribute something to an event or situation, you think that it was caused by that event or situation" + }, + "adolescent": { + "CHS": "青少年", + "ENG": "a young person, usually between the ages of 12 and 18, who is developing into an adult" + }, + "vision": { + "CHS": "想象;显现;梦见" + }, + "tense": { + "CHS": "时态", + "ENG": "any of the forms of a verb that show the time, continuance, or completion of an action or state that is expressed by the verb. ‘I am’ is in the present tense, ‘I was’ is past tense, and ‘I will be’ is future tense." + }, + "amuse": { + "CHS": "娱乐;消遣;使发笑;使愉快", + "ENG": "to make time pass in an enjoyable way, so that you do not get bored" + }, + "protein": { + "CHS": "蛋白质的" + }, + "ordinary": { + "CHS": "普通;平常的人(或事)" + }, + "stake": { + "CHS": "资助,支持;系…于桩上;把…押下打赌", + "ENG": "to risk losing something that is valuable or important to you on the result of something" + }, + "division": { + "CHS": "[数] 除法;部门;分配;分割;师(军队);赛区", + "ENG": "the act of separating something into two or more different parts, or the way these parts are separated or shared" + }, + "accommodate": { + "CHS": "容纳;使适应;供应;调解", + "ENG": "if a room, building etc can accommodate a particular number of people or things, it has enough space for them" + }, + "swamp": { + "CHS": "使陷于沼泽;使沉没;使陷入困境", + "ENG": "If something swamps a place or object, it fills it with water" + }, + "stain": { + "CHS": "污点;瑕疵;着色剂", + "ENG": "a mark that is difficult to remove, especially one made by a liquid such as blood, coffee, or ink" + }, + "wealthy": { + "CHS": "富人", + "ENG": "The wealthy are people who are wealthy" + }, + "grave": { + "CHS": "雕刻;铭记", + "ENG": "to cut, carve, sculpt, or engrave " + }, + "reflection": { + "CHS": "反射;沉思;映象", + "ENG": "something that shows what something else is like, or that is a sign of a particular situation" + }, + "wit": { + "CHS": "<古>知道;即", + "ENG": "that is to say; namely (used to introduce statements, as in legal documents) " + }, + "fragment": { + "CHS": "使成碎片", + "ENG": "to break something, or be broken into a lot of small separate parts – used to show disapproval" + }, + "mission": { + "CHS": "派遣;向……传教" + }, + "impose": { + "CHS": "利用;欺骗;施加影响" + }, + "screen": { + "CHS": "筛;拍摄;放映;掩蔽", + "ENG": "to do tests on a lot of people to find out whether they have a particular illness" + }, + "prime": { + "CHS": "使准备好;填装", + "ENG": "to prepare someone for a situation so that they know what to do" + }, + "underestimate": { + "CHS": "低估", + "ENG": "a guessed amount or number that is too low" + }, + "residence": { + "CHS": "住宅,住处;居住", + "ENG": "a house, especially a large or official one" + }, + "fabricate": { + "CHS": "制造;伪造;装配", + "ENG": "to invent a story, piece of information etc in order to deceive someone" + }, + "location": { + "CHS": "位置(形容词locational);地点;外景拍摄场地", + "ENG": "a particular place, especially in relation to other areas, buildings etc" + }, + "revolve": { + "CHS": "旋转;循环;旋转舞台" + }, + "manufacture": { + "CHS": "制造;加工;捏造", + "ENG": "to use machines to make goods or materials, usually in large numbers or amounts" + }, + "dust": { + "CHS": "撒;拂去灰尘", + "ENG": "to clean the dust from a surface by moving something such as a soft cloth across it" + }, + "army": { + "CHS": "陆军,军队", + "ENG": "the part of a country’s military force that is trained to fight on land in a war" + }, + "tailor": { + "CHS": "裁缝", + "ENG": "someone whose job is to make men’s clothes, that are measured to fit each customer perfectly" + }, + "retrospect": { + "CHS": "回顾,追溯;回想" + }, + "instinct": { + "CHS": "充满着的" + }, + "neighborhood": { + "CHS": "附近;街坊;接近;街区" + }, + "copyright": { + "CHS": "保护版权;为…取得版权" + }, + "discard": { + "CHS": "抛弃;被丢弃的东西或人" + }, + "fur": { + "CHS": "用毛皮覆盖;使穿毛皮服装" + }, + "hair": { + "CHS": "毛发的;护理毛发的;用毛发制成的" + }, + "explosion": { + "CHS": "爆炸;爆发;激增", + "ENG": "a loud sound and the energy produced by something such as a bomb bursting into small pieces" + }, + "anger": { + "CHS": "使发怒,激怒;恼火", + "ENG": "to make someone angry" + }, + "dumb": { + "CHS": "哑的,无说话能力的;不说话的,无声音的", + "ENG": "unable to speak, because you are angry, surprised, shocked etc" + }, + "geography": { + "CHS": "地理;地形", + "ENG": "the study of the countries, oceans, rivers, mountains, cities etc of the world" + }, + "clip": { + "CHS": "剪;剪掉;缩短;给…剪毛(或发)用别针别在某物上,用夹子夹在某物上", + "ENG": "to cut small amounts of something in order to make it tidier" + }, + "indispensable": { + "CHS": "不可缺少之物;必不可少的人" + }, + "nest": { + "CHS": "筑巢;嵌套", + "ENG": "to build or use a nest" + }, + "grain": { + "CHS": "成谷粒" + }, + "guilty": { + "CHS": "有罪的;内疚的", + "ENG": "feeling very ashamed and sad because you know that you have done something wrong" + }, + "compile": { + "CHS": "编译;编制;编辑;[图情] 汇编", + "ENG": "to make a book, list, record etc, using different pieces of information, music etc" + }, + "visitor": { + "CHS": "访问者,参观者;视察者;候鸟", + "ENG": "someone who comes to visit a place or a person" + }, + "fog": { + "CHS": "使模糊;使困惑;以雾笼罩", + "ENG": "if something made of glass fogs or becomes fogged, it becomes covered in small drops of water that make it difficult to see through" + }, + "cloud": { + "CHS": "使混乱;以云遮敝;使忧郁;玷污" + }, + "lump": { + "CHS": "很;非常" + }, + "dialect": { + "CHS": "方言的" + }, + "restrict": { + "CHS": "限制;约束;限定", + "ENG": "to limit or control the size, amount, or range of something" + }, + "pepper": { + "CHS": "加胡椒粉于;使布满", + "ENG": "to add pepper to food" + }, + "film": { + "CHS": "在…上覆以薄膜;把…拍成电影", + "ENG": "to use a camera to record a story or real events so that it can be shown in the cinema or on television" + }, + "cherry": { + "CHS": "樱桃;樱桃树;如樱桃的鲜红色;处女膜,处女", + "ENG": "a small round red or black fruit with a long thin stem and a stone in the middle" + }, + "outer": { + "CHS": "环外命中" + }, + "pants": { + "CHS": "裤子", + "ENG": "a piece of clothing that covers you from your waist to your feet and has a separate part for each leg" + }, + "float": { + "CHS": "彩车,花车;漂流物;浮舟;浮萍", + "ENG": "a large vehicle that is decorated to drive through the streets as part of a special event" + }, + "parade": { + "CHS": "游行;炫耀;列队行进", + "ENG": "to walk or march together to celebrate or protest about something" + }, + "pocket": { + "CHS": "小型的,袖珍的;金钱上的", + "ENG": "You use pocket to describe something that is small enough to fit into a pocket, often something that is a smaller version of a larger item" + }, + "till": { + "CHS": "耕种;犁", + "ENG": "to prepare land for growing crops" + }, + "elegant": { + "CHS": "高雅的,优雅的;讲究的;简炼的;简洁的", + "ENG": "beautiful, attractive, or graceful" + }, + "competent": { + "CHS": "胜任的;有能力的;能干的;足够的", + "ENG": "having enough skill or knowledge to do something to a satisfactory standard" + }, + "dam": { + "CHS": "[水利] 水坝;障碍", + "ENG": "a special wall built across a river or stream to stop the water from flowing, especially in order to make a lake or produce electricity" + }, + "deteriorate": { + "CHS": "恶化,变坏", + "ENG": "to become worse" + }, + "coal": { + "CHS": "煤;煤块;木炭", + "ENG": "a hard black mineral which is dug out of the ground and burnt to produce heat" + }, + "complaint": { + "CHS": "抱怨;诉苦;疾病;委屈", + "ENG": "a statement in which someone complains about something" + }, + "photo": { + "CHS": "照片", + "ENG": "a photograph" + }, + "orient": { + "CHS": "东方的" + }, + "bind": { + "CHS": "捆绑;困境;讨厌的事情;植物的藤蔓", + "ENG": "an annoying or difficult situation" + }, + "perish": { + "CHS": "使麻木;毁坏" + }, + "refresh": { + "CHS": "更新;使……恢复;使……清新;消除……的疲劳", + "ENG": "if you refresh your computer screen while you are connected to the Internet, you make the screen show any new information that has arrived since you first began looking at it" + }, + "pledge": { + "CHS": "保证,许诺;用……抵押;举杯祝……健康", + "ENG": "to make a formal, usually public, promise that you will do something" + }, + "probability": { + "CHS": "可能性;机率;[数] 或然率", + "ENG": "how likely something is, sometimes calculated in a mathematical way" + }, + "primitive": { + "CHS": "原始人", + "ENG": "an artist who paints simple pictures like those of a child" + }, + "hole": { + "CHS": "凿洞,穿孔;(高尔夫球等)进洞" + }, + "peaceful": { + "CHS": "和平的,爱好和平的;平静的", + "ENG": "a peaceful time, place, or situation is quiet and calm without any worry or excitement" + }, + "dozen": { + "CHS": "一打的" + }, + "robot": { + "CHS": "机器人;遥控设备,自动机械;机械般工作的人", + "ENG": "a machine that can move and do some of the work of a person, and is usually controlled by a computer" + }, + "frequent": { + "CHS": "常到,常去;时常出入于", + "ENG": "to go to a particular place often" + }, + "extraordinary": { + "CHS": "非凡的;特别的;离奇的;临时的;特派的", + "ENG": "very much greater or more impressive than usual" + }, + "conversely": { + "CHS": "相反地", + "ENG": "used when one situation is the opposite of another" + }, + "census": { + "CHS": "人口普查,人口调查", + "ENG": "an official process of counting a country’s population and finding out about the people" + }, + "assist": { + "CHS": "参加;出席" + }, + "tire": { + "CHS": "轮胎;头饰" + }, + "winter": { + "CHS": "冬天的;越冬的" + }, + "depict": { + "CHS": "描述;描画", + "ENG": "to describe something or someone in writing or speech, or to show them in a painting, picture etc" + }, + "dentist": { + "CHS": "牙科医生", + "ENG": "someone whose job is to treat people’s teeth" + }, + "copy": { + "CHS": "副本;一册;摹仿", + "ENG": "something that is made to be exactly like another thing" + }, + "cook": { + "CHS": "厨师,厨子", + "ENG": "someone who prepares and cooks food as their job" + }, + "hamper": { + "CHS": "食盒,食篮;阻碍物" + }, + "packet": { + "CHS": "包装,打包" + }, + "startle": { + "CHS": "惊愕;惊恐" + }, + "goodness": { + "CHS": "善良,优秀 ;精华,养分", + "ENG": "the quality of being good" + }, + "lifetime": { + "CHS": "一生的;终身的" + }, + "defend": { + "CHS": "辩护;防护", + "ENG": "to use arguments to protect something or someone from criticism, or to prove that something is right" + }, + "period": { + "CHS": "某一时代的" + }, + "summarize": { + "CHS": "总结;概述", + "ENG": "to make a short statement giving only the main information and not the details of a plan, event, report etc" + }, + "core": { + "CHS": "挖的核", + "ENG": "If you core a fruit, you remove its core" + }, + "assign": { + "CHS": "分配;指派;[计][数] 赋值", + "ENG": "to give someone a particular job or make them responsible for a particular person or thing" + }, + "loyalty": { + "CHS": "忠诚;忠心;忠实;忠于…感情", + "ENG": "the quality of remaining faithful to your friends, principles, country etc" + }, + "nightmare": { + "CHS": "可怕的;噩梦似的" + }, + "dislike": { + "CHS": "嫌恶,反感,不喜爱", + "ENG": "Dislike is the feeling that you do not like someone or something" + }, + "nurture": { + "CHS": "养育;教养;营养物", + "ENG": "the education and care that you are given as a child, and the way it affects your later development and attitudes" + }, + "transplant": { + "CHS": "移植;移植器官;被移植物;移居者", + "ENG": "the operation of transplanting an organ, piece of skin etc" + }, + "phone": { + "CHS": "打电话", + "ENG": "to speak to someone by telephone" + }, + "saturday": { + "CHS": "星期六", + "ENG": "Saturday is the day after Friday and before Sunday" + }, + "genius": { + "CHS": "天才,天赋;精神", + "ENG": "a very high level of intelligence, mental skill, or ability, which only a few people have" + }, + "suite": { + "CHS": "(一套)家具;套房;组曲;(一批)随员,随从", + "ENG": "a set of rooms, especially expensive ones in a hotel" + }, + "protest": { + "CHS": "表示抗议的;抗议性的" + }, + "convert": { + "CHS": "皈依者;改变宗教信仰者", + "ENG": "someone who has been persuaded to change their beliefs and accept a particular religion or opinion" + }, + "afterward": { + "CHS": "以后,后来", + "ENG": "If you do something or if something happens afterward, you do it or it happens after a particular event or time that has already been mentioned" + }, + "principal": { + "CHS": "首长;校长;资本;当事人", + "ENG": "someone who is in charge of a school" + }, + "universe": { + "CHS": "宇宙;世界;领域", + "ENG": "all space, including all the stars and planets" + }, + "withstand": { + "CHS": "抵挡;禁得起;反抗", + "ENG": "to defend yourself successfully against people who attack, criticize, or oppose you" + }, + "studio": { + "CHS": "工作室;[广播][电视] 演播室;画室;电影制片厂", + "ENG": "a film company or the buildings it owns and uses to make its films" + }, + "comfortable": { + "CHS": "盖被" + }, + "superb": { + "CHS": "(Superb)人名;(罗)苏佩尔布" + }, + "bonus": { + "CHS": "奖金;红利;额外津贴", + "ENG": "money added to someone’s wages, especially as a reward for good work" + }, + "adapt": { + "CHS": "使适应;改编", + "ENG": "to gradually change your behaviour and attitudes in order to be successful in a new situation" + }, + "stimulate": { + "CHS": "刺激;鼓舞,激励", + "ENG": "to encourage or help an activity to begin or develop further" + }, + "meeting": { + "CHS": "会面;会合(meet的ing形式)" + }, + "sympathetic": { + "CHS": "交感神经;容易感受的人" + }, + "attorney": { + "CHS": "律师;代理人;检查官", + "ENG": "a lawyer" + }, + "withdraw": { + "CHS": "撤退;收回;撤消;拉开", + "ENG": "to stop taking part in an activity, belonging to an organization etc, or to make someone do this" + }, + "investigate": { + "CHS": "调查;研究", + "ENG": "to try to find out the truth about something such as a crime, accident, or scientific problem" + }, + "floor": { + "CHS": "铺地板;打倒,击倒;(被困难)难倒", + "ENG": "to hit someone so hard that they fall down" + }, + "witness": { + "CHS": "目击;证明;为…作证", + "ENG": "to see something happen, especially a crime or accident" + }, + "infrastructure": { + "CHS": "基础设施;公共建设;下部构造", + "ENG": "the basic systems and structures that a country or organization needs in order to work properly, for example roads, railways, banks etc" + }, + "centre": { + "CHS": "中央的" + }, + "dark": { + "CHS": "黑暗;夜;黄昏;模糊", + "ENG": "when there is no light, especially because the sun has gone down" + }, + "collapse": { + "CHS": "倒塌;失败;衰竭", + "ENG": "a sudden failure in the way something works, so that it cannot continue" + }, + "logic": { + "CHS": "逻辑的" + }, + "ton": { + "CHS": "吨;很多,大量", + "ENG": "a unit for measuring weight, equal to 2,240 pounds or 1,016 kilograms in Britain, and 2,000 pounds or 907.2 kilograms in the US" + }, + "instruction": { + "CHS": "指令,命令;指示;教导;用法说明", + "ENG": "the written information that tells you how to do or use something" + }, + "rescue": { + "CHS": "营救;援救;解救", + "ENG": "when someone or something is rescued from danger" + }, + "insect": { + "CHS": "昆虫;卑鄙的人", + "ENG": "a small creature such as a fly or ant, that has six legs, and sometimes wings" + }, + "awkward": { + "CHS": "尴尬的;笨拙的;棘手的;不合适的", + "ENG": "making you feel embarrassed so that you are not sure what to do or say" + }, + "brochure": { + "CHS": "手册,小册子", + "ENG": "a thin book giving information or advertising something" + }, + "damn": { + "CHS": "讨厌" + }, + "concrete": { + "CHS": "具体物;凝结物" + }, + "booth": { + "CHS": "货摊;公用电话亭", + "ENG": "A booth is a small area separated from a larger public area by screens or thin walls where, for example, people can make a telephone call or vote in private" + }, + "exit": { + "CHS": "退出;离去", + "ENG": "to leave a place" + }, + "tired": { + "CHS": "疲倦;对…腻烦(tire的过去分词形式)" + }, + "impair": { + "CHS": "损害;削弱;减少", + "ENG": "to damage something or make it not as good as it should be" + }, + "dwelling": { + "CHS": "居住(dwell的现在分词)" + }, + "presumably": { + "CHS": "大概;推测起来;可假定", + "ENG": "used to say that you think something is probably true" + }, + "christmas": { + "CHS": "圣诞节;圣诞节期间", + "ENG": "Christmas is a Christian festival when the birth of Jesus Christ is celebrated. Christmas is celebrated on the 25th of December. " + }, + "slip": { + "CHS": "串行线路接口协议,是旧式的协议(Serial Line Interface Protocol)" + }, + "awake": { + "CHS": "醒着的", + "ENG": "not sleeping" + }, + "mutual": { + "CHS": "共同的;相互的,彼此的", + "ENG": "mutual feelings such as respect, trust, or hatred are feelings that two or more people have for each other" + }, + "dim": { + "CHS": "笨蛋,傻子" + }, + "crowd": { + "CHS": "拥挤,挤满,挤进", + "ENG": "if people crowd somewhere, they gather together in large numbers, filling a particular place" + }, + "ending": { + "CHS": "结局;结尾", + "ENG": "the way that a story, film, activity etc finishes" + }, + "augment": { + "CHS": "增加;增大" + }, + "deputy": { + "CHS": "副的;代理的" + }, + "timber": { + "CHS": "木材;木料", + "ENG": "wood used for building or making things" + }, + "tone": { + "CHS": "增强;用某种调子说" + }, + "illegal": { + "CHS": "非法移民,非法劳工", + "ENG": "an illegal immigrant" + }, + "red": { + "CHS": "红色的;红肿的,充血的", + "ENG": "having the colour of blood" + }, + "fancy": { + "CHS": "想象;喜爱;设想;自负", + "ENG": "to like or want something, or want to do something" + }, + "exception": { + "CHS": "例外;异议", + "ENG": "something or someone that is not included in a general statement or does not follow a rule or pattern" + }, + "invalid": { + "CHS": "使伤残;使退役" + }, + "motion": { + "CHS": "运动;打手势" + }, + "station": { + "CHS": "配置;安置;驻扎", + "ENG": "to send someone in the military to a particular place for a period of time as part of their military duty" + }, + "massacre": { + "CHS": "大屠杀;惨败", + "ENG": "when a lot of people are killed violently, especially people who cannot defend themselves" + }, + "tremble": { + "CHS": "颤抖;战栗;摇晃", + "ENG": "Tremble is also a noun" + }, + "hinder": { + "CHS": "(Hinder)人名;(芬)欣德" + }, + "village": { + "CHS": "村庄;村民;(动物的)群落", + "ENG": "a very small town in the countryside" + }, + "elect": { + "CHS": "选举;选择;推选", + "ENG": "to choose someone for an official position by voting" + }, + "rot": { + "CHS": "(表示厌恶、蔑视、烦恼等)胡说;糟了" + }, + "preparation": { + "CHS": "预备;准备", + "ENG": "the process of preparing something or preparing for something" + }, + "concession": { + "CHS": "让步;特许(权);承认;退位", + "ENG": "something that you allow someone to have in order to end an argument or a disagreement" + }, + "trivial": { + "CHS": "不重要的,琐碎的;琐细的" + }, + "foster": { + "CHS": "(Foster)人名;(英、捷、意、葡、法、德、俄、西)福斯特" + }, + "dirt": { + "CHS": "污垢,泥土;灰尘,尘土;下流话", + "ENG": "any substance that makes things dirty, such as mud or dust" + }, + "uphold": { + "CHS": "支撑;鼓励;赞成;举起" + }, + "organism": { + "CHS": "有机体;生物体;微生物", + "ENG": "an animal, plant, human, or any other living thing" + }, + "groan": { + "CHS": "呻吟;叹息;吱嘎声", + "ENG": "a long deep sound that you make when you are in pain or do not want to do something" + }, + "herd": { + "CHS": "成群,聚在一起", + "ENG": "to bring people together in a large group, especially roughly" + }, + "polish": { + "CHS": "波兰的" + }, + "documentary": { + "CHS": "纪录片", + "ENG": "a film or television or a radio programme that gives detailed information about a particular subject" + }, + "deadline": { + "CHS": "截止期限,最后期限", + "ENG": "a date or time by which you have to do or complete something" + }, + "advise": { + "CHS": "建议;劝告,忠告;通知;警告", + "ENG": "to tell someone what you think they should do, especially when you know more than they do about something" + }, + "odds": { + "CHS": "几率;胜算;不平等;差别", + "ENG": "In betting, odds are expressions with numbers such as \"10 to 1\" and \"7 to 2\" that show how likely something is thought to be, for example, how likely a particular horse is to lose or win a race" + }, + "reliance": { + "CHS": "信赖;信心;受信赖的人或物" + }, + "proclaim": { + "CHS": "宣告,公布;声明;表明;赞扬", + "ENG": "to say publicly or officially that something important is true or exists" + }, + "collaborate": { + "CHS": "合作;勾结,通敌", + "ENG": "to work together with a person or group in order to achieve something, especially in science or art" + }, + "alarm": { + "CHS": "警告;使惊恐", + "ENG": "If something alarms you, it makes you afraid or anxious that something unpleasant or dangerous might happen" + }, + "pink": { + "CHS": "粉红的;比较激进的;石竹科的;脸色发红的", + "ENG": "pale red" + }, + "toss": { + "CHS": "投掷;使…不安;突然抬起;使…上下摇动;与…掷币打赌" + }, + "corner": { + "CHS": "囤积;相交成角" + }, + "limb": { + "CHS": "切断…的手足;从…上截下树枝" + }, + "remark": { + "CHS": "评论;觉察", + "ENG": "to say something, especially about something you have just noticed" + }, + "anchor": { + "CHS": "末棒的;最后一棒的" + }, + "plateau": { + "CHS": "高原印第安人的" + }, + "lift": { + "CHS": "电梯;举起;起重机;搭车", + "ENG": "a machine that you can ride in, that moves up and down between the floors in a tall building" + }, + "chop": { + "CHS": "剁碎;砍", + "ENG": "to cut something into smaller pieces" + }, + "august": { + "CHS": "八月(简写为Aug)" + }, + "indignant": { + "CHS": "愤愤不平的;义愤的", + "ENG": "angry and surprised because you feel insulted or unfairly treated" + }, + "jeans": { + "CHS": "牛仔裤;工装裤", + "ENG": "trousers made of denim(= a strong, usually blue, cotton cloth )" + }, + "formula": { + "CHS": "[数] 公式,准则;配方;婴儿食品", + "ENG": "a method or set of principles that you use to solve a problem or to make sure that something is successful" + }, + "naive": { + "CHS": "天真的,幼稚的", + "ENG": "not having much experience of how complicated life is, so that you trust people too much and believe that good things will always happen" + }, + "keyboard": { + "CHS": "键入;用键盘式排字机排字", + "ENG": "to put information into a computer, using a keyboard" + }, + "shy": { + "CHS": "投掷;惊跳" + }, + "sir": { + "CHS": "先生;(用于姓名前)爵士;阁下;(中小学生对男教师的称呼)先生;老师", + "ENG": "used when speaking to a man in order to be polite or show respect" + }, + "sin": { + "CHS": "犯罪;犯过失", + "ENG": "to do something that is against religious rules and is considered to be an offence against God" + }, + "elderly": { + "CHS": "上了年纪的;过了中年的;稍老的", + "ENG": "used as a polite way of saying that someone is old or becoming old" + }, + "striking": { + "CHS": "打(strike的ing形式)" + }, + "turnover": { + "CHS": "翻过来的;可翻转的" + }, + "optional": { + "CHS": "选修科目" + }, + "oneself": { + "CHS": "自己;亲自", + "ENG": "the reflexive form of one27" + }, + "consolidate": { + "CHS": "巩固,使固定;联合", + "ENG": "to strengthen the position of power or success that you have, so that it becomes more effective or continues for longer" + }, + "dimension": { + "CHS": "规格的" + }, + "diminish": { + "CHS": "使减少;使变小", + "ENG": "to become or make something become smaller or less" + }, + "persist": { + "CHS": "存留,坚持;持续,固执", + "ENG": "to continue to do something, although this is difficult, or other people oppose it" + }, + "bizarre": { + "CHS": "奇异的(指态度,容貌,款式等)", + "ENG": "very unusual or strange" + }, + "embrace": { + "CHS": "拥抱", + "ENG": "the act of holding someone close to you, especially as a sign of love" + }, + "sow": { + "CHS": "母猪", + "ENG": "a fully grown female pig" + }, + "heighten": { + "CHS": "提高;增高;加强;使更显著", + "ENG": "if something heightens a feeling, effect etc, or if a feeling etc heightens, it becomes stronger or increases" + }, + "sculpture": { + "CHS": "雕塑;雕刻;刻蚀" + }, + "merge": { + "CHS": "(Merge)人名;(意)梅尔杰" + }, + "prejudice": { + "CHS": "损害;使有偏见", + "ENG": "to influence someone so that they have an unfair or unreasonable opinion about someone or something" + }, + "interview": { + "CHS": "采访;接见;对…进行面谈;对某人进行面试", + "ENG": "to ask someone questions during an interview" + }, + "replacement": { + "CHS": "更换;复位;代替者;补充兵员", + "ENG": "when you get something that is newer or better than the one you had before" + }, + "disgrace": { + "CHS": "使……失宠;给……丢脸;使……蒙受耻辱;贬黜", + "ENG": "to do something so bad that you make other people feel ashamed" + }, + "permit": { + "CHS": "许可证,执照", + "ENG": "an official written statement giving you the right to do something" + }, + "underlying": { + "CHS": "放在…的下面;为…的基础;优先于(underlie的ing形式)" + }, + "overlap": { + "CHS": "部分重叠;部分的同时发生", + "ENG": "If one thing overlaps another, or if you overlap them, a part of the first thing occupies the same area as a part of the other thing. You can also say that two things overlap. " + }, + "aeroplane": { + "CHS": "飞机(等于airplane)", + "ENG": "a flying vehicle with wings and at least one engine" + }, + "release": { + "CHS": "释放;发布;让与", + "ENG": "when someone is officially allowed to go free, after being kept somewhere" + }, + "poverty": { + "CHS": "贫困;困难;缺少;低劣", + "ENG": "the situation or experience of being poor" + }, + "merit": { + "CHS": "值得", + "ENG": "to be good, important, or serious enough for praise or attention" + }, + "fellow": { + "CHS": "使…与另一个对等;使…与另一个匹敌" + }, + "offensive": { + "CHS": "攻势;攻击", + "ENG": "a planned military attack involving large forces over a long period" + }, + "daughter": { + "CHS": "女儿的;子代的" + }, + "document": { + "CHS": "用文件证明" + }, + "abrupt": { + "CHS": "生硬的;突然的;唐突的;陡峭的", + "ENG": "sudden and unexpected" + }, + "sue": { + "CHS": "(Sue)人名;(日)末(名);(法)休;(英)休(女子教名Susan、Susanna的昵称)" + }, + "humble": { + "CHS": "使谦恭;轻松打败(尤指强大的对手);低声下气", + "ENG": "If you humble someone who is more important or powerful than you, you defeat them easily" + }, + "minority": { + "CHS": "少数的;属于少数派的" + }, + "companion": { + "CHS": "陪伴" + }, + "farmer": { + "CHS": "农夫,农民" + }, + "colonial": { + "CHS": "殖民地的,殖民的", + "ENG": "relating to a country that controls and rules other countries, usually ones that are far away" + }, + "false": { + "CHS": "欺诈地" + }, + "soldier": { + "CHS": "当兵;磨洋工;坚持干;假称害病" + }, + "tax": { + "CHS": "税金;重负", + "ENG": "Tax is an amount of money that you have to pay to the government so that it can pay for public services such as road and schools" + }, + "tap": { + "CHS": "水龙头;轻打", + "ENG": "a piece of equipment for controlling the flow of water, gas etc from a pipe or container" + }, + "sphere": { + "CHS": "球体的" + }, + "probe": { + "CHS": "调查;探测", + "ENG": "to ask questions in order to find things out, especially things that other people do not want you to know" + }, + "rent": { + "CHS": "出租;租用;租借", + "ENG": "to regularly pay money to live in a house or room that belongs to someone else, or to use something that belongs to someone else" + }, + "directory": { + "CHS": "指导的;咨询的" + }, + "spontaneous": { + "CHS": "自发的;自然的;无意识的", + "ENG": "something that is spontaneous has not been planned or organized, but happens by itself, or because you suddenly feel you want to do it" + }, + "diet": { + "CHS": "节食", + "ENG": "to limit the amount and type of food that you eat, in order to become thinner" + }, + "summon": { + "CHS": "召唤;召集;鼓起;振作", + "ENG": "to order someone to come to a place" + }, + "coast": { + "CHS": "海岸;滑坡", + "ENG": "the area where the land meets the sea" + }, + "stumble": { + "CHS": "绊倒;蹒跚而行" + }, + "interact": { + "CHS": "幕间剧;幕间休息" + }, + "steward": { + "CHS": "管理" + }, + "envelope": { + "CHS": "信封,封皮;包膜;[天] 包层;包迹", + "ENG": "a thin paper cover in which you put and send a letter" + }, + "crack": { + "CHS": "最好的;高明的" + }, + "altogether": { + "CHS": "整个;裸体", + "ENG": "not wearing any clothes – used humorously" + }, + "forge": { + "CHS": "伪造;做锻工;前进", + "ENG": "to illegally copy something, especially something printed or written, to make people think that it is real" + }, + "patience": { + "CHS": "耐性,耐心;忍耐,容忍", + "ENG": "If you have patience, you are able to stay calm and not get annoyed, for example, when something takes a long time, or when someone is not doing what you want them to do" + }, + "shortly": { + "CHS": "立刻;简短地;唐突地", + "ENG": "soon" + }, + "ban": { + "CHS": "禁令,禁忌", + "ENG": "an official order that prevents something from being used or done" + }, + "hitherto": { + "CHS": "迄今;至今", + "ENG": "up to this time" + }, + "prone": { + "CHS": "(Prone)人名;(意、法)普罗内" + }, + "bar": { + "CHS": "除……外", + "ENG": "except" + }, + "plea": { + "CHS": "恳求,请求;辩解,辩护;借口,托辞", + "ENG": "a request that is urgent or full of emotion" + }, + "gossip": { + "CHS": "闲聊;传播流言蜚语", + "ENG": "If you gossip with someone, you talk informally, especially about other people or local events. You can also say that two people gossip. " + }, + "enthusiasm": { + "CHS": "热心,热忱,热情", + "ENG": "a strong feeling of interest and enjoyment about something and an eagerness to be involved in it" + }, + "beautiful": { + "CHS": "美丽的", + "ENG": "someone or something that is beautiful is extremely attractive to look at" + }, + "lottery": { + "CHS": "彩票;碰运气的事,难算计的事;抽彩给奖法", + "ENG": "a game used to make money for a state or a charity in which people buy tickets with a series of numbers on them. If their number is picked by chance, they win money or a prize." + }, + "fantastic": { + "CHS": "古怪的人" + }, + "pen": { + "CHS": "写;关入栏中", + "ENG": "to write something such as a letter, a book etc, especially using a pen" + }, + "pet": { + "CHS": "宠爱的", + "ENG": "a plan, idea, or subject that you particularly like or are interested in" + }, + "innocent": { + "CHS": "天真的人;笨蛋", + "ENG": "An innocent is someone who is innocent" + }, + "neighbor": { + "CHS": "友好;毗邻而居" + }, + "prose": { + "CHS": "把…写成散文" + }, + "tribute": { + "CHS": "礼物;[税收] 贡物;颂词;(尤指对死者的)致敬,悼念,吊唁礼物", + "ENG": "something that you say, do, or give in order to express your respect or admiration for someone" + }, + "despair": { + "CHS": "绝望,丧失信心", + "ENG": "to feel that there is no hope at all" + }, + "consistent": { + "CHS": "始终如一的,一致的;坚持的", + "ENG": "a consistent argument or idea does not have any parts that do not match other parts" + }, + "feasible": { + "CHS": "可行的;可能的;可实行的", + "ENG": "a plan, idea, or method that is feasible is possible and is likely to work" + }, + "bulb": { + "CHS": "生球茎;膨胀成球状" + }, + "heroin": { + "CHS": "[药][毒物] 海洛因,吗啡", + "ENG": "a powerful and illegal drug made from morphine " + }, + "ornament": { + "CHS": "装饰,修饰", + "ENG": "to be decorated with something" + }, + "transmit": { + "CHS": "传输;传播;发射;传达;遗传", + "ENG": "to send out electronic signals, messages etc using radio, television, or other similar equipment" + }, + "freight": { + "CHS": "货运;运费;船货", + "ENG": "goods that are carried by ship, train, or aircraft, and the system of moving these goods" + }, + "clause": { + "CHS": "条款;[计] 子句", + "ENG": "a part of a written law or legal document covering a particular subject of the whole law or document" + }, + "curve": { + "CHS": "弯曲的;曲线形的" + }, + "mechanism": { + "CHS": "机制;原理,途径;进程;机械装置;技巧", + "ENG": "part of a machine or a set of parts that does a particular job" + }, + "ingredient": { + "CHS": "构成组成部分的" + }, + "disclose": { + "CHS": "公开;揭露", + "ENG": "to make something publicly known, especially after it has been kept secret" + }, + "jealous": { + "CHS": "妒忌的;猜疑的;唯恐失去的;戒备的", + "ENG": "feeling unhappy because someone has something that you wish you had" + }, + "plough": { + "CHS": "犁;耕地(等于plow)", + "ENG": "a piece of farm equipment used to turn over the earth so that seeds can be planted" + }, + "opera": { + "CHS": "歌剧;歌剧院;歌剧团", + "ENG": "a musical play in which all of the words are sung" + }, + "superiority": { + "CHS": "优越,优势;优越性", + "ENG": "the quality of being better, more skilful, more powerful etc than other people or things" + }, + "testify": { + "CHS": "证明,证实;作证", + "ENG": "to make a formal statement of what is true, especially in a court of law" + }, + "outlet": { + "CHS": "出口,排放孔;[电] 电源插座;销路;发泄的方法;批发商店", + "ENG": "a way of expressing or getting rid of strong feelings" + }, + "stretch": { + "CHS": "伸展,延伸", + "ENG": "the action of stretching a part of your body out to its full length, or a particular way of doing this" + }, + "exposure": { + "CHS": "暴露;曝光;揭露;陈列", + "ENG": "when someone is in a situation where they are not protected from something dangerous or unpleasant" + }, + "resort": { + "CHS": "求助,诉诸;常去;采取某手段或方法", + "ENG": "If you resort to a course of action that you do not really approve of, you adopt it because you cannot see any other way of achieving what you want" + }, + "foremost": { + "CHS": "首先;居于首位地" + }, + "immense": { + "CHS": "巨大的,广大的;无边无际的;非常好的", + "ENG": "extremely large" + }, + "exclusive": { + "CHS": "独家新闻;独家经营的项目;排外者", + "ENG": "an important or exciting story that is printed in only one newspaper, because that newspaper was the first to find out about it" + }, + "allege": { + "CHS": "宣称,断言;提出…作为理由", + "ENG": "to say that something is true or that someone has done something wrong, although it has not been proved" + }, + "beam": { + "CHS": "发送;以梁支撑;用…照射;流露", + "ENG": "to send a radio or television signal through the air, especially to somewhere very distant" + }, + "dwell": { + "CHS": "居住;存在于;细想某事", + "ENG": "to live in a particular place" + }, + "phase": { + "CHS": "月相", + "ENG": "one of a fixed number of changes in the appearance of the Moon or a planet when it is seen from the Earth" + }, + "sociology": { + "CHS": "社会学;群体生态学", + "ENG": "the scientific study of societies and the behaviour of people in groups" + }, + "speed": { + "CHS": "速度,速率;迅速,快速;昌盛,繁荣", + "ENG": "the rate at which something moves or travels" + }, + "activate": { + "CHS": "刺激;使活动;使活泼;使产生放射性", + "ENG": "to make an electrical system or chemical process start working" + }, + "regime": { + "CHS": "政权,政体;社会制度;管理体制", + "ENG": "a government, especially one that was not elected fairly or that you disapprove of for some other reason" + }, + "committee": { + "CHS": "委员会", + "ENG": "a group of people chosen to do a particular job, make decisions etc" + }, + "hostage": { + "CHS": "人质;抵押品", + "ENG": "someone who is kept as a prisoner by an enemy so that the other side will do what the enemy demands" + }, + "region": { + "CHS": "地区;范围;部位", + "ENG": "a large area of a country or of the world, usually without exact limits" + }, + "thrill": { + "CHS": "使…颤动;使…紧张;使…感到兴奋或激动", + "ENG": "to make someone feel excited and happy" + }, + "entitle": { + "CHS": "称做…;定名为…;给…称号;使…有权利", + "ENG": "to give someone the official right to do or have something" + }, + "additional": { + "CHS": "附加的,额外的", + "ENG": "more than what was agreed or expected" + }, + "attendant": { + "CHS": "服务员,侍者;随员,陪从", + "ENG": "someone whose job is to look after or help customers in a public place" + }, + "scream": { + "CHS": "尖叫声;尖锐刺耳的声音;极其滑稽可笑的人", + "ENG": "a loud high sound that you make with your voice because you are hurt, frightened, excited etc" + }, + "miserable": { + "CHS": "悲惨的;痛苦的;卑鄙的", + "ENG": "extremely unhappy, for example because you feel lonely, cold, or badly treated" + }, + "veteran": { + "CHS": "经验丰富的;老兵的" + }, + "spouse": { + "CHS": "和…结婚" + }, + "journey": { + "CHS": "旅行", + "ENG": "to travel" + }, + "stripe": { + "CHS": "加条纹于…", + "ENG": "to mark with a stripe or stripes " + }, + "harm": { + "CHS": "伤害;危害;损害", + "ENG": "to have a bad effect on something" + }, + "induce": { + "CHS": "诱导;引起;引诱;感应", + "ENG": "to persuade someone to do something, especially something that does not seem wise" + }, + "frighten": { + "CHS": "使惊吓;吓唬…", + "ENG": "to make someone feel afraid" + }, + "senate": { + "CHS": "参议院,上院;(古罗马的)元老院", + "ENG": "the highest level of government in ancient Rome" + }, + "thrift": { + "CHS": "节俭;节约;[植] 海石竹", + "ENG": "wise and careful use of money, so that none is wasted" + }, + "forum": { + "CHS": "论坛,讨论会;法庭;公开讨论的广场", + "ENG": "an organization, meeting, TV programme etc where people have a chance to publicly discuss an important subject" + }, + "interpret": { + "CHS": "说明;口译", + "ENG": "to translate spoken words from one language into another" + }, + "hang": { + "CHS": "悬挂;暂停,中止" + }, + "thanksgiving": { + "CHS": "感恩", + "ENG": "an expression of thanks to God" + }, + "analogy": { + "CHS": "类比;类推;类似", + "ENG": "something that seems similar between two situations, processes etc" + }, + "shell": { + "CHS": "剥落;设定命令行解释器的位置", + "ENG": "to remove something such as beans or nuts from a shell or pod " + }, + "shelf": { + "CHS": "架子;搁板;搁板状物;暗礁", + "ENG": "a long flat narrow board attached to a wall or in a frame or cupboard, used for putting things on" + }, + "fork": { + "CHS": "叉起;使成叉状", + "ENG": "to put food into your mouth or onto a plate using a fork" + }, + "hawk": { + "CHS": "鹰;鹰派成员;掠夺他人的人", + "ENG": "a large bird that hunts and eats small birds and animals" + }, + "harden": { + "CHS": "(Harden)人名;(英、德、罗、瑞典)哈登;(法)阿尔当" + }, + "mock": { + "CHS": "仿制的,模拟的,虚假的,不诚实的", + "ENG": "not real, but intended to be very similar to a real situation, substance etc" + }, + "ballot": { + "CHS": "投票;抽签决定", + "ENG": "to ask someone to vote for something" + }, + "strive": { + "CHS": "努力;奋斗;抗争", + "ENG": "to make a great effort to achieve something" + }, + "hate": { + "CHS": "憎恨;反感", + "ENG": "an angry unpleasant feeling that someone has when they hate someone and want to harm them" + }, + "combat": { + "CHS": "战斗的;为…斗争的" + }, + "moan": { + "CHS": "呻吟声;悲叹", + "ENG": "a long low sound expressing pain, unhappiness, or sexual pleasure" + }, + "identical": { + "CHS": "完全相同的事物" + }, + "calculate": { + "CHS": "计算;以为;作打算", + "ENG": "to find out how much something will cost, how long something will take etc, by using numbers" + }, + "roll": { + "CHS": "卷,卷形物;名单;摇晃", + "ENG": "a piece of paper, camera film, money etc that has been rolled into the shape of a tube" + }, + "partial": { + "CHS": "局部的;偏爱的;不公平的", + "ENG": "not complete" + }, + "paradox": { + "CHS": "悖论,反论;似非而是的论点;自相矛盾的人或事", + "ENG": "a situation that seems strange because it involves two ideas or qualities that are very different" + }, + "inquiry": { + "CHS": "探究;调查;质询", + "ENG": "the act or process of asking questions in order to get information" + }, + "ballet": { + "CHS": "芭蕾舞剧;芭蕾舞乐曲", + "ENG": "a performance in which dancing and music tell a story without any speaking" + }, + "precedent": { + "CHS": "在前的;在先的" + }, + "distant": { + "CHS": "遥远的;冷漠的;远隔的;不友好的,冷淡的", + "ENG": "far away in space or time" + }, + "cottage": { + "CHS": "小屋;村舍;(农舍式的)小别墅", + "ENG": "a small house in the country" + }, + "classic": { + "CHS": "名著;经典著作;大艺术家", + "ENG": "a book, play, or film that is important and has been admired for a long time" + }, + "prominent": { + "CHS": "突出的,显著的;杰出的;卓越的", + "ENG": "important" + }, + "slogan": { + "CHS": "标语;呐喊声", + "ENG": "a short phrase that is easy to remember and is used in advertisements, or by politicians, organizations etc" + }, + "norm": { + "CHS": "标准,规范", + "ENG": "the usual or normal situation, way of doing something etc" + }, + "administer": { + "CHS": "管理;执行;给予", + "ENG": "to manage the work or money of a company or organization" + }, + "anonymous": { + "CHS": "匿名的,无名的;无个性特征的", + "ENG": "unknown by name" + }, + "september": { + "CHS": "九月", + "ENG": "September is the ninth month of the year in the Western calendar" + }, + "classmate": { + "CHS": "同班同学", + "ENG": "a member of the same class in a school, college or – in the US – a university" + }, + "distribute": { + "CHS": "分配;散布;分开;把…分类", + "ENG": "to share things among a group of people, especially in a planned way" + }, + "remedy": { + "CHS": "补救;治疗;赔偿", + "ENG": "a way of dealing with a problem or making a bad situation better" + }, + "faint": { + "CHS": "[中医] 昏厥,昏倒", + "ENG": "an act of becoming unconscious" + }, + "bureaucracy": { + "CHS": "官僚主义;官僚机构;官僚政治", + "ENG": "a complicated official system that is annoying or confusing because it has a lot of rules, processes etc" + }, + "citizen": { + "CHS": "公民;市民;老百姓", + "ENG": "someone who lives in a particular town, country, or state" + }, + "solidarity": { + "CHS": "团结,团结一致", + "ENG": "loyalty and general agreement between all the people in a group, or between different groups, because they all have a shared aim" + }, + "mount": { + "CHS": "山峰;底座;乘骑用马;攀,登;运载工具;底座", + "ENG": "used as part of the name of a mountain" + }, + "mobilize": { + "CHS": "动员,调动;集合,组织;使…流通;使…松动", + "ENG": "to encourage people to support something in an active way" + }, + "advent": { + "CHS": "到来;出现;基督降临;基督降临节", + "ENG": "the time when something first begins to be widely used" + }, + "revolution": { + "CHS": "革命;旋转;运行;循环", + "ENG": "a complete change in ways of thinking, methods of working etc" + }, + "certificate": { + "CHS": "证书;执照,文凭", + "ENG": "an official document that states that a fact or facts are true" + }, + "alleviate": { + "CHS": "减轻,缓和", + "ENG": "to make something less painful or difficult to deal with" + }, + "nod": { + "CHS": "点头;点头表示", + "ENG": "to move your head up and down, especially in order to show agreement or understanding" + }, + "shield": { + "CHS": "遮蔽;包庇;避开;保卫", + "ENG": "to protect someone or something from being harmed or damaged" + }, + "tuesday": { + "CHS": "星期二", + "ENG": "Tuesday is the day after Monday and before Wednesday" + }, + "obstacle": { + "CHS": "障碍,干扰;妨害物", + "ENG": "something that makes it difficult to achieve some­thing" + }, + "counterpart": { + "CHS": "副本;配对物;极相似的人或物", + "ENG": "Someone's or something's counterpart is another person or thing that has a similar function or position in a different place" + }, + "opponent": { + "CHS": "对立的;敌对的" + }, + "southeast": { + "CHS": "来自东南", + "ENG": "If you go southeast, you travel toward the southeast" + }, + "mountain": { + "CHS": "山;山脉", + "ENG": "a very high hill" + }, + "agreeable": { + "CHS": "令人愉快的;适合的;和蔼可亲的", + "ENG": "pleasant" + }, + "possession": { + "CHS": "拥有;财产;领地;自制;着迷", + "ENG": "if something is in your possession, you own it, or you have obtained it from somewhere" + }, + "slight": { + "CHS": "怠慢;轻蔑" + }, + "dilute": { + "CHS": "稀释;冲淡;削弱", + "ENG": "to make a liquid weaker by adding water or another liquid" + }, + "poke": { + "CHS": "戳;刺;袋子;懒汉", + "ENG": "to quickly push your fingers, a stick etc into something or someone" + }, + "sake": { + "CHS": "目的;利益;理由;日本米酒" + }, + "retire": { + "CHS": "退休;退隐;退兵信号" + }, + "erroneous": { + "CHS": "错误的;不正确的", + "ENG": "erroneous ideas or information are wrong and based on facts that are not correct" + }, + "coupon": { + "CHS": "息票;赠券;联票;[经] 配给券", + "ENG": "a small piece of printed paper that gives you the right to pay less for something or get something free" + }, + "curb": { + "CHS": "控制;勒住", + "ENG": "to control or limit something in order to prevent it from having a harmful effect" + }, + "museum": { + "CHS": "博物馆", + "ENG": "a building where important cultural , historical, or scientific objects are kept and shown to the public" + }, + "proficiency": { + "CHS": "精通,熟练", + "ENG": "a good standard of ability and skill" + }, + "unexpected": { + "CHS": "意外的,想不到的", + "ENG": "used to describe something that is surprising because you were not expecting it" + }, + "decorate": { + "CHS": "装饰;布置;授勋给", + "ENG": "to make something look more attractive by putting something pretty on it" + }, + "integrity": { + "CHS": "完整;正直;诚实;廉正", + "ENG": "the quality of being honest and strong about what you believe to be right" + }, + "fragile": { + "CHS": "脆的;易碎的", + "ENG": "easily broken or damaged" + }, + "prestige": { + "CHS": "威望,声望;声誉", + "ENG": "the respect and admiration that someone or something gets because of their success or important position in society" + }, + "assure": { + "CHS": "保证;担保;使确信;弄清楚", + "ENG": "to tell someone that something will definitely happen or is definitely true so that they are less worried" + }, + "excitement": { + "CHS": "兴奋;刺激;令人兴奋的事物", + "ENG": "the feeling of being excited" + }, + "predecessor": { + "CHS": "前任,前辈", + "ENG": "someone who had your job before you started doing it" + }, + "drawback": { + "CHS": "缺点,不利条件;退税", + "ENG": "a disadvantage of a situation, plan, product etc" + }, + "affirm": { + "CHS": "肯定;断言", + "ENG": "to state publicly that something is true" + }, + "underlie": { + "CHS": "成为……的基础;位于……之下", + "ENG": "to be the cause of something, or be the basic thing from which something develops" + }, + "fade": { + "CHS": "[电影][电视] 淡出;[电影][电视] 淡入" + }, + "plausible": { + "CHS": "貌似可信的,花言巧语的;貌似真实的,貌似有理的", + "ENG": "reasonable and likely to be true or successful" + }, + "snack": { + "CHS": "吃快餐,吃点心", + "ENG": "to eat small amounts of food between main meals or instead of a meal" + }, + "preference": { + "CHS": "偏爱,倾向;优先权", + "ENG": "if you have a preference for something, you like it more than another thing and will choose it if you can" + }, + "seize": { + "CHS": "抓住;夺取;理解;逮捕", + "ENG": "to take hold of something suddenly and violently" + }, + "rake": { + "CHS": "耙子;斜度;钱耙;放荡的人,浪子", + "ENG": "a gardening tool with a row of metal teeth at the end of a long handle, used for making soil level, gathering up dead leaves etc" + }, + "inherent": { + "CHS": "固有的;内在的;与生俱来的,遗传的", + "ENG": "a quality that is inherent in something is a natural part of it and cannot be separated from it" + }, + "dispute": { + "CHS": "辩论;争吵", + "ENG": "a serious argument or disagreement" + }, + "emigrate": { + "CHS": "移居;移居外国", + "ENG": "to leave your own country in order to live in another country" + }, + "vicious": { + "CHS": "(Vicious)人名;(英)维舍斯" + }, + "exotic": { + "CHS": "异国的;外来的;异国情调的", + "ENG": "something that is exotic seems unusual and interesting because it is related to a foreign country – use this to show approval" + }, + "realistic": { + "CHS": "现实的;现实主义的;逼真的;实在论的", + "ENG": "judging and dealing with situations in a practical way according to what is actually possible rather than what you would like to happen" + }, + "muscular": { + "CHS": "肌肉的;肌肉发达的;强健的", + "ENG": "having large strong muscles" + }, + "farther": { + "CHS": "进一步的;更远的(far的比较级)", + "ENG": "more distant; a comparative form of ‘far’" + }, + "waste": { + "CHS": "废弃的;多余的;荒芜的", + "ENG": "waste materials, substances etc are unwanted because the good part of them has been removed" + }, + "cricket": { + "CHS": "板球,板球运动;蟋蟀", + "ENG": "a game between two teams of 11 players in which players try to get points by hitting a ball and running between two sets of three sticks" + }, + "preach": { + "CHS": "说教" + }, + "grieve": { + "CHS": "(Grieve)人名;(英)格里夫" + }, + "bruise": { + "CHS": "使受瘀伤;使受挫伤", + "ENG": "to affect someone badly and make them feel less confident" + }, + "daytime": { + "CHS": "日间,白天", + "ENG": "the time during the day between the time when it gets light and the time when it gets dark" + }, + "fame": { + "CHS": "使闻名,使有名望" + }, + "terrific": { + "CHS": "极好的;极其的,非常的;可怕的", + "ENG": "very good, especially in a way that makes you feel happy and excited" + }, + "embed": { + "CHS": "栽种;使嵌入,使插入;使深留脑中", + "ENG": "to put something firmly and deeply into something else, or to be put into something in this way" + }, + "nowadays": { + "CHS": "当今" + }, + "efficient": { + "CHS": "有效率的;有能力的;生效的", + "ENG": "if someone or something is efficient, they work well without wasting time, money, or energy" + }, + "officer": { + "CHS": "指挥" + }, + "external": { + "CHS": "外部;外观;外面" + }, + "surge": { + "CHS": "汹涌;起大浪,蜂拥而来", + "ENG": "if a feeling surges or surges up, you begin to feel it very strongly" + }, + "faculty": { + "CHS": "科,系;能力;全体教员", + "ENG": "all the teachers in a university" + }, + "depart": { + "CHS": "逝世的" + }, + "liberate": { + "CHS": "解放;放出;释放", + "ENG": "to free prisoners, a city, a country etc from someone’s control" + }, + "register": { + "CHS": "登记;注册;记录;寄存器;登记簿", + "ENG": "an official list of names of people, companies etc, or a book that has this list" + }, + "incur": { + "CHS": "招致,引发;蒙受", + "ENG": "if you incur a cost, debt, or a fine, you have to pay money because of something you have done" + }, + "comfort": { + "CHS": "安慰;使(痛苦等)缓和", + "ENG": "to make someone feel less worried, unhappy, or upset, for example by saying kind things to them or touching them" + }, + "coincide": { + "CHS": "一致,符合;同时发生", + "ENG": "to happen at the same time as something else, especially by chance" + }, + "fate": { + "CHS": "注定" + }, + "software": { + "CHS": "软件", + "ENG": "the sets of programs that tell a computer how to do a particular job" + }, + "farm": { + "CHS": "农场;农家;畜牧场", + "ENG": "an area of land used for growing crops or keeping animals" + }, + "lag": { + "CHS": "最后的" + }, + "constant": { + "CHS": "[数] 常数;恒量", + "ENG": "a number or quantity that never changes" + }, + "april": { + "CHS": "四月", + "ENG": "April is the fourth month of the year in the Western calendar" + }, + "amiable": { + "CHS": "(Amiable)人名;(法)阿米亚布勒;(英)阿米娅布尔" + }, + "worthwhile": { + "CHS": "值得做的,值得花时间的", + "ENG": "if something is worthwhile, it is important or useful, or you gain something from it" + }, + "departure": { + "CHS": "离开;出发;违背", + "ENG": "an act of leaving a place, especially at the start of a journey" + }, + "shoot": { + "CHS": "射击;摄影;狩猎;急流", + "ENG": "an occasion when someone takes photographs or makes a film" + }, + "virtual": { + "CHS": "[计] 虚拟的;实质上的,事实上的(但未在名义上或正式获承认)", + "ENG": "made, done, seen etc on the Internet or on a computer, rather than in the real world" + }, + "preceding": { + "CHS": "在之前(precede的ing形式)" + }, + "dangerous": { + "CHS": "危险的", + "ENG": "able or likely to harm or kill you" + }, + "stroll": { + "CHS": "散步;闲逛;巡回演出", + "ENG": "to walk somewhere in a slow relaxed way" + }, + "carve": { + "CHS": "(Carve)人名;(西、瑞典)卡韦" + }, + "vocation": { + "CHS": "职业;天职;天命;神召", + "ENG": "a strong belief that you have been chosen by God to be a priest or a nun" + }, + "loyal": { + "CHS": "效忠的臣民;忠实信徒" + }, + "depth": { + "CHS": "[海洋] 深度;深奥", + "ENG": "the part that is furthest away from people, and most difficult to reach" + }, + "discourage": { + "CHS": "阻止;使气馁", + "ENG": "to make something less likely to happen" + }, + "intricate": { + "CHS": "复杂的;错综的,缠结的", + "ENG": "containing many small parts or details that all work or fit together" + }, + "motivate": { + "CHS": "刺激;使有动机;激发…的积极性", + "ENG": "to be the reason why someone does something" + }, + "rigorous": { + "CHS": "严格的,严厉的;严密的;严酷的", + "ENG": "careful, thorough, and exact" + }, + "bachelor": { + "CHS": "学士;单身汉;(尚未交配的)小雄兽", + "ENG": "a man who has never been married" + }, + "taxi": { + "CHS": "出租汽车", + "ENG": "a car and driver that you pay to take you somewhere" + }, + "inhabitant": { + "CHS": "居民;居住者", + "ENG": "one of the people who live in a particular place" + }, + "parachute": { + "CHS": "跳伞", + "ENG": "to jump from a plane using a parachute" + }, + "battle": { + "CHS": "斗争;作战", + "ENG": "to try very hard to achieve something that is difficult or dangerous" + }, + "dental": { + "CHS": "齿音" + }, + "fabric": { + "CHS": "织物;布;组织;构造;建筑物", + "ENG": "cloth used for making clothes, curtains etc" + }, + "bait": { + "CHS": "饵;诱饵", + "ENG": "food used to attract fish, animals, or birds so that you can catch them" + }, + "logical": { + "CHS": "合逻辑的,合理的;逻辑学的", + "ENG": "seeming reasonable and sensible" + }, + "straightforward": { + "CHS": "直截了当地;坦率地" + }, + "prison": { + "CHS": "监禁,关押" + }, + "junior": { + "CHS": "年少者,晚辈;地位较低者;大学三年级学生", + "ENG": "a child who goes to a junior school" + }, + "season": { + "CHS": "给…调味;使适应", + "ENG": "to add salt, pepper etc to food you are cooking" + }, + "adjoin": { + "CHS": "毗连,邻接", + "ENG": "a room, building, or piece of land that adjoins something is next to it and connected to it" + }, + "participate": { + "CHS": "参与,参加;分享", + "ENG": "to take part in an activity or event" + }, + "parcel": { + "CHS": "打包;捆扎" + }, + "brow": { + "CHS": "眉,眉毛;额;表情", + "ENG": "the part of your face above your eyes and below your hair" + }, + "introduction": { + "CHS": "介绍;引进;采用;入门;传入", + "ENG": "the act of bringing something into use for the first time" + }, + "mad": { + "CHS": "狂怒" + }, + "spite": { + "CHS": "刁难;使恼怒" + }, + "balance": { + "CHS": "使平衡;结算;使相称", + "ENG": "if a government balances the budget, they make the amount of money that they spend equal to the amount of money available" + }, + "seldom": { + "CHS": "很少,不常", + "ENG": "very rarely or almost never" + }, + "inferior": { + "CHS": "下级;次品", + "ENG": "someone who has a lower position or rank than you in an organization" + }, + "sovereign": { + "CHS": "君主;独立国;最高统治者", + "ENG": "a king or queen" + }, + "employment": { + "CHS": "使用;职业;雇用", + "ENG": "the act of paying someone to work for you" + }, + "heritage": { + "CHS": "遗产;传统;继承物;继承权", + "ENG": "the traditional beliefs, values, customs etc of a family, country, or society" + }, + "gene": { + "CHS": "[遗] 基因,遗传因子", + "ENG": "a part of a cell in a living thing that controls what it looks like, how it grows, and how it develops. People get their genes from their parents" + }, + "toast": { + "CHS": "向…祝酒,为…干杯", + "ENG": "to drink a glass of wine etc to thank some-one, wish someone luck, or celebrate something" + }, + "weird": { + "CHS": "(苏格兰)命运;预言" + }, + "internal": { + "CHS": "内部的;内在的;国内的", + "ENG": "within a particular country" + }, + "subsequent": { + "CHS": "后来的,随后的", + "ENG": "happening or coming after something else" + }, + "humiliate": { + "CHS": "羞辱;使…丢脸;耻辱", + "ENG": "to make someone feel ashamed or stupid, especially when other people are present" + }, + "inherit": { + "CHS": "继承;遗传而得", + "ENG": "to receive money, property etc from someone after they have died" + }, + "compel": { + "CHS": "(Compel)人名;(法)孔佩尔" + }, + "appetite": { + "CHS": "食欲;嗜好", + "ENG": "a desire for food" + }, + "compose": { + "CHS": "构成;写作;使平静;排…的版", + "ENG": "to write a piece of music" + }, + "frank": { + "CHS": "免费邮寄" + }, + "equation": { + "CHS": "方程式,等式;相等;[化学] 反应式", + "ENG": "a statement in mathematics that shows that two amounts or totals are equal" + }, + "asleep": { + "CHS": "熟睡地;进入睡眠状态" + }, + "essence": { + "CHS": "本质,实质;精华;香精", + "ENG": "the most basic and important quality of something" + }, + "substitute": { + "CHS": "替代", + "ENG": "to use something new or diffe-rent instead of something else" + }, + "harsh": { + "CHS": "(Harsh)人名;(英)哈什" + }, + "maintenance": { + "CHS": "维护,维修;保持;生活费用", + "ENG": "the repairs, painting etc that are necessary to keep something in good condition" + }, + "weigh": { + "CHS": "权衡;称重量" + }, + "repel": { + "CHS": "击退;抵制;使厌恶;使不愉快", + "ENG": "if something repels you, it is so unpleasant that you do not want to be near it, or it makes you feel ill" + }, + "globe": { + "CHS": "成球状" + }, + "excite": { + "CHS": "激起;刺激…,使…兴奋", + "ENG": "to make someone feel happy, interested, or eager" + }, + "mammal": { + "CHS": "[脊椎] 哺乳动物", + "ENG": "a type of animal that drinks milk from its mother’s body when it is young. Humans, dogs, and whales are mammals." + }, + "launch": { + "CHS": "发射;发行,投放市场;下水;汽艇", + "ENG": "when a new product, book etc is made available or made known" + }, + "pronounce": { + "CHS": "发音;宣判;断言", + "ENG": "to give a judgment or opinion" + }, + "prevalent": { + "CHS": "流行的;普遍的,广传的", + "ENG": "common at a particular time, in a particular place, or among a particular group of people" + }, + "temperament": { + "CHS": "气质,性情,性格;急躁", + "ENG": "the emotional part of someone’s character, especially how likely they are to be happy, angry etc" + }, + "filter": { + "CHS": "滤波器;[化工] 过滤器;筛选;滤光器", + "ENG": "something that you pass water, air etc through in order to remove unwanted substances and make it clean or suitable to use" + }, + "constituent": { + "CHS": "构成的;选举的", + "ENG": "being one of the parts of something" + }, + "undertake": { + "CHS": "承担,保证;从事;同意;试图", + "ENG": "to accept that you are responsible for a piece of work, and start to do it" + }, + "sharp": { + "CHS": "打扮;升音演奏" + }, + "shock": { + "CHS": "浓密的;蓬乱的" + }, + "hedge": { + "CHS": "对冲,套期保值;树篱;障碍", + "ENG": "a row of small bushes or trees growing close together, usually dividing one field or garden from another" + }, + "decisive": { + "CHS": "决定性的;果断的,坚定的", + "ENG": "an action, event etc that is decisive has a big effect on the way that something develops" + }, + "pharmacy": { + "CHS": "药房;配药学,药剂学;制药业;一批备用药品", + "ENG": "a shop or a part of a shop where medicines are prepared and sold" + }, + "zoom": { + "CHS": "急速上升;摄像机移动" + }, + "treason": { + "CHS": "[法] 叛国罪;不忠", + "ENG": "the crime of being disloyal to your country or its government, especially by helping its enemies or trying to remove the government using violence" + }, + "astronaut": { + "CHS": "宇航员,航天员;太空旅行者", + "ENG": "someone who travels and works in a spacecraft" + }, + "fertilizer": { + "CHS": "[肥料] 肥料;受精媒介物;促进发展者", + "ENG": "a substance that is put on the soil to make plants grow" + }, + "cripple": { + "CHS": "跛的;残废的" + }, + "slope": { + "CHS": "倾斜;逃走", + "ENG": "if the ground or a surface slopes, it is higher at one end than the other" + }, + "degenerate": { + "CHS": "堕落的人", + "ENG": "someone whose behaviour is considered to be morally unacceptable" + }, + "ribbon": { + "CHS": "把…撕成条带;用缎带装饰" + }, + "cage": { + "CHS": "把…关进笼子;把…囚禁起来", + "ENG": "to put or keep an animal or bird in a cage" + }, + "jet": { + "CHS": "射出", + "ENG": "if a liquid or gas jets out from somewhere, it comes quickly out of a small hole" + }, + "alternate": { + "CHS": "替换物", + "ENG": "An alternate is a person or thing that replaces another, and can act or be used instead of them" + }, + "gasoline": { + "CHS": "汽油", + "ENG": "a liquid obtained from petroleum, used mainly for producing power in the engines of cars, trucks etc" + }, + "heel": { + "CHS": "倾侧", + "ENG": "(of a vessel) to lean over; list " + }, + "sleeve": { + "CHS": "给……装袖子;给……装套筒" + }, + "dawn": { + "CHS": "破晓;出现;被领悟", + "ENG": "if day or morning dawns, it begins" + }, + "scrape": { + "CHS": "刮;擦伤;挖成", + "ENG": "to remove something from a surface using the edge of a knife, a stick etc" + }, + "stadium": { + "CHS": "体育场;露天大型运动场", + "ENG": "a building for public events, especially sports and large rock music concerts, consisting of a playing field surrounded by rows of seats" + }, + "forbid": { + "CHS": "禁止;不准;不允许;〈正式〉严禁", + "ENG": "to tell someone that they are not allowed to do something, or that something is not allowed" + }, + "tomb": { + "CHS": "埋葬" + }, + "irrespective": { + "CHS": "无关的;不考虑的;不顾的" + }, + "dissipate": { + "CHS": "浪费;使…消散", + "ENG": "to gradually become less or weaker before disappearing completely, or to make something do this" + }, + "accordingly": { + "CHS": "因此,于是;相应地;照著", + "ENG": "in a way that is suitable for a particular situation or that is based on what someone has done or said" + }, + "imaginary": { + "CHS": "虚构的,假想的;想像的;虚数的", + "ENG": "not real, but produced from pictures or ideas in your mind" + }, + "spectator": { + "CHS": "观众;旁观者", + "ENG": "someone who is watching an event or game" + }, + "drawing": { + "CHS": "绘画;吸引(draw的ing形式);拖曳" + }, + "drip": { + "CHS": "水滴,滴水声;静脉滴注;使人厌烦的人", + "ENG": "one of the drops of liquid that fall from something" + }, + "aesthetic": { + "CHS": "美的;美学的;审美的,具有审美趣味的", + "ENG": "connected with beauty and the study of beauty" + }, + "grey": { + "CHS": "灰色", + "ENG": "the colour of dark clouds, neither black nor white" + }, + "pity": { + "CHS": "对……表示怜悯;对……感到同情", + "ENG": "to feel sorry for someone because they are in a very bad situation" + }, + "grope": { + "CHS": "摸索;触摸" + }, + "erupt": { + "CHS": "爆发;喷出;发疹;长牙", + "ENG": "if fighting, violence, noise etc erupts, it starts suddenly" + }, + "situated": { + "CHS": "使位于;使处于(situate的过去分词)" + }, + "expertise": { + "CHS": "专门知识;专门技术;专家的意见", + "ENG": "special skills or knowledge in a particular subject, that you learn by experience or training" + }, + "legend": { + "CHS": "传奇;说明;图例;刻印文字", + "ENG": "an old, well-known story, often about brave people, adventures, or magical events" + }, + "safeguard": { + "CHS": "[安全] 保护,护卫", + "ENG": "to protect something from harm or damage" + }, + "rectify": { + "CHS": "改正;精馏;整流", + "ENG": "If you rectify something that is wrong, you change it so that it becomes correct or satisfactory" + }, + "library": { + "CHS": "图书馆,藏书室;文库", + "ENG": "a room or building containing books that can be looked at or borrowed" + }, + "medieval": { + "CHS": "中世纪的;原始的;仿中世纪的;老式的", + "ENG": "connected with the Middle Ages (= the period between about 1100 and 1500 AD )" + }, + "zone": { + "CHS": "分成区" + }, + "basin": { + "CHS": "水池;流域;盆地;盆", + "ENG": "a round container attached to the wall in a bathroom, where you wash your hands and face" + }, + "paradigm": { + "CHS": "范例;词形变化表", + "ENG": "a very clear or typical example of something" + }, + "entity": { + "CHS": "实体;存在;本质", + "ENG": "something that exists as a single and complete unit" + }, + "echo": { + "CHS": "回音;效仿", + "ENG": "a sound that you hear again after a loud noise, because it was made near something such as a wall" + }, + "civilian": { + "CHS": "平民,百姓", + "ENG": "anyone who is not a member of the military forces or the police" + }, + "plaster": { + "CHS": "减轻;粘贴;涂以灰泥;敷以膏药;使平服", + "ENG": "If you plaster yourself in some kind of sticky substance, you cover yourself in it" + }, + "jam": { + "CHS": "使堵塞;挤进,使塞满;混杂;压碎", + "ENG": "if a lot of people or vehicles jam a place, they fill it so that it is difficult to move" + }, + "guilt": { + "CHS": "犯罪,过失;内疚", + "ENG": "a strong feeling of shame and sadness because you know that you have done something wrong" + }, + "reciprocal": { + "CHS": "[数] 倒数;互相起作用的事物" + }, + "alongside": { + "CHS": "在……旁边" + }, + "verge": { + "CHS": "边缘", + "ENG": "the edge of a road, path etc" + }, + "renovate": { + "CHS": "更新;修复;革新;刷新", + "ENG": "to repair a building or old furniture so that it is in good condition again" + }, + "automatic": { + "CHS": "自动机械;自动手枪", + "ENG": "a weapon that can fire bullets continuously" + }, + "resist": { + "CHS": "[助剂] 抗蚀剂;防染剂" + }, + "heir": { + "CHS": "[法] 继承人;后嗣;嗣子", + "ENG": "the person who has the legal right to receive the property or title of another person when they die" + }, + "timid": { + "CHS": "胆小的;羞怯的", + "ENG": "not having courage or confidence" + }, + "shampoo": { + "CHS": "洗发", + "ENG": "to wash something with shampoo" + }, + "mistress": { + "CHS": "情妇;女主人;主妇;女教师;女能人", + "ENG": "a woman that a man has a sexual relationship with, even though he is married to someone else" + }, + "seminar": { + "CHS": "讨论会,研讨班", + "ENG": "a class at a university or college for a small group of students and a teacher to study or discuss a particular subject" + }, + "weary": { + "CHS": "疲倦;厌烦", + "ENG": "to become very tired, or make someone very tired" + }, + "contradict": { + "CHS": "反驳;否定;与…矛盾;与…抵触", + "ENG": "to disagree with something, especially by saying that the opposite is true" + }, + "barber": { + "CHS": "理发师", + "ENG": "a man whose job is to cut men’s hair and sometimes to shave them" + }, + "brass": { + "CHS": "黄铜;黄铜制品;铜管乐器;厚脸皮", + "ENG": "a very hard bright yellow metal that is a mixture of copper and zinc " + }, + "raw": { + "CHS": "擦伤" + }, + "prophet": { + "CHS": "先知;预言者;提倡者", + "ENG": "a man who people in the Christian, Jewish, or Muslim religion believe has been sent by God to lead them and teach them their religion" + }, + "deduct": { + "CHS": "扣除,减去;演绎", + "ENG": "to take away an amount or part from a total" + }, + "rap": { + "CHS": "轻敲", + "ENG": "a series of quick sharp hits or knocks" + }, + "twin": { + "CHS": "双胞胎的", + "ENG": "used to describe one of two children who are twins" + }, + "ruthless": { + "CHS": "无情的,残忍的", + "ENG": "so determined to get what you want that you do not care if you have to hurt other people in order to do it" + }, + "treasure": { + "CHS": "珍爱;珍藏", + "ENG": "to keep and care for something that is very special, important, or valuable to you" + }, + "repression": { + "CHS": "抑制,[心理] 压抑;镇压", + "ENG": "when someone does not allow themselves to express feelings or desires which they are ashamed of, especially sexual ones – used when you think someone should express these feelings" + }, + "peasant": { + "CHS": "农民;乡下人", + "ENG": "a poor farmer who owns or rents a small amount of land, either in past times or in poor countries" + }, + "axis": { + "CHS": "轴;轴线;轴心国", + "ENG": "the imaginary line around which a large round object, such as the Earth, turns" + }, + "cellar": { + "CHS": "把…藏入地窖" + }, + "magnitude": { + "CHS": "大小;量级;[地震] 震级;重要;光度", + "ENG": "the great size or importance of something" + }, + "orthodox": { + "CHS": "正统的人;正统的事物" + }, + "peach": { + "CHS": "告密" + }, + "adjective": { + "CHS": "形容词", + "ENG": "a word that describes a noun or pronoun . In the phrase ‘black hat’, ‘black’ is an adjective and in the sentence ‘It makes her happy’, ‘happy’ is an adjective." + }, + "biscuit": { + "CHS": "小点心,饼干", + "ENG": "a small thin dry cake that is usually sweet and made for one person to eat" + }, + "wicked": { + "CHS": "邪恶的;恶劣的;不道德的;顽皮的", + "ENG": "behaving in a way that is morally wrong" + }, + "dine": { + "CHS": "(Dine)人名;(意、葡)迪内;(英)戴恩;(法)迪纳" + }, + "wooden": { + "CHS": "木制的;僵硬的,呆板的", + "ENG": "made of wood" + }, + "rag": { + "CHS": "戏弄;责骂", + "ENG": "to laugh at someone or play tricks on them" + }, + "flush": { + "CHS": "大量的;齐平的;丰足的,洋溢的;挥霍的", + "ENG": "if two surfaces are flush, they are at exactly the same level, so that the place where they meet is flat" + }, + "peace": { + "CHS": "和平;平静;和睦;秩序", + "ENG": "a situation in which there is no war or fighting" + }, + "intermittent": { + "CHS": "间歇的;断断续续的;间歇性", + "ENG": "stopping and starting often and for short periods" + }, + "tiresome": { + "CHS": "烦人的,无聊的;令人讨厌的", + "ENG": "making you feel annoyed or impatient" + }, + "sunrise": { + "CHS": "日出;黎明", + "ENG": "the time when the sun first appears in the morning" + }, + "whirl": { + "CHS": "旋转,回旋;急走;头晕眼花", + "ENG": "to turn or spin around very quickly, or to make someone or something do this" + }, + "inference": { + "CHS": "推理;推论;推断", + "ENG": "something that you think is true, based on information that you have" + }, + "riddle": { + "CHS": "谜语;粗筛;谜一般的人、东西、事情等", + "ENG": "a question that is deliberately very confusing and has a humorous or clever answer" + }, + "hasty": { + "CHS": "(Hasty)人名;(英)黑斯蒂" + }, + "liability": { + "CHS": "责任;债务;倾向;可能性;不利因素", + "ENG": "legal responsibility for something, especially for paying money that is owed, or for damage or injury" + }, + "haste": { + "CHS": "赶快" + }, + "zeal": { + "CHS": "热情;热心;热诚", + "ENG": "eagerness to do something, especially to achieve a particular religious or political aim" + }, + "discrepancy": { + "CHS": "不符;矛盾;相差", + "ENG": "a difference between two amounts, details, reports etc that should be the same" + }, + "odor": { + "CHS": "气味;名声" + }, + "volleyball": { + "CHS": "排球", + "ENG": "a game in which two teams use their hands to hit a ball over a high net" + }, + "menu": { + "CHS": "菜单", + "ENG": "a list of all the kinds of food that are available for a meal, especially in a restaurant" + }, + "resign": { + "CHS": "辞去职务" + }, + "robe": { + "CHS": "穿长袍" + }, + "scent": { + "CHS": "闻到;发觉;使充满…的气味;循着遗臭追踪", + "ENG": "if an animal scents another animal or a person, it knows that they are near because it can smell them" + }, + "rob": { + "CHS": "抢劫;使…丧失;非法剥夺", + "ENG": "to steal money or property from a person, bank etc" + }, + "rod": { + "CHS": "棒;惩罚;枝条;权力", + "ENG": "a long thin pole or bar" + }, + "avenue": { + "CHS": "大街;林荫大道;[比喻](达到某物的)途径,手段,方法,渠道", + "ENG": "used in the names of streets in a town or city" + }, + "weave": { + "CHS": "织物;织法;编织式样", + "ENG": "the way in which a material is woven, and the pattern formed by this" + }, + "mend": { + "CHS": "好转,改进;修补处", + "ENG": "to be getting better after an illness or after a difficult period" + }, + "technician": { + "CHS": "技师,技术员;技巧纯熟的人", + "ENG": "someone whose job is to check equipment or machines and make sure that they are working properly" + }, + "memo": { + "CHS": "备忘录", + "ENG": "a short official note to another person in the same company or organization" + }, + "roar": { + "CHS": "咆哮;吼叫;喧闹", + "ENG": "to make a deep, very loud noise" + }, + "vehicle": { + "CHS": "[车辆] 车辆;工具;交通工具;运载工具;传播媒介;媒介物", + "ENG": "a machine with an engine that is used to take people or things from one place to another, such as a car, bus, or truck" + }, + "brandy": { + "CHS": "白兰地酒", + "ENG": "a strong alcoholic drink made from wine, or a glass of this drink" + }, + "deviate": { + "CHS": "脱离;越轨", + "ENG": "To deviate from something means to start doing something different or not planned, especially in a way that causes problems for others" + }, + "painter": { + "CHS": "画家;油漆匠", + "ENG": "someone who paints pictures" + }, + "publicity": { + "CHS": "宣传,宣扬;公开;广告;注意", + "ENG": "Publicity is information or actions that are intended to attract the public's attention to someone or something" + }, + "retort": { + "CHS": "反驳,反击", + "ENG": "to reply quickly, in an angry or humorous way" + }, + "hell": { + "CHS": "该死;见鬼(表示惊奇、烦恼、厌恶、恼怒、失望等)", + "ENG": "used when you are very angry with someone" + }, + "landlady": { + "CHS": "女房东;女地主;女店主", + "ENG": "a woman who rents a room, building, or piece of land to someone" + }, + "spade": { + "CHS": "铲;把……弄实抹平" + }, + "alien": { + "CHS": "让渡,转让" + }, + "whale": { + "CHS": "鲸;巨大的东西", + "ENG": "a very large animal that lives in the sea and looks like a fish, but is actually a mammal" + }, + "dish": { + "CHS": "盛于碟盘中;分发;使某人的希望破灭;说(某人)的闲话", + "ENG": "to give a lot of information about something or someone, especially something that would usually be secret or private" + }, + "polite": { + "CHS": "有礼貌的,客气的;文雅的;上流的;优雅的", + "ENG": "behaving or speaking in a way that is correct for the social situation you are in, and showing that you are careful to consider other people’s needs and feelings" + }, + "mess": { + "CHS": "弄乱,弄脏;毁坏;使就餐" + }, + "proposition": { + "CHS": "向…提议;向…求欢", + "ENG": "to suggest to someone that they have sex with you" + }, + "innumerable": { + "CHS": "无数的,数不清的", + "ENG": "very many, or too many to be counted" + }, + "disc": { + "CHS": "灌唱片" + }, + "shave": { + "CHS": "刮脸,剃胡子;修面;<口>侥幸逃过,幸免;剃刀,刮刀", + "ENG": "if a man has a shave, he cuts off the hair on his face close to his skin using a razor " + }, + "pray": { + "CHS": "(Pray)人名;(匈)普劳伊;(英)普雷" + }, + "wrap": { + "CHS": "外套;围巾", + "ENG": "a piece of thick cloth that a woman wears around her shoulders" + }, + "joint": { + "CHS": "连接,贴合;接合;使有接头" + }, + "contract": { + "CHS": "合同;婚约", + "ENG": "an official agreement between two or more people, stating what each will do" + }, + "clothes": { + "CHS": "衣服", + "ENG": "the things that people wear to cover their body or keep warm" + }, + "finger": { + "CHS": "伸出;用手指拨弄", + "ENG": "to touch or handle something with your fingers" + }, + "exciting": { + "CHS": "激动;刺激(excite的ing形式);唤起" + }, + "trunk": { + "CHS": "干线的;躯干的;箱子的" + }, + "stationary": { + "CHS": "不动的人;驻军" + }, + "herb": { + "CHS": "香草,药草", + "ENG": "a small plant that is used to improve the taste of food, or to make medicine" + }, + "decay": { + "CHS": "衰退,[核] 衰减;腐烂,腐朽", + "ENG": "the natural chemical change that causes the slow destruction of something" + }, + "chess": { + "CHS": "国际象棋,西洋棋", + "ENG": "a game for two players, who move their playing pieces according to particular rules across a special board to try to trap their opponent’s king (= most important piece ) " + }, + "chest": { + "CHS": "胸,胸部;衣柜;箱子;金库", + "ENG": "the front part of your body between your neck and your stomach" + }, + "blossom": { + "CHS": "花;开花期;兴旺期;花开的状态", + "ENG": "a flower or the flowers on a tree or bush" + }, + "grin": { + "CHS": "露齿笑", + "ENG": "a wide smile" + }, + "prisoner": { + "CHS": "囚犯,犯人;俘虏;刑事被告", + "ENG": "someone who is kept in a prison as a legal punishment for a crime or while they are waiting for their trial " + }, + "grim": { + "CHS": "(Grim)人名;(英、德、俄、捷、匈)格里姆" + }, + "skyscraper": { + "CHS": "摩天楼,超高层大楼;特别高的东西", + "ENG": "a very tall modern city building" + }, + "prosperous": { + "CHS": "繁荣的;兴旺的", + "ENG": "rich and successful" + }, + "gorgeous": { + "CHS": "华丽的,灿烂的;极好的" + }, + "corresponding": { + "CHS": "类似(correspond的ing形式);相配" + }, + "drum": { + "CHS": "鼓;鼓声", + "ENG": "a musical instrument made of skin stretched over a circular frame, played by hitting it with your hand or a stick" + }, + "tease": { + "CHS": "戏弄;爱纠缠的小孩;挑逗者;卖弄风骚的女孩", + "ENG": "someone who enjoys making jokes at people, and embarrassing them, especially in a friendly way" + }, + "rip": { + "CHS": "裂口,裂缝", + "ENG": "a long tear or cut" + }, + "broom": { + "CHS": "扫除" + }, + "dive": { + "CHS": "潜水;跳水;俯冲;扑", + "ENG": "a sudden movement in a particular direction or into a particular place" + }, + "rim": { + "CHS": "作…的边,装边于", + "ENG": "to be around the edge of something" + }, + "rib": { + "CHS": "戏弄;装肋于", + "ENG": "to furnish or support with a rib or ribs " + }, + "naked": { + "CHS": "裸体的;无装饰的;无证据的;直率的", + "ENG": "not wearing any clothes or not covered by clothes" + }, + "thirteen": { + "CHS": "十三的;十三个的" + }, + "sugar": { + "CHS": "加糖于;粉饰", + "ENG": "to add sugar or cover something with sugar" + }, + "allowance": { + "CHS": "定量供应" + }, + "speculate": { + "CHS": "推测;投机;思索", + "ENG": "to guess about the possible causes or effects of something, without knowing all the facts or details" + }, + "cave": { + "CHS": "洞穴,窑洞", + "ENG": "a large natural hole in the side of a cliff or hill, or under the ground" + }, + "lick": { + "CHS": "舔;打;少许", + "ENG": "when you move your tongue across the surface of something" + }, + "fluid": { + "CHS": "流体;液体", + "ENG": "a liquid" + }, + "underneath": { + "CHS": "下面的;底层的" + }, + "sour": { + "CHS": "酸味;苦事" + }, + "futile": { + "CHS": "无用的;无效的;没有出息的;琐细的;不重要的", + "ENG": "actions that are futile are useless because they have no chance of being successful" + }, + "fuse": { + "CHS": "保险丝,熔线;导火线,雷管", + "ENG": "a short thin piece of wire inside electrical equipment which prevents damage by melting and stopping the electricity when there is too much power" + }, + "fuss": { + "CHS": "大惊小怪,大惊小怪的人;小题大作;忙乱", + "ENG": "anxious behaviour or activity that is usually about unimportant things" + }, + "soup": { + "CHS": "加速;增加马力" + }, + "commence": { + "CHS": "开始;着手;<英>获得学位", + "ENG": "to begin or to start something" + }, + "overcoat": { + "CHS": "大衣,外套", + "ENG": "a long thick warm coat" + }, + "analogue": { + "CHS": "类似的;相似物的;模拟计算机的", + "ENG": "analogue technology uses changing physical quantities such as voltage to store data" + }, + "patrol": { + "CHS": "巡逻;巡查", + "ENG": "to go around the different parts of an area or building at regular times to check that there is no trouble or danger" + }, + "machinery": { + "CHS": "机械;机器;机构;机械装置", + "ENG": "You can use machinery to refer to machines in general, or machines that are used in a factory or on a farm" + }, + "rug": { + "CHS": "小地毯;毛皮地毯;男子假发", + "ENG": "a piece of thick cloth or wool that covers part of a floor, used for warmth or as a decoration" + }, + "patron": { + "CHS": "赞助人;保护人;主顾", + "ENG": "someone who supports the activities of an organization, for example by giving money" + }, + "lively": { + "CHS": "(Lively)人名;(英)莱夫利" + }, + "laundry": { + "CHS": "洗衣店,洗衣房;要洗的衣服;洗熨;洗好的衣服", + "ENG": "clothes, sheets etc that need to be washed or have just been washed" + }, + "iron": { + "CHS": "铁的;残酷的;刚强的", + "ENG": "You can use iron to describe the character or behaviour of someone who is very firm in their decisions and actions, or who can control their feelings well" + }, + "sore": { + "CHS": "溃疡,痛处;恨事,伤心事", + "ENG": "a painful, often red, place on your body caused by a wound or infection" + }, + "canteen": { + "CHS": "食堂,小卖部;水壶", + "ENG": "a place in a factory, school etc where meals are provided, usually quite cheaply" + }, + "pinch": { + "CHS": "匮乏;少量;夹痛" + }, + "apologise": { + "CHS": "道歉(等于apologize)" + }, + "assignment": { + "CHS": "分配;任务;作业;功课", + "ENG": "a piece of work that is given to someone as part of their job" + }, + "insult": { + "CHS": "侮辱;凌辱;无礼", + "ENG": "a remark or action that is offensive or deliberately rude" + }, + "elementary": { + "CHS": "基本的;初级的;[化学] 元素的", + "ENG": "simple or basic" + }, + "baggage": { + "CHS": "行李;[交] 辎重(军队的)", + "ENG": "the cases, bags, boxes etc carried by someone who is travelling" + }, + "lateral": { + "CHS": "横向传球" + }, + "recreation": { + "CHS": "娱乐;消遣;休养", + "ENG": "an activity that you do for pleasure or amusement" + }, + "removal": { + "CHS": "免职;移动;排除;搬迁", + "ENG": "when someone is forced out of an important position or dismissed from a job" + }, + "bowel": { + "CHS": "将……的肚肠取出" + }, + "moist": { + "CHS": "潮湿" + }, + "morality": { + "CHS": "道德;品行,美德", + "ENG": "beliefs or ideas about what is right and wrong and about how people should behave" + }, + "mute": { + "CHS": "哑巴;弱音器;闭锁音", + "ENG": "a small piece of metal, rubber etc that you place over or into a musical instrument to make it sound softer" + }, + "vase": { + "CHS": "瓶;花瓶", + "ENG": "a container used to put flowers in or for decoration" + }, + "friction": { + "CHS": "摩擦,[力] 摩擦力", + "ENG": "disagreement, angry feelings, or unfriendliness between people" + }, + "cart": { + "CHS": "用车装载", + "ENG": "to take something somewhere in a cart, truck etc" + }, + "rumor": { + "CHS": "谣传;传说" + }, + "upgrade": { + "CHS": "向上的" + }, + "lightning": { + "CHS": "闪电" + }, + "rub": { + "CHS": "摩擦;障碍;磨损处", + "ENG": "A massage can be referred to as a rub" + }, + "stereo": { + "CHS": "立体的;立体声的;立体感觉的", + "ENG": "using a recording or broadcasting system in which the sound is directed through two speakers " + }, + "shabby": { + "CHS": "破旧的;卑鄙的;吝啬的;低劣的", + "ENG": "shabby clothes, places, or objects are untidy and in bad condition because they have been used for a long time" + }, + "visa": { + "CHS": "签发签证" + }, + "medal": { + "CHS": "勋章,奖章;纪念章", + "ENG": "a flat piece of metal, usually shaped like a coin, that is given to someone who has won a competition or who has done something brave" + }, + "gallop": { + "CHS": "飞驰;急速进行;急急忙忙地说", + "ENG": "if a horse gallops, it moves very fast with all its feet leaving the ground together" + }, + "song": { + "CHS": "歌曲;歌唱;诗歌;鸣声", + "ENG": "the musical sounds made by birds and some other animals such as whales " + }, + "gallon": { + "CHS": "加仑(容量单位)", + "ENG": "a unit for measuring liquids, equal to eight pints. In Britain this is 4.55 litres, and in the US it is 3.79 litres." + }, + "insure": { + "CHS": "确保,保证;给…保险", + "ENG": "to buy insurance so that you will receive money if something bad happens to you, your family, your possessions etc" + }, + "acute": { + "CHS": "严重的,[医] 急性的;敏锐的;激烈的;尖声的", + "ENG": "an acute problem is very serious" + }, + "breach": { + "CHS": "违反,破坏;打破", + "ENG": "to break a law, rule, or agreement" + }, + "accessory": { + "CHS": "副的;同谋的;附属的" + }, + "strenuous": { + "CHS": "紧张的;费力的;奋发的;艰苦的;热烈的", + "ENG": "needing a lot of effort or strength" + }, + "drill": { + "CHS": "钻孔;训练", + "ENG": "to train soldiers to march or perform other military actions" + }, + "accidental": { + "CHS": "次要方面;非主要的特性;临时记号" + }, + "successive": { + "CHS": "连续的;继承的;依次的;接替的", + "ENG": "coming or following one after the other" + }, + "mercy": { + "CHS": "仁慈,宽容;怜悯;幸运;善行", + "ENG": "if someone shows mercy, they choose to forgive or to be kind to someone who they have the power to hurt or punish" + }, + "beneath": { + "CHS": "在下方", + "ENG": "in or to a lower position than something, or directly under something" + }, + "chip": { + "CHS": "[电子] 芯片;筹码;碎片;(食物的) 小片; 薄片", + "ENG": "a small piece of wood, stone, metal etc that has been broken off something" + }, + "plague": { + "CHS": "折磨;使苦恼;使得灾祸", + "ENG": "to cause pain, suffering, or trouble to someone, especially for a long period of time" + }, + "smuggle": { + "CHS": "走私;偷运", + "ENG": "to take something or someone illegally from one country to another" + }, + "chin": { + "CHS": "用下巴夹住;与…聊天;在单杠上作引体向上动作" + }, + "reign": { + "CHS": "统治;统治时期;支配", + "ENG": "the period when someone is king, queen, or emperor " + }, + "torrent": { + "CHS": "奔流;倾注;迸发;连续不断", + "ENG": "A torrent is a lot of water falling or flowing rapidly or violently" + }, + "subtract": { + "CHS": "减去;扣掉", + "ENG": "to take a number or an amount from a larger number or amount" + }, + "catholic": { + "CHS": "天主教徒;罗马天主教", + "ENG": "A Catholic is a member of the Catholic Church" + }, + "gloomy": { + "CHS": "黑暗的;沮丧的;阴郁的", + "ENG": "making you feel that things will not improve" + }, + "giant": { + "CHS": "巨大的;巨人般的", + "ENG": "extremely big, and much bigger than other things of the same type" + }, + "feather": { + "CHS": "用羽毛装饰" + }, + "conscience": { + "CHS": "道德心,良心", + "ENG": "the part of your mind that tells you whether what you are doing is morally right or wrong" + }, + "relativity": { + "CHS": "相对论;相关性;相对性", + "ENG": "the relationship in physics between time, space, and movement according to Einstein’s theory " + }, + "ridge": { + "CHS": "使成脊状;作垄" + }, + "camp": { + "CHS": "露营", + "ENG": "a place where people stay in tents, shelters etc for a short time, usually in the mountains, a forest etc" + }, + "pint": { + "CHS": "品脱;一品脱的量;一品脱牛奶或啤酒", + "ENG": "a unit for measuring an amount of liquid, especially beer or milk. In Britain a pint is equal to 0.568 litres, and in the US it is equal to 0.473 litres." + }, + "solo": { + "CHS": "单独地", + "ENG": "to fly an aircraft alone" + }, + "carbon": { + "CHS": "碳的;碳处理的" + }, + "pine": { + "CHS": "松木的;似松的" + }, + "sole": { + "CHS": "触底;上鞋底" + }, + "elapse": { + "CHS": "流逝;时间的过去" + }, + "outset": { + "CHS": "开始;开端", + "ENG": "at or from the beginning of an event or process" + }, + "relieve": { + "CHS": "解除,减轻;使不单调乏味;换…的班;解围;使放心", + "ENG": "to reduce someone’s pain or unpleasant feelings" + }, + "cabbage": { + "CHS": "卷心菜,甘蓝菜,洋白菜;(俚)脑袋;(非正式、侮辱)植物人(常用于英式英语);(俚)钱,尤指纸币(常用于美式俚语)", + "ENG": "a large round vegetable with thick green or purple leaves" + }, + "combination": { + "CHS": "结合;组合;联合;[化学] 化合", + "ENG": "two or more different things that exist together or are used or put together" + }, + "bearing": { + "CHS": "忍受(bear的ing形式)" + }, + "cape": { + "CHS": "[地理] 海角,岬;披肩", + "ENG": "a long loose piece of clothing without sleeve s that fastens around your neck and hangs from your shoulders" + }, + "inhabit": { + "CHS": "栖息;居住于;占据", + "ENG": "if animals or people inhabit an area or place, they live there" + }, + "precaution": { + "CHS": "警惕;预先警告" + }, + "bathe": { + "CHS": "洗澡;游泳", + "ENG": "when you swim in the sea, a river, or a lake" + }, + "pill": { + "CHS": "把…制成丸剂;使服用药丸;抢劫,掠夺(古语)" + }, + "pile": { + "CHS": "累积;打桩于" + }, + "limp": { + "CHS": "跛行", + "ENG": "the way someone walks when they are limping" + }, + "molecule": { + "CHS": "[化学] 分子;微小颗粒,微粒", + "ENG": "the smallest unit into which any substance can be divided without losing its own chemical nature, usually consisting of two or more atoms" + }, + "robust": { + "CHS": "强健的;健康的;粗野的;粗鲁的", + "ENG": "a robust person is strong and healthy" + }, + "automation": { + "CHS": "自动化;自动操作", + "ENG": "the use of computers and machines instead of people to do a job" + }, + "hoist": { + "CHS": "升起;吊起", + "ENG": "to raise, lift, or pull something up, especially using ropes" + }, + "drag": { + "CHS": "拖;拖累" + }, + "spicy": { + "CHS": "辛辣的;香的,多香料的;下流的", + "ENG": "food that is spicy has a pleasantly strong taste, and gives you a pleasant burning feeling in your mouth" + }, + "injure": { + "CHS": "伤害,损害", + "ENG": "to say unfair or unpleasant things that hurt someone’s pride, feelings etc" + }, + "gracious": { + "CHS": "天哪;哎呀" + }, + "brother": { + "CHS": "我的老兄!", + "ENG": "a word meaning a black man, used especially by other black men" + }, + "bowling": { + "CHS": "打保龄球(bowl的现在分词)" + }, + "agitate": { + "CHS": "摇动;骚动;使…激动", + "ENG": "to shake or mix a liquid quickly" + }, + "horror": { + "CHS": "惊骇;惨状;极端厌恶;令人恐怖的事物", + "ENG": "a strong feeling of shock and fear" + }, + "anecdote": { + "CHS": "轶事;奇闻;秘史", + "ENG": "a short story based on your personal experience" + }, + "plight": { + "CHS": "保证;约定", + "ENG": "to give or pledge (one's word) " + }, + "trumpet": { + "CHS": "吹喇叭;吹嘘", + "ENG": "to tell everyone about something that you are proud of, especially in an annoying way" + }, + "heat": { + "CHS": "使激动;把…加热", + "ENG": "to make something become warm or hot" + }, + "bicycle": { + "CHS": "骑脚踏车", + "ENG": "to go somewhere by bicycle" + }, + "heap": { + "CHS": "堆;堆积", + "ENG": "to put a lot of things on top of each other in an untidy way" + }, + "heal": { + "CHS": "(Heal)人名;(英)希尔" + }, + "police": { + "CHS": "警察的;有关警察的" + }, + "longitude": { + "CHS": "[地理] 经度;经线", + "ENG": "the distance east or west of a particular meridian (= imaginary line along the Earth’s surface from the North Pole to the South Pole ) , measured in degrees" + }, + "yearly": { + "CHS": "年刊;年鉴" + }, + "ultraviolet": { + "CHS": "紫外线辐射,紫外光" + }, + "pronoun": { + "CHS": "代词", + "ENG": "a word that is used instead of a noun or noun phrase, such as ‘he’ instead of ‘Peter’ or ‘the man’" + }, + "contrive": { + "CHS": "设计;发明;图谋", + "ENG": "to make or invent something in a skilful way, especially because you need it suddenly" + }, + "exclaim": { + "CHS": "呼喊,惊叫;大声叫嚷", + "ENG": "to say something suddenly and loudly because you are surprised, angry, or excited" + }, + "oppress": { + "CHS": "压迫,压抑;使……烦恼;使……感到沉重", + "ENG": "to treat a group of people unfairly or cruelly, and prevent them from having the same rights that other people in society have" + }, + "cheek": { + "CHS": "无礼地向…讲话,对…大胆无礼", + "ENG": "to speak rudely or with disrespect to someone, especially to someone older such as your teacher or parents" + }, + "adjacent": { + "CHS": "邻近的,毗连的", + "ENG": "a room, building, piece of land etc that is adjacent to something is next to it" + }, + "dwarf": { + "CHS": "矮小的", + "ENG": "a dwarf plant or animal is much smaller than the usual size" + }, + "batch": { + "CHS": "分批处理", + "ENG": "to group (items) for efficient processing " + }, + "symmetry": { + "CHS": "对称(性);整齐,匀称", + "ENG": "the quality of being symmetrical" + }, + "diagram": { + "CHS": "用图解法表示", + "ENG": "to show or represent something in a diagram" + }, + "golden": { + "CHS": "(Golden)人名;(英、法、罗、德、瑞典)戈尔登" + }, + "soil": { + "CHS": "弄脏;污辱", + "ENG": "to make something dirty, especially with waste from your body" + }, + "repetition": { + "CHS": "重复;背诵;副本", + "ENG": "doing or saying the same thing many times" + }, + "gross": { + "CHS": "总额,总数" + }, + "virus": { + "CHS": "[病毒] 病毒;恶毒;毒害", + "ENG": "a very small living thing that causes infectious illnesses" + }, + "interfere": { + "CHS": "干涉;妨碍;打扰", + "ENG": "to deliberately get involved in a situation where you are not wanted or needed" + }, + "sofa": { + "CHS": "沙发;长椅", + "ENG": "a comfortable seat with raised arms and a back, that is wide enough for two or three people to sit on" + }, + "glass": { + "CHS": "反映;给某物加玻璃" + }, + "noisy": { + "CHS": "嘈杂的;喧闹的;聒噪的", + "ENG": "someone or something that is noisy makes a lot of noise" + }, + "ecology": { + "CHS": "生态学;社会生态学", + "ENG": "the way in which plants, animals, and people are related to each other and to their environment, or the scientific study of this" + }, + "immerse": { + "CHS": "沉浸;使陷入", + "ENG": "to put someone or something deep into a liquid so that they are completely covered" + }, + "chimney": { + "CHS": "烟囱", + "ENG": "a vertical pipe that allows smoke from a fire to pass out of a building up into the air, or the part of this pipe that is above the roof" + }, + "soft": { + "CHS": "柔性;柔软的东西;柔软部分" + }, + "furious": { + "CHS": "激烈的;狂怒的;热烈兴奋的;喧闹的", + "ENG": "very angry" + }, + "pillar": { + "CHS": "用柱支持" + }, + "magnify": { + "CHS": "放大;赞美;夸大", + "ENG": "to make something seem bigger or louder, especially using special equipment" + }, + "overturn": { + "CHS": "倾覆;周转;破灭" + }, + "arithmetic": { + "CHS": "算术,算法", + "ENG": "the science of numbers involving adding, multiplying etc" + }, + "ingenious": { + "CHS": "有独创性的;机灵的,精制的;心灵手巧的", + "ENG": "an ingenious plan, idea, or object works well and is the result of clever thinking and new ideas" + }, + "kin": { + "CHS": "同类的;有亲属关系的;性质类似的" + }, + "slippery": { + "CHS": "滑的;狡猾的;不稳定的", + "ENG": "something that is slippery is difficult to hold, walk on etc because it is wet or greasy " + }, + "collision": { + "CHS": "碰撞;冲突;(意见,看法)的抵触;(政党等的)倾轧", + "ENG": "an accident in which two or more people or vehicles hit each other while moving in different directions" + }, + "intact": { + "CHS": "完整的;原封不动的;未受损伤的", + "ENG": "not broken, damaged, or spoiled" + }, + "madame": { + "CHS": "(法语)夫人;太太" + }, + "soak": { + "CHS": "浸;湿透;大雨", + "ENG": "when you soak something" + }, + "impress": { + "CHS": "印象,印记;特征,痕迹" + }, + "soap": { + "CHS": "将肥皂涂在……上;对……拍马屁(俚语)", + "ENG": "to rub soap on or over someone or something" + }, + "tunnel": { + "CHS": "挖;在…打开通道;在…挖掘隧道", + "ENG": "to dig a long passage under the ground" + }, + "decent": { + "CHS": "正派的;得体的;相当好的", + "ENG": "of a good enough standard or quality" + }, + "pillow": { + "CHS": "垫;枕于…;使…靠在", + "ENG": "to rest your head somewhere" + }, + "optimum": { + "CHS": "最佳效果;最适宜条件" + }, + "blackmail": { + "CHS": "勒索,敲诈", + "ENG": "to use blackmail against someone" + }, + "waterfall": { + "CHS": "瀑布;瀑布似的东西", + "ENG": "a place where water from a river or stream falls down over a cliff or rock" + }, + "honorable": { + "CHS": "光荣的;可敬的;高贵的" + }, + "donate": { + "CHS": "捐赠;捐献" + }, + "skirt": { + "CHS": "绕过,回避;位于…边缘", + "ENG": "to avoid talking about an important subject, especially because it is difficult or embarrassing – used to show disapproval" + }, + "shortage": { + "CHS": "缺乏,缺少;不足", + "ENG": "a situation in which there is not enough of something that people need" + }, + "racket": { + "CHS": "过着花天酒地的生活" + }, + "clergy": { + "CHS": "神职人员;牧师;僧侣", + "ENG": "the official leaders of religious activities in organized religions, such as priests, rabbi s , and mullah s " + }, + "foreigner": { + "CHS": "外地人,外国人", + "ENG": "someone who comes from a different country" + }, + "embassy": { + "CHS": "大使馆;大使馆全体人员", + "ENG": "a group of officials who represent their government in a foreign country, or the building they work in" + }, + "compliment": { + "CHS": "恭维;称赞", + "ENG": "to say something nice to someone in order to praise them" + }, + "glimpse": { + "CHS": "瞥见", + "ENG": "to see someone or something for a moment without getting a complete view of them" + }, + "whatsoever": { + "CHS": "无论什么" + }, + "soda": { + "CHS": "苏打;碳酸水", + "ENG": "water that contains bubbles and is often added to alcoholic drinks" + }, + "sock": { + "CHS": "非常成功的" + }, + "sip": { + "CHS": "啜饮" + }, + "conform": { + "CHS": "一致的;顺从的" + }, + "sunset": { + "CHS": "日落,傍晚", + "ENG": "the time of day when the sun disappears and night begins" + }, + "scenery": { + "CHS": "风景;景色;舞台布景", + "ENG": "the natural features of a particular part of a country that you can see, such as mountains, forests, deserts etc" + }, + "construct": { + "CHS": "构想,概念", + "ENG": "an idea formed by combining several pieces of information or knowledge" + }, + "warrant": { + "CHS": "保证;担保;批准;辩解", + "ENG": "to promise that something is true" + }, + "stupid": { + "CHS": "傻瓜,笨蛋", + "ENG": "an insulting way of talking to someone who you think is being stupid" + }, + "brisk": { + "CHS": "(Brisk)人名;(法、芬)布里斯克" + }, + "submerge": { + "CHS": "淹没;把…浸入;沉浸", + "ENG": "to make yourself very busy doing something, especially in order to forget about something else" + }, + "wrench": { + "CHS": "扭伤;猛扭;曲解;折磨", + "ENG": "to twist and pull something roughly from the place where it is being held" + }, + "wagon": { + "CHS": "用运货马车运输货物" + }, + "script": { + "CHS": "把…改编为剧本", + "ENG": "The person who scripts a movie or a radio or television play writes it" + }, + "saddle": { + "CHS": "承受;使负担;装以马鞍", + "ENG": "to put a saddle on a horse" + }, + "sprout": { + "CHS": "芽;萌芽;苗芽", + "ENG": "a small green vegetable like a very small cabbage " + }, + "comprise": { + "CHS": "包含;由…组成", + "ENG": "to consist of particular parts, groups etc" + }, + "coarse": { + "CHS": "粗糙的;粗俗的;下等的", + "ENG": "having a rough surface that feels slightly hard" + }, + "sew": { + "CHS": "缝合,缝上;缝纫", + "ENG": "to use a needle and thread to make or repair clothes or to fasten something such as a button to them" + }, + "terminate": { + "CHS": "结束的" + }, + "merry": { + "CHS": "甜樱桃" + }, + "ruby": { + "CHS": "使带红宝石色" + }, + "monarch": { + "CHS": "君主,帝王;最高统治者", + "ENG": "a king or queen" + }, + "consensus": { + "CHS": "一致;舆论;合意", + "ENG": "an opinion that everyone in a group agrees with or accepts" + }, + "plural": { + "CHS": "复数", + "ENG": "a form of a word that shows you are talking about more than one thing, person etc. For example, ‘dogs’ is the plural of ‘dog’" + }, + "instantaneous": { + "CHS": "瞬间的;即时的;猝发的", + "ENG": "happening immediately" + }, + "dictation": { + "CHS": "听写;口述;命令", + "ENG": "when you say words for someone to write down" + }, + "skate": { + "CHS": "溜冰;冰鞋", + "ENG": "one of a pair of boots with metal blades on the bottom, for moving quickly on ice" + }, + "slaughter": { + "CHS": "屠宰,屠杀;杀戮;消灭", + "ENG": "when people kill animals, especially for their meat" + }, + "audio": { + "CHS": "声音的;[声] 音频的,[声] 声频的", + "ENG": "relating to sound that is recorded or broadcast" + }, + "correspondence": { + "CHS": "通信;一致;相当", + "ENG": "the process of sending and receiving letters" + }, + "audit": { + "CHS": "审计;[审计] 查账", + "ENG": "an official examination of a company’s financial records in order to check that they are correct" + }, + "deceit": { + "CHS": "欺骗;谎言;欺诈手段", + "ENG": "behaviour that is intended to make someone believe something that is not true" + }, + "throne": { + "CHS": "登上王座" + }, + "sandwich": { + "CHS": "三明治;夹心面包", + "ENG": "two pieces of bread with cheese, meat, cooked egg etc between them" + }, + "wedding": { + "CHS": "与…结婚(wed的ing形式)" + }, + "recollect": { + "CHS": "回忆,想起", + "ENG": "to be able to remember something" + }, + "passport": { + "CHS": "护照,通行证;手段", + "ENG": "a small official document that you get from your government, that proves who you are, and which you need in order to leave your country and enter other countries" + }, + "fringe": { + "CHS": "加穗于" + }, + "scorn": { + "CHS": "轻蔑;藐视;不屑做", + "ENG": "to show that you think that something is stupid, unreasonable, or not worth accepting" + }, + "recipe": { + "CHS": "食谱;[临床] 处方;秘诀;烹饪法", + "ENG": "a set of instructions for cooking a particular type of food" + }, + "glide": { + "CHS": "滑翔;滑行;滑移;滑音", + "ENG": "a smooth quiet movement that seems to take no effort" + }, + "collar": { + "CHS": "抓住;给…上领子;给…套上颈圈", + "ENG": "to catch someone and hold them so that they cannot escape" + }, + "chew": { + "CHS": "嚼碎,咀嚼", + "ENG": "to bite food several times before swallowing it" + }, + "renaissance": { + "CHS": "文艺复兴(欧洲14至17世纪)", + "ENG": "a new interest in something, especially a particular form of art, music etc, that has not been popular for a long period" + }, + "weekend": { + "CHS": "度周末", + "ENG": "to spend the weekend somewhere" + }, + "apparatus": { + "CHS": "装置,设备;仪器;器官", + "ENG": "the set of tools and machines that you use for a particular scientific, medical, or technical purpose" + }, + "approximate": { + "CHS": "[数] 近似的;大概的", + "ENG": "an approximate number, amount, or time is close to the exact number, amount etc, but could be a little bit more or less than it" + }, + "cradle": { + "CHS": "抚育;把搁在支架上;把放在摇篮内" + }, + "inhibit": { + "CHS": "抑制;禁止", + "ENG": "to prevent something from growing or developing well" + }, + "chef": { + "CHS": "厨师,大师傅", + "ENG": "a skilled cook, especially the main cook in a hotel or restaurant" + }, + "auditorium": { + "CHS": "礼堂,会堂;观众席", + "ENG": "the part of a theatre where people sit when watching a play, concert etc" + }, + "pigeon": { + "CHS": "鸽子", + "ENG": "a grey bird with short legs that is common in cities" + }, + "avail": { + "CHS": "有益于,有益于;使对某人有利。", + "ENG": "If you avail yourself of an offer or an opportunity, you accept the offer or make use of the opportunity" + }, + "credential": { + "CHS": "证书;凭据;国书" + }, + "displace": { + "CHS": "取代;置换;转移;把…免职;排水", + "ENG": "to take the place or position of something or someone" + }, + "considerate": { + "CHS": "体贴的;体谅的;考虑周到的", + "ENG": "always thinking of what other people need or want and being careful not to upset them" + }, + "delivery": { + "CHS": "[贸易] 交付;分娩;递送", + "ENG": "the act of bringing goods, letters etc to a particular person or place, or the things that are brought" + }, + "sob": { + "CHS": "啜泣,呜咽", + "ENG": "A sob is one of the noises that you make when you are crying" + }, + "spectacular": { + "CHS": "壮观的,惊人的;公开展示的", + "ENG": "very impressive" + }, + "terrify": { + "CHS": "恐吓;使恐怖;使害怕", + "ENG": "to make someone extremely afraid" + }, + "hammer": { + "CHS": "铁锤;链球;[解剖] 锤骨;音锤", + "ENG": "the part of a gun that hits the explosive charge that fires a bullet" + }, + "highland": { + "CHS": "高原的;高地的", + "ENG": "relating to the Scottish Highlands or its people" + }, + "apparent": { + "CHS": "显然的;表面上的", + "ENG": "seeming to have a particular feeling or attitude, although this may not be true" + }, + "ashore": { + "CHS": "在岸上的;在陆上的" + }, + "nominate": { + "CHS": "推荐;提名;任命;指定", + "ENG": "to officially suggest someone or something for an important position, duty, or prize" + }, + "jacket": { + "CHS": "给…穿夹克;给…装护套;给…包上护封;〈口〉打" + }, + "polar": { + "CHS": "极面;极线" + }, + "scout": { + "CHS": "侦察;跟踪,监视;发现", + "ENG": "to examine a place or area in order to get information about it" + }, + "simultaneous": { + "CHS": "同时译员" + }, + "disregard": { + "CHS": "忽视;不尊重", + "ENG": "when someone ignores something that they should not ignore" + }, + "scholarship": { + "CHS": "奖学金;学识,学问", + "ENG": "an amount of money that is given to someone by an educational organization to help pay for their education" + }, + "pollute": { + "CHS": "污染;玷污;败坏", + "ENG": "to make air, water, soil etc dangerously dirty and not suitable for people to use" + }, + "stern": { + "CHS": "严厉的;坚定的", + "ENG": "serious and strict, and showing strong disapproval of someone’s behaviour" + }, + "triangle": { + "CHS": "三角(形);三角关系;三角形之物;三人一组", + "ENG": "a flat shape with three straight sides and three angles" + }, + "accommodation": { + "CHS": "住处,膳宿;调节;和解;预订铺位", + "ENG": "a place for someone to stay, live, or work" + }, + "tobacco": { + "CHS": "烟草,烟叶;烟草制品;抽烟", + "ENG": "the dried brown leaves that are smoked in cigarettes, pipes etc" + }, + "expenditure": { + "CHS": "支出,花费;经费,消费额", + "ENG": "the total amount of money that a government, organization, or person spends during a particular period of time" + }, + "chap": { + "CHS": "使皲裂", + "ENG": "(of the skin) to make or become raw and cracked, esp by exposure to cold " + }, + "chat": { + "CHS": "聊天;闲谈", + "ENG": "an informal friendly conversation" + }, + "beloved": { + "CHS": "心爱的人;亲爱的教友" + }, + "faulty": { + "CHS": "有错误的;有缺点的", + "ENG": "not working properly, or not made correctly" + }, + "lever": { + "CHS": "用杠杆撬动;把…作为杠杆", + "ENG": "to move something with a lever" + }, + "ski": { + "CHS": "滑雪(用)的", + "ENG": "You use ski to refer to things that are concerned with skiing" + }, + "november": { + "CHS": "十一月" + }, + "premise": { + "CHS": "前提;上述各项;房屋连地基", + "ENG": "the buildings and land that a shop, restaurant, company etc uses" + }, + "escort": { + "CHS": "护送;陪同;为…护航", + "ENG": "to take someone somewhere, especially when you are protecting or guarding them" + }, + "indulge": { + "CHS": "满足;纵容;使高兴;使沉迷于…", + "ENG": "to let someone have or do whatever they want, even if it is bad for them" + }, + "suck": { + "CHS": "吮吸", + "ENG": "an act of sucking" + }, + "league": { + "CHS": "使…结盟;与…联合" + }, + "textile": { + "CHS": "纺织的" + }, + "encyclopedia": { + "CHS": "百科全书(亦是encyclopaedia)", + "ENG": "a book or cd, or a set of these, containing facts about many different subjects, or containing detailed facts about one subject" + }, + "whichever": { + "CHS": "无论哪个;无论哪些" + }, + "blouse": { + "CHS": "宽松下垂" + }, + "stuff": { + "CHS": "塞满;填塞;让吃饱", + "ENG": "to push or put something into a small space, especially in a quick careless way" + }, + "bridge": { + "CHS": "架桥;渡过", + "ENG": "to build or form a bridge over something" + }, + "heroine": { + "CHS": "女主角;女英雄;女杰出人物", + "ENG": "a woman who is admired for doing something extremely brave" + }, + "erosion": { + "CHS": "侵蚀,腐蚀", + "ENG": "the process by which rock or soil is gradually destroyed by wind, rain, or the sea" + }, + "conjunction": { + "CHS": "结合;[语] 连接词;同时发生", + "ENG": "a combination of different things that have come together by chance" + }, + "adverse": { + "CHS": "不利的;相反的;敌对的(名词adverseness,副词adversely)", + "ENG": "not good or favourable" + }, + "awful": { + "CHS": "可怕的;极坏的;使人敬畏的", + "ENG": "making you feel great respect or fear" + }, + "generator": { + "CHS": "发电机;发生器;生产者", + "ENG": "a machine that produces electricity" + }, + "steamer": { + "CHS": "轮船;蒸汽机;蒸笼", + "ENG": "a steamship " + }, + "exhibition": { + "CHS": "展览,显示;展览会;展览品", + "ENG": "a show of paintings, photographs, or other objects that people can go to see" + }, + "premium": { + "CHS": "高价的;优质的", + "ENG": "of very high quality" + }, + "sly": { + "CHS": "(Sly)人名;(英)斯莱" + }, + "loosen": { + "CHS": "(Loosen)人名;(德)洛森" + }, + "fossil": { + "CHS": "化石的;陈腐的,守旧的" + }, + "compound": { + "CHS": "合成;混合;恶化,加重;和解,妥协", + "ENG": "to make a difficult situation worse by adding more problems" + }, + "intrude": { + "CHS": "把…强加;把…硬挤" + }, + "conscientious": { + "CHS": "认真的;尽责的;本着良心的;小心谨慎的", + "ENG": "careful to do everything that it is your job or duty to do" + }, + "imperative": { + "CHS": "必要的事;命令;需要;规则;[语]祈使语气", + "ENG": "something that must be done urgently" + }, + "inspiration": { + "CHS": "灵感;鼓舞;吸气;妙计", + "ENG": "a good idea about what you should do, write, say etc, especially one which you get suddenly" + }, + "scheme": { + "CHS": "搞阴谋;拟订计划", + "ENG": "If you say that people are scheming, you mean that they are making secret plans in order to gain something for themselves" + }, + "snow": { + "CHS": "降雪", + "ENG": "if it snows, snow falls from the sky" + }, + "murmur": { + "CHS": "低声说;私下抱怨;发出轻柔持续的声音", + "ENG": "to make a soft low sound" + }, + "homogeneous": { + "CHS": "均匀的;[数] 齐次的;同种的;同类的,同质的", + "ENG": "Homogeneous is used to describe a group or thing which has members or parts that are all the same" + }, + "disturbance": { + "CHS": "干扰;骚乱;忧虑", + "ENG": "a situation in which people behave violently in public" + }, + "monster": { + "CHS": "巨大的,庞大的", + "ENG": "unusually large" + }, + "compassion": { + "CHS": "同情;怜悯", + "ENG": "a strong feeling of sympathy for someone who is suffering, and a desire to help them" + }, + "afraid": { + "CHS": "害怕的;恐怕;担心的", + "ENG": "frightened because you think that you may get hurt or that something bad may happen" + }, + "shower": { + "CHS": "大量地给予;把……弄湿", + "ENG": "to give someone a lot of things" + }, + "northwest": { + "CHS": "在西北;向西北;来自西北", + "ENG": "If you go northwest, you travel toward the northwest" + }, + "punctual": { + "CHS": "准时的,守时的;精确的", + "ENG": "arriving, happening, or being done at exactly the time that has been arranged" + }, + "shilling": { + "CHS": "先令", + "ENG": "an old British coin or unit of money. There were 20 shillings in one pound." + }, + "reed": { + "CHS": "用芦苇盖;用芦苇装饰" + }, + "prosecute": { + "CHS": "检举;贯彻;从事;依法进行", + "ENG": "if a lawyer prosecutes a case, he or she tries to prove that the person charged with a crime is guilty" + }, + "erect": { + "CHS": "竖立的;笔直的;因性刺激而勃起的", + "ENG": "in a straight upright position" + }, + "purify": { + "CHS": "净化;使纯净", + "ENG": "to remove dirty or harmful substances from something" + }, + "reel": { + "CHS": "蹒跚;眩晕;旋转", + "ENG": "a staggering or swaying motion or sensation " + }, + "fault": { + "CHS": "弄错;产生断层" + }, + "feat": { + "CHS": "合适的;灵巧的" + }, + "decrease": { + "CHS": "减少,减小", + "ENG": "to become less or go down to a lower level, or to make something do this" + }, + "scold": { + "CHS": "责骂;爱责骂的人" + }, + "salad": { + "CHS": "色拉;尤指莴苣", + "ENG": "a mixture of raw vegetables, especially lettuce , cucumber , and tomato" + }, + "detain": { + "CHS": "拘留;留住;耽搁", + "ENG": "to officially prevent someone from leaving a place" + }, + "album": { + "CHS": "相簿;唱片集;集邮簿;签名纪念册", + "ENG": "a book that you put photographs, stamps etc in" + }, + "loose": { + "CHS": "放纵;放任;发射" + }, + "drought": { + "CHS": "干旱;缺乏", + "ENG": "a long period of dry weather when there is not enough water for plants and animals to live" + }, + "cherish": { + "CHS": "珍爱", + "ENG": "if you cherish something, it is very important to you" + }, + "jug": { + "CHS": "关押;放入壶中" + }, + "bribe": { + "CHS": "贿赂", + "ENG": "money or a gift that you illegally give someone to persuade them to do something for you" + }, + "expedition": { + "CHS": "远征;探险队;迅速", + "ENG": "a long and carefully organized journey, especially to a dangerous or unfamiliar place, or the people that make this journey" + }, + "pearl": { + "CHS": "采珍珠;成珍珠状", + "ENG": "to set with or as if with pearls " + }, + "recite": { + "CHS": "背诵;叙述;列举", + "ENG": "to say a poem, piece of literature etc that you have learned, for people to listen to" + }, + "ambulance": { + "CHS": "[车辆][医] 救护车;战时流动医院", + "ENG": "a special vehicle that is used to take people who are ill or injured to hospital" + }, + "brick": { + "CHS": "用砖做的;似砖的" + }, + "sun": { + "CHS": "使晒", + "ENG": "to sit or lie outside when the sun is shining" + }, + "panorama": { + "CHS": "全景,全貌;全景画;概论", + "ENG": "an impressive view of a wide area of land" + }, + "disgust": { + "CHS": "使厌恶;使作呕", + "ENG": "To disgust someone means to make them feel a strong sense of dislike and disapproval" + }, + "elder": { + "CHS": "年长的;年龄较大的;资格老的", + "ENG": "Theelderof two people is the one who was born first" + }, + "vanity": { + "CHS": "虚荣心;空虚;浮华;无价值的东西", + "ENG": "too much pride in yourself, so that you are always thinking about yourself and your appearance" + }, + "clutch": { + "CHS": "没有手提带或背带的;紧要关头的" + }, + "fearful": { + "CHS": "可怕的;担心的;严重的", + "ENG": "frightened that something bad might happen" + }, + "accent": { + "CHS": "强调;重读;带…口音讲话", + "ENG": "to make something more noticeable so that people will pay attention to it" + }, + "bride": { + "CHS": "新娘;姑娘,女朋友", + "ENG": "a woman at the time she gets married or just after she is married" + }, + "rust": { + "CHS": "使生锈;腐蚀", + "ENG": "to become covered with rust, or to make something become covered in rust" + }, + "tractor": { + "CHS": "拖拉机;牵引机", + "ENG": "a strong vehicle with large wheels, used for pulling farm machinery" + }, + "confidential": { + "CHS": "机密的;表示信任的;获信任的", + "ENG": "spoken or written in secret and intended to be kept secret" + }, + "bowl": { + "CHS": "玩保龄球;滑动;平稳快速移动", + "ENG": "to travel along very quickly and smoothly" + }, + "rein": { + "CHS": "控制;驾驭;勒住" + }, + "ethnic": { + "CHS": "种族的;人种的", + "ENG": "relating to a particular race, nation, or tribe and their customs and traditions" + }, + "punish": { + "CHS": "惩罚;严厉对待;贪婪地吃喝", + "ENG": "to make someone suffer because they have done something wrong or broken the law" + }, + "descent": { + "CHS": "除去…的气味;使…失去香味" + }, + "climax": { + "CHS": "高潮;顶点;层进法;极点", + "ENG": "the most exciting or important part of a story or experience, which usually comes near the end" + }, + "sauce": { + "CHS": "使增加趣味;给…调味" + }, + "infinite": { + "CHS": "无限;[数] 无穷大;无限的东西(如空间,时间)" + }, + "organic": { + "CHS": "[有化] 有机的;组织的;器官的;根本的", + "ENG": "living, or produced by or from living things" + }, + "outdoor": { + "CHS": "户外的;露天的;野外的(等于out-of-door)", + "ENG": "existing, happening, or used outside, not inside a building" + }, + "relish": { + "CHS": "盼望;期待;享受; 品味;喜爱;给…加佐料", + "ENG": "to enjoy an experience or the thought of something that is going to happen" + }, + "descend": { + "CHS": "下降;下去;下来;遗传;屈尊", + "ENG": "to move from a higher level to a lower one" + }, + "tight": { + "CHS": "(Tight)人名;(英)泰特" + }, + "blind": { + "CHS": "使失明;使失去理智", + "ENG": "to make someone lose their good sense or judgment and be unable to see the truth about something" + }, + "sword": { + "CHS": "刀,剑;武力,战争", + "ENG": "a weapon with a long pointed blade and a handle" + }, + "selfish": { + "CHS": "自私的;利己主义的", + "ENG": "caring only about yourself and not about other people – used to show disapproval" + }, + "comrade": { + "CHS": "同志;伙伴", + "ENG": " socialists or communists often call each other ‘comrade’, especially in meetings" + }, + "quart": { + "CHS": "夸脱(容量单位);一夸脱的容器", + "ENG": "a unit for measuring liquid, equal to two pints. In Britain this is 1.14 litres, and in the US it is 0.95 litres." + }, + "magistrate": { + "CHS": "地方法官;文职官员;治安推事", + "ENG": "someone, not usually a lawyer, who works as a judge in a local court of law, dealing with less serious crimes" + }, + "tag": { + "CHS": "尾随,紧随;连接;起浑名;添饰" + }, + "standpoint": { + "CHS": "立场;观点", + "ENG": "a way of thinking about people, situations, ideas etc" + }, + "dial": { + "CHS": "拨号", + "ENG": "to press the buttons or turn the dial on a telephone in order to make a telephone call" + }, + "prototype": { + "CHS": "原型;标准,模范", + "ENG": "the first form that a new design of a car, machine etc has, or a model of it used to test the design before it is produced" + }, + "corrupt": { + "CHS": "使腐烂;使堕落,使恶化", + "ENG": "to encourage someone to start behaving in an immoral or dishonest way" + }, + "conceal": { + "CHS": "隐藏;隐瞒", + "ENG": "to hide something carefully" + }, + "camel": { + "CHS": "工作刻板平庸" + }, + "wine": { + "CHS": "喝酒", + "ENG": "to entertain someone well with a meal, wine etc" + }, + "wind": { + "CHS": "缠绕;上发条;使弯曲;吹号角;绕住或缠住某人", + "ENG": "to turn or twist something several times around something else" + }, + "rude": { + "CHS": "(Rude)人名;(英、西、瑞典)鲁德;(法)吕德" + }, + "enclosure": { + "CHS": "附件;围墙;围场", + "ENG": "an area surrounded by a wall or fence, and used for a particular purpose" + }, + "wink": { + "CHS": "眨眼;使眼色;闪烁;瞬间", + "ENG": "a quick action of opening and closing one eye, usually as a signal to someone else" + }, + "applause": { + "CHS": "欢呼,喝采;鼓掌欢迎", + "ENG": "the sound of many people hitting their hands together and shouting, to show that they have enjoyed something" + }, + "boil": { + "CHS": "沸腾,煮沸;疖子", + "ENG": "the act or state of boiling" + }, + "porter": { + "CHS": "门房;服务员;行李搬运工;守门人", + "ENG": "someone whose job is to carry people’s bags at railway stations, airports etc" + }, + "parliament": { + "CHS": "议会,国会", + "ENG": "the group of people who are elected to make a country’s laws and discuss important national affairs" + }, + "humidity": { + "CHS": "[气象] 湿度;湿气", + "ENG": "the amount of water contained in the air" + }, + "tar": { + "CHS": "涂以焦油;玷污", + "ENG": "to coat with tar " + }, + "tan": { + "CHS": "黄褐色的;鞣皮的", + "ENG": "having a light yellowish-brown colour" + }, + "kneel": { + "CHS": "跪下,跪", + "ENG": "to be in or move into a position where your body is resting on your knees" + }, + "doorway": { + "CHS": "门口;途径", + "ENG": "the space where a door opens into a room or building" + }, + "tiger": { + "CHS": "老虎;凶暴的人", + "ENG": "a large wild animal that has yellow and black lines on its body and is a member of the cat family" + }, + "respective": { + "CHS": "分别的,各自的", + "ENG": "used before a plural noun to refer to the different things that belong to each separate person or thing mentioned" + }, + "disposal": { + "CHS": "处理;支配;清理;安排", + "ENG": "when you get rid of something" + }, + "wardrobe": { + "CHS": "衣柜;行头;全部戏装", + "ENG": "a piece of furniture like a large cupboard that you hang clothes in" + }, + "steak": { + "CHS": "牛排;肉排;鱼排", + "ENG": "good quality beef , or a large thick piece of any good quality red meat" + }, + "concede": { + "CHS": "承认;退让;给予,容许", + "ENG": "to admit that something is true or correct, although you wish it were not true" + }, + "edge": { + "CHS": "使锐利;将…开刃;给…加上边", + "ENG": "to put something on the edge or border of something" + }, + "segregate": { + "CHS": "使隔离;使分离;在…实行种族隔离", + "ENG": "to separate one group of people from others, especially because they are of a different race, sex, or religion" + }, + "heaven": { + "CHS": "天堂;天空;极乐", + "ENG": "the place where God is believed to live and where good people are believed to go when they die" + }, + "crisp": { + "CHS": "松脆物;油炸马铃薯片", + "ENG": "a very thin flat round piece of potato that is cooked in oil and eaten cold" + }, + "mathematical": { + "CHS": "数学的,数学上的;精确的", + "ENG": "relating to or using mathematics" + }, + "wipe": { + "CHS": "擦拭;用力打", + "ENG": "a wiping movement with a cloth" + }, + "typhoon": { + "CHS": "[气象] 台风", + "ENG": "a very violent tropical storm" + }, + "nuisance": { + "CHS": "讨厌的人;损害;麻烦事;讨厌的东西", + "ENG": "a person, thing, or situation that annoys you or causes problems" + }, + "astonish": { + "CHS": "使惊讶", + "ENG": "to surprise someone very much" + }, + "ankle": { + "CHS": "踝关节,踝", + "ENG": "the joint between your foot and your leg" + }, + "cupboard": { + "CHS": "碗柜;食橱", + "ENG": "a piece of furniture with doors, and sometimes shelves, used for storing clothes, plates, food etc" + }, + "appendix": { + "CHS": "附录;阑尾;附加物", + "ENG": "a small organ near your bowel , which has little or no use" + }, + "waitress": { + "CHS": "做女服务生" + }, + "steam": { + "CHS": "蒸汽的" + }, + "goose": { + "CHS": "突然加大油门;嘘骂" + }, + "bolt": { + "CHS": "突然地;像箭似地;直立地", + "ENG": "If a person or animal bolts, they suddenly start to run very fast, often because something has frightened them" + }, + "ruin": { + "CHS": "毁灭;使破产", + "ENG": "to make someone lose all their money" + }, + "watt": { + "CHS": "瓦特", + "ENG": "a unit for measuring electrical power" + }, + "renew": { + "CHS": "使更新;续借;续费;复兴;重申", + "ENG": "to begin doing something again after a period of not doing it" + }, + "bold": { + "CHS": "(Bold)人名;(英、德、罗、捷、瑞典)博尔德" + }, + "enquire": { + "CHS": "询问;调查;问候(等于inquire)" + }, + "caress": { + "CHS": "爱抚,拥抱;接吻", + "ENG": "a gentle touch or kiss that shows you love someone" + }, + "murder": { + "CHS": "谋杀,凶杀", + "ENG": "the crime of deliberately killing someone" + }, + "eagle": { + "CHS": "鹰;鹰状标饰", + "ENG": "a very large strong bird with a beak like a hook that eats small animals, birds etc" + }, + "clasp": { + "CHS": "紧抱;扣紧;紧紧缠绕", + "ENG": "to hold someone or something tightly, closing your fingers or arms around them" + }, + "wire": { + "CHS": "拍电报;给…装电线", + "ENG": "to send money electronically" + }, + "marginal": { + "CHS": "边缘的;临界的;末端的", + "ENG": "relating to a change in cost, value etc when one more thing is produced, one more dollar is earned etc" + }, + "bully": { + "CHS": "好;妙" + }, + "northern": { + "CHS": "北部方言" + }, + "pierce": { + "CHS": "刺穿;洞察;响彻;深深地打动", + "ENG": "to make a small hole in or through something, using an object with a sharp point" + }, + "ambassador": { + "CHS": "大使;代表;使节", + "ENG": "an important official who represents his or her government in a foreign country" + }, + "bomb": { + "CHS": "炸弹", + "ENG": "a weapon made of material that will explode" + }, + "hatch": { + "CHS": "孵;策划", + "ENG": "if an egg hatches, or if it is hatched, it breaks, letting the young bird, insect etc come out" + }, + "rebellion": { + "CHS": "叛乱;反抗;谋反;不服从", + "ENG": "an organized attempt to change the government or leader of a country, using violence" + }, + "clash": { + "CHS": "冲突,抵触;砰地相碰撞,发出铿锵声", + "ENG": "if two armies, groups etc clash, they start fighting – used in news reports" + }, + "barbecue": { + "CHS": "烧烤;烤肉", + "ENG": "to cook food on a metal frame over a fire outdoors" + }, + "pneumonia": { + "CHS": "肺炎", + "ENG": "a serious illness that affects your lungs and makes it difficult for you to breathe" + }, + "bond": { + "CHS": "结合,团结在一起", + "ENG": "if two things bond with each other, they become firmly fixed together, especially after they have been joined with glue" + }, + "satisfactory": { + "CHS": "满意的;符合要求的;赎罪的", + "ENG": "something that is satisfactory seems good enough for you, or good enough for a particular situation or purpose" + }, + "bone": { + "CHS": "剔去的骨;施骨肥于", + "ENG": "to remove the bones from fish or meat" + }, + "triple": { + "CHS": "增至三倍", + "ENG": "to increase by three times as much, or to make something do this" + }, + "wash": { + "CHS": "洗涤;洗刷;冲走;拍打", + "ENG": "to clean something using water and a type of soap" + }, + "rhythm": { + "CHS": "节奏;韵律", + "ENG": "a regular repeated pattern of sounds or movements" + }, + "coalition": { + "CHS": "联合;结合,合并", + "ENG": "a union of two or more political parties that allows them to form a government or fight an election together" + }, + "brake": { + "CHS": "闸,刹车;阻碍", + "ENG": "a piece of equipment that makes a vehicle go more slowly or stop" + }, + "distress": { + "CHS": "使悲痛;使贫困" + }, + "mistake": { + "CHS": "弄错;误解", + "ENG": "to understand something wrongly" + }, + "gesture": { + "CHS": "作手势;用动作示意", + "ENG": "to move your hand, arm, or head to tell someone something, or show them what you mean" + }, + "steel": { + "CHS": "钢制的;钢铁业的;坚强的" + }, + "casualty": { + "CHS": "意外事故;伤亡人员;急诊室", + "ENG": "the part of a hospital that people are taken to when they are hurt in an accident or suddenly become ill" + }, + "ruler": { + "CHS": "尺;统治者;[测] 划线板,划线的人", + "ENG": "someone such as a king or queen who has official power over a country or area" + }, + "rubbish": { + "CHS": "毫无价值的" + }, + "entry": { + "CHS": "进入;入口;条目;登记;报关手续;对土地的侵占", + "ENG": "the act of going into something" + }, + "alliance": { + "CHS": "联盟,联合;联姻", + "ENG": "an arrangement in which two or more countries, groups etc agree to work together to try to change or achieve something" + }, + "moisture": { + "CHS": "水分;湿度;潮湿;降雨量", + "ENG": "small amounts of water that are present in the air, in a substance, or on a surface" + }, + "bacon": { + "CHS": "咸肉;腌肉;熏猪肉", + "ENG": "salted or smoked meat from the back or sides of a pig, often served in narrow thin pieces" + }, + "warehouse": { + "CHS": "储入仓库;以他人名义购进(股票)" + }, + "subway": { + "CHS": "乘地铁" + }, + "verdict": { + "CHS": "结论;裁定", + "ENG": "an official decision made in a court of law, especially about whether someone is guilty of a crime or how a death happened" + }, + "sympathy": { + "CHS": "同情;慰问;赞同", + "ENG": "the feeling of being sorry for someone who is in a bad situation" + }, + "judgement": { + "CHS": "意见;判断力;[法] 审判;评价" + }, + "nickname": { + "CHS": "给……取绰号;叫错名字", + "ENG": "If you nickname someone or something, you give them an informal name" + }, + "conquer": { + "CHS": "战胜,征服;攻克,攻取", + "ENG": "to get control of a country by fighting" + }, + "pendulum": { + "CHS": "钟摆;摇锤;摇摆不定的事态", + "ENG": "a long metal stick with a weight at the bottom that swings regularly from side to side to control the working of a clock" + }, + "masculine": { + "CHS": "男性;阳性,阳性词" + }, + "nephew": { + "CHS": "侄子;外甥", + "ENG": "the son of your brother or sister, or the son of your husband’s or wife’s brother or sister" + }, + "bin": { + "CHS": "把…放入箱中" + }, + "scandal": { + "CHS": "丑闻;流言蜚语;诽谤;公愤", + "ENG": "an event in which someone, especially someone important, behaves in a bad way that shocks people" + }, + "refrain": { + "CHS": "叠句,副歌;重复", + "ENG": "part of a song or poem that is repeated, especially at the end of each verse " + }, + "goodby": { + "CHS": "(Goodby)人名;(英)古德拜" + }, + "aviation": { + "CHS": "航空;飞行术;飞机制造业", + "ENG": "the science or practice of flying in aircraft" + }, + "grind": { + "CHS": "磨;苦工作", + "ENG": "a movement in skateboarding or rollerblading , which involves moving sideways along the edge of something, so that the bar connecting the wheels of the skateboard or rollerblade presses hard against the edge" + }, + "stir": { + "CHS": "搅拌;激起;惹起", + "ENG": "to move a liquid or substance around with a spoon or stick in order to mix it together" + }, + "razor": { + "CHS": "剃刀", + "ENG": "a tool with a sharp blade, used to remove hair from your skin" + }, + "drown": { + "CHS": "(Drown)人名;(英)德朗" + }, + "precise": { + "CHS": "精确的;明确的;严格的", + "ENG": "precise information, details etc are exact, clear, and correct" + }, + "ham": { + "CHS": "过火的;做作的", + "ENG": "(as modifier) " + }, + "discreet": { + "CHS": "谨慎的;小心的", + "ENG": "careful about what you say or do, so that you do not offend, upset, or embarrass people or tell secrets" + }, + "congratulation": { + "CHS": "祝贺;贺辞", + "ENG": "when you tell someone that you are happy because they have achieved something or because something nice has happened to them" + }, + "postman": { + "CHS": "邮递员;邮差", + "ENG": "someone whose job is to collect and deliver letters" + }, + "cruise": { + "CHS": "巡航,巡游;乘船游览", + "ENG": "a holiday on a large ship" + }, + "refute": { + "CHS": "反驳,驳斥;驳倒", + "ENG": "to prove that a statement or idea is not correct" + }, + "overthrow": { + "CHS": "推翻;打倒;倾覆", + "ENG": "to remove a leader or government from power, especially by force" + }, + "friday": { + "CHS": "星期五;忠仆", + "ENG": "Friday is the day after Thursday and before Saturday" + }, + "fireplace": { + "CHS": "壁炉", + "ENG": "a special place in the wall of a room, where you can make a fire" + }, + "climate": { + "CHS": "气候;风气;思潮;风土", + "ENG": "the typical weather conditions in a particular area" + }, + "monitor": { + "CHS": "监控", + "ENG": "to carefully watch and check a situation in order to see how it changes over a period of time" + }, + "spectrum": { + "CHS": "光谱;频谱;范围;余象", + "ENG": "a complete range of opinions, people, situations etc, going from one extreme to its opposite" + }, + "utter": { + "CHS": "(Utter)人名;(德、芬)乌特" + }, + "discern": { + "CHS": "识别;领悟,认识", + "ENG": "If you can discern something, you are aware of it and know what it is" + }, + "deficiency": { + "CHS": "缺陷,缺点;缺乏;不足的数额", + "ENG": "a lack of something that is necessary" + }, + "offend": { + "CHS": "冒犯;使…不愉快", + "ENG": "to make someone angry or upset by doing or saying something that they think is rude, unkind etc" + }, + "patriotic": { + "CHS": "爱国的", + "ENG": "having or expressing a great love of your country" + }, + "hay": { + "CHS": "把晒干", + "ENG": "to cut, dry, and store (grass, clover, etc) as fodder " + }, + "overflow": { + "CHS": "充满,洋溢;泛滥;超值;溢值" + }, + "crude": { + "CHS": "原油;天然的物质", + "ENG": "oil that is in its natural condition, as it comes out of an oil well , before it is made more pure or separated into different products" + }, + "vibrate": { + "CHS": "振动;颤动;摇摆;踌躇", + "ENG": "if something vibrates, or if you vibrate it, it shakes quickly and continuously with very small movements" + }, + "sigh": { + "CHS": "叹息,叹气", + "ENG": "an act or sound of sighing" + }, + "compulsory": { + "CHS": "(花样滑冰、竞技体操等的)规定动作" + }, + "resemble": { + "CHS": "类似,像", + "ENG": "to look like or be similar to someone or something" + }, + "legitimate": { + "CHS": "使合法;认为正当(等于legitimize)" + }, + "pulse": { + "CHS": "使跳动", + "ENG": "to move or flow with a steady quickbeat or sound" + }, + "chapter": { + "CHS": "把…分成章节" + }, + "ozone": { + "CHS": "[化学] 臭氧;新鲜的空气", + "ENG": "a poisonous blue gas that is a type of oxygen" + }, + "pat": { + "CHS": "轻拍", + "ENG": "to lightly touch someone or something several times with your hand flat, especially to give comfort" + }, + "invent": { + "CHS": "发明;创造;虚构", + "ENG": "to make, design, or think of a new type of thing" + }, + "spoil": { + "CHS": "次品;奖品" + }, + "stubborn": { + "CHS": "顽固的;顽强的;难处理的", + "ENG": "determined not to change your mind, even when people think you are being unreasonable" + }, + "tonight": { + "CHS": "今晚", + "ENG": "the night of this day" + }, + "onion": { + "CHS": "洋葱;洋葱头", + "ENG": "a round white vegetable with a brown, red, or white skin and many layers. Onions have a strong taste and smell." + }, + "sightseeing": { + "CHS": "观光(sightsee的ing形式);游览" + }, + "quarrel": { + "CHS": "吵架;反目;怨言;争吵的原因;方头凿", + "ENG": "an angry argument or disagreement" + }, + "pad": { + "CHS": "步行;放轻脚步走", + "ENG": "to walk softly and quietly" + }, + "theoretical": { + "CHS": "理论的;理论上的;假设的;推理的", + "ENG": "relating to the study of ideas, especially scientific ideas, rather than with practical uses of the ideas or practical experience" + }, + "scarce": { + "CHS": "仅仅;几乎不;几乎没有", + "ENG": "scarcely" + }, + "pan": { + "CHS": "淘金;在浅锅中烹调(食物);[非正式用语]严厉的批评", + "ENG": "to wash soil in a metal container in order to separate gold from other substances" + }, + "amplify": { + "CHS": "放大,扩大;增强;详述", + "ENG": "to make sound louder, especially musical sound" + }, + "bow": { + "CHS": "弯曲的" + }, + "sneak": { + "CHS": "暗中进行的" + }, + "eternal": { + "CHS": "永恒的;不朽的", + "ENG": "continuing for ever and having no end" + }, + "harbor": { + "CHS": "海港;避难所" + }, + "tomato": { + "CHS": "番茄,西红柿", + "ENG": "a round soft red fruit eaten raw or cooked as a vegetable" + }, + "clockwise": { + "CHS": "顺时针方向的", + "ENG": "Clockwise is also an adjective" + }, + "verify": { + "CHS": "核实;查证", + "ENG": "to discover whether something is correct or true" + }, + "zoo": { + "CHS": "动物园", + "ENG": "a place, usually in a city, where animals of many kinds are kept so that people can go to look at them" + }, + "blend": { + "CHS": "混合;掺合物", + "ENG": "a product such as tea, tobacco, or whisky that is a mixture of several different types" + }, + "assault": { + "CHS": "攻击;袭击", + "ENG": "to attack someone in a violent way" + }, + "voluntary": { + "CHS": "志愿者;自愿行动" + }, + "hen": { + "CHS": "母鸡;女人;雌禽", + "ENG": "an adult female chicken" + }, + "isolate": { + "CHS": "隔离的;孤立的" + }, + "orientation": { + "CHS": "方向;定向;适应;情况介绍;向东方", + "ENG": "the type of activity or subject that a person or organization seems most interested in and gives most attention to" + }, + "transfer": { + "CHS": "转让;转学;换车", + "ENG": "if a skill, idea, or quality transfers from one situation to another, or if you transfer it, it can be used in the new situation" + }, + "bag": { + "CHS": "猎获;把…装入袋中;占据,私吞;使膨大", + "ENG": "to put things into bags" + }, + "sensible": { + "CHS": "可感觉到的东西; 敏感的人;" + }, + "siege": { + "CHS": "围攻;包围" + }, + "horizontal": { + "CHS": "水平线,水平面;水平位置", + "ENG": "a horizontal line or surface" + }, + "scissors": { + "CHS": "剪开;删除(scissor的第三人称单数)" + }, + "perfume": { + "CHS": "洒香水于…;使…带香味", + "ENG": "to put perfume on something" + }, + "vegetable": { + "CHS": "蔬菜的;植物的", + "ENG": "relating to plants in general, rather than animals or things that are not living" + }, + "foam": { + "CHS": "起泡沫;吐白沫;起着泡沫流动", + "ENG": "to produce foam" + }, + "huddle": { + "CHS": "拥挤;混乱;杂乱一团" + }, + "supermarket": { + "CHS": "超级市场;自助售货商店", + "ENG": "a very large shop that sells food, drinks, and things that people need regularly in their homes" + }, + "tropical": { + "CHS": "热带的;热情的;酷热的", + "ENG": "coming from or existing in the hottest parts of the world" + }, + "feminine": { + "CHS": "女性的;妇女(似)的;阴性的;娇柔的", + "ENG": "having qualities that are considered to be typical of women, especially by being gentle, delicate, and pretty" + }, + "hierarchy": { + "CHS": "层级;等级制度", + "ENG": "a system of organization in which people or things are divided into levels of importance" + }, + "lubricate": { + "CHS": "润滑;涂油;起润滑剂作用", + "ENG": "to put a lubricant on something in order to make it move more smoothly" + }, + "overhear": { + "CHS": "无意中听到;偷听", + "ENG": "to accidentally hear what other people are saying, when they do not know that you have heard" + }, + "editorial": { + "CHS": "社论", + "ENG": "a piece of writing in a newspaper that gives the editor’s opinion about something, rather than reporting facts" + }, + "modernization": { + "CHS": "现代化" + }, + "pea": { + "CHS": "豌豆", + "ENG": "a round green seed that is cooked and eaten as a vegetable, or the plant on which these seeds grow" + }, + "exceed": { + "CHS": "超过;胜过", + "ENG": "to be more than a particular number or amount" + }, + "void": { + "CHS": "使无效;排放", + "ENG": "to make a contract or agreement void so that it has no legal effect" + }, + "headmaster": { + "CHS": "校长", + "ENG": "a male teacher who is in charge of a school" + }, + "twist": { + "CHS": "扭曲;拧;扭伤", + "ENG": "a twisting action or movement" + }, + "sulfur": { + "CHS": "硫磺;硫磺色" + }, + "stab": { + "CHS": "刺;戳;尝试;突发的一阵", + "ENG": "an act of stabbing or trying to stab someone with a knife" + }, + "chemist": { + "CHS": "化学家;化学工作者;药剂师;炼金术士", + "ENG": "a scientist who has special knowledge and training in chemistry" + }, + "marital": { + "CHS": "婚姻的;夫妇间的", + "ENG": "relating to marriage" + }, + "interior": { + "CHS": "内部的;国内的;本质的", + "ENG": "inside or indoors" + }, + "spoon": { + "CHS": "用匙舀;使成匙状", + "ENG": "to move food with a spoon" + }, + "vegetation": { + "CHS": "植被;植物,草木;呆板单调的生活", + "ENG": "plants in general" + }, + "helmet": { + "CHS": "钢盔,头盔", + "ENG": "a strong hard hat that soldiers, motorcycle riders, the police etc wear to protect their heads" + }, + "remainder": { + "CHS": "廉价出售;削价出售" + }, + "affluent": { + "CHS": "支流;富人", + "ENG": "The affluent are people who are affluent" + }, + "exact": { + "CHS": "要求;强求;急需", + "ENG": "to demand and get something from someone by using threats, force etc" + }, + "pave": { + "CHS": "(Pave)人名;(西、塞)帕韦" + }, + "cycle": { + "CHS": "使循环;使轮转", + "ENG": "to go through a series of related events again and again, or to make something do this" + }, + "workshop": { + "CHS": "车间;研讨会;工场;讲习班", + "ENG": "a room or building where tools and machines are used for making or repairing things" + }, + "beg": { + "CHS": "(Beg)人名;(德、塞、巴基)贝格" + }, + "bee": { + "CHS": "蜜蜂,蜂;勤劳的人", + "ENG": "a black and yellow flying insect that makes honey and can sting you" + }, + "telegram": { + "CHS": "发电报" + }, + "notorious": { + "CHS": "声名狼藉的,臭名昭著的", + "ENG": "famous or well-known for something bad" + }, + "bless": { + "CHS": "(Bless)人名;(英、意、德、匈)布莱斯" + }, + "peninsula": { + "CHS": "半岛", + "ENG": "a piece of land almost completely surrounded by water but joined to a large area of land" + }, + "christian": { + "CHS": "基督教的;信基督教的", + "ENG": "Christian means relating to Christianity or Christians" + }, + "grease": { + "CHS": "油脂;贿赂", + "ENG": "a fatty or oily substance that comes off meat when it is cooked, or off food made using butter or oil" + }, + "appoint": { + "CHS": "任命;指定;约定", + "ENG": "to choose someone for a position or a job" + }, + "ease": { + "CHS": "轻松,舒适;安逸,悠闲", + "ENG": "Ease is the state of being very comfortable and able to live as you want, without any worries or problems" + }, + "digest": { + "CHS": "文摘;摘要", + "ENG": "a short piece of writing that gives the most important facts from a book, report etc" + }, + "judicial": { + "CHS": "公正的,明断的;法庭的;审判上的", + "ENG": "Judicial means relating to the legal system and to judgments made in a court of law" + }, + "arrest": { + "CHS": "逮捕;监禁", + "ENG": "when the police take someone away and guard them because they may have done something illegal" + }, + "compute": { + "CHS": "计算;估计;推断" + }, + "quantitative": { + "CHS": "定量的;量的,数量的", + "ENG": "relating to amounts rather than to the quality or standard of something" + }, + "subordinate": { + "CHS": "使……居下位;使……服从" + }, + "denial": { + "CHS": "否认;拒绝;节制;背弃", + "ENG": "a statement saying that something is not true" + }, + "applaud": { + "CHS": "赞同;称赞;向…喝彩", + "ENG": "to express strong approval of an idea, plan etc" + }, + "inject": { + "CHS": "注入;注射", + "ENG": "to put liquid, especially a drug, into someone’s body by using a special needle" + }, + "bloom": { + "CHS": "使开花;使茂盛", + "ENG": "if a plant or a flower blooms, its flowers appear or open" + }, + "cyberspace": { + "CHS": "网络空间;赛博空间", + "ENG": "all the connections between computers in different places, considered as a real place where information, messages, pictures etc exist" + }, + "pie": { + "CHS": "使杂乱" + }, + "pig": { + "CHS": "生小猪;像猪一样过活" + }, + "illuminate": { + "CHS": "阐明,说明;照亮;使灿烂;用灯装饰", + "ENG": "to make a light shine on something, or to fill a place with light" + }, + "football": { + "CHS": "踢足球;打橄榄球" + }, + "navy": { + "CHS": "海军", + "ENG": "the part of a country’s military forces that fights at sea" + }, + "pit": { + "CHS": "使竞争;窖藏;使凹下;去…之核;使留疤痕", + "ENG": "to put small marks or holes in the surface of something" + }, + "hardship": { + "CHS": "困苦;苦难;艰难险阻", + "ENG": "something that makes your life difficult or unpleasant, especially a lack of money, or the condition of having a difficult life" + }, + "exterior": { + "CHS": "外部;表面;外型;外貌", + "ENG": "the outside of something, especially a building" + }, + "glorious": { + "CHS": "光荣的;辉煌的;极好的", + "ENG": "having or deserving great fame, praise, and honour" + }, + "pot": { + "CHS": "把…装罐;射击;节略", + "ENG": "If you pot a young plant, or part of a plant, you put it into a container filled with soil, so it can grow there" + }, + "tenant": { + "CHS": "租借(常用于被动语态)" + }, + "acrobat": { + "CHS": "杂技演员,特技演员;随机应变者;翻云覆雨者,善变者", + "ENG": "someone who entertains people by doing difficult physical actions such as walking on their hands or balancing on a high rope, especially at a circus " + }, + "quantity": { + "CHS": "量,数量;大量;总量", + "ENG": "an amount of something that can be counted or measured" + }, + "submarine": { + "CHS": "用潜水艇攻击" + }, + "cardinal": { + "CHS": "主要的,基本的;深红色的", + "ENG": "very important or basic" + }, + "absurd": { + "CHS": "荒诞;荒诞作品" + }, + "intermediate": { + "CHS": "[化学] 中间物;媒介" + }, + "temple": { + "CHS": "庙宇;寺院;神殿;太阳穴", + "ENG": "a building where people go to worship , in the Jewish, Hindu, Buddhist, Sikh, and Mormon religions" + }, + "colonel": { + "CHS": "陆军上校", + "ENG": "a high rank in the army, Marines, or the US air force, or someone who has this rank" + }, + "obey": { + "CHS": "(Obey)人名;(英、法)奥贝" + }, + "crane": { + "CHS": "伸着脖子看;迟疑,踌躇", + "ENG": "If you crane your neck or head, you stretch your neck in a particular direction in order to see or hear something better" + }, + "appraisal": { + "CHS": "评价;估价(尤指估价财产,以便征税);估计", + "ENG": "a statement or opinion judging the worth, value, or condition of something" + }, + "doctorate": { + "CHS": "博士学位;博士头衔", + "ENG": "a university degree of the highest level" + }, + "guideline": { + "CHS": "指导方针", + "ENG": "rules or instructions about the best way to do something" + }, + "bump": { + "CHS": "突然地,猛烈地" + }, + "electron": { + "CHS": "电子", + "ENG": "a very small piece of matter with a negative electrical charge that moves around the nucleus(= central part ) of an atom" + }, + "royalty": { + "CHS": "皇室;版税;王权;专利税", + "ENG": "members of a royal family" + }, + "weed": { + "CHS": "杂草,野草;菸草", + "ENG": "a wild plant growing where it is not wanted that prevents crops or garden flowers from growing properly" + }, + "thorn": { + "CHS": "刺;[植] 荆棘", + "ENG": "a sharp point that grows on the stem of a plant such as a rose" + }, + "wedge": { + "CHS": "楔子;楔形物;导致分裂的东西", + "ENG": "a piece of wood, metal etc that has one thick edge and one pointed edge and is used especially for keeping a door open or for splitting wood" + }, + "allocate": { + "CHS": "分配;拨出;使坐落于", + "ENG": "to use something for a particular purpose, give something to a particular person etc, especially after an official decision has been made" + }, + "bull": { + "CHS": "企图抬高证券价格;吓唬;强力实现" + }, + "kidnap": { + "CHS": "绑架;诱拐;拐骗", + "ENG": "to take someone somewhere illegally by force, often in order to get money for returning them" + }, + "wrinkle": { + "CHS": "起皱", + "ENG": "if you wrinkle a part of your face, or if it wrinkles, small lines appear on it" + }, + "weep": { + "CHS": "哭泣;眼泪;滴下" + }, + "reckless": { + "CHS": "(Reckless)人名;(英)雷克利斯" + }, + "lumber": { + "CHS": "木材;废物,无用的杂物;隆隆声", + "ENG": "pieces of wood used for building, that have been cut to specific lengths and widths" + }, + "october": { + "CHS": "[天] 十月", + "ENG": "October is the tenth month of the year in the Western calendar" + }, + "arbitrary": { + "CHS": "[数] 任意的;武断的;专制的", + "ENG": "decided or arranged without any reason or plan, often unfairly" + }, + "unload": { + "CHS": "卸;摆脱…之负担;倾销", + "ENG": "to remove a load from a vehicle, ship etc" + }, + "strap": { + "CHS": "带;皮带;磨刀皮带;鞭打", + "ENG": "a narrow band of strong material that is used to fasten, hang, or hold onto something" + }, + "skillful": { + "CHS": "熟练的;巧妙的" + }, + "straw": { + "CHS": "稻草的;无价值的", + "ENG": "having little value or substance " + }, + "bend": { + "CHS": "弯曲", + "ENG": "a curved part of something, especially a road or river" + }, + "absent": { + "CHS": "使缺席", + "ENG": "to not go to a place or take part in an event where people expect you to be" + }, + "grief": { + "CHS": "悲痛;忧伤;不幸", + "ENG": "extreme sadness, especially because someone you love has died" + }, + "mankind": { + "CHS": "人类;男性", + "ENG": "all humans considered as a group" + }, + "metal": { + "CHS": "金属制的" + }, + "rebel": { + "CHS": "反抗的;造反的" + }, + "leather": { + "CHS": "皮的;皮革制的" + }, + "crash": { + "CHS": "摔碎;坠落;发出隆隆声;(金融企业等)破产", + "ENG": "to make a sudden loud noise" + }, + "evoke": { + "CHS": "引起,唤起;博得", + "ENG": "to produce a strong feeling or memory in someone" + }, + "dividend": { + "CHS": "红利;股息;[数] 被除数;奖金", + "ENG": "a part of a company’s profit that is divided among the people with share s in the company" + }, + "electric": { + "CHS": "电;电气车辆;带电体" + }, + "bury": { + "CHS": "(Bury)人名;(法)比里;(英、西)伯里;(德、意、罗、波、捷、匈)布里;(俄)布雷" + }, + "tumble": { + "CHS": "跌倒;翻筋斗;跌跤", + "ENG": "a fall, especially from a high place or level" + }, + "diplomatic": { + "CHS": "外交的;外交上的;老练的", + "ENG": "relating to or involving the work of diplomats" + }, + "refugee": { + "CHS": "难民,避难者;流亡者,逃亡者", + "ENG": "someone who has been forced to leave their country, especially during a war, or for political or religious reasons" + }, + "pub": { + "CHS": "酒馆;客栈", + "ENG": "a building in Britain where alcohol can be bought and drunk, and where meals are often served" + }, + "dove": { + "CHS": "潜水(dive的过去式)" + }, + "salute": { + "CHS": "行礼致敬,欢迎", + "ENG": "to move your right hand to your head, especially in order to show respect to an officer in the army, navy etc" + }, + "bell": { + "CHS": "装钟于,系铃于" + }, + "heroic": { + "CHS": "史诗;英勇行为", + "ENG": "If you describe someone's actions or plans as heroics, you think that they are foolish or dangerous because they are too difficult or brave for the situation in which they occur" + }, + "crust": { + "CHS": "结硬皮;结成外壳" + }, + "kindness": { + "CHS": "仁慈;好意;友好的行为", + "ENG": "kind behaviour towards someone" + }, + "volt": { + "CHS": "伏特(电压单位);环骑;闪避", + "ENG": "a unit for measuring the force of an electric current" + }, + "crush": { + "CHS": "粉碎;迷恋;压榨;拥挤的人群", + "ENG": "a crowd of people pressed so close together that it is difficult for them to move" + }, + "canoe": { + "CHS": "乘独木舟", + "ENG": "to travel by canoe" + }, + "cab": { + "CHS": "乘出租马车(或汽车)" + }, + "dorm": { + "CHS": "宿舍(等于dormitory)", + "ENG": "a dormitory " + }, + "petition": { + "CHS": "请愿;请求", + "ENG": "to ask the government or an organization to do something by sending them a petition" + }, + "enclose": { + "CHS": "围绕;装入;放入封套", + "ENG": "to put something inside an envelope as well as a letter" + }, + "emit": { + "CHS": "发出,放射;发行;发表", + "ENG": "to send out gas, heat, light, sound etc" + }, + "orchard": { + "CHS": "果园;果树林", + "ENG": "a place where fruit trees are grown" + }, + "interrupt": { + "CHS": "中断" + }, + "complication": { + "CHS": "并发症;复杂;复杂化;混乱", + "ENG": "a problem or situation that makes something more difficult to understand or deal with" + }, + "tablet": { + "CHS": "用碑牌纪念;将(备忘录等)写在板上;将…制成小片或小块" + }, + "couch": { + "CHS": "蹲伏,埋伏;躺着" + }, + "gaze": { + "CHS": "凝视;注视", + "ENG": "a long steady look" + }, + "economical": { + "CHS": "经济的;节约的;合算的", + "ENG": "using money, time, goods etc carefully and without wasting any" + }, + "quilt": { + "CHS": "东拼西凑地编;加软衬料后缝制" + }, + "imperial": { + "CHS": "纸张尺寸;特等品" + }, + "infectious": { + "CHS": "传染的;传染性的;易传染的", + "ENG": "an infectious illness can be passed from one person to another, especially through the air you breathe" + }, + "candy": { + "CHS": "新潮的(服饰);甜言蜜语的" + }, + "gum": { + "CHS": "用胶粘,涂以树胶;使…有粘性", + "ENG": "to stick together or in place with gum " + }, + "opaque": { + "CHS": "使不透明;使不反光" + }, + "housework": { + "CHS": "家务事", + "ENG": "work that you do to take care of a house, for example washing, cleaning etc" + }, + "fifty": { + "CHS": "五十的;五十个的;众多的" + }, + "mercury": { + "CHS": "[化]汞,水银", + "ENG": "Mercury is a silver-coloured liquid metal that is used especially in thermometers and barometers" + }, + "aisle": { + "CHS": "通道,走道;侧廊", + "ENG": "a long passage between rows of seats in a church, plane, theatre etc, or between rows of shelves in a shop" + }, + "hobby": { + "CHS": "嗜好;业余爱好", + "ENG": "an activity that you enjoy doing in your free time" + }, + "exile": { + "CHS": "放逐,流放;使背井离乡", + "ENG": "to force someone to leave their country, especially for political reasons" + }, + "syndrome": { + "CHS": "[临床] 综合症状;并发症状;校验子;并发位", + "ENG": "an illness which consists of a set of physical or mental problems – often used in the name of illnesses" + }, + "radius": { + "CHS": "半径,半径范围;[解剖] 桡骨;辐射光线;有效航程", + "ENG": "the distance from the centre to the edge of a circle, or a line drawn from the centre to the edge" + }, + "inspect": { + "CHS": "检查;视察;检阅", + "ENG": "to examine something carefully in order to find out more about it or to find out what is wrong with it" + }, + "legacy": { + "CHS": "遗赠,遗产", + "ENG": "something that happens or exists as a result of things that happened at an earlier time" + }, + "lemon": { + "CHS": "柠檬", + "ENG": "a fruit with a hard yellow skin and sour juice" + }, + "permeate": { + "CHS": "渗透,透过;弥漫", + "ENG": "if liquid, gas etc permeates something, it enters it and spreads through every part of it" + }, + "fluctuate": { + "CHS": "波动;涨落;动摇", + "ENG": "if a price or amount fluctuates, it keeps changing and becoming higher and lower" + }, + "jewel": { + "CHS": "镶以宝石;饰以珠宝" + }, + "transport": { + "CHS": "运输;流放;使狂喜", + "ENG": "to take goods, people etc from one place to another in a vehicle" + }, + "farewell": { + "CHS": "告别的" + }, + "carpenter": { + "CHS": "当木匠,做木匠工作" + }, + "persuasion": { + "CHS": "说服;说服力;信念;派别", + "ENG": "the act of persuading someone to do something" + }, + "gaol": { + "CHS": "监狱" + }, + "despise": { + "CHS": "轻视,鄙视", + "ENG": "to dislike and have a low opinion of someone or something" + }, + "jury": { + "CHS": "应急的", + "ENG": "makeshift " + }, + "artery": { + "CHS": "动脉;干道;主流", + "ENG": "one of the tubes that carries blood from your heart to the rest of your body" + }, + "silk": { + "CHS": "(玉米)处于长须的阶段中" + }, + "guy": { + "CHS": "嘲弄,取笑" + }, + "romantic": { + "CHS": "使…浪漫化" + }, + "gut": { + "CHS": "简单的;本质的,根本的;本能的,直觉的", + "ENG": "A gut feeling is based on instinct or emotion rather than reason" + }, + "tedious": { + "CHS": "沉闷的;冗长乏味的", + "ENG": "something that is tedious continues for a long time and is not interesting" + }, + "friendly": { + "CHS": "(Friendly)人名;(英)弗兰德利" + }, + "anguish": { + "CHS": "使极度痛苦" + }, + "gun": { + "CHS": "用枪射击;加大油门快速前进" + }, + "mechanic": { + "CHS": "手工的" + }, + "conquest": { + "CHS": "征服,战胜;战利品", + "ENG": "the act of getting control of a country by fighting" + }, + "physiological": { + "CHS": "生理学的,生理的" + }, + "bug": { + "CHS": "烦扰,打扰;装窃听器", + "ENG": "to put a bug (= small piece of electronic equipment ) somewhere secretly in order to listen to conversations" + }, + "curse": { + "CHS": "诅咒;咒骂", + "ENG": "to swear" + }, + "badge": { + "CHS": "授给…徽章" + }, + "gang": { + "CHS": "使成群结队;结伙伤害或恐吓某人" + }, + "bud": { + "CHS": "发芽,萌芽", + "ENG": "to produce buds" + }, + "nucleus": { + "CHS": "核,核心;原子核", + "ENG": "the central part of an atom, made up of neutrons, protons, and other elementary particles" + }, + "swift": { + "CHS": "迅速地" + }, + "extravagant": { + "CHS": "奢侈的;浪费的;过度的;放纵的", + "ENG": "spending or costing a lot of money, especially more than is necessary or more than you can afford" + }, + "latent": { + "CHS": "潜在的;潜伏的;隐藏的", + "ENG": "something that is latent is present but hidden, and may develop or become more noticeable in the future" + }, + "beef": { + "CHS": "抱怨,告发;发牢骚", + "ENG": "to complain a lot" + }, + "nominal": { + "CHS": "[语] 名词性词" + }, + "reproduce": { + "CHS": "复制;再生;生殖;使…在脑海中重现", + "ENG": "if an animal or plant reproduces, or reproduces itself, it produces young plants or animals" + }, + "geology": { + "CHS": "地质学;地质情况", + "ENG": "the study of the rocks, soil etc that make up the Earth, and of the way they have changed since the Earth was formed" + }, + "beer": { + "CHS": "喝啤酒" + }, + "hurry": { + "CHS": "仓促(做某事);催促;(朝某方向)迅速移动;迅速处理", + "ENG": "to make someone do something more quickly" + }, + "survey": { + "CHS": "调查;勘测;俯瞰", + "ENG": "to ask a large number of people questions in order to find out their attitudes or opinions" + }, + "gown": { + "CHS": "使穿睡衣" + }, + "divine": { + "CHS": "牧师;神学家" + }, + "tongue": { + "CHS": "舔;斥责;用舌吹", + "ENG": "to use your tongue to make separate sounds when playing a musical instrument" + }, + "sink": { + "CHS": "水槽;洗涤槽;污水坑", + "ENG": "a large open container that you fill with water and use for washing yourself, washing dishes etc" + }, + "sing": { + "CHS": "演唱;鸣声;呼啸声" + }, + "rejoice": { + "CHS": "高兴;庆祝" + }, + "pitch": { + "CHS": "沥青;音高;程度;树脂;倾斜;投掷;球场", + "ENG": "a marked out area of ground on which a sport is played" + }, + "cafeteria": { + "CHS": "自助餐厅", + "ENG": "a restaurant, often in a factory, college etc, where you choose from foods that have already been cooked and carry your own food to a table" + }, + "trolley": { + "CHS": "用手推车运" + }, + "erase": { + "CHS": "抹去;擦除", + "ENG": "to remove information from a computer memory or recorded sounds from a tape" + }, + "eject": { + "CHS": "喷射;驱逐,逐出", + "ENG": "to make someone leave a place or building by using force" + }, + "ashamed": { + "CHS": "惭愧的,感到难为情的;耻于……的", + "ENG": "feeling very sorry and embarrassed because of something you have done" + }, + "junk": { + "CHS": "垃圾,废物;舢板", + "ENG": "old or unwanted objects that have no use or value" + }, + "complement": { + "CHS": "补足,补助", + "ENG": "If people or things complement each other, they are different or do something different, which makes them a good combination" + }, + "upper": { + "CHS": "(Upper)人名;(英)厄珀" + }, + "hopeful": { + "CHS": "有希望成功的人", + "ENG": "someone who is hoping to be successful, especially in acting, sports, politics etc" + }, + "tariff": { + "CHS": "定税率;征收关税" + }, + "comprehend": { + "CHS": "理解;包含;由…组成", + "ENG": "to understand something that is complicated or difficult" + }, + "bacterium": { + "CHS": "[微] 细菌;杆菌属" + }, + "blunder": { + "CHS": "大错", + "ENG": "a careless or stupid mistake" + }, + "fridge": { + "CHS": "电冰箱", + "ENG": "a large piece of electrical kitchen equipment, used for keeping food and drinks cool" + }, + "towel": { + "CHS": "用毛巾擦", + "ENG": "to dry yourself using a towel" + }, + "rifle": { + "CHS": "用步枪射击;抢夺;偷走" + }, + "kidney": { + "CHS": "[解剖] 肾脏;腰子;个性", + "ENG": "one of the two organs in your lower back that separate waste products from your blood and make urine" + }, + "storage": { + "CHS": "存储;仓库;贮藏所", + "ENG": "the process of keeping or putting something in a special place while it is not being used" + }, + "auction": { + "CHS": "拍卖", + "ENG": "a public meeting where land, buildings, paintings etc are sold to the person who offers the most money for them" + }, + "solemn": { + "CHS": "庄严的,严肃的;隆重的,郑重的", + "ENG": "very serious and not happy, for example because something bad has happened or because you are at an important occasion" + }, + "intensity": { + "CHS": "强度;强烈;[电子] 亮度;紧张", + "ENG": "the quality of being felt very strongly or having a strong effect" + }, + "sham": { + "CHS": "假的;虚假的;假装的", + "ENG": "made to appear real in order to deceive people" + }, + "jewelry": { + "CHS": "珠宝;珠宝类" + }, + "ghost": { + "CHS": "作祟于;替…捉刀;为人代笔", + "ENG": "to write something as a ghost writer " + }, + "storm": { + "CHS": "起风暴;横冲直撞;狂怒咆哮", + "ENG": "to shout something in an angry way" + }, + "lord": { + "CHS": "使成贵族" + }, + "sausage": { + "CHS": "香肠;腊肠;装香肠的碎肉", + "ENG": "a small tube of skin filled with a mixture of meat, spices etc, eaten hot or cold after it has been cooked" + }, + "virgin": { + "CHS": "处女", + "ENG": "someone who has never had sex" + }, + "sail": { + "CHS": "帆,篷;航行", + "ENG": "a large piece of strong cloth fixed onto a boat, so that the wind will push the boat along" + }, + "instant": { + "CHS": "瞬间;立即;片刻", + "ENG": "a moment" + }, + "deer": { + "CHS": "鹿", + "ENG": "a large wild animal that can run very fast, eats grass, and has horns" + }, + "quantify": { + "CHS": "量化;为…定量;确定数量", + "ENG": "to calculate the value of something and express it as a number or an amount" + }, + "affection": { + "CHS": "喜爱,感情;影响;感染", + "ENG": "a feeling of liking or love and caring" + }, + "forgive": { + "CHS": "原谅;免除(债务、义务等)", + "ENG": "to stop being angry with someone and stop blaming them, although they have done something wrong" + }, + "postcard": { + "CHS": "明信片", + "ENG": "a card that can be sent in the post without an envelope, especially one with a picture on it" + }, + "transmission": { + "CHS": "传动装置,[机] 变速器;传递;传送;播送", + "ENG": "the process of sending out electronic signals, messages etc, using radio, television, or other similar equipment" + }, + "betray": { + "CHS": "背叛;出卖;泄露(秘密);露出…迹象", + "ENG": "to be disloyal to someone who trusts you, so that they are harmed or upset" + }, + "confess": { + "CHS": "承认;坦白;忏悔;供认", + "ENG": "to admit, especially to the police, that you have done something wrong or illegal" + }, + "magic": { + "CHS": "不可思议的;有魔力的;魔术的", + "ENG": "in stories, a magic word or object has special powers that make the person using it able to do impossible things" + }, + "voyage": { + "CHS": "航行;航海", + "ENG": "to travel to a place, especially by ship" + }, + "explicit": { + "CHS": "明确的;清楚的;直率的;详述的", + "ENG": "expressed in a way that is very clear and direct" + }, + "butter": { + "CHS": "黄油;奶油;奉承话", + "ENG": "a solid yellow food made from milk or cream that you spread on bread or use in cooking" + }, + "paste": { + "CHS": "面团,膏;糊状物,[胶粘] 浆糊", + "ENG": "a soft thick mixture that can easily be shaped or spread" + }, + "reservation": { + "CHS": "预约,预订;保留", + "ENG": "an arrangement which you make so that a place in a hotel, restaurant, plane etc is kept for you at a particular time in the future" + }, + "resolute": { + "CHS": "坚决的;果断的", + "ENG": "doing something in a very determined way because you have very strong beliefs, aims etc" + }, + "quartz": { + "CHS": "石英", + "ENG": "a hard mineral substance that is used in making electronic watches and clocks" + }, + "artificial": { + "CHS": "人造的;仿造的;虚伪的;非原产地的;武断的", + "ENG": "not real or not made of natural things but made to be like something that is real or natural" + }, + "zinc": { + "CHS": "锌", + "ENG": "a blue-white metal that is used to make brass and to cover and protect objects made of iron. It is a chemical element: symbol Zn" + }, + "shrug": { + "CHS": "耸肩", + "ENG": "a movement of your shoulders upwards and then downwards again that you make to show that you do not know something or do not care about something" + }, + "battery": { + "CHS": "[电] 电池,蓄电池", + "ENG": "an object that provides a supply of electricity for something such as a radio, car, or toy" + }, + "domain": { + "CHS": "领域;域名;产业;地产", + "ENG": "an area of activity, interest, or knowledge, especially one that a particular person, organization etc deals with" + }, + "loop": { + "CHS": "环;圈;弯曲部分;翻筋斗", + "ENG": "a shape like a curve or a circle made by a line curving back towards itself, or a piece of wire, string etc that has this shape" + }, + "sheep": { + "CHS": "羊,绵羊;胆小鬼", + "ENG": "a farm animal that is kept for its wool and its meat" + }, + "sheer": { + "CHS": "偏航;透明薄织物" + }, + "deck": { + "CHS": "装饰;装甲板;打扮", + "ENG": "to decorate something with flowers, flags etc" + }, + "fasten": { + "CHS": "(Fasten)人名;(英)法森" + }, + "install": { + "CHS": "安装;任命;安顿", + "ENG": "to put a piece of equipment somewhere and connect it so that it is ready to be used" + }, + "intensive": { + "CHS": "加强器" + }, + "linear": { + "CHS": "线的,线型的;直线的,线状的;长度的", + "ENG": "consisting of lines, or in the form of a straight line" + }, + "wreck": { + "CHS": "破坏;使失事;拆毁", + "ENG": "to completely spoil something so that it cannot continue in a successful way" + }, + "stool": { + "CHS": "长新枝;分檗" + }, + "stoop": { + "CHS": "弯腰,屈背;屈服", + "ENG": "if you have a stoop, your shoulders are bent forward" + }, + "exceptional": { + "CHS": "超常的学生" + }, + "vowel": { + "CHS": "元音的" + }, + "chocolate": { + "CHS": "巧克力色的;巧克力口味的" + }, + "staple": { + "CHS": "把…分级;钉住" + }, + "courtyard": { + "CHS": "庭院,院子;天井", + "ENG": "an open space that is completely or partly surrounded by buildings" + }, + "napkin": { + "CHS": "餐巾;餐巾纸;尿布", + "ENG": "a square piece of cloth or paper used for protecting your clothes and for cleaning your hands and lips during a meal" + }, + "quiver": { + "CHS": "颤抖;振动", + "ENG": "to shake slightly because you are cold, or because you feel very afraid, angry, excited etc" + }, + "versus": { + "CHS": "对;与相对;对抗", + "ENG": "used to show that two people or teams are competing against each other in a game or court case" + }, + "stone": { + "CHS": "向扔石块;用石头铺", + "ENG": "to throw stones at someone or something" + }, + "tragedy": { + "CHS": "悲剧;灾难;惨案", + "ENG": "a very sad event, that shocks people because it involves death" + }, + "dear": { + "CHS": "亲爱的人", + "ENG": "You can call someone dear as a sign of affection" + }, + "endurance": { + "CHS": "忍耐力;忍耐;持久;耐久", + "ENG": "the ability to continue doing something difficult or painful over a long period of time" + }, + "installment": { + "CHS": "安装;分期付款;部分;就职" + }, + "autumn": { + "CHS": "秋天的,秋季的" + }, + "dean": { + "CHS": "院长;系主任;教务长;主持牧师", + "ENG": "a priest of high rank in the Christian church who is in charge of several priests or churches" + }, + "deaf": { + "CHS": "聋的", + "ENG": "physically unable to hear anything or unable to hear well" + }, + "radiant": { + "CHS": "光点;发光的物体" + }, + "priest": { + "CHS": "使成为神职人员;任命…为祭司" + }, + "establishment": { + "CHS": "确立,制定;公司;设施", + "ENG": "the act of starting an organization, relationship, or system" + }, + "mysterious": { + "CHS": "神秘的;不可思议的;难解的", + "ENG": "mysterious events or situations are difficult to explain or understand" + }, + "flavor": { + "CHS": "加味于" + }, + "sanction": { + "CHS": "制裁,处罚;批准;鼓励", + "ENG": "to officially accept or allow something" + }, + "drain": { + "CHS": "排水;下水道,排水管;消耗", + "ENG": "a pipe that carries water or waste liquids away" + }, + "interim": { + "CHS": "过渡时期,中间时期;暂定", + "ENG": "in the period of time between two events" + }, + "continual": { + "CHS": "持续不断的;频繁的", + "ENG": "continuing for a long time without stopping" + }, + "contemporary": { + "CHS": "当代的;同时代的;属于同一时期的", + "ENG": "belonging to the present time" + }, + "trash": { + "CHS": "丢弃;修剪树枝" + }, + "eloquent": { + "CHS": "意味深长的;雄辩的,有口才的;有说服力的;动人的", + "ENG": "able to express your ideas and opinions well, especially in a way that influences people" + }, + "lend": { + "CHS": "(Lend)人名;(德)伦德" + }, + "galaxy": { + "CHS": "银河;[天] 星系;银河系;一群显赫的人", + "ENG": "one of the large groups of stars that make up the universe" + }, + "mushroom": { + "CHS": "迅速增加;采蘑菇;迅速生长", + "ENG": "to grow and develop very quickly" + }, + "simulate": { + "CHS": "模仿的;假装的" + }, + "boast": { + "CHS": "自夸;值得夸耀的事物,引以为荣的事物", + "ENG": "something that you like telling people because you are proud of it" + }, + "sensation": { + "CHS": "感觉;轰动;感动", + "ENG": "a feeling that you get from one of your five senses, especially the sense of touch" + }, + "garage": { + "CHS": "把……送入车库;把(汽车)开进车库", + "ENG": "to put or keep a vehicle in a garage" + }, + "destruction": { + "CHS": "破坏,毁灭;摧毁", + "ENG": "the act or process of destroying something or of being destroyed" + }, + "waist": { + "CHS": "腰,腰部", + "ENG": "the narrow part in the middle of the human body" + }, + "frequency": { + "CHS": "频率;频繁", + "ENG": "the number of times that something happens within a particular period of time or within a particular group of people" + }, + "husband": { + "CHS": "丈夫", + "ENG": "the man that a woman is married to" + }, + "sack": { + "CHS": "解雇;把……装入袋;劫掠", + "ENG": "to dismiss someone from their job" + }, + "analytic": { + "CHS": "分析的;解析的;善于分析的", + "ENG": "Analytic means the same as " + }, + "sponge": { + "CHS": "海绵;海绵状物", + "ENG": "a piece of a soft natural or artificial substance full of small holes, which can suck up liquid and is used for washing" + }, + "defence": { + "CHS": "防御;防卫;答辩;防卫设备", + "ENG": "something you do or a way of behaving that prevents you from seeming weak or being hurt by others" + }, + "treaty": { + "CHS": "条约,协议;谈判", + "ENG": "a formal written agreement between two or more countries or governments" + }, + "disable": { + "CHS": "使失去能力;使残废;使无资格", + "ENG": "to make someone unable to use a part of their body properly" + }, + "handy": { + "CHS": "(Handy)人名;(英)汉迪" + }, + "export": { + "CHS": "输出物资", + "ENG": "to sell goods to another country" + }, + "tropic": { + "CHS": "热带的" + }, + "urban": { + "CHS": "(Urban)人名;(西)乌尔万;(斯洛伐)乌尔班;(德、俄、罗、匈、塞、波、捷、瑞典、意)乌尔班;(英)厄本;(法)于尔邦" + }, + "metre": { + "CHS": "米;公尺;韵律", + "ENG": "the basic unit for measuring length in the metric system " + }, + "reckon": { + "CHS": "测算,估计;认为;计算", + "ENG": "spoken to think or suppose something" + }, + "cooperative": { + "CHS": "合作社", + "ENG": "a business or organization owned equally by all the people working there" + }, + "amend": { + "CHS": "(Amend)人名;(德、英)阿门德" + }, + "idiom": { + "CHS": "成语,习语;土话", + "ENG": "a group of words that has a special meaning that is different from the ordinary meaning of each separate word. For example, ‘under the weather’ is an idiom meaning ‘ill’." + }, + "door": { + "CHS": "门;家,户;门口;通道", + "ENG": "the large flat piece of wood, glass etc that you move when you go into or out of a building, room, vehicle etc, or when you open a cupboard" + }, + "luggage": { + "CHS": "行李;皮箱", + "ENG": "the cases, bags etc that you carry when you are travelling" + }, + "inclusive": { + "CHS": "包括的,包含的", + "ENG": "an inclusive price or cost includes everything" + }, + "rouse": { + "CHS": "觉醒;奋起" + }, + "button": { + "CHS": "扣住;扣紧;在…上装纽扣", + "ENG": "to fasten clothes with buttons, or to be fastened with buttons" + }, + "realm": { + "CHS": "领域,范围;王国", + "ENG": "a general area of knowledge, activity, or thought" + }, + "feast": { + "CHS": "筵席,宴会;节日", + "ENG": "a large meal where a lot of people celebrate a special occasion" + }, + "prosper": { + "CHS": "(Prosper)人名;(英、德、罗、法)普罗斯珀" + }, + "idiot": { + "CHS": "笨蛋,傻瓜;白痴", + "ENG": "a stupid person or someone who has done something stupid" + }, + "tramp": { + "CHS": "流浪者;沉重的脚步声;徒步旅行", + "ENG": "someone who has no home or job and moves from place to place, often asking for food or money" + }, + "knob": { + "CHS": "使有球形突出物" + }, + "wonderful": { + "CHS": "极好的,精彩的,绝妙的;奇妙的;美妙;胜;神妙", + "ENG": "making you admire someone or something very much" + }, + "waterproof": { + "CHS": "防水材料", + "ENG": "a jacket or coat that does not allow rain and water through it" + }, + "ox": { + "CHS": "牛;公牛", + "ENG": "a bull whose sex organs have been removed, often used for working on farms" + }, + "commend": { + "CHS": "推荐;称赞;把…委托", + "ENG": "to praise or approve of someone or something publicly" + }, + "inertia": { + "CHS": "[力] 惯性;惰性,迟钝;不活动", + "ENG": "when no one wants to do anything to change a situation" + }, + "melon": { + "CHS": "瓜;甜瓜;大肚子;圆鼓鼓像瓜似的东西", + "ENG": "a large round fruit with sweet juicy flesh" + }, + "gramme": { + "CHS": "克" + }, + "fireman": { + "CHS": "消防队员;救火队员;锅炉工", + "ENG": "a man whose job is to stop fires burning" + }, + "industrialize": { + "CHS": "使工业化", + "ENG": "When a country industrializes or is industrialized, it develops a lot of industries" + }, + "warfare": { + "CHS": "战争;冲突", + "ENG": "the activity of fighting in a war – used especially when talking about particular methods of fighting" + }, + "accumulate": { + "CHS": "累积;积聚", + "ENG": "to gradually get more and more money, possessions, knowledge etc over a period of time" + }, + "crew": { + "CHS": "一起工作" + }, + "moss": { + "CHS": "使长满苔藓" + }, + "necessity": { + "CHS": "需要;必然性;必需品", + "ENG": "something that you need to have in order to live" + }, + "utmost": { + "CHS": "极度的;最远的", + "ENG": "You can use utmost to emphasize the importance or seriousness of something or to emphasize the way that it is done" + }, + "detector": { + "CHS": "探测器;检测器;发现者;侦察器", + "ENG": "a machine or piece of equipment that finds or measures something" + }, + "obsession": { + "CHS": "痴迷;困扰;[内科][心理] 强迫观念", + "ENG": "an extreme unhealthy interest in something or worry about something, which stops you from thinking about anything else" + }, + "southwest": { + "CHS": "往西南;来自西南", + "ENG": "If you go southwest, you travel toward the southwest" + }, + "vegetarian": { + "CHS": "素食的", + "ENG": "Someone who is vegetarian never eats meat or fish" + }, + "inhale": { + "CHS": "吸入;猛吃猛喝", + "ENG": "to breathe in air, smoke, or gas" + }, + "porch": { + "CHS": "门廊;走廊", + "ENG": "an entrance covered by a roof outside the front door of a house or church" + }, + "crawl": { + "CHS": "爬行;养鱼池;匍匐而行", + "ENG": "an enclosure in shallow, coastal water for fish, lobsters, etc " + }, + "catastrophe": { + "CHS": "大灾难;大祸;惨败", + "ENG": "a terrible event in which there is a lot of destruction, suffering, or death" + }, + "delicious": { + "CHS": "美味的;可口的", + "ENG": "very pleasant to taste or smell" + }, + "malignant": { + "CHS": "保王党员;怀恶意的人" + }, + "violin": { + "CHS": "小提琴;小提琴手", + "ENG": "a small wooden musical instrument that you hold under your chin and play by pulling a bow(= special stick ) across the strings" + }, + "plane": { + "CHS": "平的;平面的", + "ENG": "completely flat and smooth" + }, + "item": { + "CHS": "记下;逐条列出" + }, + "puff": { + "CHS": "粉扑;泡芙;蓬松;一阵喷烟;肿块;吹嘘,宣传广告", + "ENG": "Puff is also a noun" + }, + "cousin": { + "CHS": "堂兄弟姊妹;表兄弟姊妹", + "ENG": "the child of your uncle or aunt " + }, + "bracket": { + "CHS": "括在一起;把…归入同一类;排除", + "ENG": "If two or more people or things are bracketed together, they are considered to be similar or related in some way" + }, + "fatigue": { + "CHS": "疲劳的" + }, + "versatile": { + "CHS": "多才多艺的;通用的,万能的;多面手的", + "ENG": "someone who is versatile has many different skills" + }, + "trail": { + "CHS": "小径;痕迹;尾部;踪迹;一串,一系列", + "ENG": "a rough path across countryside or through a forest" + }, + "lavatory": { + "CHS": "厕所,盥洗室", + "ENG": "a toilet or the room a toilet is in" + }, + "lover": { + "CHS": "爱人,恋人;爱好者", + "ENG": "someone’s lover is the person they are having a sexual relationship with but who they are not married to" + }, + "stove": { + "CHS": "用火炉烤" + }, + "ink": { + "CHS": "墨水,墨汁;油墨", + "ENG": "a coloured liquid that you use for writing, printing or drawing" + }, + "levy": { + "CHS": "征收(税等);征集(兵等)", + "ENG": "to officially say that people must pay a tax or charge" + }, + "moon": { + "CHS": "闲荡;出神" + }, + "outfit": { + "CHS": "得到装备", + "ENG": "to provide someone or something with a set of clothes or equipment, especially ones that are needed for a particular purpose" + }, + "dome": { + "CHS": "加圆屋顶于…上" + }, + "blur": { + "CHS": "污迹;模糊不清的事物", + "ENG": "a shape that you cannot see clearly" + }, + "drift": { + "CHS": "漂流,漂移;漂泊", + "ENG": "to move slowly on water or in the air" + }, + "microscope": { + "CHS": "显微镜", + "ENG": "a scientific instrument that makes extremely small things look larger" + }, + "paperback": { + "CHS": "纸面装订的;纸面平装本书籍的" + }, + "agony": { + "CHS": "苦恼;极大的痛苦;临死的挣扎", + "ENG": "very severe pain" + }, + "crazy": { + "CHS": "疯狂的;狂热的,着迷的", + "ENG": "very strange or not sensible" + }, + "corrode": { + "CHS": "侵蚀;损害", + "ENG": "if metal corrodes, or if something corrodes it, it is slowly destroyed by the effect of water, chemicals etc" + }, + "ample": { + "CHS": "(Ample)人名;(西)安普尔" + }, + "radiate": { + "CHS": "辐射状的,有射线的" + }, + "statute": { + "CHS": "[法] 法规;法令;条例", + "ENG": "a law passed by a parliament, council etc and formally written down" + }, + "dispose": { + "CHS": "处置;性情" + }, + "expel": { + "CHS": "驱逐;开除", + "ENG": "to officially force someone to leave a school or organization" + }, + "afternoon": { + "CHS": "午后,下午", + "ENG": "the part of the day after the morning and before the evening" + }, + "destructive": { + "CHS": "破坏的;毁灭性的;有害的,消极的", + "ENG": "causing damage to people or things" + }, + "smash": { + "CHS": "了不起的;非常轰动的;出色的" + }, + "devil": { + "CHS": "虐待,折磨;(用扯碎机)扯碎;(替作家,律师等)做助手;抹辣味料烤制或煎煮" + }, + "insulate": { + "CHS": "隔离,使孤立;使绝缘,使隔热", + "ENG": "to cover or protect something with a material that stops electricity, sound, heat etc from getting in or out" + }, + "knot": { + "CHS": "打结", + "ENG": "to tie together two ends or pieces of string, rope, cloth etc" + }, + "electrical": { + "CHS": "有关电的;电气科学的", + "ENG": "relating to electricity" + }, + "violet": { + "CHS": "紫色的;紫罗兰色的" + }, + "shear": { + "CHS": "[力] 切变;修剪;大剪刀", + "ENG": "A pair of shears is a garden tool like a very large pair of scissors. Shears are used especially for cutting hedges. " + }, + "meadow": { + "CHS": "草地;牧场", + "ENG": "a field with wild grass and flowers" + }, + "bench": { + "CHS": "给…以席位;为…设置条凳" + }, + "metropolitan": { + "CHS": "大城市人;大主教;宗主国的公民" + }, + "advisable": { + "CHS": "明智的,可取的,适当的", + "ENG": "something that is advisable should be done in order to avoid problems or risks" + }, + "elevator": { + "CHS": "电梯;升降机;升降舵;起卸机", + "ENG": "a machine that takes people and goods from one level to another in a building" + }, + "aluminum": { + "CHS": "铝" + }, + "suicide": { + "CHS": "自杀" + }, + "rubber": { + "CHS": "涂橡胶于;用橡胶制造" + }, + "normalization": { + "CHS": "正常化;标准化;正规化;常态化" + }, + "acquaint": { + "CHS": "使熟悉;使认识" + }, + "grace": { + "CHS": "使优美", + "ENG": "to make a place or an object look more attractive" + }, + "pure": { + "CHS": "(Pure)人名;(俄)普雷" + }, + "loaf": { + "CHS": "游荡;游手好闲;虚度光阴", + "ENG": "to spend time somewhere and not do very much" + }, + "trademark": { + "CHS": "商标", + "ENG": "a special name, sign, or word that is marked on a product to show that it is made by a particular company, that cannot be used by any other company" + }, + "load": { + "CHS": "[力] 加载;装载;装货", + "ENG": "to put a large quantity of something into a vehicle or container" + }, + "nearby": { + "CHS": "在…附近" + }, + "presume": { + "CHS": "假定;推测;擅自;意味着", + "ENG": "If you presume that something is the case, you think that it is the case, although you are not certain" + }, + "conversion": { + "CHS": "转换;变换;[金融] 兑换;改变信仰", + "ENG": "when you change something from one form, purpose, or system to a different one" + }, + "irritate": { + "CHS": "刺激,使兴奋;激怒", + "ENG": "to make someone feel annoyed or impatient, especially by doing something many times or for a long period of time" + }, + "plot": { + "CHS": "密谋;绘图;划分;标绘", + "ENG": "to make a secret plan to harm a person or organization, especially a political leader or government" + }, + "outskirts": { + "CHS": "市郊,郊区", + "ENG": "the parts of a town or city that are furthest from the centre" + }, + "grade": { + "CHS": "评分;把…分等级", + "ENG": "to say what level of a quality something has, or what standard it is" + }, + "slide": { + "CHS": "滑动;滑落;不知不觉陷入", + "ENG": "to move smoothly over a surface while continuing to touch it, or to make something move in this way" + }, + "axe": { + "CHS": "削减;用斧砍" + }, + "solitary": { + "CHS": "独居者;隐士", + "ENG": "someone who lives completely alone" + }, + "scratch": { + "CHS": "抓;刮;挖出;乱涂", + "ENG": "to rub your skin with your nails because it feels uncomfortable" + }, + "vocal": { + "CHS": "声乐作品;元音" + }, + "transcend": { + "CHS": "胜过,超越", + "ENG": "to go beyond the usual limits of something" + }, + "outward": { + "CHS": "外表;外面;物质世界" + }, + "park": { + "CHS": "停放;放置;寄存", + "ENG": "to put a car or other vehicle in a particular place for a period of time" + }, + "settlement": { + "CHS": "解决,处理;[会计] 结算;沉降;殖民", + "ENG": "an official agreement or decision that ends an argument, a court case, or a fight, or the action of making an agreement" + }, + "banana": { + "CHS": "香蕉;喜剧演员;大鹰钩鼻", + "ENG": "a long curved tropical fruit with a yellow skin" + }, + "isle": { + "CHS": "住在岛屿上" + }, + "necessitate": { + "CHS": "使成为必需,需要;迫使", + "ENG": "to make it necessary for you to do something" + }, + "orphan": { + "CHS": "使成孤儿", + "ENG": "to become an orphan" + }, + "pistol": { + "CHS": "用手枪射击" + }, + "piston": { + "CHS": "活塞", + "ENG": "a part of an engine consisting of a short solid piece of metal inside a tube, which moves up and down to make the other parts of the engine move" + }, + "keen": { + "CHS": "痛哭,挽歌" + }, + "squirrel": { + "CHS": "贮藏" + }, + "optical": { + "CHS": "光学的;眼睛的,视觉的", + "ENG": "relating to machines or processes which are concerned with light, images, or the way we see things" + }, + "conspiracy": { + "CHS": "阴谋;共谋;阴谋集团", + "ENG": "a secret plan made by two or more people to do something that is harmful or illegal" + }, + "hug": { + "CHS": "拥抱;紧抱;固执", + "ENG": "the action of putting your arms around someone and holding them tightly to show love or friendship" + }, + "frost": { + "CHS": "霜;冰冻,严寒;冷淡", + "ENG": "very cold weather, when water freezes" + }, + "crow": { + "CHS": "[鸟] 乌鸦;鸡鸣;撬棍", + "ENG": "a large shiny black bird with a loud cry" + }, + "cancel": { + "CHS": "取消,撤销" + }, + "bathroom": { + "CHS": "浴室;厕所;盥洗室", + "ENG": "a room where there is a bath or shower , a basin , and sometimes a toilet" + }, + "eligible": { + "CHS": "合格者;适任者;有资格者" + }, + "handbook": { + "CHS": "手册;指南", + "ENG": "a short book that gives information or instructions about something" + }, + "knit": { + "CHS": "编织衣物;编织法" + }, + "dessert": { + "CHS": "餐后甜点;甜点心", + "ENG": "sweet food served after the main part of a meal" + }, + "verse": { + "CHS": "作诗" + }, + "shallow": { + "CHS": "使变浅" + }, + "pump": { + "CHS": "泵,抽水机;打气筒", + "ENG": "a machine for forcing liquid or gas into or out of something" + }, + "input": { + "CHS": "[自][电子] 输入;将…输入电脑", + "ENG": "If you input information into a computer, you feed it in, for example, by typing it on a keyboard" + }, + "handwriting": { + "CHS": "亲手写(handwrite的ing形式)" + }, + "expend": { + "CHS": "花费;消耗;用光;耗尽", + "ENG": "to use or spend a lot of energy etc in order to do something" + }, + "forthcoming": { + "CHS": "来临" + }, + "prince": { + "CHS": "王子,国君;亲王;贵族", + "ENG": "the son of a king, queen, or prince" + }, + "tolerant": { + "CHS": "宽容的;容忍的;有耐药力的", + "ENG": "allowing people to do, say, or believe what they want without criticizing or punishing them" + }, + "implement": { + "CHS": "工具,器具;手段", + "ENG": "a tool, especially one used for outdoor physical work" + }, + "bunch": { + "CHS": "隆起;打褶;形成一串", + "ENG": "to pull material together tightly in folds" + }, + "plain": { + "CHS": "清楚地;平易地" + }, + "foul": { + "CHS": "违反规则地,不正当地" + }, + "consult": { + "CHS": "查阅;商量;向…请教", + "ENG": "to ask for information or advice from someone because it is their job to know something" + }, + "ladder": { + "CHS": "成名;发迹" + }, + "centigrade": { + "CHS": "摄氏的;[仪] 摄氏温度的;百分度的", + "ENG": "Centigrade is a scale for measuring temperature, in which water freezes at 0 degrees and boils at 100 degrees. It is represented by the symbol °C. " + }, + "dilemma": { + "CHS": "困境;进退两难;两刀论法", + "ENG": "a situation in which it is very difficult to decide what to do, because all the choices seem equally good or equally bad" + }, + "halt": { + "CHS": "停止;立定;休息", + "ENG": "a stop or pause" + }, + "countryside": { + "CHS": "农村,乡下;乡下的全体居民", + "ENG": "land that is outside cities and towns" + }, + "relay": { + "CHS": "[电] 继电器;接替,接替人员;驿马" + }, + "generalize": { + "CHS": "概括;推广;使一般化", + "ENG": "to form a general principle or opinion after considering only a small number of facts or examples" + }, + "sarcastic": { + "CHS": "挖苦的;尖刻的,辛辣的", + "ENG": "saying things that are the opposite of what you mean, in order to make an unkind joke or to show that you are annoyed" + }, + "bibliography": { + "CHS": "参考书目;文献目录", + "ENG": "a list of all the books and articles used in preparing a piece of writing" + }, + "dealer": { + "CHS": "经销商;商人", + "ENG": "someone who buys and sells a particular product, especially an expensive one" + }, + "circular": { + "CHS": "通知,传单" + }, + "airport": { + "CHS": "机场;航空站", + "ENG": "a place where planes take off and land, with buildings for passengers to wait in" + }, + "periodical": { + "CHS": "期刊;杂志", + "ENG": "a magazine, especially one about a serious or technical subject" + }, + "brutal": { + "CHS": "残忍的;野蛮的,不讲理的", + "ENG": "very cruel and violent" + }, + "projector": { + "CHS": "[仪] 投影仪;放映机;探照灯;设计者", + "ENG": "a piece of equipment that makes a film or picture appear on a screen or flat surface" + }, + "sturdy": { + "CHS": "羊晕倒病" + }, + "yawn": { + "CHS": "打哈欠;裂开", + "ENG": "to open your mouth wide and breathe in deeply because you are tired or bored" + }, + "ash": { + "CHS": "灰;灰烬", + "ENG": "the soft grey powder that remains after something has been burned" + }, + "plug": { + "CHS": "塞住;用插头将与电源接通", + "ENG": "to fill or block a small hole" + }, + "picnic": { + "CHS": "去野餐", + "ENG": "to have a picnic" + }, + "tomorrow": { + "CHS": "明天;未来地(等于to-morrow)", + "ENG": "on or during the day after today" + }, + "ship": { + "CHS": "船;舰;太空船", + "ENG": "a large boat used for carrying people or goods across the sea" + }, + "pail": { + "CHS": "桶,提桶", + "ENG": "a metal or wooden container with a handle, used for carrying liquids" + }, + "stranger": { + "CHS": "陌生人;外地人;局外人", + "ENG": "someone that you do not know" + }, + "qualitative": { + "CHS": "定性的;质的,性质上的", + "ENG": "relating to the quality or standard of something rather than the quantity" + }, + "glamor": { + "CHS": "迷惑;使有魅力(等于glamour)" + }, + "spit": { + "CHS": "唾液", + "ENG": "the watery liquid that is produced in your mouth" + }, + "evaporate": { + "CHS": "使……蒸发;使……脱水;使……消失", + "ENG": "if a liquid evaporates, or if heat evaporates it, it changes into a gas" + }, + "spin": { + "CHS": "旋转;疾驰", + "ENG": "an act of turning around quickly" + }, + "litter": { + "CHS": "乱丢;给…垫褥草;把…弄得乱七八糟", + "ENG": "if things litter an area, there are a lot of them in that place, scattered in an untidy way" + }, + "fore": { + "CHS": "(打高尔夫球者的叫声)让开!" + }, + "hum": { + "CHS": "哼;嗯" + }, + "spear": { + "CHS": "用矛刺", + "ENG": "to push or throw a spear into something, especially in order to kill it" + }, + "hut": { + "CHS": "住在小屋中;驻扎" + }, + "apt": { + "CHS": "(Apt)人名;(法、波、英)阿普特" + }, + "mayor": { + "CHS": "市长", + "ENG": "the person who has been elected to lead the government of a town or city" + }, + "frown": { + "CHS": "皱眉,蹙额", + "ENG": "the expression on your face when you move your eyebrows together because you are angry, unhappy, or confused" + }, + "exquisite": { + "CHS": "服饰过于讲究的男子" + }, + "scatter": { + "CHS": "分散;散播,撒播" + }, + "outbreak": { + "CHS": "爆发" + }, + "blackboard": { + "CHS": "黑板", + "ENG": "a board with a dark smooth surface, used in schools for writing on with chalk " + }, + "devise": { + "CHS": "遗赠" + }, + "noun": { + "CHS": "名词", + "ENG": "a word or group of words that represent a person (such as ‘Michael’, ‘teacher’ or ‘police officer’), a place (such as ‘France’ or ‘school’), a thing or activity (such as ‘coffee’ or ‘football’), or a quality or idea (such as ‘danger’ or ‘happiness’). Nouns can be used as the subject or object of a verb (as in ‘The teacher arrived’ or ‘We like the teacher’) or as the object of a preposition (as in ‘good at football’)." + }, + "propel": { + "CHS": "推进;驱使;激励;驱策", + "ENG": "to move, drive, or push something forward" + }, + "persevere": { + "CHS": "坚持;不屈不挠;固执己见(在辩论中)", + "ENG": "to continue trying to do something in a very determined way in spite of difficulties – use this to show approval" + }, + "bosom": { + "CHS": "知心的;亲密的", + "ENG": "A bosom buddy is a friend who you know very well and like very much" + }, + "cigaret": { + "CHS": "香烟;纸烟(等于cigarette)" + }, + "pack": { + "CHS": "包装;压紧;捆扎;挑选;塞满", + "ENG": "to put things into cases, bags etc ready for a trip somewhere" + }, + "fool": { + "CHS": "傻的", + "ENG": "silly or stupid" + }, + "amplifier": { + "CHS": "[电子] 放大器,扩大器;扩音器", + "ENG": "a piece of electrical equipment that makes sound louder" + }, + "dismay": { + "CHS": "使沮丧;使惊慌", + "ENG": "If you are dismayed by something, it makes you feel afraid, worried, or sad" + }, + "contaminate": { + "CHS": "污染,弄脏", + "ENG": "to make a place or substance dirty or harmful by putting something such as chemicals or poison in it" + }, + "shoe": { + "CHS": "给……穿上鞋;穿……鞋" + }, + "awe": { + "CHS": "敬畏", + "ENG": "a feeling of great respect and liking for someone or something" + }, + "millionaire": { + "CHS": "100万以上人口的" + }, + "pact": { + "CHS": "协定;公约;条约;契约", + "ENG": "a formal agreement between two groups, countries, or people, especially to help each other or to stop fighting" + }, + "pathetic": { + "CHS": "可怜的,悲哀的;感伤的;乏味的", + "ENG": "making you feel pity or sympathy" + }, + "revenge": { + "CHS": "报复;替…报仇;洗雪", + "ENG": "to punish someone who has done something to harm you or someone else" + }, + "yard": { + "CHS": "把…关进或围在畜栏里" + }, + "testimony": { + "CHS": "[法] 证词,证言;证据", + "ENG": "a formal statement saying that something is true, especially one a witness makes in a court of law" + }, + "excess": { + "CHS": "额外的,过量的;附加的", + "ENG": "additional and not needed because there is already enough of something" + }, + "beneficial": { + "CHS": "有益的,有利的;可享利益的", + "ENG": "having a good effect" + }, + "fond": { + "CHS": "(Fond)人名;(法)丰;(瑞典)丰德" + }, + "scarcely": { + "CHS": "几乎不,简直不;简直没有", + "ENG": "almost not or almost none at all" + }, + "intrigue": { + "CHS": "用诡计取得;激起的兴趣", + "ENG": "if something intrigues you, it interests you a lot because it seems strange or mysterious" + }, + "intuition": { + "CHS": "直觉;直觉力;直觉的知识", + "ENG": "the ability to understand or know something because of a feeling rather than by considering the facts" + }, + "monument": { + "CHS": "为…树碑" + }, + "maiden": { + "CHS": "少女;处女", + "ENG": "a young girl, or a woman who is not married" + }, + "lock": { + "CHS": "锁;水闸;刹车", + "ENG": "a thing that keeps a door, drawer etc fastened and is usually opened with a key or by moving a small metal bar" + }, + "denounce": { + "CHS": "谴责;告发;公然抨击;通告废除", + "ENG": "to express strong disapproval of someone or something, especially in public" + }, + "superficial": { + "CHS": "表面的;肤浅的 ;表面文章的;外表的;(人)浅薄的", + "ENG": "not studying or looking at something carefully and only seeing the most noticeable things" + }, + "menace": { + "CHS": "恐吓;进行威胁", + "ENG": "to threaten" + }, + "specification": { + "CHS": "规格;说明书;详述", + "ENG": "a detailed instruction about how a car, building, piece of equipment etc should be made" + }, + "gauge": { + "CHS": "测量;估计;给…定规格", + "ENG": "to measure or calculate something by using a particular instrument or method" + }, + "supersonic": { + "CHS": "超音速;超声波" + }, + "haul": { + "CHS": "拖运;拖拉", + "ENG": "to pull something heavy with a continuous steady movement" + }, + "stocking": { + "CHS": "长袜", + "ENG": "a thin close-fitting piece of clothing that covers a woman’s leg and foot" + }, + "shatter": { + "CHS": "碎片;乱七八糟的状态" + }, + "furnish": { + "CHS": "提供;供应;装备", + "ENG": "to supply or provide something" + }, + "autonomy": { + "CHS": "自治,自治权", + "ENG": "freedom that a place or an organization has to govern or control itself" + }, + "sprinkle": { + "CHS": "洒;微雨;散置", + "ENG": "to scatter small drops of liquid or small pieces of something" + }, + "trick": { + "CHS": "特技的;欺诈的;有决窍的", + "ENG": "when a photograph or picture has been changed so that it looks different from what was really there" + }, + "distinction": { + "CHS": "区别;差别;特性;荣誉、勋章", + "ENG": "a clear difference or separation between two similar things" + }, + "spaceship": { + "CHS": "[航] 宇宙飞船", + "ENG": "a vehicle for carrying people through space" + }, + "comic": { + "CHS": "连环漫画;喜剧演员;滑稽人物", + "ENG": "a magazine for children that tells a story using comic strips" + }, + "texture": { + "CHS": "质地;纹理;结构;本质,实质", + "ENG": "the way a surface or material feels when you touch it, especially how smooth or rough it is" + }, + "differentiate": { + "CHS": "区分,区别", + "ENG": "to recognize or express the difference between things or people" + }, + "rigid": { + "CHS": "严格的;僵硬的,死板的;坚硬的;精确的", + "ENG": "rigid methods, systems etc are very strict and difficult to change" + }, + "deadly": { + "CHS": "非常;如死一般地", + "ENG": "very seri-ous, dull etc" + }, + "junction": { + "CHS": "连接,接合;交叉点;接合点", + "ENG": "a place where one road, track etc joins another" + }, + "cheque": { + "CHS": "支票", + "ENG": "a printed piece of paper that you write an amount of money on, sign, and use instead of money to pay for things" + }, + "typist": { + "CHS": "打字员,打字者", + "ENG": "a secretary whose main job is to type letters" + }, + "naughty": { + "CHS": "顽皮的,淘气的;不听话的;没规矩的;不适当的;下流的", + "ENG": "a naughty child does not obey adults and behaves badly" + }, + "secondary": { + "CHS": "副手;代理人" + }, + "fantasy": { + "CHS": "空想;想像" + }, + "suburb": { + "CHS": "郊区;边缘", + "ENG": "an area where people live which is away from the centre of a town or city" + }, + "conversation": { + "CHS": "交谈,会话;社交;交往,交际;会谈;(人与计算机的)人机对话", + "ENG": "an informal talk in which people exchange news, feelings, and thoughts" + }, + "foundation": { + "CHS": "基础;地基;基金会;根据;创立", + "ENG": "the solid layer of cement , bricks, stones etc that is put under a building to support it" + }, + "trial": { + "CHS": "试验的;审讯的" + }, + "tragic": { + "CHS": "悲剧的;悲痛的,不幸的", + "ENG": "a tragic event or situation makes you feel very sad, especially because it involves death or suffering" + }, + "sophisticated": { + "CHS": "使变得世故;使迷惑;篡改(sophisticate的过去分词形式)" + }, + "ridiculous": { + "CHS": "可笑的;荒谬的", + "ENG": "very silly or unreasonable" + }, + "purple": { + "CHS": "变成紫色" + }, + "tribe": { + "CHS": "部落;族;宗族;一伙", + "ENG": "a social group consisting of people of the same race who have the same beliefs, customs, language etc, and usually live in one particular area ruled by their leader" + }, + "jazz": { + "CHS": "爵士乐的;喧吵的" + }, + "hazard": { + "CHS": "危险,冒险;冒险的事", + "ENG": "something that may be dangerous, or cause accidents or problems" + }, + "excel": { + "CHS": "超过;擅长", + "ENG": "to do something very well, or much better than most people" + }, + "solar": { + "CHS": "日光浴室" + }, + "distill": { + "CHS": "提取;蒸馏;使滴下", + "ENG": "to make a liquid such as water or alcohol more pure by heating it so that it becomes a gas and then letting it cool. Drinks such as whisky are made this way." + }, + "hinge": { + "CHS": "用铰链连接;依…为转移;给…安装铰链;(门等)装有蝶铰", + "ENG": "to attach something, using a hinge" + }, + "guest": { + "CHS": "客人的;特邀的,客座的", + "ENG": "for guests to use" + }, + "bullet": { + "CHS": "射出;迅速行进" + }, + "rehearsal": { + "CHS": "排演;预演;练习;训练;叙述", + "ENG": "a time when all the people in a play, concert etc practise before a public performance" + }, + "compact": { + "CHS": "使简洁;使紧密结合" + }, + "rope": { + "CHS": "捆,绑", + "ENG": "to tie things together using rope" + }, + "witch": { + "CHS": "迷惑;施巫术" + }, + "lorry": { + "CHS": "(英)卡车;[车辆] 货车;运料车", + "ENG": "a large vehicle for carrying heavy goods" + }, + "execute": { + "CHS": "实行;执行;处死", + "ENG": "to kill someone, especially legally as a punishment" + }, + "fax": { + "CHS": "传真", + "ENG": "a letter or message that is sent in electronic form down a telephone line and then printed using a special machine" + }, + "pickup": { + "CHS": "收集,整理;小卡车;拾起;搭车者;偶然结识者" + }, + "notable": { + "CHS": "名人,显要人物" + }, + "yesterday": { + "CHS": "昨天", + "ENG": "on or during the day before today" + }, + "canvas": { + "CHS": "帆布制的" + }, + "label": { + "CHS": "标签;商标;签条", + "ENG": "a piece of paper or another material that is attached to something and gives information about it" + }, + "rural": { + "CHS": "农村的,乡下的;田园的,有乡村风味的", + "ENG": "happening in or relating to the countryside, not the city" + }, + "roof": { + "CHS": "给…盖屋顶,覆盖", + "ENG": "to put a roof on a building" + }, + "procession": { + "CHS": "沿著……行进" + }, + "leak": { + "CHS": "使渗漏,泄露", + "ENG": "if a container, pipe, roof etc leaks, or if it leaks gas, liquid etc, there is a small hole or crack in it that lets gas or liquid flow through" + }, + "tough": { + "CHS": "强硬地,顽强地" + }, + "curriculum": { + "CHS": "课程", + "ENG": "the subjects that are taught by a school, college etc, or the things that are studied in a particular subject" + }, + "leap": { + "CHS": "飞跃;跳跃", + "ENG": "a big jump" + }, + "sweater": { + "CHS": "毛线衣,运动衫;大量出汗的人,发汗剂", + "ENG": "a piece of warm wool or cotton clothing with long sleeves, which covers the top half of your body" + }, + "indoor": { + "CHS": "室内的,户内的", + "ENG": "used or happening inside a building" + }, + "nap": { + "CHS": "使拉毛" + }, + "indication": { + "CHS": "指示,指出;迹象;象征", + "ENG": "a sign, remark, event etc that shows what is happening, what someone is thinking or feeling, or what is true" + }, + "occasion": { + "CHS": "引起,惹起", + "ENG": "to cause something" + }, + "rational": { + "CHS": "有理数" + }, + "circulate": { + "CHS": "传播,流传;循环;流通", + "ENG": "to move around within a system, or to make something do this" + }, + "noticeable": { + "CHS": "显而易见的,显著的;值得注意的", + "ENG": "easy to notice" + }, + "obsolete": { + "CHS": "淘汰;废弃" + }, + "layer": { + "CHS": "把…分层堆放;借助压条法;生根繁殖;将(头发)剪成不同层次", + "ENG": "to make a layer of something or put something down in layers" + }, + "destiny": { + "CHS": "命运,定数,天命", + "ENG": "the things that will happen to someone in the future, especially those that cannot be changed or controlled" + }, + "tremendous": { + "CHS": "极大的,巨大的;惊人的;极好的", + "ENG": "very big, fast, powerful etc" + }, + "freeze": { + "CHS": "冻结;凝固", + "ENG": "a time when people are not allowed to increase prices or pay" + }, + "appal": { + "CHS": "使惊骇;惊吓", + "ENG": "to make someone feel very shocked and upset" + }, + "maid": { + "CHS": "当女仆" + }, + "dense": { + "CHS": "稠密的;浓厚的;愚钝的", + "ENG": "made of or containing a lot of things or people that are very close together" + }, + "circus": { + "CHS": "马戏;马戏团", + "ENG": "a group of people and animals who travel to different places performing skilful tricks as entertainment" + }, + "deposit": { + "CHS": "使沉积;存放", + "ENG": "to put something down in a particular place" + }, + "prescribe": { + "CHS": "规定;开药方", + "ENG": "to state officially what should be done in a particular situation" + }, + "glow": { + "CHS": "灼热;色彩鲜艳;兴高采烈" + }, + "honey": { + "CHS": "对…说甜言蜜语;加蜜使甜" + }, + "ventilate": { + "CHS": "使通风;给…装通风设备;宣布", + "ENG": "to let fresh air into a room, building etc" + }, + "accelerate": { + "CHS": "使……加快;使……增速", + "ENG": "if a process accelerates or if something accelerates it, it happens faster than usual or sooner than you expect" + }, + "hill": { + "CHS": "小山;丘陵;斜坡;山冈", + "ENG": "an area of land that is higher than the land around it, like a mountain but smaller" + }, + "forehead": { + "CHS": "额,前额", + "ENG": "the part of your face above your eyes and below your hair" + }, + "dairy": { + "CHS": "乳品的;牛奶的;牛奶制的;产乳的", + "ENG": "Dairy is used to refer to foods such as butter and cheese that are made from milk" + }, + "mischief": { + "CHS": "恶作剧;伤害;顽皮;不和", + "ENG": "bad behaviour, especially by children, that causes trouble or damage, but no serious harm" + }, + "vacation": { + "CHS": "休假,度假", + "ENG": "to go somewhere for a holiday" + }, + "session": { + "CHS": "会议;(法庭的)开庭;(议会等的)开会;学期;讲习会", + "ENG": "a formal meeting or group of meetings, especially of a law court or parliament" + }, + "silence": { + "CHS": "安静!;别作声!", + "ENG": "complete absence of sound or noise" + }, + "needle": { + "CHS": "缝纫;做针线" + }, + "antique": { + "CHS": "觅购古玩" + }, + "reservoir": { + "CHS": "水库;蓄水池", + "ENG": "a lake, especially an artificial one, where water is stored before it is supplied to people’s houses" + }, + "benign": { + "CHS": "(Benign)人名;(俄)贝尼根" + }, + "volcano": { + "CHS": "火山", + "ENG": "a mountain with a large hole at the top, through which lava(= very hot liquid rock ) is sometimes forced out" + }, + "stereotype": { + "CHS": "陈腔滥调,老套;铅版" + }, + "fiction": { + "CHS": "小说;虚构,编造;谎言", + "ENG": "books and stories about imaginary people and events" + }, + "rape": { + "CHS": "强奸;掠夺,抢夺", + "ENG": "to force someone to have sex, especially by using violence" + }, + "movie": { + "CHS": "电影的" + }, + "nourish": { + "CHS": "滋养;怀有;使健壮", + "ENG": "to give a person or other living thing the food and other substances they need in order to live, grow, and stay healthy" + }, + "pollution": { + "CHS": "污染", + "ENG": "the process of making air, water, soil etc dangerously dirty and not suitable for people to use, or the state of being dangerously dirty" + }, + "prosperity": { + "CHS": "繁荣,成功", + "ENG": "when people have money and everything that is needed for a good life" + }, + "diploma": { + "CHS": "发给…毕业文凭" + }, + "cigar": { + "CHS": "雪茄", + "ENG": "a thick tube-shaped thing that people smoke, and which is made from tobacco leaves that have been rolled up" + }, + "improvement": { + "CHS": "改进,改善;提高", + "ENG": "the act of improving something or the state of being improved" + }, + "square": { + "CHS": "成直角地" + }, + "hike": { + "CHS": "远足;徒步旅行;涨价", + "ENG": "a long walk in the mountains or countryside" + }, + "patch": { + "CHS": "修补;解决;掩饰", + "ENG": "to repair a hole in something by putting a piece of something else over it" + }, + "midst": { + "CHS": "在…中间(等于amidst)", + "ENG": "surrounded by people or things" + }, + "physicist": { + "CHS": "物理学家;唯物论者", + "ENG": "a scientist who has special knowledge and training in physics " + }, + "oriental": { + "CHS": "东方人", + "ENG": "a word for someone from the eastern part of the world, especially China or Japan, now considered offensive" + }, + "envy": { + "CHS": "嫉妒,妒忌;羡慕", + "ENG": "to wish that you had someone else’s possessions, abilities etc" + }, + "capsule": { + "CHS": "压缩;简述" + }, + "synthetic": { + "CHS": "合成物" + }, + "fable": { + "CHS": "煞有介事地讲述;虚构" + }, + "correspondent": { + "CHS": "通讯记者;客户;通信者;代理商行", + "ENG": "someone who is employed by a newspaper or a television station etc to report news from a particular area or on a particular subject" + }, + "pretext": { + "CHS": "以…为借口" + }, + "gentle": { + "CHS": "蛆,饵" + }, + "postpone": { + "CHS": "使…延期;把…放在次要地位;把…放在后面" + }, + "january": { + "CHS": "一月", + "ENG": "January is the first month of the year in the Western calendar" + }, + "proceed": { + "CHS": "收入,获利", + "ENG": "The proceeds of an event or activity are the money that has been obtained from it" + }, + "mutton": { + "CHS": "羊肉", + "ENG": "the meat from a sheep" + }, + "occupation": { + "CHS": "职业;占有;消遣;占有期", + "ENG": "a job or profession" + }, + "momentum": { + "CHS": "势头;[物] 动量;动力;冲力", + "ENG": "the ability to keep increasing, developing, or being more successful" + }, + "console": { + "CHS": "安慰;慰藉", + "ENG": "to make someone feel better when they are feeling sad or disappointed" + }, + "apple": { + "CHS": "苹果,苹果树,苹果似的东西;[美俚]炸弹,手榴弹,(棒球的)球;[美俚]人,家伙。", + "ENG": "a hard round fruit that has red, light green, or yellow skin and is white inside" + }, + "cathedral": { + "CHS": "大教堂", + "ENG": "the main church of a particular area under the control of a bishop " + }, + "gently": { + "CHS": "轻轻地;温柔地,温和地", + "ENG": "in a gentle way" + }, + "drastic": { + "CHS": "烈性泻药" + }, + "rainbow": { + "CHS": "呈彩虹状" + }, + "noon": { + "CHS": "中午;正午;全盛期", + "ENG": "12 o’clock in the daytime" + }, + "circle": { + "CHS": "盘旋,旋转;环行", + "ENG": "to move in the shape of a circle around something, especially in the air" + }, + "northeast": { + "CHS": "向东北;来自东北", + "ENG": "If you go northeast, you travel toward the northeast" + }, + "silicon": { + "CHS": "[化学] 硅;硅元素", + "ENG": "a chemical substance that exists as a solid or as a powder and is used to make glass, bricks, and parts for computers. It is a chemical element: symbol Si" + }, + "exceedingly": { + "CHS": "非常;极其;极度地;极端", + "ENG": "extremely" + }, + "majesty": { + "CHS": "威严;最高权威,王权;雄伟;权威", + "ENG": "the quality that something big has of being impressive, powerful, or beautiful" + }, + "spokesman": { + "CHS": "发言人;代言人", + "ENG": "a man who has been chosen to speak officially for a group, organization, or government" + }, + "hint": { + "CHS": "暗示;示意", + "ENG": "to suggest something in an indirect way, but so that someone can guess your meaning" + }, + "bottle": { + "CHS": "控制;把…装入瓶中", + "ENG": "to put a liquid, especially wine or beer, into a bottle after you have made it" + }, + "interface": { + "CHS": "(使通过界面或接口)接合,连接;[计算机]使联系", + "ENG": "if you interface two parts of a computer system, or if they interface, you connect them" + }, + "cereal": { + "CHS": "谷类的;谷类制成的" + }, + "entertainment": { + "CHS": "娱乐;消遣;款待", + "ENG": "things such as films, television, performances etc that are intended to amuse or interest people" + }, + "schedule": { + "CHS": "时间表;计划表;一览表", + "ENG": "a plan of what someone is going to do and when they are going to do it" + }, + "mainland": { + "CHS": "大陆的;本土的" + }, + "rash": { + "CHS": "[皮肤] 皮疹;突然大量出现的事物", + "ENG": "a lot of red spots on someone’s skin, caused by an illness" + }, + "identification": { + "CHS": "鉴定,识别;认同;身份证明", + "ENG": "official papers or cards, such as your passport, that prove who you are" + }, + "tender": { + "CHS": "提供,偿还;使…变嫩;使…变柔软" + }, + "clothe": { + "CHS": "给…穿衣;覆盖;赋予", + "ENG": "to put clothes on your body" + }, + "velvet": { + "CHS": "天鹅绒的" + }, + "overtime": { + "CHS": "加班地" + }, + "scar": { + "CHS": "创伤;伤痕", + "ENG": "a feeling of fear or sadness that remains with you for a long time after an unpleasant experience" + }, + "blunt": { + "CHS": "(Blunt)人名;(英)布伦特" + }, + "temperature": { + "CHS": "温度;体温;气温;发烧", + "ENG": "a measure of how hot or cold a place or thing is" + }, + "candle": { + "CHS": "对着光检查" + }, + "bundle": { + "CHS": "捆", + "ENG": "to include computer software or other services with a new computer at no extra cost" + }, + "overtake": { + "CHS": "赶上;压倒;突然来袭" + }, + "chaos": { + "CHS": "混沌,混乱", + "ENG": "a situation in which everything is happening in a confused way and nothing is organized or arranged in order" + }, + "hysterical": { + "CHS": "歇斯底里的;异常兴奋的", + "ENG": "unable to control your behaviour or emotions because you are very upset, afraid, excited etc" + }, + "meditation": { + "CHS": "冥想;沉思,深思", + "ENG": "the practice of emptying your mind of thoughts and feelings, in order to relax completely or for religious reasons" + }, + "accordance": { + "CHS": "一致;和谐" + }, + "corridor": { + "CHS": "走廊", + "ENG": "a long narrow passage on a train or between rooms in a building, with doors leading off it" + }, + "chase": { + "CHS": "追逐;追赶;追击", + "ENG": "the act of following someone or something quickly in order to catch them" + }, + "restrain": { + "CHS": "抑制,控制;约束;制止", + "ENG": "to stop someone from doing something, often by using physical force" + }, + "substance": { + "CHS": "物质;实质;资产;主旨", + "ENG": "a particular type of solid, liquid, or gas" + }, + "adventure": { + "CHS": "冒险;大胆说出" + }, + "adverb": { + "CHS": "副词的" + }, + "furnace": { + "CHS": "火炉,熔炉", + "ENG": "a large container for a very hot fire, used to produce power, heat, or liquid metal" + }, + "dubious": { + "CHS": "可疑的;暧昧的;无把握的;半信半疑的", + "ENG": "probably not honest, true, right etc" + }, + "annoy": { + "CHS": "烦恼(等于annoyance)" + }, + "liable": { + "CHS": "有责任的,有义务的;应受罚的;有…倾向的;易…的", + "ENG": "legally responsible for the cost of something" + }, + "sticky": { + "CHS": "粘的;粘性的", + "ENG": "made of or covered with a substance that sticks to surfaces" + }, + "thirsty": { + "CHS": "口渴的,口干的;渴望的,热望的", + "ENG": "feeling that you want or need a drink" + }, + "basket": { + "CHS": "装入篮" + }, + "chart": { + "CHS": "绘制…的图表;在海图上标出;详细计划;记录;记述;跟踪(进展或发展", + "ENG": "to record information about a situation or set of events over a period of time, in order to see how it changes or develops" + }, + "nut": { + "CHS": "采坚果" + }, + "upstairs": { + "CHS": "楼上", + "ENG": "one or all of the upper floors in a building" + }, + "garden": { + "CHS": "栽培花木" + }, + "mate": { + "CHS": "使配对;使一致;结伴", + "ENG": "if animals mate, they have sex to produce babies" + }, + "vertical": { + "CHS": "垂直线,垂直面", + "ENG": "the direction of something that is vertical" + }, + "cemetery": { + "CHS": "墓地;公墓", + "ENG": "a piece of land, usually not belonging to a church, in which dead people are buried" + }, + "fairy": { + "CHS": "虚构的;仙女的" + }, + "lantern": { + "CHS": "灯笼;提灯;灯笼式天窗", + "ENG": "a lamp that you can carry, consisting of a metal container with glass sides that surrounds a flame or light" + }, + "ignorant": { + "CHS": "无知的;愚昧的", + "ENG": "not knowing facts or information that you ought to know" + }, + "glitter": { + "CHS": "闪光;灿烂", + "ENG": "brightness consisting of many flashing points of light" + }, + "vest": { + "CHS": "授予;使穿衣" + }, + "orange": { + "CHS": "橙;橙色;桔子", + "ENG": "a round fruit that has a thick orange skin and is divided into parts inside" + }, + "persecute": { + "CHS": "迫害;困扰;同…捣乱", + "ENG": "to treat someone cruelly or unfairly over a period of time, especially because of their religious or political beliefs" + }, + "veto": { + "CHS": "否决;禁止", + "ENG": "if someone in authority vetoes something, they refuse to allow it to happen, especially something that other people or organizations have agreed" + }, + "agriculture": { + "CHS": "农业;农耕;农业生产;农艺,农学", + "ENG": "the practice or science of farming" + }, + "housewife": { + "CHS": "家庭主妇", + "ENG": "a married woman who works at home doing the cooking, cleaning etc, but does not have a job outside the house" + }, + "preliminary": { + "CHS": "初步的;开始的;预备的", + "ENG": "happening before something that is more important, often in order to prepare for it" + }, + "chalk": { + "CHS": "用粉笔写的" + }, + "ceiling": { + "CHS": "天花板;上限", + "ENG": "the inner surface of the top part of a room" + }, + "navigation": { + "CHS": "航行;航海", + "ENG": "the science or job of planning which way you need to go when you are travelling from one place to another" + }, + "communism": { + "CHS": "共产主义", + "ENG": "a political system in which the government controls the production of all food and goods, and there is no privately owned property" + }, + "scarf": { + "CHS": "披嵌接;用围巾围" + }, + "scare": { + "CHS": "(美)骇人的" + }, + "engagement": { + "CHS": "婚约;约会;交战;诺言", + "ENG": "an agreement between two people to marry, or the period of time they are engaged" + }, + "uproar": { + "CHS": "骚动;喧嚣", + "ENG": "a lot of noise or angry protest about something" + }, + "mouse": { + "CHS": "探出" + }, + "romance": { + "CHS": "虚构;渲染;写传奇", + "ENG": "to describe things that have happened in a way that makes them seem more important, interesting etc than they really were" + }, + "verb": { + "CHS": "动词的;有动词性质的;起动词作用的" + }, + "tutor": { + "CHS": "导师;家庭教师;助教", + "ENG": "someone who gives private lessons to one student or a small group, and is paid directly by them" + }, + "sociable": { + "CHS": "联谊会" + }, + "dirty": { + "CHS": "弄脏", + "ENG": "To dirty something means to cause it to become dirty" + }, + "transparent": { + "CHS": "透明的;显然的;坦率的;易懂的", + "ENG": "if something is transparent, you can see through it" + }, + "forecast": { + "CHS": "预测,预报;预想", + "ENG": "a description of what is likely to happen in the future, based on the information that you have now" + }, + "infrared": { + "CHS": "红外线的", + "ENG": "Infrared radiation is similar to light but has a longer wavelength, so we cannot see it without special equipment" + }, + "mourn": { + "CHS": "哀悼;忧伤;服丧", + "ENG": "to feel very sad and to miss someone after they have died" + }, + "chill": { + "CHS": "冷冻,冷藏;使寒心;使感到冷", + "ENG": "if you chill something such as food or drink, or if it chills, it becomes very cold but does not freeze" + }, + "myth": { + "CHS": "神话;虚构的人,虚构的事", + "ENG": "an ancient story, especially one invented in order to explain natural or historical events" + }, + "designate": { + "CHS": "指定的;选定的" + }, + "clarity": { + "CHS": "清楚,明晰;透明", + "ENG": "the clarity of a piece of writing, law, argument etc is its quality of being expressed clearly" + }, + "whisky": { + "CHS": "威士忌酒的" + }, + "pretend": { + "CHS": "假装的", + "ENG": "imaginary or not real - used especially by children" + }, + "scan": { + "CHS": "扫描;浏览;审视;细看", + "ENG": "a medical test in which a special machine produces a picture of something inside your body" + }, + "strife": { + "CHS": "冲突;争吵;不和", + "ENG": "trouble between two or more people or groups" + }, + "magnet": { + "CHS": "磁铁;[电磁] 磁体;磁石", + "ENG": "a piece of iron or steel that can stick to metal or make other metal objects move towards itself" + }, + "graceful": { + "CHS": "优雅的;优美的", + "ENG": "moving in a smooth and attractive way, or having an attractive shape or form" + }, + "cashier": { + "CHS": "解雇;抛弃" + }, + "daylight": { + "CHS": "白天;日光;黎明;公开", + "ENG": "the light produced by the sun during the day" + }, + "litre": { + "CHS": "[计量] 公升(米制容量单位)", + "ENG": "the basic unit for measuring liquid in the metric system" + }, + "mortal": { + "CHS": "人类,凡人", + "ENG": "a human – used especially when comparing humans with gods, spirit s etc" + }, + "articulate": { + "CHS": "【动物学】有节体的动物" + }, + "stare": { + "CHS": "凝视;注视", + "ENG": "when you look at something for a long time in a steady way" + }, + "vigorous": { + "CHS": "有力的;精力充沛的", + "ENG": "using a lot of energy and strength or determination" + }, + "sacrifice": { + "CHS": "牺牲;献祭;亏本出售", + "ENG": "to willingly stop having something you want or doing something you like in order to get something more important" + }, + "milk": { + "CHS": "榨取;挤…的奶", + "ENG": "to get as much money or as many advantages as you can from a situation, in a very determined and sometimes dishonest way" + }, + "mild": { + "CHS": "(英国的一种)淡味麦芽啤酒", + "ENG": "dark beer with a slightly sweet taste" + }, + "continuous": { + "CHS": "连续的,持续的;继续的;连绵不断的", + "ENG": "continuing to happen or exist without stopping" + }, + "overseas": { + "CHS": "海外的,国外的", + "ENG": "coming from, existing in, or happening in a foreign country that is across the sea" + }, + "stride": { + "CHS": "跨过;大踏步走过;跨坐在…", + "ENG": "If you stride somewhere, you walk there with quick, long steps" + }, + "probable": { + "CHS": "很可能的事;大有希望的候选者", + "ENG": "someone who is likely to be chosen for a team, to win a race etc" + }, + "jungle": { + "CHS": "丛林的;蛮荒的" + }, + "conclusion": { + "CHS": "结论;结局;推论", + "ENG": "something you decide after considering all the information you have" + }, + "propaganda": { + "CHS": "宣传;传道总会", + "ENG": "information which is false or which emphasizes just one part of a situation, used by a government or political group to make people agree with them" + }, + "valley": { + "CHS": "山谷;流域;溪谷", + "ENG": "an area of lower land between two lines of hills or mountains, usually with a river flowing through it" + }, + "foolish": { + "CHS": "愚蠢的;傻的", + "ENG": "a foolish action, remark etc is stupid and shows that someone is not thinking sensibly" + }, + "delegate": { + "CHS": "代表", + "ENG": "someone who has been elected or chosen to speak, vote, or take decisions for a group" + }, + "irrigate": { + "CHS": "灌溉;冲洗;使清新", + "ENG": "to supply land or crops with water" + }, + "blanket": { + "CHS": "覆盖,掩盖;用毯覆盖", + "ENG": "to cover something with a thick layer" + }, + "genuine": { + "CHS": "真实的,真正的;诚恳的", + "ENG": "a genuine feeling, desire etc is one that you really feel, not one you pretend to feel" + }, + "district": { + "CHS": "区域;地方;行政区", + "ENG": "an area of a town or the countryside, especially one with particular features" + }, + "assassinate": { + "CHS": "暗杀;行刺", + "ENG": "to murder an important person" + }, + "mutter": { + "CHS": "咕哝;喃喃低语" + }, + "fortnight": { + "CHS": "两星期", + "ENG": "two weeks" + }, + "tackle": { + "CHS": "处理;抓住;固定;与…交涉", + "ENG": "to try to deal with a difficult problem" + }, + "blush": { + "CHS": "脸红;红色;羞愧", + "ENG": "the red colour on your face that appears when you are embarrassed" + }, + "missionary": { + "CHS": "传教士", + "ENG": "someone who has been sent to a foreign country to teach people about Christianity and persuade them to become Christians" + }, + "bloody": { + "CHS": "很" + }, + "ego": { + "CHS": "自我;自负;自我意识", + "ENG": "the opinion that you have about yourself" + }, + "indicative": { + "CHS": "陈述语气;陈述语气的动词形式", + "ENG": "the form of a verb that is used to make statements. For example, in the sentences ‘Penny passed her test’, and ‘Michael likes cake’, the verbs ‘passed’ and ‘likes’ are in the indicative." + }, + "courage": { + "CHS": "勇气;胆量", + "ENG": "the quality of being brave when you are facing a difficult or dangerous situation or when you are very ill" + }, + "beach": { + "CHS": "将…拖上岸", + "ENG": "to pull a boat onto the shore away from the water" + }, + "egg": { + "CHS": "煽动;怂恿", + "ENG": "to urge or incite, esp to daring or foolish acts " + }, + "skin": { + "CHS": "剥皮", + "ENG": "to remove the skin from an animal, fruit, or vegetable" + }, + "skim": { + "CHS": "脱脂的;撇去浮沫的;表层的" + }, + "semiconductor": { + "CHS": "[电子][物] 半导体", + "ENG": "a substance, such as silicon , that allows some electric currents to pass through it, and is used in electronic equipment" + }, + "commute": { + "CHS": "通勤(口语)", + "ENG": "A commute is the journey that you make when you commute" + }, + "splendid": { + "CHS": "辉煌的;灿烂的;极好的;杰出的", + "ENG": "very good" + }, + "contradiction": { + "CHS": "矛盾;否认;反驳", + "ENG": "a difference between two statements, beliefs, or ideas about something that means they cannot both be true" + }, + "temptation": { + "CHS": "引诱;诱惑物", + "ENG": "a strong desire to have or do something even though you know you should not" + }, + "coward": { + "CHS": "胆小的,懦怯的" + }, + "yell": { + "CHS": "喊声,叫声", + "ENG": "a loud shout" + }, + "fountain": { + "CHS": "喷泉,泉水;源泉", + "ENG": "a structure from which water is pushed up into the air, used for example as decoration in a garden or park" + }, + "obstruction": { + "CHS": "障碍;阻碍;妨碍", + "ENG": "an offence in football, hockey etc in which a player gets between an opponent and the ball" + }, + "redundant": { + "CHS": "多余的,过剩的;被解雇的,失业的;冗长的,累赘的", + "ENG": "if you are redundant, your employer no longer has a job for you" + }, + "veil": { + "CHS": "遮蔽;掩饰;以面纱遮掩;用帷幕分隔", + "ENG": "to cover something with a veil" + }, + "skeleton": { + "CHS": "骨骼的;骨瘦如柴的;概略的" + }, + "quench": { + "CHS": "熄灭,[机] 淬火;解渴;结束;冷浸", + "ENG": "to stop yourself feeling thirsty, by drinking something" + }, + "vein": { + "CHS": "使成脉络;象脉络般分布于" + }, + "quota": { + "CHS": "配额;定额;限额", + "ENG": "an official limit on the number or amount of something that is allowed in a particular period" + }, + "intelligible": { + "CHS": "可理解的;明了的;仅能用智力了解的", + "ENG": "Something that is intelligible can be understood" + }, + "blow": { + "CHS": "风吹;喘气", + "ENG": "if the wind or a current of air blows, it moves" + }, + "flatter": { + "CHS": "奉承;谄媚;使高兴", + "ENG": "to praise someone in order to please them or get something from them, even though you do not mean it" + }, + "decimal": { + "CHS": "小数", + "ENG": "a fraction (= a number less than 1 ) that is shown as a full stop followed by the number of tenth s , hundredth s etc. The numbers 0.5, 0.175, and 0.661 are decimals." + }, + "diagnose": { + "CHS": "诊断;断定", + "ENG": "to find out what illness someone has, or what the cause of a fault is, after doing tests, examinations etc" + }, + "vinegar": { + "CHS": "醋", + "ENG": "a sour-tasting liquid made from malt or wine that is used to improve the taste of food or to preserve it" + }, + "infect": { + "CHS": "感染,传染", + "ENG": "to give someone a disease" + }, + "costume": { + "CHS": "给…穿上服装" + }, + "thief": { + "CHS": "小偷,贼", + "ENG": "someone who steals things from another person or place" + }, + "turkey": { + "CHS": "火鸡;笨蛋;失败之作", + "ENG": "a bird that looks like a large chicken and is often eaten at Christmas and at Thanksgiving" + }, + "maneuver": { + "CHS": "[军] 机动;演习;调遣;用计谋" + }, + "mist": { + "CHS": "下雾;变模糊" + }, + "arch": { + "CHS": "使…弯成弓形;用拱连接", + "ENG": "to form or make something form a curved shape" + }, + "shipment": { + "CHS": "装货;装载的货物", + "ENG": "a load of goods sent by sea, road, or air, or the act of sending them" + }, + "bleak": { + "CHS": "阴冷的;荒凉的,无遮蔽的;黯淡的,无希望的;冷酷的;单调的", + "ENG": "cold and without any pleasant or comfortable features" + }, + "oven": { + "CHS": "炉,灶;烤炉,烤箱", + "ENG": "a piece of equipment that food is cooked inside, shaped like a metal box with a door on the front" + }, + "hypocrisy": { + "CHS": "虚伪;伪善", + "ENG": "when someone pretends to have certain beliefs or opinions that they do not really have – used to show disapproval" + }, + "discharge": { + "CHS": "排放;卸货;解雇", + "ENG": "when gas, liquid, smoke etc is sent out, or the substance that is sent out" + }, + "trifle": { + "CHS": "开玩笑;闲混;嘲弄" + }, + "circumference": { + "CHS": "圆周;周长;胸围", + "ENG": "the distance or measurement around the outside of a circle or any round shape" + }, + "clone": { + "CHS": "无性繁殖,复制", + "ENG": "to make an exact copy of a plant or animal by taking a cell from it and developing it artificially" + }, + "graze": { + "CHS": "放牧;轻擦", + "ENG": "a wound caused by rubbing that slightly breaks the surface of your skin" + }, + "basement": { + "CHS": "地下室;地窖", + "ENG": "a room or area in a building that is under the level of the ground" + }, + "comparable": { + "CHS": "可比较的;比得上的", + "ENG": "similar to something else in size, number, quality etc, so that you can make a comparison" + }, + "february": { + "CHS": "二月", + "ENG": "February is the second month of the year in the Western calendar" + }, + "voltage": { + "CHS": "[电] 电压", + "ENG": "electrical force measured in volts" + }, + "instrumental": { + "CHS": "器乐曲;工具字,工具格", + "ENG": "a piece of music in which no voices are used, only instruments" + }, + "fist": { + "CHS": "紧握;握成拳;用拳打" + }, + "carrot": { + "CHS": "胡萝卜", + "ENG": "a long pointed orange vegetable that grows under the ground" + }, + "screw": { + "CHS": "螺旋;螺丝钉;吝啬鬼", + "ENG": "a thin pointed piece of metal that you push and turn in order to fasten pieces of metal or wood together" + }, + "thigh": { + "CHS": "大腿,股", + "ENG": "the top part of your leg, between your knee and your hip " + }, + "horrible": { + "CHS": "可怕的;极讨厌的", + "ENG": "very bad - used, for example, about things you see, taste, or smell, or about the weather" + }, + "oil": { + "CHS": "加油;涂油;使融化", + "ENG": "to put oil onto part of a machine or part of something that moves, to help it to move or work more smoothly" + }, + "missile": { + "CHS": "导弹的;可投掷的;用以发射导弹的" + }, + "refund": { + "CHS": "退款;偿还,偿还额", + "ENG": "an amount of money that is given back to you if you are not satisfied with the goods or services that you have paid for" + }, + "wet": { + "CHS": "弄湿", + "ENG": "to make something wet" + }, + "sane": { + "CHS": "(Sane)人名;(日)实(姓);(日)实(名);(芬、塞、冈、几比、塞内)萨内" + }, + "sand": { + "CHS": "撒沙于;以沙掩盖;用砂纸等擦平或磨光某物;使撒沙似地布满;给…掺沙子", + "ENG": "to make a surface smooth by rubbing it with sandpaper or using a special piece of equipment" + }, + "stair": { + "CHS": "楼梯,阶梯;梯级", + "ENG": "a set of steps built for going from one level of a building to another" + }, + "vapour": { + "CHS": "蒸气(等于vapor);水蒸气", + "ENG": "a mass of very small drops of a liquid which float in the air, for example because the liquid has been heated" + }, + "unify": { + "CHS": "统一;使相同,使一致", + "ENG": "if you unify two or more parts or things, or if they unify, they are combined to make a single unit" + }, + "inland": { + "CHS": "在内地;向内地;向内陆;在内陆", + "ENG": "in a direction away from the coast and towards the centre of a country" + }, + "hydrogen": { + "CHS": "[化学] 氢", + "ENG": "Hydrogen is a colourless gas that is the lightest and commonest element in the universe" + }, + "clever": { + "CHS": "聪明的;机灵的;熟练的", + "ENG": "able to learn and understand things quickly" + }, + "breed": { + "CHS": "[生物] 品种;种类,类型", + "ENG": "a type of animal that is kept as a pet or on a farm" + }, + "invariably": { + "CHS": "总是;不变地;一定地", + "ENG": "if something invariably happens or is invariably true, it always happens or is true" + }, + "lecture": { + "CHS": "演讲;训诫", + "ENG": "to talk to a group of people on a particular subject, especially to students in a university" + }, + "stall": { + "CHS": "停止,停转;拖延", + "ENG": "if an engine or vehicle stalls, or if you stall it, it stops because there is not enough power or speed to keep it going" + }, + "snowstorm": { + "CHS": "暴风雪;雪暴", + "ENG": "a storm with strong winds and a lot of snow" + }, + "boundary": { + "CHS": "边界;范围;分界线", + "ENG": "the real or imaginary line that marks the edge of a state, country etc, or the edge of an area of land that belongs to someone" + }, + "negro": { + "CHS": "黑人的", + "ENG": "relating to or characteristic of Negroes " + }, + "pause": { + "CHS": "暂停,停顿,中止;踌躇", + "ENG": "to stop speaking or doing something for a short time before starting again" + }, + "poll": { + "CHS": "无角的;剪过毛的;修过枝的" + }, + "pole": { + "CHS": "用竿支撑", + "ENG": "to push a boat along in the water using a pole" + }, + "troublesome": { + "CHS": "麻烦的;讨厌的;使人苦恼的", + "ENG": "causing problems, in an annoying way" + }, + "oval": { + "CHS": "椭圆形;卵形", + "ENG": "a shape like a circle, but wider in one direction than the other" + }, + "sting": { + "CHS": "刺;驱使;使…苦恼;使…疼痛", + "ENG": "if an insect or a plant stings you, it makes a very small hole in your skin and you feel a sharp pain because of a poisonous substance" + }, + "handicap": { + "CHS": "妨碍,阻碍;使不利", + "ENG": "to make it difficult for someone to do something that they want or need to do" + }, + "apology": { + "CHS": "道歉;谢罪;辩护;勉强的替代物", + "ENG": "something that you say or write to show that you are sorry for doing something wrong" + }, + "portrait": { + "CHS": "肖像;描写;半身雕塑像", + "ENG": "a painting, drawing, or photograph of a person" + }, + "compress": { + "CHS": "受压缩小", + "ENG": "to press something or make it smaller so that it takes up less space, or to become smaller" + }, + "cough": { + "CHS": "咳出", + "ENG": "to suddenly push air out of your throat with a short sound, often repeatedly" + }, + "recede": { + "CHS": "后退;减弱", + "ENG": "When something such as a quality, problem, or illness recedes, it becomes weaker, smaller, or less intense" + }, + "neat": { + "CHS": "灵巧的;整洁的;优雅的;齐整的;未搀水的;平滑的", + "ENG": "tidy and carefully arranged" + }, + "stalk": { + "CHS": "追踪,潜近;高视阔步", + "ENG": "to walk in a proud or angry way, with long steps" + }, + "stale": { + "CHS": "尿" + }, + "salt": { + "CHS": "用盐腌;给…加盐;将盐撒在道路上使冰或雪融化", + "ENG": "to add salt to food to make it taste better" + }, + "pound": { + "CHS": "捣烂;敲打;监禁,拘留", + "ENG": "If you pound something, you crush it into a paste or a powder or into very small pieces" + }, + "neck": { + "CHS": "搂著脖子亲吻;变狭窄", + "ENG": "if two people are necking, they kiss for a long time in a sexual way" + }, + "throw": { + "CHS": "投掷;冒险", + "ENG": "an action in which someone throws something" + }, + "pond": { + "CHS": "池塘", + "ENG": "a small area of fresh water that is smaller than a lake, that is either natural or artificially made" + }, + "stamp": { + "CHS": "铭记;标出;盖章于…;贴邮票于…;用脚踩踏", + "ENG": "to put your foot down onto the ground loudly and with a lot of force" + }, + "fraction": { + "CHS": "分数;部分;小部分;稍微", + "ENG": "a part of a whole number in mathematics, such as ½ or ¾" + }, + "objection": { + "CHS": "异议,反对;缺陷,缺点;妨碍;拒绝的理由", + "ENG": "a reason that you have for opposing or disapproving of something, or something you say that expresses this" + }, + "desolate": { + "CHS": "使荒凉;使孤寂", + "ENG": "to make someone feel very sad and lonely" + }, + "roast": { + "CHS": "烤肉;烘烤", + "ENG": "a large piece of roasted meat" + }, + "headquarters": { + "CHS": "总部;指挥部;司令部", + "ENG": "the main building or offices used by a large company or organization" + }, + "arrival": { + "CHS": "到来;到达;到达者", + "ENG": "when someone or something arrives somewhere" + }, + "handkerchief": { + "CHS": "手帕;头巾,围巾", + "ENG": "a piece of cloth that you use for drying your nose or eyes" + }, + "stomach": { + "CHS": "忍受;吃下", + "ENG": "to be able to accept something, especially something unpleasant" + }, + "radioactive": { + "CHS": "[核] 放射性的;有辐射的", + "ENG": "a radioactive substance is dangerous because it contains radiation (= a form of energy that can harm living things ) " + }, + "sorrow": { + "CHS": "懊悔;遗憾;感到悲伤", + "ENG": "to feel or express sorrow" + }, + "tanker": { + "CHS": "油轮;运油飞机;油槽车;坦克手", + "ENG": "a vehicle or ship specially built to carry large quantities of gas or liquid, especially oil" + }, + "rotate": { + "CHS": "[植] 辐状的" + }, + "curl": { + "CHS": "卷曲;卷发;螺旋状物", + "ENG": "a piece of hair that hangs in a curved shape" + }, + "receipt": { + "CHS": "收到" + }, + "integral": { + "CHS": "积分;部分;完整" + }, + "bread": { + "CHS": "在…上洒面包屑" + }, + "import": { + "CHS": "输入,进口;含…的意思" + }, + "synthesis": { + "CHS": "综合,[化学] 合成;综合体", + "ENG": "something that has been made by combining different things, or the process of combining things" + }, + "cassette": { + "CHS": "盒式磁带;暗盒;珠宝箱;片匣", + "ENG": "a small flat plastic case containing magnetic tape , that can be used for playing or recording sound" + }, + "knife": { + "CHS": "用刀切;(口)伤害", + "ENG": "to put a knife into someone’s body" + }, + "butterfly": { + "CHS": "蝴蝶;蝶泳;举止轻浮的人;追求享乐的人", + "ENG": "a type of insect that has large wings, often with beautiful colours" + }, + "ring": { + "CHS": "戒指;铃声,钟声;拳击场;环形物", + "ENG": "a piece of jewellery that you wear on your finger" + }, + "welfare": { + "CHS": "福利的;接受社会救济的", + "ENG": "Welfare services are provided to help with people's living conditions and financial problems" + }, + "destination": { + "CHS": "目的地,终点", + "ENG": "the place that someone or something is going to" + }, + "discount": { + "CHS": "贴现;打折扣出售商品", + "ENG": "to reduce the price of something" + }, + "gas": { + "CHS": "加油;毒(死)" + }, + "gay": { + "CHS": "同性恋者", + "ENG": "someone who is homosexual, especially a man" + }, + "poster": { + "CHS": "海报,广告;招贴", + "ENG": "a large printed notice, picture, or photograph, used to advertise something or as a decoration" + }, + "abundance": { + "CHS": "充裕,丰富", + "ENG": "a large quantity of something" + }, + "mosquito": { + "CHS": "蚊子", + "ENG": "a small flying insect that sucks the blood of people and animals, sometimes spreading the disease malaria " + }, + "riot": { + "CHS": "骚乱;放荡", + "ENG": "if a crowd of people riot, they behave in a violent and uncontrolled way, for example by fighting the police and damaging cars or buildings" + }, + "closet": { + "CHS": "把…关在私室中", + "ENG": "to shut someone in a room away from other people in order to discuss something private, to be alone etc" + }, + "recover": { + "CHS": "还原至预备姿势" + }, + "dizzy": { + "CHS": "(Dizzy)人名;(英)迪齐" + }, + "oak": { + "CHS": "栎树的;栎木制的" + }, + "consecutive": { + "CHS": "连贯的;连续不断的", + "ENG": "consecutive numbers or periods of time follow one after the other without any interruptions" + }, + "rotary": { + "CHS": "旋转式机器;[动力] 转缸式发动机" + }, + "oar": { + "CHS": "划行" + }, + "flight": { + "CHS": "射击;使惊飞" + }, + "kettle": { + "CHS": "壶;[化工] 釜;罐;鼓", + "ENG": "a container with a lid, a handle, and a spout,used for boiling and pouring water" + }, + "proposal": { + "CHS": "提议,建议;求婚", + "ENG": "a plan or suggestion which is made formally to an official person or group, or the act of making it" + }, + "ripe": { + "CHS": "(Ripe)人名;(意、瑞典)里佩" + }, + "resemblance": { + "CHS": "相似;相似之处;相似物;肖像", + "ENG": "if there is a resemblance between two people or things, they are similar, especially in the way they look" + }, + "uncover": { + "CHS": "发现;揭开;揭露", + "ENG": "to find out about something that has been kept secret" + }, + "illustration": { + "CHS": "说明;插图;例证;图解", + "ENG": "a picture in a book, article etc, especially one that helps you to understand it" + }, + "nursery": { + "CHS": "苗圃;托儿所;温床", + "ENG": "a place where young children are taken care of during the day while their parents are at work" + }, + "niece": { + "CHS": "外甥女,侄女", + "ENG": "the daughter of your brother or sister, or the daughter of your wife’s or husband’s brother or sister" + }, + "refuge": { + "CHS": "避难;逃避" + }, + "buffet": { + "CHS": "自助的;自助餐的" + }, + "squeeze": { + "CHS": "压榨;紧握;拥挤;佣金", + "ENG": "a situation in which there is only just enough room for things or people to fit somewhere" + }, + "envisage": { + "CHS": "正视,面对;想像", + "ENG": "If you envisage something, you imagine that it is true, real, or likely to happen" + }, + "torture": { + "CHS": "折磨;拷问;歪曲", + "ENG": "an act of deliberately hurting someone in order to force them to tell you something, to punish them, or to be cruel" + }, + "champion": { + "CHS": "优胜的;第一流的" + }, + "republic": { + "CHS": "共和国;共和政体", + "ENG": "a country governed by elected representatives of the people, and led by a president, not a king or queen" + }, + "fling": { + "CHS": "掷,抛;嘲弄;急冲" + }, + "musical": { + "CHS": "音乐片", + "ENG": "a play or film that includes singing and dancing" + }, + "dusk": { + "CHS": "使变微暗" + }, + "bulletin": { + "CHS": "公布,公告" + }, + "stiff": { + "CHS": "诈骗;失信" + }, + "stack": { + "CHS": "使堆叠;把…堆积起来", + "ENG": "If you stack a number of things, you arrange them in neat piles" + }, + "cotton": { + "CHS": "棉的;棉制的" + }, + "fixture": { + "CHS": "设备;固定装置;固定于某处不大可能移动之物", + "ENG": "a piece of equipment that is fixed inside a house or building and is sold as part of the house" + }, + "frog": { + "CHS": "捕蛙" + }, + "earnest": { + "CHS": "认真;定金;诚挚", + "ENG": "if something starts happening in earnest, it begins properly – used when it was happening in a small or informal way before" + }, + "wax": { + "CHS": "蜡制的;似蜡的" + }, + "symphony": { + "CHS": "交响乐;谐声,和声", + "ENG": "a long piece of music usually in four parts, written for an orchestra " + }, + "loudspeaker": { + "CHS": "喇叭,扬声器;扩音器", + "ENG": "a piece of equipment used to make sounds louder" + }, + "naval": { + "CHS": "(Naval)人名;(西、德、印)纳瓦尔" + }, + "spacious": { + "CHS": "宽敞的,广阔的;无边无际的", + "ENG": "a spacious house, room etc is large and has plenty of space to move around in" + }, + "mould": { + "CHS": "模具;霉", + "ENG": "a hollow container that you pour a liquid or soft substance into, so that when it becomes solid, it takes the shape of the container" + }, + "linger": { + "CHS": "(Linger)人名;(德、捷、瑞典)林格;(法)兰热" + }, + "retention": { + "CHS": "保留;扣留,滞留;记忆力;闭尿", + "ENG": "the act of keeping something" + }, + "heave": { + "CHS": "举起;起伏;投掷;一阵呕吐", + "ENG": "a strong rising or falling movement" + }, + "sophomore": { + "CHS": "二年级的;二年级学生的" + }, + "driver": { + "CHS": "驾驶员;驱动程序;起子;传动器", + "ENG": "someone who drives a car, bus etc" + }, + "swarm": { + "CHS": "蜂群;一大群", + "ENG": "a large group of insects, especially bee s ,moving together" + }, + "poem": { + "CHS": "诗", + "ENG": "a piece of writing that expresses emotions, experiences, and ideas, especially in short lines using words that rhyme (= end with the same sound ) " + }, + "playground": { + "CHS": "运动场,操场;游乐场", + "ENG": "an area for children to play, especially at a school or in a park, that often has special equipment for climbing on, riding on etc" + }, + "avert": { + "CHS": "避免,防止;转移", + "ENG": "to prevent something unpleasant from happening" + }, + "hover": { + "CHS": "徘徊;盘旋;犹豫" + }, + "oath": { + "CHS": "誓言,誓约;诅咒,咒骂", + "ENG": "a formal and very serious promise" + }, + "marxist": { + "CHS": "马克思主义的", + "ENG": "Marxist means based on Marxism or relating to Marxism" + }, + "evacuate": { + "CHS": "疏散,撤退;排泄", + "ENG": "formal to empty your bowels" + }, + "bleed": { + "CHS": "使出血;榨取", + "ENG": "to force someone to pay an unreasonable amount of money over a period of time" + }, + "wood": { + "CHS": "植林于;给…添加木柴" + }, + "arrow": { + "CHS": "以箭头指示;箭一般地飞向" + }, + "installation": { + "CHS": "安装,装置;就职", + "ENG": "when someone fits a piece of equipment somewhere" + }, + "classify": { + "CHS": "分类;分等", + "ENG": "to decide what group something belongs to" + }, + "slipper": { + "CHS": "用拖鞋打" + }, + "intercourse": { + "CHS": "性交;交往;交流", + "ENG": "the act of having sex" + }, + "anticipate": { + "CHS": "预期,期望;占先,抢先;提前使用", + "ENG": "to expect that something will happen and be ready for it" + }, + "juice": { + "CHS": "(水果)汁,液;果汁", + "ENG": "the liquid that comes from fruit and vegetables, or a drink that is made from this" + }, + "wool": { + "CHS": "羊毛;毛线;绒线;毛织品;毛料衣物", + "ENG": "the soft thick hair that sheep and some goats have on their body" + }, + "undermine": { + "CHS": "破坏,渐渐破坏;挖掘地基", + "ENG": "If you undermine someone's efforts or undermine their chances of achieving something, you behave in a way that makes them less likely to succeed" + }, + "kitchen": { + "CHS": "厨房;炊具;炊事人员", + "ENG": "the room where you prepare and cook food" + }, + "astronomy": { + "CHS": "天文学", + "ENG": "the scientific study of the stars and planet s " + }, + "declare": { + "CHS": "宣布,声明;断言,宣称", + "ENG": "to state officially and publicly that a particular situation exists or that something is true" + }, + "proceeding": { + "CHS": "开始;继续做;行进(proceed的ing形式)" + }, + "prick": { + "CHS": "竖起的" + }, + "supper": { + "CHS": "晚餐,晚饭;夜宵", + "ENG": "the meal that you have in the early evening" + }, + "owl": { + "CHS": "猫头鹰;枭;惯于晚上活动的人", + "ENG": "a bird with large eyes that hunts at night" + }, + "warmth": { + "CHS": "温暖;热情;激动", + "ENG": "the heat something produces, or when you feel warm" + }, + "latitude": { + "CHS": "纬度;界限;活动范围", + "ENG": "the distance north or south of the equator(= the imaginary line around the middle of the world ), measured in degrees" + }, + "multitude": { + "CHS": "群众;多数", + "ENG": "a very large number of people or things" + }, + "wheel": { + "CHS": "转动;使变换方向;给…装轮子", + "ENG": "to push something that has wheels somewhere" + }, + "breakfast": { + "CHS": "吃早餐", + "ENG": "When you breakfast, you have breakfast" + }, + "bucket": { + "CHS": "倾盆而下;颠簸着行进" + }, + "explosive": { + "CHS": "炸药;爆炸物", + "ENG": "a substance that can cause an explosion" + }, + "digital": { + "CHS": "数字;键" + }, + "belly": { + "CHS": "涨满;鼓起", + "ENG": "to fill with air and become rounder in shape" + }, + "prohibit": { + "CHS": "阻止,禁止", + "ENG": "to say that an action is illegal or not allowed" + }, + "lapse": { + "CHS": "(一时的) 走神,判断错误", + "ENG": "A lapse of something such as concentration or judgment is a temporary lack of that thing, which can often cause you to make a mistake" + }, + "festival": { + "CHS": "节日的,喜庆的;快乐的" + }, + "appliance": { + "CHS": "器具;器械;装置", + "ENG": "a piece of equipment, especially electrical equipment, such as a cooker or washing machine , used in people’s homes" + }, + "hail": { + "CHS": "万岁;欢迎" + }, + "angle": { + "CHS": "角度,角,方面", + "ENG": "the space between two straight lines or surfaces that join each other, measured in degrees" + }, + "vulgar": { + "CHS": "平民,百姓" + }, + "passenger": { + "CHS": "旅客;乘客;过路人;碍手碍脚的人", + "ENG": "someone who is travelling in a vehicle, plane, boat etc, but is not driving it or working on it" + }, + "intervene": { + "CHS": "干涉;调停;插入", + "ENG": "to become involved in an argument, fight, or other difficult situation in order to change what happens" + }, + "locomotive": { + "CHS": "机车;火车头", + "ENG": "a railway engine" + }, + "reclaim": { + "CHS": "改造,感化;再生胶" + }, + "irony": { + "CHS": "铁的;似铁的", + "ENG": "of, resembling, or containing iron " + }, + "prompt": { + "CHS": "准时地" + }, + "queue": { + "CHS": "排队;排队等候", + "ENG": "to form or join a line of people or vehicles waiting to do something or go somewhere" + }, + "breadth": { + "CHS": "宽度,幅度;宽宏", + "ENG": "the distance from one side of something to the other" + }, + "surrender": { + "CHS": "投降;放弃;交出;屈服", + "ENG": "when you say officially that you want to stop fighting because you realize that you cannot win" + }, + "earthquake": { + "CHS": "地震;大动荡", + "ENG": "a sudden shaking of the earth’s surface that often causes a lot of damage" + }, + "telegraph": { + "CHS": "电汇;流露出;打电报给…", + "ENG": "to send a message by telegraph" + }, + "transistor": { + "CHS": "晶体管(收音机)" + }, + "hemisphere": { + "CHS": "半球", + "ENG": "a half of the Earth, especially one of the halves above and below the equator " + }, + "electricity": { + "CHS": "电力;电流;强烈的紧张情绪", + "ENG": "the power that is carried by wires, cables etc, and is used to provide light or heat, to make machines work etc" + }, + "pamphlet": { + "CHS": "小册子", + "ENG": "a very thin book with paper covers, that gives information about something" + }, + "excursion": { + "CHS": "偏移;远足;短程旅行;离题;游览,游览团", + "ENG": "a short journey arranged so that a group of people can visit a place, especially while they are on holiday" + }, + "overnight": { + "CHS": "过一夜" + }, + "rotten": { + "CHS": "(Rotten)人名;(法、德)罗滕" + }, + "certainty": { + "CHS": "必然;确实;确实的事情", + "ENG": "the state of being completely certain" + }, + "transient": { + "CHS": "瞬变现象;过往旅客;候鸟" + }, + "coffee": { + "CHS": "咖啡;咖啡豆;咖啡色", + "ENG": "a hot dark brown drink that has a slightly bitter taste" + }, + "wreath": { + "CHS": "环绕(等于wreathe)" + }, + "poison": { + "CHS": "有毒的" + }, + "shiver": { + "CHS": "颤抖;哆嗦;打碎", + "ENG": "to shake slightly because you are cold or frightened" + }, + "salesman": { + "CHS": "推销员;售货员", + "ENG": "a man whose job is to persuade people to buy his company’s products" + }, + "angel": { + "CHS": "出钱支持" + }, + "christ": { + "CHS": "天啊!" + }, + "shutter": { + "CHS": "为…装百叶窗;以百叶窗遮闭" + }, + "raid": { + "CHS": "对…进行突然袭击", + "ENG": "if police raid a place, they make a surprise visit to search for something illegal" + }, + "weld": { + "CHS": "焊接;焊接点", + "ENG": "a joint that is made by welding two pieces of metal together" + }, + "dump": { + "CHS": "垃圾场;仓库;无秩序地累积", + "ENG": "a place where unwanted waste is taken and left" + }, + "tube": { + "CHS": "使成管状;把…装管;用管输送" + }, + "compass": { + "CHS": "包围" + }, + "shopkeeper": { + "CHS": "店主,老板", + "ENG": "someone who owns or is in charge of a small shop" + }, + "facility": { + "CHS": "设施;设备;容易;灵巧", + "ENG": "Facilities are buildings, pieces of equipment, or services that are provided for a particular purpose" + }, + "definite": { + "CHS": "一定的;确切的", + "ENG": "clearly known, seen, or stated" + }, + "dull": { + "CHS": "(Dull)人名;(罗、匈)杜尔;(柬)杜;(英)达尔" + }, + "tuck": { + "CHS": "食物;船尾突出部;缝摺;抱膝式跳水;活力;鼓声", + "ENG": "a pleat or fold in a part of a garment, usually stitched down so as to make it a better fit or as decoration " + }, + "whistle": { + "CHS": "吹口哨;鸣汽笛", + "ENG": "to make a high or musical sound by blowing air out through your lips" + }, + "notebook": { + "CHS": "笔记本,笔记簿;手册", + "ENG": "a book made of plain paper on which you can write notes" + }, + "wolf": { + "CHS": "大吃;狼吞虎咽地吃", + "ENG": "to eat something very quickly, swallowing it in big pieces" + }, + "timely": { + "CHS": "及时地;早" + }, + "harvest": { + "CHS": "收割;得到", + "ENG": "to gather crops from the fields" + }, + "fry": { + "CHS": "油炸;油煎", + "ENG": "to cook something in hot fat or oil, or to be cooked in hot fat or oil" + }, + "tension": { + "CHS": "使紧张;使拉紧" + }, + "quarterly": { + "CHS": "季刊", + "ENG": "a magazine that is produced four times a year" + }, + "flash": { + "CHS": "闪光的,火速的" + }, + "marble": { + "CHS": "大理石的;冷酷无情的" + }, + "angry": { + "CHS": "生气的;愤怒的;狂暴的;(伤口等)发炎的", + "ENG": "feeling strong emotions which make you want to shout at someone or hurt them because they have behaved in an unfair, cruel, offensive etc way, or because you think that a situation is unfair, unacceptable etc" + }, + "distinct": { + "CHS": "明显的;独特的;清楚的;有区别的", + "ENG": "something that is distinct can clearly be seen, heard, smelled etc" + }, + "uneasy": { + "CHS": "不舒服的;心神不安的;不稳定的", + "ENG": "worried or slightly afraid because you think that something bad might happen" + }, + "opt": { + "CHS": "选择", + "ENG": "to choose one thing or do one thing instead of another" + }, + "satire": { + "CHS": "讽刺;讽刺文学,讽刺作品", + "ENG": "a way of criticizing something such as a group of people or a system, in which you deliberately make them seem funny so that people will see their faults" + }, + "glad": { + "CHS": "(Glad)人名;(塞、瑞典)格拉德;(英)格莱德;(法、挪)格拉" + }, + "grass": { + "CHS": "放牧;使……长满草;使……吃草" + }, + "locker": { + "CHS": "柜,箱;上锁的人;有锁的橱柜;锁扣装置;有锁的存物柜", + "ENG": "a small cupboard with a lock in a school, sports building, office etc, where you can leave clothes or possessions while you do something" + }, + "occasional": { + "CHS": "偶然的;临时的;特殊场合的", + "ENG": "Occasional means happening sometimes, but not regularly or often" + }, + "wholesome": { + "CHS": "健全的;有益健康的;合乎卫生的;审慎的", + "ENG": "likely to make you healthy" + }, + "hunger": { + "CHS": "渴望;挨饿", + "ENG": "If you say that someone hungers for something or hungers after it, you are emphasizing that they want it very much" + }, + "violate": { + "CHS": "违反;侵犯,妨碍;亵渎", + "ENG": "to disobey or do something against an official agreement, law, principle etc" + }, + "recycle": { + "CHS": "再生;再循环;重复利用" + }, + "container": { + "CHS": "集装箱;容器", + "ENG": "something such as a box or bowl that you use to keep things in" + }, + "cube": { + "CHS": "使成立方形;使自乘二次;量…的体积", + "ENG": "to multiply a number by itself twice" + }, + "flare": { + "CHS": "加剧,恶化;底部展开;(鼻孔)张开的意思;闪光,闪耀;耀斑;爆发;照明弹" + }, + "ore": { + "CHS": "矿;矿石", + "ENG": "rock or earth from which metal can be obtained" + }, + "cargo": { + "CHS": "货物,船货", + "ENG": "the goods that are being carried in a ship or plane" + }, + "particle": { + "CHS": "颗粒;[物] 质点;极小量;小品词", + "ENG": "a very small piece of something" + }, + "cloth": { + "CHS": "布制的" + }, + "feudal": { + "CHS": "封建制度的;领地的;世仇的", + "ENG": "relating to feudalism" + }, + "velocity": { + "CHS": "【物】速度", + "ENG": "the speed of something that is moving in a particular direction" + }, + "simplify": { + "CHS": "简化;使单纯;使简易", + "ENG": "to make something easier or less complicated" + }, + "gigantic": { + "CHS": "巨大的,庞大的", + "ENG": "extremely big" + }, + "desert": { + "CHS": "沙漠的;荒凉的;不毛的" + }, + "miracle": { + "CHS": "奇迹,奇迹般的人或物;惊人的事例", + "ENG": "something very lucky or very good that happens which you did not expect to happen or did not think was possible" + }, + "progressive": { + "CHS": "改革论者;进步分子", + "ENG": "A progressive is someone who is progressive" + }, + "crystal": { + "CHS": "水晶的;透明的,清澈的" + }, + "saint": { + "CHS": "成为圣徒" + }, + "secretary": { + "CHS": "秘书;书记;部长;大臣", + "ENG": "someone who works in an office typing letters, keeping records, answering telephone calls, arranging meetings etc" + }, + "snake": { + "CHS": "迂回前进", + "ENG": "if a river, road, train, or line snakes somewhere, it moves in long twisting curves" + }, + "distract": { + "CHS": "转移;分心", + "ENG": "to take someone’s attention away from something by making them look at or listen to something else" + }, + "layman": { + "CHS": "外行;门外汉;俗人;一般信徒", + "ENG": "someone who is not trained in a particular subject or type of work, especially when they are being compared with someone who is" + }, + "preclude": { + "CHS": "排除;妨碍;阻止", + "ENG": "to prevent something or make something impossible" + }, + "rack": { + "CHS": "变形;随风飘;小步跑", + "ENG": "(of clouds) to be blown along by the wind " + }, + "twinkle": { + "CHS": "闪烁", + "ENG": "an expression in your eyes that shows you are happy or amused" + }, + "silly": { + "CHS": "傻瓜", + "ENG": "used to tell someone that you think they are not behaving sensibly" + }, + "misfortune": { + "CHS": "不幸;灾祸,灾难", + "ENG": "very bad luck, or something that happens to you as a result of bad luck" + }, + "grand": { + "CHS": "大钢琴;一千美元", + "ENG": "a thousand pounds or dollars" + }, + "duck": { + "CHS": "闪避;没入水中", + "ENG": "to push someone under water for a short time as a joke" + }, + "flu": { + "CHS": "流感", + "ENG": "a common illness that makes you feel very tired and weak, gives you a sore throat, and makes you cough and have to clear your nose a lot" + }, + "cattle": { + "CHS": "牛;牲畜(骂人的话);家畜;无价值的人", + "ENG": "cows and bull s kept on a farm for their meat or milk" + }, + "tune": { + "CHS": "调整;使一致;为…调音", + "ENG": "to make a musical instrument play at the right pitch " + }, + "centimetre": { + "CHS": "厘米;公分", + "ENG": "a unit for measuring length. There are 100 centimetres in one metre." + }, + "clerk": { + "CHS": "当销售员,当店员;当职员", + "ENG": "to work as a clerk" + }, + "stitch": { + "CHS": "缝,缝合", + "ENG": "to sew two pieces of cloth together, or to sew a decoration onto a piece of cloth" + }, + "zebra": { + "CHS": "有斑纹的" + }, + "campus": { + "CHS": "(大学)校园;大学,大学生活;校园内的草地", + "ENG": "the land and buildings of a university or college, including the buildings where students live" + }, + "clay": { + "CHS": "用黏土处理" + }, + "ride": { + "CHS": "骑;乘坐;交通工具;可供骑行的路;(乘坐汽车等的)旅行;乘骑;(乘车或骑车的)短途旅程;供乘骑的游乐设施", + "ENG": "a journey in a vehicle, when you are not driving" + }, + "intention": { + "CHS": "意图;目的;意向;愈合", + "ENG": "a plan or desire to do something" + }, + "alloy": { + "CHS": "合金", + "ENG": "a metal that consists of two or more metals mixed together" + }, + "paralyze": { + "CHS": "使麻痹;使瘫痪" + }, + "fix": { + "CHS": "困境;方位;贿赂", + "ENG": "to have a problem that is difficult to solve" + }, + "notify": { + "CHS": "通告,通知;公布", + "ENG": "to formally or officially tell someone about something" + }, + "fine": { + "CHS": "很好地;精巧地", + "ENG": "in a way that is satisfactory or acceptable" + }, + "passion": { + "CHS": "激情;热情;酷爱;盛怒", + "ENG": "a very strong belief or feeling about something" + }, + "wheat": { + "CHS": "小麦;小麦色", + "ENG": "the grain that bread is made from, or the plant that it grows on" + }, + "rice": { + "CHS": "把…捣成米糊状" + }, + "savage": { + "CHS": "乱咬;粗暴的对待", + "ENG": "if an animal such as a dog savages someone, it attacks them and injures them badly" + }, + "cinema": { + "CHS": "电影;电影院;电影业,电影制作术", + "ENG": "a building in which films are shown" + }, + "millimeter": { + "CHS": "[计量] 毫米" + }, + "clap": { + "CHS": "鼓掌;拍手声", + "ENG": "the loud sound that you make when you hit your hands together many times to show that you enjoyed something" + }, + "claw": { + "CHS": "用爪抓(或挖)", + "ENG": "to tear or pull at something, using claws or your fingers" + }, + "portray": { + "CHS": "描绘;扮演", + "ENG": "to describe or represent something or someone" + }, + "librarian": { + "CHS": "图书馆员;图书管理员", + "ENG": "someone who works in a library" + }, + "horn": { + "CHS": "装角于" + }, + "incorporate": { + "CHS": "合并的;一体化的;组成公司的" + }, + "hose": { + "CHS": "用软管浇水;痛打", + "ENG": "to wash or pour water over something or someone, using a hose" + }, + "barn": { + "CHS": "把…贮存入仓" + }, + "auxiliary": { + "CHS": "辅助的;副的;附加的", + "ENG": "auxiliary workers provide additional help for another group of workers" + }, + "spacecraft": { + "CHS": "[航] 宇宙飞船,航天器", + "ENG": "a vehicle that is able to travel in space" + }, + "bare": { + "CHS": "(Bare)人名;(英)贝尔" + }, + "condense": { + "CHS": "浓缩;凝结", + "ENG": "if a gas condenses, or is condensed, it becomes a liquid" + }, + "thunder": { + "CHS": "打雷;怒喝", + "ENG": "if it thunders, there is a loud noise in the sky, usually after a flash of lightning" + }, + "microphone": { + "CHS": "扩音器,麦克风", + "ENG": "a piece of equipment that you speak into to record your voice or make it louder when you are speaking or performing in public" + }, + "duplicate": { + "CHS": "复制的;二重的", + "ENG": "exactly the same as something, or made as an exact copy of something" + }, + "maths": { + "CHS": "数学(等于mathematics)", + "ENG": "mathematics" + }, + "neutral": { + "CHS": "中立国;中立者;非彩色;齿轮的空档", + "ENG": "a country, person, or group that is not involved in an argument or disagreement" + }, + "worship": { + "CHS": "崇拜;尊敬;爱慕", + "ENG": "to show respect and love for a god, especially by praying in a religious building" + }, + "stationery": { + "CHS": "文具;信纸", + "ENG": "paper for writing letters, usually with matching envelopes" + }, + "divert": { + "CHS": "(Divert)人名;(法)迪韦尔" + }, + "liner": { + "CHS": "班轮,班机;衬垫;画线者", + "ENG": "a piece of material used inside something, especially in order to keep it clean" + }, + "linen": { + "CHS": "亚麻的;亚麻布制的" + }, + "queer": { + "CHS": "同性恋者;怪人;伪造的货币", + "ENG": "an offensive word for a homosexual person, especially a man. Do not use this word." + }, + "practise": { + "CHS": "练习,实践;实施,实行;从事", + "ENG": "to do an activity, often regularly, in order to improve your skill or to prepare for a test" + }, + "butcher": { + "CHS": "屠夫", + "ENG": "A butcher is a shopkeeper who cuts up and sells meat. Some butchers also kill animals for meat and make foods such as sausages and meat pies. " + }, + "beware": { + "CHS": "当心,小心", + "ENG": "used to warn someone to be careful because something is dangerous" + }, + "jargon": { + "CHS": "行话,术语;黄锆石", + "ENG": "words and expressions used in a particular profession or by a particular group of people, which are difficult for other people to understand – often used to show disapproval" + }, + "bath": { + "CHS": "洗澡", + "ENG": "to wash someone in a bath" + }, + "trousers": { + "CHS": "裤子,长裤", + "ENG": "a piece of clothing that covers the lower half of your body, with a separate part fitting over each leg" + }, + "tilt": { + "CHS": "倾斜", + "ENG": "a movement or position in which one side of something is higher than the other" + }, + "salvation": { + "CHS": "拯救;救助", + "ENG": "something that prevents or saves someone or something from danger, loss, or failure" + }, + "nerve": { + "CHS": "鼓起勇气", + "ENG": "to force yourself to be brave enough to do something" + }, + "edible": { + "CHS": "食品;食物" + }, + "reproach": { + "CHS": "责备;申斥", + "ENG": "to feel guilty about something that you think you are responsible for" + }, + "tile": { + "CHS": "铺以瓦;铺以瓷砖" + }, + "aunt": { + "CHS": "阿姨;姑妈;伯母;舅妈", + "ENG": "the sister of your father or mother, or the wife of your father’s or mother’s brother" + }, + "gratitude": { + "CHS": "感谢(的心情);感激", + "ENG": "the feeling of being grateful" + }, + "psychiatry": { + "CHS": "精神病学;精神病治疗法", + "ENG": "the study and treatment of mental illnesses" + }, + "conviction": { + "CHS": "定罪;确信;证明有罪;确信,坚定的信仰", + "ENG": "a very strong belief or opinion" + }, + "ditch": { + "CHS": "沟渠;壕沟", + "ENG": "a long narrow hole dug at the side of a field, road etc to hold or remove unwanted water" + }, + "qualify": { + "CHS": "限制;使具有资格;证明…合格", + "ENG": "to have the right to have or do something, or to give someone this right" + }, + "bounce": { + "CHS": "弹跳;使弹起", + "ENG": "if a ball or other object bounces, or you bounce it, it immediately moves up or away from a surface after hitting it" + }, + "cock": { + "CHS": "使竖起;使耸立;使朝上" + }, + "kiss": { + "CHS": "吻;轻拂", + "ENG": "an act of kissing" + }, + "band": { + "CHS": "用带绑扎;给镶边" + }, + "terminal": { + "CHS": "末端的;终点的;晚期的", + "ENG": "a terminal illness cannot be cured, and causes death" + }, + "diversion": { + "CHS": "转移;消遣;分散注意力", + "ENG": "a change in the direction or use of something, or the act of changing it" + }, + "scramble": { + "CHS": "抢夺,争夺;混乱,混乱的一团;爬行,攀登", + "ENG": "a difficult climb in which you have to use your hands to help you" + }, + "specimen": { + "CHS": "样品,样本;标本", + "ENG": "a small amount or piece that is taken from something, so that it can be tested or examined" + }, + "friendship": { + "CHS": "友谊;友爱;友善", + "ENG": "a relationship between friends" + }, + "invasion": { + "CHS": "入侵,侵略;侵袭;侵犯", + "ENG": "when the army of one country enters another country by force, in order to take control of it" + }, + "parasite": { + "CHS": "寄生虫;食客", + "ENG": "a plant or animal that lives on or in another plant or animal and gets food from it" + }, + "bang": { + "CHS": "重击;发巨响", + "ENG": "to hit something hard, making a loud noise" + }, + "seemingly": { + "CHS": "看来似乎;表面上看来", + "ENG": "according to the facts as you know them" + }, + "vital": { + "CHS": "(Vital)人名;(法、德、意、俄、葡)维塔尔;(西)比塔尔" + }, + "textbook": { + "CHS": "教科书,课本", + "ENG": "a book that contains information about a subject that people study, especially at school or college" + }, + "cream": { + "CHS": "奶油,乳脂;精华;面霜;乳酪", + "ENG": "a thick yellow-white liquid that rises to the top of milk" + }, + "orbit": { + "CHS": "盘旋;绕轨道运行", + "ENG": "to travel in a curved path around a much larger object such as the Earth, the Sun etc" + }, + "tame": { + "CHS": "(Tame)人名;(捷)塔梅" + }, + "accustomed": { + "CHS": "使习惯于(accustom的过去分词)" + }, + "van": { + "CHS": "用车搬运" + }, + "concise": { + "CHS": "简明的,简洁的", + "ENG": "short, with no unnecessary words" + }, + "emperor": { + "CHS": "皇帝,君主", + "ENG": "the man who is the ruler of an empire" + }, + "powder": { + "CHS": "使成粉末;撒粉;搽粉于" + }, + "fare": { + "CHS": "票价;费用;旅客;食物", + "ENG": "the price you pay to travel somewhere by bus, train, plane etc" + }, + "blaze": { + "CHS": "火焰,烈火;光辉;情感爆发", + "ENG": "very bright light or colour" + }, + "flock": { + "CHS": "用棉束填满" + }, + "lad": { + "CHS": "少年,小伙子;家伙", + "ENG": "a boy or young man" + }, + "shepherd": { + "CHS": "牧羊人;牧师;指导者", + "ENG": "someone whose job is to take care of sheep" + }, + "ally": { + "CHS": "使联盟;使联合", + "ENG": "If you ally yourself with someone or something, you give your support to them" + }, + "ache": { + "CHS": "疼痛", + "ENG": "a continuous pain that is not sharp or very strong" + }, + "tale": { + "CHS": "故事;传说;叙述;流言蜚语", + "ENG": "a story about exciting imaginary events" + }, + "predominant": { + "CHS": "主要的;卓越的;支配的;有力的;有影响的", + "ENG": "If something is predominant, it is more important or noticeable than anything else in a set of people or things" + }, + "lap": { + "CHS": "使重叠;拍打;包围", + "ENG": "if water laps something or laps against something such as the shore or a boat, it moves against it or hits it in small waves" + }, + "offset": { + "CHS": "抵消;弥补;用平版印刷术印刷", + "ENG": "if the cost or amount of something offsets another cost or amount, the two things have an opposite effect so that the situation remains the same" + }, + "tall": { + "CHS": "(Tall)人名;(马里、阿拉伯)塔勒;(芬、罗、瑞典)塔尔;(英)托尔;(土)塔勒" + }, + "coat": { + "CHS": "覆盖…的表面" + }, + "calendar": { + "CHS": "将…列入表中;将…排入日程表" + }, + "dazzle": { + "CHS": "使……目眩;使……眼花", + "ENG": "if a very bright light dazzles you, it stops you from seeing properly for a short time" + }, + "anniversary": { + "CHS": "周年纪念日", + "ENG": "a date on which something special or important happened in a previous year" + }, + "cable": { + "CHS": "打电报", + "ENG": "to send someone a telegram " + }, + "kite": { + "CHS": "使用空头支票;像风筝一样飞;轻快地移动" + }, + "disrupt": { + "CHS": "分裂的,中断的;分散的" + }, + "acid": { + "CHS": "酸的;讽刺的;刻薄的", + "ENG": "having a sharp sour taste" + }, + "retrieve": { + "CHS": "[计] 检索;恢复,取回" + }, + "vitamin": { + "CHS": "[生化] 维生素;[生化] 维他命", + "ENG": "a chemical substance in food that is necessary for good health" + }, + "fruitful": { + "CHS": "富有成效的;多产的;果实结得多的", + "ENG": "producing good results" + }, + "peanut": { + "CHS": "花生", + "ENG": "a pale brown nut in a thin shell which grows under the ground" + }, + "thermal": { + "CHS": "上升的热气流", + "ENG": "a rising current of warm air used by birds" + }, + "shuttle": { + "CHS": "使穿梭般来回移动;短程穿梭般运送", + "ENG": "to travel frequently between two places" + }, + "cue": { + "CHS": "给…暗示", + "ENG": "to give someone a sign that it is the right moment for them to speak or do something, especially during a performance" + }, + "historic": { + "CHS": "有历史意义的;历史上著名的", + "ENG": "a historic event or act is very important and will be recorded as part of history" + }, + "hatred": { + "CHS": "憎恨;怨恨;敌意", + "ENG": "an angry feeling of extreme dislike for someone or something" + }, + "stroke": { + "CHS": "(用笔等)画;轻抚;轻挪;敲击;划尾桨;划掉;(打字时)击打键盘", + "ENG": "to move your hand gently over something" + }, + "torment": { + "CHS": "痛苦,苦恼;痛苦的根源", + "ENG": "severe mental or physical suffering" + }, + "numerous": { + "CHS": "许多的,很多的", + "ENG": "many" + }, + "burglar": { + "CHS": "夜贼,窃贼", + "ENG": "someone who goes into houses, shops etc to steal things" + }, + "privacy": { + "CHS": "隐私;秘密;隐居;隐居处", + "ENG": "the state of being free from public attention" + }, + "strawberry": { + "CHS": "草莓;草莓色", + "ENG": "a soft red juicy fruit with small seeds on its surface, or the plant that grows this fruit" + }, + "antenna": { + "CHS": "[电讯] 天线;[动] 触角,[昆] 触须", + "ENG": "one of two long thin parts on an insect’s head, that it uses to feel things" + }, + "recorder": { + "CHS": "录音机;记录器;记录员;八孔直笛", + "ENG": "a piece of electrical equipment that records music, films etc" + }, + "creep": { + "CHS": "爬行;毛骨悚然的感觉;谄媚者" + }, + "inflation": { + "CHS": "膨胀;通货膨胀;夸张;自命不凡", + "ENG": "a continuing increase in prices, or the rate at which prices increase" + }, + "compartment": { + "CHS": "分隔;划分" + }, + "incident": { + "CHS": "[光] 入射的;附带的;易发生的,伴随而来的" + }, + "shore": { + "CHS": "海滨;支柱", + "ENG": "the land along the edge of a large area of water such as an ocean or lake" + }, + "pardon": { + "CHS": "原谅;赦免;宽恕", + "ENG": "to officially allow someone who has been found guilty of a crime to go free without being punished" + }, + "empire": { + "CHS": "帝国;帝王统治,君权", + "ENG": "a group of countries that are all controlled by one ruler or government" + }, + "ministry": { + "CHS": "(政府的)部门", + "ENG": "a government department that is responsible for one of the areas of government work, such as education or health" + }, + "tape": { + "CHS": "录音;用带子捆扎;用胶布把…封住", + "ENG": "to record sound or pictures onto a tape" + }, + "holy": { + "CHS": "神圣的东西" + }, + "fiber": { + "CHS": "纤维;光纤(等于fibre)" + }, + "quiz": { + "CHS": "挖苦;张望;对…进行测验" + }, + "melody": { + "CHS": "旋律;歌曲;美妙的音乐", + "ENG": "a song or tune" + }, + "fertile": { + "CHS": "富饶的,肥沃的;能生育的", + "ENG": "fertile land or soil is able to produce good crops" + }, + "portion": { + "CHS": "分配;给…嫁妆" + }, + "manuscript": { + "CHS": "手写的" + }, + "green": { + "CHS": "使…变绿色", + "ENG": "to fill an area with growing plants in order to make it more attractive" + }, + "greet": { + "CHS": "(Greet)人名;(英)格里特" + }, + "famine": { + "CHS": "饥荒;饥饿,奇缺", + "ENG": "a situation in which a large number of people have little or no food for a long time and many people die" + }, + "hollow": { + "CHS": "彻底地;无用地" + }, + "narrative": { + "CHS": "叙事的,叙述的;叙事体的" + }, + "nylon": { + "CHS": "尼龙,[纺] 聚酰胺纤维;尼龙袜", + "ENG": "a strong artificial material that is used to make plastics, clothes, rope etc" + }, + "snap": { + "CHS": "突然的", + "ENG": "an election that is announced suddenly and unexpectedly" + }, + "defect": { + "CHS": "变节;叛变", + "ENG": "to leave your own country or group in order to go to or join an opposing one" + }, + "dragon": { + "CHS": "龙;凶暴的人,凶恶的人;严厉而有警觉性的女人", + "ENG": "a large imaginary animal that has wings and a long tail and can breathe out fire" + }, + "acre": { + "CHS": "土地,地产;英亩", + "ENG": "a unit for measuring area, equal to 4,840 square yards or 4,047 square metres" + }, + "honest": { + "CHS": "诚实的,实在的;可靠的;坦率的", + "ENG": "someone who is honest always tells the truth and does not cheat or steal" + }, + "postage": { + "CHS": "邮资,邮费", + "ENG": "the money charged for sending a letter, package etc by post" + }, + "revolt": { + "CHS": "反抗;叛乱;反感", + "ENG": "a refusal to accept someone’s authority or obey rules or laws" + }, + "preposition": { + "CHS": "介词;前置词", + "ENG": "a word that is used before a noun, pronoun , or gerund to show place, time, direction etc. In the phrase ‘the trees in the park’, ‘in’ is a preposition." + }, + "flood": { + "CHS": "洪水;泛滥;一大批", + "ENG": "a very large amount of water that covers an area that is usually dry" + }, + "aircraft": { + "CHS": "飞机,航空器", + "ENG": "a plane or other vehicle that can fly" + }, + "liver": { + "CHS": "肝脏;生活者,居民", + "ENG": "a large organ in your body that produces bile and cleans your blood" + }, + "invade": { + "CHS": "侵略;侵袭;侵扰;涌入", + "ENG": "to enter a country, town, or area using military force, in order to take control of it" + }, + "necklace": { + "CHS": "项链", + "ENG": "a string of jewels, beads etc or a thin gold or silver chain to wear around the neck" + }, + "rabbit": { + "CHS": "让…见鬼去吧" + }, + "commonwealth": { + "CHS": "联邦;共和国;国民整体", + "ENG": "The commonwealth is an organization consisting of the United Kingdom and most of the countries that were previously under its rule" + }, + "defeat": { + "CHS": "失败的事实;击败的行为", + "ENG": "failure to win or succeed" + }, + "giggle": { + "CHS": "吃吃的笑", + "ENG": "Giggle is also a noun" + }, + "remnant": { + "CHS": "剩余的" + }, + "sparkle": { + "CHS": "使闪耀;使发光", + "ENG": "to shine in small bright flashes" + }, + "resolution": { + "CHS": "[物] 分辨率;决议;解决;决心", + "ENG": "a formal decision or statement agreed on by a group of people, especially after a vote" + }, + "shove": { + "CHS": "推;挤", + "ENG": "a strong push" + }, + "reassure": { + "CHS": "使…安心,使消除疑虑", + "ENG": "to make someone feel calmer and less worried or frightened about a problem or situation" + }, + "seal": { + "CHS": "密封;盖章", + "ENG": "to cover the surface of something with something that will protect it" + }, + "seam": { + "CHS": "缝合;接合;使留下伤痕" + }, + "leaflet": { + "CHS": "小叶;传单", + "ENG": "a small book or piece of paper advertising something or giving information on a particular subject" + }, + "vocabulary": { + "CHS": "词汇;词表;词汇量", + "ENG": "all the words that someone knows or uses" + }, + "provision": { + "CHS": "供给…食物及必需品", + "ENG": "to provide someone or something with a lot of food and supplies, especially for a journey" + }, + "notwithstanding": { + "CHS": "虽然" + }, + "motel": { + "CHS": "汽车旅馆", + "ENG": "a hotel for people who are travelling by car, where you can park your car outside your room" + }, + "convenient": { + "CHS": "方便的;[废语]适当的;[口语]近便的;实用的", + "ENG": "useful to you because it saves you time, or does not spoil your plans or cause you problems" + }, + "wife": { + "CHS": "妻子,已婚妇女;夫人", + "ENG": "the woman that a man is married to" + }, + "locality": { + "CHS": "所在;位置;地点", + "ENG": "a small area of a country, city etc" + }, + "meditate": { + "CHS": "考虑;计划;企图", + "ENG": "to plan to do something, usually something unpleasant" + }, + "blueprint": { + "CHS": "蓝图,设计图;计划", + "ENG": "a plan for achieving something" + }, + "shout": { + "CHS": "呼喊;呼叫", + "ENG": "a loud call expressing anger, pain, excitement etc" + }, + "dynasty": { + "CHS": "王朝,朝代", + "ENG": "a family of kings or other rulers whose parents, grandparents etc have ruled the country for many years" + }, + "horsepower": { + "CHS": "马力(功率单位)", + "ENG": "a unit for measuring the power of an engine, or the power of an engine measured like this" + }, + "yellow": { + "CHS": "使变黄或发黄", + "ENG": "to become yellow or make something become yellow" + }, + "garbage": { + "CHS": "垃圾;废物", + "ENG": "waste material, such as paper, empty containers, and food thrown away" + }, + "sunshine": { + "CHS": "阳光;愉快;晴天;快活", + "ENG": "the light and heat that come from the sun when there is no cloud" + }, + "fourteen": { + "CHS": "十四的记号;十四岁;十四点钟;十五世纪", + "ENG": "the number 14" + }, + "bureau": { + "CHS": "局,处;衣柜;办公桌", + "ENG": "a government department or a part of a government department in the US" + }, + "certify": { + "CHS": "证明;保证", + "ENG": "to state that something is correct or true, especially after some kind of test" + }, + "static": { + "CHS": "静电;静电干扰", + "ENG": "noise caused by electricity in the air that blocks or spoils the sound from radio or TV" + }, + "panda": { + "CHS": "熊猫;猫熊", + "ENG": "a large black and white animal that looks like a bear and lives in the mountains of China" + }, + "log": { + "CHS": "记录;航行日志;原木", + "ENG": "a thick piece of wood from a tree" + }, + "tangle": { + "CHS": "使纠缠;处于混乱状态" + }, + "magnificent": { + "CHS": "高尚的;壮丽的;华丽的;宏伟的", + "ENG": "very good or beautiful, and very impressive" + }, + "marvelous": { + "CHS": "了不起的;非凡的;令人惊异的;不平常的" + }, + "swear": { + "CHS": "宣誓;诅咒" + }, + "blade": { + "CHS": "叶片;刀片,刀锋;剑", + "ENG": "the flat cutting part of a tool or weapon" + }, + "magnetic": { + "CHS": "地磁的;有磁性的;有吸引力的", + "ENG": "concerning or produced by magnetism " + }, + "sniff": { + "CHS": "吸,闻;嗤之以鼻;气味;以鼻吸气;吸气声", + "ENG": "Sniff is also a noun" + }, + "sweat": { + "CHS": "汗;水珠;焦急;苦差使", + "ENG": "drops of salty liquid that come out through your skin when you are hot, frightened, ill, or doing exercise" + }, + "ugly": { + "CHS": "丑陋的;邪恶的;令人厌恶的", + "ENG": "extremely unattractive and unpleasant to look at" + }, + "graphic": { + "CHS": "形象的;图表的;绘画似的", + "ENG": "connected with or including drawing, printing, or designing" + }, + "territory": { + "CHS": "领土,领域;范围;地域;版图", + "ENG": "land that is owned or controlled by a particular country, ruler, or military force" + }, + "drunk": { + "CHS": "喝醉了的", + "ENG": "unable to control your behaviour, speech etc because you have drunk too much alcohol" + }, + "captain": { + "CHS": "指挥;率领", + "ENG": "to lead a group or team of people and be their captain" + }, + "vicinity": { + "CHS": "邻近,附近;近处", + "ENG": "in the area around a particular place" + }, + "puppet": { + "CHS": "木偶;傀儡;受他人操纵的人", + "ENG": "a model of a person or animal that you move by pulling wires or strings, or by putting your hand inside it" + }, + "offspring": { + "CHS": "后代,子孙;产物", + "ENG": "someone’s child or children – often used humorously" + }, + "landlord": { + "CHS": "房东,老板;地主", + "ENG": "a man who rents a room, building, or piece of land to someone" + }, + "stagger": { + "CHS": "交错的;错开的" + }, + "nineteen": { + "CHS": "十九", + "ENG": "the number 19" + }, + "seed": { + "CHS": "播种;结实;成熟;去…籽", + "ENG": "to remove seeds from fruit or vegetables" + }, + "cosmic": { + "CHS": "宇宙的(等于cosmical)", + "ENG": "relating to space or the universe" + }, + "plentiful": { + "CHS": "丰富的;许多的;丰饶的;众多的", + "ENG": "more than enough in quantity" + }, + "comb": { + "CHS": "梳头发;梳毛", + "ENG": "to make hair look tidy using a comb" + }, + "singular": { + "CHS": "单数", + "ENG": "the form of a word used when writing or speaking about one person or thing" + }, + "handful": { + "CHS": "少数;一把;棘手事", + "ENG": "an amount that you can hold in your hand" + }, + "oxide": { + "CHS": "[化学] 氧化物", + "ENG": "a substance which is produced when a substance is combined with oxygen" + }, + "kindergarten": { + "CHS": "幼儿园;幼稚园", + "ENG": "a school for children aged two to five" + }, + "actress": { + "CHS": "女演员", + "ENG": "a woman who performs in a play or film" + }, + "fisherman": { + "CHS": "渔夫;渔人", + "ENG": "someone who catches fish as a sport or as a job" + }, + "adore": { + "CHS": "(Adore)人名;(法)阿多尔" + }, + "turbine": { + "CHS": "[动力] 涡轮;[动力] 涡轮机", + "ENG": "an engine or motor in which the pressure of a liquid or gas moves a special wheel around" + }, + "cop": { + "CHS": "巡警,警官", + "ENG": "a police officer" + }, + "cow": { + "CHS": "威胁,恐吓", + "ENG": "to frighten someone in order to make them do something" + }, + "meantime": { + "CHS": "同时;其间", + "ENG": "in the period of time between now and a future event, or between two events in the past" + }, + "frontier": { + "CHS": "边界的;开拓的" + }, + "cylinder": { + "CHS": "圆筒;汽缸;[数] 柱面;圆柱状物", + "ENG": "a shape, object, or container with circular ends and long straight sides" + }, + "sweep": { + "CHS": "打扫,扫除;范围;全胜", + "ENG": "the act of cleaning a room with a long-handled brush" + }, + "december": { + "CHS": "十二月" + }, + "cosy": { + "CHS": "保温罩", + "ENG": "a covering for a teapot that keeps the tea inside from getting cold too quickly" + }, + "hound": { + "CHS": "猎犬;卑劣的人", + "ENG": "a dog that is fast and has a good sense of smell, used for hunting" + }, + "hurricane": { + "CHS": "飓风,暴风", + "ENG": "a storm that has very strong fast winds and that moves over water" + }, + "corn": { + "CHS": "腌;使成颗粒" + }, + "traitor": { + "CHS": "叛徒;卖国贼;背信弃义的人", + "ENG": "someone who is not loyal to their country, friends, or beliefs" + }, + "federation": { + "CHS": "联合;联邦;联盟;联邦政府", + "ENG": "a group of organizations, clubs, or people that have joined together to form a single group" + }, + "pirate": { + "CHS": "掠夺;翻印;剽窃", + "ENG": "to illegally copy and sell another person’s work such as a book, video, or computer program" + }, + "profile": { + "CHS": "描…的轮廓;扼要描述" + }, + "thrust": { + "CHS": "插;插入;推挤", + "ENG": "If you thrust your way somewhere, you move there, pushing between people or things which are in your way" + }, + "camera": { + "CHS": "照相机;摄影机", + "ENG": "a piece of equipment used to take photographs or make films or television programmes" + }, + "fluent": { + "CHS": "流畅的,流利的;液态的;畅流的", + "ENG": "able to speak a language very well" + }, + "cabinet": { + "CHS": "内阁的;私下的,秘密的" + }, + "harassment": { + "CHS": "骚扰;烦恼", + "ENG": "when someone behaves in an unpleasant or threatening way towards you" + }, + "sacred": { + "CHS": "神的;神圣的;宗教的;庄严的", + "ENG": "relating to a god or religion" + }, + "threshold": { + "CHS": "入口;门槛;开始;极限;临界值", + "ENG": "the entrance to a room or building, or the area of floor or ground at the entrance" + }, + "owing": { + "CHS": "欠;把…归功于(owe的ing形式)" + }, + "unit": { + "CHS": "单位,单元;装置;[军] 部队;部件", + "ENG": "an amount of something used as a standard of measurement" + }, + "nationality": { + "CHS": "国籍,国家;民族;部落", + "ENG": "the state of being legally a citizen of a particular country" + }, + "usage": { + "CHS": "使用;用法;惯例", + "ENG": "the way that words are used in a language" + }, + "potato": { + "CHS": "[作物] 土豆,[作物] 马铃薯", + "ENG": "a round white vegetable with a brown, red, or pale yellow skin, that grows under the ground" + }, + "cord": { + "CHS": "用绳子捆绑" + }, + "deficit": { + "CHS": "赤字;不足额", + "ENG": "the difference between the amount of something that you have and the higher amount that you need" + }, + "fracture": { + "CHS": "破裂;折断", + "ENG": "if a bone or other hard substance fractures, or if it is fractured, it breaks or cracks" + }, + "bandage": { + "CHS": "用绷带包扎", + "ENG": "to tie or cover a part of the body with a bandage" + }, + "downward": { + "CHS": "向下", + "ENG": "If you move or look downward, you move or look toward the ground or a lower level" + }, + "platform": { + "CHS": "平台;月台,站台;坛;讲台", + "ENG": "the raised place beside a railway track where you get on and off a train in a station" + }, + "tidy": { + "CHS": "椅子的背罩" + }, + "goat": { + "CHS": "山羊;替罪羊(美俚);色鬼(美俚)", + "ENG": "an animal that has horns on top of its head and long hair under its chin, and can climb steep hills and rocks. Goats live wild in the mountains or are kept as farm animals." + }, + "greedy": { + "CHS": "贪婪的;贪吃的;渴望的", + "ENG": "always wanting more food, money, power, possessions etc than you need" + }, + "slender": { + "CHS": "细长的;苗条的;微薄的", + "ENG": "thin in an attractive or graceful way" + }, + "migrate": { + "CHS": "移动;随季节而移居;移往", + "ENG": "if people migrate, they go to live in another area or country, especially in order to find work" + }, + "cushion": { + "CHS": "给…安上垫子;把…安置在垫子上;缓和…的冲击", + "ENG": "to make the effect of a fall or hit less painful, for example by having something soft in the way" + }, + "scrap": { + "CHS": "废弃的;零碎的", + "ENG": "Scrap metal or paper is no longer wanted for its original purpose, but may have some other use" + }, + "operational": { + "CHS": "操作的;运作的", + "ENG": "working and ready to be used" + }, + "curtain": { + "CHS": "遮蔽;装上门帘" + }, + "wretched": { + "CHS": "可怜的;卑鄙的;令人苦恼或难受的", + "ENG": "making you feel annoyed or angry" + }, + "funeral": { + "CHS": "丧葬的,出殡的" + }, + "jolly": { + "CHS": "(Jolly)人名;(法)若利;(英、印)乔利;(德)约利" + }, + "glove": { + "CHS": "给…戴手套" + }, + "utilize": { + "CHS": "利用", + "ENG": "to use something for a particular purpose" + }, + "suffice": { + "CHS": "使满足;足够…用;合格", + "ENG": "to be enough" + }, + "port": { + "CHS": "转向左舷", + "ENG": "to turn or be turned towards the port " + }, + "bake": { + "CHS": "烤;烘烤食品" + }, + "apartment": { + "CHS": "公寓;房间", + "ENG": "a set of rooms on one floor of a large building, where someone lives" + }, + "mirror": { + "CHS": "反射;反映", + "ENG": "if one thing mirrors another, it is very similar to it and may seem to copy or represent it" + }, + "surroundings": { + "CHS": "环境;周围的事物", + "ENG": "the objects, buildings, natural things etc that are around a person or thing at a particular time" + }, + "remarkable": { + "CHS": "卓越的;非凡的;值得注意的", + "ENG": "unusual or surprising and therefore deserving attention or praise" + }, + "tide": { + "CHS": "随潮漂流" + }, + "lunar": { + "CHS": "(Lunar)人名;(西)卢纳尔" + }, + "roundabout": { + "CHS": "迂回路线;环状交叉路口", + "ENG": "a raised circular area where three or more roads join together and which cars must drive around" + }, + "prospective": { + "CHS": "预期;展望" + }, + "aloud": { + "CHS": "大声地;出声地", + "ENG": "if you read, laugh, say something etc aloud, you read etc so that people can hear you" + }, + "module": { + "CHS": "[计] 模块;组件;模数", + "ENG": "one of several separate parts that can be combined to form a larger object, such as a machine or building" + }, + "badminton": { + "CHS": "羽毛球", + "ENG": "a game that is similar to tennis but played with a shuttlecock (= small feathered object ) instead of a ball" + }, + "bald": { + "CHS": "(Bald)人名;(英)鲍尔德;(德、法、波)巴尔德" + }, + "framework": { + "CHS": "框架,骨架;结构,构架", + "ENG": "a set of ideas, rules, or beliefs from which something is developed, or on which decisions are based" + }, + "tick": { + "CHS": "滴答声;扁虱;记号;赊欠", + "ENG": "A tick is a small creature which lives on the bodies of people or animals and uses their blood as food" + }, + "leg": { + "CHS": "腿;支柱", + "ENG": "one of the long parts of your body that your feet are joined to, or a similar part on an animal or insect" + }, + "storey": { + "CHS": "[建] 楼层;叠架的一层", + "ENG": "a floor or level of a building" + }, + "nickel": { + "CHS": "镀镍于" + }, + "undo": { + "CHS": "取消;解开;破坏;扰乱", + "ENG": "to open something that is tied, fastened or wrapped" + }, + "radar": { + "CHS": "[雷达] 雷达,无线电探测器", + "ENG": "a piece of equipment that uses radio waves to find the position of things and watch their movement" + }, + "drawer": { + "CHS": "抽屉;开票人;出票人;起草者;酒馆侍", + "ENG": "part of a piece of furniture, such as a desk, that you pull out and push in and use to keep things in" + }, + "explode": { + "CHS": "爆炸,爆发;激增", + "ENG": "to burst, or to make something burst, into small pieces, usually with a loud noise and in a way that causes damage" + }, + "skull": { + "CHS": "头盖骨,脑壳", + "ENG": "the bones of a person’s or animal’s head" + }, + "swell": { + "CHS": "漂亮的;一流的", + "ENG": "very good" + }, + "nurse": { + "CHS": "护士;奶妈,保姆", + "ENG": "someone whose job is to look after people who are ill or injured, usually in a hospital" + }, + "ignite": { + "CHS": "点燃;使燃烧;使激动", + "ENG": "to start burning, or to make something start burning" + }, + "commonplace": { + "CHS": "平凡的;陈腐的" + }, + "deceive": { + "CHS": "欺骗;行骗", + "ENG": "to make someone believe something that is not true" + }, + "carriage": { + "CHS": "运输;运费;四轮马车;举止;客车厢", + "ENG": "a vehicle with wheels that is pulled by a horse, used in the past" + }, + "greeting": { + "CHS": "致敬,欢迎(greet的现在分词)" + }, + "tram": { + "CHS": "用煤车运载" + }, + "howl": { + "CHS": "嗥叫;怒号;嚎哭", + "ENG": "a long loud sound made by a dog, wolf , or other animal" + }, + "plunge": { + "CHS": "突然地下降;投入;陷入;跳进", + "ENG": "to move, fall, or be thrown suddenly forwards or downwards" + }, + "biography": { + "CHS": "传记;档案;个人简介", + "ENG": "a book that tells what has happened in someone’s life, written by someone else" + }, + "statue": { + "CHS": "以雕像装饰" + }, + "barren": { + "CHS": "荒地" + }, + "coke": { + "CHS": "焦化" + }, + "tray": { + "CHS": "托盘;文件盒;隔底匣;(无线电的)发射箱", + "ENG": "a flat piece of plastic, metal, or wood, with raised edges, used for carrying things such as plates, food etc" + }, + "pork": { + "CHS": "与女子性交" + }, + "barrel": { + "CHS": "桶;枪管,炮管", + "ENG": "a large curved container with a flat top and bottom, made of wood or metal, and used for storing beer, wine etc" + }, + "mosaic": { + "CHS": "马赛克;镶嵌;镶嵌细工", + "ENG": "a pattern or picture made by fitting together small pieces of coloured stone, glass etc" + }, + "blast": { + "CHS": "猛攻", + "ENG": "to criticize someone or something very strongly – used especially in news reports" + }, + "seaside": { + "CHS": "海边的;海滨的", + "ENG": "relating to places that are near the sea" + }, + "smog": { + "CHS": "烟雾", + "ENG": "dirty air that looks like a mixture of smoke and fog , caused by smoke from cars and factories in cities" + }, + "lip": { + "CHS": "用嘴唇" + }, + "merchant": { + "CHS": "商业的,商人的", + "ENG": "Merchant seamen or ships are involved in carrying goods for trade" + }, + "excerpt": { + "CHS": "引用,摘录" + }, + "coin": { + "CHS": "硬币,钱币", + "ENG": "a piece of metal, usually flat and round, that is used as money" + }, + "aerial": { + "CHS": "[电讯] 天线", + "ENG": "a piece of equipment for receiving or sending radio or television signals, usually consisting of a piece of metal or wire" + }, + "metaphor": { + "CHS": "暗喻,隐喻;比喻说法", + "ENG": "a way of describing something by referring to it as something different and suggesting that it has similar qualities to that thing" + }, + "lid": { + "CHS": "给…盖盖子" + }, + "municipal": { + "CHS": "市政的,市的;地方自治的", + "ENG": "relating to or belonging to the government of a town or city" + }, + "coil": { + "CHS": "线圈;卷", + "ENG": "a continuous series of circular rings into which something such as wire or rope has been wound or twisted" + }, + "pope": { + "CHS": "教皇,罗马教皇;权威,大师", + "ENG": "Thepope is the head of the Roman Catholic Church" + }, + "ebb": { + "CHS": "衰退;减少;衰落;潮退", + "ENG": "if the tide ebbs, it flows away from the shore" + }, + "lawn": { + "CHS": "草地;草坪", + "ENG": "an area of ground in a garden or park that is covered with short grass" + }, + "merchandise": { + "CHS": "买卖;推销", + "ENG": "to try to sell goods or services using methods such as advertising" + }, + "revelation": { + "CHS": "启示;揭露;出乎意料的事;被揭露的真相", + "ENG": "a surprising fact about someone or something that was previously secret and is now made known" + }, + "contemplate": { + "CHS": "沉思;注视;思忖;预期", + "ENG": "to look at someone or something for a period of time in a way that shows you are thinking" + }, + "symposium": { + "CHS": "讨论会,座谈会;专题论文集;酒宴,宴会", + "ENG": "a formal meeting in which people who know a lot about a particular subject have discussions about it" + }, + "militant": { + "CHS": "富有战斗性的人;好斗者;激进分子", + "ENG": "Militant is also a noun" + }, + "thread": { + "CHS": "穿过;穿线于;使交织", + "ENG": "to put a thread, string, rope etc through a hole" + }, + "spider": { + "CHS": "蜘蛛;设圈套者;三脚架", + "ENG": "a small creature with eight legs, which catches insects using a fine network of sticky threads" + }, + "torch": { + "CHS": "像火炬一样燃烧" + }, + "choke": { + "CHS": "窒息;噎;[动力] 阻气门", + "ENG": "a piece of equipment in a vehicle that controls the amount of air going into the engine, and that is used to help the engine start" + }, + "refreshment": { + "CHS": "点心;起提神作用的东西;精力恢复", + "ENG": "small amounts of food and drink that are provided at a meeting, sports event etc" + }, + "overwhelm": { + "CHS": "淹没;压倒;受打击;覆盖;压垮", + "ENG": "if work or a problem overwhelms someone, it is too much or too difficult to deal with" + }, + "amid": { + "CHS": "(Amid)人名;(法、阿拉伯)阿米德" + }, + "ear": { + "CHS": "(美俚)听见;抽穗" + }, + "ratio": { + "CHS": "比率,比例", + "ENG": "a relationship between two amounts, represented by a pair of numbers showing how much bigger one amount is than the other" + }, + "sneeze": { + "CHS": "喷嚏", + "ENG": "the act or sound of sneezing" + }, + "sympathize": { + "CHS": "同情,怜悯;支持", + "ENG": "to feel sorry for someone because you understand their problems" + }, + "wrist": { + "CHS": "用腕力移动" + }, + "petroleum": { + "CHS": "石油", + "ENG": "oil that is obtained from below the surface of the Earth and is used to make petrol, paraffin , and various chemical substances" + }, + "imagination": { + "CHS": "[心理] 想象力;空想;幻想物", + "ENG": "the ability to form pictures or ideas in your mind" + }, + "petty": { + "CHS": "(Petty)人名;(英、法)佩蒂" + }, + "endow": { + "CHS": "赋予;捐赠;天生具有", + "ENG": "You say that someone is endowed with a particular desirable ability, characteristic, or possession when they have it by chance or by birth" + }, + "cloudy": { + "CHS": "多云的;阴天的;愁容满面的", + "ENG": "a cloudy sky, day etc is dark because there are a lot of clouds" + }, + "disastrous": { + "CHS": "灾难性的;损失惨重的;悲伤的", + "ENG": "very bad, or ending in failure" + }, + "evening": { + "CHS": "晚上好(等于good evening)", + "ENG": "the early part of the night between the end of the day and the time you go to bed" + }, + "mat": { + "CHS": "无光泽的" + }, + "commemorate": { + "CHS": "庆祝,纪念;成为…的纪念", + "ENG": "to do something to show that you remember and respect someone important or an important event in the past" + }, + "unanimous": { + "CHS": "全体一致的;意见一致的;无异议的", + "ENG": "a unanimous decision, vote, agreement etc is one in which all the people involved agree" + }, + "kilometre": { + "CHS": "[计量] 公里;[计量] 千米", + "ENG": "a unit for measuring distance, equal to 1,000 metres" + }, + "equator": { + "CHS": "赤道", + "ENG": "an imaginary line drawn around the middle of the Earth that is exactly the same distance from the North Pole and the South Pole" + }, + "chemistry": { + "CHS": "化学;化学过程", + "ENG": "the science that is concerned with studying the structure of substances and the way that they change or combine with each other" + }, + "civilization": { + "CHS": "文明;文化", + "ENG": "a society that is well organized and developed, used especially about a particular society in a particular place or at a particular time" + }, + "volume": { + "CHS": "把…收集成卷" + }, + "pear": { + "CHS": "[园艺] 梨树;梨子", + "ENG": "a sweet juicy fruit that has a round base and is thinner near the top, or the tree that produces this fruit" + }, + "successor": { + "CHS": "继承者;后续的事物", + "ENG": "Someone's successor is the person who takes their job after they have left" + }, + "pasture": { + "CHS": "放牧;吃草", + "ENG": "to put animals outside in a field to feed on the grass" + }, + "hostess": { + "CHS": "女主人,女老板;女服务员;舞女;女房东", + "ENG": "a woman at a party, meal etc who has invited all the guests and provides them with food, drink etc" + }, + "collide": { + "CHS": "碰撞;抵触,冲突", + "ENG": "to hit something or someone that is moving in a different direction from you" + }, + "cement": { + "CHS": "水泥;接合剂", + "ENG": "a grey powder made from lime and clay that becomes hard when it is mixed with water and allowed to dry, and that is used in building" + }, + "slum": { + "CHS": "贫民窟;陋巷;脏乱的地方", + "ENG": "a house or an area of a city that is in very bad condition, where very poor people live" + }, + "outlook": { + "CHS": "朝外看" + }, + "thursday": { + "CHS": "星期四", + "ENG": "Thursday is the day after Wednesday and before Friday" + }, + "saucer": { + "CHS": "茶托,浅碟;浅碟形物;眼睛", + "ENG": "a small round plate that curves up at the edges, that you put a cup on" + }, + "umbrella": { + "CHS": "雨伞;保护伞;庇护;伞形结构", + "ENG": "an object that you use to protect yourself against rain or hot sun. It consists of a circular folding frame covered in cloth." + }, + "burst": { + "CHS": "爆发,突发;爆炸", + "ENG": "the act of something bursting or the place where it has burst" + }, + "breakdown": { + "CHS": "故障;崩溃;分解;分类;衰弱;跺脚曳步舞", + "ENG": "the failure of a relationship or system" + }, + "zigzag": { + "CHS": "曲折地;之字形地;Z字形地", + "ENG": "to move forward in sharp angles, first to the left and then to the right etc" + }, + "accountant": { + "CHS": "会计师;会计人员", + "ENG": "someone whose job is to keep and check financial accounts, calculate taxes etc" + }, + "starve": { + "CHS": "饿死;挨饿;渴望", + "ENG": "to suffer or die because you do not have enough to eat" + }, + "lease": { + "CHS": "出租;租得", + "ENG": "to use a building, car etc under a lease" + }, + "staircase": { + "CHS": "楼梯", + "ENG": "a set of stairs inside a building with its supports and the side parts that you hold on to" + }, + "dread": { + "CHS": "可怕的" + }, + "mobile": { + "CHS": "运动物体", + "ENG": "a decoration made of small objects tied to wires or string which is hung up so that the objects move when air blows around them" + }, + "youngster": { + "CHS": "年轻人;少年", + "ENG": "a child or young person" + }, + "clothing": { + "CHS": "覆盖(clothe的ing形式);给…穿衣" + }, + "island": { + "CHS": "孤立;使成岛状" + }, + "nitrogen": { + "CHS": "[化学] 氮", + "ENG": "a gas that has no colour or smell, and that forms most of the Earth’s air. It is a chemical element: symbol N" + }, + "sister": { + "CHS": "姐妹般的;同类型的", + "ENG": "You can use sister to describe something that is of the same type or is connected in some way to another thing you have mentioned. For example, if a company has a sister company, they are connected. " + }, + "capitalism": { + "CHS": "资本主义", + "ENG": "an economic and political system in which businesses belong mostly to private owners, not to the government" + }, + "pronunciation": { + "CHS": "发音;读法", + "ENG": "the way in which a language or a particular word is pronounced" + }, + "swim": { + "CHS": "游泳时穿戴的" + }, + "lofty": { + "CHS": "(Lofty)人名;(英)洛夫蒂" + }, + "trip": { + "CHS": "旅行;绊倒;差错", + "ENG": "a visit to a place that involves a journey, for pleasure or a particular purpose" + }, + "trim": { + "CHS": "整齐的", + "ENG": "neat and well cared for" + }, + "sketch": { + "CHS": "画素描或速写", + "ENG": "to draw a sketch of something" + }, + "diameter": { + "CHS": "直径", + "ENG": "a straight line from one side of a circle to the other side, passing through the centre of the circle, or the length of this line" + }, + "glory": { + "CHS": "自豪,骄傲;狂喜" + }, + "ounce": { + "CHS": "盎司;少量;雪豹", + "ENG": "a unit for measuring weight, equal to 28.35 grams. There are 16 ounces in a pound." + }, + "abdomen": { + "CHS": "腹部;下腹;腹腔", + "ENG": "the part of your body between your chest and legs which contains your stomach, bowel s etc" + }, + "discriminate": { + "CHS": "歧视;区别;辨别", + "ENG": "to treat a person or group differently from another in an unfair way" + }, + "elbow": { + "CHS": "推挤;用手肘推开", + "ENG": "to push someone with your elbows, especially in order to move past them" + }, + "dye": { + "CHS": "染;把…染上颜色", + "ENG": "to give something a different colour using a dye" + }, + "socialism": { + "CHS": "社会主义", + "ENG": "an economic and political system in which large industries are owned by the government, and taxes are used to take some wealth away from richer citizens and give it to poorer citizens" + }, + "spiritual": { + "CHS": "精神的,心灵的", + "ENG": "relating to your spirit rather than to your body or mind" + }, + "repay": { + "CHS": "偿还;报答;报复", + "ENG": "to pay back money that you have borrowed" + }, + "laser": { + "CHS": "激光", + "ENG": "a piece of equipment that produces a powerful narrow beam of light that can be used in medical operations, to cut metals, or to make patterns of light for entertainment" + }, + "pleasant": { + "CHS": "(Pleasant)人名;(英)普莱曾特" + }, + "whip": { + "CHS": "鞭子;抽打;车夫;[机] 搅拌器", + "ENG": "a long thin piece of rope or leather with a handle, that you hit animals with to make them move or that you hit someone with to punish them" + }, + "enroll": { + "CHS": "登记;使加入;把记入名册;使入伍" + }, + "monthly": { + "CHS": "每月,每月一次", + "ENG": "Monthly is also an adverb" + }, + "composite": { + "CHS": "使合成;使混合" + }, + "geometry": { + "CHS": "几何学", + "ENG": "the study in mathematics of the angles and shapes formed by the relationships of lines, surfaces, and solid objects in space" + }, + "impetus": { + "CHS": "动力;促进;冲力", + "ENG": "an influence that makes something happen or makes it happen more quickly" + }, + "flee": { + "CHS": "逃走;消失,消散", + "ENG": "to leave somewhere very quickly, in order to escape from danger" + }, + "county": { + "CHS": "郡,县", + "ENG": "an area of a state or country that has its own government to deal with local matters" + }, + "porcelain": { + "CHS": "瓷制的;精美的" + }, + "semester": { + "CHS": "学期;半年", + "ENG": "one of the two periods of time that a year at high schools and universities is divided into, especially in the US" + }, + "breeze": { + "CHS": "吹微风;逃走" + }, + "hardware": { + "CHS": "计算机硬件;五金器具", + "ENG": "computer machinery and equipment, as opposed to the programs that make computers work" + }, + "interval": { + "CHS": "间隔;间距;幕间休息", + "ENG": "the period of time between two events, activities etc" + }, + "numb": { + "CHS": "麻木的;发愣的", + "ENG": "a part of your body that is numb is unable to feel anything, for example because you are very cold" + }, + "wound": { + "CHS": "使受伤" + }, + "chicken": { + "CHS": "鸡肉的;胆怯的;幼小的", + "ENG": "not brave enough to do something" + }, + "streamline": { + "CHS": "流线型的" + }, + "harmony": { + "CHS": "协调;和睦;融洽;调和", + "ENG": "notes of music combined together in a pleasant way" + }, + "henceforth": { + "CHS": "今后;自此以后", + "ENG": "from this time on" + }, + "banner": { + "CHS": "横幅图片的广告模式" + }, + "lion": { + "CHS": "狮子;名人;勇猛的人;社交场合的名流", + "ENG": "a large animal of the cat family that lives in Africa and parts of southern Asia. Lions have gold-coloured fur and the male has a mane(= long hair around its neck )." + }, + "champagne": { + "CHS": "香槟酒;香槟酒色", + "ENG": "a French white wine with a lot of bubble s , drunk on special occasions" + }, + "classification": { + "CHS": "分类;类别,等级", + "ENG": "a process in which you put something into the group or class it belongs to" + }, + "insert": { + "CHS": "插入物;管芯;镶块;[机械]刀片", + "ENG": "something that is designed to be put inside something else" + }, + "detective": { + "CHS": "侦探", + "ENG": "a police officer whose job is to discover information about crimes and catch criminals" + }, + "atom": { + "CHS": "原子", + "ENG": "the smallest part of an element that can exist alone or can combine with other substances to form a molecule " + }, + "terror": { + "CHS": "恐怖;恐怖行动;恐怖时期;可怕的人", + "ENG": "a feeling of extreme fear" + }, + "carpet": { + "CHS": "地毯;地毯状覆盖物", + "ENG": "heavy woven material for covering floors or stairs, or a piece of this material" + }, + "despatch": { + "CHS": "派遣;发送(等于dispatch)" + }, + "fraud": { + "CHS": "欺骗;骗子;诡计", + "ENG": "the crime of deceiving people in order to gain something such as money or goods" + }, + "fever": { + "CHS": "发烧;狂热;患热病" + }, + "gulf": { + "CHS": "吞没" + }, + "lash": { + "CHS": "鞭打;睫毛;鞭子;责骂;讽刺", + "ENG": "a hit with a whip, especially as a punishment" + }, + "pavement": { + "CHS": "人行道", + "ENG": "a hard level surface or path at the side of a road for people to walk on" + }, + "germ": { + "CHS": "萌芽" + }, + "flat": { + "CHS": "逐渐变平;[音乐]以降调唱(或奏)" + }, + "spill": { + "CHS": "溢出,溅出;溢出量;摔下;小塞子", + "ENG": "when you spill something, or an amount of something that is spilled" + }, + "flap": { + "CHS": "拍动;神经紧张;鼓翼而飞;(帽边等)垂下", + "ENG": "to behave in an excited or nervous way" + }, + "balloon": { + "CHS": "像气球般鼓起的" + }, + "flag": { + "CHS": "标志;旗子", + "ENG": "an expression meaning a country or organization and its beliefs, values, and people" + }, + "liquid": { + "CHS": "液体,流体;流音", + "ENG": "a substance that is not a solid or a gas, for example water or milk" + }, + "tub": { + "CHS": "洗盆浴;(衣服等)被放在桶里洗" + }, + "eastern": { + "CHS": "东方人;(美国)东部地区的人" + }, + "virtue": { + "CHS": "美德;优点;贞操;功效", + "ENG": "moral goodness of character and behaviour" + }, + "tug": { + "CHS": "用力拉;竞争;努力做" + }, + "highway": { + "CHS": "公路,大路;捷径", + "ENG": "a wide main road that joins one town to another" + }, + "copper": { + "CHS": "镀铜" + }, + "volunteer": { + "CHS": "自愿", + "ENG": "to offer to do something without expecting any reward, often something that other people do not want to do" + }, + "elephant": { + "CHS": "象;大号图画纸", + "ENG": "a very large grey animal with four legs, two tusks(= long curved teeth ) and a trunk(= long nose ) that it can use to pick things up" + }, + "beauty": { + "CHS": "美;美丽;美人;美好的东西", + "ENG": "a quality that people, places, or things have that makes them very attractive to look at" + }, + "eccentric": { + "CHS": "古怪的人", + "ENG": "someone who behaves in a way that is different from what is usual or socially accepted" + }, + "mineral": { + "CHS": "矿物的;矿质的" + }, + "illness": { + "CHS": "病;疾病", + "ENG": "a disease of the body or mind, or the condition of being ill" + }, + "customary": { + "CHS": "习惯法汇编" + }, + "peel": { + "CHS": "皮", + "ENG": "the skin of some fruits and vegetables, especially the thick skin of fruits such as oranges, which you do not eat" + }, + "fright": { + "CHS": "使惊恐" + }, + "spine": { + "CHS": "脊柱,脊椎;刺;书脊", + "ENG": "the row of bones down the centre of your back that supports your body and protects your spinal cord " + }, + "peep": { + "CHS": "窥视;慢慢露出,出现;吱吱叫", + "ENG": "to look at something quickly and secretly, especially through a hole or opening" + }, + "easter": { + "CHS": "复活节", + "ENG": "Easter is a Christian festival when Jesus Christ's return to life is celebrated. It is celebrated on a Sunday in March or April. " + }, + "briefcase": { + "CHS": "公文包", + "ENG": "a flat case used especially by business people for carrying papers or documents" + }, + "hurl": { + "CHS": "用力的投掷" + }, + "impart": { + "CHS": "给予(尤指抽象事物),传授;告知,透露", + "ENG": "to give a particular quality to something" + }, + "summary": { + "CHS": "概要,摘要,总结", + "ENG": "a short statement that gives the main information about something, without giving all the details" + }, + "eighteen": { + "CHS": "十八", + "ENG": "the number 18" + }, + "assistant": { + "CHS": "辅助的,助理的;有帮助的", + "ENG": "Assistant is used in front of titles or jobs to indicate a slightly lower rank. For example, an assistant director is one rank lower than a director in an organization. " + }, + "humor": { + "CHS": "迎合,迁就;顺应" + }, + "cordial": { + "CHS": "补品;兴奋剂;甜香酒,甘露酒", + "ENG": "a strong sweet alcoholic drink" + }, + "signature": { + "CHS": "署名;签名;信号", + "ENG": "your name written in the way you usually write it, for example at the end of a letter, or on a cheque etc, to show that you have written it" + }, + "mob": { + "CHS": "大举包围,围攻;蜂拥进入" + }, + "catalog": { + "CHS": "登记;为…编目录" + }, + "pedal": { + "CHS": "脚的;脚踏的", + "ENG": "of or relating to the foot or feet " + }, + "metric": { + "CHS": "度量标准" + }, + "chorus": { + "CHS": "合唱;异口同声地说", + "ENG": "if people chorus something, they say it at the same time" + }, + "brilliant": { + "CHS": "灿烂的,闪耀的;杰出的;有才气的;精彩的,绝妙的", + "ENG": "brilliant light or colour is very bright and strong" + }, + "elastic": { + "CHS": "松紧带;橡皮圈", + "ENG": "Elastic is a rubber material that stretches when you pull it and returns to its original size and shape when you let it go. Elastic is often used in clothes to make them fit tightly, for example, around the waist. " + }, + "shrewd": { + "CHS": "精明(的人);机灵(的人)" + }, + "sideways": { + "CHS": "向侧面的;一旁的", + "ENG": "Sideways is also an adjective" + }, + "assurance": { + "CHS": "保证,担保;(人寿)保险;确信;断言;厚脸皮,无耻", + "ENG": "a promise that something will definitely happen or is definitely true, made especially to make someone less worried" + }, + "footstep": { + "CHS": "脚步;脚步声;足迹", + "ENG": "the sound each step makes when someone is walking" + }, + "widow": { + "CHS": "寡妇;孀妇", + "ENG": "a woman whose husband has died and who has not married again" + }, + "shady": { + "CHS": "(Shady)人名;(阿拉伯)沙迪" + }, + "intersection": { + "CHS": "交叉;十字路口;交集;交叉点", + "ENG": "a place where roads, lines etc cross each other, especially where two roads meet" + }, + "spiral": { + "CHS": "使成螺旋形;使作螺旋形上升", + "ENG": "to move in a continuous curve that gets nearer to or further from its central point as it goes round" + }, + "grocer": { + "CHS": "杂货店;食品商", + "ENG": "someone who owns or works in a shop that sells food and other things used in the home" + }, + "shaft": { + "CHS": "利用;在……上装杆" + }, + "slap": { + "CHS": "直接地;猛然地;恰好" + }, + "dash": { + "CHS": "使…破灭;猛撞;泼溅", + "ENG": "If you dash somewhere, you run or go there quickly and suddenly" + }, + "inventory": { + "CHS": "存货,存货清单;详细目录;财产清册", + "ENG": "a list of all the things in a place" + }, + "trench": { + "CHS": "掘沟" + }, + "slam": { + "CHS": "猛击;砰然声", + "ENG": "the noise or action of a door, window etc slamming" + }, + "kick": { + "CHS": "踢;反冲,后座力", + "ENG": "Kick is also a noun" + }, + "portable": { + "CHS": "手提式打字机" + }, + "plantation": { + "CHS": "适用于种植园或热带、亚热带国家的" + }, + "mug": { + "CHS": "扮鬼脸,做怪相", + "ENG": "to make silly expressions with your face or behave in a silly way, especially for a photograph or in a play" + }, + "questionnaire": { + "CHS": "问卷;调查表", + "ENG": "a written set of questions which you give to a large number of people in order to collect information" + }, + "mud": { + "CHS": "泥;诽谤的话;无价值的东西", + "ENG": "wet earth that has become soft and sticky" + }, + "shorthand": { + "CHS": "速记法的" + }, + "browse": { + "CHS": "浏览;吃草", + "ENG": "Browse is also a noun" + }, + "swallow": { + "CHS": "燕子;一次吞咽的量", + "ENG": "a small black and white bird that comes to northern countries in the summer" + }, + "inlet": { + "CHS": "引进; 嵌入; 插入;" + }, + "cocaine": { + "CHS": "[药] 可卡因", + "ENG": "a drug, usually in the form of a white powder, that is taken illegally for pleasure or used in some medical situations to prevent pain" + }, + "width": { + "CHS": "宽度;广度", + "ENG": "the distance from one side of something to the other" + }, + "lake": { + "CHS": "(使)血球溶解" + }, + "architect": { + "CHS": "建筑师", + "ENG": "someone whose job is to design buildings" + }, + "plumber": { + "CHS": "水管工;堵漏人员", + "ENG": "A plumber is a person whose job is to connect and repair things such as water and drainage pipes, bathtubs, and toilets" + }, + "clumsy": { + "CHS": "笨拙的", + "ENG": "moving or doing things in a careless way, especially so that you drop things, knock into things etc" + }, + "liquor": { + "CHS": "使喝醉" + }, + "paddle": { + "CHS": "拌;搅;用桨划", + "ENG": "to move a small light boat through water, using one or more paddles" + }, + "toe": { + "CHS": "用脚尖走;以趾踏触" + }, + "weight": { + "CHS": "加重量于,使变重", + "ENG": "If you weight something, you make it heavier by adding something to it, for example, in order to stop it from moving easily" + }, + "density": { + "CHS": "密度", + "ENG": "the degree to which an area is filled with people or things" + }, + "withhold": { + "CHS": "保留,不给;隐瞒;抑制" + }, + "lane": { + "CHS": "小巷;[航][水运] 航线;车道;罚球区", + "ENG": "a narrow road in the countryside" + }, + "toy": { + "CHS": "作为玩具的;玩物似的" + }, + "pedestrian": { + "CHS": "行人;步行者", + "ENG": "someone who is walking, especially along a street or other place used by cars" + }, + "tow": { + "CHS": "拖;牵引;曳", + "ENG": "to pull a vehicle or ship along behind another vehicle, using a rope or chain" + }, + "compatible": { + "CHS": "兼容的;能共处的;可并立的", + "ENG": "if two pieces of computer equipment are compatible, they can be used together, especially when they are made by different companies" + }, + "fellowship": { + "CHS": "团体;友谊;奖学金;研究员职位", + "ENG": "a feeling of friendship resulting from shared interests or experiences" + }, + "lamb": { + "CHS": "生小羊,产羔羊", + "ENG": "to give birth to lambs" + }, + "humid": { + "CHS": "潮湿的;湿润的;多湿气的", + "ENG": "if the weather is humid, you feel uncomfortable because the air is very wet and usually hot" + }, + "lame": { + "CHS": "变跛", + "ENG": "to make a person or animal unable to walk properly" + }, + "snatch": { + "CHS": "夺得;抽空做;及时救助" + }, + "flour": { + "CHS": "撒粉于;把…磨成粉", + "ENG": "to cover a surface with flour when you are cooking" + }, + "cohesive": { + "CHS": "凝聚的;有结合力的;紧密结合的;有粘着力的", + "ENG": "connected or related in a reasonable way to form a whole" + }, + "lamp": { + "CHS": "发亮" + }, + "serial": { + "CHS": "电视连续剧;[图情] 期刊;连载小说", + "ENG": "a story that is broadcast or printed in several separate parts on television, in a magazine etc" + }, + "equip": { + "CHS": "装备,配备", + "ENG": "to provide a person or place with the things that are needed for a particular kind of activity or work" + }, + "garlic": { + "CHS": "大蒜;蒜头", + "ENG": "a plant like a small onion, used in cooking to give a strong taste" + }, + "poultry": { + "CHS": "家禽", + "ENG": "birds such as chickens and ducks that are kept on farms in order to produce eggs and meat" + }, + "shake": { + "CHS": "摇动;哆嗦", + "ENG": "if you give something a shake, you move it up and down or from side to side" + }, + "tempo": { + "CHS": "速度,发展速度;拍子", + "ENG": "the speed at which music is played or should be played" + }, + "shine": { + "CHS": "光亮,光泽;好天气;擦亮;晴天;擦皮鞋;鬼把戏或诡计", + "ENG": "the brightness that something has when light shines on it" + }, + "tin": { + "CHS": "涂锡于;给…包马口铁" + }, + "obstruct": { + "CHS": "妨碍;阻塞;遮断", + "ENG": "to block a road, passage etc" + }, + "chancellor": { + "CHS": "总理(德、奥等的);(英)大臣;校长(美国某些大学的);(英)大法官;(美)首席法官", + "ENG": "the Chancellor of the Exchequer" + }, + "slim": { + "CHS": "(Slim)人名;(阿拉伯)萨利姆;(英、西)斯利姆" + }, + "vacant": { + "CHS": "(Vacant)人名;(法)瓦康" + }, + "damp": { + "CHS": "潮湿的", + "ENG": "slightly wet, often in an unpleasant way" + }, + "burden": { + "CHS": "使负担;烦扰;装货于", + "ENG": "If someone burdens you with something that is likely to worry you, for example, a problem or a difficult decision, they tell you about it" + }, + "undergo": { + "CHS": "经历,经受;忍受", + "ENG": "if you undergo a change, an unpleasant experience etc, it happens to you or is done to you" + }, + "soluble": { + "CHS": "[化学] 可溶的,可溶解的;可解决的", + "ENG": "a soluble substance can be dissolved in a liquid" + }, + "experimental": { + "CHS": "实验的;根据实验的;试验性的", + "ENG": "used for, relating to, or resulting from experiments" + }, + "imaginative": { + "CHS": "富于想象的;有创造力的", + "ENG": "containing new and interesting ideas" + }, + "ambitious": { + "CHS": "野心勃勃的;有雄心的;热望的;炫耀的", + "ENG": "determined to be successful, rich, powerful etc" + }, + "fence": { + "CHS": "防护;用篱笆围住;练习剑术", + "ENG": "to fight with a long thin sword as a sport" + }, + "obedient": { + "CHS": "顺从的,服从的;孝顺的", + "ENG": "always doing what you are told to do, or what the law, a rule etc says you must do" + }, + "overwhelming": { + "CHS": "压倒;淹没(overwhelm的ing形式);制服", + "ENG": "" + }, + "ascend": { + "CHS": "上升;登高;追溯", + "ENG": "to move up through the air" + }, + "hesitate": { + "CHS": "踌躇,犹豫;不愿", + "ENG": "If you hesitate to do something, you delay doing it or are unwilling to do it, usually because you are not certain it would be right. If you do not hesitate to do something, you do it immediately. " + }, + "diary": { + "CHS": "日志,日记;日记簿", + "ENG": "a book in which you write down the things that happen to you each day" + }, + "hospitality": { + "CHS": "好客;殷勤", + "ENG": "friendly behaviour towards visitors" + }, + "dew": { + "CHS": "结露水" + }, + "escalate": { + "CHS": "逐步增强;逐步升高", + "ENG": "to become higher or increase, or to make something do this" + }, + "king": { + "CHS": "主要的,最重要的,最大的" + }, + "refine": { + "CHS": "精炼,提纯;改善;使…文雅", + "ENG": "to improve a method, plan, system etc by gradually making slight changes to it" + }, + "rectangle": { + "CHS": "矩形;长方形", + "ENG": "a shape that has four straight sides, two of which are usually longer than the other two, and four 90˚ angles at the corners" + }, + "downtown": { + "CHS": "市中心区;三分线以外", + "ENG": "Downtown is also a noun" + }, + "expire": { + "CHS": "期满;终止;死亡;呼气", + "ENG": "if a period of time when someone has a particular position of authority expires, it ends" + }, + "spray": { + "CHS": "喷射", + "ENG": "to force liquid out of a container so that it comes out in a stream of very small drops and covers an area" + }, + "brim": { + "CHS": "满溢;溢出", + "ENG": "to have a lot of a particular thing, quality, or emotion" + }, + "reconcile": { + "CHS": "使一致;使和解;调停,调解;使顺从", + "ENG": "if you reconcile two ideas, situations, or facts, you find a way in which they can both be true or acceptable" + }, + "dictionary": { + "CHS": "字典;词典", + "ENG": "a book that gives a list of words in alphabetical order and explains their meanings in the same language, or another language" + }, + "slit": { + "CHS": "裂缝;投币口", + "ENG": "A slit is a long narrow opening in something" + }, + "thermometer": { + "CHS": "温度计;体温计", + "ENG": "a piece of equipment that measures the temperature of the air, of your body etc" + }, + "princess": { + "CHS": "公主;王妃;女巨头", + "ENG": "a close female relation of a king and queen, especially a daughter" + }, + "spirit": { + "CHS": "鼓励;鼓舞;诱拐" + }, + "charity": { + "CHS": "慈善;施舍;慈善团体;宽容;施舍物", + "ENG": "an organization that gives money, goods, or help to people who are poor, sick etc" + }, + "tea": { + "CHS": "喝茶;进茶点" + }, + "spectacle": { + "CHS": "景象;场面;奇观;壮观;公开展示;表相,假相 n(复)眼镜", + "ENG": "a very impressive show or scene" + }, + "cannon": { + "CHS": "炮轰;开炮" + }, + "fragrant": { + "CHS": "芳香的;愉快的", + "ENG": "having a pleasant smell" + }, + "gear": { + "CHS": "好极了" + }, + "layoff": { + "CHS": "活动停止期间;临时解雇;操作停止;失业期", + "ENG": "When there are layoffs in a company, people become unemployed because there is no more work for them in the company" + }, + "shirt": { + "CHS": "衬衫;汗衫,内衣", + "ENG": "a piece of clothing that covers the upper part of your body and your arms, usually has a collar, and is fastened at the front by buttons" + }, + "lace": { + "CHS": "饰以花边;结带子" + }, + "breathe": { + "CHS": "呼吸;低语;松口气;(风)轻拂", + "ENG": "to take air into your lungs and send it out again" + }, + "symbol": { + "CHS": "象征;符号;标志", + "ENG": "a picture or shape that has a particular meaning or represents a particular organization or idea" + }, + "eyebrow": { + "CHS": "为…描眉;用皱眉蹙额迫使" + }, + "obedience": { + "CHS": "顺从;服从;遵守", + "ENG": "when someone does what they are told to do, or what a law, rule etc says they must do" + }, + "await": { + "CHS": "等候,等待;期待", + "ENG": "to wait for something" + }, + "kilo": { + "CHS": "千克", + "ENG": "a kilogram" + }, + "pest": { + "CHS": "害虫;有害之物;讨厌的人", + "ENG": "a small animal or insect that destroys crops or food supplies" + }, + "subjective": { + "CHS": "主观的;个人的;自觉的", + "ENG": "a state-ment, report, attitude etc that is subjective is influenced by personal opinion and can therefore be unfair" + }, + "monetary": { + "CHS": "货币的;财政的", + "ENG": "relating to money, especially all the money in a particular country" + }, + "invaluable": { + "CHS": "无价的;非常贵重的", + "ENG": "If you describe something as invaluable, you mean that it is extremely useful" + }, + "miniature": { + "CHS": "是…的缩影" + }, + "dip": { + "CHS": "下沉,下降;倾斜;浸渍,蘸湿", + "ENG": "a slight decrease in the amount of something" + }, + "parameter": { + "CHS": "参数;系数;参量", + "ENG": "Parameters are factors or limits that affect the way something can be done or made" + }, + "weekday": { + "CHS": "平日,普通日;工作日", + "ENG": "any day of the week except Saturday and Sunday" + }, + "dig": { + "CHS": "戳,刺;挖苦", + "ENG": "a joke or remark that you make to annoy or criticize someone" + }, + "balcony": { + "CHS": "阳台;包厢;戏院楼厅", + "ENG": "a structure that you can stand on, that is attached to the outside wall of a building, above ground level" + }, + "enemy": { + "CHS": "敌人的,敌方的" + }, + "tumour": { + "CHS": "[肿瘤] 瘤;肿瘤;肿块", + "ENG": "a mass of diseased cells in your body that have divided and increased too quickly" + }, + "descendant": { + "CHS": "后裔;子孙", + "ENG": "someone who is related to a person who lived a long time ago, or to a family, group of people etc that existed in the past" + }, + "epoch": { + "CHS": "[地质] 世;新纪元;新时代;时间上的一点", + "ENG": "a period of history" + }, + "gymnasium": { + "CHS": "体育馆;健身房", + "ENG": "a gym " + }, + "preside": { + "CHS": "主持,担任会议主席", + "ENG": "to be in charge of a formal event, organization, ceremony etc" + }, + "bronze": { + "CHS": "镀青铜于" + }, + "classroom": { + "CHS": "教室", + "ENG": "a room that you have lessons in at a school or college" + }, + "sway": { + "CHS": "影响;摇摆;统治", + "ENG": "power to rule or influence people" + }, + "petrol": { + "CHS": "(英)汽油", + "ENG": "a liquid obtained from petroleum that is used to supply power to the engine of cars and other vehicles" + }, + "swan": { + "CHS": "游荡,闲荡" + }, + "cluster": { + "CHS": "群聚;丛生" + }, + "lady": { + "CHS": "女士,夫人;小姐;妻子", + "ENG": "used as the title of the wife or daughter of a British noblemanor the wife of a knight" + }, + "resultant": { + "CHS": "作为结果而发生的", + "ENG": "happening or existing because of something" + }, + "very": { + "CHS": "同一的,正是的,恰好的", + "ENG": "used to emphasize that you are talking exactly about one particular thing or person" + }, + "capacity": { + "CHS": "容量,容积;容纳人数;能力", + "ENG": "the amount of space a container, room etc has to hold things or people" + }, + "party": { + "CHS": "尽情欢乐", + "ENG": "If you party, you enjoy yourself doing things such as going out to parties, drinking, dancing, and talking to people." + }, + "obtain": { + "CHS": "获得,得到", + "ENG": "to get something that you want, especially through your own effort, skill, or work" + }, + "value": { + "CHS": "尊重,重视;给…估价,给…估值", + "ENG": "to think that someone or something is important" + }, + "currency": { + "CHS": "通货,货币;流传,通行", + "ENG": "the system or type of money that a country uses" + }, + "woman": { + "CHS": "(pl)women妇女,成年女子", + "ENG": "an adult female person" + }, + "time": { + "CHS": "时间;钟点,时刻;次,回", + "ENG": "the thing that is measured in minutes, hours, days, years etc using clocks" + }, + "view": { + "CHS": "认为;观察;认为", + "ENG": "If you view something in a particular way, you think of it in that way." + }, + "beverage": { + "CHS": "(水,酒等之外的)饮料", + "ENG": "a hot or cold drink" + }, + "provide": { + "CHS": "提供,供应,供给;规定", + "ENG": "to give something to someone or make it available to them, because they need it or want it" + }, + "level": { + "CHS": "水平的", + "ENG": "flat and not sloping in any direction" + }, + "beside": { + "CHS": "在...旁边,在...附近;和...相比", + "ENG": "next to or very close to the side of someone or something" + }, + "reform": { + "CHS": "改革,改造,改良", + "ENG": "a change or changes made to a system or organization in order to improve it" + }, + "common": { + "CHS": "公地", + "ENG": "a large area of open land in a town or village that people walk or play sport on" + }, + "manifest": { + "CHS": "明显的", + "ENG": "plain and easy to see" + }, + "furniture": { + "CHS": "家具", + "ENG": "large objects such as chairs, tables, beds, and cupboards" + }, + "conspicuous": { + "CHS": "显眼的,明显的", + "ENG": "very easy to notice" + }, + "intelligence": { + "CHS": "智力,聪明;理解力;情报,消息,报导", + "ENG": "the ability to learn, understand, and think about things" + }, + "March": { + "CHS": "三月(略作 Mar.)", + "ENG": "the third month of the year, between February and April" + }, + "member": { + "CHS": "成员,会员", + "ENG": "a person or country that belongs to a group or organization" + }, + "sometimes": { + "CHS": "不时,有时,间或", + "ENG": "on some occasions but not always" + }, + "circumstance": { + "CHS": "情况,情形", + "ENG": "the conditions that affect a situation, action, event etc" + }, + "agent": { + "CHS": "代理人;代理商", + "ENG": "a person or company that represents another person or company, especially in business" + }, + "base": { + "CHS": "(on)把…基于", + "ENG": "to have your main place of work, business etc in a particular place" + }, + "simple": { + "CHS": "简单的;迟钝的,头脑简单的", + "ENG": "not difficult or complicated to do or understand" + }, + "finite": { + "CHS": "有限的", + "ENG": "having an end or a limit" + }, + "information": { + "CHS": "情报,资料,消息;信息", + "ENG": "facts or details that tell you something about a situation, person, event etc" + }, + "doctor": { + "CHS": "窜改,伪造", + "ENG": "to dishonestly change something in order to gain an advantage" + }, + "education": { + "CHS": "教育,培养", + "ENG": "the process of teaching and learning, usually at school, college, or university" + }, + "event": { + "CHS": "(尤指特殊、重大) 事件", + "ENG": "something that happens, especially something important, interesting or unusual" + }, + "inverse": { + "CHS": "相反之物", + "ENG": "the complete opposite of something" + }, + "allow": { + "CHS": "允许,准许;承认", + "ENG": "to let someone do or have something, or let something happen" + }, + "gentleman": { + "CHS": "绅士,先生", + "ENG": "a polite word for a man, used especially when talking to or about a man you do not know" + }, + "apart": { + "CHS": "〔空间〕分开(的),相距(的),相隔(的)", + "ENG": "if things are apart, they are not close to each other or touching each other" + }, + "act": { + "CHS": "行为;法令", + "ENG": "one thing that you do" + }, + "aside": { + "CHS": "旁白;离题的话", + "ENG": "words spoken by an actor to the people watching a play, that the other characters in the play do not hear" + }, + "fact": { + "CHS": "事实,实际", + "ENG": "a piece of information that is known to be true" + }, + "side": { + "CHS": "支持", + "ENG": "to support or argue against a person or group in a quarrel, fight etc" + }, + "namely": { + "CHS": "即,也就是", + "ENG": "used when saying the names of the people or things you are referring to" + }, + "actual": { + "CHS": "实际的,真实的", + "ENG": "used to emphasize that something is real or exact" + }, + "device": { + "CHS": "装置,设备,仪表", + "ENG": "a machine or tool that does a special job" + }, + "company": { + "CHS": "公司;陪伴;宾客;(一)群,队,伙", + "ENG": "a business organization that makes or sells goods or services" + }, + "money": { + "CHS": "货币,钱", + "ENG": "what you earn by working and can use to buy things. Money can be in the form of notes and coins or cheques, and can be kept in a bank" + }, + "close": { + "CHS": "近地;紧密地", + "ENG": "not far away" + }, + "artistic": { + "CHS": "艺术(家)的,美术(家)的;善于艺术创作的", + "ENG": "relating to art or culture" + }, + "cat": { + "CHS": "猫", + "ENG": "a small animal with four legs that people often keep as a pet" + }, + "accurate": { + "CHS": "正确无误的,准确的,精确的;精确的", + "ENG": "correct and true in every detail" + }, + "her": { + "CHS": "[she的所有格]她的", + "ENG": "belonging to or connected with a woman, girl, or female animal that has already been mentioned" + }, + "bat": { + "CHS": "蝙蝠;球拍,球棒,短棒", + "ENG": "a small animal like a mouse with wings that flies around at night" + }, + "victory": { + "CHS": "胜利", + "ENG": "a situation in which you win a battle, game, election, or dispute" + }, + "light": { + "CHS": "轻;淡;明亮", + "ENG": "not very heavy" + }, + "finally": { + "CHS": "最后,最终", + "ENG": "after a long time" + }, + "direct": { + "CHS": "管理,指导;(at,to)指向", + "ENG": "to be in charge of something or control it" + }, + "bankrupt": { + "CHS": "破产者", + "ENG": "someone who has officially said that they cannot pay their debts" + }, + "pale": { + "CHS": "苍白的,灰白的;浅的,暗淡的", + "ENG": "having a skin colour that is very white, or whiter than it usually is" + }, + "specify": { + "CHS": "指定,详细说明", + "ENG": "to state something in an exact and detailed way" + }, + "motor": { + "CHS": "发动机,电动机", + "ENG": "the part of a machine that makes it work or move, by changing power, especially electrical power, into movement" + }, + "silver": { + "CHS": "镀银" + }, + "cut": { + "CHS": "切口,伤口", + "ENG": "a wound that is caused when something sharp cuts your skin" + }, + "affect": { + "CHS": "影响;(疾病)侵袭;感动", + "ENG": "to do something that produces an effect or change in something or in someone’s situation" + }, + "chairman": { + "CHS": "主席,议长,会长,董事长", + "ENG": "someone, especially a man, who is in charge of a meeting or directs the work of a committee or an organization" + }, + "important": { + "CHS": "重要的,重大的;有地位的,有权力的", + "ENG": "an important event, decision, problem etc has a big effect or influence on people’s lives or on events in the future" + }, + "immediate": { + "CHS": "立即的,即时的;最接近的;紧接的", + "ENG": "happening or done at once and without delay" + }, + "great": { + "CHS": "大量的;很好的;伟大的", + "ENG": "very large in amount or degree" + }, + "follow": { + "CHS": "跟随;接着", + "ENG": "to go, walk, drive etc behind or after someone else" + }, + "database": { + "CHS": "数据库", + "ENG": "a large amount of data stored in a computer system so that you can find and use it easily" + }, + "herself": { + "CHS": "[反身代词]她自己;她亲自,她本人", + "ENG": "used to show that the woman or girl who does something is affected by her own action" + }, + "contain": { + "CHS": "包含,容纳", + "ENG": "if something such as a bag, box, or place contains something, that thing is inside it" + }, + "psychology": { + "CHS": "心理,心理学,心理状态" + }, + "mark": { + "CHS": "标记;打分;使有特色", + "ENG": "to write or draw on something, so that someone will notice what you have written" + }, + "former": { + "CHS": "以前的,在前的", + "ENG": "happening or existing before, but not now" + }, + "receive": { + "CHS": "收到,接到;遭受,受到;接待,接见", + "ENG": "to be given something" + }, + "university": { + "CHS": "(综合)大学", + "ENG": "an educational institution at the highest level, where you study for a degree" + }, + "embarrass": { + "CHS": "使困窘,使局促不安;阻碍,麻烦", + "ENG": "to make someone feel ashamed, nervous, or uncomfortable, especially in front of other people" + }, + "office": { + "CHS": "办公室,办事处;职务,公职;部,局,处", + "ENG": "a building that belongs to a company or organization, with rooms where people can work at desks" + }, + "among": { + "CHS": "在一群(组)之中;在…之中,于…之间", + "ENG": "with a particular group of people" + }, + "disorder": { + "CHS": "失调,疾病;混乱,杂乱;骚乱", + "ENG": "a mental or physical illness which prevents part of your body from working properly" + }, + "subject": { + "CHS": "使隶属", + "ENG": "to force a country or group of people to be ruled by you, and control them very strictly" + }, + "prayer": { + "CHS": "祷告,祷文;祈祷", + "ENG": "words that you say when praying to God or gods" + }, + "parent": { + "CHS": "父母,母亲;母体", + "ENG": "the father or mother of a person or animal" + }, + "intimidate": { + "CHS": "胁迫,威胁(某人做某事)", + "ENG": "to frighten or threaten someone into making them do what you want" + }, + "speciality": { + "CHS": "(specialty) 特色食品; 特产;专业;专门研究;专长", + "ENG": "Someone's speciality is a particular type of work that they do most or do best, or a subject that they know a lot about" + }, + "car": { + "CHS": "汽车,车辆,车;(火车)车厢", + "ENG": "a vehicle with four wheels and an engine, that can carry a small number of passengers" + }, + "hers": { + "CHS": "[she的物主代词]她的(所有物)", + "ENG": "used to refer to something that belongs to or is connected with a woman, girl, or female animal that has already been mentioned" + }, + "college": { + "CHS": "高等专科学校;大学;学院", + "ENG": "a school for advanced education, especially in a particular profession or skill" + }, + "medium": { + "CHS": "中等的", + "ENG": "of middle size, level, or amount" + }, + "official": { + "CHS": "官方的,官方的,正式的" + }, + "bottom": { + "CHS": "底(部),基础,根基;海底,湖底,河床", + "ENG": "the lowest part of something" + }, + "prevent": { + "CHS": "(from)预防,防止,阻止,制止,妨碍", + "ENG": "to stop something from happening, or stop someone from doing something" + }, + "improve": { + "CHS": "改善,改进;变得更好", + "ENG": "to make something better, or to become better" + }, + "accept": { + "CHS": "接受;认可,同意", + "ENG": "to take something that someone offers you, or to agree to do something that someone asks you to do" + }, + "video": { + "CHS": "电视的,视频的;录像的", + "ENG": "relating to or used in the process of recording and showing pictures on television" + }, + "calcium": { + "CHS": "钙(化学符号Ca)", + "ENG": "a silver-white metal that helps to form teeth, bones, and chalk . It is a chemical element : symbol Ca" + }, + "art": { + "CHS": "美术,艺术;技术,技艺;文科,人文科学", + "ENG": "the use of painting, drawing, sculpture etc to represent things or express ideas" + }, + "middle": { + "CHS": "中间的,当中的", + "ENG": "nearest the centre and furthest from the edge, top, end etc" + }, + "market": { + "CHS": "销售", + "ENG": "to try to persuade people to buy a product by advertising it in a particular way, using attractive packages etc" + }, + "sometime": { + "CHS": "以前的", + "ENG": "former" + }, + "Catholic": { + "CHS": "天主教徒", + "ENG": "A Catholic is a member of the Catholic Church" + }, + "simplicity": { + "CHS": "简单,简易;朴素;直率,单纯", + "ENG": "the quality of being simple and not complicated, especially when this is attractive or useful" + }, + "except": { + "CHS": "除外", + "ENG": "to not include something" + }, + "account": { + "CHS": "说明,解释", + "ENG": "to give a satisfactory explanation of why something has happened or why you did something" + }, + "system": { + "CHS": "系统,体系;制度;一套办法", + "ENG": "a group of related parts that work together as a whole for a particular purpose" + }, + "policeman": { + "CHS": "警察", + "ENG": "A policeman is a man who is a member of the police force" + }, + "cap": { + "CHS": "覆盖于…顶端", + "ENG": "to have a particular substance on top" + }, + "form": { + "CHS": "组成,构成;形成", + "ENG": "to establish an organization, committee, government etc" + }, + "country": { + "CHS": "国家;农村,乡下", + "ENG": "an area of land that is controlled by its own government, president, king etc" + }, + "religion": { + "CHS": "宗教,信仰", + "ENG": "a belief in one or more gods" + }, + "occurrence": { + "CHS": "事件,事故,发生的事情;发生,出现", + "ENG": "something that happens" + }, + "tactic": { + "CHS": "(s)策略,战术", + "ENG": "the science of arranging and moving military forces in a battle" + }, + "man": { + "CHS": "(pl.men)人;;人类;男人", + "ENG": "a person, either male or female – used especially in formal situations or in the past" + }, + "baseball": { + "CHS": "棒球", + "ENG": "an outdoor game between two teams of nine players, in which players try to get points by hitting a ball and running around four base s" + }, + "bank": { + "CHS": "银行;岸,堤;", + "ENG": "a business that keeps and lends money and provides other financial services" + }, + "ascertain": { + "CHS": "确定,查明,弄清", + "ENG": "to find out something" + }, + "opposite": { + "CHS": "相反的人[事物],对立物", + "ENG": "a person or thing that is as different as possible from someone or something else" + }, + "suspicion": { + "CHS": "怀疑,猜疑;一点儿,少量", + "ENG": "a feeling you have that someone is probably guilty of doing something wrong or dishonest" + }, + "convict": { + "CHS": "囚犯", + "ENG": "someone who has been proved to be guilty of a crime and sent to prison" + }, + "conclude": { + "CHS": "结束,终止;断定,下结论", + "ENG": "to complete something you have been doing, especially for a long time" + }, + "finish": { + "CHS": "完成;结束;(被)吃光,(被)喝光", + "ENG": "to complete the last part of something that you are doing" + }, + "outside": { + "CHS": "外部", + "ENG": "the part or surface of something that is furthest from the centre" + }, + "merely": { + "CHS": "仅仅,只不过", + "ENG": "used to emphasize how small or unimportant something or someone is" + }, + "metropolis": { + "CHS": "大都市;首府;重要中心", + "ENG": "a very large city that is the most important city in a country or area" + }, + "specific": { + "CHS": "明确的;具体的,特定的,特有的", + "ENG": "detailed and exact" + }, + "here": { + "CHS": "在(到,向)这里;这时;在这一点上", + "ENG": "in this place" + }, + "name": { + "CHS": "给…取名", + "ENG": "to give someone or something a particular name" + }, + "coincidence": { + "CHS": "巧合;同时发生;符合,一致", + "ENG": "when two things happen at the same time, in the same place, or to the same people in a way that seems surprising or unusual" + }, + "illustrate": { + "CHS": "举例说明,阐明;图解,加插图", + "ENG": "to make the meaning of something clearer by giving examples" + }, + "result": { + "CHS": "结果,致使,导致,由…而造成", + "ENG": "If something results in a particular situation or event, it causes that situation or event to happen" + }, + "describe": { + "CHS": "描述,形容", + "ENG": "to say what something or someone is like by giving details about them" + }, + "grant": { + "CHS": "补助金,拨款", + "ENG": "an amount of money given to someone, especially by the government, for a particular purpose" + }, + "symptom": { + "CHS": "(疾病的)症状;(不好事情的)征兆,表征", + "ENG": "something wrong with your body or mind which shows that you have a particular illness" + }, + "direction": { + "CHS": "方向,方位;指令;说明", + "ENG": "the way something or someone moves, faces, or is aimed" + }, + "resident": { + "CHS": "居住的", + "ENG": "living in a place" + }, + "specialize": { + "CHS": "(specialise)(in)专攻,专门研究,专业化", + "ENG": "to limit all or most of your study, business etc to a particular subject or activity" + }, + "especially": { + "CHS": "尤其;特别,格外;专门地,主要地", + "ENG": "used to emphasize that something is more important or happens more with one particular thing than with others" + }, + "difficulty": { + "CHS": "困难;困境;难题", + "ENG": "if you have difficulty doing something, it is difficult for you to do" + }, + "comedy": { + "CHS": "喜剧;喜剧性事件", + "ENG": "entertainment that is intended to make people laugh" + }, + "cry": { + "CHS": "叫,喊;哭;(鸟兽)叫,啼,鸣,嗥", + "ENG": "a loud sound expressing a strong emotion such as pain, fear, or pleasure" + }, + "below": { + "CHS": "在…下面,在…以下", + "ENG": "in a lower place or position, or on a lower level" + }, + "fin": { + "CHS": "鱼鳍;鳍状物;尾翅", + "ENG": "one of the thin body parts that a fish uses to swim" + }, + "capital": { + "CHS": "主要的,大写字母的", + "ENG": "a capital letter is one that is written or printed in its large form" + }, + "profit": { + "CHS": "(by,from)得利,获益;有利于", + "ENG": "to get money from doing something" + }, + "human": { + "CHS": "人", + "ENG": "a person" + }, + "promote": { + "CHS": "促进,发扬;提升,提拔", + "ENG": "to help something to develop or increase" + }, + "private": { + "CHS": "私人的,个人的;秘密的,私下的", + "ENG": "for use by one person or group, not for everyone" + }, + "second": { + "CHS": "赞成,附和", + "ENG": "to formally support a suggestion made by another person in a meeting" + }, + "Monday": { + "CHS": "星期一", + "ENG": "the day between Sunday and Tuesday" + }, + "call": { + "CHS": "叫声;号召", + "ENG": "a loud sound that a bird or animal makes" + }, + "provided": { + "CHS": "倘若,只要,假如", + "ENG": "used to say that something will only be possible if something else happens or is done" + }, + "following": { + "CHS": "其次的,接着的;下列的,下述的", + "ENG": "The following day, week, or year is the day, week, or year after the one you have just mentioned" + }, + "summer": { + "CHS": "夏季的" + }, + "recovery": { + "CHS": "痊愈,复元;重获,恢复", + "ENG": "the process of getting better after an illness, injury etc" + }, + "congratulate": { + "CHS": "(on)祝贺,向…致贺词", + "ENG": "to tell someone that you are happy because they have achieved something or because something nice has happened to them" + }, + "dialog": { + "CHS": "(dialogue)对话,对白", + "ENG": "a conversation in a book, play, or film" + }, + "move": { + "CHS": "行动;移动,活动", + "ENG": "something that you decide to do in order to achieve something" + }, + "species": { + "CHS": "(物)种,种类", + "ENG": "a group of animals or plants whose members are similar and can breed together to produce young animals or plants" + }, + "part": { + "CHS": "使分开", + "ENG": "to move the two sides of something apart, or to move apart, making a space in the middle" + }, + "signal": { + "CHS": "发信号,用信号通知", + "ENG": "to make a sound or action in order to give information or tell someone to do something" + }, + "religious": { + "CHS": "宗教的;信教的,虔诚的", + "ENG": "relating to religion in general or to a particular religion" + }, + "precision": { + "CHS": "精确,精确度", + "ENG": "the quality of being very exact or correct" + }, + "compare": { + "CHS": "比较;与…相比", + "ENG": "to consider two or more things or people, in order to show how they are similar or different" + }, + "same": { + "CHS": "同样地", + "ENG": "in the same way" + }, + "suspect": { + "CHS": "嫌疑犯", + "ENG": "someone who is thought to be guilty of a crime" + }, + "cartoon": { + "CHS": "动画片;漫画,幽默画", + "ENG": "a short film that is made by photographing a series of drawings" + }, + "adhere": { + "CHS": "(to)粘着;坚持,遵守", + "ENG": "to stick firmly to something" + }, + "besides": { + "CHS": "于…之外;除…以外", + "ENG": "in addition to someone or something else that you are mentioning" + }, + "to": { + "CHS": "(表示方向)到;向;(表示间接关系)给", + "ENG": "used to say where someone or something goes" + } +} \ No newline at end of file diff --git a/resources/fonts/KarnakPro-Bold.ttf b/resources/fonts/KarnakPro-Bold.ttf new file mode 100644 index 0000000000000000000000000000000000000000..380563be901bc641713b3e9b58e383c8d04e258d GIT binary patch literal 139252 zcmd3P34B!Lx%c~?GyA?~GBa6bGTE0IGLxMU5(qnl7!Uyw1lbIT2mwJw5fv48>(W}c z+r=)|YtNa)rPNw#txIpm>$R0yZ>wn4R&Re_v z+Pb^fF=jf#n10zgyN4pCADVv5m`lO+&W#(^4(%_q_2K<@_Q+cl_)$d|y4Tw`|4}rg!x_ z@pwHRmv26AXwS1>4*T(0CdLepZP~D6n_ten$oRtTjD7cuThBjd?JZxLa}CDx9%J(A z^VaU!F8$iD8Slq)EOOrYJNC5v<-4=+{dmm(x^3-w8!C2Qa4C}vCdTag?dR_tn%->1 z$9r9jS6Z$I82XGAO9LSHCfx5nA|XI3iz4$rU`(sQ27A4gx#zO1`f z=fdku3^Nmdc#j+%ZRh>EZ;rk^`WxN7;*)Y0>A)YNXZS<>8RlkfSPKb{C00ORr(3T* z;>Y;SOwV-ERwABRglBcRn}ap*y)4FG9Q{D*U_t47%qP9goa{gGT!dM0 z^YMSf`SZ-jj_lW)iQ0B%3SZ8hFAf*ZrF1+Tv> zcT{j~I>vqwk3-BZeaI}jtMIvRZt{uT=&K1{8QYSOXtMI)cJnmyA{ywfx z9sQX7ohA8He5V($CA!mhmSODmEGa$9EaLiq;@VcsJ;_S=MvV8*m{&XA^A*fthIUQR zuma<+!*!a&?RfuM@C~g?9oFgJ@qN>C?_GiGH{*66Zn8#iqWR>Tt`uXTH6Z$ryAl1z z-)N2U^rtl#f8&qm9%Bt?9r8D^23RZb$r#P@bk85c?% z&>ia{jfiN1D6%{?9tnyy>%vM~P>MMl{xcbOav@ zUiyq9@i_5W{wQeOJUXf!v5rK4@ZY4z7WqlM?`(_%vH`mMNyrCyl=zh7glIP52p$xV zwWE>fO6w@Td(u&Q4dcl_M{3yx=Is z@c!ImndBF1_s-m=|-O+J;hpeI($ww z#znV#M*q%dWB!#mM!@%tIIqGj&Wt#>&@~~$c^UtV*GWyIFYCSuzJ#uj-8gQ?cYYP) zd5YNzA5!1<2a9qy1q5t54 zFgv@HU&e2h!qPL+bJDNn+vIP_kIP3Q{zxcN5-E#RMy5nMBE6CAk-d>?BM(Lc(Xwb| zG+ri^8Ooexo-%(~sH~){u551E*<~9le)56zcM1Ls{n=qd@5d(>N>AgHUmp8pZ=^6% z6p4sWZWo_C6xokYE|~DiZhUfZ?334vPv-b!KKk+Kn~aTqXS6oEKYLmBf)n36@r_Ro zpSb1q>90?Fz4P^{ueZIPc)jZNl4E~5_QzxI9((rKnq#LQt35XVwF_UH_u7`%24CC! z+J@KGy|(PNj@M$ZMgHq?*HwnAH7a4u17hU=H}7=p9JZcqU>n&cwwayF2H6(2m7T}7 z!K*o+ZD$v-9c(8XV!POGb|Krt_OgrE#q1Kck6p?xWBb|V>;SuhUCFLu2ieu^8g?x^ z#I9r4vm4lr>?U?IyM^5fzvVV|JG+D3$-c=_9%J8ShuQbo^b%m$l6a?hCR>zgS`O1=SB82_H*_UJIa2+US_{!udx4Ozhb{; zud>%5Nw2dv*l*aI>@D^-`z`w&dxyQt{+qqW-ejF&BkS;J~s9jk}7jI#ur!W!Z4rdShe zW-Y80zH&S3U{hHqo5s4>bVzy+o55zXUN(!(W^>qFHjm9`3)n)oi1o3>te>3*zF)$Y zveVfzb_R6A3bvA+$yTwm*lMW{h!TnqKh2Z-^eg!!DOME}u!LQ_3 zK~8q_z5HT+5kHMz4q3UF_k(l43t2daZG*1r;RpC)NYEvGHKKycAscrH4jAA|_;S92 zpU#)D$M`{Z1Z%mD5An14T7C_`mak%a_!)d9Ujuo%4pMbJWJ!~u8-)Cj|4)*07yFRU z=8M>NK9A4m3)o)X#~1QB4AZJtn0J9v+rM0yzk7wkV$%y1L*4ReE5vjARz!ZTaBsY@ zLE-h0R}@=agCf;07+5|lwj$b~$o1zIMwIUUoJK#R}o#7+6;;SEK-Mo9o48Gto7g$o<(~D2X$Rmda zmdDm%^syOX9C&O7DBnG>JPj$HdCrV9k8m86$T>=ILy;IMKG9#V;91ZGcMTA<$N1<~ z3crCZP)z;HRnBi*q0S~=QCwg&-vCbbuPDaCu3ElA@zs&y5i#o)NaAAXfoowGE`dZ| z0IB{eIQw2$h5I492f*92V29$+3r|B&tbu$#i8t4d{aecR^8qO&rR6?(vwXMwg8YfD zO}AZlNcTG~0&f?#6kZdw1os4=3OPc%L*EQ93_npM6>TqiwYa)?r1+zf-SvRR^kmTHRIsboH^C zfts(?9I2IRyK48>K3=z@envxY!~G2p#@ph(36`)WemdpsDSvI$HEwO(lVnL-a&~ec zIg$#cDpSeSrKv+rmZpNH2b%|*cQ?P<{BFyhmMdG{Zr#>;QR~~SAGTfDc5{1u2kW@M zV}XC9gP)86jhg}qPpzA&qIR{yMbXZO#3arUco+UE4md3w%^ zb35ifHLq!2_q@C2Jutsz{*3v5od3y!+ZMJgd~e}j7wuW}x4ujJ4)uN5mtEYsc<$l{ z`W^i@_TSb2)6?dkcJ#D22FeB=Try+HHaAIPkdLxcMVf461XmM6Dlw{AUe?l!}={o6h~-*bNQ{J!%Kod31+ z-`!rledG3n+h4h0Xoq7*<&Lf$%XZwn<0m_%o$Gc!H53_IKlJ#}tGj%=UfGr1UA}u@ z_szS1f8p5|KC#EJ=gK{A?2YVQz4!TxmR>Y+arwmuE`I8g?o007=h*k`r5i6ZTz2+l zKi%K9U)lfc{*N#BTt55q#}D`p9K6DG#p)~4S5{v0edUnn(8fbgUpN1{hprD@ z|M(57Z#a76B{%-@VK?rTCZbxU1x@8}EAi%R_g2AYBqG8NHo9CA|U<+z3fabBWa{x{SgSiax^?Q$k@! zai-{9s)5%jaz-@+l$g>Oa7W!7w-Ww9_A0)3i#+R-@5!MPZs`yBOi~lC1E-?TY+z}C zQ+4=^w1m$VAE`U4@T6kIwaq`cQcwg|QBs0>vfefn?fXwA2lE8)S1` zn(4yHWKyvthRp>2?!meR&*n<}ri2H!J579lnxQJdnT%3PP3B6^wlR=gNoo8u{*>+z$UL3LjIq{OYf9WSl7r|*y2)68U-*{#&hxcaB^2qX;z=r;_(ZA7DBPu{uqytflFTRp+`Ggo6(yC@ zjAEfrXvnDT+PeLA=~Exlx;Yf5OR*hMYjnqzx+8cnYxHLl^>nmTV?8uw&l zV+M!Y)1Jmf929#ydxU6MQ(Kp#9G~+(uVRtyHe~? ziby*AvF20>PbFKLo8tQBrj}NS3I!54RK}VrV`T=vuSE9y40RkYjq|EQ7i`y^(N)`0 z)xB_Gch!X}R|cw0<{g1E=eNh|7YuG$aM@;QWl^Iw9{;GPx4N>puDGb8aiC?{`TE{I zqt9q4|1F<7v#K;Ur82d7!P>n`*P04Vh!cFH$E9xoS0ed#A~pyk-by3Ps8gg=+DS)4 zCMT1rbeNXLlNoUZoMC&N;=)1@m93E0qJ$DWs(3Ss7u-&Zk{Oo#ZWE~)MaIfy6u*lU z1eC`x)0=St%Lq+m#8dW+TCA;7NBLXRX_aISN~+!<2pI^qx2t~8Q7s7LjG1v}apKHw z#F^DWWY!tno?+r|5Loqq#fN?V!XO?@X++2sW4>gQp{XTV;4_p-O=Z3o94qmd|8jX& zUCx(nd}iRvfq^SO&K;$fPgL{vPd@qOBbzoovWY*CKZEW9HV!oYb?LW=mnsntJ;2fk z+Ume>X#*W~nY52+6wi$C5{nNs;-F1qLa`qOHxIkZ?U*46(Ax=B8HMT2jdZFqbjV(wySS)+%sYf!Bveg7u_d z&vV9-i(af+wSC)tchp?CV&VRtjzQm(*@5=vJLmVrqBFw&0tCKoZ5>1LX*;*xw5)yR z(se8QTl-@BI=iwzD}SVEW}=C|T2xh5?hA$?_t5!lSm^vvPUDk~*9n^>WmLVeM5NhC ztCL2@dn}_@ahse%tO|5V2_zJLlz62OgtBuG!Qc`0z|+(vP3I|x4pS)QvAAprR+QW9 zSL+kK73EX`0v4LaqW9J z>_`54n9m_Od8|tZ8YOtDMCJv-@`_J=(RUuWcZ>Lef$t; z;KskSRVX!2LiLKN^Qu6s)mYV9)f%Wu8CwI!0PkPo-RT+VSiinwz@we;uk@aKZtwc? ziuJPw2WPFXD9??bCHP_f5+eP6rdSh-A#Y2qjO?4$O!m!6r%W=#Y}*owS(t4TWHXsI zndy?rfLEDKbZWMmiNfR?cvH|v;2fx+nD35@?!bTEb?2RX?z|Ips~)`qvG*Zh4U3t^ z|58Ti4z3tAXCq1Cugj<=O}twczFI=!t%J!@bVu~6!Ejus=#NOMP9KkR#SkY2im#<_ zh4E=P*f(wdp+o!jY4dDg&+{#O7NoEUAu`wjCO|Neii`{SGa47QHb?ypyzBW3FT@zh zf1xqTz%m0s&Ys095e-a z$H%`7Ytw?=mxSGyjmH%UuQMK(hROVry~xci0F|WYGjGp+-zS|ofqX3Z?*pkHI>m?; zT$IzkmQ316n#6<&V!iZ76>~;0yHqQ_8N7+rQO)qQRM`Mk$gMb&jHD7w7N`QQ(=#FX z%mq#7YDpSgNte`rU-rKHvVS-xm1OUJ?m52xxuFvu0tx5P`;4CpzO>V~145#?DYj(V zf&q*ekja7`GhiH!gd!hRY?-u8CN{A#aExrDQ<aXR(~1Of~2Xr?3(8F9O!6@e$TY=u zK-e6v6ekqRQ6-c~TSD~Z7I3a&Oe!Jp6qzFoUP=(xm1ta7f6jltMa!e`xIo_lupvreCf!s>Z)*bi)iw~kun7b&!P>J% zoRqgK+>M8-19ni=7mA5A3qJ!+1!=Hxv!I71(3@lzs#5SbwAXRHvuSEaV{szrmgJUa z@7b~Q3+`ah3^z3v^4~VJ>pt_{k|QuBGG%HvpS^iXLv6}kSZFq_ZrytQt~I4C(SS}b z8H&oLm7jab(2&kqQ5=}oSTh4_4TleR3GkW&I`H60ZnGx^yN~Fd+=%I$QxvFJ;dy%! ziu)+E6tO>8((I+_O#*(W>=a@hen>J&W!J|-gsftvyl*m53Ec-O?{o0&4bF$~%J2Z0_e=xgbXy&6Y z5Wmt|dN7A5kjgZYAaGYR=>j1L1y0hnw3c#a#83p}RX9*Z1{!uzl(cVILWv%wxXhJI z>!S3$4q7=K)zN7b@28+5h*_93Y7EP(i(*wH?Ml#{HrR^VNyv)|@RYe-F}M{S_|zNq zNBud2K5-%8MZ#j0^26DGk1yDA=+>RvZZzJ_ZJz3IvZ=Qv(q^-5kY3(*Y4G|T7u~S; z0-dw6xNuI}{CR#W)nN#|G(~zF$Z!pi+cci5BcI$$(__%0UK%kAnd?UM5vvz7r7*KL zp;R3OCzFGtnySEqK?oC5Bjq@CnBdIl-HJ@oRc0`r9CR~`cq&;Ukpb5k%Zvp%PMq4( zX>DG-;o6(FANoRZ_wLi$mdA^Ay6d=X_moCf1l?=nO-X5Jo-97|~$7B)+0S{l4r_!u-dF6L&$YM2ml zxD-8U7U&d<#$Ijz_Qq^Yr??d9hz`LW6pEynV8mbmaz-r1$!U2jn^Y2It~UAd1PYGS~&B+LQKG#s$l8xQc3^2~WD*YB8QutR6L1 zP1=D`s8K+H2vTjiGfxCQBDqy@csuZ%{lfPlRl)mLb+oT;pSG;6b$M%L_V+ggV==o; zXDcoAUUTdkZzyE8=v_6D5by8qXzl81?cf`d@w%p_y7-BQELJ6V1CeTg z6(3b9Gb%DJY9+-5g+b!EQuxJ+)UL$bh!$w770Fi31=bkPA;rq#68Unv)?_QxBTb*{ z&h@q~{Cti(=g}#rcNI9|!1qmhT1Hy&(<95%U*?VA$Ce2Iu9Dt$VKFFUrFNV=` z@?EXMcO5q`DGo=JrlVJ7D<-Y`{CTxD@MgVV@8gx(S7=a|Jh@d7F7E(1cs=kMeqmp7Q355M;}B(DTH8H zD28N+ECED7&SlNN@yEIVNRX_{#oP!sd>|5Uh*XqB>%M9{xOvO|>h_N6g9o2!YB;Se z*%U0Pn9{Iz`{3#Eg~|HX($q5=uLei|C~v~J8`)HD%kg~;yg5y1hZ~r|R5#-3UN6MyVMAtw`SC7g7cM1fH4j6_;XB+H^iSKub}wDXSNe_I+O;NQhx+*QKlSGrnrU^ zQ{q5L6j>`pZpGEEL_CTEL@j~mh=*!(2VP_K z`6HDwy(ZvRf}pdWB5$aj5=ppQA{3{`0npi(O6FF;M|N*I4>%-mGwCCG%zya3_dizp z@7OzU^%-jt$tC?eclLKRUL2qLuh(4h&_h>ES>kcmm`b<0OWSH&TWi~0zr6pe|CL&G z)9GhlH7~K{n_Ei!f1PvdRsZs>s}FqLXED#wyTZKXiu%rVo#cu^qcB;5UGyT#ew?Mv zLf;bjnU)P6Aff_Ah0m|JlOuY+*@0y%5YCwn&RHNq!8j3iTETno2&uP1I(#m@Vg<-- zKaNw?W5R;$MdgE`u#e6DQIj!j2H1Lc^0UCl`W6^xzdQ za0MVY#6WtOWRK<%k?a{uI57xjfzSyK1o)w;QqCRunVYX$Hhso*2eaQ87~tLA-JRV% zGuqpmT3V!+*REeXCA50#%3UaU_unu7f`T_rmN01P6Y16BMeNeVBuzU6I|x%w8BF zUN7+|#o%==co()b$ILpISuVIA-0qf^&l=ji>+~W;J|g3@*~gxh z)@NPUzkEGx1@XrPLRN-OemlH)NjQs=2hK@;AP7$M!spimd>OGhIq5qah^&ncjATuw zT_TKjL5Zhj7coyRj80Ph?j#Tdqbp0M zt%7b=JA}@KI(XrdL{e%6IMzxWD;Jaq_t#7j6Lhl-Jb#!O!ZG63s2g$B1a56@1}g7% z5Wh;3`1Ro486D?-q(fkQRm5w{aGjYb?Ca#+U?oj$kve0-LT@$wSr^+PC7;K zjNAa838VgGOuNE>ONP*xc7;Nem-R%H;w3-kkE7`?zRz`sC}VC9@zgfbLr5efxr5eiZq-6^>tJG?0S#-i*n7=O_s zUb2WU8WJr@1tP#ac5J+6Aa^5RjoJF3# zK|VNe`L31~$uh&v{bxu9r_HjS-vWA^zvaSkWu+s(wp4G3@xm(?xS25pu1)LBL0Vgp z3BXEWXjW$do)M!4awTGaMEQ!577PoC)U1sXlca1hUZ#35U{&YN>#C{=>(?rl&*)7_ z&t+e#|K8l}V<6?+xoQIsSO4&6eCYl6we`znhKAnAemKU5(qfF&j>@YsU4S*r=`Pzi z-9^i(L4D+C3LRxJk&d#A*HIRY?pSDmev_6LdTH^ABN)}HRZkqqt?+@damZiCI0{kc zmj>_$-bHp6^5FIp%_z82t#)K=!RSs5B#8Ki(D*bL&@|U!ASR)2O$7KrMIs9r5c(kP z3eW&aNg+*`4hYo{@PP+HxDF@f$w%J5Wz0#j0SM#{c9}gOnUE<&eHpg}3Wck|N0`-S*UodnNd@c&xg5ksVGi-iJ(T(FcMW8p1PxZ7x1FCk zFpxbmaMxmqWh=zuWUu8HLbz~#Gz%(dw&erR#f$1njV_GnqDXm~I0a2qyPNn3R^%U3 zh2lRi;2Hr;dEFqKO&~Tl5J>paAjyxPdFwnu5{77vA5m@2%$V}xng2@>2iJE^E z9XC;LPH6Zqel<7yQ_QjUr*nDJ06eK%wb^y^g+oI?cLjzdmqEuiu0JLbTER)M#%|7(%t9&4P=|xXm zbkP%%Kl{*&FYy6fJ&4vYs}0e9O4eZ%Ad3C=r7Ug9=*cHDlr0tF=LMPfbf%(=Mwo#%^^~qE|OYu-12Mzmmla!m2flaIG;XcW%dEk zY|4_0drM1uFTSE?&dix}YPdn8UDd3`s}}cG4|NZA)3|-3Yvl^i&jpD=90+$EZgD2< zBm-Fp=YZl}AtlIJiFisaz=)uPfyRUF)dB=1!$ybGLI#hybBRMAvIKBBl|pygW@oUF z7%?RS;Z=yh1k^3ijgj}v(-y6J?1qZSw}{BEp15C7nQt9@pz*Z5x9f@0FScrw*692I z=o~^N=^>VO(RiU1-AI<$A>RV#hQC~r9I-`QgmjZr1W3z6sXe7MnYIhnZ6_SnV<%#h zLdPnQI|toJ5-(<#W<_+B0ir`;BJ_ODqh^FI0&YZ@Kr{5Yg}$fR70~pWn~+Z*zchxX zN_r+K?VLOBa!dQ$|KidV>KRRE_Q$_7eJcJWbI;jx@ygRiKb z;R9(3)@KT;kVQR18W|@{Ig<{NBO~S;#T1bP9$&oxARl^*5){EC#jc`Sp;jb;NmEU( zR;Wa^LiMMr6)IiBRh89-}H`Re*Uw|hdNLem<=ZxhNCR$dUa+b5MMlsI#G z@j~#E6E%cmcFTdJB?$m5CQO((%{l*2ClFgLh9Squkx4s*1#^gGm4Fz8myL=YavKmF zK;4X)FYpIccr%nZH1)xa>n@fyU%YN3EZE-n-`^{IA^YeDvK`~`QyxdyeB{G~Bjlp6 zIBjxxgrzSKF7zo4C@BwEPttafWS?Mi9|aF~5kV5`lSNZ4Fv$=fkfb-@H`Br!;H(hxpzW~SEE+jsM;*fraaXV1QoXdZv(mEod zH3c=7Hkut`+|GpR!oa|TKf3YVzX;PH!6upz(nH%BEyr=Ha?A0fuDDVVr%=t0 zc{`jYrNE^+G4Hg=Nge|4w&y1AbomQ%4n&R)d1P}EA#(JPV=~V?^}{Y++qQj66|b$> zyuF2&cm3$u3j}Sh=6gXQaev}&epha7e+3$av4>LQNdy7#L%oF}#t^pFA-L0GgZlvg zp(v5BxM{ra7q^S)j3F~2*KtB+Y_8*nGoQTd5f}Aw#T%z`9SblWRQMDE)5*Ql3J-i( zC!=~wmEkby@jzebt($P!I(FIO8n#-z<1dF?!=4c8)YOpM1hE+QeCl#=>@q$)NFUCI zbyiQ1h{?OL`AKgfP{>;t4CU!d#~ia!K-yX*7%ed7Ig@FwGNyQU_9yK>dAgprw4QZ# z8?R6NDASTX(z;<|+t6SCIyAIv*U-=(vZF&omtHD((Ug-RAF7?lbdgufTq+X@?1x<@ zgPit=w4R5wk4{)N9U>WFqak9?HNE#Q%ytK9axLC!)&wm#aoL}eq6oZR>g6+L?$|Yp zPw#zcVCW{kc4+A7r@>QSyA9JMn}&Jr20z)cTSBY&M0jc!6R}eqMx`s{vl~RfWdOn< z0tVESn4kc)Y7zt#q$#w*j5HHEn8AZ0zXSmTDVWr%U%sGCQjbX*j;MAW5Oo_;w0hxt z8th|>Sb=a28Cor!#`)hbKJit)_s2EKYJIt4N@d*N$8Ej59v^Nc#5^Wt(N%6aK0C4}c;BF}PF- zGk~XxdJ~$+k1hH74+s$#@Fqk32MoM)iuw;PkMX-i{fG3<30V@@BVi#|ag!K#iYa>3 z@Q86sW8+4VEk;Z+qvrG>BMBcbkxy_CY=PSrjQg`@sIc`SVsf0pIQwc z<(`ZQO4WctP;C{6RT+IZJb1&-?c4cBZ@#&IzgT}Zx{*IS`g0(n{z-KgchxYS_5fK`jW){qxyWwn zQ8WnfVc2Z(6p|O?bOWk{mrD!XOgTUedzX`~IhE_#S-@K%2$Gn>A`7Lwi z@Rzf<4u-3)d*!<7qU^!;Z*}zTM}Gxv{Gh8Fs1CdUQ2`JDfJ5_eV;&?PWKwAgIUEP{ z@MpBK`(1=x!BLS?R1-r$G6&P z9#qHh5jf;cV8R=6cnkcMFpU~@j3soWESd%j6Wfi0g*8kV>7=y9pTmSz2k;7{mM{q_ zVPx*K(ShodcD01Euo^5J=UR^SBrdEaMJNfvFLyLYTe{|Smrb+V7s%G?hIv&N-+lGq z{LU>r7%PsR);ayO5~s6YwiO3FSMFJVb8X2F#_>~bJ%A*N7zwI3Uy(_*>Uq9G$)$+x z5G?^P3nBRcx-&|fV#+$pG1Vr+<2$!=!D4CvF`KR$y%^v-jsXjAXJnIYMS$SUlNF!-sHi$_twi}n zs*-$h$n`V!CHYVK{1PIIj3Yq7jw{gOuPEB2mq%XJsY4qb9;iSv(% zs#@Y57>ag@#)G5vsQP~ZL18^O33s7RH5OyTB@@@beegg9Z zMCbQ{my9+&p|zsykmM5qh96n5Vk%k6;VLmp&#FF8naO0awfFS&WMAv);V;iyyH3xg zA!**c!R#l4gVaJp(=&6VLC}zD39idw4`o0UX=qhBS~^jfjQlC+h#~^RQObBkTq2-k zR&WK>lB-;xN`xg+c|n88~(pHjUiSi~wE%8Hbb2okI3tQ$)J=VhwU)+a`iNCt5 zf99Omds}D5Vl!L)*0QU&Zn{1e7|gy=<6AfAwOCe1TX^3k3tGR{3L0pB{~E|fDb<;j z3QbD@aoXW2f+wg&0B{v8L=%z?B$I*TA|ll%(?tSjD=L9Ja1m_tQW$X5VimbWnH2?B z0#R}h=IRx}72!-G@$5z7naTiFO8_SZ(p$nrxv98Z8agnM|$OcZBkK(cp_LU-Z)8;4_h$Qm5<1L2Z38!8+7unxTn-z-qZmDyT^7 zXgUCg-GIt5DdaOSDVS6Qjs`I)0|A;`WN0}27n&3hb}P~{q97L=WU$IMQfOo2#(+Ik z3WMTt8Y)q4;GAk2icksh=V-|0qAW536^?69BnnI^Nypu!sg)(dWPV@QY( zfdr$16-cE;49P-qAu@+3HUd*34x<>51E^75eoZI{q^@cPb5Q8lk{ipr=Ps==8(Vwo z#9&~t8dtBB22r^)GIhr zhX-Jd5m>fx;Cv#87Fsf2@tMp2{zu=@y~30A0!Q=#Ky^`#rSk}|J0CpNG&a)YU2@e- zw#@{F$mNPs?wnsP;3q$}bdXdZ+uzFN#J-!SKJeon!2@+$1_w9XH~3pB2G;aX9p+=k z&f^IyPx^s|f98Ty{6ArJbE`^U2A!;ZhkP0IMDw!H1ncLQ}3)m0YEZc zO!SJTV8N9*AZL11fG0VIUov|l87(QSG#ZoH-;;FuW>;>inReFvl|9+t zYgc&ZixA3Kr4UMzgg7L1@!}N=Nml9UJnyXm9ZRvR`xH7Tr+e~3`~N}*$=E)ogxgi! zL|r7NK5^QguZwaMoUDp+KH(J1k#KHQQDff3hMGK4^Z|d5YVHN>M_~i@F%ZtpPi|+S zYHn>iixCcNeml#QMo$ih#SWGTluzVaU0b`lw*LB7F5P--Hp?3hELwD6(O+J?>82NN z6607Rd}}ZE^h4v@X&gaBWyG04oAQd$OBGTgkyaw)1bRS^6jjRYpCj|Fn~0EKxlkF@s{SQLWiF8RY~6R z&MLGixvS-Ua93w?buc8n)m4L1RnA-0?D>SbAsiQT5=Ej~ROc(V$ zngKf*O29|KMw({$E2!E*Gyx@+_x4~c{*VhPW)2Rn65d{DF#E?be^1kAH}YfX&v3?A z)guyM+QK1Wl3O^gVC7)Tpju#{ono~}wG4MVX_p5V3Wk${k(1=xVs8{hLnqBI7K23Z~G(5in?=j3c4R=dT>n{k+!;0 zj1>ASw+qVSR!u=TTD6{GgTAPk94%xpB&ai`%A-_b5xiw6G6`rEGvq%Z7Rqm`tE|eE zoMaOTOx`84dIy4b zTjfKw&0%jiV0QP;?^^6KnS8f~XfsL9_H;=X!@dvXsxc8f2rUMe7RHlub^-;l00j}y z2ry}@2;dof6Om1#nr~V{qX;yNSiD>w)vNisF$(gUQ|~Tay7W&yJ@@gK$+P9#2EU5$ zHz77Si&IU(?p(Cv2ZPYMAnJ69bx9G2gapz@d(W_5C-W+_A(hqz$$GqA3KI8=eIW*Atku?WNxd|>f=5P{|?)bxRt-{T)ij6iX zGUFcj89=5j9w5$^IL9_$3v!lY$PowD3=j-NB@iqnH8p+t_S>5NUOj7W^+$YL_EwN| z@X<##e#dy^r5KM79XoRSnNlKJP#xqeA*aK0_^CgUhwz?~-g#Jz$Ox3&4wM{GvJK!5 zvQ-A-@xxP}c_$_=qv{QX;lNe7R~xX)dmQx$E;vVza>-z{*?_LMQmwudyiAv!srDqJo55Z zaS>CpVPep(zT=7w__y!);oLi|z{#-T*$8A8+idU}tc(-D@A%7TQj@z3WY?evhJ5m} z8%VL+g3E4;K$WeZy6hUej1PCwhqGaBu!5ul7Y6#S#|CdJHgS(pmM-OR;prTpa4OIW z&d~Cn##r;zp$#qHK6BH-=8Zd(-`KqCz~B{^4-O3t?!0C2$}5RQgzPPmW)nTp`vS!i z;8pBZfg02sZQxZh^T@)I_k5C+?SFdnB|$B02?w{f4K>1MUR5Z{n&a>5O?d;6dP?= zw6x)`sh_lD|JGVf%rQJXIG9~LIC%P)F8dAUV<%lAA}9!+I8spt%@4*$90?0TSqP9U z3zD%=D8g*oVK#}`$)_=jS`b1+6W@MmKFvx8-l2K|Rc8XUD+Ahi3v0* zjFPkLO_rbp+BX#jg)|&;#@IoHV~cnOR}98WWowb&Q`WMwe}2N@NX+kF*-}>Hk;4j2BwCB1ip+peYCaDkru0mmiG06R& zHRfCx$<5hMrQbA5#Y3ra#iCJwY-wE1PZd6~HhG$Ae)3&X>-SGFX?LK|bn0n`YJ3hf z)&fSXO>>Oi+ver8TUH)o%Ur! zPzORBP8Af$4j^HJB6{!-*IHTND^N-7h3%M&78ZenTso1J`f@!iEbKo1kz9w*sG?nq zqF@nfK!pzZ}QVKi%}F!toHaiuz;_>U^lj1m>ao@!yafSXhqIXm*4 zD03nzaMc=2JVF7C2`sAv@2X~Oe1I0%T{d;%0l`JO1}EFu!r zW=8x4wj!XG2?6|}%^_7q1dpmVAP{KPFzjg{FA>y}1-35(Z9tvA*jN%tQixrKdlzkj zEKjJkUEV_t0(=1kx^e?TCT=WBkdtU~E43h%nE+9=ZSYe?h+2yZP&F6>;qqmlF;rV) zdz_|wl3ghHB#V$kN=0cytSK%Fz&eoPH(hBjwAsG4FKe)rPKlJRj1*tEp?;Cub@^_| z?vIx=v=pa#V{JvO-D*AOXIqV)hDc@mdDGih?+n@P6>sa^^=09<#+n}D!6dte|4r&g z2ewi^D72Xy{u=2qr4*QpC}P#8L>!E=7?g6-#)n`=32MCp;9(-$PAy!l$y{3!vDLxt zp{))cclp|xRz1a33uCf3<6JT`JW~FnhP1_Xl;tyW@0hD#lU|V5?8+vljzyRqy zdQ{@W8XMgPTpIsk3&V@i!C=@PAk#heF1*-9FDCotrMI7a7hYUIFHYlmYN?@XPvfO@ zW^6}F)q1jw1)gUbFU|Gcc$C9!w!6Gzb^q|1COt!DP%Q>W49gCuRyS4}#v`-OZvt09 zngcD#0Cv_F_>2K#m7%N(+wCixTB{0j0rt+$Dch!W_H-5(<1W4KFlYcXnU#qR4mc(Ui* z^SXIM$4z@59>}H#9^pGa*tP44CwA@n;DQ^5hHfCf9J5bG#1=v)B5;9Dq+}%B=d+Cn z>;1UFR*|*Jp0y-<7V))jbPj(8Ie`u!Aa}8JB}qMYIoHuKF4C5i4eNs;JF41akoh?o zr7209OHj!?N88_n$bBkR#j?zBt=J;BPx*6xL% zfm&aS3+TnHdLZ#>RA>TiSK{u6(Ey@#7QI4g^e9c}ra^iE{)e z-WWOgr%)M%!a8G994vz~DbT{7ncK0czjmGzQ6z6~E~_n_GPQF`Y1nV+Sl1Wru-ljQ zC#s|M^)vcr)Ze7Dn0)3UOH^OvY6z6axP56;^BMCuLzR?2ndq)54ON9hW%Y9!DtZb{ z&8IIoM+-C?tIJ9nf)%y>Gt4fB6>ZM+PN}fcS5jVB|)WsN{D5N~HQDTDS8{DfH*yrB2 zW&P!`(D%gJ==n3Kmwy#Cn<4a}OxuZCKn6evlxw<$EV*4`nUEGk7C=+&*gpa54yhnO zSO~sIZVQnoJ7*Mdn_Ek6D+O*SNX4#UQItQ?vf8<%l5q@(;$5-JqxBt2mv+>Zbyfrl z%Zn;1q?dovZS(eZP3!YHUMM=NxTd#8j2m?y{8#)U^kcB1kEa#|NU%ew?Z+t5H_K|Y zKq3+FKp|jTG(ue+mX&9Q^;}1mTf~)8l1kgaYTStOf>uOVxaYsxwr&6J-HXIMzv%n9 zKjLNhhwKfhf@kr)aZy76Pe~S@5+xbX6(r{i!ak6LE2x6DLHLFWl=U=6rHY-|b&~sy z@0^D&ok4b?bZw4jE7AP}$bF7miTFtHAYQ$QN&|g|9 zD=B!mEX}wj3yh+&H5mk)@aUu2?EX8B-f_p#zjdVa!Sm-9-C0p_Z}Z$`sQ^5gxb}ia z`B&)`cYL=q5bo_P-7vSa^B2?N9d&1DYa;o0T)G5W;B$MeQ1s^GA<4ISGp!|T0RJlV zl2-5CJBjvrwWR5W9F_i2wRc`&Rpw^zTXS&DnuGe<&f3~eNuu*LN9epZ_x)g~!_rJ} zuoFFHH5?uW=AY<_lSAl}l%zY^6^Awx0H(_|#-Z*Es2b8rM#uNY@zd_&Tz?$eU;Lox zk@L8=$C#lzYy>^F!sz>&E+B1y@L8tFLnvqn(1_E`3&<$|3nI{i*OyllqTv7(1onyt z(Q1J9Cg)4{>JPmrz%Xn_#@44JsD43l=8qU^D+gaZXt=IAAT-JJ_d_~?q{?v8uHg`RL#yRYZ8>8WS} zGOS0x+bHH(NBb8%G)KT?0wXR?QBt`wgMAcb9?X$pTbEUwQEIkc?4X1wq53;UyW$8; zK*U26rg%4#t`Qr6Y7h)yhfAFr!wxQN+fr+gcSsvOl_V;Dw@7j^wTvL-8l>7OTne@$ z#fNF?kUoWb1R2REzes9CeSru7#Ex9i{{*R3BEkV{Q?cI@*6D)V`lojGdCX?Lqj3I3 zOLfa5g}!jPr0=Tn6}U{s_M-NM(~|y5lS#7Fgj;*Ny8@*lUnnee+N8RuT(>Jk{94@@ z1+Zv#wfx?T@^w)h{?}~j9R4ag746A!E^2dQ2pb97MQw3RfEqDWyld4tXe6Xmk~c+F z3nB8FfQO)ZK`XkWol#JeU}w@%s*mD+H^oYfpa7Av!A=`uh8V?^b|kx@QQg3D^AR;| z1*pn{>mXP&T_hUurC%~|8lXfwDu_;%KjiV{fyQ9{awjT z1>v%aV&}dD|8n+wk!Ty~2mR<0X#jq*6Bx+yoPMCq0cI#;dxGjM>>}@EM}i*QAQI(( zoG>xkN{s2alBC6f{8CRTAWq1VqvVT{P}qv<)~fxzSX|nQqy3BXKr`iJ^w(U)yIXg* z?YLy$@y-Pc_#f9?JNU_4a`=`1DaU>M&K8Gtg&WM zgbg$tSNV#=(W%v;vaY`3`nDDGil$hzANQMUd|vs&c73Y8b+!>109Z)A zj{OkywW9;C)+z(#k5C&ZED%+N`K?_Ox;O!h6sicuFEy!$6HrC6FS#C0KYX;V&R4A0 zpH|1$^}f<;(d)C%YkF7DpXD8pf9h$1-kZYbfg%+I5O59>aa#710#~FP3C+E-2v8^n_)+Vd_NXJ}G`l040eLGf@Z zfOeO39~|ezjJYuQ{Rn(H?X7bldlx~cJEm0!tJHdwXb(8V1&ydWi&Lo)U6i|^1>r;? z)WIg;T;CrE^$08}T|!Y*X;KZkT#+NFngY*Y>ubSL>M>YaK+Z=grDRK8g!&Z%0);c< zQrsl{wEssqm}mik-R77aWuvHTQjFf0@0t`7xv3aoZ{0B}Ist+hL(vI+1Qw9(i$Z3$J z@zWB>C(58SB4~O*HiHwnnFHjGMGHA-ihePr)#9uaeVO#)3{I>o3HvJOYzCd-{2|_@ zk}rW5yQl~QyNbzOfz+Z{1_qdjL?SJODhJaEzE;pSoLZLBYQc~p1B&_$N}0pIM6pMm zOX#o!d4&_md(w(~U5e+38iW-O!HRoCH9OB8g%y_(-cnI$IpyIB+tnCZxhNHXsHN!S z!_;UDioB?flnC{`oJjM0H?vdOdH(f@YrwaC+VG3Em?xLxFDp_PPId#}f7ANhE**m` zbf7Y)hcC>@!nCe2S?DD1U}{Q0gYcNsjpPZ{Lo%lG#_^IdUBm#>Niv!f;!-mlC0An< zFLGu^ibCRyO7~_6BiJZ*QY9(xNeTZh5PDi>xNTY&WZp|C0#+y8R!*YOMvmMxm)e8Z zoRpHD@lw(wq@+hkNl#8ndR!Vf(V0yLTf16BS&Hg*HAJ-*UbK__lw46#;uJ28gBw5P(o}#Q zsIl4Yd7(S;$s{Mop))uFC!HMLDSD$e=7o_zNluT`WXd@`6%H9Cx}lR!&xstA!3IrMsG>>hT!TIt4m8LWPFqS8P*N+KX`FVd@pY$aUBlg<-Ma?A_+o*Akz~bH z2@j09jQAakpFo$(`R8HT3J}php079iXS<|?6G9I_r~d!jB?YeNXLL$wg@-z+TZ(iR z3i&@xFFu?7bR50z5%j9$*smh;i9kRII{HUlWhfYj<6lAAGz8g3k_(l?08{_l#w%_skdsEd*LEMM>Gi*yP4TRK&v6iZU>00EO>r zh&=An2njA#I-aUIO{@ulJBoc%KA@4Yvd>t8d*+@Kooxw8bJs^_S%Z@nga7c_>hf!= zPp-#(WBfbFUch?jH2%e}A`<_iZ!tIg4_5?`Nf{b2CC04>0uHTA8r4<*k5=G++5mW9t;6e(9&+mZtuK4Vdy@7vbb zx6ObbiYTt0v?LOzOMQ3IrDFJ{q*p$H&k_dpGr65(aNCgRautXjda|hFlBw!WY$b(f zh<&X(Q5C8Kw~qviL<5;%W_&9dC#%VHa&G*kMs)}IEwYJSi%P;!;l1!fq1YTh3j z9DGHq*B9}V=uy;!U&l!U&k=pKK|ExO;4%mwny^wN4JQRv&7#5fSe+jw8_*1lHo|+7 z%2sf~W7+ z`W{W{hg35b>Oucf?)3s;uYlhQdvzn^UE70?=OOQb@jX^uW8FT+7!45+812-ZiV#}> ztpKk1Kj~D2x-xD573k-7r+t2)O%xI2O1;JAYAq-L|c~UM#g5WiIMap&CX1k zC+y74!p>;V--mgI(L)IN2|O!$7yplDN_$hvQeUe77jg4E%pA{1AISH>XGjvy;Md6DGhqGDlUyznyoCO7Lbtpo)-U(G$UA!R z3vXK8CLFu5jxH$O8S7R~7(eh%!g{Fn(!eo8CX=>mYF%EmEM0C!)LPRm zs>i@+)Kb@p&2~y50yVf6C~H<7Rvhif+DR0ckDshsf~o}71-Mo9QcX%>kk%8O+9x!% zX`SpEPHJ*vo!}ErCdFM>IB(7 zz?{h95m09m$vpViqK3qZ>JhXVNA<|5DokXFuAJsiaI4T z^@%`z=!EJJ(MiCB%d%)AF^nHF9A7+w%SJhW*@_3&2^A^$aEp}xa9p;~WdOOT6Csxc zrNOzgT)`wNKwGIE1jQgm->zM!=l|c3KfyC#E?`chM<5G@nw_C|M*Kbsb{q(l6D3@( zgfJXPl4?E(F%Bb+BG{UCTI4`AK}3Tw0n!)^36KeusW^ALG%_{q_^$y`h$Gry(vSWa zUBf1$3r?7m?y*H}7~49vB3@HU_i4O-ToFwP+!$<6ZHJ9V#s|$v+m!-T z{nS{jKG|Hv>QSeX@V$ap)KeZ1ayf2Sy4ZuC7h|M#@JNF$@{7B z1vvRa5Z`aD>}%WDyc@@b?Hijfe5fM(r>f+di?V&?+*T7`a}nSAtrsJw%~`nRA?-N$ zouxCf`@PrgST>zs=Dm*OTJ&2HdZ<08hyD}%E9IXD)*htpfp|`AI~4|PVkZ`)c%gUy z*PU2sb9t^4i(+@D3rJj1FA5L>dKfnG)IC{*Z!@tkOZH9ZuTM8;krQ{HVxG`nKNI>( zoBw^7XE9I-{NBuG&Xj%@pnIy}(~gEwgZ!0!Za zOcT7Z3%|aa_kXF^7tw6+RK322Z5H|kqGD|1D;Vqeg(w&3FN$%kv=Qp_dVUd95XJJuk1w}k%ZpAGsg0-B?6yVGw7Jpfl_A5duxEtNH65-D5om23HOx+7mTXr`B9>1{Fqz6J?3omgx>_Z%bJ?Qa#8I?z(KnqIhpn zq0!_osqbq%ZKK7Y-{h%`l_pE#fg>9VYU)dZWmB-$qGyCe*xW3vwSo0+g=!{j4s_Z> zzi|#dP)vE#&+jIIMTVCC+-?%I2aLK&j2LYpZPO8cPa_N?{=e%hL7vR1dP~fJHaJy( z328v+gGuwn&uomJ?>%C^HSAlTKVPbf2U1f_D_#uVz;82%*$;;csgMVI^FOnx25L8z zGI}3`z77;A0}A`F&FFU(6Q_J0G1Te`h(ri}kXnpPvs#AW85Uz=Uxen9jS=KYp3bR= zRWiZbIThLXBbv)Yx>Tbb`8*o044y}{0}e*KBD)0bqUg&1-G4wmbiSy_P+x#k&<-h{ z&!pXODW{V5stkdbs5Bz_#i&0?5tZFnxrd34ByS!MNJReOXS0@C5ycxz5j?8JH8=~S z0`BvuIT^h=6*X6kgRV|V%a6z7S2A+;AIU@52iOdHF2L__Yq@Q7^=m=*^<)}Kw@#@} zku{l}9GRD}mLowkFQar5`yfUuwU(Oz_AeB>6-2l9nHhBvlu^#BERB#86e-o5pt8Gv zQcIYW0|28^c7!xt$&teqhkv?AxJD7za5Pc|KL__G{TvkFN6W~^%N>P>r?$|~B5}lj zO2R$tV4X8Tb9G)fo~%Pjh*}OmTsd=yJW$+<63N- z_&8Ww=$2)jyCYIvALq}HZ@DpR)|rdvtU#5h`1Kr*#XMm2mG$V1m1qw_iy)#%E zjzoBIt|tfT52&9@Gy4Wh*O5mQLB56XGZ!rpelW>PM}#{`7>S8>3HY56>=Oj=Uaalq zL7^t9G{+z`@e?D(RC2@3)Grc0;xZzeEUqN6al$hkiqzE;bp?`E4vwzNA!(vQ6Ai<$ zKcN6fS~1)N#64QE+h<^DNZ(BE6N6tV5?#?zr8ATR(>m7f6un`#Ozav{SvR|~U=o_P z-F4X}(Jp3u7a41DftS~h!D*y7M9&prW9Df#W{swEbI&996T$u?ASj>Hjin+%Ta5mf z-B<*s^0^&ZR>Nw1R#z6jE*A?=ng^e~O4EPZ^Y@8)RHI`hc6@#2OlW@!_GuuWT?cOx zkZT$JzzY2e1N9_`XT<)CO5{4yMLtoKTT4yh>1PK~J08FfsDcOn4|i_@CRbIa0pD|L z?b`S1>b0t?yQ@3Brg}?f>8wB!k^mvHZz8fp2Vsb^I>;h}gUTYvsNjYo;8sh35E0{s zYdem=vN(zeDx(hLJ{l#J|9!u6tGl|>OAz&cp5GZx-&9ps-}BvbzVj{b_kMpBBTf6P zVA#S8HI={A7>)A@=EYje@!-LOe}n_vBhMM+$h0M%r+g$%uf||Y)B!yM-VU9$s^t?A z@C-sx4>0-qtSrQ{JDIy?l6_XJpc+5#5K#Lak+Rpt=k#ln641oyRc`o7eW z-^j*$iI4K96jG7TWgYTA2mo=@fn#WO{-V9W^$QkGGAox+3 zjXKZbD1dSzPFEN4lhz3S1`7JLrA8P9ELH$=LD2}MjfK_}-fcSF5=$zegiSMlwLq_c z{uH4YR0P4_-R*!~nZR14rpb*Zr1}GjJgwQkI&&_-!WcAb`%Gu|mZs>EqdH6ARJiT7 zYhrD&RQt)ov|ujpZaX0y=v%*}^vnfhS+KV?<-RVg3$!&bp)*a!&$e?dsjXMznOQc- zpghat^%^@@o~76zc-@Mhq1Io(eMkif^9q?F5HOg{6v6n}6jKCLZz&XsQVIJ}?LgKo z?6rkCBe?Kp@!K#_g#&nfe&ETea{g`tInbj(uM%nD8gxg z#jscuOSPV_rzV9iNC_a7eO>E;caT6~R0tPRf{|m%-;6oV9YveXm4O<;841>zGU%IW zRnCw`+A=4npC#={{VaE~Jd<%D^uXS$p2iiU*}c%FJYKQCu${2K5KklG56=@PE8whv z^dg*wXNir(jzrZGjOtdB?nJkBj&@f6Urk*0u>7m?XZfN1oo{0A=;(P?xvkxkvGBx9 zMS#XihojIp&k8~b4pbO+yI$qw#i`Ikc~xg2mt%2O|*BOcI?!j0%;FhlHQz2}m^o z7GedYQZ$WqKx&MBX?1&Bp{cQ0QhItNhjY?S&U4!}D~5ZHYu|F)HRGfF`2qL4;*rsb z|E_yiBr!ViKNs8_8DBYgz$qZ>3T1T2wY<^zE(FUM5cqBo$0C;xPJKVu6{5~k zQiv17;`E`mLAZxaF%aFrx&O+!d}86Em-!60W{%M`J~fP!Fl82`@e$U^^=7fkIyr;K z$A*2x`Bw9`STDjaFei_~A<0?POzT99&bL<4s{aU%1<5C}lsJQh1%9S#RunKxH>F;^ZB8*2PhFkp>`Y9YCc0uw`nYu>uJvc# zccJKN1m+ghKOVpIqmf<&F!t-g`y-L94t7l1?duA$4+9F|SSJP9AWDc7D2OuKgeI#E zd_W~f8zad;#`G|nH3M%K0r5=^#5d$M0XujO+>o^$-#{Ky4+=6BxDMo{P~S<0oY{E0cvd>Z4}n$?UEvy+OdLJ%@3T6?EjL|}fVZV7UAbf1dmr^L z8(ER5fp+aurq`eFCmNjQV`v#i{X8aIYi+RoK4?Y7vK9y((J`0+jJN3EOBXA*G(beG zLa=3_b6gMH>yThX+z}-H<0w&xci!lgwfH@#RM)URPo8)H@hgH9a55#B+@-x!? zb}r^&9OZz1YIrbfnlv2-!Yg1Df{y^^;Y_xjQ%r|TfiMnwY{kEtept++`6-BhOY3Mp z8e(;)_)fFtiyYpgv*w#4U-Z25MaX52`BLAw7(LG9pplI*=iS!cDf5Q68zwgG70g=+ z33zq^_T|c>pFH+;D_6|V!i?!}*)sLK=_kqaR-4s8&HO)r=iS8&%{=pG#Hk&J6yohu zQeetTN1djhKjKeC2A;~ExLrI%a-+Ob^66@Bav?E%Q_k%97eSkx+*5L3u1d?{sK4zx zU_!-O2br36fYtFz)mcfbz$hiN4RWOAq`l;;uF7A7El<|42139;) zcM5sa+l;SSenJgXx3K7d79D4gT%r=5Wbi^v46gx>!eNqjvxPc?Mj2^}3y?TE1o6|J}vpg3E zxcW7FFXN0M#_|6bSTi{Ubc3c%>8%2BOUaotfSGiSI)H<-H+VZ zw)5?kNcBjhP0QzbvDot(vwM+ozw8Yio4?A+F@Sx+Md{4N_)bFpHt5M$lxfJpB40SN z{%h4RUp)PB7W+@lh4#731@`&fHFLRN=F)Gxd6BtvO_sVcv@W~a@$8sw7{EdBg!u9y zu{Oc~GDs5$kp5x|npT6z#0)hQL= z2!pVJ*%P(g)Pop?P^*66}a!j+NX1~+vQK@y5up(aN8h;#L8b1w%R&W&G{#n)DrrAUASZAcm z6YGZ0qn=}uxn|$fzR_#@DB~S9Yr7!(KDS7ov}=Hl^k27vJFB+Jf~iuUHdp3b!H-Yd ztdnA^AYl$$=0UQUq_<9;B?}7s zj_QG;_Z|JqNgK};E%VI^rL|&LQ|2EKnGYHtT1@6xs=ZLN$mvh5Se?^n(G**09x7(Z z_D^*_DfWYK4N`4_SVgKhnEx(Ptwv85?StZ!!)ifUeqOvYiL1vdPno*!_!8sm7F%DH zs?zE_&L9{lYijzB_tf+sr#I1^C%_A89RV+Nl3-?Y{(j`Wmiux3Gh2vlvKPAh5#K6w zhl*WExF7h6B}uv;I?RO-oVXvkE+~sc3n~o83tqJThH7{veaum-M_0r=iREW=wll9> za`};C>(l~G%@4fks;e%(xVq-RVdO+ydcb(r^5wcM{_%eFwX~o{NH+p2hojz!HHW1K zCyu~4-M1Wh3zqeS$c14?8bj>8qKmOGn7+v#ss-ub4BaXI+mrxNtjMl$s8n=1_uENx zXLs&5!5iif|IH~h&&3>Tfzm+T2@U>(o={V^o7%RRL^usSdcb|dHZ^H7Baum=nytC8*E*wq zf_*P|74uBgb+y9M02}pTboYU2g#;0jz^|mc59x%Ph;T`_v#${XjAc)zEi0CaV8f@o z4b0o@C#sJmqDJQE`E#5;h~{qnV=G9ULHowGKG>dF#94qysH4Y(DszMqO=lZCL(M~l zIx;k6i`BE=(e4gM9XY5vCU*z?yeg*K5hF*XRicGV^Dw#LVS>DHwNl=W|EaB8Rm)bjmDdNJQ!Trmdk!%1%eHs!+SSSbwpVUcmvwfM z?*|Kk{he~g-9`x<$LNSb)K)2yNK*pUTp@Uv3HRTfGa5-g>Kx)GWYr&L+yQ2uJS*uP zC_XEtrNK-ZW;ST<+F*Bg2>BhG&lGJW?L^%-tJ4s+iHJoWA>njV7<*}_OMWED!#9BK z6(GjaL;Q`f)Jf^*d<~!|ATEgC{cesWv39Mw1>_tcMBGUgk(sSVF`e27%2;dc`ktU;vzsxLO3k~ zog(V1><`7+Z_p^#OYtG9z(Dd3B}Bl^3@F$vWQv8KS~UZbQbkb3rm@Y4A7Gx$2g*E+ ziwra!(z*bcwyOlYhN`?d=4p|JgTlS;3DB_PNn$1YW%Pjs$<2xgGTBg5TfHc1kZXt+ zShr|b4O91}^K|;2XbWoDZ!)mla8D$pS_)gR4t2;E&38}On_+SC!k`2Z^co6}1-(`d z2wn|9ArONFCd)DTC)y~o$XG$Mmkpb}j@mp%PB;(Hr?mcD@RMdh)n?||tXbSTWr0;E z6Ra_|#IFU1=Toq$-e~!?ppbzUfCpQ3W}zlTboSF7XQMEdqtb)nI^>J`adZiKfjt*cFdqZt1W(4X0@lfHOV>&1o0PY&+GA#2B zYzNpuaK?dV>I99xJSWnZqjwcgb;M-B$L-Kqjgq6enj?e|1oYmFX_j2=-8?0N;j$U& z(EhBO>fz8?N;=9FaI=bjteQbrUYYFKPz-BNHBGzA<#xI3Hn^>ymyTz8*49H*O4;o$ zXPw9AVw&z-Rs*yt{XpAUuhGrM=~$zpKUEL7Y7XfmMuqvx`iSYia6G3_OZynWRm^OmsNxn7 z{+E)%1Cd17MTq}d!(Fri1Yb-NI+?*DGohLaJ}k27s{HT}$>CAb14bchy|Kg(6+P3% z(Jk+{d4f%mZ9CP@?bp0<^yGY-ljZ1GZ0ap1n$DolbB?+d|9r#iE^X}W3~=4C=HfUr z1*|8rtF1VtkSCq3n<7G7j1v^xcx)F5%Uh7FZTff;U2s^P`>2l@^~e5eM+jJ|s+*8N zC9e?3wE!f_NYp{|&at~6kwFc>qqE4d4GEMPdZWrb>X@_do~1{04?uPQj4pgtm7-e$ zo^(h{KCVajaz}_w*KgT$-=oev_`8G0sWpf@_*tQA#g4EuVH~@$8*x@)HzF-Eqh%mr z`npqK7^e);g){D0xB1Oh8wHMQ;|hp^=}v)9X_Ja;6~58euvQz4i~&Y}S*yrp18(G~ z6BI#=>|N;3gY)0Zep-3Pqgf!+CiezIK7>w3=u=FsfD^_&Q1G#L4pkzuGAO4+e-6?? zp)iIdbL*Lh%+ zKnpC^hS3Ivz|7Sl-5AFxt(h$uD?ie*()Q@9pidJ-LLMq9K{>fl)pNGUL^8<;0xr(k;- z9npXz!}^~YD=~^5R{bQXh;SvMomEUWXjr-t0qe|l1_e}muz=`AuO#!B1N*S=PCM9j8x^Yb(d=)g!X4JOw+2=W)nD&)(XzLd%u_XCG#RV`5N#7GOuh z&!fFQV@ARLg1?_9X@D~V`EW>PA5k<&ACaE zd;YmuPs*B`8f1FfT7B$%gN$@F?}znQou6@;LfczwU+DQsXS_q7-EOa^j_xO$7cII& zs?$U3f}mjLryl`tbNU{w8?WDtnoN!XbyYXK)aO0$=kGV_^xygU?S8 zy&vsW6ex6ftw5Z?cYUF<=~F6FQDy z$RNmxquCO~gz17V7F8N>SuoWQrYfA5CIwU{Q>{ZUbR695_6*(+fUcw`vUO)Q_XVo2 zc=ryryzIe`XVs5i)Bfw7J3kqDP4@Ynl|NS3%x^@O=Cv+W%d5H+@e9VVvSdd;G=_CZ zcUYhRu<>7E42!f(wED`Pv_!570mlD~;>&FmOP&X=#5p1sY8h4cTpeRgQRLdz`VF2@ z6xP=NWAPLqeg(cDc96t_DtdzmIN_}Hhhb+SGQr-$AgqC#2^&zk>2E2p)B+05OE(@I znWs=;gVvuQAz~606;#NTk~y0lW_={e^5lQoF@=3I@O4DThe5y@Nt2bW$M2EYlE~wWDi>ZmoFiuA#C&Q$G7N&@Z4K6CLWO3cIK1VlTP^Ru=P9XpeLpG zXFP@ICv+qgD1w4v1_PUC=lc!OqJF4jqG7{D1J&FzBfd-QY zP@!auZbKgg;MGwz3C~b(zo^8b=WTx-EJXAjjG93?c~L-}We&^#k^f)VF&jzl7u?rQW8lbcn?WV z^$RSv;C)ziU%l$tF415vXfP-%7o;27Ple?UAvxsMl-dOsx1%b$S%r>d@U*#FRZ<9j zJ&rvK=<={O*MYp2 z0Tql{M8=DajDbr3zZ&OX81!{ZbDe(BkKAn0^RW8!R(?M9sMYGq*D;-);5Qi4eR_B9 zR5snbS8PAcC&u`*<`cWf_%n2fuE`ig{F(izqU`63pfFvbYF#VM_Ankde35Ehs8t3k z>~O4ZEql3e6KTJ9Zqwcpg- z`~7n7&Ftnl$GtNhDUB(TWZ!3JWw`b-lX6rsbPgYXsl{~BW=YMADKt@ z8ZDYGXuO6?9PAXIJtBr6L)$5Xg4Kl6Z^-KOdr$U(YPv9XzC^Jk{?>cA_jFhVR^WrS*) zJ-6K|NVi{q;MZqee*ZJi+<*C5W=PZLzBF;gV^>`9SogB;sO{ewU-JAL%3#p_%};K+ z=_fZq@7SPwe{cIJ^bTYE1Lzq$#nS@VSqpklQ0*W)*v+0+yZaiwY&Ow{xg#r&S`-ld zAj=K{>nYZh#xRIBvr=i$CzeZhxYU+IDK;1nby~cJIYlZ;Fdw$os}iMDCzI9`DWeue z%D)_Q^cB~j$o{e|o6oN$M7crg?bQ!!iBQ(BN5%cRbyLJA_ekMAplFsobFcUm@INI! z^NXrIquvRhB7!Isq`)W?pBEAxQZfm$N;^eCCp#(51VZUZhzDiOFuhS;69nsWNlCvQ z1-4vxPJ|o65yiudYEoN)6re47HLDjN9g25?5(YloG}FWQ>k_fyRdw);?y$UpV@`aB zIn;R@uw{tm;F%$ob1%-z1|Z_QX>o*jw}`m1DGrXwl2mO$xgdruDVg2Abcpp@jDa9I zgH};+{#%j5kqoRK%eoX1h-HKjOY|gz+s`;_SDuv=$oh8bAh~9!#k36pP8(>mP%Z76 zwrjikX}flzVvBYyezRNb+Rj{;*tI~hz^-lT#Ht2t!eF0O5c!~ICoXhLWw?sym29;u z12t(i51s)%np4P1hw@gS(Y$2irfWRoKl@Nf$7fF*KK0oCPp@8q|D8|c)~s85R&x10 zyH@?YBu+xS|M;uUAN}ruN37tH_z3Eq>RCMZl<|>;o_isM=DUy|v@=}E!+HAUM3CGW zIHXZ+3q(3JgC@)n>uf51jY_u!>fN9vC@*M>l*lWQtQUE~Btdv=!G%*};ZHUmLRen(f9fGK#e&*Jrz|yZG~57W77D> zeoi4LGAR3b%-YXS%Uoip7kdc%xfk&?pd7s1A<*?<{zMu=x{RUsa*mstsM@74HPA0d zn(_gv!Ptf_Aa_reJKd}kNBw!1rm!(_T)}KYS@@bd!{JRdwe<}Q(g^9osxCVFsn!$V zreMP?RKvPcP<~4yXjZSO;S3~jq1p>M%_J3VL+&zJ53|=gyMf5SgJCmEZ7T%5MZ3F+|x6jTg*t zvAGX|NJY?}o?;vnYN$@>Y|;fu0`mHIlq7mgE-uVBTbZxJk|%4KV9Tc}FMx031>*=+ zuXVE~)LMbHSL%XAQOeS+7?@-a8aRHnt-g*#*d49e@>DR9d;yJV5M?G3Fqg+NEw5hE ziZ>OUy=dsfl-aV$;!*evyqOnveCfCJW&+^kLQA0Huzi1FbRYgvZftHq(6EVP zVK`LAvI5Tr#%Z3765b@e26zh}LNcg%cw`hBi2qZw{w=Oho*m#6h`nHr0+j5DX9w2N zgae`Rij{nDA!d;stMLI+sil`J9=~nEAGr7;`-u}vMssVnY*~}L=8WEL;qX5vPu)D8?LB(u>yEziwX>P>FLX6} zJpI34yP>PIxu?0QW9jzMQ!Y;V{p~NP73*`Y*}=}C^N&9Ba&wwEU-xNy2zJt1@GR)_ z7Um&2D@xEiV3wmE>76Wf@+XX?i9?<&o;98a0F4?xJ((@2IoJbg*i% z17N8>E)U}j_*W~3j~EPe)}^p1JB*K8@dree!I}Y3gut5tSxQ@%aCp#r6FGXUWMF#y z)IiM6AbN_nlA6sLJ{}Q;De0V*BAx=Edjb6*V~8vjkSY#o>f~VYT|1KY_yxcT*>y67 z7(4oBpv9pq-k>{1Ixe)jDk>pHPY|H%knDYCx?{$GnpPj#Vmsem@OI!y0h!f_Oh|2&iEA@3v?7~+{ zbE88K^`%0Dw z;$W{rgfoCK(PBaJjQI%34SA4S78nYgW%O#*QUI+wTqe7oamghzaj{7g@E!rI1=wI% zDPT;lrjw_lnbYZHCMcOsmIUSObaGWZS`e0rOnLkcv%i7CN-Y9TxlgAl`MeRvk$sRf zuAadHEfW;gt>+2{Dwf|}=W);>MssLPnB}GjcYuK|fV8o035oey89|vZOHIpbOr~GZ z;2D>kGDaq0kQ!v@8&k&SVJ6R_h91FchOcj}=J=4g^v-iDH=KLtoq7S^sj{Emwd>Ot z{U=xLf9f@hiEz!v$s8b_EONx+zM^9#3=V+E?9xfXj#S<5xDj#EHzfH4@^+HXj6P9R z4g@nm3*mI698u+_2zkjhLlo4MW{4^}h}kxwtK@;Cz+A$v$sLoWjuf9z2OgGC zL!}Uu+3jg<%PoO6I)nnMxFm<2Ny3|AD@%q6bH_6jc;ZL^w6C43(Dcaag}YjfWOK8? zymQe)T{r{TJ0~&Jy)~S3T8@mfYTo;cq<+-2ILNLNt}$QMoz(FF1mWc{n_&bM)Y+><0dCw)1dxiezP=c&`t@>gu1IBChTH0hhU$d6( zhYY%nPaTE~z{!%8AV(I8T3E*rIGKxeEUi}@xhH{xU7U4{i>s5r1LKY)&uO;VhLk!% zmy9c}y`vLpA_@6FS}fz6IdJ;s+7 zlO7Ph2pOUFX`X!uA?a3qdM6^#cz9ClrqnW;r>%n#QcnwcObXp-szief8*dKz6>~^z z6*CZRv6Xx{B+p)O_olGCfU3tH ztHPVpQ&&!_S~|&?{K&An8YXAS^s9wP|-kfs!;Utb^Z0?>R1N~Z_3 zjp;`1_vyet4jK1ZjD7W!rFLp*#B`B;5C-m6!e?1CWDYPakSE|?6%clTR|#bvlKgLo zap$-W*1CbRoh&tFIN_!ioYIa=6OO-u$B7ow2M)kU-T6h;SNY!OcM^6DU5#Rl z+CCb?C0ne&^0|dFRf` zF*|p@%6z|gt7xQzxj&13a4{eT+Krz~V+PPoO?sLHq!hv(>AC8;?+{ zH+*mV%-(c2t5@&Z_4wl`xA@5IGdk2U4h)&TN%qr(6-Q@|SL2qS$A0ny6?mhCt%biQ zI87j0WPQPbm7i2dKxhEb0+fm$q&(6}#t+|s8;JzYz&z5&fhY$a_}*qMF%Kl>-B+}` z_uC6L^uD&C^Oh>wy%zr5fm5p#VC%E-f{SE3Tu2arO`{y6*|;#ItFQjy?h7ipKi~Q` zM!(a0POZGSZO@4+xlP?7JZpM>tmTpUsm;c8-tT$T!TaGY0evp>nty&Qrl3oYewoO5L9-6$UtkKGNAz2FW3h$?UlL!3neju4|0mP0;t+SA|G50Ew0&V5C{ z9S_il2k7we0XqHG0|ZJIt?N*+hN*Qx`DI4n*>VZ1s6`+4mn#q4qb~o$mFC9EjSuM9 z)vn85yg>cs4bNXtahM;}L8{ud7-KYMk!K~dn&&B5Ytfp@VXsAO0tb4kv6y6;~PgZd8c~#)n_{tU`LxOn|AI5-uEvD zk5}j8?yHUhhcVE3 znox()Ak<-CpM#CCRm?=DAsQ+NqX8ryA{_a8oUhwZP!`aKW*``e#stC4gOj;V#t_CP zkO4yuz=gR437EBIvD4Rj0z0=wGA?%rQ}TG$2G?%+z?QY@sZG_1ZQ6O@r)DGdRthne1BoE zAI5cYDIXtxX-JasgG=)eHX5Y~c)`m57MJ!>!~~)ahRcRG;ebCSIbdYB|9*K(s8Bdx zi{${$5peY4S<3^DPS?>8SHc{C6B+?XOsV%pTod&SRs{gVesYQGLh>2ttphv^pg;(S z;*clakib-_7K#HOQu2snLJF?3EzS;NK-Cyh+KfmfV!`lMSYHF^3X@?o9>!dIX*O;Z z+Csy_S1Xh}gs0-9z+k#5g1rcpT9JNPi4V_+?`!-AW2KB|g9WD=&z>)iT~ilzn9*#l zDi{$SC`6@TswSvC1p=84YIEJqTO&0ysBP0rp&HaaPae6%^%>ND>0A2AB6n%VP?ui7 zb8R-{p^~%hSG6vx9+XpNIgQg+1K5T-RYA|Dhy_DYzs$U)cq7acH9vHfcVZC0kV%z1;fng%6;Bn*!VDPKo=_a zF)PW*V8(&0deJ8Nbvr{4)xSGxg`{FN;U{y)j8K!v z`{0=I9G-Q=SZ(cM)bSu}z|@-#8^E9dha3$G2?YeOJH?79hH2s0!Qvm5T6>9Z43Cb* zEyCyL=*b_qzJ@(u=X%vV&0|MdhSU~tX9UsbnLUG0m?G`lrscr>uhH2kQlT8&JgICb zFvST)93hM$%pQvpy?{CU*$r7vn-LW^t3($#JFw2~z&f|#DbyS6rGlza{5d;TihIC% zhE?3?HY-epWzL8c&mL46*(S{Y!tXoDK#A92{?e5!I4umnLa$@J?5U~7+n(&`@a6ZQ~FvEbs7i; z*KOW5RC$jxKGL1>Hg=o4n+MmfYac&xNrTPyvnN-qJ4)HY$-ZSL42_+4^2o@^=Zy`W zu&l2>Xxffix8lj4DSP9R6UW=vtsSJy5X1hW8HDT*{TD4iDCM1?sPH=_Cdjl_Prj65 z1`{gU%)s=GNH8@5JbekYX>gQaZ@^K)*7k-9aoT`7R)EZz7r`LNPwOH&POuVDsX^v@ z6lwP{{2=X9Ly#u^WD5RlG0T;24#I%w2^Sk6;Q}zT&DaMLsx>71*a2etcu4X`Loo;u zX(Y4|%mO2m$&U;HIjaMaXfHShG6sg_)ZP9QKel|$=&F(N6FS?6UbR(SIKI?%c_F-L`i9j*p#lYHwxl@$36ezUka#y8YBwFO4TJ@?CUhLpB6-N5e5Ep9YzY8Q(Tv zrPgCV#AoSkt+2ff~Lc;v6aA*;FuQfflWW$N!tTQ1B|(+iLs^^A%eIq}4n>k~$2t5z0r z>^gXzQ8xY!TIiT+1QWfQpp6#)!@!a;E`>h_elz&uEb&nV&1^=!qAdpbgVmh3X+W;( z^)g34D;XFYUTs6LI=uSbp(}uC|UhOy`B%}(&;B8Psud!jMRD7{WIptm4Qq*)_`B% zbQZ*4Ekywka!UCkZ)(3qm1deh5Ci*$pZkM==4S_JnjkE|N}n0~~y zf`7yGj6TE=ehk@rS-<0^? zXkG>+f$Y=jeMF5n7`l98>OLa1_fe=r#)N!t0(C%Tk@tzB-32!hb^Z!zfwCF!&V663 z1(?1y)XZ9K*{XM!v+fXy58UOuoYy+vb*tiy-l}d>vC3-o`JEc~AomNZL*qI1t(ReQ zt~_Do$`h1~EAbW3%0M2P@4%X&z2i03Xp04bRP0;Sd zIS$syVGn3Ai+m|#{5N*P+4#SIlmFp6T&SJdZ~L|RBl%mb)?&Ug$6j(=n+0T8r2Yvc zJlJ*3`I6#FFosHv{27_tZTAKn0WxVLc8cdA$X=w6BsnHPCzpD{3Yx+mg#TDJr-L?!7$7kvHY;p;>k9L+hU_JC!40^YhPDSpHwNHq)s^ZE8DN%zWw_DvwoVZs~1ll z=u+b^z4Y`$=biV^dFtNkRppfG70w65vQd{YwGK1wy+lb2(KW0B7-YNvCHd9C@M8S2A zns;?7`1rW?yyzvZQ#`mcoK1|}VP)gwr%x&Lic%or`T*WHC20QbgMU$Ht0v4Vfc(c>tiKHx7*hca9;W3L+)N$L8Du_C zL14qtDCN6#0&lD%yb+2pEOGTPb4+W(M0+`fAb}Fd|MuziI*{%}Alq+FhjDm2 zktC-)TfAr*RHv82L>g)}fWlul3Jag*Fl$$af z>J$~my{C=0TJ{oZE7=@F(xIh#TDp*4Vsdw*GiYFYHlof{GT5XF|9o&iEL^5}uZizUNYES=IO0BNWk?%0K_cCj9oII8ft z=l!g(1l-c(y|%fg@06a*5L}s7mF+iOZPFQXWca>*PpWO?sLjhaZV6^qEotem51Hn% z3K80lfV(H2H1FCPJ#y8`P3Ilcb>u`g-qPyz*nP39hc>30R?G7VVr@0!`M8bqt(Ap? zP!gC9+$s(#h96iqh@d>BZ;(Vpk@!}E9auZ#_0LNL9^4E41$RHUfYAuE1hH$gk>tPz zZ7EoQ@IQ5Aondq)U*7V%51zJJ1#k!X!Ch-`JJjr0FO;PRv9Kk^6@~=L=_MlF1+|U{ z40B%q_Mr3_Ckfn1SQlXBB4L$2OAr+7hTAjAl7*rTsmxNM3AhTz6A)&?&upX=XHO#T zMSA%4-FOj;4<-6UB#pd&l={{m2JKT`sLK-PM;7fr65V+22|}P9IK` zn{aobQ_q_aquV;2hlgx(%?2`@R}T32Ir$T0cD)bmj@`rwZtzJ`@PBu%h=P}Km# z(e%`+E{_KeFv;g1?&*m&I~>RLZ20~LkHb;<7XLPHAdPu9G8-rsGZ;?fCsrpw=Fn1L z0VQDoFaRieMEnb+wFs^+ij zeo`G5S)|JfFApAbf(tr`vZkU3>IAts7mcXQ$QX;bvTfqNNL33w^dFwFV{7Hv4>u+g zxw_0%+t#ey(sK97`8O@UyRkmfm>Z9+J#O_-2FM`j?}L9*8O*Q8xXmb~X=in!!bB8t zC!yvNN-cwk6DKu75^#Z8mE0@gcp&s)8)b1yN;N0?CUCkik`SHmmXLfm9)JK_vt$8C zj~Ba{X?I0n?ntA!lwdZEPP~a)H}ttlffIruOM6_VI5L!%$vKgqgG#AR4<#W8`M~ml zdQa#owrjn^&GAU1-JZJe*cB_cMe6Dtf%?r??69Adu8%dg-!su2ON896@uu-DtMc(q zx7+k|H;!#sGm&g<04*IJGtOZMqzUVc=P>*uJbdvvXCA_(prpBj$UFQ)&g0C2=W)$x zte<5V_n$VdgMY%iM>S$X%E}Xr)`6i1`(^s{t#*R`8=b+8z?uNSRd9x1*-5P4H0Mc7 z9rP!a!&rgk6kWQKyIebY*sCdA1E0xl`nhXF@! zA6R`jpWq|Fvn>LyNah5h#Oh*At#DlkcCME*CkdP?`lB;O0%bck6hL$st!^gN*bosE z%vxR*^PA%*pYQuD80W6tb?rz0J+>u$ z*C&QMUb^$U;P-$_Z-2k|bUtK+ml(g&o?S7?9FQ)(RS8Vk=MwPyFtZ$ILr#5(l(KF(%CmOK@}Dmpp`NpWw26i0d&BE=fVKHV-AWk^H1ug${R1~ z-`v-?x&NJ)pMT!vm!Efj<(e6UW#^ouP8b{;J8Nv&b@yF*>3x^pbO?7DWZnYa=NQ%$ z^N4Bq_pm*r>I@h=8*S3yGxCq{v|3km~jHxQWe~cfgTyfl%Eh@WZ`>K`4 zZ@B^6QQ`zQN*3Xpn`9D9>B<+vc58n7U9T5_cET}o=2Akf7~$F?NREU%v{vL%g6B?W&frzM970K0BlrB$GLbch)uZk@2g zn2z-wcXo8#J2Z4}N5{W+tgn2$)YraRHLq^(SD%=CaOKJ;SAFn?kEBEP-H^KQT8b?WSAF1>91u|K@~t{*=8&hKAw#rNf&nb*76ydANuPUCE&6yy2P zE-on|L~tzlEKwSkL;)stfYz?Sns9Arz=Bn*W6%1A@NUE5inxyp-SNSx#(aN`_e zIQdx01T~va_A>z&R5_>vv2>wuar=(p9By7ZsO3jhdizAf87urrhcmu($H)bzjlbue zmwxDa6|wiN9X(?0=)^Mh<-U!lI&8Kz?Y$@5amHKkz3P(JzWJe+)X*tMZ9C?2+Wz^2 zSJ`f}twdDgpA3cq($b^E*}@(rv`xV75(AbDzBxiqh-v_V!^1~Ffi}bmN&)e*0xYS7 zR}TN2aW@8d1VPbAiZC$17>!)WMg|KH5fS)Z9pP-4`CI03;edz9w}Nm1r&ja2dFG$f z1EI==O#|ulK$Gn({j+jmXdvw~e|{jD?;jlO&zm3AKM$NGKk>XcuYa+P+E(B^`LIER z1tfGeUfu}42+d3rU zJxFaBO#mY%_U-+~*8lo6T{@r=@lJf7z36S;kLT{jrwmkZdgBR6+o;`!CuUt+@wQ}! z`Bpk|bs_}%JDF(warNP&j~RaHCAF&ZMf1>qR*zDR>E)2yfQ zgvu56aeXk@U~BE*>qVmrFUMs=^9-WVB&L&AM9B$-wyoBF?hqyxD5iwD=cKEzI(7AH zhx^Ytf>#^P&G(&Mx#@^CTh^rqma5-j$Zc4Cg!;urXP$P&_|VWee=f`CmsOrycSN=& z(-GpZ?g+gPjxvviOq-39fCGUJwJ_R-pEv}>E5N)e-3W{(95})phj5clcQCmMa}l;8 zPbR>0Nj}E>1$?_=f)=4L6e^PXiE`pWiyjSC7o9J*sSn+cT7^c;t>- za;?csE_1qhRP~Z)Yu?ykrq#oUwTu}@8q!q2YJdYTX(=0@6^6M(vv@Si28fFVlO#Kk zE6~>!mom8$U=3a;y6F|0dnAI8o3P`~pk~;9(vG`=mT?WJxn8|;lX9ifl?b= zuEYMo|b_G@T&FcKgQb)Cff zefiyHRQ`=TGtNH3;h?(&23hiphVpyy9Gwz;vEeD<9JNVs!bXZMLz0IyT1T$?!B4n{ zP%w_vqYW@%5Ij5lcA$dYGSKA@;A2vIfCJCZ?#9;^iX zmjPfDHo{n5C0Cub>XiG_U#t9_7x$%=?XuHOyKL!Yr=Nb=Qpf-pDlE>u<_*9ec#Jn$ zHUOTmBx$KL*pUs17snGq4~z*k9Qoys$ON3Qx&f{z8aC)%wQuiF_v$x*e;_;x@0hmz zAdGS2O}N>beDpzqKUwG}OG_xfig%23z(B~Ty_Kg`4$6@V691W=tFON5u`3=s@Y~Dg zzgL|4I4>kgBll{b>s|wh?m3DMFH$Y`+Iv;~MJH~NZ<=0A#Kz#C&CVdY+-nu7RlV1a z5l7rH66d`xuYA9HpXw&L&8u#QPRHIk_ziQr&5wLt9dI4o?P%=7`vaQHGa$_2jO9Q0 zljB8@3gSZOu`aqFWfglLKU%-+09plSIBzWg8i@TxXPukxSAWd`G#PIfc9y&7s>7`V zXfgfEWTPC}Xw8a8~gPA?j@#$(~ore5M3)+8I%P!vkLQQ7iez2&Q4y=B>3 z-trdpdi9~onUym!zMxVdIzn77fABnWmCX)R+Fiy2h)AzfTfk%g8udE0OT9(?n|h!6 znEJGOP(5xx$0)(%>?xhS^Aey;_Nq&9QW`yb)Wt)4)XvF0>J$0B>J!#$Z)beA@UF>6 zjT3;D+o|5pOw|dKkEnCi+e7Jn)RbzE`icYwZka6IB18+f+=N|rOQ?7!w%*f|h41DI zPlxuXwc3UNY!ug%#cw|eTk7dh@kjX3?fK#_@#9yMpHWA{(fuW2s(aK5+{%i9M~tw# zY6y3B^km_u`NFS4#XfJ(BWi;>AHNRd+;td3#XsP;|2SFrW9Sj}LBoq*{&0SedJn$f zJ$OaI_}Zgv`0}?Y8~(*FzZvh{JW%*8zW8mpwBci?<734~zL3v9g3LO912Bcp}U$}R&bk2wFq1AaW z-r0+H3dcbBU&Tf77OM3+deC=<_X0ZPQE#NN9{`DGs^L92XA4hB> zCc~%B;X6MHKZ>nESFKZ#x(JevJZiKd4D@5QQ(elB{1P8|9{OlpZB_pwA2~Ww_||yg zSK-gVhMG|8)fN2MK;*M97j7_qpf;)t)g^rC58=m*>(w#pCiM|@ulf|qruhdx7}<++ z>`&@Mxu5rhKL?cOHOAMB|5k5T?^5@vPspckjy$T4M_%k2;~VM$c|~DzFCjm4t^D5G zBBjg!e6?KK!jGu!>aCpJ>A3li1E;)KIn7y?)g(B?tq zlMiIVyN`O~rCWB(KO&L6Dy|w8g6{aX&hVoufVG}fOVsD&{XYEiMQTtjRr~Po!oA_r zrt>e9&+d(U4s3nrB6j%!^o8%jUibn(aZI>yHvFx3!3lfFxbmv2ulvD&^W`VQYwPgg z^U+-GQsZ(6;J3J+0N*(wvNnpa!^wD#x1crR-6%%B-+0P++W3+2W8MiF2PGFr3hj7=>2EULV|);>`g@H}!r=T4cGZj6 zTYp47uMJ}IsE~@F9qkh2{Flk&+^9}eCqvL@1C|FvReeEyS^n0!;XUd;{LP&Z(i_zS z>Qk8bBY0?+h9he|>U4D`pF1?tRq7gbt@@mZ2t_So*1UYgd^wRs zei1)gl>8GceE1-kNMrap(tXeB?a(FNl%ZI)GWJg^z8VF_Un3s+2ZsJwl}n-0-->tKH{~xGaFULZg#ZUlZ|yAbzObL9kkg(u0&y2 zxs}&z3#CGiW)-!Yj#iJ;d7Qn=9`QN?D$`S+HXUBK)4ntnUlCTh0bf+9Mz7f)Ul&o1 zI+sTU>r-7h)9$u;Ty@QMUv9{0nvTIl>a!_(DxB`~DZe}7at|(R^`>*F?ACzS;fa}M z%+qjXTfM6@yh^$3?th7OdQxVv&f75jpsg<8F$X;;v9seeL44I_SN=L%BM^uIkEc#; zSQ zzJ@mqhTX}0oyXq1%z4SBqaB`OC+Y%CUgzt_-K$=EA(%^SZbw(Z zTNi6i1|yjb$xzVM>=-*HvceN^x@L$zR7SG!0($ux=0kc+(tVOrR%8#t( zc(pa1ASy!xhRRDIv#o#xS$D{T@j$t~0rjht8*s~#F*{Uh2q?8udI$njZUwY;V#h$p z49O%QSr(JoyaE#jky<%5X*n@~ayYV>Lk1hP3}#fcR%fppdNFo@8cE~UgI|V^hDswK z_K1Q*@*hDQA@W;Rn~oq_Y!fr#1nRPe z5nF&(Ec|tH5oOq#qvx1JcSFo!-;(Id4@fPuedqFZ{%F+Y+?qWhfBjDJU9le2_oe=) z$vDp_HStc7C_;M5#|IDOgWRzT;sP8Dph4u=>QM0^AQcjSl^jy<;b1Pxm1l>DVhS+A zl4;nm4?yNYWKVRw=w|A}6Va<4waK!)iEJZ8Z2Hdc1{J|EbKE^jjw&Z$G0&WVu0^Dr zoyaKOXZ2Kp?~N7@1nn_xW;G6}KJ>J-^#L~y+J!Vp6qQ6TCAaKwH;Jn}`LeBv4P_a3 z6u(oi4 z+A)nJyNt9yB_%l|g))7z+Mv4t)~at@Sa^|eVQ8N;f(&L4ArhEI`i}ZoHW~Pf3LF22 z6zX@Yz}?#`dps9S{LikduLfuOnOEO&$JLb&?J_Uea>N_oh|nc+lrk^yuP{eRMleLn z$lOG9H`Zt1?!KMn?NZ6^o=Y=E?jIT{b}OGneAjGRRX~=K5)~8m?O`q zlFi9JLB%kng1!@=HzK5|=1$J3Lcb0pduC3@2V#PEWqFA4HSXHWIf}C%?9jK{bU3aJq<=t)X?P_lBYJTanbIZ_XtwYv(CZQ?7 z_M}{ZJW5SfZo}9fsUeF6lI32P$9ax-#%W$)5*Fbuc>r2^8uBljrJ(OqwB(n?6|G(b9;rvq%op<4` z182=WTjF!|zGH1IcirUS?K%W&5e=QH!L400bM8B)6%AUC%rHpKW%2#TvSK%X2T*XX zBknz}BUbj7ZC+h4QHP^m7SEhTzG@a7=0d_#{WB_n-*TuNbxrVrm5a%eHSz4C0sN@M z`%{eWmt5W?*G?6=<7o{LxkLC-R_NBS1JN4AEBe;Uu2LbP(vf67%0Ov*0m%a6Jt=F7 zZM92o$@jZ~7$DFB+)%W8(EbL<=(3?~q>d;g0YlL|IZE?_Ehq$@J}Xze?t6#Mo`w61 zucQA@_l@piWEoc2HK@J9!OZdx*Mj>--3puPHFHgQ-U(Ot4fzMCCvG_`J)!fXe`9R{ z*ecNw#TboBn@LV9>I&r77dmf#uNuxcbjDywn0Lxkx`NyZ?CkTHQHt|~28sZ%(?Fz! z>sxBGvVahE##x&MbTll)Lpc_}dkXXf@IxK>x$#3~TO^6o7d8t}M9fX1R{`70ODCKb zRFaf}(q29YltJ0s62xZ_*G5?eD$mG(%5L1~sLslZEa22+ZYTu9XhBy1={1@WU{xSt zX`zXSV$OwRrLLQzcxXISW>cgO2VOh3W`NBGE=JmHJ>Z`K=P+2ndx|dN-PjGvFWt-& zv~2n$E3pKO!(>$0?HddwAVZ=}z(u1Q?4TTf?gl#+Ps&n){7NZ7*9h$}YBGf)9atlW z0F02>>k*1ZKe6T@Idy~!y&(DbKzX=;{{xX{$!tP06-RPt2|nV0K|W2*cZwuEP>0spf$Jtp+ zKx{alts(%xQ;=D0A)YM=*#YegFBWSJwU!Y9szg9=#dSs46xt8LbBANba-$?ff)W!> zJ$m%mE~Wm*FW%|$%t$6O8a@IU3A6;_N%_-2sM5O<}dscnIn36+Yonv z)zQXT@=3PQf=I!6)I~fr&m|cZ!WpqUnrL%jmPl4vB!plN0AFE34EqFFwAuQHo$di? z2Mo`fm+%5{+q+G}WozRB(SlPM^GyNEP-q!1MhWUh%HPHQ5Nr`f?I}3L1?H?Sfd;KS zKmW|pGQ4uqJd>ZEyVJ?qRRyA!Dn59Xf0+yUbN zjscE$0*<#xC&jn`+AXplV+c_w#;=N~S16{4XmE1Y4=Tgv@UZN%0KzI0B53Nsdl{e| zXtBD+rMV%B&nNtb8v$*VejdVXv{Ic(W7k0fl?8qhw_pz#T#)K5u}HN2ma=pbx0 zN<~582zxql9J^cF`lFBpU@J4cApj^q;|i1uAX#lwB5EOc{^+PmEG#xpPTWMX4RB~WpPtwGAh;!}qave?wWsv0VT3(OoQ$vpd|syAql^c#DOQZIK)798un z+$~vjw$-j0d%B8;-vBRbcXPUzUK=3hb6O??g1AXb!FgIhH)+Pa(x?OWiamk?RYJp1 zp$DSBc)slI>Zmn72C-`_s;ELoxEyZC_R9LmBDh`XLLoS?w@@m@Fq^&#SZszJvY5Ek zsZ+K{9C4362rN5vDo@hh$1=rZ#d| zV5I;RF#RxD97%TL1eBy#8fU?1YiM={ARfZy`$+`Bh1P%uEh4~X27#MHv^Cffv4hyd za(71?7LYDk?4B$RU;(vJI<5dnbdcol=!Q{Z0uyf(-OP|UkQphY!)UQoY(PU79MZ)A zP{*j|sIk*5h~C_1c9mz`JdcK2i>v(0xy05wng`)H?X-cG@7zCo6~+AVZZM9|uwDL9 z=QjY4e85%`=;x;C@1RWinJqG3KE=_M)x_Mh)HmknkB2 z&#Aj>0&#=562Q#W9-BEB_2T!Ck0OL}OVZCPLC3eSFKj|;pj9?tceU7c01Y?=g8zl# zkZ5e+1yBW$F)tmkw|6bAcY2a5dfLY-zgU_)V#Tnuo*o|Fx~@mr&2##<^=3S#&E2)^ z^&58WT6@YG+cVM%bJqtPC$HTlYl6Iwl!Ft!62YdOp(N1KrVYBJUOdH4?xTSrnm4Yl zK1iaPfPmeSMN>286;U`+kX{%t;9$n13V}~PR6%ba% zp2Y+$=?q)rBGOij;n^GDA9XRq!^)mwG7In04T_X_DgzVO$_j+Z;ersP=xoUd%%2V* zJ2|NSGjbM4Vz)EHW1*9YU90ASUf7)7;+H^&b<#@mllh+o&FC@BKJb19@kFr``(Mo) zpr#Byl};Wok;- zHgCS}vdWFPetUk*diCw7!q@xpd91?(`4FTM5a@4s5_Wfx@d{W^^dW@Q37n%bc3~|A zB__)Tyrq}~9N6Z8Bw#_!8N>ROxzZ@C8({1ulTHc1pHt~U=XSlvf@-r`hCIl|O=~xA z2dVmY^QnVIs_p>Eq)3MgG=9Lfq5w@U?pit5e4r<}K7~isD1knQ z2yq+$C2ugn`3QFhj0o5ZR$3m^7>zX4O9?5ok>=u!2|n^h8eSk$gV#??Wi@lpN*(eD zvMJnL0cK%1dij~#X`MIEW1gUztGsKrB(z$)`4C~~b3@j@=9Rr>VR=Xa!{U-yY~~MG_5ek=;&5)=$f`qUr@R+sbFyE8@tYt8mv!^I#!lB!n`smPKs<6+rGZX^MI1@(MY0r9T?=~azMhksc8u&RT0;kitleYSm{nm5h&;2=>GI9sk*z4{8AEowr}7PVyJ4XA5)JDOVDsE-zP8LoHnXpvWU z;b?)b7TMSyz}_7I2472y}@)B{6L(%=y8uF3p1!qMAAkt zt5Je{jm?k_qBD%i^iP)hMI`;bct0oMpIkTI@7F{l2poq+Bw^Zs9`SD360x`x(#gRn zDH-*k#$kI`tZ9ezy7X9?pkfDr7P`J$$F+xJs|T% zg2uhq^P=&wvkb#`S|k{|DD8V6|LEgM6k@ zUT?-LZd`GU%b379>c(%iV5~=m(~aNabpt--HX89)+(3`>75=Wz;5Ubi0A3H_uYU_; zQm*Ue8a-n1O2fe)Vr;}Whm0ot^^nnwSHk$l6vp_$=P)K@OyWDk@^`~{FNW&|`Ap+M zl!4;!@|9+ML)hpz_!P!Y{Pi$mpe-1?NJ;~65!Yvc~EmGL?mub1(yGTtELjUvx?$lTv4#|($mhnLuACmE586S~xuYB?|GCnHfXJvd$E zK|cRQx&D$|e_5^{m+P;H+`cN;Uz6*v%k?+p`kQh+Dc9eU>u<~W9T~qX;}bIS>x^8t$#s@{P<6z?>ygr7rEQ)#}-ov7l4yuL*~vsGraO~zy7m1A*YM~&kkrKqu8#^Ys< zI}Uydue?gGPrz9dHBOZ4lOW-!aWYQEC}harI#tHg4&I6D)8+aMk>NG+`D_Wt2AnGl|~J&(x|~z8a22|qsDt=e6M`|eKOu9 zjz}~xQw5W@slF4Ps#Xc84EHNMcO5q zby;S#TgC@vd`QNJWqd@&y&|{I$oQy?pOx`3`G$QmeqKKL1^K&Ql7A z%=)Wx&tH@4ugmo}&greqY8P$oNB9!_UZX{Yb8# zmFpkN^>cFlyj=f8u74^LenG}xh)jMdl7CUg|CLvMCD*@}>)*)rZ{_+A@)r;ATG{yx z(D_(V$|=__xu%^MRdsUhm200|`#C!mpiERyu0#JXd2b%wReA1x@2w_;Kn+8b8G@9- z0D%Bu2tis@#3=@T0U<_Oj;5BPU>T09&wAhU9+}E4Lk5O069f{JR)&X&iUKNwv{uA` z;1FqX**M^OjAu2vc)#Dz@5kV=r|miCS?l@ZNmjmG+EM|5bbXW9!CD9HH1Hrh8y*I zW0J73aye=m%~9L1BHt)JH!_R4Q9PX3FX0l?Rn;+ogy!!M_w4m zg0|RF7VCtKG)`zq8Mc%~%T2*#X>N%}EoCuTvb~J9q?Y>EN9|Edl~~)LrK~8gtQg0F zKau`cswsbEwvonZt<Mt)GWA_tV_SF8^?k_k+#B)gromUYW6Ro8l=(6!bYyRGG;OEB77 z>|<;G*IE|iB-zu}vLy|&WgH9IQ@u2=d`gHrQ%I4YpCL zQ(UfXWFb-LbKB4k+sKx*$(GSQw2j(-oLG29-wy03oT?p=8p}#YT4TqcgJNSxjq#k4 zscT0^jq&1yp80mv&Lo!a0khSkJL*Mbr{sXc!CcZu%1Xyz6e)QZD#a+U6 zx~_E$N7zaj0iUp~aK6s(Bv$8zF7r;}Q!DI@>{)*&J>OvTjJ}iJ{x&+QcM3eJ*H`Jm zOts!ln#CIjfwzcNCwXDKU8T?|xD&K5owPGzqA(lT9(BT_PI}4OXO80NXqb34rjy2C z#tHD8q*~~tm$A*kbLUP$Ay@=@?%YYQdmC4PD`B__ECpACYvAb-ekZ-sZMz%5jo>D* z4BQNE1-F6aUo=8wizU@5p7Tm!BJ*MaN74PXV@whKFJ@83kBui%}Da$0>8 z+s=W3wz>rOfZ6Ix`kxr%UMa=@LF6TU}Hd zmdnKIX6@}E|=Ir*eaK#zO(&9W$zU(zYRj8Euj zs`4ZXuh-F3Mej6WBS1?U+I8}31r(}Tr zq&t=QX{zFwH4Gx<7A$&Zni|}$>tL$pp~id3Wsg#W2q|7YP7OwrcMSL-I03dU$<)B} z$JD^{$JD^{$JD^{$JD^{$JD^{$JAgBdX|BOU=dghmVhh3H86A=NY#AMtTuof!A)Qp zxEb6EZUf7~3UE8xo&lc)cYx1vbSJnA+zsvl_kxx9_&m4|d;xqB+z)#8mm0jn`JVly z1_zNn`%4X8MScy7hry%Z8{i3!o&>AF)8HBKEa$ureh7X9egb|5egS?7ldq`vZ=DkU z0KDFMG~04YBV@PX)UXM%#~!I+GP1{?sfuaFc3^wZ{WMiEO>HLhtSUA1tSU9^LP{#w z4NL=jg1x{#UMn%16ZbL z(^YY)PUuqYO04Tjtm~?{l&F+UjyhI!B`$SU6uKaJl6rAh#RMU7pc^r>n?_K{+Fu}7 zQM#KVNwsi-^mHR0b|W5kQ#?!zx^sSaMqJ&sZdR)l=jyJtpgN)Rb|-Il@^&Y0ck-qw zZ>8m*hCNg=K65a+Jc8;WFD?i@4(t(l9N0r1S*OQ=Js1b} z5R+Y!Cy+9Uqn_dR5Gz>}E8`PB$~ds6_$<_lo|*KN^<6@H*HhM=?%8@zX-gAMlJ%Y% zRh|ucO2aRLbV@j#yy@~jPAR_EldhOqC%gk32HpwY4Z1GU6+eBBuM6qaNV=lvdC6nM zIi1=`*NU9w2SJx@x+0!)Z2&idn?PTW(u2+57H})L4J-#Mz~6w+fjhxn;BIgaxEHL% z?(^V2@CEQia6kA8XC4G!1z!h`fXBe&;P1gdfG5C{U=?^8JOjQ5egIa3=fJOA!dfYk zr;1ue&y~^@sf@lCkj`CzbVVx5UinW~j8ds8E*X7aFI_7<#x&4(@w6W-=sS1mTEj8+ z2fZerPVY#kccd%kIAsjzw%v=K(n~$%uw?g?Ui6e+Tw!~ukJKt9Th@DNZMH_}7TZfT z?lVV`;-1(`;{l^P_O zJ{pt61$|Tk$AwLGUF)N(a+1(9raod)E6h@^J{rFz3bR3%VIQJgA8hrJtu8?yc`ZHi z+USu_A4Z;iWUEFR?RAF6Kh;9}o}uxNW&56?(N2}ncXBfnHI2PNkNq;}l^L45)kz)z zx|A|B<~b{LS!HMjXS@Y%9v^0C2A3qf6TBCUfG)QT?f7X9V?d7^Gw>xtqaEw<9nuVq zc8tD5ni2R8X@*8SM&BXL&^*pq2o{0GUUPbo3&J69^X7v5d47~|$Ji*bEU=?^8JOiHPocF;G!H>XCIQkj*1^6ZStug$8 z&j~$#&Ipr`8zDDFZi3tt*=tG}M3M|5Nd}Q5gGiDQc5umuKeUgU$64+S`p!{Ccr$V; za#v*EKgtNZBYQm|BkY0f`$rjJIpf9nsFOjV;|3*$X9fd7mrN#e(oBu1 zN+sU`4kOo{x>K1M+{Kx9lX9;-&EzVRDSvlJ9s&AJXr_Fx6poUonSt+tW@^OsmT(N| z4}ufKI+GTasYq^~)4>_wOmG%B8=Qk*%dlPu7JQ;QO1If$wi- z2EM86KJP+;zUjSbO_k%A}0V!Afk!97D)2OT20Y6-?}6`wAAlc%)!;|qIq(z8;WO|H@Jm{P?_FjF-#SHi zE!AeidSHF9A@~Dp;2veBX3ds;k1{iKPt4RP)UsEcGBp;p+{(2X`W|Iw=sO*mq3=;< zhV77jk1{iCkL-JtnHr<29cqkf)T)v&)g`Pul9sz6cSlY`?t$DBIUTtda&P25$X-3m z3_ZWj)M(b)=wIOw?E21Qrh2;iuX?)Cqq0n0JJgpM-)8FCVR&pVLEBt#zDrNn z5trCva0$2+Tm}|`MPM;l0xk#X7n)hS-29YRW>^aPDX+}XBb>}|Ew~O`4{iX<@TdYN z+l2!ai%Nx#LIa6H0~v=8Bnk~woH?s>$CiP_+kuJ?2PHci3{>3fF7$O|AhCB~;I=VP zp``SFtRvIQ|NR&+IJzSwzAt z%^4FVI}&CQ3A4Drkfkwdtx__@Cre{g;~-LQ2k!(uBhJ!21!II1ufk<9f6U_fy)4Zf z&C^%OEO}Qge3J90gEPRH;4E-9I0rtCX<2$&!|0fnrKdHFj%itXTEpm7k*vV0B3VHx z=v9%dz^fuzT#>UB(=2;EBrDhmZUW1|&EQsW8(0ojfUeoB;2H2)a0mDtM|Xm|z}?^; za4+cDYgXXdYgXXdYgXXdYgXV0mK8XHWd$#z?G?^HfP4`75b~?Yui@!o@F@5Oc!HxR z!7A`Hcm{NI$_gBpvI0k>tiZ7-OZOe@(P!Wn;FsW6w1jUhYmH84D%z;Th&EY@HkKW2 zvJ`DBJKAI^+F17eg)G+MvbevH#r=gW*5a}>F7-K{`DTS(kv;#-(zw*=o&{%VTx!{K z;jAzn*)!s-us5>j#aUqnR{VrpmPV&O-%%w?V^qt&n~V)T=xS>gS7ZBg^mDO8bjKyS8)fa_x)7Z zR4X=v==*~hfeg~DGEONTV+^A24`M_#NMpQ2rR1t#4`QS@NO54ZWIszbNYS9Ja1xq* zT^^)ppri6mR^*-0(O{6GfzurgZc#L-6Z%<#Tg1V#qx~&f*LRBVzuclxtK|vebBpx* z=sI2dZejFzi$;%inkV}jG?)l5SeBC{-ytT0^*mU)@J=xt9NdL`x2zAAo*JQh;$V8> zV0z-CeFs*Jd?Md(C4};Zm zR1Ru6##LY`xEfpot_9bD9$5`m%PG~Y-gj+oSAA6pz3zQGwRXFrbfsk9S-xE@;k?jo z;C9u!QdIB8Cv;sHs=UXAjg&G}Gm9?5Cdf^}4xHorze9sNz+s^81rOEtjg4Lj8OojC zp|rrE!Ts`UsO;7W9{}@ZeW+r%Q^s<>X9q*MZ#$IxwnGEow;dYzzU|P!_icx2n{MM4 z(06Z#2EKbcG$;ps_jag0+iUc_+M(R59jaY&Ec;&VP`!(7^u5}lik7y%AM`!hp_jJm z-)S8h`X1}h&`)#>4cme#;7wp(GgL$}4s= zEc>q9Q1wLP6KWfGXr_}W^s_E^sBKgWU2As`J?_x9>2Z?1l6D98?(fh_np3=zb_Z)g zcW8#Fqq1o9GbeXQ^H;+8(lbo0s7BaWoQKf@hhb%yT41eGd^I1YtGUtKhN)E;eSd8j z?O_=0bC|~JPVwESVY<>8eK%^D>dxr9QNy@84C9J0OxFUZ`0mWGFb(wGnPFN5HTv$% zFs*_beP3o6;J=4hDNWe-zmQi3L9(Wb*Ex-wa`7{PQA-; zL3j_Ctx~!(xDPo8wAXji7w(k5mh)x(PG;P9swAaNC291$-m|_$q1(w_l;K^J;axf- zSt&zR=65OH8t(&hK;JdEOIAYR7-ZMlU3xdn_#o)Mc9-mS5pLHyz+HjI9(U>O&|bny z<_xd-bD%DMG4l{^&m zwK7}RN~6cg*}7KN2=7Mr9sg|ZVrRoATV>^x9B?@3lF4R7olQ^7=I&CqMhH%K#K@*^ zW;4>xrZlp-QBogMrJ{4MD5aJFXjMvsTHHKR9rJe;i=z0u?0Y{tXc zjEA!s4`(Y%INf)1vURuGXL<~rtvl34j|Z{?j|Z{?j|Z{?j|Z}Y--CYuPk8&L-|1(X(HmFAHpDbL@`5VBE;3lvP z+zf63w}RWiaSvjhAr?@tAh%Gr> z_j6Q_PVsd=hwFZhuKRJ4Juc1Rx}U>!KZomn4%hu0uKPJ$_j9=J=g|IhxbEk0-OrI< z(y8`u^mRXn>wXT`{T#0QIlAu47JlX6R}K+7hlriSbw7veevbUA^}0FeE68wp=M=Z< z;qq>W(Cv0OJ`Sg?4kvyNCw>kmehw#c4#&sg^07weJ8BIlY7Hl94JT?1Cu$8RY7Li< zI)}O&P9GmmA0JL1A5I@1P9GmmA0JL1A5I@1j*r9faX3B>=ZZF5K8me;d`UP4eB$D7 zf)V&QLN!<^**=btk1d4uaRfe&kdGH6`zkpCFGiqq1Ug5ktafPJ?-@jdxkE%6;v~E8 zM-(p;g(EepiAY18(6fLDJvX9JP?sRW2sR=;RT_g@PcC|L(U6OVTr}jOAr}p~XvjrF zE*f&tFp{yvNL_7fl*esyq^`ErLeFJJN@tbO*Vd6dFE>*9lO=nMF_JOHNZC)6>~Yjc z#!(|>(Rw_Z8p%j?B%_Xz+QHN*9wUtmJ^mRPdi*nz5#~t7KO-6cjHIQFq@|5yWpX5A z^^vShj%2JpQX^{dlox*%dPJ?~fW>nZ9*v@QM#+mRrPzy6@}frQG14e`5ht`4qwr#s zTA5QkUK*ueqdgjhFQec;ih3MHJ&uyyTFu#P@qX1pwb0Mo-%pReUluDRdrW)3JWdw+ zF4FzdlN8*qTF{xQ1*7Y6G@M6M{-dSg2TE~F7_IX=1fwa9(Uit$?2gvTL!HO3(m#ea zFowKils8!^wmycwHb!>OOLlJ>gPt+y86!QF^3ZdfJk@@wu(25CsrD`V?ouA*mdDd9 zd6Zrr&$Q&}s#K?=9$)2YL>wpdlP!6aZ60NtN7?34wt19o9#6dFQNnq;X8C-N!1MHL z^awnUwwg!F$)n}uQSy1ZX8C+S_mZb^l+n+<=;kmB%9O&m>@-$L1?gsaOe(oiY5q@6a5q@6a5q@6a5q=)6H;>kvr;(D+^m8wH8Yvn5 z+)JKDN=85TlBbc9(a*i)1%B=&FYrhyFYrhykC9RyBc(h>N_iS7`5Zs@k{9^7m%PBw zz2xbdW%Ls-c|7rw#}hAkp=TL+p=TL+p=TL+p=TL+p=TL+p=TL+^s+p9SsuMCk6xBX zFUwPVP>riS7`^_Vr(UMort+ROvAmIr7p5715? zpd~y&8+d>=@BnS#0c!sNYX1TGXFZM;4^Ybwz~=$@Jb;ya^yjNpCuv^YL9s5M(SAN_ zV)=~o^VJS7DBUCcd?Ii@qxXEZ|2n1k*|2tR`Ha}} z8L{UxV$Wy9p3jIqpAmaLBldi?G~4y)C|@nj=+RL=BlCQ4t19kCyzEj>tEdXTpC zAZ_VE+R}rxr3YzC57L$%q%A$Ddh8xNh?NJi@*r(#EU|Gct!S*)2jW!g_sQ;9jiiiT z6CSHrZFFB4%hhwN%Eq#vJRhrjL&^o`v0QNq^kz`9zH#jL!wU4)Op?&=Jr(HxMn98Q zptoi$`@ObDbiT2a*=#c$<2$!htNy7x3ka+dskQqM({ z3SDAPYTj?m7Uw5bdX{rQUp=4Xit{8r?n$npPpS+nmF~B4p42sHm(XwJJgM4|UDb}! zZ{<8m9ZiSTbXZM?)pS@*ht+ggO^4NVSWSo3bXZM?)pS@*ht+i2$#hsvht+ggO^4NV zSWSo3bXZM?)pS@*ht+gg&4ASmSoxjo#9#)jX25C&tY*M!2CQblY6h%kz-k7pX25C& ztY*M!2CQblY6h%kz-k7pX25C&tY*M!2CQblY9_2^!fGb0X2NPFtY*S$Cah+{Y9_2^ z!fGb0X2NPFtY*S$Cah+{Y9_2^!fGb0X2NPFtY*S$Cah+{Y9_2^!D<$)X2EI}tY*P# z7OZB$Y8I?!!D<$)X2EI}tY*P#7OZB$Y8I?!!D<$)X2EI}tY*P#7OZB$Y8I?!!D=?F zX2WVWtY*V%HmqjDYBsE9!)i9HX2WVWtY*V%HmqjDYBsE9!)i9HX2WVWtY*V%HmqjD zYBsE9!)i9He$Dvp*J4$xukCv6;@4W&GG>yJ1$y4}YuPgT{gGeGiqG-9;McNMC-kWD z*NRR;*;2Y}8GT1-4$)QnUTBP}Jq(ntrw_q)pr6v2!y7kq^h{KoWIqixNB4^?JMPVq z<_^IeX_f|QHa?-F8VyLpT=>t0|6KUbh5uacwar!O`5g0~3;((Bp9}xF@Sh9+x$vJ0 z|GDs=3;%gonTM5mSeb{Fd03f;m3dg1hn0C)nTM5mSeb{Fd03f;m3dg1hn0C)(U?XI z=VN6)R_0@6K33*qWj^b(b=Q~Z?g67_DUdmVU*<|#=+udXjqsU8>leWfKTRiWl+O4l6C=qI0-sLxvV zj6=ION!wD{IxO^x^itKMF+-Y{QjbgJ#d*no>U*htsTPjp9Ips1#iOOFQ>VKwmdY<_ zkY7gE#Zt}kbfzp;>sev@xC|ec$*xoE<1&0)hL6keaTz`?!@FgQR7pC=Pkk>_TQd6T zEncY}T_g09 zv@6x4tAy^+D|K(kDSiiPrF!&1p?ma7dh|+q^h$d4O7&=+DeK3BRajqzbv;E*imk80 z`YNoi!ul$eQmxW$eHGSMVSN?WS7Ch>)>mPD71mc_eHGSMVSN?WS7E&r>)LZgzU%32 z*)7HQQmmI^T~7$g_fo8vV!agWrC2Y;dMVbmP9Wb)v0jSxQmmI^y%g)ESTDu;YOJru zx}F-B_0?EkjrG-7Uyb$ESYM6x)mUGR_0?EkjrG-7Uyb$ESYM6x)mUGR_0?EkjrBFM z{!={}vg;H-FSJJE zy;`B47h1#fLTki9R>Z;R=Y`gYgK~*OrM~ihy=<)&ljB0aJF`~4Ckg%T%v$x1TA|;a zS*wv)qR=bDYt;*keinT#Eq|?AewSdaY)Ox789fGAt9Gt4WvfPK_*oQx!rkcS@YnI& z$U2@IS;uoD>v(Qto!;8;Q9t9cj%Pg9Gh$hQWj3H;0~$7qhT`|HltxP8aAWhY2`f_Jgtb@ zLFm~2wDLN|PgXpwQH{|n+fQq?#Im2Pcv_lkg>JV`OTT45S@E>mPh#-2BBZn_LK=O4 zY76s)EwYj%+0VUfq3vy<7i>{Xj#G-q5?g4ETNIO>;<3aQ+T<4L)KTd)`ni`a()^Xs zZE`DKY{iSMc(D~Pw&KNByx58tTk&EmUTnpSt$48&FSg>vR=n7X7hCaSD_(5F$~LTQ z!^$?SY{SYntZc)|Hmq#J$~LTQ!^$?SY{SYntZc)|Hmq#JN;y`_v7()yR959!DaT4V zR?4wbj+Jt(lw+kFE9F=z$4WU?%CS<8m2#|9V5I^p6!>w6qq%dU(0ZOh&ok(G20hQ9=UMbTi=JoE^DKIvMZ>e? zeU`k>lJ{BiK1<#m_pE_^z1~>PW0?V&rbC0M9)t2 z>_X2j^z1^_X2j^z1^_*RS^z25@ZuIO% z&u;YWM$c~a>_N{S^z1>;9`x)%&mQ#bLC+ra>_N{S^z1>;9`x)*&tCNGMbBRJ>_yLB z^z22?Ui9om&tCNGMbBRJR8sGiXse{_fvoH0(pe zJ~Zq@!#*_V?vymVfQA>)@B$iMK*I}YcmWMBpy35Hynu!m(C{KL|3&4!pu1dNfqzkX ztAxI1`l2F?(RWKx8p97 z-7j9EzFwlfUJ}DPrMO?bM18$PeZ53|y(FGhy7%Tg1^eN-AD;W+xgVbU;kh54`{B7C zp8MgsAD;W+xgVbU;kh54`{B7Co-d2%RJ|MEIsVHk$wZ;o#$RS+__D@kb0m9h{AJBq zN`+ni~Wo#IJ++br8S2FKMF2p!Vw^`VZpQLHs(1UkCB)AbuUfuS58Ch`fjJ>kxh&(mOQ= zgF|?C2=5MQzUh>~pzH1sJ|4oyL-=?I9}nT-68(RZ5AHJu-YSuKL+z-Fh2(KV=zAk^J6eS2J>Su zKL+z-Fh2(KV=#XM{cphh4Vddae3kYaFnq-%-?|d8!&$Z=5N6K zIGT^c{5Z^y!~8hR{nS!ia2)2xVSXIuzQgZyx0d5DKMwQbFh36S<1qi7`bcf?JLyjr zde!%Lvf>o4`ux6{T(Yyzth#hN4@I%J6UutuloKDTfdVR$|Z|RmqnvjeSarg zmc8oxCKlhs;+t4}6N_(R@l7ngiN!au_$C(L#NwM+d=rarV)0EZzKO**vG^ty-^AjZ zSbU3U@Rn+)Hh4?*QX}*oBE2U{ir0no%qi$u-difqIHB(ly~UOEEm^FS>^nqn$)Zp- zr88AiMz0l|kY5Ldo>!ibU)4g#u@lTMPRNT3l0C0H!TjO`^NSOTMYT%tyz+!BTK2s1 zglr`SC*+s3$uFblm2czA+xYS}zPybuZ{y3`Dz{plV_)7z^V|6HHom-#FK^?^+xYS} zzPybuZ{y3`_;M0oPU6c+d^w3PC-LPZzMRCDllXEHUru82B)*))my`H%5?@Z@%Sn7W zi7)Tq%RBh;4!*pDFYn;XJNWVrzPy9xcktyMe0c|7-ocl5@Z}wRc?VzK!IyXNr3zoP zKfTIOJ1eVRs_>->U#jrMPr=72-Shn_e9=>ZDnmcD*Fxxeslt~ke5t~hDtxKJms9w1 z3SUm)%PD+0r8oC$gHw86wNBU->ocXT^f@>&mvFhElVT*Qah)pom14#X=>**wR4)|O5+TrafZ@3Lus6$G|o^OXDE#`l*Sn>o}nDhP!4A(hclGJ8GJc|FK6)O ztgO@pXQjVZ=t1_hamSjNOm1`!RMu#_q@H`53z&WA|h1 zevI8uq@h~xs5|<7g7r@*!%xug2^v0;hV#KE%Bypf*XZ{DXE^^^xe_J&I{s&v>*;Kr z^Jnb-8UBBU|DWOiXZU|g-cQN*4pL71_*!>*4pJVrP?0$~j&$0VCcE7;x7ufv*yI)}U z3-o+}-7m2F1$Mu{?ibj-fZYq&y}z7QRwnGkR9|mFCNJLhris6?fLYlAg1Y z-P*sBHk~PLMz{8_xTp4&Myl1p*J5>E=zSf(hSk>^Psd62K2BeYVU5st*1lGc_L<(- z@oVPYUyJz#$$paXYt0UfeqQ2hl}4@5t0iBH$u8jpQrv64){I*^#Yz^%%IIhEzt;FU zF8GW1EEKxu{zcYz3GLlqWZmiB*YPjXmL~MRAAgayv%z1a;TOR-yx&qg-%>l@qTyR==UZy$TWaT9YUf*O=UZy$Th~r_jqM7>St!mz zaTbcRP@IM0EEH#u(i9$V*BGeNpLY1&k_pgO| zB1NcHC)5)uLe+S9ooigE8W*a@g?b`Is2UIB9CL(%oAXq z0P_TxC%`-b<_YLefO!JU6JVYI^8}bDz&ruw^weVBP@c4Pf2?<_%!p0Ok!~-T>weVBP@z4Pf2?<_%!p0Ok!~-T>we zVBQes4Po98<_%%q5atbG-Vo*u(cBQ`4Po98<_%%~18Jz$j((c;3pD}}YSu5*tY4^E zzfiM&p`IrZYQ8Vjb5KG(2PM=Bl~B(?3H2P5P-_lCtp*6S@*vb|K==cVKXp{&Poq`? zgnAB2sMP?Czjd!isMTzt?)3;YYZmHWk8q?kTrXdIX1#k)=`?ChTRRfk zqa-{^!lNWS(oTfZkc3A`c%*$VIMW{ay*i^kO2VTgJW9eNzbz4`bbFM9M@e{;ghxqu zl!Qk~c$9=kjqs=u9yP+FMtIZ+j~d}oBRpz^M~(2P5gs+dqeght7>^p`QDZ#P3|7n= z<56QgYK%vX@u)F%)EJK%<56QgYK%vX@u)E#HO8aHc+?n=8skx8JZg+bjq#{49{KBI z$2B{09W}wDCV12YkDB076Fh2yM@{gk2_7}Uqb7Ky+7K>PC;oCHuN? zqkO3nYKA4$9VMaW3qt#HqetdK%^HNd`U|x-DAaXdsQXGn-B%K7<`v#Zx!p*)-6)H- zVKY2xhDXits2LtL!=q++)C`ZB;ZZX@YKBM6@TeIcHN&H3c+?D!n&DA%JZg?d`l^mB z>Z>~PMc+3C?NM_)YK}+E@u)c-HOHgoc+?z^n&VM(JZg?d&GD!?9yQ0K7I@SGk6PeS z3p{FpM=kKE1s=7)qZWA70*_kYQ42h3fk!Rys0ALiz@wIU)Dn+c;!#UHYKccJsiT&7 z)Dn+c;!#UHYKccJ@u(#pwZx;Ac+?V)TH;YlJZgzYt>n@9uoW?(m2A~Xc1&m$WT-E+ zk{2~X-H8wmMs`bRMXPRwl~!uo7nGtIz0hsD6%n8n5ug1^y}MPl105{8Qkc0{`~#Zx8?W@NW^(muA;~jL3tI~eNjt8=FVvDjOH$Q+67O$;As~;?SiLW@U#n_ zcEMA9t3_6B*7;RJJ?Sdc)1E>-XDifGzCtt67h8~h9lu%E@fx9?@)hbSU!iA7H*4JM z6wQc*ddgR5<~Pf(j>@jl^>VZ9>P&Gy9_k%k=}cAovFtiZ74u}F<4>ye*9f(uBJ}(y z6)#fpB2`{gY7bEJ?+X8}@b~v4jw{9d^%V)})K?^s&A%)ByTZRK{JX-xEBw2{zbpLp zr3ta^3jeO~?+X8}@b3!$Zt(90|8DT-3lw_m*!;V}zZ?9!!M_{)yTQL3{JX=yJN&!D zzdQW9!@oQHyTiY`+Cy#F9sb?n-yQz`VnvnGUH;wS-yQyZy&~)m|L*Yb4*%}(?+*Vo z_@}`?4gP7Ae;WML;GYKnH29~%KMnqA@b3Zt9`Nr0e|@V$<=+GTJ>aizRjB-Xz`qCl z^?eGl?E(KD@YnY#NOAk=0skJ9e-HTgfPWA8>&p~A6aIRmTV>J{{ypK}6aGEn-xK~l z;qUKL)Pz0Z-xK~l;hzrwboi&kKOO$*@K1+-I{ee&pAP?Y`1|`5RiVF6VKo1A%0C_c z>F`g7e>(ir;hzrwbolFCbn)*6|6cI#1^-^~?*;!}@b3lxUhwY)|6cI#4S#>>pfcJ zXivS%dRw7A9e}3;@YMUR|1=zcrvvcR`>rb&b(*ObSQloh?IjAezo=0Aiwd>Bs4z=4 zo2l`?W$iC2)c&GE?JpX759eB;=a>U&y#rNB$0h68C*gg{HBhUsMl&BM&PF}MBlHT! zK+V1_>**k&-hvMYN?VO^zS6VcmIXKMd#v-d?=fg@S#ZmOoA)BFQi{2Gf8g_B7TmJn zHVAHm;5Gp?8_=NH}+)} zy4={8RcLOv!0i^eu`g?Q3)}|7Z7|#h!)-9!2E%PIgdP%cDYes7ZtWpIsaJu1DqG?o3p~!$Zd4a5S96Pq1VBN zsAbj(J)auFcz6io;UV(Q>7Gvwq2&*uH4b4sJVXpHDBbg^A!3*)^f+?}TV*9#X#KZJb5eLKTa!x8=>j8OY}32z3q6SCy4(la8^PRPRUpuW%{xd*a#LYABk_5yozv=6f0(9zMp z$o*t@gq|>*BOHL;%!^AU4^&SdA?ALDb&&e?2t9LXZnrCzj!<-}6W)P547?M(i}bsZ z??Jv7%m(iRbHL%C$Mz%iM1gf`w-ez=S6?O-u0)&mdzY;J z-i6xjS-6H$S`YsX;6`v0SO#tew}4y0ZD2WA0qUzF()JAaEVu*w4M%^A{2cO5a2L26 z+ym|fD>+kpvq;-MPy4Kr)!5s%kjwdkQ0#WBR4>9h^+6Z>dfoS zL95Z08zDP(jnKNR(>^blDi|PA@@Mm-Ze^3NA88(8(I6kZU8r;!T0h;gqy*q!7boca2r?-R)E`u z5n^m4aEy%*V-}uukac8qp}x=;#{J2;AuC8X>wyh^`T$YeZu?r#rev7(GUas1fZCq%~GzX@poB zA(lq`{V%0EmPY*jFQH>;gjgC097`jC+dw368;At1{fOSnw|>XcNZ?o+2^>o!{>rn^ z^&U|yb!q4;&%#nrUwM}7SQ^nAnfB4KG@|!CjgF-ez3*vsERE=mJ)>i3MEisr9ZMsD zV`)VDgc}_*BYGyyvSVgMyM-GaGb7q9+~}AY(KC4V&haqfFMkOg4hn6FMG7{4Fq{<6(q&7zrE?BYL*f=y({>Q;kN)!-)10H##0hh=&n9 zdu7@2Fyik%3mp$5#KQ>jFcLT(MgqsfNZ?2q2^qFG9qN5b+|q1Lkx`ya*95Ld1&@@ghXL2oWzr z#EWRXRxLkt#EbYFWI{*0h~6@oBXq=z5b+|~U0?OCSZCCiqlG=dbg(z*Xci%kMTlS# zy)UnNA%aDSU=bo%Byg=7Nr35h7TG2o@oNMMByz5iAlq zf<;0{ut?|#76~1}BB3K#MBkORW=F7yz9wdL1dD`@V3E)fED}0`MM6ig2oWrzuZdZ9 z1dC|YXLJOMgpOd5&=D*WI)X()N3clf2o}*dBaDt8{$tBw4Y6tEPI;t2c^f)b7 zk;EzYYm}Qy49Qgtsg*ny%}>H@IyeKI3C;p%gL7cA47S>JLwU91g;2Xq2uncivLM+} zB9|zUOO(jfh|4K@_g&~HkxP`wB}(KHC31-pxkQOvqC_rHB9|zUOO(hZO5_qHa)}SQ z#D`qsLoV?lm-vuNe8^RNaG5(kfC{$R$4H5+8CEADl~1dJ5l1){~WzKSb7(jFLY>){}#h zzjFDgFRKjc%em^ymOXmORbRI3zMQMRY}uoiT=iw=(w=X^Hpu!~f#i0`Dah@S_2mMk zcX0brUp96I-IsIe%enOBT>5gZMk!8rU(VHPkbKb^iEU|3LYPV3fyi0Nv{LnDYaUGc z5b##)-bT9na<2AuObm6$S}joR64`Su@Ac|*uMCW2hU>jvlO>PT9Bm}?+>vU%I?6ne zU05Y+e@>xSzej0>BvIHCOb7ddnV>am=T+6d_FPrW8KrrOWUYHBuQcq^_hbBYgs!zp zxu4nb{hA$HZXt&EYj%8A=-Ki8njO~(+bCr;zGx3s=^xGfaWuY+#+T9fG8$h-!l7}yO_>zY&dH9ltFM0SfmRw`WHI`gs$)(YTN?)nNXT(=F_yhtmUSf7f;iCze?z} z&}rJ$(|9MSulPy!{gi3ivD2t8APc<$Firb&Iz`_A5^e-Hfo0%ka4WbCEC(wj_kyJ=b>G5TqWY1-da z<*#;XS?`|;$AVrznZv5i9Mx2vWY5UvXjP|5=x6!nsI}AxeXmM0EuSOJMy~|UCGTAF z&L!_$^0NP%jykV*emft|CGTAF&L!_WTKGI#_&l}nx^NyXe4bkPdC4s=z9n>Aou?M= zlr~~D&pVI{_2m(-Oo`!q^voBBgOZzGTrX^^KH{C+j9&AcuX#b0@E*|dZN5hSPRRki z{y9I;j@H7FiX`)i3EtJMLpWc|rCH34zLz>*#}h+#brU*LEx`H$tb2#I3rex|1z2Bz z^#xehK5yi;^#xd8KwMgY^#xd8fb|7fUx4)mSYLqk1z2B*?+dZM5bF!Ez7XpRvAz)N z3$eZs>kF~I5Z@PKeIeEtV%j%T9WW8GG zmENbY_!R4hPbmiOP>P;07U~&(q3?09ADz(mR-Tf6<&}P;@47BV^I|kFM)P7cFGllX zG%rT8cdNUg^R1cP>V&?EEk^TVG%rT;Vl*#7v-hk!7%oBc5;QMC^Aa>KLGuzcFG2GX zI4?o7_NkM_C1_rP<|Sxeisq$gUW(?WXkLnD?@d=1>PwF*4ew2NL1@n2mCotrycEq^ zzqE|zrD$G;X753FFkFUa?LntX37Wl!+i@MWW{vEnS^Kt0vvzEg z<`OiQpt%IiC1@@|a|xQ4qj@=+m!o+(nwO(_IhvQFc{!Swqj@=+m!o+(nwO(_IhvQF zd4+m(&DNCSoyv^Xqdm%`!F!Y$t!E8-yhoXj zTF)BvtU-@;wCI^!r~?@ zZo(qFnT6iX?4Zy-mSNGmnH`s`cYcLkK|Mhuxi_-oPnp(3s)PeLGgDEkOe?X*LEtT% zb31qkI1IcKyc={IEA#gtgszb?;!K%#=|3;oBRcP;W_$qj_}}}gT@ZTxyewD->b+pe zMWEgbmRthry;HfW4=p21fLg*Q5nZGC@^t1hC{-T6%3%C{B29|>r z;BUa^z@6YOa5uOI+zVF1U*DpYPJN43sBh5<)K+hM-{ACJZQ!p9y+@Vb04p5zj9g+3zW651ex!HB$@AU|~BKvM^ znN~cUo`&25*>?)c!gS%nO&?)DWY2xd!U4#RY-O6y8flqY!!!r? z#4`FtndTAd1)4_~eHAX#*F}B)N^lie3a$p%fNMcNsZyrz(i&+?T4S{S?ZVAmbG_r= zLCNlA-tjM4=w7y&e!W@!x>B+uiT40Bj+8d<1nBeK=Dic3WY~Hqz{>DxG_xO|WNUsJ z&E602xMatur_rqa0Hwiu02-~?djR@;YknHdPow#1G;cxk7C3J~^AJL@Q-$8&&wBi1Q3Vz& zuvo#JQPrfA&7rIL326~mn8v!loKhN*s{7$hQHI;Q{mtcx`|8atbF{f*nU zlGzjVxx>7!FMamgP)sZEYwSJW>3;N#<{n{fl^Usy`abBFytGq6? z57)xg?L+NC$Ex&}@};_tY7m+SC8c%7izOFlXywyCuGQ#I3+1ed`l41?7iH)&y>x=| z+3wlzq_|zarF=eS^l!B>np2vrOTOTrz5RY0OHvEF`ZwCbgtGMAHb#5Y*X(?(QmAV= zoTx`xNK~1r?L<+$qu%M7e(@gdRhOhAHL;p-pNh5^wE|d2Yc%Su>Q8xUDDCr-qwU0H zdZi7z4VZPJSj1Yi%GCWQYSm}EOx3Q{vKy<7>paR*tS^_TMr-;NUec^R6lejL&(Qxb z|3uqIxpwq3LzTRbP{LQ*nA=0N9-{T)I<1PfFj`qu$7b6Ux8pG#3pryBwPfaT7yVW8 z;9?0D+)hhX&z1W3C8a1<>5QrRwT>M=Q%B}tSE&C)b^Jml@QaHD9CaW61$ta2rCLw7 zj-Tszol0oO#eeZx{;@`(HS5pqRByaT%haXs|GNj+EB6+k6)Qb)yQ+Rr_8$N>roMzH z|G_!`E;-sl9hqF`Mtl_d|KI(I#?9}h`F|~9zj)#Q<7KoZ#v($jja(gfzOUyyDJltm zRhq7w|N4*piALT)?c(@DGzd5{oHVbPtS1yChm-^g0(M z^B>jAU)5nPm)eJYi>gp<|J5J0Lw?;N-7=yWYa_G|^|;M{HS3kcXymhnOOeY_)$v1D z%`2xN{Rce$-C0-vH&JZlX89WHm;6%%wK=cgy1+&_R^?n}nh< z+BT!VNz{{>{rg^f^*G>fs=WH(<*W47iN0ogWE2R?Rqs<3WHQIs_d)wg=nueOZ~ZhDr)HW zuw$ugIRE#4qNzfk86Dw#-xrUAqQ2<7OSUhmy12{yFOLiDQS_P}9X(yTW}l&?HKwsY zl$!ZQui1^lHTBO0jS{_KfPLO+$N=c95jmWroWx>kH`PprK9z->iuiIgF&N& zgoJw%7AKqt8r5&Ezx?{^E}ik;`d3dKUHTRGZFa6o}wXY{6T>87NVZuG%`O8UId|i&})&CYIocODMRrQ<4wXUD< zdau9k(x3UDNxA>_Z{nkgJL;c{V)V>^uwDKgz2CL!I#Y}PU(w$N{r}4E|I^_6zxx~P z4;nR8^S=B$tl==#!5TdU69oPB_xFFU(J9x(PK(#SLxP0MnJ&f5%s{)uD7BIPn&`=u ztABhwzfsSewAAw@9-*XMK6q2`!6yO&9Y5D-z2egE6%Wim`fD4+ zZP2oIhvByg=A$E$DB6RTvELMV;NRwf`Cs}CBz1}Xc2oXtvYmYS?>gnb`Y%xK=wD0y z``th7rxaZM2N@tm%+25bM*p0Ar8YQ8N51=Wlm2_@&r+h8Uj29V*_pwQw1RZyuc7Lt zp-%9>dNTH}{xwpqHIcur_q5A@)@n`8{r7%)(i)@abN{h+`S-Mb_jqfyzAHbs1mFMd z6@35qN{&lXpP-M#d#~LPgt4T%b#;l#VQ{_n_lnBb1VMO1OujZ4tUJlk^y_p^ZA^{} z?!9JxOpXt(zxD?)xn3~jvVQGObzR3;di|jFb^l*XP7Lmj>l2f;Csf>)nA}kExu`6I z&Ex(pCWk@&_*hj1o!sM77A2hFbDkj$p>L>gtCMQV# ze`9j}pkc!EF*z}4Qa`FEG>7=cq=))X{rI^t`I?|f{3|ip94^FU?SNJ<@67Gu0+Q}>7*D<-iuEnp%wes|KZm8~1%?}^D_ zkPyE*CcA9!jmg?`tzNXgu9dCE3CXc^?QxbcAton?!=-cV*B@i)F56p>uam9T@&6Q) z?bqg*?D~B>CSM!Wi?55x*Qq>z5|iVC*7f$qmW3s;2c1>JNjt^R2 z^Lb3J7tFl2bxckOZn^f4F}Z%w|GL{_a$-~i5Oj+B*O;tG6}K<&8;p+!zX~Sn z3(SuMKM$q`DT-bX>Al+&_41zj9U$qSbViDv`JSlb1v+GIIc zDZP639FX!)ze>4t;?#o46UR**KWXB)M^kct^?1S1Nz*1iTrhb`HywK@E#=3LKAJ+d zDJhc+rW8#6=Yof&>~3+4a-N`j%ag^hyRHk9#N=Te94CzvawbpeK4j9P4+ouC8hA)Y z9}|zq+k3!ad+2`aa# zD%-Tc-cDBTXgQ|o+58ErkI6ys(4@!G9{bhLCQY0=C9PoGlwYMyE_itIq)AicecA;0 zc7J^Gq_lq$;j|}yHevkKUTOcVLQt`!^`3C+WIOSn@mV+4uO^bB$A8nP`ks0r;Qw$@ zjEee|lAhMHXU~EE-Gceg70cCSm=bF_9!*4RGe!00);msrQ&nr@X!DQJ0wySJlIr@u z-)Ca&Ger$F#SJuN{FIb&DN`qpd${1Sag!&cO#0d1?G?d)v*QMTr`rX3^}`*&%{fJ{ zgp5<0aYt}bOjJr&{ry-)^>cN&0s_gs3K8So&?8d|{<$FKu5k}d828w?i78!Eemv#p zj~4tY<=$!Ib@cy+*z|;A!V~Il!_;1;sgMe2H*>nGO~Fm3%1^3MM{QFj*Mf zGyaj7-S0~}S`a;Y`Lv0F!ok$>4=MQPOqw#@JcCO@%B4dEmrp84d7QI!Rhm35>eW@! zkjVwp%pq131y{--cha<}1yfQKfB!~N{CL`w|4|?hCr+FA$dqxDT>!b$rcNzLQ88UA ziObFxTygo}#^7ql&CAR;NKl6NYO=x(!Wx$k!gT64xtNqJZWf4QFTE*L*CWys`dZi3kbQ>ILtIL=4$ zOC_hq`%kg@zis@uM;K3B$$VK#(Rr7S7X+83$x+R2Owks9>B#si=UmqB$&cnZ{?R@8 zUjKhxR~{Qh6~^DU-OkXRS!sy}62XEXc)@OwOGQ}P?L`mh0Rj@3Zl~L6x4W=MTgrWl zc;JEHP1GQw9O8j^LE;~p7(8Os7-NjlM2!b{#51`5-g`5|cB&;xAd#rs8tspzd1q4%kwUkI^jR-MpLHDipyPq!u0VhDDj=|HP`^wpAG#J~Y! zOW*@!DR_O$*m6|&kFzaoD|-z{_Zzkiv#syM%(qX0ad#`2YMa6N{h9rOx!L!CA^ZlI zYCnOacMzkmer3Obp?3&;xHmC(VjJqbU1&?+MqT(8*m3WI6?dAw!@fm(`T_WG@3SL7 zs%J5i`A1;HeTZh|JN5(H!Mf0-bfeLUq0!+ZFjorvl|rqWM$^;>kMI3#0L{;8wwA47 zFM%1jo~>gW*hcm}`;om&1@Qb_ND8Smgq>smP!ah^Bb{Z5!6)u{G!)&kVk)6w@NEjO zqVUvt5e=t{X#_ZNf3QE{NpU2NqD%4aaWsvA_qwq(jxMM1Gy%TSu7uyRzu3ogHT-!^ zq)8N@AeF%f)3xwvG!;I7rqc|%4jkSu;dAB&nn^d(ESgOrcqJ)^-;Xd=QWaHG4Li!7 zrCORxbyQCc)JXGaKG^Ne>~DDW{t90DTfj_PKnua_T11O!3EfOf!ERbc%gLZNir}rT zNgWiWPO{i5)J5GCqaOI_|C-`#KP6}dt)wKlg=@>6 zOtTl+aqt?SXD?u0u}xq*Zf8$}+xR*=$zBEDrkDDtpH|TTt)?}!me$dF+CUp=6K$p~ zw3W8ecCc)216yV<=8?XiodL&XC)k*GV}9i)*_~j7?`9{!7&(P`;cllpz*pEscVV>t zJ#;Varu%3Q?Zt@d2QZ5HA$ph|p+{*SM#w&fv8GR8T-tt&`8t3xR0lC8=@~jihv^6% z^^`ZMp&lcWOvF{d3@()r{{6kCVhEvz5~u;pZq<-dE00*oNT#PFX7+25yzVP+Po#}V z#EhqXk({bjL<}BfyA&0O-$<)r`+`7e;(}p$K~o4{I2YPy=2SIoC&QFd3CkEwA+)M| zLbPaJ_f_R0@I`Z~UIm2EW5~qnQJ0}r=fi59dEHyxW+c6x*eEq=E7oo*XkQ`J8apSJ zos$}w6HDH@8avIFl%ASekJY8s=Hu16^143Pl@PsqkP%IyQjQsM)bmQ65kU*A#Dvi6 z+~>tyhEgYQP)rDK9dhrDVWTw2@NpTw!4*W0y9}j4hL6h|95(gX1^hGXxRbE#X%e)Q<;ai+5yS{;(S{O?JUFprP zEb1wjp#ld5%7P(V&XKZwMv>8BS%E-VV7fkFCKD+erRW`rOfqj+y{2PmDXZVn{V7xp z@tkGy*AR}S$E|oSkciu|L5zkPB&VnQ5{~XqccNrFmPkR~Knfg#r@+x=3UZc6fn$jj zIEFWzNhU;Qrv@iaDdX8M3kIhZ0dwK+nl{_Tp0eN+Th8FJG8ib++&3{f(TJr3L0y(r zX$*50Qs=lRRnkyHQVtEZTP8XVR!Z7hh?g5XKnUH7Uehr|*^@>|C|?eo!=e~S!*5sD z&LL4QokOy;NlOjer-WUhOTzz+d}w%ZBK5Eo4va+%RyXz|FWYs8TH1Z1x;CWQL@8H~Xi{pB^cs2;R&)IrrWwXzn%w~^6 z9)mm~4j>Ge$2*`q`7Hk5eA*}u_szy{z;1R5-fL^v&*M9t>>HDlJf-~3$%R|^3JC$2 r3w<`fG@dt4Z^bEw9*Ha;^PpoNdC^P3m